From aa576470d3c116a151e38db1bf05681f5c7bbf98 Mon Sep 17 00:00:00 2001 From: Ran Vaknin Date: Tue, 17 Sep 2024 07:09:34 +0000 Subject: [PATCH 01/53] fix(sdk-codegen): update errorType in waitable traits to use correct error codes --- .../codegen/ProcessAwsQueryWaiters.java | 144 ++++++++++++++++++ ....codegen.integration.TypeScriptIntegration | 1 + 2 files changed, 145 insertions(+) create mode 100644 codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java diff --git a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java new file mode 100644 index 000000000000..dc3c98b25b7c --- /dev/null +++ b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java @@ -0,0 +1,144 @@ +package software.amazon.smithy.aws.typescript.codegen; + +import software.amazon.smithy.model.Model; +import software.amazon.smithy.model.node.ArrayNode; +import software.amazon.smithy.model.node.Node; +import software.amazon.smithy.model.node.ObjectNode; +import software.amazon.smithy.model.node.StringNode; +import software.amazon.smithy.model.shapes.AbstractShapeBuilder; +import software.amazon.smithy.model.shapes.OperationShape; +import software.amazon.smithy.model.shapes.Shape; +import software.amazon.smithy.model.shapes.ShapeId; +import software.amazon.smithy.model.traits.DynamicTrait; +import software.amazon.smithy.model.traits.Trait; +import software.amazon.smithy.model.transform.ModelTransformer; +import software.amazon.smithy.typescript.codegen.TypeScriptSettings; +import software.amazon.smithy.typescript.codegen.integration.TypeScriptIntegration; +import software.amazon.smithy.utils.SmithyInternalApi; + +import java.util.*; + +@SmithyInternalApi +public final class ProcessAwsQueryWaiters implements TypeScriptIntegration { + + @Override + public Model preprocessModel(Model model, TypeScriptSettings settings) { + // create mapping of exception shape IDs and awsQuery error code + Map errorCodeToShapeId = new HashMap<>(); + for (Shape shape : model.toSet()) { + if (shape.hasTrait("smithy.api#error") && shape.hasTrait("aws.protocols#awsQueryError")) { + Optional awsQueryTraitOpt = shape.findTrait("aws.protocols#awsQueryError"); + if (awsQueryTraitOpt.isPresent()) { + Trait awsQueryTrait = awsQueryTraitOpt.get(); + ObjectNode traitValue = awsQueryTrait.toNode().expectObjectNode(); + Optional memberNodeOpt = traitValue.getMember("code"); + if (memberNodeOpt.isPresent()){ + Optional codeNodeOpt = memberNodeOpt.get().asStringNode(); + if (codeNodeOpt.isPresent()){ + String code = codeNodeOpt.get().getValue(); + errorCodeToShapeId.put(code, shape.getId()); + } + } + } + } + } + + + List modifiedShapes = new ArrayList<>(); + + for (Shape shape : model.toSet()) { + Optional waitableTraitOpt = shape.findTrait("smithy.waiters#waitable"); + if (waitableTraitOpt.isPresent()) { + Trait waitableTrait = waitableTraitOpt.get(); + ObjectNode traitValue = waitableTrait.toNode().expectObjectNode(); + ObjectNode.Builder traitValueBuilder = traitValue.toBuilder(); + boolean modified = false; + + for (Map.Entry waiterEntry : traitValue.getMembers().entrySet()) { + StringNode waiterNameNode = waiterEntry.getKey(); + Node waiterNode = waiterEntry.getValue(); + + if (waiterNode.isObjectNode()) { + ObjectNode waiterObject = waiterNode.expectObjectNode(); + ObjectNode.Builder waiterObjectBuilder = waiterObject.toBuilder(); + boolean waiterModified = false; + + Optional acceptorsArrayOpt = waiterObject.getArrayMember("acceptors"); + if (acceptorsArrayOpt.isPresent()) { + ArrayNode acceptorsArray = acceptorsArrayOpt.get(); + ArrayNode.Builder acceptorsArrayBuilder = ArrayNode.builder(); + boolean acceptorsModified = false; + + for (Node acceptorNode : acceptorsArray.getElements()) { + if (acceptorNode.isObjectNode()) { + ObjectNode acceptorObject = acceptorNode.expectObjectNode(); + Optional matcherObjectOpt = acceptorObject.getObjectMember("matcher"); + if (matcherObjectOpt.isPresent()) { + ObjectNode matcherObject = matcherObjectOpt.get(); + Optional errorTypeNodeOpt = matcherObject.getStringMember("errorType"); + if (errorTypeNodeOpt.isPresent()) { + String errorType = errorTypeNodeOpt.get().getValue(); + ShapeId errorShapeId = errorCodeToShapeId.get(errorType); + if (errorShapeId != null) { + // Replace the errorType value with the shape ID + ObjectNode modifiedMatcherObject = matcherObject.withMember("errorType", Node.from(errorShapeId.toString())); + ObjectNode modifiedAcceptorObject = acceptorObject.withMember("matcher", modifiedMatcherObject); + acceptorsArrayBuilder.withValue(modifiedAcceptorObject); + acceptorsModified = true; + continue; + } + } + } + // If not modified, add the original acceptor + acceptorsArrayBuilder.withValue(acceptorObject); + } else { + acceptorsArrayBuilder.withValue(acceptorNode); + } + } + if (acceptorsModified) { + waiterObjectBuilder.withMember("acceptors", acceptorsArrayBuilder.build()); + waiterModified = true; + } + } + if (waiterModified) { + traitValueBuilder.withMember(waiterNameNode, waiterObjectBuilder.build()); + modified = true; + } + } + } + + if (modified) { + Trait modifiedWaitableTrait = new DynamicTrait(waitableTrait.toShapeId(), traitValueBuilder.build()); + AbstractShapeBuilder shapeBuilder = Shape.shapeToBuilder(shape); + + shapeBuilder.removeTrait(waitableTrait.toShapeId()); + shapeBuilder.addTrait(modifiedWaitableTrait); + Shape modifiedShape = shapeBuilder.build(); + + modifiedShapes.add(modifiedShape); + } + } + } + + // replace the modified shapes in the model + if (!modifiedShapes.isEmpty()) { + ModelTransformer transformer = ModelTransformer.create(); + model = transformer.replaceShapes(model, modifiedShapes); + } + + // print the transformation + for (Shape updatedShape : model.toSet()) { + Optional waitableTraitOpt = updatedShape.findTrait("smithy.waiters#waitable"); + if (waitableTraitOpt.isPresent()) { + Trait waitableTrait = waitableTraitOpt.get(); + ObjectNode traitValue = waitableTrait.toNode().expectObjectNode(); + + System.out.println("Waitable trait for shape: " + updatedShape.getId()); + String json = Node.prettyPrintJson(traitValue); + System.out.println(json); + } + } + + return model; + } +} \ No newline at end of file diff --git a/codegen/smithy-aws-typescript-codegen/src/main/resources/META-INF/services/software.amazon.smithy.typescript.codegen.integration.TypeScriptIntegration b/codegen/smithy-aws-typescript-codegen/src/main/resources/META-INF/services/software.amazon.smithy.typescript.codegen.integration.TypeScriptIntegration index 9eca961da6eb..01141b43e233 100644 --- a/codegen/smithy-aws-typescript-codegen/src/main/resources/META-INF/services/software.amazon.smithy.typescript.codegen.integration.TypeScriptIntegration +++ b/codegen/smithy-aws-typescript-codegen/src/main/resources/META-INF/services/software.amazon.smithy.typescript.codegen.integration.TypeScriptIntegration @@ -33,3 +33,4 @@ software.amazon.smithy.aws.typescript.codegen.auth.http.integration.AwsSdkCustom software.amazon.smithy.aws.typescript.codegen.auth.http.integration.AddAwsDefaultSigningName software.amazon.smithy.aws.typescript.codegen.auth.http.integration.AddSTSAuthCustomizations software.amazon.smithy.aws.typescript.codegen.auth.http.integration.AwsSdkCustomizeEndpointRuleSetHttpAuthSchemeProvider +software.amazon.smithy.aws.typescript.codegen.ProcessAwsQueryWaiters \ No newline at end of file From 8e776a9b812bbccb1de1b6c0c915c5ee0a8c72e3 Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Thu, 12 Sep 2024 15:47:09 -0700 Subject: [PATCH 02/53] chore(core): change description to force version update (#6467) --- packages/core/package.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/packages/core/package.json b/packages/core/package.json index 53a4fb685bb2..4369254c716f 100644 --- a/packages/core/package.json +++ b/packages/core/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/core", "version": "3.649.0", - "description": "Core functions & classes shared by multiple AWS SDK clients", + "description": "Core functions & classes shared by multiple AWS SDK clients.", "scripts": { "build": "yarn lint && concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline core", From 361a96d944ea9be6256cad5e30ee485123157e51 Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Fri, 13 Sep 2024 08:28:57 -0700 Subject: [PATCH 03/53] chore(middleware-flexible-checksums): add config resolver (#6470) --- .../package.json | 1 + ...EST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts | 3 +- ...ONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts | 3 +- .../src/constants.ts | 4 +++ .../src/index.ts | 1 + .../resolveFlexibleChecksumsConfig.spec.ts | 35 +++++++++++++++++++ .../src/resolveFlexibleChecksumsConfig.ts | 33 +++++++++++++++++ 7 files changed, 76 insertions(+), 4 deletions(-) create mode 100644 packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts create mode 100644 packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts diff --git a/packages/middleware-flexible-checksums/package.json b/packages/middleware-flexible-checksums/package.json index 6f26116dd794..0ad4b1d8348d 100644 --- a/packages/middleware-flexible-checksums/package.json +++ b/packages/middleware-flexible-checksums/package.json @@ -35,6 +35,7 @@ "@smithy/node-config-provider": "^3.1.5", "@smithy/protocol-http": "^4.1.1", "@smithy/types": "^3.4.0", + "@smithy/util-middleware": "^3.0.4", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts b/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts index ac105c94d97a..cf21cfcc5a86 100644 --- a/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts +++ b/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts @@ -1,11 +1,10 @@ import { LoadedConfigSelectors } from "@smithy/node-config-provider"; -import { RequestChecksumCalculation } from "./constants"; +import { DEFAULT_REQUEST_CHECKSUM_CALCULATION, RequestChecksumCalculation } from "./constants"; import { SelectorType, stringUnionSelector } from "./stringUnionSelector"; export const ENV_REQUEST_CHECKSUM_CALCULATION = "AWS_REQUEST_CHECKSUM_CALCULATION"; export const CONFIG_REQUEST_CHECKSUM_CALCULATION = "request_checksum_calculation"; -export const DEFAULT_REQUEST_CHECKSUM_CALCULATION = RequestChecksumCalculation.WHEN_SUPPORTED; export const NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS: LoadedConfigSelectors = { environmentVariableSelector: (env) => diff --git a/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts b/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts index 197b4ea6d052..fcf839559c10 100644 --- a/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts +++ b/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts @@ -1,11 +1,10 @@ import { LoadedConfigSelectors } from "@smithy/node-config-provider"; -import { RequestChecksumCalculation } from "./constants"; +import { DEFAULT_RESPONSE_CHECKSUM_VALIDATION, RequestChecksumCalculation } from "./constants"; import { SelectorType, stringUnionSelector } from "./stringUnionSelector"; export const ENV_RESPONSE_CHECKSUM_VALIDATION = "AWS_RESPONSE_CHECKSUM_VALIDATION"; export const CONFIG_RESPONSE_CHECKSUM_VALIDATION = "response_checksum_validation"; -export const DEFAULT_RESPONSE_CHECKSUM_VALIDATION = RequestChecksumCalculation.WHEN_SUPPORTED; export const NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS: LoadedConfigSelectors = { environmentVariableSelector: (env) => diff --git a/packages/middleware-flexible-checksums/src/constants.ts b/packages/middleware-flexible-checksums/src/constants.ts index ac944f5fe23f..1a1d13a2efa7 100644 --- a/packages/middleware-flexible-checksums/src/constants.ts +++ b/packages/middleware-flexible-checksums/src/constants.ts @@ -21,6 +21,8 @@ export const RequestChecksumCalculation = { export type RequestChecksumCalculation = (typeof RequestChecksumCalculation)[keyof typeof RequestChecksumCalculation]; +export const DEFAULT_REQUEST_CHECKSUM_CALCULATION = RequestChecksumCalculation.WHEN_SUPPORTED; + /** * Determines when checksum validation will be performed on response payloads. */ @@ -44,6 +46,8 @@ export const ResponseChecksumValidation = { export type ResponseChecksumValidation = (typeof ResponseChecksumValidation)[keyof typeof ResponseChecksumValidation]; +export const DEFAULT_RESPONSE_CHECKSUM_VALIDATION = RequestChecksumCalculation.WHEN_SUPPORTED; + /** * Checksum Algorithms supported by the SDK. */ diff --git a/packages/middleware-flexible-checksums/src/index.ts b/packages/middleware-flexible-checksums/src/index.ts index 8ff2b77d48e1..c014f44cf2a2 100644 --- a/packages/middleware-flexible-checksums/src/index.ts +++ b/packages/middleware-flexible-checksums/src/index.ts @@ -3,3 +3,4 @@ export * from "./NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS"; export * from "./constants"; export * from "./flexibleChecksumsMiddleware"; export * from "./getFlexibleChecksumsPlugin"; +export * from "./resolveFlexibleChecksumsConfig"; diff --git a/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts new file mode 100644 index 000000000000..7bb1cd64f0d6 --- /dev/null +++ b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts @@ -0,0 +1,35 @@ +import { normalizeProvider } from "@smithy/util-middleware"; + +import { DEFAULT_REQUEST_CHECKSUM_CALCULATION, DEFAULT_RESPONSE_CHECKSUM_VALIDATION } from "./constants"; +import { resolveFlexibleChecksumsConfig } from "./resolveFlexibleChecksumsConfig"; + +jest.mock("@smithy/util-middleware"); + +describe(resolveFlexibleChecksumsConfig.name, () => { + beforeEach(() => { + (normalizeProvider as jest.Mock).mockImplementation((input) => input); + }); + + afterEach(() => { + jest.clearAllMocks(); + }); + + it("returns default client checksums configuration, if not provided", () => { + const resolvedConfig = resolveFlexibleChecksumsConfig({}); + expect(resolvedConfig).toEqual({ + requestChecksumCalculation: DEFAULT_REQUEST_CHECKSUM_CALCULATION, + responseChecksumValidation: DEFAULT_RESPONSE_CHECKSUM_VALIDATION, + }); + expect(normalizeProvider).toHaveBeenCalledTimes(2); + }); + + it("normalizes client checksums configuration", () => { + const mockInput = { + requestChecksumCalculation: "WHEN_REQUIRED", + responseChecksumValidation: "WHEN_REQUIRED", + }; + const resolvedConfig = resolveFlexibleChecksumsConfig(mockInput); + expect(resolvedConfig).toEqual(mockInput); + expect(normalizeProvider).toHaveBeenCalledTimes(2); + }); +}); diff --git a/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts new file mode 100644 index 000000000000..b57f894b23fb --- /dev/null +++ b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts @@ -0,0 +1,33 @@ +import { Provider } from "@smithy/types"; +import { normalizeProvider } from "@smithy/util-middleware"; + +import { DEFAULT_REQUEST_CHECKSUM_CALCULATION, DEFAULT_RESPONSE_CHECKSUM_VALIDATION } from "./constants"; + +export interface FlexibleChecksumsInputConfig { + /** + * Determines when a checksum will be calculated for request payloads. + */ + requestChecksumCalculation?: string | Provider; + + /** + * Determines when checksum validation will be performed on response payloads. + */ + responseChecksumValidation?: string | Provider; +} + +export interface FlexibleChecksumsResolvedConfig { + requestChecksumCalculation: Provider; + responseChecksumValidation: Provider; +} + +export const resolveFlexibleChecksumsConfig = ( + input: T & FlexibleChecksumsInputConfig +): T & FlexibleChecksumsResolvedConfig => ({ + ...input, + requestChecksumCalculation: normalizeProvider( + input.requestChecksumCalculation ?? DEFAULT_REQUEST_CHECKSUM_CALCULATION + ), + responseChecksumValidation: normalizeProvider( + input.responseChecksumValidation ?? DEFAULT_RESPONSE_CHECKSUM_VALIDATION + ), +}); From 92e34ccce6bbb477678c59b48bca7e32622f588e Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Fri, 13 Sep 2024 09:56:05 -0700 Subject: [PATCH 04/53] chore(clients): populate and resolve flexible checksums client config (#6471) --- clients/client-s3/src/S3Client.ts | 28 ++++++++++++------- clients/client-s3/src/runtimeConfig.ts | 8 ++++++ .../codegen/AddHttpChecksumDependency.java | 22 +++++++++++++++ private/aws-client-api-test/package.json | 1 + .../initializeWithMaximalConfiguration.ts | 6 ++++ 5 files changed, 55 insertions(+), 10 deletions(-) diff --git a/clients/client-s3/src/S3Client.ts b/clients/client-s3/src/S3Client.ts index 40cfea69a470..f3283b5a3217 100644 --- a/clients/client-s3/src/S3Client.ts +++ b/clients/client-s3/src/S3Client.ts @@ -1,5 +1,10 @@ // smithy-typescript generated code import { getAddExpectContinuePlugin } from "@aws-sdk/middleware-expect-continue"; +import { + FlexibleChecksumsInputConfig, + FlexibleChecksumsResolvedConfig, + resolveFlexibleChecksumsConfig, +} from "@aws-sdk/middleware-flexible-checksums"; import { getHostHeaderPlugin, HostHeaderInputConfig, @@ -729,6 +734,7 @@ export interface ClientDefaults extends Partial<__SmithyConfiguration<__HttpHand export type S3ClientConfigType = Partial<__SmithyConfiguration<__HttpHandlerOptions>> & ClientDefaults & UserAgentInputConfig & + FlexibleChecksumsInputConfig & RetryInputConfig & RegionInputConfig & HostHeaderInputConfig & @@ -751,6 +757,7 @@ export type S3ClientResolvedConfigType = __SmithyResolvedConfiguration<__HttpHan Required & RuntimeExtensionsConfig & UserAgentResolvedConfig & + FlexibleChecksumsResolvedConfig & RetryResolvedConfig & RegionResolvedConfig & HostHeaderResolvedConfig & @@ -785,16 +792,17 @@ export class S3Client extends __Client< const _config_0 = __getRuntimeConfig(configuration || {}); const _config_1 = resolveClientEndpointParameters(_config_0); const _config_2 = resolveUserAgentConfig(_config_1); - const _config_3 = resolveRetryConfig(_config_2); - const _config_4 = resolveRegionConfig(_config_3); - const _config_5 = resolveHostHeaderConfig(_config_4); - const _config_6 = resolveEndpointConfig(_config_5); - const _config_7 = resolveEventStreamSerdeConfig(_config_6); - const _config_8 = resolveHttpAuthSchemeConfig(_config_7); - const _config_9 = resolveS3Config(_config_8, { session: [() => this, CreateSessionCommand] }); - const _config_10 = resolveRuntimeExtensions(_config_9, configuration?.extensions || []); - super(_config_10); - this.config = _config_10; + const _config_3 = resolveFlexibleChecksumsConfig(_config_2); + const _config_4 = resolveRetryConfig(_config_3); + const _config_5 = resolveRegionConfig(_config_4); + const _config_6 = resolveHostHeaderConfig(_config_5); + const _config_7 = resolveEndpointConfig(_config_6); + const _config_8 = resolveEventStreamSerdeConfig(_config_7); + const _config_9 = resolveHttpAuthSchemeConfig(_config_8); + const _config_10 = resolveS3Config(_config_9, { session: [() => this, CreateSessionCommand] }); + const _config_11 = resolveRuntimeExtensions(_config_10, configuration?.extensions || []); + super(_config_11); + this.config = _config_11; this.middlewareStack.use(getUserAgentPlugin(this.config)); this.middlewareStack.use(getRetryPlugin(this.config)); this.middlewareStack.use(getContentLengthPlugin(this.config)); diff --git a/clients/client-s3/src/runtimeConfig.ts b/clients/client-s3/src/runtimeConfig.ts index 89e08626ab8f..a57fdb6773e0 100644 --- a/clients/client-s3/src/runtimeConfig.ts +++ b/clients/client-s3/src/runtimeConfig.ts @@ -5,6 +5,10 @@ import packageInfo from "../package.json"; // eslint-disable-line import { NODE_SIGV4A_CONFIG_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_USE_ARN_REGION_CONFIG_OPTIONS } from "@aws-sdk/middleware-bucket-endpoint"; +import { + NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS, + NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS, +} from "@aws-sdk/middleware-flexible-checksums"; import { NODE_DISABLE_S3_EXPRESS_SESSION_AUTH_OPTIONS } from "@aws-sdk/middleware-sdk-s3"; import { ChecksumConstructor as __ChecksumConstructor, HashConstructor as __HashConstructor } from "@aws-sdk/types"; import { defaultUserAgent } from "@aws-sdk/util-user-agent-node"; @@ -53,7 +57,11 @@ export const getRuntimeConfig = (config: S3ClientConfig) => { maxAttempts: config?.maxAttempts ?? loadNodeConfig(NODE_MAX_ATTEMPT_CONFIG_OPTIONS), md5: config?.md5 ?? Hash.bind(null, "md5"), region: config?.region ?? loadNodeConfig(NODE_REGION_CONFIG_OPTIONS, NODE_REGION_CONFIG_FILE_OPTIONS), + requestChecksumCalculation: + config?.requestChecksumCalculation ?? loadNodeConfig(NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS), requestHandler: RequestHandler.create(config?.requestHandler ?? defaultConfigProvider), + responseChecksumValidation: + config?.responseChecksumValidation ?? loadNodeConfig(NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS), retryMode: config?.retryMode ?? loadNodeConfig({ diff --git a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddHttpChecksumDependency.java b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddHttpChecksumDependency.java index 469be6ec60d3..94eed9a133b2 100644 --- a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddHttpChecksumDependency.java +++ b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddHttpChecksumDependency.java @@ -15,6 +15,7 @@ package software.amazon.smithy.aws.typescript.codegen; +import static software.amazon.smithy.typescript.codegen.integration.RuntimeClientPlugin.Convention.HAS_CONFIG; import static software.amazon.smithy.typescript.codegen.integration.RuntimeClientPlugin.Convention.HAS_MIDDLEWARE; import java.util.Collections; @@ -131,6 +132,22 @@ public Map> getRuntimeConfigWriters( writer.addImport("ChecksumConstructor", "__ChecksumConstructor", TypeScriptDependency.AWS_SDK_TYPES); writer.write("Hash.bind(null, \"sha1\")"); + }, + "requestChecksumCalculation", writer -> { + writer.addDependency(TypeScriptDependency.NODE_CONFIG_PROVIDER); + writer.addImport("loadConfig", "loadNodeConfig", + TypeScriptDependency.NODE_CONFIG_PROVIDER); + writer.addImport("NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS", null, + AwsDependency.FLEXIBLE_CHECKSUMS_MIDDLEWARE); + writer.write("loadNodeConfig(NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS)"); + }, + "responseChecksumValidation", writer -> { + writer.addDependency(TypeScriptDependency.NODE_CONFIG_PROVIDER); + writer.addImport("loadConfig", "loadNodeConfig", + TypeScriptDependency.NODE_CONFIG_PROVIDER); + writer.addImport("NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS", null, + AwsDependency.FLEXIBLE_CHECKSUMS_MIDDLEWARE); + writer.write("loadNodeConfig(NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS)"); } ); case BROWSER: @@ -160,6 +177,11 @@ public Map> getRuntimeConfigWriters( @Override public List getClientPlugins() { return ListUtils.of( + RuntimeClientPlugin.builder() + .withConventions(AwsDependency.FLEXIBLE_CHECKSUMS_MIDDLEWARE.dependency, "FlexibleChecksums", + HAS_CONFIG) + .servicePredicate((m, s) -> hasHttpChecksumTrait(m, s)) + .build(), RuntimeClientPlugin.builder() .withConventions(AwsDependency.FLEXIBLE_CHECKSUMS_MIDDLEWARE.dependency, "FlexibleChecksums", HAS_MIDDLEWARE) diff --git a/private/aws-client-api-test/package.json b/private/aws-client-api-test/package.json index 1faedce8d36e..baeabcd7f56b 100644 --- a/private/aws-client-api-test/package.json +++ b/private/aws-client-api-test/package.json @@ -20,6 +20,7 @@ "@aws-sdk/client-s3": "*", "@aws-sdk/credential-provider-node": "*", "@aws-sdk/middleware-bucket-endpoint": "*", + "@aws-sdk/middleware-flexible-checksums": "*", "@aws-sdk/middleware-sdk-s3": "*", "@aws-sdk/signature-v4-multi-region": "*", "@aws-sdk/util-user-agent-node": "*", diff --git a/private/aws-client-api-test/src/client-interface-tests/client-s3/impl/initializeWithMaximalConfiguration.ts b/private/aws-client-api-test/src/client-interface-tests/client-s3/impl/initializeWithMaximalConfiguration.ts index 628b96366aea..e9e2f205ad63 100644 --- a/private/aws-client-api-test/src/client-interface-tests/client-s3/impl/initializeWithMaximalConfiguration.ts +++ b/private/aws-client-api-test/src/client-interface-tests/client-s3/impl/initializeWithMaximalConfiguration.ts @@ -1,6 +1,10 @@ import { S3Client, S3ClientConfigType } from "@aws-sdk/client-s3"; import { defaultProvider as credentialDefaultProvider, defaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_USE_ARN_REGION_CONFIG_OPTIONS } from "@aws-sdk/middleware-bucket-endpoint"; +import { + DEFAULT_REQUEST_CHECKSUM_CALCULATION, + DEFAULT_RESPONSE_CHECKSUM_VALIDATION, +} from "@aws-sdk/middleware-flexible-checksums"; import { S3ExpressIdentityProviderImpl } from "@aws-sdk/middleware-sdk-s3"; import { SignatureV4MultiRegion } from "@aws-sdk/signature-v4-multi-region"; import { defaultUserAgent } from "@aws-sdk/util-user-agent-node"; @@ -122,6 +126,8 @@ export const initializeWithMaximalConfiguration = () => { signingEscapePath: false, bucketEndpoint: false, sigv4aSigningRegionSet: [], + requestChecksumCalculation: DEFAULT_REQUEST_CHECKSUM_CALCULATION, + responseChecksumValidation: DEFAULT_RESPONSE_CHECKSUM_VALIDATION, }; const s3 = new S3Client(config); From 82f429da9a1629e3d1ee73b160bbbb4ebcf23fa5 Mon Sep 17 00:00:00 2001 From: George Fu Date: Fri, 13 Sep 2024 13:06:42 -0400 Subject: [PATCH 05/53] fix(credential-provider-ini): fix recursive assume role and optional role_arn in credential_source (#6472) * fix(credential-provider-ini): fix recursive assume role and optional role_arn in credential_source * test(credential-provider-ini): fix mock call verification * test(credential-provider-node): add test case with chained web id token file --- .../src/resolveAssumeRoleCredentials.spec.ts | 12 +- .../src/resolveAssumeRoleCredentials.ts | 79 +++++---- .../src/resolveProfileData.ts | 12 +- .../credential-provider-node.integ.spec.ts | 156 +++++++++++++++++- 4 files changed, 223 insertions(+), 36 deletions(-) diff --git a/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.spec.ts b/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.spec.ts index 52adc6ebb908..a0e8c8ac0222 100644 --- a/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.spec.ts +++ b/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.spec.ts @@ -169,9 +169,15 @@ describe(resolveAssumeRoleCredentials.name, () => { const receivedCreds = await resolveAssumeRoleCredentials(mockProfileCurrent, mockProfilesWithSource, mockOptions); expect(receivedCreds).toStrictEqual(mockCreds); - expect(resolveProfileData).toHaveBeenCalledWith(mockProfileName, mockProfilesWithSource, mockOptions, { - mockProfileName: true, - }); + expect(resolveProfileData).toHaveBeenCalledWith( + mockProfileName, + mockProfilesWithSource, + mockOptions, + { + mockProfileName: true, + }, + false + ); expect(resolveCredentialSource).not.toHaveBeenCalled(); expect(mockOptions.roleAssumer).toHaveBeenCalledWith(mockSourceCredsFromProfile, { RoleArn: mockRoleAssumeParams.role_arn, diff --git a/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.ts b/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.ts index 0357c9564d8a..8cf9ac29c5ae 100644 --- a/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.ts +++ b/packages/credential-provider-ini/src/resolveAssumeRoleCredentials.ts @@ -1,6 +1,6 @@ import { CredentialsProviderError } from "@smithy/property-provider"; import { getProfileName } from "@smithy/shared-ini-file-loader"; -import { AwsCredentialIdentity, Logger, ParsedIniData, Profile } from "@smithy/types"; +import { AwsCredentialIdentity, IniSection, Logger, ParsedIniData, Profile } from "@smithy/types"; import { FromIniInit } from "./fromIni"; import { resolveCredentialSource } from "./resolveCredentialSource"; @@ -140,43 +140,62 @@ export const resolveAssumeRoleCredentials = async ( const sourceCredsProvider: Promise = source_profile ? resolveProfileData( source_profile, - { - ...profiles, - [source_profile]: { - ...profiles[source_profile], - // This assigns the role_arn of the "root" profile - // to the credential_source profile so this recursive call knows - // what role to assume. - role_arn: data.role_arn ?? profiles[source_profile].role_arn, - }, - }, + profiles, options, { ...visitedProfiles, [source_profile]: true, - } + }, + isCredentialSourceWithoutRoleArn(profiles[source_profile!] ?? {}) ) : (await resolveCredentialSource(data.credential_source!, profileName, options.logger)(options))(); - const params: AssumeRoleParams = { - RoleArn: data.role_arn!, - RoleSessionName: data.role_session_name || `aws-sdk-js-${Date.now()}`, - ExternalId: data.external_id, - DurationSeconds: parseInt(data.duration_seconds || "3600", 10), - }; - - const { mfa_serial } = data; - if (mfa_serial) { - if (!options.mfaCodeProvider) { - throw new CredentialsProviderError( - `Profile ${profileName} requires multi-factor authentication, but no MFA code callback was provided.`, - { logger: options.logger, tryNextLink: false } - ); + if (isCredentialSourceWithoutRoleArn(data)) { + /** + * This control-flow branch is accessed when in a chained source_profile + * scenario, and the last step of the chain is a credential_source + * without its own role_arn. In this case, we return the credentials + * of the credential_source so that the previous recursive layer + * can use its role_arn instead of redundantly needing another role_arn at + * this final layer. + */ + return sourceCredsProvider; + } else { + const params: AssumeRoleParams = { + RoleArn: data.role_arn!, + RoleSessionName: data.role_session_name || `aws-sdk-js-${Date.now()}`, + ExternalId: data.external_id, + DurationSeconds: parseInt(data.duration_seconds || "3600", 10), + }; + + const { mfa_serial } = data; + if (mfa_serial) { + if (!options.mfaCodeProvider) { + throw new CredentialsProviderError( + `Profile ${profileName} requires multi-factor authentication, but no MFA code callback was provided.`, + { logger: options.logger, tryNextLink: false } + ); + } + params.SerialNumber = mfa_serial; + params.TokenCode = await options.mfaCodeProvider(mfa_serial); } - params.SerialNumber = mfa_serial; - params.TokenCode = await options.mfaCodeProvider(mfa_serial); + + const sourceCreds = await sourceCredsProvider; + return options.roleAssumer!(sourceCreds, params); } +}; - const sourceCreds = await sourceCredsProvider; - return options.roleAssumer!(sourceCreds, params); +/** + * @internal + * + * Returns true when the ini section in question, typically a profile, + * has a credential_source but not a role_arn. + * + * Previously, a role_arn was a required sibling element to credential_source. + * However, this would require a role_arn+source_profile pointed to a + * credential_source to have a second role_arn, resulting in at least two + * calls to assume-role. + */ +const isCredentialSourceWithoutRoleArn = (section: IniSection): boolean => { + return !section.role_arn && !!section.credential_source; }; diff --git a/packages/credential-provider-ini/src/resolveProfileData.ts b/packages/credential-provider-ini/src/resolveProfileData.ts index ea35a74ffe2f..42a4b30115dc 100644 --- a/packages/credential-provider-ini/src/resolveProfileData.ts +++ b/packages/credential-provider-ini/src/resolveProfileData.ts @@ -15,7 +15,15 @@ export const resolveProfileData = async ( profileName: string, profiles: ParsedIniData, options: FromIniInit, - visitedProfiles: Record = {} + visitedProfiles: Record = {}, + /** + * This override comes from recursive calls only. + * It is used to flag a recursive profile section + * that does not have a role_arn, e.g. a credential_source + * with no role_arn, as part of a larger recursive assume-role + * call stack, and to re-enter the assume-role resolver function. + */ + isAssumeRoleRecursiveCall = false ): Promise => { const data = profiles[profileName]; @@ -28,7 +36,7 @@ export const resolveProfileData = async ( // If this is the first profile visited, role assumption keys should be // given precedence over static credentials. - if (isAssumeRoleProfile(data, { profile: profileName, logger: options.logger })) { + if (isAssumeRoleRecursiveCall || isAssumeRoleProfile(data, { profile: profileName, logger: options.logger })) { return resolveAssumeRoleCredentials(profileName, profiles, options, visitedProfiles); } diff --git a/packages/credential-provider-node/src/credential-provider-node.integ.spec.ts b/packages/credential-provider-node/src/credential-provider-node.integ.spec.ts index ac6485335e59..12d9e1986701 100644 --- a/packages/credential-provider-node/src/credential-provider-node.integ.spec.ts +++ b/packages/credential-provider-node/src/credential-provider-node.integ.spec.ts @@ -72,6 +72,7 @@ jest.mock("@aws-sdk/client-sso", () => { // This var must be hoisted. // eslint-disable-next-line no-var var stsSpy: jest.Spied | any | undefined = undefined; +const assumeRoleArns: string[] = []; jest.mock("@aws-sdk/client-sts", () => { const actual = jest.requireActual("@aws-sdk/client-sts"); @@ -80,6 +81,7 @@ jest.mock("@aws-sdk/client-sts", () => { stsSpy = jest.spyOn(actual.STSClient.prototype, "send").mockImplementation(async function (this: any, command: any) { if (command.constructor.name === "AssumeRoleCommand") { + assumeRoleArns.push(command.input.RoleArn); return { Credentials: { AccessKeyId: "STS_AR_ACCESS_KEY_ID", @@ -91,6 +93,7 @@ jest.mock("@aws-sdk/client-sts", () => { }; } if (command.constructor.name === "AssumeRoleWithWebIdentityCommand") { + assumeRoleArns.push(command.input.RoleArn); return { Credentials: { AccessKeyId: "STS_ARWI_ACCESS_KEY_ID", @@ -177,6 +180,22 @@ describe("credential-provider-node integration test", () => { let sts: STS = null as any; let processSnapshot: typeof process.env = null as any; + const sink = { + data: [] as string[], + debug(log: string) { + this.data.push(log); + }, + info(log: string) { + this.data.push(log); + }, + warn(log: string) { + this.data.push(log); + }, + error(log: string) { + this.data.push(log); + }, + }; + const RESERVED_ENVIRONMENT_VARIABLES = { AWS_DEFAULT_REGION: 1, AWS_REGION: 1, @@ -257,6 +276,8 @@ describe("credential-provider-node integration test", () => { output: "json", }, }; + assumeRoleArns.length = 0; + sink.data.length = 0; }); afterAll(async () => { @@ -511,7 +532,7 @@ describe("credential-provider-node integration test", () => { }); }); - it("should be able to combine a source_profile having credential_source with an origin profile having role_arn and source_profile", async () => { + it("should be able to combine a source_profile having only credential_source with an origin profile having role_arn and source_profile", async () => { process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI = "http://169.254.170.23"; process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN = "container-authorization"; iniProfileData.default.source_profile = "credential_source_profile"; @@ -529,6 +550,138 @@ describe("credential-provider-node integration test", () => { clientConfig: { region: "us-west-2", }, + logger: sink, + }), + }); + await sts.getCallerIdentity({}); + const credentials = await sts.config.credentials(); + expect(credentials).toEqual({ + accessKeyId: "STS_AR_ACCESS_KEY_ID", + secretAccessKey: "STS_AR_SECRET_ACCESS_KEY", + sessionToken: "STS_AR_SESSION_TOKEN", + expiration: new Date("3000-01-01T00:00:00.000Z"), + credentialScope: "us-stsar-1__us-west-2", + }); + expect(spy).toHaveBeenCalledWith( + expect.objectContaining({ + awsContainerCredentialsFullUri: process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI, + awsContainerAuthorizationToken: process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN, + }) + ); + expect(assumeRoleArns).toEqual(["ROLE_ARN"]); + spy.mockClear(); + }); + + it("should be able to combine a source_profile having web_identity_token_file and role_arn with an origin profile having role_arn and source_profile", async () => { + iniProfileData.default.source_profile = "credential_source_profile"; + iniProfileData.default.role_arn = "ROLE_ARN_2"; + + iniProfileData.credential_source_profile = { + web_identity_token_file: "token-filepath", + role_arn: "ROLE_ARN_1", + }; + + sts = new STS({ + region: "us-west-2", + requestHandler: mockRequestHandler, + credentials: defaultProvider({ + awsContainerCredentialsFullUri: process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI, + awsContainerAuthorizationToken: process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN, + clientConfig: { + region: "us-west-2", + }, + logger: sink, + }), + }); + await sts.getCallerIdentity({}); + const credentials = await sts.config.credentials(); + expect(credentials).toEqual({ + accessKeyId: "STS_AR_ACCESS_KEY_ID", + secretAccessKey: "STS_AR_SECRET_ACCESS_KEY", + sessionToken: "STS_AR_SESSION_TOKEN", + expiration: new Date("3000-01-01T00:00:00.000Z"), + credentialScope: "us-stsar-1__us-west-2", + }); + expect(assumeRoleArns).toEqual(["ROLE_ARN_1", "ROLE_ARN_2"]); + }); + + it("should complete chained role_arn credentials", async () => { + process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI = "http://169.254.170.23"; + process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN = "container-authorization"; + + iniProfileData.default.source_profile = "credential_source_profile_1"; + iniProfileData.default.role_arn = "ROLE_ARN_3"; + + iniProfileData.credential_source_profile_1 = { + source_profile: "credential_source_profile_2", + role_arn: "ROLE_ARN_2", + }; + + iniProfileData.credential_source_profile_2 = { + credential_source: "EcsContainer", + role_arn: "ROLE_ARN_1", + }; + + const spy = jest.spyOn(credentialProviderHttp, "fromHttp"); + sts = new STS({ + region: "us-west-2", + requestHandler: mockRequestHandler, + credentials: defaultProvider({ + awsContainerCredentialsFullUri: process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI, + awsContainerAuthorizationToken: process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN, + clientConfig: { + region: "us-west-2", + }, + logger: sink, + }), + }); + await sts.getCallerIdentity({}); + const credentials = await sts.config.credentials(); + expect(credentials).toEqual({ + accessKeyId: "STS_AR_ACCESS_KEY_ID", + secretAccessKey: "STS_AR_SECRET_ACCESS_KEY", + sessionToken: "STS_AR_SESSION_TOKEN", + expiration: new Date("3000-01-01T00:00:00.000Z"), + credentialScope: "us-stsar-1__us-west-2", + }); + expect(spy).toHaveBeenCalledWith( + expect.objectContaining({ + awsContainerCredentialsFullUri: process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI, + awsContainerAuthorizationToken: process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN, + }) + ); + expect(assumeRoleArns).toEqual(["ROLE_ARN_1", "ROLE_ARN_2", "ROLE_ARN_3"]); + spy.mockClear(); + }); + + it("should complete chained role_arn credentials with optional role_arn in credential_source step", async () => { + process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI = "http://169.254.170.23"; + process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN = "container-authorization"; + + iniProfileData.default.source_profile = "credential_source_profile_1"; + iniProfileData.default.role_arn = "ROLE_ARN_3"; + + iniProfileData.credential_source_profile_1 = { + source_profile: "credential_source_profile_2", + role_arn: "ROLE_ARN_2", + }; + + iniProfileData.credential_source_profile_2 = { + credential_source: "EcsContainer", + // This scenario tests the option of having no role_arn in this step of the chain. + }; + + const spy = jest.spyOn(credentialProviderHttp, "fromHttp"); + sts = new STS({ + region: "us-west-2", + requestHandler: mockRequestHandler, + credentials: defaultProvider({ + awsContainerCredentialsFullUri: process.env.AWS_CONTAINER_CREDENTIALS_FULL_URI, + awsContainerAuthorizationToken: process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN, + clientConfig: { + region: "us-west-2", + }, + logger: sink, }), }); await sts.getCallerIdentity({}); @@ -546,6 +699,7 @@ describe("credential-provider-node integration test", () => { awsContainerAuthorizationToken: process.env.AWS_CONTAINER_AUTHORIZATION_TOKEN, }) ); + expect(assumeRoleArns).toEqual(["ROLE_ARN_2", "ROLE_ARN_3"]); spy.mockClear(); }); }); From d5f220c19377aa644361af4df0386947cf2e0b2f Mon Sep 17 00:00:00 2001 From: Mark Dodwell <4312+mkdynamic@users.noreply.github.com> Date: Fri, 13 Sep 2024 10:21:32 -0700 Subject: [PATCH 06/53] chore(cloudfront-signer): add support for WebSockets (#5827) --- packages/cloudfront-signer/src/sign.ts | 2 ++ 1 file changed, 2 insertions(+) diff --git a/packages/cloudfront-signer/src/sign.ts b/packages/cloudfront-signer/src/sign.ts index 016c61c43165..66ad12a5f8d8 100644 --- a/packages/cloudfront-signer/src/sign.ts +++ b/packages/cloudfront-signer/src/sign.ts @@ -240,6 +240,8 @@ function getResource(url: URL): string { switch (url.protocol) { case "http:": case "https:": + case "ws:": + case "wss:": return url.toString(); case "rtmp:": return url.pathname.replace(/^\//, "") + url.search + url.hash; From 0eb8efe28b8f264bf2314b976f8f61f7e5fd6931 Mon Sep 17 00:00:00 2001 From: awstools Date: Fri, 13 Sep 2024 18:12:06 +0000 Subject: [PATCH 07/53] docs(client-amplify): Doc only update to Amplify to explain platform setting for Next.js 14 SSG only applications --- clients/client-amplify/src/models/models_0.ts | 9 +++++++++ codegen/sdk-codegen/aws-models/amplify.json | 6 +++--- 2 files changed, 12 insertions(+), 3 deletions(-) diff --git a/clients/client-amplify/src/models/models_0.ts b/clients/client-amplify/src/models/models_0.ts index da7ac1995253..31e733166019 100644 --- a/clients/client-amplify/src/models/models_0.ts +++ b/clients/client-amplify/src/models/models_0.ts @@ -241,6 +241,11 @@ export interface CreateAppRequest { * WEB. For a dynamic server-side rendered (SSR) app, set the platform * type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR * support only, set the platform type to WEB_DYNAMIC.

+ *

If you are deploying an SSG only app with Next.js version 14 or later, you must set + * the platform type to WEB_COMPUTE and set the artifacts + * baseDirectory to .next in the application's build + * settings. For an example of the build specification settings, see Amplify build + * settings for a Next.js 14 SSG application in the Amplify Hosting User Guide.

* @public */ platform?: Platform; @@ -463,6 +468,8 @@ export interface App { * WEB. For a dynamic server-side rendered (SSR) app, set the platform * type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR * support only, set the platform type to WEB_DYNAMIC.

+ *

If you are deploying an SSG only app with Next.js 14 or later, you must use the + * platform type WEB_COMPUTE.

* @public */ platform: Platform | undefined; @@ -2867,6 +2874,8 @@ export interface UpdateAppRequest { * WEB. For a dynamic server-side rendered (SSR) app, set the platform * type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR * support only, set the platform type to WEB_DYNAMIC.

+ *

If you are deploying an SSG only app with Next.js version 14 or later, you must set + * the platform type to WEB_COMPUTE.

* @public */ platform?: Platform; diff --git a/codegen/sdk-codegen/aws-models/amplify.json b/codegen/sdk-codegen/aws-models/amplify.json index 34bab28a6eea..0a561cf8f4a4 100644 --- a/codegen/sdk-codegen/aws-models/amplify.json +++ b/codegen/sdk-codegen/aws-models/amplify.json @@ -1093,7 +1093,7 @@ "platform": { "target": "com.amazonaws.amplify#Platform", "traits": { - "smithy.api#documentation": "

The platform for the Amplify app. For a static app, set the platform type to\n WEB. For a dynamic server-side rendered (SSR) app, set the platform\n type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR\n support only, set the platform type to WEB_DYNAMIC.

", + "smithy.api#documentation": "

The platform for the Amplify app. For a static app, set the platform type to\n WEB. For a dynamic server-side rendered (SSR) app, set the platform\n type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR\n support only, set the platform type to WEB_DYNAMIC.

\n

If you are deploying an SSG only app with Next.js 14 or later, you must use the\n platform type WEB_COMPUTE.

", "smithy.api#required": {} } }, @@ -1981,7 +1981,7 @@ "platform": { "target": "com.amazonaws.amplify#Platform", "traits": { - "smithy.api#documentation": "

The platform for the Amplify app. For a static app, set the platform type to\n WEB. For a dynamic server-side rendered (SSR) app, set the platform\n type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR\n support only, set the platform type to WEB_DYNAMIC.

" + "smithy.api#documentation": "

The platform for the Amplify app. For a static app, set the platform type to\n WEB. For a dynamic server-side rendered (SSR) app, set the platform\n type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR\n support only, set the platform type to WEB_DYNAMIC.

\n

If you are deploying an SSG only app with Next.js version 14 or later, you must set\n the platform type to WEB_COMPUTE and set the artifacts\n baseDirectory to .next in the application's build\n settings. For an example of the build specification settings, see Amplify build\n settings for a Next.js 14 SSG application in the Amplify Hosting User Guide.

" } }, "iamServiceRoleArn": { @@ -6113,7 +6113,7 @@ "platform": { "target": "com.amazonaws.amplify#Platform", "traits": { - "smithy.api#documentation": "

The platform for the Amplify app. For a static app, set the platform type to\n WEB. For a dynamic server-side rendered (SSR) app, set the platform\n type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR\n support only, set the platform type to WEB_DYNAMIC.

" + "smithy.api#documentation": "

The platform for the Amplify app. For a static app, set the platform type to\n WEB. For a dynamic server-side rendered (SSR) app, set the platform\n type to WEB_COMPUTE. For an app requiring Amplify Hosting's original SSR\n support only, set the platform type to WEB_DYNAMIC.

\n

If you are deploying an SSG only app with Next.js version 14 or later, you must set\n the platform type to WEB_COMPUTE.

" } }, "iamServiceRoleArn": { From 0570d5667c83afdb37a78c20f98b16a4315533a7 Mon Sep 17 00:00:00 2001 From: awstools Date: Fri, 13 Sep 2024 18:12:06 +0000 Subject: [PATCH 08/53] docs(client-ivs): Updates to all tags descriptions. --- clients/client-ivs/README.md | 6 +-- clients/client-ivs/src/Ivs.ts | 6 +-- clients/client-ivs/src/IvsClient.ts | 6 +-- clients/client-ivs/src/index.ts | 6 +-- clients/client-ivs/src/models/models_0.ts | 56 +++++++---------------- codegen/sdk-codegen/aws-models/ivs.json | 36 +++++++-------- 6 files changed, 43 insertions(+), 73 deletions(-) diff --git a/clients/client-ivs/README.md b/clients/client-ivs/README.md index f3550d893da4..e995349b101f 100644 --- a/clients/client-ivs/README.md +++ b/clients/client-ivs/README.md @@ -81,14 +81,12 @@ History.

A tag is a metadata label that you assign to an Amazon Web Services resource. A tag comprises a key and a value, both set by you. For example, you might set a tag as topic:nature to label a -particular video category. See Tagging Amazon Web Services Resources for -more information, including restrictions that apply to tags and "Tag naming limits and -requirements"; Amazon IVS has no service-specific constraints beyond what is documented +particular video category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is documented there.

Tags can help you identify and organize your Amazon Web Services resources. For example, you can use the same tag for different resources to indicate that they are related. You can also use tags to manage access (see Access Tags).

-

The Amazon IVS API has these tag-related endpoints: TagResource, UntagResource, and ListTagsForResource. The following +

The Amazon IVS API has these tag-related operations: TagResource, UntagResource, and ListTagsForResource. The following resources support tagging: Channels, Stream Keys, Playback Key Pairs, and Recording Configurations.

At most 50 tags can be applied to a resource.

diff --git a/clients/client-ivs/src/Ivs.ts b/clients/client-ivs/src/Ivs.ts index 9b03bd453973..6aba21bde410 100644 --- a/clients/client-ivs/src/Ivs.ts +++ b/clients/client-ivs/src/Ivs.ts @@ -789,14 +789,12 @@ export interface Ivs { *

A tag is a metadata label that you assign to an Amazon Web Services * resource. A tag comprises a key and a value, both * set by you. For example, you might set a tag as topic:nature to label a - * particular video category. See Tagging Amazon Web Services Resources for - * more information, including restrictions that apply to tags and "Tag naming limits and - * requirements"; Amazon IVS has no service-specific constraints beyond what is documented + * particular video category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is documented * there.

*

Tags can help you identify and organize your Amazon Web Services resources. For example, * you can use the same tag for different resources to indicate that they are related. You can * also use tags to manage access (see Access Tags).

- *

The Amazon IVS API has these tag-related endpoints: TagResource, UntagResource, and ListTagsForResource. The following + *

The Amazon IVS API has these tag-related operations: TagResource, UntagResource, and ListTagsForResource. The following * resources support tagging: Channels, Stream Keys, Playback Key Pairs, and Recording * Configurations.

*

At most 50 tags can be applied to a resource.

diff --git a/clients/client-ivs/src/IvsClient.ts b/clients/client-ivs/src/IvsClient.ts index bf6f4b667084..0303de5b8567 100644 --- a/clients/client-ivs/src/IvsClient.ts +++ b/clients/client-ivs/src/IvsClient.ts @@ -471,14 +471,12 @@ export interface IvsClientResolvedConfig extends IvsClientResolvedConfigType {} *

A tag is a metadata label that you assign to an Amazon Web Services * resource. A tag comprises a key and a value, both * set by you. For example, you might set a tag as topic:nature to label a - * particular video category. See Tagging Amazon Web Services Resources for - * more information, including restrictions that apply to tags and "Tag naming limits and - * requirements"; Amazon IVS has no service-specific constraints beyond what is documented + * particular video category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is documented * there.

*

Tags can help you identify and organize your Amazon Web Services resources. For example, * you can use the same tag for different resources to indicate that they are related. You can * also use tags to manage access (see Access Tags).

- *

The Amazon IVS API has these tag-related endpoints: TagResource, UntagResource, and ListTagsForResource. The following + *

The Amazon IVS API has these tag-related operations: TagResource, UntagResource, and ListTagsForResource. The following * resources support tagging: Channels, Stream Keys, Playback Key Pairs, and Recording * Configurations.

*

At most 50 tags can be applied to a resource.

diff --git a/clients/client-ivs/src/index.ts b/clients/client-ivs/src/index.ts index 1f84a3d2d832..44804d9c2808 100644 --- a/clients/client-ivs/src/index.ts +++ b/clients/client-ivs/src/index.ts @@ -76,14 +76,12 @@ *

A tag is a metadata label that you assign to an Amazon Web Services * resource. A tag comprises a key and a value, both * set by you. For example, you might set a tag as topic:nature to label a - * particular video category. See Tagging Amazon Web Services Resources for - * more information, including restrictions that apply to tags and "Tag naming limits and - * requirements"; Amazon IVS has no service-specific constraints beyond what is documented + * particular video category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is documented * there.

*

Tags can help you identify and organize your Amazon Web Services resources. For example, * you can use the same tag for different resources to indicate that they are related. You can * also use tags to manage access (see Access Tags).

- *

The Amazon IVS API has these tag-related endpoints: TagResource, UntagResource, and ListTagsForResource. The following + *

The Amazon IVS API has these tag-related operations: TagResource, UntagResource, and ListTagsForResource. The following * resources support tagging: Channels, Stream Keys, Playback Key Pairs, and Recording * Configurations.

*

At most 50 tags can be applied to a resource.

diff --git a/clients/client-ivs/src/models/models_0.ts b/clients/client-ivs/src/models/models_0.ts index c7d3b37ca225..e1a508505dfd 100644 --- a/clients/client-ivs/src/models/models_0.ts +++ b/clients/client-ivs/src/models/models_0.ts @@ -167,8 +167,7 @@ export interface Channel { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -282,8 +281,7 @@ export interface StreamKey { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -506,9 +504,7 @@ export interface CreateChannelRequest { recordingConfigurationArn?: string; /** - *

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services - * Resources for more information, including restrictions that apply to tags and "Tag - * naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is + *

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is * documented there.

* @public */ @@ -641,9 +637,7 @@ export interface CreatePlaybackRestrictionPolicyRequest { name?: string; /** - *

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services - * Resources for more information, including restrictions that apply to tags and "Tag - * naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is + *

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is * documented there.

* @public */ @@ -693,8 +687,7 @@ export interface PlaybackRestrictionPolicy { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -933,9 +926,7 @@ export interface CreateRecordingConfigurationRequest { destinationConfiguration: DestinationConfiguration | undefined; /** - *

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services - * Resources for more information, including restrictions that apply to tags and "Tag - * naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is + *

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is * documented there.

* @public */ @@ -1010,8 +1001,7 @@ export interface RecordingConfiguration { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -1086,9 +1076,7 @@ export interface CreateStreamKeyRequest { channelArn: string | undefined; /** - *

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services - * Resources for more information, including restrictions that apply to tags and "Tag - * naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is + *

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is * documented there.

* @public */ @@ -1224,8 +1212,7 @@ export interface PlaybackKeyPair { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -1676,9 +1663,7 @@ export interface ImportPlaybackKeyPairRequest { name?: string; /** - *

Any tags provided with the request are added to the playback key pair tags. See Tagging Amazon Web Services - * Resources for more information, including restrictions that apply to tags and "Tag - * naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is + *

Any tags provided with the request are added to the playback key pair tags. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no service-specific constraints beyond what is * documented there.

* @public */ @@ -1773,8 +1758,7 @@ export interface ChannelSummary { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -1870,8 +1854,7 @@ export interface PlaybackKeyPairSummary { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -1956,8 +1939,7 @@ export interface PlaybackRestrictionPolicySummary { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -2033,8 +2015,7 @@ export interface RecordingConfigurationSummary { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -2102,8 +2083,7 @@ export interface StreamKeySummary { /** *

Tags attached to the resource. Array of 1-50 maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -2430,8 +2410,7 @@ export interface TagResourceRequest { /** *

Array of tags to be added or updated. Array of maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ @@ -2455,8 +2434,7 @@ export interface UntagResourceRequest { /** *

Array of tags to be removed. Array of maps, each of the form string:string - * (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions - * that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS has no * service-specific constraints beyond what is documented there.

* @public */ diff --git a/codegen/sdk-codegen/aws-models/ivs.json b/codegen/sdk-codegen/aws-models/ivs.json index 9077ed7ae00e..e5accc266a05 100644 --- a/codegen/sdk-codegen/aws-models/ivs.json +++ b/codegen/sdk-codegen/aws-models/ivs.json @@ -157,7 +157,7 @@ "date" ] }, - "smithy.api#documentation": "

\n Introduction\n

\n

The Amazon Interactive Video Service (IVS) API is REST compatible, using a standard HTTP\n API and an Amazon Web Services EventBridge event stream for responses. JSON is used for both\n requests and responses, including errors.

\n

The API is an Amazon Web Services regional service. For a list of supported regions and\n Amazon IVS HTTPS service endpoints, see the Amazon IVS page in the\n Amazon Web Services General Reference.

\n

\n \n All API request parameters and URLs are case sensitive.\n \n \n

\n

For a summary of notable documentation changes in each release, see Document\n History.

\n

\n Allowed Header Values\n

\n
    \n
  • \n

    \n \n Accept:\n application/json

    \n
  • \n
  • \n

    \n \n Accept-Encoding:\n gzip, deflate

    \n
  • \n
  • \n

    \n \n Content-Type:\n application/json

    \n
  • \n
\n

\n Key Concepts\n

\n
    \n
  • \n

    \n Channel — Stores configuration data related to your live stream. You first create a channel and then use the channel’s stream key to start your live stream.

    \n
  • \n
  • \n

    \n Stream key — An identifier assigned by Amazon IVS when you create a channel, which is then used to authorize streaming. \n Treat the stream key like a secret, since it allows anyone to stream to the channel.\n \n

    \n
  • \n
  • \n

    \n Playback key pair — Video playback may be restricted using playback-authorization tokens, which use public-key encryption. A playback key pair is the public-private pair of keys used to sign and validate the playback-authorization token.

    \n
  • \n
  • \n

    \n Recording configuration — Stores configuration related to recording a live stream and where to store the recorded content. Multiple channels can reference the same recording configuration.

    \n
  • \n
  • \n

    \n Playback restriction policy — Restricts playback by countries and/or origin sites.

    \n
  • \n
\n

For more information about your IVS live stream, also see Getting Started with IVS Low-Latency Streaming.

\n

\n Tagging\n

\n

A tag is a metadata label that you assign to an Amazon Web Services\n resource. A tag comprises a key and a value, both\n set by you. For example, you might set a tag as topic:nature to label a\n particular video category. See Tagging Amazon Web Services Resources for\n more information, including restrictions that apply to tags and \"Tag naming limits and\n requirements\"; Amazon IVS has no service-specific constraints beyond what is documented\n there.

\n

Tags can help you identify and organize your Amazon Web Services resources. For example,\n you can use the same tag for different resources to indicate that they are related. You can\n also use tags to manage access (see Access Tags).

\n

The Amazon IVS API has these tag-related endpoints: TagResource, UntagResource, and ListTagsForResource. The following\n resources support tagging: Channels, Stream Keys, Playback Key Pairs, and Recording\n Configurations.

\n

At most 50 tags can be applied to a resource.

\n

\n Authentication versus Authorization\n

\n

Note the differences between these concepts:

\n
    \n
  • \n

    \n Authentication is about verifying identity. You need to be\n authenticated to sign Amazon IVS API requests.

    \n
  • \n
  • \n

    \n Authorization is about granting permissions. Your IAM roles need to have permissions for Amazon IVS API requests. In addition,\n authorization is needed to view Amazon IVS private channels.\n (Private channels are channels that are enabled for \"playback authorization.\")

    \n
  • \n
\n

\n Authentication\n

\n

All Amazon IVS API requests must be authenticated with a signature. The Amazon Web Services\n Command-Line Interface (CLI) and Amazon IVS Player SDKs take care of signing the underlying\n API calls for you. However, if your application calls the Amazon IVS API directly, it’s your\n responsibility to sign the requests.

\n

You generate a signature using valid Amazon Web Services credentials that have permission\n to perform the requested action. For example, you must sign PutMetadata requests with a\n signature generated from a user account that has the ivs:PutMetadata\n permission.

\n

For more information:

\n \n

\n Amazon Resource Names (ARNs)\n

\n

ARNs uniquely identify AWS resources. An ARN is required when you need to specify a\n resource unambiguously across all of AWS, such as in IAM policies and API\n calls. For more information, see Amazon\n Resource Names in the AWS General Reference.

", + "smithy.api#documentation": "

\n Introduction\n

\n

The Amazon Interactive Video Service (IVS) API is REST compatible, using a standard HTTP\n API and an Amazon Web Services EventBridge event stream for responses. JSON is used for both\n requests and responses, including errors.

\n

The API is an Amazon Web Services regional service. For a list of supported regions and\n Amazon IVS HTTPS service endpoints, see the Amazon IVS page in the\n Amazon Web Services General Reference.

\n

\n \n All API request parameters and URLs are case sensitive.\n \n \n

\n

For a summary of notable documentation changes in each release, see Document\n History.

\n

\n Allowed Header Values\n

\n
    \n
  • \n

    \n \n Accept:\n application/json

    \n
  • \n
  • \n

    \n \n Accept-Encoding:\n gzip, deflate

    \n
  • \n
  • \n

    \n \n Content-Type:\n application/json

    \n
  • \n
\n

\n Key Concepts\n

\n
    \n
  • \n

    \n Channel — Stores configuration data related to your live stream. You first create a channel and then use the channel’s stream key to start your live stream.

    \n
  • \n
  • \n

    \n Stream key — An identifier assigned by Amazon IVS when you create a channel, which is then used to authorize streaming. \n Treat the stream key like a secret, since it allows anyone to stream to the channel.\n \n

    \n
  • \n
  • \n

    \n Playback key pair — Video playback may be restricted using playback-authorization tokens, which use public-key encryption. A playback key pair is the public-private pair of keys used to sign and validate the playback-authorization token.

    \n
  • \n
  • \n

    \n Recording configuration — Stores configuration related to recording a live stream and where to store the recorded content. Multiple channels can reference the same recording configuration.

    \n
  • \n
  • \n

    \n Playback restriction policy — Restricts playback by countries and/or origin sites.

    \n
  • \n
\n

For more information about your IVS live stream, also see Getting Started with IVS Low-Latency Streaming.

\n

\n Tagging\n

\n

A tag is a metadata label that you assign to an Amazon Web Services\n resource. A tag comprises a key and a value, both\n set by you. For example, you might set a tag as topic:nature to label a\n particular video category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is documented\n there.

\n

Tags can help you identify and organize your Amazon Web Services resources. For example,\n you can use the same tag for different resources to indicate that they are related. You can\n also use tags to manage access (see Access Tags).

\n

The Amazon IVS API has these tag-related operations: TagResource, UntagResource, and ListTagsForResource. The following\n resources support tagging: Channels, Stream Keys, Playback Key Pairs, and Recording\n Configurations.

\n

At most 50 tags can be applied to a resource.

\n

\n Authentication versus Authorization\n

\n

Note the differences between these concepts:

\n
    \n
  • \n

    \n Authentication is about verifying identity. You need to be\n authenticated to sign Amazon IVS API requests.

    \n
  • \n
  • \n

    \n Authorization is about granting permissions. Your IAM roles need to have permissions for Amazon IVS API requests. In addition,\n authorization is needed to view Amazon IVS private channels.\n (Private channels are channels that are enabled for \"playback authorization.\")

    \n
  • \n
\n

\n Authentication\n

\n

All Amazon IVS API requests must be authenticated with a signature. The Amazon Web Services\n Command-Line Interface (CLI) and Amazon IVS Player SDKs take care of signing the underlying\n API calls for you. However, if your application calls the Amazon IVS API directly, it’s your\n responsibility to sign the requests.

\n

You generate a signature using valid Amazon Web Services credentials that have permission\n to perform the requested action. For example, you must sign PutMetadata requests with a\n signature generated from a user account that has the ivs:PutMetadata\n permission.

\n

For more information:

\n \n

\n Amazon Resource Names (ARNs)\n

\n

ARNs uniquely identify AWS resources. An ARN is required when you need to specify a\n resource unambiguously across all of AWS, such as in IAM policies and API\n calls. For more information, see Amazon\n Resource Names in the AWS General Reference.

", "smithy.api#title": "Amazon Interactive Video Service", "smithy.rules#endpointRuleSet": { "version": "1.0", @@ -1222,7 +1222,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } }, "insecureIngest": { @@ -1381,7 +1381,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } }, "insecureIngest": { @@ -1535,7 +1535,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services\n Resources for more information, including restrictions that apply to tags and \"Tag\n naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" + "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" } }, "insecureIngest": { @@ -1639,7 +1639,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services\n Resources for more information, including restrictions that apply to tags and \"Tag\n naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" + "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" } } }, @@ -1716,7 +1716,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services\n Resources for more information, including restrictions that apply to tags and \"Tag\n naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" + "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" } }, "thumbnailConfiguration": { @@ -1797,7 +1797,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Tagging Amazon Web Services\n Resources for more information, including restrictions that apply to tags and \"Tag\n naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" + "smithy.api#documentation": "

Array of 1-50 maps, each of the form string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" } } } @@ -2487,7 +2487,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Any tags provided with the request are added to the playback key pair tags. See Tagging Amazon Web Services\n Resources for more information, including restrictions that apply to tags and \"Tag\n naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" + "smithy.api#documentation": "

Any tags provided with the request are added to the playback key pair tags. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no service-specific constraints beyond what is\n documented there.

" } } } @@ -3234,7 +3234,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } } }, @@ -3289,7 +3289,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } } }, @@ -3339,7 +3339,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } } }, @@ -3445,7 +3445,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } } }, @@ -3542,7 +3542,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } }, "thumbnailConfiguration": { @@ -3647,7 +3647,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } } }, @@ -4121,7 +4121,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } } }, @@ -4175,7 +4175,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of 1-50 maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

" } } }, @@ -4452,7 +4452,7 @@ "tags": { "target": "com.amazonaws.ivs#Tags", "traits": { - "smithy.api#documentation": "

Array of tags to be added or updated. Array of maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

", + "smithy.api#documentation": "

Array of tags to be added or updated. Array of maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

", "smithy.api#required": {} } } @@ -4657,7 +4657,7 @@ "tagKeys": { "target": "com.amazonaws.ivs#TagKeyList", "traits": { - "smithy.api#documentation": "

Array of tags to be removed. Array of maps, each of the form string:string\n (key:value). See Tagging Amazon Web Services Resources for more information, including restrictions\n that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

", + "smithy.api#documentation": "

Array of tags to be removed. Array of maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS has no\n service-specific constraints beyond what is documented there.

", "smithy.api#httpQuery": "tagKeys", "smithy.api#required": {} } From fa578b9b853346f24b10af9b9d633e4c999c3dbb Mon Sep 17 00:00:00 2001 From: awstools Date: Fri, 13 Sep 2024 18:12:06 +0000 Subject: [PATCH 09/53] docs(client-ivschat): Updates to all tags descriptions. --- clients/client-ivschat/README.md | 7 +++--- clients/client-ivschat/src/Ivschat.ts | 7 +++--- clients/client-ivschat/src/IvschatClient.ts | 7 +++--- clients/client-ivschat/src/index.ts | 7 +++--- clients/client-ivschat/src/models/models_0.ts | 24 +++++-------------- codegen/sdk-codegen/aws-models/ivschat.json | 14 +++++------ 6 files changed, 25 insertions(+), 41 deletions(-) diff --git a/clients/client-ivschat/README.md b/clients/client-ivschat/README.md index 56989454dd32..2b8aaddee50f 100644 --- a/clients/client-ivschat/README.md +++ b/clients/client-ivschat/README.md @@ -53,13 +53,12 @@ information.

A tag is a metadata label that you assign to an AWS resource. A tag comprises a key and a value, both set by you. For example, you might set a tag as topic:nature to label a particular video -category. See Tagging AWS Resources for more information, including restrictions that apply to -tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific +category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific constraints beyond what is documented there.

Tags can help you identify and organize your AWS resources. For example, you can use the same tag for different resources to indicate that they are related. You can also use tags to manage access (see Access Tags).

-

The Amazon IVS Chat API has these tag-related endpoints: TagResource, UntagResource, and +

The Amazon IVS Chat API has these tag-related operations: TagResource, UntagResource, and ListTagsForResource. The following resource supports tagging: Room.

At most 50 tags can be applied to a resource.

@@ -81,7 +80,7 @@ to have permissions for Amazon IVS Chat API requests.

Users (viewers) connect to a room using secure access tokens that you create using the -CreateChatToken endpoint through the AWS SDK. You call CreateChatToken for +CreateChatToken operation through the AWS SDK. You call CreateChatToken for every user’s chat session, passing identity and authorization information about the user.

diff --git a/clients/client-ivschat/src/Ivschat.ts b/clients/client-ivschat/src/Ivschat.ts index fff41c0ce9f4..e4815383cbf4 100644 --- a/clients/client-ivschat/src/Ivschat.ts +++ b/clients/client-ivschat/src/Ivschat.ts @@ -363,13 +363,12 @@ export interface Ivschat { *

A tag is a metadata label that you assign to an AWS resource. A tag * comprises a key and a value, both set by you. For * example, you might set a tag as topic:nature to label a particular video - * category. See Tagging AWS Resources for more information, including restrictions that apply to - * tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific + * category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific * constraints beyond what is documented there.

*

Tags can help you identify and organize your AWS resources. For example, you can use the * same tag for different resources to indicate that they are related. You can also use tags to * manage access (see Access Tags).

- *

The Amazon IVS Chat API has these tag-related endpoints: TagResource, UntagResource, and + *

The Amazon IVS Chat API has these tag-related operations: TagResource, UntagResource, and * ListTagsForResource. The following resource supports tagging: Room.

*

At most 50 tags can be applied to a resource.

*

@@ -391,7 +390,7 @@ export interface Ivschat { * * *

Users (viewers) connect to a room using secure access tokens that you create using the - * CreateChatToken endpoint through the AWS SDK. You call CreateChatToken for + * CreateChatToken operation through the AWS SDK. You call CreateChatToken for * every user’s chat session, passing identity and authorization information about the * user.

*

diff --git a/clients/client-ivschat/src/IvschatClient.ts b/clients/client-ivschat/src/IvschatClient.ts index 89d7df6e652b..0b142d784b1a 100644 --- a/clients/client-ivschat/src/IvschatClient.ts +++ b/clients/client-ivschat/src/IvschatClient.ts @@ -362,13 +362,12 @@ export interface IvschatClientResolvedConfig extends IvschatClientResolvedConfig *

A tag is a metadata label that you assign to an AWS resource. A tag * comprises a key and a value, both set by you. For * example, you might set a tag as topic:nature to label a particular video - * category. See Tagging AWS Resources for more information, including restrictions that apply to - * tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific + * category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific * constraints beyond what is documented there.

*

Tags can help you identify and organize your AWS resources. For example, you can use the * same tag for different resources to indicate that they are related. You can also use tags to * manage access (see Access Tags).

- *

The Amazon IVS Chat API has these tag-related endpoints: TagResource, UntagResource, and + *

The Amazon IVS Chat API has these tag-related operations: TagResource, UntagResource, and * ListTagsForResource. The following resource supports tagging: Room.

*

At most 50 tags can be applied to a resource.

*

@@ -390,7 +389,7 @@ export interface IvschatClientResolvedConfig extends IvschatClientResolvedConfig * * *

Users (viewers) connect to a room using secure access tokens that you create using the - * CreateChatToken endpoint through the AWS SDK. You call CreateChatToken for + * CreateChatToken operation through the AWS SDK. You call CreateChatToken for * every user’s chat session, passing identity and authorization information about the * user.

*

diff --git a/clients/client-ivschat/src/index.ts b/clients/client-ivschat/src/index.ts index 44e8ea354343..439d0458363c 100644 --- a/clients/client-ivschat/src/index.ts +++ b/clients/client-ivschat/src/index.ts @@ -48,13 +48,12 @@ *

A tag is a metadata label that you assign to an AWS resource. A tag * comprises a key and a value, both set by you. For * example, you might set a tag as topic:nature to label a particular video - * category. See Tagging AWS Resources for more information, including restrictions that apply to - * tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific + * category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no service-specific * constraints beyond what is documented there.

*

Tags can help you identify and organize your AWS resources. For example, you can use the * same tag for different resources to indicate that they are related. You can also use tags to * manage access (see Access Tags).

- *

The Amazon IVS Chat API has these tag-related endpoints: TagResource, UntagResource, and + *

The Amazon IVS Chat API has these tag-related operations: TagResource, UntagResource, and * ListTagsForResource. The following resource supports tagging: Room.

*

At most 50 tags can be applied to a resource.

*

@@ -76,7 +75,7 @@ * * *

Users (viewers) connect to a room using secure access tokens that you create using the - * CreateChatToken endpoint through the AWS SDK. You call CreateChatToken for + * CreateChatToken operation through the AWS SDK. You call CreateChatToken for * every user’s chat session, passing identity and authorization information about the * user.

*

diff --git a/clients/client-ivschat/src/models/models_0.ts b/clients/client-ivschat/src/models/models_0.ts index d2f8f870490c..0cba46c1fadc 100644 --- a/clients/client-ivschat/src/models/models_0.ts +++ b/clients/client-ivschat/src/models/models_0.ts @@ -407,9 +407,7 @@ export interface CreateLoggingConfigurationRequest { /** *

Tags to attach to the resource. Array of maps, each of the form string:string - * (key:value). See Tagging AWS - * Resources for details, including restrictions that apply to tags and "Tag naming - * limits and requirements"; Amazon IVS Chat has no constraints on tags beyond what is + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no constraints on tags beyond what is * documented there.

* @public */ @@ -603,9 +601,7 @@ export interface CreateRoomRequest { /** *

Tags to attach to the resource. Array of maps, each of the form string:string - * (key:value). See Tagging AWS - * Resources for details, including restrictions that apply to tags and "Tag naming - * limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented * there.

* @public */ @@ -1066,9 +1062,7 @@ export interface LoggingConfigurationSummary { /** *

Tags to attach to the resource. Array of maps, each of the form string:string - * (key:value). See Tagging AWS - * Resources for details, including restrictions that apply to tags and "Tag naming - * limits and requirements"; Amazon IVS Chat has no constraints on tags beyond what is documented + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no constraints on tags beyond what is documented * there.

* @public */ @@ -1177,9 +1171,7 @@ export interface RoomSummary { /** *

Tags attached to the resource. Array of maps, each of the form string:string - * (key:value). See Tagging AWS - * Resources for details, including restrictions that apply to tags and "Tag naming - * limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented * there.

* @public */ @@ -1302,9 +1294,7 @@ export interface TagResourceRequest { /** *

Array of tags to be added or updated. Array of maps, each of the form - * string:string (key:value). See Tagging AWS - * Resources for details, including restrictions that apply to tags and "Tag naming - * limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented + * string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented * there.

* @public */ @@ -1328,9 +1318,7 @@ export interface UntagResourceRequest { /** *

Array of tags to be removed. Array of maps, each of the form string:string - * (key:value). See Tagging AWS - * Resources for details, including restrictions that apply to tags and "Tag naming - * limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented + * (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and "Tag naming limits and requirements"; Amazon IVS Chat has no constraints beyond what is documented * there.

* @public */ diff --git a/codegen/sdk-codegen/aws-models/ivschat.json b/codegen/sdk-codegen/aws-models/ivschat.json index 350eee4485ae..3e2344276fe3 100644 --- a/codegen/sdk-codegen/aws-models/ivschat.json +++ b/codegen/sdk-codegen/aws-models/ivschat.json @@ -103,7 +103,7 @@ "date" ] }, - "smithy.api#documentation": "

\n Introduction\n

\n

The Amazon IVS Chat control-plane API enables you to create and manage Amazon IVS Chat\n resources. You also need to integrate with the Amazon IVS Chat Messaging\n API, to enable users to interact with chat rooms in real time.

\n

The API is an AWS regional service. For a list of supported regions and Amazon IVS Chat\n HTTPS service endpoints, see the Amazon IVS Chat information on the Amazon IVS page in the\n AWS General Reference.

\n

This document describes HTTP operations. There is a separate messaging API\n for managing Chat resources; see the Amazon IVS Chat Messaging API\n Reference.

\n

\n Notes on terminology:\n

\n
    \n
  • \n

    You create service applications using the Amazon IVS Chat API. We refer to these as\n applications.

    \n
  • \n
  • \n

    You create front-end client applications (browser and Android/iOS apps) using the\n Amazon IVS Chat Messaging API. We refer to these as clients.

    \n
  • \n
\n

\n Resources\n

\n

The following resources are part of Amazon IVS Chat:

\n
    \n
  • \n

    \n LoggingConfiguration — A configuration that allows customers to store and record sent messages in a chat room. See the Logging Configuration endpoints for more information.

    \n
  • \n
  • \n

    \n Room — The central Amazon IVS Chat resource through\n which clients connect to and exchange chat messages. See the Room endpoints for more\n information.

    \n
  • \n
\n

\n Tagging\n

\n

A tag is a metadata label that you assign to an AWS resource. A tag\n comprises a key and a value, both set by you. For\n example, you might set a tag as topic:nature to label a particular video\n category. See Tagging AWS Resources for more information, including restrictions that apply to\n tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no service-specific\n constraints beyond what is documented there.

\n

Tags can help you identify and organize your AWS resources. For example, you can use the\n same tag for different resources to indicate that they are related. You can also use tags to\n manage access (see Access Tags).

\n

The Amazon IVS Chat API has these tag-related endpoints: TagResource, UntagResource, and\n ListTagsForResource. The following resource supports tagging: Room.

\n

At most 50 tags can be applied to a resource.

\n

\n API Access Security\n

\n

Your Amazon IVS Chat applications (service applications and clients) must be authenticated\n and authorized to access Amazon IVS Chat resources. Note the differences between these\n concepts:

\n
    \n
  • \n

    \n Authentication is about verifying identity. Requests to the\n Amazon IVS Chat API must be signed to verify your identity.

    \n
  • \n
  • \n

    \n Authorization is about granting permissions. Your IAM roles need\n to have permissions for Amazon IVS Chat API requests.

    \n
  • \n
\n

Users (viewers) connect to a room using secure access tokens that you create using the\n CreateChatToken endpoint through the AWS SDK. You call CreateChatToken for\n every user’s chat session, passing identity and authorization information about the\n user.

\n

\n Signing API Requests\n

\n

HTTP API requests must be signed with an AWS SigV4 signature using your AWS security\n credentials. The AWS Command Line Interface (CLI) and the AWS SDKs take care of signing the\n underlying API calls for you. However, if your application calls the Amazon IVS Chat HTTP API\n directly, it’s your responsibility to sign the requests.

\n

You generate a signature using valid AWS credentials for an IAM role that has permission\n to perform the requested action. For example, DeleteMessage requests must be made using an IAM\n role that has the ivschat:DeleteMessage permission.

\n

For more information:

\n \n

\n Amazon Resource Names (ARNs)\n

\n

ARNs uniquely identify AWS resources. An ARN is required when you need to specify a\n resource unambiguously across all of AWS, such as in IAM policies and API calls. For more\n information, see Amazon Resource Names in the AWS General\n Reference.

", + "smithy.api#documentation": "

\n Introduction\n

\n

The Amazon IVS Chat control-plane API enables you to create and manage Amazon IVS Chat\n resources. You also need to integrate with the Amazon IVS Chat Messaging\n API, to enable users to interact with chat rooms in real time.

\n

The API is an AWS regional service. For a list of supported regions and Amazon IVS Chat\n HTTPS service endpoints, see the Amazon IVS Chat information on the Amazon IVS page in the\n AWS General Reference.

\n

This document describes HTTP operations. There is a separate messaging API\n for managing Chat resources; see the Amazon IVS Chat Messaging API\n Reference.

\n

\n Notes on terminology:\n

\n
    \n
  • \n

    You create service applications using the Amazon IVS Chat API. We refer to these as\n applications.

    \n
  • \n
  • \n

    You create front-end client applications (browser and Android/iOS apps) using the\n Amazon IVS Chat Messaging API. We refer to these as clients.

    \n
  • \n
\n

\n Resources\n

\n

The following resources are part of Amazon IVS Chat:

\n
    \n
  • \n

    \n LoggingConfiguration — A configuration that allows customers to store and record sent messages in a chat room. See the Logging Configuration endpoints for more information.

    \n
  • \n
  • \n

    \n Room — The central Amazon IVS Chat resource through\n which clients connect to and exchange chat messages. See the Room endpoints for more\n information.

    \n
  • \n
\n

\n Tagging\n

\n

A tag is a metadata label that you assign to an AWS resource. A tag\n comprises a key and a value, both set by you. For\n example, you might set a tag as topic:nature to label a particular video\n category. See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no service-specific\n constraints beyond what is documented there.

\n

Tags can help you identify and organize your AWS resources. For example, you can use the\n same tag for different resources to indicate that they are related. You can also use tags to\n manage access (see Access Tags).

\n

The Amazon IVS Chat API has these tag-related operations: TagResource, UntagResource, and\n ListTagsForResource. The following resource supports tagging: Room.

\n

At most 50 tags can be applied to a resource.

\n

\n API Access Security\n

\n

Your Amazon IVS Chat applications (service applications and clients) must be authenticated\n and authorized to access Amazon IVS Chat resources. Note the differences between these\n concepts:

\n
    \n
  • \n

    \n Authentication is about verifying identity. Requests to the\n Amazon IVS Chat API must be signed to verify your identity.

    \n
  • \n
  • \n

    \n Authorization is about granting permissions. Your IAM roles need\n to have permissions for Amazon IVS Chat API requests.

    \n
  • \n
\n

Users (viewers) connect to a room using secure access tokens that you create using the\n CreateChatToken operation through the AWS SDK. You call CreateChatToken for\n every user’s chat session, passing identity and authorization information about the\n user.

\n

\n Signing API Requests\n

\n

HTTP API requests must be signed with an AWS SigV4 signature using your AWS security\n credentials. The AWS Command Line Interface (CLI) and the AWS SDKs take care of signing the\n underlying API calls for you. However, if your application calls the Amazon IVS Chat HTTP API\n directly, it’s your responsibility to sign the requests.

\n

You generate a signature using valid AWS credentials for an IAM role that has permission\n to perform the requested action. For example, DeleteMessage requests must be made using an IAM\n role that has the ivschat:DeleteMessage permission.

\n

For more information:

\n \n

\n Amazon Resource Names (ARNs)\n

\n

ARNs uniquely identify AWS resources. An ARN is required when you need to specify a\n resource unambiguously across all of AWS, such as in IAM policies and API calls. For more\n information, see Amazon Resource Names in the AWS General\n Reference.

", "smithy.api#title": "Amazon Interactive Video Service Chat", "smithy.rules#endpointRuleSet": { "version": "1.0", @@ -1004,7 +1004,7 @@ "tags": { "target": "com.amazonaws.ivschat#Tags", "traits": { - "smithy.api#documentation": "

Tags to attach to the resource. Array of maps, each of the form string:string\n (key:value). See Tagging AWS\n Resources for details, including restrictions that apply to tags and \"Tag naming\n limits and requirements\"; Amazon IVS Chat has no constraints on tags beyond what is\n documented there.

" + "smithy.api#documentation": "

Tags to attach to the resource. Array of maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no constraints on tags beyond what is\n documented there.

" } } } @@ -1139,7 +1139,7 @@ "tags": { "target": "com.amazonaws.ivschat#Tags", "traits": { - "smithy.api#documentation": "

Tags to attach to the resource. Array of maps, each of the form string:string\n (key:value). See Tagging AWS\n Resources for details, including restrictions that apply to tags and \"Tag naming\n limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

" + "smithy.api#documentation": "

Tags to attach to the resource. Array of maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

" } }, "loggingConfigurationIdentifiers": { @@ -2118,7 +2118,7 @@ "tags": { "target": "com.amazonaws.ivschat#Tags", "traits": { - "smithy.api#documentation": "

Tags to attach to the resource. Array of maps, each of the form string:string\n (key:value). See Tagging AWS\n Resources for details, including restrictions that apply to tags and \"Tag naming\n limits and requirements\"; Amazon IVS Chat has no constraints on tags beyond what is documented\n there.

" + "smithy.api#documentation": "

Tags to attach to the resource. Array of maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no constraints on tags beyond what is documented\n there.

" } } }, @@ -2370,7 +2370,7 @@ "tags": { "target": "com.amazonaws.ivschat#Tags", "traits": { - "smithy.api#documentation": "

Tags attached to the resource. Array of maps, each of the form string:string\n (key:value). See Tagging AWS\n Resources for details, including restrictions that apply to tags and \"Tag naming\n limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

" + "smithy.api#documentation": "

Tags attached to the resource. Array of maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

" } }, "loggingConfigurationIdentifiers": { @@ -2580,7 +2580,7 @@ "tags": { "target": "com.amazonaws.ivschat#Tags", "traits": { - "smithy.api#documentation": "

Array of tags to be added or updated. Array of maps, each of the form\n string:string (key:value). See Tagging AWS\n Resources for details, including restrictions that apply to tags and \"Tag naming\n limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

", + "smithy.api#documentation": "

Array of tags to be added or updated. Array of maps, each of the form\n string:string (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

", "smithy.api#required": {} } } @@ -2700,7 +2700,7 @@ "tagKeys": { "target": "com.amazonaws.ivschat#TagKeyList", "traits": { - "smithy.api#documentation": "

Array of tags to be removed. Array of maps, each of the form string:string\n (key:value). See Tagging AWS\n Resources for details, including restrictions that apply to tags and \"Tag naming\n limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

", + "smithy.api#documentation": "

Array of tags to be removed. Array of maps, each of the form string:string\n (key:value). See Best practices and strategies in Tagging Amazon Web Services Resources and Tag Editor for details, including restrictions that apply to tags and \"Tag naming limits and requirements\"; Amazon IVS Chat has no constraints beyond what is documented\n there.

", "smithy.api#httpQuery": "tagKeys", "smithy.api#required": {} } From dd10581ba8de42181c944283a9c39e12636b2652 Mon Sep 17 00:00:00 2001 From: awstools Date: Fri, 13 Sep 2024 18:12:06 +0000 Subject: [PATCH 10/53] feat(clients): update client endpoints as of 2024-09-13 --- .../amazon/smithy/aws/typescript/codegen/endpoints.json | 2 ++ 1 file changed, 2 insertions(+) diff --git a/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json b/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json index 51e64b5c651e..184e6acf75b0 100644 --- a/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json +++ b/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json @@ -17459,6 +17459,7 @@ }, "redshift-serverless": { "endpoints": { + "ap-east-1": {}, "ap-northeast-1": {}, "ap-northeast-2": {}, "ap-south-1": {}, @@ -17515,6 +17516,7 @@ "deprecated": true, "hostname": "redshift-serverless-fips.us-west-2.amazonaws.com" }, + "il-central-1": {}, "me-central-1": {}, "sa-east-1": {}, "us-east-1": { From ae1b990a2d481b352d6e1dc35902df5295ca8bcc Mon Sep 17 00:00:00 2001 From: awstools Date: Fri, 13 Sep 2024 18:29:21 +0000 Subject: [PATCH 11/53] Publish v3.651.1 --- CHANGELOG.md | 16 ++++++++++++++++ benchmark/size/report.md | 10 +++++----- clients/client-accessanalyzer/CHANGELOG.md | 8 ++++++++ clients/client-accessanalyzer/package.json | 2 +- clients/client-account/CHANGELOG.md | 8 ++++++++ clients/client-account/package.json | 2 +- clients/client-acm-pca/CHANGELOG.md | 8 ++++++++ clients/client-acm-pca/package.json | 2 +- clients/client-acm/CHANGELOG.md | 8 ++++++++ clients/client-acm/package.json | 2 +- clients/client-amp/CHANGELOG.md | 8 ++++++++ clients/client-amp/package.json | 2 +- clients/client-amplify/CHANGELOG.md | 8 ++++++++ clients/client-amplify/package.json | 2 +- clients/client-amplifybackend/CHANGELOG.md | 8 ++++++++ clients/client-amplifybackend/package.json | 2 +- clients/client-amplifyuibuilder/CHANGELOG.md | 8 ++++++++ clients/client-amplifyuibuilder/package.json | 2 +- clients/client-api-gateway/CHANGELOG.md | 8 ++++++++ clients/client-api-gateway/package.json | 2 +- .../client-apigatewaymanagementapi/CHANGELOG.md | 8 ++++++++ .../client-apigatewaymanagementapi/package.json | 2 +- clients/client-apigatewayv2/CHANGELOG.md | 8 ++++++++ clients/client-apigatewayv2/package.json | 2 +- clients/client-app-mesh/CHANGELOG.md | 8 ++++++++ clients/client-app-mesh/package.json | 2 +- clients/client-appconfig/CHANGELOG.md | 8 ++++++++ clients/client-appconfig/package.json | 2 +- clients/client-appconfigdata/CHANGELOG.md | 8 ++++++++ clients/client-appconfigdata/package.json | 2 +- clients/client-appfabric/CHANGELOG.md | 8 ++++++++ clients/client-appfabric/package.json | 2 +- clients/client-appflow/CHANGELOG.md | 8 ++++++++ clients/client-appflow/package.json | 2 +- clients/client-appintegrations/CHANGELOG.md | 8 ++++++++ clients/client-appintegrations/package.json | 2 +- .../client-application-auto-scaling/CHANGELOG.md | 8 ++++++++ .../client-application-auto-scaling/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-application-insights/CHANGELOG.md | 8 ++++++++ clients/client-application-insights/package.json | 2 +- clients/client-application-signals/CHANGELOG.md | 8 ++++++++ clients/client-application-signals/package.json | 2 +- .../client-applicationcostprofiler/CHANGELOG.md | 8 ++++++++ .../client-applicationcostprofiler/package.json | 2 +- clients/client-apprunner/CHANGELOG.md | 8 ++++++++ clients/client-apprunner/package.json | 2 +- clients/client-appstream/CHANGELOG.md | 8 ++++++++ clients/client-appstream/package.json | 2 +- clients/client-appsync/CHANGELOG.md | 8 ++++++++ clients/client-appsync/package.json | 2 +- clients/client-apptest/CHANGELOG.md | 8 ++++++++ clients/client-apptest/package.json | 2 +- clients/client-arc-zonal-shift/CHANGELOG.md | 8 ++++++++ clients/client-arc-zonal-shift/package.json | 2 +- clients/client-artifact/CHANGELOG.md | 8 ++++++++ clients/client-artifact/package.json | 2 +- clients/client-athena/CHANGELOG.md | 8 ++++++++ clients/client-athena/package.json | 2 +- clients/client-auditmanager/CHANGELOG.md | 8 ++++++++ clients/client-auditmanager/package.json | 2 +- clients/client-auto-scaling-plans/CHANGELOG.md | 8 ++++++++ clients/client-auto-scaling-plans/package.json | 2 +- clients/client-auto-scaling/CHANGELOG.md | 8 ++++++++ clients/client-auto-scaling/package.json | 2 +- clients/client-b2bi/CHANGELOG.md | 8 ++++++++ clients/client-b2bi/package.json | 2 +- clients/client-backup-gateway/CHANGELOG.md | 8 ++++++++ clients/client-backup-gateway/package.json | 2 +- clients/client-backup/CHANGELOG.md | 8 ++++++++ clients/client-backup/package.json | 2 +- clients/client-batch/CHANGELOG.md | 8 ++++++++ clients/client-batch/package.json | 2 +- clients/client-bcm-data-exports/CHANGELOG.md | 8 ++++++++ clients/client-bcm-data-exports/package.json | 2 +- .../client-bedrock-agent-runtime/CHANGELOG.md | 8 ++++++++ .../client-bedrock-agent-runtime/package.json | 2 +- clients/client-bedrock-agent/CHANGELOG.md | 8 ++++++++ clients/client-bedrock-agent/package.json | 2 +- clients/client-bedrock-runtime/CHANGELOG.md | 8 ++++++++ clients/client-bedrock-runtime/package.json | 2 +- clients/client-bedrock/CHANGELOG.md | 8 ++++++++ clients/client-bedrock/package.json | 2 +- clients/client-billingconductor/CHANGELOG.md | 8 ++++++++ clients/client-billingconductor/package.json | 2 +- clients/client-braket/CHANGELOG.md | 8 ++++++++ clients/client-braket/package.json | 2 +- clients/client-budgets/CHANGELOG.md | 8 ++++++++ clients/client-budgets/package.json | 2 +- clients/client-chatbot/CHANGELOG.md | 8 ++++++++ clients/client-chatbot/package.json | 2 +- clients/client-chime-sdk-identity/CHANGELOG.md | 8 ++++++++ clients/client-chime-sdk-identity/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-chime-sdk-meetings/CHANGELOG.md | 8 ++++++++ clients/client-chime-sdk-meetings/package.json | 2 +- clients/client-chime-sdk-messaging/CHANGELOG.md | 8 ++++++++ clients/client-chime-sdk-messaging/package.json | 2 +- clients/client-chime-sdk-voice/CHANGELOG.md | 8 ++++++++ clients/client-chime-sdk-voice/package.json | 2 +- clients/client-chime/CHANGELOG.md | 8 ++++++++ clients/client-chime/package.json | 2 +- clients/client-cleanrooms/CHANGELOG.md | 8 ++++++++ clients/client-cleanrooms/package.json | 2 +- clients/client-cleanroomsml/CHANGELOG.md | 8 ++++++++ clients/client-cleanroomsml/package.json | 2 +- clients/client-cloud9/CHANGELOG.md | 8 ++++++++ clients/client-cloud9/package.json | 2 +- clients/client-cloudcontrol/CHANGELOG.md | 8 ++++++++ clients/client-cloudcontrol/package.json | 2 +- clients/client-clouddirectory/CHANGELOG.md | 8 ++++++++ clients/client-clouddirectory/package.json | 2 +- clients/client-cloudformation/CHANGELOG.md | 8 ++++++++ clients/client-cloudformation/package.json | 2 +- .../client-cloudfront-keyvaluestore/CHANGELOG.md | 8 ++++++++ .../client-cloudfront-keyvaluestore/package.json | 2 +- clients/client-cloudfront/CHANGELOG.md | 8 ++++++++ clients/client-cloudfront/package.json | 2 +- clients/client-cloudhsm-v2/CHANGELOG.md | 8 ++++++++ clients/client-cloudhsm-v2/package.json | 2 +- clients/client-cloudhsm/CHANGELOG.md | 8 ++++++++ clients/client-cloudhsm/package.json | 2 +- clients/client-cloudsearch-domain/CHANGELOG.md | 8 ++++++++ clients/client-cloudsearch-domain/package.json | 2 +- clients/client-cloudsearch/CHANGELOG.md | 8 ++++++++ clients/client-cloudsearch/package.json | 2 +- clients/client-cloudtrail-data/CHANGELOG.md | 8 ++++++++ clients/client-cloudtrail-data/package.json | 2 +- clients/client-cloudtrail/CHANGELOG.md | 8 ++++++++ clients/client-cloudtrail/package.json | 2 +- clients/client-cloudwatch-events/CHANGELOG.md | 8 ++++++++ clients/client-cloudwatch-events/package.json | 2 +- clients/client-cloudwatch-logs/CHANGELOG.md | 8 ++++++++ clients/client-cloudwatch-logs/package.json | 2 +- clients/client-cloudwatch/CHANGELOG.md | 8 ++++++++ clients/client-cloudwatch/package.json | 2 +- clients/client-codeartifact/CHANGELOG.md | 8 ++++++++ clients/client-codeartifact/package.json | 2 +- clients/client-codebuild/CHANGELOG.md | 8 ++++++++ clients/client-codebuild/package.json | 2 +- clients/client-codecatalyst/CHANGELOG.md | 8 ++++++++ clients/client-codecatalyst/package.json | 2 +- clients/client-codecommit/CHANGELOG.md | 8 ++++++++ clients/client-codecommit/package.json | 2 +- clients/client-codeconnections/CHANGELOG.md | 8 ++++++++ clients/client-codeconnections/package.json | 2 +- clients/client-codedeploy/CHANGELOG.md | 8 ++++++++ clients/client-codedeploy/package.json | 2 +- clients/client-codeguru-reviewer/CHANGELOG.md | 8 ++++++++ clients/client-codeguru-reviewer/package.json | 2 +- clients/client-codeguru-security/CHANGELOG.md | 8 ++++++++ clients/client-codeguru-security/package.json | 2 +- clients/client-codeguruprofiler/CHANGELOG.md | 8 ++++++++ clients/client-codeguruprofiler/package.json | 2 +- clients/client-codepipeline/CHANGELOG.md | 8 ++++++++ clients/client-codepipeline/package.json | 2 +- clients/client-codestar-connections/CHANGELOG.md | 8 ++++++++ clients/client-codestar-connections/package.json | 2 +- .../client-codestar-notifications/CHANGELOG.md | 8 ++++++++ .../client-codestar-notifications/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-cognito-identity/CHANGELOG.md | 8 ++++++++ clients/client-cognito-identity/package.json | 2 +- clients/client-cognito-sync/CHANGELOG.md | 8 ++++++++ clients/client-cognito-sync/package.json | 2 +- clients/client-comprehend/CHANGELOG.md | 8 ++++++++ clients/client-comprehend/package.json | 2 +- clients/client-comprehendmedical/CHANGELOG.md | 8 ++++++++ clients/client-comprehendmedical/package.json | 2 +- clients/client-compute-optimizer/CHANGELOG.md | 8 ++++++++ clients/client-compute-optimizer/package.json | 2 +- clients/client-config-service/CHANGELOG.md | 8 ++++++++ clients/client-config-service/package.json | 2 +- clients/client-connect-contact-lens/CHANGELOG.md | 8 ++++++++ clients/client-connect-contact-lens/package.json | 2 +- clients/client-connect/CHANGELOG.md | 8 ++++++++ clients/client-connect/package.json | 2 +- clients/client-connectcampaigns/CHANGELOG.md | 8 ++++++++ clients/client-connectcampaigns/package.json | 2 +- clients/client-connectcases/CHANGELOG.md | 8 ++++++++ clients/client-connectcases/package.json | 2 +- clients/client-connectparticipant/CHANGELOG.md | 8 ++++++++ clients/client-connectparticipant/package.json | 2 +- clients/client-controlcatalog/CHANGELOG.md | 8 ++++++++ clients/client-controlcatalog/package.json | 2 +- clients/client-controltower/CHANGELOG.md | 8 ++++++++ clients/client-controltower/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-cost-explorer/CHANGELOG.md | 8 ++++++++ clients/client-cost-explorer/package.json | 2 +- .../client-cost-optimization-hub/CHANGELOG.md | 8 ++++++++ .../client-cost-optimization-hub/package.json | 2 +- clients/client-customer-profiles/CHANGELOG.md | 8 ++++++++ clients/client-customer-profiles/package.json | 2 +- clients/client-data-pipeline/CHANGELOG.md | 8 ++++++++ clients/client-data-pipeline/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-databrew/CHANGELOG.md | 8 ++++++++ clients/client-databrew/package.json | 2 +- clients/client-dataexchange/CHANGELOG.md | 8 ++++++++ clients/client-dataexchange/package.json | 2 +- clients/client-datasync/CHANGELOG.md | 8 ++++++++ clients/client-datasync/package.json | 2 +- clients/client-datazone/CHANGELOG.md | 8 ++++++++ clients/client-datazone/package.json | 2 +- clients/client-dax/CHANGELOG.md | 8 ++++++++ clients/client-dax/package.json | 2 +- clients/client-deadline/CHANGELOG.md | 8 ++++++++ clients/client-deadline/package.json | 2 +- clients/client-detective/CHANGELOG.md | 8 ++++++++ clients/client-detective/package.json | 2 +- clients/client-device-farm/CHANGELOG.md | 8 ++++++++ clients/client-device-farm/package.json | 2 +- clients/client-devops-guru/CHANGELOG.md | 8 ++++++++ clients/client-devops-guru/package.json | 2 +- clients/client-direct-connect/CHANGELOG.md | 8 ++++++++ clients/client-direct-connect/package.json | 2 +- clients/client-directory-service/CHANGELOG.md | 8 ++++++++ clients/client-directory-service/package.json | 2 +- clients/client-dlm/CHANGELOG.md | 8 ++++++++ clients/client-dlm/package.json | 2 +- clients/client-docdb-elastic/CHANGELOG.md | 8 ++++++++ clients/client-docdb-elastic/package.json | 2 +- clients/client-docdb/CHANGELOG.md | 8 ++++++++ clients/client-docdb/package.json | 2 +- clients/client-drs/CHANGELOG.md | 8 ++++++++ clients/client-drs/package.json | 2 +- clients/client-dynamodb-streams/CHANGELOG.md | 8 ++++++++ clients/client-dynamodb-streams/package.json | 2 +- clients/client-dynamodb/CHANGELOG.md | 8 ++++++++ clients/client-dynamodb/package.json | 2 +- clients/client-ebs/CHANGELOG.md | 8 ++++++++ clients/client-ebs/package.json | 2 +- clients/client-ec2-instance-connect/CHANGELOG.md | 8 ++++++++ clients/client-ec2-instance-connect/package.json | 2 +- clients/client-ec2/CHANGELOG.md | 8 ++++++++ clients/client-ec2/package.json | 2 +- clients/client-ecr-public/CHANGELOG.md | 8 ++++++++ clients/client-ecr-public/package.json | 2 +- clients/client-ecr/CHANGELOG.md | 8 ++++++++ clients/client-ecr/package.json | 2 +- clients/client-ecs/CHANGELOG.md | 8 ++++++++ clients/client-ecs/package.json | 2 +- clients/client-efs/CHANGELOG.md | 8 ++++++++ clients/client-efs/package.json | 2 +- clients/client-eks-auth/CHANGELOG.md | 8 ++++++++ clients/client-eks-auth/package.json | 2 +- clients/client-eks/CHANGELOG.md | 8 ++++++++ clients/client-eks/package.json | 2 +- clients/client-elastic-beanstalk/CHANGELOG.md | 8 ++++++++ clients/client-elastic-beanstalk/package.json | 2 +- clients/client-elastic-inference/CHANGELOG.md | 8 ++++++++ clients/client-elastic-inference/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- .../client-elastic-load-balancing/CHANGELOG.md | 8 ++++++++ .../client-elastic-load-balancing/package.json | 2 +- clients/client-elastic-transcoder/CHANGELOG.md | 8 ++++++++ clients/client-elastic-transcoder/package.json | 2 +- clients/client-elasticache/CHANGELOG.md | 8 ++++++++ clients/client-elasticache/package.json | 2 +- .../client-elasticsearch-service/CHANGELOG.md | 8 ++++++++ .../client-elasticsearch-service/package.json | 2 +- clients/client-emr-containers/CHANGELOG.md | 8 ++++++++ clients/client-emr-containers/package.json | 2 +- clients/client-emr-serverless/CHANGELOG.md | 8 ++++++++ clients/client-emr-serverless/package.json | 2 +- clients/client-emr/CHANGELOG.md | 8 ++++++++ clients/client-emr/package.json | 2 +- clients/client-entityresolution/CHANGELOG.md | 8 ++++++++ clients/client-entityresolution/package.json | 2 +- clients/client-eventbridge/CHANGELOG.md | 8 ++++++++ clients/client-eventbridge/package.json | 2 +- clients/client-evidently/CHANGELOG.md | 8 ++++++++ clients/client-evidently/package.json | 2 +- clients/client-finspace-data/CHANGELOG.md | 8 ++++++++ clients/client-finspace-data/package.json | 2 +- clients/client-finspace/CHANGELOG.md | 8 ++++++++ clients/client-finspace/package.json | 2 +- clients/client-firehose/CHANGELOG.md | 8 ++++++++ clients/client-firehose/package.json | 2 +- clients/client-fis/CHANGELOG.md | 8 ++++++++ clients/client-fis/package.json | 2 +- clients/client-fms/CHANGELOG.md | 8 ++++++++ clients/client-fms/package.json | 2 +- clients/client-forecast/CHANGELOG.md | 8 ++++++++ clients/client-forecast/package.json | 2 +- clients/client-forecastquery/CHANGELOG.md | 8 ++++++++ clients/client-forecastquery/package.json | 2 +- clients/client-frauddetector/CHANGELOG.md | 8 ++++++++ clients/client-frauddetector/package.json | 2 +- clients/client-freetier/CHANGELOG.md | 8 ++++++++ clients/client-freetier/package.json | 2 +- clients/client-fsx/CHANGELOG.md | 8 ++++++++ clients/client-fsx/package.json | 2 +- clients/client-gamelift/CHANGELOG.md | 8 ++++++++ clients/client-gamelift/package.json | 2 +- clients/client-glacier/CHANGELOG.md | 8 ++++++++ clients/client-glacier/package.json | 2 +- clients/client-global-accelerator/CHANGELOG.md | 8 ++++++++ clients/client-global-accelerator/package.json | 2 +- clients/client-glue/CHANGELOG.md | 8 ++++++++ clients/client-glue/package.json | 2 +- clients/client-grafana/CHANGELOG.md | 8 ++++++++ clients/client-grafana/package.json | 2 +- clients/client-greengrass/CHANGELOG.md | 8 ++++++++ clients/client-greengrass/package.json | 2 +- clients/client-greengrassv2/CHANGELOG.md | 8 ++++++++ clients/client-greengrassv2/package.json | 2 +- clients/client-groundstation/CHANGELOG.md | 8 ++++++++ clients/client-groundstation/package.json | 2 +- clients/client-guardduty/CHANGELOG.md | 8 ++++++++ clients/client-guardduty/package.json | 2 +- clients/client-health/CHANGELOG.md | 8 ++++++++ clients/client-health/package.json | 2 +- clients/client-healthlake/CHANGELOG.md | 8 ++++++++ clients/client-healthlake/package.json | 2 +- clients/client-iam/CHANGELOG.md | 8 ++++++++ clients/client-iam/package.json | 2 +- clients/client-identitystore/CHANGELOG.md | 8 ++++++++ clients/client-identitystore/package.json | 2 +- clients/client-imagebuilder/CHANGELOG.md | 8 ++++++++ clients/client-imagebuilder/package.json | 2 +- clients/client-inspector-scan/CHANGELOG.md | 8 ++++++++ clients/client-inspector-scan/package.json | 2 +- clients/client-inspector/CHANGELOG.md | 8 ++++++++ clients/client-inspector/package.json | 2 +- clients/client-inspector2/CHANGELOG.md | 8 ++++++++ clients/client-inspector2/package.json | 2 +- clients/client-internetmonitor/CHANGELOG.md | 8 ++++++++ clients/client-internetmonitor/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-iot-1click-projects/CHANGELOG.md | 8 ++++++++ clients/client-iot-1click-projects/package.json | 2 +- clients/client-iot-data-plane/CHANGELOG.md | 8 ++++++++ clients/client-iot-data-plane/package.json | 2 +- clients/client-iot-events-data/CHANGELOG.md | 8 ++++++++ clients/client-iot-events-data/package.json | 2 +- clients/client-iot-events/CHANGELOG.md | 8 ++++++++ clients/client-iot-events/package.json | 2 +- clients/client-iot-jobs-data-plane/CHANGELOG.md | 8 ++++++++ clients/client-iot-jobs-data-plane/package.json | 2 +- clients/client-iot-wireless/CHANGELOG.md | 8 ++++++++ clients/client-iot-wireless/package.json | 2 +- clients/client-iot/CHANGELOG.md | 8 ++++++++ clients/client-iot/package.json | 2 +- clients/client-iotanalytics/CHANGELOG.md | 8 ++++++++ clients/client-iotanalytics/package.json | 2 +- clients/client-iotdeviceadvisor/CHANGELOG.md | 8 ++++++++ clients/client-iotdeviceadvisor/package.json | 2 +- clients/client-iotfleethub/CHANGELOG.md | 8 ++++++++ clients/client-iotfleethub/package.json | 2 +- clients/client-iotfleetwise/CHANGELOG.md | 8 ++++++++ clients/client-iotfleetwise/package.json | 2 +- clients/client-iotsecuretunneling/CHANGELOG.md | 8 ++++++++ clients/client-iotsecuretunneling/package.json | 2 +- clients/client-iotsitewise/CHANGELOG.md | 8 ++++++++ clients/client-iotsitewise/package.json | 2 +- clients/client-iotthingsgraph/CHANGELOG.md | 8 ++++++++ clients/client-iotthingsgraph/package.json | 2 +- clients/client-iottwinmaker/CHANGELOG.md | 8 ++++++++ clients/client-iottwinmaker/package.json | 2 +- clients/client-ivs-realtime/CHANGELOG.md | 8 ++++++++ clients/client-ivs-realtime/package.json | 2 +- clients/client-ivs/CHANGELOG.md | 8 ++++++++ clients/client-ivs/package.json | 2 +- clients/client-ivschat/CHANGELOG.md | 8 ++++++++ clients/client-ivschat/package.json | 2 +- clients/client-kafka/CHANGELOG.md | 8 ++++++++ clients/client-kafka/package.json | 2 +- clients/client-kafkaconnect/CHANGELOG.md | 8 ++++++++ clients/client-kafkaconnect/package.json | 2 +- clients/client-kendra-ranking/CHANGELOG.md | 8 ++++++++ clients/client-kendra-ranking/package.json | 2 +- clients/client-kendra/CHANGELOG.md | 8 ++++++++ clients/client-kendra/package.json | 2 +- clients/client-keyspaces/CHANGELOG.md | 8 ++++++++ clients/client-keyspaces/package.json | 2 +- clients/client-kinesis-analytics-v2/CHANGELOG.md | 8 ++++++++ clients/client-kinesis-analytics-v2/package.json | 2 +- clients/client-kinesis-analytics/CHANGELOG.md | 8 ++++++++ clients/client-kinesis-analytics/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-kinesis-video-media/CHANGELOG.md | 8 ++++++++ clients/client-kinesis-video-media/package.json | 2 +- .../client-kinesis-video-signaling/CHANGELOG.md | 8 ++++++++ .../client-kinesis-video-signaling/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-kinesis-video/CHANGELOG.md | 8 ++++++++ clients/client-kinesis-video/package.json | 2 +- clients/client-kinesis/CHANGELOG.md | 8 ++++++++ clients/client-kinesis/package.json | 2 +- clients/client-kms/CHANGELOG.md | 8 ++++++++ clients/client-kms/package.json | 2 +- clients/client-lakeformation/CHANGELOG.md | 8 ++++++++ clients/client-lakeformation/package.json | 2 +- clients/client-lambda/CHANGELOG.md | 8 ++++++++ clients/client-lambda/package.json | 2 +- clients/client-launch-wizard/CHANGELOG.md | 8 ++++++++ clients/client-launch-wizard/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-lex-models-v2/CHANGELOG.md | 8 ++++++++ clients/client-lex-models-v2/package.json | 2 +- clients/client-lex-runtime-service/CHANGELOG.md | 8 ++++++++ clients/client-lex-runtime-service/package.json | 2 +- clients/client-lex-runtime-v2/CHANGELOG.md | 8 ++++++++ clients/client-lex-runtime-v2/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-license-manager/CHANGELOG.md | 8 ++++++++ clients/client-license-manager/package.json | 2 +- clients/client-lightsail/CHANGELOG.md | 8 ++++++++ clients/client-lightsail/package.json | 2 +- clients/client-location/CHANGELOG.md | 8 ++++++++ clients/client-location/package.json | 2 +- clients/client-lookoutequipment/CHANGELOG.md | 8 ++++++++ clients/client-lookoutequipment/package.json | 2 +- clients/client-lookoutmetrics/CHANGELOG.md | 8 ++++++++ clients/client-lookoutmetrics/package.json | 2 +- clients/client-lookoutvision/CHANGELOG.md | 8 ++++++++ clients/client-lookoutvision/package.json | 2 +- clients/client-m2/CHANGELOG.md | 8 ++++++++ clients/client-m2/package.json | 2 +- clients/client-machine-learning/CHANGELOG.md | 8 ++++++++ clients/client-machine-learning/package.json | 2 +- clients/client-macie2/CHANGELOG.md | 8 ++++++++ clients/client-macie2/package.json | 2 +- clients/client-mailmanager/CHANGELOG.md | 8 ++++++++ clients/client-mailmanager/package.json | 2 +- .../client-managedblockchain-query/CHANGELOG.md | 8 ++++++++ .../client-managedblockchain-query/package.json | 2 +- clients/client-managedblockchain/CHANGELOG.md | 8 ++++++++ clients/client-managedblockchain/package.json | 2 +- .../client-marketplace-agreement/CHANGELOG.md | 8 ++++++++ .../client-marketplace-agreement/package.json | 2 +- clients/client-marketplace-catalog/CHANGELOG.md | 8 ++++++++ clients/client-marketplace-catalog/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- .../client-marketplace-deployment/CHANGELOG.md | 8 ++++++++ .../client-marketplace-deployment/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-marketplace-metering/CHANGELOG.md | 8 ++++++++ clients/client-marketplace-metering/package.json | 2 +- clients/client-mediaconnect/CHANGELOG.md | 8 ++++++++ clients/client-mediaconnect/package.json | 2 +- clients/client-mediaconvert/CHANGELOG.md | 8 ++++++++ clients/client-mediaconvert/package.json | 2 +- clients/client-medialive/CHANGELOG.md | 8 ++++++++ clients/client-medialive/package.json | 2 +- clients/client-mediapackage-vod/CHANGELOG.md | 8 ++++++++ clients/client-mediapackage-vod/package.json | 2 +- clients/client-mediapackage/CHANGELOG.md | 8 ++++++++ clients/client-mediapackage/package.json | 2 +- clients/client-mediapackagev2/CHANGELOG.md | 8 ++++++++ clients/client-mediapackagev2/package.json | 2 +- clients/client-mediastore-data/CHANGELOG.md | 8 ++++++++ clients/client-mediastore-data/package.json | 2 +- clients/client-mediastore/CHANGELOG.md | 8 ++++++++ clients/client-mediastore/package.json | 2 +- clients/client-mediatailor/CHANGELOG.md | 8 ++++++++ clients/client-mediatailor/package.json | 2 +- clients/client-medical-imaging/CHANGELOG.md | 8 ++++++++ clients/client-medical-imaging/package.json | 2 +- clients/client-memorydb/CHANGELOG.md | 8 ++++++++ clients/client-memorydb/package.json | 2 +- clients/client-mgn/CHANGELOG.md | 8 ++++++++ clients/client-mgn/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-migration-hub/CHANGELOG.md | 8 ++++++++ clients/client-migration-hub/package.json | 2 +- clients/client-migrationhub-config/CHANGELOG.md | 8 ++++++++ clients/client-migrationhub-config/package.json | 2 +- .../client-migrationhuborchestrator/CHANGELOG.md | 8 ++++++++ .../client-migrationhuborchestrator/package.json | 2 +- clients/client-migrationhubstrategy/CHANGELOG.md | 8 ++++++++ clients/client-migrationhubstrategy/package.json | 2 +- clients/client-mq/CHANGELOG.md | 8 ++++++++ clients/client-mq/package.json | 2 +- clients/client-mturk/CHANGELOG.md | 8 ++++++++ clients/client-mturk/package.json | 2 +- clients/client-mwaa/CHANGELOG.md | 8 ++++++++ clients/client-mwaa/package.json | 2 +- clients/client-neptune-graph/CHANGELOG.md | 8 ++++++++ clients/client-neptune-graph/package.json | 2 +- clients/client-neptune/CHANGELOG.md | 8 ++++++++ clients/client-neptune/package.json | 2 +- clients/client-neptunedata/CHANGELOG.md | 8 ++++++++ clients/client-neptunedata/package.json | 2 +- clients/client-network-firewall/CHANGELOG.md | 8 ++++++++ clients/client-network-firewall/package.json | 2 +- clients/client-networkmanager/CHANGELOG.md | 8 ++++++++ clients/client-networkmanager/package.json | 2 +- clients/client-networkmonitor/CHANGELOG.md | 8 ++++++++ clients/client-networkmonitor/package.json | 2 +- clients/client-nimble/CHANGELOG.md | 8 ++++++++ clients/client-nimble/package.json | 2 +- clients/client-oam/CHANGELOG.md | 8 ++++++++ clients/client-oam/package.json | 2 +- clients/client-omics/CHANGELOG.md | 8 ++++++++ clients/client-omics/package.json | 2 +- clients/client-opensearch/CHANGELOG.md | 8 ++++++++ clients/client-opensearch/package.json | 2 +- clients/client-opensearchserverless/CHANGELOG.md | 8 ++++++++ clients/client-opensearchserverless/package.json | 2 +- clients/client-opsworks/CHANGELOG.md | 8 ++++++++ clients/client-opsworks/package.json | 2 +- clients/client-opsworkscm/CHANGELOG.md | 8 ++++++++ clients/client-opsworkscm/package.json | 2 +- clients/client-organizations/CHANGELOG.md | 8 ++++++++ clients/client-organizations/package.json | 2 +- clients/client-osis/CHANGELOG.md | 8 ++++++++ clients/client-osis/package.json | 2 +- clients/client-outposts/CHANGELOG.md | 8 ++++++++ clients/client-outposts/package.json | 2 +- clients/client-panorama/CHANGELOG.md | 8 ++++++++ clients/client-panorama/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-payment-cryptography/CHANGELOG.md | 8 ++++++++ clients/client-payment-cryptography/package.json | 2 +- clients/client-pca-connector-ad/CHANGELOG.md | 8 ++++++++ clients/client-pca-connector-ad/package.json | 2 +- clients/client-pca-connector-scep/CHANGELOG.md | 8 ++++++++ clients/client-pca-connector-scep/package.json | 2 +- clients/client-pcs/CHANGELOG.md | 8 ++++++++ clients/client-pcs/package.json | 2 +- clients/client-personalize-events/CHANGELOG.md | 8 ++++++++ clients/client-personalize-events/package.json | 2 +- clients/client-personalize-runtime/CHANGELOG.md | 8 ++++++++ clients/client-personalize-runtime/package.json | 2 +- clients/client-personalize/CHANGELOG.md | 8 ++++++++ clients/client-personalize/package.json | 2 +- clients/client-pi/CHANGELOG.md | 8 ++++++++ clients/client-pi/package.json | 2 +- clients/client-pinpoint-email/CHANGELOG.md | 8 ++++++++ clients/client-pinpoint-email/package.json | 2 +- .../client-pinpoint-sms-voice-v2/CHANGELOG.md | 8 ++++++++ .../client-pinpoint-sms-voice-v2/package.json | 2 +- clients/client-pinpoint-sms-voice/CHANGELOG.md | 8 ++++++++ clients/client-pinpoint-sms-voice/package.json | 2 +- clients/client-pinpoint/CHANGELOG.md | 8 ++++++++ clients/client-pinpoint/package.json | 2 +- clients/client-pipes/CHANGELOG.md | 8 ++++++++ clients/client-pipes/package.json | 2 +- clients/client-polly/CHANGELOG.md | 8 ++++++++ clients/client-polly/package.json | 2 +- clients/client-pricing/CHANGELOG.md | 8 ++++++++ clients/client-pricing/package.json | 2 +- clients/client-privatenetworks/CHANGELOG.md | 8 ++++++++ clients/client-privatenetworks/package.json | 2 +- clients/client-proton/CHANGELOG.md | 8 ++++++++ clients/client-proton/package.json | 2 +- clients/client-qapps/CHANGELOG.md | 8 ++++++++ clients/client-qapps/package.json | 2 +- clients/client-qbusiness/CHANGELOG.md | 8 ++++++++ clients/client-qbusiness/package.json | 2 +- clients/client-qconnect/CHANGELOG.md | 8 ++++++++ clients/client-qconnect/package.json | 2 +- clients/client-qldb-session/CHANGELOG.md | 8 ++++++++ clients/client-qldb-session/package.json | 2 +- clients/client-qldb/CHANGELOG.md | 8 ++++++++ clients/client-qldb/package.json | 2 +- clients/client-quicksight/CHANGELOG.md | 8 ++++++++ clients/client-quicksight/package.json | 2 +- clients/client-ram/CHANGELOG.md | 8 ++++++++ clients/client-ram/package.json | 2 +- clients/client-rbin/CHANGELOG.md | 8 ++++++++ clients/client-rbin/package.json | 2 +- clients/client-rds-data/CHANGELOG.md | 8 ++++++++ clients/client-rds-data/package.json | 2 +- clients/client-rds/CHANGELOG.md | 8 ++++++++ clients/client-rds/package.json | 2 +- clients/client-redshift-data/CHANGELOG.md | 8 ++++++++ clients/client-redshift-data/package.json | 2 +- clients/client-redshift-serverless/CHANGELOG.md | 8 ++++++++ clients/client-redshift-serverless/package.json | 2 +- clients/client-redshift/CHANGELOG.md | 8 ++++++++ clients/client-redshift/package.json | 2 +- clients/client-rekognition/CHANGELOG.md | 8 ++++++++ clients/client-rekognition/package.json | 2 +- clients/client-rekognitionstreaming/CHANGELOG.md | 8 ++++++++ clients/client-rekognitionstreaming/package.json | 2 +- clients/client-repostspace/CHANGELOG.md | 8 ++++++++ clients/client-repostspace/package.json | 2 +- clients/client-resiliencehub/CHANGELOG.md | 8 ++++++++ clients/client-resiliencehub/package.json | 2 +- clients/client-resource-explorer-2/CHANGELOG.md | 8 ++++++++ clients/client-resource-explorer-2/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-resource-groups/CHANGELOG.md | 8 ++++++++ clients/client-resource-groups/package.json | 2 +- clients/client-robomaker/CHANGELOG.md | 8 ++++++++ clients/client-robomaker/package.json | 2 +- clients/client-rolesanywhere/CHANGELOG.md | 8 ++++++++ clients/client-rolesanywhere/package.json | 2 +- clients/client-route-53-domains/CHANGELOG.md | 8 ++++++++ clients/client-route-53-domains/package.json | 2 +- clients/client-route-53/CHANGELOG.md | 8 ++++++++ clients/client-route-53/package.json | 2 +- .../client-route53-recovery-cluster/CHANGELOG.md | 8 ++++++++ .../client-route53-recovery-cluster/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-route53profiles/CHANGELOG.md | 8 ++++++++ clients/client-route53profiles/package.json | 2 +- clients/client-route53resolver/CHANGELOG.md | 8 ++++++++ clients/client-route53resolver/package.json | 2 +- clients/client-rum/CHANGELOG.md | 8 ++++++++ clients/client-rum/package.json | 2 +- clients/client-s3-control/CHANGELOG.md | 8 ++++++++ clients/client-s3-control/package.json | 2 +- clients/client-s3/CHANGELOG.md | 8 ++++++++ clients/client-s3/package.json | 2 +- clients/client-s3outposts/CHANGELOG.md | 8 ++++++++ clients/client-s3outposts/package.json | 2 +- .../client-sagemaker-a2i-runtime/CHANGELOG.md | 8 ++++++++ .../client-sagemaker-a2i-runtime/package.json | 2 +- clients/client-sagemaker-edge/CHANGELOG.md | 8 ++++++++ clients/client-sagemaker-edge/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-sagemaker-geospatial/CHANGELOG.md | 8 ++++++++ clients/client-sagemaker-geospatial/package.json | 2 +- clients/client-sagemaker-metrics/CHANGELOG.md | 8 ++++++++ clients/client-sagemaker-metrics/package.json | 2 +- clients/client-sagemaker-runtime/CHANGELOG.md | 8 ++++++++ clients/client-sagemaker-runtime/package.json | 2 +- clients/client-sagemaker/CHANGELOG.md | 8 ++++++++ clients/client-sagemaker/package.json | 2 +- clients/client-savingsplans/CHANGELOG.md | 8 ++++++++ clients/client-savingsplans/package.json | 2 +- clients/client-scheduler/CHANGELOG.md | 8 ++++++++ clients/client-scheduler/package.json | 2 +- clients/client-schemas/CHANGELOG.md | 8 ++++++++ clients/client-schemas/package.json | 2 +- clients/client-secrets-manager/CHANGELOG.md | 8 ++++++++ clients/client-secrets-manager/package.json | 2 +- clients/client-securityhub/CHANGELOG.md | 8 ++++++++ clients/client-securityhub/package.json | 2 +- clients/client-securitylake/CHANGELOG.md | 8 ++++++++ clients/client-securitylake/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- clients/client-service-catalog/CHANGELOG.md | 8 ++++++++ clients/client-service-catalog/package.json | 2 +- clients/client-service-quotas/CHANGELOG.md | 8 ++++++++ clients/client-service-quotas/package.json | 2 +- clients/client-servicediscovery/CHANGELOG.md | 8 ++++++++ clients/client-servicediscovery/package.json | 2 +- clients/client-ses/CHANGELOG.md | 8 ++++++++ clients/client-ses/package.json | 2 +- clients/client-sesv2/CHANGELOG.md | 8 ++++++++ clients/client-sesv2/package.json | 2 +- clients/client-sfn/CHANGELOG.md | 8 ++++++++ clients/client-sfn/package.json | 2 +- clients/client-shield/CHANGELOG.md | 8 ++++++++ clients/client-shield/package.json | 2 +- clients/client-signer/CHANGELOG.md | 8 ++++++++ clients/client-signer/package.json | 2 +- clients/client-simspaceweaver/CHANGELOG.md | 8 ++++++++ clients/client-simspaceweaver/package.json | 2 +- clients/client-sms/CHANGELOG.md | 8 ++++++++ clients/client-sms/package.json | 2 +- .../client-snow-device-management/CHANGELOG.md | 8 ++++++++ .../client-snow-device-management/package.json | 2 +- clients/client-snowball/CHANGELOG.md | 8 ++++++++ clients/client-snowball/package.json | 2 +- clients/client-sns/CHANGELOG.md | 8 ++++++++ clients/client-sns/package.json | 2 +- clients/client-sqs/CHANGELOG.md | 8 ++++++++ clients/client-sqs/package.json | 2 +- clients/client-ssm-contacts/CHANGELOG.md | 8 ++++++++ clients/client-ssm-contacts/package.json | 2 +- clients/client-ssm-incidents/CHANGELOG.md | 8 ++++++++ clients/client-ssm-incidents/package.json | 2 +- clients/client-ssm-quicksetup/CHANGELOG.md | 8 ++++++++ clients/client-ssm-quicksetup/package.json | 2 +- clients/client-ssm-sap/CHANGELOG.md | 8 ++++++++ clients/client-ssm-sap/package.json | 2 +- clients/client-ssm/CHANGELOG.md | 8 ++++++++ clients/client-ssm/package.json | 2 +- clients/client-sso-admin/CHANGELOG.md | 8 ++++++++ clients/client-sso-admin/package.json | 2 +- clients/client-sso-oidc/CHANGELOG.md | 8 ++++++++ clients/client-sso-oidc/package.json | 2 +- clients/client-sso/CHANGELOG.md | 8 ++++++++ clients/client-sso/package.json | 2 +- clients/client-storage-gateway/CHANGELOG.md | 8 ++++++++ clients/client-storage-gateway/package.json | 2 +- clients/client-sts/CHANGELOG.md | 8 ++++++++ clients/client-sts/package.json | 2 +- clients/client-supplychain/CHANGELOG.md | 8 ++++++++ clients/client-supplychain/package.json | 2 +- clients/client-support-app/CHANGELOG.md | 8 ++++++++ clients/client-support-app/package.json | 2 +- clients/client-support/CHANGELOG.md | 8 ++++++++ clients/client-support/package.json | 2 +- clients/client-swf/CHANGELOG.md | 8 ++++++++ clients/client-swf/package.json | 2 +- clients/client-synthetics/CHANGELOG.md | 8 ++++++++ clients/client-synthetics/package.json | 2 +- clients/client-taxsettings/CHANGELOG.md | 8 ++++++++ clients/client-taxsettings/package.json | 2 +- clients/client-textract/CHANGELOG.md | 8 ++++++++ clients/client-textract/package.json | 2 +- clients/client-timestream-influxdb/CHANGELOG.md | 8 ++++++++ clients/client-timestream-influxdb/package.json | 2 +- clients/client-timestream-query/CHANGELOG.md | 8 ++++++++ clients/client-timestream-query/package.json | 2 +- clients/client-timestream-write/CHANGELOG.md | 8 ++++++++ clients/client-timestream-write/package.json | 2 +- clients/client-tnb/CHANGELOG.md | 8 ++++++++ clients/client-tnb/package.json | 2 +- clients/client-transcribe-streaming/CHANGELOG.md | 8 ++++++++ clients/client-transcribe-streaming/package.json | 2 +- clients/client-transcribe/CHANGELOG.md | 8 ++++++++ clients/client-transcribe/package.json | 2 +- clients/client-transfer/CHANGELOG.md | 8 ++++++++ clients/client-transfer/package.json | 2 +- clients/client-translate/CHANGELOG.md | 8 ++++++++ clients/client-translate/package.json | 2 +- clients/client-trustedadvisor/CHANGELOG.md | 8 ++++++++ clients/client-trustedadvisor/package.json | 2 +- clients/client-verifiedpermissions/CHANGELOG.md | 8 ++++++++ clients/client-verifiedpermissions/package.json | 2 +- clients/client-voice-id/CHANGELOG.md | 8 ++++++++ clients/client-voice-id/package.json | 2 +- clients/client-vpc-lattice/CHANGELOG.md | 8 ++++++++ clients/client-vpc-lattice/package.json | 2 +- clients/client-waf-regional/CHANGELOG.md | 8 ++++++++ clients/client-waf-regional/package.json | 2 +- clients/client-waf/CHANGELOG.md | 8 ++++++++ clients/client-waf/package.json | 2 +- clients/client-wafv2/CHANGELOG.md | 8 ++++++++ clients/client-wafv2/package.json | 2 +- clients/client-wellarchitected/CHANGELOG.md | 8 ++++++++ clients/client-wellarchitected/package.json | 2 +- clients/client-wisdom/CHANGELOG.md | 8 ++++++++ clients/client-wisdom/package.json | 2 +- clients/client-workdocs/CHANGELOG.md | 8 ++++++++ clients/client-workdocs/package.json | 2 +- clients/client-worklink/CHANGELOG.md | 8 ++++++++ clients/client-worklink/package.json | 2 +- clients/client-workmail/CHANGELOG.md | 8 ++++++++ clients/client-workmail/package.json | 2 +- clients/client-workmailmessageflow/CHANGELOG.md | 8 ++++++++ clients/client-workmailmessageflow/package.json | 2 +- .../client-workspaces-thin-client/CHANGELOG.md | 8 ++++++++ .../client-workspaces-thin-client/package.json | 2 +- clients/client-workspaces-web/CHANGELOG.md | 8 ++++++++ clients/client-workspaces-web/package.json | 2 +- clients/client-workspaces/CHANGELOG.md | 8 ++++++++ clients/client-workspaces/package.json | 2 +- clients/client-xray/CHANGELOG.md | 8 ++++++++ clients/client-xray/package.json | 2 +- lerna.json | 2 +- lib/lib-dynamodb/CHANGELOG.md | 8 ++++++++ lib/lib-dynamodb/package.json | 2 +- lib/lib-storage/CHANGELOG.md | 8 ++++++++ lib/lib-storage/package.json | 2 +- packages/cloudfront-signer/CHANGELOG.md | 8 ++++++++ packages/cloudfront-signer/package.json | 2 +- packages/core/CHANGELOG.md | 8 ++++++++ packages/core/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- packages/credential-provider-ini/CHANGELOG.md | 11 +++++++++++ packages/credential-provider-ini/package.json | 2 +- packages/credential-provider-node/CHANGELOG.md | 11 +++++++++++ packages/credential-provider-node/package.json | 2 +- packages/credential-provider-sso/CHANGELOG.md | 8 ++++++++ packages/credential-provider-sso/package.json | 2 +- packages/credential-providers/CHANGELOG.md | 8 ++++++++ packages/credential-providers/package.json | 2 +- packages/ec2-metadata-service/CHANGELOG.md | 8 ++++++++ packages/ec2-metadata-service/package.json | 2 +- packages/karma-credential-loader/CHANGELOG.md | 8 ++++++++ packages/karma-credential-loader/package.json | 2 +- .../middleware-flexible-checksums/CHANGELOG.md | 8 ++++++++ .../middleware-flexible-checksums/package.json | 2 +- packages/middleware-sdk-s3/CHANGELOG.md | 8 ++++++++ packages/middleware-sdk-s3/package.json | 2 +- packages/polly-request-presigner/CHANGELOG.md | 8 ++++++++ packages/polly-request-presigner/package.json | 2 +- packages/rds-signer/CHANGELOG.md | 8 ++++++++ packages/rds-signer/package.json | 2 +- packages/s3-presigned-post/CHANGELOG.md | 8 ++++++++ packages/s3-presigned-post/package.json | 2 +- packages/s3-request-presigner/CHANGELOG.md | 8 ++++++++ packages/s3-request-presigner/package.json | 2 +- packages/signature-v4-crt/CHANGELOG.md | 8 ++++++++ packages/signature-v4-crt/package.json | 2 +- packages/signature-v4-multi-region/CHANGELOG.md | 8 ++++++++ packages/signature-v4-multi-region/package.json | 2 +- packages/util-dynamodb/CHANGELOG.md | 8 ++++++++ packages/util-dynamodb/package.json | 2 +- private/aws-client-api-test/CHANGELOG.md | 8 ++++++++ private/aws-client-api-test/package.json | 2 +- private/aws-client-retry-test/CHANGELOG.md | 8 ++++++++ private/aws-client-retry-test/package.json | 2 +- private/aws-echo-service/CHANGELOG.md | 8 ++++++++ private/aws-echo-service/package.json | 2 +- private/aws-middleware-test/CHANGELOG.md | 8 ++++++++ private/aws-middleware-test/package.json | 2 +- private/aws-protocoltests-ec2/CHANGELOG.md | 8 ++++++++ private/aws-protocoltests-ec2/package.json | 2 +- private/aws-protocoltests-json-10/CHANGELOG.md | 8 ++++++++ private/aws-protocoltests-json-10/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- private/aws-protocoltests-json/CHANGELOG.md | 8 ++++++++ private/aws-protocoltests-json/package.json | 2 +- private/aws-protocoltests-query/CHANGELOG.md | 8 ++++++++ private/aws-protocoltests-query/package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- private/aws-protocoltests-restjson/CHANGELOG.md | 8 ++++++++ private/aws-protocoltests-restjson/package.json | 2 +- private/aws-protocoltests-restxml/CHANGELOG.md | 8 ++++++++ private/aws-protocoltests-restxml/package.json | 2 +- private/aws-restjson-server/CHANGELOG.md | 8 ++++++++ private/aws-restjson-server/package.json | 2 +- .../aws-restjson-validation-server/CHANGELOG.md | 8 ++++++++ .../aws-restjson-validation-server/package.json | 2 +- private/aws-util-test/CHANGELOG.md | 8 ++++++++ private/aws-util-test/package.json | 2 +- private/weather-legacy-auth/CHANGELOG.md | 8 ++++++++ private/weather-legacy-auth/package.json | 2 +- private/weather/CHANGELOG.md | 8 ++++++++ private/weather/package.json | 2 +- 851 files changed, 3844 insertions(+), 430 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6cd862693fda..0bf1ee95c71f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,22 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + + +### Bug Fixes + +* **credential-provider-ini:** fix recursive assume role and optional role_arn in credential_source ([#6472](https://github.com/aws/aws-sdk-js-v3/issues/6472)) ([c095306](https://github.com/aws/aws-sdk-js-v3/commit/c095306e7248c3e53e4d8d77551fdad2663e0e77)) + + +### Features + +* **clients:** update client endpoints as of 2024-09-13 ([39032e6](https://github.com/aws/aws-sdk-js-v3/commit/39032e63e0301b2d40b8d3a5d20df077ce99548d)) + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/benchmark/size/report.md b/benchmark/size/report.md index 9c0011bc9dba..f63505a3f168 100644 --- a/benchmark/size/report.md +++ b/benchmark/size/report.md @@ -38,10 +38,10 @@ |@aws-sdk/credential-provider-cognito-identity|3.496.0|36 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/credential-provider-env|3.620.1|18.4 KB|N/A|N/A|N/A| |@aws-sdk/credential-provider-imds|3.370.0|14.8 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-ini|3.649.0|42.1 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-node|3.649.0|34.2 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-ini|3.650.0|42.5 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-node|3.650.0|34.2 KB|N/A|N/A|N/A| |@aws-sdk/credential-provider-process|3.620.1|22.2 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-sso|3.649.0|32.5 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-sso|3.650.0|32.5 KB|N/A|N/A|N/A| |@aws-sdk/credential-provider-web-identity|3.495.0|28.9 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/credential-providers|3.496.0|84.3 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/fetch-http-handler|3.370.0|14.4 KB|✅(5.77.0)|✅(3.20.2)|✅(0.17.15)| @@ -50,8 +50,8 @@ |@aws-sdk/node-http-handler|3.370.0|14.4 KB|N/A|N/A|N/A| |@aws-sdk/polly-request-presigner|3.495.0|23.3 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/s3-presigned-post|3.496.0|27.4 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| -|@aws-sdk/s3-request-presigner|3.650.0|32.1 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| +|@aws-sdk/s3-request-presigner|3.651.0|32.1 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/signature-v4|3.370.0|14.4 KB|✅(5.77.0)|✅(3.20.2)|✅(0.17.15)| -|@aws-sdk/signature-v4-crt|3.635.0|54.6 KB|N/A|N/A|N/A| +|@aws-sdk/signature-v4-crt|3.649.0|54.6 KB|N/A|N/A|N/A| |@aws-sdk/smithy-client|3.370.0|18.8 KB|✅(5.77.0)|✅(3.20.2)|✅(0.17.15)| |@aws-sdk/types|3.609.0|38.5 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| diff --git a/clients/client-accessanalyzer/CHANGELOG.md b/clients/client-accessanalyzer/CHANGELOG.md index 8dfbae6d3c12..9835eca18752 100644 --- a/clients/client-accessanalyzer/CHANGELOG.md +++ b/clients/client-accessanalyzer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-accessanalyzer + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-accessanalyzer diff --git a/clients/client-accessanalyzer/package.json b/clients/client-accessanalyzer/package.json index 1157c6caf4e2..6a7849d82720 100644 --- a/clients/client-accessanalyzer/package.json +++ b/clients/client-accessanalyzer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-accessanalyzer", "description": "AWS SDK for JavaScript Accessanalyzer Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-accessanalyzer", diff --git a/clients/client-account/CHANGELOG.md b/clients/client-account/CHANGELOG.md index b69990790125..1d381d14745e 100644 --- a/clients/client-account/CHANGELOG.md +++ b/clients/client-account/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-account + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-account diff --git a/clients/client-account/package.json b/clients/client-account/package.json index ce33eda5a4c0..a7ae4bf00b8e 100644 --- a/clients/client-account/package.json +++ b/clients/client-account/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-account", "description": "AWS SDK for JavaScript Account Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-account", diff --git a/clients/client-acm-pca/CHANGELOG.md b/clients/client-acm-pca/CHANGELOG.md index 567cd829c551..991164f2b3b9 100644 --- a/clients/client-acm-pca/CHANGELOG.md +++ b/clients/client-acm-pca/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-acm-pca + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-acm-pca diff --git a/clients/client-acm-pca/package.json b/clients/client-acm-pca/package.json index ee3fbb50b268..08b220db12f1 100644 --- a/clients/client-acm-pca/package.json +++ b/clients/client-acm-pca/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-acm-pca", "description": "AWS SDK for JavaScript Acm Pca Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-acm-pca", diff --git a/clients/client-acm/CHANGELOG.md b/clients/client-acm/CHANGELOG.md index aab6f4022544..2ad0e2a4df4b 100644 --- a/clients/client-acm/CHANGELOG.md +++ b/clients/client-acm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-acm + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-acm diff --git a/clients/client-acm/package.json b/clients/client-acm/package.json index c5e7eb656fcb..9651073052a1 100644 --- a/clients/client-acm/package.json +++ b/clients/client-acm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-acm", "description": "AWS SDK for JavaScript Acm Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-acm", diff --git a/clients/client-amp/CHANGELOG.md b/clients/client-amp/CHANGELOG.md index 4b6037d21b6d..f23b32ec5d55 100644 --- a/clients/client-amp/CHANGELOG.md +++ b/clients/client-amp/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-amp + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-amp diff --git a/clients/client-amp/package.json b/clients/client-amp/package.json index 9002ee773973..1a73a16f6371 100644 --- a/clients/client-amp/package.json +++ b/clients/client-amp/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amp", "description": "AWS SDK for JavaScript Amp Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amp", diff --git a/clients/client-amplify/CHANGELOG.md b/clients/client-amplify/CHANGELOG.md index 8cc798f9ad24..3d4a680bedb0 100644 --- a/clients/client-amplify/CHANGELOG.md +++ b/clients/client-amplify/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-amplify + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-amplify diff --git a/clients/client-amplify/package.json b/clients/client-amplify/package.json index af36459f00da..e2133e277ec7 100644 --- a/clients/client-amplify/package.json +++ b/clients/client-amplify/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amplify", "description": "AWS SDK for JavaScript Amplify Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amplify", diff --git a/clients/client-amplifybackend/CHANGELOG.md b/clients/client-amplifybackend/CHANGELOG.md index 13f4387a9a3a..28063296f349 100644 --- a/clients/client-amplifybackend/CHANGELOG.md +++ b/clients/client-amplifybackend/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-amplifybackend + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-amplifybackend diff --git a/clients/client-amplifybackend/package.json b/clients/client-amplifybackend/package.json index 8235577e71f8..66ff741a952a 100644 --- a/clients/client-amplifybackend/package.json +++ b/clients/client-amplifybackend/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amplifybackend", "description": "AWS SDK for JavaScript Amplifybackend Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amplifybackend", diff --git a/clients/client-amplifyuibuilder/CHANGELOG.md b/clients/client-amplifyuibuilder/CHANGELOG.md index 1dfce04b143b..00f0f5afa00f 100644 --- a/clients/client-amplifyuibuilder/CHANGELOG.md +++ b/clients/client-amplifyuibuilder/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-amplifyuibuilder + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-amplifyuibuilder diff --git a/clients/client-amplifyuibuilder/package.json b/clients/client-amplifyuibuilder/package.json index e795fd158486..fd3025dfc54f 100644 --- a/clients/client-amplifyuibuilder/package.json +++ b/clients/client-amplifyuibuilder/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amplifyuibuilder", "description": "AWS SDK for JavaScript Amplifyuibuilder Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amplifyuibuilder", diff --git a/clients/client-api-gateway/CHANGELOG.md b/clients/client-api-gateway/CHANGELOG.md index a25090c69433..ce8734c23da9 100644 --- a/clients/client-api-gateway/CHANGELOG.md +++ b/clients/client-api-gateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-api-gateway + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-api-gateway diff --git a/clients/client-api-gateway/package.json b/clients/client-api-gateway/package.json index a525f8602140..8b63ba0c4620 100644 --- a/clients/client-api-gateway/package.json +++ b/clients/client-api-gateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-api-gateway", "description": "AWS SDK for JavaScript Api Gateway Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-api-gateway", diff --git a/clients/client-apigatewaymanagementapi/CHANGELOG.md b/clients/client-apigatewaymanagementapi/CHANGELOG.md index a1caf718763d..668263dcd323 100644 --- a/clients/client-apigatewaymanagementapi/CHANGELOG.md +++ b/clients/client-apigatewaymanagementapi/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-apigatewaymanagementapi + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-apigatewaymanagementapi diff --git a/clients/client-apigatewaymanagementapi/package.json b/clients/client-apigatewaymanagementapi/package.json index 70ee3be9baa3..1fabf6b7cb14 100644 --- a/clients/client-apigatewaymanagementapi/package.json +++ b/clients/client-apigatewaymanagementapi/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apigatewaymanagementapi", "description": "AWS SDK for JavaScript Apigatewaymanagementapi Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-apigatewaymanagementapi", diff --git a/clients/client-apigatewayv2/CHANGELOG.md b/clients/client-apigatewayv2/CHANGELOG.md index 05b5154b8bb8..97cf84c8bf9b 100644 --- a/clients/client-apigatewayv2/CHANGELOG.md +++ b/clients/client-apigatewayv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-apigatewayv2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-apigatewayv2 diff --git a/clients/client-apigatewayv2/package.json b/clients/client-apigatewayv2/package.json index 2aed70efb92d..2aea1e8552ee 100644 --- a/clients/client-apigatewayv2/package.json +++ b/clients/client-apigatewayv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apigatewayv2", "description": "AWS SDK for JavaScript Apigatewayv2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-apigatewayv2", diff --git a/clients/client-app-mesh/CHANGELOG.md b/clients/client-app-mesh/CHANGELOG.md index fbd7358287ae..f9a55f4dcb6d 100644 --- a/clients/client-app-mesh/CHANGELOG.md +++ b/clients/client-app-mesh/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-app-mesh + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-app-mesh diff --git a/clients/client-app-mesh/package.json b/clients/client-app-mesh/package.json index 1ae0ede9b95b..13913da02e64 100644 --- a/clients/client-app-mesh/package.json +++ b/clients/client-app-mesh/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-app-mesh", "description": "AWS SDK for JavaScript App Mesh Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-app-mesh", diff --git a/clients/client-appconfig/CHANGELOG.md b/clients/client-appconfig/CHANGELOG.md index f766afa60768..3238f2565007 100644 --- a/clients/client-appconfig/CHANGELOG.md +++ b/clients/client-appconfig/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-appconfig + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-appconfig diff --git a/clients/client-appconfig/package.json b/clients/client-appconfig/package.json index 4ef2a7140ace..ce5479b9a8a9 100644 --- a/clients/client-appconfig/package.json +++ b/clients/client-appconfig/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appconfig", "description": "AWS SDK for JavaScript Appconfig Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appconfig", diff --git a/clients/client-appconfigdata/CHANGELOG.md b/clients/client-appconfigdata/CHANGELOG.md index ab728767c1d9..3d51a307f52c 100644 --- a/clients/client-appconfigdata/CHANGELOG.md +++ b/clients/client-appconfigdata/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-appconfigdata + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-appconfigdata diff --git a/clients/client-appconfigdata/package.json b/clients/client-appconfigdata/package.json index af3c89554620..bf9c6a5548aa 100644 --- a/clients/client-appconfigdata/package.json +++ b/clients/client-appconfigdata/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appconfigdata", "description": "AWS SDK for JavaScript Appconfigdata Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appconfigdata", diff --git a/clients/client-appfabric/CHANGELOG.md b/clients/client-appfabric/CHANGELOG.md index 032da8e19485..c961f3118593 100644 --- a/clients/client-appfabric/CHANGELOG.md +++ b/clients/client-appfabric/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-appfabric + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-appfabric diff --git a/clients/client-appfabric/package.json b/clients/client-appfabric/package.json index 5cf9a5f038bd..dba04f49a976 100644 --- a/clients/client-appfabric/package.json +++ b/clients/client-appfabric/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appfabric", "description": "AWS SDK for JavaScript Appfabric Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appfabric", diff --git a/clients/client-appflow/CHANGELOG.md b/clients/client-appflow/CHANGELOG.md index 64e9124cc6eb..c9292a69b471 100644 --- a/clients/client-appflow/CHANGELOG.md +++ b/clients/client-appflow/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-appflow + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-appflow diff --git a/clients/client-appflow/package.json b/clients/client-appflow/package.json index e7fb1b19af56..6c31e2cb5880 100644 --- a/clients/client-appflow/package.json +++ b/clients/client-appflow/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appflow", "description": "AWS SDK for JavaScript Appflow Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appflow", diff --git a/clients/client-appintegrations/CHANGELOG.md b/clients/client-appintegrations/CHANGELOG.md index c9446ef12afb..c7b07eb32c52 100644 --- a/clients/client-appintegrations/CHANGELOG.md +++ b/clients/client-appintegrations/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-appintegrations + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-appintegrations diff --git a/clients/client-appintegrations/package.json b/clients/client-appintegrations/package.json index 12b2322aa9cb..11e9027a54de 100644 --- a/clients/client-appintegrations/package.json +++ b/clients/client-appintegrations/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appintegrations", "description": "AWS SDK for JavaScript Appintegrations Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appintegrations", diff --git a/clients/client-application-auto-scaling/CHANGELOG.md b/clients/client-application-auto-scaling/CHANGELOG.md index b2f3bef27fd6..30176d9134e9 100644 --- a/clients/client-application-auto-scaling/CHANGELOG.md +++ b/clients/client-application-auto-scaling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-application-auto-scaling + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-application-auto-scaling diff --git a/clients/client-application-auto-scaling/package.json b/clients/client-application-auto-scaling/package.json index deed844b9227..815abdd7003d 100644 --- a/clients/client-application-auto-scaling/package.json +++ b/clients/client-application-auto-scaling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-auto-scaling", "description": "AWS SDK for JavaScript Application Auto Scaling Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-application-auto-scaling", diff --git a/clients/client-application-discovery-service/CHANGELOG.md b/clients/client-application-discovery-service/CHANGELOG.md index f01dbe082cf2..eb48c8e33e41 100644 --- a/clients/client-application-discovery-service/CHANGELOG.md +++ b/clients/client-application-discovery-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-application-discovery-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-application-discovery-service diff --git a/clients/client-application-discovery-service/package.json b/clients/client-application-discovery-service/package.json index cf9ce538cd0e..57669ff59836 100644 --- a/clients/client-application-discovery-service/package.json +++ b/clients/client-application-discovery-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-discovery-service", "description": "AWS SDK for JavaScript Application Discovery Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-application-discovery-service", diff --git a/clients/client-application-insights/CHANGELOG.md b/clients/client-application-insights/CHANGELOG.md index ca0007d3385d..41eae8e63e76 100644 --- a/clients/client-application-insights/CHANGELOG.md +++ b/clients/client-application-insights/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-application-insights + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-application-insights diff --git a/clients/client-application-insights/package.json b/clients/client-application-insights/package.json index 773bddae0a06..08ce2e7af2f8 100644 --- a/clients/client-application-insights/package.json +++ b/clients/client-application-insights/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-insights", "description": "AWS SDK for JavaScript Application Insights Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-application-insights", diff --git a/clients/client-application-signals/CHANGELOG.md b/clients/client-application-signals/CHANGELOG.md index 8635af0e03f5..785eda3753c5 100644 --- a/clients/client-application-signals/CHANGELOG.md +++ b/clients/client-application-signals/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-application-signals + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-application-signals diff --git a/clients/client-application-signals/package.json b/clients/client-application-signals/package.json index 7a9d07ab1018..b33a4e84583e 100644 --- a/clients/client-application-signals/package.json +++ b/clients/client-application-signals/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-signals", "description": "AWS SDK for JavaScript Application Signals Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-applicationcostprofiler/CHANGELOG.md b/clients/client-applicationcostprofiler/CHANGELOG.md index 7771cbfb5939..fddad44514b7 100644 --- a/clients/client-applicationcostprofiler/CHANGELOG.md +++ b/clients/client-applicationcostprofiler/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-applicationcostprofiler + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-applicationcostprofiler diff --git a/clients/client-applicationcostprofiler/package.json b/clients/client-applicationcostprofiler/package.json index f8069d96e6c4..ca0c48107778 100644 --- a/clients/client-applicationcostprofiler/package.json +++ b/clients/client-applicationcostprofiler/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-applicationcostprofiler", "description": "AWS SDK for JavaScript Applicationcostprofiler Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-applicationcostprofiler", diff --git a/clients/client-apprunner/CHANGELOG.md b/clients/client-apprunner/CHANGELOG.md index 12973ff3314c..c76ef516c225 100644 --- a/clients/client-apprunner/CHANGELOG.md +++ b/clients/client-apprunner/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-apprunner + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-apprunner diff --git a/clients/client-apprunner/package.json b/clients/client-apprunner/package.json index 99b7ddc2ade9..77c7cbbf33c9 100644 --- a/clients/client-apprunner/package.json +++ b/clients/client-apprunner/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apprunner", "description": "AWS SDK for JavaScript Apprunner Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-apprunner", diff --git a/clients/client-appstream/CHANGELOG.md b/clients/client-appstream/CHANGELOG.md index d34c09293f71..828970aab2e0 100644 --- a/clients/client-appstream/CHANGELOG.md +++ b/clients/client-appstream/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-appstream + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-appstream diff --git a/clients/client-appstream/package.json b/clients/client-appstream/package.json index 74c3ca1f3fc0..a47587ad3845 100644 --- a/clients/client-appstream/package.json +++ b/clients/client-appstream/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appstream", "description": "AWS SDK for JavaScript Appstream Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appstream", diff --git a/clients/client-appsync/CHANGELOG.md b/clients/client-appsync/CHANGELOG.md index 7506216027e3..39b739446038 100644 --- a/clients/client-appsync/CHANGELOG.md +++ b/clients/client-appsync/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-appsync + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-appsync diff --git a/clients/client-appsync/package.json b/clients/client-appsync/package.json index a3760e6423f0..73a372db7b93 100644 --- a/clients/client-appsync/package.json +++ b/clients/client-appsync/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appsync", "description": "AWS SDK for JavaScript Appsync Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appsync", diff --git a/clients/client-apptest/CHANGELOG.md b/clients/client-apptest/CHANGELOG.md index 939e0d9fc090..70dce9d89d02 100644 --- a/clients/client-apptest/CHANGELOG.md +++ b/clients/client-apptest/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-apptest + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-apptest diff --git a/clients/client-apptest/package.json b/clients/client-apptest/package.json index a7fb7f07d6a3..654bec539a06 100644 --- a/clients/client-apptest/package.json +++ b/clients/client-apptest/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apptest", "description": "AWS SDK for JavaScript Apptest Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-arc-zonal-shift/CHANGELOG.md b/clients/client-arc-zonal-shift/CHANGELOG.md index 4c4d556d7b46..9f7011378017 100644 --- a/clients/client-arc-zonal-shift/CHANGELOG.md +++ b/clients/client-arc-zonal-shift/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-arc-zonal-shift + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-arc-zonal-shift diff --git a/clients/client-arc-zonal-shift/package.json b/clients/client-arc-zonal-shift/package.json index 458a4cf5ab20..c9d451010281 100644 --- a/clients/client-arc-zonal-shift/package.json +++ b/clients/client-arc-zonal-shift/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-arc-zonal-shift", "description": "AWS SDK for JavaScript Arc Zonal Shift Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-arc-zonal-shift", diff --git a/clients/client-artifact/CHANGELOG.md b/clients/client-artifact/CHANGELOG.md index 382877f17926..6fac51e01f5b 100644 --- a/clients/client-artifact/CHANGELOG.md +++ b/clients/client-artifact/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-artifact + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-artifact diff --git a/clients/client-artifact/package.json b/clients/client-artifact/package.json index 269efe5b96ad..0eb9ce29ab06 100644 --- a/clients/client-artifact/package.json +++ b/clients/client-artifact/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-artifact", "description": "AWS SDK for JavaScript Artifact Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-athena/CHANGELOG.md b/clients/client-athena/CHANGELOG.md index 21d522bf0313..8f8b514d2345 100644 --- a/clients/client-athena/CHANGELOG.md +++ b/clients/client-athena/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-athena + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-athena diff --git a/clients/client-athena/package.json b/clients/client-athena/package.json index f3f8eed037e2..16649e9bcf3b 100644 --- a/clients/client-athena/package.json +++ b/clients/client-athena/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-athena", "description": "AWS SDK for JavaScript Athena Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-athena", diff --git a/clients/client-auditmanager/CHANGELOG.md b/clients/client-auditmanager/CHANGELOG.md index c339a890624d..4aab91aeab9b 100644 --- a/clients/client-auditmanager/CHANGELOG.md +++ b/clients/client-auditmanager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-auditmanager + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-auditmanager diff --git a/clients/client-auditmanager/package.json b/clients/client-auditmanager/package.json index 3006e5c8146e..b21df508c8ad 100644 --- a/clients/client-auditmanager/package.json +++ b/clients/client-auditmanager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-auditmanager", "description": "AWS SDK for JavaScript Auditmanager Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-auditmanager", diff --git a/clients/client-auto-scaling-plans/CHANGELOG.md b/clients/client-auto-scaling-plans/CHANGELOG.md index 64044abc9f8e..38027e157a90 100644 --- a/clients/client-auto-scaling-plans/CHANGELOG.md +++ b/clients/client-auto-scaling-plans/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-auto-scaling-plans + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-auto-scaling-plans diff --git a/clients/client-auto-scaling-plans/package.json b/clients/client-auto-scaling-plans/package.json index a0aeb872b3ad..7b1f11cb96cb 100644 --- a/clients/client-auto-scaling-plans/package.json +++ b/clients/client-auto-scaling-plans/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-auto-scaling-plans", "description": "AWS SDK for JavaScript Auto Scaling Plans Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-auto-scaling-plans", diff --git a/clients/client-auto-scaling/CHANGELOG.md b/clients/client-auto-scaling/CHANGELOG.md index 02bab518f1a1..2b4875706d82 100644 --- a/clients/client-auto-scaling/CHANGELOG.md +++ b/clients/client-auto-scaling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-auto-scaling + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-auto-scaling diff --git a/clients/client-auto-scaling/package.json b/clients/client-auto-scaling/package.json index e4c3f3c8b951..d5a33208d9c6 100644 --- a/clients/client-auto-scaling/package.json +++ b/clients/client-auto-scaling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-auto-scaling", "description": "AWS SDK for JavaScript Auto Scaling Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-auto-scaling", diff --git a/clients/client-b2bi/CHANGELOG.md b/clients/client-b2bi/CHANGELOG.md index 0955ba073220..733c4eb300ca 100644 --- a/clients/client-b2bi/CHANGELOG.md +++ b/clients/client-b2bi/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-b2bi + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-b2bi diff --git a/clients/client-b2bi/package.json b/clients/client-b2bi/package.json index 0fdffb46b557..3c63ff090feb 100644 --- a/clients/client-b2bi/package.json +++ b/clients/client-b2bi/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-b2bi", "description": "AWS SDK for JavaScript B2bi Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-b2bi", diff --git a/clients/client-backup-gateway/CHANGELOG.md b/clients/client-backup-gateway/CHANGELOG.md index 1fed0afe4514..74d13b76f889 100644 --- a/clients/client-backup-gateway/CHANGELOG.md +++ b/clients/client-backup-gateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-backup-gateway + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-backup-gateway diff --git a/clients/client-backup-gateway/package.json b/clients/client-backup-gateway/package.json index 20843de4c771..2321da4d7ad7 100644 --- a/clients/client-backup-gateway/package.json +++ b/clients/client-backup-gateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-backup-gateway", "description": "AWS SDK for JavaScript Backup Gateway Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-backup-gateway", diff --git a/clients/client-backup/CHANGELOG.md b/clients/client-backup/CHANGELOG.md index f11745423e08..73b0e31bdde7 100644 --- a/clients/client-backup/CHANGELOG.md +++ b/clients/client-backup/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-backup + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-backup diff --git a/clients/client-backup/package.json b/clients/client-backup/package.json index ea842eb155a4..0fd6f17db162 100644 --- a/clients/client-backup/package.json +++ b/clients/client-backup/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-backup", "description": "AWS SDK for JavaScript Backup Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-backup", diff --git a/clients/client-batch/CHANGELOG.md b/clients/client-batch/CHANGELOG.md index 56f1c78f9521..012fff0037eb 100644 --- a/clients/client-batch/CHANGELOG.md +++ b/clients/client-batch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-batch + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-batch diff --git a/clients/client-batch/package.json b/clients/client-batch/package.json index 2c90cccdf64e..e5aa98b581ed 100644 --- a/clients/client-batch/package.json +++ b/clients/client-batch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-batch", "description": "AWS SDK for JavaScript Batch Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-batch", diff --git a/clients/client-bcm-data-exports/CHANGELOG.md b/clients/client-bcm-data-exports/CHANGELOG.md index 0bec16467c6b..d6a47e76a13a 100644 --- a/clients/client-bcm-data-exports/CHANGELOG.md +++ b/clients/client-bcm-data-exports/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-bcm-data-exports + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-bcm-data-exports diff --git a/clients/client-bcm-data-exports/package.json b/clients/client-bcm-data-exports/package.json index a56cb4a373bb..96198c5dc53a 100644 --- a/clients/client-bcm-data-exports/package.json +++ b/clients/client-bcm-data-exports/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bcm-data-exports", "description": "AWS SDK for JavaScript Bcm Data Exports Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bcm-data-exports", diff --git a/clients/client-bedrock-agent-runtime/CHANGELOG.md b/clients/client-bedrock-agent-runtime/CHANGELOG.md index 4060cf483c83..d9d847edb4b4 100644 --- a/clients/client-bedrock-agent-runtime/CHANGELOG.md +++ b/clients/client-bedrock-agent-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-agent-runtime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) diff --git a/clients/client-bedrock-agent-runtime/package.json b/clients/client-bedrock-agent-runtime/package.json index 8e301e2fee95..59f654392fdb 100644 --- a/clients/client-bedrock-agent-runtime/package.json +++ b/clients/client-bedrock-agent-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-agent-runtime", "description": "AWS SDK for JavaScript Bedrock Agent Runtime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock-agent-runtime", diff --git a/clients/client-bedrock-agent/CHANGELOG.md b/clients/client-bedrock-agent/CHANGELOG.md index d80927a03b70..5891b9920d74 100644 --- a/clients/client-bedrock-agent/CHANGELOG.md +++ b/clients/client-bedrock-agent/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-agent + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) diff --git a/clients/client-bedrock-agent/package.json b/clients/client-bedrock-agent/package.json index 82c9c4e87aca..f624321ba7c4 100644 --- a/clients/client-bedrock-agent/package.json +++ b/clients/client-bedrock-agent/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-agent", "description": "AWS SDK for JavaScript Bedrock Agent Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock-agent", diff --git a/clients/client-bedrock-runtime/CHANGELOG.md b/clients/client-bedrock-runtime/CHANGELOG.md index be7723e2dec4..91579840f529 100644 --- a/clients/client-bedrock-runtime/CHANGELOG.md +++ b/clients/client-bedrock-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-runtime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-bedrock-runtime diff --git a/clients/client-bedrock-runtime/package.json b/clients/client-bedrock-runtime/package.json index f5b2427222c7..a5e608a3c54c 100644 --- a/clients/client-bedrock-runtime/package.json +++ b/clients/client-bedrock-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-runtime", "description": "AWS SDK for JavaScript Bedrock Runtime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock-runtime", diff --git a/clients/client-bedrock/CHANGELOG.md b/clients/client-bedrock/CHANGELOG.md index 5699aeb431ad..51758d969acd 100644 --- a/clients/client-bedrock/CHANGELOG.md +++ b/clients/client-bedrock/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-bedrock + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-bedrock diff --git a/clients/client-bedrock/package.json b/clients/client-bedrock/package.json index 5c870a09bc80..069e442b3897 100644 --- a/clients/client-bedrock/package.json +++ b/clients/client-bedrock/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock", "description": "AWS SDK for JavaScript Bedrock Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock", diff --git a/clients/client-billingconductor/CHANGELOG.md b/clients/client-billingconductor/CHANGELOG.md index 776e4c70294b..c9bec98c98ac 100644 --- a/clients/client-billingconductor/CHANGELOG.md +++ b/clients/client-billingconductor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-billingconductor + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-billingconductor diff --git a/clients/client-billingconductor/package.json b/clients/client-billingconductor/package.json index 33edb9a8de8b..c20f499fb798 100644 --- a/clients/client-billingconductor/package.json +++ b/clients/client-billingconductor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-billingconductor", "description": "AWS SDK for JavaScript Billingconductor Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-billingconductor", diff --git a/clients/client-braket/CHANGELOG.md b/clients/client-braket/CHANGELOG.md index df3d55572815..b12aeb66b8d8 100644 --- a/clients/client-braket/CHANGELOG.md +++ b/clients/client-braket/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-braket + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-braket diff --git a/clients/client-braket/package.json b/clients/client-braket/package.json index 01a855fd142d..f9523f9fe164 100644 --- a/clients/client-braket/package.json +++ b/clients/client-braket/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-braket", "description": "AWS SDK for JavaScript Braket Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-braket", diff --git a/clients/client-budgets/CHANGELOG.md b/clients/client-budgets/CHANGELOG.md index 544ac527f64c..62890da890c5 100644 --- a/clients/client-budgets/CHANGELOG.md +++ b/clients/client-budgets/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-budgets + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-budgets diff --git a/clients/client-budgets/package.json b/clients/client-budgets/package.json index 759caa0cfa30..fd2c7cfcb4fd 100644 --- a/clients/client-budgets/package.json +++ b/clients/client-budgets/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-budgets", "description": "AWS SDK for JavaScript Budgets Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-budgets", diff --git a/clients/client-chatbot/CHANGELOG.md b/clients/client-chatbot/CHANGELOG.md index fd9bc5928245..46c912ba7d33 100644 --- a/clients/client-chatbot/CHANGELOG.md +++ b/clients/client-chatbot/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-chatbot + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-chatbot diff --git a/clients/client-chatbot/package.json b/clients/client-chatbot/package.json index 8c5165f4f243..9527d61397be 100644 --- a/clients/client-chatbot/package.json +++ b/clients/client-chatbot/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chatbot", "description": "AWS SDK for JavaScript Chatbot Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-chime-sdk-identity/CHANGELOG.md b/clients/client-chime-sdk-identity/CHANGELOG.md index 1498c5cd1592..62ebe59a7821 100644 --- a/clients/client-chime-sdk-identity/CHANGELOG.md +++ b/clients/client-chime-sdk-identity/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-identity + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-identity diff --git a/clients/client-chime-sdk-identity/package.json b/clients/client-chime-sdk-identity/package.json index 05aa4fb99b0f..90c7841565d8 100644 --- a/clients/client-chime-sdk-identity/package.json +++ b/clients/client-chime-sdk-identity/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-identity", "description": "AWS SDK for JavaScript Chime Sdk Identity Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-identity", diff --git a/clients/client-chime-sdk-media-pipelines/CHANGELOG.md b/clients/client-chime-sdk-media-pipelines/CHANGELOG.md index e95f9f635036..87a4e2187044 100644 --- a/clients/client-chime-sdk-media-pipelines/CHANGELOG.md +++ b/clients/client-chime-sdk-media-pipelines/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-media-pipelines + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-media-pipelines diff --git a/clients/client-chime-sdk-media-pipelines/package.json b/clients/client-chime-sdk-media-pipelines/package.json index f5bc33ff158e..aaa3eb4edb20 100644 --- a/clients/client-chime-sdk-media-pipelines/package.json +++ b/clients/client-chime-sdk-media-pipelines/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-media-pipelines", "description": "AWS SDK for JavaScript Chime Sdk Media Pipelines Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-media-pipelines", diff --git a/clients/client-chime-sdk-meetings/CHANGELOG.md b/clients/client-chime-sdk-meetings/CHANGELOG.md index 99f63e52a627..f85abfadf36b 100644 --- a/clients/client-chime-sdk-meetings/CHANGELOG.md +++ b/clients/client-chime-sdk-meetings/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-meetings + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-meetings diff --git a/clients/client-chime-sdk-meetings/package.json b/clients/client-chime-sdk-meetings/package.json index ee593e8e907c..3cfd945fce0c 100644 --- a/clients/client-chime-sdk-meetings/package.json +++ b/clients/client-chime-sdk-meetings/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-meetings", "description": "AWS SDK for JavaScript Chime Sdk Meetings Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-meetings", diff --git a/clients/client-chime-sdk-messaging/CHANGELOG.md b/clients/client-chime-sdk-messaging/CHANGELOG.md index a8288c0298ab..d71b4be5ab42 100644 --- a/clients/client-chime-sdk-messaging/CHANGELOG.md +++ b/clients/client-chime-sdk-messaging/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-messaging + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-messaging diff --git a/clients/client-chime-sdk-messaging/package.json b/clients/client-chime-sdk-messaging/package.json index 248d5cda2535..6753ede7e541 100644 --- a/clients/client-chime-sdk-messaging/package.json +++ b/clients/client-chime-sdk-messaging/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-messaging", "description": "AWS SDK for JavaScript Chime Sdk Messaging Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-messaging", diff --git a/clients/client-chime-sdk-voice/CHANGELOG.md b/clients/client-chime-sdk-voice/CHANGELOG.md index 443b55962825..bb3874b6ea56 100644 --- a/clients/client-chime-sdk-voice/CHANGELOG.md +++ b/clients/client-chime-sdk-voice/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-voice + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-voice diff --git a/clients/client-chime-sdk-voice/package.json b/clients/client-chime-sdk-voice/package.json index 579a2c49f3f4..6f91c14cd003 100644 --- a/clients/client-chime-sdk-voice/package.json +++ b/clients/client-chime-sdk-voice/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-voice", "description": "AWS SDK for JavaScript Chime Sdk Voice Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-voice", diff --git a/clients/client-chime/CHANGELOG.md b/clients/client-chime/CHANGELOG.md index c4dc3dc8ea1c..f33d71c6ccd2 100644 --- a/clients/client-chime/CHANGELOG.md +++ b/clients/client-chime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-chime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-chime diff --git a/clients/client-chime/package.json b/clients/client-chime/package.json index f9da5c49353e..0030d6f08281 100644 --- a/clients/client-chime/package.json +++ b/clients/client-chime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime", "description": "AWS SDK for JavaScript Chime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime", diff --git a/clients/client-cleanrooms/CHANGELOG.md b/clients/client-cleanrooms/CHANGELOG.md index 5e102ece1262..9488dfaaa584 100644 --- a/clients/client-cleanrooms/CHANGELOG.md +++ b/clients/client-cleanrooms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cleanrooms + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cleanrooms diff --git a/clients/client-cleanrooms/package.json b/clients/client-cleanrooms/package.json index e33f5f086c50..c766ab0959b5 100644 --- a/clients/client-cleanrooms/package.json +++ b/clients/client-cleanrooms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cleanrooms", "description": "AWS SDK for JavaScript Cleanrooms Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cleanrooms", diff --git a/clients/client-cleanroomsml/CHANGELOG.md b/clients/client-cleanroomsml/CHANGELOG.md index 0adbf4ca464b..8ab8d32c1afb 100644 --- a/clients/client-cleanroomsml/CHANGELOG.md +++ b/clients/client-cleanroomsml/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cleanroomsml + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cleanroomsml diff --git a/clients/client-cleanroomsml/package.json b/clients/client-cleanroomsml/package.json index a58b6fb89e66..6b799356892e 100644 --- a/clients/client-cleanroomsml/package.json +++ b/clients/client-cleanroomsml/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cleanroomsml", "description": "AWS SDK for JavaScript Cleanroomsml Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cleanroomsml", diff --git a/clients/client-cloud9/CHANGELOG.md b/clients/client-cloud9/CHANGELOG.md index e1e9e8fbac3b..fd6d7ec8cd77 100644 --- a/clients/client-cloud9/CHANGELOG.md +++ b/clients/client-cloud9/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloud9 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloud9 diff --git a/clients/client-cloud9/package.json b/clients/client-cloud9/package.json index c22ec13ad3de..7e9d0009a8a2 100644 --- a/clients/client-cloud9/package.json +++ b/clients/client-cloud9/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloud9", "description": "AWS SDK for JavaScript Cloud9 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloud9", diff --git a/clients/client-cloudcontrol/CHANGELOG.md b/clients/client-cloudcontrol/CHANGELOG.md index dd78b1832fac..b0cc846175cd 100644 --- a/clients/client-cloudcontrol/CHANGELOG.md +++ b/clients/client-cloudcontrol/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudcontrol + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudcontrol diff --git a/clients/client-cloudcontrol/package.json b/clients/client-cloudcontrol/package.json index 161f2366c2d1..148dcf8b071a 100644 --- a/clients/client-cloudcontrol/package.json +++ b/clients/client-cloudcontrol/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudcontrol", "description": "AWS SDK for JavaScript Cloudcontrol Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudcontrol", diff --git a/clients/client-clouddirectory/CHANGELOG.md b/clients/client-clouddirectory/CHANGELOG.md index 3d23989ee374..d38389b036f7 100644 --- a/clients/client-clouddirectory/CHANGELOG.md +++ b/clients/client-clouddirectory/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-clouddirectory + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-clouddirectory diff --git a/clients/client-clouddirectory/package.json b/clients/client-clouddirectory/package.json index b64c03379bdb..52374a92db50 100644 --- a/clients/client-clouddirectory/package.json +++ b/clients/client-clouddirectory/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-clouddirectory", "description": "AWS SDK for JavaScript Clouddirectory Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-clouddirectory", diff --git a/clients/client-cloudformation/CHANGELOG.md b/clients/client-cloudformation/CHANGELOG.md index 739e33f9f193..f71849343b65 100644 --- a/clients/client-cloudformation/CHANGELOG.md +++ b/clients/client-cloudformation/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudformation + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudformation diff --git a/clients/client-cloudformation/package.json b/clients/client-cloudformation/package.json index 3ba81ebd71f1..cc7bfa98db39 100644 --- a/clients/client-cloudformation/package.json +++ b/clients/client-cloudformation/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudformation", "description": "AWS SDK for JavaScript Cloudformation Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudformation", diff --git a/clients/client-cloudfront-keyvaluestore/CHANGELOG.md b/clients/client-cloudfront-keyvaluestore/CHANGELOG.md index 505a1c103519..dd63aeb79bdd 100644 --- a/clients/client-cloudfront-keyvaluestore/CHANGELOG.md +++ b/clients/client-cloudfront-keyvaluestore/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudfront-keyvaluestore + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudfront-keyvaluestore diff --git a/clients/client-cloudfront-keyvaluestore/package.json b/clients/client-cloudfront-keyvaluestore/package.json index ad8ba607300b..47bd387f4d85 100644 --- a/clients/client-cloudfront-keyvaluestore/package.json +++ b/clients/client-cloudfront-keyvaluestore/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudfront-keyvaluestore", "description": "AWS SDK for JavaScript Cloudfront Keyvaluestore Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudfront-keyvaluestore", diff --git a/clients/client-cloudfront/CHANGELOG.md b/clients/client-cloudfront/CHANGELOG.md index bb408e70fcf6..479157227293 100644 --- a/clients/client-cloudfront/CHANGELOG.md +++ b/clients/client-cloudfront/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudfront + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudfront diff --git a/clients/client-cloudfront/package.json b/clients/client-cloudfront/package.json index 5cdca744be08..a229e0643c59 100644 --- a/clients/client-cloudfront/package.json +++ b/clients/client-cloudfront/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudfront", "description": "AWS SDK for JavaScript Cloudfront Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudfront", diff --git a/clients/client-cloudhsm-v2/CHANGELOG.md b/clients/client-cloudhsm-v2/CHANGELOG.md index a5b14d85f72d..ab4259d383e9 100644 --- a/clients/client-cloudhsm-v2/CHANGELOG.md +++ b/clients/client-cloudhsm-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudhsm-v2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudhsm-v2 diff --git a/clients/client-cloudhsm-v2/package.json b/clients/client-cloudhsm-v2/package.json index 24450a8678a4..7b7a9a902863 100644 --- a/clients/client-cloudhsm-v2/package.json +++ b/clients/client-cloudhsm-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudhsm-v2", "description": "AWS SDK for JavaScript Cloudhsm V2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudhsm-v2", diff --git a/clients/client-cloudhsm/CHANGELOG.md b/clients/client-cloudhsm/CHANGELOG.md index c3cc436c7cce..d4a7b79a61d3 100644 --- a/clients/client-cloudhsm/CHANGELOG.md +++ b/clients/client-cloudhsm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudhsm + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudhsm diff --git a/clients/client-cloudhsm/package.json b/clients/client-cloudhsm/package.json index efd6099855b1..934acc8bd168 100644 --- a/clients/client-cloudhsm/package.json +++ b/clients/client-cloudhsm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudhsm", "description": "AWS SDK for JavaScript Cloudhsm Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudhsm", diff --git a/clients/client-cloudsearch-domain/CHANGELOG.md b/clients/client-cloudsearch-domain/CHANGELOG.md index 5872f0ad8c9a..af9d7d4603da 100644 --- a/clients/client-cloudsearch-domain/CHANGELOG.md +++ b/clients/client-cloudsearch-domain/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudsearch-domain + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudsearch-domain diff --git a/clients/client-cloudsearch-domain/package.json b/clients/client-cloudsearch-domain/package.json index 40368baba117..41093b3adead 100644 --- a/clients/client-cloudsearch-domain/package.json +++ b/clients/client-cloudsearch-domain/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudsearch-domain", "description": "AWS SDK for JavaScript Cloudsearch Domain Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudsearch-domain", diff --git a/clients/client-cloudsearch/CHANGELOG.md b/clients/client-cloudsearch/CHANGELOG.md index 7008f710a6ac..fa15ae283e8b 100644 --- a/clients/client-cloudsearch/CHANGELOG.md +++ b/clients/client-cloudsearch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudsearch + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudsearch diff --git a/clients/client-cloudsearch/package.json b/clients/client-cloudsearch/package.json index e5ea658572f1..17ccc32029bf 100644 --- a/clients/client-cloudsearch/package.json +++ b/clients/client-cloudsearch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudsearch", "description": "AWS SDK for JavaScript Cloudsearch Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudsearch", diff --git a/clients/client-cloudtrail-data/CHANGELOG.md b/clients/client-cloudtrail-data/CHANGELOG.md index febd1442d660..ee80c8a215c0 100644 --- a/clients/client-cloudtrail-data/CHANGELOG.md +++ b/clients/client-cloudtrail-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudtrail-data + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudtrail-data diff --git a/clients/client-cloudtrail-data/package.json b/clients/client-cloudtrail-data/package.json index 735d13f48fe7..85f5b64263f1 100644 --- a/clients/client-cloudtrail-data/package.json +++ b/clients/client-cloudtrail-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudtrail-data", "description": "AWS SDK for JavaScript Cloudtrail Data Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudtrail-data", diff --git a/clients/client-cloudtrail/CHANGELOG.md b/clients/client-cloudtrail/CHANGELOG.md index 2f4e23da9fda..9fdbe89b2415 100644 --- a/clients/client-cloudtrail/CHANGELOG.md +++ b/clients/client-cloudtrail/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudtrail + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudtrail diff --git a/clients/client-cloudtrail/package.json b/clients/client-cloudtrail/package.json index 9ceb432b5820..9e0edf0c38c0 100644 --- a/clients/client-cloudtrail/package.json +++ b/clients/client-cloudtrail/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudtrail", "description": "AWS SDK for JavaScript Cloudtrail Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudtrail", diff --git a/clients/client-cloudwatch-events/CHANGELOG.md b/clients/client-cloudwatch-events/CHANGELOG.md index a4cd1f340983..e5e76415a79c 100644 --- a/clients/client-cloudwatch-events/CHANGELOG.md +++ b/clients/client-cloudwatch-events/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch-events + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudwatch-events diff --git a/clients/client-cloudwatch-events/package.json b/clients/client-cloudwatch-events/package.json index 9d1be40e3454..6cf4813401ca 100644 --- a/clients/client-cloudwatch-events/package.json +++ b/clients/client-cloudwatch-events/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudwatch-events", "description": "AWS SDK for JavaScript Cloudwatch Events Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudwatch-events", diff --git a/clients/client-cloudwatch-logs/CHANGELOG.md b/clients/client-cloudwatch-logs/CHANGELOG.md index 985b12475e2a..4f60831e9f2c 100644 --- a/clients/client-cloudwatch-logs/CHANGELOG.md +++ b/clients/client-cloudwatch-logs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch-logs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudwatch-logs diff --git a/clients/client-cloudwatch-logs/package.json b/clients/client-cloudwatch-logs/package.json index b41195f128a1..8e51e3635864 100644 --- a/clients/client-cloudwatch-logs/package.json +++ b/clients/client-cloudwatch-logs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudwatch-logs", "description": "AWS SDK for JavaScript Cloudwatch Logs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudwatch-logs", diff --git a/clients/client-cloudwatch/CHANGELOG.md b/clients/client-cloudwatch/CHANGELOG.md index 9de930319a87..0fd8fe14ffad 100644 --- a/clients/client-cloudwatch/CHANGELOG.md +++ b/clients/client-cloudwatch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cloudwatch diff --git a/clients/client-cloudwatch/package.json b/clients/client-cloudwatch/package.json index d4d8e4b1c96d..5a7ff59f5c6b 100644 --- a/clients/client-cloudwatch/package.json +++ b/clients/client-cloudwatch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudwatch", "description": "AWS SDK for JavaScript Cloudwatch Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudwatch", diff --git a/clients/client-codeartifact/CHANGELOG.md b/clients/client-codeartifact/CHANGELOG.md index 39e548f859f6..57a432f69384 100644 --- a/clients/client-codeartifact/CHANGELOG.md +++ b/clients/client-codeartifact/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codeartifact + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codeartifact diff --git a/clients/client-codeartifact/package.json b/clients/client-codeartifact/package.json index 4579222792e0..696b3f308bef 100644 --- a/clients/client-codeartifact/package.json +++ b/clients/client-codeartifact/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeartifact", "description": "AWS SDK for JavaScript Codeartifact Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeartifact", diff --git a/clients/client-codebuild/CHANGELOG.md b/clients/client-codebuild/CHANGELOG.md index efa89e27c56b..29ad88c10d41 100644 --- a/clients/client-codebuild/CHANGELOG.md +++ b/clients/client-codebuild/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codebuild + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codebuild diff --git a/clients/client-codebuild/package.json b/clients/client-codebuild/package.json index 6824a20364a4..b5fc861d8b5b 100644 --- a/clients/client-codebuild/package.json +++ b/clients/client-codebuild/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codebuild", "description": "AWS SDK for JavaScript Codebuild Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codebuild", diff --git a/clients/client-codecatalyst/CHANGELOG.md b/clients/client-codecatalyst/CHANGELOG.md index 27cec5168173..6c8264b45bec 100644 --- a/clients/client-codecatalyst/CHANGELOG.md +++ b/clients/client-codecatalyst/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codecatalyst + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codecatalyst diff --git a/clients/client-codecatalyst/package.json b/clients/client-codecatalyst/package.json index 7de40ccc0bc4..b9e26b1096af 100644 --- a/clients/client-codecatalyst/package.json +++ b/clients/client-codecatalyst/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codecatalyst", "description": "AWS SDK for JavaScript Codecatalyst Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codecatalyst", diff --git a/clients/client-codecommit/CHANGELOG.md b/clients/client-codecommit/CHANGELOG.md index 52b6963056c2..1e647b65daf2 100644 --- a/clients/client-codecommit/CHANGELOG.md +++ b/clients/client-codecommit/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codecommit + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codecommit diff --git a/clients/client-codecommit/package.json b/clients/client-codecommit/package.json index 987aa271d3bb..db97b9a6172d 100644 --- a/clients/client-codecommit/package.json +++ b/clients/client-codecommit/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codecommit", "description": "AWS SDK for JavaScript Codecommit Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codecommit", diff --git a/clients/client-codeconnections/CHANGELOG.md b/clients/client-codeconnections/CHANGELOG.md index b55d1a669a5b..a58d16723fa3 100644 --- a/clients/client-codeconnections/CHANGELOG.md +++ b/clients/client-codeconnections/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codeconnections + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codeconnections diff --git a/clients/client-codeconnections/package.json b/clients/client-codeconnections/package.json index e6c0d763d0f0..09667b65e5fa 100644 --- a/clients/client-codeconnections/package.json +++ b/clients/client-codeconnections/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeconnections", "description": "AWS SDK for JavaScript Codeconnections Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-codedeploy/CHANGELOG.md b/clients/client-codedeploy/CHANGELOG.md index f3acbc556592..d8ee04a1550c 100644 --- a/clients/client-codedeploy/CHANGELOG.md +++ b/clients/client-codedeploy/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codedeploy + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codedeploy diff --git a/clients/client-codedeploy/package.json b/clients/client-codedeploy/package.json index 7fb66409615f..8868ee3ba84d 100644 --- a/clients/client-codedeploy/package.json +++ b/clients/client-codedeploy/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codedeploy", "description": "AWS SDK for JavaScript Codedeploy Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codedeploy", diff --git a/clients/client-codeguru-reviewer/CHANGELOG.md b/clients/client-codeguru-reviewer/CHANGELOG.md index 7cd67ff5bf6b..d74af4f4da04 100644 --- a/clients/client-codeguru-reviewer/CHANGELOG.md +++ b/clients/client-codeguru-reviewer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codeguru-reviewer + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codeguru-reviewer diff --git a/clients/client-codeguru-reviewer/package.json b/clients/client-codeguru-reviewer/package.json index c05cfa8474f7..e622e71d65ea 100644 --- a/clients/client-codeguru-reviewer/package.json +++ b/clients/client-codeguru-reviewer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeguru-reviewer", "description": "AWS SDK for JavaScript Codeguru Reviewer Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeguru-reviewer", diff --git a/clients/client-codeguru-security/CHANGELOG.md b/clients/client-codeguru-security/CHANGELOG.md index be42b88cd338..d0fb1af78d16 100644 --- a/clients/client-codeguru-security/CHANGELOG.md +++ b/clients/client-codeguru-security/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codeguru-security + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codeguru-security diff --git a/clients/client-codeguru-security/package.json b/clients/client-codeguru-security/package.json index 62ff21978816..ee74ae2de8fa 100644 --- a/clients/client-codeguru-security/package.json +++ b/clients/client-codeguru-security/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeguru-security", "description": "AWS SDK for JavaScript Codeguru Security Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeguru-security", diff --git a/clients/client-codeguruprofiler/CHANGELOG.md b/clients/client-codeguruprofiler/CHANGELOG.md index 0c92814a241c..f56bfeef3413 100644 --- a/clients/client-codeguruprofiler/CHANGELOG.md +++ b/clients/client-codeguruprofiler/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codeguruprofiler + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codeguruprofiler diff --git a/clients/client-codeguruprofiler/package.json b/clients/client-codeguruprofiler/package.json index e7201e20a3fd..df4eff7ab18f 100644 --- a/clients/client-codeguruprofiler/package.json +++ b/clients/client-codeguruprofiler/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeguruprofiler", "description": "AWS SDK for JavaScript Codeguruprofiler Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeguruprofiler", diff --git a/clients/client-codepipeline/CHANGELOG.md b/clients/client-codepipeline/CHANGELOG.md index 4876215e180d..08aa5e0c3a51 100644 --- a/clients/client-codepipeline/CHANGELOG.md +++ b/clients/client-codepipeline/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codepipeline + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codepipeline diff --git a/clients/client-codepipeline/package.json b/clients/client-codepipeline/package.json index 5eb4b12e443b..9d3650d52f4a 100644 --- a/clients/client-codepipeline/package.json +++ b/clients/client-codepipeline/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codepipeline", "description": "AWS SDK for JavaScript Codepipeline Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codepipeline", diff --git a/clients/client-codestar-connections/CHANGELOG.md b/clients/client-codestar-connections/CHANGELOG.md index cdc978874f38..cbff40a23006 100644 --- a/clients/client-codestar-connections/CHANGELOG.md +++ b/clients/client-codestar-connections/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codestar-connections + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codestar-connections diff --git a/clients/client-codestar-connections/package.json b/clients/client-codestar-connections/package.json index c0373d45288e..39a5666a0b1e 100644 --- a/clients/client-codestar-connections/package.json +++ b/clients/client-codestar-connections/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codestar-connections", "description": "AWS SDK for JavaScript Codestar Connections Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codestar-connections", diff --git a/clients/client-codestar-notifications/CHANGELOG.md b/clients/client-codestar-notifications/CHANGELOG.md index 3479ac2340ae..5e3adb8d0b1e 100644 --- a/clients/client-codestar-notifications/CHANGELOG.md +++ b/clients/client-codestar-notifications/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-codestar-notifications + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-codestar-notifications diff --git a/clients/client-codestar-notifications/package.json b/clients/client-codestar-notifications/package.json index 138ee2ab1c53..06671dd8e622 100644 --- a/clients/client-codestar-notifications/package.json +++ b/clients/client-codestar-notifications/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codestar-notifications", "description": "AWS SDK for JavaScript Codestar Notifications Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codestar-notifications", diff --git a/clients/client-cognito-identity-provider/CHANGELOG.md b/clients/client-cognito-identity-provider/CHANGELOG.md index 450122c5648d..2d2bd8be4974 100644 --- a/clients/client-cognito-identity-provider/CHANGELOG.md +++ b/clients/client-cognito-identity-provider/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cognito-identity-provider + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/clients/client-cognito-identity-provider/package.json b/clients/client-cognito-identity-provider/package.json index 87639ee19f56..7adaff1f0916 100644 --- a/clients/client-cognito-identity-provider/package.json +++ b/clients/client-cognito-identity-provider/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cognito-identity-provider", "description": "AWS SDK for JavaScript Cognito Identity Provider Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cognito-identity-provider", diff --git a/clients/client-cognito-identity/CHANGELOG.md b/clients/client-cognito-identity/CHANGELOG.md index 554d26618242..2454a5ac4909 100644 --- a/clients/client-cognito-identity/CHANGELOG.md +++ b/clients/client-cognito-identity/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cognito-identity + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cognito-identity diff --git a/clients/client-cognito-identity/package.json b/clients/client-cognito-identity/package.json index bba8883ff76f..e32a03b10f11 100644 --- a/clients/client-cognito-identity/package.json +++ b/clients/client-cognito-identity/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cognito-identity", "description": "AWS SDK for JavaScript Cognito Identity Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cognito-identity", diff --git a/clients/client-cognito-sync/CHANGELOG.md b/clients/client-cognito-sync/CHANGELOG.md index ff09d359632f..285a875ef42f 100644 --- a/clients/client-cognito-sync/CHANGELOG.md +++ b/clients/client-cognito-sync/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cognito-sync + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cognito-sync diff --git a/clients/client-cognito-sync/package.json b/clients/client-cognito-sync/package.json index 57f8e05be657..6736d22a36b5 100644 --- a/clients/client-cognito-sync/package.json +++ b/clients/client-cognito-sync/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cognito-sync", "description": "AWS SDK for JavaScript Cognito Sync Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cognito-sync", diff --git a/clients/client-comprehend/CHANGELOG.md b/clients/client-comprehend/CHANGELOG.md index 39f8f5cf3a14..1da21526a12e 100644 --- a/clients/client-comprehend/CHANGELOG.md +++ b/clients/client-comprehend/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-comprehend + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-comprehend diff --git a/clients/client-comprehend/package.json b/clients/client-comprehend/package.json index fa6282a6babe..865b661686fe 100644 --- a/clients/client-comprehend/package.json +++ b/clients/client-comprehend/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-comprehend", "description": "AWS SDK for JavaScript Comprehend Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-comprehend", diff --git a/clients/client-comprehendmedical/CHANGELOG.md b/clients/client-comprehendmedical/CHANGELOG.md index f65075f789a8..950aee2aed2c 100644 --- a/clients/client-comprehendmedical/CHANGELOG.md +++ b/clients/client-comprehendmedical/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-comprehendmedical + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-comprehendmedical diff --git a/clients/client-comprehendmedical/package.json b/clients/client-comprehendmedical/package.json index 6f10884beabc..35608b7fbedb 100644 --- a/clients/client-comprehendmedical/package.json +++ b/clients/client-comprehendmedical/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-comprehendmedical", "description": "AWS SDK for JavaScript Comprehendmedical Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-comprehendmedical", diff --git a/clients/client-compute-optimizer/CHANGELOG.md b/clients/client-compute-optimizer/CHANGELOG.md index 0932e3a84691..92d0e2685843 100644 --- a/clients/client-compute-optimizer/CHANGELOG.md +++ b/clients/client-compute-optimizer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-compute-optimizer + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-compute-optimizer diff --git a/clients/client-compute-optimizer/package.json b/clients/client-compute-optimizer/package.json index 42a2f2b303e3..15edf3210ecc 100644 --- a/clients/client-compute-optimizer/package.json +++ b/clients/client-compute-optimizer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-compute-optimizer", "description": "AWS SDK for JavaScript Compute Optimizer Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-compute-optimizer", diff --git a/clients/client-config-service/CHANGELOG.md b/clients/client-config-service/CHANGELOG.md index e5a378ba8519..487a649a8b62 100644 --- a/clients/client-config-service/CHANGELOG.md +++ b/clients/client-config-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-config-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-config-service diff --git a/clients/client-config-service/package.json b/clients/client-config-service/package.json index 8f9308527aa4..49126efcf54a 100644 --- a/clients/client-config-service/package.json +++ b/clients/client-config-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-config-service", "description": "AWS SDK for JavaScript Config Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-config-service", diff --git a/clients/client-connect-contact-lens/CHANGELOG.md b/clients/client-connect-contact-lens/CHANGELOG.md index 70207d8e9912..9a996d042640 100644 --- a/clients/client-connect-contact-lens/CHANGELOG.md +++ b/clients/client-connect-contact-lens/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-connect-contact-lens + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-connect-contact-lens diff --git a/clients/client-connect-contact-lens/package.json b/clients/client-connect-contact-lens/package.json index dedad975c035..40ceb51557d3 100644 --- a/clients/client-connect-contact-lens/package.json +++ b/clients/client-connect-contact-lens/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connect-contact-lens", "description": "AWS SDK for JavaScript Connect Contact Lens Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connect-contact-lens", diff --git a/clients/client-connect/CHANGELOG.md b/clients/client-connect/CHANGELOG.md index 280277e40a30..7cef6c74f254 100644 --- a/clients/client-connect/CHANGELOG.md +++ b/clients/client-connect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-connect + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-connect diff --git a/clients/client-connect/package.json b/clients/client-connect/package.json index 72be0cda93eb..7d4b1f0afe9b 100644 --- a/clients/client-connect/package.json +++ b/clients/client-connect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connect", "description": "AWS SDK for JavaScript Connect Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connect", diff --git a/clients/client-connectcampaigns/CHANGELOG.md b/clients/client-connectcampaigns/CHANGELOG.md index a8560de65758..5e72e892a2bb 100644 --- a/clients/client-connectcampaigns/CHANGELOG.md +++ b/clients/client-connectcampaigns/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-connectcampaigns + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-connectcampaigns diff --git a/clients/client-connectcampaigns/package.json b/clients/client-connectcampaigns/package.json index dc1a346e0523..f15f6d1e965b 100644 --- a/clients/client-connectcampaigns/package.json +++ b/clients/client-connectcampaigns/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connectcampaigns", "description": "AWS SDK for JavaScript Connectcampaigns Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connectcampaigns", diff --git a/clients/client-connectcases/CHANGELOG.md b/clients/client-connectcases/CHANGELOG.md index e3b8f7a29aa3..ebbc29e46358 100644 --- a/clients/client-connectcases/CHANGELOG.md +++ b/clients/client-connectcases/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-connectcases + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-connectcases diff --git a/clients/client-connectcases/package.json b/clients/client-connectcases/package.json index 0494dd4735a6..11ae7dc13211 100644 --- a/clients/client-connectcases/package.json +++ b/clients/client-connectcases/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connectcases", "description": "AWS SDK for JavaScript Connectcases Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connectcases", diff --git a/clients/client-connectparticipant/CHANGELOG.md b/clients/client-connectparticipant/CHANGELOG.md index 2ffb4e3ca368..b4e3ff1d6795 100644 --- a/clients/client-connectparticipant/CHANGELOG.md +++ b/clients/client-connectparticipant/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-connectparticipant + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-connectparticipant diff --git a/clients/client-connectparticipant/package.json b/clients/client-connectparticipant/package.json index 091ff6242b65..a09f39e2b2bc 100644 --- a/clients/client-connectparticipant/package.json +++ b/clients/client-connectparticipant/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connectparticipant", "description": "AWS SDK for JavaScript Connectparticipant Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connectparticipant", diff --git a/clients/client-controlcatalog/CHANGELOG.md b/clients/client-controlcatalog/CHANGELOG.md index 104ad0454365..a6cb93fb2ca8 100644 --- a/clients/client-controlcatalog/CHANGELOG.md +++ b/clients/client-controlcatalog/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-controlcatalog + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-controlcatalog diff --git a/clients/client-controlcatalog/package.json b/clients/client-controlcatalog/package.json index 9da7f1a808d9..abffd8dcba12 100644 --- a/clients/client-controlcatalog/package.json +++ b/clients/client-controlcatalog/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-controlcatalog", "description": "AWS SDK for JavaScript Controlcatalog Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-controltower/CHANGELOG.md b/clients/client-controltower/CHANGELOG.md index cfad2a57da4a..d7b93a2e3861 100644 --- a/clients/client-controltower/CHANGELOG.md +++ b/clients/client-controltower/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-controltower + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-controltower diff --git a/clients/client-controltower/package.json b/clients/client-controltower/package.json index e110f55fff82..5d28f45d736c 100644 --- a/clients/client-controltower/package.json +++ b/clients/client-controltower/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-controltower", "description": "AWS SDK for JavaScript Controltower Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-controltower", diff --git a/clients/client-cost-and-usage-report-service/CHANGELOG.md b/clients/client-cost-and-usage-report-service/CHANGELOG.md index 0c396f6eb1ad..b115a07d67e1 100644 --- a/clients/client-cost-and-usage-report-service/CHANGELOG.md +++ b/clients/client-cost-and-usage-report-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cost-and-usage-report-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cost-and-usage-report-service diff --git a/clients/client-cost-and-usage-report-service/package.json b/clients/client-cost-and-usage-report-service/package.json index 6227e8299eba..7cbb44512660 100644 --- a/clients/client-cost-and-usage-report-service/package.json +++ b/clients/client-cost-and-usage-report-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cost-and-usage-report-service", "description": "AWS SDK for JavaScript Cost And Usage Report Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cost-and-usage-report-service", diff --git a/clients/client-cost-explorer/CHANGELOG.md b/clients/client-cost-explorer/CHANGELOG.md index efa09a0897f4..8be002af79b2 100644 --- a/clients/client-cost-explorer/CHANGELOG.md +++ b/clients/client-cost-explorer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cost-explorer + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cost-explorer diff --git a/clients/client-cost-explorer/package.json b/clients/client-cost-explorer/package.json index d0ba4b90145a..7b08e58866e8 100644 --- a/clients/client-cost-explorer/package.json +++ b/clients/client-cost-explorer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cost-explorer", "description": "AWS SDK for JavaScript Cost Explorer Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cost-explorer", diff --git a/clients/client-cost-optimization-hub/CHANGELOG.md b/clients/client-cost-optimization-hub/CHANGELOG.md index 9f0647aaa1a4..846092438ffc 100644 --- a/clients/client-cost-optimization-hub/CHANGELOG.md +++ b/clients/client-cost-optimization-hub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-cost-optimization-hub + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-cost-optimization-hub diff --git a/clients/client-cost-optimization-hub/package.json b/clients/client-cost-optimization-hub/package.json index ebba409a0d52..e2fb6809f4cb 100644 --- a/clients/client-cost-optimization-hub/package.json +++ b/clients/client-cost-optimization-hub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cost-optimization-hub", "description": "AWS SDK for JavaScript Cost Optimization Hub Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cost-optimization-hub", diff --git a/clients/client-customer-profiles/CHANGELOG.md b/clients/client-customer-profiles/CHANGELOG.md index d31f6508c23b..4839eaaf69e4 100644 --- a/clients/client-customer-profiles/CHANGELOG.md +++ b/clients/client-customer-profiles/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-customer-profiles + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-customer-profiles diff --git a/clients/client-customer-profiles/package.json b/clients/client-customer-profiles/package.json index 67f0d5a6129e..970f15e35b98 100644 --- a/clients/client-customer-profiles/package.json +++ b/clients/client-customer-profiles/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-customer-profiles", "description": "AWS SDK for JavaScript Customer Profiles Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-customer-profiles", diff --git a/clients/client-data-pipeline/CHANGELOG.md b/clients/client-data-pipeline/CHANGELOG.md index 0c6a84f440d3..7a8b88e1326f 100644 --- a/clients/client-data-pipeline/CHANGELOG.md +++ b/clients/client-data-pipeline/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-data-pipeline + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-data-pipeline diff --git a/clients/client-data-pipeline/package.json b/clients/client-data-pipeline/package.json index 66eb13821b39..e196fe5e3167 100644 --- a/clients/client-data-pipeline/package.json +++ b/clients/client-data-pipeline/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-data-pipeline", "description": "AWS SDK for JavaScript Data Pipeline Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-data-pipeline", diff --git a/clients/client-database-migration-service/CHANGELOG.md b/clients/client-database-migration-service/CHANGELOG.md index c44b61d05dad..2f0081a5f5a9 100644 --- a/clients/client-database-migration-service/CHANGELOG.md +++ b/clients/client-database-migration-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-database-migration-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-database-migration-service diff --git a/clients/client-database-migration-service/package.json b/clients/client-database-migration-service/package.json index 514c1e071fd9..cf60b139b548 100644 --- a/clients/client-database-migration-service/package.json +++ b/clients/client-database-migration-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-database-migration-service", "description": "AWS SDK for JavaScript Database Migration Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-database-migration-service", diff --git a/clients/client-databrew/CHANGELOG.md b/clients/client-databrew/CHANGELOG.md index ac2a0595b3ce..84f2410aabda 100644 --- a/clients/client-databrew/CHANGELOG.md +++ b/clients/client-databrew/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-databrew + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-databrew diff --git a/clients/client-databrew/package.json b/clients/client-databrew/package.json index bbb36f8e4b51..c1e072292b47 100644 --- a/clients/client-databrew/package.json +++ b/clients/client-databrew/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-databrew", "description": "AWS SDK for JavaScript Databrew Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-databrew", diff --git a/clients/client-dataexchange/CHANGELOG.md b/clients/client-dataexchange/CHANGELOG.md index 5bc664f92477..056e3194a4ee 100644 --- a/clients/client-dataexchange/CHANGELOG.md +++ b/clients/client-dataexchange/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-dataexchange + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-dataexchange diff --git a/clients/client-dataexchange/package.json b/clients/client-dataexchange/package.json index 779221373598..27524aacfc8d 100644 --- a/clients/client-dataexchange/package.json +++ b/clients/client-dataexchange/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dataexchange", "description": "AWS SDK for JavaScript Dataexchange Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dataexchange", diff --git a/clients/client-datasync/CHANGELOG.md b/clients/client-datasync/CHANGELOG.md index c5b5675a1b08..1537b6f559eb 100644 --- a/clients/client-datasync/CHANGELOG.md +++ b/clients/client-datasync/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-datasync + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-datasync diff --git a/clients/client-datasync/package.json b/clients/client-datasync/package.json index dd831cb48755..64c02cc2e252 100644 --- a/clients/client-datasync/package.json +++ b/clients/client-datasync/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-datasync", "description": "AWS SDK for JavaScript Datasync Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-datasync", diff --git a/clients/client-datazone/CHANGELOG.md b/clients/client-datazone/CHANGELOG.md index c7b57bcb139e..a0620f5be925 100644 --- a/clients/client-datazone/CHANGELOG.md +++ b/clients/client-datazone/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-datazone + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-datazone diff --git a/clients/client-datazone/package.json b/clients/client-datazone/package.json index 8df4c84efde7..db3ea077b3be 100644 --- a/clients/client-datazone/package.json +++ b/clients/client-datazone/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-datazone", "description": "AWS SDK for JavaScript Datazone Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-datazone", diff --git a/clients/client-dax/CHANGELOG.md b/clients/client-dax/CHANGELOG.md index 2b20d4d6b2ab..ae210f487f6b 100644 --- a/clients/client-dax/CHANGELOG.md +++ b/clients/client-dax/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-dax + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-dax diff --git a/clients/client-dax/package.json b/clients/client-dax/package.json index e1956ff1aa3a..1bf88f382ae8 100644 --- a/clients/client-dax/package.json +++ b/clients/client-dax/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dax", "description": "AWS SDK for JavaScript Dax Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dax", diff --git a/clients/client-deadline/CHANGELOG.md b/clients/client-deadline/CHANGELOG.md index 6fdb17dcd4c0..133a9218da33 100644 --- a/clients/client-deadline/CHANGELOG.md +++ b/clients/client-deadline/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-deadline + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-deadline diff --git a/clients/client-deadline/package.json b/clients/client-deadline/package.json index 788546f90903..8afb07ae6657 100644 --- a/clients/client-deadline/package.json +++ b/clients/client-deadline/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-deadline", "description": "AWS SDK for JavaScript Deadline Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-detective/CHANGELOG.md b/clients/client-detective/CHANGELOG.md index 714c0dd64548..81c2e07d625a 100644 --- a/clients/client-detective/CHANGELOG.md +++ b/clients/client-detective/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-detective + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-detective diff --git a/clients/client-detective/package.json b/clients/client-detective/package.json index a7aac9b58b2b..38caf7f93eb8 100644 --- a/clients/client-detective/package.json +++ b/clients/client-detective/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-detective", "description": "AWS SDK for JavaScript Detective Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-detective", diff --git a/clients/client-device-farm/CHANGELOG.md b/clients/client-device-farm/CHANGELOG.md index c57034b30a96..a5421003e27c 100644 --- a/clients/client-device-farm/CHANGELOG.md +++ b/clients/client-device-farm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-device-farm + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-device-farm diff --git a/clients/client-device-farm/package.json b/clients/client-device-farm/package.json index bbc26ee05097..14de86b7795c 100644 --- a/clients/client-device-farm/package.json +++ b/clients/client-device-farm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-device-farm", "description": "AWS SDK for JavaScript Device Farm Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-device-farm", diff --git a/clients/client-devops-guru/CHANGELOG.md b/clients/client-devops-guru/CHANGELOG.md index a6bdc6c9f8b7..77f9d12e8f65 100644 --- a/clients/client-devops-guru/CHANGELOG.md +++ b/clients/client-devops-guru/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-devops-guru + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-devops-guru diff --git a/clients/client-devops-guru/package.json b/clients/client-devops-guru/package.json index 06e6f13b3b26..06f3a69f5f11 100644 --- a/clients/client-devops-guru/package.json +++ b/clients/client-devops-guru/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-devops-guru", "description": "AWS SDK for JavaScript Devops Guru Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-devops-guru", diff --git a/clients/client-direct-connect/CHANGELOG.md b/clients/client-direct-connect/CHANGELOG.md index 5f3cc331f922..af184859e66f 100644 --- a/clients/client-direct-connect/CHANGELOG.md +++ b/clients/client-direct-connect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-direct-connect + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-direct-connect diff --git a/clients/client-direct-connect/package.json b/clients/client-direct-connect/package.json index 0b81dcc91ffb..8ff3c99dbf1d 100644 --- a/clients/client-direct-connect/package.json +++ b/clients/client-direct-connect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-direct-connect", "description": "AWS SDK for JavaScript Direct Connect Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-direct-connect", diff --git a/clients/client-directory-service/CHANGELOG.md b/clients/client-directory-service/CHANGELOG.md index 4eb275646017..1ea70e181ee1 100644 --- a/clients/client-directory-service/CHANGELOG.md +++ b/clients/client-directory-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-directory-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-directory-service diff --git a/clients/client-directory-service/package.json b/clients/client-directory-service/package.json index 3c6c433ee531..45a9a8e9beee 100644 --- a/clients/client-directory-service/package.json +++ b/clients/client-directory-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-directory-service", "description": "AWS SDK for JavaScript Directory Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-directory-service", diff --git a/clients/client-dlm/CHANGELOG.md b/clients/client-dlm/CHANGELOG.md index edfbe8470295..15021b2b70b5 100644 --- a/clients/client-dlm/CHANGELOG.md +++ b/clients/client-dlm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-dlm + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-dlm diff --git a/clients/client-dlm/package.json b/clients/client-dlm/package.json index e2483f34b812..af40464975f6 100644 --- a/clients/client-dlm/package.json +++ b/clients/client-dlm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dlm", "description": "AWS SDK for JavaScript Dlm Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dlm", diff --git a/clients/client-docdb-elastic/CHANGELOG.md b/clients/client-docdb-elastic/CHANGELOG.md index a9c599433c8d..12a2f082fdc5 100644 --- a/clients/client-docdb-elastic/CHANGELOG.md +++ b/clients/client-docdb-elastic/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-docdb-elastic + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-docdb-elastic diff --git a/clients/client-docdb-elastic/package.json b/clients/client-docdb-elastic/package.json index 320312fb204d..3042cb8914d5 100644 --- a/clients/client-docdb-elastic/package.json +++ b/clients/client-docdb-elastic/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-docdb-elastic", "description": "AWS SDK for JavaScript Docdb Elastic Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-docdb-elastic", diff --git a/clients/client-docdb/CHANGELOG.md b/clients/client-docdb/CHANGELOG.md index 661497b1741a..6e871719d8f0 100644 --- a/clients/client-docdb/CHANGELOG.md +++ b/clients/client-docdb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-docdb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-docdb diff --git a/clients/client-docdb/package.json b/clients/client-docdb/package.json index 57c0f99ce197..6ac7c1ca3095 100644 --- a/clients/client-docdb/package.json +++ b/clients/client-docdb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-docdb", "description": "AWS SDK for JavaScript Docdb Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-docdb", diff --git a/clients/client-drs/CHANGELOG.md b/clients/client-drs/CHANGELOG.md index 5006c5dd62ae..20b49eb48ff5 100644 --- a/clients/client-drs/CHANGELOG.md +++ b/clients/client-drs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-drs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-drs diff --git a/clients/client-drs/package.json b/clients/client-drs/package.json index a5a9427bc207..b9b75cb75d71 100644 --- a/clients/client-drs/package.json +++ b/clients/client-drs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-drs", "description": "AWS SDK for JavaScript Drs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-drs", diff --git a/clients/client-dynamodb-streams/CHANGELOG.md b/clients/client-dynamodb-streams/CHANGELOG.md index 1d6312f06585..cf01366b76d5 100644 --- a/clients/client-dynamodb-streams/CHANGELOG.md +++ b/clients/client-dynamodb-streams/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-dynamodb-streams + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-dynamodb-streams diff --git a/clients/client-dynamodb-streams/package.json b/clients/client-dynamodb-streams/package.json index 55344c7d2c87..3097d44c61cb 100644 --- a/clients/client-dynamodb-streams/package.json +++ b/clients/client-dynamodb-streams/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dynamodb-streams", "description": "AWS SDK for JavaScript Dynamodb Streams Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dynamodb-streams", diff --git a/clients/client-dynamodb/CHANGELOG.md b/clients/client-dynamodb/CHANGELOG.md index 81b8e22fd706..d9edf076340d 100644 --- a/clients/client-dynamodb/CHANGELOG.md +++ b/clients/client-dynamodb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-dynamodb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-dynamodb diff --git a/clients/client-dynamodb/package.json b/clients/client-dynamodb/package.json index b8083f205c3a..b55cf9bd817b 100644 --- a/clients/client-dynamodb/package.json +++ b/clients/client-dynamodb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dynamodb", "description": "AWS SDK for JavaScript Dynamodb Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dynamodb", diff --git a/clients/client-ebs/CHANGELOG.md b/clients/client-ebs/CHANGELOG.md index 80203bbceabc..db6f1d1b349f 100644 --- a/clients/client-ebs/CHANGELOG.md +++ b/clients/client-ebs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ebs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ebs diff --git a/clients/client-ebs/package.json b/clients/client-ebs/package.json index 417d42f3e9b7..c90d9ddaaf40 100644 --- a/clients/client-ebs/package.json +++ b/clients/client-ebs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ebs", "description": "AWS SDK for JavaScript Ebs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ebs", diff --git a/clients/client-ec2-instance-connect/CHANGELOG.md b/clients/client-ec2-instance-connect/CHANGELOG.md index f4193001ea4a..7011e007df02 100644 --- a/clients/client-ec2-instance-connect/CHANGELOG.md +++ b/clients/client-ec2-instance-connect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ec2-instance-connect + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ec2-instance-connect diff --git a/clients/client-ec2-instance-connect/package.json b/clients/client-ec2-instance-connect/package.json index dc6a79dc9563..66206524d19c 100644 --- a/clients/client-ec2-instance-connect/package.json +++ b/clients/client-ec2-instance-connect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ec2-instance-connect", "description": "AWS SDK for JavaScript Ec2 Instance Connect Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ec2-instance-connect", diff --git a/clients/client-ec2/CHANGELOG.md b/clients/client-ec2/CHANGELOG.md index 958edd9a4bf8..9c9f9e4bc828 100644 --- a/clients/client-ec2/CHANGELOG.md +++ b/clients/client-ec2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ec2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ec2 diff --git a/clients/client-ec2/package.json b/clients/client-ec2/package.json index ba01b9d2398f..9d180db039cb 100644 --- a/clients/client-ec2/package.json +++ b/clients/client-ec2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ec2", "description": "AWS SDK for JavaScript Ec2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ec2", diff --git a/clients/client-ecr-public/CHANGELOG.md b/clients/client-ecr-public/CHANGELOG.md index b6778ead8b96..c2069706d88c 100644 --- a/clients/client-ecr-public/CHANGELOG.md +++ b/clients/client-ecr-public/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ecr-public + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ecr-public diff --git a/clients/client-ecr-public/package.json b/clients/client-ecr-public/package.json index 1b93b1d3fcfb..6c5bbd94087d 100644 --- a/clients/client-ecr-public/package.json +++ b/clients/client-ecr-public/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecr-public", "description": "AWS SDK for JavaScript Ecr Public Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecr-public", diff --git a/clients/client-ecr/CHANGELOG.md b/clients/client-ecr/CHANGELOG.md index 3c3661fe5fa2..78c4d5e8a973 100644 --- a/clients/client-ecr/CHANGELOG.md +++ b/clients/client-ecr/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ecr + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) diff --git a/clients/client-ecr/package.json b/clients/client-ecr/package.json index 80972fdd13d2..03fede7c4a08 100644 --- a/clients/client-ecr/package.json +++ b/clients/client-ecr/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecr", "description": "AWS SDK for JavaScript Ecr Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecr", diff --git a/clients/client-ecs/CHANGELOG.md b/clients/client-ecs/CHANGELOG.md index dc645f4bc6d3..3a62b30bf8c7 100644 --- a/clients/client-ecs/CHANGELOG.md +++ b/clients/client-ecs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ecs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ecs diff --git a/clients/client-ecs/package.json b/clients/client-ecs/package.json index a5c48069aa30..eef294e900fe 100644 --- a/clients/client-ecs/package.json +++ b/clients/client-ecs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecs", "description": "AWS SDK for JavaScript Ecs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecs", diff --git a/clients/client-efs/CHANGELOG.md b/clients/client-efs/CHANGELOG.md index 2d92c9b0c395..8b2caf12e4f0 100644 --- a/clients/client-efs/CHANGELOG.md +++ b/clients/client-efs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-efs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-efs diff --git a/clients/client-efs/package.json b/clients/client-efs/package.json index b88bd2549e3c..98c084b08a28 100644 --- a/clients/client-efs/package.json +++ b/clients/client-efs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-efs", "description": "AWS SDK for JavaScript Efs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-efs", diff --git a/clients/client-eks-auth/CHANGELOG.md b/clients/client-eks-auth/CHANGELOG.md index ea8a40fdc072..40e0e3ca8357 100644 --- a/clients/client-eks-auth/CHANGELOG.md +++ b/clients/client-eks-auth/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-eks-auth + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-eks-auth diff --git a/clients/client-eks-auth/package.json b/clients/client-eks-auth/package.json index 05780fb0266c..e0ca0622acc6 100644 --- a/clients/client-eks-auth/package.json +++ b/clients/client-eks-auth/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-eks-auth", "description": "AWS SDK for JavaScript Eks Auth Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-eks-auth", diff --git a/clients/client-eks/CHANGELOG.md b/clients/client-eks/CHANGELOG.md index 49c84954e688..98e87c55810e 100644 --- a/clients/client-eks/CHANGELOG.md +++ b/clients/client-eks/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-eks + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-eks diff --git a/clients/client-eks/package.json b/clients/client-eks/package.json index 06950091dfc7..db6685f08ef7 100644 --- a/clients/client-eks/package.json +++ b/clients/client-eks/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-eks", "description": "AWS SDK for JavaScript Eks Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-eks", diff --git a/clients/client-elastic-beanstalk/CHANGELOG.md b/clients/client-elastic-beanstalk/CHANGELOG.md index 3f7e7ff4e87b..fce7b6517e75 100644 --- a/clients/client-elastic-beanstalk/CHANGELOG.md +++ b/clients/client-elastic-beanstalk/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-elastic-beanstalk + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-elastic-beanstalk diff --git a/clients/client-elastic-beanstalk/package.json b/clients/client-elastic-beanstalk/package.json index 6598a80bc2bf..19678c9c1f1a 100644 --- a/clients/client-elastic-beanstalk/package.json +++ b/clients/client-elastic-beanstalk/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-beanstalk", "description": "AWS SDK for JavaScript Elastic Beanstalk Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-beanstalk", diff --git a/clients/client-elastic-inference/CHANGELOG.md b/clients/client-elastic-inference/CHANGELOG.md index 19feaedca637..80f6f59b205a 100644 --- a/clients/client-elastic-inference/CHANGELOG.md +++ b/clients/client-elastic-inference/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-elastic-inference + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-elastic-inference diff --git a/clients/client-elastic-inference/package.json b/clients/client-elastic-inference/package.json index 4b48c50a6ff7..32345f18de09 100644 --- a/clients/client-elastic-inference/package.json +++ b/clients/client-elastic-inference/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-inference", "description": "AWS SDK for JavaScript Elastic Inference Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-inference", diff --git a/clients/client-elastic-load-balancing-v2/CHANGELOG.md b/clients/client-elastic-load-balancing-v2/CHANGELOG.md index cc4d074efc0d..3d4a5dce08fc 100644 --- a/clients/client-elastic-load-balancing-v2/CHANGELOG.md +++ b/clients/client-elastic-load-balancing-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing-v2 + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/clients/client-elastic-load-balancing-v2/package.json b/clients/client-elastic-load-balancing-v2/package.json index 72dc5af97b37..2b43b6e7f4a6 100644 --- a/clients/client-elastic-load-balancing-v2/package.json +++ b/clients/client-elastic-load-balancing-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-load-balancing-v2", "description": "AWS SDK for JavaScript Elastic Load Balancing V2 Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-load-balancing-v2", diff --git a/clients/client-elastic-load-balancing/CHANGELOG.md b/clients/client-elastic-load-balancing/CHANGELOG.md index 7acfcf7b3303..68e24ec4ef71 100644 --- a/clients/client-elastic-load-balancing/CHANGELOG.md +++ b/clients/client-elastic-load-balancing/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing diff --git a/clients/client-elastic-load-balancing/package.json b/clients/client-elastic-load-balancing/package.json index 43825404bac6..029eb656bbda 100644 --- a/clients/client-elastic-load-balancing/package.json +++ b/clients/client-elastic-load-balancing/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-load-balancing", "description": "AWS SDK for JavaScript Elastic Load Balancing Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-load-balancing", diff --git a/clients/client-elastic-transcoder/CHANGELOG.md b/clients/client-elastic-transcoder/CHANGELOG.md index b3046fee4537..b1912f7cdde4 100644 --- a/clients/client-elastic-transcoder/CHANGELOG.md +++ b/clients/client-elastic-transcoder/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-elastic-transcoder + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-elastic-transcoder diff --git a/clients/client-elastic-transcoder/package.json b/clients/client-elastic-transcoder/package.json index e2180c1b7801..cafb80ed8135 100644 --- a/clients/client-elastic-transcoder/package.json +++ b/clients/client-elastic-transcoder/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-transcoder", "description": "AWS SDK for JavaScript Elastic Transcoder Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-transcoder", diff --git a/clients/client-elasticache/CHANGELOG.md b/clients/client-elasticache/CHANGELOG.md index 9ea19bbcee70..d0eee81edcc9 100644 --- a/clients/client-elasticache/CHANGELOG.md +++ b/clients/client-elasticache/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-elasticache + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-elasticache diff --git a/clients/client-elasticache/package.json b/clients/client-elasticache/package.json index 4b284d2b81a5..7a56257f0cbb 100644 --- a/clients/client-elasticache/package.json +++ b/clients/client-elasticache/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elasticache", "description": "AWS SDK for JavaScript Elasticache Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elasticache", diff --git a/clients/client-elasticsearch-service/CHANGELOG.md b/clients/client-elasticsearch-service/CHANGELOG.md index bf963fae2b11..b7705e72ce58 100644 --- a/clients/client-elasticsearch-service/CHANGELOG.md +++ b/clients/client-elasticsearch-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-elasticsearch-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-elasticsearch-service diff --git a/clients/client-elasticsearch-service/package.json b/clients/client-elasticsearch-service/package.json index 477d61d52071..07d369749000 100644 --- a/clients/client-elasticsearch-service/package.json +++ b/clients/client-elasticsearch-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elasticsearch-service", "description": "AWS SDK for JavaScript Elasticsearch Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elasticsearch-service", diff --git a/clients/client-emr-containers/CHANGELOG.md b/clients/client-emr-containers/CHANGELOG.md index b80b89a085da..a1e59a290fb1 100644 --- a/clients/client-emr-containers/CHANGELOG.md +++ b/clients/client-emr-containers/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-emr-containers + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-emr-containers diff --git a/clients/client-emr-containers/package.json b/clients/client-emr-containers/package.json index 648e9dd1b1a3..67dd27883b1f 100644 --- a/clients/client-emr-containers/package.json +++ b/clients/client-emr-containers/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-emr-containers", "description": "AWS SDK for JavaScript Emr Containers Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-emr-containers", diff --git a/clients/client-emr-serverless/CHANGELOG.md b/clients/client-emr-serverless/CHANGELOG.md index 4bd7c5660ab8..0bb93dd73c9e 100644 --- a/clients/client-emr-serverless/CHANGELOG.md +++ b/clients/client-emr-serverless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-emr-serverless + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-emr-serverless diff --git a/clients/client-emr-serverless/package.json b/clients/client-emr-serverless/package.json index 7392ea9eb200..c486a10d7b56 100644 --- a/clients/client-emr-serverless/package.json +++ b/clients/client-emr-serverless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-emr-serverless", "description": "AWS SDK for JavaScript Emr Serverless Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-emr-serverless", diff --git a/clients/client-emr/CHANGELOG.md b/clients/client-emr/CHANGELOG.md index a2e6b1c68be4..b36e895431a3 100644 --- a/clients/client-emr/CHANGELOG.md +++ b/clients/client-emr/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-emr + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/clients/client-emr/package.json b/clients/client-emr/package.json index d0c62b4c7078..a9849f61c533 100644 --- a/clients/client-emr/package.json +++ b/clients/client-emr/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-emr", "description": "AWS SDK for JavaScript Emr Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-emr", diff --git a/clients/client-entityresolution/CHANGELOG.md b/clients/client-entityresolution/CHANGELOG.md index e60e6b0e43f1..a069b99ae6c2 100644 --- a/clients/client-entityresolution/CHANGELOG.md +++ b/clients/client-entityresolution/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-entityresolution + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-entityresolution diff --git a/clients/client-entityresolution/package.json b/clients/client-entityresolution/package.json index ec7484ce5475..39ec0bec6501 100644 --- a/clients/client-entityresolution/package.json +++ b/clients/client-entityresolution/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-entityresolution", "description": "AWS SDK for JavaScript Entityresolution Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-entityresolution", diff --git a/clients/client-eventbridge/CHANGELOG.md b/clients/client-eventbridge/CHANGELOG.md index 4ec2275fe36b..aa4b2e7825f8 100644 --- a/clients/client-eventbridge/CHANGELOG.md +++ b/clients/client-eventbridge/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-eventbridge + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-eventbridge diff --git a/clients/client-eventbridge/package.json b/clients/client-eventbridge/package.json index 1790e40cc98a..6805618b69e1 100644 --- a/clients/client-eventbridge/package.json +++ b/clients/client-eventbridge/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-eventbridge", "description": "AWS SDK for JavaScript Eventbridge Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-eventbridge", diff --git a/clients/client-evidently/CHANGELOG.md b/clients/client-evidently/CHANGELOG.md index 32e9f97f6da2..eb42ce38f971 100644 --- a/clients/client-evidently/CHANGELOG.md +++ b/clients/client-evidently/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-evidently + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-evidently diff --git a/clients/client-evidently/package.json b/clients/client-evidently/package.json index 0be44c624b8a..67798bec7850 100644 --- a/clients/client-evidently/package.json +++ b/clients/client-evidently/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-evidently", "description": "AWS SDK for JavaScript Evidently Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-evidently", diff --git a/clients/client-finspace-data/CHANGELOG.md b/clients/client-finspace-data/CHANGELOG.md index bdfa6d4f5d23..0c10e2b70a1d 100644 --- a/clients/client-finspace-data/CHANGELOG.md +++ b/clients/client-finspace-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-finspace-data + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-finspace-data diff --git a/clients/client-finspace-data/package.json b/clients/client-finspace-data/package.json index 56b27a7c939c..610da5a1ec02 100644 --- a/clients/client-finspace-data/package.json +++ b/clients/client-finspace-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-finspace-data", "description": "AWS SDK for JavaScript Finspace Data Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-finspace-data", diff --git a/clients/client-finspace/CHANGELOG.md b/clients/client-finspace/CHANGELOG.md index d07a3588b9ba..60b25f19d611 100644 --- a/clients/client-finspace/CHANGELOG.md +++ b/clients/client-finspace/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-finspace + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-finspace diff --git a/clients/client-finspace/package.json b/clients/client-finspace/package.json index 41fe7799af2d..b9c3fb90c1f9 100644 --- a/clients/client-finspace/package.json +++ b/clients/client-finspace/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-finspace", "description": "AWS SDK for JavaScript Finspace Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-finspace", diff --git a/clients/client-firehose/CHANGELOG.md b/clients/client-firehose/CHANGELOG.md index be61a5fe681a..c8f7375d9a55 100644 --- a/clients/client-firehose/CHANGELOG.md +++ b/clients/client-firehose/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-firehose + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-firehose diff --git a/clients/client-firehose/package.json b/clients/client-firehose/package.json index 6842d14b31f7..1fbb9ecf13aa 100644 --- a/clients/client-firehose/package.json +++ b/clients/client-firehose/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-firehose", "description": "AWS SDK for JavaScript Firehose Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-firehose", diff --git a/clients/client-fis/CHANGELOG.md b/clients/client-fis/CHANGELOG.md index 552ac453705c..751372ad9f5b 100644 --- a/clients/client-fis/CHANGELOG.md +++ b/clients/client-fis/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-fis + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-fis diff --git a/clients/client-fis/package.json b/clients/client-fis/package.json index 62d4688d4602..371df57e9abf 100644 --- a/clients/client-fis/package.json +++ b/clients/client-fis/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-fis", "description": "AWS SDK for JavaScript Fis Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-fis", diff --git a/clients/client-fms/CHANGELOG.md b/clients/client-fms/CHANGELOG.md index 453e7b8e6deb..a37be95a5baf 100644 --- a/clients/client-fms/CHANGELOG.md +++ b/clients/client-fms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-fms + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-fms diff --git a/clients/client-fms/package.json b/clients/client-fms/package.json index 18dfd4a3c9a6..881156b85471 100644 --- a/clients/client-fms/package.json +++ b/clients/client-fms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-fms", "description": "AWS SDK for JavaScript Fms Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-fms", diff --git a/clients/client-forecast/CHANGELOG.md b/clients/client-forecast/CHANGELOG.md index 42e54c736e54..e6e266cca0e7 100644 --- a/clients/client-forecast/CHANGELOG.md +++ b/clients/client-forecast/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-forecast + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-forecast diff --git a/clients/client-forecast/package.json b/clients/client-forecast/package.json index f8a300dd497a..96536ecfd7c3 100644 --- a/clients/client-forecast/package.json +++ b/clients/client-forecast/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-forecast", "description": "AWS SDK for JavaScript Forecast Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-forecast", diff --git a/clients/client-forecastquery/CHANGELOG.md b/clients/client-forecastquery/CHANGELOG.md index 47cf9fa94661..b34157c574ee 100644 --- a/clients/client-forecastquery/CHANGELOG.md +++ b/clients/client-forecastquery/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-forecastquery + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-forecastquery diff --git a/clients/client-forecastquery/package.json b/clients/client-forecastquery/package.json index 064fc51db9ea..2c84f0f730c2 100644 --- a/clients/client-forecastquery/package.json +++ b/clients/client-forecastquery/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-forecastquery", "description": "AWS SDK for JavaScript Forecastquery Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-forecastquery", diff --git a/clients/client-frauddetector/CHANGELOG.md b/clients/client-frauddetector/CHANGELOG.md index 2267d92090bb..2eda8b561840 100644 --- a/clients/client-frauddetector/CHANGELOG.md +++ b/clients/client-frauddetector/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-frauddetector + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-frauddetector diff --git a/clients/client-frauddetector/package.json b/clients/client-frauddetector/package.json index 5083731814a6..5d7659a9d866 100644 --- a/clients/client-frauddetector/package.json +++ b/clients/client-frauddetector/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-frauddetector", "description": "AWS SDK for JavaScript Frauddetector Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-frauddetector", diff --git a/clients/client-freetier/CHANGELOG.md b/clients/client-freetier/CHANGELOG.md index b1f9e6ec3586..b4e214de690b 100644 --- a/clients/client-freetier/CHANGELOG.md +++ b/clients/client-freetier/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-freetier + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-freetier diff --git a/clients/client-freetier/package.json b/clients/client-freetier/package.json index 4c5fc0fe8d64..b7fc54b0ea69 100644 --- a/clients/client-freetier/package.json +++ b/clients/client-freetier/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-freetier", "description": "AWS SDK for JavaScript Freetier Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-freetier", diff --git a/clients/client-fsx/CHANGELOG.md b/clients/client-fsx/CHANGELOG.md index f0c15e42fe38..1df6e5edae1e 100644 --- a/clients/client-fsx/CHANGELOG.md +++ b/clients/client-fsx/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-fsx + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-fsx diff --git a/clients/client-fsx/package.json b/clients/client-fsx/package.json index d1e6b0b43d82..3755113f3cda 100644 --- a/clients/client-fsx/package.json +++ b/clients/client-fsx/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-fsx", "description": "AWS SDK for JavaScript Fsx Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-fsx", diff --git a/clients/client-gamelift/CHANGELOG.md b/clients/client-gamelift/CHANGELOG.md index 08dd6a9acf7c..aa070b08f570 100644 --- a/clients/client-gamelift/CHANGELOG.md +++ b/clients/client-gamelift/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-gamelift + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-gamelift diff --git a/clients/client-gamelift/package.json b/clients/client-gamelift/package.json index f9466a43e02d..6e14b5c163c0 100644 --- a/clients/client-gamelift/package.json +++ b/clients/client-gamelift/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-gamelift", "description": "AWS SDK for JavaScript Gamelift Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-gamelift", diff --git a/clients/client-glacier/CHANGELOG.md b/clients/client-glacier/CHANGELOG.md index 84f718771f11..fd89fba30d38 100644 --- a/clients/client-glacier/CHANGELOG.md +++ b/clients/client-glacier/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-glacier + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-glacier diff --git a/clients/client-glacier/package.json b/clients/client-glacier/package.json index 390a05a05c76..6ebb6e66a899 100644 --- a/clients/client-glacier/package.json +++ b/clients/client-glacier/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-glacier", "description": "AWS SDK for JavaScript Glacier Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-glacier", diff --git a/clients/client-global-accelerator/CHANGELOG.md b/clients/client-global-accelerator/CHANGELOG.md index 000e12a8f87f..2d2a093bc776 100644 --- a/clients/client-global-accelerator/CHANGELOG.md +++ b/clients/client-global-accelerator/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-global-accelerator + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-global-accelerator diff --git a/clients/client-global-accelerator/package.json b/clients/client-global-accelerator/package.json index e10fe025d086..41fcd7dee00e 100644 --- a/clients/client-global-accelerator/package.json +++ b/clients/client-global-accelerator/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-global-accelerator", "description": "AWS SDK for JavaScript Global Accelerator Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-global-accelerator", diff --git a/clients/client-glue/CHANGELOG.md b/clients/client-glue/CHANGELOG.md index 343352d3448c..db50941f01c7 100644 --- a/clients/client-glue/CHANGELOG.md +++ b/clients/client-glue/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-glue + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/clients/client-glue/package.json b/clients/client-glue/package.json index 474e045ae932..17219af69d3d 100644 --- a/clients/client-glue/package.json +++ b/clients/client-glue/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-glue", "description": "AWS SDK for JavaScript Glue Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-glue", diff --git a/clients/client-grafana/CHANGELOG.md b/clients/client-grafana/CHANGELOG.md index 3e2e95a431e2..64560dc6ee40 100644 --- a/clients/client-grafana/CHANGELOG.md +++ b/clients/client-grafana/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-grafana + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-grafana diff --git a/clients/client-grafana/package.json b/clients/client-grafana/package.json index 5b6344bdf495..90bf455046ca 100644 --- a/clients/client-grafana/package.json +++ b/clients/client-grafana/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-grafana", "description": "AWS SDK for JavaScript Grafana Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-grafana", diff --git a/clients/client-greengrass/CHANGELOG.md b/clients/client-greengrass/CHANGELOG.md index 63e4bce6e46a..6338c5975f5b 100644 --- a/clients/client-greengrass/CHANGELOG.md +++ b/clients/client-greengrass/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-greengrass + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-greengrass diff --git a/clients/client-greengrass/package.json b/clients/client-greengrass/package.json index 778707abed85..49b52003c252 100644 --- a/clients/client-greengrass/package.json +++ b/clients/client-greengrass/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-greengrass", "description": "AWS SDK for JavaScript Greengrass Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-greengrass", diff --git a/clients/client-greengrassv2/CHANGELOG.md b/clients/client-greengrassv2/CHANGELOG.md index db5ed1a9fb39..a345bd4735ea 100644 --- a/clients/client-greengrassv2/CHANGELOG.md +++ b/clients/client-greengrassv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-greengrassv2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-greengrassv2 diff --git a/clients/client-greengrassv2/package.json b/clients/client-greengrassv2/package.json index b47393fe1ced..e0808a81be49 100644 --- a/clients/client-greengrassv2/package.json +++ b/clients/client-greengrassv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-greengrassv2", "description": "AWS SDK for JavaScript Greengrassv2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-greengrassv2", diff --git a/clients/client-groundstation/CHANGELOG.md b/clients/client-groundstation/CHANGELOG.md index 5f9e1add7c62..1ebcfaa5c4dd 100644 --- a/clients/client-groundstation/CHANGELOG.md +++ b/clients/client-groundstation/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-groundstation + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-groundstation diff --git a/clients/client-groundstation/package.json b/clients/client-groundstation/package.json index 09b36c442f19..16aa3fe4fcca 100644 --- a/clients/client-groundstation/package.json +++ b/clients/client-groundstation/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-groundstation", "description": "AWS SDK for JavaScript Groundstation Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-groundstation", diff --git a/clients/client-guardduty/CHANGELOG.md b/clients/client-guardduty/CHANGELOG.md index 821b8f5300e9..bf302cadb55c 100644 --- a/clients/client-guardduty/CHANGELOG.md +++ b/clients/client-guardduty/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-guardduty + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) diff --git a/clients/client-guardduty/package.json b/clients/client-guardduty/package.json index bb138fa09947..a9da9c1f0c0e 100644 --- a/clients/client-guardduty/package.json +++ b/clients/client-guardduty/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-guardduty", "description": "AWS SDK for JavaScript Guardduty Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-guardduty", diff --git a/clients/client-health/CHANGELOG.md b/clients/client-health/CHANGELOG.md index 4f3f6cbddda4..d77f4860a695 100644 --- a/clients/client-health/CHANGELOG.md +++ b/clients/client-health/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-health + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-health diff --git a/clients/client-health/package.json b/clients/client-health/package.json index 93ddfb3a2d8b..7ec93e696ded 100644 --- a/clients/client-health/package.json +++ b/clients/client-health/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-health", "description": "AWS SDK for JavaScript Health Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-health", diff --git a/clients/client-healthlake/CHANGELOG.md b/clients/client-healthlake/CHANGELOG.md index f401a0ece222..dd043df93e85 100644 --- a/clients/client-healthlake/CHANGELOG.md +++ b/clients/client-healthlake/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-healthlake + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-healthlake diff --git a/clients/client-healthlake/package.json b/clients/client-healthlake/package.json index 0c745b904f68..29ddbbc62d6a 100644 --- a/clients/client-healthlake/package.json +++ b/clients/client-healthlake/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-healthlake", "description": "AWS SDK for JavaScript Healthlake Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-healthlake", diff --git a/clients/client-iam/CHANGELOG.md b/clients/client-iam/CHANGELOG.md index bfba3beb09d5..36b05e283903 100644 --- a/clients/client-iam/CHANGELOG.md +++ b/clients/client-iam/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iam + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iam diff --git a/clients/client-iam/package.json b/clients/client-iam/package.json index 05407f8933ea..7b5467b29e43 100644 --- a/clients/client-iam/package.json +++ b/clients/client-iam/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iam", "description": "AWS SDK for JavaScript Iam Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iam", diff --git a/clients/client-identitystore/CHANGELOG.md b/clients/client-identitystore/CHANGELOG.md index 6ca023b62028..c5b776f64802 100644 --- a/clients/client-identitystore/CHANGELOG.md +++ b/clients/client-identitystore/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-identitystore + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-identitystore diff --git a/clients/client-identitystore/package.json b/clients/client-identitystore/package.json index 48188d233bbe..c9a9800a65f2 100644 --- a/clients/client-identitystore/package.json +++ b/clients/client-identitystore/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-identitystore", "description": "AWS SDK for JavaScript Identitystore Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-identitystore", diff --git a/clients/client-imagebuilder/CHANGELOG.md b/clients/client-imagebuilder/CHANGELOG.md index 3086374ddfb5..83a70deb336e 100644 --- a/clients/client-imagebuilder/CHANGELOG.md +++ b/clients/client-imagebuilder/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-imagebuilder + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-imagebuilder diff --git a/clients/client-imagebuilder/package.json b/clients/client-imagebuilder/package.json index 293ef19f2960..18cc106ee112 100644 --- a/clients/client-imagebuilder/package.json +++ b/clients/client-imagebuilder/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-imagebuilder", "description": "AWS SDK for JavaScript Imagebuilder Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-imagebuilder", diff --git a/clients/client-inspector-scan/CHANGELOG.md b/clients/client-inspector-scan/CHANGELOG.md index 3cb4ba52d51f..ab3b06996c60 100644 --- a/clients/client-inspector-scan/CHANGELOG.md +++ b/clients/client-inspector-scan/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-inspector-scan + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-inspector-scan diff --git a/clients/client-inspector-scan/package.json b/clients/client-inspector-scan/package.json index fea50519869c..146ab85a3005 100644 --- a/clients/client-inspector-scan/package.json +++ b/clients/client-inspector-scan/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-inspector-scan", "description": "AWS SDK for JavaScript Inspector Scan Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-inspector-scan", diff --git a/clients/client-inspector/CHANGELOG.md b/clients/client-inspector/CHANGELOG.md index 17a1650244b6..78d9608a940d 100644 --- a/clients/client-inspector/CHANGELOG.md +++ b/clients/client-inspector/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-inspector + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-inspector diff --git a/clients/client-inspector/package.json b/clients/client-inspector/package.json index 3da395c1926b..d1b9e0a18c41 100644 --- a/clients/client-inspector/package.json +++ b/clients/client-inspector/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-inspector", "description": "AWS SDK for JavaScript Inspector Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-inspector", diff --git a/clients/client-inspector2/CHANGELOG.md b/clients/client-inspector2/CHANGELOG.md index 42d16ad54aaf..a461fe32d9db 100644 --- a/clients/client-inspector2/CHANGELOG.md +++ b/clients/client-inspector2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-inspector2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-inspector2 diff --git a/clients/client-inspector2/package.json b/clients/client-inspector2/package.json index 8725b78e6950..52e5a489c700 100644 --- a/clients/client-inspector2/package.json +++ b/clients/client-inspector2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-inspector2", "description": "AWS SDK for JavaScript Inspector2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-inspector2", diff --git a/clients/client-internetmonitor/CHANGELOG.md b/clients/client-internetmonitor/CHANGELOG.md index 95b5f81dbd9c..c9c61d19629c 100644 --- a/clients/client-internetmonitor/CHANGELOG.md +++ b/clients/client-internetmonitor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-internetmonitor + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-internetmonitor diff --git a/clients/client-internetmonitor/package.json b/clients/client-internetmonitor/package.json index 0e6be2e5f2b5..b51b1e9d06ea 100644 --- a/clients/client-internetmonitor/package.json +++ b/clients/client-internetmonitor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-internetmonitor", "description": "AWS SDK for JavaScript Internetmonitor Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-internetmonitor", diff --git a/clients/client-iot-1click-devices-service/CHANGELOG.md b/clients/client-iot-1click-devices-service/CHANGELOG.md index 75c153f23d52..c3afb51d65f0 100644 --- a/clients/client-iot-1click-devices-service/CHANGELOG.md +++ b/clients/client-iot-1click-devices-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot-1click-devices-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot-1click-devices-service diff --git a/clients/client-iot-1click-devices-service/package.json b/clients/client-iot-1click-devices-service/package.json index 9987bf859890..e877d40e98d3 100644 --- a/clients/client-iot-1click-devices-service/package.json +++ b/clients/client-iot-1click-devices-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-1click-devices-service", "description": "AWS SDK for JavaScript Iot 1click Devices Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-1click-devices-service", diff --git a/clients/client-iot-1click-projects/CHANGELOG.md b/clients/client-iot-1click-projects/CHANGELOG.md index ebbc4d14ab9e..2d58d6ab9161 100644 --- a/clients/client-iot-1click-projects/CHANGELOG.md +++ b/clients/client-iot-1click-projects/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot-1click-projects + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot-1click-projects diff --git a/clients/client-iot-1click-projects/package.json b/clients/client-iot-1click-projects/package.json index 50c6b0091ac6..01101c4b470a 100644 --- a/clients/client-iot-1click-projects/package.json +++ b/clients/client-iot-1click-projects/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-1click-projects", "description": "AWS SDK for JavaScript Iot 1click Projects Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-1click-projects", diff --git a/clients/client-iot-data-plane/CHANGELOG.md b/clients/client-iot-data-plane/CHANGELOG.md index 7e0d3dc70126..e6438b16d612 100644 --- a/clients/client-iot-data-plane/CHANGELOG.md +++ b/clients/client-iot-data-plane/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot-data-plane + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot-data-plane diff --git a/clients/client-iot-data-plane/package.json b/clients/client-iot-data-plane/package.json index ba4e651d5d54..bf925a60a341 100644 --- a/clients/client-iot-data-plane/package.json +++ b/clients/client-iot-data-plane/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-data-plane", "description": "AWS SDK for JavaScript Iot Data Plane Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-data-plane", diff --git a/clients/client-iot-events-data/CHANGELOG.md b/clients/client-iot-events-data/CHANGELOG.md index c2729a2b1846..c9f5d6ad6c7a 100644 --- a/clients/client-iot-events-data/CHANGELOG.md +++ b/clients/client-iot-events-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot-events-data + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot-events-data diff --git a/clients/client-iot-events-data/package.json b/clients/client-iot-events-data/package.json index 0b1eae4f68e3..88f05be756ad 100644 --- a/clients/client-iot-events-data/package.json +++ b/clients/client-iot-events-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-events-data", "description": "AWS SDK for JavaScript Iot Events Data Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-events-data", diff --git a/clients/client-iot-events/CHANGELOG.md b/clients/client-iot-events/CHANGELOG.md index 45b07a1791f7..41cfe9c42bea 100644 --- a/clients/client-iot-events/CHANGELOG.md +++ b/clients/client-iot-events/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot-events + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot-events diff --git a/clients/client-iot-events/package.json b/clients/client-iot-events/package.json index 45d8cec7c831..95f087e056de 100644 --- a/clients/client-iot-events/package.json +++ b/clients/client-iot-events/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-events", "description": "AWS SDK for JavaScript Iot Events Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-events", diff --git a/clients/client-iot-jobs-data-plane/CHANGELOG.md b/clients/client-iot-jobs-data-plane/CHANGELOG.md index d83907434cff..878c2da967bd 100644 --- a/clients/client-iot-jobs-data-plane/CHANGELOG.md +++ b/clients/client-iot-jobs-data-plane/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot-jobs-data-plane + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot-jobs-data-plane diff --git a/clients/client-iot-jobs-data-plane/package.json b/clients/client-iot-jobs-data-plane/package.json index f62d36018e45..acb75692d176 100644 --- a/clients/client-iot-jobs-data-plane/package.json +++ b/clients/client-iot-jobs-data-plane/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-jobs-data-plane", "description": "AWS SDK for JavaScript Iot Jobs Data Plane Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-jobs-data-plane", diff --git a/clients/client-iot-wireless/CHANGELOG.md b/clients/client-iot-wireless/CHANGELOG.md index c0e971e2a8c8..e2599359256a 100644 --- a/clients/client-iot-wireless/CHANGELOG.md +++ b/clients/client-iot-wireless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot-wireless + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot-wireless diff --git a/clients/client-iot-wireless/package.json b/clients/client-iot-wireless/package.json index 9fc68ec45904..8b4953221030 100644 --- a/clients/client-iot-wireless/package.json +++ b/clients/client-iot-wireless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-wireless", "description": "AWS SDK for JavaScript Iot Wireless Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-wireless", diff --git a/clients/client-iot/CHANGELOG.md b/clients/client-iot/CHANGELOG.md index 11dcb33214d6..895e36437c78 100644 --- a/clients/client-iot/CHANGELOG.md +++ b/clients/client-iot/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iot + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iot diff --git a/clients/client-iot/package.json b/clients/client-iot/package.json index 8195bfff6971..f72c98095469 100644 --- a/clients/client-iot/package.json +++ b/clients/client-iot/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot", "description": "AWS SDK for JavaScript Iot Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot", diff --git a/clients/client-iotanalytics/CHANGELOG.md b/clients/client-iotanalytics/CHANGELOG.md index 2e1dfbcd3b53..0d844c4f2fd7 100644 --- a/clients/client-iotanalytics/CHANGELOG.md +++ b/clients/client-iotanalytics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iotanalytics + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iotanalytics diff --git a/clients/client-iotanalytics/package.json b/clients/client-iotanalytics/package.json index 5dd58cc95d2c..cba24da600cb 100644 --- a/clients/client-iotanalytics/package.json +++ b/clients/client-iotanalytics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotanalytics", "description": "AWS SDK for JavaScript Iotanalytics Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotanalytics", diff --git a/clients/client-iotdeviceadvisor/CHANGELOG.md b/clients/client-iotdeviceadvisor/CHANGELOG.md index d192df0d2c7e..9608d6a63496 100644 --- a/clients/client-iotdeviceadvisor/CHANGELOG.md +++ b/clients/client-iotdeviceadvisor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iotdeviceadvisor + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iotdeviceadvisor diff --git a/clients/client-iotdeviceadvisor/package.json b/clients/client-iotdeviceadvisor/package.json index 782dc64f9977..79b2badbc1fb 100644 --- a/clients/client-iotdeviceadvisor/package.json +++ b/clients/client-iotdeviceadvisor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotdeviceadvisor", "description": "AWS SDK for JavaScript Iotdeviceadvisor Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotdeviceadvisor", diff --git a/clients/client-iotfleethub/CHANGELOG.md b/clients/client-iotfleethub/CHANGELOG.md index 65ec57daa520..4ab515e442e1 100644 --- a/clients/client-iotfleethub/CHANGELOG.md +++ b/clients/client-iotfleethub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iotfleethub + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iotfleethub diff --git a/clients/client-iotfleethub/package.json b/clients/client-iotfleethub/package.json index f0d4e46b37c2..2c1fd4f97c9a 100644 --- a/clients/client-iotfleethub/package.json +++ b/clients/client-iotfleethub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotfleethub", "description": "AWS SDK for JavaScript Iotfleethub Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotfleethub", diff --git a/clients/client-iotfleetwise/CHANGELOG.md b/clients/client-iotfleetwise/CHANGELOG.md index 43c28b1431a5..6a900eace864 100644 --- a/clients/client-iotfleetwise/CHANGELOG.md +++ b/clients/client-iotfleetwise/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iotfleetwise + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iotfleetwise diff --git a/clients/client-iotfleetwise/package.json b/clients/client-iotfleetwise/package.json index 231e31a4a4bf..a37dba640142 100644 --- a/clients/client-iotfleetwise/package.json +++ b/clients/client-iotfleetwise/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotfleetwise", "description": "AWS SDK for JavaScript Iotfleetwise Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotfleetwise", diff --git a/clients/client-iotsecuretunneling/CHANGELOG.md b/clients/client-iotsecuretunneling/CHANGELOG.md index 9afad13e1dc1..43f9bed5ae63 100644 --- a/clients/client-iotsecuretunneling/CHANGELOG.md +++ b/clients/client-iotsecuretunneling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iotsecuretunneling + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iotsecuretunneling diff --git a/clients/client-iotsecuretunneling/package.json b/clients/client-iotsecuretunneling/package.json index 992c8051e313..62cf1514e630 100644 --- a/clients/client-iotsecuretunneling/package.json +++ b/clients/client-iotsecuretunneling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotsecuretunneling", "description": "AWS SDK for JavaScript Iotsecuretunneling Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotsecuretunneling", diff --git a/clients/client-iotsitewise/CHANGELOG.md b/clients/client-iotsitewise/CHANGELOG.md index 824418125a3c..fc7951a53b10 100644 --- a/clients/client-iotsitewise/CHANGELOG.md +++ b/clients/client-iotsitewise/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iotsitewise + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iotsitewise diff --git a/clients/client-iotsitewise/package.json b/clients/client-iotsitewise/package.json index acd96f941e1f..5c76218fd74e 100644 --- a/clients/client-iotsitewise/package.json +++ b/clients/client-iotsitewise/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotsitewise", "description": "AWS SDK for JavaScript Iotsitewise Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotsitewise", diff --git a/clients/client-iotthingsgraph/CHANGELOG.md b/clients/client-iotthingsgraph/CHANGELOG.md index 4229ef6ee926..7eeee10d5273 100644 --- a/clients/client-iotthingsgraph/CHANGELOG.md +++ b/clients/client-iotthingsgraph/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iotthingsgraph + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iotthingsgraph diff --git a/clients/client-iotthingsgraph/package.json b/clients/client-iotthingsgraph/package.json index 3e853aafc2bf..d091227415ff 100644 --- a/clients/client-iotthingsgraph/package.json +++ b/clients/client-iotthingsgraph/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotthingsgraph", "description": "AWS SDK for JavaScript Iotthingsgraph Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotthingsgraph", diff --git a/clients/client-iottwinmaker/CHANGELOG.md b/clients/client-iottwinmaker/CHANGELOG.md index 4c559ffec6d4..2f2d7943dc47 100644 --- a/clients/client-iottwinmaker/CHANGELOG.md +++ b/clients/client-iottwinmaker/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-iottwinmaker + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-iottwinmaker diff --git a/clients/client-iottwinmaker/package.json b/clients/client-iottwinmaker/package.json index 18f9598cfafb..81ac18bd6b15 100644 --- a/clients/client-iottwinmaker/package.json +++ b/clients/client-iottwinmaker/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iottwinmaker", "description": "AWS SDK for JavaScript Iottwinmaker Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iottwinmaker", diff --git a/clients/client-ivs-realtime/CHANGELOG.md b/clients/client-ivs-realtime/CHANGELOG.md index 9e9e6acb7a63..661eaa447525 100644 --- a/clients/client-ivs-realtime/CHANGELOG.md +++ b/clients/client-ivs-realtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ivs-realtime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ivs-realtime diff --git a/clients/client-ivs-realtime/package.json b/clients/client-ivs-realtime/package.json index 0966149df48f..a404491e406a 100644 --- a/clients/client-ivs-realtime/package.json +++ b/clients/client-ivs-realtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ivs-realtime", "description": "AWS SDK for JavaScript Ivs Realtime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ivs-realtime", diff --git a/clients/client-ivs/CHANGELOG.md b/clients/client-ivs/CHANGELOG.md index c3430ee93030..d3d27fa69550 100644 --- a/clients/client-ivs/CHANGELOG.md +++ b/clients/client-ivs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ivs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ivs diff --git a/clients/client-ivs/package.json b/clients/client-ivs/package.json index 62f6a338ed4a..0f13b057af59 100644 --- a/clients/client-ivs/package.json +++ b/clients/client-ivs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ivs", "description": "AWS SDK for JavaScript Ivs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ivs", diff --git a/clients/client-ivschat/CHANGELOG.md b/clients/client-ivschat/CHANGELOG.md index 0f215bd54ecf..4f13c0e2d369 100644 --- a/clients/client-ivschat/CHANGELOG.md +++ b/clients/client-ivschat/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ivschat + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ivschat diff --git a/clients/client-ivschat/package.json b/clients/client-ivschat/package.json index 9b2d09f8087c..a90467683c78 100644 --- a/clients/client-ivschat/package.json +++ b/clients/client-ivschat/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ivschat", "description": "AWS SDK for JavaScript Ivschat Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ivschat", diff --git a/clients/client-kafka/CHANGELOG.md b/clients/client-kafka/CHANGELOG.md index 83e8de654817..c5b95d722e6a 100644 --- a/clients/client-kafka/CHANGELOG.md +++ b/clients/client-kafka/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kafka + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kafka diff --git a/clients/client-kafka/package.json b/clients/client-kafka/package.json index 692dfc51d251..1402ccd87928 100644 --- a/clients/client-kafka/package.json +++ b/clients/client-kafka/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kafka", "description": "AWS SDK for JavaScript Kafka Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kafka", diff --git a/clients/client-kafkaconnect/CHANGELOG.md b/clients/client-kafkaconnect/CHANGELOG.md index 87fdbd7772ae..83a0c3556ce8 100644 --- a/clients/client-kafkaconnect/CHANGELOG.md +++ b/clients/client-kafkaconnect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kafkaconnect + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kafkaconnect diff --git a/clients/client-kafkaconnect/package.json b/clients/client-kafkaconnect/package.json index 35c36e508093..91678a107789 100644 --- a/clients/client-kafkaconnect/package.json +++ b/clients/client-kafkaconnect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kafkaconnect", "description": "AWS SDK for JavaScript Kafkaconnect Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kafkaconnect", diff --git a/clients/client-kendra-ranking/CHANGELOG.md b/clients/client-kendra-ranking/CHANGELOG.md index b9b5c17534cb..431777ee88f4 100644 --- a/clients/client-kendra-ranking/CHANGELOG.md +++ b/clients/client-kendra-ranking/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kendra-ranking + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kendra-ranking diff --git a/clients/client-kendra-ranking/package.json b/clients/client-kendra-ranking/package.json index 9d1ed22f1518..b0d29b3d5f6c 100644 --- a/clients/client-kendra-ranking/package.json +++ b/clients/client-kendra-ranking/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kendra-ranking", "description": "AWS SDK for JavaScript Kendra Ranking Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kendra-ranking", diff --git a/clients/client-kendra/CHANGELOG.md b/clients/client-kendra/CHANGELOG.md index 30e6c64ad773..b5b7fe8272f9 100644 --- a/clients/client-kendra/CHANGELOG.md +++ b/clients/client-kendra/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kendra + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kendra diff --git a/clients/client-kendra/package.json b/clients/client-kendra/package.json index 74967660c6f1..b647c42c5fe5 100644 --- a/clients/client-kendra/package.json +++ b/clients/client-kendra/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kendra", "description": "AWS SDK for JavaScript Kendra Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kendra", diff --git a/clients/client-keyspaces/CHANGELOG.md b/clients/client-keyspaces/CHANGELOG.md index 1c111d0fa6bd..4974ad1d3164 100644 --- a/clients/client-keyspaces/CHANGELOG.md +++ b/clients/client-keyspaces/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-keyspaces + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-keyspaces diff --git a/clients/client-keyspaces/package.json b/clients/client-keyspaces/package.json index db3664357aba..c2e90f171210 100644 --- a/clients/client-keyspaces/package.json +++ b/clients/client-keyspaces/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-keyspaces", "description": "AWS SDK for JavaScript Keyspaces Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-keyspaces", diff --git a/clients/client-kinesis-analytics-v2/CHANGELOG.md b/clients/client-kinesis-analytics-v2/CHANGELOG.md index 9c924ac37d97..d1af2963e004 100644 --- a/clients/client-kinesis-analytics-v2/CHANGELOG.md +++ b/clients/client-kinesis-analytics-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-analytics-v2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis-analytics-v2 diff --git a/clients/client-kinesis-analytics-v2/package.json b/clients/client-kinesis-analytics-v2/package.json index d1f386756a5c..20818d3c2564 100644 --- a/clients/client-kinesis-analytics-v2/package.json +++ b/clients/client-kinesis-analytics-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-analytics-v2", "description": "AWS SDK for JavaScript Kinesis Analytics V2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-analytics-v2", diff --git a/clients/client-kinesis-analytics/CHANGELOG.md b/clients/client-kinesis-analytics/CHANGELOG.md index 729c68322ec1..524acd095bc8 100644 --- a/clients/client-kinesis-analytics/CHANGELOG.md +++ b/clients/client-kinesis-analytics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-analytics + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis-analytics diff --git a/clients/client-kinesis-analytics/package.json b/clients/client-kinesis-analytics/package.json index ae9f4b048e80..ff6300cd204a 100644 --- a/clients/client-kinesis-analytics/package.json +++ b/clients/client-kinesis-analytics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-analytics", "description": "AWS SDK for JavaScript Kinesis Analytics Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-analytics", diff --git a/clients/client-kinesis-video-archived-media/CHANGELOG.md b/clients/client-kinesis-video-archived-media/CHANGELOG.md index e1d18b2b8d88..1e3c6012e6ed 100644 --- a/clients/client-kinesis-video-archived-media/CHANGELOG.md +++ b/clients/client-kinesis-video-archived-media/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-archived-media + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-archived-media diff --git a/clients/client-kinesis-video-archived-media/package.json b/clients/client-kinesis-video-archived-media/package.json index d30f18d724aa..4bb6bd190334 100644 --- a/clients/client-kinesis-video-archived-media/package.json +++ b/clients/client-kinesis-video-archived-media/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-archived-media", "description": "AWS SDK for JavaScript Kinesis Video Archived Media Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-archived-media", diff --git a/clients/client-kinesis-video-media/CHANGELOG.md b/clients/client-kinesis-video-media/CHANGELOG.md index b4695da1f492..5d62073e3c5d 100644 --- a/clients/client-kinesis-video-media/CHANGELOG.md +++ b/clients/client-kinesis-video-media/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-media + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-media diff --git a/clients/client-kinesis-video-media/package.json b/clients/client-kinesis-video-media/package.json index 9d5a334fb04a..306181d3e2bc 100644 --- a/clients/client-kinesis-video-media/package.json +++ b/clients/client-kinesis-video-media/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-media", "description": "AWS SDK for JavaScript Kinesis Video Media Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-media", diff --git a/clients/client-kinesis-video-signaling/CHANGELOG.md b/clients/client-kinesis-video-signaling/CHANGELOG.md index 177abc5b3930..af236fd95536 100644 --- a/clients/client-kinesis-video-signaling/CHANGELOG.md +++ b/clients/client-kinesis-video-signaling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-signaling + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-signaling diff --git a/clients/client-kinesis-video-signaling/package.json b/clients/client-kinesis-video-signaling/package.json index c0af9d462de7..b396618caf88 100644 --- a/clients/client-kinesis-video-signaling/package.json +++ b/clients/client-kinesis-video-signaling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-signaling", "description": "AWS SDK for JavaScript Kinesis Video Signaling Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-signaling", diff --git a/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md b/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md index c27e1f867806..cfd46886d66e 100644 --- a/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md +++ b/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-webrtc-storage + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-webrtc-storage diff --git a/clients/client-kinesis-video-webrtc-storage/package.json b/clients/client-kinesis-video-webrtc-storage/package.json index 5012b8ab6ca6..51a8ced5421c 100644 --- a/clients/client-kinesis-video-webrtc-storage/package.json +++ b/clients/client-kinesis-video-webrtc-storage/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-webrtc-storage", "description": "AWS SDK for JavaScript Kinesis Video Webrtc Storage Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-webrtc-storage", diff --git a/clients/client-kinesis-video/CHANGELOG.md b/clients/client-kinesis-video/CHANGELOG.md index 6565f9831518..3642e1c3bf0a 100644 --- a/clients/client-kinesis-video/CHANGELOG.md +++ b/clients/client-kinesis-video/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis-video diff --git a/clients/client-kinesis-video/package.json b/clients/client-kinesis-video/package.json index ff44fb402fa7..3ec80f004f82 100644 --- a/clients/client-kinesis-video/package.json +++ b/clients/client-kinesis-video/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video", "description": "AWS SDK for JavaScript Kinesis Video Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video", diff --git a/clients/client-kinesis/CHANGELOG.md b/clients/client-kinesis/CHANGELOG.md index 0d80c3166e88..ad41c1356182 100644 --- a/clients/client-kinesis/CHANGELOG.md +++ b/clients/client-kinesis/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kinesis + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kinesis diff --git a/clients/client-kinesis/package.json b/clients/client-kinesis/package.json index 3003aa39d973..150805c9a255 100644 --- a/clients/client-kinesis/package.json +++ b/clients/client-kinesis/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis", "description": "AWS SDK for JavaScript Kinesis Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis", diff --git a/clients/client-kms/CHANGELOG.md b/clients/client-kms/CHANGELOG.md index be83b6880344..1c1d661e9dd1 100644 --- a/clients/client-kms/CHANGELOG.md +++ b/clients/client-kms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-kms + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-kms diff --git a/clients/client-kms/package.json b/clients/client-kms/package.json index 5bf59551c644..26b6e8810364 100644 --- a/clients/client-kms/package.json +++ b/clients/client-kms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kms", "description": "AWS SDK for JavaScript Kms Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kms", diff --git a/clients/client-lakeformation/CHANGELOG.md b/clients/client-lakeformation/CHANGELOG.md index e8badf3803cb..6465b617947a 100644 --- a/clients/client-lakeformation/CHANGELOG.md +++ b/clients/client-lakeformation/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lakeformation + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lakeformation diff --git a/clients/client-lakeformation/package.json b/clients/client-lakeformation/package.json index 71c02bab93ff..360477160f9e 100644 --- a/clients/client-lakeformation/package.json +++ b/clients/client-lakeformation/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lakeformation", "description": "AWS SDK for JavaScript Lakeformation Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lakeformation", diff --git a/clients/client-lambda/CHANGELOG.md b/clients/client-lambda/CHANGELOG.md index 0600c706cb92..2e8caede75a5 100644 --- a/clients/client-lambda/CHANGELOG.md +++ b/clients/client-lambda/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lambda + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lambda diff --git a/clients/client-lambda/package.json b/clients/client-lambda/package.json index 91c424738888..34ac59f42e2e 100644 --- a/clients/client-lambda/package.json +++ b/clients/client-lambda/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lambda", "description": "AWS SDK for JavaScript Lambda Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lambda", diff --git a/clients/client-launch-wizard/CHANGELOG.md b/clients/client-launch-wizard/CHANGELOG.md index d8c82dfab561..b83aaf711119 100644 --- a/clients/client-launch-wizard/CHANGELOG.md +++ b/clients/client-launch-wizard/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-launch-wizard + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-launch-wizard diff --git a/clients/client-launch-wizard/package.json b/clients/client-launch-wizard/package.json index 3efd6fe51c46..22cfd19e6393 100644 --- a/clients/client-launch-wizard/package.json +++ b/clients/client-launch-wizard/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-launch-wizard", "description": "AWS SDK for JavaScript Launch Wizard Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-launch-wizard", diff --git a/clients/client-lex-model-building-service/CHANGELOG.md b/clients/client-lex-model-building-service/CHANGELOG.md index 169e9cb4583b..cb3c9857b3ea 100644 --- a/clients/client-lex-model-building-service/CHANGELOG.md +++ b/clients/client-lex-model-building-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lex-model-building-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lex-model-building-service diff --git a/clients/client-lex-model-building-service/package.json b/clients/client-lex-model-building-service/package.json index e11b41048059..58819c97fdb2 100644 --- a/clients/client-lex-model-building-service/package.json +++ b/clients/client-lex-model-building-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-model-building-service", "description": "AWS SDK for JavaScript Lex Model Building Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-model-building-service", diff --git a/clients/client-lex-models-v2/CHANGELOG.md b/clients/client-lex-models-v2/CHANGELOG.md index 5eb4a899f88c..87e313c96ea9 100644 --- a/clients/client-lex-models-v2/CHANGELOG.md +++ b/clients/client-lex-models-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lex-models-v2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) diff --git a/clients/client-lex-models-v2/package.json b/clients/client-lex-models-v2/package.json index 5868d2be4544..30fe8385f2d7 100644 --- a/clients/client-lex-models-v2/package.json +++ b/clients/client-lex-models-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-models-v2", "description": "AWS SDK for JavaScript Lex Models V2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-models-v2", diff --git a/clients/client-lex-runtime-service/CHANGELOG.md b/clients/client-lex-runtime-service/CHANGELOG.md index cf5e0622626a..28f59f359846 100644 --- a/clients/client-lex-runtime-service/CHANGELOG.md +++ b/clients/client-lex-runtime-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lex-runtime-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lex-runtime-service diff --git a/clients/client-lex-runtime-service/package.json b/clients/client-lex-runtime-service/package.json index d462f9057371..dc99b055640f 100644 --- a/clients/client-lex-runtime-service/package.json +++ b/clients/client-lex-runtime-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-runtime-service", "description": "AWS SDK for JavaScript Lex Runtime Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-runtime-service", diff --git a/clients/client-lex-runtime-v2/CHANGELOG.md b/clients/client-lex-runtime-v2/CHANGELOG.md index 5cbdd183c05f..ce4127caf1b0 100644 --- a/clients/client-lex-runtime-v2/CHANGELOG.md +++ b/clients/client-lex-runtime-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lex-runtime-v2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lex-runtime-v2 diff --git a/clients/client-lex-runtime-v2/package.json b/clients/client-lex-runtime-v2/package.json index 38bc3190977f..5ff743e031d6 100644 --- a/clients/client-lex-runtime-v2/package.json +++ b/clients/client-lex-runtime-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-runtime-v2", "description": "AWS SDK for JavaScript Lex Runtime V2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-runtime-v2", diff --git a/clients/client-license-manager-linux-subscriptions/CHANGELOG.md b/clients/client-license-manager-linux-subscriptions/CHANGELOG.md index 5179033f2efb..225646bde669 100644 --- a/clients/client-license-manager-linux-subscriptions/CHANGELOG.md +++ b/clients/client-license-manager-linux-subscriptions/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-license-manager-linux-subscriptions + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-license-manager-linux-subscriptions diff --git a/clients/client-license-manager-linux-subscriptions/package.json b/clients/client-license-manager-linux-subscriptions/package.json index f01eed3ff356..984a4bbc60b1 100644 --- a/clients/client-license-manager-linux-subscriptions/package.json +++ b/clients/client-license-manager-linux-subscriptions/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-license-manager-linux-subscriptions", "description": "AWS SDK for JavaScript License Manager Linux Subscriptions Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-license-manager-linux-subscriptions", diff --git a/clients/client-license-manager-user-subscriptions/CHANGELOG.md b/clients/client-license-manager-user-subscriptions/CHANGELOG.md index 3ba497a61554..2a939f55da73 100644 --- a/clients/client-license-manager-user-subscriptions/CHANGELOG.md +++ b/clients/client-license-manager-user-subscriptions/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-license-manager-user-subscriptions + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-license-manager-user-subscriptions diff --git a/clients/client-license-manager-user-subscriptions/package.json b/clients/client-license-manager-user-subscriptions/package.json index e0e64f4ee5a3..5d4605a2b482 100644 --- a/clients/client-license-manager-user-subscriptions/package.json +++ b/clients/client-license-manager-user-subscriptions/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-license-manager-user-subscriptions", "description": "AWS SDK for JavaScript License Manager User Subscriptions Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-license-manager-user-subscriptions", diff --git a/clients/client-license-manager/CHANGELOG.md b/clients/client-license-manager/CHANGELOG.md index 4dc76def6a71..fefae2c8566d 100644 --- a/clients/client-license-manager/CHANGELOG.md +++ b/clients/client-license-manager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-license-manager + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-license-manager diff --git a/clients/client-license-manager/package.json b/clients/client-license-manager/package.json index 0de2183717a4..1c383d0b1751 100644 --- a/clients/client-license-manager/package.json +++ b/clients/client-license-manager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-license-manager", "description": "AWS SDK for JavaScript License Manager Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-license-manager", diff --git a/clients/client-lightsail/CHANGELOG.md b/clients/client-lightsail/CHANGELOG.md index b68914d9e496..d3c3b4bc9832 100644 --- a/clients/client-lightsail/CHANGELOG.md +++ b/clients/client-lightsail/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lightsail + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lightsail diff --git a/clients/client-lightsail/package.json b/clients/client-lightsail/package.json index 304971267d04..468b23382032 100644 --- a/clients/client-lightsail/package.json +++ b/clients/client-lightsail/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lightsail", "description": "AWS SDK for JavaScript Lightsail Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lightsail", diff --git a/clients/client-location/CHANGELOG.md b/clients/client-location/CHANGELOG.md index 4db148880fc6..483211734a81 100644 --- a/clients/client-location/CHANGELOG.md +++ b/clients/client-location/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-location + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-location diff --git a/clients/client-location/package.json b/clients/client-location/package.json index 989a256e4a5c..e20af19f129f 100644 --- a/clients/client-location/package.json +++ b/clients/client-location/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-location", "description": "AWS SDK for JavaScript Location Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-location", diff --git a/clients/client-lookoutequipment/CHANGELOG.md b/clients/client-lookoutequipment/CHANGELOG.md index a1daf388c7d7..8a9fb54f5d5f 100644 --- a/clients/client-lookoutequipment/CHANGELOG.md +++ b/clients/client-lookoutequipment/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lookoutequipment + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lookoutequipment diff --git a/clients/client-lookoutequipment/package.json b/clients/client-lookoutequipment/package.json index 5499b4ec9e4f..11a7d8924b13 100644 --- a/clients/client-lookoutequipment/package.json +++ b/clients/client-lookoutequipment/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lookoutequipment", "description": "AWS SDK for JavaScript Lookoutequipment Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lookoutequipment", diff --git a/clients/client-lookoutmetrics/CHANGELOG.md b/clients/client-lookoutmetrics/CHANGELOG.md index c6426d9272ff..bd0782cc3d75 100644 --- a/clients/client-lookoutmetrics/CHANGELOG.md +++ b/clients/client-lookoutmetrics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lookoutmetrics + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lookoutmetrics diff --git a/clients/client-lookoutmetrics/package.json b/clients/client-lookoutmetrics/package.json index f53cce4ccc13..2e679600e33c 100644 --- a/clients/client-lookoutmetrics/package.json +++ b/clients/client-lookoutmetrics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lookoutmetrics", "description": "AWS SDK for JavaScript Lookoutmetrics Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lookoutmetrics", diff --git a/clients/client-lookoutvision/CHANGELOG.md b/clients/client-lookoutvision/CHANGELOG.md index 54414209290f..b7d6a0b56b7f 100644 --- a/clients/client-lookoutvision/CHANGELOG.md +++ b/clients/client-lookoutvision/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-lookoutvision + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-lookoutvision diff --git a/clients/client-lookoutvision/package.json b/clients/client-lookoutvision/package.json index a6cb51eebef3..488198476094 100644 --- a/clients/client-lookoutvision/package.json +++ b/clients/client-lookoutvision/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lookoutvision", "description": "AWS SDK for JavaScript Lookoutvision Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lookoutvision", diff --git a/clients/client-m2/CHANGELOG.md b/clients/client-m2/CHANGELOG.md index 944c7a03528d..ee25c3284c3e 100644 --- a/clients/client-m2/CHANGELOG.md +++ b/clients/client-m2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-m2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-m2 diff --git a/clients/client-m2/package.json b/clients/client-m2/package.json index d9cc831fcd03..7462c28d7152 100644 --- a/clients/client-m2/package.json +++ b/clients/client-m2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-m2", "description": "AWS SDK for JavaScript M2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-m2", diff --git a/clients/client-machine-learning/CHANGELOG.md b/clients/client-machine-learning/CHANGELOG.md index a37c363029ec..71452230b07b 100644 --- a/clients/client-machine-learning/CHANGELOG.md +++ b/clients/client-machine-learning/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-machine-learning + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-machine-learning diff --git a/clients/client-machine-learning/package.json b/clients/client-machine-learning/package.json index f56a6a77cf31..9cc676f39047 100644 --- a/clients/client-machine-learning/package.json +++ b/clients/client-machine-learning/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-machine-learning", "description": "AWS SDK for JavaScript Machine Learning Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-machine-learning", diff --git a/clients/client-macie2/CHANGELOG.md b/clients/client-macie2/CHANGELOG.md index c52594cf59e2..9f235cd79144 100644 --- a/clients/client-macie2/CHANGELOG.md +++ b/clients/client-macie2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-macie2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-macie2 diff --git a/clients/client-macie2/package.json b/clients/client-macie2/package.json index 0e4c92879ca0..28e02997da74 100644 --- a/clients/client-macie2/package.json +++ b/clients/client-macie2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-macie2", "description": "AWS SDK for JavaScript Macie2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-macie2", diff --git a/clients/client-mailmanager/CHANGELOG.md b/clients/client-mailmanager/CHANGELOG.md index ebd0d155560f..3135c4bbcb22 100644 --- a/clients/client-mailmanager/CHANGELOG.md +++ b/clients/client-mailmanager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mailmanager + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mailmanager diff --git a/clients/client-mailmanager/package.json b/clients/client-mailmanager/package.json index 2d75fe713747..4c90eb141ac4 100644 --- a/clients/client-mailmanager/package.json +++ b/clients/client-mailmanager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mailmanager", "description": "AWS SDK for JavaScript Mailmanager Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-managedblockchain-query/CHANGELOG.md b/clients/client-managedblockchain-query/CHANGELOG.md index 7cb07cf47ec9..44b8b23820a5 100644 --- a/clients/client-managedblockchain-query/CHANGELOG.md +++ b/clients/client-managedblockchain-query/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-managedblockchain-query + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-managedblockchain-query diff --git a/clients/client-managedblockchain-query/package.json b/clients/client-managedblockchain-query/package.json index af632f3b317c..fc23cd3a4684 100644 --- a/clients/client-managedblockchain-query/package.json +++ b/clients/client-managedblockchain-query/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-managedblockchain-query", "description": "AWS SDK for JavaScript Managedblockchain Query Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-managedblockchain-query", diff --git a/clients/client-managedblockchain/CHANGELOG.md b/clients/client-managedblockchain/CHANGELOG.md index 82ab34af0f7d..d98fbd80f76a 100644 --- a/clients/client-managedblockchain/CHANGELOG.md +++ b/clients/client-managedblockchain/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-managedblockchain + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-managedblockchain diff --git a/clients/client-managedblockchain/package.json b/clients/client-managedblockchain/package.json index 4224c29ed25a..ddcb7930753e 100644 --- a/clients/client-managedblockchain/package.json +++ b/clients/client-managedblockchain/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-managedblockchain", "description": "AWS SDK for JavaScript Managedblockchain Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-managedblockchain", diff --git a/clients/client-marketplace-agreement/CHANGELOG.md b/clients/client-marketplace-agreement/CHANGELOG.md index 4c2fac444007..350081057a97 100644 --- a/clients/client-marketplace-agreement/CHANGELOG.md +++ b/clients/client-marketplace-agreement/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-agreement + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-marketplace-agreement diff --git a/clients/client-marketplace-agreement/package.json b/clients/client-marketplace-agreement/package.json index 2034ed0b54c6..1c564aaf4e55 100644 --- a/clients/client-marketplace-agreement/package.json +++ b/clients/client-marketplace-agreement/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-agreement", "description": "AWS SDK for JavaScript Marketplace Agreement Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-agreement", diff --git a/clients/client-marketplace-catalog/CHANGELOG.md b/clients/client-marketplace-catalog/CHANGELOG.md index 99a2a7afe2e6..aa64f54f3087 100644 --- a/clients/client-marketplace-catalog/CHANGELOG.md +++ b/clients/client-marketplace-catalog/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-catalog + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-marketplace-catalog diff --git a/clients/client-marketplace-catalog/package.json b/clients/client-marketplace-catalog/package.json index 499510c23750..034a787abf52 100644 --- a/clients/client-marketplace-catalog/package.json +++ b/clients/client-marketplace-catalog/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-catalog", "description": "AWS SDK for JavaScript Marketplace Catalog Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-catalog", diff --git a/clients/client-marketplace-commerce-analytics/CHANGELOG.md b/clients/client-marketplace-commerce-analytics/CHANGELOG.md index 6abceddbb636..e6ce0816d3b0 100644 --- a/clients/client-marketplace-commerce-analytics/CHANGELOG.md +++ b/clients/client-marketplace-commerce-analytics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-commerce-analytics + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-marketplace-commerce-analytics diff --git a/clients/client-marketplace-commerce-analytics/package.json b/clients/client-marketplace-commerce-analytics/package.json index 1be5bd50017b..aaf146c56891 100644 --- a/clients/client-marketplace-commerce-analytics/package.json +++ b/clients/client-marketplace-commerce-analytics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-commerce-analytics", "description": "AWS SDK for JavaScript Marketplace Commerce Analytics Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-commerce-analytics", diff --git a/clients/client-marketplace-deployment/CHANGELOG.md b/clients/client-marketplace-deployment/CHANGELOG.md index 355d6bb2599a..5515f8e3ff1a 100644 --- a/clients/client-marketplace-deployment/CHANGELOG.md +++ b/clients/client-marketplace-deployment/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-deployment + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-marketplace-deployment diff --git a/clients/client-marketplace-deployment/package.json b/clients/client-marketplace-deployment/package.json index 8f863b21d516..38854a5702c0 100644 --- a/clients/client-marketplace-deployment/package.json +++ b/clients/client-marketplace-deployment/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-deployment", "description": "AWS SDK for JavaScript Marketplace Deployment Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-deployment", diff --git a/clients/client-marketplace-entitlement-service/CHANGELOG.md b/clients/client-marketplace-entitlement-service/CHANGELOG.md index a228e0d64442..c9aec8b79700 100644 --- a/clients/client-marketplace-entitlement-service/CHANGELOG.md +++ b/clients/client-marketplace-entitlement-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-entitlement-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-marketplace-entitlement-service diff --git a/clients/client-marketplace-entitlement-service/package.json b/clients/client-marketplace-entitlement-service/package.json index 55318589ecfc..79dc4df3297d 100644 --- a/clients/client-marketplace-entitlement-service/package.json +++ b/clients/client-marketplace-entitlement-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-entitlement-service", "description": "AWS SDK for JavaScript Marketplace Entitlement Service Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-entitlement-service", diff --git a/clients/client-marketplace-metering/CHANGELOG.md b/clients/client-marketplace-metering/CHANGELOG.md index bb7d4f9ec6d2..80429c49a473 100644 --- a/clients/client-marketplace-metering/CHANGELOG.md +++ b/clients/client-marketplace-metering/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-metering + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-marketplace-metering diff --git a/clients/client-marketplace-metering/package.json b/clients/client-marketplace-metering/package.json index 817aa550cce9..af781c5ec411 100644 --- a/clients/client-marketplace-metering/package.json +++ b/clients/client-marketplace-metering/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-metering", "description": "AWS SDK for JavaScript Marketplace Metering Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-metering", diff --git a/clients/client-mediaconnect/CHANGELOG.md b/clients/client-mediaconnect/CHANGELOG.md index 73b91b2d369f..68630db05f79 100644 --- a/clients/client-mediaconnect/CHANGELOG.md +++ b/clients/client-mediaconnect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediaconnect + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mediaconnect diff --git a/clients/client-mediaconnect/package.json b/clients/client-mediaconnect/package.json index e7f0b33f7ebb..0a2d4404461c 100644 --- a/clients/client-mediaconnect/package.json +++ b/clients/client-mediaconnect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediaconnect", "description": "AWS SDK for JavaScript Mediaconnect Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediaconnect", diff --git a/clients/client-mediaconvert/CHANGELOG.md b/clients/client-mediaconvert/CHANGELOG.md index c79b9acd1955..7a0726852ec1 100644 --- a/clients/client-mediaconvert/CHANGELOG.md +++ b/clients/client-mediaconvert/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediaconvert + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/clients/client-mediaconvert/package.json b/clients/client-mediaconvert/package.json index f9115cddcb8a..3e205b0ec598 100644 --- a/clients/client-mediaconvert/package.json +++ b/clients/client-mediaconvert/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediaconvert", "description": "AWS SDK for JavaScript Mediaconvert Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediaconvert", diff --git a/clients/client-medialive/CHANGELOG.md b/clients/client-medialive/CHANGELOG.md index 7a7b44fe2458..be67a77b9111 100644 --- a/clients/client-medialive/CHANGELOG.md +++ b/clients/client-medialive/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-medialive + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) diff --git a/clients/client-medialive/package.json b/clients/client-medialive/package.json index d42e88fd7365..603bad88d439 100644 --- a/clients/client-medialive/package.json +++ b/clients/client-medialive/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-medialive", "description": "AWS SDK for JavaScript Medialive Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-medialive", diff --git a/clients/client-mediapackage-vod/CHANGELOG.md b/clients/client-mediapackage-vod/CHANGELOG.md index 7fe40a3af374..d9d326d37bc1 100644 --- a/clients/client-mediapackage-vod/CHANGELOG.md +++ b/clients/client-mediapackage-vod/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediapackage-vod + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mediapackage-vod diff --git a/clients/client-mediapackage-vod/package.json b/clients/client-mediapackage-vod/package.json index a2d18c390559..c0a575dba18d 100644 --- a/clients/client-mediapackage-vod/package.json +++ b/clients/client-mediapackage-vod/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediapackage-vod", "description": "AWS SDK for JavaScript Mediapackage Vod Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediapackage-vod", diff --git a/clients/client-mediapackage/CHANGELOG.md b/clients/client-mediapackage/CHANGELOG.md index b6b522825a87..a79e2ba63711 100644 --- a/clients/client-mediapackage/CHANGELOG.md +++ b/clients/client-mediapackage/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediapackage + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mediapackage diff --git a/clients/client-mediapackage/package.json b/clients/client-mediapackage/package.json index df3cd71713ce..2bd0ba269c70 100644 --- a/clients/client-mediapackage/package.json +++ b/clients/client-mediapackage/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediapackage", "description": "AWS SDK for JavaScript Mediapackage Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediapackage", diff --git a/clients/client-mediapackagev2/CHANGELOG.md b/clients/client-mediapackagev2/CHANGELOG.md index 3c7bdc8f9d14..3ca2e2c00f81 100644 --- a/clients/client-mediapackagev2/CHANGELOG.md +++ b/clients/client-mediapackagev2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediapackagev2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mediapackagev2 diff --git a/clients/client-mediapackagev2/package.json b/clients/client-mediapackagev2/package.json index e700e5a8255c..32e365281c99 100644 --- a/clients/client-mediapackagev2/package.json +++ b/clients/client-mediapackagev2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediapackagev2", "description": "AWS SDK for JavaScript Mediapackagev2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediapackagev2", diff --git a/clients/client-mediastore-data/CHANGELOG.md b/clients/client-mediastore-data/CHANGELOG.md index 655b91fd2ce6..ea5c35158f1c 100644 --- a/clients/client-mediastore-data/CHANGELOG.md +++ b/clients/client-mediastore-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediastore-data + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mediastore-data diff --git a/clients/client-mediastore-data/package.json b/clients/client-mediastore-data/package.json index 66319e2aea00..151040819894 100644 --- a/clients/client-mediastore-data/package.json +++ b/clients/client-mediastore-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediastore-data", "description": "AWS SDK for JavaScript Mediastore Data Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediastore-data", diff --git a/clients/client-mediastore/CHANGELOG.md b/clients/client-mediastore/CHANGELOG.md index 8876d9aa39af..c256d0df316c 100644 --- a/clients/client-mediastore/CHANGELOG.md +++ b/clients/client-mediastore/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediastore + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mediastore diff --git a/clients/client-mediastore/package.json b/clients/client-mediastore/package.json index 8ebe8db0da36..600cf07b984e 100644 --- a/clients/client-mediastore/package.json +++ b/clients/client-mediastore/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediastore", "description": "AWS SDK for JavaScript Mediastore Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediastore", diff --git a/clients/client-mediatailor/CHANGELOG.md b/clients/client-mediatailor/CHANGELOG.md index ea99ba9d5a16..dba107f32f54 100644 --- a/clients/client-mediatailor/CHANGELOG.md +++ b/clients/client-mediatailor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mediatailor + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mediatailor diff --git a/clients/client-mediatailor/package.json b/clients/client-mediatailor/package.json index 063201465f32..c7375707ece4 100644 --- a/clients/client-mediatailor/package.json +++ b/clients/client-mediatailor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediatailor", "description": "AWS SDK for JavaScript Mediatailor Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediatailor", diff --git a/clients/client-medical-imaging/CHANGELOG.md b/clients/client-medical-imaging/CHANGELOG.md index 530dd0bf27b8..035780bdcfd2 100644 --- a/clients/client-medical-imaging/CHANGELOG.md +++ b/clients/client-medical-imaging/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-medical-imaging + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-medical-imaging diff --git a/clients/client-medical-imaging/package.json b/clients/client-medical-imaging/package.json index 938cbfdcca1c..21344a49c6fd 100644 --- a/clients/client-medical-imaging/package.json +++ b/clients/client-medical-imaging/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-medical-imaging", "description": "AWS SDK for JavaScript Medical Imaging Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-medical-imaging", diff --git a/clients/client-memorydb/CHANGELOG.md b/clients/client-memorydb/CHANGELOG.md index 53f817671ca0..9deca5375e06 100644 --- a/clients/client-memorydb/CHANGELOG.md +++ b/clients/client-memorydb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-memorydb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-memorydb diff --git a/clients/client-memorydb/package.json b/clients/client-memorydb/package.json index c93e650f6034..ac93136949b7 100644 --- a/clients/client-memorydb/package.json +++ b/clients/client-memorydb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-memorydb", "description": "AWS SDK for JavaScript Memorydb Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-memorydb", diff --git a/clients/client-mgn/CHANGELOG.md b/clients/client-mgn/CHANGELOG.md index 474d6792ab36..727bc2c7692f 100644 --- a/clients/client-mgn/CHANGELOG.md +++ b/clients/client-mgn/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mgn + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mgn diff --git a/clients/client-mgn/package.json b/clients/client-mgn/package.json index d22f418ccea2..0735ffdd6fde 100644 --- a/clients/client-mgn/package.json +++ b/clients/client-mgn/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mgn", "description": "AWS SDK for JavaScript Mgn Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mgn", diff --git a/clients/client-migration-hub-refactor-spaces/CHANGELOG.md b/clients/client-migration-hub-refactor-spaces/CHANGELOG.md index 1260adcc7dec..33fe96764398 100644 --- a/clients/client-migration-hub-refactor-spaces/CHANGELOG.md +++ b/clients/client-migration-hub-refactor-spaces/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-migration-hub-refactor-spaces + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-migration-hub-refactor-spaces diff --git a/clients/client-migration-hub-refactor-spaces/package.json b/clients/client-migration-hub-refactor-spaces/package.json index e01b2c6eeefe..06d1b9577288 100644 --- a/clients/client-migration-hub-refactor-spaces/package.json +++ b/clients/client-migration-hub-refactor-spaces/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migration-hub-refactor-spaces", "description": "AWS SDK for JavaScript Migration Hub Refactor Spaces Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migration-hub-refactor-spaces", diff --git a/clients/client-migration-hub/CHANGELOG.md b/clients/client-migration-hub/CHANGELOG.md index dfc6c96a99d8..3109c582c357 100644 --- a/clients/client-migration-hub/CHANGELOG.md +++ b/clients/client-migration-hub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-migration-hub + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-migration-hub diff --git a/clients/client-migration-hub/package.json b/clients/client-migration-hub/package.json index 46fece803370..e2d9f3e6042c 100644 --- a/clients/client-migration-hub/package.json +++ b/clients/client-migration-hub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migration-hub", "description": "AWS SDK for JavaScript Migration Hub Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migration-hub", diff --git a/clients/client-migrationhub-config/CHANGELOG.md b/clients/client-migrationhub-config/CHANGELOG.md index 818d4010b1c6..dbdf475fbb87 100644 --- a/clients/client-migrationhub-config/CHANGELOG.md +++ b/clients/client-migrationhub-config/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-migrationhub-config + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-migrationhub-config diff --git a/clients/client-migrationhub-config/package.json b/clients/client-migrationhub-config/package.json index c7cc74a75a55..283ed4636f6c 100644 --- a/clients/client-migrationhub-config/package.json +++ b/clients/client-migrationhub-config/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migrationhub-config", "description": "AWS SDK for JavaScript Migrationhub Config Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migrationhub-config", diff --git a/clients/client-migrationhuborchestrator/CHANGELOG.md b/clients/client-migrationhuborchestrator/CHANGELOG.md index cc54f550c4ad..31d65412fff8 100644 --- a/clients/client-migrationhuborchestrator/CHANGELOG.md +++ b/clients/client-migrationhuborchestrator/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-migrationhuborchestrator + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-migrationhuborchestrator diff --git a/clients/client-migrationhuborchestrator/package.json b/clients/client-migrationhuborchestrator/package.json index f9bdbaddc2e7..f2f5a3797ac4 100644 --- a/clients/client-migrationhuborchestrator/package.json +++ b/clients/client-migrationhuborchestrator/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migrationhuborchestrator", "description": "AWS SDK for JavaScript Migrationhuborchestrator Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migrationhuborchestrator", diff --git a/clients/client-migrationhubstrategy/CHANGELOG.md b/clients/client-migrationhubstrategy/CHANGELOG.md index e127ba551420..acaac35b253b 100644 --- a/clients/client-migrationhubstrategy/CHANGELOG.md +++ b/clients/client-migrationhubstrategy/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-migrationhubstrategy + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-migrationhubstrategy diff --git a/clients/client-migrationhubstrategy/package.json b/clients/client-migrationhubstrategy/package.json index 73d8860e3989..666989967e1c 100644 --- a/clients/client-migrationhubstrategy/package.json +++ b/clients/client-migrationhubstrategy/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migrationhubstrategy", "description": "AWS SDK for JavaScript Migrationhubstrategy Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migrationhubstrategy", diff --git a/clients/client-mq/CHANGELOG.md b/clients/client-mq/CHANGELOG.md index 584227373628..f231ed332713 100644 --- a/clients/client-mq/CHANGELOG.md +++ b/clients/client-mq/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mq + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mq diff --git a/clients/client-mq/package.json b/clients/client-mq/package.json index 3b8202c1063e..303647aad94c 100644 --- a/clients/client-mq/package.json +++ b/clients/client-mq/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mq", "description": "AWS SDK for JavaScript Mq Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mq", diff --git a/clients/client-mturk/CHANGELOG.md b/clients/client-mturk/CHANGELOG.md index d984cf838b71..f513050920d5 100644 --- a/clients/client-mturk/CHANGELOG.md +++ b/clients/client-mturk/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mturk + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mturk diff --git a/clients/client-mturk/package.json b/clients/client-mturk/package.json index 8c73bd3f38f1..e9b17f3236f3 100644 --- a/clients/client-mturk/package.json +++ b/clients/client-mturk/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mturk", "description": "AWS SDK for JavaScript Mturk Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mturk", diff --git a/clients/client-mwaa/CHANGELOG.md b/clients/client-mwaa/CHANGELOG.md index 06ef1b2d10b5..e0a26f0af1c8 100644 --- a/clients/client-mwaa/CHANGELOG.md +++ b/clients/client-mwaa/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-mwaa + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-mwaa diff --git a/clients/client-mwaa/package.json b/clients/client-mwaa/package.json index 2d671d92b706..4e1efece475d 100644 --- a/clients/client-mwaa/package.json +++ b/clients/client-mwaa/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mwaa", "description": "AWS SDK for JavaScript Mwaa Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mwaa", diff --git a/clients/client-neptune-graph/CHANGELOG.md b/clients/client-neptune-graph/CHANGELOG.md index 1966a582cca9..30ae6bbe816d 100644 --- a/clients/client-neptune-graph/CHANGELOG.md +++ b/clients/client-neptune-graph/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-neptune-graph + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-neptune-graph diff --git a/clients/client-neptune-graph/package.json b/clients/client-neptune-graph/package.json index 4e1adc821b3e..180ffe28ad7a 100644 --- a/clients/client-neptune-graph/package.json +++ b/clients/client-neptune-graph/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-neptune-graph", "description": "AWS SDK for JavaScript Neptune Graph Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-neptune-graph", diff --git a/clients/client-neptune/CHANGELOG.md b/clients/client-neptune/CHANGELOG.md index d70ef2a968b7..d2bf4c4303d3 100644 --- a/clients/client-neptune/CHANGELOG.md +++ b/clients/client-neptune/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-neptune + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-neptune diff --git a/clients/client-neptune/package.json b/clients/client-neptune/package.json index c79b79fd5c03..113e6564a32b 100644 --- a/clients/client-neptune/package.json +++ b/clients/client-neptune/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-neptune", "description": "AWS SDK for JavaScript Neptune Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-neptune", diff --git a/clients/client-neptunedata/CHANGELOG.md b/clients/client-neptunedata/CHANGELOG.md index 94078ddb466a..f2948937ed1a 100644 --- a/clients/client-neptunedata/CHANGELOG.md +++ b/clients/client-neptunedata/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-neptunedata + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-neptunedata diff --git a/clients/client-neptunedata/package.json b/clients/client-neptunedata/package.json index 6022a0cfeb7c..ca913f434467 100644 --- a/clients/client-neptunedata/package.json +++ b/clients/client-neptunedata/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-neptunedata", "description": "AWS SDK for JavaScript Neptunedata Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-neptunedata", diff --git a/clients/client-network-firewall/CHANGELOG.md b/clients/client-network-firewall/CHANGELOG.md index 555887ebe6de..12856489436c 100644 --- a/clients/client-network-firewall/CHANGELOG.md +++ b/clients/client-network-firewall/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-network-firewall + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-network-firewall diff --git a/clients/client-network-firewall/package.json b/clients/client-network-firewall/package.json index 83edc00fe88c..246e22bd81da 100644 --- a/clients/client-network-firewall/package.json +++ b/clients/client-network-firewall/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-network-firewall", "description": "AWS SDK for JavaScript Network Firewall Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-network-firewall", diff --git a/clients/client-networkmanager/CHANGELOG.md b/clients/client-networkmanager/CHANGELOG.md index 3bdd7ae12c66..62a5b9375f19 100644 --- a/clients/client-networkmanager/CHANGELOG.md +++ b/clients/client-networkmanager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-networkmanager + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-networkmanager diff --git a/clients/client-networkmanager/package.json b/clients/client-networkmanager/package.json index 73c84ecc2d3a..43d2c3ac3008 100644 --- a/clients/client-networkmanager/package.json +++ b/clients/client-networkmanager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-networkmanager", "description": "AWS SDK for JavaScript Networkmanager Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-networkmanager", diff --git a/clients/client-networkmonitor/CHANGELOG.md b/clients/client-networkmonitor/CHANGELOG.md index eabbe1af5068..96e3cc8de4b7 100644 --- a/clients/client-networkmonitor/CHANGELOG.md +++ b/clients/client-networkmonitor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-networkmonitor + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-networkmonitor diff --git a/clients/client-networkmonitor/package.json b/clients/client-networkmonitor/package.json index 27c013329d76..98ba91bbc9db 100644 --- a/clients/client-networkmonitor/package.json +++ b/clients/client-networkmonitor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-networkmonitor", "description": "AWS SDK for JavaScript Networkmonitor Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-networkmonitor", diff --git a/clients/client-nimble/CHANGELOG.md b/clients/client-nimble/CHANGELOG.md index bbac6b854ea8..07f456e603d5 100644 --- a/clients/client-nimble/CHANGELOG.md +++ b/clients/client-nimble/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-nimble + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-nimble diff --git a/clients/client-nimble/package.json b/clients/client-nimble/package.json index b7784381904f..6de720c43674 100644 --- a/clients/client-nimble/package.json +++ b/clients/client-nimble/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-nimble", "description": "AWS SDK for JavaScript Nimble Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-nimble", diff --git a/clients/client-oam/CHANGELOG.md b/clients/client-oam/CHANGELOG.md index e5e62b32f156..5cdddc2025b8 100644 --- a/clients/client-oam/CHANGELOG.md +++ b/clients/client-oam/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-oam + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-oam diff --git a/clients/client-oam/package.json b/clients/client-oam/package.json index 3f8f07830be0..90d3b8761e8e 100644 --- a/clients/client-oam/package.json +++ b/clients/client-oam/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-oam", "description": "AWS SDK for JavaScript Oam Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-oam", diff --git a/clients/client-omics/CHANGELOG.md b/clients/client-omics/CHANGELOG.md index dacf9847a7f1..795df206d80b 100644 --- a/clients/client-omics/CHANGELOG.md +++ b/clients/client-omics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-omics + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-omics diff --git a/clients/client-omics/package.json b/clients/client-omics/package.json index 9060e2bed5f0..e85bede3a3bc 100644 --- a/clients/client-omics/package.json +++ b/clients/client-omics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-omics", "description": "AWS SDK for JavaScript Omics Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-omics", diff --git a/clients/client-opensearch/CHANGELOG.md b/clients/client-opensearch/CHANGELOG.md index 63bff55d1fa8..c158d13cbe71 100644 --- a/clients/client-opensearch/CHANGELOG.md +++ b/clients/client-opensearch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-opensearch + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-opensearch diff --git a/clients/client-opensearch/package.json b/clients/client-opensearch/package.json index 205bd150fe7b..d01fc527e760 100644 --- a/clients/client-opensearch/package.json +++ b/clients/client-opensearch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opensearch", "description": "AWS SDK for JavaScript Opensearch Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opensearch", diff --git a/clients/client-opensearchserverless/CHANGELOG.md b/clients/client-opensearchserverless/CHANGELOG.md index d0ca9e8e7107..b600883ea2c2 100644 --- a/clients/client-opensearchserverless/CHANGELOG.md +++ b/clients/client-opensearchserverless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-opensearchserverless + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-opensearchserverless diff --git a/clients/client-opensearchserverless/package.json b/clients/client-opensearchserverless/package.json index b60962af10d9..016ad01af8c2 100644 --- a/clients/client-opensearchserverless/package.json +++ b/clients/client-opensearchserverless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opensearchserverless", "description": "AWS SDK for JavaScript Opensearchserverless Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opensearchserverless", diff --git a/clients/client-opsworks/CHANGELOG.md b/clients/client-opsworks/CHANGELOG.md index 52d3e6091567..168f948dde2e 100644 --- a/clients/client-opsworks/CHANGELOG.md +++ b/clients/client-opsworks/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-opsworks + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-opsworks diff --git a/clients/client-opsworks/package.json b/clients/client-opsworks/package.json index d6a7643c60d7..db7192fc0162 100644 --- a/clients/client-opsworks/package.json +++ b/clients/client-opsworks/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opsworks", "description": "AWS SDK for JavaScript Opsworks Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opsworks", diff --git a/clients/client-opsworkscm/CHANGELOG.md b/clients/client-opsworkscm/CHANGELOG.md index 22e0f2ce619f..9dc0aa53155a 100644 --- a/clients/client-opsworkscm/CHANGELOG.md +++ b/clients/client-opsworkscm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-opsworkscm + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-opsworkscm diff --git a/clients/client-opsworkscm/package.json b/clients/client-opsworkscm/package.json index 7924a0a8641c..0637c6d6439d 100644 --- a/clients/client-opsworkscm/package.json +++ b/clients/client-opsworkscm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opsworkscm", "description": "AWS SDK for JavaScript Opsworkscm Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opsworkscm", diff --git a/clients/client-organizations/CHANGELOG.md b/clients/client-organizations/CHANGELOG.md index 1b2ac9a1fa4e..601f25a69493 100644 --- a/clients/client-organizations/CHANGELOG.md +++ b/clients/client-organizations/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-organizations + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-organizations diff --git a/clients/client-organizations/package.json b/clients/client-organizations/package.json index 38e211a2bd8f..af2bbe0dabd7 100644 --- a/clients/client-organizations/package.json +++ b/clients/client-organizations/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-organizations", "description": "AWS SDK for JavaScript Organizations Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-organizations", diff --git a/clients/client-osis/CHANGELOG.md b/clients/client-osis/CHANGELOG.md index 6817d350cc17..d5410f425e6e 100644 --- a/clients/client-osis/CHANGELOG.md +++ b/clients/client-osis/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-osis + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-osis diff --git a/clients/client-osis/package.json b/clients/client-osis/package.json index 24e4eb9bacb4..85e049eb33c5 100644 --- a/clients/client-osis/package.json +++ b/clients/client-osis/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-osis", "description": "AWS SDK for JavaScript Osis Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-osis", diff --git a/clients/client-outposts/CHANGELOG.md b/clients/client-outposts/CHANGELOG.md index 7e314f271146..4eb1f5d05ee3 100644 --- a/clients/client-outposts/CHANGELOG.md +++ b/clients/client-outposts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-outposts + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-outposts diff --git a/clients/client-outposts/package.json b/clients/client-outposts/package.json index e918ea5fcbdf..66c40f227b52 100644 --- a/clients/client-outposts/package.json +++ b/clients/client-outposts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-outposts", "description": "AWS SDK for JavaScript Outposts Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-outposts", diff --git a/clients/client-panorama/CHANGELOG.md b/clients/client-panorama/CHANGELOG.md index fb53b05197c2..857b197b6ce1 100644 --- a/clients/client-panorama/CHANGELOG.md +++ b/clients/client-panorama/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-panorama + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-panorama diff --git a/clients/client-panorama/package.json b/clients/client-panorama/package.json index 853c38a7f6f9..bd08b4cde53b 100644 --- a/clients/client-panorama/package.json +++ b/clients/client-panorama/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-panorama", "description": "AWS SDK for JavaScript Panorama Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-panorama", diff --git a/clients/client-payment-cryptography-data/CHANGELOG.md b/clients/client-payment-cryptography-data/CHANGELOG.md index adbcc6298806..479b6bd94c86 100644 --- a/clients/client-payment-cryptography-data/CHANGELOG.md +++ b/clients/client-payment-cryptography-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-payment-cryptography-data + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-payment-cryptography-data diff --git a/clients/client-payment-cryptography-data/package.json b/clients/client-payment-cryptography-data/package.json index 5bb679f36f1f..2f6d53651a00 100644 --- a/clients/client-payment-cryptography-data/package.json +++ b/clients/client-payment-cryptography-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-payment-cryptography-data", "description": "AWS SDK for JavaScript Payment Cryptography Data Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-payment-cryptography-data", diff --git a/clients/client-payment-cryptography/CHANGELOG.md b/clients/client-payment-cryptography/CHANGELOG.md index 6850d4031a9e..af320d5623a8 100644 --- a/clients/client-payment-cryptography/CHANGELOG.md +++ b/clients/client-payment-cryptography/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-payment-cryptography + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-payment-cryptography diff --git a/clients/client-payment-cryptography/package.json b/clients/client-payment-cryptography/package.json index 03baca37f34e..2097d0be0ac8 100644 --- a/clients/client-payment-cryptography/package.json +++ b/clients/client-payment-cryptography/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-payment-cryptography", "description": "AWS SDK for JavaScript Payment Cryptography Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-payment-cryptography", diff --git a/clients/client-pca-connector-ad/CHANGELOG.md b/clients/client-pca-connector-ad/CHANGELOG.md index 06da994c577a..d080f92219ab 100644 --- a/clients/client-pca-connector-ad/CHANGELOG.md +++ b/clients/client-pca-connector-ad/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pca-connector-ad + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pca-connector-ad diff --git a/clients/client-pca-connector-ad/package.json b/clients/client-pca-connector-ad/package.json index 91a0783f30c7..fadf5a99139f 100644 --- a/clients/client-pca-connector-ad/package.json +++ b/clients/client-pca-connector-ad/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pca-connector-ad", "description": "AWS SDK for JavaScript Pca Connector Ad Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pca-connector-ad", diff --git a/clients/client-pca-connector-scep/CHANGELOG.md b/clients/client-pca-connector-scep/CHANGELOG.md index fdc324993dbf..816215eb3377 100644 --- a/clients/client-pca-connector-scep/CHANGELOG.md +++ b/clients/client-pca-connector-scep/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pca-connector-scep + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pca-connector-scep diff --git a/clients/client-pca-connector-scep/package.json b/clients/client-pca-connector-scep/package.json index 4092450ba482..309e218b1ea1 100644 --- a/clients/client-pca-connector-scep/package.json +++ b/clients/client-pca-connector-scep/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pca-connector-scep", "description": "AWS SDK for JavaScript Pca Connector Scep Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-pcs/CHANGELOG.md b/clients/client-pcs/CHANGELOG.md index ad014422624a..1428c12075b4 100644 --- a/clients/client-pcs/CHANGELOG.md +++ b/clients/client-pcs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pcs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pcs diff --git a/clients/client-pcs/package.json b/clients/client-pcs/package.json index 6e92cf958da1..04cf6d844f09 100644 --- a/clients/client-pcs/package.json +++ b/clients/client-pcs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pcs", "description": "AWS SDK for JavaScript Pcs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-personalize-events/CHANGELOG.md b/clients/client-personalize-events/CHANGELOG.md index 8ffb4cc9eb69..52684942a6d5 100644 --- a/clients/client-personalize-events/CHANGELOG.md +++ b/clients/client-personalize-events/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-personalize-events + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-personalize-events diff --git a/clients/client-personalize-events/package.json b/clients/client-personalize-events/package.json index 285e90a67ef0..9b890cae9282 100644 --- a/clients/client-personalize-events/package.json +++ b/clients/client-personalize-events/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-personalize-events", "description": "AWS SDK for JavaScript Personalize Events Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-personalize-events", diff --git a/clients/client-personalize-runtime/CHANGELOG.md b/clients/client-personalize-runtime/CHANGELOG.md index 57a930636af2..04d1a4c41583 100644 --- a/clients/client-personalize-runtime/CHANGELOG.md +++ b/clients/client-personalize-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-personalize-runtime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-personalize-runtime diff --git a/clients/client-personalize-runtime/package.json b/clients/client-personalize-runtime/package.json index 66bb195197d3..ce85cf8a7fa9 100644 --- a/clients/client-personalize-runtime/package.json +++ b/clients/client-personalize-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-personalize-runtime", "description": "AWS SDK for JavaScript Personalize Runtime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-personalize-runtime", diff --git a/clients/client-personalize/CHANGELOG.md b/clients/client-personalize/CHANGELOG.md index 3eea4520095a..df29b94afac0 100644 --- a/clients/client-personalize/CHANGELOG.md +++ b/clients/client-personalize/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-personalize + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-personalize diff --git a/clients/client-personalize/package.json b/clients/client-personalize/package.json index e6e769026356..dd313b93cee0 100644 --- a/clients/client-personalize/package.json +++ b/clients/client-personalize/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-personalize", "description": "AWS SDK for JavaScript Personalize Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-personalize", diff --git a/clients/client-pi/CHANGELOG.md b/clients/client-pi/CHANGELOG.md index 825f8486616a..73ef3e17cc45 100644 --- a/clients/client-pi/CHANGELOG.md +++ b/clients/client-pi/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pi + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pi diff --git a/clients/client-pi/package.json b/clients/client-pi/package.json index e7de85d65127..49e089fb9fab 100644 --- a/clients/client-pi/package.json +++ b/clients/client-pi/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pi", "description": "AWS SDK for JavaScript Pi Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pi", diff --git a/clients/client-pinpoint-email/CHANGELOG.md b/clients/client-pinpoint-email/CHANGELOG.md index ffceac94b322..320d5c476814 100644 --- a/clients/client-pinpoint-email/CHANGELOG.md +++ b/clients/client-pinpoint-email/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-email + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pinpoint-email diff --git a/clients/client-pinpoint-email/package.json b/clients/client-pinpoint-email/package.json index 74c8fe48c8ff..6068b54d2232 100644 --- a/clients/client-pinpoint-email/package.json +++ b/clients/client-pinpoint-email/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint-email", "description": "AWS SDK for JavaScript Pinpoint Email Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint-email", diff --git a/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md b/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md index 9dafd9e43997..654f6b4ce678 100644 --- a/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md +++ b/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice-v2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice-v2 diff --git a/clients/client-pinpoint-sms-voice-v2/package.json b/clients/client-pinpoint-sms-voice-v2/package.json index 60102525ff17..351f80d04a25 100644 --- a/clients/client-pinpoint-sms-voice-v2/package.json +++ b/clients/client-pinpoint-sms-voice-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint-sms-voice-v2", "description": "AWS SDK for JavaScript Pinpoint Sms Voice V2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint-sms-voice-v2", diff --git a/clients/client-pinpoint-sms-voice/CHANGELOG.md b/clients/client-pinpoint-sms-voice/CHANGELOG.md index 322c0a46fe64..a4ff35fc4ff7 100644 --- a/clients/client-pinpoint-sms-voice/CHANGELOG.md +++ b/clients/client-pinpoint-sms-voice/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice diff --git a/clients/client-pinpoint-sms-voice/package.json b/clients/client-pinpoint-sms-voice/package.json index 12248db0d368..bfeebe7d18aa 100644 --- a/clients/client-pinpoint-sms-voice/package.json +++ b/clients/client-pinpoint-sms-voice/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint-sms-voice", "description": "AWS SDK for JavaScript Pinpoint Sms Voice Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint-sms-voice", diff --git a/clients/client-pinpoint/CHANGELOG.md b/clients/client-pinpoint/CHANGELOG.md index 4ae94fc07ef2..5cb1fa4f16eb 100644 --- a/clients/client-pinpoint/CHANGELOG.md +++ b/clients/client-pinpoint/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pinpoint diff --git a/clients/client-pinpoint/package.json b/clients/client-pinpoint/package.json index 3b25a035333f..061e9c095c11 100644 --- a/clients/client-pinpoint/package.json +++ b/clients/client-pinpoint/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint", "description": "AWS SDK for JavaScript Pinpoint Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint", diff --git a/clients/client-pipes/CHANGELOG.md b/clients/client-pipes/CHANGELOG.md index fe652fd3b41a..4bd8c12feea6 100644 --- a/clients/client-pipes/CHANGELOG.md +++ b/clients/client-pipes/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pipes + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pipes diff --git a/clients/client-pipes/package.json b/clients/client-pipes/package.json index 4284bfe4add2..db26990b2a67 100644 --- a/clients/client-pipes/package.json +++ b/clients/client-pipes/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pipes", "description": "AWS SDK for JavaScript Pipes Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pipes", diff --git a/clients/client-polly/CHANGELOG.md b/clients/client-polly/CHANGELOG.md index 989389b63de6..92ed5d799b32 100644 --- a/clients/client-polly/CHANGELOG.md +++ b/clients/client-polly/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-polly + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-polly diff --git a/clients/client-polly/package.json b/clients/client-polly/package.json index b9ef4cbf3bf8..8d926542e959 100644 --- a/clients/client-polly/package.json +++ b/clients/client-polly/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-polly", "description": "AWS SDK for JavaScript Polly Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-polly", diff --git a/clients/client-pricing/CHANGELOG.md b/clients/client-pricing/CHANGELOG.md index d9a5ac976725..4bd5a5becaa6 100644 --- a/clients/client-pricing/CHANGELOG.md +++ b/clients/client-pricing/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-pricing + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-pricing diff --git a/clients/client-pricing/package.json b/clients/client-pricing/package.json index 88a67a1d8d21..9099ba5091c5 100644 --- a/clients/client-pricing/package.json +++ b/clients/client-pricing/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pricing", "description": "AWS SDK for JavaScript Pricing Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pricing", diff --git a/clients/client-privatenetworks/CHANGELOG.md b/clients/client-privatenetworks/CHANGELOG.md index 13a6c4abcf3c..3df26eb5a3a5 100644 --- a/clients/client-privatenetworks/CHANGELOG.md +++ b/clients/client-privatenetworks/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-privatenetworks + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-privatenetworks diff --git a/clients/client-privatenetworks/package.json b/clients/client-privatenetworks/package.json index 81425d5b3cb3..35f0dcb9a4c4 100644 --- a/clients/client-privatenetworks/package.json +++ b/clients/client-privatenetworks/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-privatenetworks", "description": "AWS SDK for JavaScript Privatenetworks Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-privatenetworks", diff --git a/clients/client-proton/CHANGELOG.md b/clients/client-proton/CHANGELOG.md index f612df0c5805..d74005718806 100644 --- a/clients/client-proton/CHANGELOG.md +++ b/clients/client-proton/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-proton + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-proton diff --git a/clients/client-proton/package.json b/clients/client-proton/package.json index fa7c9cd0f23d..f5e09ce8854f 100644 --- a/clients/client-proton/package.json +++ b/clients/client-proton/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-proton", "description": "AWS SDK for JavaScript Proton Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-proton", diff --git a/clients/client-qapps/CHANGELOG.md b/clients/client-qapps/CHANGELOG.md index 6da21440786c..cc75134e0a07 100644 --- a/clients/client-qapps/CHANGELOG.md +++ b/clients/client-qapps/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-qapps + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-qapps diff --git a/clients/client-qapps/package.json b/clients/client-qapps/package.json index 8a4a18816414..f746f0b5efe5 100644 --- a/clients/client-qapps/package.json +++ b/clients/client-qapps/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qapps", "description": "AWS SDK for JavaScript Qapps Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-qbusiness/CHANGELOG.md b/clients/client-qbusiness/CHANGELOG.md index ebe7e2d3b1cc..657461c5934a 100644 --- a/clients/client-qbusiness/CHANGELOG.md +++ b/clients/client-qbusiness/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-qbusiness + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-qbusiness diff --git a/clients/client-qbusiness/package.json b/clients/client-qbusiness/package.json index 59669de7919d..226f3ee05bc3 100644 --- a/clients/client-qbusiness/package.json +++ b/clients/client-qbusiness/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qbusiness", "description": "AWS SDK for JavaScript Qbusiness Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qbusiness", diff --git a/clients/client-qconnect/CHANGELOG.md b/clients/client-qconnect/CHANGELOG.md index ee7f1aab3d3b..15153d49ef03 100644 --- a/clients/client-qconnect/CHANGELOG.md +++ b/clients/client-qconnect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-qconnect + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-qconnect diff --git a/clients/client-qconnect/package.json b/clients/client-qconnect/package.json index e6b9f7d501d2..0706ba30991d 100644 --- a/clients/client-qconnect/package.json +++ b/clients/client-qconnect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qconnect", "description": "AWS SDK for JavaScript Qconnect Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qconnect", diff --git a/clients/client-qldb-session/CHANGELOG.md b/clients/client-qldb-session/CHANGELOG.md index 56e5f214afe9..db02976c4f83 100644 --- a/clients/client-qldb-session/CHANGELOG.md +++ b/clients/client-qldb-session/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-qldb-session + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-qldb-session diff --git a/clients/client-qldb-session/package.json b/clients/client-qldb-session/package.json index 5b683c40230e..18974bb1c233 100644 --- a/clients/client-qldb-session/package.json +++ b/clients/client-qldb-session/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qldb-session", "description": "AWS SDK for JavaScript Qldb Session Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qldb-session", diff --git a/clients/client-qldb/CHANGELOG.md b/clients/client-qldb/CHANGELOG.md index 8e28e7c95bbf..c0e6eab38942 100644 --- a/clients/client-qldb/CHANGELOG.md +++ b/clients/client-qldb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-qldb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-qldb diff --git a/clients/client-qldb/package.json b/clients/client-qldb/package.json index f6cd4dc57c87..248f0200813b 100644 --- a/clients/client-qldb/package.json +++ b/clients/client-qldb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qldb", "description": "AWS SDK for JavaScript Qldb Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qldb", diff --git a/clients/client-quicksight/CHANGELOG.md b/clients/client-quicksight/CHANGELOG.md index 7b00ace65bb1..f2188f38d2ed 100644 --- a/clients/client-quicksight/CHANGELOG.md +++ b/clients/client-quicksight/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-quicksight + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-quicksight diff --git a/clients/client-quicksight/package.json b/clients/client-quicksight/package.json index 231c219b164b..e3175a509f32 100644 --- a/clients/client-quicksight/package.json +++ b/clients/client-quicksight/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-quicksight", "description": "AWS SDK for JavaScript Quicksight Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-quicksight", diff --git a/clients/client-ram/CHANGELOG.md b/clients/client-ram/CHANGELOG.md index eeaa9e5ba098..8ac7a33eeaef 100644 --- a/clients/client-ram/CHANGELOG.md +++ b/clients/client-ram/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ram + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ram diff --git a/clients/client-ram/package.json b/clients/client-ram/package.json index b9eab89d93c2..bfca86dab83a 100644 --- a/clients/client-ram/package.json +++ b/clients/client-ram/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ram", "description": "AWS SDK for JavaScript Ram Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ram", diff --git a/clients/client-rbin/CHANGELOG.md b/clients/client-rbin/CHANGELOG.md index 11e45a0a1cef..158f1ca0c009 100644 --- a/clients/client-rbin/CHANGELOG.md +++ b/clients/client-rbin/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-rbin + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-rbin diff --git a/clients/client-rbin/package.json b/clients/client-rbin/package.json index bb186bccc9f3..e92e60e71fe5 100644 --- a/clients/client-rbin/package.json +++ b/clients/client-rbin/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rbin", "description": "AWS SDK for JavaScript Rbin Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rbin", diff --git a/clients/client-rds-data/CHANGELOG.md b/clients/client-rds-data/CHANGELOG.md index e2b9e7c347f9..94d4b1c6882e 100644 --- a/clients/client-rds-data/CHANGELOG.md +++ b/clients/client-rds-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-rds-data + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-rds-data diff --git a/clients/client-rds-data/package.json b/clients/client-rds-data/package.json index 04d5b6dfe9d0..df8e1904220b 100644 --- a/clients/client-rds-data/package.json +++ b/clients/client-rds-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rds-data", "description": "AWS SDK for JavaScript Rds Data Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rds-data", diff --git a/clients/client-rds/CHANGELOG.md b/clients/client-rds/CHANGELOG.md index 1dce46105e46..fdc321f76915 100644 --- a/clients/client-rds/CHANGELOG.md +++ b/clients/client-rds/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-rds + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/client-rds diff --git a/clients/client-rds/package.json b/clients/client-rds/package.json index c0e3f870a144..b085fb8b6129 100644 --- a/clients/client-rds/package.json +++ b/clients/client-rds/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rds", "description": "AWS SDK for JavaScript Rds Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rds", diff --git a/clients/client-redshift-data/CHANGELOG.md b/clients/client-redshift-data/CHANGELOG.md index f75fcd35ca9e..cd09ac22978b 100644 --- a/clients/client-redshift-data/CHANGELOG.md +++ b/clients/client-redshift-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-redshift-data + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-redshift-data diff --git a/clients/client-redshift-data/package.json b/clients/client-redshift-data/package.json index c4b24b420b34..7577eda9c4a3 100644 --- a/clients/client-redshift-data/package.json +++ b/clients/client-redshift-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-redshift-data", "description": "AWS SDK for JavaScript Redshift Data Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-redshift-data", diff --git a/clients/client-redshift-serverless/CHANGELOG.md b/clients/client-redshift-serverless/CHANGELOG.md index 81e52d0b378f..348196cf5936 100644 --- a/clients/client-redshift-serverless/CHANGELOG.md +++ b/clients/client-redshift-serverless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-redshift-serverless + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-redshift-serverless diff --git a/clients/client-redshift-serverless/package.json b/clients/client-redshift-serverless/package.json index 76ba54fcffd7..13a1986a4c44 100644 --- a/clients/client-redshift-serverless/package.json +++ b/clients/client-redshift-serverless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-redshift-serverless", "description": "AWS SDK for JavaScript Redshift Serverless Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-redshift-serverless", diff --git a/clients/client-redshift/CHANGELOG.md b/clients/client-redshift/CHANGELOG.md index a5612bf6c7bc..8103ad281cf8 100644 --- a/clients/client-redshift/CHANGELOG.md +++ b/clients/client-redshift/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-redshift + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-redshift diff --git a/clients/client-redshift/package.json b/clients/client-redshift/package.json index eef9097b8dc7..fececbf1e295 100644 --- a/clients/client-redshift/package.json +++ b/clients/client-redshift/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-redshift", "description": "AWS SDK for JavaScript Redshift Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-redshift", diff --git a/clients/client-rekognition/CHANGELOG.md b/clients/client-rekognition/CHANGELOG.md index 3e093f1e95b7..6b4cc8e272f1 100644 --- a/clients/client-rekognition/CHANGELOG.md +++ b/clients/client-rekognition/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-rekognition + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-rekognition diff --git a/clients/client-rekognition/package.json b/clients/client-rekognition/package.json index 1e989755a825..017b6a18385b 100644 --- a/clients/client-rekognition/package.json +++ b/clients/client-rekognition/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rekognition", "description": "AWS SDK for JavaScript Rekognition Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rekognition", diff --git a/clients/client-rekognitionstreaming/CHANGELOG.md b/clients/client-rekognitionstreaming/CHANGELOG.md index 22c492866271..3677a55372fd 100644 --- a/clients/client-rekognitionstreaming/CHANGELOG.md +++ b/clients/client-rekognitionstreaming/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-rekognitionstreaming + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-rekognitionstreaming diff --git a/clients/client-rekognitionstreaming/package.json b/clients/client-rekognitionstreaming/package.json index 46da3bdc4c0e..82816571fe79 100644 --- a/clients/client-rekognitionstreaming/package.json +++ b/clients/client-rekognitionstreaming/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rekognitionstreaming", "description": "AWS SDK for JavaScript Rekognitionstreaming Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rekognitionstreaming", diff --git a/clients/client-repostspace/CHANGELOG.md b/clients/client-repostspace/CHANGELOG.md index 65955cccebe6..d6a50d9ddc15 100644 --- a/clients/client-repostspace/CHANGELOG.md +++ b/clients/client-repostspace/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-repostspace + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-repostspace diff --git a/clients/client-repostspace/package.json b/clients/client-repostspace/package.json index d9734ffe43b7..c87b3089d11c 100644 --- a/clients/client-repostspace/package.json +++ b/clients/client-repostspace/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-repostspace", "description": "AWS SDK for JavaScript Repostspace Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-repostspace", diff --git a/clients/client-resiliencehub/CHANGELOG.md b/clients/client-resiliencehub/CHANGELOG.md index 35bf8b02d818..1736a0256002 100644 --- a/clients/client-resiliencehub/CHANGELOG.md +++ b/clients/client-resiliencehub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-resiliencehub + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-resiliencehub diff --git a/clients/client-resiliencehub/package.json b/clients/client-resiliencehub/package.json index 40380ef73bd9..4cff881a4951 100644 --- a/clients/client-resiliencehub/package.json +++ b/clients/client-resiliencehub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resiliencehub", "description": "AWS SDK for JavaScript Resiliencehub Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resiliencehub", diff --git a/clients/client-resource-explorer-2/CHANGELOG.md b/clients/client-resource-explorer-2/CHANGELOG.md index 9201bd746ed8..8c88cb4c983a 100644 --- a/clients/client-resource-explorer-2/CHANGELOG.md +++ b/clients/client-resource-explorer-2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-resource-explorer-2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-resource-explorer-2 diff --git a/clients/client-resource-explorer-2/package.json b/clients/client-resource-explorer-2/package.json index 5f644ea97fdd..de4f7d0ce9a7 100644 --- a/clients/client-resource-explorer-2/package.json +++ b/clients/client-resource-explorer-2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resource-explorer-2", "description": "AWS SDK for JavaScript Resource Explorer 2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resource-explorer-2", diff --git a/clients/client-resource-groups-tagging-api/CHANGELOG.md b/clients/client-resource-groups-tagging-api/CHANGELOG.md index 9ca6e0bb7d72..526c3a666ffb 100644 --- a/clients/client-resource-groups-tagging-api/CHANGELOG.md +++ b/clients/client-resource-groups-tagging-api/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-resource-groups-tagging-api + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-resource-groups-tagging-api diff --git a/clients/client-resource-groups-tagging-api/package.json b/clients/client-resource-groups-tagging-api/package.json index 07c93dacdcc2..43677c1ff1fe 100644 --- a/clients/client-resource-groups-tagging-api/package.json +++ b/clients/client-resource-groups-tagging-api/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resource-groups-tagging-api", "description": "AWS SDK for JavaScript Resource Groups Tagging Api Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resource-groups-tagging-api", diff --git a/clients/client-resource-groups/CHANGELOG.md b/clients/client-resource-groups/CHANGELOG.md index 3b1232c195b3..440e41234fd7 100644 --- a/clients/client-resource-groups/CHANGELOG.md +++ b/clients/client-resource-groups/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-resource-groups + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-resource-groups diff --git a/clients/client-resource-groups/package.json b/clients/client-resource-groups/package.json index 82b2b1244c37..827c9b070f60 100644 --- a/clients/client-resource-groups/package.json +++ b/clients/client-resource-groups/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resource-groups", "description": "AWS SDK for JavaScript Resource Groups Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resource-groups", diff --git a/clients/client-robomaker/CHANGELOG.md b/clients/client-robomaker/CHANGELOG.md index baa629e0ef40..7ec9970768bb 100644 --- a/clients/client-robomaker/CHANGELOG.md +++ b/clients/client-robomaker/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-robomaker + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-robomaker diff --git a/clients/client-robomaker/package.json b/clients/client-robomaker/package.json index 1a1439c19381..d1a917a03322 100644 --- a/clients/client-robomaker/package.json +++ b/clients/client-robomaker/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-robomaker", "description": "AWS SDK for JavaScript Robomaker Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-robomaker", diff --git a/clients/client-rolesanywhere/CHANGELOG.md b/clients/client-rolesanywhere/CHANGELOG.md index 2beb3ccfcbab..689557614c4b 100644 --- a/clients/client-rolesanywhere/CHANGELOG.md +++ b/clients/client-rolesanywhere/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-rolesanywhere + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-rolesanywhere diff --git a/clients/client-rolesanywhere/package.json b/clients/client-rolesanywhere/package.json index 5598fc1b128a..ca0331ed3f45 100644 --- a/clients/client-rolesanywhere/package.json +++ b/clients/client-rolesanywhere/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rolesanywhere", "description": "AWS SDK for JavaScript Rolesanywhere Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rolesanywhere", diff --git a/clients/client-route-53-domains/CHANGELOG.md b/clients/client-route-53-domains/CHANGELOG.md index f12362e43adb..57f1fc7d617f 100644 --- a/clients/client-route-53-domains/CHANGELOG.md +++ b/clients/client-route-53-domains/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-route-53-domains + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-route-53-domains diff --git a/clients/client-route-53-domains/package.json b/clients/client-route-53-domains/package.json index 05c512afe490..b3f16e2b48d6 100644 --- a/clients/client-route-53-domains/package.json +++ b/clients/client-route-53-domains/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route-53-domains", "description": "AWS SDK for JavaScript Route 53 Domains Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route-53-domains", diff --git a/clients/client-route-53/CHANGELOG.md b/clients/client-route-53/CHANGELOG.md index 6bc947147f5b..ca92dcf433cc 100644 --- a/clients/client-route-53/CHANGELOG.md +++ b/clients/client-route-53/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-route-53 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-route-53 diff --git a/clients/client-route-53/package.json b/clients/client-route-53/package.json index dd01e90ed92f..00ea92ccc1ae 100644 --- a/clients/client-route-53/package.json +++ b/clients/client-route-53/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route-53", "description": "AWS SDK for JavaScript Route 53 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route-53", diff --git a/clients/client-route53-recovery-cluster/CHANGELOG.md b/clients/client-route53-recovery-cluster/CHANGELOG.md index 76c5486a72c2..d01ab0649201 100644 --- a/clients/client-route53-recovery-cluster/CHANGELOG.md +++ b/clients/client-route53-recovery-cluster/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-cluster + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-route53-recovery-cluster diff --git a/clients/client-route53-recovery-cluster/package.json b/clients/client-route53-recovery-cluster/package.json index 0ffbc6eb6adf..50216b947ded 100644 --- a/clients/client-route53-recovery-cluster/package.json +++ b/clients/client-route53-recovery-cluster/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53-recovery-cluster", "description": "AWS SDK for JavaScript Route53 Recovery Cluster Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53-recovery-cluster", diff --git a/clients/client-route53-recovery-control-config/CHANGELOG.md b/clients/client-route53-recovery-control-config/CHANGELOG.md index fcabfc45c575..78bcfda8ea4e 100644 --- a/clients/client-route53-recovery-control-config/CHANGELOG.md +++ b/clients/client-route53-recovery-control-config/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-control-config + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-route53-recovery-control-config diff --git a/clients/client-route53-recovery-control-config/package.json b/clients/client-route53-recovery-control-config/package.json index ecf5edb3cdb2..ba30ee4972f1 100644 --- a/clients/client-route53-recovery-control-config/package.json +++ b/clients/client-route53-recovery-control-config/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53-recovery-control-config", "description": "AWS SDK for JavaScript Route53 Recovery Control Config Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53-recovery-control-config", diff --git a/clients/client-route53-recovery-readiness/CHANGELOG.md b/clients/client-route53-recovery-readiness/CHANGELOG.md index f181735b0cd1..1f10782dafe2 100644 --- a/clients/client-route53-recovery-readiness/CHANGELOG.md +++ b/clients/client-route53-recovery-readiness/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-readiness + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-route53-recovery-readiness diff --git a/clients/client-route53-recovery-readiness/package.json b/clients/client-route53-recovery-readiness/package.json index f472a5108e66..bb307883d038 100644 --- a/clients/client-route53-recovery-readiness/package.json +++ b/clients/client-route53-recovery-readiness/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53-recovery-readiness", "description": "AWS SDK for JavaScript Route53 Recovery Readiness Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53-recovery-readiness", diff --git a/clients/client-route53profiles/CHANGELOG.md b/clients/client-route53profiles/CHANGELOG.md index 7587d78c5b05..e838ebb03a22 100644 --- a/clients/client-route53profiles/CHANGELOG.md +++ b/clients/client-route53profiles/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-route53profiles + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-route53profiles diff --git a/clients/client-route53profiles/package.json b/clients/client-route53profiles/package.json index 80a45077b603..046f03b90360 100644 --- a/clients/client-route53profiles/package.json +++ b/clients/client-route53profiles/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53profiles", "description": "AWS SDK for JavaScript Route53profiles Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-route53resolver/CHANGELOG.md b/clients/client-route53resolver/CHANGELOG.md index 4f2b1a2dbdda..7e8a20ff4d22 100644 --- a/clients/client-route53resolver/CHANGELOG.md +++ b/clients/client-route53resolver/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-route53resolver + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-route53resolver diff --git a/clients/client-route53resolver/package.json b/clients/client-route53resolver/package.json index 1174ba0886da..4bb0ec5dfa01 100644 --- a/clients/client-route53resolver/package.json +++ b/clients/client-route53resolver/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53resolver", "description": "AWS SDK for JavaScript Route53resolver Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53resolver", diff --git a/clients/client-rum/CHANGELOG.md b/clients/client-rum/CHANGELOG.md index f48dd8263b67..6ef18d45369f 100644 --- a/clients/client-rum/CHANGELOG.md +++ b/clients/client-rum/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-rum + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-rum diff --git a/clients/client-rum/package.json b/clients/client-rum/package.json index 9eb60781a833..b116f1fc57af 100644 --- a/clients/client-rum/package.json +++ b/clients/client-rum/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rum", "description": "AWS SDK for JavaScript Rum Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rum", diff --git a/clients/client-s3-control/CHANGELOG.md b/clients/client-s3-control/CHANGELOG.md index 66b4f335a2ac..513536f69a64 100644 --- a/clients/client-s3-control/CHANGELOG.md +++ b/clients/client-s3-control/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-s3-control + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-s3-control diff --git a/clients/client-s3-control/package.json b/clients/client-s3-control/package.json index 54a4033db05a..fb135528dc79 100644 --- a/clients/client-s3-control/package.json +++ b/clients/client-s3-control/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-s3-control", "description": "AWS SDK for JavaScript S3 Control Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-s3-control", diff --git a/clients/client-s3/CHANGELOG.md b/clients/client-s3/CHANGELOG.md index 3e22515844e3..a57154acbfad 100644 --- a/clients/client-s3/CHANGELOG.md +++ b/clients/client-s3/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-s3 + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/client-s3 diff --git a/clients/client-s3/package.json b/clients/client-s3/package.json index 2f066269e992..8e14051a3e28 100644 --- a/clients/client-s3/package.json +++ b/clients/client-s3/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-s3", "description": "AWS SDK for JavaScript S3 Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-s3", diff --git a/clients/client-s3outposts/CHANGELOG.md b/clients/client-s3outposts/CHANGELOG.md index 580839f66543..0a191265de7a 100644 --- a/clients/client-s3outposts/CHANGELOG.md +++ b/clients/client-s3outposts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-s3outposts + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-s3outposts diff --git a/clients/client-s3outposts/package.json b/clients/client-s3outposts/package.json index e9c5b8a35b53..953803e4ed17 100644 --- a/clients/client-s3outposts/package.json +++ b/clients/client-s3outposts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-s3outposts", "description": "AWS SDK for JavaScript S3outposts Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-s3outposts", diff --git a/clients/client-sagemaker-a2i-runtime/CHANGELOG.md b/clients/client-sagemaker-a2i-runtime/CHANGELOG.md index 9b108561b908..7b141ba78eec 100644 --- a/clients/client-sagemaker-a2i-runtime/CHANGELOG.md +++ b/clients/client-sagemaker-a2i-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-a2i-runtime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sagemaker-a2i-runtime diff --git a/clients/client-sagemaker-a2i-runtime/package.json b/clients/client-sagemaker-a2i-runtime/package.json index a7b4bde395e2..e850a2612017 100644 --- a/clients/client-sagemaker-a2i-runtime/package.json +++ b/clients/client-sagemaker-a2i-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-a2i-runtime", "description": "AWS SDK for JavaScript Sagemaker A2i Runtime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-a2i-runtime", diff --git a/clients/client-sagemaker-edge/CHANGELOG.md b/clients/client-sagemaker-edge/CHANGELOG.md index c6b9501fadaa..01a96abef074 100644 --- a/clients/client-sagemaker-edge/CHANGELOG.md +++ b/clients/client-sagemaker-edge/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-edge + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sagemaker-edge diff --git a/clients/client-sagemaker-edge/package.json b/clients/client-sagemaker-edge/package.json index 9d25c8154bde..3124565b56f6 100644 --- a/clients/client-sagemaker-edge/package.json +++ b/clients/client-sagemaker-edge/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-edge", "description": "AWS SDK for JavaScript Sagemaker Edge Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-edge", diff --git a/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md b/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md index a0bb70601a75..bb585a8ceb7e 100644 --- a/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md +++ b/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-featurestore-runtime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sagemaker-featurestore-runtime diff --git a/clients/client-sagemaker-featurestore-runtime/package.json b/clients/client-sagemaker-featurestore-runtime/package.json index 8792f961d228..2d37f552189a 100644 --- a/clients/client-sagemaker-featurestore-runtime/package.json +++ b/clients/client-sagemaker-featurestore-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-featurestore-runtime", "description": "AWS SDK for JavaScript Sagemaker Featurestore Runtime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-featurestore-runtime", diff --git a/clients/client-sagemaker-geospatial/CHANGELOG.md b/clients/client-sagemaker-geospatial/CHANGELOG.md index 5b197002c114..13cb07ffd776 100644 --- a/clients/client-sagemaker-geospatial/CHANGELOG.md +++ b/clients/client-sagemaker-geospatial/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-geospatial + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sagemaker-geospatial diff --git a/clients/client-sagemaker-geospatial/package.json b/clients/client-sagemaker-geospatial/package.json index 94047ac3cd03..acc22380f305 100644 --- a/clients/client-sagemaker-geospatial/package.json +++ b/clients/client-sagemaker-geospatial/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-geospatial", "description": "AWS SDK for JavaScript Sagemaker Geospatial Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-geospatial", diff --git a/clients/client-sagemaker-metrics/CHANGELOG.md b/clients/client-sagemaker-metrics/CHANGELOG.md index d4f39658aee8..66b720357bcb 100644 --- a/clients/client-sagemaker-metrics/CHANGELOG.md +++ b/clients/client-sagemaker-metrics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-metrics + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sagemaker-metrics diff --git a/clients/client-sagemaker-metrics/package.json b/clients/client-sagemaker-metrics/package.json index 9a19a157952b..2d4f32e77d5f 100644 --- a/clients/client-sagemaker-metrics/package.json +++ b/clients/client-sagemaker-metrics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-metrics", "description": "AWS SDK for JavaScript Sagemaker Metrics Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-metrics", diff --git a/clients/client-sagemaker-runtime/CHANGELOG.md b/clients/client-sagemaker-runtime/CHANGELOG.md index dadf8c9b3824..4e5a5d0ce232 100644 --- a/clients/client-sagemaker-runtime/CHANGELOG.md +++ b/clients/client-sagemaker-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-runtime + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sagemaker-runtime diff --git a/clients/client-sagemaker-runtime/package.json b/clients/client-sagemaker-runtime/package.json index ba1ac9efe414..129c20ed31be 100644 --- a/clients/client-sagemaker-runtime/package.json +++ b/clients/client-sagemaker-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-runtime", "description": "AWS SDK for JavaScript Sagemaker Runtime Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-runtime", diff --git a/clients/client-sagemaker/CHANGELOG.md b/clients/client-sagemaker/CHANGELOG.md index 1f9a128061e5..56f130cc18a4 100644 --- a/clients/client-sagemaker/CHANGELOG.md +++ b/clients/client-sagemaker/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sagemaker diff --git a/clients/client-sagemaker/package.json b/clients/client-sagemaker/package.json index 18a64f773bc1..4381d8a4e307 100644 --- a/clients/client-sagemaker/package.json +++ b/clients/client-sagemaker/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker", "description": "AWS SDK for JavaScript Sagemaker Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker", diff --git a/clients/client-savingsplans/CHANGELOG.md b/clients/client-savingsplans/CHANGELOG.md index 9e196071fb88..4edb657db94e 100644 --- a/clients/client-savingsplans/CHANGELOG.md +++ b/clients/client-savingsplans/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-savingsplans + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-savingsplans diff --git a/clients/client-savingsplans/package.json b/clients/client-savingsplans/package.json index cace0c4e34ee..2fe343f1b28f 100644 --- a/clients/client-savingsplans/package.json +++ b/clients/client-savingsplans/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-savingsplans", "description": "AWS SDK for JavaScript Savingsplans Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-savingsplans", diff --git a/clients/client-scheduler/CHANGELOG.md b/clients/client-scheduler/CHANGELOG.md index 9f877619e4f7..b91d4246a6d6 100644 --- a/clients/client-scheduler/CHANGELOG.md +++ b/clients/client-scheduler/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-scheduler + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-scheduler diff --git a/clients/client-scheduler/package.json b/clients/client-scheduler/package.json index 3d72de8bc523..ed7d9cb1dbec 100644 --- a/clients/client-scheduler/package.json +++ b/clients/client-scheduler/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-scheduler", "description": "AWS SDK for JavaScript Scheduler Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-scheduler", diff --git a/clients/client-schemas/CHANGELOG.md b/clients/client-schemas/CHANGELOG.md index b106ecb87b41..bc6a46cb5e20 100644 --- a/clients/client-schemas/CHANGELOG.md +++ b/clients/client-schemas/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-schemas + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-schemas diff --git a/clients/client-schemas/package.json b/clients/client-schemas/package.json index 86b97d23703a..0595318a2dbc 100644 --- a/clients/client-schemas/package.json +++ b/clients/client-schemas/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-schemas", "description": "AWS SDK for JavaScript Schemas Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-schemas", diff --git a/clients/client-secrets-manager/CHANGELOG.md b/clients/client-secrets-manager/CHANGELOG.md index 0c6f498b6f73..30049d17cf25 100644 --- a/clients/client-secrets-manager/CHANGELOG.md +++ b/clients/client-secrets-manager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-secrets-manager + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-secrets-manager diff --git a/clients/client-secrets-manager/package.json b/clients/client-secrets-manager/package.json index 3c5d510f92e7..609b48be647e 100644 --- a/clients/client-secrets-manager/package.json +++ b/clients/client-secrets-manager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-secrets-manager", "description": "AWS SDK for JavaScript Secrets Manager Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-secrets-manager", diff --git a/clients/client-securityhub/CHANGELOG.md b/clients/client-securityhub/CHANGELOG.md index 18a2ec8746b8..8da578eadac8 100644 --- a/clients/client-securityhub/CHANGELOG.md +++ b/clients/client-securityhub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-securityhub + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-securityhub diff --git a/clients/client-securityhub/package.json b/clients/client-securityhub/package.json index b8dd00e34ec3..6fccf3a0c406 100644 --- a/clients/client-securityhub/package.json +++ b/clients/client-securityhub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-securityhub", "description": "AWS SDK for JavaScript Securityhub Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-securityhub", diff --git a/clients/client-securitylake/CHANGELOG.md b/clients/client-securitylake/CHANGELOG.md index 16955b9daf07..e94847d59f30 100644 --- a/clients/client-securitylake/CHANGELOG.md +++ b/clients/client-securitylake/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-securitylake + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-securitylake diff --git a/clients/client-securitylake/package.json b/clients/client-securitylake/package.json index 8c1f75f50e7a..6d73caab9bb5 100644 --- a/clients/client-securitylake/package.json +++ b/clients/client-securitylake/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-securitylake", "description": "AWS SDK for JavaScript Securitylake Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-securitylake", diff --git a/clients/client-serverlessapplicationrepository/CHANGELOG.md b/clients/client-serverlessapplicationrepository/CHANGELOG.md index 6005a37aa217..0c6585288257 100644 --- a/clients/client-serverlessapplicationrepository/CHANGELOG.md +++ b/clients/client-serverlessapplicationrepository/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-serverlessapplicationrepository + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-serverlessapplicationrepository diff --git a/clients/client-serverlessapplicationrepository/package.json b/clients/client-serverlessapplicationrepository/package.json index d266063afe61..73b778c9126e 100644 --- a/clients/client-serverlessapplicationrepository/package.json +++ b/clients/client-serverlessapplicationrepository/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-serverlessapplicationrepository", "description": "AWS SDK for JavaScript Serverlessapplicationrepository Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-serverlessapplicationrepository", diff --git a/clients/client-service-catalog-appregistry/CHANGELOG.md b/clients/client-service-catalog-appregistry/CHANGELOG.md index 59a3c7922f63..b5acb51c616f 100644 --- a/clients/client-service-catalog-appregistry/CHANGELOG.md +++ b/clients/client-service-catalog-appregistry/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-service-catalog-appregistry + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-service-catalog-appregistry diff --git a/clients/client-service-catalog-appregistry/package.json b/clients/client-service-catalog-appregistry/package.json index 02b78aa9e342..4d2247e0bf8d 100644 --- a/clients/client-service-catalog-appregistry/package.json +++ b/clients/client-service-catalog-appregistry/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-service-catalog-appregistry", "description": "AWS SDK for JavaScript Service Catalog Appregistry Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-service-catalog-appregistry", diff --git a/clients/client-service-catalog/CHANGELOG.md b/clients/client-service-catalog/CHANGELOG.md index b9283b6a9789..d4bbc8f521e5 100644 --- a/clients/client-service-catalog/CHANGELOG.md +++ b/clients/client-service-catalog/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-service-catalog + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-service-catalog diff --git a/clients/client-service-catalog/package.json b/clients/client-service-catalog/package.json index 9164b0324a4c..71ed5f1a2149 100644 --- a/clients/client-service-catalog/package.json +++ b/clients/client-service-catalog/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-service-catalog", "description": "AWS SDK for JavaScript Service Catalog Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-service-catalog", diff --git a/clients/client-service-quotas/CHANGELOG.md b/clients/client-service-quotas/CHANGELOG.md index 39ba71a99a91..111611ead4e2 100644 --- a/clients/client-service-quotas/CHANGELOG.md +++ b/clients/client-service-quotas/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-service-quotas + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-service-quotas diff --git a/clients/client-service-quotas/package.json b/clients/client-service-quotas/package.json index 5c999bb7e04e..fc09fa9ade2d 100644 --- a/clients/client-service-quotas/package.json +++ b/clients/client-service-quotas/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-service-quotas", "description": "AWS SDK for JavaScript Service Quotas Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-service-quotas", diff --git a/clients/client-servicediscovery/CHANGELOG.md b/clients/client-servicediscovery/CHANGELOG.md index 1c5acc888447..ab4a5f29453a 100644 --- a/clients/client-servicediscovery/CHANGELOG.md +++ b/clients/client-servicediscovery/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-servicediscovery + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-servicediscovery diff --git a/clients/client-servicediscovery/package.json b/clients/client-servicediscovery/package.json index 08b4ce872003..e2566f241c69 100644 --- a/clients/client-servicediscovery/package.json +++ b/clients/client-servicediscovery/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-servicediscovery", "description": "AWS SDK for JavaScript Servicediscovery Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-servicediscovery", diff --git a/clients/client-ses/CHANGELOG.md b/clients/client-ses/CHANGELOG.md index a8f92a349cd6..fe4b3a697e1b 100644 --- a/clients/client-ses/CHANGELOG.md +++ b/clients/client-ses/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ses + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ses diff --git a/clients/client-ses/package.json b/clients/client-ses/package.json index 48e622725355..110441f8b1a0 100644 --- a/clients/client-ses/package.json +++ b/clients/client-ses/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ses", "description": "AWS SDK for JavaScript Ses Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ses", diff --git a/clients/client-sesv2/CHANGELOG.md b/clients/client-sesv2/CHANGELOG.md index c9498062d24f..1b62ed616a68 100644 --- a/clients/client-sesv2/CHANGELOG.md +++ b/clients/client-sesv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sesv2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sesv2 diff --git a/clients/client-sesv2/package.json b/clients/client-sesv2/package.json index 37c8a8e314c7..16393fd872a7 100644 --- a/clients/client-sesv2/package.json +++ b/clients/client-sesv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sesv2", "description": "AWS SDK for JavaScript Sesv2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sesv2", diff --git a/clients/client-sfn/CHANGELOG.md b/clients/client-sfn/CHANGELOG.md index 8f6f551e5b95..7e749af77998 100644 --- a/clients/client-sfn/CHANGELOG.md +++ b/clients/client-sfn/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sfn + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sfn diff --git a/clients/client-sfn/package.json b/clients/client-sfn/package.json index 98f44723b9be..35d96e3f2f34 100644 --- a/clients/client-sfn/package.json +++ b/clients/client-sfn/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sfn", "description": "AWS SDK for JavaScript Sfn Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sfn", diff --git a/clients/client-shield/CHANGELOG.md b/clients/client-shield/CHANGELOG.md index 7e7ecdaa3c06..d07d72539066 100644 --- a/clients/client-shield/CHANGELOG.md +++ b/clients/client-shield/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-shield + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-shield diff --git a/clients/client-shield/package.json b/clients/client-shield/package.json index 0535938f6422..e20cf6e1c85a 100644 --- a/clients/client-shield/package.json +++ b/clients/client-shield/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-shield", "description": "AWS SDK for JavaScript Shield Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-shield", diff --git a/clients/client-signer/CHANGELOG.md b/clients/client-signer/CHANGELOG.md index 0036125432e2..1f7751467199 100644 --- a/clients/client-signer/CHANGELOG.md +++ b/clients/client-signer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-signer + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-signer diff --git a/clients/client-signer/package.json b/clients/client-signer/package.json index 1e1354178f2f..dd4cf28658d1 100644 --- a/clients/client-signer/package.json +++ b/clients/client-signer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-signer", "description": "AWS SDK for JavaScript Signer Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-signer", diff --git a/clients/client-simspaceweaver/CHANGELOG.md b/clients/client-simspaceweaver/CHANGELOG.md index f531d9bce8aa..8457c0058f71 100644 --- a/clients/client-simspaceweaver/CHANGELOG.md +++ b/clients/client-simspaceweaver/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-simspaceweaver + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-simspaceweaver diff --git a/clients/client-simspaceweaver/package.json b/clients/client-simspaceweaver/package.json index d931bab4d309..09280fa52ed5 100644 --- a/clients/client-simspaceweaver/package.json +++ b/clients/client-simspaceweaver/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-simspaceweaver", "description": "AWS SDK for JavaScript Simspaceweaver Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-simspaceweaver", diff --git a/clients/client-sms/CHANGELOG.md b/clients/client-sms/CHANGELOG.md index 376751a83e7d..3799000591f2 100644 --- a/clients/client-sms/CHANGELOG.md +++ b/clients/client-sms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sms + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sms diff --git a/clients/client-sms/package.json b/clients/client-sms/package.json index 08e0485ad9bc..a17e16fbc7d3 100644 --- a/clients/client-sms/package.json +++ b/clients/client-sms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sms", "description": "AWS SDK for JavaScript Sms Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sms", diff --git a/clients/client-snow-device-management/CHANGELOG.md b/clients/client-snow-device-management/CHANGELOG.md index c637560270c5..071c2d7818f0 100644 --- a/clients/client-snow-device-management/CHANGELOG.md +++ b/clients/client-snow-device-management/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-snow-device-management + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-snow-device-management diff --git a/clients/client-snow-device-management/package.json b/clients/client-snow-device-management/package.json index a5314848c4fd..c1b15b182eb0 100644 --- a/clients/client-snow-device-management/package.json +++ b/clients/client-snow-device-management/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-snow-device-management", "description": "AWS SDK for JavaScript Snow Device Management Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-snow-device-management", diff --git a/clients/client-snowball/CHANGELOG.md b/clients/client-snowball/CHANGELOG.md index aeeac2fa2400..78c6e824ddd3 100644 --- a/clients/client-snowball/CHANGELOG.md +++ b/clients/client-snowball/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-snowball + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-snowball diff --git a/clients/client-snowball/package.json b/clients/client-snowball/package.json index 9c59a5663d2d..7fd4266e5e9e 100644 --- a/clients/client-snowball/package.json +++ b/clients/client-snowball/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-snowball", "description": "AWS SDK for JavaScript Snowball Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-snowball", diff --git a/clients/client-sns/CHANGELOG.md b/clients/client-sns/CHANGELOG.md index 0bbbf65b40b4..4fd01ad3ba0c 100644 --- a/clients/client-sns/CHANGELOG.md +++ b/clients/client-sns/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sns + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sns diff --git a/clients/client-sns/package.json b/clients/client-sns/package.json index bf5a76ec605e..9883271a8f08 100644 --- a/clients/client-sns/package.json +++ b/clients/client-sns/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sns", "description": "AWS SDK for JavaScript Sns Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sns", diff --git a/clients/client-sqs/CHANGELOG.md b/clients/client-sqs/CHANGELOG.md index 33ddc3901bed..f0c4736675d7 100644 --- a/clients/client-sqs/CHANGELOG.md +++ b/clients/client-sqs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sqs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sqs diff --git a/clients/client-sqs/package.json b/clients/client-sqs/package.json index dd79117d4f47..01530a5cce8b 100644 --- a/clients/client-sqs/package.json +++ b/clients/client-sqs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sqs", "description": "AWS SDK for JavaScript Sqs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sqs", diff --git a/clients/client-ssm-contacts/CHANGELOG.md b/clients/client-ssm-contacts/CHANGELOG.md index 07615eb3cc83..4b4f7cbc2949 100644 --- a/clients/client-ssm-contacts/CHANGELOG.md +++ b/clients/client-ssm-contacts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ssm-contacts + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ssm-contacts diff --git a/clients/client-ssm-contacts/package.json b/clients/client-ssm-contacts/package.json index 099a2747c512..619ab878adc4 100644 --- a/clients/client-ssm-contacts/package.json +++ b/clients/client-ssm-contacts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-contacts", "description": "AWS SDK for JavaScript Ssm Contacts Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm-contacts", diff --git a/clients/client-ssm-incidents/CHANGELOG.md b/clients/client-ssm-incidents/CHANGELOG.md index ceff8d83b47f..8cdde553739e 100644 --- a/clients/client-ssm-incidents/CHANGELOG.md +++ b/clients/client-ssm-incidents/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ssm-incidents + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ssm-incidents diff --git a/clients/client-ssm-incidents/package.json b/clients/client-ssm-incidents/package.json index d3ad4c4724fc..24bc51771ef0 100644 --- a/clients/client-ssm-incidents/package.json +++ b/clients/client-ssm-incidents/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-incidents", "description": "AWS SDK for JavaScript Ssm Incidents Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm-incidents", diff --git a/clients/client-ssm-quicksetup/CHANGELOG.md b/clients/client-ssm-quicksetup/CHANGELOG.md index 319fa07995db..05f032cb9ab2 100644 --- a/clients/client-ssm-quicksetup/CHANGELOG.md +++ b/clients/client-ssm-quicksetup/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ssm-quicksetup + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ssm-quicksetup diff --git a/clients/client-ssm-quicksetup/package.json b/clients/client-ssm-quicksetup/package.json index f4018fd049f8..890bcab24446 100644 --- a/clients/client-ssm-quicksetup/package.json +++ b/clients/client-ssm-quicksetup/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-quicksetup", "description": "AWS SDK for JavaScript Ssm Quicksetup Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-ssm-sap/CHANGELOG.md b/clients/client-ssm-sap/CHANGELOG.md index 7528953836f1..553f96f367fc 100644 --- a/clients/client-ssm-sap/CHANGELOG.md +++ b/clients/client-ssm-sap/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ssm-sap + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ssm-sap diff --git a/clients/client-ssm-sap/package.json b/clients/client-ssm-sap/package.json index d3fee1eedd49..ad142f47cfb8 100644 --- a/clients/client-ssm-sap/package.json +++ b/clients/client-ssm-sap/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-sap", "description": "AWS SDK for JavaScript Ssm Sap Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm-sap", diff --git a/clients/client-ssm/CHANGELOG.md b/clients/client-ssm/CHANGELOG.md index f3a10b2f246c..da31151b318a 100644 --- a/clients/client-ssm/CHANGELOG.md +++ b/clients/client-ssm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-ssm + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-ssm diff --git a/clients/client-ssm/package.json b/clients/client-ssm/package.json index 9631a13fc865..c38dc0be17b6 100644 --- a/clients/client-ssm/package.json +++ b/clients/client-ssm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm", "description": "AWS SDK for JavaScript Ssm Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm", diff --git a/clients/client-sso-admin/CHANGELOG.md b/clients/client-sso-admin/CHANGELOG.md index 2eb93fe22bf7..da0130e808d1 100644 --- a/clients/client-sso-admin/CHANGELOG.md +++ b/clients/client-sso-admin/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sso-admin + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sso-admin diff --git a/clients/client-sso-admin/package.json b/clients/client-sso-admin/package.json index 543510d25d06..eee08e09d2bd 100644 --- a/clients/client-sso-admin/package.json +++ b/clients/client-sso-admin/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sso-admin", "description": "AWS SDK for JavaScript Sso Admin Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sso-admin", diff --git a/clients/client-sso-oidc/CHANGELOG.md b/clients/client-sso-oidc/CHANGELOG.md index e222fe359028..35c4057e4510 100644 --- a/clients/client-sso-oidc/CHANGELOG.md +++ b/clients/client-sso-oidc/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sso-oidc + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sso-oidc diff --git a/clients/client-sso-oidc/package.json b/clients/client-sso-oidc/package.json index 8fbce095c94e..6edc1f52bbcb 100644 --- a/clients/client-sso-oidc/package.json +++ b/clients/client-sso-oidc/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sso-oidc", "description": "AWS SDK for JavaScript Sso Oidc Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sso-oidc", diff --git a/clients/client-sso/CHANGELOG.md b/clients/client-sso/CHANGELOG.md index af5869066aca..384dd52da424 100644 --- a/clients/client-sso/CHANGELOG.md +++ b/clients/client-sso/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sso + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sso diff --git a/clients/client-sso/package.json b/clients/client-sso/package.json index e814f9d8dfdb..137f463baf3b 100644 --- a/clients/client-sso/package.json +++ b/clients/client-sso/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sso", "description": "AWS SDK for JavaScript Sso Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sso", diff --git a/clients/client-storage-gateway/CHANGELOG.md b/clients/client-storage-gateway/CHANGELOG.md index b24ffd3abee2..50d9cb87bd18 100644 --- a/clients/client-storage-gateway/CHANGELOG.md +++ b/clients/client-storage-gateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-storage-gateway + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/clients/client-storage-gateway/package.json b/clients/client-storage-gateway/package.json index c603c99c2feb..41d69e0d34a7 100644 --- a/clients/client-storage-gateway/package.json +++ b/clients/client-storage-gateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-storage-gateway", "description": "AWS SDK for JavaScript Storage Gateway Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-storage-gateway", diff --git a/clients/client-sts/CHANGELOG.md b/clients/client-sts/CHANGELOG.md index b620ec215a6a..a3593aafb710 100644 --- a/clients/client-sts/CHANGELOG.md +++ b/clients/client-sts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-sts + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-sts diff --git a/clients/client-sts/package.json b/clients/client-sts/package.json index 4b0a788e7124..b600bb2912df 100644 --- a/clients/client-sts/package.json +++ b/clients/client-sts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sts", "description": "AWS SDK for JavaScript Sts Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sts", diff --git a/clients/client-supplychain/CHANGELOG.md b/clients/client-supplychain/CHANGELOG.md index 8624a32a961c..81c55b2d3ed8 100644 --- a/clients/client-supplychain/CHANGELOG.md +++ b/clients/client-supplychain/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-supplychain + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-supplychain diff --git a/clients/client-supplychain/package.json b/clients/client-supplychain/package.json index 8b9e2bb8804a..4b561eb68ad8 100644 --- a/clients/client-supplychain/package.json +++ b/clients/client-supplychain/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-supplychain", "description": "AWS SDK for JavaScript Supplychain Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-supplychain", diff --git a/clients/client-support-app/CHANGELOG.md b/clients/client-support-app/CHANGELOG.md index 5f2364a47795..28c7d42bd1d5 100644 --- a/clients/client-support-app/CHANGELOG.md +++ b/clients/client-support-app/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-support-app + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-support-app diff --git a/clients/client-support-app/package.json b/clients/client-support-app/package.json index c03d11abf406..a8691481466c 100644 --- a/clients/client-support-app/package.json +++ b/clients/client-support-app/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-support-app", "description": "AWS SDK for JavaScript Support App Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-support-app", diff --git a/clients/client-support/CHANGELOG.md b/clients/client-support/CHANGELOG.md index e678a2745d1d..b2999b3d7f6a 100644 --- a/clients/client-support/CHANGELOG.md +++ b/clients/client-support/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-support + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-support diff --git a/clients/client-support/package.json b/clients/client-support/package.json index 40aa402daa4d..bcdcbb81545c 100644 --- a/clients/client-support/package.json +++ b/clients/client-support/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-support", "description": "AWS SDK for JavaScript Support Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-support", diff --git a/clients/client-swf/CHANGELOG.md b/clients/client-swf/CHANGELOG.md index c729c4cede72..cf67e0b3acc2 100644 --- a/clients/client-swf/CHANGELOG.md +++ b/clients/client-swf/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-swf + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-swf diff --git a/clients/client-swf/package.json b/clients/client-swf/package.json index 053997163885..c1bab5fd10ce 100644 --- a/clients/client-swf/package.json +++ b/clients/client-swf/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-swf", "description": "AWS SDK for JavaScript Swf Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-swf", diff --git a/clients/client-synthetics/CHANGELOG.md b/clients/client-synthetics/CHANGELOG.md index 4263597cb4c0..4c6f5032a5e1 100644 --- a/clients/client-synthetics/CHANGELOG.md +++ b/clients/client-synthetics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-synthetics + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) diff --git a/clients/client-synthetics/package.json b/clients/client-synthetics/package.json index 8a7d9bd29479..027690175b73 100644 --- a/clients/client-synthetics/package.json +++ b/clients/client-synthetics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-synthetics", "description": "AWS SDK for JavaScript Synthetics Client for Node.js, Browser and React Native", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-synthetics", diff --git a/clients/client-taxsettings/CHANGELOG.md b/clients/client-taxsettings/CHANGELOG.md index 83679ac1f2d6..35bf28fb2f5e 100644 --- a/clients/client-taxsettings/CHANGELOG.md +++ b/clients/client-taxsettings/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-taxsettings + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-taxsettings diff --git a/clients/client-taxsettings/package.json b/clients/client-taxsettings/package.json index 3e4ca8c2f5b1..c0fd1a4c57a8 100644 --- a/clients/client-taxsettings/package.json +++ b/clients/client-taxsettings/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-taxsettings", "description": "AWS SDK for JavaScript Taxsettings Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-textract/CHANGELOG.md b/clients/client-textract/CHANGELOG.md index 326820f56beb..760bc4f13b8b 100644 --- a/clients/client-textract/CHANGELOG.md +++ b/clients/client-textract/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-textract + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-textract diff --git a/clients/client-textract/package.json b/clients/client-textract/package.json index a772476a8d9c..c404582bfc0f 100644 --- a/clients/client-textract/package.json +++ b/clients/client-textract/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-textract", "description": "AWS SDK for JavaScript Textract Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-textract", diff --git a/clients/client-timestream-influxdb/CHANGELOG.md b/clients/client-timestream-influxdb/CHANGELOG.md index fc2cb23e6788..c17b10bc6524 100644 --- a/clients/client-timestream-influxdb/CHANGELOG.md +++ b/clients/client-timestream-influxdb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-timestream-influxdb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-timestream-influxdb diff --git a/clients/client-timestream-influxdb/package.json b/clients/client-timestream-influxdb/package.json index 940cc0546738..f6bf154a718f 100644 --- a/clients/client-timestream-influxdb/package.json +++ b/clients/client-timestream-influxdb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-timestream-influxdb", "description": "AWS SDK for JavaScript Timestream Influxdb Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-timestream-query/CHANGELOG.md b/clients/client-timestream-query/CHANGELOG.md index 318dd75b45cf..ae6884c60d0d 100644 --- a/clients/client-timestream-query/CHANGELOG.md +++ b/clients/client-timestream-query/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-timestream-query + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-timestream-query diff --git a/clients/client-timestream-query/package.json b/clients/client-timestream-query/package.json index 1c771293b48b..fcef836b6dd3 100644 --- a/clients/client-timestream-query/package.json +++ b/clients/client-timestream-query/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-timestream-query", "description": "AWS SDK for JavaScript Timestream Query Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-timestream-query", diff --git a/clients/client-timestream-write/CHANGELOG.md b/clients/client-timestream-write/CHANGELOG.md index 6a9ed4b5bff2..1ab796b52a97 100644 --- a/clients/client-timestream-write/CHANGELOG.md +++ b/clients/client-timestream-write/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-timestream-write + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-timestream-write diff --git a/clients/client-timestream-write/package.json b/clients/client-timestream-write/package.json index 2ab6e929ed26..8c2c8d791561 100644 --- a/clients/client-timestream-write/package.json +++ b/clients/client-timestream-write/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-timestream-write", "description": "AWS SDK for JavaScript Timestream Write Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-timestream-write", diff --git a/clients/client-tnb/CHANGELOG.md b/clients/client-tnb/CHANGELOG.md index a83ca7863bbc..98e44e0efeeb 100644 --- a/clients/client-tnb/CHANGELOG.md +++ b/clients/client-tnb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-tnb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-tnb diff --git a/clients/client-tnb/package.json b/clients/client-tnb/package.json index a922504fec62..4e842255fb63 100644 --- a/clients/client-tnb/package.json +++ b/clients/client-tnb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-tnb", "description": "AWS SDK for JavaScript Tnb Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-tnb", diff --git a/clients/client-transcribe-streaming/CHANGELOG.md b/clients/client-transcribe-streaming/CHANGELOG.md index bb2584d53082..03c8728bb2a4 100644 --- a/clients/client-transcribe-streaming/CHANGELOG.md +++ b/clients/client-transcribe-streaming/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-transcribe-streaming + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-transcribe-streaming diff --git a/clients/client-transcribe-streaming/package.json b/clients/client-transcribe-streaming/package.json index 4e037c3563ff..f7a2bbfcab64 100644 --- a/clients/client-transcribe-streaming/package.json +++ b/clients/client-transcribe-streaming/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-transcribe-streaming", "description": "AWS SDK for JavaScript Transcribe Streaming Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-transcribe-streaming", diff --git a/clients/client-transcribe/CHANGELOG.md b/clients/client-transcribe/CHANGELOG.md index 17c00d2b45ad..10cd345b4d57 100644 --- a/clients/client-transcribe/CHANGELOG.md +++ b/clients/client-transcribe/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-transcribe + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-transcribe diff --git a/clients/client-transcribe/package.json b/clients/client-transcribe/package.json index 52ef0ddebf99..577055e8d992 100644 --- a/clients/client-transcribe/package.json +++ b/clients/client-transcribe/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-transcribe", "description": "AWS SDK for JavaScript Transcribe Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-transcribe", diff --git a/clients/client-transfer/CHANGELOG.md b/clients/client-transfer/CHANGELOG.md index b5d2646fd976..d99d31f8f595 100644 --- a/clients/client-transfer/CHANGELOG.md +++ b/clients/client-transfer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-transfer + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-transfer diff --git a/clients/client-transfer/package.json b/clients/client-transfer/package.json index 61a9c35d4f41..b53c9323b313 100644 --- a/clients/client-transfer/package.json +++ b/clients/client-transfer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-transfer", "description": "AWS SDK for JavaScript Transfer Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-transfer", diff --git a/clients/client-translate/CHANGELOG.md b/clients/client-translate/CHANGELOG.md index f1e0dc3024fe..b18b1dd14f21 100644 --- a/clients/client-translate/CHANGELOG.md +++ b/clients/client-translate/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-translate + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-translate diff --git a/clients/client-translate/package.json b/clients/client-translate/package.json index 487afadb7762..05bbd6e7375a 100644 --- a/clients/client-translate/package.json +++ b/clients/client-translate/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-translate", "description": "AWS SDK for JavaScript Translate Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-translate", diff --git a/clients/client-trustedadvisor/CHANGELOG.md b/clients/client-trustedadvisor/CHANGELOG.md index 4e1e966ce542..5d4e51141a70 100644 --- a/clients/client-trustedadvisor/CHANGELOG.md +++ b/clients/client-trustedadvisor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-trustedadvisor + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-trustedadvisor diff --git a/clients/client-trustedadvisor/package.json b/clients/client-trustedadvisor/package.json index d05fee0b3774..666da560775f 100644 --- a/clients/client-trustedadvisor/package.json +++ b/clients/client-trustedadvisor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-trustedadvisor", "description": "AWS SDK for JavaScript Trustedadvisor Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-trustedadvisor", diff --git a/clients/client-verifiedpermissions/CHANGELOG.md b/clients/client-verifiedpermissions/CHANGELOG.md index 999a312d97b0..7d48f90aa619 100644 --- a/clients/client-verifiedpermissions/CHANGELOG.md +++ b/clients/client-verifiedpermissions/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-verifiedpermissions + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-verifiedpermissions diff --git a/clients/client-verifiedpermissions/package.json b/clients/client-verifiedpermissions/package.json index 1fad73c8eebe..82bd35250697 100644 --- a/clients/client-verifiedpermissions/package.json +++ b/clients/client-verifiedpermissions/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-verifiedpermissions", "description": "AWS SDK for JavaScript Verifiedpermissions Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-verifiedpermissions", diff --git a/clients/client-voice-id/CHANGELOG.md b/clients/client-voice-id/CHANGELOG.md index 14c386f55228..c4576062a5c4 100644 --- a/clients/client-voice-id/CHANGELOG.md +++ b/clients/client-voice-id/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-voice-id + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-voice-id diff --git a/clients/client-voice-id/package.json b/clients/client-voice-id/package.json index d1ef80c13b00..ab0098c669d7 100644 --- a/clients/client-voice-id/package.json +++ b/clients/client-voice-id/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-voice-id", "description": "AWS SDK for JavaScript Voice Id Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-voice-id", diff --git a/clients/client-vpc-lattice/CHANGELOG.md b/clients/client-vpc-lattice/CHANGELOG.md index 9a28b9348454..9d54a461331c 100644 --- a/clients/client-vpc-lattice/CHANGELOG.md +++ b/clients/client-vpc-lattice/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-vpc-lattice + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-vpc-lattice diff --git a/clients/client-vpc-lattice/package.json b/clients/client-vpc-lattice/package.json index fa2bd6cb43a6..7e94f4e4fdee 100644 --- a/clients/client-vpc-lattice/package.json +++ b/clients/client-vpc-lattice/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-vpc-lattice", "description": "AWS SDK for JavaScript Vpc Lattice Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-vpc-lattice", diff --git a/clients/client-waf-regional/CHANGELOG.md b/clients/client-waf-regional/CHANGELOG.md index 7b3dfcce77b1..563c84503822 100644 --- a/clients/client-waf-regional/CHANGELOG.md +++ b/clients/client-waf-regional/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-waf-regional + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-waf-regional diff --git a/clients/client-waf-regional/package.json b/clients/client-waf-regional/package.json index e5d8424649d5..7a6271ca424d 100644 --- a/clients/client-waf-regional/package.json +++ b/clients/client-waf-regional/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-waf-regional", "description": "AWS SDK for JavaScript Waf Regional Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-waf-regional", diff --git a/clients/client-waf/CHANGELOG.md b/clients/client-waf/CHANGELOG.md index d442c6beb5cc..05114c0c83e5 100644 --- a/clients/client-waf/CHANGELOG.md +++ b/clients/client-waf/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-waf + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-waf diff --git a/clients/client-waf/package.json b/clients/client-waf/package.json index 0578c2569adf..039b9a43fa40 100644 --- a/clients/client-waf/package.json +++ b/clients/client-waf/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-waf", "description": "AWS SDK for JavaScript Waf Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-waf", diff --git a/clients/client-wafv2/CHANGELOG.md b/clients/client-wafv2/CHANGELOG.md index 64938ef3b49b..0e1879ca63c4 100644 --- a/clients/client-wafv2/CHANGELOG.md +++ b/clients/client-wafv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-wafv2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-wafv2 diff --git a/clients/client-wafv2/package.json b/clients/client-wafv2/package.json index ed75f52aa79e..b1f879f101a8 100644 --- a/clients/client-wafv2/package.json +++ b/clients/client-wafv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-wafv2", "description": "AWS SDK for JavaScript Wafv2 Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-wafv2", diff --git a/clients/client-wellarchitected/CHANGELOG.md b/clients/client-wellarchitected/CHANGELOG.md index 955c6b9335ad..6e00ef17555f 100644 --- a/clients/client-wellarchitected/CHANGELOG.md +++ b/clients/client-wellarchitected/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-wellarchitected + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-wellarchitected diff --git a/clients/client-wellarchitected/package.json b/clients/client-wellarchitected/package.json index 80eabb88c751..a70355a6b93c 100644 --- a/clients/client-wellarchitected/package.json +++ b/clients/client-wellarchitected/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-wellarchitected", "description": "AWS SDK for JavaScript Wellarchitected Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-wellarchitected", diff --git a/clients/client-wisdom/CHANGELOG.md b/clients/client-wisdom/CHANGELOG.md index 5d653c507592..6d837bce0bc6 100644 --- a/clients/client-wisdom/CHANGELOG.md +++ b/clients/client-wisdom/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-wisdom + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-wisdom diff --git a/clients/client-wisdom/package.json b/clients/client-wisdom/package.json index 17401bfd493c..781ef8ce988d 100644 --- a/clients/client-wisdom/package.json +++ b/clients/client-wisdom/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-wisdom", "description": "AWS SDK for JavaScript Wisdom Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-wisdom", diff --git a/clients/client-workdocs/CHANGELOG.md b/clients/client-workdocs/CHANGELOG.md index 02a1787f851d..dda3a77a6710 100644 --- a/clients/client-workdocs/CHANGELOG.md +++ b/clients/client-workdocs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-workdocs + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-workdocs diff --git a/clients/client-workdocs/package.json b/clients/client-workdocs/package.json index d7c1b1abfbfe..8ef3ce08de3d 100644 --- a/clients/client-workdocs/package.json +++ b/clients/client-workdocs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workdocs", "description": "AWS SDK for JavaScript Workdocs Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workdocs", diff --git a/clients/client-worklink/CHANGELOG.md b/clients/client-worklink/CHANGELOG.md index 6da7d70a65d1..da7320fa2ca3 100644 --- a/clients/client-worklink/CHANGELOG.md +++ b/clients/client-worklink/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-worklink + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-worklink diff --git a/clients/client-worklink/package.json b/clients/client-worklink/package.json index 5fa6e6f59302..9646fa639d02 100644 --- a/clients/client-worklink/package.json +++ b/clients/client-worklink/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-worklink", "description": "AWS SDK for JavaScript Worklink Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-worklink", diff --git a/clients/client-workmail/CHANGELOG.md b/clients/client-workmail/CHANGELOG.md index b441cd255a6a..eee8657b4e7e 100644 --- a/clients/client-workmail/CHANGELOG.md +++ b/clients/client-workmail/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-workmail + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-workmail diff --git a/clients/client-workmail/package.json b/clients/client-workmail/package.json index 0c7c893623f5..e37afec8f1fa 100644 --- a/clients/client-workmail/package.json +++ b/clients/client-workmail/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workmail", "description": "AWS SDK for JavaScript Workmail Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workmail", diff --git a/clients/client-workmailmessageflow/CHANGELOG.md b/clients/client-workmailmessageflow/CHANGELOG.md index c57d4627e0cf..7715b67831d3 100644 --- a/clients/client-workmailmessageflow/CHANGELOG.md +++ b/clients/client-workmailmessageflow/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-workmailmessageflow + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-workmailmessageflow diff --git a/clients/client-workmailmessageflow/package.json b/clients/client-workmailmessageflow/package.json index 70c9f9840d73..3fe195432218 100644 --- a/clients/client-workmailmessageflow/package.json +++ b/clients/client-workmailmessageflow/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workmailmessageflow", "description": "AWS SDK for JavaScript Workmailmessageflow Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workmailmessageflow", diff --git a/clients/client-workspaces-thin-client/CHANGELOG.md b/clients/client-workspaces-thin-client/CHANGELOG.md index 6ae72c017787..69ba4b90c7d0 100644 --- a/clients/client-workspaces-thin-client/CHANGELOG.md +++ b/clients/client-workspaces-thin-client/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-workspaces-thin-client + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-workspaces-thin-client diff --git a/clients/client-workspaces-thin-client/package.json b/clients/client-workspaces-thin-client/package.json index 1599602b5135..a44386e14266 100644 --- a/clients/client-workspaces-thin-client/package.json +++ b/clients/client-workspaces-thin-client/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workspaces-thin-client", "description": "AWS SDK for JavaScript Workspaces Thin Client Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workspaces-thin-client", diff --git a/clients/client-workspaces-web/CHANGELOG.md b/clients/client-workspaces-web/CHANGELOG.md index 9b243eb3f9b4..9829357aaec2 100644 --- a/clients/client-workspaces-web/CHANGELOG.md +++ b/clients/client-workspaces-web/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-workspaces-web + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-workspaces-web diff --git a/clients/client-workspaces-web/package.json b/clients/client-workspaces-web/package.json index 768a1e25b644..11b849de1309 100644 --- a/clients/client-workspaces-web/package.json +++ b/clients/client-workspaces-web/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workspaces-web", "description": "AWS SDK for JavaScript Workspaces Web Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workspaces-web", diff --git a/clients/client-workspaces/CHANGELOG.md b/clients/client-workspaces/CHANGELOG.md index 9c2054859b86..42c8b08292a8 100644 --- a/clients/client-workspaces/CHANGELOG.md +++ b/clients/client-workspaces/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-workspaces + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-workspaces diff --git a/clients/client-workspaces/package.json b/clients/client-workspaces/package.json index c72ffc9f3fad..df176c7ad5e1 100644 --- a/clients/client-workspaces/package.json +++ b/clients/client-workspaces/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workspaces", "description": "AWS SDK for JavaScript Workspaces Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workspaces", diff --git a/clients/client-xray/CHANGELOG.md b/clients/client-xray/CHANGELOG.md index 4f319953d0c4..f060536ac6f8 100644 --- a/clients/client-xray/CHANGELOG.md +++ b/clients/client-xray/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/client-xray + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/client-xray diff --git a/clients/client-xray/package.json b/clients/client-xray/package.json index c93b4b20e52d..4963a5deb02d 100644 --- a/clients/client-xray/package.json +++ b/clients/client-xray/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-xray", "description": "AWS SDK for JavaScript Xray Client for Node.js, Browser and React Native", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-xray", diff --git a/lerna.json b/lerna.json index 7a44ec4f6556..2708f36fbe5f 100644 --- a/lerna.json +++ b/lerna.json @@ -1,5 +1,5 @@ { - "version": "3.651.0", + "version": "3.651.1", "npmClient": "yarn", "useWorkspaces": true, "command": { diff --git a/lib/lib-dynamodb/CHANGELOG.md b/lib/lib-dynamodb/CHANGELOG.md index 37259a625381..6221b6de0f62 100644 --- a/lib/lib-dynamodb/CHANGELOG.md +++ b/lib/lib-dynamodb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/lib-dynamodb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) diff --git a/lib/lib-dynamodb/package.json b/lib/lib-dynamodb/package.json index 75523d6308ff..55ed39614f08 100644 --- a/lib/lib-dynamodb/package.json +++ b/lib/lib-dynamodb/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/lib-dynamodb", - "version": "3.650.0", + "version": "3.651.1", "description": "The document client simplifies working with items in Amazon DynamoDB by abstracting away the notion of attribute values.", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/lib/lib-storage/CHANGELOG.md b/lib/lib-storage/CHANGELOG.md index 24b0ac7370bc..500e19974f56 100644 --- a/lib/lib-storage/CHANGELOG.md +++ b/lib/lib-storage/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/lib-storage + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/lib-storage diff --git a/lib/lib-storage/package.json b/lib/lib-storage/package.json index ab256e8bae14..f93af9c3fc9b 100644 --- a/lib/lib-storage/package.json +++ b/lib/lib-storage/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/lib-storage", - "version": "3.651.0", + "version": "3.651.1", "description": "Storage higher order operation", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/cloudfront-signer/CHANGELOG.md b/packages/cloudfront-signer/CHANGELOG.md index 3bef244a5f44..6f25ad3301b6 100644 --- a/packages/cloudfront-signer/CHANGELOG.md +++ b/packages/cloudfront-signer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/cloudfront-signer + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/cloudfront-signer/package.json b/packages/cloudfront-signer/package.json index db6d0b424e3c..3b2a252b4c89 100644 --- a/packages/cloudfront-signer/package.json +++ b/packages/cloudfront-signer/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/cloudfront-signer", - "version": "3.649.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline cloudfront-signer", diff --git a/packages/core/CHANGELOG.md b/packages/core/CHANGELOG.md index f8d5c1800fe6..a1d6d952e9dd 100644 --- a/packages/core/CHANGELOG.md +++ b/packages/core/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/core + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/core/package.json b/packages/core/package.json index 4369254c716f..8f7400717771 100644 --- a/packages/core/package.json +++ b/packages/core/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/core", - "version": "3.649.0", + "version": "3.651.1", "description": "Core functions & classes shared by multiple AWS SDK clients.", "scripts": { "build": "yarn lint && concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", diff --git a/packages/credential-provider-cognito-identity/CHANGELOG.md b/packages/credential-provider-cognito-identity/CHANGELOG.md index a278c21c193c..c8319a0776cf 100644 --- a/packages/credential-provider-cognito-identity/CHANGELOG.md +++ b/packages/credential-provider-cognito-identity/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/credential-provider-cognito-identity + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/credential-provider-cognito-identity diff --git a/packages/credential-provider-cognito-identity/package.json b/packages/credential-provider-cognito-identity/package.json index e7e38ebb1850..1feae65043f0 100644 --- a/packages/credential-provider-cognito-identity/package.json +++ b/packages/credential-provider-cognito-identity/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-cognito-identity", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline credential-provider-cognito-identity", diff --git a/packages/credential-provider-ini/CHANGELOG.md b/packages/credential-provider-ini/CHANGELOG.md index ea4fbd2d43aa..f20d7db8cdc2 100644 --- a/packages/credential-provider-ini/CHANGELOG.md +++ b/packages/credential-provider-ini/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + + +### Bug Fixes + +* **credential-provider-ini:** fix recursive assume role and optional role_arn in credential_source ([#6472](https://github.com/aws/aws-sdk-js-v3/issues/6472)) ([c095306](https://github.com/aws/aws-sdk-js-v3/commit/c095306e7248c3e53e4d8d77551fdad2663e0e77)) + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/credential-provider-ini diff --git a/packages/credential-provider-ini/package.json b/packages/credential-provider-ini/package.json index 6c555dca8984..bfa9a2bfa2d2 100644 --- a/packages/credential-provider-ini/package.json +++ b/packages/credential-provider-ini/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-ini", - "version": "3.650.0", + "version": "3.651.1", "description": "AWS credential provider that sources credentials from ~/.aws/credentials and ~/.aws/config", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-provider-node/CHANGELOG.md b/packages/credential-provider-node/CHANGELOG.md index e409c7a2e9b8..47725f5d6eef 100644 --- a/packages/credential-provider-node/CHANGELOG.md +++ b/packages/credential-provider-node/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + + +### Bug Fixes + +* **credential-provider-ini:** fix recursive assume role and optional role_arn in credential_source ([#6472](https://github.com/aws/aws-sdk-js-v3/issues/6472)) ([c095306](https://github.com/aws/aws-sdk-js-v3/commit/c095306e7248c3e53e4d8d77551fdad2663e0e77)) + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/credential-provider-node diff --git a/packages/credential-provider-node/package.json b/packages/credential-provider-node/package.json index 1d92b34b2e91..7bbcad7a3790 100644 --- a/packages/credential-provider-node/package.json +++ b/packages/credential-provider-node/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-node", - "version": "3.650.0", + "version": "3.651.1", "description": "AWS credential provider that sources credentials from a Node.JS environment. ", "engines": { "node": ">=16.0.0" diff --git a/packages/credential-provider-sso/CHANGELOG.md b/packages/credential-provider-sso/CHANGELOG.md index 8c4004171a60..4883337b67bf 100644 --- a/packages/credential-provider-sso/CHANGELOG.md +++ b/packages/credential-provider-sso/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/credential-provider-sso + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/credential-provider-sso diff --git a/packages/credential-provider-sso/package.json b/packages/credential-provider-sso/package.json index dec3c1326c3d..0e97c8073c82 100644 --- a/packages/credential-provider-sso/package.json +++ b/packages/credential-provider-sso/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-sso", - "version": "3.650.0", + "version": "3.651.1", "description": "AWS credential provider that exchanges a resolved SSO login token file for temporary AWS credentials", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-providers/CHANGELOG.md b/packages/credential-providers/CHANGELOG.md index 0bfe3f0a7ffa..5680f1521456 100644 --- a/packages/credential-providers/CHANGELOG.md +++ b/packages/credential-providers/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/credential-providers + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/credential-providers diff --git a/packages/credential-providers/package.json b/packages/credential-providers/package.json index c02348b705fe..a1aae39b3064 100644 --- a/packages/credential-providers/package.json +++ b/packages/credential-providers/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-providers", - "version": "3.650.0", + "version": "3.651.1", "description": "A collection of credential providers, without requiring service clients like STS, Cognito", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/ec2-metadata-service/CHANGELOG.md b/packages/ec2-metadata-service/CHANGELOG.md index 335675dabeea..06ee16ec23bc 100644 --- a/packages/ec2-metadata-service/CHANGELOG.md +++ b/packages/ec2-metadata-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/ec2-metadata-service + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/ec2-metadata-service diff --git a/packages/ec2-metadata-service/package.json b/packages/ec2-metadata-service/package.json index a143518388fa..47a359f3e730 100644 --- a/packages/ec2-metadata-service/package.json +++ b/packages/ec2-metadata-service/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/ec2-metadata-service", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline ec2-metadata-service", diff --git a/packages/karma-credential-loader/CHANGELOG.md b/packages/karma-credential-loader/CHANGELOG.md index 94bc7cafcbcc..5f5954812e74 100644 --- a/packages/karma-credential-loader/CHANGELOG.md +++ b/packages/karma-credential-loader/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/karma-credential-loader + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/karma-credential-loader diff --git a/packages/karma-credential-loader/package.json b/packages/karma-credential-loader/package.json index 8e9d7b4d0735..2f8c40c7bbf8 100644 --- a/packages/karma-credential-loader/package.json +++ b/packages/karma-credential-loader/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/karma-credential-loader", - "version": "3.650.0", + "version": "3.651.1", "private": true, "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", diff --git a/packages/middleware-flexible-checksums/CHANGELOG.md b/packages/middleware-flexible-checksums/CHANGELOG.md index 9bd5eb5ab4b1..7b02a6629c3b 100644 --- a/packages/middleware-flexible-checksums/CHANGELOG.md +++ b/packages/middleware-flexible-checksums/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/middleware-flexible-checksums + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/middleware-flexible-checksums diff --git a/packages/middleware-flexible-checksums/package.json b/packages/middleware-flexible-checksums/package.json index 0ad4b1d8348d..73f5c80562a5 100644 --- a/packages/middleware-flexible-checksums/package.json +++ b/packages/middleware-flexible-checksums/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-flexible-checksums", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-flexible-checksums", diff --git a/packages/middleware-sdk-s3/CHANGELOG.md b/packages/middleware-sdk-s3/CHANGELOG.md index f8dcc6b41223..733891c2ff6e 100644 --- a/packages/middleware-sdk-s3/CHANGELOG.md +++ b/packages/middleware-sdk-s3/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-s3 + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-s3/package.json b/packages/middleware-sdk-s3/package.json index 72e993c9d9ed..aea118090314 100644 --- a/packages/middleware-sdk-s3/package.json +++ b/packages/middleware-sdk-s3/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-s3", - "version": "3.649.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-s3", diff --git a/packages/polly-request-presigner/CHANGELOG.md b/packages/polly-request-presigner/CHANGELOG.md index ee17d7258a97..25a5b229ecd2 100644 --- a/packages/polly-request-presigner/CHANGELOG.md +++ b/packages/polly-request-presigner/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/polly-request-presigner + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/polly-request-presigner diff --git a/packages/polly-request-presigner/package.json b/packages/polly-request-presigner/package.json index fdea336689a4..777d3e51eaf7 100644 --- a/packages/polly-request-presigner/package.json +++ b/packages/polly-request-presigner/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/polly-request-presigner", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline polly-request-presigner", diff --git a/packages/rds-signer/CHANGELOG.md b/packages/rds-signer/CHANGELOG.md index e2ba3cf16419..a4173b4a9cd3 100644 --- a/packages/rds-signer/CHANGELOG.md +++ b/packages/rds-signer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/rds-signer + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/rds-signer diff --git a/packages/rds-signer/package.json b/packages/rds-signer/package.json index 96977300d23a..70ee2ab7d032 100644 --- a/packages/rds-signer/package.json +++ b/packages/rds-signer/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/rds-signer", - "version": "3.650.0", + "version": "3.651.1", "description": "RDS utility for generating a password that can be used for IAM authentication to an RDS DB.", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/s3-presigned-post/CHANGELOG.md b/packages/s3-presigned-post/CHANGELOG.md index d57ecb81ff0b..14ee8fa55bda 100644 --- a/packages/s3-presigned-post/CHANGELOG.md +++ b/packages/s3-presigned-post/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/s3-presigned-post + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/s3-presigned-post diff --git a/packages/s3-presigned-post/package.json b/packages/s3-presigned-post/package.json index 4c3d5c9a80b5..03040d63b48f 100644 --- a/packages/s3-presigned-post/package.json +++ b/packages/s3-presigned-post/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/s3-presigned-post", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline s3-presigned-post", diff --git a/packages/s3-request-presigner/CHANGELOG.md b/packages/s3-request-presigner/CHANGELOG.md index 106bd8acc998..a31af12f5877 100644 --- a/packages/s3-request-presigner/CHANGELOG.md +++ b/packages/s3-request-presigner/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/s3-request-presigner + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/s3-request-presigner diff --git a/packages/s3-request-presigner/package.json b/packages/s3-request-presigner/package.json index c310b2b9051f..b371a54f94cf 100644 --- a/packages/s3-request-presigner/package.json +++ b/packages/s3-request-presigner/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/s3-request-presigner", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline s3-request-presigner", diff --git a/packages/signature-v4-crt/CHANGELOG.md b/packages/signature-v4-crt/CHANGELOG.md index c1e3f42f7840..be5c34975ffc 100644 --- a/packages/signature-v4-crt/CHANGELOG.md +++ b/packages/signature-v4-crt/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/signature-v4-crt + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/signature-v4-crt/package.json b/packages/signature-v4-crt/package.json index e7b2a6ab5ece..4b924c914496 100644 --- a/packages/signature-v4-crt/package.json +++ b/packages/signature-v4-crt/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/signature-v4-crt", - "version": "3.649.0", + "version": "3.651.1", "description": "A revision of AWS Signature V4 request signer based on AWS Common Runtime https://github.com/awslabs/aws-crt-nodejs", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/signature-v4-multi-region/CHANGELOG.md b/packages/signature-v4-multi-region/CHANGELOG.md index d123d5afa000..d1f987179149 100644 --- a/packages/signature-v4-multi-region/CHANGELOG.md +++ b/packages/signature-v4-multi-region/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/signature-v4-multi-region + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/signature-v4-multi-region/package.json b/packages/signature-v4-multi-region/package.json index 258e5910ae94..ba675c7f78cd 100644 --- a/packages/signature-v4-multi-region/package.json +++ b/packages/signature-v4-multi-region/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/signature-v4-multi-region", - "version": "3.649.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline signature-v4-multi-region", diff --git a/packages/util-dynamodb/CHANGELOG.md b/packages/util-dynamodb/CHANGELOG.md index 26db2be271e1..bb357c2357af 100644 --- a/packages/util-dynamodb/CHANGELOG.md +++ b/packages/util-dynamodb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/util-dynamodb + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/util-dynamodb diff --git a/packages/util-dynamodb/package.json b/packages/util-dynamodb/package.json index 69d92aead0c9..75e2c430c89a 100644 --- a/packages/util-dynamodb/package.json +++ b/packages/util-dynamodb/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-dynamodb", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline util-dynamodb", diff --git a/private/aws-client-api-test/CHANGELOG.md b/private/aws-client-api-test/CHANGELOG.md index 3eae53b90068..4084fd2e0858 100644 --- a/private/aws-client-api-test/CHANGELOG.md +++ b/private/aws-client-api-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-client-api-test + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/aws-client-api-test diff --git a/private/aws-client-api-test/package.json b/private/aws-client-api-test/package.json index baeabcd7f56b..afaa7bbb4767 100644 --- a/private/aws-client-api-test/package.json +++ b/private/aws-client-api-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-client-api-test", "description": "Test suite for client interface stability", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-client-retry-test/CHANGELOG.md b/private/aws-client-retry-test/CHANGELOG.md index 5567ba78f087..a7a16d8a63d2 100644 --- a/private/aws-client-retry-test/CHANGELOG.md +++ b/private/aws-client-retry-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-client-retry-test + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/aws-client-retry-test diff --git a/private/aws-client-retry-test/package.json b/private/aws-client-retry-test/package.json index 03ecf7dc9a6e..0627510d0138 100644 --- a/private/aws-client-retry-test/package.json +++ b/private/aws-client-retry-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-client-retry-test", "description": "Integration test suite for middleware-retry", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-echo-service/CHANGELOG.md b/private/aws-echo-service/CHANGELOG.md index 0a94f0ae3910..8ccd7fe43cd6 100644 --- a/private/aws-echo-service/CHANGELOG.md +++ b/private/aws-echo-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-echo-service + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/private/aws-echo-service/package.json b/private/aws-echo-service/package.json index fb1eb4ed83d1..a4856349d502 100644 --- a/private/aws-echo-service/package.json +++ b/private/aws-echo-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-echo-service", "description": "@aws-sdk/aws-echo-service client", - "version": "3.649.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-middleware-test/CHANGELOG.md b/private/aws-middleware-test/CHANGELOG.md index 74b705e81728..cb8641c6f758 100644 --- a/private/aws-middleware-test/CHANGELOG.md +++ b/private/aws-middleware-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-middleware-test + + + + + # [3.651.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.650.0...v3.651.0) (2024-09-12) **Note:** Version bump only for package @aws-sdk/aws-middleware-test diff --git a/private/aws-middleware-test/package.json b/private/aws-middleware-test/package.json index c5653f05bf98..2a5bea6fa8e5 100644 --- a/private/aws-middleware-test/package.json +++ b/private/aws-middleware-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-middleware-test", "description": "Integration test suite for AWS middleware", - "version": "3.651.0", + "version": "3.651.1", "scripts": { "build": "exit 0", "build:cjs": "exit 0", diff --git a/private/aws-protocoltests-ec2/CHANGELOG.md b/private/aws-protocoltests-ec2/CHANGELOG.md index a5cbb0ed41a1..51df3a3d5a74 100644 --- a/private/aws-protocoltests-ec2/CHANGELOG.md +++ b/private/aws-protocoltests-ec2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-ec2 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-ec2 diff --git a/private/aws-protocoltests-ec2/package.json b/private/aws-protocoltests-ec2/package.json index 0e0a98303f51..a38eee9519b1 100644 --- a/private/aws-protocoltests-ec2/package.json +++ b/private/aws-protocoltests-ec2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-ec2", "description": "@aws-sdk/aws-protocoltests-ec2 client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-json-10/CHANGELOG.md b/private/aws-protocoltests-json-10/CHANGELOG.md index 87ca213c6e92..4d588da567ab 100644 --- a/private/aws-protocoltests-json-10/CHANGELOG.md +++ b/private/aws-protocoltests-json-10/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-10 + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-10 diff --git a/private/aws-protocoltests-json-10/package.json b/private/aws-protocoltests-json-10/package.json index e44eb02ce628..6d05404e263c 100644 --- a/private/aws-protocoltests-json-10/package.json +++ b/private/aws-protocoltests-json-10/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-json-10", "description": "@aws-sdk/aws-protocoltests-json-10 client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-json-machinelearning/CHANGELOG.md b/private/aws-protocoltests-json-machinelearning/CHANGELOG.md index be47a93cbfd7..3ad8b088e5eb 100644 --- a/private/aws-protocoltests-json-machinelearning/CHANGELOG.md +++ b/private/aws-protocoltests-json-machinelearning/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-machinelearning + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-machinelearning diff --git a/private/aws-protocoltests-json-machinelearning/package.json b/private/aws-protocoltests-json-machinelearning/package.json index bc30c46f6159..f1b1585e5dd4 100644 --- a/private/aws-protocoltests-json-machinelearning/package.json +++ b/private/aws-protocoltests-json-machinelearning/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-json-machinelearning", "description": "@aws-sdk/aws-protocoltests-json-machinelearning client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-json/CHANGELOG.md b/private/aws-protocoltests-json/CHANGELOG.md index 5573b97555cd..fc3c6b495fea 100644 --- a/private/aws-protocoltests-json/CHANGELOG.md +++ b/private/aws-protocoltests-json/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-json diff --git a/private/aws-protocoltests-json/package.json b/private/aws-protocoltests-json/package.json index 9a644c91efeb..f4085436cfa9 100644 --- a/private/aws-protocoltests-json/package.json +++ b/private/aws-protocoltests-json/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-json", "description": "@aws-sdk/aws-protocoltests-json client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-query/CHANGELOG.md b/private/aws-protocoltests-query/CHANGELOG.md index 41b597f467b9..d67bd4d362d4 100644 --- a/private/aws-protocoltests-query/CHANGELOG.md +++ b/private/aws-protocoltests-query/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-query + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-query diff --git a/private/aws-protocoltests-query/package.json b/private/aws-protocoltests-query/package.json index 42569fd5c91a..f04f644f393b 100644 --- a/private/aws-protocoltests-query/package.json +++ b/private/aws-protocoltests-query/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-query", "description": "@aws-sdk/aws-protocoltests-query client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md b/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md index 70bc521de988..39efcffb0311 100644 --- a/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md +++ b/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-apigateway + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-apigateway diff --git a/private/aws-protocoltests-restjson-apigateway/package.json b/private/aws-protocoltests-restjson-apigateway/package.json index d1e52a38cd53..05ea41c6f1a4 100644 --- a/private/aws-protocoltests-restjson-apigateway/package.json +++ b/private/aws-protocoltests-restjson-apigateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restjson-apigateway", "description": "@aws-sdk/aws-protocoltests-restjson-apigateway client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restjson-glacier/CHANGELOG.md b/private/aws-protocoltests-restjson-glacier/CHANGELOG.md index 4446d66c4443..02b9fb2f671f 100644 --- a/private/aws-protocoltests-restjson-glacier/CHANGELOG.md +++ b/private/aws-protocoltests-restjson-glacier/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-glacier + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-glacier diff --git a/private/aws-protocoltests-restjson-glacier/package.json b/private/aws-protocoltests-restjson-glacier/package.json index db8f83d25ba1..5459d9c90077 100644 --- a/private/aws-protocoltests-restjson-glacier/package.json +++ b/private/aws-protocoltests-restjson-glacier/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restjson-glacier", "description": "@aws-sdk/aws-protocoltests-restjson-glacier client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restjson/CHANGELOG.md b/private/aws-protocoltests-restjson/CHANGELOG.md index 76a14743fe75..32175074b6dc 100644 --- a/private/aws-protocoltests-restjson/CHANGELOG.md +++ b/private/aws-protocoltests-restjson/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson diff --git a/private/aws-protocoltests-restjson/package.json b/private/aws-protocoltests-restjson/package.json index 8a5168d4f078..d1faed606907 100644 --- a/private/aws-protocoltests-restjson/package.json +++ b/private/aws-protocoltests-restjson/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restjson", "description": "@aws-sdk/aws-protocoltests-restjson client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restxml/CHANGELOG.md b/private/aws-protocoltests-restxml/CHANGELOG.md index 9ad1a4b774f9..9b3b1e44d550 100644 --- a/private/aws-protocoltests-restxml/CHANGELOG.md +++ b/private/aws-protocoltests-restxml/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restxml + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restxml diff --git a/private/aws-protocoltests-restxml/package.json b/private/aws-protocoltests-restxml/package.json index 5cc86c3a16d7..517e95a4fcce 100644 --- a/private/aws-protocoltests-restxml/package.json +++ b/private/aws-protocoltests-restxml/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restxml", "description": "@aws-sdk/aws-protocoltests-restxml client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-restjson-server/CHANGELOG.md b/private/aws-restjson-server/CHANGELOG.md index 78bd07e9abcb..f2631c5770b4 100644 --- a/private/aws-restjson-server/CHANGELOG.md +++ b/private/aws-restjson-server/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-restjson-server + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/private/aws-restjson-server/package.json b/private/aws-restjson-server/package.json index f56b46e1d7d0..fb3d2b5df9ed 100644 --- a/private/aws-restjson-server/package.json +++ b/private/aws-restjson-server/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-restjson-server", "description": "@aws-sdk/aws-restjson-server server", - "version": "3.649.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-restjson-validation-server/CHANGELOG.md b/private/aws-restjson-validation-server/CHANGELOG.md index 2b2ba45845ea..5888defe5296 100644 --- a/private/aws-restjson-validation-server/CHANGELOG.md +++ b/private/aws-restjson-validation-server/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-restjson-validation-server + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/private/aws-restjson-validation-server/package.json b/private/aws-restjson-validation-server/package.json index 684d55f775b1..52fe8d4de41a 100644 --- a/private/aws-restjson-validation-server/package.json +++ b/private/aws-restjson-validation-server/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-restjson-validation-server", "description": "@aws-sdk/aws-restjson-validation-server server", - "version": "3.649.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-util-test/CHANGELOG.md b/private/aws-util-test/CHANGELOG.md index 296cdf13d38f..7acd74f978cc 100644 --- a/private/aws-util-test/CHANGELOG.md +++ b/private/aws-util-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/aws-util-test + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/aws-util-test diff --git a/private/aws-util-test/package.json b/private/aws-util-test/package.json index aec0d9adc8fd..c4103d9077df 100644 --- a/private/aws-util-test/package.json +++ b/private/aws-util-test/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/aws-util-test", - "version": "3.650.0", + "version": "3.651.1", "private": true, "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:types'", diff --git a/private/weather-legacy-auth/CHANGELOG.md b/private/weather-legacy-auth/CHANGELOG.md index 874eb5eae952..b35aa54b55e7 100644 --- a/private/weather-legacy-auth/CHANGELOG.md +++ b/private/weather-legacy-auth/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/weather-legacy-auth + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/weather-legacy-auth diff --git a/private/weather-legacy-auth/package.json b/private/weather-legacy-auth/package.json index eca17990f2f3..a0d673c8eb17 100644 --- a/private/weather-legacy-auth/package.json +++ b/private/weather-legacy-auth/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/weather-legacy-auth", "description": "@aws-sdk/weather-legacy-auth client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/weather/CHANGELOG.md b/private/weather/CHANGELOG.md index 03442b38e3a1..1b2de8ad01d0 100644 --- a/private/weather/CHANGELOG.md +++ b/private/weather/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) + +**Note:** Version bump only for package @aws-sdk/weather + + + + + # [3.650.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.649.0...v3.650.0) (2024-09-11) **Note:** Version bump only for package @aws-sdk/weather diff --git a/private/weather/package.json b/private/weather/package.json index 2f173873b9c7..41b9d6d76aff 100644 --- a/private/weather/package.json +++ b/private/weather/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/weather", "description": "@aws-sdk/weather client", - "version": "3.650.0", + "version": "3.651.1", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", From 18d0952e029b6f7a5ca12ad8d92fe774d04b3a88 Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Mon, 16 Sep 2024 07:00:54 -0700 Subject: [PATCH 12/53] chore(deps-dev): bump turbo to v2.1.2 (#6473) --- package.json | 2 +- yarn.lock | 68 ++++++++++++++++++++++++++-------------------------- 2 files changed, 35 insertions(+), 35 deletions(-) diff --git a/package.json b/package.json index 6b3627f647d2..4c2bc74643cb 100644 --- a/package.json +++ b/package.json @@ -117,7 +117,7 @@ "ts-loader": "9.4.2", "ts-mocha": "10.0.0", "ts-node": "10.9.1", - "turbo": "2.0.11", + "turbo": "2.1.2", "typescript": "~4.9.5", "verdaccio": "5.25.0", "webpack": "5.76.0", diff --git a/yarn.lock b/yarn.lock index ac8573cdb851..f3ce1b9aa6d1 100644 --- a/yarn.lock +++ b/yarn.lock @@ -12858,47 +12858,47 @@ tunnel-agent@^0.6.0: dependencies: safe-buffer "^5.0.1" -turbo-darwin-64@2.0.11: - version "2.0.11" - resolved "https://registry.yarnpkg.com/turbo-darwin-64/-/turbo-darwin-64-2.0.11.tgz#9734155718c2980e49d0f69de874c792691dcdc2" - integrity sha512-YlHEEhcm+jI1BSZoLugGHUWDfRXaNaQIv7tGQBfadYjo9kixBnqoTOU6s1ubOrQMID+lizZZQs79GXwqM6vohg== +turbo-darwin-64@2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/turbo-darwin-64/-/turbo-darwin-64-2.1.2.tgz#a694b4db22ab04a2d67b3b2c96fc11780af1c8ee" + integrity sha512-3TEBxHWh99h2yIzkuIigMEOXt/ItYQp0aPiJjPd1xN4oDcsKK5AxiFKPH9pdtfIBzYsY59kQhZiFj0ELnSP7Bw== -turbo-darwin-arm64@2.0.11: - version "2.0.11" - resolved "https://registry.npmjs.org/turbo-darwin-arm64/-/turbo-darwin-arm64-2.0.11.tgz" - integrity sha512-K/YW+hWzRQ/wGmtffxllH4M1tgy8OlwgXODrIiAGzkSpZl9+pIsem/F86UULlhsIeavBYK/LS5+dzV3DPMjJ9w== +turbo-darwin-arm64@2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/turbo-darwin-arm64/-/turbo-darwin-arm64-2.1.2.tgz#5a999ce271b9643cc0e535feb9d77c4b922e6de7" + integrity sha512-he0miWNq2WxJzsH82jS2Z4MXpnkzn9SH8a79iPXiJkq25QREImucscM4RPasXm8wARp91pyysJMq6aasD45CeA== -turbo-linux-64@2.0.11: - version "2.0.11" - resolved "https://registry.yarnpkg.com/turbo-linux-64/-/turbo-linux-64-2.0.11.tgz#c0639719d5d8e1ccf99cdecc0a8a4abe1836b74b" - integrity sha512-mv8CwGP06UPweMh1Vlp6PI6OWnkuibxfIJ4Vlof7xqjohAaZU5FLqeOeHkjQflH/6YrCVuS9wrK0TFOu+meTtA== +turbo-linux-64@2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/turbo-linux-64/-/turbo-linux-64-2.1.2.tgz#18e8c23d4bd8351c161994aef57f3948db3e8036" + integrity sha512-fKUBcc0rK8Vdqv5a/E3CSpMBLG1bzwv+Q0Q83F8fG2ZfNCNKGbcEYABdonNZkkx141Rj03cZQFCgxu3MVEGU+A== -turbo-linux-arm64@2.0.11: - version "2.0.11" - resolved "https://registry.yarnpkg.com/turbo-linux-arm64/-/turbo-linux-arm64-2.0.11.tgz#2fdd73e006f5220ef30c060ea7ecaa3a47589b25" - integrity sha512-wLE5tl4oriTmHbuayc0ki0csaCplmVLj+uCWtecM/mfBuZgNS9ICNM9c4sB+Cfl5tlBBFeepqRNgvRvn8WeVZg== +turbo-linux-arm64@2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/turbo-linux-arm64/-/turbo-linux-arm64-2.1.2.tgz#e6879fd0a9e37d7d4080ba34ef0c32354c08c4e8" + integrity sha512-sV8Bpmm0WiuxgbhxymcC7wSsuxfBBieI98GegSwbr/bs1ANAgzCg93urIrdKdQ3/b31zZxQwcaP4FBF1wx1Qdg== -turbo-windows-64@2.0.11: - version "2.0.11" - resolved "https://registry.yarnpkg.com/turbo-windows-64/-/turbo-windows-64-2.0.11.tgz#5362884c625e1c02736552ec970a86830cb70bfe" - integrity sha512-tja3zvVCSWu3HizOoeQv0qDJ+GeWGWRFOOM6a8i3BYnXLgGKAaDZFcjwzgC50tWiAw4aowIVR4OouwIyRhLBaQ== +turbo-windows-64@2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/turbo-windows-64/-/turbo-windows-64-2.1.2.tgz#be6b8429beba956fabcbda06402fb89d1796aa2e" + integrity sha512-wcmIJZI9ORT9ykHGliFE6kWRQrlH930QGSjSgWC8uFChFFuOyUlvC7ttcxuSvU9VqC7NF4C+GVAcFJQ8lTjN7g== -turbo-windows-arm64@2.0.11: - version "2.0.11" - resolved "https://registry.yarnpkg.com/turbo-windows-arm64/-/turbo-windows-arm64-2.0.11.tgz#4e871f273754018df0ec170908ef29a5ac04af9a" - integrity sha512-sYjXP6k94Bqh99R+y3M1Ks6LRIEZybMz+7enA8GKl6JJ2ZFaXxTnS6q+/2+ii1+rRwxohj5OBb4gxODcF8Jd4w== +turbo-windows-arm64@2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/turbo-windows-arm64/-/turbo-windows-arm64-2.1.2.tgz#8d3fa5e49cd7c54d7af4efe180c608ff1f03ac45" + integrity sha512-zdnXjrhk7YO6CP+Q5wPueEvOCLH4lDa6C4rrwiakcWcPgcQGbVozJlo4uaQ6awo8HLWQEvOwu84RkWTdLAc/Hw== -turbo@2.0.11: - version "2.0.11" - resolved "https://registry.npmjs.org/turbo/-/turbo-2.0.11.tgz" - integrity sha512-imDlFFAvitbCm1JtDFJ6eG882qwxHUmVT2noPb3p2jq5o5DuXOchMbkVS9kUeC3/4WpY5N0GBZ3RvqNyjHZw1Q== +turbo@2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/turbo/-/turbo-2.1.2.tgz#c3b2e533977055458f70cc879c3d2a334a0f2469" + integrity sha512-Jb0rbU4iHEVQ18An/YfakdIv9rKnd3zUfSE117EngrfWXFHo3RndVH96US3GsT8VHpwTncPePDBT2t06PaFLrw== optionalDependencies: - turbo-darwin-64 "2.0.11" - turbo-darwin-arm64 "2.0.11" - turbo-linux-64 "2.0.11" - turbo-linux-arm64 "2.0.11" - turbo-windows-64 "2.0.11" - turbo-windows-arm64 "2.0.11" + turbo-darwin-64 "2.1.2" + turbo-darwin-arm64 "2.1.2" + turbo-linux-64 "2.1.2" + turbo-linux-arm64 "2.1.2" + turbo-windows-64 "2.1.2" + turbo-windows-arm64 "2.1.2" tweetnacl@^0.14.3, tweetnacl@~0.14.0: version "0.14.5" From 3aedc7736998f8c835d8a1c8979cea90bdf3831c Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Mon, 16 Sep 2024 07:30:19 -0700 Subject: [PATCH 13/53] chore: disable turborepo telemetry (#6474) --- scripts/turbo/index.js | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/scripts/turbo/index.js b/scripts/turbo/index.js index 58ef5df98cf6..7747fc2a04be 100644 --- a/scripts/turbo/index.js +++ b/scripts/turbo/index.js @@ -15,7 +15,14 @@ const runTurbo = async (task, args, apiSecret, apiEndpoint) => { command = command.concat(args); const turboRoot = path.join(__dirname, "..", ".."); try { - return await spawnProcess("npx", command, { stdio: "inherit", cwd: turboRoot }); + return await spawnProcess("npx", command, { + stdio: "inherit", + cwd: turboRoot, + env: { + ...process.env, + TURBO_TELEMETRY_DISABLED: "1", + }, + }); } catch (error) { console.error("Error running turbo:", error); if (args?.length > 0) { From 656ddb8f37101208404db1bb06ee1a5646035635 Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:23:01 +0000 Subject: [PATCH 14/53] docs(client-pca-connector-scep): This is a general availability (GA) release of Connector for SCEP, a feature of AWS Private CA. Connector for SCEP links your SCEP-enabled and mobile device management systems to AWS Private CA for digital signature installation and certificate management. --- clients/client-pca-connector-scep/README.md | 6 +----- clients/client-pca-connector-scep/src/PcaConnectorScep.ts | 6 +----- .../client-pca-connector-scep/src/PcaConnectorScepClient.ts | 6 +----- clients/client-pca-connector-scep/src/index.ts | 6 +----- codegen/sdk-codegen/aws-models/pca-connector-scep.json | 2 +- 5 files changed, 5 insertions(+), 21 deletions(-) diff --git a/clients/client-pca-connector-scep/README.md b/clients/client-pca-connector-scep/README.md index b187dc9c6942..6a66b72da5b1 100644 --- a/clients/client-pca-connector-scep/README.md +++ b/clients/client-pca-connector-scep/README.md @@ -6,11 +6,7 @@ AWS SDK for JavaScript PcaConnectorScep Client for Node.js, Browser and React Native. - -

Connector for SCEP (Preview) is in preview release for Amazon Web Services Private Certificate Authority and is subject to change.

-
-

Connector for SCEP (Preview) creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more -information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

+

Connector for SCEP creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

## Installing diff --git a/clients/client-pca-connector-scep/src/PcaConnectorScep.ts b/clients/client-pca-connector-scep/src/PcaConnectorScep.ts index 5b91ff40f6ea..b4324775b25a 100644 --- a/clients/client-pca-connector-scep/src/PcaConnectorScep.ts +++ b/clients/client-pca-connector-scep/src/PcaConnectorScep.ts @@ -250,11 +250,7 @@ export interface PcaConnectorScep { } /** - * - *

Connector for SCEP (Preview) is in preview release for Amazon Web Services Private Certificate Authority and is subject to change.

- *
- *

Connector for SCEP (Preview) creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more - * information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

+ *

Connector for SCEP creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

* @public */ export class PcaConnectorScep extends PcaConnectorScepClient implements PcaConnectorScep {} diff --git a/clients/client-pca-connector-scep/src/PcaConnectorScepClient.ts b/clients/client-pca-connector-scep/src/PcaConnectorScepClient.ts index 382e5bec7451..3612422621f7 100644 --- a/clients/client-pca-connector-scep/src/PcaConnectorScepClient.ts +++ b/clients/client-pca-connector-scep/src/PcaConnectorScepClient.ts @@ -294,11 +294,7 @@ export type PcaConnectorScepClientResolvedConfigType = __SmithyResolvedConfigura export interface PcaConnectorScepClientResolvedConfig extends PcaConnectorScepClientResolvedConfigType {} /** - * - *

Connector for SCEP (Preview) is in preview release for Amazon Web Services Private Certificate Authority and is subject to change.

- *
- *

Connector for SCEP (Preview) creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more - * information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

+ *

Connector for SCEP creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

* @public */ export class PcaConnectorScepClient extends __Client< diff --git a/clients/client-pca-connector-scep/src/index.ts b/clients/client-pca-connector-scep/src/index.ts index dd507da3146b..1289cf331927 100644 --- a/clients/client-pca-connector-scep/src/index.ts +++ b/clients/client-pca-connector-scep/src/index.ts @@ -1,11 +1,7 @@ // smithy-typescript generated code /* eslint-disable */ /** - * - *

Connector for SCEP (Preview) is in preview release for Amazon Web Services Private Certificate Authority and is subject to change.

- *
- *

Connector for SCEP (Preview) creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more - * information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

+ *

Connector for SCEP creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

* * @packageDocumentation */ diff --git a/codegen/sdk-codegen/aws-models/pca-connector-scep.json b/codegen/sdk-codegen/aws-models/pca-connector-scep.json index 81fed90c456a..1d95eeb72374 100644 --- a/codegen/sdk-codegen/aws-models/pca-connector-scep.json +++ b/codegen/sdk-codegen/aws-models/pca-connector-scep.json @@ -1364,7 +1364,7 @@ "additionalExposedHeaders": ["x-amzn-errortype", "x-amzn-requestid", "x-amzn-trace-id"], "maxAge": 86400 }, - "smithy.api#documentation": "\n

Connector for SCEP (Preview) is in preview release for Amazon Web Services Private Certificate Authority and is subject to change.

\n
\n

Connector for SCEP (Preview) creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more\n information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

", + "smithy.api#documentation": "

Connector for SCEP creates a connector between Amazon Web Services Private CA and your SCEP-enabled clients and devices. For more information, see Connector for SCEP in the Amazon Web Services Private CA User Guide.

", "smithy.api#title": "Private CA Connector for SCEP", "smithy.rules#endpointRuleSet": { "version": "1.0", From fe9c0ea9e9c2ef1795cad7cd1342c090d378bfd9 Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:23:01 +0000 Subject: [PATCH 15/53] feat(client-rds): Launching Global Cluster tagging. --- .../commands/CreateGlobalClusterCommand.ts | 12 +++ .../commands/DeleteGlobalClusterCommand.ts | 6 ++ .../commands/DescribeGlobalClustersCommand.ts | 6 ++ .../commands/FailoverGlobalClusterCommand.ts | 6 ++ .../commands/ListTagsForResourceCommand.ts | 4 +- .../commands/ModifyGlobalClusterCommand.ts | 6 ++ .../RemoveFromGlobalClusterCommand.ts | 6 ++ .../commands/RemoveTagsFromResourceCommand.ts | 5 +- .../SwitchoverGlobalClusterCommand.ts | 6 ++ clients/client-rds/src/models/models_0.ts | 83 +++++-------------- clients/client-rds/src/protocols/Aws_query.ts | 15 ++++ codegen/sdk-codegen/aws-models/rds.json | 17 +++- 12 files changed, 101 insertions(+), 71 deletions(-) diff --git a/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts b/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts index 7f8138b15d9b..2917ed849b5b 100644 --- a/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts @@ -56,6 +56,12 @@ export interface CreateGlobalClusterCommandOutput extends CreateGlobalClusterRes * DeletionProtection: true || false, * DatabaseName: "STRING_VALUE", * StorageEncrypted: true || false, + * Tags: [ // TagList + * { // Tag + * Key: "STRING_VALUE", + * Value: "STRING_VALUE", + * }, + * ], * }; * const command = new CreateGlobalClusterCommand(input); * const response = await client.send(command); @@ -88,6 +94,12 @@ export interface CreateGlobalClusterCommandOutput extends CreateGlobalClusterRes * // ToDbClusterArn: "STRING_VALUE", * // IsDataLossAllowed: true || false, * // }, + * // TagList: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", + * // Value: "STRING_VALUE", + * // }, + * // ], * // }, * // }; * diff --git a/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts b/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts index 56969a99b501..4fee179177cf 100644 --- a/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts @@ -73,6 +73,12 @@ export interface DeleteGlobalClusterCommandOutput extends DeleteGlobalClusterRes * // ToDbClusterArn: "STRING_VALUE", * // IsDataLossAllowed: true || false, * // }, + * // TagList: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", + * // Value: "STRING_VALUE", + * // }, + * // ], * // }, * // }; * diff --git a/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts b/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts index 1c1fadac8922..2b9e5fcf7dac 100644 --- a/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts +++ b/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts @@ -86,6 +86,12 @@ export interface DescribeGlobalClustersCommandOutput extends GlobalClustersMessa * // ToDbClusterArn: "STRING_VALUE", * // IsDataLossAllowed: true || false, * // }, + * // TagList: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", + * // Value: "STRING_VALUE", + * // }, + * // ], * // }, * // ], * // }; diff --git a/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts b/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts index cfac2c607685..634e60ebf32e 100644 --- a/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts @@ -107,6 +107,12 @@ export interface FailoverGlobalClusterCommandOutput extends FailoverGlobalCluste * // ToDbClusterArn: "STRING_VALUE", * // IsDataLossAllowed: true || false, * // }, + * // TagList: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", + * // Value: "STRING_VALUE", + * // }, + * // ], * // }, * // }; * diff --git a/clients/client-rds/src/commands/ListTagsForResourceCommand.ts b/clients/client-rds/src/commands/ListTagsForResourceCommand.ts index 97b3d63c4aed..0609036e0800 100644 --- a/clients/client-rds/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-rds/src/commands/ListTagsForResourceCommand.ts @@ -30,8 +30,8 @@ export interface ListTagsForResourceCommandOutput extends TagListMessage, __Meta /** *

Lists all tags on an Amazon RDS resource.

*

For an overview on tagging an Amazon RDS resource, - * see Tagging Amazon RDS Resources - * in the Amazon RDS User Guide.

+ * see Tagging Amazon RDS Resources in the Amazon RDS User Guide + * or Tagging Amazon Aurora and Amazon RDS Resources in the Amazon Aurora User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts b/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts index 3d5cd994f76c..cc93437320d6 100644 --- a/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts @@ -79,6 +79,12 @@ export interface ModifyGlobalClusterCommandOutput extends ModifyGlobalClusterRes * // ToDbClusterArn: "STRING_VALUE", * // IsDataLossAllowed: true || false, * // }, + * // TagList: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", + * // Value: "STRING_VALUE", + * // }, + * // ], * // }, * // }; * diff --git a/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts b/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts index d0fb6d8ea0cf..b976f6e6f60e 100644 --- a/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts @@ -75,6 +75,12 @@ export interface RemoveFromGlobalClusterCommandOutput extends RemoveFromGlobalCl * // ToDbClusterArn: "STRING_VALUE", * // IsDataLossAllowed: true || false, * // }, + * // TagList: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", + * // Value: "STRING_VALUE", + * // }, + * // ], * // }, * // }; * diff --git a/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts index 55df2edcaa84..add7f8ad4efa 100644 --- a/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts @@ -30,9 +30,8 @@ export interface RemoveTagsFromResourceCommandOutput extends __MetadataBearer {} /** *

Removes metadata tags from an Amazon RDS resource.

*

For an overview on tagging an Amazon RDS resource, - * see Tagging Amazon RDS Resources - * in the Amazon RDS User Guide. - *

+ * see Tagging Amazon RDS Resources in the Amazon RDS User Guide + * or Tagging Amazon Aurora and Amazon RDS Resources in the Amazon Aurora User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts b/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts index be502241462a..592bf045429d 100644 --- a/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts @@ -80,6 +80,12 @@ export interface SwitchoverGlobalClusterCommandOutput extends SwitchoverGlobalCl * // ToDbClusterArn: "STRING_VALUE", * // IsDataLossAllowed: true || false, * // }, + * // TagList: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", + * // Value: "STRING_VALUE", + * // }, + * // ], * // }, * // }; * diff --git a/clients/client-rds/src/models/models_0.ts b/clients/client-rds/src/models/models_0.ts index 851941cad241..3140a30f72e6 100644 --- a/clients/client-rds/src/models/models_0.ts +++ b/clients/client-rds/src/models/models_0.ts @@ -771,37 +771,9 @@ export interface ApplyPendingMaintenanceActionMessage { /** *

The pending maintenance action to apply to this resource.

- *

Valid Values:

- *
    - *
  • - *

    - * ca-certificate-rotation - *

    - *
  • - *
  • - *

    - * db-upgrade - *

    - *
  • - *
  • - *

    - * hardware-maintenance - *

    - *
  • - *
  • - *

    - * os-upgrade - *

    - *
  • - *
  • - *

    - * system-update - *

    - *
  • - *
- *

For more information about these actions, see - * Maintenance actions for Amazon Aurora or - * Maintenance actions for Amazon RDS.

+ *

Valid Values: system-update, db-upgrade, + * hardware-maintenance, ca-certificate-rotation + *

* @public */ ApplyAction: string | undefined; @@ -839,37 +811,8 @@ export interface PendingMaintenanceAction { /** *

The type of pending maintenance action that is available for the resource.

*

For more information about maintenance actions, see Maintaining a DB instance.

- *

Valid Values:

- *
    - *
  • - *

    - * ca-certificate-rotation - *

    - *
  • - *
  • - *

    - * db-upgrade - *

    - *
  • - *
  • - *

    - * hardware-maintenance - *

    - *
  • - *
  • - *

    - * os-upgrade - *

    - *
  • - *
  • - *

    - * system-update - *

    - *
  • - *
- *

For more information about these actions, see - * Maintenance actions for Amazon Aurora or - * Maintenance actions for Amazon RDS.

+ *

Valid Values: system-update | db-upgrade | hardware-maintenance | ca-certificate-rotation + *

* @public */ Action?: string; @@ -12237,6 +12180,12 @@ export interface CreateGlobalClusterMessage { * @public */ StorageEncrypted?: boolean; + + /** + *

Tags to assign to the global cluster.

+ * @public + */ + Tags?: Tag[]; } /** @@ -12442,6 +12391,16 @@ export interface GlobalCluster { * @public */ FailoverState?: FailoverState; + + /** + *

A list of tags.

+ *

For more information, see + * Tagging Amazon RDS resources in the Amazon RDS User Guide or + * Tagging Amazon Aurora and Amazon RDS resources in the Amazon Aurora User Guide. + *

+ * @public + */ + TagList?: Tag[]; } /** diff --git a/clients/client-rds/src/protocols/Aws_query.ts b/clients/client-rds/src/protocols/Aws_query.ts index b9e5baaa3485..f24cca9ee451 100644 --- a/clients/client-rds/src/protocols/Aws_query.ts +++ b/clients/client-rds/src/protocols/Aws_query.ts @@ -11385,6 +11385,16 @@ const se_CreateGlobalClusterMessage = (input: CreateGlobalClusterMessage, contex if (input[_SE] != null) { entries[_SE] = input[_SE]; } + if (input[_T] != null) { + const memberEntries = se_TagList(input[_T], context); + if (input[_T]?.length === 0) { + entries.Tags = []; + } + Object.entries(memberEntries).forEach(([key, value]) => { + const loc = `Tags.${key}`; + entries[loc] = value; + }); + } return entries; }; @@ -21289,6 +21299,11 @@ const de_GlobalCluster = (output: any, context: __SerdeContext): GlobalCluster = if (output[_FSa] != null) { contents[_FSa] = de_FailoverState(output[_FSa], context); } + if (output.TagList === "") { + contents[_TL] = []; + } else if (output[_TL] != null && output[_TL][_Tag] != null) { + contents[_TL] = de_TagList(__getArrayIfSingleItem(output[_TL][_Tag]), context); + } return contents; }; diff --git a/codegen/sdk-codegen/aws-models/rds.json b/codegen/sdk-codegen/aws-models/rds.json index 880572f2c822..b81993c16284 100644 --- a/codegen/sdk-codegen/aws-models/rds.json +++ b/codegen/sdk-codegen/aws-models/rds.json @@ -2075,7 +2075,7 @@ "target": "com.amazonaws.rds#String", "traits": { "smithy.api#clientOptional": {}, - "smithy.api#documentation": "

The pending maintenance action to apply to this resource.

\n

Valid Values:

\n
    \n
  • \n

    \n ca-certificate-rotation\n

    \n
  • \n
  • \n

    \n db-upgrade\n

    \n
  • \n
  • \n

    \n hardware-maintenance\n

    \n
  • \n
  • \n

    \n os-upgrade\n

    \n
  • \n
  • \n

    \n system-update\n

    \n
  • \n
\n

For more information about these actions, see \n Maintenance actions for Amazon Aurora or \n Maintenance actions for Amazon RDS.

", + "smithy.api#documentation": "

The pending maintenance action to apply to this resource.

\n

Valid Values: system-update, db-upgrade, \n hardware-maintenance, ca-certificate-rotation\n

", "smithy.api#required": {} } }, @@ -6565,6 +6565,12 @@ "traits": { "smithy.api#documentation": "

Specifies whether to enable storage encryption for the new global database cluster.

\n

Constraints:

\n
    \n
  • \n

    Can't be specified if SourceDBClusterIdentifier is specified. In this case, Amazon Aurora uses the setting from the source DB cluster.

    \n
  • \n
" } + }, + "Tags": { + "target": "com.amazonaws.rds#TagList", + "traits": { + "smithy.api#documentation": "

Tags to assign to the global cluster.

" + } } }, "traits": { @@ -19376,6 +19382,9 @@ "traits": { "smithy.api#documentation": "

A data object containing all properties for the current state of an in-process or pending switchover or failover process for this global cluster (Aurora global database).\n This object is empty unless the SwitchoverGlobalCluster or FailoverGlobalCluster operation was called on this global cluster.

" } + }, + "TagList": { + "target": "com.amazonaws.rds#TagList" } }, "traits": { @@ -20670,7 +20679,7 @@ } ], "traits": { - "smithy.api#documentation": "

Lists all tags on an Amazon RDS resource.

\n

For an overview on tagging an Amazon RDS resource, \n see Tagging Amazon RDS Resources \n in the Amazon RDS User Guide.

", + "smithy.api#documentation": "

Lists all tags on an Amazon RDS resource.

\n

For an overview on tagging an Amazon RDS resource, \n see Tagging Amazon RDS Resources in the Amazon RDS User Guide\n or Tagging Amazon Aurora and Amazon RDS Resources in the Amazon Aurora User Guide.

", "smithy.api#examples": [ { "title": "To list tags on an Amazon RDS resource", @@ -24594,7 +24603,7 @@ "Action": { "target": "com.amazonaws.rds#String", "traits": { - "smithy.api#documentation": "

The type of pending maintenance action that is available for the resource.

\n

For more information about maintenance actions, see Maintaining a DB instance.

\n

Valid Values:

\n
    \n
  • \n

    \n ca-certificate-rotation\n

    \n
  • \n
  • \n

    \n db-upgrade\n

    \n
  • \n
  • \n

    \n hardware-maintenance\n

    \n
  • \n
  • \n

    \n os-upgrade\n

    \n
  • \n
  • \n

    \n system-update\n

    \n
  • \n
\n

For more information about these actions, see \n Maintenance actions for Amazon Aurora or \n Maintenance actions for Amazon RDS.

" + "smithy.api#documentation": "

The type of pending maintenance action that is available for the resource.

\n

For more information about maintenance actions, see Maintaining a DB instance.

\n

Valid Values: system-update | db-upgrade | hardware-maintenance | ca-certificate-rotation\n

" } }, "AutoAppliedAfterDate": { @@ -26012,7 +26021,7 @@ } ], "traits": { - "smithy.api#documentation": "

Removes metadata tags from an Amazon RDS resource.

\n

For an overview on tagging an Amazon RDS resource, \n see Tagging Amazon RDS Resources \n in the Amazon RDS User Guide.\n

", + "smithy.api#documentation": "

Removes metadata tags from an Amazon RDS resource.

\n

For an overview on tagging an Amazon RDS resource, \n see Tagging Amazon RDS Resources in the Amazon RDS User Guide\n or Tagging Amazon Aurora and Amazon RDS Resources in the Amazon Aurora User Guide.

", "smithy.api#examples": [ { "title": "To remove tags from a resource", From 5c1f071a09edd5726fdb353c79494ae237592603 Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:23:01 +0000 Subject: [PATCH 16/53] docs(client-organizations): Doc only update for AWS Organizations that fixes several customer-reported issues --- .../src/commands/AttachPolicyCommand.ts | 5 ++--- .../src/commands/CloseAccountCommand.ts | 9 ++++----- .../src/commands/CreateAccountCommand.ts | 10 ++++------ .../src/commands/CreateGovCloudAccountCommand.ts | 5 ++--- .../src/commands/CreateOrganizationCommand.ts | 5 ++--- .../commands/CreateOrganizationalUnitCommand.ts | 5 ++--- .../src/commands/CreatePolicyCommand.ts | 5 ++--- .../src/commands/DeleteResourcePolicyCommand.ts | 5 ++--- .../DeregisterDelegatedAdministratorCommand.ts | 5 ++--- .../commands/DescribeEffectivePolicyCommand.ts | 5 ++--- .../commands/DescribeResourcePolicyCommand.ts | 5 ++--- .../src/commands/DetachPolicyCommand.ts | 5 ++--- .../commands/DisableAWSServiceAccessCommand.ts | 5 ++--- .../src/commands/DisablePolicyTypeCommand.ts | 5 ++--- .../commands/EnableAWSServiceAccessCommand.ts | 16 ++++++++-------- .../src/commands/EnablePolicyTypeCommand.ts | 5 ++--- .../InviteAccountToOrganizationCommand.ts | 5 ++--- .../src/commands/LeaveOrganizationCommand.ts | 9 ++++----- ...ListAWSServiceAccessForOrganizationCommand.ts | 5 ++--- .../ListDelegatedAdministratorsCommand.ts | 5 ++--- .../ListDelegatedServicesForAccountCommand.ts | 5 ++--- .../src/commands/PutResourcePolicyCommand.ts | 5 ++--- .../RegisterDelegatedAdministratorCommand.ts | 5 ++--- .../RemoveAccountFromOrganizationCommand.ts | 5 ++--- .../src/commands/TagResourceCommand.ts | 5 ++--- .../src/commands/UntagResourceCommand.ts | 5 ++--- .../src/commands/UpdatePolicyCommand.ts | 5 ++--- .../client-organizations/src/models/models_0.ts | 8 ++++---- .../sdk-codegen/aws-models/organizations.json | 14 +++++++------- 29 files changed, 77 insertions(+), 104 deletions(-) diff --git a/clients/client-organizations/src/commands/AttachPolicyCommand.ts b/clients/client-organizations/src/commands/AttachPolicyCommand.ts index 42b3c0442087..28f03001a94c 100644 --- a/clients/client-organizations/src/commands/AttachPolicyCommand.ts +++ b/clients/client-organizations/src/commands/AttachPolicyCommand.ts @@ -281,9 +281,8 @@ export interface AttachPolicyCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

* *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/CloseAccountCommand.ts b/clients/client-organizations/src/commands/CloseAccountCommand.ts index 0ede30a115d1..369b50c168f2 100644 --- a/clients/client-organizations/src/commands/CloseAccountCommand.ts +++ b/clients/client-organizations/src/commands/CloseAccountCommand.ts @@ -57,10 +57,10 @@ export interface CloseAccountCommandOutput extends __MetadataBearer {} *
  • *

    You can close only 10% of member accounts, between 10 and 1000, within a * rolling 30 day period. This quota is not bound by a calendar month, but - * starts when you close an account. After you reach this limit, you can close + * starts when you close an account. After you reach this limit, you can't close * additional accounts. For more information, see Closing a member * account in your organization and Quotas for - * Organizationsin the Organizations User Guide.

    + * Organizations in the Organizations User Guide.

    *
  • *
  • *

    To reinstate a closed account, contact Amazon Web Services Support within the 90-day @@ -312,9 +312,8 @@ export interface CloseAccountCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

    *
  • *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/CreateAccountCommand.ts b/clients/client-organizations/src/commands/CreateAccountCommand.ts index a3289cf772b9..b4158217130e 100644 --- a/clients/client-organizations/src/commands/CreateAccountCommand.ts +++ b/clients/client-organizations/src/commands/CreateAccountCommand.ts @@ -87,9 +87,8 @@ export interface CreateAccountCommandOutput extends CreateAccountResponse, __Met * If the error persists, contact Amazon Web Services Support.

    * *
  • - *

    Using CreateAccount to create multiple temporary accounts - * isn't recommended. You can only close an account from the Billing and Cost Management console, and - * you must be signed in as the root user. For information on the requirements + *

    It isn't recommended to use CreateAccount to create multiple temporary accounts, and using + * the CreateAccount API to close accounts is subject to a 30-day usage quota. For information on the requirements * and process for closing an account, see Closing a member * account in your organization in the * Organizations User Guide.

    @@ -351,9 +350,8 @@ export interface CreateAccountCommandOutput extends CreateAccountResponse, __Met * that are not compliant with the tag policy requirements for this account.

    *
  • *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts b/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts index 29df999ce59f..89a9d13ec49b 100644 --- a/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts +++ b/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts @@ -404,9 +404,8 @@ export interface CreateGovCloudAccountCommandOutput extends CreateGovCloudAccoun * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/CreateOrganizationCommand.ts b/clients/client-organizations/src/commands/CreateOrganizationCommand.ts index 2aec053a3d3a..9be2f0a1cd74 100644 --- a/clients/client-organizations/src/commands/CreateOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/CreateOrganizationCommand.ts @@ -289,9 +289,8 @@ export interface CreateOrganizationCommandOutput extends CreateOrganizationRespo * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts b/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts index 92008db0ecfa..66411eb7d07b 100644 --- a/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts +++ b/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts @@ -276,9 +276,8 @@ export interface CreateOrganizationalUnitCommandOutput extends CreateOrganizatio * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/CreatePolicyCommand.ts b/clients/client-organizations/src/commands/CreatePolicyCommand.ts index 95feed8a55e6..1f5ce51b9dbc 100644 --- a/clients/client-organizations/src/commands/CreatePolicyCommand.ts +++ b/clients/client-organizations/src/commands/CreatePolicyCommand.ts @@ -282,9 +282,8 @@ export interface CreatePolicyCommandOutput extends CreatePolicyResponse, __Metad * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts index ba9cd02a08ee..2b67ba88e926 100644 --- a/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts @@ -252,9 +252,8 @@ export interface DeleteResourcePolicyCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts b/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts index c3b1cb9d0319..2e8f45429fd0 100644 --- a/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts +++ b/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts @@ -279,9 +279,8 @@ export interface DeregisterDelegatedAdministratorCommandOutput extends __Metadat * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts b/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts index 21e4942a1bf7..e351b8559d9a 100644 --- a/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts @@ -267,9 +267,8 @@ export interface DescribeEffectivePolicyCommandOutput extends DescribeEffectiveP * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts b/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts index 4bdefb39bdf9..028290f1cf08 100644 --- a/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts @@ -258,9 +258,8 @@ export interface DescribeResourcePolicyCommandOutput extends DescribeResourcePol * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/DetachPolicyCommand.ts b/clients/client-organizations/src/commands/DetachPolicyCommand.ts index e3f68d7071d5..3d3819c7abd1 100644 --- a/clients/client-organizations/src/commands/DetachPolicyCommand.ts +++ b/clients/client-organizations/src/commands/DetachPolicyCommand.ts @@ -270,9 +270,8 @@ export interface DetachPolicyCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts b/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts index a8fd38f4e04d..cdd5b4c1ac9b 100644 --- a/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts +++ b/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts @@ -308,9 +308,8 @@ export interface DisableAWSServiceAccessCommandOutput extends __MetadataBearer { * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts b/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts index 3142a0f0e21b..4c9996248e71 100644 --- a/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts +++ b/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts @@ -278,9 +278,8 @@ export interface DisablePolicyTypeCommandOutput extends DisablePolicyTypeRespons * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts b/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts index a633a1f56782..8b6e97c170d1 100644 --- a/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts +++ b/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts @@ -28,11 +28,12 @@ export interface EnableAWSServiceAccessCommandInput extends EnableAWSServiceAcce export interface EnableAWSServiceAccessCommandOutput extends __MetadataBearer {} /** - *

    Enables the integration of an Amazon Web Services service (the service that is specified by - * ServicePrincipal) with Organizations. When you enable integration, you allow - * the specified service to create a service-linked role in - * all the accounts in your organization. This allows the service to perform operations on - * your behalf in your organization and its accounts.

    + *

    Provides an Amazon Web Services service (the service that is specified by + * ServicePrincipal) with permissions to view the structure of an organization, + * create a service-linked role in all the accounts in the organization, + * and allow the service to perform operations + * on behalf of the organization and its accounts. Establishing these permissions can be a first step + * in enabling the integration of an Amazon Web Services service with Organizations.

    * *

    We recommend that you enable integration between Organizations and the specified Amazon Web Services * service by using the console or commands that are provided by the specified service. @@ -272,9 +273,8 @@ export interface EnableAWSServiceAccessCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts b/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts index 9978bc45d73c..ac9efc3a337a 100644 --- a/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts +++ b/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts @@ -278,9 +278,8 @@ export interface EnablePolicyTypeCommandOutput extends EnablePolicyTypeResponse, * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts b/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts index c838f366ecbc..625a45e6158f 100644 --- a/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts @@ -330,9 +330,8 @@ export interface InviteAccountToOrganizationCommandOutput * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts b/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts index 2d44074e4419..6c59cd2d477a 100644 --- a/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts @@ -84,8 +84,8 @@ export interface LeaveOrganizationCommandOutput extends __MetadataBearer {} * *
  • *

    A newly created account has a waiting period before it can be removed from - * its organization. If you get an error that indicates that a wait period is - * required, then try again in a few days.

    + * its organization. + * You must wait until at least seven days after the account was created. Invited accounts aren't subject to this waiting period.

    *
  • *
  • *

    If you are using an organization principal to call @@ -322,9 +322,8 @@ export interface LeaveOrganizationCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

    *
  • *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts b/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts index da74daede324..a4c7b853be44 100644 --- a/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts @@ -274,9 +274,8 @@ export interface ListAWSServiceAccessForOrganizationCommandOutput * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts b/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts index 2922afe9a153..34c6047a4939 100644 --- a/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts +++ b/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts @@ -275,9 +275,8 @@ export interface ListDelegatedAdministratorsCommandOutput * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts b/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts index 9aaf169c36ab..14630138dd29 100644 --- a/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts +++ b/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts @@ -276,9 +276,8 @@ export interface ListDelegatedServicesForAccountCommandOutput * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts b/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts index 04650f7fc582..2bf5d559cda9 100644 --- a/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts @@ -269,9 +269,8 @@ export interface PutResourcePolicyCommandOutput extends PutResourcePolicyRespons * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts b/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts index a2bd62d5da96..8ee9b273ab1b 100644 --- a/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts +++ b/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts @@ -275,9 +275,8 @@ export interface RegisterDelegatedAdministratorCommandOutput extends __MetadataB * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts b/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts index b23cbfee60a5..a1e1e3df32d5 100644 --- a/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts @@ -292,9 +292,8 @@ export interface RemoveAccountFromOrganizationCommandOutput extends __MetadataBe * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/TagResourceCommand.ts b/clients/client-organizations/src/commands/TagResourceCommand.ts index 2fef789dfda3..2bc8058df372 100644 --- a/clients/client-organizations/src/commands/TagResourceCommand.ts +++ b/clients/client-organizations/src/commands/TagResourceCommand.ts @@ -277,9 +277,8 @@ export interface TagResourceCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/UntagResourceCommand.ts b/clients/client-organizations/src/commands/UntagResourceCommand.ts index e84386f9ec52..49294b68da55 100644 --- a/clients/client-organizations/src/commands/UntagResourceCommand.ts +++ b/clients/client-organizations/src/commands/UntagResourceCommand.ts @@ -274,9 +274,8 @@ export interface UntagResourceCommandOutput extends __MetadataBearer {} * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/commands/UpdatePolicyCommand.ts b/clients/client-organizations/src/commands/UpdatePolicyCommand.ts index 7affe2fec43c..f3b8abd93d7f 100644 --- a/clients/client-organizations/src/commands/UpdatePolicyCommand.ts +++ b/clients/client-organizations/src/commands/UpdatePolicyCommand.ts @@ -273,9 +273,8 @@ export interface UpdatePolicyCommandOutput extends UpdatePolicyResponse, __Metad * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * diff --git a/clients/client-organizations/src/models/models_0.ts b/clients/client-organizations/src/models/models_0.ts index cd0357dcad06..2e609828fbe6 100644 --- a/clients/client-organizations/src/models/models_0.ts +++ b/clients/client-organizations/src/models/models_0.ts @@ -1113,9 +1113,8 @@ export type ConstraintViolationExceptionReason = * that are not compliant with the tag policy requirements for this account.

    * *
  • - *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting - * period before you can remove it from the organization. If you get an error that - * indicates that a wait period is required, try again in a few days.

    + *

    WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created. + * Invited accounts aren't subject to this waiting period.

    *
  • * * @public @@ -2766,7 +2765,8 @@ export interface DescribeOrganizationResponse { * *

    The AvailablePolicyTypes part of the response is deprecated, and you * shouldn't use it in your apps. It doesn't include any policy type supported by Organizations - * other than SCPs. To determine which policy types are enabled in your organization, + * other than SCPs. In the China (Ningxia) Region, no policy type is included. + * To determine which policy types are enabled in your organization, * use the * ListRoots * operation.

    diff --git a/codegen/sdk-codegen/aws-models/organizations.json b/codegen/sdk-codegen/aws-models/organizations.json index 289ea819c9cd..94e1eae5f93d 100644 --- a/codegen/sdk-codegen/aws-models/organizations.json +++ b/codegen/sdk-codegen/aws-models/organizations.json @@ -2128,7 +2128,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Closes an Amazon Web Services member account within an organization. You can close an account when\n all\n features are enabled . You can't close the management account with this API.\n This is an asynchronous request that Amazon Web Services performs in the background. Because\n CloseAccount operates asynchronously, it can return a successful\n completion message even though account closure might still be in progress. You need to\n wait a few minutes before the account is fully closed. To check the status of the\n request, do one of the following:

    \n
      \n
    • \n

      Use the AccountId that you sent in the CloseAccount\n request to provide as a parameter to the DescribeAccount\n operation.

      \n

      While the close account request is in progress, Account status will indicate\n PENDING_CLOSURE. When the close account request completes, the status will\n change to SUSPENDED.

      \n
    • \n
    • \n

      Check the CloudTrail log for the CloseAccountResult event that gets\n published after the account closes successfully. For information on using CloudTrail\n with Organizations, see Logging and monitoring in Organizations in the\n Organizations User Guide.

      \n
    • \n
    \n \n
      \n
    • \n

      You can close only 10% of member accounts, between 10 and 1000, within a\n rolling 30 day period. This quota is not bound by a calendar month, but\n starts when you close an account. After you reach this limit, you can close\n additional accounts. For more information, see Closing a member\n account in your organization and Quotas for\n Organizationsin the Organizations User Guide.

      \n
    • \n
    • \n

      To reinstate a closed account, contact Amazon Web Services Support within the 90-day\n grace period while the account is in SUSPENDED status.

      \n
    • \n
    • \n

      If the Amazon Web Services account you attempt to close is linked to an Amazon Web Services GovCloud\n (US) account, the CloseAccount request will close both\n accounts. To learn important pre-closure details, see \n Closing an Amazon Web Services GovCloud (US) account in the \n Amazon Web Services GovCloud User Guide.

      \n
    • \n
    \n
    " + "smithy.api#documentation": "

    Closes an Amazon Web Services member account within an organization. You can close an account when\n all\n features are enabled . You can't close the management account with this API.\n This is an asynchronous request that Amazon Web Services performs in the background. Because\n CloseAccount operates asynchronously, it can return a successful\n completion message even though account closure might still be in progress. You need to\n wait a few minutes before the account is fully closed. To check the status of the\n request, do one of the following:

    \n
      \n
    • \n

      Use the AccountId that you sent in the CloseAccount\n request to provide as a parameter to the DescribeAccount\n operation.

      \n

      While the close account request is in progress, Account status will indicate\n PENDING_CLOSURE. When the close account request completes, the status will\n change to SUSPENDED.

      \n
    • \n
    • \n

      Check the CloudTrail log for the CloseAccountResult event that gets\n published after the account closes successfully. For information on using CloudTrail\n with Organizations, see Logging and monitoring in Organizations in the\n Organizations User Guide.

      \n
    • \n
    \n \n
      \n
    • \n

      You can close only 10% of member accounts, between 10 and 1000, within a\n rolling 30 day period. This quota is not bound by a calendar month, but\n starts when you close an account. After you reach this limit, you can't close\n additional accounts. For more information, see Closing a member\n account in your organization and Quotas for\n Organizations in the Organizations User Guide.

      \n
    • \n
    • \n

      To reinstate a closed account, contact Amazon Web Services Support within the 90-day\n grace period while the account is in SUSPENDED status.

      \n
    • \n
    • \n

      If the Amazon Web Services account you attempt to close is linked to an Amazon Web Services GovCloud\n (US) account, the CloseAccount request will close both\n accounts. To learn important pre-closure details, see \n Closing an Amazon Web Services GovCloud (US) account in the \n Amazon Web Services GovCloud User Guide.

      \n
    • \n
    \n
    " } }, "com.amazonaws.organizations#CloseAccountRequest": { @@ -2183,7 +2183,7 @@ } }, "traits": { - "smithy.api#documentation": "

    Performing this operation violates a minimum or maximum value limit. For example,\n attempting to remove the last service control policy (SCP) from an OU or root, inviting\n or creating too many accounts to the organization, or attaching too many policies to an\n account, OU, or root. This exception includes a reason that contains additional\n information about the violated limit:

    \n \n

    Some of the reasons in the following list might not be applicable to this specific\n API or operation.

    \n
    \n
      \n
    • \n

      ACCOUNT_CANNOT_LEAVE_ORGANIZATION: You attempted to remove the management\n account from the organization. You can't remove the management account. Instead,\n after you remove all member accounts, delete the organization itself.

      \n
    • \n
    • \n

      ACCOUNT_CANNOT_LEAVE_WITHOUT_PHONE_VERIFICATION: You attempted to remove an\n account from the organization that doesn't yet have enough information to exist\n as a standalone account. This account requires you to first complete phone\n verification. Follow the steps at Removing a member account from your organization in the\n Organizations User Guide.

      \n
    • \n
    • \n

      ACCOUNT_CREATION_RATE_LIMIT_EXCEEDED: You attempted to exceed the number of\n accounts that you can create in one day.

      \n
    • \n
    • \n

      ACCOUNT_CREATION_NOT_COMPLETE: Your account setup isn't complete or your\n account isn't fully active. You must complete the account setup before you\n create an organization.

      \n
    • \n
    • \n

      ACCOUNT_NUMBER_LIMIT_EXCEEDED: You attempted to exceed the limit on the number\n of accounts in an organization. If you need more accounts, contact Amazon Web Services Support to\n request an increase in your limit.

      \n

      Or the number of invitations that you tried to send would cause you to exceed\n the limit of accounts in your organization. Send fewer invitations or contact\n Amazon Web Services Support to request an increase in the number of accounts.

      \n \n

      Deleted and closed accounts still count toward your limit.

      \n
      \n \n

      If you get this exception when running a command immediately after\n creating the organization, wait one hour and try again. After an hour, if\n the command continues to fail with this error, contact Amazon Web Services Support.

      \n
      \n
    • \n
    • \n

      CANNOT_REGISTER_SUSPENDED_ACCOUNT_AS_DELEGATED_ADMINISTRATOR: You cannot\n register a suspended account as a delegated administrator.

      \n
    • \n
    • \n

      CANNOT_REGISTER_MASTER_AS_DELEGATED_ADMINISTRATOR: You attempted to register\n the management account of the organization as a delegated administrator for an\n Amazon Web Services service integrated with Organizations. You can designate only a member account as a\n delegated administrator.

      \n
    • \n
    • \n

      CANNOT_CLOSE_MANAGEMENT_ACCOUNT: You attempted to close the management\n account. To close the management account for the organization, you must first\n either remove or close all member accounts in the organization. Follow standard\n account closure process using root credentials.​

      \n
    • \n
    • \n

      CANNOT_REMOVE_DELEGATED_ADMINISTRATOR_FROM_ORG: You attempted to remove an\n account that is registered as a delegated administrator for a service integrated\n with your organization. To complete this operation, you must first deregister\n this account as a delegated administrator.

      \n
    • \n
    • \n

      CLOSE_ACCOUNT_QUOTA_EXCEEDED: You have exceeded close account quota for the\n past 30 days.

      \n
    • \n
    • \n

      CLOSE_ACCOUNT_REQUESTS_LIMIT_EXCEEDED: You attempted to exceed the number of\n accounts that you can close at a time. ​

      \n
    • \n
    • \n

      CREATE_ORGANIZATION_IN_BILLING_MODE_UNSUPPORTED_REGION: To create an\n organization in the specified region, you must enable all features mode.

      \n
    • \n
    • \n

      DELEGATED_ADMINISTRATOR_EXISTS_FOR_THIS_SERVICE: You attempted to register an\n Amazon Web Services account as a delegated administrator for an Amazon Web Services service that already has\n a delegated administrator. To complete this operation, you must first deregister\n any existing delegated administrators for this service.

      \n
    • \n
    • \n

      EMAIL_VERIFICATION_CODE_EXPIRED: The email verification code is only valid for\n a limited period of time. You must resubmit the request and generate a new\n verfication code.

      \n
    • \n
    • \n

      HANDSHAKE_RATE_LIMIT_EXCEEDED: You attempted to exceed the number of\n handshakes that you can send in one day.

      \n
    • \n
    • \n

      INVALID_PAYMENT_INSTRUMENT: You cannot remove an account because no supported\n payment method is associated with the account. Amazon Web Services does not support cards\n issued by financial institutions in Russia or Belarus. For more information, see\n Managing your\n Amazon Web Services payments.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_ADDRESS_DOES_NOT_MATCH_MARKETPLACE: To create an account in\n this organization, you first must migrate the organization's management account\n to the marketplace that corresponds to the management account's address. All\n accounts in an organization must be associated with the same marketplace.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_MISSING_BUSINESS_LICENSE: Applies only to the Amazon Web Services Regions in\n China. To create an organization, the master must have a valid business license.\n For more information, contact customer support.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_MISSING_CONTACT_INFO: To complete this operation, you must\n first provide a valid contact address and phone number for the management\n account. Then try the operation again.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_NOT_GOVCLOUD_ENABLED: To complete this operation, the\n management account must have an associated account in the Amazon Web Services GovCloud\n (US-West) Region. For more information, see Organizations\n in the \n Amazon Web Services GovCloud User Guide.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_PAYMENT_INSTRUMENT_REQUIRED: To create an organization with\n this management account, you first must associate a valid payment instrument,\n such as a credit card, with the account. For more information, see Considerations before removing an account from an organization in\n the Organizations User Guide.

      \n
    • \n
    • \n

      MAX_DELEGATED_ADMINISTRATORS_FOR_SERVICE_LIMIT_EXCEEDED: You attempted to\n register more delegated administrators than allowed for the service principal.\n

      \n
    • \n
    • \n

      MAX_POLICY_TYPE_ATTACHMENT_LIMIT_EXCEEDED: You attempted to exceed the number\n of policies of a certain type that can be attached to an entity at one\n time.

      \n
    • \n
    • \n

      MAX_TAG_LIMIT_EXCEEDED: You have exceeded the number of tags allowed on this\n resource.

      \n
    • \n
    • \n

      MEMBER_ACCOUNT_PAYMENT_INSTRUMENT_REQUIRED: To complete this operation with\n this member account, you first must associate a valid payment instrument, such\n as a credit card, with the account. For more information, see Considerations before removing an account from an organization in\n the Organizations User Guide.

      \n
    • \n
    • \n

      MIN_POLICY_TYPE_ATTACHMENT_LIMIT_EXCEEDED: You attempted to detach a policy\n from an entity that would cause the entity to have fewer than the minimum number\n of policies of a certain type required.

      \n
    • \n
    • \n

      ORGANIZATION_NOT_IN_ALL_FEATURES_MODE: You attempted to perform an operation\n that requires the organization to be configured to support all features. An\n organization that supports only consolidated billing features can't perform this\n operation.

      \n
    • \n
    • \n

      OU_DEPTH_LIMIT_EXCEEDED: You attempted to create an OU tree that is too many\n levels deep.

      \n
    • \n
    • \n

      OU_NUMBER_LIMIT_EXCEEDED: You attempted to exceed the number of OUs that you\n can have in an organization.

      \n
    • \n
    • \n

      POLICY_CONTENT_LIMIT_EXCEEDED: You attempted to create a policy that is larger\n than the maximum size.

      \n
    • \n
    • \n

      POLICY_NUMBER_LIMIT_EXCEEDED: You attempted to exceed the number of policies\n that you can have in an organization.

      \n
    • \n
    • \n

      SERVICE_ACCESS_NOT_ENABLED: You attempted to register a delegated\n administrator before you enabled service access. Call the\n EnableAWSServiceAccess API first.

      \n
    • \n
    • \n

      TAG_POLICY_VIOLATION: You attempted to create or update a resource with tags\n that are not compliant with the tag policy requirements for this account.

      \n
    • \n
    • \n

      WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, there is a waiting\n period before you can remove it from the organization. If you get an error that\n indicates that a wait period is required, try again in a few days.

      \n
    • \n
    ", + "smithy.api#documentation": "

    Performing this operation violates a minimum or maximum value limit. For example,\n attempting to remove the last service control policy (SCP) from an OU or root, inviting\n or creating too many accounts to the organization, or attaching too many policies to an\n account, OU, or root. This exception includes a reason that contains additional\n information about the violated limit:

    \n \n

    Some of the reasons in the following list might not be applicable to this specific\n API or operation.

    \n
    \n
      \n
    • \n

      ACCOUNT_CANNOT_LEAVE_ORGANIZATION: You attempted to remove the management\n account from the organization. You can't remove the management account. Instead,\n after you remove all member accounts, delete the organization itself.

      \n
    • \n
    • \n

      ACCOUNT_CANNOT_LEAVE_WITHOUT_PHONE_VERIFICATION: You attempted to remove an\n account from the organization that doesn't yet have enough information to exist\n as a standalone account. This account requires you to first complete phone\n verification. Follow the steps at Removing a member account from your organization in the\n Organizations User Guide.

      \n
    • \n
    • \n

      ACCOUNT_CREATION_RATE_LIMIT_EXCEEDED: You attempted to exceed the number of\n accounts that you can create in one day.

      \n
    • \n
    • \n

      ACCOUNT_CREATION_NOT_COMPLETE: Your account setup isn't complete or your\n account isn't fully active. You must complete the account setup before you\n create an organization.

      \n
    • \n
    • \n

      ACCOUNT_NUMBER_LIMIT_EXCEEDED: You attempted to exceed the limit on the number\n of accounts in an organization. If you need more accounts, contact Amazon Web Services Support to\n request an increase in your limit.

      \n

      Or the number of invitations that you tried to send would cause you to exceed\n the limit of accounts in your organization. Send fewer invitations or contact\n Amazon Web Services Support to request an increase in the number of accounts.

      \n \n

      Deleted and closed accounts still count toward your limit.

      \n
      \n \n

      If you get this exception when running a command immediately after\n creating the organization, wait one hour and try again. After an hour, if\n the command continues to fail with this error, contact Amazon Web Services Support.

      \n
      \n
    • \n
    • \n

      CANNOT_REGISTER_SUSPENDED_ACCOUNT_AS_DELEGATED_ADMINISTRATOR: You cannot\n register a suspended account as a delegated administrator.

      \n
    • \n
    • \n

      CANNOT_REGISTER_MASTER_AS_DELEGATED_ADMINISTRATOR: You attempted to register\n the management account of the organization as a delegated administrator for an\n Amazon Web Services service integrated with Organizations. You can designate only a member account as a\n delegated administrator.

      \n
    • \n
    • \n

      CANNOT_CLOSE_MANAGEMENT_ACCOUNT: You attempted to close the management\n account. To close the management account for the organization, you must first\n either remove or close all member accounts in the organization. Follow standard\n account closure process using root credentials.​

      \n
    • \n
    • \n

      CANNOT_REMOVE_DELEGATED_ADMINISTRATOR_FROM_ORG: You attempted to remove an\n account that is registered as a delegated administrator for a service integrated\n with your organization. To complete this operation, you must first deregister\n this account as a delegated administrator.

      \n
    • \n
    • \n

      CLOSE_ACCOUNT_QUOTA_EXCEEDED: You have exceeded close account quota for the\n past 30 days.

      \n
    • \n
    • \n

      CLOSE_ACCOUNT_REQUESTS_LIMIT_EXCEEDED: You attempted to exceed the number of\n accounts that you can close at a time. ​

      \n
    • \n
    • \n

      CREATE_ORGANIZATION_IN_BILLING_MODE_UNSUPPORTED_REGION: To create an\n organization in the specified region, you must enable all features mode.

      \n
    • \n
    • \n

      DELEGATED_ADMINISTRATOR_EXISTS_FOR_THIS_SERVICE: You attempted to register an\n Amazon Web Services account as a delegated administrator for an Amazon Web Services service that already has\n a delegated administrator. To complete this operation, you must first deregister\n any existing delegated administrators for this service.

      \n
    • \n
    • \n

      EMAIL_VERIFICATION_CODE_EXPIRED: The email verification code is only valid for\n a limited period of time. You must resubmit the request and generate a new\n verfication code.

      \n
    • \n
    • \n

      HANDSHAKE_RATE_LIMIT_EXCEEDED: You attempted to exceed the number of\n handshakes that you can send in one day.

      \n
    • \n
    • \n

      INVALID_PAYMENT_INSTRUMENT: You cannot remove an account because no supported\n payment method is associated with the account. Amazon Web Services does not support cards\n issued by financial institutions in Russia or Belarus. For more information, see\n Managing your\n Amazon Web Services payments.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_ADDRESS_DOES_NOT_MATCH_MARKETPLACE: To create an account in\n this organization, you first must migrate the organization's management account\n to the marketplace that corresponds to the management account's address. All\n accounts in an organization must be associated with the same marketplace.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_MISSING_BUSINESS_LICENSE: Applies only to the Amazon Web Services Regions in\n China. To create an organization, the master must have a valid business license.\n For more information, contact customer support.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_MISSING_CONTACT_INFO: To complete this operation, you must\n first provide a valid contact address and phone number for the management\n account. Then try the operation again.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_NOT_GOVCLOUD_ENABLED: To complete this operation, the\n management account must have an associated account in the Amazon Web Services GovCloud\n (US-West) Region. For more information, see Organizations\n in the \n Amazon Web Services GovCloud User Guide.

      \n
    • \n
    • \n

      MASTER_ACCOUNT_PAYMENT_INSTRUMENT_REQUIRED: To create an organization with\n this management account, you first must associate a valid payment instrument,\n such as a credit card, with the account. For more information, see Considerations before removing an account from an organization in\n the Organizations User Guide.

      \n
    • \n
    • \n

      MAX_DELEGATED_ADMINISTRATORS_FOR_SERVICE_LIMIT_EXCEEDED: You attempted to\n register more delegated administrators than allowed for the service principal.\n

      \n
    • \n
    • \n

      MAX_POLICY_TYPE_ATTACHMENT_LIMIT_EXCEEDED: You attempted to exceed the number\n of policies of a certain type that can be attached to an entity at one\n time.

      \n
    • \n
    • \n

      MAX_TAG_LIMIT_EXCEEDED: You have exceeded the number of tags allowed on this\n resource.

      \n
    • \n
    • \n

      MEMBER_ACCOUNT_PAYMENT_INSTRUMENT_REQUIRED: To complete this operation with\n this member account, you first must associate a valid payment instrument, such\n as a credit card, with the account. For more information, see Considerations before removing an account from an organization in\n the Organizations User Guide.

      \n
    • \n
    • \n

      MIN_POLICY_TYPE_ATTACHMENT_LIMIT_EXCEEDED: You attempted to detach a policy\n from an entity that would cause the entity to have fewer than the minimum number\n of policies of a certain type required.

      \n
    • \n
    • \n

      ORGANIZATION_NOT_IN_ALL_FEATURES_MODE: You attempted to perform an operation\n that requires the organization to be configured to support all features. An\n organization that supports only consolidated billing features can't perform this\n operation.

      \n
    • \n
    • \n

      OU_DEPTH_LIMIT_EXCEEDED: You attempted to create an OU tree that is too many\n levels deep.

      \n
    • \n
    • \n

      OU_NUMBER_LIMIT_EXCEEDED: You attempted to exceed the number of OUs that you\n can have in an organization.

      \n
    • \n
    • \n

      POLICY_CONTENT_LIMIT_EXCEEDED: You attempted to create a policy that is larger\n than the maximum size.

      \n
    • \n
    • \n

      POLICY_NUMBER_LIMIT_EXCEEDED: You attempted to exceed the number of policies\n that you can have in an organization.

      \n
    • \n
    • \n

      SERVICE_ACCESS_NOT_ENABLED: You attempted to register a delegated\n administrator before you enabled service access. Call the\n EnableAWSServiceAccess API first.

      \n
    • \n
    • \n

      TAG_POLICY_VIOLATION: You attempted to create or update a resource with tags\n that are not compliant with the tag policy requirements for this account.

      \n
    • \n
    • \n

      WAIT_PERIOD_ACTIVE: After you create an Amazon Web Services account, you must wait until at least seven days after the account was created.\n Invited accounts aren't subject to this waiting period.

      \n
    • \n
    ", "smithy.api#error": "client", "smithy.api#httpError": 409 } @@ -2441,7 +2441,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Creates an Amazon Web Services account that is automatically a member of the organization whose\n credentials made the request. This is an asynchronous request that Amazon Web Services performs in the\n background. Because CreateAccount operates asynchronously, it can return a\n successful completion message even though account initialization might still be in\n progress. You might need to wait a few minutes before you can successfully access the\n account. To check the status of the request, do one of the following:

    \n
      \n
    • \n

      Use the Id value of the CreateAccountStatus response\n element from this operation to provide as a parameter to the DescribeCreateAccountStatus operation.

      \n
    • \n
    • \n

      Check the CloudTrail log for the CreateAccountResult event. For\n information on using CloudTrail with Organizations, see Logging and monitoring in Organizations in the\n Organizations User Guide.

      \n
    • \n
    \n

    The user who calls the API to create an account must have the\n organizations:CreateAccount permission. If you enabled all features in\n the organization, Organizations creates the required service-linked role named\n AWSServiceRoleForOrganizations. For more information, see Organizations and service-linked roles in the\n Organizations User Guide.

    \n

    If the request includes tags, then the requester must have the\n organizations:TagResource permission.

    \n

    Organizations preconfigures the new member account with a role (named\n OrganizationAccountAccessRole by default) that grants users in the\n management account administrator permissions in the new member account. Principals in\n the management account can assume the role. Organizations clones the company name and address\n information for the new account from the organization's management account.

    \n

    This operation can be called only from the organization's management account.

    \n

    For more information about creating accounts, see Creating\n a member account in your organization in the\n Organizations User Guide.

    \n \n
      \n
    • \n

      When you create an account in an organization using the Organizations console,\n API, or CLI commands, the information required for the account to operate\n as a standalone account, such as a payment method is not automatically\n collected. If you must remove an account from your organization later, you\n can do so only after you provide the missing information. For more\n information, see Considerations before removing an account from an organization\n in the Organizations User Guide.

      \n
    • \n
    • \n

      If you get an exception that indicates that you exceeded your account\n limits for the organization, contact Amazon Web Services Support.

      \n
    • \n
    • \n

      If you get an exception that indicates that the operation failed because\n your organization is still initializing, wait one hour and then try again.\n If the error persists, contact Amazon Web Services Support.

      \n
    • \n
    • \n

      Using CreateAccount to create multiple temporary accounts\n isn't recommended. You can only close an account from the Billing and Cost Management console, and\n you must be signed in as the root user. For information on the requirements\n and process for closing an account, see Closing a member\n account in your organization in the\n Organizations User Guide.

      \n
    • \n
    \n
    \n \n

    When you create a member account with this operation, you can choose whether to\n create the account with the IAM User and Role Access to\n Billing Information switch enabled. If you enable it, IAM users and\n roles that have appropriate permissions can view billing information for the\n account. If you disable it, only the account root user can access billing\n information. For information about how to disable this switch for an account, see\n Granting access to\n your billing information and tools.

    \n
    ", + "smithy.api#documentation": "

    Creates an Amazon Web Services account that is automatically a member of the organization whose\n credentials made the request. This is an asynchronous request that Amazon Web Services performs in the\n background. Because CreateAccount operates asynchronously, it can return a\n successful completion message even though account initialization might still be in\n progress. You might need to wait a few minutes before you can successfully access the\n account. To check the status of the request, do one of the following:

    \n
      \n
    • \n

      Use the Id value of the CreateAccountStatus response\n element from this operation to provide as a parameter to the DescribeCreateAccountStatus operation.

      \n
    • \n
    • \n

      Check the CloudTrail log for the CreateAccountResult event. For\n information on using CloudTrail with Organizations, see Logging and monitoring in Organizations in the\n Organizations User Guide.

      \n
    • \n
    \n

    The user who calls the API to create an account must have the\n organizations:CreateAccount permission. If you enabled all features in\n the organization, Organizations creates the required service-linked role named\n AWSServiceRoleForOrganizations. For more information, see Organizations and service-linked roles in the\n Organizations User Guide.

    \n

    If the request includes tags, then the requester must have the\n organizations:TagResource permission.

    \n

    Organizations preconfigures the new member account with a role (named\n OrganizationAccountAccessRole by default) that grants users in the\n management account administrator permissions in the new member account. Principals in\n the management account can assume the role. Organizations clones the company name and address\n information for the new account from the organization's management account.

    \n

    This operation can be called only from the organization's management account.

    \n

    For more information about creating accounts, see Creating\n a member account in your organization in the\n Organizations User Guide.

    \n \n
      \n
    • \n

      When you create an account in an organization using the Organizations console,\n API, or CLI commands, the information required for the account to operate\n as a standalone account, such as a payment method is not automatically\n collected. If you must remove an account from your organization later, you\n can do so only after you provide the missing information. For more\n information, see Considerations before removing an account from an organization\n in the Organizations User Guide.

      \n
    • \n
    • \n

      If you get an exception that indicates that you exceeded your account\n limits for the organization, contact Amazon Web Services Support.

      \n
    • \n
    • \n

      If you get an exception that indicates that the operation failed because\n your organization is still initializing, wait one hour and then try again.\n If the error persists, contact Amazon Web Services Support.

      \n
    • \n
    • \n

      It isn't recommended to use CreateAccount to create multiple temporary accounts, and using \n the CreateAccount API to close accounts is subject to a 30-day usage quota. For information on the requirements\n and process for closing an account, see Closing a member\n account in your organization in the\n Organizations User Guide.

      \n
    • \n
    \n
    \n \n

    When you create a member account with this operation, you can choose whether to\n create the account with the IAM User and Role Access to\n Billing Information switch enabled. If you enable it, IAM users and\n roles that have appropriate permissions can view billing information for the\n account. If you disable it, only the account root user can access billing\n information. For information about how to disable this switch for an account, see\n Granting access to\n your billing information and tools.

    \n
    ", "smithy.api#examples": [ { "title": "To create a new account that is automatically part of the organization", @@ -4032,7 +4032,7 @@ "Organization": { "target": "com.amazonaws.organizations#Organization", "traits": { - "smithy.api#documentation": "

    A structure that contains information about the organization.

    \n \n

    The AvailablePolicyTypes part of the response is deprecated, and you\n shouldn't use it in your apps. It doesn't include any policy type supported by Organizations\n other than SCPs. To determine which policy types are enabled in your organization,\n use the \n ListRoots\n operation.

    \n
    " + "smithy.api#documentation": "

    A structure that contains information about the organization.

    \n \n

    The AvailablePolicyTypes part of the response is deprecated, and you\n shouldn't use it in your apps. It doesn't include any policy type supported by Organizations\n other than SCPs. In the China (Ningxia) Region, no policy type is included.\n To determine which policy types are enabled in your organization,\n use the \n ListRoots\n operation.

    \n
    " } } }, @@ -4073,7 +4073,7 @@ "smithy.api#examples": [ { "title": "To get information about an organizational unit", - "documentation": "The following example shows how to request details about an OU:/n/n", + "documentation": "The following example shows how to request details about an OU:", "input": { "OrganizationalUnitId": "ou-examplerootid111-exampleouid111" }, @@ -4679,7 +4679,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Enables the integration of an Amazon Web Services service (the service that is specified by\n ServicePrincipal) with Organizations. When you enable integration, you allow\n the specified service to create a service-linked role in\n all the accounts in your organization. This allows the service to perform operations on\n your behalf in your organization and its accounts.

    \n \n

    We recommend that you enable integration between Organizations and the specified Amazon Web Services\n service by using the console or commands that are provided by the specified service.\n Doing so ensures that the service is aware that it can create the resources that are\n required for the integration. How the service creates those resources in the\n organization's accounts depends on that service. For more information, see the\n documentation for the other Amazon Web Services service.

    \n
    \n

    For more information about enabling services to integrate with Organizations, see Using\n Organizations with other Amazon Web Services services in the\n Organizations User Guide.

    \n

    You can only call this operation from the organization's management account and only\n if the organization has enabled all\n features.

    " + "smithy.api#documentation": "

    Provides an Amazon Web Services service (the service that is specified by\n ServicePrincipal) with permissions to view the structure of an organization, \n create a service-linked role in all the accounts in the organization,\n and allow the service to perform operations\n on behalf of the organization and its accounts. Establishing these permissions can be a first step\n in enabling the integration of an Amazon Web Services service with Organizations.

    \n \n

    We recommend that you enable integration between Organizations and the specified Amazon Web Services\n service by using the console or commands that are provided by the specified service.\n Doing so ensures that the service is aware that it can create the resources that are\n required for the integration. How the service creates those resources in the\n organization's accounts depends on that service. For more information, see the\n documentation for the other Amazon Web Services service.

    \n
    \n

    For more information about enabling services to integrate with Organizations, see Using\n Organizations with other Amazon Web Services services in the\n Organizations User Guide.

    \n

    You can only call this operation from the organization's management account and only\n if the organization has enabled all\n features.

    " } }, "com.amazonaws.organizations#EnableAWSServiceAccessRequest": { @@ -5753,7 +5753,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Removes a member account from its parent organization. This version of the operation\n is performed by the account that wants to leave. To remove a member account as a user in\n the management account, use RemoveAccountFromOrganization\n instead.

    \n

    This operation can be called only from a member account in the organization.

    \n \n
      \n
    • \n

      The management account in an organization with all features enabled can\n set service control policies (SCPs) that can restrict what administrators of\n member accounts can do. This includes preventing them from successfully\n calling LeaveOrganization and leaving the organization.

      \n
    • \n
    • \n

      You can leave an organization as a member account only if the account is\n configured with the information required to operate as a standalone account.\n When you create an account in an organization using the Organizations console,\n API, or CLI commands, the information required of standalone accounts is\n not automatically collected. For each account that\n you want to make standalone, you must perform the following steps. If any of\n the steps are already completed for this account, that step doesn't\n appear.

      \n
        \n
      • \n

        Choose a support plan

        \n
      • \n
      • \n

        Provide and verify the required contact information

        \n
      • \n
      • \n

        Provide a current payment method

        \n
      • \n
      \n

      Amazon Web Services uses the payment method to charge for any billable (not free tier)\n Amazon Web Services activity that occurs while the account isn't attached to an\n organization. For more information, see Considerations before removing an account from an organization\n in the Organizations User Guide.

      \n
    • \n
    • \n

      The account that you want to leave must not be a delegated administrator\n account for any Amazon Web Services service enabled for your organization. If the account\n is a delegated administrator, you must first change the delegated\n administrator account to another account that is remaining in the\n organization.

      \n
    • \n
    • \n

      You can leave an organization only after you enable IAM user access to\n billing in your account. For more information, see About IAM access to the Billing and Cost Management console in the\n Amazon Web Services Billing and Cost Management User Guide.

      \n
    • \n
    • \n

      After the account leaves the organization, all tags that were attached to\n the account object in the organization are deleted. Amazon Web Services accounts outside\n of an organization do not support tags.

      \n
    • \n
    • \n

      A newly created account has a waiting period before it can be removed from\n its organization. If you get an error that indicates that a wait period is\n required, then try again in a few days.

      \n
    • \n
    • \n

      If you are using an organization principal to call\n LeaveOrganization across multiple accounts, you can only do\n this up to 5 accounts per second in a single organization.

      \n
    • \n
    \n
    ", + "smithy.api#documentation": "

    Removes a member account from its parent organization. This version of the operation\n is performed by the account that wants to leave. To remove a member account as a user in\n the management account, use RemoveAccountFromOrganization\n instead.

    \n

    This operation can be called only from a member account in the organization.

    \n \n
      \n
    • \n

      The management account in an organization with all features enabled can\n set service control policies (SCPs) that can restrict what administrators of\n member accounts can do. This includes preventing them from successfully\n calling LeaveOrganization and leaving the organization.

      \n
    • \n
    • \n

      You can leave an organization as a member account only if the account is\n configured with the information required to operate as a standalone account.\n When you create an account in an organization using the Organizations console,\n API, or CLI commands, the information required of standalone accounts is\n not automatically collected. For each account that\n you want to make standalone, you must perform the following steps. If any of\n the steps are already completed for this account, that step doesn't\n appear.

      \n
        \n
      • \n

        Choose a support plan

        \n
      • \n
      • \n

        Provide and verify the required contact information

        \n
      • \n
      • \n

        Provide a current payment method

        \n
      • \n
      \n

      Amazon Web Services uses the payment method to charge for any billable (not free tier)\n Amazon Web Services activity that occurs while the account isn't attached to an\n organization. For more information, see Considerations before removing an account from an organization\n in the Organizations User Guide.

      \n
    • \n
    • \n

      The account that you want to leave must not be a delegated administrator\n account for any Amazon Web Services service enabled for your organization. If the account\n is a delegated administrator, you must first change the delegated\n administrator account to another account that is remaining in the\n organization.

      \n
    • \n
    • \n

      You can leave an organization only after you enable IAM user access to\n billing in your account. For more information, see About IAM access to the Billing and Cost Management console in the\n Amazon Web Services Billing and Cost Management User Guide.

      \n
    • \n
    • \n

      After the account leaves the organization, all tags that were attached to\n the account object in the organization are deleted. Amazon Web Services accounts outside\n of an organization do not support tags.

      \n
    • \n
    • \n

      A newly created account has a waiting period before it can be removed from\n its organization.\n You must wait until at least seven days after the account was created. Invited accounts aren't subject to this waiting period.

      \n
    • \n
    • \n

      If you are using an organization principal to call\n LeaveOrganization across multiple accounts, you can only do\n this up to 5 accounts per second in a single organization.

      \n
    • \n
    \n
    ", "smithy.api#examples": [ { "title": "To leave an organization as a member account", From 035bd5b3d4bcf4d6b32dab743e48e73e593cb5ca Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:23:01 +0000 Subject: [PATCH 17/53] feat(client-medialive): Removing the ON_PREMISE enum from the input settings field. --- clients/client-medialive/src/commands/CreateInputCommand.ts | 4 ++-- .../src/commands/CreatePartnerInputCommand.ts | 2 +- .../client-medialive/src/commands/DescribeInputCommand.ts | 2 +- clients/client-medialive/src/commands/ListInputsCommand.ts | 2 +- clients/client-medialive/src/commands/UpdateInputCommand.ts | 2 +- clients/client-medialive/src/models/models_0.ts | 1 - codegen/sdk-codegen/aws-models/medialive.json | 6 ------ 7 files changed, 6 insertions(+), 13 deletions(-) diff --git a/clients/client-medialive/src/commands/CreateInputCommand.ts b/clients/client-medialive/src/commands/CreateInputCommand.ts index af614f516feb..8b350949a63a 100644 --- a/clients/client-medialive/src/commands/CreateInputCommand.ts +++ b/clients/client-medialive/src/commands/CreateInputCommand.ts @@ -98,7 +98,7 @@ export interface CreateInputCommandOutput extends CreateInputResponse, __Metadat * }, * ], * }, - * InputNetworkLocation: "AWS" || "ON_PREMISE" || "ON_PREMISES", + * InputNetworkLocation: "AWS" || "ON_PREMISES", * MulticastSettings: { // MulticastSettingsCreateRequest * Sources: [ // __listOfMulticastSourceCreateRequest * { // MulticastSourceCreateRequest @@ -181,7 +181,7 @@ export interface CreateInputCommandOutput extends CreateInputResponse, __Metadat * // }, * // ], * // }, - * // InputNetworkLocation: "AWS" || "ON_PREMISE" || "ON_PREMISES", + * // InputNetworkLocation: "AWS" || "ON_PREMISES", * // MulticastSettings: { // MulticastSettings * // Sources: [ // __listOfMulticastSource * // { // MulticastSource diff --git a/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts b/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts index 661b2d7bf7fb..2c0688a25636 100644 --- a/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts +++ b/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts @@ -115,7 +115,7 @@ export interface CreatePartnerInputCommandOutput extends CreatePartnerInputRespo * // }, * // ], * // }, - * // InputNetworkLocation: "AWS" || "ON_PREMISE" || "ON_PREMISES", + * // InputNetworkLocation: "AWS" || "ON_PREMISES", * // MulticastSettings: { // MulticastSettings * // Sources: [ // __listOfMulticastSource * // { // MulticastSource diff --git a/clients/client-medialive/src/commands/DescribeInputCommand.ts b/clients/client-medialive/src/commands/DescribeInputCommand.ts index e666fda04233..d48af5d775ae 100644 --- a/clients/client-medialive/src/commands/DescribeInputCommand.ts +++ b/clients/client-medialive/src/commands/DescribeInputCommand.ts @@ -110,7 +110,7 @@ export interface DescribeInputCommandOutput extends DescribeInputResponse, __Met * // }, * // ], * // }, - * // InputNetworkLocation: "AWS" || "ON_PREMISE" || "ON_PREMISES", + * // InputNetworkLocation: "AWS" || "ON_PREMISES", * // MulticastSettings: { // MulticastSettings * // Sources: [ // __listOfMulticastSource * // { // MulticastSource diff --git a/clients/client-medialive/src/commands/ListInputsCommand.ts b/clients/client-medialive/src/commands/ListInputsCommand.ts index 6facaa36694e..b43a111727b7 100644 --- a/clients/client-medialive/src/commands/ListInputsCommand.ts +++ b/clients/client-medialive/src/commands/ListInputsCommand.ts @@ -113,7 +113,7 @@ export interface ListInputsCommandOutput extends ListInputsResponse, __MetadataB * // }, * // ], * // }, - * // InputNetworkLocation: "AWS" || "ON_PREMISE" || "ON_PREMISES", + * // InputNetworkLocation: "AWS" || "ON_PREMISES", * // MulticastSettings: { // MulticastSettings * // Sources: [ // __listOfMulticastSource * // { // MulticastSource diff --git a/clients/client-medialive/src/commands/UpdateInputCommand.ts b/clients/client-medialive/src/commands/UpdateInputCommand.ts index c8d08ef331ae..2b85dbb273e6 100644 --- a/clients/client-medialive/src/commands/UpdateInputCommand.ts +++ b/clients/client-medialive/src/commands/UpdateInputCommand.ts @@ -168,7 +168,7 @@ export interface UpdateInputCommandOutput extends UpdateInputResponse, __Metadat * // }, * // ], * // }, - * // InputNetworkLocation: "AWS" || "ON_PREMISE" || "ON_PREMISES", + * // InputNetworkLocation: "AWS" || "ON_PREMISES", * // MulticastSettings: { // MulticastSettings * // Sources: [ // __listOfMulticastSource * // { // MulticastSource diff --git a/clients/client-medialive/src/models/models_0.ts b/clients/client-medialive/src/models/models_0.ts index 661d0ee2264c..8d9c135b1065 100644 --- a/clients/client-medialive/src/models/models_0.ts +++ b/clients/client-medialive/src/models/models_0.ts @@ -4725,7 +4725,6 @@ export interface InputDeviceSettings { */ export const InputNetworkLocation = { AWS: "AWS", - ON_PREMISE: "ON_PREMISE", ON_PREMISES: "ON_PREMISES", } as const; diff --git a/codegen/sdk-codegen/aws-models/medialive.json b/codegen/sdk-codegen/aws-models/medialive.json index 69c31c116274..4279fb264557 100644 --- a/codegen/sdk-codegen/aws-models/medialive.json +++ b/codegen/sdk-codegen/aws-models/medialive.json @@ -19967,12 +19967,6 @@ "smithy.api#enumValue": "AWS" } }, - "ON_PREMISE": { - "target": "smithy.api#Unit", - "traits": { - "smithy.api#enumValue": "ON_PREMISE" - } - }, "ON_PREMISES": { "target": "smithy.api#Unit", "traits": { From b603569756a9cf0786d1d11f039a5c23f958ce33 Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:23:01 +0000 Subject: [PATCH 18/53] feat(client-iot): This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version. --- clients/client-iot/README.md | 24 + clients/client-iot/src/IoT.ts | 69 +++ clients/client-iot/src/IoTClient.ts | 18 + .../AssociateSbomWithPackageVersionCommand.ts | 123 +++++ .../commands/CreatePackageVersionCommand.ts | 8 + .../commands/DeleteCACertificateCommand.ts | 2 +- .../src/commands/DeleteCertificateCommand.ts | 2 +- .../DeleteCertificateProviderCommand.ts | 2 +- .../src/commands/DescribeJobCommand.ts | 1 + ...sassociateSbomFromPackageVersionCommand.ts | 105 ++++ .../src/commands/GetJobDocumentCommand.ts | 1 + .../src/commands/GetPackageVersionCommand.ts | 16 + .../src/commands/ListMetricValuesCommand.ts | 3 +- .../commands/ListMitigationActionsCommand.ts | 2 +- .../src/commands/ListOTAUpdatesCommand.ts | 2 +- .../ListSbomValidationResultsCommand.ts | 106 ++++ .../commands/UpdatePackageVersionCommand.ts | 8 + .../src/commands/UpdateStreamCommand.ts | 3 + clients/client-iot/src/commands/index.ts | 3 + clients/client-iot/src/models/models_0.ts | 383 ++++++++------ clients/client-iot/src/models/models_1.ts | 271 +++++----- clients/client-iot/src/models/models_2.ts | 276 ++++++++++ .../ListSbomValidationResultsPaginator.ts | 24 + clients/client-iot/src/pagination/index.ts | 1 + .../client-iot/src/protocols/Aws_restJson1.ts | 206 +++++++- codegen/sdk-codegen/aws-models/iot.json | 495 +++++++++++++++++- 26 files changed, 1824 insertions(+), 330 deletions(-) create mode 100644 clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts create mode 100644 clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts create mode 100644 clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts create mode 100644 clients/client-iot/src/pagination/ListSbomValidationResultsPaginator.ts diff --git a/clients/client-iot/README.md b/clients/client-iot/README.md index a184ff1e9fe5..8e5738375ec6 100644 --- a/clients/client-iot/README.md +++ b/clients/client-iot/README.md @@ -242,6 +242,14 @@ AddThingToThingGroup [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/iot/command/AddThingToThingGroupCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/AddThingToThingGroupCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/AddThingToThingGroupCommandOutput/) + +
    + +AssociateSbomWithPackageVersion + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/iot/command/AssociateSbomWithPackageVersionCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/AssociateSbomWithPackageVersionCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/AssociateSbomWithPackageVersionCommandOutput/) +
    @@ -1186,6 +1194,14 @@ DisableTopicRule [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/iot/command/DisableTopicRuleCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/DisableTopicRuleCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/DisableTopicRuleCommandOutput/) +
    +
    + +DisassociateSbomFromPackageVersion + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/iot/command/DisassociateSbomFromPackageVersionCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/DisassociateSbomFromPackageVersionCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/DisassociateSbomFromPackageVersionCommandOutput/) +
    @@ -1666,6 +1682,14 @@ ListRoleAliases [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/iot/command/ListRoleAliasesCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/ListRoleAliasesCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/ListRoleAliasesCommandOutput/) +
    +
    + +ListSbomValidationResults + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/iot/command/ListSbomValidationResultsCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/ListSbomValidationResultsCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-iot/Interface/ListSbomValidationResultsCommandOutput/) +
    diff --git a/clients/client-iot/src/IoT.ts b/clients/client-iot/src/IoT.ts index 41d478685350..8c29fe8a93ea 100644 --- a/clients/client-iot/src/IoT.ts +++ b/clients/client-iot/src/IoT.ts @@ -17,6 +17,11 @@ import { AddThingToThingGroupCommandInput, AddThingToThingGroupCommandOutput, } from "./commands/AddThingToThingGroupCommand"; +import { + AssociateSbomWithPackageVersionCommand, + AssociateSbomWithPackageVersionCommandInput, + AssociateSbomWithPackageVersionCommandOutput, +} from "./commands/AssociateSbomWithPackageVersionCommand"; import { AssociateTargetsWithJobCommand, AssociateTargetsWithJobCommandInput, @@ -583,6 +588,11 @@ import { DisableTopicRuleCommandInput, DisableTopicRuleCommandOutput, } from "./commands/DisableTopicRuleCommand"; +import { + DisassociateSbomFromPackageVersionCommand, + DisassociateSbomFromPackageVersionCommandInput, + DisassociateSbomFromPackageVersionCommandOutput, +} from "./commands/DisassociateSbomFromPackageVersionCommand"; import { EnableTopicRuleCommand, EnableTopicRuleCommandInput, @@ -867,6 +877,11 @@ import { ListRoleAliasesCommandInput, ListRoleAliasesCommandOutput, } from "./commands/ListRoleAliasesCommand"; +import { + ListSbomValidationResultsCommand, + ListSbomValidationResultsCommandInput, + ListSbomValidationResultsCommandOutput, +} from "./commands/ListSbomValidationResultsCommand"; import { ListScheduledAuditsCommand, ListScheduledAuditsCommandInput, @@ -1219,6 +1234,7 @@ const commands = { AcceptCertificateTransferCommand, AddThingToBillingGroupCommand, AddThingToThingGroupCommand, + AssociateSbomWithPackageVersionCommand, AssociateTargetsWithJobCommand, AttachPolicyCommand, AttachPrincipalPolicyCommand, @@ -1337,6 +1353,7 @@ const commands = { DetachSecurityProfileCommand, DetachThingPrincipalCommand, DisableTopicRuleCommand, + DisassociateSbomFromPackageVersionCommand, EnableTopicRuleCommand, GetBehaviorModelTrainingSummariesCommand, GetBucketsAggregationCommand, @@ -1397,6 +1414,7 @@ const commands = { ListProvisioningTemplateVersionsCommand, ListRelatedResourcesForAuditFindingCommand, ListRoleAliasesCommand, + ListSbomValidationResultsCommand, ListScheduledAuditsCommand, ListSecurityProfilesCommand, ListSecurityProfilesForTargetCommand, @@ -1527,6 +1545,23 @@ export interface IoT { cb: (err: any, data?: AddThingToThingGroupCommandOutput) => void ): void; + /** + * @see {@link AssociateSbomWithPackageVersionCommand} + */ + associateSbomWithPackageVersion( + args: AssociateSbomWithPackageVersionCommandInput, + options?: __HttpHandlerOptions + ): Promise; + associateSbomWithPackageVersion( + args: AssociateSbomWithPackageVersionCommandInput, + cb: (err: any, data?: AssociateSbomWithPackageVersionCommandOutput) => void + ): void; + associateSbomWithPackageVersion( + args: AssociateSbomWithPackageVersionCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: AssociateSbomWithPackageVersionCommandOutput) => void + ): void; + /** * @see {@link AssociateTargetsWithJobCommand} */ @@ -3409,6 +3444,23 @@ export interface IoT { cb: (err: any, data?: DisableTopicRuleCommandOutput) => void ): void; + /** + * @see {@link DisassociateSbomFromPackageVersionCommand} + */ + disassociateSbomFromPackageVersion( + args: DisassociateSbomFromPackageVersionCommandInput, + options?: __HttpHandlerOptions + ): Promise; + disassociateSbomFromPackageVersion( + args: DisassociateSbomFromPackageVersionCommandInput, + cb: (err: any, data?: DisassociateSbomFromPackageVersionCommandOutput) => void + ): void; + disassociateSbomFromPackageVersion( + args: DisassociateSbomFromPackageVersionCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DisassociateSbomFromPackageVersionCommandOutput) => void + ): void; + /** * @see {@link EnableTopicRuleCommand} */ @@ -4379,6 +4431,23 @@ export interface IoT { cb: (err: any, data?: ListRoleAliasesCommandOutput) => void ): void; + /** + * @see {@link ListSbomValidationResultsCommand} + */ + listSbomValidationResults( + args: ListSbomValidationResultsCommandInput, + options?: __HttpHandlerOptions + ): Promise; + listSbomValidationResults( + args: ListSbomValidationResultsCommandInput, + cb: (err: any, data?: ListSbomValidationResultsCommandOutput) => void + ): void; + listSbomValidationResults( + args: ListSbomValidationResultsCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListSbomValidationResultsCommandOutput) => void + ): void; + /** * @see {@link ListScheduledAuditsCommand} */ diff --git a/clients/client-iot/src/IoTClient.ts b/clients/client-iot/src/IoTClient.ts index 1fa7bbd5764a..3f6ea19b1f5b 100644 --- a/clients/client-iot/src/IoTClient.ts +++ b/clients/client-iot/src/IoTClient.ts @@ -71,6 +71,10 @@ import { AddThingToThingGroupCommandInput, AddThingToThingGroupCommandOutput, } from "./commands/AddThingToThingGroupCommand"; +import { + AssociateSbomWithPackageVersionCommandInput, + AssociateSbomWithPackageVersionCommandOutput, +} from "./commands/AssociateSbomWithPackageVersionCommand"; import { AssociateTargetsWithJobCommandInput, AssociateTargetsWithJobCommandOutput, @@ -387,6 +391,10 @@ import { DetachThingPrincipalCommandOutput, } from "./commands/DetachThingPrincipalCommand"; import { DisableTopicRuleCommandInput, DisableTopicRuleCommandOutput } from "./commands/DisableTopicRuleCommand"; +import { + DisassociateSbomFromPackageVersionCommandInput, + DisassociateSbomFromPackageVersionCommandOutput, +} from "./commands/DisassociateSbomFromPackageVersionCommand"; import { EnableTopicRuleCommandInput, EnableTopicRuleCommandOutput } from "./commands/EnableTopicRuleCommand"; import { GetBehaviorModelTrainingSummariesCommandInput, @@ -537,6 +545,10 @@ import { ListRelatedResourcesForAuditFindingCommandOutput, } from "./commands/ListRelatedResourcesForAuditFindingCommand"; import { ListRoleAliasesCommandInput, ListRoleAliasesCommandOutput } from "./commands/ListRoleAliasesCommand"; +import { + ListSbomValidationResultsCommandInput, + ListSbomValidationResultsCommandOutput, +} from "./commands/ListSbomValidationResultsCommand"; import { ListScheduledAuditsCommandInput, ListScheduledAuditsCommandOutput, @@ -776,6 +788,7 @@ export type ServiceInputTypes = | AcceptCertificateTransferCommandInput | AddThingToBillingGroupCommandInput | AddThingToThingGroupCommandInput + | AssociateSbomWithPackageVersionCommandInput | AssociateTargetsWithJobCommandInput | AttachPolicyCommandInput | AttachPrincipalPolicyCommandInput @@ -894,6 +907,7 @@ export type ServiceInputTypes = | DetachSecurityProfileCommandInput | DetachThingPrincipalCommandInput | DisableTopicRuleCommandInput + | DisassociateSbomFromPackageVersionCommandInput | EnableTopicRuleCommandInput | GetBehaviorModelTrainingSummariesCommandInput | GetBucketsAggregationCommandInput @@ -954,6 +968,7 @@ export type ServiceInputTypes = | ListProvisioningTemplatesCommandInput | ListRelatedResourcesForAuditFindingCommandInput | ListRoleAliasesCommandInput + | ListSbomValidationResultsCommandInput | ListScheduledAuditsCommandInput | ListSecurityProfilesCommandInput | ListSecurityProfilesForTargetCommandInput @@ -1036,6 +1051,7 @@ export type ServiceOutputTypes = | AcceptCertificateTransferCommandOutput | AddThingToBillingGroupCommandOutput | AddThingToThingGroupCommandOutput + | AssociateSbomWithPackageVersionCommandOutput | AssociateTargetsWithJobCommandOutput | AttachPolicyCommandOutput | AttachPrincipalPolicyCommandOutput @@ -1154,6 +1170,7 @@ export type ServiceOutputTypes = | DetachSecurityProfileCommandOutput | DetachThingPrincipalCommandOutput | DisableTopicRuleCommandOutput + | DisassociateSbomFromPackageVersionCommandOutput | EnableTopicRuleCommandOutput | GetBehaviorModelTrainingSummariesCommandOutput | GetBucketsAggregationCommandOutput @@ -1214,6 +1231,7 @@ export type ServiceOutputTypes = | ListProvisioningTemplatesCommandOutput | ListRelatedResourcesForAuditFindingCommandOutput | ListRoleAliasesCommandOutput + | ListSbomValidationResultsCommandOutput | ListScheduledAuditsCommandOutput | ListSecurityProfilesCommandOutput | ListSecurityProfilesForTargetCommandOutput diff --git a/clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts b/clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts new file mode 100644 index 000000000000..46096a6ee7fe --- /dev/null +++ b/clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts @@ -0,0 +1,123 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; +import { AssociateSbomWithPackageVersionRequest, AssociateSbomWithPackageVersionResponse } from "../models/models_0"; +import { + de_AssociateSbomWithPackageVersionCommand, + se_AssociateSbomWithPackageVersionCommand, +} from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link AssociateSbomWithPackageVersionCommand}. + */ +export interface AssociateSbomWithPackageVersionCommandInput extends AssociateSbomWithPackageVersionRequest {} +/** + * @public + * + * The output of {@link AssociateSbomWithPackageVersionCommand}. + */ +export interface AssociateSbomWithPackageVersionCommandOutput + extends AssociateSbomWithPackageVersionResponse, + __MetadataBearer {} + +/** + *

    Associates a software bill of materials (SBOM) with a specific software package version.

    + *

    Requires permission to access the AssociateSbomWithPackageVersion action.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { IoTClient, AssociateSbomWithPackageVersionCommand } from "@aws-sdk/client-iot"; // ES Modules import + * // const { IoTClient, AssociateSbomWithPackageVersionCommand } = require("@aws-sdk/client-iot"); // CommonJS import + * const client = new IoTClient(config); + * const input = { // AssociateSbomWithPackageVersionRequest + * packageName: "STRING_VALUE", // required + * versionName: "STRING_VALUE", // required + * sbom: { // Sbom + * s3Location: { // S3Location + * bucket: "STRING_VALUE", + * key: "STRING_VALUE", + * version: "STRING_VALUE", + * }, + * }, + * clientToken: "STRING_VALUE", + * }; + * const command = new AssociateSbomWithPackageVersionCommand(input); + * const response = await client.send(command); + * // { // AssociateSbomWithPackageVersionResponse + * // packageName: "STRING_VALUE", + * // versionName: "STRING_VALUE", + * // sbom: { // Sbom + * // s3Location: { // S3Location + * // bucket: "STRING_VALUE", + * // key: "STRING_VALUE", + * // version: "STRING_VALUE", + * // }, + * // }, + * // sbomValidationStatus: "IN_PROGRESS" || "FAILED" || "SUCCEEDED", + * // }; + * + * ``` + * + * @param AssociateSbomWithPackageVersionCommandInput - {@link AssociateSbomWithPackageVersionCommandInput} + * @returns {@link AssociateSbomWithPackageVersionCommandOutput} + * @see {@link AssociateSbomWithPackageVersionCommandInput} for command's `input` shape. + * @see {@link AssociateSbomWithPackageVersionCommandOutput} for command's `response` shape. + * @see {@link IoTClientResolvedConfig | config} for IoTClient's `config` shape. + * + * @throws {@link ConflictException} (client fault) + *

    A resource with the same name already exists.

    + * + * @throws {@link InternalServerException} (server fault) + *

    Internal error from the service that indicates an unexpected error or that the service + * is unavailable.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The specified resource does not exist.

    + * + * @throws {@link ServiceQuotaExceededException} (client fault) + *

    A limit has been exceeded.

    + * + * @throws {@link ThrottlingException} (client fault) + *

    The rate exceeds the limit.

    + * + * @throws {@link ValidationException} (client fault) + *

    The request is not valid.

    + * + * @throws {@link IoTServiceException} + *

    Base exception class for all service exceptions from IoT service.

    + * + * @public + */ +export class AssociateSbomWithPackageVersionCommand extends $Command + .classBuilder< + AssociateSbomWithPackageVersionCommandInput, + AssociateSbomWithPackageVersionCommandOutput, + IoTClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: IoTClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSIotService", "AssociateSbomWithPackageVersion", {}) + .n("IoTClient", "AssociateSbomWithPackageVersionCommand") + .f(void 0, void 0) + .ser(se_AssociateSbomWithPackageVersionCommand) + .de(de_AssociateSbomWithPackageVersionCommand) + .build() {} diff --git a/clients/client-iot/src/commands/CreatePackageVersionCommand.ts b/clients/client-iot/src/commands/CreatePackageVersionCommand.ts index 8e63e6c96b4f..7028c4d52d71 100644 --- a/clients/client-iot/src/commands/CreatePackageVersionCommand.ts +++ b/clients/client-iot/src/commands/CreatePackageVersionCommand.ts @@ -48,6 +48,14 @@ export interface CreatePackageVersionCommandOutput extends CreatePackageVersionR * attributes: { // ResourceAttributes * "": "STRING_VALUE", * }, + * artifact: { // PackageVersionArtifact + * s3Location: { // S3Location + * bucket: "STRING_VALUE", + * key: "STRING_VALUE", + * version: "STRING_VALUE", + * }, + * }, + * recipe: "STRING_VALUE", * tags: { // TagMap * "": "STRING_VALUE", * }, diff --git a/clients/client-iot/src/commands/DeleteCACertificateCommand.ts b/clients/client-iot/src/commands/DeleteCACertificateCommand.ts index 39cad1541f37..a8b3f5dcf35b 100644 --- a/clients/client-iot/src/commands/DeleteCACertificateCommand.ts +++ b/clients/client-iot/src/commands/DeleteCACertificateCommand.ts @@ -6,7 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; -import { DeleteCACertificateRequest, DeleteCACertificateResponse } from "../models/models_0"; +import { DeleteCACertificateRequest, DeleteCACertificateResponse } from "../models/models_1"; import { de_DeleteCACertificateCommand, se_DeleteCACertificateCommand } from "../protocols/Aws_restJson1"; /** diff --git a/clients/client-iot/src/commands/DeleteCertificateCommand.ts b/clients/client-iot/src/commands/DeleteCertificateCommand.ts index 4da59b853de9..c13b8f5d47e0 100644 --- a/clients/client-iot/src/commands/DeleteCertificateCommand.ts +++ b/clients/client-iot/src/commands/DeleteCertificateCommand.ts @@ -6,7 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; -import { DeleteCertificateRequest } from "../models/models_0"; +import { DeleteCertificateRequest } from "../models/models_1"; import { de_DeleteCertificateCommand, se_DeleteCertificateCommand } from "../protocols/Aws_restJson1"; /** diff --git a/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts b/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts index 544586395010..f9edb6503bfa 100644 --- a/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts +++ b/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts @@ -6,7 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; -import { DeleteCertificateProviderRequest, DeleteCertificateProviderResponse } from "../models/models_0"; +import { DeleteCertificateProviderRequest, DeleteCertificateProviderResponse } from "../models/models_1"; import { de_DeleteCertificateProviderCommand, se_DeleteCertificateProviderCommand } from "../protocols/Aws_restJson1"; /** diff --git a/clients/client-iot/src/commands/DescribeJobCommand.ts b/clients/client-iot/src/commands/DescribeJobCommand.ts index 6191c590ea8e..8ea9b31bf9c9 100644 --- a/clients/client-iot/src/commands/DescribeJobCommand.ts +++ b/clients/client-iot/src/commands/DescribeJobCommand.ts @@ -38,6 +38,7 @@ export interface DescribeJobCommandOutput extends DescribeJobResponse, __Metadat * const client = new IoTClient(config); * const input = { // DescribeJobRequest * jobId: "STRING_VALUE", // required + * beforeSubstitution: true || false, * }; * const command = new DescribeJobCommand(input); * const response = await client.send(command); diff --git a/clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts b/clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts new file mode 100644 index 000000000000..d8017d9df254 --- /dev/null +++ b/clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts @@ -0,0 +1,105 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; +import { + DisassociateSbomFromPackageVersionRequest, + DisassociateSbomFromPackageVersionResponse, +} from "../models/models_1"; +import { + de_DisassociateSbomFromPackageVersionCommand, + se_DisassociateSbomFromPackageVersionCommand, +} from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DisassociateSbomFromPackageVersionCommand}. + */ +export interface DisassociateSbomFromPackageVersionCommandInput extends DisassociateSbomFromPackageVersionRequest {} +/** + * @public + * + * The output of {@link DisassociateSbomFromPackageVersionCommand}. + */ +export interface DisassociateSbomFromPackageVersionCommandOutput + extends DisassociateSbomFromPackageVersionResponse, + __MetadataBearer {} + +/** + *

    Disassociates a software bill of materials (SBOM) from a specific software package version.

    + *

    Requires permission to access the DisassociateSbomWithPackageVersion action.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { IoTClient, DisassociateSbomFromPackageVersionCommand } from "@aws-sdk/client-iot"; // ES Modules import + * // const { IoTClient, DisassociateSbomFromPackageVersionCommand } = require("@aws-sdk/client-iot"); // CommonJS import + * const client = new IoTClient(config); + * const input = { // DisassociateSbomFromPackageVersionRequest + * packageName: "STRING_VALUE", // required + * versionName: "STRING_VALUE", // required + * clientToken: "STRING_VALUE", + * }; + * const command = new DisassociateSbomFromPackageVersionCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param DisassociateSbomFromPackageVersionCommandInput - {@link DisassociateSbomFromPackageVersionCommandInput} + * @returns {@link DisassociateSbomFromPackageVersionCommandOutput} + * @see {@link DisassociateSbomFromPackageVersionCommandInput} for command's `input` shape. + * @see {@link DisassociateSbomFromPackageVersionCommandOutput} for command's `response` shape. + * @see {@link IoTClientResolvedConfig | config} for IoTClient's `config` shape. + * + * @throws {@link ConflictException} (client fault) + *

    A resource with the same name already exists.

    + * + * @throws {@link InternalServerException} (server fault) + *

    Internal error from the service that indicates an unexpected error or that the service + * is unavailable.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The specified resource does not exist.

    + * + * @throws {@link ThrottlingException} (client fault) + *

    The rate exceeds the limit.

    + * + * @throws {@link ValidationException} (client fault) + *

    The request is not valid.

    + * + * @throws {@link IoTServiceException} + *

    Base exception class for all service exceptions from IoT service.

    + * + * @public + */ +export class DisassociateSbomFromPackageVersionCommand extends $Command + .classBuilder< + DisassociateSbomFromPackageVersionCommandInput, + DisassociateSbomFromPackageVersionCommandOutput, + IoTClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: IoTClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSIotService", "DisassociateSbomFromPackageVersion", {}) + .n("IoTClient", "DisassociateSbomFromPackageVersionCommand") + .f(void 0, void 0) + .ser(se_DisassociateSbomFromPackageVersionCommand) + .de(de_DisassociateSbomFromPackageVersionCommand) + .build() {} diff --git a/clients/client-iot/src/commands/GetJobDocumentCommand.ts b/clients/client-iot/src/commands/GetJobDocumentCommand.ts index 184dd7a60d1b..b09f3844d6f7 100644 --- a/clients/client-iot/src/commands/GetJobDocumentCommand.ts +++ b/clients/client-iot/src/commands/GetJobDocumentCommand.ts @@ -38,6 +38,7 @@ export interface GetJobDocumentCommandOutput extends GetJobDocumentResponse, __M * const client = new IoTClient(config); * const input = { // GetJobDocumentRequest * jobId: "STRING_VALUE", // required + * beforeSubstitution: true || false, * }; * const command = new GetJobDocumentCommand(input); * const response = await client.send(command); diff --git a/clients/client-iot/src/commands/GetPackageVersionCommand.ts b/clients/client-iot/src/commands/GetPackageVersionCommand.ts index 9d685beded69..ccadd386e0be 100644 --- a/clients/client-iot/src/commands/GetPackageVersionCommand.ts +++ b/clients/client-iot/src/commands/GetPackageVersionCommand.ts @@ -54,10 +54,26 @@ export interface GetPackageVersionCommandOutput extends GetPackageVersionRespons * // attributes: { // ResourceAttributes * // "": "STRING_VALUE", * // }, + * // artifact: { // PackageVersionArtifact + * // s3Location: { // S3Location + * // bucket: "STRING_VALUE", + * // key: "STRING_VALUE", + * // version: "STRING_VALUE", + * // }, + * // }, * // status: "DRAFT" || "PUBLISHED" || "DEPRECATED", * // errorReason: "STRING_VALUE", * // creationDate: new Date("TIMESTAMP"), * // lastModifiedDate: new Date("TIMESTAMP"), + * // sbom: { // Sbom + * // s3Location: { + * // bucket: "STRING_VALUE", + * // key: "STRING_VALUE", + * // version: "STRING_VALUE", + * // }, + * // }, + * // sbomValidationStatus: "IN_PROGRESS" || "FAILED" || "SUCCEEDED", + * // recipe: "STRING_VALUE", * // }; * * ``` diff --git a/clients/client-iot/src/commands/ListMetricValuesCommand.ts b/clients/client-iot/src/commands/ListMetricValuesCommand.ts index 4ae18da029c2..a58cfeca7008 100644 --- a/clients/client-iot/src/commands/ListMetricValuesCommand.ts +++ b/clients/client-iot/src/commands/ListMetricValuesCommand.ts @@ -6,7 +6,8 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; -import { ListMetricValuesRequest, ListMetricValuesResponse } from "../models/models_1"; +import { ListMetricValuesRequest } from "../models/models_1"; +import { ListMetricValuesResponse } from "../models/models_2"; import { de_ListMetricValuesCommand, se_ListMetricValuesCommand } from "../protocols/Aws_restJson1"; /** diff --git a/clients/client-iot/src/commands/ListMitigationActionsCommand.ts b/clients/client-iot/src/commands/ListMitigationActionsCommand.ts index 73109b544e07..efc199da6cbd 100644 --- a/clients/client-iot/src/commands/ListMitigationActionsCommand.ts +++ b/clients/client-iot/src/commands/ListMitigationActionsCommand.ts @@ -6,7 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; -import { ListMitigationActionsRequest, ListMitigationActionsResponse } from "../models/models_1"; +import { ListMitigationActionsRequest, ListMitigationActionsResponse } from "../models/models_2"; import { de_ListMitigationActionsCommand, se_ListMitigationActionsCommand } from "../protocols/Aws_restJson1"; /** diff --git a/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts b/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts index 5184e9b6eb73..96047997e88e 100644 --- a/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts +++ b/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts @@ -6,7 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; -import { ListOTAUpdatesRequest, ListOTAUpdatesResponse } from "../models/models_1"; +import { ListOTAUpdatesRequest, ListOTAUpdatesResponse } from "../models/models_2"; import { de_ListOTAUpdatesCommand, se_ListOTAUpdatesCommand } from "../protocols/Aws_restJson1"; /** diff --git a/clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts b/clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts new file mode 100644 index 000000000000..ea04150f6e8e --- /dev/null +++ b/clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts @@ -0,0 +1,106 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { IoTClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../IoTClient"; +import { ListSbomValidationResultsRequest, ListSbomValidationResultsResponse } from "../models/models_2"; +import { de_ListSbomValidationResultsCommand, se_ListSbomValidationResultsCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListSbomValidationResultsCommand}. + */ +export interface ListSbomValidationResultsCommandInput extends ListSbomValidationResultsRequest {} +/** + * @public + * + * The output of {@link ListSbomValidationResultsCommand}. + */ +export interface ListSbomValidationResultsCommandOutput extends ListSbomValidationResultsResponse, __MetadataBearer {} + +/** + *

    The validation results for all software bill of materials (SBOM) attached to a specific software package version.

    + *

    Requires permission to access the ListSbomValidationResults action.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { IoTClient, ListSbomValidationResultsCommand } from "@aws-sdk/client-iot"; // ES Modules import + * // const { IoTClient, ListSbomValidationResultsCommand } = require("@aws-sdk/client-iot"); // CommonJS import + * const client = new IoTClient(config); + * const input = { // ListSbomValidationResultsRequest + * packageName: "STRING_VALUE", // required + * versionName: "STRING_VALUE", // required + * validationResult: "FAILED" || "SUCCEEDED", + * maxResults: Number("int"), + * nextToken: "STRING_VALUE", + * }; + * const command = new ListSbomValidationResultsCommand(input); + * const response = await client.send(command); + * // { // ListSbomValidationResultsResponse + * // validationResultSummaries: [ // SbomValidationResultSummaryList + * // { // SbomValidationResultSummary + * // fileName: "STRING_VALUE", + * // validationResult: "FAILED" || "SUCCEEDED", + * // errorCode: "INCOMPATIBLE_FORMAT" || "FILE_SIZE_LIMIT_EXCEEDED", + * // errorMessage: "STRING_VALUE", + * // }, + * // ], + * // nextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param ListSbomValidationResultsCommandInput - {@link ListSbomValidationResultsCommandInput} + * @returns {@link ListSbomValidationResultsCommandOutput} + * @see {@link ListSbomValidationResultsCommandInput} for command's `input` shape. + * @see {@link ListSbomValidationResultsCommandOutput} for command's `response` shape. + * @see {@link IoTClientResolvedConfig | config} for IoTClient's `config` shape. + * + * @throws {@link InternalServerException} (server fault) + *

    Internal error from the service that indicates an unexpected error or that the service + * is unavailable.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The specified resource does not exist.

    + * + * @throws {@link ThrottlingException} (client fault) + *

    The rate exceeds the limit.

    + * + * @throws {@link ValidationException} (client fault) + *

    The request is not valid.

    + * + * @throws {@link IoTServiceException} + *

    Base exception class for all service exceptions from IoT service.

    + * + * @public + */ +export class ListSbomValidationResultsCommand extends $Command + .classBuilder< + ListSbomValidationResultsCommandInput, + ListSbomValidationResultsCommandOutput, + IoTClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: IoTClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSIotService", "ListSbomValidationResults", {}) + .n("IoTClient", "ListSbomValidationResultsCommand") + .f(void 0, void 0) + .ser(se_ListSbomValidationResultsCommand) + .de(de_ListSbomValidationResultsCommand) + .build() {} diff --git a/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts b/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts index a345090fdfe6..039a9a8ece6f 100644 --- a/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts +++ b/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts @@ -47,7 +47,15 @@ export interface UpdatePackageVersionCommandOutput extends UpdatePackageVersionR * attributes: { // ResourceAttributes * "": "STRING_VALUE", * }, + * artifact: { // PackageVersionArtifact + * s3Location: { // S3Location + * bucket: "STRING_VALUE", + * key: "STRING_VALUE", + * version: "STRING_VALUE", + * }, + * }, * action: "PUBLISH" || "DEPRECATE", + * recipe: "STRING_VALUE", * clientToken: "STRING_VALUE", * }; * const command = new UpdatePackageVersionCommand(input); diff --git a/clients/client-iot/src/commands/UpdateStreamCommand.ts b/clients/client-iot/src/commands/UpdateStreamCommand.ts index eee5b4e57e5d..5393c2bc9c1c 100644 --- a/clients/client-iot/src/commands/UpdateStreamCommand.ts +++ b/clients/client-iot/src/commands/UpdateStreamCommand.ts @@ -74,6 +74,9 @@ export interface UpdateStreamCommandOutput extends UpdateStreamResponse, __Metad * @throws {@link InvalidRequestException} (client fault) *

    The request is not valid.

    * + * @throws {@link LimitExceededException} (client fault) + *

    A limit has been exceeded.

    + * * @throws {@link ResourceNotFoundException} (client fault) *

    The specified resource does not exist.

    * diff --git a/clients/client-iot/src/commands/index.ts b/clients/client-iot/src/commands/index.ts index a69efb0339be..959eb509086a 100644 --- a/clients/client-iot/src/commands/index.ts +++ b/clients/client-iot/src/commands/index.ts @@ -2,6 +2,7 @@ export * from "./AcceptCertificateTransferCommand"; export * from "./AddThingToBillingGroupCommand"; export * from "./AddThingToThingGroupCommand"; +export * from "./AssociateSbomWithPackageVersionCommand"; export * from "./AssociateTargetsWithJobCommand"; export * from "./AttachPolicyCommand"; export * from "./AttachPrincipalPolicyCommand"; @@ -120,6 +121,7 @@ export * from "./DetachPrincipalPolicyCommand"; export * from "./DetachSecurityProfileCommand"; export * from "./DetachThingPrincipalCommand"; export * from "./DisableTopicRuleCommand"; +export * from "./DisassociateSbomFromPackageVersionCommand"; export * from "./EnableTopicRuleCommand"; export * from "./GetBehaviorModelTrainingSummariesCommand"; export * from "./GetBucketsAggregationCommand"; @@ -180,6 +182,7 @@ export * from "./ListProvisioningTemplateVersionsCommand"; export * from "./ListProvisioningTemplatesCommand"; export * from "./ListRelatedResourcesForAuditFindingCommand"; export * from "./ListRoleAliasesCommand"; +export * from "./ListSbomValidationResultsCommand"; export * from "./ListScheduledAuditsCommand"; export * from "./ListSecurityProfilesCommand"; export * from "./ListSecurityProfilesForTargetCommand"; diff --git a/clients/client-iot/src/models/models_0.ts b/clients/client-iot/src/models/models_0.ts index f0639232a4d0..dc8489ab3fbe 100644 --- a/clients/client-iot/src/models/models_0.ts +++ b/clients/client-iot/src/models/models_0.ts @@ -2301,6 +2301,206 @@ export interface Allowed { policies?: Policy[]; } +/** + *

    The S3 location.

    + * @public + */ +export interface S3Location { + /** + *

    The S3 bucket.

    + * @public + */ + bucket?: string; + + /** + *

    The S3 key.

    + * @public + */ + key?: string; + + /** + *

    The S3 bucket version.

    + * @public + */ + version?: string; +} + +/** + *

    The Amazon S3 location for the software bill of materials associated with a software + * package version.

    + * @public + */ +export interface Sbom { + /** + *

    The S3 location.

    + * @public + */ + s3Location?: S3Location; +} + +/** + * @public + */ +export interface AssociateSbomWithPackageVersionRequest { + /** + *

    The name of the new software package.

    + * @public + */ + packageName: string | undefined; + + /** + *

    The name of the new package version.

    + * @public + */ + versionName: string | undefined; + + /** + *

    The Amazon S3 location for the software bill of materials associated with a software + * package version.

    + * @public + */ + sbom: Sbom | undefined; + + /** + *

    A unique case-sensitive identifier that you can provide to ensure the idempotency of the request. Don't reuse this client token if a new idempotent request is required.

    + * @public + */ + clientToken?: string; +} + +/** + * @public + * @enum + */ +export const SbomValidationStatus = { + FAILED: "FAILED", + IN_PROGRESS: "IN_PROGRESS", + SUCCEEDED: "SUCCEEDED", +} as const; + +/** + * @public + */ +export type SbomValidationStatus = (typeof SbomValidationStatus)[keyof typeof SbomValidationStatus]; + +/** + * @public + */ +export interface AssociateSbomWithPackageVersionResponse { + /** + *

    The name of the new software package.

    + * @public + */ + packageName?: string; + + /** + *

    The name of the new package version.

    + * @public + */ + versionName?: string; + + /** + *

    The Amazon S3 location for the software bill of materials associated with a software + * package version.

    + * @public + */ + sbom?: Sbom; + + /** + *

    The status of the initial validation for the SBOM against the Software Package Data Exchange (SPDX) and CycloneDX industry standard format.

    + * @public + */ + sbomValidationStatus?: SbomValidationStatus; +} + +/** + *

    A resource with the same name already exists.

    + * @public + */ +export class ConflictException extends __BaseException { + readonly name: "ConflictException" = "ConflictException"; + readonly $fault: "client" = "client"; + /** + *

    A resource with the same name already exists.

    + * @public + */ + resourceId?: string; + + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ConflictException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ConflictException.prototype); + this.resourceId = opts.resourceId; + } +} + +/** + *

    Internal error from the service that indicates an unexpected error or that the service + * is unavailable.

    + * @public + */ +export class InternalServerException extends __BaseException { + readonly name: "InternalServerException" = "InternalServerException"; + readonly $fault: "server" = "server"; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "InternalServerException", + $fault: "server", + ...opts, + }); + Object.setPrototypeOf(this, InternalServerException.prototype); + } +} + +/** + *

    A limit has been exceeded.

    + * @public + */ +export class ServiceQuotaExceededException extends __BaseException { + readonly name: "ServiceQuotaExceededException" = "ServiceQuotaExceededException"; + readonly $fault: "client" = "client"; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ServiceQuotaExceededException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ServiceQuotaExceededException.prototype); + } +} + +/** + *

    The request is not valid.

    + * @public + */ +export class ValidationException extends __BaseException { + readonly name: "ValidationException" = "ValidationException"; + readonly $fault: "client" = "client"; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ValidationException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ValidationException.prototype); + } +} + /** * @public */ @@ -4256,7 +4456,7 @@ export interface ServerCertificateConfig { /** *

    A Boolean value that indicates whether Online Certificate Status Protocol (OCSP) server * certificate check is enabled or not.

    - *

    For more information, see Configuring OCSP server-certificate stapling in domain + *

    For more information, see Configuring OCSP server-certificate stapling in domain * configuration from Amazon Web Services IoT Core Developer Guide.

    * @public */ @@ -5086,33 +5286,6 @@ export interface CreateJobResponse { description?: string; } -/** - *

    A resource with the same name already exists.

    - * @public - */ -export class ConflictException extends __BaseException { - readonly name: "ConflictException" = "ConflictException"; - readonly $fault: "client" = "client"; - /** - *

    A resource with the same name already exists.

    - * @public - */ - resourceId?: string; - - /** - * @internal - */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "ConflictException", - $fault: "client", - ...opts, - }); - Object.setPrototypeOf(this, ConflictException.prototype); - this.resourceId = opts.resourceId; - } -} - /** * @public */ @@ -5834,30 +6007,6 @@ export interface CodeSigning { customCodeSigning?: CustomCodeSigning; } -/** - *

    The S3 location.

    - * @public - */ -export interface S3Location { - /** - *

    The S3 bucket.

    - * @public - */ - bucket?: string; - - /** - *

    The S3 key.

    - * @public - */ - key?: string; - - /** - *

    The S3 bucket version.

    - * @public - */ - version?: string; -} - /** *

    Describes a group of files that can be streamed.

    * @public @@ -6151,64 +6300,16 @@ export interface CreatePackageResponse { } /** - *

    Internal error from the service that indicates an unexpected error or that the service - * is unavailable.

    + *

    The Amazon S3 location for the artifacts associated with a software package + * version.

    * @public */ -export class InternalServerException extends __BaseException { - readonly name: "InternalServerException" = "InternalServerException"; - readonly $fault: "server" = "server"; +export interface PackageVersionArtifact { /** - * @internal - */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "InternalServerException", - $fault: "server", - ...opts, - }); - Object.setPrototypeOf(this, InternalServerException.prototype); - } -} - -/** - *

    A limit has been exceeded.

    - * @public - */ -export class ServiceQuotaExceededException extends __BaseException { - readonly name: "ServiceQuotaExceededException" = "ServiceQuotaExceededException"; - readonly $fault: "client" = "client"; - /** - * @internal - */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "ServiceQuotaExceededException", - $fault: "client", - ...opts, - }); - Object.setPrototypeOf(this, ServiceQuotaExceededException.prototype); - } -} - -/** - *

    The request is not valid.

    - * @public - */ -export class ValidationException extends __BaseException { - readonly name: "ValidationException" = "ValidationException"; - readonly $fault: "client" = "client"; - /** - * @internal + *

    The S3 location.

    + * @public */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "ValidationException", - $fault: "client", - ...opts, - }); - Object.setPrototypeOf(this, ValidationException.prototype); - } + s3Location?: S3Location; } /** @@ -6240,6 +6341,20 @@ export interface CreatePackageVersionRequest { */ attributes?: Record; + /** + *

    The various build components created during the build process such as libraries and + * configuration files that make up a software package version.

    + * @public + */ + artifact?: PackageVersionArtifact; + + /** + *

    The inline job document associated with a software package version used for a quick job + * deployment via IoT Jobs.

    + * @public + */ + recipe?: string; + /** *

    Metadata that can be used to manage the package version.

    * @public @@ -7640,61 +7755,6 @@ export class CertificateStateException extends __BaseException { } } -/** - *

    Input for the DeleteCACertificate operation.

    - * @public - */ -export interface DeleteCACertificateRequest { - /** - *

    The ID of the certificate to delete. (The last part of the certificate ARN contains - * the certificate ID.)

    - * @public - */ - certificateId: string | undefined; -} - -/** - *

    The output for the DeleteCACertificate operation.

    - * @public - */ -export interface DeleteCACertificateResponse {} - -/** - *

    The input for the DeleteCertificate operation.

    - * @public - */ -export interface DeleteCertificateRequest { - /** - *

    The ID of the certificate. (The last part of the certificate ARN contains the - * certificate ID.)

    - * @public - */ - certificateId: string | undefined; - - /** - *

    Forces the deletion of a certificate if it is inactive and is not attached to an IoT - * thing.

    - * @public - */ - forceDelete?: boolean; -} - -/** - * @public - */ -export interface DeleteCertificateProviderRequest { - /** - *

    The name of the certificate provider.

    - * @public - */ - certificateProviderName: string | undefined; -} - -/** - * @public - */ -export interface DeleteCertificateProviderResponse {} - /** * @internal */ @@ -7734,6 +7794,7 @@ export const CreatePackageVersionRequestFilterSensitiveLog = (obj: CreatePackage ...obj, ...(obj.description && { description: SENSITIVE_STRING }), ...(obj.attributes && { attributes: SENSITIVE_STRING }), + ...(obj.recipe && { recipe: SENSITIVE_STRING }), }); /** diff --git a/clients/client-iot/src/models/models_1.ts b/clients/client-iot/src/models/models_1.ts index aa1c1a3d9f80..3d672a38a495 100644 --- a/clients/client-iot/src/models/models_1.ts +++ b/clients/client-iot/src/models/models_1.ts @@ -50,12 +50,15 @@ import { MitigationActionParams, OTAUpdateFile, OTAUpdateStatus, + PackageVersionArtifact, PackageVersionStatus, Policy, PresignedUrlConfig, Protocol, ProvisioningHook, ResourceIdentifier, + Sbom, + SbomValidationStatus, SchedulingConfig, ServerCertificateConfig, ServiceType, @@ -71,6 +74,61 @@ import { VerificationState, } from "./models_0"; +/** + *

    Input for the DeleteCACertificate operation.

    + * @public + */ +export interface DeleteCACertificateRequest { + /** + *

    The ID of the certificate to delete. (The last part of the certificate ARN contains + * the certificate ID.)

    + * @public + */ + certificateId: string | undefined; +} + +/** + *

    The output for the DeleteCACertificate operation.

    + * @public + */ +export interface DeleteCACertificateResponse {} + +/** + *

    The input for the DeleteCertificate operation.

    + * @public + */ +export interface DeleteCertificateRequest { + /** + *

    The ID of the certificate. (The last part of the certificate ARN contains the + * certificate ID.)

    + * @public + */ + certificateId: string | undefined; + + /** + *

    Forces the deletion of a certificate if it is inactive and is not attached to an IoT + * thing.

    + * @public + */ + forceDelete?: boolean; +} + +/** + * @public + */ +export interface DeleteCertificateProviderRequest { + /** + *

    The name of the certificate provider.

    + * @public + */ + certificateProviderName: string | undefined; +} + +/** + * @public + */ +export interface DeleteCertificateProviderResponse {} + /** * @public */ @@ -2282,6 +2340,12 @@ export interface DescribeJobRequest { * @public */ jobId: string | undefined; + + /** + *

    A flag that provides a view of the job document before and after the substitution parameters have been resolved with their exact values.

    + * @public + */ + beforeSubstitution?: boolean; } /** @@ -3970,6 +4034,34 @@ export interface DisableTopicRuleRequest { ruleName: string | undefined; } +/** + * @public + */ +export interface DisassociateSbomFromPackageVersionRequest { + /** + *

    The name of the new software package.

    + * @public + */ + packageName: string | undefined; + + /** + *

    The name of the new package version.

    + * @public + */ + versionName: string | undefined; + + /** + *

    A unique case-sensitive identifier that you can provide to ensure the idempotency of the request. Don't reuse this client token if a new idempotent request is required.

    + * @public + */ + clientToken?: string; +} + +/** + * @public + */ +export interface DisassociateSbomFromPackageVersionResponse {} + /** *

    The input for the EnableTopicRuleRequest operation.

    * @public @@ -4655,6 +4747,12 @@ export interface GetJobDocumentRequest { * @public */ jobId: string | undefined; + + /** + *

    A flag that provides a view of the job document before and after the substitution parameters have been resolved with their exact values.

    + * @public + */ + beforeSubstitution?: boolean; } /** @@ -4981,6 +5079,12 @@ export interface GetPackageVersionResponse { */ attributes?: Record; + /** + *

    The various components that make up a software package version.

    + * @public + */ + artifact?: PackageVersionArtifact; + /** *

    The status associated to the package version. For more information, see Package version lifecycle.

    * @public @@ -5004,6 +5108,26 @@ export interface GetPackageVersionResponse { * @public */ lastModifiedDate?: Date; + + /** + *

    The software bill of materials for a software package version.

    + * @public + */ + sbom?: Sbom; + + /** + *

    The status of the validation for a new software bill of materials added to a software + * package version.

    + * @public + */ + sbomValidationStatus?: SbomValidationStatus; + + /** + *

    The inline job document associated with a software package version used for a quick job + * deployment via IoT Jobs.

    + * @public + */ + recipe?: string; } /** @@ -7331,152 +7455,6 @@ export interface MetricDatum { value?: MetricValue; } -/** - * @public - */ -export interface ListMetricValuesResponse { - /** - *

    The data the thing reports for the metric during the specified time period.

    - * @public - */ - metricDatumList?: MetricDatum[]; - - /** - *

    A token that can be used to retrieve the next set of results, or null - * if there are no additional results.

    - * @public - */ - nextToken?: string; -} - -/** - * @public - */ -export interface ListMitigationActionsRequest { - /** - *

    Specify a value to limit the result to mitigation actions with a specific action type.

    - * @public - */ - actionType?: MitigationActionType; - - /** - *

    The maximum number of results to return at one time. The default is 25.

    - * @public - */ - maxResults?: number; - - /** - *

    The token for the next set of results.

    - * @public - */ - nextToken?: string; -} - -/** - *

    Information that identifies a mitigation action. This information is returned by ListMitigationActions.

    - * @public - */ -export interface MitigationActionIdentifier { - /** - *

    The friendly name of the mitigation action.

    - * @public - */ - actionName?: string; - - /** - *

    The IAM role ARN used to apply this mitigation action.

    - * @public - */ - actionArn?: string; - - /** - *

    The date when this mitigation action was created.

    - * @public - */ - creationDate?: Date; -} - -/** - * @public - */ -export interface ListMitigationActionsResponse { - /** - *

    A set of actions that matched the specified filter criteria.

    - * @public - */ - actionIdentifiers?: MitigationActionIdentifier[]; - - /** - *

    The token for the next set of results.

    - * @public - */ - nextToken?: string; -} - -/** - * @public - */ -export interface ListOTAUpdatesRequest { - /** - *

    The maximum number of results to return at one time.

    - * @public - */ - maxResults?: number; - - /** - *

    A token used to retrieve the next set of results.

    - * @public - */ - nextToken?: string; - - /** - *

    The OTA update job status.

    - * @public - */ - otaUpdateStatus?: OTAUpdateStatus; -} - -/** - *

    An OTA update summary.

    - * @public - */ -export interface OTAUpdateSummary { - /** - *

    The OTA update ID.

    - * @public - */ - otaUpdateId?: string; - - /** - *

    The OTA update ARN.

    - * @public - */ - otaUpdateArn?: string; - - /** - *

    The date when the OTA update was created.

    - * @public - */ - creationDate?: Date; -} - -/** - * @public - */ -export interface ListOTAUpdatesResponse { - /** - *

    A list of OTA update jobs.

    - * @public - */ - otaUpdates?: OTAUpdateSummary[]; - - /** - *

    A token to use to get the next set of results.

    - * @public - */ - nextToken?: string; -} - /** * @internal */ @@ -7492,4 +7470,5 @@ export const GetPackageVersionResponseFilterSensitiveLog = (obj: GetPackageVersi ...obj, ...(obj.description && { description: SENSITIVE_STRING }), ...(obj.attributes && { attributes: SENSITIVE_STRING }), + ...(obj.recipe && { recipe: SENSITIVE_STRING }), }); diff --git a/clients/client-iot/src/models/models_2.ts b/clients/client-iot/src/models/models_2.ts index 003526442b66..85f8ccdd57d3 100644 --- a/clients/client-iot/src/models/models_2.ts +++ b/clients/client-iot/src/models/models_2.ts @@ -33,6 +33,8 @@ import { MetricToRetain, MetricValue, MitigationActionParams, + OTAUpdateStatus, + PackageVersionArtifact, PackageVersionStatus, Policy, PresignedUrlConfig, @@ -64,6 +66,8 @@ import { EventType, GroupNameAndArn, LogTargetType, + MetricDatum, + MitigationActionType, RegistrationConfig, Status, ThingGroupIndexingConfiguration, @@ -73,6 +77,152 @@ import { ViolationEventOccurrenceRange, } from "./models_1"; +/** + * @public + */ +export interface ListMetricValuesResponse { + /** + *

    The data the thing reports for the metric during the specified time period.

    + * @public + */ + metricDatumList?: MetricDatum[]; + + /** + *

    A token that can be used to retrieve the next set of results, or null + * if there are no additional results.

    + * @public + */ + nextToken?: string; +} + +/** + * @public + */ +export interface ListMitigationActionsRequest { + /** + *

    Specify a value to limit the result to mitigation actions with a specific action type.

    + * @public + */ + actionType?: MitigationActionType; + + /** + *

    The maximum number of results to return at one time. The default is 25.

    + * @public + */ + maxResults?: number; + + /** + *

    The token for the next set of results.

    + * @public + */ + nextToken?: string; +} + +/** + *

    Information that identifies a mitigation action. This information is returned by ListMitigationActions.

    + * @public + */ +export interface MitigationActionIdentifier { + /** + *

    The friendly name of the mitigation action.

    + * @public + */ + actionName?: string; + + /** + *

    The IAM role ARN used to apply this mitigation action.

    + * @public + */ + actionArn?: string; + + /** + *

    The date when this mitigation action was created.

    + * @public + */ + creationDate?: Date; +} + +/** + * @public + */ +export interface ListMitigationActionsResponse { + /** + *

    A set of actions that matched the specified filter criteria.

    + * @public + */ + actionIdentifiers?: MitigationActionIdentifier[]; + + /** + *

    The token for the next set of results.

    + * @public + */ + nextToken?: string; +} + +/** + * @public + */ +export interface ListOTAUpdatesRequest { + /** + *

    The maximum number of results to return at one time.

    + * @public + */ + maxResults?: number; + + /** + *

    A token used to retrieve the next set of results.

    + * @public + */ + nextToken?: string; + + /** + *

    The OTA update job status.

    + * @public + */ + otaUpdateStatus?: OTAUpdateStatus; +} + +/** + *

    An OTA update summary.

    + * @public + */ +export interface OTAUpdateSummary { + /** + *

    The OTA update ID.

    + * @public + */ + otaUpdateId?: string; + + /** + *

    The OTA update ARN.

    + * @public + */ + otaUpdateArn?: string; + + /** + *

    The date when the OTA update was created.

    + * @public + */ + creationDate?: Date; +} + +/** + * @public + */ +export interface ListOTAUpdatesResponse { + /** + *

    A list of OTA update jobs.

    + * @public + */ + otaUpdates?: OTAUpdateSummary[]; + + /** + *

    A token to use to get the next set of results.

    + * @public + */ + nextToken?: string; +} + /** *

    The input to the ListOutgoingCertificates operation.

    * @public @@ -772,6 +922,118 @@ export interface ListRoleAliasesResponse { nextMarker?: string; } +/** + * @public + * @enum + */ +export const SbomValidationResult = { + FAILED: "FAILED", + SUCCEEDED: "SUCCEEDED", +} as const; + +/** + * @public + */ +export type SbomValidationResult = (typeof SbomValidationResult)[keyof typeof SbomValidationResult]; + +/** + * @public + */ +export interface ListSbomValidationResultsRequest { + /** + *

    The name of the new software package.

    + * @public + */ + packageName: string | undefined; + + /** + *

    The name of the new package version.

    + * @public + */ + versionName: string | undefined; + + /** + *

    The end result of the

    + * @public + */ + validationResult?: SbomValidationResult; + + /** + *

    The maximum number of results to return at one time.

    + * @public + */ + maxResults?: number; + + /** + *

    A token that can be used to retrieve the next set of results, or null if there are no additional results.

    + * @public + */ + nextToken?: string; +} + +/** + * @public + * @enum + */ +export const SbomValidationErrorCode = { + FILE_SIZE_LIMIT_EXCEEDED: "FILE_SIZE_LIMIT_EXCEEDED", + INCOMPATIBLE_FORMAT: "INCOMPATIBLE_FORMAT", +} as const; + +/** + * @public + */ +export type SbomValidationErrorCode = (typeof SbomValidationErrorCode)[keyof typeof SbomValidationErrorCode]; + +/** + *

    A summary of the validation results for a specific software bill of materials (SBOM) attached to a software package version.

    + * @public + */ +export interface SbomValidationResultSummary { + /** + *

    The name of the SBOM file.

    + * @public + */ + fileName?: string; + + /** + *

    The end result of the SBOM validation.

    + * @public + */ + validationResult?: SbomValidationResult; + + /** + *

    The errorCode representing the validation failure error if the SBOM + * validation failed.

    + * @public + */ + errorCode?: SbomValidationErrorCode; + + /** + *

    The errorMessage representing the validation failure error if the SBOM + * validation failed.

    + * @public + */ + errorMessage?: string; +} + +/** + * @public + */ +export interface ListSbomValidationResultsResponse { + /** + *

    A summary of the validation results for each software bill of materials attached to a software package version.

    + * @public + */ + validationResultSummaries?: SbomValidationResultSummary[]; + + /** + *

    A token that can be used to retrieve the next set of results, or null if there are no additional results.

    + * @public + */ + nextToken?: string; +} + /** * @public */ @@ -4308,12 +4570,25 @@ export interface UpdatePackageVersionRequest { */ attributes?: Record; + /** + *

    The various components that make up a software package version.

    + * @public + */ + artifact?: PackageVersionArtifact; + /** *

    The status that the package version should be assigned. For more information, see Package version lifecycle.

    * @public */ action?: PackageVersionAction; + /** + *

    The inline job document associated with a software package version used for a quick job + * deployment via IoT Jobs.

    + * @public + */ + recipe?: string; + /** *

    A unique case-sensitive identifier that you can provide to ensure the idempotency of the request. * Don't reuse this client token if a new idempotent request is required.

    @@ -4953,4 +5228,5 @@ export const UpdatePackageVersionRequestFilterSensitiveLog = (obj: UpdatePackage ...obj, ...(obj.description && { description: SENSITIVE_STRING }), ...(obj.attributes && { attributes: SENSITIVE_STRING }), + ...(obj.recipe && { recipe: SENSITIVE_STRING }), }); diff --git a/clients/client-iot/src/pagination/ListSbomValidationResultsPaginator.ts b/clients/client-iot/src/pagination/ListSbomValidationResultsPaginator.ts new file mode 100644 index 000000000000..727a5b9233b6 --- /dev/null +++ b/clients/client-iot/src/pagination/ListSbomValidationResultsPaginator.ts @@ -0,0 +1,24 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { + ListSbomValidationResultsCommand, + ListSbomValidationResultsCommandInput, + ListSbomValidationResultsCommandOutput, +} from "../commands/ListSbomValidationResultsCommand"; +import { IoTClient } from "../IoTClient"; +import { IoTPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateListSbomValidationResults: ( + config: IoTPaginationConfiguration, + input: ListSbomValidationResultsCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + IoTPaginationConfiguration, + ListSbomValidationResultsCommandInput, + ListSbomValidationResultsCommandOutput +>(IoTClient, ListSbomValidationResultsCommand, "nextToken", "nextToken", "maxResults"); diff --git a/clients/client-iot/src/pagination/index.ts b/clients/client-iot/src/pagination/index.ts index f280106d7ca7..4fc9c40e63cd 100644 --- a/clients/client-iot/src/pagination/index.ts +++ b/clients/client-iot/src/pagination/index.ts @@ -39,6 +39,7 @@ export * from "./ListProvisioningTemplateVersionsPaginator"; export * from "./ListProvisioningTemplatesPaginator"; export * from "./ListRelatedResourcesForAuditFindingPaginator"; export * from "./ListRoleAliasesPaginator"; +export * from "./ListSbomValidationResultsPaginator"; export * from "./ListScheduledAuditsPaginator"; export * from "./ListSecurityProfilesForTargetPaginator"; export * from "./ListSecurityProfilesPaginator"; diff --git a/clients/client-iot/src/protocols/Aws_restJson1.ts b/clients/client-iot/src/protocols/Aws_restJson1.ts index 4c1a314723f3..294784bbad48 100644 --- a/clients/client-iot/src/protocols/Aws_restJson1.ts +++ b/clients/client-iot/src/protocols/Aws_restJson1.ts @@ -42,6 +42,10 @@ import { AddThingToThingGroupCommandInput, AddThingToThingGroupCommandOutput, } from "../commands/AddThingToThingGroupCommand"; +import { + AssociateSbomWithPackageVersionCommandInput, + AssociateSbomWithPackageVersionCommandOutput, +} from "../commands/AssociateSbomWithPackageVersionCommand"; import { AssociateTargetsWithJobCommandInput, AssociateTargetsWithJobCommandOutput, @@ -358,6 +362,10 @@ import { DetachThingPrincipalCommandOutput, } from "../commands/DetachThingPrincipalCommand"; import { DisableTopicRuleCommandInput, DisableTopicRuleCommandOutput } from "../commands/DisableTopicRuleCommand"; +import { + DisassociateSbomFromPackageVersionCommandInput, + DisassociateSbomFromPackageVersionCommandOutput, +} from "../commands/DisassociateSbomFromPackageVersionCommand"; import { EnableTopicRuleCommandInput, EnableTopicRuleCommandOutput } from "../commands/EnableTopicRuleCommand"; import { GetBehaviorModelTrainingSummariesCommandInput, @@ -508,6 +516,10 @@ import { ListRelatedResourcesForAuditFindingCommandOutput, } from "../commands/ListRelatedResourcesForAuditFindingCommand"; import { ListRoleAliasesCommandInput, ListRoleAliasesCommandOutput } from "../commands/ListRoleAliasesCommand"; +import { + ListSbomValidationResultsCommandInput, + ListSbomValidationResultsCommandOutput, +} from "../commands/ListSbomValidationResultsCommand"; import { ListScheduledAuditsCommandInput, ListScheduledAuditsCommandOutput, @@ -822,6 +834,7 @@ import { MqttHeaders, OpenSearchAction, OTAUpdateFile, + PackageVersionArtifact, PolicyVersionIdentifier, PresignedUrlConfig, Protocol, @@ -840,6 +853,7 @@ import { S3Destination, S3Location, SalesforceAction, + Sbom, SchedulingConfig, ServerCertificateConfig, ServiceQuotaExceededException, @@ -900,10 +914,8 @@ import { JobSummary, JobTemplateSummary, MetricDatum, - MitigationActionIdentifier, NotConfiguredException, OTAUpdateInfo, - OTAUpdateSummary, PercentPair, RegistrationConfig, RoleAliasDescription, @@ -925,7 +937,9 @@ import { InvalidResponseException, LoggingOptionsPayload, LogTarget, + MitigationActionIdentifier, MqttContext, + OTAUpdateSummary, OutgoingCertificate, PackageSummary, PackageVersionSummary, @@ -1013,6 +1027,33 @@ export const se_AddThingToThingGroupCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1AssociateSbomWithPackageVersionCommand + */ +export const se_AssociateSbomWithPackageVersionCommand = async ( + input: AssociateSbomWithPackageVersionCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/packages/{packageName}/versions/{versionName}/sbom"); + b.p("packageName", () => input.packageName!, "{packageName}", false); + b.p("versionName", () => input.versionName!, "{versionName}", false); + const query: any = map({ + [_cT]: [, input[_cT] ?? generateIdempotencyToken()], + }); + let body: any; + body = JSON.stringify( + take(input, { + sbom: (_) => _json(_), + }) + ); + b.m("PUT").h(headers).q(query).b(body); + return b.build(); +}; + /** * serializeAws_restJson1AssociateTargetsWithJobCommand */ @@ -1735,8 +1776,10 @@ export const se_CreatePackageVersionCommand = async ( let body: any; body = JSON.stringify( take(input, { + artifact: (_) => _json(_), attributes: (_) => _json(_), description: [], + recipe: [], tags: (_) => _json(_), }) ); @@ -3037,8 +3080,11 @@ export const se_DescribeJobCommand = async ( const headers: any = {}; b.bp("/jobs/{jobId}"); b.p("jobId", () => input.jobId!, "{jobId}", false); + const query: any = map({ + [_bS]: [() => input.beforeSubstitution !== void 0, () => input[_bS]!.toString()], + }); let body: any; - b.m("GET").h(headers).b(body); + b.m("GET").h(headers).q(query).b(body); return b.build(); }; @@ -3368,6 +3414,26 @@ export const se_DisableTopicRuleCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1DisassociateSbomFromPackageVersionCommand + */ +export const se_DisassociateSbomFromPackageVersionCommand = async ( + input: DisassociateSbomFromPackageVersionCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/packages/{packageName}/versions/{versionName}/sbom"); + b.p("packageName", () => input.packageName!, "{packageName}", false); + b.p("versionName", () => input.versionName!, "{versionName}", false); + const query: any = map({ + [_cT]: [, input[_cT] ?? generateIdempotencyToken()], + }); + let body: any; + b.m("DELETE").h(headers).q(query).b(body); + return b.build(); +}; + /** * serializeAws_restJson1EnableTopicRuleCommand */ @@ -3507,8 +3573,11 @@ export const se_GetJobDocumentCommand = async ( const headers: any = {}; b.bp("/jobs/{jobId}/job-document"); b.p("jobId", () => input.jobId!, "{jobId}", false); + const query: any = map({ + [_bS]: [() => input.beforeSubstitution !== void 0, () => input[_bS]!.toString()], + }); let body: any; - b.m("GET").h(headers).b(body); + b.m("GET").h(headers).q(query).b(body); return b.build(); }; @@ -4581,6 +4650,28 @@ export const se_ListRoleAliasesCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1ListSbomValidationResultsCommand + */ +export const se_ListSbomValidationResultsCommand = async ( + input: ListSbomValidationResultsCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/packages/{packageName}/versions/{versionName}/sbom-validation-results"); + b.p("packageName", () => input.packageName!, "{packageName}", false); + b.p("versionName", () => input.versionName!, "{versionName}", false); + const query: any = map({ + [_vR]: [, input[_vR]!], + [_mR]: [() => input.maxResults !== void 0, () => input[_mR]!.toString()], + [_nT]: [, input[_nT]!], + }); + let body: any; + b.m("GET").h(headers).q(query).b(body); + return b.build(); +}; + /** * serializeAws_restJson1ListScheduledAuditsCommand */ @@ -6076,8 +6167,10 @@ export const se_UpdatePackageVersionCommand = async ( body = JSON.stringify( take(input, { action: [], + artifact: (_) => _json(_), attributes: (_) => _json(_), description: [], + recipe: [], }) ); b.m("PATCH").h(headers).q(query).b(body); @@ -6393,6 +6486,30 @@ export const de_AddThingToThingGroupCommand = async ( return contents; }; +/** + * deserializeAws_restJson1AssociateSbomWithPackageVersionCommand + */ +export const de_AssociateSbomWithPackageVersionCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + packageName: __expectString, + sbom: _json, + sbomValidationStatus: __expectString, + versionName: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + /** * deserializeAws_restJson1AssociateTargetsWithJobCommand */ @@ -8871,6 +8988,23 @@ export const de_DisableTopicRuleCommand = async ( return contents; }; +/** + * deserializeAws_restJson1DisassociateSbomFromPackageVersionCommand + */ +export const de_DisassociateSbomFromPackageVersionCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + /** * deserializeAws_restJson1EnableTopicRuleCommand */ @@ -9122,6 +9256,7 @@ export const de_GetPackageVersionCommand = async ( }); const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); const doc = take(data, { + artifact: _json, attributes: _json, creationDate: (_) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), description: __expectString, @@ -9129,6 +9264,9 @@ export const de_GetPackageVersionCommand = async ( lastModifiedDate: (_) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), packageName: __expectString, packageVersionArn: __expectString, + recipe: __expectString, + sbom: _json, + sbomValidationStatus: __expectString, status: __expectString, versionName: __expectString, }); @@ -10199,6 +10337,28 @@ export const de_ListRoleAliasesCommand = async ( return contents; }; +/** + * deserializeAws_restJson1ListSbomValidationResultsCommand + */ +export const de_ListSbomValidationResultsCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + nextToken: __expectString, + validationResultSummaries: _json, + }); + Object.assign(contents, doc); + return contents; +}; + /** * deserializeAws_restJson1ListScheduledAuditsCommand */ @@ -11737,6 +11897,18 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "UnauthorizedException": case "com.amazonaws.iot#UnauthorizedException": throw await de_UnauthorizedExceptionRes(parsedOutput, context); + case "ConflictException": + case "com.amazonaws.iot#ConflictException": + throw await de_ConflictExceptionRes(parsedOutput, context); + case "InternalServerException": + case "com.amazonaws.iot#InternalServerException": + throw await de_InternalServerExceptionRes(parsedOutput, context); + case "ServiceQuotaExceededException": + case "com.amazonaws.iot#ServiceQuotaExceededException": + throw await de_ServiceQuotaExceededExceptionRes(parsedOutput, context); + case "ValidationException": + case "com.amazonaws.iot#ValidationException": + throw await de_ValidationExceptionRes(parsedOutput, context); case "LimitExceededException": case "com.amazonaws.iot#LimitExceededException": throw await de_LimitExceededExceptionRes(parsedOutput, context); @@ -11767,18 +11939,6 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "InvalidAggregationException": case "com.amazonaws.iot#InvalidAggregationException": throw await de_InvalidAggregationExceptionRes(parsedOutput, context); - case "ConflictException": - case "com.amazonaws.iot#ConflictException": - throw await de_ConflictExceptionRes(parsedOutput, context); - case "InternalServerException": - case "com.amazonaws.iot#InternalServerException": - throw await de_InternalServerExceptionRes(parsedOutput, context); - case "ServiceQuotaExceededException": - case "com.amazonaws.iot#ServiceQuotaExceededException": - throw await de_ServiceQuotaExceededExceptionRes(parsedOutput, context); - case "ValidationException": - case "com.amazonaws.iot#ValidationException": - throw await de_ValidationExceptionRes(parsedOutput, context); case "MalformedPolicyException": case "com.amazonaws.iot#MalformedPolicyException": throw await de_MalformedPolicyExceptionRes(parsedOutput, context); @@ -12897,6 +13057,8 @@ const se_OTAUpdateFiles = (input: OTAUpdateFile[], context: __SerdeContext): any }); }; +// se_PackageVersionArtifact omitted. + // se_ParameterMap omitted. // se_Parameters omitted. @@ -12962,6 +13124,8 @@ const se_PercentList = (input: number[], context: __SerdeContext): any => { // se_SalesforceAction omitted. +// se_Sbom omitted. + // se_SchedulingConfig omitted. // se_SearchableAttributes omitted. @@ -14201,6 +14365,8 @@ const de_PackageSummaryList = (output: any, context: __SerdeContext): PackageSum return retVal; }; +// de_PackageVersionArtifact omitted. + /** * deserializeAws_restJson1PackageVersionSummary */ @@ -14414,6 +14580,12 @@ const de_RoleAliasDescription = (output: any, context: __SerdeContext): RoleAlia // de_SalesforceAction omitted. +// de_Sbom omitted. + +// de_SbomValidationResultSummary omitted. + +// de_SbomValidationResultSummaryList omitted. + // de_ScheduledAuditMetadata omitted. // de_ScheduledAuditMetadataList omitted. @@ -14795,6 +14967,7 @@ const _aT = "actionType"; const _aTI = "auditTaskId"; const _aV = "attributeValue"; const _bCT = "behaviorCriteriaType"; +const _bS = "beforeSubstitution"; const _cI = "clientId"; const _cT = "clientToken"; const _dN = "dimensionName"; @@ -14853,6 +15026,7 @@ const _tV = "templateVersion"; const _to = "topic"; const _uPAV = "usePrefixAttributeValue"; const _vI = "violationId"; +const _vR = "validationResult"; const _vS = "verificationState"; const _xaip = "x-amzn-iot-principal"; const _xaip_ = "x-amzn-iot-policy"; diff --git a/codegen/sdk-codegen/aws-models/iot.json b/codegen/sdk-codegen/aws-models/iot.json index b7dace087935..2283c5b328e0 100644 --- a/codegen/sdk-codegen/aws-models/iot.json +++ b/codegen/sdk-codegen/aws-models/iot.json @@ -42,6 +42,9 @@ { "target": "com.amazonaws.iot#AddThingToThingGroup" }, + { + "target": "com.amazonaws.iot#AssociateSbomWithPackageVersion" + }, { "target": "com.amazonaws.iot#AssociateTargetsWithJob" }, @@ -396,6 +399,9 @@ { "target": "com.amazonaws.iot#DisableTopicRule" }, + { + "target": "com.amazonaws.iot#DisassociateSbomFromPackageVersion" + }, { "target": "com.amazonaws.iot#EnableTopicRule" }, @@ -576,6 +582,9 @@ { "target": "com.amazonaws.iot#ListRoleAliases" }, + { + "target": "com.amazonaws.iot#ListSbomValidationResults" + }, { "target": "com.amazonaws.iot#ListScheduledAudits" }, @@ -2726,6 +2735,111 @@ "smithy.api#documentation": "

    Contains an asset property value (of a single type).

    " } }, + "com.amazonaws.iot#AssociateSbomWithPackageVersion": { + "type": "operation", + "input": { + "target": "com.amazonaws.iot#AssociateSbomWithPackageVersionRequest" + }, + "output": { + "target": "com.amazonaws.iot#AssociateSbomWithPackageVersionResponse" + }, + "errors": [ + { + "target": "com.amazonaws.iot#ConflictException" + }, + { + "target": "com.amazonaws.iot#InternalServerException" + }, + { + "target": "com.amazonaws.iot#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.iot#ServiceQuotaExceededException" + }, + { + "target": "com.amazonaws.iot#ThrottlingException" + }, + { + "target": "com.amazonaws.iot#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

    Associates a software bill of materials (SBOM) with a specific software package version.

    \n

    Requires permission to access the AssociateSbomWithPackageVersion action.

    ", + "smithy.api#http": { + "method": "PUT", + "uri": "/packages/{packageName}/versions/{versionName}/sbom", + "code": 200 + }, + "smithy.api#idempotent": {} + } + }, + "com.amazonaws.iot#AssociateSbomWithPackageVersionRequest": { + "type": "structure", + "members": { + "packageName": { + "target": "com.amazonaws.iot#PackageName", + "traits": { + "smithy.api#documentation": "

    The name of the new software package.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "versionName": { + "target": "com.amazonaws.iot#VersionName", + "traits": { + "smithy.api#documentation": "

    The name of the new package version.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "sbom": { + "target": "com.amazonaws.iot#Sbom", + "traits": { + "smithy.api#required": {} + } + }, + "clientToken": { + "target": "com.amazonaws.iot#ClientToken", + "traits": { + "smithy.api#documentation": "

    A unique case-sensitive identifier that you can provide to ensure the idempotency of the request. Don't reuse this client token if a new idempotent request is required.

    ", + "smithy.api#httpQuery": "clientToken", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.iot#AssociateSbomWithPackageVersionResponse": { + "type": "structure", + "members": { + "packageName": { + "target": "com.amazonaws.iot#PackageName", + "traits": { + "smithy.api#documentation": "

    The name of the new software package.

    " + } + }, + "versionName": { + "target": "com.amazonaws.iot#VersionName", + "traits": { + "smithy.api#documentation": "

    The name of the new package version.

    " + } + }, + "sbom": { + "target": "com.amazonaws.iot#Sbom" + }, + "sbomValidationStatus": { + "target": "com.amazonaws.iot#SbomValidationStatus", + "traits": { + "smithy.api#documentation": "

    The status of the initial validation for the SBOM against the Software Package Data Exchange (SPDX) and CycloneDX industry standard format.

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.iot#AssociateTargetsWithJob": { "type": "operation", "input": { @@ -4382,6 +4496,12 @@ "com.amazonaws.iot#BatchMode": { "type": "boolean" }, + "com.amazonaws.iot#BeforeSubstitutionFlag": { + "type": "boolean", + "traits": { + "smithy.api#default": false + } + }, "com.amazonaws.iot#Behavior": { "type": "structure", "members": { @@ -8131,6 +8251,18 @@ "smithy.api#documentation": "

    Metadata that can be used to define a package version’s configuration. For example, the S3 file location, configuration options that are being sent to the device or fleet.

    \n

    The combined size of all the attributes on a package version is limited to 3KB.

    " } }, + "artifact": { + "target": "com.amazonaws.iot#PackageVersionArtifact", + "traits": { + "smithy.api#documentation": "

    The various build components created during the build process such as libraries and\n configuration files that make up a software package version.

    " + } + }, + "recipe": { + "target": "com.amazonaws.iot#PackageVersionRecipe", + "traits": { + "smithy.api#documentation": "

    The inline job document associated with a software package version used for a quick job\n deployment via IoT Jobs.

    " + } + }, "tags": { "target": "com.amazonaws.iot#TagMap", "traits": { @@ -13618,6 +13750,14 @@ "smithy.api#httpLabel": {}, "smithy.api#required": {} } + }, + "beforeSubstitution": { + "target": "com.amazonaws.iot#BeforeSubstitutionFlag", + "traits": { + "smithy.api#default": false, + "smithy.api#documentation": "

    A flag that provides a view of the job document before and after the substitution parameters have been resolved with their exact values.

    ", + "smithy.api#httpQuery": "beforeSubstitution" + } } }, "traits": { @@ -15728,6 +15868,80 @@ "smithy.api#input": {} } }, + "com.amazonaws.iot#DisassociateSbomFromPackageVersion": { + "type": "operation", + "input": { + "target": "com.amazonaws.iot#DisassociateSbomFromPackageVersionRequest" + }, + "output": { + "target": "com.amazonaws.iot#DisassociateSbomFromPackageVersionResponse" + }, + "errors": [ + { + "target": "com.amazonaws.iot#ConflictException" + }, + { + "target": "com.amazonaws.iot#InternalServerException" + }, + { + "target": "com.amazonaws.iot#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.iot#ThrottlingException" + }, + { + "target": "com.amazonaws.iot#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

    Disassociates a software bill of materials (SBOM) from a specific software package version.

    \n

    Requires permission to access the DisassociateSbomWithPackageVersion action.

    ", + "smithy.api#http": { + "method": "DELETE", + "uri": "/packages/{packageName}/versions/{versionName}/sbom", + "code": 200 + }, + "smithy.api#idempotent": {} + } + }, + "com.amazonaws.iot#DisassociateSbomFromPackageVersionRequest": { + "type": "structure", + "members": { + "packageName": { + "target": "com.amazonaws.iot#PackageName", + "traits": { + "smithy.api#documentation": "

    The name of the new software package.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "versionName": { + "target": "com.amazonaws.iot#VersionName", + "traits": { + "smithy.api#documentation": "

    The name of the new package version.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "clientToken": { + "target": "com.amazonaws.iot#ClientToken", + "traits": { + "smithy.api#documentation": "

    A unique case-sensitive identifier that you can provide to ensure the idempotency of the request. Don't reuse this client token if a new idempotent request is required.

    ", + "smithy.api#httpQuery": "clientToken", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.iot#DisassociateSbomFromPackageVersionResponse": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.iot#DisconnectReason": { "type": "string" }, @@ -17342,6 +17556,14 @@ "smithy.api#httpLabel": {}, "smithy.api#required": {} } + }, + "beforeSubstitution": { + "target": "com.amazonaws.iot#BeforeSubstitutionFlag", + "traits": { + "smithy.api#default": false, + "smithy.api#documentation": "

    A flag that provides a view of the job document before and after the substitution parameters have been resolved with their exact values.

    ", + "smithy.api#httpQuery": "beforeSubstitution" + } } }, "traits": { @@ -17711,6 +17933,12 @@ "smithy.api#documentation": "

    Metadata that were added to the package version that can be used to define a package version’s configuration.

    " } }, + "artifact": { + "target": "com.amazonaws.iot#PackageVersionArtifact", + "traits": { + "smithy.api#documentation": "

    The various components that make up a software package version.

    " + } + }, "status": { "target": "com.amazonaws.iot#PackageVersionStatus", "traits": { @@ -17734,6 +17962,24 @@ "traits": { "smithy.api#documentation": "

    The date when the package version was last updated.

    " } + }, + "sbom": { + "target": "com.amazonaws.iot#Sbom", + "traits": { + "smithy.api#documentation": "

    The software bill of materials for a software package version.

    " + } + }, + "sbomValidationStatus": { + "target": "com.amazonaws.iot#SbomValidationStatus", + "traits": { + "smithy.api#documentation": "

    The status of the validation for a new software bill of materials added to a software\n package version.

    " + } + }, + "recipe": { + "target": "com.amazonaws.iot#PackageVersionRecipe", + "traits": { + "smithy.api#documentation": "

    The inline job document associated with a software package version used for a quick job\n deployment via IoT Jobs.

    " + } } }, "traits": { @@ -23747,6 +23993,108 @@ "smithy.api#output": {} } }, + "com.amazonaws.iot#ListSbomValidationResults": { + "type": "operation", + "input": { + "target": "com.amazonaws.iot#ListSbomValidationResultsRequest" + }, + "output": { + "target": "com.amazonaws.iot#ListSbomValidationResultsResponse" + }, + "errors": [ + { + "target": "com.amazonaws.iot#InternalServerException" + }, + { + "target": "com.amazonaws.iot#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.iot#ThrottlingException" + }, + { + "target": "com.amazonaws.iot#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

    The validation results for all software bill of materials (SBOM) attached to a specific software package version.

    \n

    Requires permission to access the ListSbomValidationResults action.

    ", + "smithy.api#http": { + "method": "GET", + "uri": "/packages/{packageName}/versions/{versionName}/sbom-validation-results", + "code": 200 + }, + "smithy.api#paginated": { + "inputToken": "nextToken", + "outputToken": "nextToken", + "items": "validationResultSummaries", + "pageSize": "maxResults" + } + } + }, + "com.amazonaws.iot#ListSbomValidationResultsRequest": { + "type": "structure", + "members": { + "packageName": { + "target": "com.amazonaws.iot#PackageName", + "traits": { + "smithy.api#documentation": "

    The name of the new software package.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "versionName": { + "target": "com.amazonaws.iot#VersionName", + "traits": { + "smithy.api#documentation": "

    The name of the new package version.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "validationResult": { + "target": "com.amazonaws.iot#SbomValidationResult", + "traits": { + "smithy.api#documentation": "

    The end result of the

    ", + "smithy.api#httpQuery": "validationResult" + } + }, + "maxResults": { + "target": "com.amazonaws.iot#PackageCatalogMaxResults", + "traits": { + "smithy.api#documentation": "

    The maximum number of results to return at one time.

    ", + "smithy.api#httpQuery": "maxResults" + } + }, + "nextToken": { + "target": "com.amazonaws.iot#NextToken", + "traits": { + "smithy.api#documentation": "

    A token that can be used to retrieve the next set of results, or null if there are no additional results.

    ", + "smithy.api#httpQuery": "nextToken" + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.iot#ListSbomValidationResultsResponse": { + "type": "structure", + "members": { + "validationResultSummaries": { + "target": "com.amazonaws.iot#SbomValidationResultSummaryList", + "traits": { + "smithy.api#documentation": "

    A summary of the validation results for each software bill of materials attached to a software package version.

    " + } + }, + "nextToken": { + "target": "com.amazonaws.iot#NextToken", + "traits": { + "smithy.api#documentation": "

    A token that can be used to retrieve the next set of results, or null if there are no additional results.

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.iot#ListScheduledAudits": { "type": "operation", "input": { @@ -27107,9 +27455,30 @@ "smithy.api#pattern": "^arn:[!-~]+$" } }, + "com.amazonaws.iot#PackageVersionArtifact": { + "type": "structure", + "members": { + "s3Location": { + "target": "com.amazonaws.iot#S3Location" + } + }, + "traits": { + "smithy.api#documentation": "

    The Amazon S3 location for the artifacts associated with a software package\n version.

    " + } + }, "com.amazonaws.iot#PackageVersionErrorReason": { "type": "string" }, + "com.amazonaws.iot#PackageVersionRecipe": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 0, + "max": 3072 + }, + "smithy.api#sensitive": {} + } + }, "com.amazonaws.iot#PackageVersionStatus": { "type": "enum", "members": { @@ -29414,6 +29783,115 @@ } } }, + "com.amazonaws.iot#Sbom": { + "type": "structure", + "members": { + "s3Location": { + "target": "com.amazonaws.iot#S3Location" + } + }, + "traits": { + "smithy.api#documentation": "

    The Amazon S3 location for the software bill of materials associated with a software\n package version.

    " + } + }, + "com.amazonaws.iot#SbomValidationErrorCode": { + "type": "enum", + "members": { + "INCOMPATIBLE_FORMAT": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INCOMPATIBLE_FORMAT" + } + }, + "FILE_SIZE_LIMIT_EXCEEDED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "FILE_SIZE_LIMIT_EXCEEDED" + } + } + } + }, + "com.amazonaws.iot#SbomValidationErrorMessage": { + "type": "string" + }, + "com.amazonaws.iot#SbomValidationResult": { + "type": "enum", + "members": { + "FAILED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "FAILED" + } + }, + "SUCCEEDED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "SUCCEEDED" + } + } + } + }, + "com.amazonaws.iot#SbomValidationResultSummary": { + "type": "structure", + "members": { + "fileName": { + "target": "com.amazonaws.iot#FileName", + "traits": { + "smithy.api#documentation": "

    The name of the SBOM file.

    " + } + }, + "validationResult": { + "target": "com.amazonaws.iot#SbomValidationResult", + "traits": { + "smithy.api#documentation": "

    The end result of the SBOM validation.

    " + } + }, + "errorCode": { + "target": "com.amazonaws.iot#SbomValidationErrorCode", + "traits": { + "smithy.api#documentation": "

    The errorCode representing the validation failure error if the SBOM\n validation failed.

    " + } + }, + "errorMessage": { + "target": "com.amazonaws.iot#SbomValidationErrorMessage", + "traits": { + "smithy.api#documentation": "

    The errorMessage representing the validation failure error if the SBOM\n validation failed.

    " + } + } + }, + "traits": { + "smithy.api#documentation": "

    A summary of the validation results for a specific software bill of materials (SBOM) attached to a software package version.

    " + } + }, + "com.amazonaws.iot#SbomValidationResultSummaryList": { + "type": "list", + "member": { + "target": "com.amazonaws.iot#SbomValidationResultSummary" + } + }, + "com.amazonaws.iot#SbomValidationStatus": { + "type": "enum", + "members": { + "IN_PROGRESS": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "IN_PROGRESS" + } + }, + "FAILED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "FAILED" + } + }, + "SUCCEEDED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "SUCCEEDED" + } + } + } + }, "com.amazonaws.iot#ScheduledAuditArn": { "type": "string" }, @@ -29786,7 +30264,7 @@ "enableOCSPCheck": { "target": "com.amazonaws.iot#EnableOCSPCheck", "traits": { - "smithy.api#documentation": "

    A Boolean value that indicates whether Online Certificate Status Protocol (OCSP) server\n certificate check is enabled or not.

    \n

    For more information, see Configuring OCSP server-certificate stapling in domain\n configuration from Amazon Web Services IoT Core Developer Guide.

    " + "smithy.api#documentation": "

    A Boolean value that indicates whether Online Certificate Status Protocol (OCSP) server\n certificate check is enabled or not.

    \n

    For more information, see Configuring OCSP server-certificate stapling in domain\n configuration from Amazon Web Services IoT Core Developer Guide.

    " } } }, @@ -34783,12 +35261,24 @@ "smithy.api#documentation": "

    Metadata that can be used to define a package version’s configuration. For example, the Amazon S3 file location, configuration options that are being sent to the device or fleet.

    \n

    \n Note: Attributes can be updated only when the package version\n is in a draft state.

    \n

    The combined size of all the attributes on a package version is limited to 3KB.

    " } }, + "artifact": { + "target": "com.amazonaws.iot#PackageVersionArtifact", + "traits": { + "smithy.api#documentation": "

    The various components that make up a software package version.

    " + } + }, "action": { "target": "com.amazonaws.iot#PackageVersionAction", "traits": { "smithy.api#documentation": "

    The status that the package version should be assigned. For more information, see Package version lifecycle.

    " } }, + "recipe": { + "target": "com.amazonaws.iot#PackageVersionRecipe", + "traits": { + "smithy.api#documentation": "

    The inline job document associated with a software package version used for a quick job\n deployment via IoT Jobs.

    " + } + }, "clientToken": { "target": "com.amazonaws.iot#ClientToken", "traits": { @@ -35289,6 +35779,9 @@ { "target": "com.amazonaws.iot#InvalidRequestException" }, + { + "target": "com.amazonaws.iot#LimitExceededException" + }, { "target": "com.amazonaws.iot#ResourceNotFoundException" }, From b0ff23a7408b12bc3404409b589b8ce39bd8839a Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:23:01 +0000 Subject: [PATCH 19/53] feat(client-bedrock): This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig. --- .../CreateModelInvocationJobCommand.ts | 10 +++++ .../commands/GetModelInvocationJobCommand.ts | 10 +++++ .../ListModelInvocationJobsCommand.ts | 10 +++++ clients/client-bedrock/src/models/models_0.ts | 41 ++++++++++++++++--- .../src/protocols/Aws_restJson1.ts | 3 ++ codegen/sdk-codegen/aws-models/bedrock.json | 40 +++++++++++++++--- 6 files changed, 103 insertions(+), 11 deletions(-) diff --git a/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts b/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts index ad9fa5dd5530..cb2a42d9290c 100644 --- a/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts +++ b/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts @@ -45,14 +45,24 @@ export interface CreateModelInvocationJobCommandOutput extends CreateModelInvoca * s3InputDataConfig: { // ModelInvocationJobS3InputDataConfig * s3InputFormat: "JSONL", * s3Uri: "STRING_VALUE", // required + * s3BucketOwner: "STRING_VALUE", * }, * }, * outputDataConfig: { // ModelInvocationJobOutputDataConfig Union: only one key present * s3OutputDataConfig: { // ModelInvocationJobS3OutputDataConfig * s3Uri: "STRING_VALUE", // required * s3EncryptionKeyId: "STRING_VALUE", + * s3BucketOwner: "STRING_VALUE", * }, * }, + * vpcConfig: { // VpcConfig + * subnetIds: [ // SubnetIds // required + * "STRING_VALUE", + * ], + * securityGroupIds: [ // SecurityGroupIds // required + * "STRING_VALUE", + * ], + * }, * timeoutDurationInHours: Number("int"), * tags: [ // TagList * { // Tag diff --git a/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts b/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts index da790b7bc0ce..f360fd399d21 100644 --- a/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts +++ b/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts @@ -60,14 +60,24 @@ export interface GetModelInvocationJobCommandOutput extends GetModelInvocationJo * // s3InputDataConfig: { // ModelInvocationJobS3InputDataConfig * // s3InputFormat: "JSONL", * // s3Uri: "STRING_VALUE", // required + * // s3BucketOwner: "STRING_VALUE", * // }, * // }, * // outputDataConfig: { // ModelInvocationJobOutputDataConfig Union: only one key present * // s3OutputDataConfig: { // ModelInvocationJobS3OutputDataConfig * // s3Uri: "STRING_VALUE", // required * // s3EncryptionKeyId: "STRING_VALUE", + * // s3BucketOwner: "STRING_VALUE", * // }, * // }, + * // vpcConfig: { // VpcConfig + * // subnetIds: [ // SubnetIds // required + * // "STRING_VALUE", + * // ], + * // securityGroupIds: [ // SecurityGroupIds // required + * // "STRING_VALUE", + * // ], + * // }, * // timeoutDurationInHours: Number("int"), * // jobExpirationTime: new Date("TIMESTAMP"), * // }; diff --git a/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts b/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts index 936803bdb001..39590fe36980 100644 --- a/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts +++ b/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts @@ -69,14 +69,24 @@ export interface ListModelInvocationJobsCommandOutput extends ListModelInvocatio * // s3InputDataConfig: { // ModelInvocationJobS3InputDataConfig * // s3InputFormat: "JSONL", * // s3Uri: "STRING_VALUE", // required + * // s3BucketOwner: "STRING_VALUE", * // }, * // }, * // outputDataConfig: { // ModelInvocationJobOutputDataConfig Union: only one key present * // s3OutputDataConfig: { // ModelInvocationJobS3OutputDataConfig * // s3Uri: "STRING_VALUE", // required * // s3EncryptionKeyId: "STRING_VALUE", + * // s3BucketOwner: "STRING_VALUE", * // }, * // }, + * // vpcConfig: { // VpcConfig + * // subnetIds: [ // SubnetIds // required + * // "STRING_VALUE", + * // ], + * // securityGroupIds: [ // SecurityGroupIds // required + * // "STRING_VALUE", + * // ], + * // }, * // timeoutDurationInHours: Number("int"), * // jobExpirationTime: new Date("TIMESTAMP"), * // }, diff --git a/clients/client-bedrock/src/models/models_0.ts b/clients/client-bedrock/src/models/models_0.ts index 63a547fa6307..393aedbe8b7e 100644 --- a/clients/client-bedrock/src/models/models_0.ts +++ b/clients/client-bedrock/src/models/models_0.ts @@ -3154,18 +3154,18 @@ export namespace ModelDataSource { } /** - *

    VPC configuration.

    + *

    The configuration of a virtual private cloud (VPC). For more information, see Protect your data using Amazon Virtual Private Cloud and Amazon Web Services PrivateLink.

    * @public */ export interface VpcConfig { /** - *

    VPC configuration subnets.

    + *

    An array of IDs for each subnet in the VPC to use.

    * @public */ subnetIds: string[] | undefined; /** - *

    VPC configuration security group Ids.

    + *

    An array of IDs for each security group in the VPC to use.

    * @public */ securityGroupIds: string[] | undefined; @@ -3673,7 +3673,7 @@ export const S3InputFormat = { export type S3InputFormat = (typeof S3InputFormat)[keyof typeof S3InputFormat]; /** - *

    Contains the configuration of the S3 location of the output data.

    + *

    Contains the configuration of the S3 location of the input data.

    * @public */ export interface ModelInvocationJobS3InputDataConfig { @@ -3688,6 +3688,12 @@ export interface ModelInvocationJobS3InputDataConfig { * @public */ s3Uri: string | undefined; + + /** + *

    The ID of the Amazon Web Services account that owns the S3 bucket containing the input data.

    + * @public + */ + s3BucketOwner?: string; } /** @@ -3746,6 +3752,12 @@ export interface ModelInvocationJobS3OutputDataConfig { * @public */ s3EncryptionKeyId?: string; + + /** + *

    The ID of the Amazon Web Services account that owns the S3 bucket containing the output data.

    + * @public + */ + s3BucketOwner?: string; } /** @@ -3829,6 +3841,12 @@ export interface CreateModelInvocationJobRequest { */ outputDataConfig: ModelInvocationJobOutputDataConfig | undefined; + /** + *

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    + * @public + */ + vpcConfig?: VpcConfig; + /** *

    The number of hours after which to force the batch inference job to time out.

    * @public @@ -3963,6 +3981,12 @@ export interface GetModelInvocationJobResponse { */ outputDataConfig: ModelInvocationJobOutputDataConfig | undefined; + /** + *

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    + * @public + */ + vpcConfig?: VpcConfig; + /** *

    The number of hours after which batch inference job was set to time out.

    * @public @@ -4111,6 +4135,12 @@ export interface ModelInvocationJobSummary { */ outputDataConfig: ModelInvocationJobOutputDataConfig | undefined; + /** + *

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    + * @public + */ + vpcConfig?: VpcConfig; + /** *

    The number of hours after which the batch inference job was set to time out.

    * @public @@ -5317,8 +5347,7 @@ export interface CreateModelCustomizationJobRequest { hyperParameters: Record | undefined; /** - *

    VPC configuration (optional). Configuration parameters for the - * private Virtual Private Cloud (VPC) that contains the resources you are using for this job.

    + *

    The configuration of the Virtual Private Cloud (VPC) that contains the resources that you're using for this job. For more information, see Protect your model customization jobs using a VPC.

    * @public */ vpcConfig?: VpcConfig; diff --git a/clients/client-bedrock/src/protocols/Aws_restJson1.ts b/clients/client-bedrock/src/protocols/Aws_restJson1.ts index 0ba740a25393..5cd553b9191e 100644 --- a/clients/client-bedrock/src/protocols/Aws_restJson1.ts +++ b/clients/client-bedrock/src/protocols/Aws_restJson1.ts @@ -445,6 +445,7 @@ export const se_CreateModelInvocationJobCommand = async ( roleArn: [], tags: (_) => _json(_), timeoutDurationInHours: [], + vpcConfig: (_) => _json(_), }) ); b.m("POST").h(headers).b(body); @@ -1808,6 +1809,7 @@ export const de_GetModelInvocationJobCommand = async ( status: __expectString, submitTime: (_) => __expectNonNull(__parseRfc3339DateTimeWithOffset(_)), timeoutDurationInHours: __expectInt32, + vpcConfig: _json, }); Object.assign(contents, doc); return contents; @@ -3028,6 +3030,7 @@ const de_ModelInvocationJobSummary = (output: any, context: __SerdeContext): Mod status: __expectString, submitTime: (_: any) => __expectNonNull(__parseRfc3339DateTimeWithOffset(_)), timeoutDurationInHours: __expectInt32, + vpcConfig: _json, }) as any; }; diff --git a/codegen/sdk-codegen/aws-models/bedrock.json b/codegen/sdk-codegen/aws-models/bedrock.json index 4158b29ccc7e..5ad7952deb85 100644 --- a/codegen/sdk-codegen/aws-models/bedrock.json +++ b/codegen/sdk-codegen/aws-models/bedrock.json @@ -1593,7 +1593,7 @@ "vpcConfig": { "target": "com.amazonaws.bedrock#VpcConfig", "traits": { - "smithy.api#documentation": "

    VPC configuration (optional). Configuration parameters for the\n private Virtual Private Cloud (VPC) that contains the resources you are using for this job.

    " + "smithy.api#documentation": "

    The configuration of the Virtual Private Cloud (VPC) that contains the resources that you're using for this job. For more information, see Protect your model customization jobs using a VPC.

    " } } }, @@ -1827,6 +1827,12 @@ "smithy.api#required": {} } }, + "vpcConfig": { + "target": "com.amazonaws.bedrock#VpcConfig", + "traits": { + "smithy.api#documentation": "

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    " + } + }, "timeoutDurationInHours": { "target": "com.amazonaws.bedrock#ModelInvocationJobTimeoutDurationInHours", "traits": { @@ -4471,6 +4477,12 @@ "smithy.api#required": {} } }, + "vpcConfig": { + "target": "com.amazonaws.bedrock#VpcConfig", + "traits": { + "smithy.api#documentation": "

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    " + } + }, "timeoutDurationInHours": { "target": "com.amazonaws.bedrock#ModelInvocationJobTimeoutDurationInHours", "traits": { @@ -8422,10 +8434,16 @@ "smithy.api#documentation": "

    The S3 location of the input data.

    ", "smithy.api#required": {} } + }, + "s3BucketOwner": { + "target": "com.amazonaws.bedrock#AccountId", + "traits": { + "smithy.api#documentation": "

    The ID of the Amazon Web Services account that owns the S3 bucket containing the input data.

    " + } } }, "traits": { - "smithy.api#documentation": "

    Contains the configuration of the S3 location of the output data.

    " + "smithy.api#documentation": "

    Contains the configuration of the S3 location of the input data.

    " } }, "com.amazonaws.bedrock#ModelInvocationJobS3OutputDataConfig": { @@ -8443,6 +8461,12 @@ "traits": { "smithy.api#documentation": "

    The unique identifier of the key that encrypts the S3 location of the output data.

    " } + }, + "s3BucketOwner": { + "target": "com.amazonaws.bedrock#AccountId", + "traits": { + "smithy.api#documentation": "

    The ID of the Amazon Web Services account that owns the S3 bucket containing the output data.

    " + } } }, "traits": { @@ -8602,6 +8626,12 @@ "smithy.api#required": {} } }, + "vpcConfig": { + "target": "com.amazonaws.bedrock#VpcConfig", + "traits": { + "smithy.api#documentation": "

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    " + } + }, "timeoutDurationInHours": { "target": "com.amazonaws.bedrock#ModelInvocationJobTimeoutDurationInHours", "traits": { @@ -9940,20 +9970,20 @@ "subnetIds": { "target": "com.amazonaws.bedrock#SubnetIds", "traits": { - "smithy.api#documentation": "

    VPC configuration subnets.

    ", + "smithy.api#documentation": "

    An array of IDs for each subnet in the VPC to use.

    ", "smithy.api#required": {} } }, "securityGroupIds": { "target": "com.amazonaws.bedrock#SecurityGroupIds", "traits": { - "smithy.api#documentation": "

    VPC configuration security group Ids.

    ", + "smithy.api#documentation": "

    An array of IDs for each security group in the VPC to use.

    ", "smithy.api#required": {} } } }, "traits": { - "smithy.api#documentation": "

    VPC configuration.

    " + "smithy.api#documentation": "

    The configuration of a virtual private cloud (VPC). For more information, see Protect your data using Amazon Virtual Private Cloud and Amazon Web Services PrivateLink.

    " } } } From 39d00e7841b8dd0e6aa04691401cd9e998474808 Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:23:01 +0000 Subject: [PATCH 20/53] feat(clients): update client endpoints as of 2024-09-16 --- .../aws/typescript/codegen/endpoints.json | 99 ++++++++++++------- 1 file changed, 64 insertions(+), 35 deletions(-) diff --git a/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json b/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json index 184e6acf75b0..5da9b4eb273e 100644 --- a/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json +++ b/codegen/smithy-aws-typescript-codegen/src/main/resources/software/amazon/smithy/aws/typescript/codegen/endpoints.json @@ -8077,6 +8077,14 @@ } ] }, + "ap-southeast-5": { + "variants": [ + { + "hostname": "elasticfilesystem-fips.ap-southeast-5.amazonaws.com", + "tags": ["fips"] + } + ] + }, "ca-central-1": { "variants": [ { @@ -8234,6 +8242,13 @@ "deprecated": true, "hostname": "elasticfilesystem-fips.ap-southeast-4.amazonaws.com" }, + "fips-ap-southeast-5": { + "credentialScope": { + "region": "ap-southeast-5" + }, + "deprecated": true, + "hostname": "elasticfilesystem-fips.ap-southeast-5.amazonaws.com" + }, "fips-ca-central-1": { "credentialScope": { "region": "ca-central-1" @@ -21828,9 +21843,11 @@ "ap-northeast-2": {}, "ap-northeast-3": {}, "ap-south-1": {}, + "ap-south-2": {}, "ap-southeast-1": {}, "ap-southeast-2": {}, "ap-southeast-3": {}, + "ap-southeast-4": {}, "ca-central-1": { "variants": [ { @@ -21840,8 +21857,10 @@ ] }, "eu-central-1": {}, + "eu-central-2": {}, "eu-north-1": {}, "eu-south-1": {}, + "eu-south-2": {}, "eu-west-1": {}, "eu-west-2": {}, "eu-west-3": {}, @@ -21880,6 +21899,8 @@ "deprecated": true, "hostname": "ssm-sap-fips.us-west-2.amazonaws.com" }, + "il-central-1": {}, + "me-central-1": {}, "me-south-1": {}, "sa-east-1": {}, "us-east-1": { @@ -22890,16 +22911,7 @@ "ap-south-1": {}, "ap-southeast-1": {}, "ap-southeast-2": {}, - "ca-central-1": {}, - "eu-central-1": {}, - "eu-west-1": {}, - "eu-west-2": {}, - "sa-east-1": {}, - "transcribestreaming-ca-central-1": { - "credentialScope": { - "region": "ca-central-1" - }, - "deprecated": true, + "ca-central-1": { "variants": [ { "hostname": "transcribestreaming-fips.ca-central-1.amazonaws.com", @@ -22907,39 +22919,39 @@ } ] }, - "transcribestreaming-fips-ca-central-1": { + "eu-central-1": {}, + "eu-west-1": {}, + "eu-west-2": {}, + "fips-ca-central-1": { "credentialScope": { "region": "ca-central-1" }, "deprecated": true, "hostname": "transcribestreaming-fips.ca-central-1.amazonaws.com" }, - "transcribestreaming-fips-us-east-1": { + "fips-us-east-1": { "credentialScope": { "region": "us-east-1" }, "deprecated": true, "hostname": "transcribestreaming-fips.us-east-1.amazonaws.com" }, - "transcribestreaming-fips-us-east-2": { + "fips-us-east-2": { "credentialScope": { "region": "us-east-2" }, "deprecated": true, "hostname": "transcribestreaming-fips.us-east-2.amazonaws.com" }, - "transcribestreaming-fips-us-west-2": { + "fips-us-west-2": { "credentialScope": { "region": "us-west-2" }, "deprecated": true, "hostname": "transcribestreaming-fips.us-west-2.amazonaws.com" }, - "transcribestreaming-us-east-1": { - "credentialScope": { - "region": "us-east-1" - }, - "deprecated": true, + "sa-east-1": {}, + "us-east-1": { "variants": [ { "hostname": "transcribestreaming-fips.us-east-1.amazonaws.com", @@ -22947,11 +22959,7 @@ } ] }, - "transcribestreaming-us-east-2": { - "credentialScope": { - "region": "us-east-2" - }, - "deprecated": true, + "us-east-2": { "variants": [ { "hostname": "transcribestreaming-fips.us-east-2.amazonaws.com", @@ -22959,21 +22967,14 @@ } ] }, - "transcribestreaming-us-west-2": { - "credentialScope": { - "region": "us-west-2" - }, - "deprecated": true, + "us-west-2": { "variants": [ { "hostname": "transcribestreaming-fips.us-west-2.amazonaws.com", "tags": ["fips"] } ] - }, - "us-east-1": {}, - "us-east-2": {}, - "us-west-2": {} + } } }, "transfer": { @@ -32026,8 +32027,36 @@ }, "transcribestreaming": { "endpoints": { - "us-gov-east-1": {}, - "us-gov-west-1": {} + "fips-us-gov-east-1": { + "credentialScope": { + "region": "us-gov-east-1" + }, + "deprecated": true, + "hostname": "transcribestreaming-fips.us-gov-east-1.amazonaws.com" + }, + "fips-us-gov-west-1": { + "credentialScope": { + "region": "us-gov-west-1" + }, + "deprecated": true, + "hostname": "transcribestreaming-fips.us-gov-west-1.amazonaws.com" + }, + "us-gov-east-1": { + "variants": [ + { + "hostname": "transcribestreaming-fips.us-gov-east-1.amazonaws.com", + "tags": ["fips"] + } + ] + }, + "us-gov-west-1": { + "variants": [ + { + "hostname": "transcribestreaming-fips.us-gov-west-1.amazonaws.com", + "tags": ["fips"] + } + ] + } } }, "transfer": { From 35d334d65f939d08f309a0ff7704297624826b91 Mon Sep 17 00:00:00 2001 From: awstools Date: Mon, 16 Sep 2024 18:36:01 +0000 Subject: [PATCH 21/53] Publish v3.652.0 --- CHANGELOG.md | 15 +++++++++++++++ clients/client-bedrock/CHANGELOG.md | 11 +++++++++++ clients/client-bedrock/package.json | 2 +- clients/client-iot/CHANGELOG.md | 11 +++++++++++ clients/client-iot/package.json | 2 +- clients/client-medialive/CHANGELOG.md | 11 +++++++++++ clients/client-medialive/package.json | 2 +- clients/client-organizations/CHANGELOG.md | 8 ++++++++ clients/client-organizations/package.json | 2 +- clients/client-pca-connector-scep/CHANGELOG.md | 8 ++++++++ clients/client-pca-connector-scep/package.json | 2 +- clients/client-rds/CHANGELOG.md | 11 +++++++++++ clients/client-rds/package.json | 2 +- lerna.json | 2 +- 14 files changed, 82 insertions(+), 7 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0bf1ee95c71f..44e458c9b8ae 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,21 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) + + +### Features + +* **client-bedrock:** This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig. ([de21918](https://github.com/aws/aws-sdk-js-v3/commit/de21918213e870e5e056971eca84868572d1c651)) +* **client-iot:** This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version. ([2df520d](https://github.com/aws/aws-sdk-js-v3/commit/2df520d4dabf1e07caa95ad2324f2de56062c555)) +* **client-medialive:** Removing the ON_PREMISE enum from the input settings field. ([52794ee](https://github.com/aws/aws-sdk-js-v3/commit/52794eee9c7643946b2a94459c5efe1f32effe05)) +* **client-rds:** Launching Global Cluster tagging. ([c35b721](https://github.com/aws/aws-sdk-js-v3/commit/c35b7218f429afc977952724aacd4b20c65e56b5)) +* **clients:** update client endpoints as of 2024-09-16 ([291c786](https://github.com/aws/aws-sdk-js-v3/commit/291c786c308972e48999faa5763879ee8eb8180b)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) diff --git a/clients/client-bedrock/CHANGELOG.md b/clients/client-bedrock/CHANGELOG.md index 51758d969acd..eb7041b48b11 100644 --- a/clients/client-bedrock/CHANGELOG.md +++ b/clients/client-bedrock/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) + + +### Features + +* **client-bedrock:** This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig. ([de21918](https://github.com/aws/aws-sdk-js-v3/commit/de21918213e870e5e056971eca84868572d1c651)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-bedrock diff --git a/clients/client-bedrock/package.json b/clients/client-bedrock/package.json index 069e442b3897..9034a92b367a 100644 --- a/clients/client-bedrock/package.json +++ b/clients/client-bedrock/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock", "description": "AWS SDK for JavaScript Bedrock Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.652.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock", diff --git a/clients/client-iot/CHANGELOG.md b/clients/client-iot/CHANGELOG.md index 895e36437c78..fae8b69086ec 100644 --- a/clients/client-iot/CHANGELOG.md +++ b/clients/client-iot/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) + + +### Features + +* **client-iot:** This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version. ([2df520d](https://github.com/aws/aws-sdk-js-v3/commit/2df520d4dabf1e07caa95ad2324f2de56062c555)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot diff --git a/clients/client-iot/package.json b/clients/client-iot/package.json index f72c98095469..e3f1026e187b 100644 --- a/clients/client-iot/package.json +++ b/clients/client-iot/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot", "description": "AWS SDK for JavaScript Iot Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.652.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot", diff --git a/clients/client-medialive/CHANGELOG.md b/clients/client-medialive/CHANGELOG.md index be67a77b9111..de859007dc9b 100644 --- a/clients/client-medialive/CHANGELOG.md +++ b/clients/client-medialive/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) + + +### Features + +* **client-medialive:** Removing the ON_PREMISE enum from the input settings field. ([52794ee](https://github.com/aws/aws-sdk-js-v3/commit/52794eee9c7643946b2a94459c5efe1f32effe05)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-medialive diff --git a/clients/client-medialive/package.json b/clients/client-medialive/package.json index 603bad88d439..b02b1c7ac6eb 100644 --- a/clients/client-medialive/package.json +++ b/clients/client-medialive/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-medialive", "description": "AWS SDK for JavaScript Medialive Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.652.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-medialive", diff --git a/clients/client-organizations/CHANGELOG.md b/clients/client-organizations/CHANGELOG.md index 601f25a69493..ccd917af9a83 100644 --- a/clients/client-organizations/CHANGELOG.md +++ b/clients/client-organizations/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) + +**Note:** Version bump only for package @aws-sdk/client-organizations + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-organizations diff --git a/clients/client-organizations/package.json b/clients/client-organizations/package.json index af2bbe0dabd7..d5c22eda73de 100644 --- a/clients/client-organizations/package.json +++ b/clients/client-organizations/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-organizations", "description": "AWS SDK for JavaScript Organizations Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.652.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-organizations", diff --git a/clients/client-pca-connector-scep/CHANGELOG.md b/clients/client-pca-connector-scep/CHANGELOG.md index 816215eb3377..226ec164c3f5 100644 --- a/clients/client-pca-connector-scep/CHANGELOG.md +++ b/clients/client-pca-connector-scep/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) + +**Note:** Version bump only for package @aws-sdk/client-pca-connector-scep + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pca-connector-scep diff --git a/clients/client-pca-connector-scep/package.json b/clients/client-pca-connector-scep/package.json index 309e218b1ea1..5cb4adaa37d1 100644 --- a/clients/client-pca-connector-scep/package.json +++ b/clients/client-pca-connector-scep/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pca-connector-scep", "description": "AWS SDK for JavaScript Pca Connector Scep Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.652.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-rds/CHANGELOG.md b/clients/client-rds/CHANGELOG.md index fdc321f76915..851ba44812cb 100644 --- a/clients/client-rds/CHANGELOG.md +++ b/clients/client-rds/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) + + +### Features + +* **client-rds:** Launching Global Cluster tagging. ([c35b721](https://github.com/aws/aws-sdk-js-v3/commit/c35b7218f429afc977952724aacd4b20c65e56b5)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-rds diff --git a/clients/client-rds/package.json b/clients/client-rds/package.json index b085fb8b6129..4f5c9fcaac9b 100644 --- a/clients/client-rds/package.json +++ b/clients/client-rds/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rds", "description": "AWS SDK for JavaScript Rds Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.652.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rds", diff --git a/lerna.json b/lerna.json index 2708f36fbe5f..32a7591d910d 100644 --- a/lerna.json +++ b/lerna.json @@ -1,5 +1,5 @@ { - "version": "3.651.1", + "version": "3.652.0", "npmClient": "yarn", "useWorkspaces": true, "command": { From 54d979c7ec8c9cd467cdebd644de862f613a2117 Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Mon, 16 Sep 2024 12:36:16 -0700 Subject: [PATCH 22/53] chore: pass turbo remote cache options in environment variables (#6479) --- scripts/turbo/index.js | 16 +++++++--------- 1 file changed, 7 insertions(+), 9 deletions(-) diff --git a/scripts/turbo/index.js b/scripts/turbo/index.js index 7747fc2a04be..a4f8b3c54b5f 100644 --- a/scripts/turbo/index.js +++ b/scripts/turbo/index.js @@ -3,15 +3,7 @@ const { spawnProcess } = require("../utils/spawn-process"); const path = require("path"); const runTurbo = async (task, args, apiSecret, apiEndpoint) => { - let command = ["turbo", "run", task]; - if (apiSecret && apiEndpoint) { - command = command.concat([ - `--api=${apiEndpoint}`, - "--team=aws-sdk-js", - `--token=${apiSecret}`, - "--concurrency=100%", - ]); - } + let command = ["turbo", "run", task, "--concurrency=100%"]; command = command.concat(args); const turboRoot = path.join(__dirname, "..", ".."); try { @@ -21,6 +13,12 @@ const runTurbo = async (task, args, apiSecret, apiEndpoint) => { env: { ...process.env, TURBO_TELEMETRY_DISABLED: "1", + ...(apiSecret && + apiEndpoint && { + TURBO_API: apiEndpoint, + TURBO_TOKEN: apiSecret, + TURBO_TEAM: "aws-sdk-js", + }), }, }); } catch (error) { From e975ad7bacb17d3326bd600def2eedd32080d65c Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Mon, 16 Sep 2024 12:56:51 -0700 Subject: [PATCH 23/53] chore: show only turbo-computed task hashes in output (#6478) --- scripts/turbo/index.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/scripts/turbo/index.js b/scripts/turbo/index.js index a4f8b3c54b5f..5c6230f0a459 100644 --- a/scripts/turbo/index.js +++ b/scripts/turbo/index.js @@ -3,8 +3,8 @@ const { spawnProcess } = require("../utils/spawn-process"); const path = require("path"); const runTurbo = async (task, args, apiSecret, apiEndpoint) => { - let command = ["turbo", "run", task, "--concurrency=100%"]; - command = command.concat(args); + const command = ["turbo", "run", task, "--concurrency=100%", "--output-logs=hash-only"]; + command.push(...args); const turboRoot = path.join(__dirname, "..", ".."); try { return await spawnProcess("npx", command, { From b48d95538f2904da79b3e864cda06e59856439f1 Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Mon, 16 Sep 2024 13:23:17 -0700 Subject: [PATCH 24/53] chore: use yarn for running turbo commands (#6480) --- scripts/turbo/index.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/scripts/turbo/index.js b/scripts/turbo/index.js index 5c6230f0a459..8b101e64884d 100644 --- a/scripts/turbo/index.js +++ b/scripts/turbo/index.js @@ -7,7 +7,7 @@ const runTurbo = async (task, args, apiSecret, apiEndpoint) => { command.push(...args); const turboRoot = path.join(__dirname, "..", ".."); try { - return await spawnProcess("npx", command, { + return await spawnProcess("yarn", command, { stdio: "inherit", cwd: turboRoot, env: { From 3ee6fc715a28b3943862ceb40991b0e5361326f3 Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Mon, 16 Sep 2024 14:50:35 -0700 Subject: [PATCH 25/53] chore: allow turbo remote cache write only on AWS Codebuild (#6481) --- scripts/turbo/index.js | 3 +++ 1 file changed, 3 insertions(+) diff --git a/scripts/turbo/index.js b/scripts/turbo/index.js index 8b101e64884d..e1086f8c7f0c 100644 --- a/scripts/turbo/index.js +++ b/scripts/turbo/index.js @@ -19,6 +19,9 @@ const runTurbo = async (task, args, apiSecret, apiEndpoint) => { TURBO_TOKEN: apiSecret, TURBO_TEAM: "aws-sdk-js", }), + ...(!process.env.CODEBUILD_BUILD_ARN && { + TURBO_REMOTE_CACHE_READ_ONLY: "1", + }), }, }); } catch (error) { From 5266c94651d15d04ccee7fe458b818658d2c8052 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 17 Sep 2024 18:16:50 +0000 Subject: [PATCH 26/53] feat(client-ssm): Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates. --- .../src/commands/CreateActivationCommand.ts | 5 +- .../commands/CreateAssociationBatchCommand.ts | 44 +++- .../src/commands/CreateAssociationCommand.ts | 28 +++ .../src/commands/CreateDocumentCommand.ts | 2 +- .../commands/CreateResourceDataSyncCommand.ts | 4 +- .../commands/DescribeAssociationCommand.ts | 14 ++ .../DescribeAutomationExecutionsCommand.ts | 8 + ...DescribeAutomationStepExecutionsCommand.ts | 14 ++ .../commands/GetAutomationExecutionCommand.ts | 40 ++-- .../ListAssociationVersionsCommand.ts | 14 ++ .../StartAutomationExecutionCommand.ts | 15 ++ .../StartChangeRequestExecutionCommand.ts | 14 ++ .../src/commands/StartSessionCommand.ts | 2 +- .../src/commands/UpdateAssociationCommand.ts | 28 +++ .../UpdateAssociationStatusCommand.ts | 14 ++ clients/client-ssm/src/models/models_0.ts | 219 +++++++++++------- clients/client-ssm/src/models/models_1.ts | 71 +++--- clients/client-ssm/src/models/models_2.ts | 22 +- .../client-ssm/src/protocols/Aws_json1_1.ts | 6 + codegen/sdk-codegen/aws-models/ssm.json | 165 +++++++++---- 20 files changed, 533 insertions(+), 196 deletions(-) diff --git a/clients/client-ssm/src/commands/CreateActivationCommand.ts b/clients/client-ssm/src/commands/CreateActivationCommand.ts index 03bc1c8d212c..2522d8358bd0 100644 --- a/clients/client-ssm/src/commands/CreateActivationCommand.ts +++ b/clients/client-ssm/src/commands/CreateActivationCommand.ts @@ -32,9 +32,8 @@ export interface CreateActivationCommandOutput extends CreateActivationResult, _ * servers, edge devices, or virtual machine (VM) with Amazon Web Services Systems Manager. Registering these machines with * Systems Manager makes it possible to manage them using Systems Manager capabilities. You use the activation code and * ID when installing SSM Agent on machines in your hybrid environment. For more information about - * requirements for managing on-premises machines using Systems Manager, see Setting up - * Amazon Web Services Systems Manager for hybrid and multicloud environments in the - * Amazon Web Services Systems Manager User Guide.

    + * requirements for managing on-premises machines using Systems Manager, see Using Amazon Web Services Systems Manager in + * hybrid and multicloud environments in the Amazon Web Services Systems Manager User Guide.

    * *

    Amazon Elastic Compute Cloud (Amazon EC2) instances, edge devices, and on-premises servers and VMs that are * configured for Systems Manager are all called managed nodes.

    diff --git a/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts b/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts index 58b136dffeb9..8f9482df0f59 100644 --- a/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts +++ b/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts @@ -102,6 +102,20 @@ export interface CreateAssociationBatchCommandOutput extends CreateAssociationBa * }, * ], * }, + * IncludeChildOrganizationUnits: true || false, + * ExcludeAccounts: [ // ExcludeAccounts + * "STRING_VALUE", + * ], + * Targets: [ + * { + * Key: "STRING_VALUE", + * Values: [ + * "STRING_VALUE", + * ], + * }, + * ], + * TargetsMaxConcurrency: "STRING_VALUE", + * TargetsMaxErrors: "STRING_VALUE", * }, * ], * ScheduleOffset: Number("int"), @@ -201,6 +215,20 @@ export interface CreateAssociationBatchCommandOutput extends CreateAssociationBa * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ScheduleOffset: Number("int"), @@ -240,14 +268,7 @@ export interface CreateAssociationBatchCommandOutput extends CreateAssociationBa * // }, * // AutomationTargetParameterName: "STRING_VALUE", * // DocumentVersion: "STRING_VALUE", - * // Targets: [ - * // { - * // Key: "STRING_VALUE", - * // Values: [ - * // "STRING_VALUE", - * // ], - * // }, - * // ], + * // Targets: "", * // ScheduleExpression: "STRING_VALUE", * // OutputLocation: { * // S3Location: { @@ -277,6 +298,13 @@ export interface CreateAssociationBatchCommandOutput extends CreateAssociationBa * // TargetLocationMaxErrors: "STRING_VALUE", * // ExecutionRoleName: "STRING_VALUE", * // TargetLocationAlarmConfiguration: "", + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ + * // "STRING_VALUE", + * // ], + * // Targets: "", + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ScheduleOffset: Number("int"), diff --git a/clients/client-ssm/src/commands/CreateAssociationCommand.ts b/clients/client-ssm/src/commands/CreateAssociationCommand.ts index 615b50e04944..0115bf7b030c 100644 --- a/clients/client-ssm/src/commands/CreateAssociationCommand.ts +++ b/clients/client-ssm/src/commands/CreateAssociationCommand.ts @@ -103,6 +103,20 @@ export interface CreateAssociationCommandOutput extends CreateAssociationResult, * }, * ], * }, + * IncludeChildOrganizationUnits: true || false, + * ExcludeAccounts: [ // ExcludeAccounts + * "STRING_VALUE", + * ], + * Targets: [ + * { + * Key: "STRING_VALUE", + * Values: [ + * "STRING_VALUE", + * ], + * }, + * ], + * TargetsMaxConcurrency: "STRING_VALUE", + * TargetsMaxErrors: "STRING_VALUE", * }, * ], * ScheduleOffset: Number("int"), @@ -205,6 +219,20 @@ export interface CreateAssociationCommandOutput extends CreateAssociationResult, * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ScheduleOffset: Number("int"), diff --git a/clients/client-ssm/src/commands/CreateDocumentCommand.ts b/clients/client-ssm/src/commands/CreateDocumentCommand.ts index 6f34f09bbd38..1088be8057cd 100644 --- a/clients/client-ssm/src/commands/CreateDocumentCommand.ts +++ b/clients/client-ssm/src/commands/CreateDocumentCommand.ts @@ -30,7 +30,7 @@ export interface CreateDocumentCommandOutput extends CreateDocumentResult, __Met /** *

    Creates a Amazon Web Services Systems Manager (SSM document). An SSM document defines the actions that Systems Manager performs * on your managed nodes. For more information about SSM documents, including information about - * supported schemas, features, and syntax, see Amazon Web Services Systems Manager Documents in the + * supported schemas, features, and syntax, see Amazon Web Services Systems Manager Documents in the * Amazon Web Services Systems Manager User Guide.

    * @example * Use a bare-bones client and the command you need to make an API call. diff --git a/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts b/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts index b45541d48e95..74e58439f4e2 100644 --- a/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts +++ b/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts @@ -32,8 +32,8 @@ export interface CreateResourceDataSyncCommandOutput extends CreateResourceDataS * Amazon Web Services Systems Manager offers two types of resource data sync: SyncToDestination and * SyncFromSource.

    *

    You can configure Systems Manager Inventory to use the SyncToDestination type to - * synchronize Inventory data from multiple Amazon Web Services Regions to a single Amazon Simple Storage Service (Amazon S3) bucket. For more information, see Configuring resource data - * sync for Inventory in the Amazon Web Services Systems Manager User Guide.

    + * synchronize Inventory data from multiple Amazon Web Services Regions to a single Amazon Simple Storage Service (Amazon S3) bucket. For more information, see Creatinga a + * resource data sync for Inventory in the Amazon Web Services Systems Manager User Guide.

    *

    You can configure Systems Manager Explorer to use the SyncFromSource type to synchronize * operational work items (OpsItems) and operational data (OpsData) from multiple Amazon Web Services Regions to a * single Amazon S3 bucket. This type can synchronize OpsItems and OpsData from multiple diff --git a/clients/client-ssm/src/commands/DescribeAssociationCommand.ts b/clients/client-ssm/src/commands/DescribeAssociationCommand.ts index 576bde567181..34bbedfe216c 100644 --- a/clients/client-ssm/src/commands/DescribeAssociationCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAssociationCommand.ts @@ -123,6 +123,20 @@ export interface DescribeAssociationCommandOutput extends DescribeAssociationRes * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ScheduleOffset: Number("int"), diff --git a/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts b/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts index 7336c3269840..50eb9a4b13d1 100644 --- a/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts @@ -115,6 +115,7 @@ export interface DescribeAutomationExecutionsCommandOutput * // State: "UNKNOWN" || "ALARM", // required * // }, * // ], + * // TargetLocationsURL: "STRING_VALUE", * // AutomationSubtype: "ChangeRequest", * // ScheduledTime: new Date("TIMESTAMP"), * // Runbooks: [ // Runbooks @@ -163,6 +164,13 @@ export interface DescribeAutomationExecutionsCommandOutput * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: "", + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // }, diff --git a/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts b/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts index c0260225eba4..b2af370e418b 100644 --- a/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts @@ -126,6 +126,20 @@ export interface DescribeAutomationStepExecutionsCommandOutput * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // TriggeredAlarms: [ // AlarmStateInformationList * // { // AlarmStateInformation diff --git a/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts b/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts index 810650425ffd..ae8531f0cd42 100644 --- a/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts +++ b/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts @@ -116,6 +116,20 @@ export interface GetAutomationExecutionCommandOutput extends GetAutomationExecut * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // TriggeredAlarms: [ // AlarmStateInformationList * // { // AlarmStateInformation @@ -142,14 +156,7 @@ export interface GetAutomationExecutionCommandOutput extends GetAutomationExecut * // CurrentStepName: "STRING_VALUE", * // CurrentAction: "STRING_VALUE", * // TargetParameterName: "STRING_VALUE", - * // Targets: [ - * // { - * // Key: "STRING_VALUE", - * // Values: [ - * // "STRING_VALUE", - * // ], - * // }, - * // ], + * // Targets: "", * // TargetMaps: [ // TargetMaps * // { // TargetMap * // "": [ // TargetMapValueList @@ -185,6 +192,13 @@ export interface GetAutomationExecutionCommandOutput extends GetAutomationExecut * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ + * // "STRING_VALUE", + * // ], + * // Targets: "", + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ProgressCounters: { // ProgressCounters @@ -201,6 +215,7 @@ export interface GetAutomationExecutionCommandOutput extends GetAutomationExecut * // State: "UNKNOWN" || "ALARM", // required * // }, * // ], + * // TargetLocationsURL: "STRING_VALUE", * // AutomationSubtype: "ChangeRequest", * // ScheduledTime: new Date("TIMESTAMP"), * // Runbooks: [ // Runbooks @@ -209,14 +224,7 @@ export interface GetAutomationExecutionCommandOutput extends GetAutomationExecut * // DocumentVersion: "STRING_VALUE", * // Parameters: "", * // TargetParameterName: "STRING_VALUE", - * // Targets: [ - * // { - * // Key: "STRING_VALUE", - * // Values: [ - * // "STRING_VALUE", - * // ], - * // }, - * // ], + * // Targets: "", * // TargetMaps: [ * // { * // "": [ diff --git a/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts b/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts index 1711bb9a2a27..8bd4184a61bf 100644 --- a/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts +++ b/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts @@ -103,6 +103,20 @@ export interface ListAssociationVersionsCommandOutput extends ListAssociationVer * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ScheduleOffset: Number("int"), diff --git a/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts b/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts index f6bdc9d6eda9..8fc05e7b3125 100644 --- a/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts +++ b/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts @@ -82,6 +82,20 @@ export interface StartAutomationExecutionCommandOutput extends StartAutomationEx * }, * ], * }, + * IncludeChildOrganizationUnits: true || false, + * ExcludeAccounts: [ // ExcludeAccounts + * "STRING_VALUE", + * ], + * Targets: [ + * { + * Key: "STRING_VALUE", + * Values: [ + * "STRING_VALUE", + * ], + * }, + * ], + * TargetsMaxConcurrency: "STRING_VALUE", + * TargetsMaxErrors: "STRING_VALUE", * }, * ], * Tags: [ // TagList @@ -98,6 +112,7 @@ export interface StartAutomationExecutionCommandOutput extends StartAutomationEx * }, * ], * }, + * TargetLocationsURL: "STRING_VALUE", * }; * const command = new StartAutomationExecutionCommand(input); * const response = await client.send(command); diff --git a/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts b/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts index 160943bfcfbc..2a5907cd6ec3 100644 --- a/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts +++ b/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts @@ -95,6 +95,20 @@ export interface StartChangeRequestExecutionCommandOutput extends StartChangeReq * }, * ], * }, + * IncludeChildOrganizationUnits: true || false, + * ExcludeAccounts: [ // ExcludeAccounts + * "STRING_VALUE", + * ], + * Targets: [ + * { + * Key: "STRING_VALUE", + * Values: [ + * "STRING_VALUE", + * ], + * }, + * ], + * TargetsMaxConcurrency: "STRING_VALUE", + * TargetsMaxErrors: "STRING_VALUE", * }, * ], * }, diff --git a/clients/client-ssm/src/commands/StartSessionCommand.ts b/clients/client-ssm/src/commands/StartSessionCommand.ts index 2bb8b826a8da..81e2e257f5c4 100644 --- a/clients/client-ssm/src/commands/StartSessionCommand.ts +++ b/clients/client-ssm/src/commands/StartSessionCommand.ts @@ -78,7 +78,7 @@ export interface StartSessionCommandOutput extends StartSessionResponse, __Metad * * @throws {@link TargetNotConnected} (client fault) *

    The specified target managed node for the session isn't fully configured for use with Session Manager. - * For more information, see Getting started with + * For more information, see Setting up * Session Manager in the Amazon Web Services Systems Manager User Guide. This error is also returned if you * attempt to start a session on a managed node that is located in a different account or * Region

    diff --git a/clients/client-ssm/src/commands/UpdateAssociationCommand.ts b/clients/client-ssm/src/commands/UpdateAssociationCommand.ts index d18b68eeb3a8..0f812ec5f628 100644 --- a/clients/client-ssm/src/commands/UpdateAssociationCommand.ts +++ b/clients/client-ssm/src/commands/UpdateAssociationCommand.ts @@ -114,6 +114,20 @@ export interface UpdateAssociationCommandOutput extends UpdateAssociationResult, * }, * ], * }, + * IncludeChildOrganizationUnits: true || false, + * ExcludeAccounts: [ // ExcludeAccounts + * "STRING_VALUE", + * ], + * Targets: [ + * { + * Key: "STRING_VALUE", + * Values: [ + * "STRING_VALUE", + * ], + * }, + * ], + * TargetsMaxConcurrency: "STRING_VALUE", + * TargetsMaxErrors: "STRING_VALUE", * }, * ], * ScheduleOffset: Number("int"), @@ -210,6 +224,20 @@ export interface UpdateAssociationCommandOutput extends UpdateAssociationResult, * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ScheduleOffset: Number("int"), diff --git a/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts b/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts index d9087c53e44e..a4254d98a2d7 100644 --- a/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts +++ b/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts @@ -130,6 +130,20 @@ export interface UpdateAssociationStatusCommandOutput extends UpdateAssociationS * // }, * // ], * // }, + * // IncludeChildOrganizationUnits: true || false, + * // ExcludeAccounts: [ // ExcludeAccounts + * // "STRING_VALUE", + * // ], + * // Targets: [ + * // { + * // Key: "STRING_VALUE", + * // Values: [ + * // "STRING_VALUE", + * // ], + * // }, + * // ], + * // TargetsMaxConcurrency: "STRING_VALUE", + * // TargetsMaxErrors: "STRING_VALUE", * // }, * // ], * // ScheduleOffset: Number("int"), diff --git a/clients/client-ssm/src/models/models_0.ts b/clients/client-ssm/src/models/models_0.ts index 59ea17de7303..c54124007017 100644 --- a/clients/client-ssm/src/models/models_0.ts +++ b/clients/client-ssm/src/models/models_0.ts @@ -761,9 +761,8 @@ export interface CreateActivationRequest { /** *

    The name of the Identity and Access Management (IAM) role that you want to assign to * the managed node. This IAM role must provide AssumeRole permissions for the - * Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create an - * IAM service role for a hybrid and multicloud environment in the - * Amazon Web Services Systems Manager User Guide.

    + * Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create the IAM service role required for Systems Manager in a hybrid and multicloud + * environments in the Amazon Web Services Systems Manager User Guide.

    * *

    You can't specify an IAM service-linked role for this parameter. You must * create a unique role.

    @@ -781,7 +780,7 @@ export interface CreateActivationRequest { /** *

    The date by which this activation request should expire, in timestamp format, such as - * "2021-07-07T00:00:00". You can specify a date up to 30 days in advance. If you don't provide an + * "2024-07-07T00:00:00". You can specify a date up to 30 days in advance. If you don't provide an * expiration date, the activation code expires in 24 hours.

    * @public */ @@ -977,53 +976,6 @@ export const AssociationSyncCompliance = { */ export type AssociationSyncCompliance = (typeof AssociationSyncCompliance)[keyof typeof AssociationSyncCompliance]; -/** - *

    The combination of Amazon Web Services Regions and Amazon Web Services accounts targeted by the current Automation - * execution.

    - * @public - */ -export interface TargetLocation { - /** - *

    The Amazon Web Services accounts targeted by the current Automation execution.

    - * @public - */ - Accounts?: string[]; - - /** - *

    The Amazon Web Services Regions targeted by the current Automation execution.

    - * @public - */ - Regions?: string[]; - - /** - *

    The maximum number of Amazon Web Services Regions and Amazon Web Services accounts allowed to run the Automation - * concurrently.

    - * @public - */ - TargetLocationMaxConcurrency?: string; - - /** - *

    The maximum number of errors allowed before the system stops queueing additional Automation - * executions for the currently running Automation.

    - * @public - */ - TargetLocationMaxErrors?: string; - - /** - *

    The Automation execution role used by the currently running Automation. If not specified, - * the default value is AWS-SystemsManager-AutomationExecutionRole.

    - * @public - */ - ExecutionRoleName?: string; - - /** - *

    The details for the CloudWatch alarm you want to apply to an automation or - * command.

    - * @public - */ - TargetLocationAlarmConfiguration?: AlarmConfiguration; -} - /** *

    An array of search criteria that targets managed nodes using a key-value pair that you * specify.

    @@ -1159,6 +1111,91 @@ export interface Target { Values?: string[]; } +/** + *

    The combination of Amazon Web Services Regions and Amazon Web Services accounts targeted by the current Automation + * execution.

    + * @public + */ +export interface TargetLocation { + /** + *

    The Amazon Web Services accounts targeted by the current Automation execution.

    + * @public + */ + Accounts?: string[]; + + /** + *

    The Amazon Web Services Regions targeted by the current Automation execution.

    + * @public + */ + Regions?: string[]; + + /** + *

    The maximum number of Amazon Web Services Regions and Amazon Web Services accounts allowed to run the Automation + * concurrently.

    + * @public + */ + TargetLocationMaxConcurrency?: string; + + /** + *

    The maximum number of errors allowed before the system stops queueing additional Automation + * executions for the currently running Automation.

    + * @public + */ + TargetLocationMaxErrors?: string; + + /** + *

    The Automation execution role used by the currently running Automation. If not specified, + * the default value is AWS-SystemsManager-AutomationExecutionRole.

    + * @public + */ + ExecutionRoleName?: string; + + /** + *

    The details for the CloudWatch alarm you want to apply to an automation or + * command.

    + * @public + */ + TargetLocationAlarmConfiguration?: AlarmConfiguration; + + /** + *

    Indicates whether to include child organizational units (OUs) that are children of the + * targeted OUs. The default is false.

    + * @public + */ + IncludeChildOrganizationUnits?: boolean; + + /** + *

    Amazon Web Services accounts or organizational units to exclude as expanded targets.

    + * @public + */ + ExcludeAccounts?: string[]; + + /** + *

    A list of key-value mappings to target resources. If you specify values for this data type, + * you must also specify a value for TargetParameterName.

    + *

    This Targets parameter takes precedence over the + * StartAutomationExecution:Targets parameter if both are supplied.

    + * @public + */ + Targets?: Target[]; + + /** + *

    The maximum number of targets allowed to run this task in parallel. This + * TargetsMaxConcurrency takes precedence over the + * StartAutomationExecution:MaxConcurrency parameter if both are supplied.

    + * @public + */ + TargetsMaxConcurrency?: string; + + /** + *

    The maximum number of errors that are allowed before the system stops running the automation + * on additional targets. This TargetsMaxErrors parameter takes precedence over the + * StartAutomationExecution:MaxErrors parameter if both are supplied.

    + * @public + */ + TargetsMaxErrors?: string; +} + /** * @public */ @@ -1226,7 +1263,7 @@ export interface CreateAssociationRequest { *

    The targets for the association. You can target managed nodes by using tags, Amazon Web Services resource * groups, all managed nodes in an Amazon Web Services account, or individual managed node IDs. You can target all * managed nodes in an Amazon Web Services account by specifying the InstanceIds key with a value of - * *. For more information about choosing targets for an association, see About targets and rate controls in State Manager associations in the + * *. For more information about choosing targets for an association, see Understanding targets and rate controls in State Manager associations in the * Amazon Web Services Systems Manager User Guide.

    * @public */ @@ -2182,14 +2219,14 @@ export interface AttachmentsSource { *

    For the key SourceUrl, the value is an S3 bucket location. For * example:

    *

    - * "Values": [ "s3://doc-example-bucket/my-folder" ] + * "Values": [ "s3://amzn-s3-demo-bucket/my-prefix" ] *

    * *
  • *

    For the key S3FileUrl, the value is a file in an S3 bucket. For * example:

    *

    - * "Values": [ "s3://doc-example-bucket/my-folder/my-file.py" ] + * "Values": [ "s3://amzn-s3-demo-bucket/my-prefix/my-file.py" ] *

    *
  • *
  • @@ -3665,11 +3702,16 @@ export interface PatchRule { *

    The number of days after the release date of each patch matched by the rule that the patch * is marked as approved in the patch baseline. For example, a value of 7 means that * patches are approved seven days after they are released.

    - * - *

    This parameter is marked as not required, but your request must include a value - * for either ApproveAfterDays or ApproveUntilDate.

    - *
    - *

    Not supported for Debian Server or Ubuntu Server.

    + *

    This parameter is marked as Required: No, but your request must include a value + * for either ApproveAfterDays or ApproveUntilDate.

    + *

    Not supported for Debian Server or Ubuntu Server.

    + * + *

    Use caution when setting this value for Windows Server patch baselines. Because patch + * updates that are replaced by later updates are removed, setting too broad a value for this + * parameter can result in crucial patches not being installed. For more information, see the + * Windows Server tab in the topic How security + * patches are selected in the Amazon Web Services Systems Manager User Guide.

    + *
    * @public */ ApproveAfterDays?: number; @@ -3678,12 +3720,17 @@ export interface PatchRule { *

    The cutoff date for auto approval of released patches. Any patches released on or before * this date are installed automatically.

    *

    Enter dates in the format YYYY-MM-DD. For example, - * 2021-12-31.

    - * - *

    This parameter is marked as not required, but your request must include a value - * for either ApproveUntilDate or ApproveAfterDays.

    - *
    + * 2024-12-31.

    + *

    This parameter is marked as Required: No, but your request must include a value + * for either ApproveUntilDate or ApproveAfterDays.

    *

    Not supported for Debian Server or Ubuntu Server.

    + * + *

    Use caution when setting this value for Windows Server patch baselines. Because patch + * updates that are replaced by later updates are removed, setting too broad a value for this + * parameter can result in crucial patches not being installed. For more information, see the + * Windows Server tab in the topic How security + * patches are selected in the Amazon Web Services Systems Manager User Guide.

    + *
    * @public */ ApproveUntilDate?: string; @@ -3825,8 +3872,8 @@ export interface CreatePatchBaselineRequest { /** *

    A list of explicitly approved patches for the baseline.

    *

    For information about accepted formats for lists of approved patches and rejected patches, - * see About - * package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    + * see Package + * name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    * @public */ ApprovedPatches?: string[]; @@ -3850,8 +3897,8 @@ export interface CreatePatchBaselineRequest { /** *

    A list of explicitly rejected patches for the baseline.

    *

    For information about accepted formats for lists of approved patches and rejected patches, - * see About - * package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    + * see Package + * name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    * @public */ RejectedPatches?: string[]; @@ -4527,8 +4574,7 @@ export interface DeleteInventoryResult { TypeName?: string; /** - *

    A summary of the delete operation. For more information about this summary, see Understanding the delete inventory summary in the - * Amazon Web Services Systems Manager User Guide.

    + *

    A summary of the delete operation. For more information about this summary, see Deleting custom inventory in the Amazon Web Services Systems Manager User Guide.

    * @public */ DeletionSummary?: InventoryDeletionSummary; @@ -6079,7 +6125,7 @@ export interface AutomationExecutionMetadata { /** *

    Use this filter with DescribeAutomationExecutions. Specify either Local or * CrossAccount. CrossAccount is an Automation that runs in multiple Amazon Web Services Regions and - * Amazon Web Services accounts. For more information, see Running Automation workflows in multiple Amazon Web Services Regions and accounts in the + * Amazon Web Services accounts. For more information, see Running automations in multiple Amazon Web Services Regions and accounts in the * Amazon Web Services Systems Manager User Guide.

    * @public */ @@ -6097,6 +6143,13 @@ export interface AutomationExecutionMetadata { */ TriggeredAlarms?: AlarmStateInformation[]; + /** + *

    A publicly accessible URL for a file that contains the TargetLocations body. + * Currently, only files in presigned Amazon S3 buckets are supported

    + * @public + */ + TargetLocationsURL?: string; + /** *

    The subtype of the Automation operation. Currently, the only supported value is * ChangeRequest.

    @@ -7742,10 +7795,11 @@ export interface InstanceInformation { * activated as a Systems Manager managed node. The name is specified as the DefaultInstanceName * property using the CreateActivation command. It is applied to the managed node * by specifying the Activation Code and Activation ID when you install SSM Agent on the node, as - * explained in Install SSM Agent for a - * hybrid and multicloud environment (Linux) and Install SSM Agent for a - * hybrid and multicloud environment (Windows). To retrieve the Name tag of an - * EC2 instance, use the Amazon EC2 DescribeInstances operation. For information, see DescribeInstances in the Amazon EC2 API Reference or describe-instances in the Amazon Web Services CLI Command Reference.

    + * explained in How to + * install SSM Agent on hybrid Linux nodes and How to + * install SSM Agent on hybrid Windows Server nodes. To retrieve the Name tag + * of an EC2 instance, use the Amazon EC2 DescribeInstances operation. For information, see + * DescribeInstances in the Amazon EC2 API Reference or describe-instances in the Amazon Web Services CLI Command Reference.

    * @public */ Name?: string; @@ -7889,8 +7943,8 @@ export interface DescribeInstancePatchesRequest { *

    Sample values: Installed | InstalledOther | * InstalledPendingReboot *

    - *

    For lists of all State values, see Understanding - * patch compliance state values in the Amazon Web Services Systems Manager User Guide.

    + *

    For lists of all State values, see Patch compliance + * state values in the Amazon Web Services Systems Manager User Guide.

    *
  • * * @public @@ -7964,7 +8018,8 @@ export interface PatchComplianceData { /** *

    The state of the patch on the managed node, such as INSTALLED or FAILED.

    - *

    For descriptions of each patch state, see About patch compliance in the Amazon Web Services Systems Manager User Guide.

    + *

    For descriptions of each patch state, see About + * patch compliance in the Amazon Web Services Systems Manager User Guide.

    * @public */ State: PatchComplianceDataState | undefined; @@ -8119,8 +8174,8 @@ export interface InstancePatchState { * patches to be installed. This patch installation list, which you maintain in an S3 bucket in YAML * format and specify in the SSM document AWS-RunPatchBaseline, overrides the patches * specified by the default patch baseline.

    - *

    For more information about the InstallOverrideList parameter, see About the - * AWS-RunPatchBaseline SSM document + *

    For more information about the InstallOverrideList parameter, see SSM Command + * document for patching: AWS-RunPatchBaseline * in the * Amazon Web Services Systems Manager User Guide.

    * @public @@ -8857,7 +8912,7 @@ export interface InventoryDeletionStatusItem { LastStatusMessage?: string; /** - *

    Information about the delete operation. For more information about this summary, see Understanding the delete inventory summary in the + *

    Information about the delete operation. For more information about this summary, see Understanding the delete inventory summary in the * Amazon Web Services Systems Manager User Guide.

    * @public */ @@ -8983,7 +9038,7 @@ export interface DescribeMaintenanceWindowExecutionsRequest { *
  • *

    Values. An array of strings, each between 1 and 256 characters. Supported values are * date/time strings in a valid ISO 8601 date/time format, such as - * 2021-11-04T05:00:00Z.

    + * 2024-11-04T05:00:00Z.

    *
  • * * @public diff --git a/clients/client-ssm/src/models/models_1.ts b/clients/client-ssm/src/models/models_1.ts index c18fdeb0d659..3c8d277aa547 100644 --- a/clients/client-ssm/src/models/models_1.ts +++ b/clients/client-ssm/src/models/models_1.ts @@ -417,7 +417,7 @@ export interface MaintenanceWindowTask { *

    However, for an improved security posture, we strongly recommend creating a custom * policy and custom service role for running your maintenance window tasks. The policy * can be crafted to provide only the permissions needed for your particular - * maintenance window tasks. For more information, see Setting up maintenance windows in the in the + * maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the * Amazon Web Services Systems Manager User Guide.

    * @public */ @@ -737,8 +737,7 @@ export interface OpsItemSummary { Source?: string; /** - *

    The OpsItem status. Status can be Open, In Progress, or - * Resolved.

    + *

    The OpsItem status.

    * @public */ Status?: OpsItemStatus; @@ -1581,11 +1580,11 @@ export interface SessionFilter { *
      *
    • *

      InvokedAfter: Specify a timestamp to limit your results. For example, specify - * 2018-08-29T00:00:00Z to see sessions that started August 29, 2018, and later.

      + * 2024-08-29T00:00:00Z to see sessions that started August 29, 2024, and later.

      *
    • *
    • *

      InvokedBefore: Specify a timestamp to limit your results. For example, specify - * 2018-08-29T00:00:00Z to see sessions that started before August 29, 2018.

      + * 2024-08-29T00:00:00Z to see sessions that started before August 29, 2024.

      *
    • *
    • *

      Target: Specify a managed node to which session connections have been made.

      @@ -2073,6 +2072,13 @@ export interface AutomationExecution { */ TriggeredAlarms?: AlarmStateInformation[]; + /** + *

      A publicly accessible URL for a file that contains the TargetLocations body. + * Currently, only files in presigned Amazon S3 buckets are supported

      + * @public + */ + TargetLocationsURL?: string; + /** *

      The subtype of the Automation operation. Currently, the only supported value is * ChangeRequest.

      @@ -2638,8 +2644,8 @@ export interface BaselineOverride { /** *

      A list of explicitly approved patches for the baseline.

      *

      For information about accepted formats for lists of approved patches and rejected patches, - * see About - * package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      + * see Package + * name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      * @public */ ApprovedPatches?: string[]; @@ -2654,8 +2660,8 @@ export interface BaselineOverride { /** *

      A list of explicitly rejected patches for the baseline.

      *

      For information about accepted formats for lists of approved patches and rejected patches, - * see About - * package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      + * see Package + * name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      * @public */ RejectedPatches?: string[]; @@ -2981,8 +2987,7 @@ export interface InventoryFilter { *

      The type of filter.

      * *

      The Exists filter must be used with aggregators. For more information, see - * Aggregating inventory - * data in the Amazon Web Services Systems Manager User Guide.

      + * Aggregating inventory data in the Amazon Web Services Systems Manager User Guide.

      *
      * @public */ @@ -3959,7 +3964,7 @@ export interface MaintenanceWindowRunCommandParameters { *

      However, for an improved security posture, we strongly recommend creating a custom * policy and custom service role for running your maintenance window tasks. The policy * can be crafted to provide only the permissions needed for your particular - * maintenance window tasks. For more information, see Setting up maintenance windows in the in the + * maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the * Amazon Web Services Systems Manager User Guide.

      * @public */ @@ -4076,7 +4081,7 @@ export interface GetMaintenanceWindowTaskResult { *

      However, for an improved security posture, we strongly recommend creating a custom * policy and custom service role for running your maintenance window tasks. The policy * can be crafted to provide only the permissions needed for your particular - * maintenance window tasks. For more information, see Setting up maintenance windows in the in the + * maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the * Amazon Web Services Systems Manager User Guide.

      * @public */ @@ -4297,8 +4302,7 @@ export interface OpsItem { RelatedOpsItems?: RelatedOpsItem[]; /** - *

      The OpsItem status. Status can be Open, In Progress, or - * Resolved. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      + *

      The OpsItem status. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      * @public */ Status?: OpsItemStatus; @@ -4579,8 +4583,8 @@ export interface GetParameterRequest { * parameters shared with you from another account, you must use the full ARN.

      *

      To query by parameter label, use "Name": "name:label". To query by parameter * version, use "Name": "name:version".

      - *

      For more information about shared parameters, see Working with shared parameters in - * the Amazon Web Services Systems Manager User Guide.

      + *

      For more information about shared parameters, see Working with + * shared parameters in the Amazon Web Services Systems Manager User Guide.

      * @public */ Name: string | undefined; @@ -5886,13 +5890,13 @@ export interface CommandFilter { *
    • *

      * InvokedAfter: Specify a timestamp to limit your results. - * For example, specify 2021-07-07T00:00:00Z to see a list of command executions + * For example, specify 2024-07-07T00:00:00Z to see a list of command executions * occurring July 7, 2021, and later.

      *
    • *
    • *

      * InvokedBefore: Specify a timestamp to limit your results. - * For example, specify 2021-07-07T00:00:00Z to see a list of command executions from + * For example, specify 2024-07-07T00:00:00Z to see a list of command executions from * before July 7, 2021.

      *
    • *
    • @@ -6247,12 +6251,12 @@ export interface CommandPlugin { *

      The S3 bucket where the responses to the command executions should be stored. This was * requested when issuing the command. For example, in the following response:

      *

      - * doc-example-bucket/ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix/i-02573cafcfEXAMPLE/awsrunShellScript + * amzn-s3-demo-bucket/my-prefix/i-02573cafcfEXAMPLE/awsrunShellScript *

      *

      - * doc-example-bucket is the name of the S3 bucket;

      + * amzn-s3-demo-bucket is the name of the S3 bucket;

      *

      - * ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix is the name of the S3 prefix;

      + * my-prefix is the name of the S3 prefix;

      *

      * i-02573cafcfEXAMPLE is the managed node ID;

      *

      @@ -6266,12 +6270,12 @@ export interface CommandPlugin { * be stored. This was requested when issuing the command. For example, in the following * response:

      *

      - * doc-example-bucket/ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix/i-02573cafcfEXAMPLE/awsrunShellScript + * amzn-s3-demo-bucket/my-prefix/i-02573cafcfEXAMPLE/awsrunShellScript *

      *

      - * doc-example-bucket is the name of the S3 bucket;

      + * amzn-s3-demo-bucket is the name of the S3 bucket;

      *

      - * ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix is the name of the S3 prefix;

      + * my-prefix is the name of the S3 prefix;

      *

      * i-02573cafcfEXAMPLE is the managed node ID;

      *

      @@ -9998,7 +10002,7 @@ export interface RegisterTaskWithMaintenanceWindowRequest { *

      However, for an improved security posture, we strongly recommend creating a custom * policy and custom service role for running your maintenance window tasks. The policy * can be crafted to provide only the permissions needed for your particular - * maintenance window tasks. For more information, see Setting up maintenance windows in the in the + * maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the * Amazon Web Services Systems Manager User Guide.

      * @public */ @@ -10838,6 +10842,8 @@ export interface StartAutomationExecutionRequest { /** *

      A key-value mapping to target resources. Required if you specify TargetParameterName.

      + *

      If both this parameter and the TargetLocation:Targets parameter are supplied, + * TargetLocation:Targets takes precedence.

      * @public */ Targets?: Target[]; @@ -10852,6 +10858,8 @@ export interface StartAutomationExecutionRequest { /** *

      The maximum number of targets allowed to run this task in parallel. You can specify a * number, such as 10, or a percentage, such as 10%. The default value is 10.

      + *

      If both this parameter and the TargetLocation:TargetsMaxConcurrency are + * supplied, TargetLocation:TargetsMaxConcurrency takes precedence.

      * @public */ MaxConcurrency?: string; @@ -10868,6 +10876,8 @@ export interface StartAutomationExecutionRequest { * complete, but some of these executions may fail as well. If you need to ensure that there won't * be more than max-errors failed executions, set max-concurrency to 1 so the executions proceed one * at a time.

      + *

      If this parameter and the TargetLocation:TargetsMaxErrors parameter are both + * supplied, TargetLocation:TargetsMaxErrors takes precedence.

      * @public */ MaxErrors?: string; @@ -10875,7 +10885,7 @@ export interface StartAutomationExecutionRequest { /** *

      A location is a combination of Amazon Web Services Regions and/or Amazon Web Services accounts where you want to run the * automation. Use this operation to start an automation in multiple Amazon Web Services Regions and multiple - * Amazon Web Services accounts. For more information, see Running Automation workflows in multiple Amazon Web Services Regions and Amazon Web Services accounts in the + * Amazon Web Services accounts. For more information, see Running automations in multiple Amazon Web Services Regions and accounts in the * Amazon Web Services Systems Manager User Guide.

      * @public */ @@ -10912,6 +10922,13 @@ export interface StartAutomationExecutionRequest { * @public */ AlarmConfiguration?: AlarmConfiguration; + + /** + *

      Specify a publicly accessible URL for a file that contains the TargetLocations + * body. Currently, only files in presigned Amazon S3 buckets are supported.

      + * @public + */ + TargetLocationsURL?: string; } /** diff --git a/clients/client-ssm/src/models/models_2.ts b/clients/client-ssm/src/models/models_2.ts index 9bd0c2512a72..5799f1c6e530 100644 --- a/clients/client-ssm/src/models/models_2.ts +++ b/clients/client-ssm/src/models/models_2.ts @@ -265,7 +265,7 @@ export interface StartSessionResponse { /** *

      The specified target managed node for the session isn't fully configured for use with Session Manager. - * For more information, see Getting started with + * For more information, see Setting up * Session Manager in the Amazon Web Services Systems Manager User Guide. This error is also returned if you * attempt to start a session on a managed node that is located in a different account or * Region

      @@ -1341,7 +1341,7 @@ export interface UpdateMaintenanceWindowTaskRequest { *

      However, for an improved security posture, we strongly recommend creating a custom * policy and custom service role for running your maintenance window tasks. The policy * can be crafted to provide only the permissions needed for your particular - * maintenance window tasks. For more information, see Setting up maintenance windows in the in the + * maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the * Amazon Web Services Systems Manager User Guide.

      * @public */ @@ -1524,7 +1524,7 @@ export interface UpdateMaintenanceWindowTaskResult { *

      However, for an improved security posture, we strongly recommend creating a custom * policy and custom service role for running your maintenance window tasks. The policy * can be crafted to provide only the permissions needed for your particular - * maintenance window tasks. For more information, see Setting up maintenance windows in the in the + * maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the * Amazon Web Services Systems Manager User Guide.

      * @public */ @@ -1620,9 +1620,8 @@ export interface UpdateManagedInstanceRoleRequest { /** *

      The name of the Identity and Access Management (IAM) role that you want to assign to * the managed node. This IAM role must provide AssumeRole permissions for the - * Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create an - * IAM service role for a hybrid and multicloud environment in the - * Amazon Web Services Systems Manager User Guide.

      + * Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create the IAM service role required for Systems Manager in hybrid and multicloud + * environments in the Amazon Web Services Systems Manager User Guide.

      * *

      You can't specify an IAM service-linked role for this parameter. You must * create a unique role.

      @@ -1701,8 +1700,7 @@ export interface UpdateOpsItemRequest { RelatedOpsItems?: RelatedOpsItem[]; /** - *

      The OpsItem status. Status can be Open, In Progress, or - * Resolved. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      + *

      The OpsItem status. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      * @public */ Status?: OpsItemStatus; @@ -1857,8 +1855,8 @@ export interface UpdatePatchBaselineRequest { /** *

      A list of explicitly approved patches for the baseline.

      *

      For information about accepted formats for lists of approved patches and rejected patches, - * see About - * package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      + * see Package + * name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      * @public */ ApprovedPatches?: string[]; @@ -1880,8 +1878,8 @@ export interface UpdatePatchBaselineRequest { /** *

      A list of explicitly rejected patches for the baseline.

      *

      For information about accepted formats for lists of approved patches and rejected patches, - * see About - * package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      + * see Package + * name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      * @public */ RejectedPatches?: string[]; diff --git a/clients/client-ssm/src/protocols/Aws_json1_1.ts b/clients/client-ssm/src/protocols/Aws_json1_1.ts index 30507837f0cb..5f5c4b88e899 100644 --- a/clients/client-ssm/src/protocols/Aws_json1_1.ts +++ b/clients/client-ssm/src/protocols/Aws_json1_1.ts @@ -8295,6 +8295,8 @@ const se_DeleteInventoryRequest = (input: DeleteInventoryRequest, context: __Ser // se_DocumentReviews omitted. +// se_ExcludeAccounts omitted. + // se_GetAutomationExecutionRequest omitted. // se_GetCalendarStateRequest omitted. @@ -9235,6 +9237,7 @@ const de_AutomationExecution = (output: any, context: __SerdeContext): Automatio StepExecutionsTruncated: __expectBoolean, Target: __expectString, TargetLocations: _json, + TargetLocationsURL: __expectString, TargetMaps: _json, TargetParameterName: __expectString, Targets: _json, @@ -9276,6 +9279,7 @@ const de_AutomationExecutionMetadata = (output: any, context: __SerdeContext): A Runbooks: _json, ScheduledTime: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), Target: __expectString, + TargetLocationsURL: __expectString, TargetMaps: _json, TargetParameterName: __expectString, Targets: _json, @@ -10029,6 +10033,8 @@ const de_EffectivePatchList = (output: any, context: __SerdeContext): EffectiveP return retVal; }; +// de_ExcludeAccounts omitted. + // de_FailedCreateAssociation omitted. // de_FailedCreateAssociationList omitted. diff --git a/codegen/sdk-codegen/aws-models/ssm.json b/codegen/sdk-codegen/aws-models/ssm.json index fd26ae378620..8530bd2c39f5 100644 --- a/codegen/sdk-codegen/aws-models/ssm.json +++ b/codegen/sdk-codegen/aws-models/ssm.json @@ -3193,7 +3193,7 @@ "Values": { "target": "com.amazonaws.ssm#AttachmentsSourceValues", "traits": { - "smithy.api#documentation": "

      The value of a key-value pair that identifies the location of an attachment to a document.\n The format for Value depends on the type of key you\n specify.

      \n
        \n
      • \n

        For the key SourceUrl, the value is an S3 bucket location. For\n example:

        \n

        \n \"Values\": [ \"s3://doc-example-bucket/my-folder\" ]\n

        \n
      • \n
      • \n

        For the key S3FileUrl, the value is a file in an S3 bucket. For\n example:

        \n

        \n \"Values\": [ \"s3://doc-example-bucket/my-folder/my-file.py\" ]\n

        \n
      • \n
      • \n

        For the key AttachmentReference, the value is constructed from the\n name of another SSM document in your account, a version number of that document, and a file\n attached to that document version that you want to reuse. For example:

        \n

        \n \"Values\": [ \"MyOtherDocument/3/my-other-file.py\" ]\n

        \n

        However, if the SSM document is shared with you from another account, the full SSM\n document ARN must be specified instead of the document name only. For example:

        \n

        \n \"Values\": [\n \"arn:aws:ssm:us-east-2:111122223333:document/OtherAccountDocument/3/their-file.py\"\n ]\n

        \n
      • \n
      " + "smithy.api#documentation": "

      The value of a key-value pair that identifies the location of an attachment to a document.\n The format for Value depends on the type of key you\n specify.

      \n
        \n
      • \n

        For the key SourceUrl, the value is an S3 bucket location. For\n example:

        \n

        \n \"Values\": [ \"s3://amzn-s3-demo-bucket/my-prefix\" ]\n

        \n
      • \n
      • \n

        For the key S3FileUrl, the value is a file in an S3 bucket. For\n example:

        \n

        \n \"Values\": [ \"s3://amzn-s3-demo-bucket/my-prefix/my-file.py\" ]\n

        \n
      • \n
      • \n

        For the key AttachmentReference, the value is constructed from the\n name of another SSM document in your account, a version number of that document, and a file\n attached to that document version that you want to reuse. For example:

        \n

        \n \"Values\": [ \"MyOtherDocument/3/my-other-file.py\" ]\n

        \n

        However, if the SSM document is shared with you from another account, the full SSM\n document ARN must be specified instead of the document name only. For example:

        \n

        \n \"Values\": [\n \"arn:aws:ssm:us-east-2:111122223333:document/OtherAccountDocument/3/their-file.py\"\n ]\n

        \n
      • \n
      " } }, "Name": { @@ -3501,6 +3501,12 @@ "smithy.api#documentation": "

      The CloudWatch alarm that was invoked by the automation.

      " } }, + "TargetLocationsURL": { + "target": "com.amazonaws.ssm#TargetLocationsURL", + "traits": { + "smithy.api#documentation": "

      A publicly accessible URL for a file that contains the TargetLocations body.\n Currently, only files in presigned Amazon S3 buckets are supported

      " + } + }, "AutomationSubtype": { "target": "com.amazonaws.ssm#AutomationSubtype", "traits": { @@ -3837,7 +3843,7 @@ "AutomationType": { "target": "com.amazonaws.ssm#AutomationType", "traits": { - "smithy.api#documentation": "

      Use this filter with DescribeAutomationExecutions. Specify either Local or\n CrossAccount. CrossAccount is an Automation that runs in multiple Amazon Web Services Regions and\n Amazon Web Services accounts. For more information, see Running Automation workflows in multiple Amazon Web Services Regions and accounts in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      Use this filter with DescribeAutomationExecutions. Specify either Local or\n CrossAccount. CrossAccount is an Automation that runs in multiple Amazon Web Services Regions and\n Amazon Web Services accounts. For more information, see Running automations in multiple Amazon Web Services Regions and accounts in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "AlarmConfiguration": { @@ -3852,6 +3858,12 @@ "smithy.api#documentation": "

      The CloudWatch alarm that was invoked by the automation.

      " } }, + "TargetLocationsURL": { + "target": "com.amazonaws.ssm#TargetLocationsURL", + "traits": { + "smithy.api#documentation": "

      A publicly accessible URL for a file that contains the TargetLocations body.\n Currently, only files in presigned Amazon S3 buckets are supported

      " + } + }, "AutomationSubtype": { "target": "com.amazonaws.ssm#AutomationSubtype", "traits": { @@ -4179,7 +4191,7 @@ "ApprovedPatches": { "target": "com.amazonaws.ssm#PatchIdList", "traits": { - "smithy.api#documentation": "

      A list of explicitly approved patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see About\n package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A list of explicitly approved patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see Package\n name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " } }, "ApprovedPatchesComplianceLevel": { @@ -4191,7 +4203,7 @@ "RejectedPatches": { "target": "com.amazonaws.ssm#PatchIdList", "traits": { - "smithy.api#documentation": "

      A list of explicitly rejected patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see About\n package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A list of explicitly rejected patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see Package\n name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " } }, "RejectedPatchesAction": { @@ -4635,7 +4647,7 @@ "value": { "target": "com.amazonaws.ssm#CommandFilterValue", "traits": { - "smithy.api#documentation": "

      The filter value. Valid values for each filter key are as follows:

      \n
        \n
      • \n

        \n InvokedAfter: Specify a timestamp to limit your results.\n For example, specify 2021-07-07T00:00:00Z to see a list of command executions\n occurring July 7, 2021, and later.

        \n
      • \n
      • \n

        \n InvokedBefore: Specify a timestamp to limit your results.\n For example, specify 2021-07-07T00:00:00Z to see a list of command executions from\n before July 7, 2021.

        \n
      • \n
      • \n

        \n Status: Specify a valid command status to see a list of\n all command executions with that status. The status choices depend on the API you call.

        \n

        The status values you can specify for ListCommands are:

        \n
          \n
        • \n

          \n Pending\n

          \n
        • \n
        • \n

          \n InProgress\n

          \n
        • \n
        • \n

          \n Success\n

          \n
        • \n
        • \n

          \n Cancelled\n

          \n
        • \n
        • \n

          \n Failed\n

          \n
        • \n
        • \n

          \n TimedOut (this includes both Delivery and Execution time outs)

          \n
        • \n
        • \n

          \n AccessDenied\n

          \n
        • \n
        • \n

          \n DeliveryTimedOut\n

          \n
        • \n
        • \n

          \n ExecutionTimedOut\n

          \n
        • \n
        • \n

          \n Incomplete\n

          \n
        • \n
        • \n

          \n NoInstancesInTag\n

          \n
        • \n
        • \n

          \n LimitExceeded\n

          \n
        • \n
        \n

        The status values you can specify for ListCommandInvocations are:

        \n
          \n
        • \n

          \n Pending\n

          \n
        • \n
        • \n

          \n InProgress\n

          \n
        • \n
        • \n

          \n Delayed\n

          \n
        • \n
        • \n

          \n Success\n

          \n
        • \n
        • \n

          \n Cancelled\n

          \n
        • \n
        • \n

          \n Failed\n

          \n
        • \n
        • \n

          \n TimedOut (this includes both Delivery and Execution time outs)

          \n
        • \n
        • \n

          \n AccessDenied\n

          \n
        • \n
        • \n

          \n DeliveryTimedOut\n

          \n
        • \n
        • \n

          \n ExecutionTimedOut\n

          \n
        • \n
        • \n

          \n Undeliverable\n

          \n
        • \n
        • \n

          \n InvalidPlatform\n

          \n
        • \n
        • \n

          \n Terminated\n

          \n
        • \n
        \n
      • \n
      • \n

        \n DocumentName: Specify name of the Amazon Web Services Systems Manager document (SSM\n document) for which you want to see command execution results. For example, specify\n AWS-RunPatchBaseline to see command executions that used this SSM document to\n perform security patching operations on managed nodes.

        \n
      • \n
      • \n

        \n ExecutionStage: Specify one of the following values\n (ListCommands operations only):

        \n
          \n
        • \n

          \n Executing: Returns a list of command executions that are currently still\n running.

          \n
        • \n
        • \n

          \n Complete: Returns a list of command executions that have already completed.\n

          \n
        • \n
        \n
      • \n
      ", + "smithy.api#documentation": "

      The filter value. Valid values for each filter key are as follows:

      \n
        \n
      • \n

        \n InvokedAfter: Specify a timestamp to limit your results.\n For example, specify 2024-07-07T00:00:00Z to see a list of command executions\n occurring July 7, 2021, and later.

        \n
      • \n
      • \n

        \n InvokedBefore: Specify a timestamp to limit your results.\n For example, specify 2024-07-07T00:00:00Z to see a list of command executions from\n before July 7, 2021.

        \n
      • \n
      • \n

        \n Status: Specify a valid command status to see a list of\n all command executions with that status. The status choices depend on the API you call.

        \n

        The status values you can specify for ListCommands are:

        \n
          \n
        • \n

          \n Pending\n

          \n
        • \n
        • \n

          \n InProgress\n

          \n
        • \n
        • \n

          \n Success\n

          \n
        • \n
        • \n

          \n Cancelled\n

          \n
        • \n
        • \n

          \n Failed\n

          \n
        • \n
        • \n

          \n TimedOut (this includes both Delivery and Execution time outs)

          \n
        • \n
        • \n

          \n AccessDenied\n

          \n
        • \n
        • \n

          \n DeliveryTimedOut\n

          \n
        • \n
        • \n

          \n ExecutionTimedOut\n

          \n
        • \n
        • \n

          \n Incomplete\n

          \n
        • \n
        • \n

          \n NoInstancesInTag\n

          \n
        • \n
        • \n

          \n LimitExceeded\n

          \n
        • \n
        \n

        The status values you can specify for ListCommandInvocations are:

        \n
          \n
        • \n

          \n Pending\n

          \n
        • \n
        • \n

          \n InProgress\n

          \n
        • \n
        • \n

          \n Delayed\n

          \n
        • \n
        • \n

          \n Success\n

          \n
        • \n
        • \n

          \n Cancelled\n

          \n
        • \n
        • \n

          \n Failed\n

          \n
        • \n
        • \n

          \n TimedOut (this includes both Delivery and Execution time outs)

          \n
        • \n
        • \n

          \n AccessDenied\n

          \n
        • \n
        • \n

          \n DeliveryTimedOut\n

          \n
        • \n
        • \n

          \n ExecutionTimedOut\n

          \n
        • \n
        • \n

          \n Undeliverable\n

          \n
        • \n
        • \n

          \n InvalidPlatform\n

          \n
        • \n
        • \n

          \n Terminated\n

          \n
        • \n
        \n
      • \n
      • \n

        \n DocumentName: Specify name of the Amazon Web Services Systems Manager document (SSM\n document) for which you want to see command execution results. For example, specify\n AWS-RunPatchBaseline to see command executions that used this SSM document to\n perform security patching operations on managed nodes.

        \n
      • \n
      • \n

        \n ExecutionStage: Specify one of the following values\n (ListCommands operations only):

        \n
          \n
        • \n

          \n Executing: Returns a list of command executions that are currently still\n running.

          \n
        • \n
        • \n

          \n Complete: Returns a list of command executions that have already completed.\n

          \n
        • \n
        \n
      • \n
      ", "smithy.api#required": {} } } @@ -4954,13 +4966,13 @@ "OutputS3BucketName": { "target": "com.amazonaws.ssm#S3BucketName", "traits": { - "smithy.api#documentation": "

      The S3 bucket where the responses to the command executions should be stored. This was\n requested when issuing the command. For example, in the following response:

      \n

      \n doc-example-bucket/ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix/i-02573cafcfEXAMPLE/awsrunShellScript\n

      \n

      \n doc-example-bucket is the name of the S3 bucket;

      \n

      \n ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix is the name of the S3 prefix;

      \n

      \n i-02573cafcfEXAMPLE is the managed node ID;

      \n

      \n awsrunShellScript is the name of the plugin.

      " + "smithy.api#documentation": "

      The S3 bucket where the responses to the command executions should be stored. This was\n requested when issuing the command. For example, in the following response:

      \n

      \n amzn-s3-demo-bucket/my-prefix/i-02573cafcfEXAMPLE/awsrunShellScript\n

      \n

      \n amzn-s3-demo-bucket is the name of the S3 bucket;

      \n

      \n my-prefix is the name of the S3 prefix;

      \n

      \n i-02573cafcfEXAMPLE is the managed node ID;

      \n

      \n awsrunShellScript is the name of the plugin.

      " } }, "OutputS3KeyPrefix": { "target": "com.amazonaws.ssm#S3KeyPrefix", "traits": { - "smithy.api#documentation": "

      The S3 directory path inside the bucket where the responses to the command executions should\n be stored. This was requested when issuing the command. For example, in the following\n response:

      \n

      \n doc-example-bucket/ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix/i-02573cafcfEXAMPLE/awsrunShellScript\n

      \n

      \n doc-example-bucket is the name of the S3 bucket;

      \n

      \n ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix is the name of the S3 prefix;

      \n

      \n i-02573cafcfEXAMPLE is the managed node ID;

      \n

      \n awsrunShellScript is the name of the plugin.

      " + "smithy.api#documentation": "

      The S3 directory path inside the bucket where the responses to the command executions should\n be stored. This was requested when issuing the command. For example, in the following\n response:

      \n

      \n amzn-s3-demo-bucket/my-prefix/i-02573cafcfEXAMPLE/awsrunShellScript\n

      \n

      \n amzn-s3-demo-bucket is the name of the S3 bucket;

      \n

      \n my-prefix is the name of the S3 prefix;

      \n

      \n i-02573cafcfEXAMPLE is the managed node ID;

      \n

      \n awsrunShellScript is the name of the plugin.

      " } } }, @@ -5641,7 +5653,7 @@ } ], "traits": { - "smithy.api#documentation": "

      Generates an activation code and activation ID you can use to register your on-premises\n servers, edge devices, or virtual machine (VM) with Amazon Web Services Systems Manager. Registering these machines with\n Systems Manager makes it possible to manage them using Systems Manager capabilities. You use the activation code and\n ID when installing SSM Agent on machines in your hybrid environment. For more information about\n requirements for managing on-premises machines using Systems Manager, see Setting up\n Amazon Web Services Systems Manager for hybrid and multicloud environments in the\n Amazon Web Services Systems Manager User Guide.

      \n \n

      Amazon Elastic Compute Cloud (Amazon EC2) instances, edge devices, and on-premises servers and VMs that are\n configured for Systems Manager are all called managed nodes.

      \n
      " + "smithy.api#documentation": "

      Generates an activation code and activation ID you can use to register your on-premises\n servers, edge devices, or virtual machine (VM) with Amazon Web Services Systems Manager. Registering these machines with\n Systems Manager makes it possible to manage them using Systems Manager capabilities. You use the activation code and\n ID when installing SSM Agent on machines in your hybrid environment. For more information about\n requirements for managing on-premises machines using Systems Manager, see Using Amazon Web Services Systems Manager in\n hybrid and multicloud environments in the Amazon Web Services Systems Manager User Guide.

      \n \n

      Amazon Elastic Compute Cloud (Amazon EC2) instances, edge devices, and on-premises servers and VMs that are\n configured for Systems Manager are all called managed nodes.

      \n
      " } }, "com.amazonaws.ssm#CreateActivationRequest": { @@ -5662,7 +5674,7 @@ "IamRole": { "target": "com.amazonaws.ssm#IamRole", "traits": { - "smithy.api#documentation": "

      The name of the Identity and Access Management (IAM) role that you want to assign to\n the managed node. This IAM role must provide AssumeRole permissions for the\n Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create an\n IAM service role for a hybrid and multicloud environment in the\n Amazon Web Services Systems Manager User Guide.

      \n \n

      You can't specify an IAM service-linked role for this parameter. You must\n create a unique role.

      \n
      ", + "smithy.api#documentation": "

      The name of the Identity and Access Management (IAM) role that you want to assign to\n the managed node. This IAM role must provide AssumeRole permissions for the\n Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create the IAM service role required for Systems Manager in a hybrid and multicloud\n environments in the Amazon Web Services Systems Manager User Guide.

      \n \n

      You can't specify an IAM service-linked role for this parameter. You must\n create a unique role.

      \n
      ", "smithy.api#required": {} } }, @@ -5675,7 +5687,7 @@ "ExpirationDate": { "target": "com.amazonaws.ssm#ExpirationDate", "traits": { - "smithy.api#documentation": "

      The date by which this activation request should expire, in timestamp format, such as\n \"2021-07-07T00:00:00\". You can specify a date up to 30 days in advance. If you don't provide an\n expiration date, the activation code expires in 24 hours.

      " + "smithy.api#documentation": "

      The date by which this activation request should expire, in timestamp format, such as\n \"2024-07-07T00:00:00\". You can specify a date up to 30 days in advance. If you don't provide an\n expiration date, the activation code expires in 24 hours.

      " } }, "Tags": { @@ -6025,7 +6037,7 @@ "Targets": { "target": "com.amazonaws.ssm#Targets", "traits": { - "smithy.api#documentation": "

      The targets for the association. You can target managed nodes by using tags, Amazon Web Services resource\n groups, all managed nodes in an Amazon Web Services account, or individual managed node IDs. You can target all\n managed nodes in an Amazon Web Services account by specifying the InstanceIds key with a value of\n *. For more information about choosing targets for an association, see About targets and rate controls in State Manager associations in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The targets for the association. You can target managed nodes by using tags, Amazon Web Services resource\n groups, all managed nodes in an Amazon Web Services account, or individual managed node IDs. You can target all\n managed nodes in an Amazon Web Services account by specifying the InstanceIds key with a value of\n *. For more information about choosing targets for an association, see Understanding targets and rate controls in State Manager associations in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "ScheduleExpression": { @@ -6170,7 +6182,7 @@ } ], "traits": { - "smithy.api#documentation": "

      Creates a Amazon Web Services Systems Manager (SSM document). An SSM document defines the actions that Systems Manager performs\n on your managed nodes. For more information about SSM documents, including information about\n supported schemas, features, and syntax, see Amazon Web Services Systems Manager Documents in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      Creates a Amazon Web Services Systems Manager (SSM document). An SSM document defines the actions that Systems Manager performs\n on your managed nodes. For more information about SSM documents, including information about\n supported schemas, features, and syntax, see Amazon Web Services Systems Manager Documents in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "com.amazonaws.ssm#CreateDocumentRequest": { @@ -6662,7 +6674,7 @@ "ApprovedPatches": { "target": "com.amazonaws.ssm#PatchIdList", "traits": { - "smithy.api#documentation": "

      A list of explicitly approved patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see About\n package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A list of explicitly approved patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see Package\n name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " } }, "ApprovedPatchesComplianceLevel": { @@ -6681,7 +6693,7 @@ "RejectedPatches": { "target": "com.amazonaws.ssm#PatchIdList", "traits": { - "smithy.api#documentation": "

      A list of explicitly rejected patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see About\n package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A list of explicitly rejected patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see Package\n name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " } }, "RejectedPatchesAction": { @@ -6757,7 +6769,7 @@ } ], "traits": { - "smithy.api#documentation": "

      A resource data sync helps you view data from multiple sources in a single location.\n Amazon Web Services Systems Manager offers two types of resource data sync: SyncToDestination and\n SyncFromSource.

      \n

      You can configure Systems Manager Inventory to use the SyncToDestination type to\n synchronize Inventory data from multiple Amazon Web Services Regions to a single Amazon Simple Storage Service (Amazon S3) bucket. For more information, see Configuring resource data\n sync for Inventory in the Amazon Web Services Systems Manager User Guide.

      \n

      You can configure Systems Manager Explorer to use the SyncFromSource type to synchronize\n operational work items (OpsItems) and operational data (OpsData) from multiple Amazon Web Services Regions to a\n single Amazon S3 bucket. This type can synchronize OpsItems and OpsData from multiple\n Amazon Web Services accounts and Amazon Web Services Regions or EntireOrganization by using Organizations. For more\n information, see Setting up Systems Manager\n Explorer to display data from multiple accounts and Regions in the\n Amazon Web Services Systems Manager User Guide.

      \n

      A resource data sync is an asynchronous operation that returns immediately. After a\n successful initial sync is completed, the system continuously syncs data. To check the status of\n a sync, use the ListResourceDataSync.

      \n \n

      By default, data isn't encrypted in Amazon S3. We strongly recommend that you\n enable encryption in Amazon S3 to ensure secure data storage. We also recommend that you\n secure access to the Amazon S3 bucket by creating a restrictive bucket policy.

      \n
      " + "smithy.api#documentation": "

      A resource data sync helps you view data from multiple sources in a single location.\n Amazon Web Services Systems Manager offers two types of resource data sync: SyncToDestination and\n SyncFromSource.

      \n

      You can configure Systems Manager Inventory to use the SyncToDestination type to\n synchronize Inventory data from multiple Amazon Web Services Regions to a single Amazon Simple Storage Service (Amazon S3) bucket. For more information, see Creatinga a\n resource data sync for Inventory in the Amazon Web Services Systems Manager User Guide.

      \n

      You can configure Systems Manager Explorer to use the SyncFromSource type to synchronize\n operational work items (OpsItems) and operational data (OpsData) from multiple Amazon Web Services Regions to a\n single Amazon S3 bucket. This type can synchronize OpsItems and OpsData from multiple\n Amazon Web Services accounts and Amazon Web Services Regions or EntireOrganization by using Organizations. For more\n information, see Setting up Systems Manager\n Explorer to display data from multiple accounts and Regions in the\n Amazon Web Services Systems Manager User Guide.

      \n

      A resource data sync is an asynchronous operation that returns immediately. After a\n successful initial sync is completed, the system continuously syncs data. To check the status of\n a sync, use the ListResourceDataSync.

      \n \n

      By default, data isn't encrypted in Amazon S3. We strongly recommend that you\n enable encryption in Amazon S3 to ensure secure data storage. We also recommend that you\n secure access to the Amazon S3 bucket by creating a restrictive bucket policy.

      \n
      " } }, "com.amazonaws.ssm#CreateResourceDataSyncRequest": { @@ -7097,7 +7109,7 @@ "DeletionSummary": { "target": "com.amazonaws.ssm#InventoryDeletionSummary", "traits": { - "smithy.api#documentation": "

      A summary of the delete operation. For more information about this summary, see Understanding the delete inventory summary in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A summary of the delete operation. For more information about this summary, see Deleting custom inventory in the Amazon Web Services Systems Manager User Guide.

      " } } }, @@ -9030,7 +9042,7 @@ "Filters": { "target": "com.amazonaws.ssm#PatchOrchestratorFilterList", "traits": { - "smithy.api#documentation": "

      Each element in the array is a structure containing a key-value pair.

      \n

      Supported keys for DescribeInstancePatchesinclude the following:

      \n
        \n
      • \n

        \n \n Classification\n \n

        \n

        Sample values: Security | SecurityUpdates\n

        \n
      • \n
      • \n

        \n \n KBId\n \n

        \n

        Sample values: KB4480056 | java-1.7.0-openjdk.x86_64\n

        \n
      • \n
      • \n

        \n \n Severity\n \n

        \n

        Sample values: Important | Medium | Low\n

        \n
      • \n
      • \n

        \n \n State\n \n

        \n

        Sample values: Installed | InstalledOther |\n InstalledPendingReboot\n

        \n

        For lists of all State values, see Understanding\n patch compliance state values in the Amazon Web Services Systems Manager User Guide.

        \n
      • \n
      " + "smithy.api#documentation": "

      Each element in the array is a structure containing a key-value pair.

      \n

      Supported keys for DescribeInstancePatchesinclude the following:

      \n
        \n
      • \n

        \n \n Classification\n \n

        \n

        Sample values: Security | SecurityUpdates\n

        \n
      • \n
      • \n

        \n \n KBId\n \n

        \n

        Sample values: KB4480056 | java-1.7.0-openjdk.x86_64\n

        \n
      • \n
      • \n

        \n \n Severity\n \n

        \n

        Sample values: Important | Medium | Low\n

        \n
      • \n
      • \n

        \n \n State\n \n

        \n

        Sample values: Installed | InstalledOther |\n InstalledPendingReboot\n

        \n

        For lists of all State values, see Patch compliance\n state values in the Amazon Web Services Systems Manager User Guide.

        \n
      • \n
      " } }, "NextToken": { @@ -9448,7 +9460,7 @@ "Filters": { "target": "com.amazonaws.ssm#MaintenanceWindowFilterList", "traits": { - "smithy.api#documentation": "

      Each entry in the array is a structure containing:

      \n
        \n
      • \n

        Key. A string between 1 and 128 characters. Supported keys include\n ExecutedBefore and ExecutedAfter.

        \n
      • \n
      • \n

        Values. An array of strings, each between 1 and 256 characters. Supported values are\n date/time strings in a valid ISO 8601 date/time format, such as\n 2021-11-04T05:00:00Z.

        \n
      • \n
      " + "smithy.api#documentation": "

      Each entry in the array is a structure containing:

      \n
        \n
      • \n

        Key. A string between 1 and 128 characters. Supported keys include\n ExecutedBefore and ExecutedAfter.

        \n
      • \n
      • \n

        Values. An array of strings, each between 1 and 256 characters. Supported values are\n date/time strings in a valid ISO 8601 date/time format, such as\n 2024-11-04T05:00:00Z.

        \n
      • \n
      " } }, "MaxResults": { @@ -11796,6 +11808,28 @@ "smithy.api#default": 0 } }, + "com.amazonaws.ssm#ExcludeAccount": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 6, + "max": 68 + }, + "smithy.api#pattern": "^(ou-[a-z0-9]{4,32}-[a-z0-9]{8,32})|(\\d{12})$" + } + }, + "com.amazonaws.ssm#ExcludeAccounts": { + "type": "list", + "member": { + "target": "com.amazonaws.ssm#ExcludeAccount" + }, + "traits": { + "smithy.api#length": { + "min": 1, + "max": 5000 + } + } + }, "com.amazonaws.ssm#ExecutionMode": { "type": "enum", "members": { @@ -13408,7 +13442,7 @@ "ServiceRoleArn": { "target": "com.amazonaws.ssm#ServiceRole", "traits": { - "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up maintenance windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "TaskType": { @@ -13845,7 +13879,7 @@ "Name": { "target": "com.amazonaws.ssm#PSParameterName", "traits": { - "smithy.api#documentation": "

      The name or Amazon Resource Name (ARN) of the parameter that you want to query. For\n parameters shared with you from another account, you must use the full ARN.

      \n

      To query by parameter label, use \"Name\": \"name:label\". To query by parameter\n version, use \"Name\": \"name:version\".

      \n

      For more information about shared parameters, see Working with shared parameters in\n the Amazon Web Services Systems Manager User Guide.

      ", + "smithy.api#documentation": "

      The name or Amazon Resource Name (ARN) of the parameter that you want to query. For\n parameters shared with you from another account, you must use the full ARN.

      \n

      To query by parameter label, use \"Name\": \"name:label\". To query by parameter\n version, use \"Name\": \"name:version\".

      \n

      For more information about shared parameters, see Working with\n shared parameters in the Amazon Web Services Systems Manager User Guide.

      ", "smithy.api#required": {} } }, @@ -14815,7 +14849,7 @@ "Name": { "target": "com.amazonaws.ssm#String", "traits": { - "smithy.api#documentation": "

      The name assigned to an on-premises server, edge device, or virtual machine (VM) when it is\n activated as a Systems Manager managed node. The name is specified as the DefaultInstanceName\n property using the CreateActivation command. It is applied to the managed node\n by specifying the Activation Code and Activation ID when you install SSM Agent on the node, as\n explained in Install SSM Agent for a\n hybrid and multicloud environment (Linux) and Install SSM Agent for a\n hybrid and multicloud environment (Windows). To retrieve the Name tag of an\n EC2 instance, use the Amazon EC2 DescribeInstances operation. For information, see DescribeInstances in the Amazon EC2 API Reference or describe-instances in the Amazon Web Services CLI Command Reference.

      " + "smithy.api#documentation": "

      The name assigned to an on-premises server, edge device, or virtual machine (VM) when it is\n activated as a Systems Manager managed node. The name is specified as the DefaultInstanceName\n property using the CreateActivation command. It is applied to the managed node\n by specifying the Activation Code and Activation ID when you install SSM Agent on the node, as\n explained in How to\n install SSM Agent on hybrid Linux nodes and How to\n install SSM Agent on hybrid Windows Server nodes. To retrieve the Name tag\n of an EC2 instance, use the Amazon EC2 DescribeInstances operation. For information, see\n DescribeInstances in the Amazon EC2 API Reference or describe-instances in the Amazon Web Services CLI Command Reference.

      " } }, "IPAddress": { @@ -15078,7 +15112,7 @@ "InstallOverrideList": { "target": "com.amazonaws.ssm#InstallOverrideList", "traits": { - "smithy.api#documentation": "

      An https URL or an Amazon Simple Storage Service (Amazon S3) path-style URL to a list of\n patches to be installed. This patch installation list, which you maintain in an S3 bucket in YAML\n format and specify in the SSM document AWS-RunPatchBaseline, overrides the patches\n specified by the default patch baseline.

      \n

      For more information about the InstallOverrideList parameter, see About the\n AWS-RunPatchBaseline SSM document\n in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      An https URL or an Amazon Simple Storage Service (Amazon S3) path-style URL to a list of\n patches to be installed. This patch installation list, which you maintain in an S3 bucket in YAML\n format and specify in the SSM document AWS-RunPatchBaseline, overrides the patches\n specified by the default patch baseline.

      \n

      For more information about the InstallOverrideList parameter, see SSM Command\n document for patching: AWS-RunPatchBaseline\n in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "OwnerInformation": { @@ -16673,7 +16707,7 @@ "DeletionSummary": { "target": "com.amazonaws.ssm#InventoryDeletionSummary", "traits": { - "smithy.api#documentation": "

      Information about the delete operation. For more information about this summary, see Understanding the delete inventory summary in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      Information about the delete operation. For more information about this summary, see Understanding the delete inventory summary in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "LastStatusUpdateTime": { @@ -16775,7 +16809,7 @@ "Type": { "target": "com.amazonaws.ssm#InventoryQueryOperatorType", "traits": { - "smithy.api#documentation": "

      The type of filter.

      \n \n

      The Exists filter must be used with aggregators. For more information, see\n Aggregating inventory\n data in the Amazon Web Services Systems Manager User Guide.

      \n
      " + "smithy.api#documentation": "

      The type of filter.

      \n \n

      The Exists filter must be used with aggregators. For more information, see\n Aggregating inventory data in the Amazon Web Services Systems Manager User Guide.

      \n
      " } } }, @@ -19516,7 +19550,7 @@ "ServiceRoleArn": { "target": "com.amazonaws.ssm#ServiceRole", "traits": { - "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up maintenance windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "TimeoutSeconds": { @@ -19710,7 +19744,7 @@ "ServiceRoleArn": { "target": "com.amazonaws.ssm#ServiceRole", "traits": { - "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up maintenance windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "MaxConcurrency": { @@ -20790,7 +20824,7 @@ "Status": { "target": "com.amazonaws.ssm#OpsItemStatus", "traits": { - "smithy.api#documentation": "

      The OpsItem status. Status can be Open, In Progress, or\n Resolved. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The OpsItem status. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      " } }, "OpsItemId": { @@ -21922,7 +21956,7 @@ "Status": { "target": "com.amazonaws.ssm#OpsItemStatus", "traits": { - "smithy.api#documentation": "

      The OpsItem status. Status can be Open, In Progress, or\n Resolved.

      " + "smithy.api#documentation": "

      The OpsItem status.

      " } }, "OpsItemId": { @@ -23343,7 +23377,7 @@ "State": { "target": "com.amazonaws.ssm#PatchComplianceDataState", "traits": { - "smithy.api#documentation": "

      The state of the patch on the managed node, such as INSTALLED or FAILED.

      \n

      For descriptions of each patch state, see About patch compliance in the Amazon Web Services Systems Manager User Guide.

      ", + "smithy.api#documentation": "

      The state of the patch on the managed node, such as INSTALLED or FAILED.

      \n

      For descriptions of each patch state, see About\n patch compliance in the Amazon Web Services Systems Manager User Guide.

      ", "smithy.api#required": {} } }, @@ -23997,13 +24031,13 @@ "target": "com.amazonaws.ssm#ApproveAfterDays", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

      The number of days after the release date of each patch matched by the rule that the patch\n is marked as approved in the patch baseline. For example, a value of 7 means that\n patches are approved seven days after they are released.

      \n \n

      This parameter is marked as not required, but your request must include a value\n for either ApproveAfterDays or ApproveUntilDate.

      \n
      \n

      Not supported for Debian Server or Ubuntu Server.

      " + "smithy.api#documentation": "

      The number of days after the release date of each patch matched by the rule that the patch\n is marked as approved in the patch baseline. For example, a value of 7 means that\n patches are approved seven days after they are released.

      \n

      This parameter is marked as Required: No, but your request must include a value\n for either ApproveAfterDays or ApproveUntilDate.

      \n

      Not supported for Debian Server or Ubuntu Server.

      \n \n

      Use caution when setting this value for Windows Server patch baselines. Because patch\n updates that are replaced by later updates are removed, setting too broad a value for this\n parameter can result in crucial patches not being installed. For more information, see the\n Windows Server tab in the topic How security\n patches are selected in the Amazon Web Services Systems Manager User Guide.

      \n
      " } }, "ApproveUntilDate": { "target": "com.amazonaws.ssm#PatchStringDateTime", "traits": { - "smithy.api#documentation": "

      The cutoff date for auto approval of released patches. Any patches released on or before\n this date are installed automatically.

      \n

      Enter dates in the format YYYY-MM-DD. For example,\n 2021-12-31.

      \n \n

      This parameter is marked as not required, but your request must include a value\n for either ApproveUntilDate or ApproveAfterDays.

      \n
      \n

      Not supported for Debian Server or Ubuntu Server.

      " + "smithy.api#documentation": "

      The cutoff date for auto approval of released patches. Any patches released on or before\n this date are installed automatically.

      \n

      Enter dates in the format YYYY-MM-DD. For example,\n 2024-12-31.

      \n

      This parameter is marked as Required: No, but your request must include a value\n for either ApproveUntilDate or ApproveAfterDays.

      \n

      Not supported for Debian Server or Ubuntu Server.

      \n \n

      Use caution when setting this value for Windows Server patch baselines. Because patch\n updates that are replaced by later updates are removed, setting too broad a value for this\n parameter can result in crucial patches not being installed. For more information, see the\n Windows Server tab in the topic How security\n patches are selected in the Amazon Web Services Systems Manager User Guide.

      \n
      " } }, "EnableNonSecurity": { @@ -25082,7 +25116,7 @@ "ServiceRoleArn": { "target": "com.amazonaws.ssm#ServiceRole", "traits": { - "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up maintenance windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "TaskType": { @@ -27005,7 +27039,7 @@ "value": { "target": "com.amazonaws.ssm#SessionFilterValue", "traits": { - "smithy.api#documentation": "

      The filter value. Valid values for each filter key are as follows:

      \n
        \n
      • \n

        InvokedAfter: Specify a timestamp to limit your results. For example, specify\n 2018-08-29T00:00:00Z to see sessions that started August 29, 2018, and later.

        \n
      • \n
      • \n

        InvokedBefore: Specify a timestamp to limit your results. For example, specify\n 2018-08-29T00:00:00Z to see sessions that started before August 29, 2018.

        \n
      • \n
      • \n

        Target: Specify a managed node to which session connections have been made.

        \n
      • \n
      • \n

        Owner: Specify an Amazon Web Services user to see a list of sessions started by that user.

        \n
      • \n
      • \n

        Status: Specify a valid session status to see a list of all sessions with that status.\n Status values you can specify include:

        \n
          \n
        • \n

          Connected

          \n
        • \n
        • \n

          Connecting

          \n
        • \n
        • \n

          Disconnected

          \n
        • \n
        • \n

          Terminated

          \n
        • \n
        • \n

          Terminating

          \n
        • \n
        • \n

          Failed

          \n
        • \n
        \n
      • \n
      • \n

        SessionId: Specify a session ID to return details about the session.

        \n
      • \n
      ", + "smithy.api#documentation": "

      The filter value. Valid values for each filter key are as follows:

      \n
        \n
      • \n

        InvokedAfter: Specify a timestamp to limit your results. For example, specify\n 2024-08-29T00:00:00Z to see sessions that started August 29, 2024, and later.

        \n
      • \n
      • \n

        InvokedBefore: Specify a timestamp to limit your results. For example, specify\n 2024-08-29T00:00:00Z to see sessions that started before August 29, 2024.

        \n
      • \n
      • \n

        Target: Specify a managed node to which session connections have been made.

        \n
      • \n
      • \n

        Owner: Specify an Amazon Web Services user to see a list of sessions started by that user.

        \n
      • \n
      • \n

        Status: Specify a valid session status to see a list of all sessions with that status.\n Status values you can specify include:

        \n
          \n
        • \n

          Connected

          \n
        • \n
        • \n

          Connecting

          \n
        • \n
        • \n

          Disconnected

          \n
        • \n
        • \n

          Terminated

          \n
        • \n
        • \n

          Terminating

          \n
        • \n
        • \n

          Failed

          \n
        • \n
        \n
      • \n
      • \n

        SessionId: Specify a session ID to return details about the session.

        \n
      • \n
      ", "smithy.api#required": {} } } @@ -27537,7 +27571,7 @@ "Targets": { "target": "com.amazonaws.ssm#Targets", "traits": { - "smithy.api#documentation": "

      A key-value mapping to target resources. Required if you specify TargetParameterName.

      " + "smithy.api#documentation": "

      A key-value mapping to target resources. Required if you specify TargetParameterName.

      \n

      If both this parameter and the TargetLocation:Targets parameter are supplied,\n TargetLocation:Targets takes precedence.

      " } }, "TargetMaps": { @@ -27549,19 +27583,19 @@ "MaxConcurrency": { "target": "com.amazonaws.ssm#MaxConcurrency", "traits": { - "smithy.api#documentation": "

      The maximum number of targets allowed to run this task in parallel. You can specify a\n number, such as 10, or a percentage, such as 10%. The default value is 10.

      " + "smithy.api#documentation": "

      The maximum number of targets allowed to run this task in parallel. You can specify a\n number, such as 10, or a percentage, such as 10%. The default value is 10.

      \n

      If both this parameter and the TargetLocation:TargetsMaxConcurrency are\n supplied, TargetLocation:TargetsMaxConcurrency takes precedence.

      " } }, "MaxErrors": { "target": "com.amazonaws.ssm#MaxErrors", "traits": { - "smithy.api#documentation": "

      The number of errors that are allowed before the system stops running the automation on\n additional targets. You can specify either an absolute number of errors, for example 10, or a\n percentage of the target set, for example 10%. If you specify 3, for example, the system stops\n running the automation when the fourth error is received. If you specify 0, then the system stops\n running the automation on additional targets after the first error result is returned. If you run\n an automation on 50 resources and set max-errors to 10%, then the system stops running the\n automation on additional targets when the sixth error is received.

      \n

      Executions that are already running an automation when max-errors is reached are allowed to\n complete, but some of these executions may fail as well. If you need to ensure that there won't\n be more than max-errors failed executions, set max-concurrency to 1 so the executions proceed one\n at a time.

      " + "smithy.api#documentation": "

      The number of errors that are allowed before the system stops running the automation on\n additional targets. You can specify either an absolute number of errors, for example 10, or a\n percentage of the target set, for example 10%. If you specify 3, for example, the system stops\n running the automation when the fourth error is received. If you specify 0, then the system stops\n running the automation on additional targets after the first error result is returned. If you run\n an automation on 50 resources and set max-errors to 10%, then the system stops running the\n automation on additional targets when the sixth error is received.

      \n

      Executions that are already running an automation when max-errors is reached are allowed to\n complete, but some of these executions may fail as well. If you need to ensure that there won't\n be more than max-errors failed executions, set max-concurrency to 1 so the executions proceed one\n at a time.

      \n

      If this parameter and the TargetLocation:TargetsMaxErrors parameter are both\n supplied, TargetLocation:TargetsMaxErrors takes precedence.

      " } }, "TargetLocations": { "target": "com.amazonaws.ssm#TargetLocations", "traits": { - "smithy.api#documentation": "

      A location is a combination of Amazon Web Services Regions and/or Amazon Web Services accounts where you want to run the\n automation. Use this operation to start an automation in multiple Amazon Web Services Regions and multiple\n Amazon Web Services accounts. For more information, see Running Automation workflows in multiple Amazon Web Services Regions and Amazon Web Services accounts in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A location is a combination of Amazon Web Services Regions and/or Amazon Web Services accounts where you want to run the\n automation. Use this operation to start an automation in multiple Amazon Web Services Regions and multiple\n Amazon Web Services accounts. For more information, see Running automations in multiple Amazon Web Services Regions and accounts in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "Tags": { @@ -27575,6 +27609,12 @@ "traits": { "smithy.api#documentation": "

      The CloudWatch alarm you want to apply to your automation.

      " } + }, + "TargetLocationsURL": { + "target": "com.amazonaws.ssm#TargetLocationsURL", + "traits": { + "smithy.api#documentation": "

      Specify a publicly accessible URL for a file that contains the TargetLocations\n body. Currently, only files in presigned Amazon S3 buckets are supported.

      " + } } }, "traits": { @@ -28364,6 +28404,37 @@ }, "TargetLocationAlarmConfiguration": { "target": "com.amazonaws.ssm#AlarmConfiguration" + }, + "IncludeChildOrganizationUnits": { + "target": "com.amazonaws.ssm#Boolean", + "traits": { + "smithy.api#default": false, + "smithy.api#documentation": "

      Indicates whether to include child organizational units (OUs) that are children of the\n targeted OUs. The default is false.

      " + } + }, + "ExcludeAccounts": { + "target": "com.amazonaws.ssm#ExcludeAccounts", + "traits": { + "smithy.api#documentation": "

      Amazon Web Services accounts or organizational units to exclude as expanded targets.

      " + } + }, + "Targets": { + "target": "com.amazonaws.ssm#Targets", + "traits": { + "smithy.api#documentation": "

      A list of key-value mappings to target resources. If you specify values for this data type,\n you must also specify a value for TargetParameterName.

      \n

      This Targets parameter takes precedence over the\n StartAutomationExecution:Targets parameter if both are supplied.

      " + } + }, + "TargetsMaxConcurrency": { + "target": "com.amazonaws.ssm#MaxConcurrency", + "traits": { + "smithy.api#documentation": "

      The maximum number of targets allowed to run this task in parallel. This\n TargetsMaxConcurrency takes precedence over the\n StartAutomationExecution:MaxConcurrency parameter if both are supplied.

      " + } + }, + "TargetsMaxErrors": { + "target": "com.amazonaws.ssm#MaxErrors", + "traits": { + "smithy.api#documentation": "

      The maximum number of errors that are allowed before the system stops running the automation\n on additional targets. This TargetsMaxErrors parameter takes precedence over the\n StartAutomationExecution:MaxErrors parameter if both are supplied.

      " + } } }, "traits": { @@ -28382,6 +28453,12 @@ } } }, + "com.amazonaws.ssm#TargetLocationsURL": { + "type": "string", + "traits": { + "smithy.api#pattern": "^https:\\/\\/[-a-zA-Z0-9@:%._\\+~#=]{1,253}\\.s3(\\.[a-z\\d-]{9,16})?\\.amazonaws\\.com\\/.{1,2000}$" + } + }, "com.amazonaws.ssm#TargetMap": { "type": "map", "key": { @@ -28451,7 +28528,7 @@ "code": "TargetNotConnected", "httpResponseCode": 430 }, - "smithy.api#documentation": "

      The specified target managed node for the session isn't fully configured for use with Session Manager.\n For more information, see Getting started with\n Session Manager in the Amazon Web Services Systems Manager User Guide. This error is also returned if you\n attempt to start a session on a managed node that is located in a different account or\n Region

      ", + "smithy.api#documentation": "

      The specified target managed node for the session isn't fully configured for use with Session Manager.\n For more information, see Setting up\n Session Manager in the Amazon Web Services Systems Manager User Guide. This error is also returned if you\n attempt to start a session on a managed node that is located in a different account or\n Region

      ", "smithy.api#error": "client" } }, @@ -29686,7 +29763,7 @@ "ServiceRoleArn": { "target": "com.amazonaws.ssm#ServiceRole", "traits": { - "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up maintenance windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "TaskParameters": { @@ -29792,7 +29869,7 @@ "ServiceRoleArn": { "target": "com.amazonaws.ssm#ServiceRole", "traits": { - "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up maintenance windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The Amazon Resource Name (ARN) of the IAM service role for\n Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a\n service role ARN, Systems Manager uses a service-linked role in your account. If no\n appropriate service-linked role for Systems Manager exists in your account, it is created when\n you run RegisterTaskWithMaintenanceWindow.

      \n

      However, for an improved security posture, we strongly recommend creating a custom\n policy and custom service role for running your maintenance window tasks. The policy\n can be crafted to provide only the permissions needed for your particular\n maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the\n Amazon Web Services Systems Manager User Guide.

      " } }, "TaskParameters": { @@ -29894,7 +29971,7 @@ "IamRole": { "target": "com.amazonaws.ssm#IamRole", "traits": { - "smithy.api#documentation": "

      The name of the Identity and Access Management (IAM) role that you want to assign to\n the managed node. This IAM role must provide AssumeRole permissions for the\n Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create an\n IAM service role for a hybrid and multicloud environment in the\n Amazon Web Services Systems Manager User Guide.

      \n \n

      You can't specify an IAM service-linked role for this parameter. You must\n create a unique role.

      \n
      ", + "smithy.api#documentation": "

      The name of the Identity and Access Management (IAM) role that you want to assign to\n the managed node. This IAM role must provide AssumeRole permissions for the\n Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create the IAM service role required for Systems Manager in hybrid and multicloud\n environments in the Amazon Web Services Systems Manager User Guide.

      \n \n

      You can't specify an IAM service-linked role for this parameter. You must\n create a unique role.

      \n
      ", "smithy.api#required": {} } } @@ -29987,7 +30064,7 @@ "Status": { "target": "com.amazonaws.ssm#OpsItemStatus", "traits": { - "smithy.api#documentation": "

      The OpsItem status. Status can be Open, In Progress, or\n Resolved. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      The OpsItem status. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

      " } }, "OpsItemId": { @@ -30178,7 +30255,7 @@ "ApprovedPatches": { "target": "com.amazonaws.ssm#PatchIdList", "traits": { - "smithy.api#documentation": "

      A list of explicitly approved patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see About\n package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A list of explicitly approved patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see Package\n name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " } }, "ApprovedPatchesComplianceLevel": { @@ -30197,7 +30274,7 @@ "RejectedPatches": { "target": "com.amazonaws.ssm#PatchIdList", "traits": { - "smithy.api#documentation": "

      A list of explicitly rejected patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see About\n package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " + "smithy.api#documentation": "

      A list of explicitly rejected patches for the baseline.

      \n

      For information about accepted formats for lists of approved patches and rejected patches,\n see Package\n name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

      " } }, "RejectedPatchesAction": { From 5f7243a99f1dc883c86e8fb913264254558a1b38 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 17 Sep 2024 18:16:50 +0000 Subject: [PATCH 27/53] docs(client-ecs): This is a documentation only release to address various tickets. --- clients/client-ecs/src/models/models_0.ts | 115 +++++++++++----------- codegen/sdk-codegen/aws-models/ecs.json | 90 ++++++++--------- 2 files changed, 105 insertions(+), 100 deletions(-) diff --git a/clients/client-ecs/src/models/models_0.ts b/clients/client-ecs/src/models/models_0.ts index b5b1bae70acb..5b9a4a45aafe 100644 --- a/clients/client-ecs/src/models/models_0.ts +++ b/clients/client-ecs/src/models/models_0.ts @@ -1427,11 +1427,16 @@ export interface DeploymentConfiguration { * to do this are available). The default maximumPercent value for a service * using the REPLICA service scheduler is 200%.

      *

      If a service is using either the blue/green (CODE_DEPLOY) or - * EXTERNAL deployment types and tasks that use the EC2 + * EXTERNAL deployment types, and tasks in the service use the EC2 * launch type, the maximum percent value is set to the - * default value and is used to define the upper limit on the number of the tasks in the + * default value. The maximum percent value is used to define the upper limit on the number of the tasks in the * service that remain in the RUNNING state while the container instances are - * in the DRAINING state. If the tasks in the service use the + * in the DRAINING state.

      + * + *

      You can't specify a custom maximumPercent value for a service that uses either the blue/green (CODE_DEPLOY) or + * EXTERNAL deployment types and has tasks that use the EC2 launch type.

      + *
      + *

      If the tasks in the service use the * Fargate launch type, the maximum percent value is not used, although it is * returned when describing your service.

      * @public @@ -1495,9 +1500,14 @@ export interface DeploymentConfiguration { *

      If a service is using either the blue/green (CODE_DEPLOY) or * EXTERNAL deployment types and is running tasks that use the * EC2 launch type, the minimum healthy - * percent value is set to the default value and is used to define the lower + * percent value is set to the default value. The minimum healthy percent value is used to define the lower * limit on the number of the tasks in the service that remain in the RUNNING - * state while the container instances are in the DRAINING state. If a service + * state while the container instances are in the DRAINING state.

      + * + *

      You can't specify a custom minimumHealthyPercent value for a service that uses either the blue/green (CODE_DEPLOY) or + * EXTERNAL deployment types and has tasks that use the EC2 launch type.

      + *
      + *

      If a service * is using either the blue/green (CODE_DEPLOY) or EXTERNAL * deployment types and is running tasks that use the Fargate launch type, * the minimum healthy percent value is not used, although it is returned when describing @@ -1888,7 +1898,7 @@ export interface Secret { /** *

      The log configuration for the container. This parameter maps to LogConfig - * in the docker conainer create command and the + * in the docker container create command and the * --log-driver option to docker * run.

      *

      By default, containers use the same logging driver that the Docker daemon uses. @@ -2183,7 +2193,7 @@ export interface ServiceConnectConfiguration { /** *

      The log configuration for the container. This parameter maps to LogConfig - * in the docker conainer create command and the + * in the docker container create command and the * --log-driver option to docker * run.

      *

      By default, containers use the same logging driver that the Docker daemon uses. @@ -4805,7 +4815,7 @@ export interface HealthCheck { * CMD-SHELL, curl -f http://localhost/ || exit 1 *

      *

      An exit code of 0 indicates success, and non-zero exit code indicates failure. For - * more information, see HealthCheck in tthe docker conainer create command

      + * more information, see HealthCheck in the docker container create command

      * @public */ command: string[] | undefined; @@ -4854,7 +4864,7 @@ export interface HealthCheck { export interface KernelCapabilities { /** *

      The Linux capabilities for the container that have been added to the default - * configuration provided by Docker. This parameter maps to CapAdd in the docker conainer create command and the + * configuration provided by Docker. This parameter maps to CapAdd in the docker container create command and the * --cap-add option to docker * run.

      * @@ -4876,7 +4886,7 @@ export interface KernelCapabilities { /** *

      The Linux capabilities for the container that have been removed from the default - * configuration provided by Docker. This parameter maps to CapDrop in the docker conainer create command and the + * configuration provided by Docker. This parameter maps to CapDrop in the docker container create command and the * --cap-drop option to docker * run.

      *

      Valid values: "ALL" | "AUDIT_CONTROL" | "AUDIT_WRITE" | "BLOCK_SUSPEND" | @@ -4985,7 +4995,7 @@ export interface LinuxParameters { /** *

      Any host devices to expose to the container. This parameter maps to - * Devices in tthe docker conainer create command and the --device option to docker run.

      + * Devices in the docker container create command and the --device option to docker run.

      * *

      If you're using tasks that use the Fargate launch type, the * devices parameter isn't supported.

      @@ -5130,7 +5140,7 @@ export type TransportProtocol = (typeof TransportProtocol)[keyof typeof Transpor * hostPort can be left blank or it must be the same value as the * containerPort.

      *

      Most fields of this parameter (containerPort, hostPort, - * protocol) maps to PortBindings in the docker conainer create command and the + * protocol) maps to PortBindings in the docker container create command and the * --publish option to docker * run. If the network mode of a task definition is set to * host, host ports must either be undefined or match the container port @@ -5404,7 +5414,7 @@ export interface ContainerRestartPolicy { /** *

      A list of namespaced kernel parameters to set in the container. This parameter maps to - * Sysctls in tthe docker conainer create command and the --sysctl option to docker run. For example, you can configure + * Sysctls in the docker container create command and the --sysctl option to docker run. For example, you can configure * net.ipv4.tcp_keepalive_time setting to maintain longer lived * connections.

      *

      We don't recommend that you specify network-related systemControls @@ -5519,13 +5529,13 @@ export interface Ulimit { name: UlimitName | undefined; /** - *

      The soft limit for the ulimit type.

      + *

      The soft limit for the ulimit type. The value can be specified in bytes, seconds, or as a count, depending on the type of the ulimit.

      * @public */ softLimit: number | undefined; /** - *

      The hard limit for the ulimit type.

      + *

      The hard limit for the ulimit type. The value can be specified in bytes, seconds, or as a count, depending on the type of the ulimit.

      * @public */ hardLimit: number | undefined; @@ -5562,7 +5572,7 @@ export interface ContainerDefinition { *

      The name of a container. If you're linking multiple containers together in a task * definition, the name of one container can be entered in the * links of another container to connect the containers. - * Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed. This parameter maps to name in tthe docker conainer create command and the + * Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed. This parameter maps to name in the docker container create command and the * --name option to docker * run.

      * @public @@ -5576,7 +5586,7 @@ export interface ContainerDefinition { * repository-url/image:tag *
      or * repository-url/image@digest - * . Up to 255 letters (uppercase and lowercase), numbers, hyphens, underscores, colons, periods, forward slashes, and number signs are allowed. This parameter maps to Image in the docker conainer create command and the + * . Up to 255 letters (uppercase and lowercase), numbers, hyphens, underscores, colons, periods, forward slashes, and number signs are allowed. This parameter maps to Image in the docker container create command and the * IMAGE parameter of docker * run.

      *
        @@ -5619,7 +5629,7 @@ export interface ContainerDefinition { /** *

        The number of cpu units reserved for the container. This parameter maps - * to CpuShares in the docker conainer create commandand the --cpu-shares option to docker run.

        + * to CpuShares in the docker container create commandand the --cpu-shares option to docker run.

        *

        This field is optional for tasks using the Fargate launch type, and the * only requirement is that the total amount of CPU reserved for all containers within a * task be lower than the task-level cpu value.

        @@ -5677,7 +5687,7 @@ export interface ContainerDefinition { * to exceed the memory specified here, the container is killed. The total amount of memory * reserved for all containers within a task must be lower than the task * memory value, if one is specified. This parameter maps to - * Memory in thethe docker conainer create command and the --memory option to docker run.

        + * Memory in the docker container create command and the --memory option to docker run.

        *

        If using the Fargate launch type, this parameter is optional.

        *

        If using the EC2 launch type, you must specify either a task-level * memory value or a container-level memory value. If you specify both a container-level @@ -5700,7 +5710,7 @@ export interface ContainerDefinition { * However, your container can consume more memory when it needs to, up to either the hard * limit specified with the memory parameter (if applicable), or all of the * available memory on the container instance, whichever comes first. This parameter maps - * to MemoryReservation in the the docker conainer create command and the --memory-reservation option to docker run.

        + * to MemoryReservation in the docker container create command and the --memory-reservation option to docker run.

        *

        If a task-level memory value is not specified, you must specify a non-zero integer for * one or both of memory or memoryReservation in a container * definition. If you specify both, memory must be greater than @@ -5727,7 +5737,7 @@ export interface ContainerDefinition { * without the need for port mappings. This parameter is only supported if the network mode * of a task definition is bridge. The name:internalName * construct is analogous to name:alias in Docker links. - * Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed.. This parameter maps to Links in the docker conainer create command and the + * Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed.. This parameter maps to Links in the docker container create command and the * --link option to docker * run.

        * @@ -5753,7 +5763,7 @@ export interface ContainerDefinition { * localhost. There's no loopback for port mappings on Windows, so you * can't access a container's mapped port from the host itself.

        *

        This parameter maps to PortBindings in the - * the docker conainer create command and the + * the docker container create command and the * --publish option to docker * run. If the network mode of a task definition is set to none, * then you can't specify port mappings. If the network mode of a task definition is set to @@ -5801,14 +5811,14 @@ export interface ContainerDefinition { * arguments as command array items instead.

        * *

        The entry point that's passed to the container. This parameter maps to - * Entrypoint in tthe docker conainer create command and the --entrypoint option to docker run.

        + * Entrypoint in the docker container create command and the --entrypoint option to docker run.

        * @public */ entryPoint?: string[]; /** *

        The command that's passed to the container. This parameter maps to Cmd in - * the docker conainer create command and the + * the docker container create command and the * COMMAND parameter to docker * run. If there are multiple arguments, each * argument is a separated string in the array.

        @@ -5818,7 +5828,7 @@ export interface ContainerDefinition { /** *

        The environment variables to pass to a container. This parameter maps to - * Env in the docker conainer create command and the --env option to docker run.

        + * Env in the docker container create command and the --env option to docker run.

        * *

        We don't recommend that you use plaintext environment variables for sensitive * information, such as credential data.

        @@ -5846,7 +5856,7 @@ export interface ContainerDefinition { /** *

        The mount points for data volumes in your container.

        - *

        This parameter maps to Volumes in the the docker conainer create command and the --volume option to docker run.

        + *

        This parameter maps to Volumes in the docker container create command and the --volume option to docker run.

        *

        Windows containers can mount whole directories on the same drive as * $env:ProgramData. Windows containers can't mount directories on a * different drive, and mount point can't be across drives.

        @@ -5856,7 +5866,7 @@ export interface ContainerDefinition { /** *

        Data volumes to mount from another container. This parameter maps to - * VolumesFrom in tthe docker conainer create command and the --volumes-from option to docker run.

        + * VolumesFrom in the docker container create command and the --volumes-from option to docker run.

        * @public */ volumesFrom?: VolumeFrom[]; @@ -5957,7 +5967,7 @@ export interface ContainerDefinition { *

        Windows platform version 1.0.0 or later.

        * *
      - *

      The max stop timeout value is 120 seconds and if the parameter is not specified, the + *

      For tasks that use the Fargate launch type, the max stop timeout value is 120 seconds and if the parameter is not specified, the * default value of 30 seconds is used.

      *

      For tasks that use the EC2 launch type, if the stopTimeout * parameter isn't specified, the value set for the Amazon ECS container agent configuration @@ -5972,14 +5982,14 @@ export interface ContainerDefinition { * ecs-init package. If your container instances are launched from version * 20190301 or later, then they contain the required versions of the * container agent and ecs-init. For more information, see Amazon ECS-optimized Linux AMI in the Amazon Elastic Container Service Developer Guide.

      - *

      The valid values are 2-120 seconds.

      + *

      The valid values for Fargate are 2-120 seconds.

      * @public */ stopTimeout?: number; /** *

      The hostname to use for your container. This parameter maps to Hostname - * in thethe docker conainer create command and the + * in the docker container create command and the * --hostname option to docker * run.

      * @@ -5991,7 +6001,7 @@ export interface ContainerDefinition { hostname?: string; /** - *

      The user to use inside the container. This parameter maps to User in the docker conainer create command and the + *

      The user to use inside the container. This parameter maps to User in the docker container create command and the * --user option to docker * run.

      * @@ -6042,14 +6052,14 @@ export interface ContainerDefinition { /** *

      The working directory to run commands inside the container in. This parameter maps to - * WorkingDir in the docker conainer create command and the --workdir option to docker run.

      + * WorkingDir in the docker container create command and the --workdir option to docker run.

      * @public */ workingDirectory?: string; /** *

      When this parameter is true, networking is off within the container. This parameter - * maps to NetworkDisabled in the docker conainer create command.

      + * maps to NetworkDisabled in the docker container create command.

      * *

      This parameter is not supported for Windows containers.

      *
      @@ -6060,7 +6070,7 @@ export interface ContainerDefinition { /** *

      When this parameter is true, the container is given elevated privileges on the host * container instance (similar to the root user). This parameter maps to - * Privileged in the the docker conainer create command and the --privileged option to docker run

      + * Privileged in the docker container create command and the --privileged option to docker run

      * *

      This parameter is not supported for Windows containers or tasks run on Fargate.

      *
      @@ -6070,7 +6080,7 @@ export interface ContainerDefinition { /** *

      When this parameter is true, the container is given read-only access to its root file - * system. This parameter maps to ReadonlyRootfs in the docker conainer create command and the + * system. This parameter maps to ReadonlyRootfs in the docker container create command and the * --read-only option to docker * run.

      * @@ -6082,7 +6092,7 @@ export interface ContainerDefinition { /** *

      A list of DNS servers that are presented to the container. This parameter maps to - * Dns in the the docker conainer create command and the --dns option to docker run.

      + * Dns in the docker container create command and the --dns option to docker run.

      * *

      This parameter is not supported for Windows containers.

      *
      @@ -6092,7 +6102,7 @@ export interface ContainerDefinition { /** *

      A list of DNS search domains that are presented to the container. This parameter maps - * to DnsSearch in the docker conainer create command and the --dns-search option to docker run.

      + * to DnsSearch in the docker container create command and the --dns-search option to docker run.

      * *

      This parameter is not supported for Windows containers.

      *
      @@ -6102,7 +6112,7 @@ export interface ContainerDefinition { /** *

      A list of hostnames and IP address mappings to append to the /etc/hosts - * file on the container. This parameter maps to ExtraHosts in the docker conainer create command and the + * file on the container. This parameter maps to ExtraHosts in the docker container create command and the * --add-host option to docker * run.

      * @@ -6123,7 +6133,7 @@ export interface ContainerDefinition { * For more information, see Using gMSAs for Windows * Containers and Using gMSAs for Linux * Containers in the Amazon Elastic Container Service Developer Guide.

      - *

      This parameter maps to SecurityOpt in the docker conainer create command and the + *

      This parameter maps to SecurityOpt in the docker container create command and the * --security-opt option to docker * run.

      * @@ -6142,21 +6152,21 @@ export interface ContainerDefinition { /** *

      When this parameter is true, you can deploy containerized applications * that require stdin or a tty to be allocated. This parameter - * maps to OpenStdin in the docker conainer create command and the --interactive option to docker run.

      + * maps to OpenStdin in the docker container create command and the --interactive option to docker run.

      * @public */ interactive?: boolean; /** *

      When this parameter is true, a TTY is allocated. This parameter maps to - * Tty in tthe docker conainer create command and the --tty option to docker run.

      + * Tty in the docker container create command and the --tty option to docker run.

      * @public */ pseudoTerminal?: boolean; /** *

      A key/value map of labels to add to the container. This parameter maps to - * Labels in the docker conainer create command and the --label option to docker run. This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '\{\{.Server.APIVersion\}\}' + * Labels in the docker container create command and the --label option to docker run. This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '\{\{.Server.APIVersion\}\}' *

      * @public */ @@ -6165,7 +6175,7 @@ export interface ContainerDefinition { /** *

      A list of ulimits to set in the container. If a ulimit value * is specified in a task definition, it overrides the default values set by Docker. This - * parameter maps to Ulimits in tthe docker conainer create command and the --ulimit option to docker run. Valid naming values are displayed + * parameter maps to Ulimits in the docker container create command and the --ulimit option to docker run. Valid naming values are displayed * in the Ulimit data type.

      *

      Amazon ECS tasks hosted on Fargate use the default * resource limit values set by the operating system with the exception of @@ -6185,7 +6195,7 @@ export interface ContainerDefinition { /** *

      The log configuration specification for the container.

      - *

      This parameter maps to LogConfig in the docker conainer create command and the + *

      This parameter maps to LogConfig in the docker container create command and the * --log-driver option to docker * run. By default, containers use the same logging driver that the Docker * daemon uses. However the container can use a different logging driver than the Docker @@ -6214,7 +6224,7 @@ export interface ContainerDefinition { /** *

      The container health check command and associated configuration parameters for the - * container. This parameter maps to HealthCheck in the docker conainer create command and the + * container. This parameter maps to HealthCheck in the docker container create command and the * HEALTHCHECK parameter of docker * run.

      * @public @@ -6223,7 +6233,7 @@ export interface ContainerDefinition { /** *

      A list of namespaced kernel parameters to set in the container. This parameter maps to - * Sysctls in tthe docker conainer create command and the --sysctl option to docker run. For example, you can configure + * Sysctls in the docker container create command and the --sysctl option to docker run. For example, you can configure * net.ipv4.tcp_keepalive_time setting to maintain longer lived * connections.

      * @public @@ -6624,7 +6634,7 @@ export interface DockerVolumeConfiguration { * by Docker because it is used for task placement. If the driver was installed using the * Docker plugin CLI, use docker plugin ls to retrieve the driver name from * your container instance. If the driver was installed using another method, use Docker - * plugin discovery to retrieve the driver name. This parameter maps to Driver in the docker conainer create command and the + * plugin discovery to retrieve the driver name. This parameter maps to Driver in the docker container create command and the * xxdriver option to docker * volume create.

      * @public @@ -6641,7 +6651,7 @@ export interface DockerVolumeConfiguration { /** *

      Custom metadata to add to your Docker volume. This parameter maps to - * Labels in the docker conainer create command and the xxlabel option to docker + * Labels in the docker container create command and the xxlabel option to docker * volume create.

      * @public */ @@ -7043,8 +7053,8 @@ export interface TaskDefinition { placementConstraints?: TaskDefinitionPlacementConstraint[]; /** - *

      The task launch types the task definition validated against during task definition - * registration. For more information, see Amazon ECS launch types + *

      Amazon ECS validates the task definition parameters with those supported by the launch type. For + * more information, see Amazon ECS launch types * in the Amazon Elastic Container Service Developer Guide.

      * @public */ @@ -10262,11 +10272,6 @@ export interface PutAccountSettingRequest { *
    • *
    • *

      - * fargateFIPSMode - If you specify fargateFIPSMode, - * Fargate FIPS 140 compliance is affected.

      - *
    • - *
    • - *

      * fargateTaskRetirementWaitPeriod - When Amazon Web Services determines that a * security or infrastructure update is needed for an Amazon ECS task hosted on * Fargate, the tasks need to be stopped and new tasks launched to replace them. diff --git a/codegen/sdk-codegen/aws-models/ecs.json b/codegen/sdk-codegen/aws-models/ecs.json index 854049db5bb2..7fcb2a81ee02 100644 --- a/codegen/sdk-codegen/aws-models/ecs.json +++ b/codegen/sdk-codegen/aws-models/ecs.json @@ -2279,13 +2279,13 @@ "name": { "target": "com.amazonaws.ecs#String", "traits": { - "smithy.api#documentation": "

      The name of a container. If you're linking multiple containers together in a task\n\t\t\tdefinition, the name of one container can be entered in the\n\t\t\t\tlinks of another container to connect the containers.\n\t\t\tUp to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed. This parameter maps to name in tthe docker conainer create command and the\n\t\t\t\t--name option to docker\n\t\t\trun.

      " + "smithy.api#documentation": "

      The name of a container. If you're linking multiple containers together in a task\n\t\t\tdefinition, the name of one container can be entered in the\n\t\t\t\tlinks of another container to connect the containers.\n\t\t\tUp to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed. This parameter maps to name in the docker container create command and the\n\t\t\t\t--name option to docker\n\t\t\trun.

      " } }, "image": { "target": "com.amazonaws.ecs#String", "traits": { - "smithy.api#documentation": "

      The image used to start a container. This string is passed directly to the Docker\n\t\t\tdaemon. By default, images in the Docker Hub registry are available. Other repositories\n\t\t\tare specified with either \n repository-url/image:tag\n or \n repository-url/image@digest\n . Up to 255 letters (uppercase and lowercase), numbers, hyphens, underscores, colons, periods, forward slashes, and number signs are allowed. This parameter maps to Image in the docker conainer create command and the\n\t\t\t\tIMAGE parameter of docker\n\t\t\t\trun.

      \n
        \n
      • \n

        When a new task starts, the Amazon ECS container agent pulls the latest version of\n\t\t\t\t\tthe specified image and tag for the container to use. However, subsequent\n\t\t\t\t\tupdates to a repository image aren't propagated to already running tasks.

        \n
      • \n
      • \n

        Images in Amazon ECR repositories can be specified by either using the full\n\t\t\t\t\t\tregistry/repository:tag or\n\t\t\t\t\t\tregistry/repository@digest. For example,\n\t\t\t\t\t\t012345678910.dkr.ecr..amazonaws.com/:latest\n\t\t\t\t\tor\n\t\t\t\t\t\t012345678910.dkr.ecr..amazonaws.com/@sha256:94afd1f2e64d908bc90dbca0035a5b567EXAMPLE.\n\t\t\t\t

        \n
      • \n
      • \n

        Images in official repositories on Docker Hub use a single name (for example,\n\t\t\t\t\t\tubuntu or mongo).

        \n
      • \n
      • \n

        Images in other repositories on Docker Hub are qualified with an organization\n\t\t\t\t\tname (for example, amazon/amazon-ecs-agent).

        \n
      • \n
      • \n

        Images in other online repositories are qualified further by a domain name\n\t\t\t\t\t(for example, quay.io/assemblyline/ubuntu).

        \n
      • \n
      " + "smithy.api#documentation": "

      The image used to start a container. This string is passed directly to the Docker\n\t\t\tdaemon. By default, images in the Docker Hub registry are available. Other repositories\n\t\t\tare specified with either \n repository-url/image:tag\n or \n repository-url/image@digest\n . Up to 255 letters (uppercase and lowercase), numbers, hyphens, underscores, colons, periods, forward slashes, and number signs are allowed. This parameter maps to Image in the docker container create command and the\n\t\t\t\tIMAGE parameter of docker\n\t\t\t\trun.

      \n
        \n
      • \n

        When a new task starts, the Amazon ECS container agent pulls the latest version of\n\t\t\t\t\tthe specified image and tag for the container to use. However, subsequent\n\t\t\t\t\tupdates to a repository image aren't propagated to already running tasks.

        \n
      • \n
      • \n

        Images in Amazon ECR repositories can be specified by either using the full\n\t\t\t\t\t\tregistry/repository:tag or\n\t\t\t\t\t\tregistry/repository@digest. For example,\n\t\t\t\t\t\t012345678910.dkr.ecr..amazonaws.com/:latest\n\t\t\t\t\tor\n\t\t\t\t\t\t012345678910.dkr.ecr..amazonaws.com/@sha256:94afd1f2e64d908bc90dbca0035a5b567EXAMPLE.\n\t\t\t\t

        \n
      • \n
      • \n

        Images in official repositories on Docker Hub use a single name (for example,\n\t\t\t\t\t\tubuntu or mongo).

        \n
      • \n
      • \n

        Images in other repositories on Docker Hub are qualified with an organization\n\t\t\t\t\tname (for example, amazon/amazon-ecs-agent).

        \n
      • \n
      • \n

        Images in other online repositories are qualified further by a domain name\n\t\t\t\t\t(for example, quay.io/assemblyline/ubuntu).

        \n
      • \n
      " } }, "repositoryCredentials": { @@ -2298,31 +2298,31 @@ "target": "com.amazonaws.ecs#Integer", "traits": { "smithy.api#default": 0, - "smithy.api#documentation": "

      The number of cpu units reserved for the container. This parameter maps\n\t\t\tto CpuShares in the docker conainer create commandand the --cpu-shares option to docker run.

      \n

      This field is optional for tasks using the Fargate launch type, and the\n\t\t\tonly requirement is that the total amount of CPU reserved for all containers within a\n\t\t\ttask be lower than the task-level cpu value.

      \n \n

      You can determine the number of CPU units that are available per EC2 instance type\n\t\t\t\tby multiplying the vCPUs listed for that instance type on the Amazon EC2 Instances detail page\n\t\t\t\tby 1,024.

      \n
      \n

      Linux containers share unallocated CPU units with other containers on the container\n\t\t\tinstance with the same ratio as their allocated amount. For example, if you run a\n\t\t\tsingle-container task on a single-core instance type with 512 CPU units specified for\n\t\t\tthat container, and that's the only task running on the container instance, that\n\t\t\tcontainer could use the full 1,024 CPU unit share at any given time. However, if you\n\t\t\tlaunched another copy of the same task on that container instance, each task is\n\t\t\tguaranteed a minimum of 512 CPU units when needed. Moreover, each container could float\n\t\t\tto higher CPU usage if the other container was not using it. If both tasks were 100%\n\t\t\tactive all of the time, they would be limited to 512 CPU units.

      \n

      On Linux container instances, the Docker daemon on the container instance uses the CPU\n\t\t\tvalue to calculate the relative CPU share ratios for running containers. The minimum valid CPU share value\n\t\t\tthat the Linux kernel allows is 2, and the\n\t\t\tmaximum valid CPU share value that the Linux kernel allows is 262144. However, the CPU parameter isn't required, and you\n\t\t\tcan use CPU values below 2 or above 262144 in your container definitions. For CPU values below 2\n\t\t\t(including null) or above 262144, the behavior varies based on your Amazon ECS container agent\n\t\t\tversion:

      \n
        \n
      • \n

        \n Agent versions less than or equal to 1.1.0:\n\t\t\t\t\tNull and zero CPU values are passed to Docker as 0, which Docker then converts\n\t\t\t\t\tto 1,024 CPU shares. CPU values of 1 are passed to Docker as 1, which the Linux\n\t\t\t\t\tkernel converts to two CPU shares.

        \n
      • \n
      • \n

        \n Agent versions greater than or equal to 1.2.0:\n\t\t\t\t\tNull, zero, and CPU values of 1 are passed to Docker as 2.

        \n
      • \n
      • \n

        \n Agent versions greater than or equal to\n\t\t\t\t\t\t1.84.0: CPU values greater than 256 vCPU are passed to Docker as\n\t\t\t\t\t256, which is equivalent to 262144 CPU shares.

        \n
      • \n
      \n

      On Windows container instances, the CPU limit is enforced as an absolute limit, or a\n\t\t\tquota. Windows containers only have access to the specified amount of CPU that's\n\t\t\tdescribed in the task definition. A null or zero CPU value is passed to Docker as\n\t\t\t\t0, which Windows interprets as 1% of one CPU.

      " + "smithy.api#documentation": "

      The number of cpu units reserved for the container. This parameter maps\n\t\t\tto CpuShares in the docker container create commandand the --cpu-shares option to docker run.

      \n

      This field is optional for tasks using the Fargate launch type, and the\n\t\t\tonly requirement is that the total amount of CPU reserved for all containers within a\n\t\t\ttask be lower than the task-level cpu value.

      \n \n

      You can determine the number of CPU units that are available per EC2 instance type\n\t\t\t\tby multiplying the vCPUs listed for that instance type on the Amazon EC2 Instances detail page\n\t\t\t\tby 1,024.

      \n
      \n

      Linux containers share unallocated CPU units with other containers on the container\n\t\t\tinstance with the same ratio as their allocated amount. For example, if you run a\n\t\t\tsingle-container task on a single-core instance type with 512 CPU units specified for\n\t\t\tthat container, and that's the only task running on the container instance, that\n\t\t\tcontainer could use the full 1,024 CPU unit share at any given time. However, if you\n\t\t\tlaunched another copy of the same task on that container instance, each task is\n\t\t\tguaranteed a minimum of 512 CPU units when needed. Moreover, each container could float\n\t\t\tto higher CPU usage if the other container was not using it. If both tasks were 100%\n\t\t\tactive all of the time, they would be limited to 512 CPU units.

      \n

      On Linux container instances, the Docker daemon on the container instance uses the CPU\n\t\t\tvalue to calculate the relative CPU share ratios for running containers. The minimum valid CPU share value\n\t\t\tthat the Linux kernel allows is 2, and the\n\t\t\tmaximum valid CPU share value that the Linux kernel allows is 262144. However, the CPU parameter isn't required, and you\n\t\t\tcan use CPU values below 2 or above 262144 in your container definitions. For CPU values below 2\n\t\t\t(including null) or above 262144, the behavior varies based on your Amazon ECS container agent\n\t\t\tversion:

      \n
        \n
      • \n

        \n Agent versions less than or equal to 1.1.0:\n\t\t\t\t\tNull and zero CPU values are passed to Docker as 0, which Docker then converts\n\t\t\t\t\tto 1,024 CPU shares. CPU values of 1 are passed to Docker as 1, which the Linux\n\t\t\t\t\tkernel converts to two CPU shares.

        \n
      • \n
      • \n

        \n Agent versions greater than or equal to 1.2.0:\n\t\t\t\t\tNull, zero, and CPU values of 1 are passed to Docker as 2.

        \n
      • \n
      • \n

        \n Agent versions greater than or equal to\n\t\t\t\t\t\t1.84.0: CPU values greater than 256 vCPU are passed to Docker as\n\t\t\t\t\t256, which is equivalent to 262144 CPU shares.

        \n
      • \n
      \n

      On Windows container instances, the CPU limit is enforced as an absolute limit, or a\n\t\t\tquota. Windows containers only have access to the specified amount of CPU that's\n\t\t\tdescribed in the task definition. A null or zero CPU value is passed to Docker as\n\t\t\t\t0, which Windows interprets as 1% of one CPU.

      " } }, "memory": { "target": "com.amazonaws.ecs#BoxedInteger", "traits": { - "smithy.api#documentation": "

      The amount (in MiB) of memory to present to the container. If your container attempts\n\t\t\tto exceed the memory specified here, the container is killed. The total amount of memory\n\t\t\treserved for all containers within a task must be lower than the task\n\t\t\t\tmemory value, if one is specified. This parameter maps to\n\t\t\tMemory in thethe docker conainer create command and the --memory option to docker run.

      \n

      If using the Fargate launch type, this parameter is optional.

      \n

      If using the EC2 launch type, you must specify either a task-level\n\t\t\tmemory value or a container-level memory value. If you specify both a container-level\n\t\t\t\tmemory and memoryReservation value, memory\n\t\t\tmust be greater than memoryReservation. If you specify\n\t\t\t\tmemoryReservation, then that value is subtracted from the available\n\t\t\tmemory resources for the container instance where the container is placed. Otherwise,\n\t\t\tthe value of memory is used.

      \n

      The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 6 MiB of memory for your containers.

      \n

      The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 4 MiB of memory for your containers.

      " + "smithy.api#documentation": "

      The amount (in MiB) of memory to present to the container. If your container attempts\n\t\t\tto exceed the memory specified here, the container is killed. The total amount of memory\n\t\t\treserved for all containers within a task must be lower than the task\n\t\t\t\tmemory value, if one is specified. This parameter maps to\n\t\t\tMemory in the docker container create command and the --memory option to docker run.

      \n

      If using the Fargate launch type, this parameter is optional.

      \n

      If using the EC2 launch type, you must specify either a task-level\n\t\t\tmemory value or a container-level memory value. If you specify both a container-level\n\t\t\t\tmemory and memoryReservation value, memory\n\t\t\tmust be greater than memoryReservation. If you specify\n\t\t\t\tmemoryReservation, then that value is subtracted from the available\n\t\t\tmemory resources for the container instance where the container is placed. Otherwise,\n\t\t\tthe value of memory is used.

      \n

      The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 6 MiB of memory for your containers.

      \n

      The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 4 MiB of memory for your containers.

      " } }, "memoryReservation": { "target": "com.amazonaws.ecs#BoxedInteger", "traits": { - "smithy.api#documentation": "

      The soft limit (in MiB) of memory to reserve for the container. When system memory is\n\t\t\tunder heavy contention, Docker attempts to keep the container memory to this soft limit.\n\t\t\tHowever, your container can consume more memory when it needs to, up to either the hard\n\t\t\tlimit specified with the memory parameter (if applicable), or all of the\n\t\t\tavailable memory on the container instance, whichever comes first. This parameter maps\n\t\t\tto MemoryReservation in the the docker conainer create command and the --memory-reservation option to docker run.

      \n

      If a task-level memory value is not specified, you must specify a non-zero integer for\n\t\t\tone or both of memory or memoryReservation in a container\n\t\t\tdefinition. If you specify both, memory must be greater than\n\t\t\t\tmemoryReservation. If you specify memoryReservation, then\n\t\t\tthat value is subtracted from the available memory resources for the container instance\n\t\t\twhere the container is placed. Otherwise, the value of memory is\n\t\t\tused.

      \n

      For example, if your container normally uses 128 MiB of memory, but occasionally\n\t\t\tbursts to 256 MiB of memory for short periods of time, you can set a\n\t\t\t\tmemoryReservation of 128 MiB, and a memory hard limit of\n\t\t\t300 MiB. This configuration would allow the container to only reserve 128 MiB of memory\n\t\t\tfrom the remaining resources on the container instance, but also allow the container to\n\t\t\tconsume more memory resources when needed.

      \n

      The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 6 MiB of memory for your containers.

      \n

      The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 4 MiB of memory for your containers.

      " + "smithy.api#documentation": "

      The soft limit (in MiB) of memory to reserve for the container. When system memory is\n\t\t\tunder heavy contention, Docker attempts to keep the container memory to this soft limit.\n\t\t\tHowever, your container can consume more memory when it needs to, up to either the hard\n\t\t\tlimit specified with the memory parameter (if applicable), or all of the\n\t\t\tavailable memory on the container instance, whichever comes first. This parameter maps\n\t\t\tto MemoryReservation in the docker container create command and the --memory-reservation option to docker run.

      \n

      If a task-level memory value is not specified, you must specify a non-zero integer for\n\t\t\tone or both of memory or memoryReservation in a container\n\t\t\tdefinition. If you specify both, memory must be greater than\n\t\t\t\tmemoryReservation. If you specify memoryReservation, then\n\t\t\tthat value is subtracted from the available memory resources for the container instance\n\t\t\twhere the container is placed. Otherwise, the value of memory is\n\t\t\tused.

      \n

      For example, if your container normally uses 128 MiB of memory, but occasionally\n\t\t\tbursts to 256 MiB of memory for short periods of time, you can set a\n\t\t\t\tmemoryReservation of 128 MiB, and a memory hard limit of\n\t\t\t300 MiB. This configuration would allow the container to only reserve 128 MiB of memory\n\t\t\tfrom the remaining resources on the container instance, but also allow the container to\n\t\t\tconsume more memory resources when needed.

      \n

      The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 6 MiB of memory for your containers.

      \n

      The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a\n\t\t\tcontainer. So, don't specify less than 4 MiB of memory for your containers.

      " } }, "links": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      The links parameter allows containers to communicate with each other\n\t\t\twithout the need for port mappings. This parameter is only supported if the network mode\n\t\t\tof a task definition is bridge. The name:internalName\n\t\t\tconstruct is analogous to name:alias in Docker links.\n\t\t\tUp to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed.. This parameter maps to Links in the docker conainer create command and the\n\t\t\t\t--link option to docker\n\t\t\trun.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      \n \n

      Containers that are collocated on a single container instance may be able to\n\t\t\t\tcommunicate with each other without requiring links or host port mappings. Network\n\t\t\t\tisolation is achieved on the container instance using security groups and VPC\n\t\t\t\tsettings.

      \n
      " + "smithy.api#documentation": "

      The links parameter allows containers to communicate with each other\n\t\t\twithout the need for port mappings. This parameter is only supported if the network mode\n\t\t\tof a task definition is bridge. The name:internalName\n\t\t\tconstruct is analogous to name:alias in Docker links.\n\t\t\tUp to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed.. This parameter maps to Links in the docker container create command and the\n\t\t\t\t--link option to docker\n\t\t\trun.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      \n \n

      Containers that are collocated on a single container instance may be able to\n\t\t\t\tcommunicate with each other without requiring links or host port mappings. Network\n\t\t\t\tisolation is achieved on the container instance using security groups and VPC\n\t\t\t\tsettings.

      \n
      " } }, "portMappings": { "target": "com.amazonaws.ecs#PortMappingList", "traits": { - "smithy.api#documentation": "

      The list of port mappings for the container. Port mappings allow containers to access\n\t\t\tports on the host container instance to send or receive traffic.

      \n

      For task definitions that use the awsvpc network mode, only specify the\n\t\t\t\tcontainerPort. The hostPort can be left blank or it must\n\t\t\tbe the same value as the containerPort.

      \n

      Port mappings on Windows use the NetNAT gateway address rather than\n\t\t\t\tlocalhost. There's no loopback for port mappings on Windows, so you\n\t\t\tcan't access a container's mapped port from the host itself.

      \n

      This parameter maps to PortBindings in the\n\t\t\tthe docker conainer create command and the\n\t\t\t\t--publish option to docker\n\t\t\t\trun. If the network mode of a task definition is set to none,\n\t\t\tthen you can't specify port mappings. If the network mode of a task definition is set to\n\t\t\t\thost, then host ports must either be undefined or they must match the\n\t\t\tcontainer port in the port mapping.

      \n \n

      After a task reaches the RUNNING status, manual and automatic host\n\t\t\t\tand container port assignments are visible in the Network\n\t\t\t\t\tBindings section of a container description for a selected task in\n\t\t\t\tthe Amazon ECS console. The assignments are also visible in the\n\t\t\t\tnetworkBindings section DescribeTasks\n\t\t\t\tresponses.

      \n
      " + "smithy.api#documentation": "

      The list of port mappings for the container. Port mappings allow containers to access\n\t\t\tports on the host container instance to send or receive traffic.

      \n

      For task definitions that use the awsvpc network mode, only specify the\n\t\t\t\tcontainerPort. The hostPort can be left blank or it must\n\t\t\tbe the same value as the containerPort.

      \n

      Port mappings on Windows use the NetNAT gateway address rather than\n\t\t\t\tlocalhost. There's no loopback for port mappings on Windows, so you\n\t\t\tcan't access a container's mapped port from the host itself.

      \n

      This parameter maps to PortBindings in the\n\t\t\tthe docker container create command and the\n\t\t\t\t--publish option to docker\n\t\t\t\trun. If the network mode of a task definition is set to none,\n\t\t\tthen you can't specify port mappings. If the network mode of a task definition is set to\n\t\t\t\thost, then host ports must either be undefined or they must match the\n\t\t\tcontainer port in the port mapping.

      \n \n

      After a task reaches the RUNNING status, manual and automatic host\n\t\t\t\tand container port assignments are visible in the Network\n\t\t\t\t\tBindings section of a container description for a selected task in\n\t\t\t\tthe Amazon ECS console. The assignments are also visible in the\n\t\t\t\tnetworkBindings section DescribeTasks\n\t\t\t\tresponses.

      \n
      " } }, "essential": { @@ -2340,19 +2340,19 @@ "entryPoint": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "\n

      Early versions of the Amazon ECS container agent don't properly handle\n\t\t\t\t\tentryPoint parameters. If you have problems using\n\t\t\t\t\tentryPoint, update your container agent or enter your commands and\n\t\t\t\targuments as command array items instead.

      \n
      \n

      The entry point that's passed to the container. This parameter maps to\n\t\t\tEntrypoint in tthe docker conainer create command and the --entrypoint option to docker run.

      " + "smithy.api#documentation": "\n

      Early versions of the Amazon ECS container agent don't properly handle\n\t\t\t\t\tentryPoint parameters. If you have problems using\n\t\t\t\t\tentryPoint, update your container agent or enter your commands and\n\t\t\t\targuments as command array items instead.

      \n
      \n

      The entry point that's passed to the container. This parameter maps to\n\t\t\tEntrypoint in the docker container create command and the --entrypoint option to docker run.

      " } }, "command": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      The command that's passed to the container. This parameter maps to Cmd in\n\t\t\tthe docker conainer create command and the\n\t\t\t\tCOMMAND parameter to docker\n\t\t\t\trun. If there are multiple arguments, each\n\t\t\targument is a separated string in the array.

      " + "smithy.api#documentation": "

      The command that's passed to the container. This parameter maps to Cmd in\n\t\t\tthe docker container create command and the\n\t\t\t\tCOMMAND parameter to docker\n\t\t\t\trun. If there are multiple arguments, each\n\t\t\targument is a separated string in the array.

      " } }, "environment": { "target": "com.amazonaws.ecs#EnvironmentVariables", "traits": { - "smithy.api#documentation": "

      The environment variables to pass to a container. This parameter maps to\n\t\t\tEnv in the docker conainer create command and the --env option to docker run.

      \n \n

      We don't recommend that you use plaintext environment variables for sensitive\n\t\t\t\tinformation, such as credential data.

      \n
      " + "smithy.api#documentation": "

      The environment variables to pass to a container. This parameter maps to\n\t\t\tEnv in the docker container create command and the --env option to docker run.

      \n \n

      We don't recommend that you use plaintext environment variables for sensitive\n\t\t\t\tinformation, such as credential data.

      \n
      " } }, "environmentFiles": { @@ -2364,13 +2364,13 @@ "mountPoints": { "target": "com.amazonaws.ecs#MountPointList", "traits": { - "smithy.api#documentation": "

      The mount points for data volumes in your container.

      \n

      This parameter maps to Volumes in the the docker conainer create command and the --volume option to docker run.

      \n

      Windows containers can mount whole directories on the same drive as\n\t\t\t\t$env:ProgramData. Windows containers can't mount directories on a\n\t\t\tdifferent drive, and mount point can't be across drives.

      " + "smithy.api#documentation": "

      The mount points for data volumes in your container.

      \n

      This parameter maps to Volumes in the docker container create command and the --volume option to docker run.

      \n

      Windows containers can mount whole directories on the same drive as\n\t\t\t\t$env:ProgramData. Windows containers can't mount directories on a\n\t\t\tdifferent drive, and mount point can't be across drives.

      " } }, "volumesFrom": { "target": "com.amazonaws.ecs#VolumeFromList", "traits": { - "smithy.api#documentation": "

      Data volumes to mount from another container. This parameter maps to\n\t\t\tVolumesFrom in tthe docker conainer create command and the --volumes-from option to docker run.

      " + "smithy.api#documentation": "

      Data volumes to mount from another container. This parameter maps to\n\t\t\tVolumesFrom in the docker container create command and the --volumes-from option to docker run.

      " } }, "linuxParameters": { @@ -2400,109 +2400,109 @@ "stopTimeout": { "target": "com.amazonaws.ecs#BoxedInteger", "traits": { - "smithy.api#documentation": "

      Time duration (in seconds) to wait before the container is forcefully killed if it\n\t\t\tdoesn't exit normally on its own.

      \n

      For tasks using the Fargate launch type, the task or service requires\n\t\t\tthe following platforms:

      \n
        \n
      • \n

        Linux platform version 1.3.0 or later.

        \n
      • \n
      • \n

        Windows platform version 1.0.0 or later.

        \n
      • \n
      \n

      The max stop timeout value is 120 seconds and if the parameter is not specified, the\n\t\t\tdefault value of 30 seconds is used.

      \n

      For tasks that use the EC2 launch type, if the stopTimeout\n\t\t\tparameter isn't specified, the value set for the Amazon ECS container agent configuration\n\t\t\tvariable ECS_CONTAINER_STOP_TIMEOUT is used. If neither the\n\t\t\t\tstopTimeout parameter or the ECS_CONTAINER_STOP_TIMEOUT\n\t\t\tagent configuration variable are set, then the default values of 30 seconds for Linux\n\t\t\tcontainers and 30 seconds on Windows containers are used. Your container instances\n\t\t\trequire at least version 1.26.0 of the container agent to use a container stop timeout\n\t\t\tvalue. However, we recommend using the latest container agent version. For information\n\t\t\tabout checking your agent version and updating to the latest version, see Updating the Amazon ECS Container Agent in the Amazon Elastic Container Service Developer Guide. If you're using\n\t\t\tan Amazon ECS-optimized Linux AMI, your instance needs at least version 1.26.0-1 of the\n\t\t\t\tecs-init package. If your container instances are launched from version\n\t\t\t\t20190301 or later, then they contain the required versions of the\n\t\t\tcontainer agent and ecs-init. For more information, see Amazon ECS-optimized Linux AMI in the Amazon Elastic Container Service Developer Guide.

      \n

      The valid values are 2-120 seconds.

      " + "smithy.api#documentation": "

      Time duration (in seconds) to wait before the container is forcefully killed if it\n\t\t\tdoesn't exit normally on its own.

      \n

      For tasks using the Fargate launch type, the task or service requires\n\t\t\tthe following platforms:

      \n
        \n
      • \n

        Linux platform version 1.3.0 or later.

        \n
      • \n
      • \n

        Windows platform version 1.0.0 or later.

        \n
      • \n
      \n

      For tasks that use the Fargate launch type, the max stop timeout value is 120 seconds and if the parameter is not specified, the\n\t\t\tdefault value of 30 seconds is used.

      \n

      For tasks that use the EC2 launch type, if the stopTimeout\n\t\t\tparameter isn't specified, the value set for the Amazon ECS container agent configuration\n\t\t\tvariable ECS_CONTAINER_STOP_TIMEOUT is used. If neither the\n\t\t\t\tstopTimeout parameter or the ECS_CONTAINER_STOP_TIMEOUT\n\t\t\tagent configuration variable are set, then the default values of 30 seconds for Linux\n\t\t\tcontainers and 30 seconds on Windows containers are used. Your container instances\n\t\t\trequire at least version 1.26.0 of the container agent to use a container stop timeout\n\t\t\tvalue. However, we recommend using the latest container agent version. For information\n\t\t\tabout checking your agent version and updating to the latest version, see Updating the Amazon ECS Container Agent in the Amazon Elastic Container Service Developer Guide. If you're using\n\t\t\tan Amazon ECS-optimized Linux AMI, your instance needs at least version 1.26.0-1 of the\n\t\t\t\tecs-init package. If your container instances are launched from version\n\t\t\t\t20190301 or later, then they contain the required versions of the\n\t\t\tcontainer agent and ecs-init. For more information, see Amazon ECS-optimized Linux AMI in the Amazon Elastic Container Service Developer Guide.

      \n

      The valid values for Fargate are 2-120 seconds.

      " } }, "hostname": { "target": "com.amazonaws.ecs#String", "traits": { - "smithy.api#documentation": "

      The hostname to use for your container. This parameter maps to Hostname\n\t\t\tin thethe docker conainer create command and the\n\t\t\t\t--hostname option to docker\n\t\t\t\trun.

      \n \n

      The hostname parameter is not supported if you're using the\n\t\t\t\t\tawsvpc network mode.

      \n
      " + "smithy.api#documentation": "

      The hostname to use for your container. This parameter maps to Hostname\n\t\t\tin the docker container create command and the\n\t\t\t\t--hostname option to docker\n\t\t\t\trun.

      \n \n

      The hostname parameter is not supported if you're using the\n\t\t\t\t\tawsvpc network mode.

      \n
      " } }, "user": { "target": "com.amazonaws.ecs#String", "traits": { - "smithy.api#documentation": "

      The user to use inside the container. This parameter maps to User in the docker conainer create command and the\n\t\t\t\t--user option to docker\n\t\t\trun.

      \n \n

      When running tasks using the host network mode, don't run containers\n\t\t\t\tusing the root user (UID 0). We recommend using a non-root user for better\n\t\t\t\tsecurity.

      \n
      \n

      You can specify the user using the following formats. If specifying a UID\n\t\t\tor GID, you must specify it as a positive integer.

      \n
        \n
      • \n

        \n user\n

        \n
      • \n
      • \n

        \n user:group\n

        \n
      • \n
      • \n

        \n uid\n

        \n
      • \n
      • \n

        \n uid:gid\n

        \n
      • \n
      • \n

        \n user:gid\n

        \n
      • \n
      • \n

        \n uid:group\n

        \n
      • \n
      \n \n

      This parameter is not supported for Windows containers.

      \n
      " + "smithy.api#documentation": "

      The user to use inside the container. This parameter maps to User in the docker container create command and the\n\t\t\t\t--user option to docker\n\t\t\trun.

      \n \n

      When running tasks using the host network mode, don't run containers\n\t\t\t\tusing the root user (UID 0). We recommend using a non-root user for better\n\t\t\t\tsecurity.

      \n
      \n

      You can specify the user using the following formats. If specifying a UID\n\t\t\tor GID, you must specify it as a positive integer.

      \n
        \n
      • \n

        \n user\n

        \n
      • \n
      • \n

        \n user:group\n

        \n
      • \n
      • \n

        \n uid\n

        \n
      • \n
      • \n

        \n uid:gid\n

        \n
      • \n
      • \n

        \n user:gid\n

        \n
      • \n
      • \n

        \n uid:group\n

        \n
      • \n
      \n \n

      This parameter is not supported for Windows containers.

      \n
      " } }, "workingDirectory": { "target": "com.amazonaws.ecs#String", "traits": { - "smithy.api#documentation": "

      The working directory to run commands inside the container in. This parameter maps to\n\t\t\tWorkingDir in the docker conainer create command and the --workdir option to docker run.

      " + "smithy.api#documentation": "

      The working directory to run commands inside the container in. This parameter maps to\n\t\t\tWorkingDir in the docker container create command and the --workdir option to docker run.

      " } }, "disableNetworking": { "target": "com.amazonaws.ecs#BoxedBoolean", "traits": { - "smithy.api#documentation": "

      When this parameter is true, networking is off within the container. This parameter\n\t\t\tmaps to NetworkDisabled in the docker conainer create command.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " + "smithy.api#documentation": "

      When this parameter is true, networking is off within the container. This parameter\n\t\t\tmaps to NetworkDisabled in the docker container create command.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " } }, "privileged": { "target": "com.amazonaws.ecs#BoxedBoolean", "traits": { - "smithy.api#documentation": "

      When this parameter is true, the container is given elevated privileges on the host\n\t\t\tcontainer instance (similar to the root user). This parameter maps to\n\t\t\tPrivileged in the the docker conainer create command and the --privileged option to docker run

      \n \n

      This parameter is not supported for Windows containers or tasks run on Fargate.

      \n
      " + "smithy.api#documentation": "

      When this parameter is true, the container is given elevated privileges on the host\n\t\t\tcontainer instance (similar to the root user). This parameter maps to\n\t\t\tPrivileged in the docker container create command and the --privileged option to docker run

      \n \n

      This parameter is not supported for Windows containers or tasks run on Fargate.

      \n
      " } }, "readonlyRootFilesystem": { "target": "com.amazonaws.ecs#BoxedBoolean", "traits": { - "smithy.api#documentation": "

      When this parameter is true, the container is given read-only access to its root file\n\t\t\tsystem. This parameter maps to ReadonlyRootfs in the docker conainer create command and the\n\t\t\t\t--read-only option to docker\n\t\t\t\trun.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " + "smithy.api#documentation": "

      When this parameter is true, the container is given read-only access to its root file\n\t\t\tsystem. This parameter maps to ReadonlyRootfs in the docker container create command and the\n\t\t\t\t--read-only option to docker\n\t\t\t\trun.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " } }, "dnsServers": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      A list of DNS servers that are presented to the container. This parameter maps to\n\t\t\tDns in the the docker conainer create command and the --dns option to docker run.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " + "smithy.api#documentation": "

      A list of DNS servers that are presented to the container. This parameter maps to\n\t\t\tDns in the docker container create command and the --dns option to docker run.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " } }, "dnsSearchDomains": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      A list of DNS search domains that are presented to the container. This parameter maps\n\t\t\tto DnsSearch in the docker conainer create command and the --dns-search option to docker run.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " + "smithy.api#documentation": "

      A list of DNS search domains that are presented to the container. This parameter maps\n\t\t\tto DnsSearch in the docker container create command and the --dns-search option to docker run.

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " } }, "extraHosts": { "target": "com.amazonaws.ecs#HostEntryList", "traits": { - "smithy.api#documentation": "

      A list of hostnames and IP address mappings to append to the /etc/hosts\n\t\t\tfile on the container. This parameter maps to ExtraHosts in the docker conainer create command and the\n\t\t\t\t--add-host option to docker\n\t\t\t\trun.

      \n \n

      This parameter isn't supported for Windows containers or tasks that use the\n\t\t\t\t\tawsvpc network mode.

      \n
      " + "smithy.api#documentation": "

      A list of hostnames and IP address mappings to append to the /etc/hosts\n\t\t\tfile on the container. This parameter maps to ExtraHosts in the docker container create command and the\n\t\t\t\t--add-host option to docker\n\t\t\t\trun.

      \n \n

      This parameter isn't supported for Windows containers or tasks that use the\n\t\t\t\t\tawsvpc network mode.

      \n
      " } }, "dockerSecurityOptions": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      A list of strings to provide custom configuration for multiple security systems. This field isn't valid for containers in tasks\n\t\t\tusing the Fargate launch type.

      \n

      For Linux tasks on EC2, this parameter can be used to reference custom\n\t\t\tlabels for SELinux and AppArmor multi-level security systems.

      \n

      For any tasks on EC2, this parameter can be used to reference a\n\t\t\tcredential spec file that configures a container for Active Directory authentication.\n\t\t\tFor more information, see Using gMSAs for Windows\n\t\t\t\tContainers and Using gMSAs for Linux\n\t\t\t\tContainers in the Amazon Elastic Container Service Developer Guide.

      \n

      This parameter maps to SecurityOpt in the docker conainer create command and the\n\t\t\t\t--security-opt option to docker\n\t\t\t\trun.

      \n \n

      The Amazon ECS container agent running on a container instance must register with the\n\t\t\t\t\tECS_SELINUX_CAPABLE=true or ECS_APPARMOR_CAPABLE=true\n\t\t\t\tenvironment variables before containers placed on that instance can use these\n\t\t\t\tsecurity options. For more information, see Amazon ECS Container\n\t\t\t\t\tAgent Configuration in the Amazon Elastic Container Service Developer Guide.

      \n
      \n

      Valid values: \"no-new-privileges\" | \"apparmor:PROFILE\" | \"label:value\" |\n\t\t\t\"credentialspec:CredentialSpecFilePath\"

      " + "smithy.api#documentation": "

      A list of strings to provide custom configuration for multiple security systems. This field isn't valid for containers in tasks\n\t\t\tusing the Fargate launch type.

      \n

      For Linux tasks on EC2, this parameter can be used to reference custom\n\t\t\tlabels for SELinux and AppArmor multi-level security systems.

      \n

      For any tasks on EC2, this parameter can be used to reference a\n\t\t\tcredential spec file that configures a container for Active Directory authentication.\n\t\t\tFor more information, see Using gMSAs for Windows\n\t\t\t\tContainers and Using gMSAs for Linux\n\t\t\t\tContainers in the Amazon Elastic Container Service Developer Guide.

      \n

      This parameter maps to SecurityOpt in the docker container create command and the\n\t\t\t\t--security-opt option to docker\n\t\t\t\trun.

      \n \n

      The Amazon ECS container agent running on a container instance must register with the\n\t\t\t\t\tECS_SELINUX_CAPABLE=true or ECS_APPARMOR_CAPABLE=true\n\t\t\t\tenvironment variables before containers placed on that instance can use these\n\t\t\t\tsecurity options. For more information, see Amazon ECS Container\n\t\t\t\t\tAgent Configuration in the Amazon Elastic Container Service Developer Guide.

      \n
      \n

      Valid values: \"no-new-privileges\" | \"apparmor:PROFILE\" | \"label:value\" |\n\t\t\t\"credentialspec:CredentialSpecFilePath\"

      " } }, "interactive": { "target": "com.amazonaws.ecs#BoxedBoolean", "traits": { - "smithy.api#documentation": "

      When this parameter is true, you can deploy containerized applications\n\t\t\tthat require stdin or a tty to be allocated. This parameter\n\t\t\tmaps to OpenStdin in the docker conainer create command and the --interactive option to docker run.

      " + "smithy.api#documentation": "

      When this parameter is true, you can deploy containerized applications\n\t\t\tthat require stdin or a tty to be allocated. This parameter\n\t\t\tmaps to OpenStdin in the docker container create command and the --interactive option to docker run.

      " } }, "pseudoTerminal": { "target": "com.amazonaws.ecs#BoxedBoolean", "traits": { - "smithy.api#documentation": "

      When this parameter is true, a TTY is allocated. This parameter maps to\n\t\t\tTty in tthe docker conainer create command and the --tty option to docker run.

      " + "smithy.api#documentation": "

      When this parameter is true, a TTY is allocated. This parameter maps to\n\t\t\tTty in the docker container create command and the --tty option to docker run.

      " } }, "dockerLabels": { "target": "com.amazonaws.ecs#DockerLabelsMap", "traits": { - "smithy.api#documentation": "

      A key/value map of labels to add to the container. This parameter maps to\n\t\t\tLabels in the docker conainer create command and the --label option to docker run. This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'\n

      " + "smithy.api#documentation": "

      A key/value map of labels to add to the container. This parameter maps to\n\t\t\tLabels in the docker container create command and the --label option to docker run. This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'\n

      " } }, "ulimits": { "target": "com.amazonaws.ecs#UlimitList", "traits": { - "smithy.api#documentation": "

      A list of ulimits to set in the container. If a ulimit value\n\t\t\tis specified in a task definition, it overrides the default values set by Docker. This\n\t\t\tparameter maps to Ulimits in tthe docker conainer create command and the --ulimit option to docker run. Valid naming values are displayed\n\t\t\tin the Ulimit data type.

      \n

      Amazon ECS tasks hosted on Fargate use the default\n\t\t\t\t\t\t\tresource limit values set by the operating system with the exception of\n\t\t\t\t\t\t\tthe nofile resource limit parameter which Fargate\n\t\t\t\t\t\t\toverrides. The nofile resource limit sets a restriction on\n\t\t\t\t\t\t\tthe number of open files that a container can use. The default\n\t\t\t\t\t\t\t\tnofile soft limit is 65535 and the default hard limit\n\t\t\t\t\t\t\tis 65535.

      \n

      This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'\n

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " + "smithy.api#documentation": "

      A list of ulimits to set in the container. If a ulimit value\n\t\t\tis specified in a task definition, it overrides the default values set by Docker. This\n\t\t\tparameter maps to Ulimits in the docker container create command and the --ulimit option to docker run. Valid naming values are displayed\n\t\t\tin the Ulimit data type.

      \n

      Amazon ECS tasks hosted on Fargate use the default\n\t\t\t\t\t\t\tresource limit values set by the operating system with the exception of\n\t\t\t\t\t\t\tthe nofile resource limit parameter which Fargate\n\t\t\t\t\t\t\toverrides. The nofile resource limit sets a restriction on\n\t\t\t\t\t\t\tthe number of open files that a container can use. The default\n\t\t\t\t\t\t\t\tnofile soft limit is 65535 and the default hard limit\n\t\t\t\t\t\t\tis 65535.

      \n

      This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'\n

      \n \n

      This parameter is not supported for Windows containers.

      \n
      " } }, "logConfiguration": { "target": "com.amazonaws.ecs#LogConfiguration", "traits": { - "smithy.api#documentation": "

      The log configuration specification for the container.

      \n

      This parameter maps to LogConfig in the docker conainer create command and the\n\t\t\t\t--log-driver option to docker\n\t\t\t\trun. By default, containers use the same logging driver that the Docker\n\t\t\tdaemon uses. However the container can use a different logging driver than the Docker\n\t\t\tdaemon by specifying a log driver with this parameter in the container definition. To\n\t\t\tuse a different logging driver for a container, the log system must be configured\n\t\t\tproperly on the container instance (or on a different log server for remote logging\n\t\t\toptions).

      \n \n

      Amazon ECS currently supports a subset of the logging drivers available to the Docker\n\t\t\t\tdaemon (shown in the LogConfiguration data type). Additional log\n\t\t\t\tdrivers may be available in future releases of the Amazon ECS container agent.

      \n
      \n

      This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'\n

      \n \n

      The Amazon ECS container agent running on a container instance must register the\n\t\t\t\tlogging drivers available on that instance with the\n\t\t\t\t\tECS_AVAILABLE_LOGGING_DRIVERS environment variable before\n\t\t\t\tcontainers placed on that instance can use these log configuration options. For more\n\t\t\t\tinformation, see Amazon ECS Container\n\t\t\t\t\tAgent Configuration in the Amazon Elastic Container Service Developer Guide.

      \n
      " + "smithy.api#documentation": "

      The log configuration specification for the container.

      \n

      This parameter maps to LogConfig in the docker container create command and the\n\t\t\t\t--log-driver option to docker\n\t\t\t\trun. By default, containers use the same logging driver that the Docker\n\t\t\tdaemon uses. However the container can use a different logging driver than the Docker\n\t\t\tdaemon by specifying a log driver with this parameter in the container definition. To\n\t\t\tuse a different logging driver for a container, the log system must be configured\n\t\t\tproperly on the container instance (or on a different log server for remote logging\n\t\t\toptions).

      \n \n

      Amazon ECS currently supports a subset of the logging drivers available to the Docker\n\t\t\t\tdaemon (shown in the LogConfiguration data type). Additional log\n\t\t\t\tdrivers may be available in future releases of the Amazon ECS container agent.

      \n
      \n

      This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'\n

      \n \n

      The Amazon ECS container agent running on a container instance must register the\n\t\t\t\tlogging drivers available on that instance with the\n\t\t\t\t\tECS_AVAILABLE_LOGGING_DRIVERS environment variable before\n\t\t\t\tcontainers placed on that instance can use these log configuration options. For more\n\t\t\t\tinformation, see Amazon ECS Container\n\t\t\t\t\tAgent Configuration in the Amazon Elastic Container Service Developer Guide.

      \n
      " } }, "healthCheck": { "target": "com.amazonaws.ecs#HealthCheck", "traits": { - "smithy.api#documentation": "

      The container health check command and associated configuration parameters for the\n\t\t\tcontainer. This parameter maps to HealthCheck in the docker conainer create command and the\n\t\t\t\tHEALTHCHECK parameter of docker\n\t\t\t\trun.

      " + "smithy.api#documentation": "

      The container health check command and associated configuration parameters for the\n\t\t\tcontainer. This parameter maps to HealthCheck in the docker container create command and the\n\t\t\t\tHEALTHCHECK parameter of docker\n\t\t\t\trun.

      " } }, "systemControls": { "target": "com.amazonaws.ecs#SystemControls", "traits": { - "smithy.api#documentation": "

      A list of namespaced kernel parameters to set in the container. This parameter maps to\n\t\t\tSysctls in tthe docker conainer create command and the --sysctl option to docker run. For example, you can configure\n\t\t\t\tnet.ipv4.tcp_keepalive_time setting to maintain longer lived\n\t\t\tconnections.

      " + "smithy.api#documentation": "

      A list of namespaced kernel parameters to set in the container. This parameter maps to\n\t\t\tSysctls in the docker container create command and the --sysctl option to docker run. For example, you can configure\n\t\t\t\tnet.ipv4.tcp_keepalive_time setting to maintain longer lived\n\t\t\tconnections.

      " } }, "resourceRequirements": { @@ -4281,13 +4281,13 @@ "maximumPercent": { "target": "com.amazonaws.ecs#BoxedInteger", "traits": { - "smithy.api#documentation": "

      If a service is using the rolling update (ECS) deployment type, the\n\t\t\t\tmaximumPercent parameter represents an upper limit on the number of\n\t\t\tyour service's tasks that are allowed in the RUNNING or\n\t\t\t\tPENDING state during a deployment, as a percentage of the\n\t\t\t\tdesiredCount (rounded down to the nearest integer). This parameter\n\t\t\tenables you to define the deployment batch size. For example, if your service is using\n\t\t\tthe REPLICA service scheduler and has a desiredCount of four\n\t\t\ttasks and a maximumPercent value of 200%, the scheduler may start four new\n\t\t\ttasks before stopping the four older tasks (provided that the cluster resources required\n\t\t\tto do this are available). The default maximumPercent value for a service\n\t\t\tusing the REPLICA service scheduler is 200%.

      \n

      If a service is using either the blue/green (CODE_DEPLOY) or\n\t\t\t\tEXTERNAL deployment types and tasks that use the EC2\n\t\t\tlaunch type, the maximum percent value is set to the\n\t\t\tdefault value and is used to define the upper limit on the number of the tasks in the\n\t\t\tservice that remain in the RUNNING state while the container instances are\n\t\t\tin the DRAINING state. If the tasks in the service use the\n\t\t\tFargate launch type, the maximum percent value is not used, although it is\n\t\t\treturned when describing your service.

      " + "smithy.api#documentation": "

      If a service is using the rolling update (ECS) deployment type, the\n\t\t\t\tmaximumPercent parameter represents an upper limit on the number of\n\t\t\tyour service's tasks that are allowed in the RUNNING or\n\t\t\t\tPENDING state during a deployment, as a percentage of the\n\t\t\t\tdesiredCount (rounded down to the nearest integer). This parameter\n\t\t\tenables you to define the deployment batch size. For example, if your service is using\n\t\t\tthe REPLICA service scheduler and has a desiredCount of four\n\t\t\ttasks and a maximumPercent value of 200%, the scheduler may start four new\n\t\t\ttasks before stopping the four older tasks (provided that the cluster resources required\n\t\t\tto do this are available). The default maximumPercent value for a service\n\t\t\tusing the REPLICA service scheduler is 200%.

      \n

      If a service is using either the blue/green (CODE_DEPLOY) or\n\t\t\t\tEXTERNAL deployment types, and tasks in the service use the EC2\n\t\t\tlaunch type, the maximum percent value is set to the\n\t\t\tdefault value. The maximum percent value is used to define the upper limit on the number of the tasks in the\n\t\t\tservice that remain in the RUNNING state while the container instances are\n\t\t\tin the DRAINING state.

      \n \n

      You can't specify a custom maximumPercent value for a service that uses either the blue/green (CODE_DEPLOY) or\n\t\t\tEXTERNAL deployment types and has tasks that use the EC2 launch type.

      \n
      \n

      If the tasks in the service use the\n\t\t\tFargate launch type, the maximum percent value is not used, although it is\n\t\t\treturned when describing your service.

      " } }, "minimumHealthyPercent": { "target": "com.amazonaws.ecs#BoxedInteger", "traits": { - "smithy.api#documentation": "

      If a service is using the rolling update (ECS) deployment type, the\n\t\t\t\tminimumHealthyPercent represents a lower limit on the number of your\n\t\t\tservice's tasks that must remain in the RUNNING state during a deployment,\n\t\t\tas a percentage of the desiredCount (rounded up to the nearest integer).\n\t\t\tThis parameter enables you to deploy without using additional cluster capacity. For\n\t\t\texample, if your service has a desiredCount of four tasks and a\n\t\t\t\tminimumHealthyPercent of 50%, the service scheduler may stop two\n\t\t\texisting tasks to free up cluster capacity before starting two new tasks.

      \n

      For services that do not use a load balancer, the following\n\t\t\tshould be noted:

      \n
        \n
      • \n

        A service is considered healthy if all essential containers within the tasks\n\t\t\t\t\tin the service pass their health checks.

        \n
      • \n
      • \n

        If a task has no essential containers with a health check defined, the service\n\t\t\t\t\tscheduler will wait for 40 seconds after a task reaches a RUNNING\n\t\t\t\t\tstate before the task is counted towards the minimum healthy percent\n\t\t\t\t\ttotal.

        \n
      • \n
      • \n

        If a task has one or more essential containers with a health check defined,\n\t\t\t\t\tthe service scheduler will wait for the task to reach a healthy status before\n\t\t\t\t\tcounting it towards the minimum healthy percent total. A task is considered\n\t\t\t\t\thealthy when all essential containers within the task have passed their health\n\t\t\t\t\tchecks. The amount of time the service scheduler can wait for is determined by\n\t\t\t\t\tthe container health check settings.

        \n
      • \n
      \n

      For services that do use a load balancer, the following should be\n\t\t\tnoted:

      \n
        \n
      • \n

        If a task has no essential containers with a health check defined, the service\n\t\t\t\t\tscheduler will wait for the load balancer target group health check to return a\n\t\t\t\t\thealthy status before counting the task towards the minimum healthy percent\n\t\t\t\t\ttotal.

        \n
      • \n
      • \n

        If a task has an essential container with a health check defined, the service\n\t\t\t\t\tscheduler will wait for both the task to reach a healthy status and the load\n\t\t\t\t\tbalancer target group health check to return a healthy status before counting\n\t\t\t\t\tthe task towards the minimum healthy percent total.

        \n
      • \n
      \n

      The default value for a replica service for minimumHealthyPercent is\n\t\t\t100%. The default minimumHealthyPercent value for a service using the\n\t\t\t\tDAEMON service schedule is 0% for the CLI, the Amazon Web Services SDKs, and the\n\t\t\tAPIs and 50% for the Amazon Web Services Management Console.

      \n

      The minimum number of healthy tasks during a deployment is the\n\t\t\t\tdesiredCount multiplied by the minimumHealthyPercent/100,\n\t\t\trounded up to the nearest integer value.

      \n

      If a service is using either the blue/green (CODE_DEPLOY) or\n\t\t\t\tEXTERNAL deployment types and is running tasks that use the\n\t\t\tEC2 launch type, the minimum healthy\n\t\t\t\tpercent value is set to the default value and is used to define the lower\n\t\t\tlimit on the number of the tasks in the service that remain in the RUNNING\n\t\t\tstate while the container instances are in the DRAINING state. If a service\n\t\t\tis using either the blue/green (CODE_DEPLOY) or EXTERNAL\n\t\t\tdeployment types and is running tasks that use the Fargate launch type,\n\t\t\tthe minimum healthy percent value is not used, although it is returned when describing\n\t\t\tyour service.

      " + "smithy.api#documentation": "

      If a service is using the rolling update (ECS) deployment type, the\n\t\t\t\tminimumHealthyPercent represents a lower limit on the number of your\n\t\t\tservice's tasks that must remain in the RUNNING state during a deployment,\n\t\t\tas a percentage of the desiredCount (rounded up to the nearest integer).\n\t\t\tThis parameter enables you to deploy without using additional cluster capacity. For\n\t\t\texample, if your service has a desiredCount of four tasks and a\n\t\t\t\tminimumHealthyPercent of 50%, the service scheduler may stop two\n\t\t\texisting tasks to free up cluster capacity before starting two new tasks.

      \n

      For services that do not use a load balancer, the following\n\t\t\tshould be noted:

      \n
        \n
      • \n

        A service is considered healthy if all essential containers within the tasks\n\t\t\t\t\tin the service pass their health checks.

        \n
      • \n
      • \n

        If a task has no essential containers with a health check defined, the service\n\t\t\t\t\tscheduler will wait for 40 seconds after a task reaches a RUNNING\n\t\t\t\t\tstate before the task is counted towards the minimum healthy percent\n\t\t\t\t\ttotal.

        \n
      • \n
      • \n

        If a task has one or more essential containers with a health check defined,\n\t\t\t\t\tthe service scheduler will wait for the task to reach a healthy status before\n\t\t\t\t\tcounting it towards the minimum healthy percent total. A task is considered\n\t\t\t\t\thealthy when all essential containers within the task have passed their health\n\t\t\t\t\tchecks. The amount of time the service scheduler can wait for is determined by\n\t\t\t\t\tthe container health check settings.

        \n
      • \n
      \n

      For services that do use a load balancer, the following should be\n\t\t\tnoted:

      \n
        \n
      • \n

        If a task has no essential containers with a health check defined, the service\n\t\t\t\t\tscheduler will wait for the load balancer target group health check to return a\n\t\t\t\t\thealthy status before counting the task towards the minimum healthy percent\n\t\t\t\t\ttotal.

        \n
      • \n
      • \n

        If a task has an essential container with a health check defined, the service\n\t\t\t\t\tscheduler will wait for both the task to reach a healthy status and the load\n\t\t\t\t\tbalancer target group health check to return a healthy status before counting\n\t\t\t\t\tthe task towards the minimum healthy percent total.

        \n
      • \n
      \n

      The default value for a replica service for minimumHealthyPercent is\n\t\t\t100%. The default minimumHealthyPercent value for a service using the\n\t\t\t\tDAEMON service schedule is 0% for the CLI, the Amazon Web Services SDKs, and the\n\t\t\tAPIs and 50% for the Amazon Web Services Management Console.

      \n

      The minimum number of healthy tasks during a deployment is the\n\t\t\t\tdesiredCount multiplied by the minimumHealthyPercent/100,\n\t\t\trounded up to the nearest integer value.

      \n

      If a service is using either the blue/green (CODE_DEPLOY) or\n\t\t\t\tEXTERNAL deployment types and is running tasks that use the\n\t\t\tEC2 launch type, the minimum healthy\n\t\t\t\tpercent value is set to the default value. The minimum healthy percent value is used to define the lower\n\t\t\tlimit on the number of the tasks in the service that remain in the RUNNING\n\t\t\tstate while the container instances are in the DRAINING state.

      \n \n

      You can't specify a custom minimumHealthyPercent value for a service that uses either the blue/green (CODE_DEPLOY) or\n\t\t\tEXTERNAL deployment types and has tasks that use the EC2 launch type.

      \n
      \n

      If a service\n\t\t\tis using either the blue/green (CODE_DEPLOY) or EXTERNAL\n\t\t\tdeployment types and is running tasks that use the Fargate launch type,\n\t\t\tthe minimum healthy percent value is not used, although it is returned when describing\n\t\t\tyour service.

      " } }, "alarms": { @@ -5570,7 +5570,7 @@ "driver": { "target": "com.amazonaws.ecs#String", "traits": { - "smithy.api#documentation": "

      The Docker volume driver to use. The driver value must match the driver name provided\n\t\t\tby Docker because it is used for task placement. If the driver was installed using the\n\t\t\tDocker plugin CLI, use docker plugin ls to retrieve the driver name from\n\t\t\tyour container instance. If the driver was installed using another method, use Docker\n\t\t\tplugin discovery to retrieve the driver name. This parameter maps to Driver in the docker conainer create command and the\n\t\t\t\txxdriver option to docker\n\t\t\t\tvolume create.

      " + "smithy.api#documentation": "

      The Docker volume driver to use. The driver value must match the driver name provided\n\t\t\tby Docker because it is used for task placement. If the driver was installed using the\n\t\t\tDocker plugin CLI, use docker plugin ls to retrieve the driver name from\n\t\t\tyour container instance. If the driver was installed using another method, use Docker\n\t\t\tplugin discovery to retrieve the driver name. This parameter maps to Driver in the docker container create command and the\n\t\t\t\txxdriver option to docker\n\t\t\t\tvolume create.

      " } }, "driverOpts": { @@ -5582,7 +5582,7 @@ "labels": { "target": "com.amazonaws.ecs#StringMap", "traits": { - "smithy.api#documentation": "

      Custom metadata to add to your Docker volume. This parameter maps to\n\t\t\t\tLabels in the docker conainer create command and the xxlabel option to docker\n\t\t\t\tvolume create.

      " + "smithy.api#documentation": "

      Custom metadata to add to your Docker volume. This parameter maps to\n\t\t\t\tLabels in the docker container create command and the xxlabel option to docker\n\t\t\t\tvolume create.

      " } } }, @@ -6261,7 +6261,7 @@ "command": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      A string array representing the command that the container runs to determine if it is\n\t\t\thealthy. The string array must start with CMD to run the command arguments\n\t\t\tdirectly, or CMD-SHELL to run the command with the container's default\n\t\t\tshell.

      \n

      When you use the Amazon Web Services Management Console JSON panel, the Command Line Interface, or the APIs, enclose the list\n\t\t\tof commands in double quotes and brackets.

      \n

      \n [ \"CMD-SHELL\", \"curl -f http://localhost/ || exit 1\" ]\n

      \n

      You don't include the double quotes and brackets when you use the Amazon Web Services Management Console.

      \n

      \n CMD-SHELL, curl -f http://localhost/ || exit 1\n

      \n

      An exit code of 0 indicates success, and non-zero exit code indicates failure. For\n\t\t\tmore information, see HealthCheck in tthe docker conainer create command

      ", + "smithy.api#documentation": "

      A string array representing the command that the container runs to determine if it is\n\t\t\thealthy. The string array must start with CMD to run the command arguments\n\t\t\tdirectly, or CMD-SHELL to run the command with the container's default\n\t\t\tshell.

      \n

      When you use the Amazon Web Services Management Console JSON panel, the Command Line Interface, or the APIs, enclose the list\n\t\t\tof commands in double quotes and brackets.

      \n

      \n [ \"CMD-SHELL\", \"curl -f http://localhost/ || exit 1\" ]\n

      \n

      You don't include the double quotes and brackets when you use the Amazon Web Services Management Console.

      \n

      \n CMD-SHELL, curl -f http://localhost/ || exit 1\n

      \n

      An exit code of 0 indicates success, and non-zero exit code indicates failure. For\n\t\t\tmore information, see HealthCheck in the docker container create command

      ", "smithy.api#required": {} } }, @@ -6550,13 +6550,13 @@ "add": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      The Linux capabilities for the container that have been added to the default\n\t\t\tconfiguration provided by Docker. This parameter maps to CapAdd in the docker conainer create command and the\n\t\t\t\t--cap-add option to docker\n\t\t\t\trun.

      \n \n

      Tasks launched on Fargate only support adding the SYS_PTRACE kernel\n\t\t\t\tcapability.

      \n
      \n

      Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" |\n\t\t\t\t\"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" |\n\t\t\t\t\"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" |\n\t\t\t\t\"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\"\n\t\t\t\t| \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" |\n\t\t\t\t\"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" |\n\t\t\t\t\"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" |\n\t\t\t\"WAKE_ALARM\"\n

      " + "smithy.api#documentation": "

      The Linux capabilities for the container that have been added to the default\n\t\t\tconfiguration provided by Docker. This parameter maps to CapAdd in the docker container create command and the\n\t\t\t\t--cap-add option to docker\n\t\t\t\trun.

      \n \n

      Tasks launched on Fargate only support adding the SYS_PTRACE kernel\n\t\t\t\tcapability.

      \n
      \n

      Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" |\n\t\t\t\t\"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" |\n\t\t\t\t\"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" |\n\t\t\t\t\"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\"\n\t\t\t\t| \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" |\n\t\t\t\t\"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" |\n\t\t\t\t\"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" |\n\t\t\t\"WAKE_ALARM\"\n

      " } }, "drop": { "target": "com.amazonaws.ecs#StringList", "traits": { - "smithy.api#documentation": "

      The Linux capabilities for the container that have been removed from the default\n\t\t\tconfiguration provided by Docker. This parameter maps to CapDrop in the docker conainer create command and the\n\t\t\t\t--cap-drop option to docker\n\t\t\t\trun.

      \n

      Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" |\n\t\t\t\t\"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" |\n\t\t\t\t\"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" |\n\t\t\t\t\"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\"\n\t\t\t\t| \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" |\n\t\t\t\t\"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" |\n\t\t\t\t\"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" |\n\t\t\t\"WAKE_ALARM\"\n

      " + "smithy.api#documentation": "

      The Linux capabilities for the container that have been removed from the default\n\t\t\tconfiguration provided by Docker. This parameter maps to CapDrop in the docker container create command and the\n\t\t\t\t--cap-drop option to docker\n\t\t\t\trun.

      \n

      Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" |\n\t\t\t\t\"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" |\n\t\t\t\t\"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" |\n\t\t\t\t\"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\"\n\t\t\t\t| \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" |\n\t\t\t\t\"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" |\n\t\t\t\t\"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" |\n\t\t\t\"WAKE_ALARM\"\n

      " } } }, @@ -6634,7 +6634,7 @@ "devices": { "target": "com.amazonaws.ecs#DevicesList", "traits": { - "smithy.api#documentation": "

      Any host devices to expose to the container. This parameter maps to\n\t\t\tDevices in tthe docker conainer create command and the --device option to docker run.

      \n \n

      If you're using tasks that use the Fargate launch type, the\n\t\t\t\t\tdevices parameter isn't supported.

      \n
      " + "smithy.api#documentation": "

      Any host devices to expose to the container. This parameter maps to\n\t\t\tDevices in the docker container create command and the --device option to docker run.

      \n \n

      If you're using tasks that use the Fargate launch type, the\n\t\t\t\t\tdevices parameter isn't supported.

      \n
      " } }, "initProcessEnabled": { @@ -7785,7 +7785,7 @@ } }, "traits": { - "smithy.api#documentation": "

      The log configuration for the container. This parameter maps to LogConfig\n\t\t\tin the docker conainer create command and the\n\t\t\t\t--log-driver option to docker\n\t\t\t\t\trun.

      \n

      By default, containers use the same logging driver that the Docker daemon uses.\n\t\t\tHowever, the container might use a different logging driver than the Docker daemon by\n\t\t\tspecifying a log driver configuration in the container definition.

      \n

      Understand the following when specifying a log configuration for your\n\t\t\tcontainers.

      \n
        \n
      • \n

        Amazon ECS currently supports a subset of the logging drivers available to the\n\t\t\t\t\tDocker daemon. Additional log drivers may be available in future releases of the\n\t\t\t\t\tAmazon ECS container agent.

        \n

        For tasks on Fargate, the supported log drivers are awslogs,\n\t\t\t\t\t\tsplunk, and awsfirelens.

        \n

        For tasks hosted on Amazon EC2 instances, the supported log drivers are\n\t\t\t\t\t\tawslogs, fluentd, gelf,\n\t\t\t\t\t\tjson-file, journald,syslog,\n\t\t\t\t\t\tsplunk, and awsfirelens.

        \n
      • \n
      • \n

        This parameter requires version 1.18 of the Docker Remote API or greater on\n\t\t\t\t\tyour container instance.

        \n
      • \n
      • \n

        For tasks that are hosted on Amazon EC2 instances, the Amazon ECS container agent must\n\t\t\t\t\tregister the available logging drivers with the\n\t\t\t\t\t\tECS_AVAILABLE_LOGGING_DRIVERS environment variable before\n\t\t\t\t\tcontainers placed on that instance can use these log configuration options. For\n\t\t\t\t\tmore information, see Amazon ECS container agent configuration in the\n\t\t\t\t\tAmazon Elastic Container Service Developer Guide.

        \n
      • \n
      • \n

        For tasks that are on Fargate, because you don't have access to the\n\t\t\t\t\tunderlying infrastructure your tasks are hosted on, any additional software\n\t\t\t\t\tneeded must be installed outside of the task. For example, the Fluentd output\n\t\t\t\t\taggregators or a remote host running Logstash to send Gelf logs to.

        \n
      • \n
      " + "smithy.api#documentation": "

      The log configuration for the container. This parameter maps to LogConfig\n\t\t\tin the docker container create command and the\n\t\t\t\t--log-driver option to docker\n\t\t\t\t\trun.

      \n

      By default, containers use the same logging driver that the Docker daemon uses.\n\t\t\tHowever, the container might use a different logging driver than the Docker daemon by\n\t\t\tspecifying a log driver configuration in the container definition.

      \n

      Understand the following when specifying a log configuration for your\n\t\t\tcontainers.

      \n
        \n
      • \n

        Amazon ECS currently supports a subset of the logging drivers available to the\n\t\t\t\t\tDocker daemon. Additional log drivers may be available in future releases of the\n\t\t\t\t\tAmazon ECS container agent.

        \n

        For tasks on Fargate, the supported log drivers are awslogs,\n\t\t\t\t\t\tsplunk, and awsfirelens.

        \n

        For tasks hosted on Amazon EC2 instances, the supported log drivers are\n\t\t\t\t\t\tawslogs, fluentd, gelf,\n\t\t\t\t\t\tjson-file, journald,syslog,\n\t\t\t\t\t\tsplunk, and awsfirelens.

        \n
      • \n
      • \n

        This parameter requires version 1.18 of the Docker Remote API or greater on\n\t\t\t\t\tyour container instance.

        \n
      • \n
      • \n

        For tasks that are hosted on Amazon EC2 instances, the Amazon ECS container agent must\n\t\t\t\t\tregister the available logging drivers with the\n\t\t\t\t\t\tECS_AVAILABLE_LOGGING_DRIVERS environment variable before\n\t\t\t\t\tcontainers placed on that instance can use these log configuration options. For\n\t\t\t\t\tmore information, see Amazon ECS container agent configuration in the\n\t\t\t\t\tAmazon Elastic Container Service Developer Guide.

        \n
      • \n
      • \n

        For tasks that are on Fargate, because you don't have access to the\n\t\t\t\t\tunderlying infrastructure your tasks are hosted on, any additional software\n\t\t\t\t\tneeded must be installed outside of the task. For example, the Fluentd output\n\t\t\t\t\taggregators or a remote host running Logstash to send Gelf logs to.

        \n
      • \n
      " } }, "com.amazonaws.ecs#LogConfigurationOptionsMap": { @@ -8556,7 +8556,7 @@ } }, "traits": { - "smithy.api#documentation": "

      Port mappings allow containers to access ports on the host container instance to send\n\t\t\tor receive traffic. Port mappings are specified as part of the container\n\t\t\tdefinition.

      \n

      If you use containers in a task with the awsvpc or host\n\t\t\tnetwork mode, specify the exposed ports using containerPort. The\n\t\t\t\thostPort can be left blank or it must be the same value as the\n\t\t\t\tcontainerPort.

      \n

      Most fields of this parameter (containerPort, hostPort,\n\t\t\tprotocol) maps to PortBindings in the docker conainer create command and the\n\t\t\t\t--publish option to docker\n\t\t\t\t\trun. If the network mode of a task definition is set to\n\t\t\t\thost, host ports must either be undefined or match the container port\n\t\t\tin the port mapping.

      \n \n

      You can't expose the same container port for multiple protocols. If you attempt\n\t\t\t\tthis, an error is returned.

      \n
      \n

      After a task reaches the RUNNING status, manual and automatic host and\n\t\t\tcontainer port assignments are visible in the networkBindings section of\n\t\t\tDescribeTasks API responses.

      " + "smithy.api#documentation": "

      Port mappings allow containers to access ports on the host container instance to send\n\t\t\tor receive traffic. Port mappings are specified as part of the container\n\t\t\tdefinition.

      \n

      If you use containers in a task with the awsvpc or host\n\t\t\tnetwork mode, specify the exposed ports using containerPort. The\n\t\t\t\thostPort can be left blank or it must be the same value as the\n\t\t\t\tcontainerPort.

      \n

      Most fields of this parameter (containerPort, hostPort,\n\t\t\tprotocol) maps to PortBindings in the docker container create command and the\n\t\t\t\t--publish option to docker\n\t\t\t\t\trun. If the network mode of a task definition is set to\n\t\t\t\thost, host ports must either be undefined or match the container port\n\t\t\tin the port mapping.

      \n \n

      You can't expose the same container port for multiple protocols. If you attempt\n\t\t\t\tthis, an error is returned.

      \n
      \n

      After a task reaches the RUNNING status, manual and automatic host and\n\t\t\tcontainer port assignments are visible in the networkBindings section of\n\t\t\tDescribeTasks API responses.

      " } }, "com.amazonaws.ecs#PortMappingList": { @@ -8812,7 +8812,7 @@ "name": { "target": "com.amazonaws.ecs#SettingName", "traits": { - "smithy.api#documentation": "

      The Amazon ECS account setting name to modify.

      \n

      The following are the valid values for the account setting name.

      \n
        \n
      • \n

        \n serviceLongArnFormat - When modified, the Amazon Resource Name\n\t\t\t\t\t(ARN) and resource ID format of the resource type for a specified user, role, or\n\t\t\t\t\tthe root user for an account is affected. The opt-in and opt-out account setting\n\t\t\t\t\tmust be set for each Amazon ECS resource separately. The ARN and resource ID format\n\t\t\t\t\tof a resource is defined by the opt-in status of the user or role that created\n\t\t\t\t\tthe resource. You must turn on this setting to use Amazon ECS features such as\n\t\t\t\t\tresource tagging.

        \n
      • \n
      • \n

        \n taskLongArnFormat - When modified, the Amazon Resource Name (ARN)\n\t\t\t\t\tand resource ID format of the resource type for a specified user, role, or the\n\t\t\t\t\troot user for an account is affected. The opt-in and opt-out account setting must\n\t\t\t\t\tbe set for each Amazon ECS resource separately. The ARN and resource ID format of a\n\t\t\t\t\tresource is defined by the opt-in status of the user or role that created the\n\t\t\t\t\tresource. You must turn on this setting to use Amazon ECS features such as resource\n\t\t\t\t\ttagging.

        \n
      • \n
      • \n

        \n containerInstanceLongArnFormat - When modified, the Amazon\n\t\t\t\t\tResource Name (ARN) and resource ID format of the resource type for a specified\n\t\t\t\t\tuser, role, or the root user for an account is affected. The opt-in and opt-out\n\t\t\t\t\taccount setting must be set for each Amazon ECS resource separately. The ARN and\n\t\t\t\t\tresource ID format of a resource is defined by the opt-in status of the user or\n\t\t\t\t\trole that created the resource. You must turn on this setting to use Amazon ECS\n\t\t\t\t\tfeatures such as resource tagging.

        \n
      • \n
      • \n

        \n awsvpcTrunking - When modified, the elastic network interface\n\t\t\t\t\t(ENI) limit for any new container instances that support the feature is changed.\n\t\t\t\t\tIf awsvpcTrunking is turned on, any new container instances that\n\t\t\t\t\tsupport the feature are launched have the increased ENI limits available to\n\t\t\t\t\tthem. For more information, see Elastic\n\t\t\t\t\t\tNetwork Interface Trunking in the Amazon Elastic Container Service Developer Guide.

        \n
      • \n
      • \n

        \n containerInsights - When modified, the default setting indicating\n\t\t\t\t\twhether Amazon Web Services CloudWatch Container Insights is turned on for your clusters is changed.\n\t\t\t\t\tIf containerInsights is turned on, any new clusters that are\n\t\t\t\t\tcreated will have Container Insights turned on unless you disable it during\n\t\t\t\t\tcluster creation. For more information, see CloudWatch Container Insights in the Amazon Elastic Container Service Developer Guide.

        \n
      • \n
      • \n

        \n dualStackIPv6 - When turned on, when using a VPC in dual stack\n\t\t\t\t\tmode, your tasks using the awsvpc network mode can have an IPv6\n\t\t\t\t\taddress assigned. For more information on using IPv6 with tasks launched on\n\t\t\t\t\tAmazon EC2 instances, see Using a VPC in dual-stack mode. For more information on using IPv6\n\t\t\t\t\twith tasks launched on Fargate, see Using a VPC in dual-stack mode.

        \n
      • \n
      • \n

        \n fargateFIPSMode - If you specify fargateFIPSMode,\n\t\t\t\t\tFargate FIPS 140 compliance is affected.

        \n
      • \n
      • \n

        \n fargateTaskRetirementWaitPeriod - When Amazon Web Services determines that a\n\t\t\t\t\tsecurity or infrastructure update is needed for an Amazon ECS task hosted on\n\t\t\t\t\tFargate, the tasks need to be stopped and new tasks launched to replace them.\n\t\t\t\t\tUse fargateTaskRetirementWaitPeriod to configure the wait time to\n\t\t\t\t\tretire a Fargate task. For information about the Fargate tasks maintenance,\n\t\t\t\t\tsee Amazon Web Services Fargate\n\t\t\t\t\t\ttask maintenance in the Amazon ECS Developer\n\t\t\t\t\tGuide.

        \n
      • \n
      • \n

        \n tagResourceAuthorization - Amazon ECS is introducing tagging\n\t\t\t\t\tauthorization for resource creation. Users must have permissions for actions\n\t\t\t\t\tthat create the resource, such as ecsCreateCluster. If tags are\n\t\t\t\t\tspecified when you create a resource, Amazon Web Services performs additional authorization to\n\t\t\t\t\tverify if users or roles have permissions to create tags. Therefore, you must\n\t\t\t\t\tgrant explicit permissions to use the ecs:TagResource action. For\n\t\t\t\t\tmore information, see Grant permission to tag resources on creation in the\n\t\t\t\t\t\tAmazon ECS Developer Guide.

        \n
      • \n
      • \n

        \n guardDutyActivate - The guardDutyActivate parameter is read-only in Amazon ECS and indicates whether\n\t\t\tAmazon ECS Runtime Monitoring is enabled or disabled by your security administrator in your\n\t\t\tAmazon ECS account. Amazon GuardDuty controls this account setting on your behalf. For more information, see Protecting Amazon ECS workloads with Amazon ECS Runtime Monitoring.

        \n
      • \n
      ", + "smithy.api#documentation": "

      The Amazon ECS account setting name to modify.

      \n

      The following are the valid values for the account setting name.

      \n
        \n
      • \n

        \n serviceLongArnFormat - When modified, the Amazon Resource Name\n\t\t\t\t\t(ARN) and resource ID format of the resource type for a specified user, role, or\n\t\t\t\t\tthe root user for an account is affected. The opt-in and opt-out account setting\n\t\t\t\t\tmust be set for each Amazon ECS resource separately. The ARN and resource ID format\n\t\t\t\t\tof a resource is defined by the opt-in status of the user or role that created\n\t\t\t\t\tthe resource. You must turn on this setting to use Amazon ECS features such as\n\t\t\t\t\tresource tagging.

        \n
      • \n
      • \n

        \n taskLongArnFormat - When modified, the Amazon Resource Name (ARN)\n\t\t\t\t\tand resource ID format of the resource type for a specified user, role, or the\n\t\t\t\t\troot user for an account is affected. The opt-in and opt-out account setting must\n\t\t\t\t\tbe set for each Amazon ECS resource separately. The ARN and resource ID format of a\n\t\t\t\t\tresource is defined by the opt-in status of the user or role that created the\n\t\t\t\t\tresource. You must turn on this setting to use Amazon ECS features such as resource\n\t\t\t\t\ttagging.

        \n
      • \n
      • \n

        \n containerInstanceLongArnFormat - When modified, the Amazon\n\t\t\t\t\tResource Name (ARN) and resource ID format of the resource type for a specified\n\t\t\t\t\tuser, role, or the root user for an account is affected. The opt-in and opt-out\n\t\t\t\t\taccount setting must be set for each Amazon ECS resource separately. The ARN and\n\t\t\t\t\tresource ID format of a resource is defined by the opt-in status of the user or\n\t\t\t\t\trole that created the resource. You must turn on this setting to use Amazon ECS\n\t\t\t\t\tfeatures such as resource tagging.

        \n
      • \n
      • \n

        \n awsvpcTrunking - When modified, the elastic network interface\n\t\t\t\t\t(ENI) limit for any new container instances that support the feature is changed.\n\t\t\t\t\tIf awsvpcTrunking is turned on, any new container instances that\n\t\t\t\t\tsupport the feature are launched have the increased ENI limits available to\n\t\t\t\t\tthem. For more information, see Elastic\n\t\t\t\t\t\tNetwork Interface Trunking in the Amazon Elastic Container Service Developer Guide.

        \n
      • \n
      • \n

        \n containerInsights - When modified, the default setting indicating\n\t\t\t\t\twhether Amazon Web Services CloudWatch Container Insights is turned on for your clusters is changed.\n\t\t\t\t\tIf containerInsights is turned on, any new clusters that are\n\t\t\t\t\tcreated will have Container Insights turned on unless you disable it during\n\t\t\t\t\tcluster creation. For more information, see CloudWatch Container Insights in the Amazon Elastic Container Service Developer Guide.

        \n
      • \n
      • \n

        \n dualStackIPv6 - When turned on, when using a VPC in dual stack\n\t\t\t\t\tmode, your tasks using the awsvpc network mode can have an IPv6\n\t\t\t\t\taddress assigned. For more information on using IPv6 with tasks launched on\n\t\t\t\t\tAmazon EC2 instances, see Using a VPC in dual-stack mode. For more information on using IPv6\n\t\t\t\t\twith tasks launched on Fargate, see Using a VPC in dual-stack mode.

        \n
      • \n
      • \n

        \n fargateTaskRetirementWaitPeriod - When Amazon Web Services determines that a\n\t\t\t\t\tsecurity or infrastructure update is needed for an Amazon ECS task hosted on\n\t\t\t\t\tFargate, the tasks need to be stopped and new tasks launched to replace them.\n\t\t\t\t\tUse fargateTaskRetirementWaitPeriod to configure the wait time to\n\t\t\t\t\tretire a Fargate task. For information about the Fargate tasks maintenance,\n\t\t\t\t\tsee Amazon Web Services Fargate\n\t\t\t\t\t\ttask maintenance in the Amazon ECS Developer\n\t\t\t\t\tGuide.

        \n
      • \n
      • \n

        \n tagResourceAuthorization - Amazon ECS is introducing tagging\n\t\t\t\t\tauthorization for resource creation. Users must have permissions for actions\n\t\t\t\t\tthat create the resource, such as ecsCreateCluster. If tags are\n\t\t\t\t\tspecified when you create a resource, Amazon Web Services performs additional authorization to\n\t\t\t\t\tverify if users or roles have permissions to create tags. Therefore, you must\n\t\t\t\t\tgrant explicit permissions to use the ecs:TagResource action. For\n\t\t\t\t\tmore information, see Grant permission to tag resources on creation in the\n\t\t\t\t\t\tAmazon ECS Developer Guide.

        \n
      • \n
      • \n

        \n guardDutyActivate - The guardDutyActivate parameter is read-only in Amazon ECS and indicates whether\n\t\t\tAmazon ECS Runtime Monitoring is enabled or disabled by your security administrator in your\n\t\t\tAmazon ECS account. Amazon GuardDuty controls this account setting on your behalf. For more information, see Protecting Amazon ECS workloads with Amazon ECS Runtime Monitoring.

        \n
      • \n
      ", "smithy.api#required": {} } }, @@ -11074,7 +11074,7 @@ } }, "traits": { - "smithy.api#documentation": "

      A list of namespaced kernel parameters to set in the container. This parameter maps to\n\t\t\tSysctls in tthe docker conainer create command and the --sysctl option to docker run. For example, you can configure\n\t\t\t\tnet.ipv4.tcp_keepalive_time setting to maintain longer lived\n\t\t\tconnections.

      \n

      We don't recommend that you specify network-related systemControls\n\t\t\tparameters for multiple containers in a single task that also uses either the\n\t\t\t\tawsvpc or host network mode. Doing this has the following\n\t\t\tdisadvantages:

      \n
        \n
      • \n

        For tasks that use the awsvpc network mode including Fargate,\n\t\t\t\t\tif you set systemControls for any container, it applies to all\n\t\t\t\t\tcontainers in the task. If you set different systemControls for\n\t\t\t\t\tmultiple containers in a single task, the container that's started last\n\t\t\t\t\tdetermines which systemControls take effect.

        \n
      • \n
      • \n

        For tasks that use the host network mode, the network namespace\n\t\t\t\t\t\tsystemControls aren't supported.

        \n
      • \n
      \n

      If you're setting an IPC resource namespace to use for the containers in the task, the\n\t\t\tfollowing conditions apply to your system controls. For more information, see IPC mode.

      \n
        \n
      • \n

        For tasks that use the host IPC mode, IPC namespace\n\t\t\t\t\t\tsystemControls aren't supported.

        \n
      • \n
      • \n

        For tasks that use the task IPC mode, IPC namespace\n\t\t\t\t\t\tsystemControls values apply to all containers within a\n\t\t\t\t\ttask.

        \n
      • \n
      \n \n

      This parameter is not supported for Windows containers.

      \n
      \n \n

      This parameter is only supported for tasks that are hosted on\n Fargate if the tasks are using platform version 1.4.0 or later\n (Linux). This isn't supported for Windows containers on\n Fargate.

      \n
      " + "smithy.api#documentation": "

      A list of namespaced kernel parameters to set in the container. This parameter maps to\n\t\t\tSysctls in the docker container create command and the --sysctl option to docker run. For example, you can configure\n\t\t\t\tnet.ipv4.tcp_keepalive_time setting to maintain longer lived\n\t\t\tconnections.

      \n

      We don't recommend that you specify network-related systemControls\n\t\t\tparameters for multiple containers in a single task that also uses either the\n\t\t\t\tawsvpc or host network mode. Doing this has the following\n\t\t\tdisadvantages:

      \n
        \n
      • \n

        For tasks that use the awsvpc network mode including Fargate,\n\t\t\t\t\tif you set systemControls for any container, it applies to all\n\t\t\t\t\tcontainers in the task. If you set different systemControls for\n\t\t\t\t\tmultiple containers in a single task, the container that's started last\n\t\t\t\t\tdetermines which systemControls take effect.

        \n
      • \n
      • \n

        For tasks that use the host network mode, the network namespace\n\t\t\t\t\t\tsystemControls aren't supported.

        \n
      • \n
      \n

      If you're setting an IPC resource namespace to use for the containers in the task, the\n\t\t\tfollowing conditions apply to your system controls. For more information, see IPC mode.

      \n
        \n
      • \n

        For tasks that use the host IPC mode, IPC namespace\n\t\t\t\t\t\tsystemControls aren't supported.

        \n
      • \n
      • \n

        For tasks that use the task IPC mode, IPC namespace\n\t\t\t\t\t\tsystemControls values apply to all containers within a\n\t\t\t\t\ttask.

        \n
      • \n
      \n \n

      This parameter is not supported for Windows containers.

      \n
      \n \n

      This parameter is only supported for tasks that are hosted on\n Fargate if the tasks are using platform version 1.4.0 or later\n (Linux). This isn't supported for Windows containers on\n Fargate.

      \n
      " } }, "com.amazonaws.ecs#SystemControls": { @@ -11561,7 +11561,7 @@ "compatibilities": { "target": "com.amazonaws.ecs#CompatibilityList", "traits": { - "smithy.api#documentation": "

      The task launch types the task definition validated against during task definition\n\t\t\tregistration. For more information, see Amazon ECS launch types\n\t\t\tin the Amazon Elastic Container Service Developer Guide.

      " + "smithy.api#documentation": "

      Amazon ECS validates the task definition parameters with those supported by the launch type. For\n\t\t\tmore information, see Amazon ECS launch types\n\t\t\tin the Amazon Elastic Container Service Developer Guide.

      " } }, "runtimePlatform": { @@ -12310,7 +12310,7 @@ "target": "com.amazonaws.ecs#Integer", "traits": { "smithy.api#default": 0, - "smithy.api#documentation": "

      The soft limit for the ulimit type.

      ", + "smithy.api#documentation": "

      The soft limit for the ulimit type. The value can be specified in bytes, seconds, or as a count, depending on the type of the ulimit.

      ", "smithy.api#required": {} } }, @@ -12318,7 +12318,7 @@ "target": "com.amazonaws.ecs#Integer", "traits": { "smithy.api#default": 0, - "smithy.api#documentation": "

      The hard limit for the ulimit type.

      ", + "smithy.api#documentation": "

      The hard limit for the ulimit type. The value can be specified in bytes, seconds, or as a count, depending on the type of the ulimit.

      ", "smithy.api#required": {} } } From 8dd22e531a1a5dc7fa2143ca28d37193282e6c5e Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 17 Sep 2024 18:16:50 +0000 Subject: [PATCH 28/53] feat(client-codebuild): GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks --- .../src/commands/BatchGetProjectsCommand.ts | 2 +- .../src/commands/CreateProjectCommand.ts | 2 +- .../src/commands/CreateWebhookCommand.ts | 4 ++-- .../src/commands/UpdateProjectCommand.ts | 2 +- .../src/commands/UpdateWebhookCommand.ts | 2 +- clients/client-codebuild/src/models/models_0.ts | 7 ++++--- codegen/sdk-codegen/aws-models/codebuild.json | 12 +++++++++--- 7 files changed, 19 insertions(+), 12 deletions(-) diff --git a/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts b/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts index 1ef01bbcbdd6..11d98b4c7a6d 100644 --- a/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts +++ b/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts @@ -184,7 +184,7 @@ export interface BatchGetProjectsCommandOutput extends BatchGetProjectsOutput, _ * // scopeConfiguration: { // ScopeConfiguration * // name: "STRING_VALUE", // required * // domain: "STRING_VALUE", - * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL", // required + * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL" || "GITLAB_GROUP", // required * // }, * // }, * // vpcConfig: { // VpcConfig diff --git a/clients/client-codebuild/src/commands/CreateProjectCommand.ts b/clients/client-codebuild/src/commands/CreateProjectCommand.ts index d82425f21321..e5956755b0c2 100644 --- a/clients/client-codebuild/src/commands/CreateProjectCommand.ts +++ b/clients/client-codebuild/src/commands/CreateProjectCommand.ts @@ -341,7 +341,7 @@ export interface CreateProjectCommandOutput extends CreateProjectOutput, __Metad * // scopeConfiguration: { // ScopeConfiguration * // name: "STRING_VALUE", // required * // domain: "STRING_VALUE", - * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL", // required + * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL" || "GITLAB_GROUP", // required * // }, * // }, * // vpcConfig: { // VpcConfig diff --git a/clients/client-codebuild/src/commands/CreateWebhookCommand.ts b/clients/client-codebuild/src/commands/CreateWebhookCommand.ts index beb1bb3342a9..115aaa8a57d6 100644 --- a/clients/client-codebuild/src/commands/CreateWebhookCommand.ts +++ b/clients/client-codebuild/src/commands/CreateWebhookCommand.ts @@ -62,7 +62,7 @@ export interface CreateWebhookCommandOutput extends CreateWebhookOutput, __Metad * scopeConfiguration: { // ScopeConfiguration * name: "STRING_VALUE", // required * domain: "STRING_VALUE", - * scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL", // required + * scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL" || "GITLAB_GROUP", // required * }, * }; * const command = new CreateWebhookCommand(input); @@ -88,7 +88,7 @@ export interface CreateWebhookCommandOutput extends CreateWebhookOutput, __Metad * // scopeConfiguration: { // ScopeConfiguration * // name: "STRING_VALUE", // required * // domain: "STRING_VALUE", - * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL", // required + * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL" || "GITLAB_GROUP", // required * // }, * // }, * // }; diff --git a/clients/client-codebuild/src/commands/UpdateProjectCommand.ts b/clients/client-codebuild/src/commands/UpdateProjectCommand.ts index 5e5ba2a731ba..e3c13efe21da 100644 --- a/clients/client-codebuild/src/commands/UpdateProjectCommand.ts +++ b/clients/client-codebuild/src/commands/UpdateProjectCommand.ts @@ -341,7 +341,7 @@ export interface UpdateProjectCommandOutput extends UpdateProjectOutput, __Metad * // scopeConfiguration: { // ScopeConfiguration * // name: "STRING_VALUE", // required * // domain: "STRING_VALUE", - * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL", // required + * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL" || "GITLAB_GROUP", // required * // }, * // }, * // vpcConfig: { // VpcConfig diff --git a/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts b/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts index 331a197877e9..29ca1efb7cc5 100644 --- a/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts +++ b/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts @@ -77,7 +77,7 @@ export interface UpdateWebhookCommandOutput extends UpdateWebhookOutput, __Metad * // scopeConfiguration: { // ScopeConfiguration * // name: "STRING_VALUE", // required * // domain: "STRING_VALUE", - * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL", // required + * // scope: "GITHUB_ORGANIZATION" || "GITHUB_GLOBAL" || "GITLAB_GROUP", // required * // }, * // }, * // }; diff --git a/clients/client-codebuild/src/models/models_0.ts b/clients/client-codebuild/src/models/models_0.ts index acf0a8b69fe5..7352980d7056 100644 --- a/clients/client-codebuild/src/models/models_0.ts +++ b/clients/client-codebuild/src/models/models_0.ts @@ -3692,6 +3692,7 @@ export interface WebhookFilter { export const WebhookScopeType = { GITHUB_GLOBAL: "GITHUB_GLOBAL", GITHUB_ORGANIZATION: "GITHUB_ORGANIZATION", + GITLAB_GROUP: "GITLAB_GROUP", } as const; /** @@ -3705,19 +3706,19 @@ export type WebhookScopeType = (typeof WebhookScopeType)[keyof typeof WebhookSco */ export interface ScopeConfiguration { /** - *

      The name of either the enterprise or organization that will send webhook events to CodeBuild, depending on if the webhook is a global or organization webhook respectively.

      + *

      The name of either the group, enterprise, or organization that will send webhook events to CodeBuild, depending on the type of webhook.

      * @public */ name: string | undefined; /** - *

      The domain of the GitHub Enterprise organization. Note that this parameter is only required if your project's source type is GITHUB_ENTERPRISE

      + *

      The domain of the GitHub Enterprise organization or the GitLab Self Managed group. Note that this parameter is only required if your project's source type is GITHUB_ENTERPRISE or GITLAB_SELF_MANAGED.

      * @public */ domain?: string; /** - *

      The type of scope for a GitHub webhook.

      + *

      The type of scope for a GitHub or GitLab webhook.

      * @public */ scope: WebhookScopeType | undefined; diff --git a/codegen/sdk-codegen/aws-models/codebuild.json b/codegen/sdk-codegen/aws-models/codebuild.json index e0072f5eddfe..25a99ff4c909 100644 --- a/codegen/sdk-codegen/aws-models/codebuild.json +++ b/codegen/sdk-codegen/aws-models/codebuild.json @@ -7455,20 +7455,20 @@ "name": { "target": "com.amazonaws.codebuild#String", "traits": { - "smithy.api#documentation": "

      The name of either the enterprise or organization that will send webhook events to CodeBuild, depending on if the webhook is a global or organization webhook respectively.

      ", + "smithy.api#documentation": "

      The name of either the group, enterprise, or organization that will send webhook events to CodeBuild, depending on the type of webhook.

      ", "smithy.api#required": {} } }, "domain": { "target": "com.amazonaws.codebuild#String", "traits": { - "smithy.api#documentation": "

      The domain of the GitHub Enterprise organization. Note that this parameter is only required if your project's source type is GITHUB_ENTERPRISE

      " + "smithy.api#documentation": "

      The domain of the GitHub Enterprise organization or the GitLab Self Managed group. Note that this parameter is only required if your project's source type is GITHUB_ENTERPRISE or GITLAB_SELF_MANAGED.

      " } }, "scope": { "target": "com.amazonaws.codebuild#WebhookScopeType", "traits": { - "smithy.api#documentation": "

      The type of scope for a GitHub webhook.

      ", + "smithy.api#documentation": "

      The type of scope for a GitHub or GitLab webhook.

      ", "smithy.api#required": {} } } @@ -9206,6 +9206,12 @@ "traits": { "smithy.api#enumValue": "GITHUB_GLOBAL" } + }, + "GITLAB_GROUP": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "GITLAB_GROUP" + } } } }, From 7cf1ab229071577e2422900ddd0dd5271de55b30 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 17 Sep 2024 18:16:50 +0000 Subject: [PATCH 29/53] docs(client-rds): Updates Amazon RDS documentation with configuration information about the BYOL model for RDS for Db2. --- clients/client-rds/src/models/models_0.ts | 4 ++-- clients/client-rds/src/models/models_1.ts | 8 ++++---- codegen/sdk-codegen/aws-models/rds.json | 6 +++--- 3 files changed, 9 insertions(+), 9 deletions(-) diff --git a/clients/client-rds/src/models/models_0.ts b/clients/client-rds/src/models/models_0.ts index 3140a30f72e6..7ccf80d04ea1 100644 --- a/clients/client-rds/src/models/models_0.ts +++ b/clients/client-rds/src/models/models_0.ts @@ -7842,9 +7842,9 @@ export interface CreateDBInstanceMessage { *

      The license model information for this DB instance.

      * *

      License models for RDS for Db2 require additional configuration. The Bring Your - * Own License (BYOL) model requires a custom parameter group. The Db2 license through + * Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through * Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more - * information, see RDS for Db2 licensing + * information, see Amazon RDS for Db2 licensing * options in the Amazon RDS User Guide.

      *

      The default for RDS for Db2 is bring-your-own-license.

      *
      diff --git a/clients/client-rds/src/models/models_1.ts b/clients/client-rds/src/models/models_1.ts index 6248ff8d8d00..f1f917c47c9c 100644 --- a/clients/client-rds/src/models/models_1.ts +++ b/clients/client-rds/src/models/models_1.ts @@ -12498,9 +12498,9 @@ export interface RestoreDBInstanceFromDBSnapshotMessage { *

      License model information for the restored DB instance.

      * *

      License models for RDS for Db2 require additional configuration. The Bring Your - * Own License (BYOL) model requires a custom parameter group. The Db2 license through + * Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through * Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more - * information, see RDS for Db2 licensing + * information, see Amazon RDS for Db2 licensing * options in the Amazon RDS User Guide.

      *
      *

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      @@ -13832,9 +13832,9 @@ export interface RestoreDBInstanceToPointInTimeMessage { *

      The license model information for the restored DB instance.

      * *

      License models for RDS for Db2 require additional configuration. The Bring Your - * Own License (BYOL) model requires a custom parameter group. The Db2 license through + * Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through * Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more - * information, see RDS for Db2 licensing + * information, see Amazon RDS for Db2 licensing * options in the Amazon RDS User Guide.

      *
      *

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      diff --git a/codegen/sdk-codegen/aws-models/rds.json b/codegen/sdk-codegen/aws-models/rds.json index b81993c16284..95d6410add2a 100644 --- a/codegen/sdk-codegen/aws-models/rds.json +++ b/codegen/sdk-codegen/aws-models/rds.json @@ -4991,7 +4991,7 @@ "LicenseModel": { "target": "com.amazonaws.rds#String", "traits": { - "smithy.api#documentation": "

      The license model information for this DB instance.

      \n \n

      License models for RDS for Db2 require additional configuration. The Bring Your\n Own License (BYOL) model requires a custom parameter group. The Db2 license through\n Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more\n information, see RDS for Db2 licensing\n options in the Amazon RDS User Guide.

      \n

      The default for RDS for Db2 is bring-your-own-license.

      \n
      \n

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      \n

      Valid Values:

      \n
        \n
      • \n

        RDS for Db2 - bring-your-own-license | marketplace-license\n

        \n
      • \n
      • \n

        RDS for MariaDB - general-public-license\n

        \n
      • \n
      • \n

        RDS for Microsoft SQL Server - license-included\n

        \n
      • \n
      • \n

        RDS for MySQL - general-public-license\n

        \n
      • \n
      • \n

        RDS for Oracle - bring-your-own-license | license-included\n

        \n
      • \n
      • \n

        RDS for PostgreSQL - postgresql-license\n

        \n
      • \n
      " + "smithy.api#documentation": "

      The license model information for this DB instance.

      \n \n

      License models for RDS for Db2 require additional configuration. The Bring Your\n Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through\n Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more\n information, see Amazon RDS for Db2 licensing\n options in the Amazon RDS User Guide.

      \n

      The default for RDS for Db2 is bring-your-own-license.

      \n
      \n

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      \n

      Valid Values:

      \n
        \n
      • \n

        RDS for Db2 - bring-your-own-license | marketplace-license\n

        \n
      • \n
      • \n

        RDS for MariaDB - general-public-license\n

        \n
      • \n
      • \n

        RDS for Microsoft SQL Server - license-included\n

        \n
      • \n
      • \n

        RDS for MySQL - general-public-license\n

        \n
      • \n
      • \n

        RDS for Oracle - bring-your-own-license | license-included\n

        \n
      • \n
      • \n

        RDS for PostgreSQL - postgresql-license\n

        \n
      • \n
      " } }, "Iops": { @@ -27739,7 +27739,7 @@ "LicenseModel": { "target": "com.amazonaws.rds#String", "traits": { - "smithy.api#documentation": "

      License model information for the restored DB instance.

      \n \n

      License models for RDS for Db2 require additional configuration. The Bring Your\n Own License (BYOL) model requires a custom parameter group. The Db2 license through\n Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more\n information, see RDS for Db2 licensing\n options in the Amazon RDS User Guide.

      \n
      \n

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      \n

      Valid Values:

      \n
        \n
      • \n

        RDS for Db2 - bring-your-own-license | marketplace-license\n

        \n
      • \n
      • \n

        RDS for MariaDB - general-public-license\n

        \n
      • \n
      • \n

        RDS for Microsoft SQL Server - license-included\n

        \n
      • \n
      • \n

        RDS for MySQL - general-public-license\n

        \n
      • \n
      • \n

        RDS for Oracle - bring-your-own-license | license-included\n

        \n
      • \n
      • \n

        RDS for PostgreSQL - postgresql-license\n

        \n
      • \n
      \n

      Default: Same as the source.

      " + "smithy.api#documentation": "

      License model information for the restored DB instance.

      \n \n

      License models for RDS for Db2 require additional configuration. The Bring Your\n Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through\n Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more\n information, see Amazon RDS for Db2 licensing\n options in the Amazon RDS User Guide.

      \n
      \n

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      \n

      Valid Values:

      \n
        \n
      • \n

        RDS for Db2 - bring-your-own-license | marketplace-license\n

        \n
      • \n
      • \n

        RDS for MariaDB - general-public-license\n

        \n
      • \n
      • \n

        RDS for Microsoft SQL Server - license-included\n

        \n
      • \n
      • \n

        RDS for MySQL - general-public-license\n

        \n
      • \n
      • \n

        RDS for Oracle - bring-your-own-license | license-included\n

        \n
      • \n
      • \n

        RDS for PostgreSQL - postgresql-license\n

        \n
      • \n
      \n

      Default: Same as the source.

      " } }, "DBName": { @@ -28611,7 +28611,7 @@ "LicenseModel": { "target": "com.amazonaws.rds#String", "traits": { - "smithy.api#documentation": "

      The license model information for the restored DB instance.

      \n \n

      License models for RDS for Db2 require additional configuration. The Bring Your\n Own License (BYOL) model requires a custom parameter group. The Db2 license through\n Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more\n information, see RDS for Db2 licensing\n options in the Amazon RDS User Guide.

      \n
      \n

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      \n

      Valid Values:

      \n
        \n
      • \n

        RDS for Db2 - bring-your-own-license | marketplace-license\n

        \n
      • \n
      • \n

        RDS for MariaDB - general-public-license\n

        \n
      • \n
      • \n

        RDS for Microsoft SQL Server - license-included\n

        \n
      • \n
      • \n

        RDS for MySQL - general-public-license\n

        \n
      • \n
      • \n

        RDS for Oracle - bring-your-own-license | license-included\n

        \n
      • \n
      • \n

        RDS for PostgreSQL - postgresql-license\n

        \n
      • \n
      \n

      Default: Same as the source.

      " + "smithy.api#documentation": "

      The license model information for the restored DB instance.

      \n \n

      License models for RDS for Db2 require additional configuration. The Bring Your\n Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through\n Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more\n information, see Amazon RDS for Db2 licensing\n options in the Amazon RDS User Guide.

      \n
      \n

      This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

      \n

      Valid Values:

      \n
        \n
      • \n

        RDS for Db2 - bring-your-own-license | marketplace-license\n

        \n
      • \n
      • \n

        RDS for MariaDB - general-public-license\n

        \n
      • \n
      • \n

        RDS for Microsoft SQL Server - license-included\n

        \n
      • \n
      • \n

        RDS for MySQL - general-public-license\n

        \n
      • \n
      • \n

        RDS for Oracle - bring-your-own-license | license-included\n

        \n
      • \n
      • \n

        RDS for PostgreSQL - postgresql-license\n

        \n
      • \n
      \n

      Default: Same as the source.

      " } }, "DBName": { From decb97012463a8439e2c4008fbfa8eef3f8c3bc5 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 17 Sep 2024 18:16:50 +0000 Subject: [PATCH 30/53] feat(client-lambda): Support for JSON resource-based policies and block public access --- clients/client-lambda/README.md | 40 ++ clients/client-lambda/src/Lambda.ts | 115 +++++ clients/client-lambda/src/LambdaClient.ts | 24 + .../commands/DeleteResourcePolicyCommand.ts | 107 +++++ .../GetPublicAccessBlockConfigCommand.ts | 95 ++++ .../src/commands/GetResourcePolicyCommand.ts | 93 ++++ .../PutPublicAccessBlockConfigCommand.ts | 106 +++++ .../src/commands/PutResourcePolicyCommand.ts | 129 +++++ clients/client-lambda/src/commands/index.ts | 5 + clients/client-lambda/src/models/models_0.ts | 202 ++++++++ .../src/protocols/Aws_restJson1.ts | 245 ++++++++++ codegen/sdk-codegen/aws-models/lambda.json | 445 ++++++++++++++++++ 12 files changed, 1606 insertions(+) create mode 100644 clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts create mode 100644 clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts create mode 100644 clients/client-lambda/src/commands/GetResourcePolicyCommand.ts create mode 100644 clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts create mode 100644 clients/client-lambda/src/commands/PutResourcePolicyCommand.ts diff --git a/clients/client-lambda/README.md b/clients/client-lambda/README.md index f29e02171dc0..76fe49fa2280 100644 --- a/clients/client-lambda/README.md +++ b/clients/client-lambda/README.md @@ -403,6 +403,14 @@ DeleteProvisionedConcurrencyConfig [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/DeleteProvisionedConcurrencyConfigCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/DeleteProvisionedConcurrencyConfigCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/DeleteProvisionedConcurrencyConfigCommandOutput/) +
    +
    + +DeleteResourcePolicy + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/DeleteResourcePolicyCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/DeleteResourcePolicyCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/DeleteResourcePolicyCommandOutput/) +
    @@ -531,6 +539,22 @@ GetProvisionedConcurrencyConfig [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/GetProvisionedConcurrencyConfigCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/GetProvisionedConcurrencyConfigCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/GetProvisionedConcurrencyConfigCommandOutput/) +
    +
    + +GetPublicAccessBlockConfig + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/GetPublicAccessBlockConfigCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/GetPublicAccessBlockConfigCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/GetPublicAccessBlockConfigCommandOutput/) + +
    +
    + +GetResourcePolicy + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/GetResourcePolicyCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/GetResourcePolicyCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/GetResourcePolicyCommandOutput/) +
    @@ -715,6 +739,22 @@ PutProvisionedConcurrencyConfig [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/PutProvisionedConcurrencyConfigCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/PutProvisionedConcurrencyConfigCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/PutProvisionedConcurrencyConfigCommandOutput/) +
    +
    + +PutPublicAccessBlockConfig + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/PutPublicAccessBlockConfigCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/PutPublicAccessBlockConfigCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/PutPublicAccessBlockConfigCommandOutput/) + +
    +
    + +PutResourcePolicy + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/lambda/command/PutResourcePolicyCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/PutResourcePolicyCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-lambda/Interface/PutResourcePolicyCommandOutput/) +
    diff --git a/clients/client-lambda/src/Lambda.ts b/clients/client-lambda/src/Lambda.ts index f6b0e42e6bc4..015f9aa8eb4f 100644 --- a/clients/client-lambda/src/Lambda.ts +++ b/clients/client-lambda/src/Lambda.ts @@ -79,6 +79,11 @@ import { DeleteProvisionedConcurrencyConfigCommandInput, DeleteProvisionedConcurrencyConfigCommandOutput, } from "./commands/DeleteProvisionedConcurrencyConfigCommand"; +import { + DeleteResourcePolicyCommand, + DeleteResourcePolicyCommandInput, + DeleteResourcePolicyCommandOutput, +} from "./commands/DeleteResourcePolicyCommand"; import { GetAccountSettingsCommand, GetAccountSettingsCommandInput, @@ -147,6 +152,16 @@ import { GetProvisionedConcurrencyConfigCommandInput, GetProvisionedConcurrencyConfigCommandOutput, } from "./commands/GetProvisionedConcurrencyConfigCommand"; +import { + GetPublicAccessBlockConfigCommand, + GetPublicAccessBlockConfigCommandInput, + GetPublicAccessBlockConfigCommandOutput, +} from "./commands/GetPublicAccessBlockConfigCommand"; +import { + GetResourcePolicyCommand, + GetResourcePolicyCommandInput, + GetResourcePolicyCommandOutput, +} from "./commands/GetResourcePolicyCommand"; import { GetRuntimeManagementConfigCommand, GetRuntimeManagementConfigCommandInput, @@ -242,6 +257,16 @@ import { PutProvisionedConcurrencyConfigCommandInput, PutProvisionedConcurrencyConfigCommandOutput, } from "./commands/PutProvisionedConcurrencyConfigCommand"; +import { + PutPublicAccessBlockConfigCommand, + PutPublicAccessBlockConfigCommandInput, + PutPublicAccessBlockConfigCommandOutput, +} from "./commands/PutPublicAccessBlockConfigCommand"; +import { + PutResourcePolicyCommand, + PutResourcePolicyCommandInput, + PutResourcePolicyCommandOutput, +} from "./commands/PutResourcePolicyCommand"; import { PutRuntimeManagementConfigCommand, PutRuntimeManagementConfigCommandInput, @@ -314,6 +339,7 @@ const commands = { DeleteFunctionUrlConfigCommand, DeleteLayerVersionCommand, DeleteProvisionedConcurrencyConfigCommand, + DeleteResourcePolicyCommand, GetAccountSettingsCommand, GetAliasCommand, GetCodeSigningConfigCommand, @@ -330,6 +356,8 @@ const commands = { GetLayerVersionPolicyCommand, GetPolicyCommand, GetProvisionedConcurrencyConfigCommand, + GetPublicAccessBlockConfigCommand, + GetResourcePolicyCommand, GetRuntimeManagementConfigCommand, InvokeCommand, InvokeAsyncCommand, @@ -353,6 +381,8 @@ const commands = { PutFunctionEventInvokeConfigCommand, PutFunctionRecursionConfigCommand, PutProvisionedConcurrencyConfigCommand, + PutPublicAccessBlockConfigCommand, + PutResourcePolicyCommand, PutRuntimeManagementConfigCommand, RemoveLayerVersionPermissionCommand, RemovePermissionCommand, @@ -633,6 +663,23 @@ export interface Lambda { cb: (err: any, data?: DeleteProvisionedConcurrencyConfigCommandOutput) => void ): void; + /** + * @see {@link DeleteResourcePolicyCommand} + */ + deleteResourcePolicy( + args: DeleteResourcePolicyCommandInput, + options?: __HttpHandlerOptions + ): Promise; + deleteResourcePolicy( + args: DeleteResourcePolicyCommandInput, + cb: (err: any, data?: DeleteResourcePolicyCommandOutput) => void + ): void; + deleteResourcePolicy( + args: DeleteResourcePolicyCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DeleteResourcePolicyCommandOutput) => void + ): void; + /** * @see {@link GetAccountSettingsCommand} */ @@ -885,6 +932,40 @@ export interface Lambda { cb: (err: any, data?: GetProvisionedConcurrencyConfigCommandOutput) => void ): void; + /** + * @see {@link GetPublicAccessBlockConfigCommand} + */ + getPublicAccessBlockConfig( + args: GetPublicAccessBlockConfigCommandInput, + options?: __HttpHandlerOptions + ): Promise; + getPublicAccessBlockConfig( + args: GetPublicAccessBlockConfigCommandInput, + cb: (err: any, data?: GetPublicAccessBlockConfigCommandOutput) => void + ): void; + getPublicAccessBlockConfig( + args: GetPublicAccessBlockConfigCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: GetPublicAccessBlockConfigCommandOutput) => void + ): void; + + /** + * @see {@link GetResourcePolicyCommand} + */ + getResourcePolicy( + args: GetResourcePolicyCommandInput, + options?: __HttpHandlerOptions + ): Promise; + getResourcePolicy( + args: GetResourcePolicyCommandInput, + cb: (err: any, data?: GetResourcePolicyCommandOutput) => void + ): void; + getResourcePolicy( + args: GetResourcePolicyCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: GetResourcePolicyCommandOutput) => void + ): void; + /** * @see {@link GetRuntimeManagementConfigCommand} */ @@ -1241,6 +1322,40 @@ export interface Lambda { cb: (err: any, data?: PutProvisionedConcurrencyConfigCommandOutput) => void ): void; + /** + * @see {@link PutPublicAccessBlockConfigCommand} + */ + putPublicAccessBlockConfig( + args: PutPublicAccessBlockConfigCommandInput, + options?: __HttpHandlerOptions + ): Promise; + putPublicAccessBlockConfig( + args: PutPublicAccessBlockConfigCommandInput, + cb: (err: any, data?: PutPublicAccessBlockConfigCommandOutput) => void + ): void; + putPublicAccessBlockConfig( + args: PutPublicAccessBlockConfigCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: PutPublicAccessBlockConfigCommandOutput) => void + ): void; + + /** + * @see {@link PutResourcePolicyCommand} + */ + putResourcePolicy( + args: PutResourcePolicyCommandInput, + options?: __HttpHandlerOptions + ): Promise; + putResourcePolicy( + args: PutResourcePolicyCommandInput, + cb: (err: any, data?: PutResourcePolicyCommandOutput) => void + ): void; + putResourcePolicy( + args: PutResourcePolicyCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: PutResourcePolicyCommandOutput) => void + ): void; + /** * @see {@link PutRuntimeManagementConfigCommand} */ diff --git a/clients/client-lambda/src/LambdaClient.ts b/clients/client-lambda/src/LambdaClient.ts index 1ee6ae697e14..f52ab853010c 100644 --- a/clients/client-lambda/src/LambdaClient.ts +++ b/clients/client-lambda/src/LambdaClient.ts @@ -109,6 +109,10 @@ import { DeleteProvisionedConcurrencyConfigCommandInput, DeleteProvisionedConcurrencyConfigCommandOutput, } from "./commands/DeleteProvisionedConcurrencyConfigCommand"; +import { + DeleteResourcePolicyCommandInput, + DeleteResourcePolicyCommandOutput, +} from "./commands/DeleteResourcePolicyCommand"; import { GetAccountSettingsCommandInput, GetAccountSettingsCommandOutput } from "./commands/GetAccountSettingsCommand"; import { GetAliasCommandInput, GetAliasCommandOutput } from "./commands/GetAliasCommand"; import { @@ -158,6 +162,11 @@ import { GetProvisionedConcurrencyConfigCommandInput, GetProvisionedConcurrencyConfigCommandOutput, } from "./commands/GetProvisionedConcurrencyConfigCommand"; +import { + GetPublicAccessBlockConfigCommandInput, + GetPublicAccessBlockConfigCommandOutput, +} from "./commands/GetPublicAccessBlockConfigCommand"; +import { GetResourcePolicyCommandInput, GetResourcePolicyCommandOutput } from "./commands/GetResourcePolicyCommand"; import { GetRuntimeManagementConfigCommandInput, GetRuntimeManagementConfigCommandOutput, @@ -226,6 +235,11 @@ import { PutProvisionedConcurrencyConfigCommandInput, PutProvisionedConcurrencyConfigCommandOutput, } from "./commands/PutProvisionedConcurrencyConfigCommand"; +import { + PutPublicAccessBlockConfigCommandInput, + PutPublicAccessBlockConfigCommandOutput, +} from "./commands/PutPublicAccessBlockConfigCommand"; +import { PutResourcePolicyCommandInput, PutResourcePolicyCommandOutput } from "./commands/PutResourcePolicyCommand"; import { PutRuntimeManagementConfigCommandInput, PutRuntimeManagementConfigCommandOutput, @@ -291,6 +305,7 @@ export type ServiceInputTypes = | DeleteFunctionUrlConfigCommandInput | DeleteLayerVersionCommandInput | DeleteProvisionedConcurrencyConfigCommandInput + | DeleteResourcePolicyCommandInput | GetAccountSettingsCommandInput | GetAliasCommandInput | GetCodeSigningConfigCommandInput @@ -307,6 +322,8 @@ export type ServiceInputTypes = | GetLayerVersionPolicyCommandInput | GetPolicyCommandInput | GetProvisionedConcurrencyConfigCommandInput + | GetPublicAccessBlockConfigCommandInput + | GetResourcePolicyCommandInput | GetRuntimeManagementConfigCommandInput | InvokeAsyncCommandInput | InvokeCommandInput @@ -330,6 +347,8 @@ export type ServiceInputTypes = | PutFunctionEventInvokeConfigCommandInput | PutFunctionRecursionConfigCommandInput | PutProvisionedConcurrencyConfigCommandInput + | PutPublicAccessBlockConfigCommandInput + | PutResourcePolicyCommandInput | PutRuntimeManagementConfigCommandInput | RemoveLayerVersionPermissionCommandInput | RemovePermissionCommandInput @@ -364,6 +383,7 @@ export type ServiceOutputTypes = | DeleteFunctionUrlConfigCommandOutput | DeleteLayerVersionCommandOutput | DeleteProvisionedConcurrencyConfigCommandOutput + | DeleteResourcePolicyCommandOutput | GetAccountSettingsCommandOutput | GetAliasCommandOutput | GetCodeSigningConfigCommandOutput @@ -380,6 +400,8 @@ export type ServiceOutputTypes = | GetLayerVersionPolicyCommandOutput | GetPolicyCommandOutput | GetProvisionedConcurrencyConfigCommandOutput + | GetPublicAccessBlockConfigCommandOutput + | GetResourcePolicyCommandOutput | GetRuntimeManagementConfigCommandOutput | InvokeAsyncCommandOutput | InvokeCommandOutput @@ -403,6 +425,8 @@ export type ServiceOutputTypes = | PutFunctionEventInvokeConfigCommandOutput | PutFunctionRecursionConfigCommandOutput | PutProvisionedConcurrencyConfigCommandOutput + | PutPublicAccessBlockConfigCommandOutput + | PutResourcePolicyCommandOutput | PutRuntimeManagementConfigCommandOutput | RemoveLayerVersionPermissionCommandOutput | RemovePermissionCommandOutput diff --git a/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts new file mode 100644 index 000000000000..cd42085cf331 --- /dev/null +++ b/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts @@ -0,0 +1,107 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { LambdaClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../LambdaClient"; +import { DeleteResourcePolicyRequest } from "../models/models_0"; +import { de_DeleteResourcePolicyCommand, se_DeleteResourcePolicyCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DeleteResourcePolicyCommand}. + */ +export interface DeleteResourcePolicyCommandInput extends DeleteResourcePolicyRequest {} +/** + * @public + * + * The output of {@link DeleteResourcePolicyCommand}. + */ +export interface DeleteResourcePolicyCommandOutput extends __MetadataBearer {} + +/** + *

    Deletes a resource-based policy from a function.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { LambdaClient, DeleteResourcePolicyCommand } from "@aws-sdk/client-lambda"; // ES Modules import + * // const { LambdaClient, DeleteResourcePolicyCommand } = require("@aws-sdk/client-lambda"); // CommonJS import + * const client = new LambdaClient(config); + * const input = { // DeleteResourcePolicyRequest + * ResourceArn: "STRING_VALUE", // required + * RevisionId: "STRING_VALUE", + * }; + * const command = new DeleteResourcePolicyCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param DeleteResourcePolicyCommandInput - {@link DeleteResourcePolicyCommandInput} + * @returns {@link DeleteResourcePolicyCommandOutput} + * @see {@link DeleteResourcePolicyCommandInput} for command's `input` shape. + * @see {@link DeleteResourcePolicyCommandOutput} for command's `response` shape. + * @see {@link LambdaClientResolvedConfig | config} for LambdaClient's `config` shape. + * + * @throws {@link InvalidParameterValueException} (client fault) + *

    One of the parameters in the request is not valid.

    + * + * @throws {@link PreconditionFailedException} (client fault) + *

    The RevisionId provided does not match the latest RevisionId for the Lambda function or alias.

    + *
      + *
    • + *

      + * For AddPermission and RemovePermission API operations: Call GetPolicy to retrieve the latest RevisionId for your resource.

      + *
    • + *
    • + *

      + * For all other API operations: Call GetFunction or GetAlias to retrieve the latest RevisionId for your resource.

      + *
    • + *
    + * + * @throws {@link ResourceConflictException} (client fault) + *

    The resource already exists, or another operation is in progress.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource specified in the request does not exist.

    + * + * @throws {@link ServiceException} (server fault) + *

    The Lambda service encountered an internal error.

    + * + * @throws {@link TooManyRequestsException} (client fault) + *

    The request throughput limit was exceeded. For more information, see Lambda quotas.

    + * + * @throws {@link LambdaServiceException} + *

    Base exception class for all service exceptions from Lambda service.

    + * + * @public + */ +export class DeleteResourcePolicyCommand extends $Command + .classBuilder< + DeleteResourcePolicyCommandInput, + DeleteResourcePolicyCommandOutput, + LambdaClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: LambdaClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSGirApiService", "DeleteResourcePolicy", {}) + .n("LambdaClient", "DeleteResourcePolicyCommand") + .f(void 0, void 0) + .ser(se_DeleteResourcePolicyCommand) + .de(de_DeleteResourcePolicyCommand) + .build() {} diff --git a/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts b/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts new file mode 100644 index 000000000000..c14be0c78dbb --- /dev/null +++ b/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts @@ -0,0 +1,95 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { LambdaClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../LambdaClient"; +import { GetPublicAccessBlockConfigRequest, GetPublicAccessBlockConfigResponse } from "../models/models_0"; +import { de_GetPublicAccessBlockConfigCommand, se_GetPublicAccessBlockConfigCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link GetPublicAccessBlockConfigCommand}. + */ +export interface GetPublicAccessBlockConfigCommandInput extends GetPublicAccessBlockConfigRequest {} +/** + * @public + * + * The output of {@link GetPublicAccessBlockConfigCommand}. + */ +export interface GetPublicAccessBlockConfigCommandOutput extends GetPublicAccessBlockConfigResponse, __MetadataBearer {} + +/** + *

    Retrieve the public-access settings for a function.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { LambdaClient, GetPublicAccessBlockConfigCommand } from "@aws-sdk/client-lambda"; // ES Modules import + * // const { LambdaClient, GetPublicAccessBlockConfigCommand } = require("@aws-sdk/client-lambda"); // CommonJS import + * const client = new LambdaClient(config); + * const input = { // GetPublicAccessBlockConfigRequest + * ResourceArn: "STRING_VALUE", // required + * }; + * const command = new GetPublicAccessBlockConfigCommand(input); + * const response = await client.send(command); + * // { // GetPublicAccessBlockConfigResponse + * // PublicAccessBlockConfig: { // PublicAccessBlockConfig + * // BlockPublicPolicy: true || false, + * // RestrictPublicResource: true || false, + * // }, + * // }; + * + * ``` + * + * @param GetPublicAccessBlockConfigCommandInput - {@link GetPublicAccessBlockConfigCommandInput} + * @returns {@link GetPublicAccessBlockConfigCommandOutput} + * @see {@link GetPublicAccessBlockConfigCommandInput} for command's `input` shape. + * @see {@link GetPublicAccessBlockConfigCommandOutput} for command's `response` shape. + * @see {@link LambdaClientResolvedConfig | config} for LambdaClient's `config` shape. + * + * @throws {@link InvalidParameterValueException} (client fault) + *

    One of the parameters in the request is not valid.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource specified in the request does not exist.

    + * + * @throws {@link ServiceException} (server fault) + *

    The Lambda service encountered an internal error.

    + * + * @throws {@link TooManyRequestsException} (client fault) + *

    The request throughput limit was exceeded. For more information, see Lambda quotas.

    + * + * @throws {@link LambdaServiceException} + *

    Base exception class for all service exceptions from Lambda service.

    + * + * @public + */ +export class GetPublicAccessBlockConfigCommand extends $Command + .classBuilder< + GetPublicAccessBlockConfigCommandInput, + GetPublicAccessBlockConfigCommandOutput, + LambdaClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: LambdaClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSGirApiService", "GetPublicAccessBlockConfig", {}) + .n("LambdaClient", "GetPublicAccessBlockConfigCommand") + .f(void 0, void 0) + .ser(se_GetPublicAccessBlockConfigCommand) + .de(de_GetPublicAccessBlockConfigCommand) + .build() {} diff --git a/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts b/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts new file mode 100644 index 000000000000..6b0373a63a4a --- /dev/null +++ b/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts @@ -0,0 +1,93 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { LambdaClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../LambdaClient"; +import { GetResourcePolicyRequest, GetResourcePolicyResponse } from "../models/models_0"; +import { de_GetResourcePolicyCommand, se_GetResourcePolicyCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link GetResourcePolicyCommand}. + */ +export interface GetResourcePolicyCommandInput extends GetResourcePolicyRequest {} +/** + * @public + * + * The output of {@link GetResourcePolicyCommand}. + */ +export interface GetResourcePolicyCommandOutput extends GetResourcePolicyResponse, __MetadataBearer {} + +/** + *

    Retrieves the resource-based policy attached to a function.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { LambdaClient, GetResourcePolicyCommand } from "@aws-sdk/client-lambda"; // ES Modules import + * // const { LambdaClient, GetResourcePolicyCommand } = require("@aws-sdk/client-lambda"); // CommonJS import + * const client = new LambdaClient(config); + * const input = { // GetResourcePolicyRequest + * ResourceArn: "STRING_VALUE", // required + * }; + * const command = new GetResourcePolicyCommand(input); + * const response = await client.send(command); + * // { // GetResourcePolicyResponse + * // Policy: "STRING_VALUE", + * // RevisionId: "STRING_VALUE", + * // }; + * + * ``` + * + * @param GetResourcePolicyCommandInput - {@link GetResourcePolicyCommandInput} + * @returns {@link GetResourcePolicyCommandOutput} + * @see {@link GetResourcePolicyCommandInput} for command's `input` shape. + * @see {@link GetResourcePolicyCommandOutput} for command's `response` shape. + * @see {@link LambdaClientResolvedConfig | config} for LambdaClient's `config` shape. + * + * @throws {@link InvalidParameterValueException} (client fault) + *

    One of the parameters in the request is not valid.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource specified in the request does not exist.

    + * + * @throws {@link ServiceException} (server fault) + *

    The Lambda service encountered an internal error.

    + * + * @throws {@link TooManyRequestsException} (client fault) + *

    The request throughput limit was exceeded. For more information, see Lambda quotas.

    + * + * @throws {@link LambdaServiceException} + *

    Base exception class for all service exceptions from Lambda service.

    + * + * @public + */ +export class GetResourcePolicyCommand extends $Command + .classBuilder< + GetResourcePolicyCommandInput, + GetResourcePolicyCommandOutput, + LambdaClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: LambdaClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSGirApiService", "GetResourcePolicy", {}) + .n("LambdaClient", "GetResourcePolicyCommand") + .f(void 0, void 0) + .ser(se_GetResourcePolicyCommand) + .de(de_GetResourcePolicyCommand) + .build() {} diff --git a/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts b/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts new file mode 100644 index 000000000000..ecd6588e6495 --- /dev/null +++ b/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts @@ -0,0 +1,106 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { LambdaClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../LambdaClient"; +import { PutPublicAccessBlockConfigRequest, PutPublicAccessBlockConfigResponse } from "../models/models_0"; +import { de_PutPublicAccessBlockConfigCommand, se_PutPublicAccessBlockConfigCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link PutPublicAccessBlockConfigCommand}. + */ +export interface PutPublicAccessBlockConfigCommandInput extends PutPublicAccessBlockConfigRequest {} +/** + * @public + * + * The output of {@link PutPublicAccessBlockConfigCommand}. + */ +export interface PutPublicAccessBlockConfigCommandOutput extends PutPublicAccessBlockConfigResponse, __MetadataBearer {} + +/** + *

    Configure your function's public-access settings.

    + *

    To control public access to a Lambda function, you can choose whether to allow the creation of + * resource-based policies that + * allow public access to that function. You can also block public access to a function, even if it has an existing resource-based + * policy that allows it.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { LambdaClient, PutPublicAccessBlockConfigCommand } from "@aws-sdk/client-lambda"; // ES Modules import + * // const { LambdaClient, PutPublicAccessBlockConfigCommand } = require("@aws-sdk/client-lambda"); // CommonJS import + * const client = new LambdaClient(config); + * const input = { // PutPublicAccessBlockConfigRequest + * ResourceArn: "STRING_VALUE", // required + * PublicAccessBlockConfig: { // PublicAccessBlockConfig + * BlockPublicPolicy: true || false, + * RestrictPublicResource: true || false, + * }, + * }; + * const command = new PutPublicAccessBlockConfigCommand(input); + * const response = await client.send(command); + * // { // PutPublicAccessBlockConfigResponse + * // PublicAccessBlockConfig: { // PublicAccessBlockConfig + * // BlockPublicPolicy: true || false, + * // RestrictPublicResource: true || false, + * // }, + * // }; + * + * ``` + * + * @param PutPublicAccessBlockConfigCommandInput - {@link PutPublicAccessBlockConfigCommandInput} + * @returns {@link PutPublicAccessBlockConfigCommandOutput} + * @see {@link PutPublicAccessBlockConfigCommandInput} for command's `input` shape. + * @see {@link PutPublicAccessBlockConfigCommandOutput} for command's `response` shape. + * @see {@link LambdaClientResolvedConfig | config} for LambdaClient's `config` shape. + * + * @throws {@link InvalidParameterValueException} (client fault) + *

    One of the parameters in the request is not valid.

    + * + * @throws {@link ResourceConflictException} (client fault) + *

    The resource already exists, or another operation is in progress.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource specified in the request does not exist.

    + * + * @throws {@link ServiceException} (server fault) + *

    The Lambda service encountered an internal error.

    + * + * @throws {@link TooManyRequestsException} (client fault) + *

    The request throughput limit was exceeded. For more information, see Lambda quotas.

    + * + * @throws {@link LambdaServiceException} + *

    Base exception class for all service exceptions from Lambda service.

    + * + * @public + */ +export class PutPublicAccessBlockConfigCommand extends $Command + .classBuilder< + PutPublicAccessBlockConfigCommandInput, + PutPublicAccessBlockConfigCommandOutput, + LambdaClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: LambdaClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSGirApiService", "PutPublicAccessBlockConfig", {}) + .n("LambdaClient", "PutPublicAccessBlockConfigCommand") + .f(void 0, void 0) + .ser(se_PutPublicAccessBlockConfigCommand) + .de(de_PutPublicAccessBlockConfigCommand) + .build() {} diff --git a/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts b/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts new file mode 100644 index 000000000000..d6751f7d6c69 --- /dev/null +++ b/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts @@ -0,0 +1,129 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { LambdaClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../LambdaClient"; +import { PutResourcePolicyRequest, PutResourcePolicyResponse } from "../models/models_0"; +import { de_PutResourcePolicyCommand, se_PutResourcePolicyCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link PutResourcePolicyCommand}. + */ +export interface PutResourcePolicyCommandInput extends PutResourcePolicyRequest {} +/** + * @public + * + * The output of {@link PutResourcePolicyCommand}. + */ +export interface PutResourcePolicyCommandOutput extends PutResourcePolicyResponse, __MetadataBearer {} + +/** + *

    Adds a resource-based policy + * to a function. You can use resource-based policies to grant access to other + * Amazon Web Services accounts, + * organizations, or + * services. Resource-based policies + * apply to a single function, version, or alias.

    + * + *

    Adding a resource-based policy using this API action replaces any existing policy you've previously created. This means that if + * you've previously added resource-based permissions to a function using the AddPermission action, those + * permissions will be overwritten by your new policy.

    + *
    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { LambdaClient, PutResourcePolicyCommand } from "@aws-sdk/client-lambda"; // ES Modules import + * // const { LambdaClient, PutResourcePolicyCommand } = require("@aws-sdk/client-lambda"); // CommonJS import + * const client = new LambdaClient(config); + * const input = { // PutResourcePolicyRequest + * ResourceArn: "STRING_VALUE", // required + * Policy: "STRING_VALUE", // required + * RevisionId: "STRING_VALUE", + * }; + * const command = new PutResourcePolicyCommand(input); + * const response = await client.send(command); + * // { // PutResourcePolicyResponse + * // Policy: "STRING_VALUE", + * // RevisionId: "STRING_VALUE", + * // }; + * + * ``` + * + * @param PutResourcePolicyCommandInput - {@link PutResourcePolicyCommandInput} + * @returns {@link PutResourcePolicyCommandOutput} + * @see {@link PutResourcePolicyCommandInput} for command's `input` shape. + * @see {@link PutResourcePolicyCommandOutput} for command's `response` shape. + * @see {@link LambdaClientResolvedConfig | config} for LambdaClient's `config` shape. + * + * @throws {@link InvalidParameterValueException} (client fault) + *

    One of the parameters in the request is not valid.

    + * + * @throws {@link PolicyLengthExceededException} (client fault) + *

    The permissions policy for the resource is too large. For more information, see Lambda quotas.

    + * + * @throws {@link PreconditionFailedException} (client fault) + *

    The RevisionId provided does not match the latest RevisionId for the Lambda function or alias.

    + *
      + *
    • + *

      + * For AddPermission and RemovePermission API operations: Call GetPolicy to retrieve the latest RevisionId for your resource.

      + *
    • + *
    • + *

      + * For all other API operations: Call GetFunction or GetAlias to retrieve the latest RevisionId for your resource.

      + *
    • + *
    + * + * @throws {@link PublicPolicyException} (client fault) + *

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to + * create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings + * to allow public policies.

    + * + * @throws {@link ResourceConflictException} (client fault) + *

    The resource already exists, or another operation is in progress.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource specified in the request does not exist.

    + * + * @throws {@link ServiceException} (server fault) + *

    The Lambda service encountered an internal error.

    + * + * @throws {@link TooManyRequestsException} (client fault) + *

    The request throughput limit was exceeded. For more information, see Lambda quotas.

    + * + * @throws {@link LambdaServiceException} + *

    Base exception class for all service exceptions from Lambda service.

    + * + * @public + */ +export class PutResourcePolicyCommand extends $Command + .classBuilder< + PutResourcePolicyCommandInput, + PutResourcePolicyCommandOutput, + LambdaClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: LambdaClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSGirApiService", "PutResourcePolicy", {}) + .n("LambdaClient", "PutResourcePolicyCommand") + .f(void 0, void 0) + .ser(se_PutResourcePolicyCommand) + .de(de_PutResourcePolicyCommand) + .build() {} diff --git a/clients/client-lambda/src/commands/index.ts b/clients/client-lambda/src/commands/index.ts index d1001072d7ea..e7d9d57e234f 100644 --- a/clients/client-lambda/src/commands/index.ts +++ b/clients/client-lambda/src/commands/index.ts @@ -16,6 +16,7 @@ export * from "./DeleteFunctionEventInvokeConfigCommand"; export * from "./DeleteFunctionUrlConfigCommand"; export * from "./DeleteLayerVersionCommand"; export * from "./DeleteProvisionedConcurrencyConfigCommand"; +export * from "./DeleteResourcePolicyCommand"; export * from "./GetAccountSettingsCommand"; export * from "./GetAliasCommand"; export * from "./GetCodeSigningConfigCommand"; @@ -32,6 +33,8 @@ export * from "./GetLayerVersionCommand"; export * from "./GetLayerVersionPolicyCommand"; export * from "./GetPolicyCommand"; export * from "./GetProvisionedConcurrencyConfigCommand"; +export * from "./GetPublicAccessBlockConfigCommand"; +export * from "./GetResourcePolicyCommand"; export * from "./GetRuntimeManagementConfigCommand"; export * from "./InvokeAsyncCommand"; export * from "./InvokeCommand"; @@ -55,6 +58,8 @@ export * from "./PutFunctionConcurrencyCommand"; export * from "./PutFunctionEventInvokeConfigCommand"; export * from "./PutFunctionRecursionConfigCommand"; export * from "./PutProvisionedConcurrencyConfigCommand"; +export * from "./PutPublicAccessBlockConfigCommand"; +export * from "./PutResourcePolicyCommand"; export * from "./PutRuntimeManagementConfigCommand"; export * from "./RemoveLayerVersionPermissionCommand"; export * from "./RemovePermissionCommand"; diff --git a/clients/client-lambda/src/models/models_0.ts b/clients/client-lambda/src/models/models_0.ts index d28a45eb490c..ac39ab22c104 100644 --- a/clients/client-lambda/src/models/models_0.ts +++ b/clients/client-lambda/src/models/models_0.ts @@ -3176,6 +3176,25 @@ export interface DeleteProvisionedConcurrencyConfigRequest { Qualifier: string | undefined; } +/** + * @public + */ +export interface DeleteResourcePolicyRequest { + /** + *

    The Amazon Resource Name (ARN) of the function you want to delete the policy from. You can use either a qualified or an unqualified ARN, + * but the value you specify must be a complete ARN and wildcard characters are not accepted.

    + * @public + */ + ResourceArn: string | undefined; + + /** + *

    Delete the existing policy only if its revision ID matches the string you specify. To find the revision ID of the policy currently attached + * to your function, use the GetResourcePolicy action.

    + * @public + */ + RevisionId?: string; +} + /** * @public */ @@ -4080,6 +4099,78 @@ export class ProvisionedConcurrencyConfigNotFoundException extends __BaseExcepti } } +/** + * @public + */ +export interface GetPublicAccessBlockConfigRequest { + /** + *

    The Amazon Resource Name (ARN) of the function you want to retrieve public-access settings for.

    + * @public + */ + ResourceArn: string | undefined; +} + +/** + *

    An object that defines the public-access settings for a function.

    + * @public + */ +export interface PublicAccessBlockConfig { + /** + *

    To block the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy + * to true. To allow the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy + * to false.

    + * @public + */ + BlockPublicPolicy?: boolean; + + /** + *

    To block public access to your function, even if its resource-based policy allows it, set RestrictPublicResource to true. To + * allow public access to a function with a resource-based policy that permits it, set RestrictPublicResource to false.

    + * @public + */ + RestrictPublicResource?: boolean; +} + +/** + * @public + */ +export interface GetPublicAccessBlockConfigResponse { + /** + *

    The public-access settings configured for the function you specified

    + * @public + */ + PublicAccessBlockConfig?: PublicAccessBlockConfig; +} + +/** + * @public + */ +export interface GetResourcePolicyRequest { + /** + *

    The Amazon Resource Name (ARN) of the function you want to retrieve the policy for. You can use either a qualified or an unqualified ARN, + * but the value you specify must be a complete ARN and wildcard characters are not accepted.

    + * @public + */ + ResourceArn: string | undefined; +} + +/** + * @public + */ +export interface GetResourcePolicyResponse { + /** + *

    The resource-based policy attached to the function you specified.

    + * @public + */ + Policy?: string; + + /** + *

    The revision ID of the policy.

    + * @public + */ + RevisionId?: string; +} + /** * @public */ @@ -6591,6 +6682,117 @@ export interface PutProvisionedConcurrencyConfigResponse { LastModified?: string; } +/** + * @public + */ +export interface PutPublicAccessBlockConfigRequest { + /** + *

    The Amazon Resource Name (ARN) of the function you want to configure public-access settings for. Public-access settings + * are applied at the function level, so you can't apply different settings to function versions or aliases.

    + * @public + */ + ResourceArn: string | undefined; + + /** + *

    An object defining the public-access settings you want to apply.

    + *

    To block the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy + * to true. To allow the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy + * to false.

    + *

    To block public access to your function, even if its resource-based policy allows it, set RestrictPublicResource to true. To + * allow public access to a function with a resource-based policy that permits it, set RestrictPublicResource to false.

    + *

    The default setting for both BlockPublicPolicy and RestrictPublicResource is true.

    + * @public + */ + PublicAccessBlockConfig: PublicAccessBlockConfig | undefined; +} + +/** + * @public + */ +export interface PutPublicAccessBlockConfigResponse { + /** + *

    The public-access settings Lambda applied to your function.

    + * @public + */ + PublicAccessBlockConfig?: PublicAccessBlockConfig; +} + +/** + *

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to + * create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings + * to allow public policies.

    + * @public + */ +export class PublicPolicyException extends __BaseException { + readonly name: "PublicPolicyException" = "PublicPolicyException"; + readonly $fault: "client" = "client"; + /** + *

    The exception type.

    + * @public + */ + Type?: string; + + Message?: string; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "PublicPolicyException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, PublicPolicyException.prototype); + this.Type = opts.Type; + this.Message = opts.Message; + } +} + +/** + * @public + */ +export interface PutResourcePolicyRequest { + /** + *

    The Amazon Resource Name (ARN) of the function you want to add the policy to. You can use either a qualified or an unqualified ARN, + * but the value you specify must be a complete ARN and wildcard characters are not accepted.

    + * @public + */ + ResourceArn: string | undefined; + + /** + *

    The JSON resource-based policy you want to add to your function.

    + *

    To learn more about creating resource-based policies for controlling access to + * Lambda, see Working with resource-based IAM policies in Lambda in the + * Lambda Developer Guide.

    + * @public + */ + Policy: string | undefined; + + /** + *

    Replace the existing policy only if its revision ID matches the string you specify. To find the revision ID of the policy currently attached + * to your function, use the GetResourcePolicy action.

    + * @public + */ + RevisionId?: string; +} + +/** + * @public + */ +export interface PutResourcePolicyResponse { + /** + *

    The policy Lambda added to your function.

    + * @public + */ + Policy?: string; + + /** + *

    The revision ID of the policy Lambda added to your function.

    + * @public + */ + RevisionId?: string; +} + /** * @public */ diff --git a/clients/client-lambda/src/protocols/Aws_restJson1.ts b/clients/client-lambda/src/protocols/Aws_restJson1.ts index 660509819981..ac50673fceaf 100644 --- a/clients/client-lambda/src/protocols/Aws_restJson1.ts +++ b/clients/client-lambda/src/protocols/Aws_restJson1.ts @@ -79,6 +79,10 @@ import { DeleteProvisionedConcurrencyConfigCommandInput, DeleteProvisionedConcurrencyConfigCommandOutput, } from "../commands/DeleteProvisionedConcurrencyConfigCommand"; +import { + DeleteResourcePolicyCommandInput, + DeleteResourcePolicyCommandOutput, +} from "../commands/DeleteResourcePolicyCommand"; import { GetAccountSettingsCommandInput, GetAccountSettingsCommandOutput } from "../commands/GetAccountSettingsCommand"; import { GetAliasCommandInput, GetAliasCommandOutput } from "../commands/GetAliasCommand"; import { @@ -128,6 +132,11 @@ import { GetProvisionedConcurrencyConfigCommandInput, GetProvisionedConcurrencyConfigCommandOutput, } from "../commands/GetProvisionedConcurrencyConfigCommand"; +import { + GetPublicAccessBlockConfigCommandInput, + GetPublicAccessBlockConfigCommandOutput, +} from "../commands/GetPublicAccessBlockConfigCommand"; +import { GetResourcePolicyCommandInput, GetResourcePolicyCommandOutput } from "../commands/GetResourcePolicyCommand"; import { GetRuntimeManagementConfigCommandInput, GetRuntimeManagementConfigCommandOutput, @@ -196,6 +205,11 @@ import { PutProvisionedConcurrencyConfigCommandInput, PutProvisionedConcurrencyConfigCommandOutput, } from "../commands/PutProvisionedConcurrencyConfigCommand"; +import { + PutPublicAccessBlockConfigCommandInput, + PutPublicAccessBlockConfigCommandOutput, +} from "../commands/PutPublicAccessBlockConfigCommand"; +import { PutResourcePolicyCommandInput, PutResourcePolicyCommandOutput } from "../commands/PutResourcePolicyCommand"; import { PutRuntimeManagementConfigCommandInput, PutRuntimeManagementConfigCommandOutput, @@ -284,6 +298,8 @@ import { PolicyLengthExceededException, PreconditionFailedException, ProvisionedConcurrencyConfigNotFoundException, + PublicAccessBlockConfig, + PublicPolicyException, RecursiveInvocationException, RequestTooLargeException, ResourceConflictException, @@ -713,6 +729,25 @@ export const se_DeleteProvisionedConcurrencyConfigCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1DeleteResourcePolicyCommand + */ +export const se_DeleteResourcePolicyCommand = async ( + input: DeleteResourcePolicyCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/2024-09-16/resource-policy/{ResourceArn}"); + b.p("ResourceArn", () => input.ResourceArn!, "{ResourceArn}", false); + const query: any = map({ + [_RI]: [, input[_RI]!], + }); + let body: any; + b.m("DELETE").h(headers).q(query).b(body); + return b.build(); +}; + /** * serializeAws_restJson1GetAccountSettingsCommand */ @@ -992,6 +1027,38 @@ export const se_GetProvisionedConcurrencyConfigCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1GetPublicAccessBlockConfigCommand + */ +export const se_GetPublicAccessBlockConfigCommand = async ( + input: GetPublicAccessBlockConfigCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/2024-09-16/public-access-block/{ResourceArn}"); + b.p("ResourceArn", () => input.ResourceArn!, "{ResourceArn}", false); + let body: any; + b.m("GET").h(headers).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1GetResourcePolicyCommand + */ +export const se_GetResourcePolicyCommand = async ( + input: GetResourcePolicyCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/2024-09-16/resource-policy/{ResourceArn}"); + b.p("ResourceArn", () => input.ResourceArn!, "{ResourceArn}", false); + let body: any; + b.m("GET").h(headers).b(body); + return b.build(); +}; + /** * serializeAws_restJson1GetRuntimeManagementConfigCommand */ @@ -1500,6 +1567,53 @@ export const se_PutProvisionedConcurrencyConfigCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1PutPublicAccessBlockConfigCommand + */ +export const se_PutPublicAccessBlockConfigCommand = async ( + input: PutPublicAccessBlockConfigCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/2024-09-16/public-access-block/{ResourceArn}"); + b.p("ResourceArn", () => input.ResourceArn!, "{ResourceArn}", false); + let body: any; + body = JSON.stringify( + take(input, { + PublicAccessBlockConfig: (_) => _json(_), + }) + ); + b.m("PUT").h(headers).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1PutResourcePolicyCommand + */ +export const se_PutResourcePolicyCommand = async ( + input: PutResourcePolicyCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/2024-09-16/resource-policy/{ResourceArn}"); + b.p("ResourceArn", () => input.ResourceArn!, "{ResourceArn}", false); + let body: any; + body = JSON.stringify( + take(input, { + Policy: [], + RevisionId: [], + }) + ); + b.m("PUT").h(headers).b(body); + return b.build(); +}; + /** * serializeAws_restJson1PutRuntimeManagementConfigCommand */ @@ -2254,6 +2368,23 @@ export const de_DeleteProvisionedConcurrencyConfigCommand = async ( return contents; }; +/** + * deserializeAws_restJson1DeleteResourcePolicyCommand + */ +export const de_DeleteResourcePolicyCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 204 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + /** * deserializeAws_restJson1GetAccountSettingsCommand */ @@ -2696,6 +2827,49 @@ export const de_GetProvisionedConcurrencyConfigCommand = async ( return contents; }; +/** + * deserializeAws_restJson1GetPublicAccessBlockConfigCommand + */ +export const de_GetPublicAccessBlockConfigCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + PublicAccessBlockConfig: _json, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1GetResourcePolicyCommand + */ +export const de_GetResourcePolicyCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + Policy: __expectString, + RevisionId: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + /** * deserializeAws_restJson1GetRuntimeManagementConfigCommand */ @@ -3249,6 +3423,49 @@ export const de_PutProvisionedConcurrencyConfigCommand = async ( return contents; }; +/** + * deserializeAws_restJson1PutPublicAccessBlockConfigCommand + */ +export const de_PutPublicAccessBlockConfigCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + PublicAccessBlockConfig: _json, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1PutResourcePolicyCommand + */ +export const de_PutResourcePolicyCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + Policy: __expectString, + RevisionId: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + /** * deserializeAws_restJson1PutRuntimeManagementConfigCommand */ @@ -3724,6 +3941,9 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "UnsupportedMediaTypeException": case "com.amazonaws.lambda#UnsupportedMediaTypeException": throw await de_UnsupportedMediaTypeExceptionRes(parsedOutput, context); + case "PublicPolicyException": + case "com.amazonaws.lambda#PublicPolicyException": + throw await de_PublicPolicyExceptionRes(parsedOutput, context); default: const parsedBody = parsedOutput.body; return throwDefaultError({ @@ -4258,6 +4478,27 @@ const de_ProvisionedConcurrencyConfigNotFoundExceptionRes = async ( return __decorateServiceException(exception, parsedOutput.body); }; +/** + * deserializeAws_restJson1PublicPolicyExceptionRes + */ +const de_PublicPolicyExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const contents: any = map({}); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + Type: __expectString, + }); + Object.assign(contents, doc); + const exception = new PublicPolicyException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + /** * deserializeAws_restJson1RecursiveInvocationExceptionRes */ @@ -4671,6 +4912,8 @@ const se_LayerVersionContentInput = (input: LayerVersionContentInput, context: _ // se_OnSuccess omitted. +// se_PublicAccessBlockConfig omitted. + // se_Queues omitted. // se_ScalingConfig omitted. @@ -4929,6 +5172,8 @@ const de_FunctionEventInvokeConfigList = (output: any, context: __SerdeContext): // de_ProvisionedConcurrencyConfigListItem omitted. +// de_PublicAccessBlockConfig omitted. + // de_Queues omitted. // de_RuntimeVersionConfig omitted. diff --git a/codegen/sdk-codegen/aws-models/lambda.json b/codegen/sdk-codegen/aws-models/lambda.json index c0288cab588b..c73cd56e49bd 100644 --- a/codegen/sdk-codegen/aws-models/lambda.json +++ b/codegen/sdk-codegen/aws-models/lambda.json @@ -84,6 +84,9 @@ { "target": "com.amazonaws.lambda#DeleteProvisionedConcurrencyConfig" }, + { + "target": "com.amazonaws.lambda#DeleteResourcePolicy" + }, { "target": "com.amazonaws.lambda#GetAccountSettings" }, @@ -132,6 +135,12 @@ { "target": "com.amazonaws.lambda#GetProvisionedConcurrencyConfig" }, + { + "target": "com.amazonaws.lambda#GetPublicAccessBlockConfig" + }, + { + "target": "com.amazonaws.lambda#GetResourcePolicy" + }, { "target": "com.amazonaws.lambda#GetRuntimeManagementConfig" }, @@ -201,6 +210,12 @@ { "target": "com.amazonaws.lambda#PutProvisionedConcurrencyConfig" }, + { + "target": "com.amazonaws.lambda#PutPublicAccessBlockConfig" + }, + { + "target": "com.amazonaws.lambda#PutResourcePolicy" + }, { "target": "com.amazonaws.lambda#PutRuntimeManagementConfig" }, @@ -3576,6 +3591,66 @@ "smithy.api#input": {} } }, + "com.amazonaws.lambda#DeleteResourcePolicy": { + "type": "operation", + "input": { + "target": "com.amazonaws.lambda#DeleteResourcePolicyRequest" + }, + "output": { + "target": "smithy.api#Unit" + }, + "errors": [ + { + "target": "com.amazonaws.lambda#InvalidParameterValueException" + }, + { + "target": "com.amazonaws.lambda#PreconditionFailedException" + }, + { + "target": "com.amazonaws.lambda#ResourceConflictException" + }, + { + "target": "com.amazonaws.lambda#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.lambda#ServiceException" + }, + { + "target": "com.amazonaws.lambda#TooManyRequestsException" + } + ], + "traits": { + "smithy.api#documentation": "

    Deletes a resource-based policy from a function.

    ", + "smithy.api#http": { + "method": "DELETE", + "uri": "/2024-09-16/resource-policy/{ResourceArn}", + "code": 204 + } + } + }, + "com.amazonaws.lambda#DeleteResourcePolicyRequest": { + "type": "structure", + "members": { + "ResourceArn": { + "target": "com.amazonaws.lambda#PolicyResourceArn", + "traits": { + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the function you want to delete the policy from. You can use either a qualified or an unqualified ARN, \n but the value you specify must be a complete ARN and wildcard characters are not accepted.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "RevisionId": { + "target": "com.amazonaws.lambda#RevisionId", + "traits": { + "smithy.api#documentation": "

    Delete the existing policy only if its revision ID matches the string you specify. To find the revision ID of the policy currently attached \n to your function, use the GetResourcePolicy action.

    ", + "smithy.api#httpQuery": "RevisionId" + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, "com.amazonaws.lambda#Description": { "type": "string", "traits": { @@ -6100,6 +6175,134 @@ "smithy.api#output": {} } }, + "com.amazonaws.lambda#GetPublicAccessBlockConfig": { + "type": "operation", + "input": { + "target": "com.amazonaws.lambda#GetPublicAccessBlockConfigRequest" + }, + "output": { + "target": "com.amazonaws.lambda#GetPublicAccessBlockConfigResponse" + }, + "errors": [ + { + "target": "com.amazonaws.lambda#InvalidParameterValueException" + }, + { + "target": "com.amazonaws.lambda#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.lambda#ServiceException" + }, + { + "target": "com.amazonaws.lambda#TooManyRequestsException" + } + ], + "traits": { + "smithy.api#documentation": "

    Retrieve the public-access settings for a function.

    ", + "smithy.api#http": { + "method": "GET", + "uri": "/2024-09-16/public-access-block/{ResourceArn}", + "code": 200 + } + } + }, + "com.amazonaws.lambda#GetPublicAccessBlockConfigRequest": { + "type": "structure", + "members": { + "ResourceArn": { + "target": "com.amazonaws.lambda#PublicAccessBlockResourceArn", + "traits": { + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the function you want to retrieve public-access settings for.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.lambda#GetPublicAccessBlockConfigResponse": { + "type": "structure", + "members": { + "PublicAccessBlockConfig": { + "target": "com.amazonaws.lambda#PublicAccessBlockConfig", + "traits": { + "smithy.api#documentation": "

    The public-access settings configured for the function you specified

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.lambda#GetResourcePolicy": { + "type": "operation", + "input": { + "target": "com.amazonaws.lambda#GetResourcePolicyRequest" + }, + "output": { + "target": "com.amazonaws.lambda#GetResourcePolicyResponse" + }, + "errors": [ + { + "target": "com.amazonaws.lambda#InvalidParameterValueException" + }, + { + "target": "com.amazonaws.lambda#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.lambda#ServiceException" + }, + { + "target": "com.amazonaws.lambda#TooManyRequestsException" + } + ], + "traits": { + "smithy.api#documentation": "

    Retrieves the resource-based policy attached to a function.

    ", + "smithy.api#http": { + "method": "GET", + "uri": "/2024-09-16/resource-policy/{ResourceArn}", + "code": 200 + } + } + }, + "com.amazonaws.lambda#GetResourcePolicyRequest": { + "type": "structure", + "members": { + "ResourceArn": { + "target": "com.amazonaws.lambda#PolicyResourceArn", + "traits": { + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the function you want to retrieve the policy for. You can use either a qualified or an unqualified ARN, \n but the value you specify must be a complete ARN and wildcard characters are not accepted.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.lambda#GetResourcePolicyResponse": { + "type": "structure", + "members": { + "Policy": { + "target": "com.amazonaws.lambda#ResourcePolicy", + "traits": { + "smithy.api#documentation": "

    The resource-based policy attached to the function you specified.

    " + } + }, + "RevisionId": { + "target": "com.amazonaws.lambda#RevisionId", + "traits": { + "smithy.api#documentation": "

    The revision ID of the policy.

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.lambda#GetRuntimeManagementConfig": { "type": "operation", "input": { @@ -8886,6 +9089,16 @@ "smithy.api#httpError": 400 } }, + "com.amazonaws.lambda#PolicyResourceArn": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 0, + "max": 256 + }, + "smithy.api#pattern": "^arn:(aws[a-zA-Z-]*)?:lambda:[a-z]{2}((-gov)|(-iso([a-z]?)))?-[a-z]+-\\d{1}:\\d{12}:function:[a-zA-Z0-9-_]+(:(\\$LATEST|[a-zA-Z0-9-_])+)?$" + } + }, "com.amazonaws.lambda#PositiveInteger": { "type": "integer", "traits": { @@ -9027,6 +9240,55 @@ } } }, + "com.amazonaws.lambda#PublicAccessBlockConfig": { + "type": "structure", + "members": { + "BlockPublicPolicy": { + "target": "com.amazonaws.lambda#NullableBoolean", + "traits": { + "smithy.api#documentation": "

    To block the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy \n to true. To allow the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy \n to false.

    " + } + }, + "RestrictPublicResource": { + "target": "com.amazonaws.lambda#NullableBoolean", + "traits": { + "smithy.api#documentation": "

    To block public access to your function, even if its resource-based policy allows it, set RestrictPublicResource to true. To \n allow public access to a function with a resource-based policy that permits it, set RestrictPublicResource to false.

    " + } + } + }, + "traits": { + "smithy.api#documentation": "

    An object that defines the public-access settings for a function.

    " + } + }, + "com.amazonaws.lambda#PublicAccessBlockResourceArn": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 0, + "max": 170 + }, + "smithy.api#pattern": "^arn:(aws[a-zA-Z-]*)?:lambda:[a-z]{2}((-gov)|(-iso([a-z]?)))?-[a-z]+-\\d{1}:\\d{12}:function:[a-zA-Z0-9-_]+$" + } + }, + "com.amazonaws.lambda#PublicPolicyException": { + "type": "structure", + "members": { + "Type": { + "target": "com.amazonaws.lambda#String", + "traits": { + "smithy.api#documentation": "

    The exception type.

    " + } + }, + "Message": { + "target": "com.amazonaws.lambda#String" + } + }, + "traits": { + "smithy.api#documentation": "

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to \n create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings \n to allow public policies.

    ", + "smithy.api#error": "client", + "smithy.api#httpError": 400 + } + }, "com.amazonaws.lambda#PublishLayerVersion": { "type": "operation", "input": { @@ -9639,6 +9901,169 @@ "smithy.api#output": {} } }, + "com.amazonaws.lambda#PutPublicAccessBlockConfig": { + "type": "operation", + "input": { + "target": "com.amazonaws.lambda#PutPublicAccessBlockConfigRequest" + }, + "output": { + "target": "com.amazonaws.lambda#PutPublicAccessBlockConfigResponse" + }, + "errors": [ + { + "target": "com.amazonaws.lambda#InvalidParameterValueException" + }, + { + "target": "com.amazonaws.lambda#ResourceConflictException" + }, + { + "target": "com.amazonaws.lambda#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.lambda#ServiceException" + }, + { + "target": "com.amazonaws.lambda#TooManyRequestsException" + } + ], + "traits": { + "smithy.api#documentation": "

    Configure your function's public-access settings.

    \n

    To control public access to a Lambda function, you can choose whether to allow the creation of \n resource-based policies that \n allow public access to that function. You can also block public access to a function, even if it has an existing resource-based \n policy that allows it.

    ", + "smithy.api#http": { + "method": "PUT", + "uri": "/2024-09-16/public-access-block/{ResourceArn}", + "code": 200 + } + } + }, + "com.amazonaws.lambda#PutPublicAccessBlockConfigRequest": { + "type": "structure", + "members": { + "ResourceArn": { + "target": "com.amazonaws.lambda#PublicAccessBlockResourceArn", + "traits": { + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the function you want to configure public-access settings for. Public-access settings \n are applied at the function level, so you can't apply different settings to function versions or aliases.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "PublicAccessBlockConfig": { + "target": "com.amazonaws.lambda#PublicAccessBlockConfig", + "traits": { + "smithy.api#documentation": "

    An object defining the public-access settings you want to apply.

    \n

    To block the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy \n to true. To allow the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy \n to false.

    \n

    To block public access to your function, even if its resource-based policy allows it, set RestrictPublicResource to true. To \n allow public access to a function with a resource-based policy that permits it, set RestrictPublicResource to false.

    \n

    The default setting for both BlockPublicPolicy and RestrictPublicResource is true.

    ", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.lambda#PutPublicAccessBlockConfigResponse": { + "type": "structure", + "members": { + "PublicAccessBlockConfig": { + "target": "com.amazonaws.lambda#PublicAccessBlockConfig", + "traits": { + "smithy.api#documentation": "

    The public-access settings Lambda applied to your function.

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.lambda#PutResourcePolicy": { + "type": "operation", + "input": { + "target": "com.amazonaws.lambda#PutResourcePolicyRequest" + }, + "output": { + "target": "com.amazonaws.lambda#PutResourcePolicyResponse" + }, + "errors": [ + { + "target": "com.amazonaws.lambda#InvalidParameterValueException" + }, + { + "target": "com.amazonaws.lambda#PolicyLengthExceededException" + }, + { + "target": "com.amazonaws.lambda#PreconditionFailedException" + }, + { + "target": "com.amazonaws.lambda#PublicPolicyException" + }, + { + "target": "com.amazonaws.lambda#ResourceConflictException" + }, + { + "target": "com.amazonaws.lambda#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.lambda#ServiceException" + }, + { + "target": "com.amazonaws.lambda#TooManyRequestsException" + } + ], + "traits": { + "smithy.api#documentation": "

    Adds a resource-based policy \n to a function. You can use resource-based policies to grant access to other \n Amazon Web Services accounts, \n organizations, or \n services. Resource-based policies \n apply to a single function, version, or alias.

    \n \n

    Adding a resource-based policy using this API action replaces any existing policy you've previously created. This means that if \n you've previously added resource-based permissions to a function using the AddPermission action, those \n permissions will be overwritten by your new policy.

    \n
    ", + "smithy.api#http": { + "method": "PUT", + "uri": "/2024-09-16/resource-policy/{ResourceArn}", + "code": 200 + } + } + }, + "com.amazonaws.lambda#PutResourcePolicyRequest": { + "type": "structure", + "members": { + "ResourceArn": { + "target": "com.amazonaws.lambda#PolicyResourceArn", + "traits": { + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the function you want to add the policy to. You can use either a qualified or an unqualified ARN, \n but the value you specify must be a complete ARN and wildcard characters are not accepted.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "Policy": { + "target": "com.amazonaws.lambda#ResourcePolicy", + "traits": { + "smithy.api#documentation": "

    The JSON resource-based policy you want to add to your function.

    \n

    To learn more about creating resource-based policies for controlling access to \n Lambda, see Working with resource-based IAM policies in Lambda in the \n Lambda Developer Guide.

    ", + "smithy.api#required": {} + } + }, + "RevisionId": { + "target": "com.amazonaws.lambda#RevisionId", + "traits": { + "smithy.api#documentation": "

    Replace the existing policy only if its revision ID matches the string you specify. To find the revision ID of the policy currently attached \n to your function, use the GetResourcePolicy action.

    " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.lambda#PutResourcePolicyResponse": { + "type": "structure", + "members": { + "Policy": { + "target": "com.amazonaws.lambda#ResourcePolicy", + "traits": { + "smithy.api#documentation": "

    The policy Lambda added to your function.

    " + } + }, + "RevisionId": { + "target": "com.amazonaws.lambda#RevisionId", + "traits": { + "smithy.api#documentation": "

    The revision ID of the policy Lambda added to your function.

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.lambda#PutRuntimeManagementConfig": { "type": "operation", "input": { @@ -10060,6 +10485,16 @@ "smithy.api#httpError": 502 } }, + "com.amazonaws.lambda#ResourcePolicy": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 20480 + }, + "smithy.api#pattern": "^[\\s\\S]+$" + } + }, "com.amazonaws.lambda#ResponseStreamingInvocationType": { "type": "enum", "members": { @@ -10077,6 +10512,16 @@ } } }, + "com.amazonaws.lambda#RevisionId": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 36, + "max": 36 + }, + "smithy.api#pattern": "^[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}$" + } + }, "com.amazonaws.lambda#RoleArn": { "type": "string", "traits": { From c1da5f62cdf2502e208e9dafcc67ee8ffb7be784 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 17 Sep 2024 18:16:50 +0000 Subject: [PATCH 31/53] feat(client-ecr): The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities. --- .../DescribeImageScanFindingsCommand.ts | 3 ++ clients/client-ecr/src/models/models_0.ts | 29 ++++++++++++++++--- .../client-ecr/src/protocols/Aws_json1_1.ts | 2 ++ codegen/sdk-codegen/aws-models/ecr.json | 29 ++++++++++++++++++- 4 files changed, 58 insertions(+), 5 deletions(-) diff --git a/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts b/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts index 3e78da96846c..39e7a1b84660 100644 --- a/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts +++ b/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts @@ -116,6 +116,7 @@ export interface DescribeImageScanFindingsCommandOutput extends DescribeImageSca * // release: "STRING_VALUE", * // sourceLayerHash: "STRING_VALUE", * // version: "STRING_VALUE", + * // fixedInVersion: "STRING_VALUE", * // }, * // ], * // }, @@ -168,6 +169,8 @@ export interface DescribeImageScanFindingsCommandOutput extends DescribeImageSca * // title: "STRING_VALUE", * // type: "STRING_VALUE", * // updatedAt: new Date("TIMESTAMP"), + * // fixAvailable: "STRING_VALUE", + * // exploitAvailable: "STRING_VALUE", * // }, * // ], * // }, diff --git a/clients/client-ecr/src/models/models_0.ts b/clients/client-ecr/src/models/models_0.ts index b764705ccb7e..b7f264207517 100644 --- a/clients/client-ecr/src/models/models_0.ts +++ b/clients/client-ecr/src/models/models_0.ts @@ -1065,14 +1065,14 @@ export interface EncryptionConfiguration { * for Amazon ECR, or specify your own KMS key, which you already created.

    *

    If you use the KMS_DSSE encryption type, the contents of the repository * will be encrypted with two layers of encryption using server-side encryption with the - * KMS Management Service key stored in KMS. Similar to the KMS encryption type, you + * KMS Management Service key stored in KMS. Similar to the KMS encryption type, you * can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS * key, which you've already created.

    *

    If you use the AES256 encryption type, Amazon ECR uses server-side encryption * with Amazon S3-managed encryption keys which encrypts the images in the repository using an - * AES256 encryption algorithm. For more information, see Protecting data using - * server-side encryption with Amazon S3-managed encryption keys (SSE-S3) in the - * Amazon Simple Storage Service Console Developer Guide.

    + * AES256 encryption algorithm.

    + *

    For more information, see Amazon ECR encryption at + * rest in the Amazon Elastic Container Registry User Guide.

    * @public */ encryptionType: EncryptionType | undefined; @@ -2456,6 +2456,12 @@ export interface VulnerablePackage { * @public */ version?: string; + + /** + *

    The version of the package that contains the vulnerability fix.

    + * @public + */ + fixedInVersion?: string; } /** @@ -2814,6 +2820,21 @@ export interface EnhancedImageScanFinding { * @public */ updatedAt?: Date; + + /** + *

    Details on whether a fix is available through a version update. This value can be + * YES, NO, or PARTIAL. A PARTIAL + * fix means that some, but not all, of the packages identified in the finding have fixes + * available through updated versions.

    + * @public + */ + fixAvailable?: string; + + /** + *

    If a finding discovered in your environment has an exploit available.

    + * @public + */ + exploitAvailable?: string; } /** diff --git a/clients/client-ecr/src/protocols/Aws_json1_1.ts b/clients/client-ecr/src/protocols/Aws_json1_1.ts index b5b63fc5bda1..1f89ee69752d 100644 --- a/clients/client-ecr/src/protocols/Aws_json1_1.ts +++ b/clients/client-ecr/src/protocols/Aws_json1_1.ts @@ -3133,8 +3133,10 @@ const de_EnhancedImageScanFinding = (output: any, context: __SerdeContext): Enha return take(output, { awsAccountId: __expectString, description: __expectString, + exploitAvailable: __expectString, findingArn: __expectString, firstObservedAt: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), + fixAvailable: __expectString, lastObservedAt: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), packageVulnerabilityDetails: (_: any) => de_PackageVulnerabilityDetails(_, context), remediation: _json, diff --git a/codegen/sdk-codegen/aws-models/ecr.json b/codegen/sdk-codegen/aws-models/ecr.json index db0295c8094a..ae125fd7d6d9 100644 --- a/codegen/sdk-codegen/aws-models/ecr.json +++ b/codegen/sdk-codegen/aws-models/ecr.json @@ -3499,7 +3499,7 @@ "encryptionType": { "target": "com.amazonaws.ecr#EncryptionType", "traits": { - "smithy.api#documentation": "

    The encryption type to use.

    \n

    If you use the KMS encryption type, the contents of the repository will\n be encrypted using server-side encryption with Key Management Service key stored in KMS. When you\n use KMS to encrypt your data, you can either use the default Amazon Web Services managed KMS key\n for Amazon ECR, or specify your own KMS key, which you already created.

    \n

    If you use the KMS_DSSE encryption type, the contents of the repository\n will be encrypted with two layers of encryption using server-side encryption with the\n KMS Management Service key stored in KMS. Similar to the KMS encryption type, you\n can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS\n key, which you've already created.

    \n

    If you use the AES256 encryption type, Amazon ECR uses server-side encryption\n with Amazon S3-managed encryption keys which encrypts the images in the repository using an\n AES256 encryption algorithm. For more information, see Protecting data using\n server-side encryption with Amazon S3-managed encryption keys (SSE-S3) in the\n Amazon Simple Storage Service Console Developer Guide.

    ", + "smithy.api#documentation": "

    The encryption type to use.

    \n

    If you use the KMS encryption type, the contents of the repository will\n be encrypted using server-side encryption with Key Management Service key stored in KMS. When you\n use KMS to encrypt your data, you can either use the default Amazon Web Services managed KMS key\n for Amazon ECR, or specify your own KMS key, which you already created.

    \n

    If you use the KMS_DSSE encryption type, the contents of the repository\n will be encrypted with two layers of encryption using server-side encryption with the\n KMS Management Service key stored in KMS. Similar to the KMS encryption type, you\n can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS\n key, which you've already created.

    \n

    If you use the AES256 encryption type, Amazon ECR uses server-side encryption\n with Amazon S3-managed encryption keys which encrypts the images in the repository using an\n AES256 encryption algorithm.

    \n

    For more information, see Amazon ECR encryption at\n rest in the Amazon Elastic Container Registry User Guide.

    ", "smithy.api#required": {} } }, @@ -3651,6 +3651,18 @@ "traits": { "smithy.api#documentation": "

    The date and time the finding was last updated at.

    " } + }, + "fixAvailable": { + "target": "com.amazonaws.ecr#FixAvailable", + "traits": { + "smithy.api#documentation": "

    Details on whether a fix is available through a version update. This value can be\n YES, NO, or PARTIAL. A PARTIAL\n fix means that some, but not all, of the packages identified in the finding have fixes\n available through updated versions.

    " + } + }, + "exploitAvailable": { + "target": "com.amazonaws.ecr#ExploitAvailable", + "traits": { + "smithy.api#documentation": "

    If a finding discovered in your environment has an exploit available.

    " + } } }, "traits": { @@ -3675,6 +3687,9 @@ "com.amazonaws.ecr#ExpirationTimestamp": { "type": "timestamp" }, + "com.amazonaws.ecr#ExploitAvailable": { + "type": "string" + }, "com.amazonaws.ecr#FilePath": { "type": "string" }, @@ -3737,6 +3752,12 @@ "target": "com.amazonaws.ecr#SeverityCount" } }, + "com.amazonaws.ecr#FixAvailable": { + "type": "string" + }, + "com.amazonaws.ecr#FixedInVersion": { + "type": "string" + }, "com.amazonaws.ecr#ForceFlag": { "type": "boolean", "traits": { @@ -8639,6 +8660,12 @@ "traits": { "smithy.api#documentation": "

    The version of the vulnerable package.

    " } + }, + "fixedInVersion": { + "target": "com.amazonaws.ecr#FixedInVersion", + "traits": { + "smithy.api#documentation": "

    The version of the package that contains the vulnerability fix.

    " + } } }, "traits": { From 7068ea1b5147250788ad3aac93b9342c401e47c8 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 17 Sep 2024 18:30:30 +0000 Subject: [PATCH 32/53] Publish v3.653.0 --- CHANGELOG.md | 14 ++++++++++++++ clients/client-codebuild/CHANGELOG.md | 11 +++++++++++ clients/client-codebuild/package.json | 2 +- clients/client-ecr/CHANGELOG.md | 11 +++++++++++ clients/client-ecr/package.json | 2 +- clients/client-ecs/CHANGELOG.md | 8 ++++++++ clients/client-ecs/package.json | 2 +- clients/client-lambda/CHANGELOG.md | 11 +++++++++++ clients/client-lambda/package.json | 2 +- clients/client-rds/CHANGELOG.md | 8 ++++++++ clients/client-rds/package.json | 2 +- clients/client-ssm/CHANGELOG.md | 11 +++++++++++ clients/client-ssm/package.json | 2 +- lerna.json | 2 +- private/aws-middleware-test/CHANGELOG.md | 8 ++++++++ private/aws-middleware-test/package.json | 2 +- 16 files changed, 90 insertions(+), 8 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 44e458c9b8ae..a3b1bfe52baf 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,20 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + + +### Features + +* **client-codebuild:** GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks ([42807fe](https://github.com/aws/aws-sdk-js-v3/commit/42807fe487095378f0b8ec2d82ad493c4de43188)) +* **client-ecr:** The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities. ([d829454](https://github.com/aws/aws-sdk-js-v3/commit/d8294542d62651a90cc62cae688d671e3c65196c)) +* **client-lambda:** Support for JSON resource-based policies and block public access ([566bb05](https://github.com/aws/aws-sdk-js-v3/commit/566bb05232a186ef130785caeae12ca538a189c0)) +* **client-ssm:** Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates. ([849e058](https://github.com/aws/aws-sdk-js-v3/commit/849e058a951cd41c34c03dd150fb8197e8c02f79)) + + + + + # [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) diff --git a/clients/client-codebuild/CHANGELOG.md b/clients/client-codebuild/CHANGELOG.md index 29ad88c10d41..ccb287c54c81 100644 --- a/clients/client-codebuild/CHANGELOG.md +++ b/clients/client-codebuild/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + + +### Features + +* **client-codebuild:** GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks ([42807fe](https://github.com/aws/aws-sdk-js-v3/commit/42807fe487095378f0b8ec2d82ad493c4de43188)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codebuild diff --git a/clients/client-codebuild/package.json b/clients/client-codebuild/package.json index b5fc861d8b5b..1cbfa6250309 100644 --- a/clients/client-codebuild/package.json +++ b/clients/client-codebuild/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codebuild", "description": "AWS SDK for JavaScript Codebuild Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.653.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codebuild", diff --git a/clients/client-ecr/CHANGELOG.md b/clients/client-ecr/CHANGELOG.md index 78c4d5e8a973..d7b0d938cee0 100644 --- a/clients/client-ecr/CHANGELOG.md +++ b/clients/client-ecr/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + + +### Features + +* **client-ecr:** The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities. ([d829454](https://github.com/aws/aws-sdk-js-v3/commit/d8294542d62651a90cc62cae688d671e3c65196c)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ecr diff --git a/clients/client-ecr/package.json b/clients/client-ecr/package.json index 03fede7c4a08..7644d4d65acc 100644 --- a/clients/client-ecr/package.json +++ b/clients/client-ecr/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecr", "description": "AWS SDK for JavaScript Ecr Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.653.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecr", diff --git a/clients/client-ecs/CHANGELOG.md b/clients/client-ecs/CHANGELOG.md index 3a62b30bf8c7..c5f97226e2d1 100644 --- a/clients/client-ecs/CHANGELOG.md +++ b/clients/client-ecs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + +**Note:** Version bump only for package @aws-sdk/client-ecs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ecs diff --git a/clients/client-ecs/package.json b/clients/client-ecs/package.json index eef294e900fe..3dd7bee4a10c 100644 --- a/clients/client-ecs/package.json +++ b/clients/client-ecs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecs", "description": "AWS SDK for JavaScript Ecs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.653.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecs", diff --git a/clients/client-lambda/CHANGELOG.md b/clients/client-lambda/CHANGELOG.md index 2e8caede75a5..3f6e0386c285 100644 --- a/clients/client-lambda/CHANGELOG.md +++ b/clients/client-lambda/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + + +### Features + +* **client-lambda:** Support for JSON resource-based policies and block public access ([566bb05](https://github.com/aws/aws-sdk-js-v3/commit/566bb05232a186ef130785caeae12ca538a189c0)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lambda diff --git a/clients/client-lambda/package.json b/clients/client-lambda/package.json index 34ac59f42e2e..e83b88d138f0 100644 --- a/clients/client-lambda/package.json +++ b/clients/client-lambda/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lambda", "description": "AWS SDK for JavaScript Lambda Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.653.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lambda", diff --git a/clients/client-rds/CHANGELOG.md b/clients/client-rds/CHANGELOG.md index 851ba44812cb..a2393ace76ba 100644 --- a/clients/client-rds/CHANGELOG.md +++ b/clients/client-rds/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + +**Note:** Version bump only for package @aws-sdk/client-rds + + + + + # [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) diff --git a/clients/client-rds/package.json b/clients/client-rds/package.json index 4f5c9fcaac9b..46fe1d71afcb 100644 --- a/clients/client-rds/package.json +++ b/clients/client-rds/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rds", "description": "AWS SDK for JavaScript Rds Client for Node.js, Browser and React Native", - "version": "3.652.0", + "version": "3.653.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rds", diff --git a/clients/client-ssm/CHANGELOG.md b/clients/client-ssm/CHANGELOG.md index da31151b318a..714f506458c8 100644 --- a/clients/client-ssm/CHANGELOG.md +++ b/clients/client-ssm/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + + +### Features + +* **client-ssm:** Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates. ([849e058](https://github.com/aws/aws-sdk-js-v3/commit/849e058a951cd41c34c03dd150fb8197e8c02f79)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ssm diff --git a/clients/client-ssm/package.json b/clients/client-ssm/package.json index c38dc0be17b6..e4f3782c02a4 100644 --- a/clients/client-ssm/package.json +++ b/clients/client-ssm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm", "description": "AWS SDK for JavaScript Ssm Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.653.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm", diff --git a/lerna.json b/lerna.json index 32a7591d910d..8737e785829b 100644 --- a/lerna.json +++ b/lerna.json @@ -1,5 +1,5 @@ { - "version": "3.652.0", + "version": "3.653.0", "npmClient": "yarn", "useWorkspaces": true, "command": { diff --git a/private/aws-middleware-test/CHANGELOG.md b/private/aws-middleware-test/CHANGELOG.md index cb8641c6f758..420db4629343 100644 --- a/private/aws-middleware-test/CHANGELOG.md +++ b/private/aws-middleware-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) + +**Note:** Version bump only for package @aws-sdk/aws-middleware-test + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-middleware-test diff --git a/private/aws-middleware-test/package.json b/private/aws-middleware-test/package.json index 2a5bea6fa8e5..5516e62b7074 100644 --- a/private/aws-middleware-test/package.json +++ b/private/aws-middleware-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-middleware-test", "description": "Integration test suite for AWS middleware", - "version": "3.651.1", + "version": "3.653.0", "scripts": { "build": "exit 0", "build:cjs": "exit 0", From fc11f253de15d9498aed2fd7f493ebd44d8eb4c1 Mon Sep 17 00:00:00 2001 From: George Fu Date: Tue, 17 Sep 2024 16:18:27 -0400 Subject: [PATCH 33/53] chore(clients): codegen sync for IDE type navigation (#6490) * chore(clients): codegen sync for IDE type navigation * chore: codegen update * chore: update smithy dependencies --- clients/client-accessanalyzer/package.json | 42 +- .../src/commands/ApplyArchiveRuleCommand.ts | 14 +- .../commands/CancelPolicyGenerationCommand.ts | 14 +- .../commands/CheckAccessNotGrantedCommand.ts | 14 +- .../src/commands/CheckNoNewAccessCommand.ts | 14 +- .../commands/CheckNoPublicAccessCommand.ts | 14 +- .../commands/CreateAccessPreviewCommand.ts | 14 +- .../src/commands/CreateAnalyzerCommand.ts | 14 +- .../src/commands/CreateArchiveRuleCommand.ts | 14 +- .../src/commands/DeleteAnalyzerCommand.ts | 14 +- .../src/commands/DeleteArchiveRuleCommand.ts | 14 +- .../GenerateFindingRecommendationCommand.ts | 14 +- .../src/commands/GetAccessPreviewCommand.ts | 14 +- .../commands/GetAnalyzedResourceCommand.ts | 14 +- .../src/commands/GetAnalyzerCommand.ts | 14 +- .../src/commands/GetArchiveRuleCommand.ts | 14 +- .../src/commands/GetFindingCommand.ts | 14 +- .../GetFindingRecommendationCommand.ts | 14 +- .../src/commands/GetFindingV2Command.ts | 14 +- .../src/commands/GetGeneratedPolicyCommand.ts | 14 +- .../ListAccessPreviewFindingsCommand.ts | 14 +- .../src/commands/ListAccessPreviewsCommand.ts | 14 +- .../commands/ListAnalyzedResourcesCommand.ts | 14 +- .../src/commands/ListAnalyzersCommand.ts | 14 +- .../src/commands/ListArchiveRulesCommand.ts | 14 +- .../src/commands/ListFindingsCommand.ts | 14 +- .../src/commands/ListFindingsV2Command.ts | 14 +- .../commands/ListPolicyGenerationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/StartPolicyGenerationCommand.ts | 14 +- .../src/commands/StartResourceScanCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateArchiveRuleCommand.ts | 14 +- .../src/commands/UpdateFindingsCommand.ts | 14 +- .../src/commands/ValidatePolicyCommand.ts | 14 +- clients/client-account/package.json | 42 +- .../AcceptPrimaryEmailUpdateCommand.ts | 14 +- .../commands/DeleteAlternateContactCommand.ts | 14 +- .../src/commands/DisableRegionCommand.ts | 14 +- .../src/commands/EnableRegionCommand.ts | 14 +- .../commands/GetAlternateContactCommand.ts | 14 +- .../commands/GetContactInformationCommand.ts | 14 +- .../src/commands/GetPrimaryEmailCommand.ts | 14 +- .../src/commands/GetRegionOptStatusCommand.ts | 14 +- .../src/commands/ListRegionsCommand.ts | 14 +- .../commands/PutAlternateContactCommand.ts | 14 +- .../commands/PutContactInformationCommand.ts | 14 +- .../StartPrimaryEmailUpdateCommand.ts | 14 +- clients/client-acm-pca/package.json | 44 +- ...eCertificateAuthorityAuditReportCommand.ts | 14 +- .../CreateCertificateAuthorityCommand.ts | 14 +- .../src/commands/CreatePermissionCommand.ts | 14 +- .../DeleteCertificateAuthorityCommand.ts | 14 +- .../src/commands/DeletePermissionCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- ...eCertificateAuthorityAuditReportCommand.ts | 14 +- .../DescribeCertificateAuthorityCommand.ts | 14 +- ...tCertificateAuthorityCertificateCommand.ts | 14 +- .../GetCertificateAuthorityCsrCommand.ts | 14 +- .../src/commands/GetCertificateCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- ...tCertificateAuthorityCertificateCommand.ts | 14 +- .../src/commands/IssueCertificateCommand.ts | 14 +- .../ListCertificateAuthoritiesCommand.ts | 14 +- .../src/commands/ListPermissionsCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../src/commands/PutPolicyCommand.ts | 14 +- .../RestoreCertificateAuthorityCommand.ts | 14 +- .../src/commands/RevokeCertificateCommand.ts | 14 +- .../TagCertificateAuthorityCommand.ts | 14 +- .../UntagCertificateAuthorityCommand.ts | 14 +- .../UpdateCertificateAuthorityCommand.ts | 14 +- clients/client-acm/package.json | 44 +- .../commands/AddTagsToCertificateCommand.ts | 14 +- .../src/commands/DeleteCertificateCommand.ts | 14 +- .../commands/DescribeCertificateCommand.ts | 14 +- .../src/commands/ExportCertificateCommand.ts | 14 +- .../GetAccountConfigurationCommand.ts | 14 +- .../src/commands/GetCertificateCommand.ts | 14 +- .../src/commands/ImportCertificateCommand.ts | 14 +- .../src/commands/ListCertificatesCommand.ts | 14 +- .../commands/ListTagsForCertificateCommand.ts | 14 +- .../PutAccountConfigurationCommand.ts | 14 +- .../RemoveTagsFromCertificateCommand.ts | 14 +- .../src/commands/RenewCertificateCommand.ts | 14 +- .../src/commands/RequestCertificateCommand.ts | 14 +- .../commands/ResendValidationEmailCommand.ts | 14 +- .../UpdateCertificateOptionsCommand.ts | 14 +- clients/client-amp/package.json | 44 +- .../CreateAlertManagerDefinitionCommand.ts | 14 +- .../CreateLoggingConfigurationCommand.ts | 14 +- .../CreateRuleGroupsNamespaceCommand.ts | 14 +- .../src/commands/CreateScraperCommand.ts | 14 +- .../src/commands/CreateWorkspaceCommand.ts | 14 +- .../DeleteAlertManagerDefinitionCommand.ts | 14 +- .../DeleteLoggingConfigurationCommand.ts | 14 +- .../DeleteRuleGroupsNamespaceCommand.ts | 14 +- .../src/commands/DeleteScraperCommand.ts | 14 +- .../src/commands/DeleteWorkspaceCommand.ts | 14 +- .../DescribeAlertManagerDefinitionCommand.ts | 14 +- .../DescribeLoggingConfigurationCommand.ts | 14 +- .../DescribeRuleGroupsNamespaceCommand.ts | 14 +- .../src/commands/DescribeScraperCommand.ts | 14 +- .../src/commands/DescribeWorkspaceCommand.ts | 14 +- .../GetDefaultScraperConfigurationCommand.ts | 14 +- .../ListRuleGroupsNamespacesCommand.ts | 14 +- .../src/commands/ListScrapersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWorkspacesCommand.ts | 14 +- .../PutAlertManagerDefinitionCommand.ts | 14 +- .../commands/PutRuleGroupsNamespaceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateLoggingConfigurationCommand.ts | 14 +- .../commands/UpdateWorkspaceAliasCommand.ts | 14 +- clients/client-amplify/package.json | 42 +- .../src/commands/CreateAppCommand.ts | 14 +- .../CreateBackendEnvironmentCommand.ts | 14 +- .../src/commands/CreateBranchCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../CreateDomainAssociationCommand.ts | 14 +- .../src/commands/CreateWebhookCommand.ts | 14 +- .../src/commands/DeleteAppCommand.ts | 14 +- .../DeleteBackendEnvironmentCommand.ts | 14 +- .../src/commands/DeleteBranchCommand.ts | 14 +- .../DeleteDomainAssociationCommand.ts | 14 +- .../src/commands/DeleteJobCommand.ts | 14 +- .../src/commands/DeleteWebhookCommand.ts | 14 +- .../src/commands/GenerateAccessLogsCommand.ts | 14 +- .../src/commands/GetAppCommand.ts | 14 +- .../src/commands/GetArtifactUrlCommand.ts | 14 +- .../commands/GetBackendEnvironmentCommand.ts | 14 +- .../src/commands/GetBranchCommand.ts | 14 +- .../commands/GetDomainAssociationCommand.ts | 14 +- .../src/commands/GetJobCommand.ts | 14 +- .../src/commands/GetWebhookCommand.ts | 14 +- .../src/commands/ListAppsCommand.ts | 14 +- .../src/commands/ListArtifactsCommand.ts | 14 +- .../ListBackendEnvironmentsCommand.ts | 14 +- .../src/commands/ListBranchesCommand.ts | 14 +- .../commands/ListDomainAssociationsCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWebhooksCommand.ts | 14 +- .../src/commands/StartDeploymentCommand.ts | 14 +- .../src/commands/StartJobCommand.ts | 14 +- .../src/commands/StopJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAppCommand.ts | 14 +- .../src/commands/UpdateBranchCommand.ts | 14 +- .../UpdateDomainAssociationCommand.ts | 14 +- .../src/commands/UpdateWebhookCommand.ts | 14 +- clients/client-amplifybackend/package.json | 42 +- .../src/commands/CloneBackendCommand.ts | 14 +- .../src/commands/CreateBackendAPICommand.ts | 14 +- .../src/commands/CreateBackendAuthCommand.ts | 14 +- .../src/commands/CreateBackendCommand.ts | 14 +- .../commands/CreateBackendConfigCommand.ts | 14 +- .../commands/CreateBackendStorageCommand.ts | 14 +- .../src/commands/CreateTokenCommand.ts | 14 +- .../src/commands/DeleteBackendAPICommand.ts | 14 +- .../src/commands/DeleteBackendAuthCommand.ts | 14 +- .../src/commands/DeleteBackendCommand.ts | 14 +- .../commands/DeleteBackendStorageCommand.ts | 14 +- .../src/commands/DeleteTokenCommand.ts | 14 +- .../GenerateBackendAPIModelsCommand.ts | 14 +- .../src/commands/GetBackendAPICommand.ts | 14 +- .../commands/GetBackendAPIModelsCommand.ts | 14 +- .../src/commands/GetBackendAuthCommand.ts | 14 +- .../src/commands/GetBackendCommand.ts | 14 +- .../src/commands/GetBackendJobCommand.ts | 14 +- .../src/commands/GetBackendStorageCommand.ts | 14 +- .../src/commands/GetTokenCommand.ts | 14 +- .../src/commands/ImportBackendAuthCommand.ts | 14 +- .../commands/ImportBackendStorageCommand.ts | 14 +- .../src/commands/ListBackendJobsCommand.ts | 14 +- .../src/commands/ListS3BucketsCommand.ts | 14 +- .../src/commands/RemoveAllBackendsCommand.ts | 14 +- .../commands/RemoveBackendConfigCommand.ts | 14 +- .../src/commands/UpdateBackendAPICommand.ts | 14 +- .../src/commands/UpdateBackendAuthCommand.ts | 14 +- .../commands/UpdateBackendConfigCommand.ts | 14 +- .../src/commands/UpdateBackendJobCommand.ts | 14 +- .../commands/UpdateBackendStorageCommand.ts | 14 +- clients/client-amplifyuibuilder/package.json | 42 +- .../src/commands/CreateComponentCommand.ts | 14 +- .../src/commands/CreateFormCommand.ts | 14 +- .../src/commands/CreateThemeCommand.ts | 14 +- .../src/commands/DeleteComponentCommand.ts | 14 +- .../src/commands/DeleteFormCommand.ts | 14 +- .../src/commands/DeleteThemeCommand.ts | 14 +- .../commands/ExchangeCodeForTokenCommand.ts | 14 +- .../src/commands/ExportComponentsCommand.ts | 14 +- .../src/commands/ExportFormsCommand.ts | 14 +- .../src/commands/ExportThemesCommand.ts | 14 +- .../src/commands/GetCodegenJobCommand.ts | 14 +- .../src/commands/GetComponentCommand.ts | 14 +- .../src/commands/GetFormCommand.ts | 14 +- .../src/commands/GetMetadataCommand.ts | 14 +- .../src/commands/GetThemeCommand.ts | 14 +- .../src/commands/ListCodegenJobsCommand.ts | 14 +- .../src/commands/ListComponentsCommand.ts | 14 +- .../src/commands/ListFormsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListThemesCommand.ts | 14 +- .../src/commands/PutMetadataFlagCommand.ts | 14 +- .../src/commands/RefreshTokenCommand.ts | 14 +- .../src/commands/StartCodegenJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateComponentCommand.ts | 14 +- .../src/commands/UpdateFormCommand.ts | 14 +- .../src/commands/UpdateThemeCommand.ts | 14 +- clients/client-api-gateway/package.json | 44 +- .../src/commands/CreateApiKeyCommand.ts | 14 +- .../src/commands/CreateAuthorizerCommand.ts | 14 +- .../commands/CreateBasePathMappingCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../CreateDocumentationPartCommand.ts | 14 +- .../CreateDocumentationVersionCommand.ts | 14 +- .../src/commands/CreateDomainNameCommand.ts | 14 +- .../src/commands/CreateModelCommand.ts | 14 +- .../commands/CreateRequestValidatorCommand.ts | 14 +- .../src/commands/CreateResourceCommand.ts | 14 +- .../src/commands/CreateRestApiCommand.ts | 14 +- .../src/commands/CreateStageCommand.ts | 14 +- .../src/commands/CreateUsagePlanCommand.ts | 14 +- .../src/commands/CreateUsagePlanKeyCommand.ts | 14 +- .../src/commands/CreateVpcLinkCommand.ts | 14 +- .../src/commands/DeleteApiKeyCommand.ts | 14 +- .../src/commands/DeleteAuthorizerCommand.ts | 14 +- .../commands/DeleteBasePathMappingCommand.ts | 14 +- .../DeleteClientCertificateCommand.ts | 14 +- .../src/commands/DeleteDeploymentCommand.ts | 14 +- .../DeleteDocumentationPartCommand.ts | 14 +- .../DeleteDocumentationVersionCommand.ts | 14 +- .../src/commands/DeleteDomainNameCommand.ts | 14 +- .../commands/DeleteGatewayResponseCommand.ts | 14 +- .../src/commands/DeleteIntegrationCommand.ts | 14 +- .../DeleteIntegrationResponseCommand.ts | 14 +- .../src/commands/DeleteMethodCommand.ts | 14 +- .../commands/DeleteMethodResponseCommand.ts | 14 +- .../src/commands/DeleteModelCommand.ts | 14 +- .../commands/DeleteRequestValidatorCommand.ts | 14 +- .../src/commands/DeleteResourceCommand.ts | 14 +- .../src/commands/DeleteRestApiCommand.ts | 14 +- .../src/commands/DeleteStageCommand.ts | 14 +- .../src/commands/DeleteUsagePlanCommand.ts | 14 +- .../src/commands/DeleteUsagePlanKeyCommand.ts | 14 +- .../src/commands/DeleteVpcLinkCommand.ts | 14 +- .../FlushStageAuthorizersCacheCommand.ts | 14 +- .../src/commands/FlushStageCacheCommand.ts | 14 +- .../GenerateClientCertificateCommand.ts | 14 +- .../src/commands/GetAccountCommand.ts | 14 +- .../src/commands/GetApiKeyCommand.ts | 14 +- .../src/commands/GetApiKeysCommand.ts | 14 +- .../src/commands/GetAuthorizerCommand.ts | 14 +- .../src/commands/GetAuthorizersCommand.ts | 14 +- .../src/commands/GetBasePathMappingCommand.ts | 14 +- .../commands/GetBasePathMappingsCommand.ts | 14 +- .../commands/GetClientCertificateCommand.ts | 14 +- .../commands/GetClientCertificatesCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../src/commands/GetDeploymentsCommand.ts | 14 +- .../commands/GetDocumentationPartCommand.ts | 14 +- .../commands/GetDocumentationPartsCommand.ts | 14 +- .../GetDocumentationVersionCommand.ts | 14 +- .../GetDocumentationVersionsCommand.ts | 14 +- .../src/commands/GetDomainNameCommand.ts | 14 +- .../src/commands/GetDomainNamesCommand.ts | 14 +- .../src/commands/GetExportCommand.ts | 14 +- .../src/commands/GetGatewayResponseCommand.ts | 14 +- .../commands/GetGatewayResponsesCommand.ts | 14 +- .../src/commands/GetIntegrationCommand.ts | 14 +- .../commands/GetIntegrationResponseCommand.ts | 14 +- .../src/commands/GetMethodCommand.ts | 14 +- .../src/commands/GetMethodResponseCommand.ts | 14 +- .../src/commands/GetModelCommand.ts | 14 +- .../src/commands/GetModelTemplateCommand.ts | 14 +- .../src/commands/GetModelsCommand.ts | 14 +- .../commands/GetRequestValidatorCommand.ts | 14 +- .../commands/GetRequestValidatorsCommand.ts | 14 +- .../src/commands/GetResourceCommand.ts | 14 +- .../src/commands/GetResourcesCommand.ts | 14 +- .../src/commands/GetRestApiCommand.ts | 14 +- .../src/commands/GetRestApisCommand.ts | 14 +- .../src/commands/GetSdkCommand.ts | 14 +- .../src/commands/GetSdkTypeCommand.ts | 14 +- .../src/commands/GetSdkTypesCommand.ts | 14 +- .../src/commands/GetStageCommand.ts | 14 +- .../src/commands/GetStagesCommand.ts | 14 +- .../src/commands/GetTagsCommand.ts | 14 +- .../src/commands/GetUsageCommand.ts | 14 +- .../src/commands/GetUsagePlanCommand.ts | 14 +- .../src/commands/GetUsagePlanKeyCommand.ts | 14 +- .../src/commands/GetUsagePlanKeysCommand.ts | 14 +- .../src/commands/GetUsagePlansCommand.ts | 14 +- .../src/commands/GetVpcLinkCommand.ts | 14 +- .../src/commands/GetVpcLinksCommand.ts | 14 +- .../src/commands/ImportApiKeysCommand.ts | 14 +- .../ImportDocumentationPartsCommand.ts | 14 +- .../src/commands/ImportRestApiCommand.ts | 14 +- .../src/commands/PutGatewayResponseCommand.ts | 14 +- .../src/commands/PutIntegrationCommand.ts | 14 +- .../commands/PutIntegrationResponseCommand.ts | 14 +- .../src/commands/PutMethodCommand.ts | 14 +- .../src/commands/PutMethodResponseCommand.ts | 14 +- .../src/commands/PutRestApiCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../commands/TestInvokeAuthorizerCommand.ts | 14 +- .../src/commands/TestInvokeMethodCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAccountCommand.ts | 14 +- .../src/commands/UpdateApiKeyCommand.ts | 14 +- .../src/commands/UpdateAuthorizerCommand.ts | 14 +- .../commands/UpdateBasePathMappingCommand.ts | 14 +- .../UpdateClientCertificateCommand.ts | 14 +- .../src/commands/UpdateDeploymentCommand.ts | 14 +- .../UpdateDocumentationPartCommand.ts | 14 +- .../UpdateDocumentationVersionCommand.ts | 14 +- .../src/commands/UpdateDomainNameCommand.ts | 14 +- .../commands/UpdateGatewayResponseCommand.ts | 14 +- .../src/commands/UpdateIntegrationCommand.ts | 14 +- .../UpdateIntegrationResponseCommand.ts | 14 +- .../src/commands/UpdateMethodCommand.ts | 14 +- .../commands/UpdateMethodResponseCommand.ts | 14 +- .../src/commands/UpdateModelCommand.ts | 14 +- .../commands/UpdateRequestValidatorCommand.ts | 14 +- .../src/commands/UpdateResourceCommand.ts | 14 +- .../src/commands/UpdateRestApiCommand.ts | 14 +- .../src/commands/UpdateStageCommand.ts | 14 +- .../src/commands/UpdateUsageCommand.ts | 14 +- .../src/commands/UpdateUsagePlanCommand.ts | 14 +- .../src/commands/UpdateVpcLinkCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/GetConnectionCommand.ts | 14 +- .../src/commands/PostToConnectionCommand.ts | 14 +- clients/client-apigatewayv2/package.json | 44 +- .../src/commands/CreateApiCommand.ts | 14 +- .../src/commands/CreateApiMappingCommand.ts | 14 +- .../src/commands/CreateAuthorizerCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../src/commands/CreateDomainNameCommand.ts | 14 +- .../src/commands/CreateIntegrationCommand.ts | 14 +- .../CreateIntegrationResponseCommand.ts | 14 +- .../src/commands/CreateModelCommand.ts | 14 +- .../src/commands/CreateRouteCommand.ts | 14 +- .../commands/CreateRouteResponseCommand.ts | 14 +- .../src/commands/CreateStageCommand.ts | 14 +- .../src/commands/CreateVpcLinkCommand.ts | 14 +- .../DeleteAccessLogSettingsCommand.ts | 14 +- .../src/commands/DeleteApiCommand.ts | 14 +- .../src/commands/DeleteApiMappingCommand.ts | 14 +- .../src/commands/DeleteAuthorizerCommand.ts | 14 +- .../DeleteCorsConfigurationCommand.ts | 14 +- .../src/commands/DeleteDeploymentCommand.ts | 14 +- .../src/commands/DeleteDomainNameCommand.ts | 14 +- .../src/commands/DeleteIntegrationCommand.ts | 14 +- .../DeleteIntegrationResponseCommand.ts | 14 +- .../src/commands/DeleteModelCommand.ts | 14 +- .../src/commands/DeleteRouteCommand.ts | 14 +- .../DeleteRouteRequestParameterCommand.ts | 14 +- .../commands/DeleteRouteResponseCommand.ts | 14 +- .../commands/DeleteRouteSettingsCommand.ts | 14 +- .../src/commands/DeleteStageCommand.ts | 14 +- .../src/commands/DeleteVpcLinkCommand.ts | 14 +- .../src/commands/ExportApiCommand.ts | 14 +- .../src/commands/GetApiCommand.ts | 14 +- .../src/commands/GetApiMappingCommand.ts | 14 +- .../src/commands/GetApiMappingsCommand.ts | 14 +- .../src/commands/GetApisCommand.ts | 14 +- .../src/commands/GetAuthorizerCommand.ts | 14 +- .../src/commands/GetAuthorizersCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../src/commands/GetDeploymentsCommand.ts | 14 +- .../src/commands/GetDomainNameCommand.ts | 14 +- .../src/commands/GetDomainNamesCommand.ts | 14 +- .../src/commands/GetIntegrationCommand.ts | 14 +- .../commands/GetIntegrationResponseCommand.ts | 14 +- .../GetIntegrationResponsesCommand.ts | 14 +- .../src/commands/GetIntegrationsCommand.ts | 14 +- .../src/commands/GetModelCommand.ts | 14 +- .../src/commands/GetModelTemplateCommand.ts | 14 +- .../src/commands/GetModelsCommand.ts | 14 +- .../src/commands/GetRouteCommand.ts | 14 +- .../src/commands/GetRouteResponseCommand.ts | 14 +- .../src/commands/GetRouteResponsesCommand.ts | 14 +- .../src/commands/GetRoutesCommand.ts | 14 +- .../src/commands/GetStageCommand.ts | 14 +- .../src/commands/GetStagesCommand.ts | 14 +- .../src/commands/GetTagsCommand.ts | 14 +- .../src/commands/GetVpcLinkCommand.ts | 14 +- .../src/commands/GetVpcLinksCommand.ts | 14 +- .../src/commands/ImportApiCommand.ts | 14 +- .../src/commands/ReimportApiCommand.ts | 14 +- .../commands/ResetAuthorizersCacheCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApiCommand.ts | 14 +- .../src/commands/UpdateApiMappingCommand.ts | 14 +- .../src/commands/UpdateAuthorizerCommand.ts | 14 +- .../src/commands/UpdateDeploymentCommand.ts | 14 +- .../src/commands/UpdateDomainNameCommand.ts | 14 +- .../src/commands/UpdateIntegrationCommand.ts | 14 +- .../UpdateIntegrationResponseCommand.ts | 14 +- .../src/commands/UpdateModelCommand.ts | 14 +- .../src/commands/UpdateRouteCommand.ts | 14 +- .../commands/UpdateRouteResponseCommand.ts | 14 +- .../src/commands/UpdateStageCommand.ts | 14 +- .../src/commands/UpdateVpcLinkCommand.ts | 14 +- clients/client-app-mesh/package.json | 42 +- .../src/commands/CreateGatewayRouteCommand.ts | 14 +- .../src/commands/CreateMeshCommand.ts | 14 +- .../src/commands/CreateRouteCommand.ts | 14 +- .../commands/CreateVirtualGatewayCommand.ts | 14 +- .../src/commands/CreateVirtualNodeCommand.ts | 14 +- .../commands/CreateVirtualRouterCommand.ts | 14 +- .../commands/CreateVirtualServiceCommand.ts | 14 +- .../src/commands/DeleteGatewayRouteCommand.ts | 14 +- .../src/commands/DeleteMeshCommand.ts | 14 +- .../src/commands/DeleteRouteCommand.ts | 14 +- .../commands/DeleteVirtualGatewayCommand.ts | 14 +- .../src/commands/DeleteVirtualNodeCommand.ts | 14 +- .../commands/DeleteVirtualRouterCommand.ts | 14 +- .../commands/DeleteVirtualServiceCommand.ts | 14 +- .../commands/DescribeGatewayRouteCommand.ts | 14 +- .../src/commands/DescribeMeshCommand.ts | 14 +- .../src/commands/DescribeRouteCommand.ts | 14 +- .../commands/DescribeVirtualGatewayCommand.ts | 14 +- .../commands/DescribeVirtualNodeCommand.ts | 14 +- .../commands/DescribeVirtualRouterCommand.ts | 14 +- .../commands/DescribeVirtualServiceCommand.ts | 14 +- .../src/commands/ListGatewayRoutesCommand.ts | 14 +- .../src/commands/ListMeshesCommand.ts | 14 +- .../src/commands/ListRoutesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListVirtualGatewaysCommand.ts | 14 +- .../src/commands/ListVirtualNodesCommand.ts | 14 +- .../src/commands/ListVirtualRoutersCommand.ts | 14 +- .../commands/ListVirtualServicesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateGatewayRouteCommand.ts | 14 +- .../src/commands/UpdateMeshCommand.ts | 14 +- .../src/commands/UpdateRouteCommand.ts | 14 +- .../commands/UpdateVirtualGatewayCommand.ts | 14 +- .../src/commands/UpdateVirtualNodeCommand.ts | 14 +- .../commands/UpdateVirtualRouterCommand.ts | 14 +- .../commands/UpdateVirtualServiceCommand.ts | 14 +- clients/client-appconfig/package.json | 44 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../CreateConfigurationProfileCommand.ts | 14 +- .../CreateDeploymentStrategyCommand.ts | 14 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../CreateExtensionAssociationCommand.ts | 14 +- .../src/commands/CreateExtensionCommand.ts | 14 +- ...CreateHostedConfigurationVersionCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../DeleteConfigurationProfileCommand.ts | 14 +- .../DeleteDeploymentStrategyCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../DeleteExtensionAssociationCommand.ts | 14 +- .../src/commands/DeleteExtensionCommand.ts | 14 +- ...DeleteHostedConfigurationVersionCommand.ts | 14 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../src/commands/GetConfigurationCommand.ts | 14 +- .../GetConfigurationProfileCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../commands/GetDeploymentStrategyCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../GetExtensionAssociationCommand.ts | 14 +- .../src/commands/GetExtensionCommand.ts | 14 +- .../GetHostedConfigurationVersionCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../ListConfigurationProfilesCommand.ts | 14 +- .../ListDeploymentStrategiesCommand.ts | 14 +- .../src/commands/ListDeploymentsCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../ListExtensionAssociationsCommand.ts | 14 +- .../src/commands/ListExtensionsCommand.ts | 14 +- .../ListHostedConfigurationVersionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartDeploymentCommand.ts | 14 +- .../src/commands/StopDeploymentCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAccountSettingsCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../UpdateConfigurationProfileCommand.ts | 14 +- .../UpdateDeploymentStrategyCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- .../UpdateExtensionAssociationCommand.ts | 14 +- .../src/commands/UpdateExtensionCommand.ts | 14 +- .../commands/ValidateConfigurationCommand.ts | 14 +- clients/client-appconfigdata/package.json | 44 +- .../commands/GetLatestConfigurationCommand.ts | 14 +- .../StartConfigurationSessionCommand.ts | 14 +- clients/client-appfabric/package.json | 42 +- .../BatchGetUserAccessTasksCommand.ts | 14 +- .../ConnectAppAuthorizationCommand.ts | 14 +- .../commands/CreateAppAuthorizationCommand.ts | 14 +- .../src/commands/CreateAppBundleCommand.ts | 14 +- .../src/commands/CreateIngestionCommand.ts | 14 +- .../CreateIngestionDestinationCommand.ts | 14 +- .../commands/DeleteAppAuthorizationCommand.ts | 14 +- .../src/commands/DeleteAppBundleCommand.ts | 14 +- .../src/commands/DeleteIngestionCommand.ts | 14 +- .../DeleteIngestionDestinationCommand.ts | 14 +- .../commands/GetAppAuthorizationCommand.ts | 14 +- .../src/commands/GetAppBundleCommand.ts | 14 +- .../src/commands/GetIngestionCommand.ts | 14 +- .../GetIngestionDestinationCommand.ts | 14 +- .../commands/ListAppAuthorizationsCommand.ts | 14 +- .../src/commands/ListAppBundlesCommand.ts | 14 +- .../ListIngestionDestinationsCommand.ts | 14 +- .../src/commands/ListIngestionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartIngestionCommand.ts | 14 +- .../commands/StartUserAccessTasksCommand.ts | 14 +- .../src/commands/StopIngestionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAppAuthorizationCommand.ts | 14 +- .../UpdateIngestionDestinationCommand.ts | 14 +- clients/client-appflow/package.json | 42 +- .../commands/CancelFlowExecutionsCommand.ts | 14 +- .../commands/CreateConnectorProfileCommand.ts | 14 +- .../src/commands/CreateFlowCommand.ts | 14 +- .../commands/DeleteConnectorProfileCommand.ts | 14 +- .../src/commands/DeleteFlowCommand.ts | 14 +- .../src/commands/DescribeConnectorCommand.ts | 14 +- .../DescribeConnectorEntityCommand.ts | 14 +- .../DescribeConnectorProfilesCommand.ts | 14 +- .../src/commands/DescribeConnectorsCommand.ts | 14 +- .../src/commands/DescribeFlowCommand.ts | 14 +- .../DescribeFlowExecutionRecordsCommand.ts | 14 +- .../commands/ListConnectorEntitiesCommand.ts | 14 +- .../src/commands/ListConnectorsCommand.ts | 14 +- .../src/commands/ListFlowsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RegisterConnectorCommand.ts | 14 +- .../ResetConnectorMetadataCacheCommand.ts | 14 +- .../src/commands/StartFlowCommand.ts | 14 +- .../src/commands/StopFlowCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../commands/UnregisterConnectorCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateConnectorProfileCommand.ts | 14 +- .../UpdateConnectorRegistrationCommand.ts | 14 +- .../src/commands/UpdateFlowCommand.ts | 14 +- clients/client-appintegrations/package.json | 42 +- .../src/commands/CreateApplicationCommand.ts | 14 +- ...CreateDataIntegrationAssociationCommand.ts | 14 +- .../commands/CreateDataIntegrationCommand.ts | 14 +- .../commands/CreateEventIntegrationCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../commands/DeleteDataIntegrationCommand.ts | 14 +- .../commands/DeleteEventIntegrationCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../src/commands/GetDataIntegrationCommand.ts | 14 +- .../commands/GetEventIntegrationCommand.ts | 14 +- .../ListApplicationAssociationsCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../ListDataIntegrationAssociationsCommand.ts | 14 +- .../commands/ListDataIntegrationsCommand.ts | 14 +- ...ListEventIntegrationAssociationsCommand.ts | 14 +- .../commands/ListEventIntegrationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- ...UpdateDataIntegrationAssociationCommand.ts | 14 +- .../commands/UpdateDataIntegrationCommand.ts | 14 +- .../commands/UpdateEventIntegrationCommand.ts | 14 +- .../package.json | 42 +- .../commands/DeleteScalingPolicyCommand.ts | 14 +- .../commands/DeleteScheduledActionCommand.ts | 14 +- .../DeregisterScalableTargetCommand.ts | 14 +- .../DescribeScalableTargetsCommand.ts | 14 +- .../DescribeScalingActivitiesCommand.ts | 14 +- .../DescribeScalingPoliciesCommand.ts | 14 +- .../DescribeScheduledActionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutScalingPolicyCommand.ts | 14 +- .../src/commands/PutScheduledActionCommand.ts | 14 +- .../commands/RegisterScalableTargetCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../package.json | 42 +- ...eConfigurationItemsToApplicationCommand.ts | 14 +- .../src/commands/BatchDeleteAgentsCommand.ts | 14 +- .../commands/BatchDeleteImportDataCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/CreateTagsCommand.ts | 14 +- .../src/commands/DeleteApplicationsCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../src/commands/DescribeAgentsCommand.ts | 14 +- ...ribeBatchDeleteConfigurationTaskCommand.ts | 14 +- .../commands/DescribeConfigurationsCommand.ts | 14 +- .../DescribeContinuousExportsCommand.ts | 14 +- .../DescribeExportConfigurationsCommand.ts | 14 +- .../commands/DescribeExportTasksCommand.ts | 14 +- .../commands/DescribeImportTasksCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- ...onfigurationItemsFromApplicationCommand.ts | 14 +- .../commands/ExportConfigurationsCommand.ts | 14 +- .../commands/GetDiscoverySummaryCommand.ts | 14 +- .../src/commands/ListConfigurationsCommand.ts | 14 +- .../commands/ListServerNeighborsCommand.ts | 14 +- ...tartBatchDeleteConfigurationTaskCommand.ts | 14 +- .../commands/StartContinuousExportCommand.ts | 14 +- .../StartDataCollectionByAgentIdsCommand.ts | 14 +- .../src/commands/StartExportTaskCommand.ts | 14 +- .../src/commands/StartImportTaskCommand.ts | 14 +- .../commands/StopContinuousExportCommand.ts | 14 +- .../StopDataCollectionByAgentIdsCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../client-application-insights/package.json | 42 +- .../src/commands/AddWorkloadCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/CreateComponentCommand.ts | 14 +- .../src/commands/CreateLogPatternCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../src/commands/DeleteComponentCommand.ts | 14 +- .../src/commands/DeleteLogPatternCommand.ts | 14 +- .../commands/DescribeApplicationCommand.ts | 14 +- .../src/commands/DescribeComponentCommand.ts | 14 +- .../DescribeComponentConfigurationCommand.ts | 14 +- ...onentConfigurationRecommendationCommand.ts | 14 +- .../src/commands/DescribeLogPatternCommand.ts | 14 +- .../commands/DescribeObservationCommand.ts | 14 +- .../src/commands/DescribeProblemCommand.ts | 14 +- .../DescribeProblemObservationsCommand.ts | 14 +- .../src/commands/DescribeWorkloadCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../src/commands/ListComponentsCommand.ts | 14 +- .../ListConfigurationHistoryCommand.ts | 14 +- .../src/commands/ListLogPatternSetsCommand.ts | 14 +- .../src/commands/ListLogPatternsCommand.ts | 14 +- .../src/commands/ListProblemsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWorkloadsCommand.ts | 14 +- .../src/commands/RemoveWorkloadCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../src/commands/UpdateComponentCommand.ts | 14 +- .../UpdateComponentConfigurationCommand.ts | 14 +- .../src/commands/UpdateLogPatternCommand.ts | 14 +- .../src/commands/UpdateProblemCommand.ts | 14 +- .../src/commands/UpdateWorkloadCommand.ts | 14 +- .../client-application-signals/package.json | 42 +- ...erviceLevelObjectiveBudgetReportCommand.ts | 14 +- .../CreateServiceLevelObjectiveCommand.ts | 14 +- .../DeleteServiceLevelObjectiveCommand.ts | 14 +- .../src/commands/GetServiceCommand.ts | 14 +- .../GetServiceLevelObjectiveCommand.ts | 14 +- .../ListServiceDependenciesCommand.ts | 14 +- .../commands/ListServiceDependentsCommand.ts | 14 +- .../ListServiceLevelObjectivesCommand.ts | 14 +- .../commands/ListServiceOperationsCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartDiscoveryCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateServiceLevelObjectiveCommand.ts | 14 +- .../package.json | 42 +- .../commands/DeleteReportDefinitionCommand.ts | 14 +- .../commands/GetReportDefinitionCommand.ts | 14 +- .../commands/ImportApplicationUsageCommand.ts | 14 +- .../commands/ListReportDefinitionsCommand.ts | 14 +- .../commands/PutReportDefinitionCommand.ts | 14 +- .../commands/UpdateReportDefinitionCommand.ts | 14 +- clients/client-apprunner/package.json | 42 +- .../commands/AssociateCustomDomainCommand.ts | 14 +- .../CreateAutoScalingConfigurationCommand.ts | 14 +- .../src/commands/CreateConnectionCommand.ts | 14 +- ...CreateObservabilityConfigurationCommand.ts | 14 +- .../src/commands/CreateServiceCommand.ts | 14 +- .../src/commands/CreateVpcConnectorCommand.ts | 14 +- .../CreateVpcIngressConnectionCommand.ts | 14 +- .../DeleteAutoScalingConfigurationCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- ...DeleteObservabilityConfigurationCommand.ts | 14 +- .../src/commands/DeleteServiceCommand.ts | 14 +- .../src/commands/DeleteVpcConnectorCommand.ts | 14 +- .../DeleteVpcIngressConnectionCommand.ts | 14 +- ...DescribeAutoScalingConfigurationCommand.ts | 14 +- .../commands/DescribeCustomDomainsCommand.ts | 14 +- ...scribeObservabilityConfigurationCommand.ts | 14 +- .../src/commands/DescribeServiceCommand.ts | 14 +- .../commands/DescribeVpcConnectorCommand.ts | 14 +- .../DescribeVpcIngressConnectionCommand.ts | 14 +- .../DisassociateCustomDomainCommand.ts | 14 +- .../ListAutoScalingConfigurationsCommand.ts | 14 +- .../src/commands/ListConnectionsCommand.ts | 14 +- .../ListObservabilityConfigurationsCommand.ts | 14 +- .../src/commands/ListOperationsCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- ...vicesForAutoScalingConfigurationCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListVpcConnectorsCommand.ts | 14 +- .../ListVpcIngressConnectionsCommand.ts | 14 +- .../src/commands/PauseServiceCommand.ts | 14 +- .../src/commands/ResumeServiceCommand.ts | 14 +- .../src/commands/StartDeploymentCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...eDefaultAutoScalingConfigurationCommand.ts | 14 +- .../src/commands/UpdateServiceCommand.ts | 14 +- .../UpdateVpcIngressConnectionCommand.ts | 14 +- clients/client-appstream/package.json | 44 +- ...AssociateAppBlockBuilderAppBlockCommand.ts | 14 +- .../AssociateApplicationFleetCommand.ts | 14 +- ...ssociateApplicationToEntitlementCommand.ts | 14 +- .../src/commands/AssociateFleetCommand.ts | 14 +- .../BatchAssociateUserStackCommand.ts | 14 +- .../BatchDisassociateUserStackCommand.ts | 14 +- .../src/commands/CopyImageCommand.ts | 14 +- .../commands/CreateAppBlockBuilderCommand.ts | 14 +- ...reateAppBlockBuilderStreamingURLCommand.ts | 14 +- .../src/commands/CreateAppBlockCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../commands/CreateDirectoryConfigCommand.ts | 14 +- .../src/commands/CreateEntitlementCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../src/commands/CreateImageBuilderCommand.ts | 14 +- .../CreateImageBuilderStreamingURLCommand.ts | 14 +- .../src/commands/CreateStackCommand.ts | 14 +- .../src/commands/CreateStreamingURLCommand.ts | 14 +- .../commands/CreateThemeForStackCommand.ts | 14 +- .../src/commands/CreateUpdatedImageCommand.ts | 14 +- .../CreateUsageReportSubscriptionCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../commands/DeleteAppBlockBuilderCommand.ts | 14 +- .../src/commands/DeleteAppBlockCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../commands/DeleteDirectoryConfigCommand.ts | 14 +- .../src/commands/DeleteEntitlementCommand.ts | 14 +- .../src/commands/DeleteFleetCommand.ts | 14 +- .../src/commands/DeleteImageBuilderCommand.ts | 14 +- .../src/commands/DeleteImageCommand.ts | 14 +- .../commands/DeleteImagePermissionsCommand.ts | 14 +- .../src/commands/DeleteStackCommand.ts | 14 +- .../commands/DeleteThemeForStackCommand.ts | 14 +- .../DeleteUsageReportSubscriptionCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- ...BlockBuilderAppBlockAssociationsCommand.ts | 14 +- .../DescribeAppBlockBuildersCommand.ts | 14 +- .../src/commands/DescribeAppBlocksCommand.ts | 14 +- ...ribeApplicationFleetAssociationsCommand.ts | 14 +- .../commands/DescribeApplicationsCommand.ts | 14 +- .../DescribeDirectoryConfigsCommand.ts | 14 +- .../commands/DescribeEntitlementsCommand.ts | 14 +- .../src/commands/DescribeFleetsCommand.ts | 14 +- .../commands/DescribeImageBuildersCommand.ts | 14 +- .../DescribeImagePermissionsCommand.ts | 14 +- .../src/commands/DescribeImagesCommand.ts | 14 +- .../src/commands/DescribeSessionsCommand.ts | 14 +- .../src/commands/DescribeStacksCommand.ts | 14 +- .../commands/DescribeThemeForStackCommand.ts | 14 +- ...DescribeUsageReportSubscriptionsCommand.ts | 14 +- .../DescribeUserStackAssociationsCommand.ts | 14 +- .../src/commands/DescribeUsersCommand.ts | 14 +- .../src/commands/DisableUserCommand.ts | 14 +- ...associateAppBlockBuilderAppBlockCommand.ts | 14 +- .../DisassociateApplicationFleetCommand.ts | 14 +- ...ociateApplicationFromEntitlementCommand.ts | 14 +- .../src/commands/DisassociateFleetCommand.ts | 14 +- .../src/commands/EnableUserCommand.ts | 14 +- .../src/commands/ExpireSessionCommand.ts | 14 +- .../commands/ListAssociatedFleetsCommand.ts | 14 +- .../commands/ListAssociatedStacksCommand.ts | 14 +- .../ListEntitledApplicationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/StartAppBlockBuilderCommand.ts | 14 +- .../src/commands/StartFleetCommand.ts | 14 +- .../src/commands/StartImageBuilderCommand.ts | 14 +- .../commands/StopAppBlockBuilderCommand.ts | 14 +- .../src/commands/StopFleetCommand.ts | 14 +- .../src/commands/StopImageBuilderCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAppBlockBuilderCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../commands/UpdateDirectoryConfigCommand.ts | 14 +- .../src/commands/UpdateEntitlementCommand.ts | 14 +- .../src/commands/UpdateFleetCommand.ts | 14 +- .../commands/UpdateImagePermissionsCommand.ts | 14 +- .../src/commands/UpdateStackCommand.ts | 14 +- .../commands/UpdateThemeForStackCommand.ts | 14 +- clients/client-appsync/package.json | 44 +- .../src/commands/AssociateApiCommand.ts | 14 +- .../AssociateMergedGraphqlApiCommand.ts | 14 +- .../AssociateSourceGraphqlApiCommand.ts | 14 +- .../src/commands/CreateApiCacheCommand.ts | 14 +- .../src/commands/CreateApiKeyCommand.ts | 14 +- .../src/commands/CreateDataSourceCommand.ts | 14 +- .../src/commands/CreateDomainNameCommand.ts | 14 +- .../src/commands/CreateFunctionCommand.ts | 14 +- .../src/commands/CreateGraphqlApiCommand.ts | 14 +- .../src/commands/CreateResolverCommand.ts | 14 +- .../src/commands/CreateTypeCommand.ts | 14 +- .../src/commands/DeleteApiCacheCommand.ts | 14 +- .../src/commands/DeleteApiKeyCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteDomainNameCommand.ts | 14 +- .../src/commands/DeleteFunctionCommand.ts | 14 +- .../src/commands/DeleteGraphqlApiCommand.ts | 14 +- .../src/commands/DeleteResolverCommand.ts | 14 +- .../src/commands/DeleteTypeCommand.ts | 14 +- .../src/commands/DisassociateApiCommand.ts | 14 +- .../DisassociateMergedGraphqlApiCommand.ts | 14 +- .../DisassociateSourceGraphqlApiCommand.ts | 14 +- .../src/commands/EvaluateCodeCommand.ts | 14 +- .../EvaluateMappingTemplateCommand.ts | 14 +- .../src/commands/FlushApiCacheCommand.ts | 14 +- .../src/commands/GetApiAssociationCommand.ts | 14 +- .../src/commands/GetApiCacheCommand.ts | 14 +- .../src/commands/GetDataSourceCommand.ts | 14 +- .../GetDataSourceIntrospectionCommand.ts | 14 +- .../src/commands/GetDomainNameCommand.ts | 14 +- .../src/commands/GetFunctionCommand.ts | 14 +- .../src/commands/GetGraphqlApiCommand.ts | 14 +- ...etGraphqlApiEnvironmentVariablesCommand.ts | 14 +- .../commands/GetIntrospectionSchemaCommand.ts | 14 +- .../src/commands/GetResolverCommand.ts | 14 +- .../GetSchemaCreationStatusCommand.ts | 14 +- .../GetSourceApiAssociationCommand.ts | 14 +- .../src/commands/GetTypeCommand.ts | 14 +- .../src/commands/ListApiKeysCommand.ts | 14 +- .../src/commands/ListDataSourcesCommand.ts | 14 +- .../src/commands/ListDomainNamesCommand.ts | 14 +- .../src/commands/ListFunctionsCommand.ts | 14 +- .../src/commands/ListGraphqlApisCommand.ts | 14 +- .../ListResolversByFunctionCommand.ts | 14 +- .../src/commands/ListResolversCommand.ts | 14 +- .../ListSourceApiAssociationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTypesByAssociationCommand.ts | 14 +- .../src/commands/ListTypesCommand.ts | 14 +- ...utGraphqlApiEnvironmentVariablesCommand.ts | 14 +- .../StartDataSourceIntrospectionCommand.ts | 14 +- .../commands/StartSchemaCreationCommand.ts | 14 +- .../src/commands/StartSchemaMergeCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApiCacheCommand.ts | 14 +- .../src/commands/UpdateApiKeyCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../src/commands/UpdateDomainNameCommand.ts | 14 +- .../src/commands/UpdateFunctionCommand.ts | 14 +- .../src/commands/UpdateGraphqlApiCommand.ts | 14 +- .../src/commands/UpdateResolverCommand.ts | 14 +- .../UpdateSourceApiAssociationCommand.ts | 14 +- .../src/commands/UpdateTypeCommand.ts | 14 +- clients/client-apptest/package.json | 42 +- .../src/commands/CreateTestCaseCommand.ts | 14 +- .../CreateTestConfigurationCommand.ts | 14 +- .../src/commands/CreateTestSuiteCommand.ts | 14 +- .../src/commands/DeleteTestCaseCommand.ts | 14 +- .../DeleteTestConfigurationCommand.ts | 14 +- .../src/commands/DeleteTestRunCommand.ts | 14 +- .../src/commands/DeleteTestSuiteCommand.ts | 14 +- .../src/commands/GetTestCaseCommand.ts | 14 +- .../commands/GetTestConfigurationCommand.ts | 14 +- .../src/commands/GetTestRunStepCommand.ts | 14 +- .../src/commands/GetTestSuiteCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTestCasesCommand.ts | 14 +- .../commands/ListTestConfigurationsCommand.ts | 14 +- .../src/commands/ListTestRunStepsCommand.ts | 14 +- .../commands/ListTestRunTestCasesCommand.ts | 14 +- .../src/commands/ListTestRunsCommand.ts | 14 +- .../src/commands/ListTestSuitesCommand.ts | 14 +- .../src/commands/StartTestRunCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateTestCaseCommand.ts | 14 +- .../UpdateTestConfigurationCommand.ts | 14 +- .../src/commands/UpdateTestSuiteCommand.ts | 14 +- clients/client-arc-zonal-shift/package.json | 42 +- .../src/commands/CancelZonalShiftCommand.ts | 14 +- .../CreatePracticeRunConfigurationCommand.ts | 14 +- .../DeletePracticeRunConfigurationCommand.ts | 14 +- ...oshiftObserverNotificationStatusCommand.ts | 14 +- .../src/commands/GetManagedResourceCommand.ts | 14 +- .../src/commands/ListAutoshiftsCommand.ts | 14 +- .../commands/ListManagedResourcesCommand.ts | 14 +- .../src/commands/ListZonalShiftsCommand.ts | 14 +- .../src/commands/StartZonalShiftCommand.ts | 14 +- ...oshiftObserverNotificationStatusCommand.ts | 14 +- .../UpdatePracticeRunConfigurationCommand.ts | 14 +- ...pdateZonalAutoshiftConfigurationCommand.ts | 14 +- .../src/commands/UpdateZonalShiftCommand.ts | 14 +- clients/client-artifact/package.json | 42 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../src/commands/GetReportCommand.ts | 14 +- .../src/commands/GetReportMetadataCommand.ts | 14 +- .../src/commands/GetTermForReportCommand.ts | 14 +- .../src/commands/ListReportsCommand.ts | 14 +- .../src/commands/PutAccountSettingsCommand.ts | 14 +- clients/client-athena/package.json | 42 +- .../src/commands/BatchGetNamedQueryCommand.ts | 14 +- .../BatchGetPreparedStatementCommand.ts | 14 +- .../commands/BatchGetQueryExecutionCommand.ts | 14 +- .../CancelCapacityReservationCommand.ts | 14 +- .../CreateCapacityReservationCommand.ts | 14 +- .../src/commands/CreateDataCatalogCommand.ts | 14 +- .../src/commands/CreateNamedQueryCommand.ts | 14 +- .../src/commands/CreateNotebookCommand.ts | 14 +- .../CreatePreparedStatementCommand.ts | 14 +- .../CreatePresignedNotebookUrlCommand.ts | 14 +- .../src/commands/CreateWorkGroupCommand.ts | 14 +- .../DeleteCapacityReservationCommand.ts | 14 +- .../src/commands/DeleteDataCatalogCommand.ts | 14 +- .../src/commands/DeleteNamedQueryCommand.ts | 14 +- .../src/commands/DeleteNotebookCommand.ts | 14 +- .../DeletePreparedStatementCommand.ts | 14 +- .../src/commands/DeleteWorkGroupCommand.ts | 14 +- .../src/commands/ExportNotebookCommand.ts | 14 +- .../GetCalculationExecutionCodeCommand.ts | 14 +- .../GetCalculationExecutionCommand.ts | 14 +- .../GetCalculationExecutionStatusCommand.ts | 14 +- ...tCapacityAssignmentConfigurationCommand.ts | 14 +- .../commands/GetCapacityReservationCommand.ts | 14 +- .../src/commands/GetDataCatalogCommand.ts | 14 +- .../src/commands/GetDatabaseCommand.ts | 14 +- .../src/commands/GetNamedQueryCommand.ts | 14 +- .../commands/GetNotebookMetadataCommand.ts | 14 +- .../commands/GetPreparedStatementCommand.ts | 14 +- .../src/commands/GetQueryExecutionCommand.ts | 14 +- .../src/commands/GetQueryResultsCommand.ts | 14 +- .../GetQueryRuntimeStatisticsCommand.ts | 14 +- .../src/commands/GetSessionCommand.ts | 14 +- .../src/commands/GetSessionStatusCommand.ts | 14 +- .../src/commands/GetTableMetadataCommand.ts | 14 +- .../src/commands/GetWorkGroupCommand.ts | 14 +- .../src/commands/ImportNotebookCommand.ts | 14 +- .../ListApplicationDPUSizesCommand.ts | 14 +- .../ListCalculationExecutionsCommand.ts | 14 +- .../ListCapacityReservationsCommand.ts | 14 +- .../src/commands/ListDataCatalogsCommand.ts | 14 +- .../src/commands/ListDatabasesCommand.ts | 14 +- .../src/commands/ListEngineVersionsCommand.ts | 14 +- .../src/commands/ListExecutorsCommand.ts | 14 +- .../src/commands/ListNamedQueriesCommand.ts | 14 +- .../commands/ListNotebookMetadataCommand.ts | 14 +- .../commands/ListNotebookSessionsCommand.ts | 14 +- .../commands/ListPreparedStatementsCommand.ts | 14 +- .../commands/ListQueryExecutionsCommand.ts | 14 +- .../src/commands/ListSessionsCommand.ts | 14 +- .../src/commands/ListTableMetadataCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWorkGroupsCommand.ts | 14 +- ...tCapacityAssignmentConfigurationCommand.ts | 14 +- .../StartCalculationExecutionCommand.ts | 14 +- .../commands/StartQueryExecutionCommand.ts | 14 +- .../src/commands/StartSessionCommand.ts | 14 +- .../StopCalculationExecutionCommand.ts | 14 +- .../src/commands/StopQueryExecutionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TerminateSessionCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateCapacityReservationCommand.ts | 14 +- .../src/commands/UpdateDataCatalogCommand.ts | 14 +- .../src/commands/UpdateNamedQueryCommand.ts | 14 +- .../src/commands/UpdateNotebookCommand.ts | 14 +- .../commands/UpdateNotebookMetadataCommand.ts | 14 +- .../UpdatePreparedStatementCommand.ts | 14 +- .../src/commands/UpdateWorkGroupCommand.ts | 14 +- clients/client-auditmanager/package.json | 42 +- ...teAssessmentReportEvidenceFolderCommand.ts | 14 +- ...ssociateAssessmentReportEvidenceCommand.ts | 14 +- ...atchCreateDelegationByAssessmentCommand.ts | 14 +- ...atchDeleteDelegationByAssessmentCommand.ts | 14 +- ...ssociateAssessmentReportEvidenceCommand.ts | 14 +- ...mportEvidenceToAssessmentControlCommand.ts | 14 +- .../src/commands/CreateAssessmentCommand.ts | 14 +- .../CreateAssessmentFrameworkCommand.ts | 14 +- .../commands/CreateAssessmentReportCommand.ts | 14 +- .../src/commands/CreateControlCommand.ts | 14 +- .../src/commands/DeleteAssessmentCommand.ts | 14 +- .../DeleteAssessmentFrameworkCommand.ts | 14 +- .../DeleteAssessmentFrameworkShareCommand.ts | 14 +- .../commands/DeleteAssessmentReportCommand.ts | 14 +- .../src/commands/DeleteControlCommand.ts | 14 +- .../src/commands/DeregisterAccountCommand.ts | 14 +- ...registerOrganizationAdminAccountCommand.ts | 14 +- ...teAssessmentReportEvidenceFolderCommand.ts | 14 +- .../src/commands/GetAccountStatusCommand.ts | 14 +- .../src/commands/GetAssessmentCommand.ts | 14 +- .../commands/GetAssessmentFrameworkCommand.ts | 14 +- .../commands/GetAssessmentReportUrlCommand.ts | 14 +- .../src/commands/GetChangeLogsCommand.ts | 14 +- .../src/commands/GetControlCommand.ts | 14 +- .../src/commands/GetDelegationsCommand.ts | 14 +- .../GetEvidenceByEvidenceFolderCommand.ts | 14 +- .../src/commands/GetEvidenceCommand.ts | 14 +- .../GetEvidenceFileUploadUrlCommand.ts | 14 +- .../src/commands/GetEvidenceFolderCommand.ts | 14 +- .../GetEvidenceFoldersByAssessmentCommand.ts | 14 +- ...idenceFoldersByAssessmentControlCommand.ts | 14 +- .../GetInsightsByAssessmentCommand.ts | 14 +- .../src/commands/GetInsightsCommand.ts | 14 +- .../GetOrganizationAdminAccountCommand.ts | 14 +- .../src/commands/GetServicesInScopeCommand.ts | 14 +- .../src/commands/GetSettingsCommand.ts | 14 +- ...ntControlInsightsByControlDomainCommand.ts | 14 +- ...AssessmentFrameworkShareRequestsCommand.ts | 14 +- .../ListAssessmentFrameworksCommand.ts | 14 +- .../commands/ListAssessmentReportsCommand.ts | 14 +- .../src/commands/ListAssessmentsCommand.ts | 14 +- ...ontrolDomainInsightsByAssessmentCommand.ts | 14 +- .../ListControlDomainInsightsCommand.ts | 14 +- ...stControlInsightsByControlDomainCommand.ts | 14 +- .../src/commands/ListControlsCommand.ts | 14 +- .../ListKeywordsForDataSourceCommand.ts | 14 +- .../src/commands/ListNotificationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RegisterAccountCommand.ts | 14 +- ...RegisterOrganizationAdminAccountCommand.ts | 14 +- .../StartAssessmentFrameworkShareCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAssessmentCommand.ts | 14 +- .../UpdateAssessmentControlCommand.ts | 14 +- ...UpdateAssessmentControlSetStatusCommand.ts | 14 +- .../UpdateAssessmentFrameworkCommand.ts | 14 +- .../UpdateAssessmentFrameworkShareCommand.ts | 14 +- .../commands/UpdateAssessmentStatusCommand.ts | 14 +- .../src/commands/UpdateControlCommand.ts | 14 +- .../src/commands/UpdateSettingsCommand.ts | 14 +- ...alidateAssessmentReportIntegrityCommand.ts | 14 +- .../client-auto-scaling-plans/package.json | 42 +- .../src/commands/CreateScalingPlanCommand.ts | 14 +- .../src/commands/DeleteScalingPlanCommand.ts | 14 +- .../DescribeScalingPlanResourcesCommand.ts | 14 +- .../commands/DescribeScalingPlansCommand.ts | 14 +- ...tScalingPlanResourceForecastDataCommand.ts | 14 +- .../src/commands/UpdateScalingPlanCommand.ts | 14 +- clients/client-auto-scaling/package.json | 44 +- .../src/commands/AttachInstancesCommand.ts | 14 +- .../AttachLoadBalancerTargetGroupsCommand.ts | 14 +- .../commands/AttachLoadBalancersCommand.ts | 14 +- .../commands/AttachTrafficSourcesCommand.ts | 14 +- .../BatchDeleteScheduledActionCommand.ts | 14 +- ...tchPutScheduledUpdateGroupActionCommand.ts | 14 +- .../commands/CancelInstanceRefreshCommand.ts | 14 +- .../CompleteLifecycleActionCommand.ts | 14 +- .../commands/CreateAutoScalingGroupCommand.ts | 14 +- .../CreateLaunchConfigurationCommand.ts | 14 +- .../src/commands/CreateOrUpdateTagsCommand.ts | 14 +- .../commands/DeleteAutoScalingGroupCommand.ts | 14 +- .../DeleteLaunchConfigurationCommand.ts | 14 +- .../commands/DeleteLifecycleHookCommand.ts | 14 +- .../DeleteNotificationConfigurationCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- .../commands/DeleteScheduledActionCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../src/commands/DeleteWarmPoolCommand.ts | 14 +- .../commands/DescribeAccountLimitsCommand.ts | 14 +- .../DescribeAdjustmentTypesCommand.ts | 14 +- .../DescribeAutoScalingGroupsCommand.ts | 14 +- .../DescribeAutoScalingInstancesCommand.ts | 14 +- ...ribeAutoScalingNotificationTypesCommand.ts | 14 +- .../DescribeInstanceRefreshesCommand.ts | 14 +- .../DescribeLaunchConfigurationsCommand.ts | 14 +- .../DescribeLifecycleHookTypesCommand.ts | 14 +- .../commands/DescribeLifecycleHooksCommand.ts | 14 +- ...DescribeLoadBalancerTargetGroupsCommand.ts | 14 +- .../commands/DescribeLoadBalancersCommand.ts | 14 +- .../DescribeMetricCollectionTypesCommand.ts | 14 +- ...scribeNotificationConfigurationsCommand.ts | 14 +- .../src/commands/DescribePoliciesCommand.ts | 14 +- .../DescribeScalingActivitiesCommand.ts | 14 +- .../DescribeScalingProcessTypesCommand.ts | 14 +- .../DescribeScheduledActionsCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../DescribeTerminationPolicyTypesCommand.ts | 14 +- .../commands/DescribeTrafficSourcesCommand.ts | 14 +- .../src/commands/DescribeWarmPoolCommand.ts | 14 +- .../src/commands/DetachInstancesCommand.ts | 14 +- .../DetachLoadBalancerTargetGroupsCommand.ts | 14 +- .../commands/DetachLoadBalancersCommand.ts | 14 +- .../commands/DetachTrafficSourcesCommand.ts | 14 +- .../DisableMetricsCollectionCommand.ts | 14 +- .../EnableMetricsCollectionCommand.ts | 14 +- .../src/commands/EnterStandbyCommand.ts | 14 +- .../src/commands/ExecutePolicyCommand.ts | 14 +- .../src/commands/ExitStandbyCommand.ts | 14 +- .../GetPredictiveScalingForecastCommand.ts | 14 +- .../src/commands/PutLifecycleHookCommand.ts | 14 +- .../PutNotificationConfigurationCommand.ts | 14 +- .../src/commands/PutScalingPolicyCommand.ts | 14 +- .../PutScheduledUpdateGroupActionCommand.ts | 14 +- .../src/commands/PutWarmPoolCommand.ts | 14 +- .../RecordLifecycleActionHeartbeatCommand.ts | 14 +- .../src/commands/ResumeProcessesCommand.ts | 14 +- .../RollbackInstanceRefreshCommand.ts | 14 +- .../src/commands/SetDesiredCapacityCommand.ts | 14 +- .../src/commands/SetInstanceHealthCommand.ts | 14 +- .../commands/SetInstanceProtectionCommand.ts | 14 +- .../commands/StartInstanceRefreshCommand.ts | 14 +- .../src/commands/SuspendProcessesCommand.ts | 14 +- ...minateInstanceInAutoScalingGroupCommand.ts | 14 +- .../commands/UpdateAutoScalingGroupCommand.ts | 14 +- clients/client-b2bi/package.json | 42 +- .../src/commands/CreateCapabilityCommand.ts | 14 +- .../src/commands/CreatePartnershipCommand.ts | 14 +- .../src/commands/CreateProfileCommand.ts | 14 +- .../src/commands/CreateTransformerCommand.ts | 14 +- .../src/commands/DeleteCapabilityCommand.ts | 14 +- .../src/commands/DeletePartnershipCommand.ts | 14 +- .../src/commands/DeleteProfileCommand.ts | 14 +- .../src/commands/DeleteTransformerCommand.ts | 14 +- .../src/commands/GetCapabilityCommand.ts | 14 +- .../src/commands/GetPartnershipCommand.ts | 14 +- .../src/commands/GetProfileCommand.ts | 14 +- .../src/commands/GetTransformerCommand.ts | 14 +- .../src/commands/GetTransformerJobCommand.ts | 14 +- .../src/commands/ListCapabilitiesCommand.ts | 14 +- .../src/commands/ListPartnershipsCommand.ts | 14 +- .../src/commands/ListProfilesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTransformersCommand.ts | 14 +- .../commands/StartTransformerJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestMappingCommand.ts | 14 +- .../src/commands/TestParsingCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCapabilityCommand.ts | 14 +- .../src/commands/UpdatePartnershipCommand.ts | 14 +- .../src/commands/UpdateProfileCommand.ts | 14 +- .../src/commands/UpdateTransformerCommand.ts | 14 +- clients/client-backup-gateway/package.json | 42 +- .../AssociateGatewayToServerCommand.ts | 14 +- .../src/commands/CreateGatewayCommand.ts | 14 +- .../src/commands/DeleteGatewayCommand.ts | 14 +- .../src/commands/DeleteHypervisorCommand.ts | 14 +- .../DisassociateGatewayFromServerCommand.ts | 14 +- .../GetBandwidthRateLimitScheduleCommand.ts | 14 +- .../src/commands/GetGatewayCommand.ts | 14 +- .../src/commands/GetHypervisorCommand.ts | 14 +- .../GetHypervisorPropertyMappingsCommand.ts | 14 +- .../src/commands/GetVirtualMachineCommand.ts | 14 +- .../ImportHypervisorConfigurationCommand.ts | 14 +- .../src/commands/ListGatewaysCommand.ts | 14 +- .../src/commands/ListHypervisorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListVirtualMachinesCommand.ts | 14 +- .../PutBandwidthRateLimitScheduleCommand.ts | 14 +- .../PutHypervisorPropertyMappingsCommand.ts | 14 +- .../PutMaintenanceStartTimeCommand.ts | 14 +- ...StartVirtualMachinesMetadataSyncCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TestHypervisorConfigurationCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateGatewayInformationCommand.ts | 14 +- .../UpdateGatewaySoftwareNowCommand.ts | 14 +- .../src/commands/UpdateHypervisorCommand.ts | 14 +- clients/client-backup/package.json | 42 +- .../src/commands/CancelLegalHoldCommand.ts | 14 +- .../src/commands/CreateBackupPlanCommand.ts | 14 +- .../commands/CreateBackupSelectionCommand.ts | 14 +- .../src/commands/CreateBackupVaultCommand.ts | 14 +- .../src/commands/CreateFrameworkCommand.ts | 14 +- .../src/commands/CreateLegalHoldCommand.ts | 14 +- ...ateLogicallyAirGappedBackupVaultCommand.ts | 14 +- .../src/commands/CreateReportPlanCommand.ts | 14 +- .../CreateRestoreTestingPlanCommand.ts | 14 +- .../CreateRestoreTestingSelectionCommand.ts | 14 +- .../src/commands/DeleteBackupPlanCommand.ts | 14 +- .../commands/DeleteBackupSelectionCommand.ts | 14 +- .../DeleteBackupVaultAccessPolicyCommand.ts | 14 +- .../src/commands/DeleteBackupVaultCommand.ts | 14 +- ...leteBackupVaultLockConfigurationCommand.ts | 14 +- .../DeleteBackupVaultNotificationsCommand.ts | 14 +- .../src/commands/DeleteFrameworkCommand.ts | 14 +- .../commands/DeleteRecoveryPointCommand.ts | 14 +- .../src/commands/DeleteReportPlanCommand.ts | 14 +- .../DeleteRestoreTestingPlanCommand.ts | 14 +- .../DeleteRestoreTestingSelectionCommand.ts | 14 +- .../src/commands/DescribeBackupJobCommand.ts | 14 +- .../commands/DescribeBackupVaultCommand.ts | 14 +- .../src/commands/DescribeCopyJobCommand.ts | 14 +- .../src/commands/DescribeFrameworkCommand.ts | 14 +- .../commands/DescribeGlobalSettingsCommand.ts | 14 +- .../DescribeProtectedResourceCommand.ts | 14 +- .../commands/DescribeRecoveryPointCommand.ts | 14 +- .../commands/DescribeRegionSettingsCommand.ts | 14 +- .../src/commands/DescribeReportJobCommand.ts | 14 +- .../src/commands/DescribeReportPlanCommand.ts | 14 +- .../src/commands/DescribeRestoreJobCommand.ts | 14 +- .../DisassociateRecoveryPointCommand.ts | 14 +- ...associateRecoveryPointFromParentCommand.ts | 14 +- .../ExportBackupPlanTemplateCommand.ts | 14 +- .../src/commands/GetBackupPlanCommand.ts | 14 +- .../commands/GetBackupPlanFromJSONCommand.ts | 14 +- .../GetBackupPlanFromTemplateCommand.ts | 14 +- .../src/commands/GetBackupSelectionCommand.ts | 14 +- .../GetBackupVaultAccessPolicyCommand.ts | 14 +- .../GetBackupVaultNotificationsCommand.ts | 14 +- .../src/commands/GetLegalHoldCommand.ts | 14 +- .../GetRecoveryPointRestoreMetadataCommand.ts | 14 +- .../commands/GetRestoreJobMetadataCommand.ts | 14 +- ...etRestoreTestingInferredMetadataCommand.ts | 14 +- .../commands/GetRestoreTestingPlanCommand.ts | 14 +- .../GetRestoreTestingSelectionCommand.ts | 14 +- .../GetSupportedResourceTypesCommand.ts | 14 +- .../commands/ListBackupJobSummariesCommand.ts | 14 +- .../src/commands/ListBackupJobsCommand.ts | 14 +- .../ListBackupPlanTemplatesCommand.ts | 14 +- .../commands/ListBackupPlanVersionsCommand.ts | 14 +- .../src/commands/ListBackupPlansCommand.ts | 14 +- .../commands/ListBackupSelectionsCommand.ts | 14 +- .../src/commands/ListBackupVaultsCommand.ts | 14 +- .../commands/ListCopyJobSummariesCommand.ts | 14 +- .../src/commands/ListCopyJobsCommand.ts | 14 +- .../src/commands/ListFrameworksCommand.ts | 14 +- .../src/commands/ListLegalHoldsCommand.ts | 14 +- ...tProtectedResourcesByBackupVaultCommand.ts | 14 +- .../commands/ListProtectedResourcesCommand.ts | 14 +- .../ListRecoveryPointsByBackupVaultCommand.ts | 14 +- .../ListRecoveryPointsByLegalHoldCommand.ts | 14 +- .../ListRecoveryPointsByResourceCommand.ts | 14 +- .../src/commands/ListReportJobsCommand.ts | 14 +- .../src/commands/ListReportPlansCommand.ts | 14 +- .../ListRestoreJobSummariesCommand.ts | 14 +- ...stRestoreJobsByProtectedResourceCommand.ts | 14 +- .../src/commands/ListRestoreJobsCommand.ts | 14 +- .../ListRestoreTestingPlansCommand.ts | 14 +- .../ListRestoreTestingSelectionsCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../PutBackupVaultAccessPolicyCommand.ts | 14 +- .../PutBackupVaultLockConfigurationCommand.ts | 14 +- .../PutBackupVaultNotificationsCommand.ts | 14 +- .../PutRestoreValidationResultCommand.ts | 14 +- .../src/commands/StartBackupJobCommand.ts | 14 +- .../src/commands/StartCopyJobCommand.ts | 14 +- .../src/commands/StartReportJobCommand.ts | 14 +- .../src/commands/StartRestoreJobCommand.ts | 14 +- .../src/commands/StopBackupJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBackupPlanCommand.ts | 14 +- .../src/commands/UpdateFrameworkCommand.ts | 14 +- .../commands/UpdateGlobalSettingsCommand.ts | 14 +- .../UpdateRecoveryPointLifecycleCommand.ts | 14 +- .../commands/UpdateRegionSettingsCommand.ts | 14 +- .../src/commands/UpdateReportPlanCommand.ts | 14 +- .../UpdateRestoreTestingPlanCommand.ts | 14 +- .../UpdateRestoreTestingSelectionCommand.ts | 14 +- clients/client-batch/package.json | 42 +- .../src/commands/CancelJobCommand.ts | 14 +- .../CreateComputeEnvironmentCommand.ts | 14 +- .../src/commands/CreateJobQueueCommand.ts | 14 +- .../commands/CreateSchedulingPolicyCommand.ts | 14 +- .../DeleteComputeEnvironmentCommand.ts | 14 +- .../src/commands/DeleteJobQueueCommand.ts | 14 +- .../commands/DeleteSchedulingPolicyCommand.ts | 14 +- .../DeregisterJobDefinitionCommand.ts | 14 +- .../DescribeComputeEnvironmentsCommand.ts | 14 +- .../commands/DescribeJobDefinitionsCommand.ts | 14 +- .../src/commands/DescribeJobQueuesCommand.ts | 14 +- .../src/commands/DescribeJobsCommand.ts | 14 +- .../DescribeSchedulingPoliciesCommand.ts | 14 +- .../commands/GetJobQueueSnapshotCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../commands/ListSchedulingPoliciesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/RegisterJobDefinitionCommand.ts | 14 +- .../src/commands/SubmitJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TerminateJobCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateComputeEnvironmentCommand.ts | 14 +- .../src/commands/UpdateJobQueueCommand.ts | 14 +- .../commands/UpdateSchedulingPolicyCommand.ts | 14 +- clients/client-bcm-data-exports/package.json | 42 +- .../src/commands/CreateExportCommand.ts | 14 +- .../src/commands/DeleteExportCommand.ts | 14 +- .../src/commands/GetExecutionCommand.ts | 14 +- .../src/commands/GetExportCommand.ts | 14 +- .../src/commands/GetTableCommand.ts | 14 +- .../src/commands/ListExecutionsCommand.ts | 14 +- .../src/commands/ListExportsCommand.ts | 14 +- .../src/commands/ListTablesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateExportCommand.ts | 14 +- .../client-bedrock-agent-runtime/package.json | 48 +- .../src/commands/DeleteAgentMemoryCommand.ts | 14 +- .../src/commands/GetAgentMemoryCommand.ts | 14 +- .../src/commands/InvokeAgentCommand.ts | 14 +- .../src/commands/InvokeFlowCommand.ts | 14 +- .../commands/RetrieveAndGenerateCommand.ts | 14 +- .../src/commands/RetrieveCommand.ts | 14 +- clients/client-bedrock-agent/package.json | 42 +- .../AssociateAgentKnowledgeBaseCommand.ts | 14 +- .../commands/CreateAgentActionGroupCommand.ts | 14 +- .../src/commands/CreateAgentAliasCommand.ts | 14 +- .../src/commands/CreateAgentCommand.ts | 14 +- .../src/commands/CreateDataSourceCommand.ts | 14 +- .../src/commands/CreateFlowAliasCommand.ts | 14 +- .../src/commands/CreateFlowCommand.ts | 14 +- .../src/commands/CreateFlowVersionCommand.ts | 14 +- .../commands/CreateKnowledgeBaseCommand.ts | 14 +- .../src/commands/CreatePromptCommand.ts | 14 +- .../commands/CreatePromptVersionCommand.ts | 14 +- .../commands/DeleteAgentActionGroupCommand.ts | 14 +- .../src/commands/DeleteAgentAliasCommand.ts | 14 +- .../src/commands/DeleteAgentCommand.ts | 14 +- .../src/commands/DeleteAgentVersionCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteFlowAliasCommand.ts | 14 +- .../src/commands/DeleteFlowCommand.ts | 14 +- .../src/commands/DeleteFlowVersionCommand.ts | 14 +- .../commands/DeleteKnowledgeBaseCommand.ts | 14 +- .../src/commands/DeletePromptCommand.ts | 14 +- .../DisassociateAgentKnowledgeBaseCommand.ts | 14 +- .../commands/GetAgentActionGroupCommand.ts | 14 +- .../src/commands/GetAgentAliasCommand.ts | 14 +- .../src/commands/GetAgentCommand.ts | 14 +- .../commands/GetAgentKnowledgeBaseCommand.ts | 14 +- .../src/commands/GetAgentVersionCommand.ts | 14 +- .../src/commands/GetDataSourceCommand.ts | 14 +- .../src/commands/GetFlowAliasCommand.ts | 14 +- .../src/commands/GetFlowCommand.ts | 14 +- .../src/commands/GetFlowVersionCommand.ts | 14 +- .../src/commands/GetIngestionJobCommand.ts | 14 +- .../src/commands/GetKnowledgeBaseCommand.ts | 14 +- .../src/commands/GetPromptCommand.ts | 14 +- .../commands/ListAgentActionGroupsCommand.ts | 14 +- .../src/commands/ListAgentAliasesCommand.ts | 14 +- .../ListAgentKnowledgeBasesCommand.ts | 14 +- .../src/commands/ListAgentVersionsCommand.ts | 14 +- .../src/commands/ListAgentsCommand.ts | 14 +- .../src/commands/ListDataSourcesCommand.ts | 14 +- .../src/commands/ListFlowAliasesCommand.ts | 14 +- .../src/commands/ListFlowVersionsCommand.ts | 14 +- .../src/commands/ListFlowsCommand.ts | 14 +- .../src/commands/ListIngestionJobsCommand.ts | 14 +- .../src/commands/ListKnowledgeBasesCommand.ts | 14 +- .../src/commands/ListPromptsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PrepareAgentCommand.ts | 14 +- .../src/commands/PrepareFlowCommand.ts | 14 +- .../src/commands/StartIngestionJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAgentActionGroupCommand.ts | 14 +- .../src/commands/UpdateAgentAliasCommand.ts | 14 +- .../src/commands/UpdateAgentCommand.ts | 14 +- .../UpdateAgentKnowledgeBaseCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../src/commands/UpdateFlowAliasCommand.ts | 14 +- .../src/commands/UpdateFlowCommand.ts | 14 +- .../commands/UpdateKnowledgeBaseCommand.ts | 14 +- .../src/commands/UpdatePromptCommand.ts | 14 +- clients/client-bedrock-runtime/package.json | 50 +- .../src/commands/ApplyGuardrailCommand.ts | 14 +- .../src/commands/ConverseCommand.ts | 14 +- .../src/commands/ConverseStreamCommand.ts | 14 +- .../src/commands/InvokeModelCommand.ts | 14 +- .../InvokeModelWithResponseStreamCommand.ts | 14 +- clients/client-bedrock/package.json | 42 +- .../BatchDeleteEvaluationJobCommand.ts | 14 +- .../commands/CreateEvaluationJobCommand.ts | 14 +- .../src/commands/CreateGuardrailCommand.ts | 14 +- .../commands/CreateGuardrailVersionCommand.ts | 14 +- .../src/commands/CreateModelCopyJobCommand.ts | 14 +- .../CreateModelCustomizationJobCommand.ts | 14 +- .../commands/CreateModelImportJobCommand.ts | 14 +- .../CreateModelInvocationJobCommand.ts | 14 +- ...CreateProvisionedModelThroughputCommand.ts | 14 +- .../src/commands/DeleteCustomModelCommand.ts | 14 +- .../src/commands/DeleteGuardrailCommand.ts | 14 +- .../commands/DeleteImportedModelCommand.ts | 14 +- ...elInvocationLoggingConfigurationCommand.ts | 14 +- ...DeleteProvisionedModelThroughputCommand.ts | 14 +- .../src/commands/GetCustomModelCommand.ts | 14 +- .../src/commands/GetEvaluationJobCommand.ts | 14 +- .../src/commands/GetFoundationModelCommand.ts | 14 +- .../src/commands/GetGuardrailCommand.ts | 14 +- .../src/commands/GetImportedModelCommand.ts | 14 +- .../commands/GetInferenceProfileCommand.ts | 14 +- .../src/commands/GetModelCopyJobCommand.ts | 14 +- .../GetModelCustomizationJobCommand.ts | 14 +- .../src/commands/GetModelImportJobCommand.ts | 14 +- .../commands/GetModelInvocationJobCommand.ts | 14 +- ...elInvocationLoggingConfigurationCommand.ts | 14 +- .../GetProvisionedModelThroughputCommand.ts | 14 +- .../src/commands/ListCustomModelsCommand.ts | 14 +- .../src/commands/ListEvaluationJobsCommand.ts | 14 +- .../commands/ListFoundationModelsCommand.ts | 14 +- .../src/commands/ListGuardrailsCommand.ts | 14 +- .../src/commands/ListImportedModelsCommand.ts | 14 +- .../commands/ListInferenceProfilesCommand.ts | 14 +- .../src/commands/ListModelCopyJobsCommand.ts | 14 +- .../ListModelCustomizationJobsCommand.ts | 14 +- .../commands/ListModelImportJobsCommand.ts | 14 +- .../ListModelInvocationJobsCommand.ts | 14 +- .../ListProvisionedModelThroughputsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...elInvocationLoggingConfigurationCommand.ts | 14 +- .../src/commands/StopEvaluationJobCommand.ts | 14 +- .../StopModelCustomizationJobCommand.ts | 14 +- .../commands/StopModelInvocationJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateGuardrailCommand.ts | 14 +- ...UpdateProvisionedModelThroughputCommand.ts | 14 +- clients/client-billingconductor/package.json | 42 +- .../src/commands/AssociateAccountsCommand.ts | 14 +- .../commands/AssociatePricingRulesCommand.ts | 14 +- ...sociateResourcesToCustomLineItemCommand.ts | 14 +- ...ciateResourcesFromCustomLineItemCommand.ts | 14 +- .../src/commands/CreateBillingGroupCommand.ts | 14 +- .../commands/CreateCustomLineItemCommand.ts | 14 +- .../src/commands/CreatePricingPlanCommand.ts | 14 +- .../src/commands/CreatePricingRuleCommand.ts | 14 +- .../src/commands/DeleteBillingGroupCommand.ts | 14 +- .../commands/DeleteCustomLineItemCommand.ts | 14 +- .../src/commands/DeletePricingPlanCommand.ts | 14 +- .../src/commands/DeletePricingRuleCommand.ts | 14 +- .../commands/DisassociateAccountsCommand.ts | 14 +- .../DisassociatePricingRulesCommand.ts | 14 +- .../GetBillingGroupCostReportCommand.ts | 14 +- .../ListAccountAssociationsCommand.ts | 14 +- .../ListBillingGroupCostReportsCommand.ts | 14 +- .../src/commands/ListBillingGroupsCommand.ts | 14 +- .../ListCustomLineItemVersionsCommand.ts | 14 +- .../commands/ListCustomLineItemsCommand.ts | 14 +- ...ngPlansAssociatedWithPricingRuleCommand.ts | 14 +- .../src/commands/ListPricingPlansCommand.ts | 14 +- ...cingRulesAssociatedToPricingPlanCommand.ts | 14 +- .../src/commands/ListPricingRulesCommand.ts | 14 +- ...ourcesAssociatedToCustomLineItemCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBillingGroupCommand.ts | 14 +- .../commands/UpdateCustomLineItemCommand.ts | 14 +- .../src/commands/UpdatePricingPlanCommand.ts | 14 +- .../src/commands/UpdatePricingRuleCommand.ts | 14 +- clients/client-braket/package.json | 42 +- .../src/commands/CancelJobCommand.ts | 14 +- .../src/commands/CancelQuantumTaskCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../src/commands/CreateQuantumTaskCommand.ts | 14 +- .../src/commands/GetDeviceCommand.ts | 14 +- .../src/commands/GetJobCommand.ts | 14 +- .../src/commands/GetQuantumTaskCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/SearchDevicesCommand.ts | 14 +- .../src/commands/SearchJobsCommand.ts | 14 +- .../src/commands/SearchQuantumTasksCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-budgets/package.json | 42 +- .../src/commands/CreateBudgetActionCommand.ts | 14 +- .../src/commands/CreateBudgetCommand.ts | 14 +- .../src/commands/CreateNotificationCommand.ts | 14 +- .../src/commands/CreateSubscriberCommand.ts | 14 +- .../src/commands/DeleteBudgetActionCommand.ts | 14 +- .../src/commands/DeleteBudgetCommand.ts | 14 +- .../src/commands/DeleteNotificationCommand.ts | 14 +- .../src/commands/DeleteSubscriberCommand.ts | 14 +- .../commands/DescribeBudgetActionCommand.ts | 14 +- .../DescribeBudgetActionHistoriesCommand.ts | 14 +- .../DescribeBudgetActionsForAccountCommand.ts | 14 +- .../DescribeBudgetActionsForBudgetCommand.ts | 14 +- .../src/commands/DescribeBudgetCommand.ts | 14 +- ...ibeBudgetNotificationsForAccountCommand.ts | 14 +- ...DescribeBudgetPerformanceHistoryCommand.ts | 14 +- .../src/commands/DescribeBudgetsCommand.ts | 14 +- .../DescribeNotificationsForBudgetCommand.ts | 14 +- ...scribeSubscribersForNotificationCommand.ts | 14 +- .../commands/ExecuteBudgetActionCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBudgetActionCommand.ts | 14 +- .../src/commands/UpdateBudgetCommand.ts | 14 +- .../src/commands/UpdateNotificationCommand.ts | 14 +- .../src/commands/UpdateSubscriberCommand.ts | 14 +- clients/client-chatbot/package.json | 42 +- .../CreateChimeWebhookConfigurationCommand.ts | 14 +- ...crosoftTeamsChannelConfigurationCommand.ts | 14 +- .../CreateSlackChannelConfigurationCommand.ts | 14 +- .../DeleteChimeWebhookConfigurationCommand.ts | 14 +- ...crosoftTeamsChannelConfigurationCommand.ts | 14 +- ...leteMicrosoftTeamsConfiguredTeamCommand.ts | 14 +- ...DeleteMicrosoftTeamsUserIdentityCommand.ts | 14 +- .../DeleteSlackChannelConfigurationCommand.ts | 14 +- .../DeleteSlackUserIdentityCommand.ts | 14 +- ...eleteSlackWorkspaceAuthorizationCommand.ts | 14 +- ...scribeChimeWebhookConfigurationsCommand.ts | 14 +- ...scribeSlackChannelConfigurationsCommand.ts | 14 +- .../DescribeSlackUserIdentitiesCommand.ts | 14 +- .../DescribeSlackWorkspacesCommand.ts | 14 +- .../commands/GetAccountPreferencesCommand.ts | 14 +- ...crosoftTeamsChannelConfigurationCommand.ts | 14 +- ...rosoftTeamsChannelConfigurationsCommand.ts | 14 +- ...istMicrosoftTeamsConfiguredTeamsCommand.ts | 14 +- ...ListMicrosoftTeamsUserIdentitiesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAccountPreferencesCommand.ts | 14 +- .../UpdateChimeWebhookConfigurationCommand.ts | 14 +- ...crosoftTeamsChannelConfigurationCommand.ts | 14 +- .../UpdateSlackChannelConfigurationCommand.ts | 14 +- .../client-chime-sdk-identity/package.json | 42 +- .../commands/CreateAppInstanceAdminCommand.ts | 14 +- .../commands/CreateAppInstanceBotCommand.ts | 14 +- .../src/commands/CreateAppInstanceCommand.ts | 14 +- .../commands/CreateAppInstanceUserCommand.ts | 14 +- .../commands/DeleteAppInstanceAdminCommand.ts | 14 +- .../commands/DeleteAppInstanceBotCommand.ts | 14 +- .../src/commands/DeleteAppInstanceCommand.ts | 14 +- .../commands/DeleteAppInstanceUserCommand.ts | 14 +- ...eregisterAppInstanceUserEndpointCommand.ts | 14 +- .../DescribeAppInstanceAdminCommand.ts | 14 +- .../commands/DescribeAppInstanceBotCommand.ts | 14 +- .../commands/DescribeAppInstanceCommand.ts | 14 +- .../DescribeAppInstanceUserCommand.ts | 14 +- .../DescribeAppInstanceUserEndpointCommand.ts | 14 +- .../GetAppInstanceRetentionSettingsCommand.ts | 14 +- .../commands/ListAppInstanceAdminsCommand.ts | 14 +- .../commands/ListAppInstanceBotsCommand.ts | 14 +- .../ListAppInstanceUserEndpointsCommand.ts | 14 +- .../commands/ListAppInstanceUsersCommand.ts | 14 +- .../src/commands/ListAppInstancesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PutAppInstanceRetentionSettingsCommand.ts | 14 +- ...ppInstanceUserExpirationSettingsCommand.ts | 14 +- .../RegisterAppInstanceUserEndpointCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAppInstanceBotCommand.ts | 14 +- .../src/commands/UpdateAppInstanceCommand.ts | 14 +- .../commands/UpdateAppInstanceUserCommand.ts | 14 +- .../UpdateAppInstanceUserEndpointCommand.ts | 14 +- .../package.json | 42 +- .../CreateMediaCapturePipelineCommand.ts | 14 +- ...CreateMediaConcatenationPipelineCommand.ts | 14 +- .../CreateMediaInsightsPipelineCommand.ts | 14 +- ...diaInsightsPipelineConfigurationCommand.ts | 14 +- ...CreateMediaLiveConnectorPipelineCommand.ts | 14 +- ...iaPipelineKinesisVideoStreamPoolCommand.ts | 14 +- .../CreateMediaStreamPipelineCommand.ts | 14 +- .../DeleteMediaCapturePipelineCommand.ts | 14 +- ...diaInsightsPipelineConfigurationCommand.ts | 14 +- .../commands/DeleteMediaPipelineCommand.ts | 14 +- ...iaPipelineKinesisVideoStreamPoolCommand.ts | 14 +- .../GetMediaCapturePipelineCommand.ts | 14 +- ...diaInsightsPipelineConfigurationCommand.ts | 14 +- .../src/commands/GetMediaPipelineCommand.ts | 14 +- ...iaPipelineKinesisVideoStreamPoolCommand.ts | 14 +- .../commands/GetSpeakerSearchTaskCommand.ts | 14 +- .../GetVoiceToneAnalysisTaskCommand.ts | 14 +- .../ListMediaCapturePipelinesCommand.ts | 14 +- ...iaInsightsPipelineConfigurationsCommand.ts | 14 +- ...aPipelineKinesisVideoStreamPoolsCommand.ts | 14 +- .../src/commands/ListMediaPipelinesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/StartSpeakerSearchTaskCommand.ts | 14 +- .../StartVoiceToneAnalysisTaskCommand.ts | 14 +- .../commands/StopSpeakerSearchTaskCommand.ts | 14 +- .../StopVoiceToneAnalysisTaskCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...diaInsightsPipelineConfigurationCommand.ts | 14 +- ...pdateMediaInsightsPipelineStatusCommand.ts | 14 +- ...iaPipelineKinesisVideoStreamPoolCommand.ts | 14 +- .../client-chime-sdk-meetings/package.json | 42 +- .../commands/BatchCreateAttendeeCommand.ts | 14 +- ...UpdateAttendeeCapabilitiesExceptCommand.ts | 14 +- .../src/commands/CreateAttendeeCommand.ts | 14 +- .../src/commands/CreateMeetingCommand.ts | 14 +- .../CreateMeetingWithAttendeesCommand.ts | 14 +- .../src/commands/DeleteAttendeeCommand.ts | 14 +- .../src/commands/DeleteMeetingCommand.ts | 14 +- .../src/commands/GetAttendeeCommand.ts | 14 +- .../src/commands/GetMeetingCommand.ts | 14 +- .../src/commands/ListAttendeesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../StartMeetingTranscriptionCommand.ts | 14 +- .../StopMeetingTranscriptionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAttendeeCapabilitiesCommand.ts | 14 +- .../client-chime-sdk-messaging/package.json | 42 +- .../commands/AssociateChannelFlowCommand.ts | 14 +- .../BatchCreateChannelMembershipCommand.ts | 14 +- .../commands/ChannelFlowCallbackCommand.ts | 14 +- .../src/commands/CreateChannelBanCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../src/commands/CreateChannelFlowCommand.ts | 14 +- .../CreateChannelMembershipCommand.ts | 14 +- .../commands/CreateChannelModeratorCommand.ts | 14 +- .../src/commands/DeleteChannelBanCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../src/commands/DeleteChannelFlowCommand.ts | 14 +- .../DeleteChannelMembershipCommand.ts | 14 +- .../commands/DeleteChannelMessageCommand.ts | 14 +- .../commands/DeleteChannelModeratorCommand.ts | 14 +- ...MessagingStreamingConfigurationsCommand.ts | 14 +- .../src/commands/DescribeChannelBanCommand.ts | 14 +- .../src/commands/DescribeChannelCommand.ts | 14 +- .../commands/DescribeChannelFlowCommand.ts | 14 +- .../DescribeChannelMembershipCommand.ts | 14 +- ...nnelMembershipForAppInstanceUserCommand.ts | 14 +- ...hannelModeratedByAppInstanceUserCommand.ts | 14 +- .../DescribeChannelModeratorCommand.ts | 14 +- .../DisassociateChannelFlowCommand.ts | 14 +- .../GetChannelMembershipPreferencesCommand.ts | 14 +- .../src/commands/GetChannelMessageCommand.ts | 14 +- .../GetChannelMessageStatusCommand.ts | 14 +- .../GetMessagingSessionEndpointCommand.ts | 14 +- ...MessagingStreamingConfigurationsCommand.ts | 14 +- .../src/commands/ListChannelBansCommand.ts | 14 +- .../src/commands/ListChannelFlowsCommand.ts | 14 +- .../commands/ListChannelMembershipsCommand.ts | 14 +- ...nelMembershipsForAppInstanceUserCommand.ts | 14 +- .../commands/ListChannelMessagesCommand.ts | 14 +- .../commands/ListChannelModeratorsCommand.ts | 14 +- ...hannelsAssociatedWithChannelFlowCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- ...annelsModeratedByAppInstanceUserCommand.ts | 14 +- .../src/commands/ListSubChannelsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PutChannelExpirationSettingsCommand.ts | 14 +- .../PutChannelMembershipPreferencesCommand.ts | 14 +- ...MessagingStreamingConfigurationsCommand.ts | 14 +- .../commands/RedactChannelMessageCommand.ts | 14 +- .../src/commands/SearchChannelsCommand.ts | 14 +- .../src/commands/SendChannelMessageCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../src/commands/UpdateChannelFlowCommand.ts | 14 +- .../commands/UpdateChannelMessageCommand.ts | 14 +- .../UpdateChannelReadMarkerCommand.ts | 14 +- clients/client-chime-sdk-voice/package.json | 42 +- ...tePhoneNumbersWithVoiceConnectorCommand.ts | 14 +- ...neNumbersWithVoiceConnectorGroupCommand.ts | 14 +- .../commands/BatchDeletePhoneNumberCommand.ts | 14 +- .../commands/BatchUpdatePhoneNumberCommand.ts | 14 +- .../commands/CreatePhoneNumberOrderCommand.ts | 14 +- .../src/commands/CreateProxySessionCommand.ts | 14 +- .../CreateSipMediaApplicationCallCommand.ts | 14 +- .../CreateSipMediaApplicationCommand.ts | 14 +- .../src/commands/CreateSipRuleCommand.ts | 14 +- .../commands/CreateVoiceConnectorCommand.ts | 14 +- .../CreateVoiceConnectorGroupCommand.ts | 14 +- .../src/commands/CreateVoiceProfileCommand.ts | 14 +- .../CreateVoiceProfileDomainCommand.ts | 14 +- .../src/commands/DeletePhoneNumberCommand.ts | 14 +- .../src/commands/DeleteProxySessionCommand.ts | 14 +- .../DeleteSipMediaApplicationCommand.ts | 14 +- .../src/commands/DeleteSipRuleCommand.ts | 14 +- .../commands/DeleteVoiceConnectorCommand.ts | 14 +- ...torEmergencyCallingConfigurationCommand.ts | 14 +- .../DeleteVoiceConnectorGroupCommand.ts | 14 +- .../DeleteVoiceConnectorOriginationCommand.ts | 14 +- .../DeleteVoiceConnectorProxyCommand.ts | 14 +- ...eConnectorStreamingConfigurationCommand.ts | 14 +- .../DeleteVoiceConnectorTerminationCommand.ts | 14 +- ...eConnectorTerminationCredentialsCommand.ts | 14 +- .../src/commands/DeleteVoiceProfileCommand.ts | 14 +- .../DeleteVoiceProfileDomainCommand.ts | 14 +- ...tePhoneNumbersFromVoiceConnectorCommand.ts | 14 +- ...neNumbersFromVoiceConnectorGroupCommand.ts | 14 +- .../src/commands/GetGlobalSettingsCommand.ts | 14 +- .../src/commands/GetPhoneNumberCommand.ts | 14 +- .../commands/GetPhoneNumberOrderCommand.ts | 14 +- .../commands/GetPhoneNumberSettingsCommand.ts | 14 +- .../src/commands/GetProxySessionCommand.ts | 14 +- ...plicationAlexaSkillConfigurationCommand.ts | 14 +- .../commands/GetSipMediaApplicationCommand.ts | 14 +- ...aApplicationLoggingConfigurationCommand.ts | 14 +- .../src/commands/GetSipRuleCommand.ts | 14 +- .../commands/GetSpeakerSearchTaskCommand.ts | 14 +- .../src/commands/GetVoiceConnectorCommand.ts | 14 +- ...torEmergencyCallingConfigurationCommand.ts | 14 +- .../commands/GetVoiceConnectorGroupCommand.ts | 14 +- ...iceConnectorLoggingConfigurationCommand.ts | 14 +- .../GetVoiceConnectorOriginationCommand.ts | 14 +- .../commands/GetVoiceConnectorProxyCommand.ts | 14 +- ...eConnectorStreamingConfigurationCommand.ts | 14 +- .../GetVoiceConnectorTerminationCommand.ts | 14 +- ...tVoiceConnectorTerminationHealthCommand.ts | 14 +- .../src/commands/GetVoiceProfileCommand.ts | 14 +- .../commands/GetVoiceProfileDomainCommand.ts | 14 +- .../GetVoiceToneAnalysisTaskCommand.ts | 14 +- ...stAvailableVoiceConnectorRegionsCommand.ts | 14 +- .../commands/ListPhoneNumberOrdersCommand.ts | 14 +- .../src/commands/ListPhoneNumbersCommand.ts | 14 +- .../src/commands/ListProxySessionsCommand.ts | 14 +- .../ListSipMediaApplicationsCommand.ts | 14 +- .../src/commands/ListSipRulesCommand.ts | 14 +- ...istSupportedPhoneNumberCountriesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListVoiceConnectorGroupsCommand.ts | 14 +- ...eConnectorTerminationCredentialsCommand.ts | 14 +- .../commands/ListVoiceConnectorsCommand.ts | 14 +- .../ListVoiceProfileDomainsCommand.ts | 14 +- .../src/commands/ListVoiceProfilesCommand.ts | 14 +- ...plicationAlexaSkillConfigurationCommand.ts | 14 +- ...aApplicationLoggingConfigurationCommand.ts | 14 +- ...torEmergencyCallingConfigurationCommand.ts | 14 +- ...iceConnectorLoggingConfigurationCommand.ts | 14 +- .../PutVoiceConnectorOriginationCommand.ts | 14 +- .../commands/PutVoiceConnectorProxyCommand.ts | 14 +- ...eConnectorStreamingConfigurationCommand.ts | 14 +- .../PutVoiceConnectorTerminationCommand.ts | 14 +- ...eConnectorTerminationCredentialsCommand.ts | 14 +- .../src/commands/RestorePhoneNumberCommand.ts | 14 +- .../SearchAvailablePhoneNumbersCommand.ts | 14 +- .../commands/StartSpeakerSearchTaskCommand.ts | 14 +- .../StartVoiceToneAnalysisTaskCommand.ts | 14 +- .../commands/StopSpeakerSearchTaskCommand.ts | 14 +- .../StopVoiceToneAnalysisTaskCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateGlobalSettingsCommand.ts | 14 +- .../src/commands/UpdatePhoneNumberCommand.ts | 14 +- .../UpdatePhoneNumberSettingsCommand.ts | 14 +- .../src/commands/UpdateProxySessionCommand.ts | 14 +- .../UpdateSipMediaApplicationCallCommand.ts | 14 +- .../UpdateSipMediaApplicationCommand.ts | 14 +- .../src/commands/UpdateSipRuleCommand.ts | 14 +- .../commands/UpdateVoiceConnectorCommand.ts | 14 +- .../UpdateVoiceConnectorGroupCommand.ts | 14 +- .../src/commands/UpdateVoiceProfileCommand.ts | 14 +- .../UpdateVoiceProfileDomainCommand.ts | 14 +- .../commands/ValidateE911AddressCommand.ts | 14 +- clients/client-chime/package.json | 42 +- .../AssociatePhoneNumberWithUserCommand.ts | 14 +- ...tePhoneNumbersWithVoiceConnectorCommand.ts | 14 +- ...neNumbersWithVoiceConnectorGroupCommand.ts | 14 +- ...eSigninDelegateGroupsWithAccountCommand.ts | 14 +- .../commands/BatchCreateAttendeeCommand.ts | 14 +- .../BatchCreateChannelMembershipCommand.ts | 14 +- .../BatchCreateRoomMembershipCommand.ts | 14 +- .../commands/BatchDeletePhoneNumberCommand.ts | 14 +- .../src/commands/BatchSuspendUserCommand.ts | 14 +- .../src/commands/BatchUnsuspendUserCommand.ts | 14 +- .../commands/BatchUpdatePhoneNumberCommand.ts | 14 +- .../src/commands/BatchUpdateUserCommand.ts | 14 +- .../src/commands/CreateAccountCommand.ts | 14 +- .../commands/CreateAppInstanceAdminCommand.ts | 14 +- .../src/commands/CreateAppInstanceCommand.ts | 14 +- .../commands/CreateAppInstanceUserCommand.ts | 14 +- .../src/commands/CreateAttendeeCommand.ts | 14 +- .../src/commands/CreateBotCommand.ts | 14 +- .../src/commands/CreateChannelBanCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../CreateChannelMembershipCommand.ts | 14 +- .../commands/CreateChannelModeratorCommand.ts | 14 +- .../CreateMediaCapturePipelineCommand.ts | 14 +- .../src/commands/CreateMeetingCommand.ts | 14 +- .../commands/CreateMeetingDialOutCommand.ts | 14 +- .../CreateMeetingWithAttendeesCommand.ts | 14 +- .../commands/CreatePhoneNumberOrderCommand.ts | 14 +- .../src/commands/CreateProxySessionCommand.ts | 14 +- .../src/commands/CreateRoomCommand.ts | 14 +- .../commands/CreateRoomMembershipCommand.ts | 14 +- .../CreateSipMediaApplicationCallCommand.ts | 14 +- .../CreateSipMediaApplicationCommand.ts | 14 +- .../src/commands/CreateSipRuleCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../commands/CreateVoiceConnectorCommand.ts | 14 +- .../CreateVoiceConnectorGroupCommand.ts | 14 +- .../src/commands/DeleteAccountCommand.ts | 14 +- .../commands/DeleteAppInstanceAdminCommand.ts | 14 +- .../src/commands/DeleteAppInstanceCommand.ts | 14 +- ...pInstanceStreamingConfigurationsCommand.ts | 14 +- .../commands/DeleteAppInstanceUserCommand.ts | 14 +- .../src/commands/DeleteAttendeeCommand.ts | 14 +- .../src/commands/DeleteChannelBanCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../DeleteChannelMembershipCommand.ts | 14 +- .../commands/DeleteChannelMessageCommand.ts | 14 +- .../commands/DeleteChannelModeratorCommand.ts | 14 +- .../DeleteEventsConfigurationCommand.ts | 14 +- .../DeleteMediaCapturePipelineCommand.ts | 14 +- .../src/commands/DeleteMeetingCommand.ts | 14 +- .../src/commands/DeletePhoneNumberCommand.ts | 14 +- .../src/commands/DeleteProxySessionCommand.ts | 14 +- .../src/commands/DeleteRoomCommand.ts | 14 +- .../commands/DeleteRoomMembershipCommand.ts | 14 +- .../DeleteSipMediaApplicationCommand.ts | 14 +- .../src/commands/DeleteSipRuleCommand.ts | 14 +- .../commands/DeleteVoiceConnectorCommand.ts | 14 +- ...torEmergencyCallingConfigurationCommand.ts | 14 +- .../DeleteVoiceConnectorGroupCommand.ts | 14 +- .../DeleteVoiceConnectorOriginationCommand.ts | 14 +- .../DeleteVoiceConnectorProxyCommand.ts | 14 +- ...eConnectorStreamingConfigurationCommand.ts | 14 +- .../DeleteVoiceConnectorTerminationCommand.ts | 14 +- ...eConnectorTerminationCredentialsCommand.ts | 14 +- .../DescribeAppInstanceAdminCommand.ts | 14 +- .../commands/DescribeAppInstanceCommand.ts | 14 +- .../DescribeAppInstanceUserCommand.ts | 14 +- .../src/commands/DescribeChannelBanCommand.ts | 14 +- .../src/commands/DescribeChannelCommand.ts | 14 +- .../DescribeChannelMembershipCommand.ts | 14 +- ...nnelMembershipForAppInstanceUserCommand.ts | 14 +- ...hannelModeratedByAppInstanceUserCommand.ts | 14 +- .../DescribeChannelModeratorCommand.ts | 14 +- .../DisassociatePhoneNumberFromUserCommand.ts | 14 +- ...tePhoneNumbersFromVoiceConnectorCommand.ts | 14 +- ...neNumbersFromVoiceConnectorGroupCommand.ts | 14 +- ...eSigninDelegateGroupsFromAccountCommand.ts | 14 +- .../src/commands/GetAccountCommand.ts | 14 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../GetAppInstanceRetentionSettingsCommand.ts | 14 +- ...pInstanceStreamingConfigurationsCommand.ts | 14 +- .../src/commands/GetAttendeeCommand.ts | 14 +- .../src/commands/GetBotCommand.ts | 14 +- .../src/commands/GetChannelMessageCommand.ts | 14 +- .../commands/GetEventsConfigurationCommand.ts | 14 +- .../src/commands/GetGlobalSettingsCommand.ts | 14 +- .../GetMediaCapturePipelineCommand.ts | 14 +- .../src/commands/GetMeetingCommand.ts | 14 +- .../GetMessagingSessionEndpointCommand.ts | 14 +- .../src/commands/GetPhoneNumberCommand.ts | 14 +- .../commands/GetPhoneNumberOrderCommand.ts | 14 +- .../commands/GetPhoneNumberSettingsCommand.ts | 14 +- .../src/commands/GetProxySessionCommand.ts | 14 +- .../commands/GetRetentionSettingsCommand.ts | 14 +- .../src/commands/GetRoomCommand.ts | 14 +- .../commands/GetSipMediaApplicationCommand.ts | 14 +- ...aApplicationLoggingConfigurationCommand.ts | 14 +- .../src/commands/GetSipRuleCommand.ts | 14 +- .../src/commands/GetUserCommand.ts | 14 +- .../src/commands/GetUserSettingsCommand.ts | 14 +- .../src/commands/GetVoiceConnectorCommand.ts | 14 +- ...torEmergencyCallingConfigurationCommand.ts | 14 +- .../commands/GetVoiceConnectorGroupCommand.ts | 14 +- ...iceConnectorLoggingConfigurationCommand.ts | 14 +- .../GetVoiceConnectorOriginationCommand.ts | 14 +- .../commands/GetVoiceConnectorProxyCommand.ts | 14 +- ...eConnectorStreamingConfigurationCommand.ts | 14 +- .../GetVoiceConnectorTerminationCommand.ts | 14 +- ...tVoiceConnectorTerminationHealthCommand.ts | 14 +- .../src/commands/InviteUsersCommand.ts | 14 +- .../src/commands/ListAccountsCommand.ts | 14 +- .../commands/ListAppInstanceAdminsCommand.ts | 14 +- .../commands/ListAppInstanceUsersCommand.ts | 14 +- .../src/commands/ListAppInstancesCommand.ts | 14 +- .../src/commands/ListAttendeeTagsCommand.ts | 14 +- .../src/commands/ListAttendeesCommand.ts | 14 +- .../src/commands/ListBotsCommand.ts | 14 +- .../src/commands/ListChannelBansCommand.ts | 14 +- .../commands/ListChannelMembershipsCommand.ts | 14 +- ...nelMembershipsForAppInstanceUserCommand.ts | 14 +- .../commands/ListChannelMessagesCommand.ts | 14 +- .../commands/ListChannelModeratorsCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- ...annelsModeratedByAppInstanceUserCommand.ts | 14 +- .../ListMediaCapturePipelinesCommand.ts | 14 +- .../src/commands/ListMeetingTagsCommand.ts | 14 +- .../src/commands/ListMeetingsCommand.ts | 14 +- .../commands/ListPhoneNumberOrdersCommand.ts | 14 +- .../src/commands/ListPhoneNumbersCommand.ts | 14 +- .../src/commands/ListProxySessionsCommand.ts | 14 +- .../commands/ListRoomMembershipsCommand.ts | 14 +- .../src/commands/ListRoomsCommand.ts | 14 +- .../ListSipMediaApplicationsCommand.ts | 14 +- .../src/commands/ListSipRulesCommand.ts | 14 +- ...istSupportedPhoneNumberCountriesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../ListVoiceConnectorGroupsCommand.ts | 14 +- ...eConnectorTerminationCredentialsCommand.ts | 14 +- .../commands/ListVoiceConnectorsCommand.ts | 14 +- .../src/commands/LogoutUserCommand.ts | 14 +- .../PutAppInstanceRetentionSettingsCommand.ts | 14 +- ...pInstanceStreamingConfigurationsCommand.ts | 14 +- .../commands/PutEventsConfigurationCommand.ts | 14 +- .../commands/PutRetentionSettingsCommand.ts | 14 +- ...aApplicationLoggingConfigurationCommand.ts | 14 +- ...torEmergencyCallingConfigurationCommand.ts | 14 +- ...iceConnectorLoggingConfigurationCommand.ts | 14 +- .../PutVoiceConnectorOriginationCommand.ts | 14 +- .../commands/PutVoiceConnectorProxyCommand.ts | 14 +- ...eConnectorStreamingConfigurationCommand.ts | 14 +- .../PutVoiceConnectorTerminationCommand.ts | 14 +- ...eConnectorTerminationCredentialsCommand.ts | 14 +- .../commands/RedactChannelMessageCommand.ts | 14 +- .../RedactConversationMessageCommand.ts | 14 +- .../src/commands/RedactRoomMessageCommand.ts | 14 +- .../RegenerateSecurityTokenCommand.ts | 14 +- .../src/commands/ResetPersonalPINCommand.ts | 14 +- .../src/commands/RestorePhoneNumberCommand.ts | 14 +- .../SearchAvailablePhoneNumbersCommand.ts | 14 +- .../src/commands/SendChannelMessageCommand.ts | 14 +- .../StartMeetingTranscriptionCommand.ts | 14 +- .../StopMeetingTranscriptionCommand.ts | 14 +- .../src/commands/TagAttendeeCommand.ts | 14 +- .../src/commands/TagMeetingCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagAttendeeCommand.ts | 14 +- .../src/commands/UntagMeetingCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAccountCommand.ts | 14 +- .../commands/UpdateAccountSettingsCommand.ts | 14 +- .../src/commands/UpdateAppInstanceCommand.ts | 14 +- .../commands/UpdateAppInstanceUserCommand.ts | 14 +- .../src/commands/UpdateBotCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../commands/UpdateChannelMessageCommand.ts | 14 +- .../UpdateChannelReadMarkerCommand.ts | 14 +- .../commands/UpdateGlobalSettingsCommand.ts | 14 +- .../src/commands/UpdatePhoneNumberCommand.ts | 14 +- .../UpdatePhoneNumberSettingsCommand.ts | 14 +- .../src/commands/UpdateProxySessionCommand.ts | 14 +- .../src/commands/UpdateRoomCommand.ts | 14 +- .../commands/UpdateRoomMembershipCommand.ts | 14 +- .../UpdateSipMediaApplicationCallCommand.ts | 14 +- .../UpdateSipMediaApplicationCommand.ts | 14 +- .../src/commands/UpdateSipRuleCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- .../src/commands/UpdateUserSettingsCommand.ts | 14 +- .../commands/UpdateVoiceConnectorCommand.ts | 14 +- .../UpdateVoiceConnectorGroupCommand.ts | 14 +- .../commands/ValidateE911AddressCommand.ts | 14 +- clients/client-cleanrooms/package.json | 42 +- ...GetCollaborationAnalysisTemplateCommand.ts | 14 +- .../BatchGetSchemaAnalysisRuleCommand.ts | 14 +- .../src/commands/BatchGetSchemaCommand.ts | 14 +- .../commands/CreateAnalysisTemplateCommand.ts | 14 +- .../commands/CreateCollaborationCommand.ts | 14 +- ...nfiguredAudienceModelAssociationCommand.ts | 14 +- ...reateConfiguredTableAnalysisRuleCommand.ts | 14 +- ...uredTableAssociationAnalysisRuleCommand.ts | 14 +- ...CreateConfiguredTableAssociationCommand.ts | 14 +- .../commands/CreateConfiguredTableCommand.ts | 14 +- .../commands/CreateIdMappingTableCommand.ts | 14 +- .../CreateIdNamespaceAssociationCommand.ts | 14 +- .../src/commands/CreateMembershipCommand.ts | 14 +- .../CreatePrivacyBudgetTemplateCommand.ts | 14 +- .../commands/DeleteAnalysisTemplateCommand.ts | 14 +- .../commands/DeleteCollaborationCommand.ts | 14 +- ...nfiguredAudienceModelAssociationCommand.ts | 14 +- ...eleteConfiguredTableAnalysisRuleCommand.ts | 14 +- ...uredTableAssociationAnalysisRuleCommand.ts | 14 +- ...DeleteConfiguredTableAssociationCommand.ts | 14 +- .../commands/DeleteConfiguredTableCommand.ts | 14 +- .../commands/DeleteIdMappingTableCommand.ts | 14 +- .../DeleteIdNamespaceAssociationCommand.ts | 14 +- .../src/commands/DeleteMemberCommand.ts | 14 +- .../src/commands/DeleteMembershipCommand.ts | 14 +- .../DeletePrivacyBudgetTemplateCommand.ts | 14 +- .../commands/GetAnalysisTemplateCommand.ts | 14 +- ...GetCollaborationAnalysisTemplateCommand.ts | 14 +- .../src/commands/GetCollaborationCommand.ts | 14 +- ...nfiguredAudienceModelAssociationCommand.ts | 14 +- ...laborationIdNamespaceAssociationCommand.ts | 14 +- ...llaborationPrivacyBudgetTemplateCommand.ts | 14 +- ...nfiguredAudienceModelAssociationCommand.ts | 14 +- .../GetConfiguredTableAnalysisRuleCommand.ts | 14 +- ...uredTableAssociationAnalysisRuleCommand.ts | 14 +- .../GetConfiguredTableAssociationCommand.ts | 14 +- .../src/commands/GetConfiguredTableCommand.ts | 14 +- .../src/commands/GetIdMappingTableCommand.ts | 14 +- .../GetIdNamespaceAssociationCommand.ts | 14 +- .../src/commands/GetMembershipCommand.ts | 14 +- .../GetPrivacyBudgetTemplateCommand.ts | 14 +- .../src/commands/GetProtectedQueryCommand.ts | 14 +- .../commands/GetSchemaAnalysisRuleCommand.ts | 14 +- .../src/commands/GetSchemaCommand.ts | 14 +- .../commands/ListAnalysisTemplatesCommand.ts | 14 +- ...stCollaborationAnalysisTemplatesCommand.ts | 14 +- ...figuredAudienceModelAssociationsCommand.ts | 14 +- ...aborationIdNamespaceAssociationsCommand.ts | 14 +- ...laborationPrivacyBudgetTemplatesCommand.ts | 14 +- .../ListCollaborationPrivacyBudgetsCommand.ts | 14 +- .../src/commands/ListCollaborationsCommand.ts | 14 +- ...figuredAudienceModelAssociationsCommand.ts | 14 +- .../ListConfiguredTableAssociationsCommand.ts | 14 +- .../commands/ListConfiguredTablesCommand.ts | 14 +- .../commands/ListIdMappingTablesCommand.ts | 14 +- .../ListIdNamespaceAssociationsCommand.ts | 14 +- .../src/commands/ListMembersCommand.ts | 14 +- .../src/commands/ListMembershipsCommand.ts | 14 +- .../ListPrivacyBudgetTemplatesCommand.ts | 14 +- .../src/commands/ListPrivacyBudgetsCommand.ts | 14 +- .../commands/ListProtectedQueriesCommand.ts | 14 +- .../src/commands/ListSchemasCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/PopulateIdMappingTableCommand.ts | 14 +- .../commands/PreviewPrivacyImpactCommand.ts | 14 +- .../commands/StartProtectedQueryCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAnalysisTemplateCommand.ts | 14 +- .../commands/UpdateCollaborationCommand.ts | 14 +- ...nfiguredAudienceModelAssociationCommand.ts | 14 +- ...pdateConfiguredTableAnalysisRuleCommand.ts | 14 +- ...uredTableAssociationAnalysisRuleCommand.ts | 14 +- ...UpdateConfiguredTableAssociationCommand.ts | 14 +- .../commands/UpdateConfiguredTableCommand.ts | 14 +- .../commands/UpdateIdMappingTableCommand.ts | 14 +- .../UpdateIdNamespaceAssociationCommand.ts | 14 +- .../src/commands/UpdateMembershipCommand.ts | 14 +- .../UpdatePrivacyBudgetTemplateCommand.ts | 14 +- .../commands/UpdateProtectedQueryCommand.ts | 14 +- clients/client-cleanroomsml/package.json | 42 +- .../commands/CreateAudienceModelCommand.ts | 14 +- .../CreateConfiguredAudienceModelCommand.ts | 14 +- .../commands/CreateTrainingDatasetCommand.ts | 14 +- .../DeleteAudienceGenerationJobCommand.ts | 14 +- .../commands/DeleteAudienceModelCommand.ts | 14 +- .../DeleteConfiguredAudienceModelCommand.ts | 14 +- ...eteConfiguredAudienceModelPolicyCommand.ts | 14 +- .../commands/DeleteTrainingDatasetCommand.ts | 14 +- .../GetAudienceGenerationJobCommand.ts | 14 +- .../src/commands/GetAudienceModelCommand.ts | 14 +- .../GetConfiguredAudienceModelCommand.ts | 14 +- ...GetConfiguredAudienceModelPolicyCommand.ts | 14 +- .../src/commands/GetTrainingDatasetCommand.ts | 14 +- .../commands/ListAudienceExportJobsCommand.ts | 14 +- .../ListAudienceGenerationJobsCommand.ts | 14 +- .../src/commands/ListAudienceModelsCommand.ts | 14 +- .../ListConfiguredAudienceModelsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTrainingDatasetsCommand.ts | 14 +- ...PutConfiguredAudienceModelPolicyCommand.ts | 14 +- .../commands/StartAudienceExportJobCommand.ts | 14 +- .../StartAudienceGenerationJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateConfiguredAudienceModelCommand.ts | 14 +- clients/client-cloud9/package.json | 42 +- .../commands/CreateEnvironmentEC2Command.ts | 14 +- .../CreateEnvironmentMembershipCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../DeleteEnvironmentMembershipCommand.ts | 14 +- .../DescribeEnvironmentMembershipsCommand.ts | 14 +- .../DescribeEnvironmentStatusCommand.ts | 14 +- .../commands/DescribeEnvironmentsCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- .../UpdateEnvironmentMembershipCommand.ts | 14 +- clients/client-cloudcontrol/package.json | 44 +- .../commands/CancelResourceRequestCommand.ts | 14 +- .../src/commands/CreateResourceCommand.ts | 14 +- .../src/commands/DeleteResourceCommand.ts | 14 +- .../src/commands/GetResourceCommand.ts | 14 +- .../GetResourceRequestStatusCommand.ts | 14 +- .../commands/ListResourceRequestsCommand.ts | 14 +- .../src/commands/ListResourcesCommand.ts | 14 +- .../src/commands/UpdateResourceCommand.ts | 14 +- clients/client-clouddirectory/package.json | 42 +- .../src/commands/AddFacetToObjectCommand.ts | 14 +- .../src/commands/ApplySchemaCommand.ts | 14 +- .../src/commands/AttachObjectCommand.ts | 14 +- .../src/commands/AttachPolicyCommand.ts | 14 +- .../src/commands/AttachToIndexCommand.ts | 14 +- .../src/commands/AttachTypedLinkCommand.ts | 14 +- .../src/commands/BatchReadCommand.ts | 14 +- .../src/commands/BatchWriteCommand.ts | 14 +- .../src/commands/CreateDirectoryCommand.ts | 14 +- .../src/commands/CreateFacetCommand.ts | 14 +- .../src/commands/CreateIndexCommand.ts | 14 +- .../src/commands/CreateObjectCommand.ts | 14 +- .../src/commands/CreateSchemaCommand.ts | 14 +- .../commands/CreateTypedLinkFacetCommand.ts | 14 +- .../src/commands/DeleteDirectoryCommand.ts | 14 +- .../src/commands/DeleteFacetCommand.ts | 14 +- .../src/commands/DeleteObjectCommand.ts | 14 +- .../src/commands/DeleteSchemaCommand.ts | 14 +- .../commands/DeleteTypedLinkFacetCommand.ts | 14 +- .../src/commands/DetachFromIndexCommand.ts | 14 +- .../src/commands/DetachObjectCommand.ts | 14 +- .../src/commands/DetachPolicyCommand.ts | 14 +- .../src/commands/DetachTypedLinkCommand.ts | 14 +- .../src/commands/DisableDirectoryCommand.ts | 14 +- .../src/commands/EnableDirectoryCommand.ts | 14 +- .../GetAppliedSchemaVersionCommand.ts | 14 +- .../src/commands/GetDirectoryCommand.ts | 14 +- .../src/commands/GetFacetCommand.ts | 14 +- .../src/commands/GetLinkAttributesCommand.ts | 14 +- .../commands/GetObjectAttributesCommand.ts | 14 +- .../commands/GetObjectInformationCommand.ts | 14 +- .../src/commands/GetSchemaAsJsonCommand.ts | 14 +- .../GetTypedLinkFacetInformationCommand.ts | 14 +- .../commands/ListAppliedSchemaArnsCommand.ts | 14 +- .../commands/ListAttachedIndicesCommand.ts | 14 +- .../ListDevelopmentSchemaArnsCommand.ts | 14 +- .../src/commands/ListDirectoriesCommand.ts | 14 +- .../commands/ListFacetAttributesCommand.ts | 14 +- .../src/commands/ListFacetNamesCommand.ts | 14 +- .../commands/ListIncomingTypedLinksCommand.ts | 14 +- .../src/commands/ListIndexCommand.ts | 14 +- .../commands/ListManagedSchemaArnsCommand.ts | 14 +- .../commands/ListObjectAttributesCommand.ts | 14 +- .../src/commands/ListObjectChildrenCommand.ts | 14 +- .../commands/ListObjectParentPathsCommand.ts | 14 +- .../src/commands/ListObjectParentsCommand.ts | 14 +- .../src/commands/ListObjectPoliciesCommand.ts | 14 +- .../commands/ListOutgoingTypedLinksCommand.ts | 14 +- .../commands/ListPolicyAttachmentsCommand.ts | 14 +- .../ListPublishedSchemaArnsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTypedLinkFacetAttributesCommand.ts | 14 +- .../ListTypedLinkFacetNamesCommand.ts | 14 +- .../src/commands/LookupPolicyCommand.ts | 14 +- .../src/commands/PublishSchemaCommand.ts | 14 +- .../src/commands/PutSchemaFromJsonCommand.ts | 14 +- .../commands/RemoveFacetFromObjectCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateFacetCommand.ts | 14 +- .../commands/UpdateLinkAttributesCommand.ts | 14 +- .../commands/UpdateObjectAttributesCommand.ts | 14 +- .../src/commands/UpdateSchemaCommand.ts | 14 +- .../commands/UpdateTypedLinkFacetCommand.ts | 14 +- .../commands/UpgradeAppliedSchemaCommand.ts | 14 +- .../commands/UpgradePublishedSchemaCommand.ts | 14 +- clients/client-cloudformation/package.json | 44 +- .../ActivateOrganizationsAccessCommand.ts | 14 +- .../src/commands/ActivateTypeCommand.ts | 14 +- .../BatchDescribeTypeConfigurationsCommand.ts | 14 +- .../src/commands/CancelUpdateStackCommand.ts | 14 +- .../commands/ContinueUpdateRollbackCommand.ts | 14 +- .../src/commands/CreateChangeSetCommand.ts | 14 +- .../CreateGeneratedTemplateCommand.ts | 14 +- .../src/commands/CreateStackCommand.ts | 14 +- .../commands/CreateStackInstancesCommand.ts | 14 +- .../src/commands/CreateStackSetCommand.ts | 14 +- .../DeactivateOrganizationsAccessCommand.ts | 14 +- .../src/commands/DeactivateTypeCommand.ts | 14 +- .../src/commands/DeleteChangeSetCommand.ts | 14 +- .../DeleteGeneratedTemplateCommand.ts | 14 +- .../src/commands/DeleteStackCommand.ts | 14 +- .../commands/DeleteStackInstancesCommand.ts | 14 +- .../src/commands/DeleteStackSetCommand.ts | 14 +- .../src/commands/DeregisterTypeCommand.ts | 14 +- .../commands/DescribeAccountLimitsCommand.ts | 14 +- .../src/commands/DescribeChangeSetCommand.ts | 14 +- .../commands/DescribeChangeSetHooksCommand.ts | 14 +- .../DescribeGeneratedTemplateCommand.ts | 14 +- .../DescribeOrganizationsAccessCommand.ts | 14 +- .../src/commands/DescribePublisherCommand.ts | 14 +- .../commands/DescribeResourceScanCommand.ts | 14 +- ...escribeStackDriftDetectionStatusCommand.ts | 14 +- .../commands/DescribeStackEventsCommand.ts | 14 +- .../commands/DescribeStackInstanceCommand.ts | 14 +- .../commands/DescribeStackResourceCommand.ts | 14 +- .../DescribeStackResourceDriftsCommand.ts | 14 +- .../commands/DescribeStackResourcesCommand.ts | 14 +- .../src/commands/DescribeStackSetCommand.ts | 14 +- .../DescribeStackSetOperationCommand.ts | 14 +- .../src/commands/DescribeStacksCommand.ts | 14 +- .../src/commands/DescribeTypeCommand.ts | 14 +- .../DescribeTypeRegistrationCommand.ts | 14 +- .../src/commands/DetectStackDriftCommand.ts | 14 +- .../DetectStackResourceDriftCommand.ts | 14 +- .../commands/DetectStackSetDriftCommand.ts | 14 +- .../commands/EstimateTemplateCostCommand.ts | 14 +- .../src/commands/ExecuteChangeSetCommand.ts | 14 +- .../commands/GetGeneratedTemplateCommand.ts | 14 +- .../src/commands/GetStackPolicyCommand.ts | 14 +- .../src/commands/GetTemplateCommand.ts | 14 +- .../src/commands/GetTemplateSummaryCommand.ts | 14 +- .../commands/ImportStacksToStackSetCommand.ts | 14 +- .../src/commands/ListChangeSetsCommand.ts | 14 +- .../src/commands/ListExportsCommand.ts | 14 +- .../commands/ListGeneratedTemplatesCommand.ts | 14 +- .../src/commands/ListImportsCommand.ts | 14 +- ...ListResourceScanRelatedResourcesCommand.ts | 14 +- .../ListResourceScanResourcesCommand.ts | 14 +- .../src/commands/ListResourceScansCommand.ts | 14 +- .../ListStackInstanceResourceDriftsCommand.ts | 14 +- .../src/commands/ListStackInstancesCommand.ts | 14 +- .../src/commands/ListStackResourcesCommand.ts | 14 +- ...istStackSetAutoDeploymentTargetsCommand.ts | 14 +- .../ListStackSetOperationResultsCommand.ts | 14 +- .../commands/ListStackSetOperationsCommand.ts | 14 +- .../src/commands/ListStackSetsCommand.ts | 14 +- .../src/commands/ListStacksCommand.ts | 14 +- .../commands/ListTypeRegistrationsCommand.ts | 14 +- .../src/commands/ListTypeVersionsCommand.ts | 14 +- .../src/commands/ListTypesCommand.ts | 14 +- .../src/commands/PublishTypeCommand.ts | 14 +- .../commands/RecordHandlerProgressCommand.ts | 14 +- .../src/commands/RegisterPublisherCommand.ts | 14 +- .../src/commands/RegisterTypeCommand.ts | 14 +- .../src/commands/RollbackStackCommand.ts | 14 +- .../src/commands/SetStackPolicyCommand.ts | 14 +- .../commands/SetTypeConfigurationCommand.ts | 14 +- .../commands/SetTypeDefaultVersionCommand.ts | 14 +- .../src/commands/SignalResourceCommand.ts | 14 +- .../src/commands/StartResourceScanCommand.ts | 14 +- .../commands/StopStackSetOperationCommand.ts | 14 +- .../src/commands/TestTypeCommand.ts | 14 +- .../UpdateGeneratedTemplateCommand.ts | 14 +- .../src/commands/UpdateStackCommand.ts | 14 +- .../commands/UpdateStackInstancesCommand.ts | 14 +- .../src/commands/UpdateStackSetCommand.ts | 14 +- .../UpdateTerminationProtectionCommand.ts | 14 +- .../src/commands/ValidateTemplateCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/DeleteKeyCommand.ts | 14 +- .../commands/DescribeKeyValueStoreCommand.ts | 14 +- .../src/commands/GetKeyCommand.ts | 14 +- .../src/commands/ListKeysCommand.ts | 14 +- .../src/commands/PutKeyCommand.ts | 14 +- .../src/commands/UpdateKeysCommand.ts | 14 +- clients/client-cloudfront/package.json | 46 +- .../src/commands/AssociateAliasCommand.ts | 14 +- .../src/commands/CopyDistributionCommand.ts | 14 +- .../src/commands/CreateCachePolicyCommand.ts | 14 +- ...teCloudFrontOriginAccessIdentityCommand.ts | 14 +- ...CreateContinuousDeploymentPolicyCommand.ts | 14 +- .../src/commands/CreateDistributionCommand.ts | 14 +- .../CreateDistributionWithTagsCommand.ts | 14 +- ...CreateFieldLevelEncryptionConfigCommand.ts | 14 +- ...reateFieldLevelEncryptionProfileCommand.ts | 14 +- .../src/commands/CreateFunctionCommand.ts | 14 +- .../src/commands/CreateInvalidationCommand.ts | 14 +- .../src/commands/CreateKeyGroupCommand.ts | 14 +- .../commands/CreateKeyValueStoreCommand.ts | 14 +- .../CreateMonitoringSubscriptionCommand.ts | 14 +- .../CreateOriginAccessControlCommand.ts | 14 +- .../CreateOriginRequestPolicyCommand.ts | 14 +- .../src/commands/CreatePublicKeyCommand.ts | 14 +- .../CreateRealtimeLogConfigCommand.ts | 14 +- .../CreateResponseHeadersPolicyCommand.ts | 14 +- .../CreateStreamingDistributionCommand.ts | 14 +- ...ateStreamingDistributionWithTagsCommand.ts | 14 +- .../src/commands/DeleteCachePolicyCommand.ts | 14 +- ...teCloudFrontOriginAccessIdentityCommand.ts | 14 +- ...DeleteContinuousDeploymentPolicyCommand.ts | 14 +- .../src/commands/DeleteDistributionCommand.ts | 14 +- ...DeleteFieldLevelEncryptionConfigCommand.ts | 14 +- ...eleteFieldLevelEncryptionProfileCommand.ts | 14 +- .../src/commands/DeleteFunctionCommand.ts | 14 +- .../src/commands/DeleteKeyGroupCommand.ts | 14 +- .../commands/DeleteKeyValueStoreCommand.ts | 14 +- .../DeleteMonitoringSubscriptionCommand.ts | 14 +- .../DeleteOriginAccessControlCommand.ts | 14 +- .../DeleteOriginRequestPolicyCommand.ts | 14 +- .../src/commands/DeletePublicKeyCommand.ts | 14 +- .../DeleteRealtimeLogConfigCommand.ts | 14 +- .../DeleteResponseHeadersPolicyCommand.ts | 14 +- .../DeleteStreamingDistributionCommand.ts | 14 +- .../src/commands/DescribeFunctionCommand.ts | 14 +- .../commands/DescribeKeyValueStoreCommand.ts | 14 +- .../src/commands/GetCachePolicyCommand.ts | 14 +- .../commands/GetCachePolicyConfigCommand.ts | 14 +- ...etCloudFrontOriginAccessIdentityCommand.ts | 14 +- ...dFrontOriginAccessIdentityConfigCommand.ts | 14 +- .../GetContinuousDeploymentPolicyCommand.ts | 14 +- ...ContinuousDeploymentPolicyConfigCommand.ts | 14 +- .../src/commands/GetDistributionCommand.ts | 14 +- .../commands/GetDistributionConfigCommand.ts | 14 +- .../GetFieldLevelEncryptionCommand.ts | 14 +- .../GetFieldLevelEncryptionConfigCommand.ts | 14 +- .../GetFieldLevelEncryptionProfileCommand.ts | 14 +- ...ieldLevelEncryptionProfileConfigCommand.ts | 14 +- .../src/commands/GetFunctionCommand.ts | 14 +- .../src/commands/GetInvalidationCommand.ts | 14 +- .../src/commands/GetKeyGroupCommand.ts | 14 +- .../src/commands/GetKeyGroupConfigCommand.ts | 14 +- .../GetMonitoringSubscriptionCommand.ts | 14 +- .../commands/GetOriginAccessControlCommand.ts | 14 +- .../GetOriginAccessControlConfigCommand.ts | 14 +- .../commands/GetOriginRequestPolicyCommand.ts | 14 +- .../GetOriginRequestPolicyConfigCommand.ts | 14 +- .../src/commands/GetPublicKeyCommand.ts | 14 +- .../src/commands/GetPublicKeyConfigCommand.ts | 14 +- .../commands/GetRealtimeLogConfigCommand.ts | 14 +- .../GetResponseHeadersPolicyCommand.ts | 14 +- .../GetResponseHeadersPolicyConfigCommand.ts | 14 +- .../GetStreamingDistributionCommand.ts | 14 +- .../GetStreamingDistributionConfigCommand.ts | 14 +- .../src/commands/ListCachePoliciesCommand.ts | 14 +- ...CloudFrontOriginAccessIdentitiesCommand.ts | 14 +- .../commands/ListConflictingAliasesCommand.ts | 14 +- ...ListContinuousDeploymentPoliciesCommand.ts | 14 +- ...ListDistributionsByCachePolicyIdCommand.ts | 14 +- .../ListDistributionsByKeyGroupCommand.ts | 14 +- ...ributionsByOriginRequestPolicyIdCommand.ts | 14 +- ...DistributionsByRealtimeLogConfigCommand.ts | 14 +- ...butionsByResponseHeadersPolicyIdCommand.ts | 14 +- .../ListDistributionsByWebACLIdCommand.ts | 14 +- .../src/commands/ListDistributionsCommand.ts | 14 +- .../ListFieldLevelEncryptionConfigsCommand.ts | 14 +- ...ListFieldLevelEncryptionProfilesCommand.ts | 14 +- .../src/commands/ListFunctionsCommand.ts | 14 +- .../src/commands/ListInvalidationsCommand.ts | 14 +- .../src/commands/ListKeyGroupsCommand.ts | 14 +- .../src/commands/ListKeyValueStoresCommand.ts | 14 +- .../ListOriginAccessControlsCommand.ts | 14 +- .../ListOriginRequestPoliciesCommand.ts | 14 +- .../src/commands/ListPublicKeysCommand.ts | 14 +- .../commands/ListRealtimeLogConfigsCommand.ts | 14 +- .../ListResponseHeadersPoliciesCommand.ts | 14 +- .../ListStreamingDistributionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PublishFunctionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestFunctionCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCachePolicyCommand.ts | 14 +- ...teCloudFrontOriginAccessIdentityCommand.ts | 14 +- ...UpdateContinuousDeploymentPolicyCommand.ts | 14 +- .../src/commands/UpdateDistributionCommand.ts | 14 +- ...ateDistributionWithStagingConfigCommand.ts | 14 +- ...UpdateFieldLevelEncryptionConfigCommand.ts | 14 +- ...pdateFieldLevelEncryptionProfileCommand.ts | 14 +- .../src/commands/UpdateFunctionCommand.ts | 14 +- .../src/commands/UpdateKeyGroupCommand.ts | 14 +- .../commands/UpdateKeyValueStoreCommand.ts | 14 +- .../UpdateOriginAccessControlCommand.ts | 14 +- .../UpdateOriginRequestPolicyCommand.ts | 14 +- .../src/commands/UpdatePublicKeyCommand.ts | 14 +- .../UpdateRealtimeLogConfigCommand.ts | 14 +- .../UpdateResponseHeadersPolicyCommand.ts | 14 +- .../UpdateStreamingDistributionCommand.ts | 14 +- clients/client-cloudhsm-v2/package.json | 42 +- .../src/commands/CopyBackupToRegionCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../src/commands/CreateHsmCommand.ts | 14 +- .../src/commands/DeleteBackupCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../src/commands/DeleteHsmCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DescribeBackupsCommand.ts | 14 +- .../src/commands/DescribeClustersCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/InitializeClusterCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../commands/ModifyBackupAttributesCommand.ts | 14 +- .../src/commands/ModifyClusterCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/RestoreBackupCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-cloudhsm/package.json | 42 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../src/commands/CreateHapgCommand.ts | 14 +- .../src/commands/CreateHsmCommand.ts | 14 +- .../src/commands/CreateLunaClientCommand.ts | 14 +- .../src/commands/DeleteHapgCommand.ts | 14 +- .../src/commands/DeleteHsmCommand.ts | 14 +- .../src/commands/DeleteLunaClientCommand.ts | 14 +- .../src/commands/DescribeHapgCommand.ts | 14 +- .../src/commands/DescribeHsmCommand.ts | 14 +- .../src/commands/DescribeLunaClientCommand.ts | 14 +- .../src/commands/GetConfigCommand.ts | 14 +- .../src/commands/ListAvailableZonesCommand.ts | 14 +- .../src/commands/ListHapgsCommand.ts | 14 +- .../src/commands/ListHsmsCommand.ts | 14 +- .../src/commands/ListLunaClientsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ModifyHapgCommand.ts | 14 +- .../src/commands/ModifyHsmCommand.ts | 14 +- .../src/commands/ModifyLunaClientCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../client-cloudsearch-domain/package.json | 42 +- .../src/commands/SearchCommand.ts | 14 +- .../src/commands/SuggestCommand.ts | 14 +- .../src/commands/UploadDocumentsCommand.ts | 14 +- clients/client-cloudsearch/package.json | 42 +- .../src/commands/BuildSuggestersCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../commands/DefineAnalysisSchemeCommand.ts | 14 +- .../src/commands/DefineExpressionCommand.ts | 14 +- .../src/commands/DefineIndexFieldCommand.ts | 14 +- .../src/commands/DefineSuggesterCommand.ts | 14 +- .../commands/DeleteAnalysisSchemeCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../src/commands/DeleteExpressionCommand.ts | 14 +- .../src/commands/DeleteIndexFieldCommand.ts | 14 +- .../src/commands/DeleteSuggesterCommand.ts | 14 +- .../DescribeAnalysisSchemesCommand.ts | 14 +- .../DescribeAvailabilityOptionsCommand.ts | 14 +- .../DescribeDomainEndpointOptionsCommand.ts | 14 +- .../src/commands/DescribeDomainsCommand.ts | 14 +- .../commands/DescribeExpressionsCommand.ts | 14 +- .../commands/DescribeIndexFieldsCommand.ts | 14 +- .../DescribeScalingParametersCommand.ts | 14 +- .../DescribeServiceAccessPoliciesCommand.ts | 14 +- .../src/commands/DescribeSuggestersCommand.ts | 14 +- .../src/commands/IndexDocumentsCommand.ts | 14 +- .../src/commands/ListDomainNamesCommand.ts | 14 +- .../UpdateAvailabilityOptionsCommand.ts | 14 +- .../UpdateDomainEndpointOptionsCommand.ts | 14 +- .../UpdateScalingParametersCommand.ts | 14 +- .../UpdateServiceAccessPoliciesCommand.ts | 14 +- clients/client-cloudtrail-data/package.json | 42 +- .../src/commands/PutAuditEventsCommand.ts | 14 +- clients/client-cloudtrail/package.json | 42 +- .../src/commands/AddTagsCommand.ts | 14 +- .../src/commands/CancelQueryCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../commands/CreateEventDataStoreCommand.ts | 14 +- .../src/commands/CreateTrailCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../commands/DeleteEventDataStoreCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteTrailCommand.ts | 14 +- ...gisterOrganizationDelegatedAdminCommand.ts | 14 +- .../src/commands/DescribeQueryCommand.ts | 14 +- .../src/commands/DescribeTrailsCommand.ts | 14 +- .../src/commands/DisableFederationCommand.ts | 14 +- .../src/commands/EnableFederationCommand.ts | 14 +- .../src/commands/GetChannelCommand.ts | 14 +- .../src/commands/GetEventDataStoreCommand.ts | 14 +- .../src/commands/GetEventSelectorsCommand.ts | 14 +- .../src/commands/GetImportCommand.ts | 14 +- .../commands/GetInsightSelectorsCommand.ts | 14 +- .../src/commands/GetQueryResultsCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/GetTrailCommand.ts | 14 +- .../src/commands/GetTrailStatusCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- .../commands/ListEventDataStoresCommand.ts | 14 +- .../src/commands/ListImportFailuresCommand.ts | 14 +- .../src/commands/ListImportsCommand.ts | 14 +- .../commands/ListInsightsMetricDataCommand.ts | 14 +- .../src/commands/ListPublicKeysCommand.ts | 14 +- .../src/commands/ListQueriesCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../src/commands/ListTrailsCommand.ts | 14 +- .../src/commands/LookupEventsCommand.ts | 14 +- .../src/commands/PutEventSelectorsCommand.ts | 14 +- .../commands/PutInsightSelectorsCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- ...gisterOrganizationDelegatedAdminCommand.ts | 14 +- .../src/commands/RemoveTagsCommand.ts | 14 +- .../commands/RestoreEventDataStoreCommand.ts | 14 +- .../StartEventDataStoreIngestionCommand.ts | 14 +- .../src/commands/StartImportCommand.ts | 14 +- .../src/commands/StartLoggingCommand.ts | 14 +- .../src/commands/StartQueryCommand.ts | 14 +- .../StopEventDataStoreIngestionCommand.ts | 14 +- .../src/commands/StopImportCommand.ts | 14 +- .../src/commands/StopLoggingCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../commands/UpdateEventDataStoreCommand.ts | 14 +- .../src/commands/UpdateTrailCommand.ts | 14 +- clients/client-cloudwatch-events/package.json | 42 +- .../commands/ActivateEventSourceCommand.ts | 14 +- .../src/commands/CancelReplayCommand.ts | 14 +- .../commands/CreateApiDestinationCommand.ts | 14 +- .../src/commands/CreateArchiveCommand.ts | 14 +- .../src/commands/CreateConnectionCommand.ts | 14 +- .../src/commands/CreateEventBusCommand.ts | 14 +- .../CreatePartnerEventSourceCommand.ts | 14 +- .../commands/DeactivateEventSourceCommand.ts | 14 +- .../commands/DeauthorizeConnectionCommand.ts | 14 +- .../commands/DeleteApiDestinationCommand.ts | 14 +- .../src/commands/DeleteArchiveCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/DeleteEventBusCommand.ts | 14 +- .../DeletePartnerEventSourceCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../commands/DescribeApiDestinationCommand.ts | 14 +- .../src/commands/DescribeArchiveCommand.ts | 14 +- .../src/commands/DescribeConnectionCommand.ts | 14 +- .../src/commands/DescribeEventBusCommand.ts | 14 +- .../commands/DescribeEventSourceCommand.ts | 14 +- .../DescribePartnerEventSourceCommand.ts | 14 +- .../src/commands/DescribeReplayCommand.ts | 14 +- .../src/commands/DescribeRuleCommand.ts | 14 +- .../src/commands/DisableRuleCommand.ts | 14 +- .../src/commands/EnableRuleCommand.ts | 14 +- .../commands/ListApiDestinationsCommand.ts | 14 +- .../src/commands/ListArchivesCommand.ts | 14 +- .../src/commands/ListConnectionsCommand.ts | 14 +- .../src/commands/ListEventBusesCommand.ts | 14 +- .../src/commands/ListEventSourcesCommand.ts | 14 +- .../ListPartnerEventSourceAccountsCommand.ts | 14 +- .../ListPartnerEventSourcesCommand.ts | 14 +- .../src/commands/ListReplaysCommand.ts | 14 +- .../commands/ListRuleNamesByTargetCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTargetsByRuleCommand.ts | 14 +- .../src/commands/PutEventsCommand.ts | 14 +- .../src/commands/PutPartnerEventsCommand.ts | 14 +- .../src/commands/PutPermissionCommand.ts | 14 +- .../src/commands/PutRuleCommand.ts | 14 +- .../src/commands/PutTargetsCommand.ts | 14 +- .../src/commands/RemovePermissionCommand.ts | 14 +- .../src/commands/RemoveTargetsCommand.ts | 14 +- .../src/commands/StartReplayCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestEventPatternCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateApiDestinationCommand.ts | 14 +- .../src/commands/UpdateArchiveCommand.ts | 14 +- .../src/commands/UpdateConnectionCommand.ts | 14 +- clients/client-cloudwatch-logs/package.json | 48 +- .../src/commands/AssociateKmsKeyCommand.ts | 14 +- .../src/commands/CancelExportTaskCommand.ts | 14 +- .../src/commands/CreateDeliveryCommand.ts | 14 +- .../src/commands/CreateExportTaskCommand.ts | 14 +- .../CreateLogAnomalyDetectorCommand.ts | 14 +- .../src/commands/CreateLogGroupCommand.ts | 14 +- .../src/commands/CreateLogStreamCommand.ts | 14 +- .../commands/DeleteAccountPolicyCommand.ts | 14 +- .../DeleteDataProtectionPolicyCommand.ts | 14 +- .../src/commands/DeleteDeliveryCommand.ts | 14 +- .../DeleteDeliveryDestinationCommand.ts | 14 +- .../DeleteDeliveryDestinationPolicyCommand.ts | 14 +- .../commands/DeleteDeliverySourceCommand.ts | 14 +- .../src/commands/DeleteDestinationCommand.ts | 14 +- .../DeleteLogAnomalyDetectorCommand.ts | 14 +- .../src/commands/DeleteLogGroupCommand.ts | 14 +- .../src/commands/DeleteLogStreamCommand.ts | 14 +- .../src/commands/DeleteMetricFilterCommand.ts | 14 +- .../commands/DeleteQueryDefinitionCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../commands/DeleteRetentionPolicyCommand.ts | 14 +- .../DeleteSubscriptionFilterCommand.ts | 14 +- .../DescribeAccountPoliciesCommand.ts | 14 +- .../DescribeConfigurationTemplatesCommand.ts | 14 +- .../src/commands/DescribeDeliveriesCommand.ts | 14 +- .../DescribeDeliveryDestinationsCommand.ts | 14 +- .../DescribeDeliverySourcesCommand.ts | 14 +- .../commands/DescribeDestinationsCommand.ts | 14 +- .../commands/DescribeExportTasksCommand.ts | 14 +- .../src/commands/DescribeLogGroupsCommand.ts | 14 +- .../src/commands/DescribeLogStreamsCommand.ts | 14 +- .../commands/DescribeMetricFiltersCommand.ts | 14 +- .../src/commands/DescribeQueriesCommand.ts | 14 +- .../DescribeQueryDefinitionsCommand.ts | 14 +- .../DescribeResourcePoliciesCommand.ts | 14 +- .../DescribeSubscriptionFiltersCommand.ts | 14 +- .../src/commands/DisassociateKmsKeyCommand.ts | 14 +- .../src/commands/FilterLogEventsCommand.ts | 14 +- .../GetDataProtectionPolicyCommand.ts | 14 +- .../src/commands/GetDeliveryCommand.ts | 14 +- .../commands/GetDeliveryDestinationCommand.ts | 14 +- .../GetDeliveryDestinationPolicyCommand.ts | 14 +- .../src/commands/GetDeliverySourceCommand.ts | 14 +- .../commands/GetLogAnomalyDetectorCommand.ts | 14 +- .../src/commands/GetLogEventsCommand.ts | 14 +- .../src/commands/GetLogGroupFieldsCommand.ts | 14 +- .../src/commands/GetLogRecordCommand.ts | 14 +- .../src/commands/GetQueryResultsCommand.ts | 14 +- .../src/commands/ListAnomaliesCommand.ts | 14 +- .../ListLogAnomalyDetectorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTagsLogGroupCommand.ts | 14 +- .../src/commands/PutAccountPolicyCommand.ts | 14 +- .../PutDataProtectionPolicyCommand.ts | 14 +- .../commands/PutDeliveryDestinationCommand.ts | 14 +- .../PutDeliveryDestinationPolicyCommand.ts | 14 +- .../src/commands/PutDeliverySourceCommand.ts | 14 +- .../src/commands/PutDestinationCommand.ts | 14 +- .../commands/PutDestinationPolicyCommand.ts | 14 +- .../src/commands/PutLogEventsCommand.ts | 14 +- .../src/commands/PutMetricFilterCommand.ts | 14 +- .../src/commands/PutQueryDefinitionCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/PutRetentionPolicyCommand.ts | 14 +- .../commands/PutSubscriptionFilterCommand.ts | 14 +- .../src/commands/StartLiveTailCommand.ts | 14 +- .../src/commands/StartQueryCommand.ts | 14 +- .../src/commands/StopQueryCommand.ts | 14 +- .../src/commands/TagLogGroupCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestMetricFilterCommand.ts | 14 +- .../src/commands/UntagLogGroupCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAnomalyCommand.ts | 14 +- .../UpdateDeliveryConfigurationCommand.ts | 14 +- .../UpdateLogAnomalyDetectorCommand.ts | 14 +- clients/client-cloudwatch/package.json | 46 +- .../src/commands/DeleteAlarmsCommand.ts | 14 +- .../commands/DeleteAnomalyDetectorCommand.ts | 14 +- .../src/commands/DeleteDashboardsCommand.ts | 14 +- .../src/commands/DeleteInsightRulesCommand.ts | 14 +- .../src/commands/DeleteMetricStreamCommand.ts | 14 +- .../commands/DescribeAlarmHistoryCommand.ts | 14 +- .../src/commands/DescribeAlarmsCommand.ts | 14 +- .../DescribeAlarmsForMetricCommand.ts | 14 +- .../DescribeAnomalyDetectorsCommand.ts | 14 +- .../commands/DescribeInsightRulesCommand.ts | 14 +- .../commands/DisableAlarmActionsCommand.ts | 14 +- .../commands/DisableInsightRulesCommand.ts | 14 +- .../src/commands/EnableAlarmActionsCommand.ts | 14 +- .../src/commands/EnableInsightRulesCommand.ts | 14 +- .../src/commands/GetDashboardCommand.ts | 14 +- .../commands/GetInsightRuleReportCommand.ts | 14 +- .../src/commands/GetMetricDataCommand.ts | 14 +- .../commands/GetMetricStatisticsCommand.ts | 14 +- .../src/commands/GetMetricStreamCommand.ts | 14 +- .../commands/GetMetricWidgetImageCommand.ts | 14 +- .../src/commands/ListDashboardsCommand.ts | 14 +- .../ListManagedInsightRulesCommand.ts | 14 +- .../src/commands/ListMetricStreamsCommand.ts | 14 +- .../src/commands/ListMetricsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutAnomalyDetectorCommand.ts | 14 +- .../src/commands/PutCompositeAlarmCommand.ts | 14 +- .../src/commands/PutDashboardCommand.ts | 14 +- .../src/commands/PutInsightRuleCommand.ts | 14 +- .../commands/PutManagedInsightRulesCommand.ts | 14 +- .../src/commands/PutMetricAlarmCommand.ts | 14 +- .../src/commands/PutMetricDataCommand.ts | 14 +- .../src/commands/PutMetricStreamCommand.ts | 14 +- .../src/commands/SetAlarmStateCommand.ts | 14 +- .../src/commands/StartMetricStreamsCommand.ts | 14 +- .../src/commands/StopMetricStreamsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-codeartifact/package.json | 44 +- .../AssociateExternalConnectionCommand.ts | 14 +- .../commands/CopyPackageVersionsCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../src/commands/CreatePackageGroupCommand.ts | 14 +- .../src/commands/CreateRepositoryCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../DeleteDomainPermissionsPolicyCommand.ts | 14 +- .../src/commands/DeletePackageCommand.ts | 14 +- .../src/commands/DeletePackageGroupCommand.ts | 14 +- .../commands/DeletePackageVersionsCommand.ts | 14 +- .../src/commands/DeleteRepositoryCommand.ts | 14 +- ...eleteRepositoryPermissionsPolicyCommand.ts | 14 +- .../src/commands/DescribeDomainCommand.ts | 14 +- .../src/commands/DescribePackageCommand.ts | 14 +- .../commands/DescribePackageGroupCommand.ts | 14 +- .../commands/DescribePackageVersionCommand.ts | 14 +- .../src/commands/DescribeRepositoryCommand.ts | 14 +- .../DisassociateExternalConnectionCommand.ts | 14 +- .../commands/DisposePackageVersionsCommand.ts | 14 +- .../GetAssociatedPackageGroupCommand.ts | 14 +- .../commands/GetAuthorizationTokenCommand.ts | 14 +- .../GetDomainPermissionsPolicyCommand.ts | 14 +- .../commands/GetPackageVersionAssetCommand.ts | 14 +- .../GetPackageVersionReadmeCommand.ts | 14 +- .../commands/GetRepositoryEndpointCommand.ts | 14 +- .../GetRepositoryPermissionsPolicyCommand.ts | 14 +- .../ListAllowedRepositoriesForGroupCommand.ts | 14 +- .../commands/ListAssociatedPackagesCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../src/commands/ListPackageGroupsCommand.ts | 14 +- .../ListPackageVersionAssetsCommand.ts | 14 +- .../ListPackageVersionDependenciesCommand.ts | 14 +- .../commands/ListPackageVersionsCommand.ts | 14 +- .../src/commands/ListPackagesCommand.ts | 14 +- .../src/commands/ListRepositoriesCommand.ts | 14 +- .../ListRepositoriesInDomainCommand.ts | 14 +- .../commands/ListSubPackageGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/PublishPackageVersionCommand.ts | 14 +- .../PutDomainPermissionsPolicyCommand.ts | 14 +- .../PutPackageOriginConfigurationCommand.ts | 14 +- .../PutRepositoryPermissionsPolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdatePackageGroupCommand.ts | 14 +- ...ePackageGroupOriginConfigurationCommand.ts | 14 +- .../UpdatePackageVersionsStatusCommand.ts | 14 +- .../src/commands/UpdateRepositoryCommand.ts | 14 +- clients/client-codebuild/package.json | 42 +- .../src/commands/BatchDeleteBuildsCommand.ts | 14 +- .../commands/BatchGetBuildBatchesCommand.ts | 14 +- .../src/commands/BatchGetBuildsCommand.ts | 14 +- .../src/commands/BatchGetFleetsCommand.ts | 14 +- .../src/commands/BatchGetProjectsCommand.ts | 14 +- .../commands/BatchGetReportGroupsCommand.ts | 14 +- .../src/commands/BatchGetReportsCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../src/commands/CreateReportGroupCommand.ts | 14 +- .../src/commands/CreateWebhookCommand.ts | 14 +- .../src/commands/DeleteBuildBatchCommand.ts | 14 +- .../src/commands/DeleteFleetCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../src/commands/DeleteReportCommand.ts | 14 +- .../src/commands/DeleteReportGroupCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../DeleteSourceCredentialsCommand.ts | 14 +- .../src/commands/DeleteWebhookCommand.ts | 14 +- .../commands/DescribeCodeCoveragesCommand.ts | 14 +- .../src/commands/DescribeTestCasesCommand.ts | 14 +- .../commands/GetReportGroupTrendCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../ImportSourceCredentialsCommand.ts | 14 +- .../commands/InvalidateProjectCacheCommand.ts | 14 +- .../src/commands/ListBuildBatchesCommand.ts | 14 +- .../ListBuildBatchesForProjectCommand.ts | 14 +- .../src/commands/ListBuildsCommand.ts | 14 +- .../commands/ListBuildsForProjectCommand.ts | 14 +- .../ListCuratedEnvironmentImagesCommand.ts | 14 +- .../src/commands/ListFleetsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../src/commands/ListReportGroupsCommand.ts | 14 +- .../src/commands/ListReportsCommand.ts | 14 +- .../ListReportsForReportGroupCommand.ts | 14 +- .../src/commands/ListSharedProjectsCommand.ts | 14 +- .../commands/ListSharedReportGroupsCommand.ts | 14 +- .../commands/ListSourceCredentialsCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/RetryBuildBatchCommand.ts | 14 +- .../src/commands/RetryBuildCommand.ts | 14 +- .../src/commands/StartBuildBatchCommand.ts | 14 +- .../src/commands/StartBuildCommand.ts | 14 +- .../src/commands/StopBuildBatchCommand.ts | 14 +- .../src/commands/StopBuildCommand.ts | 14 +- .../src/commands/UpdateFleetCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- .../UpdateProjectVisibilityCommand.ts | 14 +- .../src/commands/UpdateReportGroupCommand.ts | 14 +- .../src/commands/UpdateWebhookCommand.ts | 14 +- clients/client-codecatalyst/package.json | 42 +- .../src/commands/CreateAccessTokenCommand.ts | 14 +- .../commands/CreateDevEnvironmentCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../CreateSourceRepositoryBranchCommand.ts | 14 +- .../commands/CreateSourceRepositoryCommand.ts | 14 +- .../src/commands/DeleteAccessTokenCommand.ts | 14 +- .../commands/DeleteDevEnvironmentCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../commands/DeleteSourceRepositoryCommand.ts | 14 +- .../src/commands/DeleteSpaceCommand.ts | 14 +- .../src/commands/GetDevEnvironmentCommand.ts | 14 +- .../src/commands/GetProjectCommand.ts | 14 +- .../GetSourceRepositoryCloneUrlsCommand.ts | 14 +- .../commands/GetSourceRepositoryCommand.ts | 14 +- .../src/commands/GetSpaceCommand.ts | 14 +- .../src/commands/GetSubscriptionCommand.ts | 14 +- .../src/commands/GetUserDetailsCommand.ts | 14 +- .../src/commands/GetWorkflowCommand.ts | 14 +- .../src/commands/GetWorkflowRunCommand.ts | 14 +- .../src/commands/ListAccessTokensCommand.ts | 14 +- .../ListDevEnvironmentSessionsCommand.ts | 14 +- .../commands/ListDevEnvironmentsCommand.ts | 14 +- .../src/commands/ListEventLogsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../commands/ListSourceRepositoriesCommand.ts | 14 +- .../ListSourceRepositoryBranchesCommand.ts | 14 +- .../src/commands/ListSpacesCommand.ts | 14 +- .../src/commands/ListWorkflowRunsCommand.ts | 14 +- .../src/commands/ListWorkflowsCommand.ts | 14 +- .../commands/StartDevEnvironmentCommand.ts | 14 +- .../StartDevEnvironmentSessionCommand.ts | 14 +- .../src/commands/StartWorkflowRunCommand.ts | 14 +- .../src/commands/StopDevEnvironmentCommand.ts | 14 +- .../StopDevEnvironmentSessionCommand.ts | 14 +- .../commands/UpdateDevEnvironmentCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- .../src/commands/UpdateSpaceCommand.ts | 14 +- .../src/commands/VerifySessionCommand.ts | 14 +- clients/client-codecommit/package.json | 42 +- ...provalRuleTemplateWithRepositoryCommand.ts | 14 +- ...ovalRuleTemplateWithRepositoriesCommand.ts | 14 +- .../BatchDescribeMergeConflictsCommand.ts | 14 +- ...ovalRuleTemplateFromRepositoriesCommand.ts | 14 +- .../src/commands/BatchGetCommitsCommand.ts | 14 +- .../commands/BatchGetRepositoriesCommand.ts | 14 +- .../CreateApprovalRuleTemplateCommand.ts | 14 +- .../src/commands/CreateBranchCommand.ts | 14 +- .../src/commands/CreateCommitCommand.ts | 14 +- .../CreatePullRequestApprovalRuleCommand.ts | 14 +- .../src/commands/CreatePullRequestCommand.ts | 14 +- .../src/commands/CreateRepositoryCommand.ts | 14 +- .../CreateUnreferencedMergeCommitCommand.ts | 14 +- .../DeleteApprovalRuleTemplateCommand.ts | 14 +- .../src/commands/DeleteBranchCommand.ts | 14 +- .../commands/DeleteCommentContentCommand.ts | 14 +- .../src/commands/DeleteFileCommand.ts | 14 +- .../DeletePullRequestApprovalRuleCommand.ts | 14 +- .../src/commands/DeleteRepositoryCommand.ts | 14 +- .../commands/DescribeMergeConflictsCommand.ts | 14 +- .../DescribePullRequestEventsCommand.ts | 14 +- ...provalRuleTemplateFromRepositoryCommand.ts | 14 +- ...EvaluatePullRequestApprovalRulesCommand.ts | 14 +- .../GetApprovalRuleTemplateCommand.ts | 14 +- .../src/commands/GetBlobCommand.ts | 14 +- .../src/commands/GetBranchCommand.ts | 14 +- .../src/commands/GetCommentCommand.ts | 14 +- .../commands/GetCommentReactionsCommand.ts | 14 +- .../GetCommentsForComparedCommitCommand.ts | 14 +- .../GetCommentsForPullRequestCommand.ts | 14 +- .../src/commands/GetCommitCommand.ts | 14 +- .../src/commands/GetDifferencesCommand.ts | 14 +- .../src/commands/GetFileCommand.ts | 14 +- .../src/commands/GetFolderCommand.ts | 14 +- .../src/commands/GetMergeCommitCommand.ts | 14 +- .../src/commands/GetMergeConflictsCommand.ts | 14 +- .../src/commands/GetMergeOptionsCommand.ts | 14 +- .../GetPullRequestApprovalStatesCommand.ts | 14 +- .../src/commands/GetPullRequestCommand.ts | 14 +- .../GetPullRequestOverrideStateCommand.ts | 14 +- .../src/commands/GetRepositoryCommand.ts | 14 +- .../commands/GetRepositoryTriggersCommand.ts | 14 +- .../ListApprovalRuleTemplatesCommand.ts | 14 +- ...provalRuleTemplatesForRepositoryCommand.ts | 14 +- .../src/commands/ListBranchesCommand.ts | 14 +- .../commands/ListFileCommitHistoryCommand.ts | 14 +- .../src/commands/ListPullRequestsCommand.ts | 14 +- .../src/commands/ListRepositoriesCommand.ts | 14 +- ...ositoriesForApprovalRuleTemplateCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../MergeBranchesByFastForwardCommand.ts | 14 +- .../commands/MergeBranchesBySquashCommand.ts | 14 +- .../MergeBranchesByThreeWayCommand.ts | 14 +- .../MergePullRequestByFastForwardCommand.ts | 14 +- .../MergePullRequestBySquashCommand.ts | 14 +- .../MergePullRequestByThreeWayCommand.ts | 14 +- ...OverridePullRequestApprovalRulesCommand.ts | 14 +- .../PostCommentForComparedCommitCommand.ts | 14 +- .../PostCommentForPullRequestCommand.ts | 14 +- .../src/commands/PostCommentReplyCommand.ts | 14 +- .../src/commands/PutCommentReactionCommand.ts | 14 +- .../src/commands/PutFileCommand.ts | 14 +- .../commands/PutRepositoryTriggersCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../commands/TestRepositoryTriggersCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...pdateApprovalRuleTemplateContentCommand.ts | 14 +- ...eApprovalRuleTemplateDescriptionCommand.ts | 14 +- .../UpdateApprovalRuleTemplateNameCommand.ts | 14 +- .../src/commands/UpdateCommentCommand.ts | 14 +- .../commands/UpdateDefaultBranchCommand.ts | 14 +- ...tePullRequestApprovalRuleContentCommand.ts | 14 +- .../UpdatePullRequestApprovalStateCommand.ts | 14 +- .../UpdatePullRequestDescriptionCommand.ts | 14 +- .../UpdatePullRequestStatusCommand.ts | 14 +- .../commands/UpdatePullRequestTitleCommand.ts | 14 +- .../UpdateRepositoryDescriptionCommand.ts | 14 +- .../UpdateRepositoryEncryptionKeyCommand.ts | 14 +- .../commands/UpdateRepositoryNameCommand.ts | 14 +- clients/client-codeconnections/package.json | 42 +- .../src/commands/CreateConnectionCommand.ts | 14 +- .../src/commands/CreateHostCommand.ts | 14 +- .../commands/CreateRepositoryLinkCommand.ts | 14 +- .../CreateSyncConfigurationCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/DeleteHostCommand.ts | 14 +- .../commands/DeleteRepositoryLinkCommand.ts | 14 +- .../DeleteSyncConfigurationCommand.ts | 14 +- .../src/commands/GetConnectionCommand.ts | 14 +- .../src/commands/GetHostCommand.ts | 14 +- .../src/commands/GetRepositoryLinkCommand.ts | 14 +- .../GetRepositorySyncStatusCommand.ts | 14 +- .../commands/GetResourceSyncStatusCommand.ts | 14 +- .../commands/GetSyncBlockerSummaryCommand.ts | 14 +- .../commands/GetSyncConfigurationCommand.ts | 14 +- .../src/commands/ListConnectionsCommand.ts | 14 +- .../src/commands/ListHostsCommand.ts | 14 +- .../commands/ListRepositoryLinksCommand.ts | 14 +- .../ListRepositorySyncDefinitionsCommand.ts | 14 +- .../commands/ListSyncConfigurationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateHostCommand.ts | 14 +- .../commands/UpdateRepositoryLinkCommand.ts | 14 +- .../src/commands/UpdateSyncBlockerCommand.ts | 14 +- .../UpdateSyncConfigurationCommand.ts | 14 +- clients/client-codedeploy/package.json | 44 +- .../AddTagsToOnPremisesInstancesCommand.ts | 14 +- .../BatchGetApplicationRevisionsCommand.ts | 14 +- .../commands/BatchGetApplicationsCommand.ts | 14 +- .../BatchGetDeploymentGroupsCommand.ts | 14 +- .../BatchGetDeploymentInstancesCommand.ts | 14 +- .../BatchGetDeploymentTargetsCommand.ts | 14 +- .../commands/BatchGetDeploymentsCommand.ts | 14 +- .../BatchGetOnPremisesInstancesCommand.ts | 14 +- .../src/commands/ContinueDeploymentCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../commands/CreateDeploymentConfigCommand.ts | 14 +- .../commands/CreateDeploymentGroupCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../commands/DeleteDeploymentConfigCommand.ts | 14 +- .../commands/DeleteDeploymentGroupCommand.ts | 14 +- .../DeleteGitHubAccountTokenCommand.ts | 14 +- .../DeleteResourcesByExternalIdCommand.ts | 14 +- .../DeregisterOnPremisesInstanceCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../commands/GetApplicationRevisionCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../commands/GetDeploymentConfigCommand.ts | 14 +- .../src/commands/GetDeploymentGroupCommand.ts | 14 +- .../commands/GetDeploymentInstanceCommand.ts | 14 +- .../commands/GetDeploymentTargetCommand.ts | 14 +- .../commands/GetOnPremisesInstanceCommand.ts | 14 +- .../ListApplicationRevisionsCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../commands/ListDeploymentConfigsCommand.ts | 14 +- .../commands/ListDeploymentGroupsCommand.ts | 14 +- .../ListDeploymentInstancesCommand.ts | 14 +- .../commands/ListDeploymentTargetsCommand.ts | 14 +- .../src/commands/ListDeploymentsCommand.ts | 14 +- .../ListGitHubAccountTokenNamesCommand.ts | 14 +- .../ListOnPremisesInstancesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...ifecycleEventHookExecutionStatusCommand.ts | 14 +- .../RegisterApplicationRevisionCommand.ts | 14 +- .../RegisterOnPremisesInstanceCommand.ts | 14 +- ...emoveTagsFromOnPremisesInstancesCommand.ts | 14 +- ...ipWaitTimeForInstanceTerminationCommand.ts | 14 +- .../src/commands/StopDeploymentCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../commands/UpdateDeploymentGroupCommand.ts | 14 +- clients/client-codeguru-reviewer/package.json | 44 +- .../commands/AssociateRepositoryCommand.ts | 14 +- .../src/commands/CreateCodeReviewCommand.ts | 14 +- .../src/commands/DescribeCodeReviewCommand.ts | 14 +- .../DescribeRecommendationFeedbackCommand.ts | 14 +- .../DescribeRepositoryAssociationCommand.ts | 14 +- .../commands/DisassociateRepositoryCommand.ts | 14 +- .../src/commands/ListCodeReviewsCommand.ts | 14 +- .../ListRecommendationFeedbackCommand.ts | 14 +- .../commands/ListRecommendationsCommand.ts | 14 +- .../ListRepositoryAssociationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PutRecommendationFeedbackCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-codeguru-security/package.json | 42 +- .../src/commands/BatchGetFindingsCommand.ts | 14 +- .../src/commands/CreateScanCommand.ts | 14 +- .../src/commands/CreateUploadUrlCommand.ts | 14 +- .../GetAccountConfigurationCommand.ts | 14 +- .../src/commands/GetFindingsCommand.ts | 14 +- .../src/commands/GetMetricsSummaryCommand.ts | 14 +- .../src/commands/GetScanCommand.ts | 14 +- .../commands/ListFindingsMetricsCommand.ts | 14 +- .../src/commands/ListScansCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAccountConfigurationCommand.ts | 14 +- clients/client-codeguruprofiler/package.json | 44 +- .../AddNotificationChannelsCommand.ts | 14 +- .../BatchGetFrameMetricDataCommand.ts | 14 +- .../src/commands/ConfigureAgentCommand.ts | 14 +- .../commands/CreateProfilingGroupCommand.ts | 14 +- .../commands/DeleteProfilingGroupCommand.ts | 14 +- .../commands/DescribeProfilingGroupCommand.ts | 14 +- .../GetFindingsReportAccountSummaryCommand.ts | 14 +- .../GetNotificationConfigurationCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../src/commands/GetProfileCommand.ts | 14 +- .../src/commands/GetRecommendationsCommand.ts | 14 +- .../commands/ListFindingsReportsCommand.ts | 14 +- .../src/commands/ListProfileTimesCommand.ts | 14 +- .../commands/ListProfilingGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PostAgentProfileCommand.ts | 14 +- .../src/commands/PutPermissionCommand.ts | 14 +- .../RemoveNotificationChannelCommand.ts | 14 +- .../src/commands/RemovePermissionCommand.ts | 14 +- .../src/commands/SubmitFeedbackCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateProfilingGroupCommand.ts | 14 +- clients/client-codepipeline/package.json | 42 +- .../src/commands/AcknowledgeJobCommand.ts | 14 +- .../AcknowledgeThirdPartyJobCommand.ts | 14 +- .../commands/CreateCustomActionTypeCommand.ts | 14 +- .../src/commands/CreatePipelineCommand.ts | 14 +- .../commands/DeleteCustomActionTypeCommand.ts | 14 +- .../src/commands/DeletePipelineCommand.ts | 14 +- .../src/commands/DeleteWebhookCommand.ts | 14 +- .../DeregisterWebhookWithThirdPartyCommand.ts | 14 +- .../commands/DisableStageTransitionCommand.ts | 14 +- .../commands/EnableStageTransitionCommand.ts | 14 +- .../src/commands/GetActionTypeCommand.ts | 14 +- .../src/commands/GetJobDetailsCommand.ts | 14 +- .../src/commands/GetPipelineCommand.ts | 14 +- .../commands/GetPipelineExecutionCommand.ts | 14 +- .../src/commands/GetPipelineStateCommand.ts | 14 +- .../GetThirdPartyJobDetailsCommand.ts | 14 +- .../commands/ListActionExecutionsCommand.ts | 14 +- .../src/commands/ListActionTypesCommand.ts | 14 +- .../commands/ListPipelineExecutionsCommand.ts | 14 +- .../src/commands/ListPipelinesCommand.ts | 14 +- .../src/commands/ListRuleExecutionsCommand.ts | 14 +- .../src/commands/ListRuleTypesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWebhooksCommand.ts | 14 +- .../commands/OverrideStageConditionCommand.ts | 14 +- .../src/commands/PollForJobsCommand.ts | 14 +- .../commands/PollForThirdPartyJobsCommand.ts | 14 +- .../src/commands/PutActionRevisionCommand.ts | 14 +- .../src/commands/PutApprovalResultCommand.ts | 14 +- .../commands/PutJobFailureResultCommand.ts | 14 +- .../commands/PutJobSuccessResultCommand.ts | 14 +- .../PutThirdPartyJobFailureResultCommand.ts | 14 +- .../PutThirdPartyJobSuccessResultCommand.ts | 14 +- .../src/commands/PutWebhookCommand.ts | 14 +- .../RegisterWebhookWithThirdPartyCommand.ts | 14 +- .../commands/RetryStageExecutionCommand.ts | 14 +- .../src/commands/RollbackStageCommand.ts | 14 +- .../commands/StartPipelineExecutionCommand.ts | 14 +- .../commands/StopPipelineExecutionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateActionTypeCommand.ts | 14 +- .../src/commands/UpdatePipelineCommand.ts | 14 +- .../client-codestar-connections/package.json | 42 +- .../src/commands/CreateConnectionCommand.ts | 14 +- .../src/commands/CreateHostCommand.ts | 14 +- .../commands/CreateRepositoryLinkCommand.ts | 14 +- .../CreateSyncConfigurationCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/DeleteHostCommand.ts | 14 +- .../commands/DeleteRepositoryLinkCommand.ts | 14 +- .../DeleteSyncConfigurationCommand.ts | 14 +- .../src/commands/GetConnectionCommand.ts | 14 +- .../src/commands/GetHostCommand.ts | 14 +- .../src/commands/GetRepositoryLinkCommand.ts | 14 +- .../GetRepositorySyncStatusCommand.ts | 14 +- .../commands/GetResourceSyncStatusCommand.ts | 14 +- .../commands/GetSyncBlockerSummaryCommand.ts | 14 +- .../commands/GetSyncConfigurationCommand.ts | 14 +- .../src/commands/ListConnectionsCommand.ts | 14 +- .../src/commands/ListHostsCommand.ts | 14 +- .../commands/ListRepositoryLinksCommand.ts | 14 +- .../ListRepositorySyncDefinitionsCommand.ts | 14 +- .../commands/ListSyncConfigurationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateHostCommand.ts | 14 +- .../commands/UpdateRepositoryLinkCommand.ts | 14 +- .../src/commands/UpdateSyncBlockerCommand.ts | 14 +- .../UpdateSyncConfigurationCommand.ts | 14 +- .../package.json | 42 +- .../commands/CreateNotificationRuleCommand.ts | 14 +- .../commands/DeleteNotificationRuleCommand.ts | 14 +- .../src/commands/DeleteTargetCommand.ts | 14 +- .../DescribeNotificationRuleCommand.ts | 14 +- .../src/commands/ListEventTypesCommand.ts | 14 +- .../commands/ListNotificationRulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTargetsCommand.ts | 14 +- .../src/commands/SubscribeCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UnsubscribeCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateNotificationRuleCommand.ts | 14 +- .../package.json | 42 +- .../commands/AddCustomAttributesCommand.ts | 14 +- .../commands/AdminAddUserToGroupCommand.ts | 14 +- .../src/commands/AdminConfirmSignUpCommand.ts | 14 +- .../src/commands/AdminCreateUserCommand.ts | 14 +- .../AdminDeleteUserAttributesCommand.ts | 14 +- .../src/commands/AdminDeleteUserCommand.ts | 14 +- .../AdminDisableProviderForUserCommand.ts | 14 +- .../src/commands/AdminDisableUserCommand.ts | 14 +- .../src/commands/AdminEnableUserCommand.ts | 14 +- .../src/commands/AdminForgetDeviceCommand.ts | 14 +- .../src/commands/AdminGetDeviceCommand.ts | 14 +- .../src/commands/AdminGetUserCommand.ts | 14 +- .../src/commands/AdminInitiateAuthCommand.ts | 14 +- .../AdminLinkProviderForUserCommand.ts | 14 +- .../src/commands/AdminListDevicesCommand.ts | 14 +- .../commands/AdminListGroupsForUserCommand.ts | 14 +- .../AdminListUserAuthEventsCommand.ts | 14 +- .../AdminRemoveUserFromGroupCommand.ts | 14 +- .../commands/AdminResetUserPasswordCommand.ts | 14 +- .../AdminRespondToAuthChallengeCommand.ts | 14 +- .../AdminSetUserMFAPreferenceCommand.ts | 14 +- .../commands/AdminSetUserPasswordCommand.ts | 14 +- .../commands/AdminSetUserSettingsCommand.ts | 14 +- .../AdminUpdateAuthEventFeedbackCommand.ts | 14 +- .../AdminUpdateDeviceStatusCommand.ts | 14 +- .../AdminUpdateUserAttributesCommand.ts | 14 +- .../commands/AdminUserGlobalSignOutCommand.ts | 14 +- .../commands/AssociateSoftwareTokenCommand.ts | 14 +- .../src/commands/ChangePasswordCommand.ts | 14 +- .../src/commands/ConfirmDeviceCommand.ts | 14 +- .../commands/ConfirmForgotPasswordCommand.ts | 14 +- .../src/commands/ConfirmSignUpCommand.ts | 14 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../commands/CreateIdentityProviderCommand.ts | 14 +- .../commands/CreateResourceServerCommand.ts | 14 +- .../commands/CreateUserImportJobCommand.ts | 14 +- .../commands/CreateUserPoolClientCommand.ts | 14 +- .../src/commands/CreateUserPoolCommand.ts | 14 +- .../commands/CreateUserPoolDomainCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../commands/DeleteIdentityProviderCommand.ts | 14 +- .../commands/DeleteResourceServerCommand.ts | 14 +- .../commands/DeleteUserAttributesCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../commands/DeleteUserPoolClientCommand.ts | 14 +- .../src/commands/DeleteUserPoolCommand.ts | 14 +- .../commands/DeleteUserPoolDomainCommand.ts | 14 +- .../DescribeIdentityProviderCommand.ts | 14 +- .../commands/DescribeResourceServerCommand.ts | 14 +- .../DescribeRiskConfigurationCommand.ts | 14 +- .../commands/DescribeUserImportJobCommand.ts | 14 +- .../commands/DescribeUserPoolClientCommand.ts | 14 +- .../src/commands/DescribeUserPoolCommand.ts | 14 +- .../commands/DescribeUserPoolDomainCommand.ts | 14 +- .../src/commands/ForgetDeviceCommand.ts | 14 +- .../src/commands/ForgotPasswordCommand.ts | 14 +- .../src/commands/GetCSVHeaderCommand.ts | 14 +- .../src/commands/GetDeviceCommand.ts | 14 +- .../src/commands/GetGroupCommand.ts | 14 +- .../GetIdentityProviderByIdentifierCommand.ts | 14 +- .../GetLogDeliveryConfigurationCommand.ts | 14 +- .../commands/GetSigningCertificateCommand.ts | 14 +- .../src/commands/GetUICustomizationCommand.ts | 14 +- ...GetUserAttributeVerificationCodeCommand.ts | 14 +- .../src/commands/GetUserCommand.ts | 14 +- .../commands/GetUserPoolMfaConfigCommand.ts | 14 +- .../src/commands/GlobalSignOutCommand.ts | 14 +- .../src/commands/InitiateAuthCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../commands/ListIdentityProvidersCommand.ts | 14 +- .../commands/ListResourceServersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUserImportJobsCommand.ts | 14 +- .../commands/ListUserPoolClientsCommand.ts | 14 +- .../src/commands/ListUserPoolsCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../src/commands/ListUsersInGroupCommand.ts | 14 +- .../commands/ResendConfirmationCodeCommand.ts | 14 +- .../commands/RespondToAuthChallengeCommand.ts | 14 +- .../src/commands/RevokeTokenCommand.ts | 14 +- .../SetLogDeliveryConfigurationCommand.ts | 14 +- .../commands/SetRiskConfigurationCommand.ts | 14 +- .../src/commands/SetUICustomizationCommand.ts | 14 +- .../commands/SetUserMFAPreferenceCommand.ts | 14 +- .../commands/SetUserPoolMfaConfigCommand.ts | 14 +- .../src/commands/SetUserSettingsCommand.ts | 14 +- .../src/commands/SignUpCommand.ts | 14 +- .../src/commands/StartUserImportJobCommand.ts | 14 +- .../src/commands/StopUserImportJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAuthEventFeedbackCommand.ts | 14 +- .../src/commands/UpdateDeviceStatusCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../commands/UpdateIdentityProviderCommand.ts | 14 +- .../commands/UpdateResourceServerCommand.ts | 14 +- .../commands/UpdateUserAttributesCommand.ts | 14 +- .../commands/UpdateUserPoolClientCommand.ts | 14 +- .../src/commands/UpdateUserPoolCommand.ts | 14 +- .../commands/UpdateUserPoolDomainCommand.ts | 14 +- .../commands/VerifySoftwareTokenCommand.ts | 14 +- .../commands/VerifyUserAttributeCommand.ts | 14 +- clients/client-cognito-identity/package.json | 42 +- .../src/commands/CreateIdentityPoolCommand.ts | 14 +- .../src/commands/DeleteIdentitiesCommand.ts | 14 +- .../src/commands/DeleteIdentityPoolCommand.ts | 14 +- .../src/commands/DescribeIdentityCommand.ts | 14 +- .../commands/DescribeIdentityPoolCommand.ts | 14 +- .../GetCredentialsForIdentityCommand.ts | 14 +- .../src/commands/GetIdCommand.ts | 14 +- .../commands/GetIdentityPoolRolesCommand.ts | 14 +- .../src/commands/GetOpenIdTokenCommand.ts | 14 +- ...tOpenIdTokenForDeveloperIdentityCommand.ts | 14 +- .../GetPrincipalTagAttributeMapCommand.ts | 14 +- .../src/commands/ListIdentitiesCommand.ts | 14 +- .../src/commands/ListIdentityPoolsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../LookupDeveloperIdentityCommand.ts | 14 +- .../MergeDeveloperIdentitiesCommand.ts | 14 +- .../commands/SetIdentityPoolRolesCommand.ts | 14 +- .../SetPrincipalTagAttributeMapCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../UnlinkDeveloperIdentityCommand.ts | 14 +- .../src/commands/UnlinkIdentityCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateIdentityPoolCommand.ts | 14 +- clients/client-cognito-sync/package.json | 42 +- .../src/commands/BulkPublishCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../DescribeIdentityPoolUsageCommand.ts | 14 +- .../commands/DescribeIdentityUsageCommand.ts | 14 +- .../commands/GetBulkPublishDetailsCommand.ts | 14 +- .../src/commands/GetCognitoEventsCommand.ts | 14 +- .../GetIdentityPoolConfigurationCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../commands/ListIdentityPoolUsageCommand.ts | 14 +- .../src/commands/ListRecordsCommand.ts | 14 +- .../src/commands/RegisterDeviceCommand.ts | 14 +- .../src/commands/SetCognitoEventsCommand.ts | 14 +- .../SetIdentityPoolConfigurationCommand.ts | 14 +- .../src/commands/SubscribeToDatasetCommand.ts | 14 +- .../commands/UnsubscribeFromDatasetCommand.ts | 14 +- .../src/commands/UpdateRecordsCommand.ts | 14 +- clients/client-comprehend/package.json | 42 +- .../BatchDetectDominantLanguageCommand.ts | 14 +- .../commands/BatchDetectEntitiesCommand.ts | 14 +- .../commands/BatchDetectKeyPhrasesCommand.ts | 14 +- .../commands/BatchDetectSentimentCommand.ts | 14 +- .../src/commands/BatchDetectSyntaxCommand.ts | 14 +- .../BatchDetectTargetedSentimentCommand.ts | 14 +- .../src/commands/ClassifyDocumentCommand.ts | 14 +- .../commands/ContainsPiiEntitiesCommand.ts | 14 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../CreateDocumentClassifierCommand.ts | 14 +- .../src/commands/CreateEndpointCommand.ts | 14 +- .../commands/CreateEntityRecognizerCommand.ts | 14 +- .../src/commands/CreateFlywheelCommand.ts | 14 +- .../DeleteDocumentClassifierCommand.ts | 14 +- .../src/commands/DeleteEndpointCommand.ts | 14 +- .../commands/DeleteEntityRecognizerCommand.ts | 14 +- .../src/commands/DeleteFlywheelCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- ...escribeDocumentClassificationJobCommand.ts | 14 +- .../DescribeDocumentClassifierCommand.ts | 14 +- ...ribeDominantLanguageDetectionJobCommand.ts | 14 +- .../src/commands/DescribeEndpointCommand.ts | 14 +- .../DescribeEntitiesDetectionJobCommand.ts | 14 +- .../DescribeEntityRecognizerCommand.ts | 14 +- .../DescribeEventsDetectionJobCommand.ts | 14 +- .../src/commands/DescribeFlywheelCommand.ts | 14 +- .../DescribeFlywheelIterationCommand.ts | 14 +- .../DescribeKeyPhrasesDetectionJobCommand.ts | 14 +- .../DescribePiiEntitiesDetectionJobCommand.ts | 14 +- .../commands/DescribeResourcePolicyCommand.ts | 14 +- .../DescribeSentimentDetectionJobCommand.ts | 14 +- ...ibeTargetedSentimentDetectionJobCommand.ts | 14 +- .../DescribeTopicsDetectionJobCommand.ts | 14 +- .../commands/DetectDominantLanguageCommand.ts | 14 +- .../src/commands/DetectEntitiesCommand.ts | 14 +- .../src/commands/DetectKeyPhrasesCommand.ts | 14 +- .../src/commands/DetectPiiEntitiesCommand.ts | 14 +- .../src/commands/DetectSentimentCommand.ts | 14 +- .../src/commands/DetectSyntaxCommand.ts | 14 +- .../DetectTargetedSentimentCommand.ts | 14 +- .../src/commands/DetectToxicContentCommand.ts | 14 +- .../src/commands/ImportModelCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../ListDocumentClassificationJobsCommand.ts | 14 +- .../ListDocumentClassifierSummariesCommand.ts | 14 +- .../ListDocumentClassifiersCommand.ts | 14 +- ...istDominantLanguageDetectionJobsCommand.ts | 14 +- .../src/commands/ListEndpointsCommand.ts | 14 +- .../ListEntitiesDetectionJobsCommand.ts | 14 +- .../ListEntityRecognizerSummariesCommand.ts | 14 +- .../commands/ListEntityRecognizersCommand.ts | 14 +- .../ListEventsDetectionJobsCommand.ts | 14 +- .../ListFlywheelIterationHistoryCommand.ts | 14 +- .../src/commands/ListFlywheelsCommand.ts | 14 +- .../ListKeyPhrasesDetectionJobsCommand.ts | 14 +- .../ListPiiEntitiesDetectionJobsCommand.ts | 14 +- .../ListSentimentDetectionJobsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...stTargetedSentimentDetectionJobsCommand.ts | 14 +- .../ListTopicsDetectionJobsCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../StartDocumentClassificationJobCommand.ts | 14 +- ...tartDominantLanguageDetectionJobCommand.ts | 14 +- .../StartEntitiesDetectionJobCommand.ts | 14 +- .../StartEventsDetectionJobCommand.ts | 14 +- .../commands/StartFlywheelIterationCommand.ts | 14 +- .../StartKeyPhrasesDetectionJobCommand.ts | 14 +- .../StartPiiEntitiesDetectionJobCommand.ts | 14 +- .../StartSentimentDetectionJobCommand.ts | 14 +- ...artTargetedSentimentDetectionJobCommand.ts | 14 +- .../StartTopicsDetectionJobCommand.ts | 14 +- ...StopDominantLanguageDetectionJobCommand.ts | 14 +- .../StopEntitiesDetectionJobCommand.ts | 14 +- .../commands/StopEventsDetectionJobCommand.ts | 14 +- .../StopKeyPhrasesDetectionJobCommand.ts | 14 +- .../StopPiiEntitiesDetectionJobCommand.ts | 14 +- .../StopSentimentDetectionJobCommand.ts | 14 +- ...topTargetedSentimentDetectionJobCommand.ts | 14 +- .../StopTrainingDocumentClassifierCommand.ts | 14 +- .../StopTrainingEntityRecognizerCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateEndpointCommand.ts | 14 +- .../src/commands/UpdateFlywheelCommand.ts | 14 +- clients/client-comprehendmedical/package.json | 42 +- .../DescribeEntitiesDetectionV2JobCommand.ts | 14 +- .../DescribeICD10CMInferenceJobCommand.ts | 14 +- .../DescribePHIDetectionJobCommand.ts | 14 +- .../DescribeRxNormInferenceJobCommand.ts | 14 +- .../DescribeSNOMEDCTInferenceJobCommand.ts | 14 +- .../src/commands/DetectEntitiesCommand.ts | 14 +- .../src/commands/DetectEntitiesV2Command.ts | 14 +- .../src/commands/DetectPHICommand.ts | 14 +- .../src/commands/InferICD10CMCommand.ts | 14 +- .../src/commands/InferRxNormCommand.ts | 14 +- .../src/commands/InferSNOMEDCTCommand.ts | 14 +- .../ListEntitiesDetectionV2JobsCommand.ts | 14 +- .../ListICD10CMInferenceJobsCommand.ts | 14 +- .../commands/ListPHIDetectionJobsCommand.ts | 14 +- .../ListRxNormInferenceJobsCommand.ts | 14 +- .../ListSNOMEDCTInferenceJobsCommand.ts | 14 +- .../StartEntitiesDetectionV2JobCommand.ts | 14 +- .../StartICD10CMInferenceJobCommand.ts | 14 +- .../commands/StartPHIDetectionJobCommand.ts | 14 +- .../StartRxNormInferenceJobCommand.ts | 14 +- .../StartSNOMEDCTInferenceJobCommand.ts | 14 +- .../StopEntitiesDetectionV2JobCommand.ts | 14 +- .../StopICD10CMInferenceJobCommand.ts | 14 +- .../commands/StopPHIDetectionJobCommand.ts | 14 +- .../commands/StopRxNormInferenceJobCommand.ts | 14 +- .../StopSNOMEDCTInferenceJobCommand.ts | 14 +- clients/client-compute-optimizer/package.json | 42 +- .../DeleteRecommendationPreferencesCommand.ts | 14 +- ...DescribeRecommendationExportJobsCommand.ts | 14 +- ...tAutoScalingGroupRecommendationsCommand.ts | 14 +- .../ExportEBSVolumeRecommendationsCommand.ts | 14 +- ...ExportEC2InstanceRecommendationsCommand.ts | 14 +- .../ExportECSServiceRecommendationsCommand.ts | 14 +- ...ortLambdaFunctionRecommendationsCommand.ts | 14 +- .../ExportLicenseRecommendationsCommand.ts | 14 +- ...ExportRDSDatabaseRecommendationsCommand.ts | 14 +- ...tAutoScalingGroupRecommendationsCommand.ts | 14 +- .../GetEBSVolumeRecommendationsCommand.ts | 14 +- .../GetEC2InstanceRecommendationsCommand.ts | 14 +- ...C2RecommendationProjectedMetricsCommand.ts | 14 +- ...ceRecommendationProjectedMetricsCommand.ts | 14 +- .../GetECSServiceRecommendationsCommand.ts | 14 +- ...fectiveRecommendationPreferencesCommand.ts | 14 +- .../commands/GetEnrollmentStatusCommand.ts | 14 +- ...nrollmentStatusesForOrganizationCommand.ts | 14 +- ...GetLambdaFunctionRecommendationsCommand.ts | 14 +- .../GetLicenseRecommendationsCommand.ts | 14 +- ...seRecommendationProjectedMetricsCommand.ts | 14 +- .../GetRDSDatabaseRecommendationsCommand.ts | 14 +- .../GetRecommendationPreferencesCommand.ts | 14 +- .../GetRecommendationSummariesCommand.ts | 14 +- .../PutRecommendationPreferencesCommand.ts | 14 +- .../commands/UpdateEnrollmentStatusCommand.ts | 14 +- clients/client-config-service/package.json | 42 +- .../BatchGetAggregateResourceConfigCommand.ts | 14 +- .../commands/BatchGetResourceConfigCommand.ts | 14 +- .../DeleteAggregationAuthorizationCommand.ts | 14 +- .../src/commands/DeleteConfigRuleCommand.ts | 14 +- .../DeleteConfigurationAggregatorCommand.ts | 14 +- .../DeleteConfigurationRecorderCommand.ts | 14 +- .../commands/DeleteConformancePackCommand.ts | 14 +- .../commands/DeleteDeliveryChannelCommand.ts | 14 +- .../DeleteEvaluationResultsCommand.ts | 14 +- .../DeleteOrganizationConfigRuleCommand.ts | 14 +- ...eleteOrganizationConformancePackCommand.ts | 14 +- .../DeletePendingAggregationRequestCommand.ts | 14 +- .../DeleteRemediationConfigurationCommand.ts | 14 +- .../DeleteRemediationExceptionsCommand.ts | 14 +- .../commands/DeleteResourceConfigCommand.ts | 14 +- .../DeleteRetentionConfigurationCommand.ts | 14 +- .../src/commands/DeleteStoredQueryCommand.ts | 14 +- .../commands/DeliverConfigSnapshotCommand.ts | 14 +- ...AggregateComplianceByConfigRulesCommand.ts | 14 +- ...gateComplianceByConformancePacksCommand.ts | 14 +- ...escribeAggregationAuthorizationsCommand.ts | 14 +- .../DescribeComplianceByConfigRuleCommand.ts | 14 +- .../DescribeComplianceByResourceCommand.ts | 14 +- ...scribeConfigRuleEvaluationStatusCommand.ts | 14 +- .../commands/DescribeConfigRulesCommand.ts | 14 +- ...igurationAggregatorSourcesStatusCommand.ts | 14 +- ...DescribeConfigurationAggregatorsCommand.ts | 14 +- ...cribeConfigurationRecorderStatusCommand.ts | 14 +- .../DescribeConfigurationRecordersCommand.ts | 14 +- ...escribeConformancePackComplianceCommand.ts | 14 +- .../DescribeConformancePackStatusCommand.ts | 14 +- .../DescribeConformancePacksCommand.ts | 14 +- .../DescribeDeliveryChannelStatusCommand.ts | 14 +- .../DescribeDeliveryChannelsCommand.ts | 14 +- ...beOrganizationConfigRuleStatusesCommand.ts | 14 +- .../DescribeOrganizationConfigRulesCommand.ts | 14 +- ...anizationConformancePackStatusesCommand.ts | 14 +- ...ribeOrganizationConformancePacksCommand.ts | 14 +- ...scribePendingAggregationRequestsCommand.ts | 14 +- ...escribeRemediationConfigurationsCommand.ts | 14 +- .../DescribeRemediationExceptionsCommand.ts | 14 +- ...scribeRemediationExecutionStatusCommand.ts | 14 +- .../DescribeRetentionConfigurationsCommand.ts | 14 +- ...ateComplianceDetailsByConfigRuleCommand.ts | 14 +- ...egateConfigRuleComplianceSummaryCommand.ts | 14 +- ...ConformancePackComplianceSummaryCommand.ts | 14 +- ...ggregateDiscoveredResourceCountsCommand.ts | 14 +- .../GetAggregateResourceConfigCommand.ts | 14 +- ...GetComplianceDetailsByConfigRuleCommand.ts | 14 +- .../GetComplianceDetailsByResourceCommand.ts | 14 +- ...GetComplianceSummaryByConfigRuleCommand.ts | 14 +- ...tComplianceSummaryByResourceTypeCommand.ts | 14 +- ...ConformancePackComplianceDetailsCommand.ts | 14 +- ...ConformancePackComplianceSummaryCommand.ts | 14 +- .../commands/GetCustomRulePolicyCommand.ts | 14 +- .../GetDiscoveredResourceCountsCommand.ts | 14 +- ...nizationConfigRuleDetailedStatusCommand.ts | 14 +- ...ionConformancePackDetailedStatusCommand.ts | 14 +- .../GetOrganizationCustomRulePolicyCommand.ts | 14 +- .../GetResourceConfigHistoryCommand.ts | 14 +- .../GetResourceEvaluationSummaryCommand.ts | 14 +- .../src/commands/GetStoredQueryCommand.ts | 14 +- ...ListAggregateDiscoveredResourcesCommand.ts | 14 +- ...tConformancePackComplianceScoresCommand.ts | 14 +- .../ListDiscoveredResourcesCommand.ts | 14 +- .../ListResourceEvaluationsCommand.ts | 14 +- .../src/commands/ListStoredQueriesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PutAggregationAuthorizationCommand.ts | 14 +- .../src/commands/PutConfigRuleCommand.ts | 14 +- .../PutConfigurationAggregatorCommand.ts | 14 +- .../PutConfigurationRecorderCommand.ts | 14 +- .../src/commands/PutConformancePackCommand.ts | 14 +- .../src/commands/PutDeliveryChannelCommand.ts | 14 +- .../src/commands/PutEvaluationsCommand.ts | 14 +- .../commands/PutExternalEvaluationCommand.ts | 14 +- .../PutOrganizationConfigRuleCommand.ts | 14 +- .../PutOrganizationConformancePackCommand.ts | 14 +- .../PutRemediationConfigurationsCommand.ts | 14 +- .../PutRemediationExceptionsCommand.ts | 14 +- .../src/commands/PutResourceConfigCommand.ts | 14 +- .../PutRetentionConfigurationCommand.ts | 14 +- .../src/commands/PutStoredQueryCommand.ts | 14 +- .../SelectAggregateResourceConfigCommand.ts | 14 +- .../commands/SelectResourceConfigCommand.ts | 14 +- .../StartConfigRulesEvaluationCommand.ts | 14 +- .../StartConfigurationRecorderCommand.ts | 14 +- .../StartRemediationExecutionCommand.ts | 14 +- .../StartResourceEvaluationCommand.ts | 14 +- .../StopConfigurationRecorderCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../client-connect-contact-lens/package.json | 42 +- ...tRealtimeContactAnalysisSegmentsCommand.ts | 14 +- clients/client-connect/package.json | 42 +- .../commands/ActivateEvaluationFormCommand.ts | 14 +- .../AssociateAnalyticsDataSetCommand.ts | 14 +- .../AssociateApprovedOriginCommand.ts | 14 +- .../src/commands/AssociateBotCommand.ts | 14 +- .../AssociateDefaultVocabularyCommand.ts | 14 +- .../src/commands/AssociateFlowCommand.ts | 14 +- .../AssociateInstanceStorageConfigCommand.ts | 14 +- .../AssociateLambdaFunctionCommand.ts | 14 +- .../src/commands/AssociateLexBotCommand.ts | 14 +- .../AssociatePhoneNumberContactFlowCommand.ts | 14 +- .../AssociateQueueQuickConnectsCommand.ts | 14 +- .../AssociateRoutingProfileQueuesCommand.ts | 14 +- .../commands/AssociateSecurityKeyCommand.ts | 14 +- ...iateTrafficDistributionGroupUserCommand.ts | 14 +- .../AssociateUserProficienciesCommand.ts | 14 +- .../BatchAssociateAnalyticsDataSetCommand.ts | 14 +- ...atchDisassociateAnalyticsDataSetCommand.ts | 14 +- .../BatchGetAttachedFileMetadataCommand.ts | 14 +- .../BatchGetFlowAssociationCommand.ts | 14 +- .../src/commands/BatchPutContactCommand.ts | 14 +- .../src/commands/ClaimPhoneNumberCommand.ts | 14 +- .../CompleteAttachedFileUploadCommand.ts | 14 +- .../src/commands/CreateAgentStatusCommand.ts | 14 +- .../src/commands/CreateContactFlowCommand.ts | 14 +- .../CreateContactFlowModuleCommand.ts | 14 +- .../commands/CreateEvaluationFormCommand.ts | 14 +- .../commands/CreateHoursOfOperationCommand.ts | 14 +- .../src/commands/CreateInstanceCommand.ts | 14 +- .../CreateIntegrationAssociationCommand.ts | 14 +- .../src/commands/CreateParticipantCommand.ts | 14 +- ...eatePersistentContactAssociationCommand.ts | 14 +- .../CreatePredefinedAttributeCommand.ts | 14 +- .../src/commands/CreatePromptCommand.ts | 14 +- .../src/commands/CreateQueueCommand.ts | 14 +- .../src/commands/CreateQuickConnectCommand.ts | 14 +- .../commands/CreateRoutingProfileCommand.ts | 14 +- .../src/commands/CreateRuleCommand.ts | 14 +- .../commands/CreateSecurityProfileCommand.ts | 14 +- .../src/commands/CreateTaskTemplateCommand.ts | 14 +- .../CreateTrafficDistributionGroupCommand.ts | 14 +- .../src/commands/CreateUseCaseCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../CreateUserHierarchyGroupCommand.ts | 14 +- .../src/commands/CreateViewCommand.ts | 14 +- .../src/commands/CreateViewVersionCommand.ts | 14 +- .../src/commands/CreateVocabularyCommand.ts | 14 +- .../DeactivateEvaluationFormCommand.ts | 14 +- .../src/commands/DeleteAttachedFileCommand.ts | 14 +- .../DeleteContactEvaluationCommand.ts | 14 +- .../src/commands/DeleteContactFlowCommand.ts | 14 +- .../DeleteContactFlowModuleCommand.ts | 14 +- .../commands/DeleteEvaluationFormCommand.ts | 14 +- .../commands/DeleteHoursOfOperationCommand.ts | 14 +- .../src/commands/DeleteInstanceCommand.ts | 14 +- .../DeleteIntegrationAssociationCommand.ts | 14 +- .../DeletePredefinedAttributeCommand.ts | 14 +- .../src/commands/DeletePromptCommand.ts | 14 +- .../src/commands/DeleteQueueCommand.ts | 14 +- .../src/commands/DeleteQuickConnectCommand.ts | 14 +- .../commands/DeleteRoutingProfileCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../commands/DeleteSecurityProfileCommand.ts | 14 +- .../src/commands/DeleteTaskTemplateCommand.ts | 14 +- .../DeleteTrafficDistributionGroupCommand.ts | 14 +- .../src/commands/DeleteUseCaseCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../DeleteUserHierarchyGroupCommand.ts | 14 +- .../src/commands/DeleteViewCommand.ts | 14 +- .../src/commands/DeleteViewVersionCommand.ts | 14 +- .../src/commands/DeleteVocabularyCommand.ts | 14 +- .../commands/DescribeAgentStatusCommand.ts | 14 +- .../DescribeAuthenticationProfileCommand.ts | 14 +- .../src/commands/DescribeContactCommand.ts | 14 +- .../DescribeContactEvaluationCommand.ts | 14 +- .../commands/DescribeContactFlowCommand.ts | 14 +- .../DescribeContactFlowModuleCommand.ts | 14 +- .../commands/DescribeEvaluationFormCommand.ts | 14 +- .../DescribeHoursOfOperationCommand.ts | 14 +- .../DescribeInstanceAttributeCommand.ts | 14 +- .../src/commands/DescribeInstanceCommand.ts | 14 +- .../DescribeInstanceStorageConfigCommand.ts | 14 +- .../commands/DescribePhoneNumberCommand.ts | 14 +- .../DescribePredefinedAttributeCommand.ts | 14 +- .../src/commands/DescribePromptCommand.ts | 14 +- .../src/commands/DescribeQueueCommand.ts | 14 +- .../commands/DescribeQuickConnectCommand.ts | 14 +- .../commands/DescribeRoutingProfileCommand.ts | 14 +- .../src/commands/DescribeRuleCommand.ts | 14 +- .../DescribeSecurityProfileCommand.ts | 14 +- ...DescribeTrafficDistributionGroupCommand.ts | 14 +- .../src/commands/DescribeUserCommand.ts | 14 +- .../DescribeUserHierarchyGroupCommand.ts | 14 +- .../DescribeUserHierarchyStructureCommand.ts | 14 +- .../src/commands/DescribeViewCommand.ts | 14 +- .../src/commands/DescribeVocabularyCommand.ts | 14 +- .../DisassociateAnalyticsDataSetCommand.ts | 14 +- .../DisassociateApprovedOriginCommand.ts | 14 +- .../src/commands/DisassociateBotCommand.ts | 14 +- .../src/commands/DisassociateFlowCommand.ts | 14 +- ...isassociateInstanceStorageConfigCommand.ts | 14 +- .../DisassociateLambdaFunctionCommand.ts | 14 +- .../src/commands/DisassociateLexBotCommand.ts | 14 +- ...sassociatePhoneNumberContactFlowCommand.ts | 14 +- .../DisassociateQueueQuickConnectsCommand.ts | 14 +- ...DisassociateRoutingProfileQueuesCommand.ts | 14 +- .../DisassociateSecurityKeyCommand.ts | 14 +- ...iateTrafficDistributionGroupUserCommand.ts | 14 +- .../DisassociateUserProficienciesCommand.ts | 14 +- .../src/commands/DismissUserContactCommand.ts | 14 +- .../src/commands/GetAttachedFileCommand.ts | 14 +- .../commands/GetContactAttributesCommand.ts | 14 +- .../commands/GetCurrentMetricDataCommand.ts | 14 +- .../src/commands/GetCurrentUserDataCommand.ts | 14 +- .../src/commands/GetFederationTokenCommand.ts | 14 +- .../src/commands/GetFlowAssociationCommand.ts | 14 +- .../src/commands/GetMetricDataCommand.ts | 14 +- .../src/commands/GetMetricDataV2Command.ts | 14 +- .../src/commands/GetPromptFileCommand.ts | 14 +- .../src/commands/GetTaskTemplateCommand.ts | 14 +- .../commands/GetTrafficDistributionCommand.ts | 14 +- .../src/commands/ImportPhoneNumberCommand.ts | 14 +- .../src/commands/ListAgentStatusesCommand.ts | 14 +- .../ListAnalyticsDataAssociationsCommand.ts | 14 +- .../commands/ListApprovedOriginsCommand.ts | 14 +- .../ListAuthenticationProfilesCommand.ts | 14 +- .../src/commands/ListBotsCommand.ts | 14 +- .../commands/ListContactEvaluationsCommand.ts | 14 +- .../commands/ListContactFlowModulesCommand.ts | 14 +- .../src/commands/ListContactFlowsCommand.ts | 14 +- .../commands/ListContactReferencesCommand.ts | 14 +- .../ListDefaultVocabulariesCommand.ts | 14 +- .../ListEvaluationFormVersionsCommand.ts | 14 +- .../commands/ListEvaluationFormsCommand.ts | 14 +- .../commands/ListFlowAssociationsCommand.ts | 14 +- .../commands/ListHoursOfOperationsCommand.ts | 14 +- .../commands/ListInstanceAttributesCommand.ts | 14 +- .../ListInstanceStorageConfigsCommand.ts | 14 +- .../src/commands/ListInstancesCommand.ts | 14 +- .../ListIntegrationAssociationsCommand.ts | 14 +- .../commands/ListLambdaFunctionsCommand.ts | 14 +- .../src/commands/ListLexBotsCommand.ts | 14 +- .../src/commands/ListPhoneNumbersCommand.ts | 14 +- .../src/commands/ListPhoneNumbersV2Command.ts | 14 +- .../ListPredefinedAttributesCommand.ts | 14 +- .../src/commands/ListPromptsCommand.ts | 14 +- .../commands/ListQueueQuickConnectsCommand.ts | 14 +- .../src/commands/ListQueuesCommand.ts | 14 +- .../src/commands/ListQuickConnectsCommand.ts | 14 +- ...ealtimeContactAnalysisSegmentsV2Command.ts | 14 +- .../ListRoutingProfileQueuesCommand.ts | 14 +- .../commands/ListRoutingProfilesCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- .../src/commands/ListSecurityKeysCommand.ts | 14 +- .../ListSecurityProfileApplicationsCommand.ts | 14 +- .../ListSecurityProfilePermissionsCommand.ts | 14 +- .../commands/ListSecurityProfilesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTaskTemplatesCommand.ts | 14 +- ...istTrafficDistributionGroupUsersCommand.ts | 14 +- .../ListTrafficDistributionGroupsCommand.ts | 14 +- .../src/commands/ListUseCasesCommand.ts | 14 +- .../ListUserHierarchyGroupsCommand.ts | 14 +- .../commands/ListUserProficienciesCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../src/commands/ListViewVersionsCommand.ts | 14 +- .../src/commands/ListViewsCommand.ts | 14 +- .../src/commands/MonitorContactCommand.ts | 14 +- .../src/commands/PauseContactCommand.ts | 14 +- .../src/commands/PutUserStatusCommand.ts | 14 +- .../src/commands/ReleasePhoneNumberCommand.ts | 14 +- .../src/commands/ReplicateInstanceCommand.ts | 14 +- .../src/commands/ResumeContactCommand.ts | 14 +- .../commands/ResumeContactRecordingCommand.ts | 14 +- .../commands/SearchAgentStatusesCommand.ts | 14 +- .../SearchAvailablePhoneNumbersCommand.ts | 14 +- .../SearchContactFlowModulesCommand.ts | 14 +- .../src/commands/SearchContactFlowsCommand.ts | 14 +- .../src/commands/SearchContactsCommand.ts | 14 +- .../SearchHoursOfOperationsCommand.ts | 14 +- .../SearchPredefinedAttributesCommand.ts | 14 +- .../src/commands/SearchPromptsCommand.ts | 14 +- .../src/commands/SearchQueuesCommand.ts | 14 +- .../commands/SearchQuickConnectsCommand.ts | 14 +- .../src/commands/SearchResourceTagsCommand.ts | 14 +- .../commands/SearchRoutingProfilesCommand.ts | 14 +- .../commands/SearchSecurityProfilesCommand.ts | 14 +- .../SearchUserHierarchyGroupsCommand.ts | 14 +- .../src/commands/SearchUsersCommand.ts | 14 +- .../src/commands/SearchVocabulariesCommand.ts | 14 +- .../SendChatIntegrationEventCommand.ts | 14 +- .../StartAttachedFileUploadCommand.ts | 14 +- .../src/commands/StartChatContactCommand.ts | 14 +- .../commands/StartContactEvaluationCommand.ts | 14 +- .../commands/StartContactRecordingCommand.ts | 14 +- .../commands/StartContactStreamingCommand.ts | 14 +- .../StartOutboundVoiceContactCommand.ts | 14 +- .../src/commands/StartTaskContactCommand.ts | 14 +- .../src/commands/StartWebRTCContactCommand.ts | 14 +- .../src/commands/StopContactCommand.ts | 14 +- .../commands/StopContactRecordingCommand.ts | 14 +- .../commands/StopContactStreamingCommand.ts | 14 +- .../SubmitContactEvaluationCommand.ts | 14 +- .../SuspendContactRecordingCommand.ts | 14 +- .../src/commands/TagContactCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TransferContactCommand.ts | 14 +- .../src/commands/UntagContactCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAgentStatusCommand.ts | 14 +- .../UpdateAuthenticationProfileCommand.ts | 14 +- .../UpdateContactAttributesCommand.ts | 14 +- .../src/commands/UpdateContactCommand.ts | 14 +- .../UpdateContactEvaluationCommand.ts | 14 +- .../UpdateContactFlowContentCommand.ts | 14 +- .../UpdateContactFlowMetadataCommand.ts | 14 +- .../UpdateContactFlowModuleContentCommand.ts | 14 +- .../UpdateContactFlowModuleMetadataCommand.ts | 14 +- .../commands/UpdateContactFlowNameCommand.ts | 14 +- .../UpdateContactRoutingDataCommand.ts | 14 +- .../commands/UpdateContactScheduleCommand.ts | 14 +- .../commands/UpdateEvaluationFormCommand.ts | 14 +- .../commands/UpdateHoursOfOperationCommand.ts | 14 +- .../UpdateInstanceAttributeCommand.ts | 14 +- .../UpdateInstanceStorageConfigCommand.ts | 14 +- .../UpdateParticipantRoleConfigCommand.ts | 14 +- .../src/commands/UpdatePhoneNumberCommand.ts | 14 +- .../UpdatePhoneNumberMetadataCommand.ts | 14 +- .../UpdatePredefinedAttributeCommand.ts | 14 +- .../src/commands/UpdatePromptCommand.ts | 14 +- .../UpdateQueueHoursOfOperationCommand.ts | 14 +- .../commands/UpdateQueueMaxContactsCommand.ts | 14 +- .../src/commands/UpdateQueueNameCommand.ts | 14 +- .../UpdateQueueOutboundCallerConfigCommand.ts | 14 +- .../src/commands/UpdateQueueStatusCommand.ts | 14 +- .../UpdateQuickConnectConfigCommand.ts | 14 +- .../commands/UpdateQuickConnectNameCommand.ts | 14 +- ...ingProfileAgentAvailabilityTimerCommand.ts | 14 +- .../UpdateRoutingProfileConcurrencyCommand.ts | 14 +- ...utingProfileDefaultOutboundQueueCommand.ts | 14 +- .../UpdateRoutingProfileNameCommand.ts | 14 +- .../UpdateRoutingProfileQueuesCommand.ts | 14 +- .../src/commands/UpdateRuleCommand.ts | 14 +- .../commands/UpdateSecurityProfileCommand.ts | 14 +- .../src/commands/UpdateTaskTemplateCommand.ts | 14 +- .../UpdateTrafficDistributionCommand.ts | 14 +- .../commands/UpdateUserHierarchyCommand.ts | 14 +- .../UpdateUserHierarchyGroupNameCommand.ts | 14 +- .../UpdateUserHierarchyStructureCommand.ts | 14 +- .../commands/UpdateUserIdentityInfoCommand.ts | 14 +- .../commands/UpdateUserPhoneConfigCommand.ts | 14 +- .../UpdateUserProficienciesCommand.ts | 14 +- .../UpdateUserRoutingProfileCommand.ts | 14 +- .../UpdateUserSecurityProfilesCommand.ts | 14 +- .../src/commands/UpdateViewContentCommand.ts | 14 +- .../src/commands/UpdateViewMetadataCommand.ts | 14 +- clients/client-connectcampaigns/package.json | 42 +- .../src/commands/CreateCampaignCommand.ts | 14 +- .../src/commands/DeleteCampaignCommand.ts | 14 +- .../DeleteConnectInstanceConfigCommand.ts | 14 +- .../DeleteInstanceOnboardingJobCommand.ts | 14 +- .../src/commands/DescribeCampaignCommand.ts | 14 +- .../commands/GetCampaignStateBatchCommand.ts | 14 +- .../src/commands/GetCampaignStateCommand.ts | 14 +- .../GetConnectInstanceConfigCommand.ts | 14 +- .../GetInstanceOnboardingJobStatusCommand.ts | 14 +- .../src/commands/ListCampaignsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PauseCampaignCommand.ts | 14 +- .../commands/PutDialRequestBatchCommand.ts | 14 +- .../src/commands/ResumeCampaignCommand.ts | 14 +- .../src/commands/StartCampaignCommand.ts | 14 +- .../StartInstanceOnboardingJobCommand.ts | 14 +- .../src/commands/StopCampaignCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateCampaignDialerConfigCommand.ts | 14 +- .../src/commands/UpdateCampaignNameCommand.ts | 14 +- ...UpdateCampaignOutboundCallConfigCommand.ts | 14 +- clients/client-connectcases/package.json | 42 +- .../src/commands/BatchGetFieldCommand.ts | 14 +- .../commands/BatchPutFieldOptionsCommand.ts | 14 +- .../src/commands/CreateCaseCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../src/commands/CreateFieldCommand.ts | 14 +- .../src/commands/CreateLayoutCommand.ts | 14 +- .../src/commands/CreateRelatedItemCommand.ts | 14 +- .../src/commands/CreateTemplateCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../src/commands/DeleteFieldCommand.ts | 14 +- .../src/commands/DeleteLayoutCommand.ts | 14 +- .../src/commands/DeleteTemplateCommand.ts | 14 +- .../src/commands/GetCaseAuditEventsCommand.ts | 14 +- .../src/commands/GetCaseCommand.ts | 14 +- .../GetCaseEventConfigurationCommand.ts | 14 +- .../src/commands/GetDomainCommand.ts | 14 +- .../src/commands/GetLayoutCommand.ts | 14 +- .../src/commands/GetTemplateCommand.ts | 14 +- .../commands/ListCasesForContactCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../src/commands/ListFieldOptionsCommand.ts | 14 +- .../src/commands/ListFieldsCommand.ts | 14 +- .../src/commands/ListLayoutsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTemplatesCommand.ts | 14 +- .../PutCaseEventConfigurationCommand.ts | 14 +- .../src/commands/SearchCasesCommand.ts | 14 +- .../src/commands/SearchRelatedItemsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCaseCommand.ts | 14 +- .../src/commands/UpdateFieldCommand.ts | 14 +- .../src/commands/UpdateLayoutCommand.ts | 14 +- .../src/commands/UpdateTemplateCommand.ts | 14 +- .../client-connectparticipant/package.json | 42 +- .../CompleteAttachmentUploadCommand.ts | 14 +- .../CreateParticipantConnectionCommand.ts | 14 +- .../src/commands/DescribeViewCommand.ts | 14 +- .../commands/DisconnectParticipantCommand.ts | 14 +- .../src/commands/GetAttachmentCommand.ts | 14 +- .../src/commands/GetTranscriptCommand.ts | 14 +- .../src/commands/SendEventCommand.ts | 14 +- .../src/commands/SendMessageCommand.ts | 14 +- .../commands/StartAttachmentUploadCommand.ts | 14 +- clients/client-controlcatalog/package.json | 42 +- .../src/commands/GetControlCommand.ts | 14 +- .../src/commands/ListCommonControlsCommand.ts | 14 +- .../src/commands/ListControlsCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../src/commands/ListObjectivesCommand.ts | 14 +- clients/client-controltower/package.json | 42 +- .../src/commands/CreateLandingZoneCommand.ts | 14 +- .../src/commands/DeleteLandingZoneCommand.ts | 14 +- .../src/commands/DisableBaselineCommand.ts | 14 +- .../src/commands/DisableControlCommand.ts | 14 +- .../src/commands/EnableBaselineCommand.ts | 14 +- .../src/commands/EnableControlCommand.ts | 14 +- .../src/commands/GetBaselineCommand.ts | 14 +- .../commands/GetBaselineOperationCommand.ts | 14 +- .../commands/GetControlOperationCommand.ts | 14 +- .../src/commands/GetEnabledBaselineCommand.ts | 14 +- .../src/commands/GetEnabledControlCommand.ts | 14 +- .../src/commands/GetLandingZoneCommand.ts | 14 +- .../GetLandingZoneOperationCommand.ts | 14 +- .../src/commands/ListBaselinesCommand.ts | 14 +- .../commands/ListControlOperationsCommand.ts | 14 +- .../commands/ListEnabledBaselinesCommand.ts | 14 +- .../commands/ListEnabledControlsCommand.ts | 14 +- .../ListLandingZoneOperationsCommand.ts | 14 +- .../src/commands/ListLandingZonesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ResetEnabledBaselineCommand.ts | 14 +- .../src/commands/ResetLandingZoneCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateEnabledBaselineCommand.ts | 14 +- .../commands/UpdateEnabledControlCommand.ts | 14 +- .../src/commands/UpdateLandingZoneCommand.ts | 14 +- .../package.json | 42 +- .../commands/DeleteReportDefinitionCommand.ts | 14 +- .../DescribeReportDefinitionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ModifyReportDefinitionCommand.ts | 14 +- .../commands/PutReportDefinitionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-cost-explorer/package.json | 42 +- .../commands/CreateAnomalyMonitorCommand.ts | 14 +- .../CreateAnomalySubscriptionCommand.ts | 14 +- .../CreateCostCategoryDefinitionCommand.ts | 14 +- .../commands/DeleteAnomalyMonitorCommand.ts | 14 +- .../DeleteAnomalySubscriptionCommand.ts | 14 +- .../DeleteCostCategoryDefinitionCommand.ts | 14 +- .../DescribeCostCategoryDefinitionCommand.ts | 14 +- .../src/commands/GetAnomaliesCommand.ts | 14 +- .../src/commands/GetAnomalyMonitorsCommand.ts | 14 +- .../GetAnomalySubscriptionsCommand.ts | 14 +- .../GetApproximateUsageRecordsCommand.ts | 14 +- .../src/commands/GetCostAndUsageCommand.ts | 14 +- .../GetCostAndUsageWithResourcesCommand.ts | 14 +- .../src/commands/GetCostCategoriesCommand.ts | 14 +- .../src/commands/GetCostForecastCommand.ts | 14 +- .../src/commands/GetDimensionValuesCommand.ts | 14 +- .../commands/GetReservationCoverageCommand.ts | 14 +- ...eservationPurchaseRecommendationCommand.ts | 14 +- .../GetReservationUtilizationCommand.ts | 14 +- .../GetRightsizingRecommendationCommand.ts | 14 +- ...lanPurchaseRecommendationDetailsCommand.ts | 14 +- .../GetSavingsPlansCoverageCommand.ts | 14 +- ...vingsPlansPurchaseRecommendationCommand.ts | 14 +- .../GetSavingsPlansUtilizationCommand.ts | 14 +- ...etSavingsPlansUtilizationDetailsCommand.ts | 14 +- .../src/commands/GetTagsCommand.ts | 14 +- .../src/commands/GetUsageForecastCommand.ts | 14 +- ...CostAllocationTagBackfillHistoryCommand.ts | 14 +- .../commands/ListCostAllocationTagsCommand.ts | 14 +- .../ListCostCategoryDefinitionsCommand.ts | 14 +- ...PurchaseRecommendationGenerationCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ProvideAnomalyFeedbackCommand.ts | 14 +- .../StartCostAllocationTagBackfillCommand.ts | 14 +- ...PurchaseRecommendationGenerationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAnomalyMonitorCommand.ts | 14 +- .../UpdateAnomalySubscriptionCommand.ts | 14 +- .../UpdateCostAllocationTagsStatusCommand.ts | 14 +- .../UpdateCostCategoryDefinitionCommand.ts | 14 +- .../client-cost-optimization-hub/package.json | 42 +- .../src/commands/GetPreferencesCommand.ts | 14 +- .../src/commands/GetRecommendationCommand.ts | 14 +- .../commands/ListEnrollmentStatusesCommand.ts | 14 +- .../ListRecommendationSummariesCommand.ts | 14 +- .../commands/ListRecommendationsCommand.ts | 14 +- .../commands/UpdateEnrollmentStatusCommand.ts | 14 +- .../src/commands/UpdatePreferencesCommand.ts | 14 +- clients/client-customer-profiles/package.json | 42 +- .../src/commands/AddProfileKeyCommand.ts | 14 +- ...ateCalculatedAttributeDefinitionCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../src/commands/CreateEventStreamCommand.ts | 14 +- .../CreateIntegrationWorkflowCommand.ts | 14 +- .../src/commands/CreateProfileCommand.ts | 14 +- ...eteCalculatedAttributeDefinitionCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../src/commands/DeleteEventStreamCommand.ts | 14 +- .../src/commands/DeleteIntegrationCommand.ts | 14 +- .../src/commands/DeleteProfileCommand.ts | 14 +- .../src/commands/DeleteProfileKeyCommand.ts | 14 +- .../commands/DeleteProfileObjectCommand.ts | 14 +- .../DeleteProfileObjectTypeCommand.ts | 14 +- .../src/commands/DeleteWorkflowCommand.ts | 14 +- .../DetectProfileObjectTypeCommand.ts | 14 +- .../commands/GetAutoMergingPreviewCommand.ts | 14 +- ...GetCalculatedAttributeDefinitionCommand.ts | 14 +- ...GetCalculatedAttributeForProfileCommand.ts | 14 +- .../src/commands/GetDomainCommand.ts | 14 +- .../src/commands/GetEventStreamCommand.ts | 14 +- .../GetIdentityResolutionJobCommand.ts | 14 +- .../src/commands/GetIntegrationCommand.ts | 14 +- .../src/commands/GetMatchesCommand.ts | 14 +- .../commands/GetProfileObjectTypeCommand.ts | 14 +- .../GetProfileObjectTypeTemplateCommand.ts | 14 +- .../src/commands/GetSimilarProfilesCommand.ts | 14 +- .../src/commands/GetWorkflowCommand.ts | 14 +- .../src/commands/GetWorkflowStepsCommand.ts | 14 +- .../ListAccountIntegrationsCommand.ts | 14 +- ...stCalculatedAttributeDefinitionsCommand.ts | 14 +- ...stCalculatedAttributesForProfileCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../src/commands/ListEventStreamsCommand.ts | 14 +- .../ListIdentityResolutionJobsCommand.ts | 14 +- .../src/commands/ListIntegrationsCommand.ts | 14 +- .../ListProfileObjectTypeTemplatesCommand.ts | 14 +- .../commands/ListProfileObjectTypesCommand.ts | 14 +- .../src/commands/ListProfileObjectsCommand.ts | 14 +- .../commands/ListRuleBasedMatchesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWorkflowsCommand.ts | 14 +- .../src/commands/MergeProfilesCommand.ts | 14 +- .../src/commands/PutIntegrationCommand.ts | 14 +- .../src/commands/PutProfileObjectCommand.ts | 14 +- .../commands/PutProfileObjectTypeCommand.ts | 14 +- .../src/commands/SearchProfilesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...ateCalculatedAttributeDefinitionCommand.ts | 14 +- .../src/commands/UpdateDomainCommand.ts | 14 +- .../src/commands/UpdateProfileCommand.ts | 14 +- clients/client-data-pipeline/package.json | 42 +- .../src/commands/ActivatePipelineCommand.ts | 14 +- .../src/commands/AddTagsCommand.ts | 14 +- .../src/commands/CreatePipelineCommand.ts | 14 +- .../src/commands/DeactivatePipelineCommand.ts | 14 +- .../src/commands/DeletePipelineCommand.ts | 14 +- .../src/commands/DescribeObjectsCommand.ts | 14 +- .../src/commands/DescribePipelinesCommand.ts | 14 +- .../src/commands/EvaluateExpressionCommand.ts | 14 +- .../commands/GetPipelineDefinitionCommand.ts | 14 +- .../src/commands/ListPipelinesCommand.ts | 14 +- .../src/commands/PollForTaskCommand.ts | 14 +- .../commands/PutPipelineDefinitionCommand.ts | 14 +- .../src/commands/QueryObjectsCommand.ts | 14 +- .../src/commands/RemoveTagsCommand.ts | 14 +- .../src/commands/ReportTaskProgressCommand.ts | 14 +- .../ReportTaskRunnerHeartbeatCommand.ts | 14 +- .../src/commands/SetStatusCommand.ts | 14 +- .../src/commands/SetTaskStatusCommand.ts | 14 +- .../ValidatePipelineDefinitionCommand.ts | 14 +- .../package.json | 44 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../ApplyPendingMaintenanceActionCommand.ts | 14 +- .../BatchStartRecommendationsCommand.ts | 14 +- ...ncelReplicationTaskAssessmentRunCommand.ts | 14 +- .../src/commands/CreateDataProviderCommand.ts | 14 +- .../src/commands/CreateEndpointCommand.ts | 14 +- .../CreateEventSubscriptionCommand.ts | 14 +- .../CreateFleetAdvisorCollectorCommand.ts | 14 +- .../commands/CreateInstanceProfileCommand.ts | 14 +- .../commands/CreateMigrationProjectCommand.ts | 14 +- .../CreateReplicationConfigCommand.ts | 14 +- .../CreateReplicationInstanceCommand.ts | 14 +- .../CreateReplicationSubnetGroupCommand.ts | 14 +- .../commands/CreateReplicationTaskCommand.ts | 14 +- .../src/commands/DeleteCertificateCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/DeleteDataProviderCommand.ts | 14 +- .../src/commands/DeleteEndpointCommand.ts | 14 +- .../DeleteEventSubscriptionCommand.ts | 14 +- .../DeleteFleetAdvisorCollectorCommand.ts | 14 +- .../DeleteFleetAdvisorDatabasesCommand.ts | 14 +- .../commands/DeleteInstanceProfileCommand.ts | 14 +- .../commands/DeleteMigrationProjectCommand.ts | 14 +- .../DeleteReplicationConfigCommand.ts | 14 +- .../DeleteReplicationInstanceCommand.ts | 14 +- .../DeleteReplicationSubnetGroupCommand.ts | 14 +- ...leteReplicationTaskAssessmentRunCommand.ts | 14 +- .../commands/DeleteReplicationTaskCommand.ts | 14 +- .../DescribeAccountAttributesCommand.ts | 14 +- ...eApplicableIndividualAssessmentsCommand.ts | 14 +- .../commands/DescribeCertificatesCommand.ts | 14 +- .../commands/DescribeConnectionsCommand.ts | 14 +- .../DescribeConversionConfigurationCommand.ts | 14 +- .../commands/DescribeDataProvidersCommand.ts | 14 +- .../DescribeEndpointSettingsCommand.ts | 14 +- .../commands/DescribeEndpointTypesCommand.ts | 14 +- .../src/commands/DescribeEndpointsCommand.ts | 14 +- .../commands/DescribeEngineVersionsCommand.ts | 14 +- .../DescribeEventCategoriesCommand.ts | 14 +- .../DescribeEventSubscriptionsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- ...escribeExtensionPackAssociationsCommand.ts | 14 +- .../DescribeFleetAdvisorCollectorsCommand.ts | 14 +- .../DescribeFleetAdvisorDatabasesCommand.ts | 14 +- .../DescribeFleetAdvisorLsaAnalysisCommand.ts | 14 +- ...eFleetAdvisorSchemaObjectSummaryCommand.ts | 14 +- .../DescribeFleetAdvisorSchemasCommand.ts | 14 +- .../DescribeInstanceProfilesCommand.ts | 14 +- ...DescribeMetadataModelAssessmentsCommand.ts | 14 +- ...DescribeMetadataModelConversionsCommand.ts | 14 +- ...ribeMetadataModelExportsAsScriptCommand.ts | 14 +- ...ribeMetadataModelExportsToTargetCommand.ts | 14 +- .../DescribeMetadataModelImportsCommand.ts | 14 +- .../DescribeMigrationProjectsCommand.ts | 14 +- ...ibeOrderableReplicationInstancesCommand.ts | 14 +- ...escribePendingMaintenanceActionsCommand.ts | 14 +- ...escribeRecommendationLimitationsCommand.ts | 14 +- .../DescribeRecommendationsCommand.ts | 14 +- .../DescribeRefreshSchemasStatusCommand.ts | 14 +- .../DescribeReplicationConfigsCommand.ts | 14 +- ...cribeReplicationInstanceTaskLogsCommand.ts | 14 +- .../DescribeReplicationInstancesCommand.ts | 14 +- .../DescribeReplicationSubnetGroupsCommand.ts | 14 +- ...scribeReplicationTableStatisticsCommand.ts | 14 +- ...ReplicationTaskAssessmentResultsCommand.ts | 14 +- ...ibeReplicationTaskAssessmentRunsCommand.ts | 14 +- ...icationTaskIndividualAssessmentsCommand.ts | 14 +- .../DescribeReplicationTasksCommand.ts | 14 +- .../commands/DescribeReplicationsCommand.ts | 14 +- .../src/commands/DescribeSchemasCommand.ts | 14 +- .../DescribeTableStatisticsCommand.ts | 14 +- .../ExportMetadataModelAssessmentCommand.ts | 14 +- .../src/commands/ImportCertificateCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ModifyConversionConfigurationCommand.ts | 14 +- .../src/commands/ModifyDataProviderCommand.ts | 14 +- .../src/commands/ModifyEndpointCommand.ts | 14 +- .../ModifyEventSubscriptionCommand.ts | 14 +- .../commands/ModifyInstanceProfileCommand.ts | 14 +- .../commands/ModifyMigrationProjectCommand.ts | 14 +- .../ModifyReplicationConfigCommand.ts | 14 +- .../ModifyReplicationInstanceCommand.ts | 14 +- .../ModifyReplicationSubnetGroupCommand.ts | 14 +- .../commands/ModifyReplicationTaskCommand.ts | 14 +- .../commands/MoveReplicationTaskCommand.ts | 14 +- .../RebootReplicationInstanceCommand.ts | 14 +- .../src/commands/RefreshSchemasCommand.ts | 14 +- .../ReloadReplicationTablesCommand.ts | 14 +- .../src/commands/ReloadTablesCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../RunFleetAdvisorLsaAnalysisCommand.ts | 14 +- .../StartExtensionPackAssociationCommand.ts | 14 +- .../StartMetadataModelAssessmentCommand.ts | 14 +- .../StartMetadataModelConversionCommand.ts | 14 +- ...StartMetadataModelExportAsScriptCommand.ts | 14 +- ...StartMetadataModelExportToTargetCommand.ts | 14 +- .../StartMetadataModelImportCommand.ts | 14 +- .../commands/StartRecommendationsCommand.ts | 14 +- .../src/commands/StartReplicationCommand.ts | 14 +- .../StartReplicationTaskAssessmentCommand.ts | 14 +- ...tartReplicationTaskAssessmentRunCommand.ts | 14 +- .../commands/StartReplicationTaskCommand.ts | 14 +- .../src/commands/StopReplicationCommand.ts | 14 +- .../commands/StopReplicationTaskCommand.ts | 14 +- .../src/commands/TestConnectionCommand.ts | 14 +- ...UpdateSubscriptionsToEventBridgeCommand.ts | 14 +- clients/client-databrew/package.json | 42 +- .../BatchDeleteRecipeVersionCommand.ts | 14 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../src/commands/CreateProfileJobCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../src/commands/CreateRecipeCommand.ts | 14 +- .../src/commands/CreateRecipeJobCommand.ts | 14 +- .../src/commands/CreateRulesetCommand.ts | 14 +- .../src/commands/CreateScheduleCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../src/commands/DeleteJobCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../commands/DeleteRecipeVersionCommand.ts | 14 +- .../src/commands/DeleteRulesetCommand.ts | 14 +- .../src/commands/DeleteScheduleCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../src/commands/DescribeJobCommand.ts | 14 +- .../src/commands/DescribeJobRunCommand.ts | 14 +- .../src/commands/DescribeProjectCommand.ts | 14 +- .../src/commands/DescribeRecipeCommand.ts | 14 +- .../src/commands/DescribeRulesetCommand.ts | 14 +- .../src/commands/DescribeScheduleCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../src/commands/ListJobRunsCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../src/commands/ListRecipeVersionsCommand.ts | 14 +- .../src/commands/ListRecipesCommand.ts | 14 +- .../src/commands/ListRulesetsCommand.ts | 14 +- .../src/commands/ListSchedulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PublishRecipeCommand.ts | 14 +- .../SendProjectSessionActionCommand.ts | 14 +- .../src/commands/StartJobRunCommand.ts | 14 +- .../commands/StartProjectSessionCommand.ts | 14 +- .../src/commands/StopJobRunCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDatasetCommand.ts | 14 +- .../src/commands/UpdateProfileJobCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- .../src/commands/UpdateRecipeCommand.ts | 14 +- .../src/commands/UpdateRecipeJobCommand.ts | 14 +- .../src/commands/UpdateRulesetCommand.ts | 14 +- .../src/commands/UpdateScheduleCommand.ts | 14 +- clients/client-dataexchange/package.json | 42 +- .../src/commands/CancelJobCommand.ts | 14 +- .../src/commands/CreateDataSetCommand.ts | 14 +- .../src/commands/CreateEventActionCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../src/commands/CreateRevisionCommand.ts | 14 +- .../src/commands/DeleteAssetCommand.ts | 14 +- .../src/commands/DeleteDataSetCommand.ts | 14 +- .../src/commands/DeleteEventActionCommand.ts | 14 +- .../src/commands/DeleteRevisionCommand.ts | 14 +- .../src/commands/GetAssetCommand.ts | 14 +- .../src/commands/GetDataSetCommand.ts | 14 +- .../src/commands/GetEventActionCommand.ts | 14 +- .../src/commands/GetJobCommand.ts | 14 +- .../src/commands/GetRevisionCommand.ts | 14 +- .../commands/ListDataSetRevisionsCommand.ts | 14 +- .../src/commands/ListDataSetsCommand.ts | 14 +- .../src/commands/ListEventActionsCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../src/commands/ListRevisionAssetsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RevokeRevisionCommand.ts | 14 +- .../src/commands/SendApiAssetCommand.ts | 14 +- .../SendDataSetNotificationCommand.ts | 14 +- .../src/commands/StartJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAssetCommand.ts | 14 +- .../src/commands/UpdateDataSetCommand.ts | 14 +- .../src/commands/UpdateEventActionCommand.ts | 14 +- .../src/commands/UpdateRevisionCommand.ts | 14 +- clients/client-datasync/package.json | 42 +- .../src/commands/AddStorageSystemCommand.ts | 14 +- .../commands/CancelTaskExecutionCommand.ts | 14 +- .../src/commands/CreateAgentCommand.ts | 14 +- .../CreateLocationAzureBlobCommand.ts | 14 +- .../src/commands/CreateLocationEfsCommand.ts | 14 +- .../CreateLocationFsxLustreCommand.ts | 14 +- .../commands/CreateLocationFsxOntapCommand.ts | 14 +- .../CreateLocationFsxOpenZfsCommand.ts | 14 +- .../CreateLocationFsxWindowsCommand.ts | 14 +- .../src/commands/CreateLocationHdfsCommand.ts | 14 +- .../src/commands/CreateLocationNfsCommand.ts | 14 +- .../CreateLocationObjectStorageCommand.ts | 14 +- .../src/commands/CreateLocationS3Command.ts | 14 +- .../src/commands/CreateLocationSmbCommand.ts | 14 +- .../src/commands/CreateTaskCommand.ts | 14 +- .../src/commands/DeleteAgentCommand.ts | 14 +- .../src/commands/DeleteLocationCommand.ts | 14 +- .../src/commands/DeleteTaskCommand.ts | 14 +- .../src/commands/DescribeAgentCommand.ts | 14 +- .../commands/DescribeDiscoveryJobCommand.ts | 14 +- .../DescribeLocationAzureBlobCommand.ts | 14 +- .../commands/DescribeLocationEfsCommand.ts | 14 +- .../DescribeLocationFsxLustreCommand.ts | 14 +- .../DescribeLocationFsxOntapCommand.ts | 14 +- .../DescribeLocationFsxOpenZfsCommand.ts | 14 +- .../DescribeLocationFsxWindowsCommand.ts | 14 +- .../commands/DescribeLocationHdfsCommand.ts | 14 +- .../commands/DescribeLocationNfsCommand.ts | 14 +- .../DescribeLocationObjectStorageCommand.ts | 14 +- .../src/commands/DescribeLocationS3Command.ts | 14 +- .../commands/DescribeLocationSmbCommand.ts | 14 +- .../commands/DescribeStorageSystemCommand.ts | 14 +- ...ribeStorageSystemResourceMetricsCommand.ts | 14 +- .../DescribeStorageSystemResourcesCommand.ts | 14 +- .../src/commands/DescribeTaskCommand.ts | 14 +- .../commands/DescribeTaskExecutionCommand.ts | 14 +- .../GenerateRecommendationsCommand.ts | 14 +- .../src/commands/ListAgentsCommand.ts | 14 +- .../src/commands/ListDiscoveryJobsCommand.ts | 14 +- .../src/commands/ListLocationsCommand.ts | 14 +- .../src/commands/ListStorageSystemsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTaskExecutionsCommand.ts | 14 +- .../src/commands/ListTasksCommand.ts | 14 +- .../commands/RemoveStorageSystemCommand.ts | 14 +- .../src/commands/StartDiscoveryJobCommand.ts | 14 +- .../src/commands/StartTaskExecutionCommand.ts | 14 +- .../src/commands/StopDiscoveryJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAgentCommand.ts | 14 +- .../src/commands/UpdateDiscoveryJobCommand.ts | 14 +- .../UpdateLocationAzureBlobCommand.ts | 14 +- .../src/commands/UpdateLocationHdfsCommand.ts | 14 +- .../src/commands/UpdateLocationNfsCommand.ts | 14 +- .../UpdateLocationObjectStorageCommand.ts | 14 +- .../src/commands/UpdateLocationSmbCommand.ts | 14 +- .../commands/UpdateStorageSystemCommand.ts | 14 +- .../src/commands/UpdateTaskCommand.ts | 14 +- .../commands/UpdateTaskExecutionCommand.ts | 14 +- clients/client-datazone/package.json | 42 +- .../src/commands/AcceptPredictionsCommand.ts | 14 +- .../AcceptSubscriptionRequestCommand.ts | 14 +- .../src/commands/AddEntityOwnerCommand.ts | 14 +- .../src/commands/AddPolicyGrantCommand.ts | 14 +- .../AssociateEnvironmentRoleCommand.ts | 14 +- .../CancelMetadataGenerationRunCommand.ts | 14 +- .../src/commands/CancelSubscriptionCommand.ts | 14 +- .../src/commands/CreateAssetCommand.ts | 14 +- .../src/commands/CreateAssetFilterCommand.ts | 14 +- .../commands/CreateAssetRevisionCommand.ts | 14 +- .../src/commands/CreateAssetTypeCommand.ts | 14 +- .../src/commands/CreateDataProductCommand.ts | 14 +- .../CreateDataProductRevisionCommand.ts | 14 +- .../src/commands/CreateDataSourceCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../src/commands/CreateDomainUnitCommand.ts | 14 +- .../CreateEnvironmentActionCommand.ts | 14 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../CreateEnvironmentProfileCommand.ts | 14 +- .../src/commands/CreateFormTypeCommand.ts | 14 +- .../src/commands/CreateGlossaryCommand.ts | 14 +- .../src/commands/CreateGlossaryTermCommand.ts | 14 +- .../src/commands/CreateGroupProfileCommand.ts | 14 +- .../commands/CreateListingChangeSetCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../CreateProjectMembershipCommand.ts | 14 +- .../CreateSubscriptionGrantCommand.ts | 14 +- .../CreateSubscriptionRequestCommand.ts | 14 +- .../CreateSubscriptionTargetCommand.ts | 14 +- .../src/commands/CreateUserProfileCommand.ts | 14 +- .../src/commands/DeleteAssetCommand.ts | 14 +- .../src/commands/DeleteAssetFilterCommand.ts | 14 +- .../src/commands/DeleteAssetTypeCommand.ts | 14 +- .../src/commands/DeleteDataProductCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../src/commands/DeleteDomainUnitCommand.ts | 14 +- .../DeleteEnvironmentActionCommand.ts | 14 +- ...nvironmentBlueprintConfigurationCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../DeleteEnvironmentProfileCommand.ts | 14 +- .../src/commands/DeleteFormTypeCommand.ts | 14 +- .../src/commands/DeleteGlossaryCommand.ts | 14 +- .../src/commands/DeleteGlossaryTermCommand.ts | 14 +- .../src/commands/DeleteListingCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../DeleteProjectMembershipCommand.ts | 14 +- .../DeleteSubscriptionGrantCommand.ts | 14 +- .../DeleteSubscriptionRequestCommand.ts | 14 +- .../DeleteSubscriptionTargetCommand.ts | 14 +- .../DeleteTimeSeriesDataPointsCommand.ts | 14 +- .../DisassociateEnvironmentRoleCommand.ts | 14 +- .../src/commands/GetAssetCommand.ts | 14 +- .../src/commands/GetAssetFilterCommand.ts | 14 +- .../src/commands/GetAssetTypeCommand.ts | 14 +- .../src/commands/GetDataProductCommand.ts | 14 +- .../src/commands/GetDataSourceCommand.ts | 14 +- .../src/commands/GetDataSourceRunCommand.ts | 14 +- .../src/commands/GetDomainCommand.ts | 14 +- .../src/commands/GetDomainUnitCommand.ts | 14 +- .../commands/GetEnvironmentActionCommand.ts | 14 +- .../GetEnvironmentBlueprintCommand.ts | 14 +- ...nvironmentBlueprintConfigurationCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../GetEnvironmentCredentialsCommand.ts | 14 +- .../commands/GetEnvironmentProfileCommand.ts | 14 +- .../src/commands/GetFormTypeCommand.ts | 14 +- .../src/commands/GetGlossaryCommand.ts | 14 +- .../src/commands/GetGlossaryTermCommand.ts | 14 +- .../src/commands/GetGroupProfileCommand.ts | 14 +- .../commands/GetIamPortalLoginUrlCommand.ts | 14 +- .../src/commands/GetLineageNodeCommand.ts | 14 +- .../src/commands/GetListingCommand.ts | 14 +- .../GetMetadataGenerationRunCommand.ts | 14 +- .../src/commands/GetProjectCommand.ts | 14 +- .../src/commands/GetSubscriptionCommand.ts | 14 +- .../commands/GetSubscriptionGrantCommand.ts | 14 +- .../GetSubscriptionRequestDetailsCommand.ts | 14 +- .../commands/GetSubscriptionTargetCommand.ts | 14 +- .../commands/GetTimeSeriesDataPointCommand.ts | 14 +- .../src/commands/GetUserProfileCommand.ts | 14 +- .../src/commands/ListAssetFiltersCommand.ts | 14 +- .../src/commands/ListAssetRevisionsCommand.ts | 14 +- .../ListDataProductRevisionsCommand.ts | 14 +- .../ListDataSourceRunActivitiesCommand.ts | 14 +- .../src/commands/ListDataSourceRunsCommand.ts | 14 +- .../src/commands/ListDataSourcesCommand.ts | 14 +- .../ListDomainUnitsForParentCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../src/commands/ListEntityOwnersCommand.ts | 14 +- .../commands/ListEnvironmentActionsCommand.ts | 14 +- ...vironmentBlueprintConfigurationsCommand.ts | 14 +- .../ListEnvironmentBlueprintsCommand.ts | 14 +- .../ListEnvironmentProfilesCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../commands/ListLineageNodeHistoryCommand.ts | 14 +- .../ListMetadataGenerationRunsCommand.ts | 14 +- .../src/commands/ListNotificationsCommand.ts | 14 +- .../src/commands/ListPolicyGrantsCommand.ts | 14 +- .../commands/ListProjectMembershipsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../commands/ListSubscriptionGrantsCommand.ts | 14 +- .../ListSubscriptionRequestsCommand.ts | 14 +- .../ListSubscriptionTargetsCommand.ts | 14 +- .../src/commands/ListSubscriptionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTimeSeriesDataPointsCommand.ts | 14 +- .../src/commands/PostLineageEventCommand.ts | 14 +- .../PostTimeSeriesDataPointsCommand.ts | 14 +- ...nvironmentBlueprintConfigurationCommand.ts | 14 +- .../src/commands/RejectPredictionsCommand.ts | 14 +- .../RejectSubscriptionRequestCommand.ts | 14 +- .../src/commands/RemoveEntityOwnerCommand.ts | 14 +- .../src/commands/RemovePolicyGrantCommand.ts | 14 +- .../src/commands/RevokeSubscriptionCommand.ts | 14 +- .../src/commands/SearchCommand.ts | 14 +- .../commands/SearchGroupProfilesCommand.ts | 14 +- .../src/commands/SearchListingsCommand.ts | 14 +- .../src/commands/SearchTypesCommand.ts | 14 +- .../src/commands/SearchUserProfilesCommand.ts | 14 +- .../src/commands/StartDataSourceRunCommand.ts | 14 +- .../StartMetadataGenerationRunCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAssetFilterCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../src/commands/UpdateDomainCommand.ts | 14 +- .../src/commands/UpdateDomainUnitCommand.ts | 14 +- .../UpdateEnvironmentActionCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- .../UpdateEnvironmentProfileCommand.ts | 14 +- .../src/commands/UpdateGlossaryCommand.ts | 14 +- .../src/commands/UpdateGlossaryTermCommand.ts | 14 +- .../src/commands/UpdateGroupProfileCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- .../UpdateSubscriptionGrantStatusCommand.ts | 14 +- .../UpdateSubscriptionRequestCommand.ts | 14 +- .../UpdateSubscriptionTargetCommand.ts | 14 +- .../src/commands/UpdateUserProfileCommand.ts | 14 +- clients/client-dax/package.json | 42 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../commands/CreateParameterGroupCommand.ts | 14 +- .../src/commands/CreateSubnetGroupCommand.ts | 14 +- .../DecreaseReplicationFactorCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../commands/DeleteParameterGroupCommand.ts | 14 +- .../src/commands/DeleteSubnetGroupCommand.ts | 14 +- .../src/commands/DescribeClustersCommand.ts | 14 +- .../DescribeDefaultParametersCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../DescribeParameterGroupsCommand.ts | 14 +- .../src/commands/DescribeParametersCommand.ts | 14 +- .../commands/DescribeSubnetGroupsCommand.ts | 14 +- .../IncreaseReplicationFactorCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../src/commands/RebootNodeCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateClusterCommand.ts | 14 +- .../commands/UpdateParameterGroupCommand.ts | 14 +- .../src/commands/UpdateSubnetGroupCommand.ts | 14 +- clients/client-deadline/package.json | 44 +- .../commands/AssociateMemberToFarmCommand.ts | 14 +- .../commands/AssociateMemberToFleetCommand.ts | 14 +- .../commands/AssociateMemberToJobCommand.ts | 14 +- .../commands/AssociateMemberToQueueCommand.ts | 14 +- .../commands/AssumeFleetRoleForReadCommand.ts | 14 +- .../AssumeFleetRoleForWorkerCommand.ts | 14 +- .../commands/AssumeQueueRoleForReadCommand.ts | 14 +- .../commands/AssumeQueueRoleForUserCommand.ts | 14 +- .../AssumeQueueRoleForWorkerCommand.ts | 14 +- .../src/commands/BatchGetJobEntityCommand.ts | 14 +- .../src/commands/CopyJobTemplateCommand.ts | 14 +- .../src/commands/CreateBudgetCommand.ts | 14 +- .../src/commands/CreateFarmCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../commands/CreateLicenseEndpointCommand.ts | 14 +- .../src/commands/CreateMonitorCommand.ts | 14 +- .../src/commands/CreateQueueCommand.ts | 14 +- .../commands/CreateQueueEnvironmentCommand.ts | 14 +- .../CreateQueueFleetAssociationCommand.ts | 14 +- .../commands/CreateStorageProfileCommand.ts | 14 +- .../src/commands/CreateWorkerCommand.ts | 14 +- .../src/commands/DeleteBudgetCommand.ts | 14 +- .../src/commands/DeleteFarmCommand.ts | 14 +- .../src/commands/DeleteFleetCommand.ts | 14 +- .../commands/DeleteLicenseEndpointCommand.ts | 14 +- .../commands/DeleteMeteredProductCommand.ts | 14 +- .../src/commands/DeleteMonitorCommand.ts | 14 +- .../src/commands/DeleteQueueCommand.ts | 14 +- .../commands/DeleteQueueEnvironmentCommand.ts | 14 +- .../DeleteQueueFleetAssociationCommand.ts | 14 +- .../commands/DeleteStorageProfileCommand.ts | 14 +- .../src/commands/DeleteWorkerCommand.ts | 14 +- .../DisassociateMemberFromFarmCommand.ts | 14 +- .../DisassociateMemberFromFleetCommand.ts | 14 +- .../DisassociateMemberFromJobCommand.ts | 14 +- .../DisassociateMemberFromQueueCommand.ts | 14 +- .../src/commands/GetBudgetCommand.ts | 14 +- .../src/commands/GetFarmCommand.ts | 14 +- .../src/commands/GetFleetCommand.ts | 14 +- .../src/commands/GetJobCommand.ts | 14 +- .../src/commands/GetLicenseEndpointCommand.ts | 14 +- .../src/commands/GetMonitorCommand.ts | 14 +- .../src/commands/GetQueueCommand.ts | 14 +- .../commands/GetQueueEnvironmentCommand.ts | 14 +- .../GetQueueFleetAssociationCommand.ts | 14 +- .../src/commands/GetSessionActionCommand.ts | 14 +- .../src/commands/GetSessionCommand.ts | 14 +- ...GetSessionsStatisticsAggregationCommand.ts | 14 +- .../src/commands/GetStepCommand.ts | 14 +- .../src/commands/GetStorageProfileCommand.ts | 14 +- .../GetStorageProfileForQueueCommand.ts | 14 +- .../src/commands/GetTaskCommand.ts | 14 +- .../src/commands/GetWorkerCommand.ts | 14 +- .../ListAvailableMeteredProductsCommand.ts | 14 +- .../src/commands/ListBudgetsCommand.ts | 14 +- .../src/commands/ListFarmMembersCommand.ts | 14 +- .../src/commands/ListFarmsCommand.ts | 14 +- .../src/commands/ListFleetMembersCommand.ts | 14 +- .../src/commands/ListFleetsCommand.ts | 14 +- .../src/commands/ListJobMembersCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../commands/ListLicenseEndpointsCommand.ts | 14 +- .../commands/ListMeteredProductsCommand.ts | 14 +- .../src/commands/ListMonitorsCommand.ts | 14 +- .../commands/ListQueueEnvironmentsCommand.ts | 14 +- .../ListQueueFleetAssociationsCommand.ts | 14 +- .../src/commands/ListQueueMembersCommand.ts | 14 +- .../src/commands/ListQueuesCommand.ts | 14 +- .../src/commands/ListSessionActionsCommand.ts | 14 +- .../src/commands/ListSessionsCommand.ts | 14 +- .../commands/ListSessionsForWorkerCommand.ts | 14 +- .../src/commands/ListStepConsumersCommand.ts | 14 +- .../commands/ListStepDependenciesCommand.ts | 14 +- .../src/commands/ListStepsCommand.ts | 14 +- .../commands/ListStorageProfilesCommand.ts | 14 +- .../ListStorageProfilesForQueueCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTasksCommand.ts | 14 +- .../src/commands/ListWorkersCommand.ts | 14 +- .../src/commands/PutMeteredProductCommand.ts | 14 +- .../src/commands/SearchJobsCommand.ts | 14 +- .../src/commands/SearchStepsCommand.ts | 14 +- .../src/commands/SearchTasksCommand.ts | 14 +- .../src/commands/SearchWorkersCommand.ts | 14 +- ...artSessionsStatisticsAggregationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBudgetCommand.ts | 14 +- .../src/commands/UpdateFarmCommand.ts | 14 +- .../src/commands/UpdateFleetCommand.ts | 14 +- .../src/commands/UpdateJobCommand.ts | 14 +- .../src/commands/UpdateMonitorCommand.ts | 14 +- .../src/commands/UpdateQueueCommand.ts | 14 +- .../commands/UpdateQueueEnvironmentCommand.ts | 14 +- .../UpdateQueueFleetAssociationCommand.ts | 14 +- .../src/commands/UpdateSessionCommand.ts | 14 +- .../src/commands/UpdateStepCommand.ts | 14 +- .../commands/UpdateStorageProfileCommand.ts | 14 +- .../src/commands/UpdateTaskCommand.ts | 14 +- .../src/commands/UpdateWorkerCommand.ts | 14 +- .../commands/UpdateWorkerScheduleCommand.ts | 14 +- clients/client-detective/package.json | 42 +- .../src/commands/AcceptInvitationCommand.ts | 14 +- .../BatchGetGraphMemberDatasourcesCommand.ts | 14 +- .../BatchGetMembershipDatasourcesCommand.ts | 14 +- .../src/commands/CreateGraphCommand.ts | 14 +- .../src/commands/CreateMembersCommand.ts | 14 +- .../src/commands/DeleteGraphCommand.ts | 14 +- .../src/commands/DeleteMembersCommand.ts | 14 +- ...escribeOrganizationConfigurationCommand.ts | 14 +- .../DisableOrganizationAdminAccountCommand.ts | 14 +- .../commands/DisassociateMembershipCommand.ts | 14 +- .../EnableOrganizationAdminAccountCommand.ts | 14 +- .../src/commands/GetInvestigationCommand.ts | 14 +- .../src/commands/GetMembersCommand.ts | 14 +- .../commands/ListDatasourcePackagesCommand.ts | 14 +- .../src/commands/ListGraphsCommand.ts | 14 +- .../src/commands/ListIndicatorsCommand.ts | 14 +- .../src/commands/ListInvestigationsCommand.ts | 14 +- .../src/commands/ListInvitationsCommand.ts | 14 +- .../src/commands/ListMembersCommand.ts | 14 +- .../ListOrganizationAdminAccountsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RejectInvitationCommand.ts | 14 +- .../src/commands/StartInvestigationCommand.ts | 14 +- .../commands/StartMonitoringMemberCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateDatasourcePackagesCommand.ts | 14 +- .../UpdateInvestigationStateCommand.ts | 14 +- .../UpdateOrganizationConfigurationCommand.ts | 14 +- clients/client-device-farm/package.json | 42 +- .../src/commands/CreateDevicePoolCommand.ts | 14 +- .../commands/CreateInstanceProfileCommand.ts | 14 +- .../commands/CreateNetworkProfileCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../CreateRemoteAccessSessionCommand.ts | 14 +- .../commands/CreateTestGridProjectCommand.ts | 14 +- .../src/commands/CreateTestGridUrlCommand.ts | 14 +- .../src/commands/CreateUploadCommand.ts | 14 +- .../CreateVPCEConfigurationCommand.ts | 14 +- .../src/commands/DeleteDevicePoolCommand.ts | 14 +- .../commands/DeleteInstanceProfileCommand.ts | 14 +- .../commands/DeleteNetworkProfileCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../DeleteRemoteAccessSessionCommand.ts | 14 +- .../src/commands/DeleteRunCommand.ts | 14 +- .../commands/DeleteTestGridProjectCommand.ts | 14 +- .../src/commands/DeleteUploadCommand.ts | 14 +- .../DeleteVPCEConfigurationCommand.ts | 14 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../src/commands/GetDeviceCommand.ts | 14 +- .../src/commands/GetDeviceInstanceCommand.ts | 14 +- .../src/commands/GetDevicePoolCommand.ts | 14 +- .../GetDevicePoolCompatibilityCommand.ts | 14 +- .../src/commands/GetInstanceProfileCommand.ts | 14 +- .../src/commands/GetJobCommand.ts | 14 +- .../src/commands/GetNetworkProfileCommand.ts | 14 +- .../src/commands/GetOfferingStatusCommand.ts | 14 +- .../src/commands/GetProjectCommand.ts | 14 +- .../commands/GetRemoteAccessSessionCommand.ts | 14 +- .../src/commands/GetRunCommand.ts | 14 +- .../src/commands/GetSuiteCommand.ts | 14 +- .../src/commands/GetTestCommand.ts | 14 +- .../src/commands/GetTestGridProjectCommand.ts | 14 +- .../src/commands/GetTestGridSessionCommand.ts | 14 +- .../src/commands/GetUploadCommand.ts | 14 +- .../commands/GetVPCEConfigurationCommand.ts | 14 +- .../InstallToRemoteAccessSessionCommand.ts | 14 +- .../src/commands/ListArtifactsCommand.ts | 14 +- .../commands/ListDeviceInstancesCommand.ts | 14 +- .../src/commands/ListDevicePoolsCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../commands/ListInstanceProfilesCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../commands/ListNetworkProfilesCommand.ts | 14 +- .../commands/ListOfferingPromotionsCommand.ts | 14 +- .../ListOfferingTransactionsCommand.ts | 14 +- .../src/commands/ListOfferingsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../ListRemoteAccessSessionsCommand.ts | 14 +- .../src/commands/ListRunsCommand.ts | 14 +- .../src/commands/ListSamplesCommand.ts | 14 +- .../src/commands/ListSuitesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTestGridProjectsCommand.ts | 14 +- .../ListTestGridSessionActionsCommand.ts | 14 +- .../ListTestGridSessionArtifactsCommand.ts | 14 +- .../commands/ListTestGridSessionsCommand.ts | 14 +- .../src/commands/ListTestsCommand.ts | 14 +- .../src/commands/ListUniqueProblemsCommand.ts | 14 +- .../src/commands/ListUploadsCommand.ts | 14 +- .../commands/ListVPCEConfigurationsCommand.ts | 14 +- .../src/commands/PurchaseOfferingCommand.ts | 14 +- .../src/commands/RenewOfferingCommand.ts | 14 +- .../src/commands/ScheduleRunCommand.ts | 14 +- .../src/commands/StopJobCommand.ts | 14 +- .../StopRemoteAccessSessionCommand.ts | 14 +- .../src/commands/StopRunCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateDeviceInstanceCommand.ts | 14 +- .../src/commands/UpdateDevicePoolCommand.ts | 14 +- .../commands/UpdateInstanceProfileCommand.ts | 14 +- .../commands/UpdateNetworkProfileCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- .../commands/UpdateTestGridProjectCommand.ts | 14 +- .../src/commands/UpdateUploadCommand.ts | 14 +- .../UpdateVPCEConfigurationCommand.ts | 14 +- clients/client-devops-guru/package.json | 42 +- .../commands/AddNotificationChannelCommand.ts | 14 +- .../src/commands/DeleteInsightCommand.ts | 14 +- .../commands/DescribeAccountHealthCommand.ts | 14 +- .../DescribeAccountOverviewCommand.ts | 14 +- .../src/commands/DescribeAnomalyCommand.ts | 14 +- .../DescribeEventSourcesConfigCommand.ts | 14 +- .../src/commands/DescribeFeedbackCommand.ts | 14 +- .../src/commands/DescribeInsightCommand.ts | 14 +- .../DescribeOrganizationHealthCommand.ts | 14 +- .../DescribeOrganizationOverviewCommand.ts | 14 +- ...nizationResourceCollectionHealthCommand.ts | 14 +- ...DescribeResourceCollectionHealthCommand.ts | 14 +- .../DescribeServiceIntegrationCommand.ts | 14 +- .../src/commands/GetCostEstimationCommand.ts | 14 +- .../commands/GetResourceCollectionCommand.ts | 14 +- .../ListAnomaliesForInsightCommand.ts | 14 +- .../commands/ListAnomalousLogGroupsCommand.ts | 14 +- .../src/commands/ListEventsCommand.ts | 14 +- .../src/commands/ListInsightsCommand.ts | 14 +- .../commands/ListMonitoredResourcesCommand.ts | 14 +- .../ListNotificationChannelsCommand.ts | 14 +- .../ListOrganizationInsightsCommand.ts | 14 +- .../commands/ListRecommendationsCommand.ts | 14 +- .../src/commands/PutFeedbackCommand.ts | 14 +- .../RemoveNotificationChannelCommand.ts | 14 +- .../src/commands/SearchInsightsCommand.ts | 14 +- .../SearchOrganizationInsightsCommand.ts | 14 +- .../commands/StartCostEstimationCommand.ts | 14 +- .../UpdateEventSourcesConfigCommand.ts | 14 +- .../UpdateResourceCollectionCommand.ts | 14 +- .../UpdateServiceIntegrationCommand.ts | 14 +- clients/client-direct-connect/package.json | 42 +- ...onnectGatewayAssociationProposalCommand.ts | 14 +- ...AllocateConnectionOnInterconnectCommand.ts | 14 +- .../AllocateHostedConnectionCommand.ts | 14 +- .../AllocatePrivateVirtualInterfaceCommand.ts | 14 +- .../AllocatePublicVirtualInterfaceCommand.ts | 14 +- .../AllocateTransitVirtualInterfaceCommand.ts | 14 +- .../AssociateConnectionWithLagCommand.ts | 14 +- .../AssociateHostedConnectionCommand.ts | 14 +- .../src/commands/AssociateMacSecKeyCommand.ts | 14 +- .../AssociateVirtualInterfaceCommand.ts | 14 +- .../src/commands/ConfirmConnectionCommand.ts | 14 +- .../ConfirmCustomerAgreementCommand.ts | 14 +- .../ConfirmPrivateVirtualInterfaceCommand.ts | 14 +- .../ConfirmPublicVirtualInterfaceCommand.ts | 14 +- .../ConfirmTransitVirtualInterfaceCommand.ts | 14 +- .../src/commands/CreateBGPPeerCommand.ts | 14 +- .../src/commands/CreateConnectionCommand.ts | 14 +- ...eDirectConnectGatewayAssociationCommand.ts | 14 +- ...onnectGatewayAssociationProposalCommand.ts | 14 +- .../CreateDirectConnectGatewayCommand.ts | 14 +- .../src/commands/CreateInterconnectCommand.ts | 14 +- .../src/commands/CreateLagCommand.ts | 14 +- .../CreatePrivateVirtualInterfaceCommand.ts | 14 +- .../CreatePublicVirtualInterfaceCommand.ts | 14 +- .../CreateTransitVirtualInterfaceCommand.ts | 14 +- .../src/commands/DeleteBGPPeerCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- ...eDirectConnectGatewayAssociationCommand.ts | 14 +- ...onnectGatewayAssociationProposalCommand.ts | 14 +- .../DeleteDirectConnectGatewayCommand.ts | 14 +- .../src/commands/DeleteInterconnectCommand.ts | 14 +- .../src/commands/DeleteLagCommand.ts | 14 +- .../commands/DeleteVirtualInterfaceCommand.ts | 14 +- .../commands/DescribeConnectionLoaCommand.ts | 14 +- .../commands/DescribeConnectionsCommand.ts | 14 +- ...escribeConnectionsOnInterconnectCommand.ts | 14 +- .../DescribeCustomerMetadataCommand.ts | 14 +- ...nnectGatewayAssociationProposalsCommand.ts | 14 +- ...DirectConnectGatewayAssociationsCommand.ts | 14 +- ...eDirectConnectGatewayAttachmentsCommand.ts | 14 +- .../DescribeDirectConnectGatewaysCommand.ts | 14 +- .../DescribeHostedConnectionsCommand.ts | 14 +- .../DescribeInterconnectLoaCommand.ts | 14 +- .../commands/DescribeInterconnectsCommand.ts | 14 +- .../src/commands/DescribeLagsCommand.ts | 14 +- .../src/commands/DescribeLoaCommand.ts | 14 +- .../src/commands/DescribeLocationsCommand.ts | 14 +- .../DescribeRouterConfigurationCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../DescribeVirtualGatewaysCommand.ts | 14 +- .../DescribeVirtualInterfacesCommand.ts | 14 +- .../DisassociateConnectionFromLagCommand.ts | 14 +- .../commands/DisassociateMacSecKeyCommand.ts | 14 +- .../ListVirtualInterfaceTestHistoryCommand.ts | 14 +- .../commands/StartBgpFailoverTestCommand.ts | 14 +- .../commands/StopBgpFailoverTestCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateConnectionCommand.ts | 14 +- ...eDirectConnectGatewayAssociationCommand.ts | 14 +- .../UpdateDirectConnectGatewayCommand.ts | 14 +- .../src/commands/UpdateLagCommand.ts | 14 +- ...UpdateVirtualInterfaceAttributesCommand.ts | 14 +- clients/client-directory-service/package.json | 42 +- .../commands/AcceptSharedDirectoryCommand.ts | 14 +- .../src/commands/AddIpRoutesCommand.ts | 14 +- .../src/commands/AddRegionCommand.ts | 14 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../commands/CancelSchemaExtensionCommand.ts | 14 +- .../src/commands/ConnectDirectoryCommand.ts | 14 +- .../src/commands/CreateAliasCommand.ts | 14 +- .../src/commands/CreateComputerCommand.ts | 14 +- .../CreateConditionalForwarderCommand.ts | 14 +- .../src/commands/CreateDirectoryCommand.ts | 14 +- .../commands/CreateLogSubscriptionCommand.ts | 14 +- .../src/commands/CreateMicrosoftADCommand.ts | 14 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- .../src/commands/CreateTrustCommand.ts | 14 +- .../DeleteConditionalForwarderCommand.ts | 14 +- .../src/commands/DeleteDirectoryCommand.ts | 14 +- .../commands/DeleteLogSubscriptionCommand.ts | 14 +- .../src/commands/DeleteSnapshotCommand.ts | 14 +- .../src/commands/DeleteTrustCommand.ts | 14 +- .../commands/DeregisterCertificateCommand.ts | 14 +- .../commands/DeregisterEventTopicCommand.ts | 14 +- .../commands/DescribeCertificateCommand.ts | 14 +- ...ribeClientAuthenticationSettingsCommand.ts | 14 +- .../DescribeConditionalForwardersCommand.ts | 14 +- .../commands/DescribeDirectoriesCommand.ts | 14 +- .../DescribeDomainControllersCommand.ts | 14 +- .../commands/DescribeEventTopicsCommand.ts | 14 +- .../commands/DescribeLDAPSSettingsCommand.ts | 14 +- .../src/commands/DescribeRegionsCommand.ts | 14 +- .../src/commands/DescribeSettingsCommand.ts | 14 +- .../DescribeSharedDirectoriesCommand.ts | 14 +- .../src/commands/DescribeSnapshotsCommand.ts | 14 +- .../src/commands/DescribeTrustsCommand.ts | 14 +- .../DescribeUpdateDirectoryCommand.ts | 14 +- .../DisableClientAuthenticationCommand.ts | 14 +- .../src/commands/DisableLDAPSCommand.ts | 14 +- .../src/commands/DisableRadiusCommand.ts | 14 +- .../src/commands/DisableSsoCommand.ts | 14 +- .../EnableClientAuthenticationCommand.ts | 14 +- .../src/commands/EnableLDAPSCommand.ts | 14 +- .../src/commands/EnableRadiusCommand.ts | 14 +- .../src/commands/EnableSsoCommand.ts | 14 +- .../src/commands/GetDirectoryLimitsCommand.ts | 14 +- .../src/commands/GetSnapshotLimitsCommand.ts | 14 +- .../src/commands/ListCertificatesCommand.ts | 14 +- .../src/commands/ListIpRoutesCommand.ts | 14 +- .../commands/ListLogSubscriptionsCommand.ts | 14 +- .../commands/ListSchemaExtensionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/RegisterCertificateCommand.ts | 14 +- .../src/commands/RegisterEventTopicCommand.ts | 14 +- .../commands/RejectSharedDirectoryCommand.ts | 14 +- .../src/commands/RemoveIpRoutesCommand.ts | 14 +- .../src/commands/RemoveRegionCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../src/commands/ResetUserPasswordCommand.ts | 14 +- .../commands/RestoreFromSnapshotCommand.ts | 14 +- .../src/commands/ShareDirectoryCommand.ts | 14 +- .../commands/StartSchemaExtensionCommand.ts | 14 +- .../src/commands/UnshareDirectoryCommand.ts | 14 +- .../UpdateConditionalForwarderCommand.ts | 14 +- .../commands/UpdateDirectorySetupCommand.ts | 14 +- .../UpdateNumberOfDomainControllersCommand.ts | 14 +- .../src/commands/UpdateRadiusCommand.ts | 14 +- .../src/commands/UpdateSettingsCommand.ts | 14 +- .../src/commands/UpdateTrustCommand.ts | 14 +- .../src/commands/VerifyTrustCommand.ts | 14 +- clients/client-dlm/package.json | 42 +- .../commands/CreateLifecyclePolicyCommand.ts | 14 +- .../commands/DeleteLifecyclePolicyCommand.ts | 14 +- .../commands/GetLifecyclePoliciesCommand.ts | 14 +- .../src/commands/GetLifecyclePolicyCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateLifecyclePolicyCommand.ts | 14 +- clients/client-docdb-elastic/package.json | 42 +- .../commands/CopyClusterSnapshotCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../commands/CreateClusterSnapshotCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../commands/DeleteClusterSnapshotCommand.ts | 14 +- .../src/commands/GetClusterCommand.ts | 14 +- .../src/commands/GetClusterSnapshotCommand.ts | 14 +- .../commands/ListClusterSnapshotsCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../RestoreClusterFromSnapshotCommand.ts | 14 +- .../src/commands/StartClusterCommand.ts | 14 +- .../src/commands/StopClusterCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateClusterCommand.ts | 14 +- clients/client-docdb/package.json | 44 +- ...ddSourceIdentifierToSubscriptionCommand.ts | 14 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../ApplyPendingMaintenanceActionCommand.ts | 14 +- .../CopyDBClusterParameterGroupCommand.ts | 14 +- .../commands/CopyDBClusterSnapshotCommand.ts | 14 +- .../src/commands/CreateDBClusterCommand.ts | 14 +- .../CreateDBClusterParameterGroupCommand.ts | 14 +- .../CreateDBClusterSnapshotCommand.ts | 14 +- .../src/commands/CreateDBInstanceCommand.ts | 14 +- .../commands/CreateDBSubnetGroupCommand.ts | 14 +- .../CreateEventSubscriptionCommand.ts | 14 +- .../commands/CreateGlobalClusterCommand.ts | 14 +- .../src/commands/DeleteDBClusterCommand.ts | 14 +- .../DeleteDBClusterParameterGroupCommand.ts | 14 +- .../DeleteDBClusterSnapshotCommand.ts | 14 +- .../src/commands/DeleteDBInstanceCommand.ts | 14 +- .../commands/DeleteDBSubnetGroupCommand.ts | 14 +- .../DeleteEventSubscriptionCommand.ts | 14 +- .../commands/DeleteGlobalClusterCommand.ts | 14 +- .../commands/DescribeCertificatesCommand.ts | 14 +- ...DescribeDBClusterParameterGroupsCommand.ts | 14 +- .../DescribeDBClusterParametersCommand.ts | 14 +- ...cribeDBClusterSnapshotAttributesCommand.ts | 14 +- .../DescribeDBClusterSnapshotsCommand.ts | 14 +- .../src/commands/DescribeDBClustersCommand.ts | 14 +- .../DescribeDBEngineVersionsCommand.ts | 14 +- .../commands/DescribeDBInstancesCommand.ts | 14 +- .../commands/DescribeDBSubnetGroupsCommand.ts | 14 +- ...beEngineDefaultClusterParametersCommand.ts | 14 +- .../DescribeEventCategoriesCommand.ts | 14 +- .../DescribeEventSubscriptionsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../commands/DescribeGlobalClustersCommand.ts | 14 +- ...scribeOrderableDBInstanceOptionsCommand.ts | 14 +- ...escribePendingMaintenanceActionsCommand.ts | 14 +- .../src/commands/FailoverDBClusterCommand.ts | 14 +- .../commands/FailoverGlobalClusterCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ModifyDBClusterCommand.ts | 14 +- .../ModifyDBClusterParameterGroupCommand.ts | 14 +- ...ModifyDBClusterSnapshotAttributeCommand.ts | 14 +- .../src/commands/ModifyDBInstanceCommand.ts | 14 +- .../commands/ModifyDBSubnetGroupCommand.ts | 14 +- .../ModifyEventSubscriptionCommand.ts | 14 +- .../commands/ModifyGlobalClusterCommand.ts | 14 +- .../src/commands/RebootDBInstanceCommand.ts | 14 +- .../RemoveFromGlobalClusterCommand.ts | 14 +- ...SourceIdentifierFromSubscriptionCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../ResetDBClusterParameterGroupCommand.ts | 14 +- .../RestoreDBClusterFromSnapshotCommand.ts | 14 +- .../RestoreDBClusterToPointInTimeCommand.ts | 14 +- .../src/commands/StartDBClusterCommand.ts | 14 +- .../src/commands/StopDBClusterCommand.ts | 14 +- .../SwitchoverGlobalClusterCommand.ts | 14 +- clients/client-drs/package.json | 42 +- .../AssociateSourceNetworkStackCommand.ts | 14 +- .../CreateExtendedSourceServerCommand.ts | 14 +- ...reateLaunchConfigurationTemplateCommand.ts | 14 +- ...ReplicationConfigurationTemplateCommand.ts | 14 +- .../commands/CreateSourceNetworkCommand.ts | 14 +- .../src/commands/DeleteJobCommand.ts | 14 +- .../src/commands/DeleteLaunchActionCommand.ts | 14 +- ...eleteLaunchConfigurationTemplateCommand.ts | 14 +- .../commands/DeleteRecoveryInstanceCommand.ts | 14 +- ...ReplicationConfigurationTemplateCommand.ts | 14 +- .../commands/DeleteSourceNetworkCommand.ts | 14 +- .../src/commands/DeleteSourceServerCommand.ts | 14 +- .../commands/DescribeJobLogItemsCommand.ts | 14 +- .../src/commands/DescribeJobsCommand.ts | 14 +- ...ribeLaunchConfigurationTemplatesCommand.ts | 14 +- .../DescribeRecoveryInstancesCommand.ts | 14 +- .../DescribeRecoverySnapshotsCommand.ts | 14 +- ...eplicationConfigurationTemplatesCommand.ts | 14 +- .../commands/DescribeSourceNetworksCommand.ts | 14 +- .../commands/DescribeSourceServersCommand.ts | 14 +- .../DisconnectRecoveryInstanceCommand.ts | 14 +- .../commands/DisconnectSourceServerCommand.ts | 14 +- .../ExportSourceNetworkCfnTemplateCommand.ts | 14 +- ...FailbackReplicationConfigurationCommand.ts | 14 +- .../commands/GetLaunchConfigurationCommand.ts | 14 +- .../GetReplicationConfigurationCommand.ts | 14 +- .../src/commands/InitializeServiceCommand.ts | 14 +- .../ListExtensibleSourceServersCommand.ts | 14 +- .../src/commands/ListLaunchActionsCommand.ts | 14 +- .../commands/ListStagingAccountsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutLaunchActionCommand.ts | 14 +- .../commands/RetryDataReplicationCommand.ts | 14 +- .../src/commands/ReverseReplicationCommand.ts | 14 +- .../commands/StartFailbackLaunchCommand.ts | 14 +- .../src/commands/StartRecoveryCommand.ts | 14 +- .../src/commands/StartReplicationCommand.ts | 14 +- .../StartSourceNetworkRecoveryCommand.ts | 14 +- .../StartSourceNetworkReplicationCommand.ts | 14 +- .../src/commands/StopFailbackCommand.ts | 14 +- .../src/commands/StopReplicationCommand.ts | 14 +- .../StopSourceNetworkReplicationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TerminateRecoveryInstancesCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...FailbackReplicationConfigurationCommand.ts | 14 +- .../UpdateLaunchConfigurationCommand.ts | 14 +- ...pdateLaunchConfigurationTemplateCommand.ts | 14 +- .../UpdateReplicationConfigurationCommand.ts | 14 +- ...ReplicationConfigurationTemplateCommand.ts | 14 +- clients/client-dynamodb-streams/package.json | 42 +- .../src/commands/DescribeStreamCommand.ts | 14 +- .../src/commands/GetRecordsCommand.ts | 14 +- .../src/commands/GetShardIteratorCommand.ts | 14 +- .../src/commands/ListStreamsCommand.ts | 14 +- clients/client-dynamodb/package.json | 44 +- .../commands/BatchExecuteStatementCommand.ts | 14 +- .../src/commands/BatchGetItemCommand.ts | 14 +- .../src/commands/BatchWriteItemCommand.ts | 14 +- .../src/commands/CreateBackupCommand.ts | 14 +- .../src/commands/CreateGlobalTableCommand.ts | 14 +- .../src/commands/CreateTableCommand.ts | 14 +- .../src/commands/DeleteBackupCommand.ts | 14 +- .../src/commands/DeleteItemCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteTableCommand.ts | 14 +- .../src/commands/DescribeBackupCommand.ts | 14 +- .../DescribeContinuousBackupsCommand.ts | 14 +- .../DescribeContributorInsightsCommand.ts | 14 +- .../src/commands/DescribeEndpointsCommand.ts | 14 +- .../src/commands/DescribeExportCommand.ts | 14 +- .../commands/DescribeGlobalTableCommand.ts | 14 +- .../DescribeGlobalTableSettingsCommand.ts | 14 +- .../src/commands/DescribeImportCommand.ts | 14 +- ...cribeKinesisStreamingDestinationCommand.ts | 14 +- .../src/commands/DescribeLimitsCommand.ts | 14 +- .../src/commands/DescribeTableCommand.ts | 14 +- .../DescribeTableReplicaAutoScalingCommand.ts | 14 +- .../src/commands/DescribeTimeToLiveCommand.ts | 14 +- ...sableKinesisStreamingDestinationCommand.ts | 14 +- ...nableKinesisStreamingDestinationCommand.ts | 14 +- .../src/commands/ExecuteStatementCommand.ts | 14 +- .../src/commands/ExecuteTransactionCommand.ts | 14 +- .../ExportTableToPointInTimeCommand.ts | 14 +- .../src/commands/GetItemCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/ImportTableCommand.ts | 14 +- .../src/commands/ListBackupsCommand.ts | 14 +- .../ListContributorInsightsCommand.ts | 14 +- .../src/commands/ListExportsCommand.ts | 14 +- .../src/commands/ListGlobalTablesCommand.ts | 14 +- .../src/commands/ListImportsCommand.ts | 14 +- .../src/commands/ListTablesCommand.ts | 14 +- .../src/commands/ListTagsOfResourceCommand.ts | 14 +- .../src/commands/PutItemCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/QueryCommand.ts | 14 +- .../commands/RestoreTableFromBackupCommand.ts | 14 +- .../RestoreTableToPointInTimeCommand.ts | 14 +- .../src/commands/ScanCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TransactGetItemsCommand.ts | 14 +- .../src/commands/TransactWriteItemsCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateContinuousBackupsCommand.ts | 14 +- .../UpdateContributorInsightsCommand.ts | 14 +- .../src/commands/UpdateGlobalTableCommand.ts | 14 +- .../UpdateGlobalTableSettingsCommand.ts | 14 +- .../src/commands/UpdateItemCommand.ts | 14 +- ...pdateKinesisStreamingDestinationCommand.ts | 14 +- .../src/commands/UpdateTableCommand.ts | 14 +- .../UpdateTableReplicaAutoScalingCommand.ts | 14 +- .../src/commands/UpdateTimeToLiveCommand.ts | 14 +- clients/client-ebs/package.json | 44 +- .../src/commands/CompleteSnapshotCommand.ts | 14 +- .../src/commands/GetSnapshotBlockCommand.ts | 14 +- .../src/commands/ListChangedBlocksCommand.ts | 14 +- .../src/commands/ListSnapshotBlocksCommand.ts | 14 +- .../src/commands/PutSnapshotBlockCommand.ts | 14 +- .../src/commands/StartSnapshotCommand.ts | 14 +- .../client-ec2-instance-connect/package.json | 42 +- .../src/commands/SendSSHPublicKeyCommand.ts | 14 +- .../SendSerialConsoleSSHPublicKeyCommand.ts | 14 +- clients/client-ec2/package.json | 44 +- .../commands/AcceptAddressTransferCommand.ts | 14 +- ...ptReservedInstancesExchangeQuoteCommand.ts | 14 +- ...tewayMulticastDomainAssociationsCommand.ts | 14 +- ...tTransitGatewayPeeringAttachmentCommand.ts | 14 +- ...cceptTransitGatewayVpcAttachmentCommand.ts | 14 +- .../AcceptVpcEndpointConnectionsCommand.ts | 14 +- .../AcceptVpcPeeringConnectionCommand.ts | 14 +- .../src/commands/AdvertiseByoipCidrCommand.ts | 14 +- .../src/commands/AllocateAddressCommand.ts | 14 +- .../src/commands/AllocateHostsCommand.ts | 14 +- .../commands/AllocateIpamPoolCidrCommand.ts | 14 +- ...tyGroupsToClientVpnTargetNetworkCommand.ts | 14 +- .../commands/AssignIpv6AddressesCommand.ts | 14 +- .../AssignPrivateIpAddressesCommand.ts | 14 +- .../AssignPrivateNatGatewayAddressCommand.ts | 14 +- .../src/commands/AssociateAddressCommand.ts | 14 +- .../AssociateClientVpnTargetNetworkCommand.ts | 14 +- .../commands/AssociateDhcpOptionsCommand.ts | 14 +- ...sociateEnclaveCertificateIamRoleCommand.ts | 14 +- .../AssociateIamInstanceProfileCommand.ts | 14 +- .../AssociateInstanceEventWindowCommand.ts | 14 +- .../commands/AssociateIpamByoasnCommand.ts | 14 +- .../AssociateIpamResourceDiscoveryCommand.ts | 14 +- .../AssociateNatGatewayAddressCommand.ts | 14 +- .../commands/AssociateRouteTableCommand.ts | 14 +- .../AssociateSubnetCidrBlockCommand.ts | 14 +- ...ateTransitGatewayMulticastDomainCommand.ts | 14 +- ...sociateTransitGatewayPolicyTableCommand.ts | 14 +- ...ssociateTransitGatewayRouteTableCommand.ts | 14 +- .../AssociateTrunkInterfaceCommand.ts | 14 +- .../commands/AssociateVpcCidrBlockCommand.ts | 14 +- .../commands/AttachClassicLinkVpcCommand.ts | 14 +- .../commands/AttachInternetGatewayCommand.ts | 14 +- .../commands/AttachNetworkInterfaceCommand.ts | 14 +- ...ttachVerifiedAccessTrustProviderCommand.ts | 14 +- .../src/commands/AttachVolumeCommand.ts | 14 +- .../src/commands/AttachVpnGatewayCommand.ts | 14 +- .../AuthorizeClientVpnIngressCommand.ts | 14 +- .../AuthorizeSecurityGroupEgressCommand.ts | 14 +- .../AuthorizeSecurityGroupIngressCommand.ts | 14 +- .../src/commands/BundleInstanceCommand.ts | 14 +- .../src/commands/CancelBundleTaskCommand.ts | 14 +- .../CancelCapacityReservationCommand.ts | 14 +- .../CancelCapacityReservationFleetsCommand.ts | 14 +- .../commands/CancelConversionTaskCommand.ts | 14 +- .../src/commands/CancelExportTaskCommand.ts | 14 +- .../CancelImageLaunchPermissionCommand.ts | 14 +- .../src/commands/CancelImportTaskCommand.ts | 14 +- .../CancelReservedInstancesListingCommand.ts | 14 +- .../CancelSpotFleetRequestsCommand.ts | 14 +- .../CancelSpotInstanceRequestsCommand.ts | 14 +- .../commands/ConfirmProductInstanceCommand.ts | 14 +- .../src/commands/CopyFpgaImageCommand.ts | 14 +- .../src/commands/CopyImageCommand.ts | 14 +- .../src/commands/CopySnapshotCommand.ts | 14 +- ...teCapacityReservationBySplittingCommand.ts | 14 +- .../CreateCapacityReservationCommand.ts | 14 +- .../CreateCapacityReservationFleetCommand.ts | 14 +- .../commands/CreateCarrierGatewayCommand.ts | 14 +- .../CreateClientVpnEndpointCommand.ts | 14 +- .../commands/CreateClientVpnRouteCommand.ts | 14 +- .../src/commands/CreateCoipCidrCommand.ts | 14 +- .../src/commands/CreateCoipPoolCommand.ts | 14 +- .../commands/CreateCustomerGatewayCommand.ts | 14 +- .../commands/CreateDefaultSubnetCommand.ts | 14 +- .../src/commands/CreateDefaultVpcCommand.ts | 14 +- .../src/commands/CreateDhcpOptionsCommand.ts | 14 +- .../CreateEgressOnlyInternetGatewayCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../src/commands/CreateFlowLogsCommand.ts | 14 +- .../src/commands/CreateFpgaImageCommand.ts | 14 +- .../src/commands/CreateImageCommand.ts | 14 +- .../CreateInstanceConnectEndpointCommand.ts | 14 +- .../CreateInstanceEventWindowCommand.ts | 14 +- .../CreateInstanceExportTaskCommand.ts | 14 +- .../commands/CreateInternetGatewayCommand.ts | 14 +- .../src/commands/CreateIpamCommand.ts | 14 +- ...xternalResourceVerificationTokenCommand.ts | 14 +- .../src/commands/CreateIpamPoolCommand.ts | 14 +- .../CreateIpamResourceDiscoveryCommand.ts | 14 +- .../src/commands/CreateIpamScopeCommand.ts | 14 +- .../src/commands/CreateKeyPairCommand.ts | 14 +- .../commands/CreateLaunchTemplateCommand.ts | 14 +- .../CreateLaunchTemplateVersionCommand.ts | 14 +- .../CreateLocalGatewayRouteCommand.ts | 14 +- .../CreateLocalGatewayRouteTableCommand.ts | 14 +- ...VirtualInterfaceGroupAssociationCommand.ts | 14 +- ...lGatewayRouteTableVpcAssociationCommand.ts | 14 +- .../CreateManagedPrefixListCommand.ts | 14 +- .../src/commands/CreateNatGatewayCommand.ts | 14 +- .../src/commands/CreateNetworkAclCommand.ts | 14 +- .../commands/CreateNetworkAclEntryCommand.ts | 14 +- ...CreateNetworkInsightsAccessScopeCommand.ts | 14 +- .../CreateNetworkInsightsPathCommand.ts | 14 +- .../commands/CreateNetworkInterfaceCommand.ts | 14 +- ...CreateNetworkInterfacePermissionCommand.ts | 14 +- .../commands/CreatePlacementGroupCommand.ts | 14 +- .../commands/CreatePublicIpv4PoolCommand.ts | 14 +- .../CreateReplaceRootVolumeTaskCommand.ts | 14 +- .../CreateReservedInstancesListingCommand.ts | 14 +- .../commands/CreateRestoreImageTaskCommand.ts | 14 +- .../src/commands/CreateRouteCommand.ts | 14 +- .../src/commands/CreateRouteTableCommand.ts | 14 +- .../commands/CreateSecurityGroupCommand.ts | 14 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- .../src/commands/CreateSnapshotsCommand.ts | 14 +- .../CreateSpotDatafeedSubscriptionCommand.ts | 14 +- .../commands/CreateStoreImageTaskCommand.ts | 14 +- .../CreateSubnetCidrReservationCommand.ts | 14 +- .../src/commands/CreateSubnetCommand.ts | 14 +- .../src/commands/CreateTagsCommand.ts | 14 +- .../CreateTrafficMirrorFilterCommand.ts | 14 +- .../CreateTrafficMirrorFilterRuleCommand.ts | 14 +- .../CreateTrafficMirrorSessionCommand.ts | 14 +- .../CreateTrafficMirrorTargetCommand.ts | 14 +- .../commands/CreateTransitGatewayCommand.ts | 14 +- .../CreateTransitGatewayConnectCommand.ts | 14 +- .../CreateTransitGatewayConnectPeerCommand.ts | 14 +- ...ateTransitGatewayMulticastDomainCommand.ts | 14 +- ...eTransitGatewayPeeringAttachmentCommand.ts | 14 +- .../CreateTransitGatewayPolicyTableCommand.ts | 14 +- ...ransitGatewayPrefixListReferenceCommand.ts | 14 +- .../CreateTransitGatewayRouteCommand.ts | 14 +- ...sitGatewayRouteTableAnnouncementCommand.ts | 14 +- .../CreateTransitGatewayRouteTableCommand.ts | 14 +- ...reateTransitGatewayVpcAttachmentCommand.ts | 14 +- .../CreateVerifiedAccessEndpointCommand.ts | 14 +- .../CreateVerifiedAccessGroupCommand.ts | 14 +- .../CreateVerifiedAccessInstanceCommand.ts | 14 +- ...reateVerifiedAccessTrustProviderCommand.ts | 14 +- .../src/commands/CreateVolumeCommand.ts | 14 +- .../src/commands/CreateVpcCommand.ts | 14 +- .../src/commands/CreateVpcEndpointCommand.ts | 14 +- ...pcEndpointConnectionNotificationCommand.ts | 14 +- ...eVpcEndpointServiceConfigurationCommand.ts | 14 +- .../CreateVpcPeeringConnectionCommand.ts | 14 +- .../commands/CreateVpnConnectionCommand.ts | 14 +- .../CreateVpnConnectionRouteCommand.ts | 14 +- .../src/commands/CreateVpnGatewayCommand.ts | 14 +- .../commands/DeleteCarrierGatewayCommand.ts | 14 +- .../DeleteClientVpnEndpointCommand.ts | 14 +- .../commands/DeleteClientVpnRouteCommand.ts | 14 +- .../src/commands/DeleteCoipCidrCommand.ts | 14 +- .../src/commands/DeleteCoipPoolCommand.ts | 14 +- .../commands/DeleteCustomerGatewayCommand.ts | 14 +- .../src/commands/DeleteDhcpOptionsCommand.ts | 14 +- .../DeleteEgressOnlyInternetGatewayCommand.ts | 14 +- .../src/commands/DeleteFleetsCommand.ts | 14 +- .../src/commands/DeleteFlowLogsCommand.ts | 14 +- .../src/commands/DeleteFpgaImageCommand.ts | 14 +- .../DeleteInstanceConnectEndpointCommand.ts | 14 +- .../DeleteInstanceEventWindowCommand.ts | 14 +- .../commands/DeleteInternetGatewayCommand.ts | 14 +- .../src/commands/DeleteIpamCommand.ts | 14 +- ...xternalResourceVerificationTokenCommand.ts | 14 +- .../src/commands/DeleteIpamPoolCommand.ts | 14 +- .../DeleteIpamResourceDiscoveryCommand.ts | 14 +- .../src/commands/DeleteIpamScopeCommand.ts | 14 +- .../src/commands/DeleteKeyPairCommand.ts | 14 +- .../commands/DeleteLaunchTemplateCommand.ts | 14 +- .../DeleteLaunchTemplateVersionsCommand.ts | 14 +- .../DeleteLocalGatewayRouteCommand.ts | 14 +- .../DeleteLocalGatewayRouteTableCommand.ts | 14 +- ...VirtualInterfaceGroupAssociationCommand.ts | 14 +- ...lGatewayRouteTableVpcAssociationCommand.ts | 14 +- .../DeleteManagedPrefixListCommand.ts | 14 +- .../src/commands/DeleteNatGatewayCommand.ts | 14 +- .../src/commands/DeleteNetworkAclCommand.ts | 14 +- .../commands/DeleteNetworkAclEntryCommand.ts | 14 +- ...tworkInsightsAccessScopeAnalysisCommand.ts | 14 +- ...DeleteNetworkInsightsAccessScopeCommand.ts | 14 +- .../DeleteNetworkInsightsAnalysisCommand.ts | 14 +- .../DeleteNetworkInsightsPathCommand.ts | 14 +- .../commands/DeleteNetworkInterfaceCommand.ts | 14 +- ...DeleteNetworkInterfacePermissionCommand.ts | 14 +- .../commands/DeletePlacementGroupCommand.ts | 14 +- .../commands/DeletePublicIpv4PoolCommand.ts | 14 +- .../DeleteQueuedReservedInstancesCommand.ts | 14 +- .../src/commands/DeleteRouteCommand.ts | 14 +- .../src/commands/DeleteRouteTableCommand.ts | 14 +- .../commands/DeleteSecurityGroupCommand.ts | 14 +- .../src/commands/DeleteSnapshotCommand.ts | 14 +- .../DeleteSpotDatafeedSubscriptionCommand.ts | 14 +- .../DeleteSubnetCidrReservationCommand.ts | 14 +- .../src/commands/DeleteSubnetCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../DeleteTrafficMirrorFilterCommand.ts | 14 +- .../DeleteTrafficMirrorFilterRuleCommand.ts | 14 +- .../DeleteTrafficMirrorSessionCommand.ts | 14 +- .../DeleteTrafficMirrorTargetCommand.ts | 14 +- .../commands/DeleteTransitGatewayCommand.ts | 14 +- .../DeleteTransitGatewayConnectCommand.ts | 14 +- .../DeleteTransitGatewayConnectPeerCommand.ts | 14 +- ...eteTransitGatewayMulticastDomainCommand.ts | 14 +- ...eTransitGatewayPeeringAttachmentCommand.ts | 14 +- .../DeleteTransitGatewayPolicyTableCommand.ts | 14 +- ...ransitGatewayPrefixListReferenceCommand.ts | 14 +- .../DeleteTransitGatewayRouteCommand.ts | 14 +- ...sitGatewayRouteTableAnnouncementCommand.ts | 14 +- .../DeleteTransitGatewayRouteTableCommand.ts | 14 +- ...eleteTransitGatewayVpcAttachmentCommand.ts | 14 +- .../DeleteVerifiedAccessEndpointCommand.ts | 14 +- .../DeleteVerifiedAccessGroupCommand.ts | 14 +- .../DeleteVerifiedAccessInstanceCommand.ts | 14 +- ...eleteVerifiedAccessTrustProviderCommand.ts | 14 +- .../src/commands/DeleteVolumeCommand.ts | 14 +- .../src/commands/DeleteVpcCommand.ts | 14 +- ...cEndpointConnectionNotificationsCommand.ts | 14 +- ...VpcEndpointServiceConfigurationsCommand.ts | 14 +- .../src/commands/DeleteVpcEndpointsCommand.ts | 14 +- .../DeleteVpcPeeringConnectionCommand.ts | 14 +- .../commands/DeleteVpnConnectionCommand.ts | 14 +- .../DeleteVpnConnectionRouteCommand.ts | 14 +- .../src/commands/DeleteVpnGatewayCommand.ts | 14 +- .../commands/DeprovisionByoipCidrCommand.ts | 14 +- .../commands/DeprovisionIpamByoasnCommand.ts | 14 +- .../DeprovisionIpamPoolCidrCommand.ts | 14 +- .../DeprovisionPublicIpv4PoolCidrCommand.ts | 14 +- .../src/commands/DeregisterImageCommand.ts | 14 +- ...tanceEventNotificationAttributesCommand.ts | 14 +- ...nsitGatewayMulticastGroupMembersCommand.ts | 14 +- ...nsitGatewayMulticastGroupSourcesCommand.ts | 14 +- .../DescribeAccountAttributesCommand.ts | 14 +- .../DescribeAddressTransfersCommand.ts | 14 +- .../DescribeAddressesAttributeCommand.ts | 14 +- .../src/commands/DescribeAddressesCommand.ts | 14 +- .../DescribeAggregateIdFormatCommand.ts | 14 +- .../DescribeAvailabilityZonesCommand.ts | 14 +- ...rkPerformanceMetricSubscriptionsCommand.ts | 14 +- .../commands/DescribeBundleTasksCommand.ts | 14 +- .../src/commands/DescribeByoipCidrsCommand.ts | 14 +- .../DescribeCapacityBlockOfferingsCommand.ts | 14 +- ...escribeCapacityReservationFleetsCommand.ts | 14 +- .../DescribeCapacityReservationsCommand.ts | 14 +- .../DescribeCarrierGatewaysCommand.ts | 14 +- .../DescribeClassicLinkInstancesCommand.ts | 14 +- ...cribeClientVpnAuthorizationRulesCommand.ts | 14 +- .../DescribeClientVpnConnectionsCommand.ts | 14 +- .../DescribeClientVpnEndpointsCommand.ts | 14 +- .../DescribeClientVpnRoutesCommand.ts | 14 +- .../DescribeClientVpnTargetNetworksCommand.ts | 14 +- .../src/commands/DescribeCoipPoolsCommand.ts | 14 +- .../DescribeConversionTasksCommand.ts | 14 +- .../DescribeCustomerGatewaysCommand.ts | 14 +- .../commands/DescribeDhcpOptionsCommand.ts | 14 +- ...scribeEgressOnlyInternetGatewaysCommand.ts | 14 +- .../commands/DescribeElasticGpusCommand.ts | 14 +- .../DescribeExportImageTasksCommand.ts | 14 +- .../commands/DescribeExportTasksCommand.ts | 14 +- .../DescribeFastLaunchImagesCommand.ts | 14 +- .../DescribeFastSnapshotRestoresCommand.ts | 14 +- .../commands/DescribeFleetHistoryCommand.ts | 14 +- .../commands/DescribeFleetInstancesCommand.ts | 14 +- .../src/commands/DescribeFleetsCommand.ts | 14 +- .../src/commands/DescribeFlowLogsCommand.ts | 14 +- .../DescribeFpgaImageAttributeCommand.ts | 14 +- .../src/commands/DescribeFpgaImagesCommand.ts | 14 +- ...DescribeHostReservationOfferingsCommand.ts | 14 +- .../DescribeHostReservationsCommand.ts | 14 +- .../src/commands/DescribeHostsCommand.ts | 14 +- ...beIamInstanceProfileAssociationsCommand.ts | 14 +- .../src/commands/DescribeIdFormatCommand.ts | 14 +- .../DescribeIdentityIdFormatCommand.ts | 14 +- .../commands/DescribeImageAttributeCommand.ts | 14 +- .../src/commands/DescribeImagesCommand.ts | 14 +- .../DescribeImportImageTasksCommand.ts | 14 +- .../DescribeImportSnapshotTasksCommand.ts | 14 +- .../DescribeInstanceAttributeCommand.ts | 14 +- ...DescribeInstanceConnectEndpointsCommand.ts | 14 +- ...ribeInstanceCreditSpecificationsCommand.ts | 14 +- ...tanceEventNotificationAttributesCommand.ts | 14 +- .../DescribeInstanceEventWindowsCommand.ts | 14 +- .../commands/DescribeInstanceStatusCommand.ts | 14 +- .../DescribeInstanceTopologyCommand.ts | 14 +- .../DescribeInstanceTypeOfferingsCommand.ts | 14 +- .../commands/DescribeInstanceTypesCommand.ts | 14 +- .../src/commands/DescribeInstancesCommand.ts | 14 +- .../DescribeInternetGatewaysCommand.ts | 14 +- .../src/commands/DescribeIpamByoasnCommand.ts | 14 +- ...ternalResourceVerificationTokensCommand.ts | 14 +- .../src/commands/DescribeIpamPoolsCommand.ts | 14 +- .../DescribeIpamResourceDiscoveriesCommand.ts | 14 +- ...pamResourceDiscoveryAssociationsCommand.ts | 14 +- .../src/commands/DescribeIpamScopesCommand.ts | 14 +- .../src/commands/DescribeIpamsCommand.ts | 14 +- .../src/commands/DescribeIpv6PoolsCommand.ts | 14 +- .../src/commands/DescribeKeyPairsCommand.ts | 14 +- .../DescribeLaunchTemplateVersionsCommand.ts | 14 +- .../DescribeLaunchTemplatesCommand.ts | 14 +- ...irtualInterfaceGroupAssociationsCommand.ts | 14 +- ...GatewayRouteTableVpcAssociationsCommand.ts | 14 +- .../DescribeLocalGatewayRouteTablesCommand.ts | 14 +- ...calGatewayVirtualInterfaceGroupsCommand.ts | 14 +- ...ibeLocalGatewayVirtualInterfacesCommand.ts | 14 +- .../commands/DescribeLocalGatewaysCommand.ts | 14 +- .../DescribeLockedSnapshotsCommand.ts | 14 +- .../src/commands/DescribeMacHostsCommand.ts | 14 +- .../DescribeManagedPrefixListsCommand.ts | 14 +- .../DescribeMovingAddressesCommand.ts | 14 +- .../commands/DescribeNatGatewaysCommand.ts | 14 +- .../commands/DescribeNetworkAclsCommand.ts | 14 +- ...tworkInsightsAccessScopeAnalysesCommand.ts | 14 +- ...cribeNetworkInsightsAccessScopesCommand.ts | 14 +- .../DescribeNetworkInsightsAnalysesCommand.ts | 14 +- .../DescribeNetworkInsightsPathsCommand.ts | 14 +- ...escribeNetworkInterfaceAttributeCommand.ts | 14 +- ...cribeNetworkInterfacePermissionsCommand.ts | 14 +- .../DescribeNetworkInterfacesCommand.ts | 14 +- .../DescribePlacementGroupsCommand.ts | 14 +- .../commands/DescribePrefixListsCommand.ts | 14 +- .../DescribePrincipalIdFormatCommand.ts | 14 +- .../DescribePublicIpv4PoolsCommand.ts | 14 +- .../src/commands/DescribeRegionsCommand.ts | 14 +- .../DescribeReplaceRootVolumeTasksCommand.ts | 14 +- .../DescribeReservedInstancesCommand.ts | 14 +- ...escribeReservedInstancesListingsCommand.ts | 14 +- ...beReservedInstancesModificationsCommand.ts | 14 +- ...scribeReservedInstancesOfferingsCommand.ts | 14 +- .../commands/DescribeRouteTablesCommand.ts | 14 +- ...ibeScheduledInstanceAvailabilityCommand.ts | 14 +- .../DescribeScheduledInstancesCommand.ts | 14 +- .../DescribeSecurityGroupReferencesCommand.ts | 14 +- .../DescribeSecurityGroupRulesCommand.ts | 14 +- .../commands/DescribeSecurityGroupsCommand.ts | 14 +- .../DescribeSnapshotAttributeCommand.ts | 14 +- .../DescribeSnapshotTierStatusCommand.ts | 14 +- .../src/commands/DescribeSnapshotsCommand.ts | 14 +- ...DescribeSpotDatafeedSubscriptionCommand.ts | 14 +- .../DescribeSpotFleetInstancesCommand.ts | 14 +- .../DescribeSpotFleetRequestHistoryCommand.ts | 14 +- .../DescribeSpotFleetRequestsCommand.ts | 14 +- .../DescribeSpotInstanceRequestsCommand.ts | 14 +- .../DescribeSpotPriceHistoryCommand.ts | 14 +- .../DescribeStaleSecurityGroupsCommand.ts | 14 +- .../DescribeStoreImageTasksCommand.ts | 14 +- .../src/commands/DescribeSubnetsCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- ...DescribeTrafficMirrorFilterRulesCommand.ts | 14 +- .../DescribeTrafficMirrorFiltersCommand.ts | 14 +- .../DescribeTrafficMirrorSessionsCommand.ts | 14 +- .../DescribeTrafficMirrorTargetsCommand.ts | 14 +- ...escribeTransitGatewayAttachmentsCommand.ts | 14 +- ...scribeTransitGatewayConnectPeersCommand.ts | 14 +- .../DescribeTransitGatewayConnectsCommand.ts | 14 +- ...beTransitGatewayMulticastDomainsCommand.ts | 14 +- ...TransitGatewayPeeringAttachmentsCommand.ts | 14 +- ...scribeTransitGatewayPolicyTablesCommand.ts | 14 +- ...itGatewayRouteTableAnnouncementsCommand.ts | 14 +- ...escribeTransitGatewayRouteTablesCommand.ts | 14 +- ...ribeTransitGatewayVpcAttachmentsCommand.ts | 14 +- .../DescribeTransitGatewaysCommand.ts | 14 +- ...scribeTrunkInterfaceAssociationsCommand.ts | 14 +- .../DescribeVerifiedAccessEndpointsCommand.ts | 14 +- .../DescribeVerifiedAccessGroupsCommand.ts | 14 +- ...essInstanceLoggingConfigurationsCommand.ts | 14 +- .../DescribeVerifiedAccessInstancesCommand.ts | 14 +- ...ribeVerifiedAccessTrustProvidersCommand.ts | 14 +- .../DescribeVolumeAttributeCommand.ts | 14 +- .../commands/DescribeVolumeStatusCommand.ts | 14 +- .../src/commands/DescribeVolumesCommand.ts | 14 +- .../DescribeVolumesModificationsCommand.ts | 14 +- .../commands/DescribeVpcAttributeCommand.ts | 14 +- .../commands/DescribeVpcClassicLinkCommand.ts | 14 +- ...DescribeVpcClassicLinkDnsSupportCommand.ts | 14 +- ...cEndpointConnectionNotificationsCommand.ts | 14 +- .../DescribeVpcEndpointConnectionsCommand.ts | 14 +- ...VpcEndpointServiceConfigurationsCommand.ts | 14 +- ...ibeVpcEndpointServicePermissionsCommand.ts | 14 +- .../DescribeVpcEndpointServicesCommand.ts | 14 +- .../commands/DescribeVpcEndpointsCommand.ts | 14 +- .../DescribeVpcPeeringConnectionsCommand.ts | 14 +- .../src/commands/DescribeVpcsCommand.ts | 14 +- .../commands/DescribeVpnConnectionsCommand.ts | 14 +- .../commands/DescribeVpnGatewaysCommand.ts | 14 +- .../commands/DetachClassicLinkVpcCommand.ts | 14 +- .../commands/DetachInternetGatewayCommand.ts | 14 +- .../commands/DetachNetworkInterfaceCommand.ts | 14 +- ...etachVerifiedAccessTrustProviderCommand.ts | 14 +- .../src/commands/DetachVolumeCommand.ts | 14 +- .../src/commands/DetachVpnGatewayCommand.ts | 14 +- .../commands/DisableAddressTransferCommand.ts | 14 +- ...orkPerformanceMetricSubscriptionCommand.ts | 14 +- .../DisableEbsEncryptionByDefaultCommand.ts | 14 +- .../src/commands/DisableFastLaunchCommand.ts | 14 +- .../DisableFastSnapshotRestoresCommand.ts | 14 +- .../DisableImageBlockPublicAccessCommand.ts | 14 +- .../src/commands/DisableImageCommand.ts | 14 +- .../DisableImageDeprecationCommand.ts | 14 +- ...bleImageDeregistrationProtectionCommand.ts | 14 +- ...ableIpamOrganizationAdminAccountCommand.ts | 14 +- .../DisableSerialConsoleAccessCommand.ts | 14 +- ...DisableSnapshotBlockPublicAccessCommand.ts | 14 +- ...nsitGatewayRouteTablePropagationCommand.ts | 14 +- .../DisableVgwRoutePropagationCommand.ts | 14 +- .../commands/DisableVpcClassicLinkCommand.ts | 14 +- .../DisableVpcClassicLinkDnsSupportCommand.ts | 14 +- .../commands/DisassociateAddressCommand.ts | 14 +- ...sassociateClientVpnTargetNetworkCommand.ts | 14 +- ...sociateEnclaveCertificateIamRoleCommand.ts | 14 +- .../DisassociateIamInstanceProfileCommand.ts | 14 +- .../DisassociateInstanceEventWindowCommand.ts | 14 +- .../commands/DisassociateIpamByoasnCommand.ts | 14 +- ...isassociateIpamResourceDiscoveryCommand.ts | 14 +- .../DisassociateNatGatewayAddressCommand.ts | 14 +- .../commands/DisassociateRouteTableCommand.ts | 14 +- .../DisassociateSubnetCidrBlockCommand.ts | 14 +- ...ateTransitGatewayMulticastDomainCommand.ts | 14 +- ...sociateTransitGatewayPolicyTableCommand.ts | 14 +- ...ssociateTransitGatewayRouteTableCommand.ts | 14 +- .../DisassociateTrunkInterfaceCommand.ts | 14 +- .../DisassociateVpcCidrBlockCommand.ts | 14 +- .../commands/EnableAddressTransferCommand.ts | 14 +- ...orkPerformanceMetricSubscriptionCommand.ts | 14 +- .../EnableEbsEncryptionByDefaultCommand.ts | 14 +- .../src/commands/EnableFastLaunchCommand.ts | 14 +- .../EnableFastSnapshotRestoresCommand.ts | 14 +- .../EnableImageBlockPublicAccessCommand.ts | 14 +- .../src/commands/EnableImageCommand.ts | 14 +- .../commands/EnableImageDeprecationCommand.ts | 14 +- ...bleImageDeregistrationProtectionCommand.ts | 14 +- ...ableIpamOrganizationAdminAccountCommand.ts | 14 +- ...ilityAnalyzerOrganizationSharingCommand.ts | 14 +- .../EnableSerialConsoleAccessCommand.ts | 14 +- .../EnableSnapshotBlockPublicAccessCommand.ts | 14 +- ...nsitGatewayRouteTablePropagationCommand.ts | 14 +- .../EnableVgwRoutePropagationCommand.ts | 14 +- .../src/commands/EnableVolumeIOCommand.ts | 14 +- .../commands/EnableVpcClassicLinkCommand.ts | 14 +- .../EnableVpcClassicLinkDnsSupportCommand.ts | 14 +- ...nClientCertificateRevocationListCommand.ts | 14 +- ...portClientVpnClientConfigurationCommand.ts | 14 +- .../src/commands/ExportImageCommand.ts | 14 +- .../ExportTransitGatewayRoutesCommand.ts | 14 +- ...ciatedEnclaveCertificateIamRolesCommand.ts | 14 +- .../GetAssociatedIpv6PoolCidrsCommand.ts | 14 +- .../GetAwsNetworkPerformanceDataCommand.ts | 14 +- .../GetCapacityReservationUsageCommand.ts | 14 +- .../src/commands/GetCoipPoolUsageCommand.ts | 14 +- .../src/commands/GetConsoleOutputCommand.ts | 14 +- .../commands/GetConsoleScreenshotCommand.ts | 14 +- .../GetDefaultCreditSpecificationCommand.ts | 14 +- .../commands/GetEbsDefaultKmsKeyIdCommand.ts | 14 +- .../GetEbsEncryptionByDefaultCommand.ts | 14 +- .../GetFlowLogsIntegrationTemplateCommand.ts | 14 +- .../GetGroupsForCapacityReservationCommand.ts | 14 +- ...etHostReservationPurchasePreviewCommand.ts | 14 +- .../GetImageBlockPublicAccessStateCommand.ts | 14 +- .../GetInstanceMetadataDefaultsCommand.ts | 14 +- .../commands/GetInstanceTpmEkPubCommand.ts | 14 +- ...nceTypesFromInstanceRequirementsCommand.ts | 14 +- .../commands/GetInstanceUefiDataCommand.ts | 14 +- .../commands/GetIpamAddressHistoryCommand.ts | 14 +- .../GetIpamDiscoveredAccountsCommand.ts | 14 +- ...GetIpamDiscoveredPublicAddressesCommand.ts | 14 +- .../GetIpamDiscoveredResourceCidrsCommand.ts | 14 +- .../commands/GetIpamPoolAllocationsCommand.ts | 14 +- .../src/commands/GetIpamPoolCidrsCommand.ts | 14 +- .../commands/GetIpamResourceCidrsCommand.ts | 14 +- .../commands/GetLaunchTemplateDataCommand.ts | 14 +- ...GetManagedPrefixListAssociationsCommand.ts | 14 +- .../GetManagedPrefixListEntriesCommand.ts | 14 +- ...ightsAccessScopeAnalysisFindingsCommand.ts | 14 +- ...etworkInsightsAccessScopeContentCommand.ts | 14 +- .../src/commands/GetPasswordDataCommand.ts | 14 +- ...etReservedInstancesExchangeQuoteCommand.ts | 14 +- .../GetSecurityGroupsForVpcCommand.ts | 14 +- .../GetSerialConsoleAccessStatusCommand.ts | 14 +- ...etSnapshotBlockPublicAccessStateCommand.ts | 14 +- .../commands/GetSpotPlacementScoresCommand.ts | 14 +- .../GetSubnetCidrReservationsCommand.ts | 14 +- ...sitGatewayAttachmentPropagationsCommand.ts | 14 +- ...tewayMulticastDomainAssociationsCommand.ts | 14 +- ...itGatewayPolicyTableAssociationsCommand.ts | 14 +- ...TransitGatewayPolicyTableEntriesCommand.ts | 14 +- ...ansitGatewayPrefixListReferencesCommand.ts | 14 +- ...sitGatewayRouteTableAssociationsCommand.ts | 14 +- ...sitGatewayRouteTablePropagationsCommand.ts | 14 +- .../GetVerifiedAccessEndpointPolicyCommand.ts | 14 +- .../GetVerifiedAccessGroupPolicyCommand.ts | 14 +- ...nectionDeviceSampleConfigurationCommand.ts | 14 +- .../GetVpnConnectionDeviceTypesCommand.ts | 14 +- .../GetVpnTunnelReplacementStatusCommand.ts | 14 +- ...nClientCertificateRevocationListCommand.ts | 14 +- .../src/commands/ImportImageCommand.ts | 14 +- .../src/commands/ImportInstanceCommand.ts | 14 +- .../src/commands/ImportKeyPairCommand.ts | 14 +- .../src/commands/ImportSnapshotCommand.ts | 14 +- .../src/commands/ImportVolumeCommand.ts | 14 +- .../commands/ListImagesInRecycleBinCommand.ts | 14 +- .../ListSnapshotsInRecycleBinCommand.ts | 14 +- .../src/commands/LockSnapshotCommand.ts | 14 +- .../commands/ModifyAddressAttributeCommand.ts | 14 +- .../ModifyAvailabilityZoneGroupCommand.ts | 14 +- .../ModifyCapacityReservationCommand.ts | 14 +- .../ModifyCapacityReservationFleetCommand.ts | 14 +- .../ModifyClientVpnEndpointCommand.ts | 14 +- ...ModifyDefaultCreditSpecificationCommand.ts | 14 +- .../ModifyEbsDefaultKmsKeyIdCommand.ts | 14 +- .../src/commands/ModifyFleetCommand.ts | 14 +- .../ModifyFpgaImageAttributeCommand.ts | 14 +- .../src/commands/ModifyHostsCommand.ts | 14 +- .../src/commands/ModifyIdFormatCommand.ts | 14 +- .../commands/ModifyIdentityIdFormatCommand.ts | 14 +- .../commands/ModifyImageAttributeCommand.ts | 14 +- .../ModifyInstanceAttributeCommand.ts | 14 +- ...nceCapacityReservationAttributesCommand.ts | 14 +- ...odifyInstanceCreditSpecificationCommand.ts | 14 +- .../ModifyInstanceEventStartTimeCommand.ts | 14 +- .../ModifyInstanceEventWindowCommand.ts | 14 +- ...ModifyInstanceMaintenanceOptionsCommand.ts | 14 +- .../ModifyInstanceMetadataDefaultsCommand.ts | 14 +- .../ModifyInstanceMetadataOptionsCommand.ts | 14 +- .../ModifyInstancePlacementCommand.ts | 14 +- .../src/commands/ModifyIpamCommand.ts | 14 +- .../src/commands/ModifyIpamPoolCommand.ts | 14 +- .../commands/ModifyIpamResourceCidrCommand.ts | 14 +- .../ModifyIpamResourceDiscoveryCommand.ts | 14 +- .../src/commands/ModifyIpamScopeCommand.ts | 14 +- .../commands/ModifyLaunchTemplateCommand.ts | 14 +- .../ModifyLocalGatewayRouteCommand.ts | 14 +- .../ModifyManagedPrefixListCommand.ts | 14 +- .../ModifyNetworkInterfaceAttributeCommand.ts | 14 +- .../ModifyPrivateDnsNameOptionsCommand.ts | 14 +- .../ModifyReservedInstancesCommand.ts | 14 +- .../ModifySecurityGroupRulesCommand.ts | 14 +- .../ModifySnapshotAttributeCommand.ts | 14 +- .../src/commands/ModifySnapshotTierCommand.ts | 14 +- .../commands/ModifySpotFleetRequestCommand.ts | 14 +- .../commands/ModifySubnetAttributeCommand.ts | 14 +- ...afficMirrorFilterNetworkServicesCommand.ts | 14 +- .../ModifyTrafficMirrorFilterRuleCommand.ts | 14 +- .../ModifyTrafficMirrorSessionCommand.ts | 14 +- .../commands/ModifyTransitGatewayCommand.ts | 14 +- ...ransitGatewayPrefixListReferenceCommand.ts | 14 +- ...odifyTransitGatewayVpcAttachmentCommand.ts | 14 +- .../ModifyVerifiedAccessEndpointCommand.ts | 14 +- ...difyVerifiedAccessEndpointPolicyCommand.ts | 14 +- .../ModifyVerifiedAccessGroupCommand.ts | 14 +- .../ModifyVerifiedAccessGroupPolicyCommand.ts | 14 +- .../ModifyVerifiedAccessInstanceCommand.ts | 14 +- ...cessInstanceLoggingConfigurationCommand.ts | 14 +- ...odifyVerifiedAccessTrustProviderCommand.ts | 14 +- .../commands/ModifyVolumeAttributeCommand.ts | 14 +- .../src/commands/ModifyVolumeCommand.ts | 14 +- .../src/commands/ModifyVpcAttributeCommand.ts | 14 +- .../src/commands/ModifyVpcEndpointCommand.ts | 14 +- ...pcEndpointConnectionNotificationCommand.ts | 14 +- ...yVpcEndpointServiceConfigurationCommand.ts | 14 +- ...dpointServicePayerResponsibilityCommand.ts | 14 +- ...ifyVpcEndpointServicePermissionsCommand.ts | 14 +- ...odifyVpcPeeringConnectionOptionsCommand.ts | 14 +- .../src/commands/ModifyVpcTenancyCommand.ts | 14 +- .../commands/ModifyVpnConnectionCommand.ts | 14 +- .../ModifyVpnConnectionOptionsCommand.ts | 14 +- .../ModifyVpnTunnelCertificateCommand.ts | 14 +- .../commands/ModifyVpnTunnelOptionsCommand.ts | 14 +- .../src/commands/MonitorInstancesCommand.ts | 14 +- .../src/commands/MoveAddressToVpcCommand.ts | 14 +- .../commands/MoveByoipCidrToIpamCommand.ts | 14 +- ...MoveCapacityReservationInstancesCommand.ts | 14 +- .../src/commands/ProvisionByoipCidrCommand.ts | 14 +- .../commands/ProvisionIpamByoasnCommand.ts | 14 +- .../commands/ProvisionIpamPoolCidrCommand.ts | 14 +- .../ProvisionPublicIpv4PoolCidrCommand.ts | 14 +- .../commands/PurchaseCapacityBlockCommand.ts | 14 +- .../PurchaseHostReservationCommand.ts | 14 +- ...urchaseReservedInstancesOfferingCommand.ts | 14 +- .../PurchaseScheduledInstancesCommand.ts | 14 +- .../src/commands/RebootInstancesCommand.ts | 14 +- .../src/commands/RegisterImageCommand.ts | 14 +- ...tanceEventNotificationAttributesCommand.ts | 14 +- ...nsitGatewayMulticastGroupMembersCommand.ts | 14 +- ...nsitGatewayMulticastGroupSourcesCommand.ts | 14 +- ...tewayMulticastDomainAssociationsCommand.ts | 14 +- ...tTransitGatewayPeeringAttachmentCommand.ts | 14 +- ...ejectTransitGatewayVpcAttachmentCommand.ts | 14 +- .../RejectVpcEndpointConnectionsCommand.ts | 14 +- .../RejectVpcPeeringConnectionCommand.ts | 14 +- .../src/commands/ReleaseAddressCommand.ts | 14 +- .../src/commands/ReleaseHostsCommand.ts | 14 +- .../ReleaseIpamPoolAllocationCommand.ts | 14 +- ...aceIamInstanceProfileAssociationCommand.ts | 14 +- .../ReplaceNetworkAclAssociationCommand.ts | 14 +- .../commands/ReplaceNetworkAclEntryCommand.ts | 14 +- .../src/commands/ReplaceRouteCommand.ts | 14 +- .../ReplaceRouteTableAssociationCommand.ts | 14 +- .../ReplaceTransitGatewayRouteCommand.ts | 14 +- .../src/commands/ReplaceVpnTunnelCommand.ts | 14 +- .../commands/ReportInstanceStatusCommand.ts | 14 +- .../src/commands/RequestSpotFleetCommand.ts | 14 +- .../commands/RequestSpotInstancesCommand.ts | 14 +- .../commands/ResetAddressAttributeCommand.ts | 14 +- .../ResetEbsDefaultKmsKeyIdCommand.ts | 14 +- .../ResetFpgaImageAttributeCommand.ts | 14 +- .../commands/ResetImageAttributeCommand.ts | 14 +- .../commands/ResetInstanceAttributeCommand.ts | 14 +- .../ResetNetworkInterfaceAttributeCommand.ts | 14 +- .../commands/ResetSnapshotAttributeCommand.ts | 14 +- .../RestoreAddressToClassicCommand.ts | 14 +- .../RestoreImageFromRecycleBinCommand.ts | 14 +- .../RestoreManagedPrefixListVersionCommand.ts | 14 +- .../RestoreSnapshotFromRecycleBinCommand.ts | 14 +- .../commands/RestoreSnapshotTierCommand.ts | 14 +- .../commands/RevokeClientVpnIngressCommand.ts | 14 +- .../RevokeSecurityGroupEgressCommand.ts | 14 +- .../RevokeSecurityGroupIngressCommand.ts | 14 +- .../src/commands/RunInstancesCommand.ts | 14 +- .../commands/RunScheduledInstancesCommand.ts | 14 +- .../SearchLocalGatewayRoutesCommand.ts | 14 +- ...rchTransitGatewayMulticastGroupsCommand.ts | 14 +- .../SearchTransitGatewayRoutesCommand.ts | 14 +- .../SendDiagnosticInterruptCommand.ts | 14 +- .../src/commands/StartInstancesCommand.ts | 14 +- ...tworkInsightsAccessScopeAnalysisCommand.ts | 14 +- .../StartNetworkInsightsAnalysisCommand.ts | 14 +- ...intServicePrivateDnsVerificationCommand.ts | 14 +- .../src/commands/StopInstancesCommand.ts | 14 +- .../TerminateClientVpnConnectionsCommand.ts | 14 +- .../src/commands/TerminateInstancesCommand.ts | 14 +- .../commands/UnassignIpv6AddressesCommand.ts | 14 +- .../UnassignPrivateIpAddressesCommand.ts | 14 +- ...UnassignPrivateNatGatewayAddressCommand.ts | 14 +- .../src/commands/UnlockSnapshotCommand.ts | 14 +- .../src/commands/UnmonitorInstancesCommand.ts | 14 +- ...urityGroupRuleDescriptionsEgressCommand.ts | 14 +- ...rityGroupRuleDescriptionsIngressCommand.ts | 14 +- .../src/commands/WithdrawByoipCidrCommand.ts | 14 +- clients/client-ecr-public/package.json | 42 +- .../BatchCheckLayerAvailabilityCommand.ts | 14 +- .../src/commands/BatchDeleteImageCommand.ts | 14 +- .../commands/CompleteLayerUploadCommand.ts | 14 +- .../src/commands/CreateRepositoryCommand.ts | 14 +- .../src/commands/DeleteRepositoryCommand.ts | 14 +- .../commands/DeleteRepositoryPolicyCommand.ts | 14 +- .../src/commands/DescribeImageTagsCommand.ts | 14 +- .../src/commands/DescribeImagesCommand.ts | 14 +- .../src/commands/DescribeRegistriesCommand.ts | 14 +- .../commands/DescribeRepositoriesCommand.ts | 14 +- .../commands/GetAuthorizationTokenCommand.ts | 14 +- .../commands/GetRegistryCatalogDataCommand.ts | 14 +- .../GetRepositoryCatalogDataCommand.ts | 14 +- .../commands/GetRepositoryPolicyCommand.ts | 14 +- .../commands/InitiateLayerUploadCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutImageCommand.ts | 14 +- .../commands/PutRegistryCatalogDataCommand.ts | 14 +- .../PutRepositoryCatalogDataCommand.ts | 14 +- .../commands/SetRepositoryPolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UploadLayerPartCommand.ts | 14 +- clients/client-ecr/package.json | 44 +- .../BatchCheckLayerAvailabilityCommand.ts | 14 +- .../src/commands/BatchDeleteImageCommand.ts | 14 +- .../src/commands/BatchGetImageCommand.ts | 14 +- ...tRepositoryScanningConfigurationCommand.ts | 14 +- .../commands/CompleteLayerUploadCommand.ts | 14 +- .../CreatePullThroughCacheRuleCommand.ts | 14 +- .../src/commands/CreateRepositoryCommand.ts | 14 +- ...CreateRepositoryCreationTemplateCommand.ts | 14 +- .../commands/DeleteLifecyclePolicyCommand.ts | 14 +- .../DeletePullThroughCacheRuleCommand.ts | 14 +- .../commands/DeleteRegistryPolicyCommand.ts | 14 +- .../src/commands/DeleteRepositoryCommand.ts | 14 +- ...DeleteRepositoryCreationTemplateCommand.ts | 14 +- .../commands/DeleteRepositoryPolicyCommand.ts | 14 +- .../DescribeImageReplicationStatusCommand.ts | 14 +- .../DescribeImageScanFindingsCommand.ts | 14 +- .../src/commands/DescribeImagesCommand.ts | 14 +- .../DescribePullThroughCacheRulesCommand.ts | 14 +- .../src/commands/DescribeRegistryCommand.ts | 14 +- .../commands/DescribeRepositoriesCommand.ts | 14 +- ...cribeRepositoryCreationTemplatesCommand.ts | 14 +- .../src/commands/GetAccountSettingCommand.ts | 14 +- .../commands/GetAuthorizationTokenCommand.ts | 14 +- .../commands/GetDownloadUrlForLayerCommand.ts | 14 +- .../src/commands/GetLifecyclePolicyCommand.ts | 14 +- .../GetLifecyclePolicyPreviewCommand.ts | 14 +- .../src/commands/GetRegistryPolicyCommand.ts | 14 +- ...GetRegistryScanningConfigurationCommand.ts | 14 +- .../commands/GetRepositoryPolicyCommand.ts | 14 +- .../commands/InitiateLayerUploadCommand.ts | 14 +- .../src/commands/ListImagesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutAccountSettingCommand.ts | 14 +- .../src/commands/PutImageCommand.ts | 14 +- .../PutImageScanningConfigurationCommand.ts | 14 +- .../commands/PutImageTagMutabilityCommand.ts | 14 +- .../src/commands/PutLifecyclePolicyCommand.ts | 14 +- .../src/commands/PutRegistryPolicyCommand.ts | 14 +- ...PutRegistryScanningConfigurationCommand.ts | 14 +- .../PutReplicationConfigurationCommand.ts | 14 +- .../commands/SetRepositoryPolicyCommand.ts | 14 +- .../src/commands/StartImageScanCommand.ts | 14 +- .../StartLifecyclePolicyPreviewCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdatePullThroughCacheRuleCommand.ts | 14 +- ...UpdateRepositoryCreationTemplateCommand.ts | 14 +- .../src/commands/UploadLayerPartCommand.ts | 14 +- .../ValidatePullThroughCacheRuleCommand.ts | 14 +- clients/client-ecs/package.json | 44 +- .../commands/CreateCapacityProviderCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../src/commands/CreateServiceCommand.ts | 14 +- .../src/commands/CreateTaskSetCommand.ts | 14 +- .../commands/DeleteAccountSettingCommand.ts | 14 +- .../src/commands/DeleteAttributesCommand.ts | 14 +- .../commands/DeleteCapacityProviderCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../src/commands/DeleteServiceCommand.ts | 14 +- .../commands/DeleteTaskDefinitionsCommand.ts | 14 +- .../src/commands/DeleteTaskSetCommand.ts | 14 +- .../DeregisterContainerInstanceCommand.ts | 14 +- .../DeregisterTaskDefinitionCommand.ts | 14 +- .../DescribeCapacityProvidersCommand.ts | 14 +- .../src/commands/DescribeClustersCommand.ts | 14 +- .../DescribeContainerInstancesCommand.ts | 14 +- .../src/commands/DescribeServicesCommand.ts | 14 +- .../commands/DescribeTaskDefinitionCommand.ts | 14 +- .../src/commands/DescribeTaskSetsCommand.ts | 14 +- .../src/commands/DescribeTasksCommand.ts | 14 +- .../commands/DiscoverPollEndpointCommand.ts | 14 +- .../src/commands/ExecuteCommandCommand.ts | 14 +- .../src/commands/GetTaskProtectionCommand.ts | 14 +- .../commands/ListAccountSettingsCommand.ts | 14 +- .../src/commands/ListAttributesCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../commands/ListContainerInstancesCommand.ts | 14 +- .../ListServicesByNamespaceCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTaskDefinitionFamiliesCommand.ts | 14 +- .../commands/ListTaskDefinitionsCommand.ts | 14 +- .../src/commands/ListTasksCommand.ts | 14 +- .../src/commands/PutAccountSettingCommand.ts | 14 +- .../PutAccountSettingDefaultCommand.ts | 14 +- .../src/commands/PutAttributesCommand.ts | 14 +- .../PutClusterCapacityProvidersCommand.ts | 14 +- .../RegisterContainerInstanceCommand.ts | 14 +- .../commands/RegisterTaskDefinitionCommand.ts | 14 +- .../client-ecs/src/commands/RunTaskCommand.ts | 14 +- .../src/commands/StartTaskCommand.ts | 14 +- .../src/commands/StopTaskCommand.ts | 14 +- .../SubmitAttachmentStateChangesCommand.ts | 14 +- .../SubmitContainerStateChangeCommand.ts | 14 +- .../commands/SubmitTaskStateChangeCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateCapacityProviderCommand.ts | 14 +- .../src/commands/UpdateClusterCommand.ts | 14 +- .../commands/UpdateClusterSettingsCommand.ts | 14 +- .../commands/UpdateContainerAgentCommand.ts | 14 +- .../UpdateContainerInstancesStateCommand.ts | 14 +- .../src/commands/UpdateServiceCommand.ts | 14 +- .../UpdateServicePrimaryTaskSetCommand.ts | 14 +- .../commands/UpdateTaskProtectionCommand.ts | 14 +- .../src/commands/UpdateTaskSetCommand.ts | 14 +- clients/client-efs/package.json | 42 +- .../src/commands/CreateAccessPointCommand.ts | 14 +- .../src/commands/CreateFileSystemCommand.ts | 14 +- .../src/commands/CreateMountTargetCommand.ts | 14 +- .../CreateReplicationConfigurationCommand.ts | 14 +- .../src/commands/CreateTagsCommand.ts | 14 +- .../src/commands/DeleteAccessPointCommand.ts | 14 +- .../src/commands/DeleteFileSystemCommand.ts | 14 +- .../commands/DeleteFileSystemPolicyCommand.ts | 14 +- .../src/commands/DeleteMountTargetCommand.ts | 14 +- .../DeleteReplicationConfigurationCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../commands/DescribeAccessPointsCommand.ts | 14 +- .../DescribeAccountPreferencesCommand.ts | 14 +- .../commands/DescribeBackupPolicyCommand.ts | 14 +- .../DescribeFileSystemPolicyCommand.ts | 14 +- .../commands/DescribeFileSystemsCommand.ts | 14 +- .../DescribeLifecycleConfigurationCommand.ts | 14 +- ...escribeMountTargetSecurityGroupsCommand.ts | 14 +- .../commands/DescribeMountTargetsCommand.ts | 14 +- ...escribeReplicationConfigurationsCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ModifyMountTargetSecurityGroupsCommand.ts | 14 +- .../commands/PutAccountPreferencesCommand.ts | 14 +- .../src/commands/PutBackupPolicyCommand.ts | 14 +- .../commands/PutFileSystemPolicyCommand.ts | 14 +- .../PutLifecycleConfigurationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateFileSystemCommand.ts | 14 +- .../UpdateFileSystemProtectionCommand.ts | 14 +- clients/client-eks-auth/package.json | 42 +- .../AssumeRoleForPodIdentityCommand.ts | 14 +- clients/client-eks/package.json | 44 +- .../commands/AssociateAccessPolicyCommand.ts | 14 +- .../AssociateEncryptionConfigCommand.ts | 14 +- .../AssociateIdentityProviderConfigCommand.ts | 14 +- .../src/commands/CreateAccessEntryCommand.ts | 14 +- .../src/commands/CreateAddonCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../CreateEksAnywhereSubscriptionCommand.ts | 14 +- .../commands/CreateFargateProfileCommand.ts | 14 +- .../src/commands/CreateNodegroupCommand.ts | 14 +- .../CreatePodIdentityAssociationCommand.ts | 14 +- .../src/commands/DeleteAccessEntryCommand.ts | 14 +- .../src/commands/DeleteAddonCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../DeleteEksAnywhereSubscriptionCommand.ts | 14 +- .../commands/DeleteFargateProfileCommand.ts | 14 +- .../src/commands/DeleteNodegroupCommand.ts | 14 +- .../DeletePodIdentityAssociationCommand.ts | 14 +- .../src/commands/DeregisterClusterCommand.ts | 14 +- .../commands/DescribeAccessEntryCommand.ts | 14 +- .../src/commands/DescribeAddonCommand.ts | 14 +- .../DescribeAddonConfigurationCommand.ts | 14 +- .../commands/DescribeAddonVersionsCommand.ts | 14 +- .../src/commands/DescribeClusterCommand.ts | 14 +- .../DescribeEksAnywhereSubscriptionCommand.ts | 14 +- .../commands/DescribeFargateProfileCommand.ts | 14 +- .../DescribeIdentityProviderConfigCommand.ts | 14 +- .../src/commands/DescribeInsightCommand.ts | 14 +- .../src/commands/DescribeNodegroupCommand.ts | 14 +- .../DescribePodIdentityAssociationCommand.ts | 14 +- .../src/commands/DescribeUpdateCommand.ts | 14 +- .../DisassociateAccessPolicyCommand.ts | 14 +- ...sassociateIdentityProviderConfigCommand.ts | 14 +- .../src/commands/ListAccessEntriesCommand.ts | 14 +- .../src/commands/ListAccessPoliciesCommand.ts | 14 +- .../src/commands/ListAddonsCommand.ts | 14 +- .../ListAssociatedAccessPoliciesCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../ListEksAnywhereSubscriptionsCommand.ts | 14 +- .../commands/ListFargateProfilesCommand.ts | 14 +- .../ListIdentityProviderConfigsCommand.ts | 14 +- .../src/commands/ListInsightsCommand.ts | 14 +- .../src/commands/ListNodegroupsCommand.ts | 14 +- .../ListPodIdentityAssociationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUpdatesCommand.ts | 14 +- .../src/commands/RegisterClusterCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAccessEntryCommand.ts | 14 +- .../src/commands/UpdateAddonCommand.ts | 14 +- .../commands/UpdateClusterConfigCommand.ts | 14 +- .../commands/UpdateClusterVersionCommand.ts | 14 +- .../UpdateEksAnywhereSubscriptionCommand.ts | 14 +- .../commands/UpdateNodegroupConfigCommand.ts | 14 +- .../commands/UpdateNodegroupVersionCommand.ts | 14 +- .../UpdatePodIdentityAssociationCommand.ts | 14 +- clients/client-elastic-beanstalk/package.json | 44 +- .../commands/AbortEnvironmentUpdateCommand.ts | 14 +- .../ApplyEnvironmentManagedActionCommand.ts | 14 +- ...sociateEnvironmentOperationsRoleCommand.ts | 14 +- .../commands/CheckDNSAvailabilityCommand.ts | 14 +- .../commands/ComposeEnvironmentsCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../CreateApplicationVersionCommand.ts | 14 +- .../CreateConfigurationTemplateCommand.ts | 14 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../commands/CreatePlatformVersionCommand.ts | 14 +- .../commands/CreateStorageLocationCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../DeleteApplicationVersionCommand.ts | 14 +- .../DeleteConfigurationTemplateCommand.ts | 14 +- .../DeleteEnvironmentConfigurationCommand.ts | 14 +- .../commands/DeletePlatformVersionCommand.ts | 14 +- .../DescribeAccountAttributesCommand.ts | 14 +- .../DescribeApplicationVersionsCommand.ts | 14 +- .../commands/DescribeApplicationsCommand.ts | 14 +- .../DescribeConfigurationOptionsCommand.ts | 14 +- .../DescribeConfigurationSettingsCommand.ts | 14 +- .../DescribeEnvironmentHealthCommand.ts | 14 +- ...eEnvironmentManagedActionHistoryCommand.ts | 14 +- ...escribeEnvironmentManagedActionsCommand.ts | 14 +- .../DescribeEnvironmentResourcesCommand.ts | 14 +- .../commands/DescribeEnvironmentsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../DescribeInstancesHealthCommand.ts | 14 +- .../DescribePlatformVersionCommand.ts | 14 +- ...sociateEnvironmentOperationsRoleCommand.ts | 14 +- .../ListAvailableSolutionStacksCommand.ts | 14 +- .../commands/ListPlatformBranchesCommand.ts | 14 +- .../commands/ListPlatformVersionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RebuildEnvironmentCommand.ts | 14 +- .../commands/RequestEnvironmentInfoCommand.ts | 14 +- .../src/commands/RestartAppServerCommand.ts | 14 +- .../RetrieveEnvironmentInfoCommand.ts | 14 +- .../commands/SwapEnvironmentCNAMEsCommand.ts | 14 +- .../commands/TerminateEnvironmentCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- ...dateApplicationResourceLifecycleCommand.ts | 14 +- .../UpdateApplicationVersionCommand.ts | 14 +- .../UpdateConfigurationTemplateCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- .../commands/UpdateTagsForResourceCommand.ts | 14 +- .../ValidateConfigurationSettingsCommand.ts | 14 +- clients/client-elastic-inference/package.json | 42 +- .../DescribeAcceleratorOfferingsCommand.ts | 14 +- .../DescribeAcceleratorTypesCommand.ts | 14 +- .../commands/DescribeAcceleratorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../package.json | 44 +- .../AddListenerCertificatesCommand.ts | 14 +- .../src/commands/AddTagsCommand.ts | 14 +- .../AddTrustStoreRevocationsCommand.ts | 14 +- .../src/commands/CreateListenerCommand.ts | 14 +- .../src/commands/CreateLoadBalancerCommand.ts | 14 +- .../src/commands/CreateRuleCommand.ts | 14 +- .../src/commands/CreateTargetGroupCommand.ts | 14 +- .../src/commands/CreateTrustStoreCommand.ts | 14 +- .../src/commands/DeleteListenerCommand.ts | 14 +- .../src/commands/DeleteLoadBalancerCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- ...eleteSharedTrustStoreAssociationCommand.ts | 14 +- .../src/commands/DeleteTargetGroupCommand.ts | 14 +- .../src/commands/DeleteTrustStoreCommand.ts | 14 +- .../src/commands/DeregisterTargetsCommand.ts | 14 +- .../commands/DescribeAccountLimitsCommand.ts | 14 +- .../DescribeListenerAttributesCommand.ts | 14 +- .../DescribeListenerCertificatesCommand.ts | 14 +- .../src/commands/DescribeListenersCommand.ts | 14 +- .../DescribeLoadBalancerAttributesCommand.ts | 14 +- .../commands/DescribeLoadBalancersCommand.ts | 14 +- .../src/commands/DescribeRulesCommand.ts | 14 +- .../commands/DescribeSSLPoliciesCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../DescribeTargetGroupAttributesCommand.ts | 14 +- .../commands/DescribeTargetGroupsCommand.ts | 14 +- .../commands/DescribeTargetHealthCommand.ts | 14 +- .../DescribeTrustStoreAssociationsCommand.ts | 14 +- .../DescribeTrustStoreRevocationsCommand.ts | 14 +- .../commands/DescribeTrustStoresCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- ...etTrustStoreCaCertificatesBundleCommand.ts | 14 +- .../GetTrustStoreRevocationContentCommand.ts | 14 +- .../ModifyListenerAttributesCommand.ts | 14 +- .../src/commands/ModifyListenerCommand.ts | 14 +- .../ModifyLoadBalancerAttributesCommand.ts | 14 +- .../src/commands/ModifyRuleCommand.ts | 14 +- .../ModifyTargetGroupAttributesCommand.ts | 14 +- .../src/commands/ModifyTargetGroupCommand.ts | 14 +- .../src/commands/ModifyTrustStoreCommand.ts | 14 +- .../src/commands/RegisterTargetsCommand.ts | 14 +- .../RemoveListenerCertificatesCommand.ts | 14 +- .../src/commands/RemoveTagsCommand.ts | 14 +- .../RemoveTrustStoreRevocationsCommand.ts | 14 +- .../src/commands/SetIpAddressTypeCommand.ts | 14 +- .../src/commands/SetRulePrioritiesCommand.ts | 14 +- .../src/commands/SetSecurityGroupsCommand.ts | 14 +- .../src/commands/SetSubnetsCommand.ts | 14 +- .../package.json | 44 +- .../src/commands/AddTagsCommand.ts | 14 +- ...pplySecurityGroupsToLoadBalancerCommand.ts | 14 +- .../AttachLoadBalancerToSubnetsCommand.ts | 14 +- .../commands/ConfigureHealthCheckCommand.ts | 14 +- .../CreateAppCookieStickinessPolicyCommand.ts | 14 +- .../CreateLBCookieStickinessPolicyCommand.ts | 14 +- .../src/commands/CreateLoadBalancerCommand.ts | 14 +- .../CreateLoadBalancerListenersCommand.ts | 14 +- .../CreateLoadBalancerPolicyCommand.ts | 14 +- .../src/commands/DeleteLoadBalancerCommand.ts | 14 +- .../DeleteLoadBalancerListenersCommand.ts | 14 +- .../DeleteLoadBalancerPolicyCommand.ts | 14 +- ...egisterInstancesFromLoadBalancerCommand.ts | 14 +- .../commands/DescribeAccountLimitsCommand.ts | 14 +- .../commands/DescribeInstanceHealthCommand.ts | 14 +- .../DescribeLoadBalancerAttributesCommand.ts | 14 +- .../DescribeLoadBalancerPoliciesCommand.ts | 14 +- .../DescribeLoadBalancerPolicyTypesCommand.ts | 14 +- .../commands/DescribeLoadBalancersCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../DetachLoadBalancerFromSubnetsCommand.ts | 14 +- ...AvailabilityZonesForLoadBalancerCommand.ts | 14 +- ...AvailabilityZonesForLoadBalancerCommand.ts | 14 +- .../ModifyLoadBalancerAttributesCommand.ts | 14 +- ...egisterInstancesWithLoadBalancerCommand.ts | 14 +- .../src/commands/RemoveTagsCommand.ts | 14 +- ...adBalancerListenerSSLCertificateCommand.ts | 14 +- ...BalancerPoliciesForBackendServerCommand.ts | 14 +- ...etLoadBalancerPoliciesOfListenerCommand.ts | 14 +- .../client-elastic-transcoder/package.json | 44 +- .../src/commands/CancelJobCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../src/commands/CreatePipelineCommand.ts | 14 +- .../src/commands/CreatePresetCommand.ts | 14 +- .../src/commands/DeletePipelineCommand.ts | 14 +- .../src/commands/DeletePresetCommand.ts | 14 +- .../src/commands/ListJobsByPipelineCommand.ts | 14 +- .../src/commands/ListJobsByStatusCommand.ts | 14 +- .../src/commands/ListPipelinesCommand.ts | 14 +- .../src/commands/ListPresetsCommand.ts | 14 +- .../src/commands/ReadJobCommand.ts | 14 +- .../src/commands/ReadPipelineCommand.ts | 14 +- .../src/commands/ReadPresetCommand.ts | 14 +- .../src/commands/TestRoleCommand.ts | 14 +- .../src/commands/UpdatePipelineCommand.ts | 14 +- .../UpdatePipelineNotificationsCommand.ts | 14 +- .../commands/UpdatePipelineStatusCommand.ts | 14 +- clients/client-elasticache/package.json | 44 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- ...thorizeCacheSecurityGroupIngressCommand.ts | 14 +- .../commands/BatchApplyUpdateActionCommand.ts | 14 +- .../commands/BatchStopUpdateActionCommand.ts | 14 +- .../src/commands/CompleteMigrationCommand.ts | 14 +- .../CopyServerlessCacheSnapshotCommand.ts | 14 +- .../src/commands/CopySnapshotCommand.ts | 14 +- .../src/commands/CreateCacheClusterCommand.ts | 14 +- .../CreateCacheParameterGroupCommand.ts | 14 +- .../CreateCacheSecurityGroupCommand.ts | 14 +- .../commands/CreateCacheSubnetGroupCommand.ts | 14 +- .../CreateGlobalReplicationGroupCommand.ts | 14 +- .../commands/CreateReplicationGroupCommand.ts | 14 +- .../commands/CreateServerlessCacheCommand.ts | 14 +- .../CreateServerlessCacheSnapshotCommand.ts | 14 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/CreateUserGroupCommand.ts | 14 +- ...deGroupsInGlobalReplicationGroupCommand.ts | 14 +- .../commands/DecreaseReplicaCountCommand.ts | 14 +- .../src/commands/DeleteCacheClusterCommand.ts | 14 +- .../DeleteCacheParameterGroupCommand.ts | 14 +- .../DeleteCacheSecurityGroupCommand.ts | 14 +- .../commands/DeleteCacheSubnetGroupCommand.ts | 14 +- .../DeleteGlobalReplicationGroupCommand.ts | 14 +- .../commands/DeleteReplicationGroupCommand.ts | 14 +- .../commands/DeleteServerlessCacheCommand.ts | 14 +- .../DeleteServerlessCacheSnapshotCommand.ts | 14 +- .../src/commands/DeleteSnapshotCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../src/commands/DeleteUserGroupCommand.ts | 14 +- .../commands/DescribeCacheClustersCommand.ts | 14 +- .../DescribeCacheEngineVersionsCommand.ts | 14 +- .../DescribeCacheParameterGroupsCommand.ts | 14 +- .../DescribeCacheParametersCommand.ts | 14 +- .../DescribeCacheSecurityGroupsCommand.ts | 14 +- .../DescribeCacheSubnetGroupsCommand.ts | 14 +- .../DescribeEngineDefaultParametersCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../DescribeGlobalReplicationGroupsCommand.ts | 14 +- .../DescribeReplicationGroupsCommand.ts | 14 +- .../DescribeReservedCacheNodesCommand.ts | 14 +- ...cribeReservedCacheNodesOfferingsCommand.ts | 14 +- ...DescribeServerlessCacheSnapshotsCommand.ts | 14 +- .../DescribeServerlessCachesCommand.ts | 14 +- .../commands/DescribeServiceUpdatesCommand.ts | 14 +- .../src/commands/DescribeSnapshotsCommand.ts | 14 +- .../commands/DescribeUpdateActionsCommand.ts | 14 +- .../src/commands/DescribeUserGroupsCommand.ts | 14 +- .../src/commands/DescribeUsersCommand.ts | 14 +- ...sassociateGlobalReplicationGroupCommand.ts | 14 +- .../ExportServerlessCacheSnapshotCommand.ts | 14 +- .../FailoverGlobalReplicationGroupCommand.ts | 14 +- ...deGroupsInGlobalReplicationGroupCommand.ts | 14 +- .../commands/IncreaseReplicaCountCommand.ts | 14 +- ...ListAllowedNodeTypeModificationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ModifyCacheClusterCommand.ts | 14 +- .../ModifyCacheParameterGroupCommand.ts | 14 +- .../commands/ModifyCacheSubnetGroupCommand.ts | 14 +- .../ModifyGlobalReplicationGroupCommand.ts | 14 +- .../commands/ModifyReplicationGroupCommand.ts | 14 +- ...plicationGroupShardConfigurationCommand.ts | 14 +- .../commands/ModifyServerlessCacheCommand.ts | 14 +- .../src/commands/ModifyUserCommand.ts | 14 +- .../src/commands/ModifyUserGroupCommand.ts | 14 +- ...rchaseReservedCacheNodesOfferingCommand.ts | 14 +- ...nceSlotsInGlobalReplicationGroupCommand.ts | 14 +- .../src/commands/RebootCacheClusterCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../ResetCacheParameterGroupCommand.ts | 14 +- .../RevokeCacheSecurityGroupIngressCommand.ts | 14 +- .../src/commands/StartMigrationCommand.ts | 14 +- .../src/commands/TestFailoverCommand.ts | 14 +- .../src/commands/TestMigrationCommand.ts | 14 +- .../client-elasticsearch-service/package.json | 42 +- ...oundCrossClusterSearchConnectionCommand.ts | 14 +- .../src/commands/AddTagsCommand.ts | 14 +- .../src/commands/AssociatePackageCommand.ts | 14 +- .../AuthorizeVpcEndpointAccessCommand.ts | 14 +- .../CancelDomainConfigChangeCommand.ts | 14 +- ...asticsearchServiceSoftwareUpdateCommand.ts | 14 +- .../CreateElasticsearchDomainCommand.ts | 14 +- ...oundCrossClusterSearchConnectionCommand.ts | 14 +- .../src/commands/CreatePackageCommand.ts | 14 +- .../src/commands/CreateVpcEndpointCommand.ts | 14 +- .../DeleteElasticsearchDomainCommand.ts | 14 +- .../DeleteElasticsearchServiceRoleCommand.ts | 14 +- ...oundCrossClusterSearchConnectionCommand.ts | 14 +- ...oundCrossClusterSearchConnectionCommand.ts | 14 +- .../src/commands/DeletePackageCommand.ts | 14 +- .../src/commands/DeleteVpcEndpointCommand.ts | 14 +- .../DescribeDomainAutoTunesCommand.ts | 14 +- .../DescribeDomainChangeProgressCommand.ts | 14 +- .../DescribeElasticsearchDomainCommand.ts | 14 +- ...escribeElasticsearchDomainConfigCommand.ts | 14 +- .../DescribeElasticsearchDomainsCommand.ts | 14 +- ...eElasticsearchInstanceTypeLimitsCommand.ts | 14 +- ...undCrossClusterSearchConnectionsCommand.ts | 14 +- ...undCrossClusterSearchConnectionsCommand.ts | 14 +- .../src/commands/DescribePackagesCommand.ts | 14 +- ...edElasticsearchInstanceOfferingsCommand.ts | 14 +- ...beReservedElasticsearchInstancesCommand.ts | 14 +- .../commands/DescribeVpcEndpointsCommand.ts | 14 +- .../src/commands/DissociatePackageCommand.ts | 14 +- ...tCompatibleElasticsearchVersionsCommand.ts | 14 +- .../GetPackageVersionHistoryCommand.ts | 14 +- .../src/commands/GetUpgradeHistoryCommand.ts | 14 +- .../src/commands/GetUpgradeStatusCommand.ts | 14 +- .../src/commands/ListDomainNamesCommand.ts | 14 +- .../commands/ListDomainsForPackageCommand.ts | 14 +- .../ListElasticsearchInstanceTypesCommand.ts | 14 +- .../ListElasticsearchVersionsCommand.ts | 14 +- .../commands/ListPackagesForDomainCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../commands/ListVpcEndpointAccessCommand.ts | 14 +- .../src/commands/ListVpcEndpointsCommand.ts | 14 +- .../ListVpcEndpointsForDomainCommand.ts | 14 +- ...vedElasticsearchInstanceOfferingCommand.ts | 14 +- ...oundCrossClusterSearchConnectionCommand.ts | 14 +- .../src/commands/RemoveTagsCommand.ts | 14 +- .../RevokeVpcEndpointAccessCommand.ts | 14 +- ...asticsearchServiceSoftwareUpdateCommand.ts | 14 +- .../UpdateElasticsearchDomainConfigCommand.ts | 14 +- .../src/commands/UpdatePackageCommand.ts | 14 +- .../src/commands/UpdateVpcEndpointCommand.ts | 14 +- .../UpgradeElasticsearchDomainCommand.ts | 14 +- clients/client-emr-containers/package.json | 42 +- .../src/commands/CancelJobRunCommand.ts | 14 +- .../src/commands/CreateJobTemplateCommand.ts | 14 +- .../commands/CreateManagedEndpointCommand.ts | 14 +- .../CreateSecurityConfigurationCommand.ts | 14 +- .../commands/CreateVirtualClusterCommand.ts | 14 +- .../src/commands/DeleteJobTemplateCommand.ts | 14 +- .../commands/DeleteManagedEndpointCommand.ts | 14 +- .../commands/DeleteVirtualClusterCommand.ts | 14 +- .../src/commands/DescribeJobRunCommand.ts | 14 +- .../commands/DescribeJobTemplateCommand.ts | 14 +- .../DescribeManagedEndpointCommand.ts | 14 +- .../DescribeSecurityConfigurationCommand.ts | 14 +- .../commands/DescribeVirtualClusterCommand.ts | 14 +- ...anagedEndpointSessionCredentialsCommand.ts | 14 +- .../src/commands/ListJobRunsCommand.ts | 14 +- .../src/commands/ListJobTemplatesCommand.ts | 14 +- .../commands/ListManagedEndpointsCommand.ts | 14 +- .../ListSecurityConfigurationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListVirtualClustersCommand.ts | 14 +- .../src/commands/StartJobRunCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-emr-serverless/package.json | 42 +- .../src/commands/CancelJobRunCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../commands/GetDashboardForJobRunCommand.ts | 14 +- .../src/commands/GetJobRunCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../src/commands/ListJobRunAttemptsCommand.ts | 14 +- .../src/commands/ListJobRunsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartApplicationCommand.ts | 14 +- .../src/commands/StartJobRunCommand.ts | 14 +- .../src/commands/StopApplicationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- clients/client-emr/package.json | 44 +- .../src/commands/AddInstanceFleetCommand.ts | 14 +- .../src/commands/AddInstanceGroupsCommand.ts | 14 +- .../src/commands/AddJobFlowStepsCommand.ts | 14 +- .../client-emr/src/commands/AddTagsCommand.ts | 14 +- .../src/commands/CancelStepsCommand.ts | 14 +- .../CreateSecurityConfigurationCommand.ts | 14 +- .../src/commands/CreateStudioCommand.ts | 14 +- .../CreateStudioSessionMappingCommand.ts | 14 +- .../DeleteSecurityConfigurationCommand.ts | 14 +- .../src/commands/DeleteStudioCommand.ts | 14 +- .../DeleteStudioSessionMappingCommand.ts | 14 +- .../src/commands/DescribeClusterCommand.ts | 14 +- .../src/commands/DescribeJobFlowsCommand.ts | 14 +- .../DescribeNotebookExecutionCommand.ts | 14 +- .../commands/DescribeReleaseLabelCommand.ts | 14 +- .../DescribeSecurityConfigurationCommand.ts | 14 +- .../src/commands/DescribeStepCommand.ts | 14 +- .../src/commands/DescribeStudioCommand.ts | 14 +- .../GetAutoTerminationPolicyCommand.ts | 14 +- ...etBlockPublicAccessConfigurationCommand.ts | 14 +- .../GetClusterSessionCredentialsCommand.ts | 14 +- .../GetManagedScalingPolicyCommand.ts | 14 +- .../GetStudioSessionMappingCommand.ts | 14 +- .../commands/ListBootstrapActionsCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../src/commands/ListInstanceFleetsCommand.ts | 14 +- .../src/commands/ListInstanceGroupsCommand.ts | 14 +- .../src/commands/ListInstancesCommand.ts | 14 +- .../commands/ListNotebookExecutionsCommand.ts | 14 +- .../src/commands/ListReleaseLabelsCommand.ts | 14 +- .../ListSecurityConfigurationsCommand.ts | 14 +- .../src/commands/ListStepsCommand.ts | 14 +- .../ListStudioSessionMappingsCommand.ts | 14 +- .../src/commands/ListStudiosCommand.ts | 14 +- .../ListSupportedInstanceTypesCommand.ts | 14 +- .../src/commands/ModifyClusterCommand.ts | 14 +- .../commands/ModifyInstanceFleetCommand.ts | 14 +- .../commands/ModifyInstanceGroupsCommand.ts | 14 +- .../commands/PutAutoScalingPolicyCommand.ts | 14 +- .../PutAutoTerminationPolicyCommand.ts | 14 +- ...utBlockPublicAccessConfigurationCommand.ts | 14 +- .../PutManagedScalingPolicyCommand.ts | 14 +- .../RemoveAutoScalingPolicyCommand.ts | 14 +- .../RemoveAutoTerminationPolicyCommand.ts | 14 +- .../RemoveManagedScalingPolicyCommand.ts | 14 +- .../src/commands/RemoveTagsCommand.ts | 14 +- .../src/commands/RunJobFlowCommand.ts | 14 +- .../SetKeepJobFlowAliveWhenNoStepsCommand.ts | 14 +- .../SetTerminationProtectionCommand.ts | 14 +- .../SetUnhealthyNodeReplacementCommand.ts | 14 +- .../commands/SetVisibleToAllUsersCommand.ts | 14 +- .../commands/StartNotebookExecutionCommand.ts | 14 +- .../commands/StopNotebookExecutionCommand.ts | 14 +- .../src/commands/TerminateJobFlowsCommand.ts | 14 +- .../src/commands/UpdateStudioCommand.ts | 14 +- .../UpdateStudioSessionMappingCommand.ts | 14 +- clients/client-entityresolution/package.json | 42 +- .../src/commands/AddPolicyStatementCommand.ts | 14 +- .../commands/BatchDeleteUniqueIdCommand.ts | 14 +- .../CreateIdMappingWorkflowCommand.ts | 14 +- .../src/commands/CreateIdNamespaceCommand.ts | 14 +- .../commands/CreateMatchingWorkflowCommand.ts | 14 +- .../commands/CreateSchemaMappingCommand.ts | 14 +- .../DeleteIdMappingWorkflowCommand.ts | 14 +- .../src/commands/DeleteIdNamespaceCommand.ts | 14 +- .../commands/DeleteMatchingWorkflowCommand.ts | 14 +- .../commands/DeletePolicyStatementCommand.ts | 14 +- .../commands/DeleteSchemaMappingCommand.ts | 14 +- .../src/commands/GetIdMappingJobCommand.ts | 14 +- .../commands/GetIdMappingWorkflowCommand.ts | 14 +- .../src/commands/GetIdNamespaceCommand.ts | 14 +- .../src/commands/GetMatchIdCommand.ts | 14 +- .../src/commands/GetMatchingJobCommand.ts | 14 +- .../commands/GetMatchingWorkflowCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../src/commands/GetProviderServiceCommand.ts | 14 +- .../src/commands/GetSchemaMappingCommand.ts | 14 +- .../src/commands/ListIdMappingJobsCommand.ts | 14 +- .../commands/ListIdMappingWorkflowsCommand.ts | 14 +- .../src/commands/ListIdNamespacesCommand.ts | 14 +- .../src/commands/ListMatchingJobsCommand.ts | 14 +- .../commands/ListMatchingWorkflowsCommand.ts | 14 +- .../commands/ListProviderServicesCommand.ts | 14 +- .../src/commands/ListSchemaMappingsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutPolicyCommand.ts | 14 +- .../src/commands/StartIdMappingJobCommand.ts | 14 +- .../src/commands/StartMatchingJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateIdMappingWorkflowCommand.ts | 14 +- .../src/commands/UpdateIdNamespaceCommand.ts | 14 +- .../commands/UpdateMatchingWorkflowCommand.ts | 14 +- .../commands/UpdateSchemaMappingCommand.ts | 14 +- clients/client-eventbridge/package.json | 42 +- .../commands/ActivateEventSourceCommand.ts | 14 +- .../src/commands/CancelReplayCommand.ts | 14 +- .../commands/CreateApiDestinationCommand.ts | 14 +- .../src/commands/CreateArchiveCommand.ts | 14 +- .../src/commands/CreateConnectionCommand.ts | 14 +- .../src/commands/CreateEndpointCommand.ts | 14 +- .../src/commands/CreateEventBusCommand.ts | 14 +- .../CreatePartnerEventSourceCommand.ts | 14 +- .../commands/DeactivateEventSourceCommand.ts | 14 +- .../commands/DeauthorizeConnectionCommand.ts | 14 +- .../commands/DeleteApiDestinationCommand.ts | 14 +- .../src/commands/DeleteArchiveCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/DeleteEndpointCommand.ts | 14 +- .../src/commands/DeleteEventBusCommand.ts | 14 +- .../DeletePartnerEventSourceCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../commands/DescribeApiDestinationCommand.ts | 14 +- .../src/commands/DescribeArchiveCommand.ts | 14 +- .../src/commands/DescribeConnectionCommand.ts | 14 +- .../src/commands/DescribeEndpointCommand.ts | 14 +- .../src/commands/DescribeEventBusCommand.ts | 14 +- .../commands/DescribeEventSourceCommand.ts | 14 +- .../DescribePartnerEventSourceCommand.ts | 14 +- .../src/commands/DescribeReplayCommand.ts | 14 +- .../src/commands/DescribeRuleCommand.ts | 14 +- .../src/commands/DisableRuleCommand.ts | 14 +- .../src/commands/EnableRuleCommand.ts | 14 +- .../commands/ListApiDestinationsCommand.ts | 14 +- .../src/commands/ListArchivesCommand.ts | 14 +- .../src/commands/ListConnectionsCommand.ts | 14 +- .../src/commands/ListEndpointsCommand.ts | 14 +- .../src/commands/ListEventBusesCommand.ts | 14 +- .../src/commands/ListEventSourcesCommand.ts | 14 +- .../ListPartnerEventSourceAccountsCommand.ts | 14 +- .../ListPartnerEventSourcesCommand.ts | 14 +- .../src/commands/ListReplaysCommand.ts | 14 +- .../commands/ListRuleNamesByTargetCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTargetsByRuleCommand.ts | 14 +- .../src/commands/PutEventsCommand.ts | 14 +- .../src/commands/PutPartnerEventsCommand.ts | 14 +- .../src/commands/PutPermissionCommand.ts | 14 +- .../src/commands/PutRuleCommand.ts | 14 +- .../src/commands/PutTargetsCommand.ts | 14 +- .../src/commands/RemovePermissionCommand.ts | 14 +- .../src/commands/RemoveTargetsCommand.ts | 14 +- .../src/commands/StartReplayCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestEventPatternCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateApiDestinationCommand.ts | 14 +- .../src/commands/UpdateArchiveCommand.ts | 14 +- .../src/commands/UpdateConnectionCommand.ts | 14 +- .../src/commands/UpdateEndpointCommand.ts | 14 +- .../src/commands/UpdateEventBusCommand.ts | 14 +- clients/client-evidently/package.json | 42 +- .../commands/BatchEvaluateFeatureCommand.ts | 14 +- .../src/commands/CreateExperimentCommand.ts | 14 +- .../src/commands/CreateFeatureCommand.ts | 14 +- .../src/commands/CreateLaunchCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../src/commands/CreateSegmentCommand.ts | 14 +- .../src/commands/DeleteExperimentCommand.ts | 14 +- .../src/commands/DeleteFeatureCommand.ts | 14 +- .../src/commands/DeleteLaunchCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../src/commands/DeleteSegmentCommand.ts | 14 +- .../src/commands/EvaluateFeatureCommand.ts | 14 +- .../src/commands/GetExperimentCommand.ts | 14 +- .../commands/GetExperimentResultsCommand.ts | 14 +- .../src/commands/GetFeatureCommand.ts | 14 +- .../src/commands/GetLaunchCommand.ts | 14 +- .../src/commands/GetProjectCommand.ts | 14 +- .../src/commands/GetSegmentCommand.ts | 14 +- .../src/commands/ListExperimentsCommand.ts | 14 +- .../src/commands/ListFeaturesCommand.ts | 14 +- .../src/commands/ListLaunchesCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../commands/ListSegmentReferencesCommand.ts | 14 +- .../src/commands/ListSegmentsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutProjectEventsCommand.ts | 14 +- .../src/commands/StartExperimentCommand.ts | 14 +- .../src/commands/StartLaunchCommand.ts | 14 +- .../src/commands/StopExperimentCommand.ts | 14 +- .../src/commands/StopLaunchCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestSegmentPatternCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateExperimentCommand.ts | 14 +- .../src/commands/UpdateFeatureCommand.ts | 14 +- .../src/commands/UpdateLaunchCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- .../UpdateProjectDataDeliveryCommand.ts | 14 +- clients/client-finspace-data/package.json | 42 +- .../AssociateUserToPermissionGroupCommand.ts | 14 +- .../src/commands/CreateChangesetCommand.ts | 14 +- .../src/commands/CreateDataViewCommand.ts | 14 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../commands/CreatePermissionGroupCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../commands/DeletePermissionGroupCommand.ts | 14 +- .../src/commands/DisableUserCommand.ts | 14 +- ...associateUserFromPermissionGroupCommand.ts | 14 +- .../src/commands/EnableUserCommand.ts | 14 +- .../src/commands/GetChangesetCommand.ts | 14 +- .../src/commands/GetDataViewCommand.ts | 14 +- .../src/commands/GetDatasetCommand.ts | 14 +- ...GetExternalDataViewAccessDetailsCommand.ts | 14 +- .../src/commands/GetPermissionGroupCommand.ts | 14 +- ...GetProgrammaticAccessCredentialsCommand.ts | 14 +- .../src/commands/GetUserCommand.ts | 14 +- .../src/commands/GetWorkingLocationCommand.ts | 14 +- .../src/commands/ListChangesetsCommand.ts | 14 +- .../src/commands/ListDataViewsCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../ListPermissionGroupsByUserCommand.ts | 14 +- .../commands/ListPermissionGroupsCommand.ts | 14 +- .../ListUsersByPermissionGroupCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../src/commands/ResetUserPasswordCommand.ts | 14 +- .../src/commands/UpdateChangesetCommand.ts | 14 +- .../src/commands/UpdateDatasetCommand.ts | 14 +- .../commands/UpdatePermissionGroupCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- clients/client-finspace/package.json | 42 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../src/commands/CreateKxChangesetCommand.ts | 14 +- .../src/commands/CreateKxClusterCommand.ts | 14 +- .../src/commands/CreateKxDatabaseCommand.ts | 14 +- .../src/commands/CreateKxDataviewCommand.ts | 14 +- .../commands/CreateKxEnvironmentCommand.ts | 14 +- .../commands/CreateKxScalingGroupCommand.ts | 14 +- .../src/commands/CreateKxUserCommand.ts | 14 +- .../src/commands/CreateKxVolumeCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../src/commands/DeleteKxClusterCommand.ts | 14 +- .../commands/DeleteKxClusterNodeCommand.ts | 14 +- .../src/commands/DeleteKxDatabaseCommand.ts | 14 +- .../src/commands/DeleteKxDataviewCommand.ts | 14 +- .../commands/DeleteKxEnvironmentCommand.ts | 14 +- .../commands/DeleteKxScalingGroupCommand.ts | 14 +- .../src/commands/DeleteKxUserCommand.ts | 14 +- .../src/commands/DeleteKxVolumeCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../src/commands/GetKxChangesetCommand.ts | 14 +- .../src/commands/GetKxClusterCommand.ts | 14 +- .../commands/GetKxConnectionStringCommand.ts | 14 +- .../src/commands/GetKxDatabaseCommand.ts | 14 +- .../src/commands/GetKxDataviewCommand.ts | 14 +- .../src/commands/GetKxEnvironmentCommand.ts | 14 +- .../src/commands/GetKxScalingGroupCommand.ts | 14 +- .../src/commands/GetKxUserCommand.ts | 14 +- .../src/commands/GetKxVolumeCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../src/commands/ListKxChangesetsCommand.ts | 14 +- .../src/commands/ListKxClusterNodesCommand.ts | 14 +- .../src/commands/ListKxClustersCommand.ts | 14 +- .../src/commands/ListKxDatabasesCommand.ts | 14 +- .../src/commands/ListKxDataviewsCommand.ts | 14 +- .../src/commands/ListKxEnvironmentsCommand.ts | 14 +- .../commands/ListKxScalingGroupsCommand.ts | 14 +- .../src/commands/ListKxUsersCommand.ts | 14 +- .../src/commands/ListKxVolumesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- ...UpdateKxClusterCodeConfigurationCommand.ts | 14 +- .../UpdateKxClusterDatabasesCommand.ts | 14 +- .../src/commands/UpdateKxDatabaseCommand.ts | 14 +- .../src/commands/UpdateKxDataviewCommand.ts | 14 +- .../commands/UpdateKxEnvironmentCommand.ts | 14 +- .../UpdateKxEnvironmentNetworkCommand.ts | 14 +- .../src/commands/UpdateKxUserCommand.ts | 14 +- .../src/commands/UpdateKxVolumeCommand.ts | 14 +- clients/client-firehose/package.json | 42 +- .../commands/CreateDeliveryStreamCommand.ts | 14 +- .../commands/DeleteDeliveryStreamCommand.ts | 14 +- .../commands/DescribeDeliveryStreamCommand.ts | 14 +- .../commands/ListDeliveryStreamsCommand.ts | 14 +- .../ListTagsForDeliveryStreamCommand.ts | 14 +- .../src/commands/PutRecordBatchCommand.ts | 14 +- .../src/commands/PutRecordCommand.ts | 14 +- .../StartDeliveryStreamEncryptionCommand.ts | 14 +- .../StopDeliveryStreamEncryptionCommand.ts | 14 +- .../src/commands/TagDeliveryStreamCommand.ts | 14 +- .../commands/UntagDeliveryStreamCommand.ts | 14 +- .../src/commands/UpdateDestinationCommand.ts | 14 +- clients/client-fis/package.json | 42 +- .../CreateExperimentTemplateCommand.ts | 14 +- ...CreateTargetAccountConfigurationCommand.ts | 14 +- .../DeleteExperimentTemplateCommand.ts | 14 +- ...DeleteTargetAccountConfigurationCommand.ts | 14 +- .../src/commands/GetActionCommand.ts | 14 +- .../src/commands/GetExperimentCommand.ts | 14 +- ...rimentTargetAccountConfigurationCommand.ts | 14 +- .../commands/GetExperimentTemplateCommand.ts | 14 +- .../src/commands/GetSafetyLeverCommand.ts | 14 +- .../GetTargetAccountConfigurationCommand.ts | 14 +- .../commands/GetTargetResourceTypeCommand.ts | 14 +- .../src/commands/ListActionsCommand.ts | 14 +- .../ListExperimentResolvedTargetsCommand.ts | 14 +- ...imentTargetAccountConfigurationsCommand.ts | 14 +- .../ListExperimentTemplatesCommand.ts | 14 +- .../src/commands/ListExperimentsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTargetAccountConfigurationsCommand.ts | 14 +- .../ListTargetResourceTypesCommand.ts | 14 +- .../src/commands/StartExperimentCommand.ts | 14 +- .../src/commands/StopExperimentCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateExperimentTemplateCommand.ts | 14 +- .../commands/UpdateSafetyLeverStateCommand.ts | 14 +- ...UpdateTargetAccountConfigurationCommand.ts | 14 +- clients/client-fms/package.json | 42 +- .../commands/AssociateAdminAccountCommand.ts | 14 +- .../AssociateThirdPartyFirewallCommand.ts | 14 +- .../commands/BatchAssociateResourceCommand.ts | 14 +- .../BatchDisassociateResourceCommand.ts | 14 +- .../src/commands/DeleteAppsListCommand.ts | 14 +- .../DeleteNotificationChannelCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- .../commands/DeleteProtocolsListCommand.ts | 14 +- .../src/commands/DeleteResourceSetCommand.ts | 14 +- .../DisassociateAdminAccountCommand.ts | 14 +- .../DisassociateThirdPartyFirewallCommand.ts | 14 +- .../src/commands/GetAdminAccountCommand.ts | 14 +- .../src/commands/GetAdminScopeCommand.ts | 14 +- .../src/commands/GetAppsListCommand.ts | 14 +- .../commands/GetComplianceDetailCommand.ts | 14 +- .../commands/GetNotificationChannelCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../commands/GetProtectionStatusCommand.ts | 14 +- .../src/commands/GetProtocolsListCommand.ts | 14 +- .../src/commands/GetResourceSetCommand.ts | 14 +- ...rdPartyFirewallAssociationStatusCommand.ts | 14 +- .../commands/GetViolationDetailsCommand.ts | 14 +- ...ListAdminAccountsForOrganizationCommand.ts | 14 +- .../ListAdminsManagingAccountCommand.ts | 14 +- .../src/commands/ListAppsListsCommand.ts | 14 +- .../commands/ListComplianceStatusCommand.ts | 14 +- .../ListDiscoveredResourcesCommand.ts | 14 +- .../src/commands/ListMemberAccountsCommand.ts | 14 +- .../src/commands/ListPoliciesCommand.ts | 14 +- .../src/commands/ListProtocolsListsCommand.ts | 14 +- .../ListResourceSetResourcesCommand.ts | 14 +- .../src/commands/ListResourceSetsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...irdPartyFirewallFirewallPoliciesCommand.ts | 14 +- .../src/commands/PutAdminAccountCommand.ts | 14 +- .../src/commands/PutAppsListCommand.ts | 14 +- .../commands/PutNotificationChannelCommand.ts | 14 +- .../src/commands/PutPolicyCommand.ts | 14 +- .../src/commands/PutProtocolsListCommand.ts | 14 +- .../src/commands/PutResourceSetCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-forecast/package.json | 42 +- .../commands/CreateAutoPredictorCommand.ts | 14 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../src/commands/CreateDatasetGroupCommand.ts | 14 +- .../commands/CreateDatasetImportJobCommand.ts | 14 +- .../commands/CreateExplainabilityCommand.ts | 14 +- .../CreateExplainabilityExportCommand.ts | 14 +- .../src/commands/CreateForecastCommand.ts | 14 +- .../CreateForecastExportJobCommand.ts | 14 +- .../src/commands/CreateMonitorCommand.ts | 14 +- ...CreatePredictorBacktestExportJobCommand.ts | 14 +- .../src/commands/CreatePredictorCommand.ts | 14 +- .../commands/CreateWhatIfAnalysisCommand.ts | 14 +- .../commands/CreateWhatIfForecastCommand.ts | 14 +- .../CreateWhatIfForecastExportCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../src/commands/DeleteDatasetGroupCommand.ts | 14 +- .../commands/DeleteDatasetImportJobCommand.ts | 14 +- .../commands/DeleteExplainabilityCommand.ts | 14 +- .../DeleteExplainabilityExportCommand.ts | 14 +- .../src/commands/DeleteForecastCommand.ts | 14 +- .../DeleteForecastExportJobCommand.ts | 14 +- .../src/commands/DeleteMonitorCommand.ts | 14 +- ...DeletePredictorBacktestExportJobCommand.ts | 14 +- .../src/commands/DeletePredictorCommand.ts | 14 +- .../src/commands/DeleteResourceTreeCommand.ts | 14 +- .../commands/DeleteWhatIfAnalysisCommand.ts | 14 +- .../commands/DeleteWhatIfForecastCommand.ts | 14 +- .../DeleteWhatIfForecastExportCommand.ts | 14 +- .../commands/DescribeAutoPredictorCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../commands/DescribeDatasetGroupCommand.ts | 14 +- .../DescribeDatasetImportJobCommand.ts | 14 +- .../commands/DescribeExplainabilityCommand.ts | 14 +- .../DescribeExplainabilityExportCommand.ts | 14 +- .../src/commands/DescribeForecastCommand.ts | 14 +- .../DescribeForecastExportJobCommand.ts | 14 +- .../src/commands/DescribeMonitorCommand.ts | 14 +- ...scribePredictorBacktestExportJobCommand.ts | 14 +- .../src/commands/DescribePredictorCommand.ts | 14 +- .../commands/DescribeWhatIfAnalysisCommand.ts | 14 +- .../commands/DescribeWhatIfForecastCommand.ts | 14 +- .../DescribeWhatIfForecastExportCommand.ts | 14 +- .../src/commands/GetAccuracyMetricsCommand.ts | 14 +- .../src/commands/ListDatasetGroupsCommand.ts | 14 +- .../commands/ListDatasetImportJobsCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../commands/ListExplainabilitiesCommand.ts | 14 +- .../ListExplainabilityExportsCommand.ts | 14 +- .../commands/ListForecastExportJobsCommand.ts | 14 +- .../src/commands/ListForecastsCommand.ts | 14 +- .../commands/ListMonitorEvaluationsCommand.ts | 14 +- .../src/commands/ListMonitorsCommand.ts | 14 +- .../ListPredictorBacktestExportJobsCommand.ts | 14 +- .../src/commands/ListPredictorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWhatIfAnalysesCommand.ts | 14 +- .../ListWhatIfForecastExportsCommand.ts | 14 +- .../commands/ListWhatIfForecastsCommand.ts | 14 +- .../src/commands/ResumeResourceCommand.ts | 14 +- .../src/commands/StopResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDatasetGroupCommand.ts | 14 +- clients/client-forecastquery/package.json | 42 +- .../src/commands/QueryForecastCommand.ts | 14 +- .../commands/QueryWhatIfForecastCommand.ts | 14 +- clients/client-frauddetector/package.json | 42 +- .../commands/BatchCreateVariableCommand.ts | 14 +- .../src/commands/BatchGetVariableCommand.ts | 14 +- .../commands/CancelBatchImportJobCommand.ts | 14 +- .../CancelBatchPredictionJobCommand.ts | 14 +- .../commands/CreateBatchImportJobCommand.ts | 14 +- .../CreateBatchPredictionJobCommand.ts | 14 +- .../commands/CreateDetectorVersionCommand.ts | 14 +- .../src/commands/CreateListCommand.ts | 14 +- .../src/commands/CreateModelCommand.ts | 14 +- .../src/commands/CreateModelVersionCommand.ts | 14 +- .../src/commands/CreateRuleCommand.ts | 14 +- .../src/commands/CreateVariableCommand.ts | 14 +- .../commands/DeleteBatchImportJobCommand.ts | 14 +- .../DeleteBatchPredictionJobCommand.ts | 14 +- .../src/commands/DeleteDetectorCommand.ts | 14 +- .../commands/DeleteDetectorVersionCommand.ts | 14 +- .../src/commands/DeleteEntityTypeCommand.ts | 14 +- .../src/commands/DeleteEventCommand.ts | 14 +- .../src/commands/DeleteEventTypeCommand.ts | 14 +- .../DeleteEventsByEventTypeCommand.ts | 14 +- .../commands/DeleteExternalModelCommand.ts | 14 +- .../src/commands/DeleteLabelCommand.ts | 14 +- .../src/commands/DeleteListCommand.ts | 14 +- .../src/commands/DeleteModelCommand.ts | 14 +- .../src/commands/DeleteModelVersionCommand.ts | 14 +- .../src/commands/DeleteOutcomeCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../src/commands/DeleteVariableCommand.ts | 14 +- .../src/commands/DescribeDetectorCommand.ts | 14 +- .../commands/DescribeModelVersionsCommand.ts | 14 +- .../src/commands/GetBatchImportJobsCommand.ts | 14 +- .../commands/GetBatchPredictionJobsCommand.ts | 14 +- ...GetDeleteEventsByEventTypeStatusCommand.ts | 14 +- .../src/commands/GetDetectorVersionCommand.ts | 14 +- .../src/commands/GetDetectorsCommand.ts | 14 +- .../src/commands/GetEntityTypesCommand.ts | 14 +- .../src/commands/GetEventCommand.ts | 14 +- .../src/commands/GetEventPredictionCommand.ts | 14 +- .../GetEventPredictionMetadataCommand.ts | 14 +- .../src/commands/GetEventTypesCommand.ts | 14 +- .../src/commands/GetExternalModelsCommand.ts | 14 +- .../commands/GetKMSEncryptionKeyCommand.ts | 14 +- .../src/commands/GetLabelsCommand.ts | 14 +- .../src/commands/GetListElementsCommand.ts | 14 +- .../src/commands/GetListsMetadataCommand.ts | 14 +- .../src/commands/GetModelVersionCommand.ts | 14 +- .../src/commands/GetModelsCommand.ts | 14 +- .../src/commands/GetOutcomesCommand.ts | 14 +- .../src/commands/GetRulesCommand.ts | 14 +- .../src/commands/GetVariablesCommand.ts | 14 +- .../commands/ListEventPredictionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutDetectorCommand.ts | 14 +- .../src/commands/PutEntityTypeCommand.ts | 14 +- .../src/commands/PutEventTypeCommand.ts | 14 +- .../src/commands/PutExternalModelCommand.ts | 14 +- .../commands/PutKMSEncryptionKeyCommand.ts | 14 +- .../src/commands/PutLabelCommand.ts | 14 +- .../src/commands/PutOutcomeCommand.ts | 14 +- .../src/commands/SendEventCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateDetectorVersionCommand.ts | 14 +- .../UpdateDetectorVersionMetadataCommand.ts | 14 +- .../UpdateDetectorVersionStatusCommand.ts | 14 +- .../src/commands/UpdateEventLabelCommand.ts | 14 +- .../src/commands/UpdateListCommand.ts | 14 +- .../src/commands/UpdateModelCommand.ts | 14 +- .../src/commands/UpdateModelVersionCommand.ts | 14 +- .../UpdateModelVersionStatusCommand.ts | 14 +- .../src/commands/UpdateRuleMetadataCommand.ts | 14 +- .../src/commands/UpdateRuleVersionCommand.ts | 14 +- .../src/commands/UpdateVariableCommand.ts | 14 +- clients/client-freetier/package.json | 42 +- .../src/commands/GetFreeTierUsageCommand.ts | 14 +- clients/client-fsx/package.json | 42 +- .../AssociateFileSystemAliasesCommand.ts | 14 +- .../CancelDataRepositoryTaskCommand.ts | 14 +- .../src/commands/CopyBackupCommand.ts | 14 +- .../CopySnapshotAndUpdateVolumeCommand.ts | 14 +- .../src/commands/CreateBackupCommand.ts | 14 +- .../CreateDataRepositoryAssociationCommand.ts | 14 +- .../CreateDataRepositoryTaskCommand.ts | 14 +- .../src/commands/CreateFileCacheCommand.ts | 14 +- .../src/commands/CreateFileSystemCommand.ts | 14 +- .../CreateFileSystemFromBackupCommand.ts | 14 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- .../CreateStorageVirtualMachineCommand.ts | 14 +- .../src/commands/CreateVolumeCommand.ts | 14 +- .../commands/CreateVolumeFromBackupCommand.ts | 14 +- .../src/commands/DeleteBackupCommand.ts | 14 +- .../DeleteDataRepositoryAssociationCommand.ts | 14 +- .../src/commands/DeleteFileCacheCommand.ts | 14 +- .../src/commands/DeleteFileSystemCommand.ts | 14 +- .../src/commands/DeleteSnapshotCommand.ts | 14 +- .../DeleteStorageVirtualMachineCommand.ts | 14 +- .../src/commands/DeleteVolumeCommand.ts | 14 +- .../src/commands/DescribeBackupsCommand.ts | 14 +- ...scribeDataRepositoryAssociationsCommand.ts | 14 +- .../DescribeDataRepositoryTasksCommand.ts | 14 +- .../src/commands/DescribeFileCachesCommand.ts | 14 +- .../DescribeFileSystemAliasesCommand.ts | 14 +- .../commands/DescribeFileSystemsCommand.ts | 14 +- .../DescribeSharedVpcConfigurationCommand.ts | 14 +- .../src/commands/DescribeSnapshotsCommand.ts | 14 +- .../DescribeStorageVirtualMachinesCommand.ts | 14 +- .../src/commands/DescribeVolumesCommand.ts | 14 +- .../DisassociateFileSystemAliasesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ReleaseFileSystemNfsV3LocksCommand.ts | 14 +- .../RestoreVolumeFromSnapshotCommand.ts | 14 +- .../StartMisconfiguredStateRecoveryCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateDataRepositoryAssociationCommand.ts | 14 +- .../src/commands/UpdateFileCacheCommand.ts | 14 +- .../src/commands/UpdateFileSystemCommand.ts | 14 +- .../UpdateSharedVpcConfigurationCommand.ts | 14 +- .../src/commands/UpdateSnapshotCommand.ts | 14 +- .../UpdateStorageVirtualMachineCommand.ts | 14 +- .../src/commands/UpdateVolumeCommand.ts | 14 +- clients/client-gamelift/package.json | 42 +- .../src/commands/AcceptMatchCommand.ts | 14 +- .../src/commands/ClaimGameServerCommand.ts | 14 +- .../src/commands/CreateAliasCommand.ts | 14 +- .../src/commands/CreateBuildCommand.ts | 14 +- .../CreateContainerGroupDefinitionCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../commands/CreateFleetLocationsCommand.ts | 14 +- .../commands/CreateGameServerGroupCommand.ts | 14 +- .../src/commands/CreateGameSessionCommand.ts | 14 +- .../commands/CreateGameSessionQueueCommand.ts | 14 +- .../src/commands/CreateLocationCommand.ts | 14 +- .../CreateMatchmakingConfigurationCommand.ts | 14 +- .../CreateMatchmakingRuleSetCommand.ts | 14 +- .../commands/CreatePlayerSessionCommand.ts | 14 +- .../commands/CreatePlayerSessionsCommand.ts | 14 +- .../src/commands/CreateScriptCommand.ts | 14 +- .../CreateVpcPeeringAuthorizationCommand.ts | 14 +- .../CreateVpcPeeringConnectionCommand.ts | 14 +- .../src/commands/DeleteAliasCommand.ts | 14 +- .../src/commands/DeleteBuildCommand.ts | 14 +- .../DeleteContainerGroupDefinitionCommand.ts | 14 +- .../src/commands/DeleteFleetCommand.ts | 14 +- .../commands/DeleteFleetLocationsCommand.ts | 14 +- .../commands/DeleteGameServerGroupCommand.ts | 14 +- .../commands/DeleteGameSessionQueueCommand.ts | 14 +- .../src/commands/DeleteLocationCommand.ts | 14 +- .../DeleteMatchmakingConfigurationCommand.ts | 14 +- .../DeleteMatchmakingRuleSetCommand.ts | 14 +- .../commands/DeleteScalingPolicyCommand.ts | 14 +- .../src/commands/DeleteScriptCommand.ts | 14 +- .../DeleteVpcPeeringAuthorizationCommand.ts | 14 +- .../DeleteVpcPeeringConnectionCommand.ts | 14 +- .../src/commands/DeregisterComputeCommand.ts | 14 +- .../commands/DeregisterGameServerCommand.ts | 14 +- .../src/commands/DescribeAliasCommand.ts | 14 +- .../src/commands/DescribeBuildCommand.ts | 14 +- .../src/commands/DescribeComputeCommand.ts | 14 +- ...DescribeContainerGroupDefinitionCommand.ts | 14 +- .../DescribeEC2InstanceLimitsCommand.ts | 14 +- .../DescribeFleetAttributesCommand.ts | 14 +- .../commands/DescribeFleetCapacityCommand.ts | 14 +- .../commands/DescribeFleetEventsCommand.ts | 14 +- .../DescribeFleetLocationAttributesCommand.ts | 14 +- .../DescribeFleetLocationCapacityCommand.ts | 14 +- ...DescribeFleetLocationUtilizationCommand.ts | 14 +- .../DescribeFleetPortSettingsCommand.ts | 14 +- .../DescribeFleetUtilizationCommand.ts | 14 +- .../src/commands/DescribeGameServerCommand.ts | 14 +- .../DescribeGameServerGroupCommand.ts | 14 +- .../DescribeGameServerInstancesCommand.ts | 14 +- .../DescribeGameSessionDetailsCommand.ts | 14 +- .../DescribeGameSessionPlacementCommand.ts | 14 +- .../DescribeGameSessionQueuesCommand.ts | 14 +- .../commands/DescribeGameSessionsCommand.ts | 14 +- .../src/commands/DescribeInstancesCommand.ts | 14 +- .../commands/DescribeMatchmakingCommand.ts | 14 +- ...escribeMatchmakingConfigurationsCommand.ts | 14 +- .../DescribeMatchmakingRuleSetsCommand.ts | 14 +- .../commands/DescribePlayerSessionsCommand.ts | 14 +- .../DescribeRuntimeConfigurationCommand.ts | 14 +- .../DescribeScalingPoliciesCommand.ts | 14 +- .../src/commands/DescribeScriptCommand.ts | 14 +- ...DescribeVpcPeeringAuthorizationsCommand.ts | 14 +- .../DescribeVpcPeeringConnectionsCommand.ts | 14 +- .../src/commands/GetComputeAccessCommand.ts | 14 +- .../commands/GetComputeAuthTokenCommand.ts | 14 +- .../commands/GetGameSessionLogUrlCommand.ts | 14 +- .../src/commands/GetInstanceAccessCommand.ts | 14 +- .../src/commands/ListAliasesCommand.ts | 14 +- .../src/commands/ListBuildsCommand.ts | 14 +- .../src/commands/ListComputeCommand.ts | 14 +- .../ListContainerGroupDefinitionsCommand.ts | 14 +- .../src/commands/ListFleetsCommand.ts | 14 +- .../commands/ListGameServerGroupsCommand.ts | 14 +- .../src/commands/ListGameServersCommand.ts | 14 +- .../src/commands/ListLocationsCommand.ts | 14 +- .../src/commands/ListScriptsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutScalingPolicyCommand.ts | 14 +- .../src/commands/RegisterComputeCommand.ts | 14 +- .../src/commands/RegisterGameServerCommand.ts | 14 +- .../RequestUploadCredentialsCommand.ts | 14 +- .../src/commands/ResolveAliasCommand.ts | 14 +- .../commands/ResumeGameServerGroupCommand.ts | 14 +- .../src/commands/SearchGameSessionsCommand.ts | 14 +- .../src/commands/StartFleetActionsCommand.ts | 14 +- .../StartGameSessionPlacementCommand.ts | 14 +- .../src/commands/StartMatchBackfillCommand.ts | 14 +- .../src/commands/StartMatchmakingCommand.ts | 14 +- .../src/commands/StopFleetActionsCommand.ts | 14 +- .../StopGameSessionPlacementCommand.ts | 14 +- .../src/commands/StopMatchmakingCommand.ts | 14 +- .../commands/SuspendGameServerGroupCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAliasCommand.ts | 14 +- .../src/commands/UpdateBuildCommand.ts | 14 +- .../commands/UpdateFleetAttributesCommand.ts | 14 +- .../commands/UpdateFleetCapacityCommand.ts | 14 +- .../UpdateFleetPortSettingsCommand.ts | 14 +- .../src/commands/UpdateGameServerCommand.ts | 14 +- .../commands/UpdateGameServerGroupCommand.ts | 14 +- .../src/commands/UpdateGameSessionCommand.ts | 14 +- .../commands/UpdateGameSessionQueueCommand.ts | 14 +- .../UpdateMatchmakingConfigurationCommand.ts | 14 +- .../UpdateRuntimeConfigurationCommand.ts | 14 +- .../src/commands/UpdateScriptCommand.ts | 14 +- .../ValidateMatchmakingRuleSetCommand.ts | 14 +- clients/client-glacier/package.json | 46 +- .../commands/AbortMultipartUploadCommand.ts | 14 +- .../src/commands/AbortVaultLockCommand.ts | 14 +- .../src/commands/AddTagsToVaultCommand.ts | 14 +- .../CompleteMultipartUploadCommand.ts | 14 +- .../src/commands/CompleteVaultLockCommand.ts | 14 +- .../src/commands/CreateVaultCommand.ts | 14 +- .../src/commands/DeleteArchiveCommand.ts | 14 +- .../DeleteVaultAccessPolicyCommand.ts | 14 +- .../src/commands/DeleteVaultCommand.ts | 14 +- .../DeleteVaultNotificationsCommand.ts | 14 +- .../src/commands/DescribeJobCommand.ts | 14 +- .../src/commands/DescribeVaultCommand.ts | 14 +- .../commands/GetDataRetrievalPolicyCommand.ts | 14 +- .../src/commands/GetJobOutputCommand.ts | 14 +- .../commands/GetVaultAccessPolicyCommand.ts | 14 +- .../src/commands/GetVaultLockCommand.ts | 14 +- .../commands/GetVaultNotificationsCommand.ts | 14 +- .../src/commands/InitiateJobCommand.ts | 14 +- .../InitiateMultipartUploadCommand.ts | 14 +- .../src/commands/InitiateVaultLockCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../commands/ListMultipartUploadsCommand.ts | 14 +- .../src/commands/ListPartsCommand.ts | 14 +- .../ListProvisionedCapacityCommand.ts | 14 +- .../src/commands/ListTagsForVaultCommand.ts | 14 +- .../src/commands/ListVaultsCommand.ts | 14 +- .../PurchaseProvisionedCapacityCommand.ts | 14 +- .../commands/RemoveTagsFromVaultCommand.ts | 14 +- .../commands/SetDataRetrievalPolicyCommand.ts | 14 +- .../commands/SetVaultAccessPolicyCommand.ts | 14 +- .../commands/SetVaultNotificationsCommand.ts | 14 +- .../src/commands/UploadArchiveCommand.ts | 14 +- .../commands/UploadMultipartPartCommand.ts | 14 +- .../client-global-accelerator/package.json | 42 +- .../AddCustomRoutingEndpointsCommand.ts | 14 +- .../src/commands/AddEndpointsCommand.ts | 14 +- .../src/commands/AdvertiseByoipCidrCommand.ts | 14 +- .../AllowCustomRoutingTrafficCommand.ts | 14 +- .../src/commands/CreateAcceleratorCommand.ts | 14 +- .../CreateCrossAccountAttachmentCommand.ts | 14 +- .../CreateCustomRoutingAcceleratorCommand.ts | 14 +- ...CreateCustomRoutingEndpointGroupCommand.ts | 14 +- .../CreateCustomRoutingListenerCommand.ts | 14 +- .../commands/CreateEndpointGroupCommand.ts | 14 +- .../src/commands/CreateListenerCommand.ts | 14 +- .../src/commands/DeleteAcceleratorCommand.ts | 14 +- .../DeleteCrossAccountAttachmentCommand.ts | 14 +- .../DeleteCustomRoutingAcceleratorCommand.ts | 14 +- ...DeleteCustomRoutingEndpointGroupCommand.ts | 14 +- .../DeleteCustomRoutingListenerCommand.ts | 14 +- .../commands/DeleteEndpointGroupCommand.ts | 14 +- .../src/commands/DeleteListenerCommand.ts | 14 +- .../DenyCustomRoutingTrafficCommand.ts | 14 +- .../commands/DeprovisionByoipCidrCommand.ts | 14 +- .../DescribeAcceleratorAttributesCommand.ts | 14 +- .../commands/DescribeAcceleratorCommand.ts | 14 +- .../DescribeCrossAccountAttachmentCommand.ts | 14 +- ...stomRoutingAcceleratorAttributesCommand.ts | 14 +- ...DescribeCustomRoutingAcceleratorCommand.ts | 14 +- ...scribeCustomRoutingEndpointGroupCommand.ts | 14 +- .../DescribeCustomRoutingListenerCommand.ts | 14 +- .../commands/DescribeEndpointGroupCommand.ts | 14 +- .../src/commands/DescribeListenerCommand.ts | 14 +- .../src/commands/ListAcceleratorsCommand.ts | 14 +- .../src/commands/ListByoipCidrsCommand.ts | 14 +- .../ListCrossAccountAttachmentsCommand.ts | 14 +- ...ListCrossAccountResourceAccountsCommand.ts | 14 +- .../ListCrossAccountResourcesCommand.ts | 14 +- .../ListCustomRoutingAcceleratorsCommand.ts | 14 +- .../ListCustomRoutingEndpointGroupsCommand.ts | 14 +- .../ListCustomRoutingListenersCommand.ts | 14 +- ...RoutingPortMappingsByDestinationCommand.ts | 14 +- .../ListCustomRoutingPortMappingsCommand.ts | 14 +- .../src/commands/ListEndpointGroupsCommand.ts | 14 +- .../src/commands/ListListenersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ProvisionByoipCidrCommand.ts | 14 +- .../RemoveCustomRoutingEndpointsCommand.ts | 14 +- .../src/commands/RemoveEndpointsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAcceleratorAttributesCommand.ts | 14 +- .../src/commands/UpdateAcceleratorCommand.ts | 14 +- .../UpdateCrossAccountAttachmentCommand.ts | 14 +- ...stomRoutingAcceleratorAttributesCommand.ts | 14 +- .../UpdateCustomRoutingAcceleratorCommand.ts | 14 +- .../UpdateCustomRoutingListenerCommand.ts | 14 +- .../commands/UpdateEndpointGroupCommand.ts | 14 +- .../src/commands/UpdateListenerCommand.ts | 14 +- .../src/commands/WithdrawByoipCidrCommand.ts | 14 +- clients/client-glue/package.json | 42 +- .../commands/BatchCreatePartitionCommand.ts | 14 +- .../commands/BatchDeleteConnectionCommand.ts | 14 +- .../commands/BatchDeletePartitionCommand.ts | 14 +- .../src/commands/BatchDeleteTableCommand.ts | 14 +- .../BatchDeleteTableVersionCommand.ts | 14 +- .../src/commands/BatchGetBlueprintsCommand.ts | 14 +- .../src/commands/BatchGetCrawlersCommand.ts | 14 +- .../BatchGetCustomEntityTypesCommand.ts | 14 +- .../BatchGetDataQualityResultCommand.ts | 14 +- .../commands/BatchGetDevEndpointsCommand.ts | 14 +- .../src/commands/BatchGetJobsCommand.ts | 14 +- .../src/commands/BatchGetPartitionCommand.ts | 14 +- .../commands/BatchGetTableOptimizerCommand.ts | 14 +- .../src/commands/BatchGetTriggersCommand.ts | 14 +- .../src/commands/BatchGetWorkflowsCommand.ts | 14 +- ...utDataQualityStatisticAnnotationCommand.ts | 14 +- .../src/commands/BatchStopJobRunCommand.ts | 14 +- .../commands/BatchUpdatePartitionCommand.ts | 14 +- ...DataQualityRuleRecommendationRunCommand.ts | 14 +- ...lDataQualityRulesetEvaluationRunCommand.ts | 14 +- .../src/commands/CancelMLTaskRunCommand.ts | 14 +- .../src/commands/CancelStatementCommand.ts | 14 +- .../CheckSchemaVersionValidityCommand.ts | 14 +- .../src/commands/CreateBlueprintCommand.ts | 14 +- .../src/commands/CreateClassifierCommand.ts | 14 +- .../src/commands/CreateConnectionCommand.ts | 14 +- .../src/commands/CreateCrawlerCommand.ts | 14 +- .../commands/CreateCustomEntityTypeCommand.ts | 14 +- .../CreateDataQualityRulesetCommand.ts | 14 +- .../src/commands/CreateDatabaseCommand.ts | 14 +- .../src/commands/CreateDevEndpointCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../src/commands/CreateMLTransformCommand.ts | 14 +- .../src/commands/CreatePartitionCommand.ts | 14 +- .../commands/CreatePartitionIndexCommand.ts | 14 +- .../src/commands/CreateRegistryCommand.ts | 14 +- .../src/commands/CreateSchemaCommand.ts | 14 +- .../src/commands/CreateScriptCommand.ts | 14 +- .../CreateSecurityConfigurationCommand.ts | 14 +- .../src/commands/CreateSessionCommand.ts | 14 +- .../src/commands/CreateTableCommand.ts | 14 +- .../commands/CreateTableOptimizerCommand.ts | 14 +- .../src/commands/CreateTriggerCommand.ts | 14 +- .../src/commands/CreateUsageProfileCommand.ts | 14 +- .../CreateUserDefinedFunctionCommand.ts | 14 +- .../src/commands/CreateWorkflowCommand.ts | 14 +- .../src/commands/DeleteBlueprintCommand.ts | 14 +- .../src/commands/DeleteClassifierCommand.ts | 14 +- ...leteColumnStatisticsForPartitionCommand.ts | 14 +- .../DeleteColumnStatisticsForTableCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/DeleteCrawlerCommand.ts | 14 +- .../commands/DeleteCustomEntityTypeCommand.ts | 14 +- .../DeleteDataQualityRulesetCommand.ts | 14 +- .../src/commands/DeleteDatabaseCommand.ts | 14 +- .../src/commands/DeleteDevEndpointCommand.ts | 14 +- .../src/commands/DeleteJobCommand.ts | 14 +- .../src/commands/DeleteMLTransformCommand.ts | 14 +- .../src/commands/DeletePartitionCommand.ts | 14 +- .../commands/DeletePartitionIndexCommand.ts | 14 +- .../src/commands/DeleteRegistryCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteSchemaCommand.ts | 14 +- .../commands/DeleteSchemaVersionsCommand.ts | 14 +- .../DeleteSecurityConfigurationCommand.ts | 14 +- .../src/commands/DeleteSessionCommand.ts | 14 +- .../src/commands/DeleteTableCommand.ts | 14 +- .../commands/DeleteTableOptimizerCommand.ts | 14 +- .../src/commands/DeleteTableVersionCommand.ts | 14 +- .../src/commands/DeleteTriggerCommand.ts | 14 +- .../src/commands/DeleteUsageProfileCommand.ts | 14 +- .../DeleteUserDefinedFunctionCommand.ts | 14 +- .../src/commands/DeleteWorkflowCommand.ts | 14 +- .../src/commands/GetBlueprintCommand.ts | 14 +- .../src/commands/GetBlueprintRunCommand.ts | 14 +- .../src/commands/GetBlueprintRunsCommand.ts | 14 +- .../commands/GetCatalogImportStatusCommand.ts | 14 +- .../src/commands/GetClassifierCommand.ts | 14 +- .../src/commands/GetClassifiersCommand.ts | 14 +- .../GetColumnStatisticsForPartitionCommand.ts | 14 +- .../GetColumnStatisticsForTableCommand.ts | 14 +- .../GetColumnStatisticsTaskRunCommand.ts | 14 +- .../GetColumnStatisticsTaskRunsCommand.ts | 14 +- .../src/commands/GetConnectionCommand.ts | 14 +- .../src/commands/GetConnectionsCommand.ts | 14 +- .../src/commands/GetCrawlerCommand.ts | 14 +- .../src/commands/GetCrawlerMetricsCommand.ts | 14 +- .../src/commands/GetCrawlersCommand.ts | 14 +- .../commands/GetCustomEntityTypeCommand.ts | 14 +- ...GetDataCatalogEncryptionSettingsCommand.ts | 14 +- .../commands/GetDataQualityModelCommand.ts | 14 +- .../GetDataQualityModelResultCommand.ts | 14 +- .../commands/GetDataQualityResultCommand.ts | 14 +- ...DataQualityRuleRecommendationRunCommand.ts | 14 +- .../commands/GetDataQualityRulesetCommand.ts | 14 +- ...tDataQualityRulesetEvaluationRunCommand.ts | 14 +- .../src/commands/GetDatabaseCommand.ts | 14 +- .../src/commands/GetDatabasesCommand.ts | 14 +- .../src/commands/GetDataflowGraphCommand.ts | 14 +- .../src/commands/GetDevEndpointCommand.ts | 14 +- .../src/commands/GetDevEndpointsCommand.ts | 14 +- .../src/commands/GetJobBookmarkCommand.ts | 14 +- .../client-glue/src/commands/GetJobCommand.ts | 14 +- .../src/commands/GetJobRunCommand.ts | 14 +- .../src/commands/GetJobRunsCommand.ts | 14 +- .../src/commands/GetJobsCommand.ts | 14 +- .../src/commands/GetMLTaskRunCommand.ts | 14 +- .../src/commands/GetMLTaskRunsCommand.ts | 14 +- .../src/commands/GetMLTransformCommand.ts | 14 +- .../src/commands/GetMLTransformsCommand.ts | 14 +- .../src/commands/GetMappingCommand.ts | 14 +- .../src/commands/GetPartitionCommand.ts | 14 +- .../commands/GetPartitionIndexesCommand.ts | 14 +- .../src/commands/GetPartitionsCommand.ts | 14 +- .../src/commands/GetPlanCommand.ts | 14 +- .../src/commands/GetRegistryCommand.ts | 14 +- .../commands/GetResourcePoliciesCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../commands/GetSchemaByDefinitionCommand.ts | 14 +- .../src/commands/GetSchemaCommand.ts | 14 +- .../src/commands/GetSchemaVersionCommand.ts | 14 +- .../commands/GetSchemaVersionsDiffCommand.ts | 14 +- .../GetSecurityConfigurationCommand.ts | 14 +- .../GetSecurityConfigurationsCommand.ts | 14 +- .../src/commands/GetSessionCommand.ts | 14 +- .../src/commands/GetStatementCommand.ts | 14 +- .../src/commands/GetTableCommand.ts | 14 +- .../src/commands/GetTableOptimizerCommand.ts | 14 +- .../src/commands/GetTableVersionCommand.ts | 14 +- .../src/commands/GetTableVersionsCommand.ts | 14 +- .../src/commands/GetTablesCommand.ts | 14 +- .../src/commands/GetTagsCommand.ts | 14 +- .../src/commands/GetTriggerCommand.ts | 14 +- .../src/commands/GetTriggersCommand.ts | 14 +- .../GetUnfilteredPartitionMetadataCommand.ts | 14 +- .../GetUnfilteredPartitionsMetadataCommand.ts | 14 +- .../GetUnfilteredTableMetadataCommand.ts | 14 +- .../src/commands/GetUsageProfileCommand.ts | 14 +- .../commands/GetUserDefinedFunctionCommand.ts | 14 +- .../GetUserDefinedFunctionsCommand.ts | 14 +- .../src/commands/GetWorkflowCommand.ts | 14 +- .../src/commands/GetWorkflowRunCommand.ts | 14 +- .../GetWorkflowRunPropertiesCommand.ts | 14 +- .../src/commands/GetWorkflowRunsCommand.ts | 14 +- .../commands/ImportCatalogToGlueCommand.ts | 14 +- .../src/commands/ListBlueprintsCommand.ts | 14 +- .../ListColumnStatisticsTaskRunsCommand.ts | 14 +- .../src/commands/ListCrawlersCommand.ts | 14 +- .../src/commands/ListCrawlsCommand.ts | 14 +- .../commands/ListCustomEntityTypesCommand.ts | 14 +- .../commands/ListDataQualityResultsCommand.ts | 14 +- ...ataQualityRuleRecommendationRunsCommand.ts | 14 +- ...DataQualityRulesetEvaluationRunsCommand.ts | 14 +- .../ListDataQualityRulesetsCommand.ts | 14 +- ...tDataQualityStatisticAnnotationsCommand.ts | 14 +- .../ListDataQualityStatisticsCommand.ts | 14 +- .../src/commands/ListDevEndpointsCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../src/commands/ListMLTransformsCommand.ts | 14 +- .../src/commands/ListRegistriesCommand.ts | 14 +- .../src/commands/ListSchemaVersionsCommand.ts | 14 +- .../src/commands/ListSchemasCommand.ts | 14 +- .../src/commands/ListSessionsCommand.ts | 14 +- .../src/commands/ListStatementsCommand.ts | 14 +- .../commands/ListTableOptimizerRunsCommand.ts | 14 +- .../src/commands/ListTriggersCommand.ts | 14 +- .../src/commands/ListUsageProfilesCommand.ts | 14 +- .../src/commands/ListWorkflowsCommand.ts | 14 +- ...PutDataCatalogEncryptionSettingsCommand.ts | 14 +- .../PutDataQualityProfileAnnotationCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../PutSchemaVersionMetadataCommand.ts | 14 +- .../PutWorkflowRunPropertiesCommand.ts | 14 +- .../QuerySchemaVersionMetadataCommand.ts | 14 +- .../commands/RegisterSchemaVersionCommand.ts | 14 +- .../RemoveSchemaVersionMetadataCommand.ts | 14 +- .../src/commands/ResetJobBookmarkCommand.ts | 14 +- .../src/commands/ResumeWorkflowRunCommand.ts | 14 +- .../src/commands/RunStatementCommand.ts | 14 +- .../src/commands/SearchTablesCommand.ts | 14 +- .../src/commands/StartBlueprintRunCommand.ts | 14 +- .../StartColumnStatisticsTaskRunCommand.ts | 14 +- .../src/commands/StartCrawlerCommand.ts | 14 +- .../commands/StartCrawlerScheduleCommand.ts | 14 +- ...DataQualityRuleRecommendationRunCommand.ts | 14 +- ...tDataQualityRulesetEvaluationRunCommand.ts | 14 +- .../StartExportLabelsTaskRunCommand.ts | 14 +- .../StartImportLabelsTaskRunCommand.ts | 14 +- .../src/commands/StartJobRunCommand.ts | 14 +- .../StartMLEvaluationTaskRunCommand.ts | 14 +- ...rtMLLabelingSetGenerationTaskRunCommand.ts | 14 +- .../src/commands/StartTriggerCommand.ts | 14 +- .../src/commands/StartWorkflowRunCommand.ts | 14 +- .../StopColumnStatisticsTaskRunCommand.ts | 14 +- .../src/commands/StopCrawlerCommand.ts | 14 +- .../commands/StopCrawlerScheduleCommand.ts | 14 +- .../src/commands/StopSessionCommand.ts | 14 +- .../src/commands/StopTriggerCommand.ts | 14 +- .../src/commands/StopWorkflowRunCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBlueprintCommand.ts | 14 +- .../src/commands/UpdateClassifierCommand.ts | 14 +- ...dateColumnStatisticsForPartitionCommand.ts | 14 +- .../UpdateColumnStatisticsForTableCommand.ts | 14 +- .../src/commands/UpdateConnectionCommand.ts | 14 +- .../src/commands/UpdateCrawlerCommand.ts | 14 +- .../commands/UpdateCrawlerScheduleCommand.ts | 14 +- .../UpdateDataQualityRulesetCommand.ts | 14 +- .../src/commands/UpdateDatabaseCommand.ts | 14 +- .../src/commands/UpdateDevEndpointCommand.ts | 14 +- .../src/commands/UpdateJobCommand.ts | 14 +- .../UpdateJobFromSourceControlCommand.ts | 14 +- .../src/commands/UpdateMLTransformCommand.ts | 14 +- .../src/commands/UpdatePartitionCommand.ts | 14 +- .../src/commands/UpdateRegistryCommand.ts | 14 +- .../src/commands/UpdateSchemaCommand.ts | 14 +- .../UpdateSourceControlFromJobCommand.ts | 14 +- .../src/commands/UpdateTableCommand.ts | 14 +- .../commands/UpdateTableOptimizerCommand.ts | 14 +- .../src/commands/UpdateTriggerCommand.ts | 14 +- .../src/commands/UpdateUsageProfileCommand.ts | 14 +- .../UpdateUserDefinedFunctionCommand.ts | 14 +- .../src/commands/UpdateWorkflowCommand.ts | 14 +- clients/client-grafana/package.json | 42 +- .../src/commands/AssociateLicenseCommand.ts | 14 +- .../commands/CreateWorkspaceApiKeyCommand.ts | 14 +- .../src/commands/CreateWorkspaceCommand.ts | 14 +- .../CreateWorkspaceServiceAccountCommand.ts | 14 +- ...eateWorkspaceServiceAccountTokenCommand.ts | 14 +- .../commands/DeleteWorkspaceApiKeyCommand.ts | 14 +- .../src/commands/DeleteWorkspaceCommand.ts | 14 +- .../DeleteWorkspaceServiceAccountCommand.ts | 14 +- ...leteWorkspaceServiceAccountTokenCommand.ts | 14 +- .../DescribeWorkspaceAuthenticationCommand.ts | 14 +- .../src/commands/DescribeWorkspaceCommand.ts | 14 +- .../DescribeWorkspaceConfigurationCommand.ts | 14 +- .../commands/DisassociateLicenseCommand.ts | 14 +- .../src/commands/ListPermissionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListVersionsCommand.ts | 14 +- ...istWorkspaceServiceAccountTokensCommand.ts | 14 +- .../ListWorkspaceServiceAccountsCommand.ts | 14 +- .../src/commands/ListWorkspacesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdatePermissionsCommand.ts | 14 +- .../UpdateWorkspaceAuthenticationCommand.ts | 14 +- .../src/commands/UpdateWorkspaceCommand.ts | 14 +- .../UpdateWorkspaceConfigurationCommand.ts | 14 +- clients/client-greengrass/package.json | 42 +- .../commands/AssociateRoleToGroupCommand.ts | 14 +- .../AssociateServiceRoleToAccountCommand.ts | 14 +- .../CreateConnectorDefinitionCommand.ts | 14 +- ...CreateConnectorDefinitionVersionCommand.ts | 14 +- .../commands/CreateCoreDefinitionCommand.ts | 14 +- .../CreateCoreDefinitionVersionCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../commands/CreateDeviceDefinitionCommand.ts | 14 +- .../CreateDeviceDefinitionVersionCommand.ts | 14 +- .../CreateFunctionDefinitionCommand.ts | 14 +- .../CreateFunctionDefinitionVersionCommand.ts | 14 +- .../CreateGroupCertificateAuthorityCommand.ts | 14 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../src/commands/CreateGroupVersionCommand.ts | 14 +- .../commands/CreateLoggerDefinitionCommand.ts | 14 +- .../CreateLoggerDefinitionVersionCommand.ts | 14 +- .../CreateResourceDefinitionCommand.ts | 14 +- .../CreateResourceDefinitionVersionCommand.ts | 14 +- .../CreateSoftwareUpdateJobCommand.ts | 14 +- .../CreateSubscriptionDefinitionCommand.ts | 14 +- ...ateSubscriptionDefinitionVersionCommand.ts | 14 +- .../DeleteConnectorDefinitionCommand.ts | 14 +- .../commands/DeleteCoreDefinitionCommand.ts | 14 +- .../commands/DeleteDeviceDefinitionCommand.ts | 14 +- .../DeleteFunctionDefinitionCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../commands/DeleteLoggerDefinitionCommand.ts | 14 +- .../DeleteResourceDefinitionCommand.ts | 14 +- .../DeleteSubscriptionDefinitionCommand.ts | 14 +- .../DisassociateRoleFromGroupCommand.ts | 14 +- ...sassociateServiceRoleFromAccountCommand.ts | 14 +- .../src/commands/GetAssociatedRoleCommand.ts | 14 +- .../GetBulkDeploymentStatusCommand.ts | 14 +- .../commands/GetConnectivityInfoCommand.ts | 14 +- .../commands/GetConnectorDefinitionCommand.ts | 14 +- .../GetConnectorDefinitionVersionCommand.ts | 14 +- .../src/commands/GetCoreDefinitionCommand.ts | 14 +- .../GetCoreDefinitionVersionCommand.ts | 14 +- .../commands/GetDeploymentStatusCommand.ts | 14 +- .../commands/GetDeviceDefinitionCommand.ts | 14 +- .../GetDeviceDefinitionVersionCommand.ts | 14 +- .../commands/GetFunctionDefinitionCommand.ts | 14 +- .../GetFunctionDefinitionVersionCommand.ts | 14 +- .../GetGroupCertificateAuthorityCommand.ts | 14 +- ...GetGroupCertificateConfigurationCommand.ts | 14 +- .../src/commands/GetGroupCommand.ts | 14 +- .../src/commands/GetGroupVersionCommand.ts | 14 +- .../commands/GetLoggerDefinitionCommand.ts | 14 +- .../GetLoggerDefinitionVersionCommand.ts | 14 +- .../commands/GetResourceDefinitionCommand.ts | 14 +- .../GetResourceDefinitionVersionCommand.ts | 14 +- .../GetServiceRoleForAccountCommand.ts | 14 +- .../GetSubscriptionDefinitionCommand.ts | 14 +- ...GetSubscriptionDefinitionVersionCommand.ts | 14 +- .../GetThingRuntimeConfigurationCommand.ts | 14 +- ...istBulkDeploymentDetailedReportsCommand.ts | 14 +- .../commands/ListBulkDeploymentsCommand.ts | 14 +- .../ListConnectorDefinitionVersionsCommand.ts | 14 +- .../ListConnectorDefinitionsCommand.ts | 14 +- .../ListCoreDefinitionVersionsCommand.ts | 14 +- .../commands/ListCoreDefinitionsCommand.ts | 14 +- .../src/commands/ListDeploymentsCommand.ts | 14 +- .../ListDeviceDefinitionVersionsCommand.ts | 14 +- .../commands/ListDeviceDefinitionsCommand.ts | 14 +- .../ListFunctionDefinitionVersionsCommand.ts | 14 +- .../ListFunctionDefinitionsCommand.ts | 14 +- .../ListGroupCertificateAuthoritiesCommand.ts | 14 +- .../src/commands/ListGroupVersionsCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../ListLoggerDefinitionVersionsCommand.ts | 14 +- .../commands/ListLoggerDefinitionsCommand.ts | 14 +- .../ListResourceDefinitionVersionsCommand.ts | 14 +- .../ListResourceDefinitionsCommand.ts | 14 +- ...stSubscriptionDefinitionVersionsCommand.ts | 14 +- .../ListSubscriptionDefinitionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ResetDeploymentsCommand.ts | 14 +- .../commands/StartBulkDeploymentCommand.ts | 14 +- .../src/commands/StopBulkDeploymentCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateConnectivityInfoCommand.ts | 14 +- .../UpdateConnectorDefinitionCommand.ts | 14 +- .../commands/UpdateCoreDefinitionCommand.ts | 14 +- .../commands/UpdateDeviceDefinitionCommand.ts | 14 +- .../UpdateFunctionDefinitionCommand.ts | 14 +- ...ateGroupCertificateConfigurationCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../commands/UpdateLoggerDefinitionCommand.ts | 14 +- .../UpdateResourceDefinitionCommand.ts | 14 +- .../UpdateSubscriptionDefinitionCommand.ts | 14 +- .../UpdateThingRuntimeConfigurationCommand.ts | 14 +- clients/client-greengrassv2/package.json | 42 +- .../AssociateServiceRoleToAccountCommand.ts | 14 +- ...ociateClientDeviceWithCoreDeviceCommand.ts | 14 +- ...ociateClientDeviceFromCoreDeviceCommand.ts | 14 +- .../src/commands/CancelDeploymentCommand.ts | 14 +- .../commands/CreateComponentVersionCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../src/commands/DeleteComponentCommand.ts | 14 +- .../src/commands/DeleteCoreDeviceCommand.ts | 14 +- .../src/commands/DeleteDeploymentCommand.ts | 14 +- .../src/commands/DescribeComponentCommand.ts | 14 +- ...sassociateServiceRoleFromAccountCommand.ts | 14 +- .../src/commands/GetComponentCommand.ts | 14 +- .../GetComponentVersionArtifactCommand.ts | 14 +- .../commands/GetConnectivityInfoCommand.ts | 14 +- .../src/commands/GetCoreDeviceCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../GetServiceRoleForAccountCommand.ts | 14 +- ...tDevicesAssociatedWithCoreDeviceCommand.ts | 14 +- .../commands/ListComponentVersionsCommand.ts | 14 +- .../src/commands/ListComponentsCommand.ts | 14 +- .../src/commands/ListCoreDevicesCommand.ts | 14 +- .../src/commands/ListDeploymentsCommand.ts | 14 +- .../ListEffectiveDeploymentsCommand.ts | 14 +- .../ListInstalledComponentsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ResolveComponentCandidatesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateConnectivityInfoCommand.ts | 14 +- clients/client-groundstation/package.json | 44 +- .../src/commands/CancelContactCommand.ts | 14 +- .../src/commands/CreateConfigCommand.ts | 14 +- .../CreateDataflowEndpointGroupCommand.ts | 14 +- .../src/commands/CreateEphemerisCommand.ts | 14 +- .../commands/CreateMissionProfileCommand.ts | 14 +- .../src/commands/DeleteConfigCommand.ts | 14 +- .../DeleteDataflowEndpointGroupCommand.ts | 14 +- .../src/commands/DeleteEphemerisCommand.ts | 14 +- .../commands/DeleteMissionProfileCommand.ts | 14 +- .../src/commands/DescribeContactCommand.ts | 14 +- .../src/commands/DescribeEphemerisCommand.ts | 14 +- .../commands/GetAgentConfigurationCommand.ts | 14 +- .../src/commands/GetConfigCommand.ts | 14 +- .../GetDataflowEndpointGroupCommand.ts | 14 +- .../src/commands/GetMinuteUsageCommand.ts | 14 +- .../src/commands/GetMissionProfileCommand.ts | 14 +- .../src/commands/GetSatelliteCommand.ts | 14 +- .../src/commands/ListConfigsCommand.ts | 14 +- .../src/commands/ListContactsCommand.ts | 14 +- .../ListDataflowEndpointGroupsCommand.ts | 14 +- .../src/commands/ListEphemeridesCommand.ts | 14 +- .../src/commands/ListGroundStationsCommand.ts | 14 +- .../commands/ListMissionProfilesCommand.ts | 14 +- .../src/commands/ListSatellitesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RegisterAgentCommand.ts | 14 +- .../src/commands/ReserveContactCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAgentStatusCommand.ts | 14 +- .../src/commands/UpdateConfigCommand.ts | 14 +- .../src/commands/UpdateEphemerisCommand.ts | 14 +- .../commands/UpdateMissionProfileCommand.ts | 14 +- clients/client-guardduty/package.json | 42 +- .../AcceptAdministratorInvitationCommand.ts | 14 +- .../src/commands/AcceptInvitationCommand.ts | 14 +- .../src/commands/ArchiveFindingsCommand.ts | 14 +- .../src/commands/CreateDetectorCommand.ts | 14 +- .../src/commands/CreateFilterCommand.ts | 14 +- .../src/commands/CreateIPSetCommand.ts | 14 +- .../CreateMalwareProtectionPlanCommand.ts | 14 +- .../src/commands/CreateMembersCommand.ts | 14 +- .../CreatePublishingDestinationCommand.ts | 14 +- .../commands/CreateSampleFindingsCommand.ts | 14 +- .../commands/CreateThreatIntelSetCommand.ts | 14 +- .../src/commands/DeclineInvitationsCommand.ts | 14 +- .../src/commands/DeleteDetectorCommand.ts | 14 +- .../src/commands/DeleteFilterCommand.ts | 14 +- .../src/commands/DeleteIPSetCommand.ts | 14 +- .../src/commands/DeleteInvitationsCommand.ts | 14 +- .../DeleteMalwareProtectionPlanCommand.ts | 14 +- .../src/commands/DeleteMembersCommand.ts | 14 +- .../DeletePublishingDestinationCommand.ts | 14 +- .../commands/DeleteThreatIntelSetCommand.ts | 14 +- .../commands/DescribeMalwareScansCommand.ts | 14 +- ...escribeOrganizationConfigurationCommand.ts | 14 +- .../DescribePublishingDestinationCommand.ts | 14 +- .../DisableOrganizationAdminAccountCommand.ts | 14 +- ...ssociateFromAdministratorAccountCommand.ts | 14 +- .../DisassociateFromMasterAccountCommand.ts | 14 +- .../commands/DisassociateMembersCommand.ts | 14 +- .../EnableOrganizationAdminAccountCommand.ts | 14 +- .../GetAdministratorAccountCommand.ts | 14 +- .../commands/GetCoverageStatisticsCommand.ts | 14 +- .../src/commands/GetDetectorCommand.ts | 14 +- .../src/commands/GetFilterCommand.ts | 14 +- .../src/commands/GetFindingsCommand.ts | 14 +- .../commands/GetFindingsStatisticsCommand.ts | 14 +- .../src/commands/GetIPSetCommand.ts | 14 +- .../commands/GetInvitationsCountCommand.ts | 14 +- .../GetMalwareProtectionPlanCommand.ts | 14 +- .../commands/GetMalwareScanSettingsCommand.ts | 14 +- .../src/commands/GetMasterAccountCommand.ts | 14 +- .../src/commands/GetMemberDetectorsCommand.ts | 14 +- .../src/commands/GetMembersCommand.ts | 14 +- .../GetOrganizationStatisticsCommand.ts | 14 +- .../GetRemainingFreeTrialDaysCommand.ts | 14 +- .../src/commands/GetThreatIntelSetCommand.ts | 14 +- .../src/commands/GetUsageStatisticsCommand.ts | 14 +- .../src/commands/InviteMembersCommand.ts | 14 +- .../src/commands/ListCoverageCommand.ts | 14 +- .../src/commands/ListDetectorsCommand.ts | 14 +- .../src/commands/ListFiltersCommand.ts | 14 +- .../src/commands/ListFindingsCommand.ts | 14 +- .../src/commands/ListIPSetsCommand.ts | 14 +- .../src/commands/ListInvitationsCommand.ts | 14 +- .../ListMalwareProtectionPlansCommand.ts | 14 +- .../src/commands/ListMembersCommand.ts | 14 +- .../ListOrganizationAdminAccountsCommand.ts | 14 +- .../ListPublishingDestinationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListThreatIntelSetsCommand.ts | 14 +- .../src/commands/StartMalwareScanCommand.ts | 14 +- .../commands/StartMonitoringMembersCommand.ts | 14 +- .../commands/StopMonitoringMembersCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UnarchiveFindingsCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDetectorCommand.ts | 14 +- .../src/commands/UpdateFilterCommand.ts | 14 +- .../commands/UpdateFindingsFeedbackCommand.ts | 14 +- .../src/commands/UpdateIPSetCommand.ts | 14 +- .../UpdateMalwareProtectionPlanCommand.ts | 14 +- .../UpdateMalwareScanSettingsCommand.ts | 14 +- .../commands/UpdateMemberDetectorsCommand.ts | 14 +- .../UpdateOrganizationConfigurationCommand.ts | 14 +- .../UpdatePublishingDestinationCommand.ts | 14 +- .../commands/UpdateThreatIntelSetCommand.ts | 14 +- clients/client-health/package.json | 42 +- ...eAffectedAccountsForOrganizationCommand.ts | 14 +- .../DescribeAffectedEntitiesCommand.ts | 14 +- ...eAffectedEntitiesForOrganizationCommand.ts | 14 +- .../DescribeEntityAggregatesCommand.ts | 14 +- ...eEntityAggregatesForOrganizationCommand.ts | 14 +- .../DescribeEventAggregatesCommand.ts | 14 +- .../commands/DescribeEventDetailsCommand.ts | 14 +- ...cribeEventDetailsForOrganizationCommand.ts | 14 +- .../src/commands/DescribeEventTypesCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../DescribeEventsForOrganizationCommand.ts | 14 +- ...althServiceStatusForOrganizationCommand.ts | 14 +- ...althServiceAccessForOrganizationCommand.ts | 14 +- ...althServiceAccessForOrganizationCommand.ts | 14 +- clients/client-healthlake/package.json | 42 +- .../commands/CreateFHIRDatastoreCommand.ts | 14 +- .../commands/DeleteFHIRDatastoreCommand.ts | 14 +- .../commands/DescribeFHIRDatastoreCommand.ts | 14 +- .../commands/DescribeFHIRExportJobCommand.ts | 14 +- .../commands/DescribeFHIRImportJobCommand.ts | 14 +- .../src/commands/ListFHIRDatastoresCommand.ts | 14 +- .../src/commands/ListFHIRExportJobsCommand.ts | 14 +- .../src/commands/ListFHIRImportJobsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartFHIRExportJobCommand.ts | 14 +- .../src/commands/StartFHIRImportJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-iam/package.json | 44 +- ...dClientIDToOpenIDConnectProviderCommand.ts | 14 +- .../AddRoleToInstanceProfileCommand.ts | 14 +- .../src/commands/AddUserToGroupCommand.ts | 14 +- .../src/commands/AttachGroupPolicyCommand.ts | 14 +- .../src/commands/AttachRolePolicyCommand.ts | 14 +- .../src/commands/AttachUserPolicyCommand.ts | 14 +- .../src/commands/ChangePasswordCommand.ts | 14 +- .../src/commands/CreateAccessKeyCommand.ts | 14 +- .../src/commands/CreateAccountAliasCommand.ts | 14 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../commands/CreateInstanceProfileCommand.ts | 14 +- .../src/commands/CreateLoginProfileCommand.ts | 14 +- .../CreateOpenIDConnectProviderCommand.ts | 14 +- .../src/commands/CreatePolicyCommand.ts | 14 +- .../commands/CreatePolicyVersionCommand.ts | 14 +- .../src/commands/CreateRoleCommand.ts | 14 +- .../src/commands/CreateSAMLProviderCommand.ts | 14 +- .../CreateServiceLinkedRoleCommand.ts | 14 +- .../CreateServiceSpecificCredentialCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../commands/CreateVirtualMFADeviceCommand.ts | 14 +- .../commands/DeactivateMFADeviceCommand.ts | 14 +- .../src/commands/DeleteAccessKeyCommand.ts | 14 +- .../src/commands/DeleteAccountAliasCommand.ts | 14 +- .../DeleteAccountPasswordPolicyCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../src/commands/DeleteGroupPolicyCommand.ts | 14 +- .../commands/DeleteInstanceProfileCommand.ts | 14 +- .../src/commands/DeleteLoginProfileCommand.ts | 14 +- .../DeleteOpenIDConnectProviderCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- .../commands/DeletePolicyVersionCommand.ts | 14 +- .../src/commands/DeleteRoleCommand.ts | 14 +- .../DeleteRolePermissionsBoundaryCommand.ts | 14 +- .../src/commands/DeleteRolePolicyCommand.ts | 14 +- .../src/commands/DeleteSAMLProviderCommand.ts | 14 +- .../src/commands/DeleteSSHPublicKeyCommand.ts | 14 +- .../DeleteServerCertificateCommand.ts | 14 +- .../DeleteServiceLinkedRoleCommand.ts | 14 +- .../DeleteServiceSpecificCredentialCommand.ts | 14 +- .../DeleteSigningCertificateCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../DeleteUserPermissionsBoundaryCommand.ts | 14 +- .../src/commands/DeleteUserPolicyCommand.ts | 14 +- .../commands/DeleteVirtualMFADeviceCommand.ts | 14 +- .../src/commands/DetachGroupPolicyCommand.ts | 14 +- .../src/commands/DetachRolePolicyCommand.ts | 14 +- .../src/commands/DetachUserPolicyCommand.ts | 14 +- .../src/commands/EnableMFADeviceCommand.ts | 14 +- .../GenerateCredentialReportCommand.ts | 14 +- ...enerateOrganizationsAccessReportCommand.ts | 14 +- ...nerateServiceLastAccessedDetailsCommand.ts | 14 +- .../commands/GetAccessKeyLastUsedCommand.ts | 14 +- .../GetAccountAuthorizationDetailsCommand.ts | 14 +- .../GetAccountPasswordPolicyCommand.ts | 14 +- .../src/commands/GetAccountSummaryCommand.ts | 14 +- .../GetContextKeysForCustomPolicyCommand.ts | 14 +- ...GetContextKeysForPrincipalPolicyCommand.ts | 14 +- .../commands/GetCredentialReportCommand.ts | 14 +- .../src/commands/GetGroupCommand.ts | 14 +- .../src/commands/GetGroupPolicyCommand.ts | 14 +- .../src/commands/GetInstanceProfileCommand.ts | 14 +- .../src/commands/GetLoginProfileCommand.ts | 14 +- .../src/commands/GetMFADeviceCommand.ts | 14 +- .../GetOpenIDConnectProviderCommand.ts | 14 +- .../GetOrganizationsAccessReportCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../src/commands/GetPolicyVersionCommand.ts | 14 +- .../client-iam/src/commands/GetRoleCommand.ts | 14 +- .../src/commands/GetRolePolicyCommand.ts | 14 +- .../src/commands/GetSAMLProviderCommand.ts | 14 +- .../src/commands/GetSSHPublicKeyCommand.ts | 14 +- .../commands/GetServerCertificateCommand.ts | 14 +- .../GetServiceLastAccessedDetailsCommand.ts | 14 +- ...eLastAccessedDetailsWithEntitiesCommand.ts | 14 +- ...tServiceLinkedRoleDeletionStatusCommand.ts | 14 +- .../client-iam/src/commands/GetUserCommand.ts | 14 +- .../src/commands/GetUserPolicyCommand.ts | 14 +- .../src/commands/ListAccessKeysCommand.ts | 14 +- .../src/commands/ListAccountAliasesCommand.ts | 14 +- .../ListAttachedGroupPoliciesCommand.ts | 14 +- .../ListAttachedRolePoliciesCommand.ts | 14 +- .../ListAttachedUserPoliciesCommand.ts | 14 +- .../commands/ListEntitiesForPolicyCommand.ts | 14 +- .../src/commands/ListGroupPoliciesCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../src/commands/ListGroupsForUserCommand.ts | 14 +- .../ListInstanceProfileTagsCommand.ts | 14 +- .../commands/ListInstanceProfilesCommand.ts | 14 +- .../ListInstanceProfilesForRoleCommand.ts | 14 +- .../src/commands/ListMFADeviceTagsCommand.ts | 14 +- .../src/commands/ListMFADevicesCommand.ts | 14 +- .../ListOpenIDConnectProviderTagsCommand.ts | 14 +- .../ListOpenIDConnectProvidersCommand.ts | 14 +- .../src/commands/ListPoliciesCommand.ts | 14 +- ...istPoliciesGrantingServiceAccessCommand.ts | 14 +- .../src/commands/ListPolicyTagsCommand.ts | 14 +- .../src/commands/ListPolicyVersionsCommand.ts | 14 +- .../src/commands/ListRolePoliciesCommand.ts | 14 +- .../src/commands/ListRoleTagsCommand.ts | 14 +- .../src/commands/ListRolesCommand.ts | 14 +- .../commands/ListSAMLProviderTagsCommand.ts | 14 +- .../src/commands/ListSAMLProvidersCommand.ts | 14 +- .../src/commands/ListSSHPublicKeysCommand.ts | 14 +- .../ListServerCertificateTagsCommand.ts | 14 +- .../commands/ListServerCertificatesCommand.ts | 14 +- .../ListServiceSpecificCredentialsCommand.ts | 14 +- .../ListSigningCertificatesCommand.ts | 14 +- .../src/commands/ListUserPoliciesCommand.ts | 14 +- .../src/commands/ListUserTagsCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../commands/ListVirtualMFADevicesCommand.ts | 14 +- .../src/commands/PutGroupPolicyCommand.ts | 14 +- .../PutRolePermissionsBoundaryCommand.ts | 14 +- .../src/commands/PutRolePolicyCommand.ts | 14 +- .../PutUserPermissionsBoundaryCommand.ts | 14 +- .../src/commands/PutUserPolicyCommand.ts | 14 +- ...lientIDFromOpenIDConnectProviderCommand.ts | 14 +- .../RemoveRoleFromInstanceProfileCommand.ts | 14 +- .../commands/RemoveUserFromGroupCommand.ts | 14 +- .../ResetServiceSpecificCredentialCommand.ts | 14 +- .../src/commands/ResyncMFADeviceCommand.ts | 14 +- .../SetDefaultPolicyVersionCommand.ts | 14 +- ...tSecurityTokenServicePreferencesCommand.ts | 14 +- .../commands/SimulateCustomPolicyCommand.ts | 14 +- .../SimulatePrincipalPolicyCommand.ts | 14 +- .../src/commands/TagInstanceProfileCommand.ts | 14 +- .../src/commands/TagMFADeviceCommand.ts | 14 +- .../TagOpenIDConnectProviderCommand.ts | 14 +- .../src/commands/TagPolicyCommand.ts | 14 +- .../client-iam/src/commands/TagRoleCommand.ts | 14 +- .../src/commands/TagSAMLProviderCommand.ts | 14 +- .../commands/TagServerCertificateCommand.ts | 14 +- .../client-iam/src/commands/TagUserCommand.ts | 14 +- .../commands/UntagInstanceProfileCommand.ts | 14 +- .../src/commands/UntagMFADeviceCommand.ts | 14 +- .../UntagOpenIDConnectProviderCommand.ts | 14 +- .../src/commands/UntagPolicyCommand.ts | 14 +- .../src/commands/UntagRoleCommand.ts | 14 +- .../src/commands/UntagSAMLProviderCommand.ts | 14 +- .../commands/UntagServerCertificateCommand.ts | 14 +- .../src/commands/UntagUserCommand.ts | 14 +- .../src/commands/UpdateAccessKeyCommand.ts | 14 +- .../UpdateAccountPasswordPolicyCommand.ts | 14 +- .../commands/UpdateAssumeRolePolicyCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../src/commands/UpdateLoginProfileCommand.ts | 14 +- ...eOpenIDConnectProviderThumbprintCommand.ts | 14 +- .../src/commands/UpdateRoleCommand.ts | 14 +- .../commands/UpdateRoleDescriptionCommand.ts | 14 +- .../src/commands/UpdateSAMLProviderCommand.ts | 14 +- .../src/commands/UpdateSSHPublicKeyCommand.ts | 14 +- .../UpdateServerCertificateCommand.ts | 14 +- .../UpdateServiceSpecificCredentialCommand.ts | 14 +- .../UpdateSigningCertificateCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- .../src/commands/UploadSSHPublicKeyCommand.ts | 14 +- .../UploadServerCertificateCommand.ts | 14 +- .../UploadSigningCertificateCommand.ts | 14 +- clients/client-identitystore/package.json | 42 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../commands/CreateGroupMembershipCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../commands/DeleteGroupMembershipCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../src/commands/DescribeGroupCommand.ts | 14 +- .../DescribeGroupMembershipCommand.ts | 14 +- .../src/commands/DescribeUserCommand.ts | 14 +- .../src/commands/GetGroupIdCommand.ts | 14 +- .../commands/GetGroupMembershipIdCommand.ts | 14 +- .../src/commands/GetUserIdCommand.ts | 14 +- .../src/commands/IsMemberInGroupsCommand.ts | 14 +- .../commands/ListGroupMembershipsCommand.ts | 14 +- .../ListGroupMembershipsForMemberCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- clients/client-imagebuilder/package.json | 42 +- .../commands/CancelImageCreationCommand.ts | 14 +- .../CancelLifecycleExecutionCommand.ts | 14 +- .../src/commands/CreateComponentCommand.ts | 14 +- .../commands/CreateContainerRecipeCommand.ts | 14 +- .../CreateDistributionConfigurationCommand.ts | 14 +- .../src/commands/CreateImageCommand.ts | 14 +- .../commands/CreateImagePipelineCommand.ts | 14 +- .../src/commands/CreateImageRecipeCommand.ts | 14 +- ...reateInfrastructureConfigurationCommand.ts | 14 +- .../commands/CreateLifecyclePolicyCommand.ts | 14 +- .../src/commands/CreateWorkflowCommand.ts | 14 +- .../src/commands/DeleteComponentCommand.ts | 14 +- .../commands/DeleteContainerRecipeCommand.ts | 14 +- .../DeleteDistributionConfigurationCommand.ts | 14 +- .../src/commands/DeleteImageCommand.ts | 14 +- .../commands/DeleteImagePipelineCommand.ts | 14 +- .../src/commands/DeleteImageRecipeCommand.ts | 14 +- ...eleteInfrastructureConfigurationCommand.ts | 14 +- .../commands/DeleteLifecyclePolicyCommand.ts | 14 +- .../src/commands/DeleteWorkflowCommand.ts | 14 +- .../src/commands/GetComponentCommand.ts | 14 +- .../src/commands/GetComponentPolicyCommand.ts | 14 +- .../src/commands/GetContainerRecipeCommand.ts | 14 +- .../GetContainerRecipePolicyCommand.ts | 14 +- .../GetDistributionConfigurationCommand.ts | 14 +- .../src/commands/GetImageCommand.ts | 14 +- .../src/commands/GetImagePipelineCommand.ts | 14 +- .../src/commands/GetImagePolicyCommand.ts | 14 +- .../src/commands/GetImageRecipeCommand.ts | 14 +- .../commands/GetImageRecipePolicyCommand.ts | 14 +- .../GetInfrastructureConfigurationCommand.ts | 14 +- .../commands/GetLifecycleExecutionCommand.ts | 14 +- .../src/commands/GetLifecyclePolicyCommand.ts | 14 +- .../src/commands/GetWorkflowCommand.ts | 14 +- .../commands/GetWorkflowExecutionCommand.ts | 14 +- .../GetWorkflowStepExecutionCommand.ts | 14 +- .../src/commands/ImportComponentCommand.ts | 14 +- .../src/commands/ImportVmImageCommand.ts | 14 +- .../ListComponentBuildVersionsCommand.ts | 14 +- .../src/commands/ListComponentsCommand.ts | 14 +- .../commands/ListContainerRecipesCommand.ts | 14 +- .../ListDistributionConfigurationsCommand.ts | 14 +- .../commands/ListImageBuildVersionsCommand.ts | 14 +- .../src/commands/ListImagePackagesCommand.ts | 14 +- .../ListImagePipelineImagesCommand.ts | 14 +- .../src/commands/ListImagePipelinesCommand.ts | 14 +- .../src/commands/ListImageRecipesCommand.ts | 14 +- ...ListImageScanFindingAggregationsCommand.ts | 14 +- .../commands/ListImageScanFindingsCommand.ts | 14 +- .../src/commands/ListImagesCommand.ts | 14 +- ...ListInfrastructureConfigurationsCommand.ts | 14 +- .../ListLifecycleExecutionResourcesCommand.ts | 14 +- .../ListLifecycleExecutionsCommand.ts | 14 +- .../commands/ListLifecyclePoliciesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListWaitingWorkflowStepsCommand.ts | 14 +- .../ListWorkflowBuildVersionsCommand.ts | 14 +- .../commands/ListWorkflowExecutionsCommand.ts | 14 +- .../ListWorkflowStepExecutionsCommand.ts | 14 +- .../src/commands/ListWorkflowsCommand.ts | 14 +- .../src/commands/PutComponentPolicyCommand.ts | 14 +- .../PutContainerRecipePolicyCommand.ts | 14 +- .../src/commands/PutImagePolicyCommand.ts | 14 +- .../commands/PutImageRecipePolicyCommand.ts | 14 +- .../commands/SendWorkflowStepActionCommand.ts | 14 +- .../StartImagePipelineExecutionCommand.ts | 14 +- .../StartResourceStateUpdateCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateDistributionConfigurationCommand.ts | 14 +- .../commands/UpdateImagePipelineCommand.ts | 14 +- ...pdateInfrastructureConfigurationCommand.ts | 14 +- .../commands/UpdateLifecyclePolicyCommand.ts | 14 +- clients/client-inspector-scan/package.json | 42 +- .../src/commands/ScanSbomCommand.ts | 14 +- clients/client-inspector/package.json | 42 +- .../AddAttributesToFindingsCommand.ts | 14 +- .../commands/CreateAssessmentTargetCommand.ts | 14 +- .../CreateAssessmentTemplateCommand.ts | 14 +- .../CreateExclusionsPreviewCommand.ts | 14 +- .../commands/CreateResourceGroupCommand.ts | 14 +- .../commands/DeleteAssessmentRunCommand.ts | 14 +- .../commands/DeleteAssessmentTargetCommand.ts | 14 +- .../DeleteAssessmentTemplateCommand.ts | 14 +- .../commands/DescribeAssessmentRunsCommand.ts | 14 +- .../DescribeAssessmentTargetsCommand.ts | 14 +- .../DescribeAssessmentTemplatesCommand.ts | 14 +- .../DescribeCrossAccountAccessRoleCommand.ts | 14 +- .../src/commands/DescribeExclusionsCommand.ts | 14 +- .../src/commands/DescribeFindingsCommand.ts | 14 +- .../commands/DescribeResourceGroupsCommand.ts | 14 +- .../commands/DescribeRulesPackagesCommand.ts | 14 +- .../commands/GetAssessmentReportCommand.ts | 14 +- .../commands/GetExclusionsPreviewCommand.ts | 14 +- .../commands/GetTelemetryMetadataCommand.ts | 14 +- .../ListAssessmentRunAgentsCommand.ts | 14 +- .../src/commands/ListAssessmentRunsCommand.ts | 14 +- .../commands/ListAssessmentTargetsCommand.ts | 14 +- .../ListAssessmentTemplatesCommand.ts | 14 +- .../commands/ListEventSubscriptionsCommand.ts | 14 +- .../src/commands/ListExclusionsCommand.ts | 14 +- .../src/commands/ListFindingsCommand.ts | 14 +- .../src/commands/ListRulesPackagesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PreviewAgentsCommand.ts | 14 +- .../RegisterCrossAccountAccessRoleCommand.ts | 14 +- .../RemoveAttributesFromFindingsCommand.ts | 14 +- .../src/commands/SetTagsForResourceCommand.ts | 14 +- .../src/commands/StartAssessmentRunCommand.ts | 14 +- .../src/commands/StopAssessmentRunCommand.ts | 14 +- .../src/commands/SubscribeToEventCommand.ts | 14 +- .../commands/UnsubscribeFromEventCommand.ts | 14 +- .../commands/UpdateAssessmentTargetCommand.ts | 14 +- clients/client-inspector2/package.json | 42 +- .../src/commands/AssociateMemberCommand.ts | 14 +- .../commands/BatchGetAccountStatusCommand.ts | 14 +- .../commands/BatchGetCodeSnippetCommand.ts | 14 +- .../commands/BatchGetFindingDetailsCommand.ts | 14 +- .../commands/BatchGetFreeTrialInfoCommand.ts | 14 +- ...GetMemberEc2DeepInspectionStatusCommand.ts | 14 +- ...ateMemberEc2DeepInspectionStatusCommand.ts | 14 +- .../commands/CancelFindingsReportCommand.ts | 14 +- .../src/commands/CancelSbomExportCommand.ts | 14 +- .../CreateCisScanConfigurationCommand.ts | 14 +- .../src/commands/CreateFilterCommand.ts | 14 +- .../commands/CreateFindingsReportCommand.ts | 14 +- .../src/commands/CreateSbomExportCommand.ts | 14 +- .../DeleteCisScanConfigurationCommand.ts | 14 +- .../src/commands/DeleteFilterCommand.ts | 14 +- ...escribeOrganizationConfigurationCommand.ts | 14 +- .../src/commands/DisableCommand.ts | 14 +- .../DisableDelegatedAdminAccountCommand.ts | 14 +- .../src/commands/DisassociateMemberCommand.ts | 14 +- .../src/commands/EnableCommand.ts | 14 +- .../EnableDelegatedAdminAccountCommand.ts | 14 +- .../src/commands/GetCisScanReportCommand.ts | 14 +- .../GetCisScanResultDetailsCommand.ts | 14 +- .../src/commands/GetConfigurationCommand.ts | 14 +- .../GetDelegatedAdminAccountCommand.ts | 14 +- ...etEc2DeepInspectionConfigurationCommand.ts | 14 +- .../src/commands/GetEncryptionKeyCommand.ts | 14 +- .../GetFindingsReportStatusCommand.ts | 14 +- .../src/commands/GetMemberCommand.ts | 14 +- .../src/commands/GetSbomExportCommand.ts | 14 +- .../commands/ListAccountPermissionsCommand.ts | 14 +- .../ListCisScanConfigurationsCommand.ts | 14 +- ...CisScanResultsAggregatedByChecksCommand.ts | 14 +- ...esultsAggregatedByTargetResourceCommand.ts | 14 +- .../src/commands/ListCisScansCommand.ts | 14 +- .../src/commands/ListCoverageCommand.ts | 14 +- .../commands/ListCoverageStatisticsCommand.ts | 14 +- .../ListDelegatedAdminAccountsCommand.ts | 14 +- .../src/commands/ListFiltersCommand.ts | 14 +- .../ListFindingAggregationsCommand.ts | 14 +- .../src/commands/ListFindingsCommand.ts | 14 +- .../src/commands/ListMembersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUsageTotalsCommand.ts | 14 +- .../src/commands/ResetEncryptionKeyCommand.ts | 14 +- .../commands/SearchVulnerabilitiesCommand.ts | 14 +- .../commands/SendCisSessionHealthCommand.ts | 14 +- .../SendCisSessionTelemetryCommand.ts | 14 +- .../src/commands/StartCisSessionCommand.ts | 14 +- .../src/commands/StopCisSessionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateCisScanConfigurationCommand.ts | 14 +- .../commands/UpdateConfigurationCommand.ts | 14 +- ...teEc2DeepInspectionConfigurationCommand.ts | 14 +- .../commands/UpdateEncryptionKeyCommand.ts | 14 +- .../src/commands/UpdateFilterCommand.ts | 14 +- ...rgEc2DeepInspectionConfigurationCommand.ts | 14 +- .../UpdateOrganizationConfigurationCommand.ts | 14 +- clients/client-internetmonitor/package.json | 42 +- .../src/commands/CreateMonitorCommand.ts | 14 +- .../src/commands/DeleteMonitorCommand.ts | 14 +- .../src/commands/GetHealthEventCommand.ts | 14 +- .../src/commands/GetInternetEventCommand.ts | 14 +- .../src/commands/GetMonitorCommand.ts | 14 +- .../src/commands/GetQueryResultsCommand.ts | 14 +- .../src/commands/GetQueryStatusCommand.ts | 14 +- .../src/commands/ListHealthEventsCommand.ts | 14 +- .../src/commands/ListInternetEventsCommand.ts | 14 +- .../src/commands/ListMonitorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartQueryCommand.ts | 14 +- .../src/commands/StopQueryCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateMonitorCommand.ts | 14 +- .../package.json | 42 +- .../ClaimDevicesByClaimCodeCommand.ts | 14 +- .../src/commands/DescribeDeviceCommand.ts | 14 +- .../commands/FinalizeDeviceClaimCommand.ts | 14 +- .../src/commands/GetDeviceMethodsCommand.ts | 14 +- .../commands/InitiateDeviceClaimCommand.ts | 14 +- .../src/commands/InvokeDeviceMethodCommand.ts | 14 +- .../src/commands/ListDeviceEventsCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UnclaimDeviceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDeviceStateCommand.ts | 14 +- .../client-iot-1click-projects/package.json | 42 +- .../AssociateDeviceWithPlacementCommand.ts | 14 +- .../src/commands/CreatePlacementCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../src/commands/DeletePlacementCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../src/commands/DescribePlacementCommand.ts | 14 +- .../src/commands/DescribeProjectCommand.ts | 14 +- .../DisassociateDeviceFromPlacementCommand.ts | 14 +- .../commands/GetDevicesInPlacementCommand.ts | 14 +- .../src/commands/ListPlacementsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdatePlacementCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- clients/client-iot-data-plane/package.json | 44 +- .../src/commands/DeleteThingShadowCommand.ts | 14 +- .../src/commands/GetRetainedMessageCommand.ts | 14 +- .../src/commands/GetThingShadowCommand.ts | 14 +- .../ListNamedShadowsForThingCommand.ts | 14 +- .../commands/ListRetainedMessagesCommand.ts | 14 +- .../src/commands/PublishCommand.ts | 14 +- .../src/commands/UpdateThingShadowCommand.ts | 14 +- clients/client-iot-events-data/package.json | 42 +- .../commands/BatchAcknowledgeAlarmCommand.ts | 14 +- .../commands/BatchDeleteDetectorCommand.ts | 14 +- .../src/commands/BatchDisableAlarmCommand.ts | 14 +- .../src/commands/BatchEnableAlarmCommand.ts | 14 +- .../src/commands/BatchPutMessageCommand.ts | 14 +- .../src/commands/BatchResetAlarmCommand.ts | 14 +- .../src/commands/BatchSnoozeAlarmCommand.ts | 14 +- .../commands/BatchUpdateDetectorCommand.ts | 14 +- .../src/commands/DescribeAlarmCommand.ts | 14 +- .../src/commands/DescribeDetectorCommand.ts | 14 +- .../src/commands/ListAlarmsCommand.ts | 14 +- .../src/commands/ListDetectorsCommand.ts | 14 +- clients/client-iot-events/package.json | 42 +- .../src/commands/CreateAlarmModelCommand.ts | 14 +- .../commands/CreateDetectorModelCommand.ts | 14 +- .../src/commands/CreateInputCommand.ts | 14 +- .../src/commands/DeleteAlarmModelCommand.ts | 14 +- .../commands/DeleteDetectorModelCommand.ts | 14 +- .../src/commands/DeleteInputCommand.ts | 14 +- .../src/commands/DescribeAlarmModelCommand.ts | 14 +- .../DescribeDetectorModelAnalysisCommand.ts | 14 +- .../commands/DescribeDetectorModelCommand.ts | 14 +- .../src/commands/DescribeInputCommand.ts | 14 +- .../commands/DescribeLoggingOptionsCommand.ts | 14 +- .../GetDetectorModelAnalysisResultsCommand.ts | 14 +- .../commands/ListAlarmModelVersionsCommand.ts | 14 +- .../src/commands/ListAlarmModelsCommand.ts | 14 +- .../ListDetectorModelVersionsCommand.ts | 14 +- .../src/commands/ListDetectorModelsCommand.ts | 14 +- .../src/commands/ListInputRoutingsCommand.ts | 14 +- .../src/commands/ListInputsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutLoggingOptionsCommand.ts | 14 +- .../StartDetectorModelAnalysisCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAlarmModelCommand.ts | 14 +- .../commands/UpdateDetectorModelCommand.ts | 14 +- .../src/commands/UpdateInputCommand.ts | 14 +- .../client-iot-jobs-data-plane/package.json | 42 +- .../commands/DescribeJobExecutionCommand.ts | 14 +- .../GetPendingJobExecutionsCommand.ts | 14 +- .../StartNextPendingJobExecutionCommand.ts | 14 +- .../src/commands/UpdateJobExecutionCommand.ts | 14 +- clients/client-iot-wireless/package.json | 44 +- ...iateAwsAccountWithPartnerAccountCommand.ts | 14 +- ...ciateMulticastGroupWithFuotaTaskCommand.ts | 14 +- ...ciateWirelessDeviceWithFuotaTaskCommand.ts | 14 +- ...WirelessDeviceWithMulticastGroupCommand.ts | 14 +- ...AssociateWirelessDeviceWithThingCommand.ts | 14 +- ...teWirelessGatewayWithCertificateCommand.ts | 14 +- ...ssociateWirelessGatewayWithThingCommand.ts | 14 +- .../CancelMulticastGroupSessionCommand.ts | 14 +- .../src/commands/CreateDestinationCommand.ts | 14 +- .../commands/CreateDeviceProfileCommand.ts | 14 +- .../src/commands/CreateFuotaTaskCommand.ts | 14 +- .../commands/CreateMulticastGroupCommand.ts | 14 +- ...eateNetworkAnalyzerConfigurationCommand.ts | 14 +- .../commands/CreateServiceProfileCommand.ts | 14 +- .../commands/CreateWirelessDeviceCommand.ts | 14 +- .../commands/CreateWirelessGatewayCommand.ts | 14 +- .../CreateWirelessGatewayTaskCommand.ts | 14 +- ...ateWirelessGatewayTaskDefinitionCommand.ts | 14 +- .../src/commands/DeleteDestinationCommand.ts | 14 +- .../commands/DeleteDeviceProfileCommand.ts | 14 +- .../src/commands/DeleteFuotaTaskCommand.ts | 14 +- .../commands/DeleteMulticastGroupCommand.ts | 14 +- ...leteNetworkAnalyzerConfigurationCommand.ts | 14 +- .../commands/DeleteQueuedMessagesCommand.ts | 14 +- .../commands/DeleteServiceProfileCommand.ts | 14 +- .../commands/DeleteWirelessDeviceCommand.ts | 14 +- .../DeleteWirelessDeviceImportTaskCommand.ts | 14 +- .../commands/DeleteWirelessGatewayCommand.ts | 14 +- .../DeleteWirelessGatewayTaskCommand.ts | 14 +- ...eteWirelessGatewayTaskDefinitionCommand.ts | 14 +- .../DeregisterWirelessDeviceCommand.ts | 14 +- ...iateAwsAccountFromPartnerAccountCommand.ts | 14 +- ...ciateMulticastGroupFromFuotaTaskCommand.ts | 14 +- ...ciateWirelessDeviceFromFuotaTaskCommand.ts | 14 +- ...WirelessDeviceFromMulticastGroupCommand.ts | 14 +- ...associateWirelessDeviceFromThingCommand.ts | 14 +- ...teWirelessGatewayFromCertificateCommand.ts | 14 +- ...ssociateWirelessGatewayFromThingCommand.ts | 14 +- .../src/commands/GetDestinationCommand.ts | 14 +- .../src/commands/GetDeviceProfileCommand.ts | 14 +- ...ventConfigurationByResourceTypesCommand.ts | 14 +- .../src/commands/GetFuotaTaskCommand.ts | 14 +- .../GetLogLevelsByResourceTypesCommand.ts | 14 +- .../commands/GetMetricConfigurationCommand.ts | 14 +- .../src/commands/GetMetricsCommand.ts | 14 +- .../src/commands/GetMulticastGroupCommand.ts | 14 +- .../GetMulticastGroupSessionCommand.ts | 14 +- .../GetNetworkAnalyzerConfigurationCommand.ts | 14 +- .../src/commands/GetPartnerAccountCommand.ts | 14 +- .../src/commands/GetPositionCommand.ts | 14 +- .../GetPositionConfigurationCommand.ts | 14 +- .../commands/GetPositionEstimateCommand.ts | 14 +- .../GetResourceEventConfigurationCommand.ts | 14 +- .../commands/GetResourceLogLevelCommand.ts | 14 +- .../commands/GetResourcePositionCommand.ts | 14 +- .../src/commands/GetServiceEndpointCommand.ts | 14 +- .../src/commands/GetServiceProfileCommand.ts | 14 +- .../src/commands/GetWirelessDeviceCommand.ts | 14 +- .../GetWirelessDeviceImportTaskCommand.ts | 14 +- .../GetWirelessDeviceStatisticsCommand.ts | 14 +- .../GetWirelessGatewayCertificateCommand.ts | 14 +- .../src/commands/GetWirelessGatewayCommand.ts | 14 +- ...relessGatewayFirmwareInformationCommand.ts | 14 +- .../GetWirelessGatewayStatisticsCommand.ts | 14 +- .../commands/GetWirelessGatewayTaskCommand.ts | 14 +- ...GetWirelessGatewayTaskDefinitionCommand.ts | 14 +- .../src/commands/ListDestinationsCommand.ts | 14 +- .../src/commands/ListDeviceProfilesCommand.ts | 14 +- ...vicesForWirelessDeviceImportTaskCommand.ts | 14 +- .../ListEventConfigurationsCommand.ts | 14 +- .../src/commands/ListFuotaTasksCommand.ts | 14 +- .../ListMulticastGroupsByFuotaTaskCommand.ts | 14 +- .../commands/ListMulticastGroupsCommand.ts | 14 +- ...istNetworkAnalyzerConfigurationsCommand.ts | 14 +- .../commands/ListPartnerAccountsCommand.ts | 14 +- .../ListPositionConfigurationsCommand.ts | 14 +- .../src/commands/ListQueuedMessagesCommand.ts | 14 +- .../commands/ListServiceProfilesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListWirelessDeviceImportTasksCommand.ts | 14 +- .../commands/ListWirelessDevicesCommand.ts | 14 +- ...stWirelessGatewayTaskDefinitionsCommand.ts | 14 +- .../commands/ListWirelessGatewaysCommand.ts | 14 +- .../PutPositionConfigurationCommand.ts | 14 +- .../commands/PutResourceLogLevelCommand.ts | 14 +- .../ResetAllResourceLogLevelsCommand.ts | 14 +- .../commands/ResetResourceLogLevelCommand.ts | 14 +- .../SendDataToMulticastGroupCommand.ts | 14 +- .../SendDataToWirelessDeviceCommand.ts | 14 +- ...WirelessDeviceWithMulticastGroupCommand.ts | 14 +- ...WirelessDeviceFromMulticastGroupCommand.ts | 14 +- .../src/commands/StartFuotaTaskCommand.ts | 14 +- .../StartMulticastGroupSessionCommand.ts | 14 +- ...rtSingleWirelessDeviceImportTaskCommand.ts | 14 +- .../StartWirelessDeviceImportTaskCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestWirelessDeviceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDestinationCommand.ts | 14 +- ...ventConfigurationByResourceTypesCommand.ts | 14 +- .../src/commands/UpdateFuotaTaskCommand.ts | 14 +- .../UpdateLogLevelsByResourceTypesCommand.ts | 14 +- .../UpdateMetricConfigurationCommand.ts | 14 +- .../commands/UpdateMulticastGroupCommand.ts | 14 +- ...dateNetworkAnalyzerConfigurationCommand.ts | 14 +- .../commands/UpdatePartnerAccountCommand.ts | 14 +- .../src/commands/UpdatePositionCommand.ts | 14 +- ...UpdateResourceEventConfigurationCommand.ts | 14 +- .../commands/UpdateResourcePositionCommand.ts | 14 +- .../commands/UpdateWirelessDeviceCommand.ts | 14 +- .../UpdateWirelessDeviceImportTaskCommand.ts | 14 +- .../commands/UpdateWirelessGatewayCommand.ts | 14 +- clients/client-iot/package.json | 42 +- .../AcceptCertificateTransferCommand.ts | 14 +- .../commands/AddThingToBillingGroupCommand.ts | 14 +- .../commands/AddThingToThingGroupCommand.ts | 14 +- .../AssociateSbomWithPackageVersionCommand.ts | 14 +- .../AssociateTargetsWithJobCommand.ts | 14 +- .../src/commands/AttachPolicyCommand.ts | 14 +- .../commands/AttachPrincipalPolicyCommand.ts | 14 +- .../commands/AttachSecurityProfileCommand.ts | 14 +- .../commands/AttachThingPrincipalCommand.ts | 14 +- ...CancelAuditMitigationActionsTaskCommand.ts | 14 +- .../src/commands/CancelAuditTaskCommand.ts | 14 +- .../CancelCertificateTransferCommand.ts | 14 +- ...ancelDetectMitigationActionsTaskCommand.ts | 14 +- .../src/commands/CancelJobCommand.ts | 14 +- .../src/commands/CancelJobExecutionCommand.ts | 14 +- .../commands/ClearDefaultAuthorizerCommand.ts | 14 +- .../ConfirmTopicRuleDestinationCommand.ts | 14 +- .../commands/CreateAuditSuppressionCommand.ts | 14 +- .../src/commands/CreateAuthorizerCommand.ts | 14 +- .../src/commands/CreateBillingGroupCommand.ts | 14 +- .../CreateCertificateFromCsrCommand.ts | 14 +- .../CreateCertificateProviderCommand.ts | 14 +- .../src/commands/CreateCustomMetricCommand.ts | 14 +- .../src/commands/CreateDimensionCommand.ts | 14 +- .../CreateDomainConfigurationCommand.ts | 14 +- .../CreateDynamicThingGroupCommand.ts | 14 +- .../src/commands/CreateFleetMetricCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../src/commands/CreateJobTemplateCommand.ts | 14 +- .../CreateKeysAndCertificateCommand.ts | 14 +- .../commands/CreateMitigationActionCommand.ts | 14 +- .../src/commands/CreateOTAUpdateCommand.ts | 14 +- .../src/commands/CreatePackageCommand.ts | 14 +- .../commands/CreatePackageVersionCommand.ts | 14 +- .../src/commands/CreatePolicyCommand.ts | 14 +- .../commands/CreatePolicyVersionCommand.ts | 14 +- .../CreateProvisioningClaimCommand.ts | 14 +- .../CreateProvisioningTemplateCommand.ts | 14 +- ...reateProvisioningTemplateVersionCommand.ts | 14 +- .../src/commands/CreateRoleAliasCommand.ts | 14 +- .../commands/CreateScheduledAuditCommand.ts | 14 +- .../commands/CreateSecurityProfileCommand.ts | 14 +- .../src/commands/CreateStreamCommand.ts | 14 +- .../src/commands/CreateThingCommand.ts | 14 +- .../src/commands/CreateThingGroupCommand.ts | 14 +- .../src/commands/CreateThingTypeCommand.ts | 14 +- .../src/commands/CreateTopicRuleCommand.ts | 14 +- .../CreateTopicRuleDestinationCommand.ts | 14 +- .../DeleteAccountAuditConfigurationCommand.ts | 14 +- .../commands/DeleteAuditSuppressionCommand.ts | 14 +- .../src/commands/DeleteAuthorizerCommand.ts | 14 +- .../src/commands/DeleteBillingGroupCommand.ts | 14 +- .../commands/DeleteCACertificateCommand.ts | 14 +- .../src/commands/DeleteCertificateCommand.ts | 14 +- .../DeleteCertificateProviderCommand.ts | 14 +- .../src/commands/DeleteCustomMetricCommand.ts | 14 +- .../src/commands/DeleteDimensionCommand.ts | 14 +- .../DeleteDomainConfigurationCommand.ts | 14 +- .../DeleteDynamicThingGroupCommand.ts | 14 +- .../src/commands/DeleteFleetMetricCommand.ts | 14 +- .../src/commands/DeleteJobCommand.ts | 14 +- .../src/commands/DeleteJobExecutionCommand.ts | 14 +- .../src/commands/DeleteJobTemplateCommand.ts | 14 +- .../commands/DeleteMitigationActionCommand.ts | 14 +- .../src/commands/DeleteOTAUpdateCommand.ts | 14 +- .../src/commands/DeletePackageCommand.ts | 14 +- .../commands/DeletePackageVersionCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- .../commands/DeletePolicyVersionCommand.ts | 14 +- .../DeleteProvisioningTemplateCommand.ts | 14 +- ...eleteProvisioningTemplateVersionCommand.ts | 14 +- .../commands/DeleteRegistrationCodeCommand.ts | 14 +- .../src/commands/DeleteRoleAliasCommand.ts | 14 +- .../commands/DeleteScheduledAuditCommand.ts | 14 +- .../commands/DeleteSecurityProfileCommand.ts | 14 +- .../src/commands/DeleteStreamCommand.ts | 14 +- .../src/commands/DeleteThingCommand.ts | 14 +- .../src/commands/DeleteThingGroupCommand.ts | 14 +- .../src/commands/DeleteThingTypeCommand.ts | 14 +- .../src/commands/DeleteTopicRuleCommand.ts | 14 +- .../DeleteTopicRuleDestinationCommand.ts | 14 +- .../commands/DeleteV2LoggingLevelCommand.ts | 14 +- .../src/commands/DeprecateThingTypeCommand.ts | 14 +- ...escribeAccountAuditConfigurationCommand.ts | 14 +- .../commands/DescribeAuditFindingCommand.ts | 14 +- ...scribeAuditMitigationActionsTaskCommand.ts | 14 +- .../DescribeAuditSuppressionCommand.ts | 14 +- .../src/commands/DescribeAuditTaskCommand.ts | 14 +- .../src/commands/DescribeAuthorizerCommand.ts | 14 +- .../commands/DescribeBillingGroupCommand.ts | 14 +- .../commands/DescribeCACertificateCommand.ts | 14 +- .../commands/DescribeCertificateCommand.ts | 14 +- .../DescribeCertificateProviderCommand.ts | 14 +- .../commands/DescribeCustomMetricCommand.ts | 14 +- .../DescribeDefaultAuthorizerCommand.ts | 14 +- ...cribeDetectMitigationActionsTaskCommand.ts | 14 +- .../src/commands/DescribeDimensionCommand.ts | 14 +- .../DescribeDomainConfigurationCommand.ts | 14 +- .../src/commands/DescribeEndpointCommand.ts | 14 +- .../DescribeEventConfigurationsCommand.ts | 14 +- .../commands/DescribeFleetMetricCommand.ts | 14 +- .../src/commands/DescribeIndexCommand.ts | 14 +- .../src/commands/DescribeJobCommand.ts | 14 +- .../commands/DescribeJobExecutionCommand.ts | 14 +- .../commands/DescribeJobTemplateCommand.ts | 14 +- .../DescribeManagedJobTemplateCommand.ts | 14 +- .../DescribeMitigationActionCommand.ts | 14 +- .../DescribeProvisioningTemplateCommand.ts | 14 +- ...cribeProvisioningTemplateVersionCommand.ts | 14 +- .../src/commands/DescribeRoleAliasCommand.ts | 14 +- .../commands/DescribeScheduledAuditCommand.ts | 14 +- .../DescribeSecurityProfileCommand.ts | 14 +- .../src/commands/DescribeStreamCommand.ts | 14 +- .../src/commands/DescribeThingCommand.ts | 14 +- .../src/commands/DescribeThingGroupCommand.ts | 14 +- .../DescribeThingRegistrationTaskCommand.ts | 14 +- .../src/commands/DescribeThingTypeCommand.ts | 14 +- .../src/commands/DetachPolicyCommand.ts | 14 +- .../commands/DetachPrincipalPolicyCommand.ts | 14 +- .../commands/DetachSecurityProfileCommand.ts | 14 +- .../commands/DetachThingPrincipalCommand.ts | 14 +- .../src/commands/DisableTopicRuleCommand.ts | 14 +- ...sassociateSbomFromPackageVersionCommand.ts | 14 +- .../src/commands/EnableTopicRuleCommand.ts | 14 +- ...etBehaviorModelTrainingSummariesCommand.ts | 14 +- .../commands/GetBucketsAggregationCommand.ts | 14 +- .../src/commands/GetCardinalityCommand.ts | 14 +- .../commands/GetEffectivePoliciesCommand.ts | 14 +- .../GetIndexingConfigurationCommand.ts | 14 +- .../src/commands/GetJobDocumentCommand.ts | 14 +- .../src/commands/GetLoggingOptionsCommand.ts | 14 +- .../src/commands/GetOTAUpdateCommand.ts | 14 +- .../src/commands/GetPackageCommand.ts | 14 +- .../GetPackageConfigurationCommand.ts | 14 +- .../src/commands/GetPackageVersionCommand.ts | 14 +- .../src/commands/GetPercentilesCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../src/commands/GetPolicyVersionCommand.ts | 14 +- .../commands/GetRegistrationCodeCommand.ts | 14 +- .../src/commands/GetStatisticsCommand.ts | 14 +- .../src/commands/GetTopicRuleCommand.ts | 14 +- .../GetTopicRuleDestinationCommand.ts | 14 +- .../commands/GetV2LoggingOptionsCommand.ts | 14 +- .../commands/ListActiveViolationsCommand.ts | 14 +- .../commands/ListAttachedPoliciesCommand.ts | 14 +- .../src/commands/ListAuditFindingsCommand.ts | 14 +- ...AuditMitigationActionsExecutionsCommand.ts | 14 +- .../ListAuditMitigationActionsTasksCommand.ts | 14 +- .../commands/ListAuditSuppressionsCommand.ts | 14 +- .../src/commands/ListAuditTasksCommand.ts | 14 +- .../src/commands/ListAuthorizersCommand.ts | 14 +- .../src/commands/ListBillingGroupsCommand.ts | 14 +- .../src/commands/ListCACertificatesCommand.ts | 14 +- .../ListCertificateProvidersCommand.ts | 14 +- .../commands/ListCertificatesByCACommand.ts | 14 +- .../src/commands/ListCertificatesCommand.ts | 14 +- .../src/commands/ListCustomMetricsCommand.ts | 14 +- ...etectMitigationActionsExecutionsCommand.ts | 14 +- ...ListDetectMitigationActionsTasksCommand.ts | 14 +- .../src/commands/ListDimensionsCommand.ts | 14 +- .../ListDomainConfigurationsCommand.ts | 14 +- .../src/commands/ListFleetMetricsCommand.ts | 14 +- .../src/commands/ListIndicesCommand.ts | 14 +- .../ListJobExecutionsForJobCommand.ts | 14 +- .../ListJobExecutionsForThingCommand.ts | 14 +- .../src/commands/ListJobTemplatesCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../ListManagedJobTemplatesCommand.ts | 14 +- .../src/commands/ListMetricValuesCommand.ts | 14 +- .../commands/ListMitigationActionsCommand.ts | 14 +- .../src/commands/ListOTAUpdatesCommand.ts | 14 +- .../ListOutgoingCertificatesCommand.ts | 14 +- .../commands/ListPackageVersionsCommand.ts | 14 +- .../src/commands/ListPackagesCommand.ts | 14 +- .../src/commands/ListPoliciesCommand.ts | 14 +- .../commands/ListPolicyPrincipalsCommand.ts | 14 +- .../src/commands/ListPolicyVersionsCommand.ts | 14 +- .../commands/ListPrincipalPoliciesCommand.ts | 14 +- .../commands/ListPrincipalThingsCommand.ts | 14 +- ...ListProvisioningTemplateVersionsCommand.ts | 14 +- .../ListProvisioningTemplatesCommand.ts | 14 +- ...tRelatedResourcesForAuditFindingCommand.ts | 14 +- .../src/commands/ListRoleAliasesCommand.ts | 14 +- .../ListSbomValidationResultsCommand.ts | 14 +- .../commands/ListScheduledAuditsCommand.ts | 14 +- .../commands/ListSecurityProfilesCommand.ts | 14 +- .../ListSecurityProfilesForTargetCommand.ts | 14 +- .../src/commands/ListStreamsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTargetsForPolicyCommand.ts | 14 +- .../ListTargetsForSecurityProfileCommand.ts | 14 +- .../src/commands/ListThingGroupsCommand.ts | 14 +- .../ListThingGroupsForThingCommand.ts | 14 +- .../commands/ListThingPrincipalsCommand.ts | 14 +- ...ListThingRegistrationTaskReportsCommand.ts | 14 +- .../ListThingRegistrationTasksCommand.ts | 14 +- .../src/commands/ListThingTypesCommand.ts | 14 +- .../src/commands/ListThingsCommand.ts | 14 +- .../ListThingsInBillingGroupCommand.ts | 14 +- .../commands/ListThingsInThingGroupCommand.ts | 14 +- .../ListTopicRuleDestinationsCommand.ts | 14 +- .../src/commands/ListTopicRulesCommand.ts | 14 +- .../commands/ListV2LoggingLevelsCommand.ts | 14 +- .../commands/ListViolationEventsCommand.ts | 14 +- .../PutVerificationStateOnViolationCommand.ts | 14 +- .../commands/RegisterCACertificateCommand.ts | 14 +- .../commands/RegisterCertificateCommand.ts | 14 +- .../RegisterCertificateWithoutCACommand.ts | 14 +- .../src/commands/RegisterThingCommand.ts | 14 +- .../RejectCertificateTransferCommand.ts | 14 +- .../RemoveThingFromBillingGroupCommand.ts | 14 +- .../RemoveThingFromThingGroupCommand.ts | 14 +- .../src/commands/ReplaceTopicRuleCommand.ts | 14 +- .../src/commands/SearchIndexCommand.ts | 14 +- .../commands/SetDefaultAuthorizerCommand.ts | 14 +- .../SetDefaultPolicyVersionCommand.ts | 14 +- .../src/commands/SetLoggingOptionsCommand.ts | 14 +- .../src/commands/SetV2LoggingLevelCommand.ts | 14 +- .../commands/SetV2LoggingOptionsCommand.ts | 14 +- .../StartAuditMitigationActionsTaskCommand.ts | 14 +- ...StartDetectMitigationActionsTaskCommand.ts | 14 +- .../commands/StartOnDemandAuditTaskCommand.ts | 14 +- .../StartThingRegistrationTaskCommand.ts | 14 +- .../StopThingRegistrationTaskCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestAuthorizationCommand.ts | 14 +- .../commands/TestInvokeAuthorizerCommand.ts | 14 +- .../commands/TransferCertificateCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAccountAuditConfigurationCommand.ts | 14 +- .../commands/UpdateAuditSuppressionCommand.ts | 14 +- .../src/commands/UpdateAuthorizerCommand.ts | 14 +- .../src/commands/UpdateBillingGroupCommand.ts | 14 +- .../commands/UpdateCACertificateCommand.ts | 14 +- .../src/commands/UpdateCertificateCommand.ts | 14 +- .../UpdateCertificateProviderCommand.ts | 14 +- .../src/commands/UpdateCustomMetricCommand.ts | 14 +- .../src/commands/UpdateDimensionCommand.ts | 14 +- .../UpdateDomainConfigurationCommand.ts | 14 +- .../UpdateDynamicThingGroupCommand.ts | 14 +- .../UpdateEventConfigurationsCommand.ts | 14 +- .../src/commands/UpdateFleetMetricCommand.ts | 14 +- .../UpdateIndexingConfigurationCommand.ts | 14 +- .../src/commands/UpdateJobCommand.ts | 14 +- .../commands/UpdateMitigationActionCommand.ts | 14 +- .../src/commands/UpdatePackageCommand.ts | 14 +- .../UpdatePackageConfigurationCommand.ts | 14 +- .../commands/UpdatePackageVersionCommand.ts | 14 +- .../UpdateProvisioningTemplateCommand.ts | 14 +- .../src/commands/UpdateRoleAliasCommand.ts | 14 +- .../commands/UpdateScheduledAuditCommand.ts | 14 +- .../commands/UpdateSecurityProfileCommand.ts | 14 +- .../src/commands/UpdateStreamCommand.ts | 14 +- .../src/commands/UpdateThingCommand.ts | 14 +- .../src/commands/UpdateThingGroupCommand.ts | 14 +- .../UpdateThingGroupsForThingCommand.ts | 14 +- .../UpdateTopicRuleDestinationCommand.ts | 14 +- ...ValidateSecurityProfileBehaviorsCommand.ts | 14 +- clients/client-iotanalytics/package.json | 42 +- .../src/commands/BatchPutMessageCommand.ts | 14 +- .../CancelPipelineReprocessingCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../commands/CreateDatasetContentCommand.ts | 14 +- .../src/commands/CreateDatastoreCommand.ts | 14 +- .../src/commands/CreatePipelineCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../commands/DeleteDatasetContentCommand.ts | 14 +- .../src/commands/DeleteDatastoreCommand.ts | 14 +- .../src/commands/DeletePipelineCommand.ts | 14 +- .../src/commands/DescribeChannelCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../src/commands/DescribeDatastoreCommand.ts | 14 +- .../commands/DescribeLoggingOptionsCommand.ts | 14 +- .../src/commands/DescribePipelineCommand.ts | 14 +- .../src/commands/GetDatasetContentCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- .../commands/ListDatasetContentsCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../src/commands/ListDatastoresCommand.ts | 14 +- .../src/commands/ListPipelinesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutLoggingOptionsCommand.ts | 14 +- .../commands/RunPipelineActivityCommand.ts | 14 +- .../src/commands/SampleChannelDataCommand.ts | 14 +- .../StartPipelineReprocessingCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../src/commands/UpdateDatasetCommand.ts | 14 +- .../src/commands/UpdateDatastoreCommand.ts | 14 +- .../src/commands/UpdatePipelineCommand.ts | 14 +- clients/client-iotdeviceadvisor/package.json | 42 +- .../commands/CreateSuiteDefinitionCommand.ts | 14 +- .../commands/DeleteSuiteDefinitionCommand.ts | 14 +- .../src/commands/GetEndpointCommand.ts | 14 +- .../src/commands/GetSuiteDefinitionCommand.ts | 14 +- .../src/commands/GetSuiteRunCommand.ts | 14 +- .../src/commands/GetSuiteRunReportCommand.ts | 14 +- .../commands/ListSuiteDefinitionsCommand.ts | 14 +- .../src/commands/ListSuiteRunsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartSuiteRunCommand.ts | 14 +- .../src/commands/StopSuiteRunCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateSuiteDefinitionCommand.ts | 14 +- clients/client-iotfleethub/package.json | 42 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../commands/DescribeApplicationCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- clients/client-iotfleetwise/package.json | 42 +- .../commands/AssociateVehicleFleetCommand.ts | 14 +- .../src/commands/BatchCreateVehicleCommand.ts | 14 +- .../src/commands/BatchUpdateVehicleCommand.ts | 14 +- .../src/commands/CreateCampaignCommand.ts | 14 +- .../commands/CreateDecoderManifestCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../commands/CreateModelManifestCommand.ts | 14 +- .../commands/CreateSignalCatalogCommand.ts | 14 +- .../src/commands/CreateVehicleCommand.ts | 14 +- .../src/commands/DeleteCampaignCommand.ts | 14 +- .../commands/DeleteDecoderManifestCommand.ts | 14 +- .../src/commands/DeleteFleetCommand.ts | 14 +- .../commands/DeleteModelManifestCommand.ts | 14 +- .../commands/DeleteSignalCatalogCommand.ts | 14 +- .../src/commands/DeleteVehicleCommand.ts | 14 +- .../DisassociateVehicleFleetCommand.ts | 14 +- .../src/commands/GetCampaignCommand.ts | 14 +- .../src/commands/GetDecoderManifestCommand.ts | 14 +- .../GetEncryptionConfigurationCommand.ts | 14 +- .../src/commands/GetFleetCommand.ts | 14 +- .../src/commands/GetLoggingOptionsCommand.ts | 14 +- .../src/commands/GetModelManifestCommand.ts | 14 +- .../GetRegisterAccountStatusCommand.ts | 14 +- .../src/commands/GetSignalCatalogCommand.ts | 14 +- .../src/commands/GetVehicleCommand.ts | 14 +- .../src/commands/GetVehicleStatusCommand.ts | 14 +- .../commands/ImportDecoderManifestCommand.ts | 14 +- .../commands/ImportSignalCatalogCommand.ts | 14 +- .../src/commands/ListCampaignsCommand.ts | 14 +- ...DecoderManifestNetworkInterfacesCommand.ts | 14 +- .../ListDecoderManifestSignalsCommand.ts | 14 +- .../commands/ListDecoderManifestsCommand.ts | 14 +- .../src/commands/ListFleetsCommand.ts | 14 +- .../commands/ListFleetsForVehicleCommand.ts | 14 +- .../commands/ListModelManifestNodesCommand.ts | 14 +- .../src/commands/ListModelManifestsCommand.ts | 14 +- .../commands/ListSignalCatalogNodesCommand.ts | 14 +- .../src/commands/ListSignalCatalogsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListVehiclesCommand.ts | 14 +- .../commands/ListVehiclesInFleetCommand.ts | 14 +- .../PutEncryptionConfigurationCommand.ts | 14 +- .../src/commands/PutLoggingOptionsCommand.ts | 14 +- .../src/commands/RegisterAccountCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCampaignCommand.ts | 14 +- .../commands/UpdateDecoderManifestCommand.ts | 14 +- .../src/commands/UpdateFleetCommand.ts | 14 +- .../commands/UpdateModelManifestCommand.ts | 14 +- .../commands/UpdateSignalCatalogCommand.ts | 14 +- .../src/commands/UpdateVehicleCommand.ts | 14 +- .../client-iotsecuretunneling/package.json | 42 +- .../src/commands/CloseTunnelCommand.ts | 14 +- .../src/commands/DescribeTunnelCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTunnelsCommand.ts | 14 +- .../src/commands/OpenTunnelCommand.ts | 14 +- .../RotateTunnelAccessTokenCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-iotsitewise/package.json | 44 +- .../src/commands/AssociateAssetsCommand.ts | 14 +- ...sociateTimeSeriesToAssetPropertyCommand.ts | 14 +- .../BatchAssociateProjectAssetsCommand.ts | 14 +- .../BatchDisassociateProjectAssetsCommand.ts | 14 +- .../BatchGetAssetPropertyAggregatesCommand.ts | 14 +- .../BatchGetAssetPropertyValueCommand.ts | 14 +- ...atchGetAssetPropertyValueHistoryCommand.ts | 14 +- .../BatchPutAssetPropertyValueCommand.ts | 14 +- .../src/commands/CreateAccessPolicyCommand.ts | 14 +- .../src/commands/CreateAssetCommand.ts | 14 +- .../src/commands/CreateAssetModelCommand.ts | 14 +- .../CreateAssetModelCompositeModelCommand.ts | 14 +- .../commands/CreateBulkImportJobCommand.ts | 14 +- .../src/commands/CreateDashboardCommand.ts | 14 +- .../src/commands/CreateGatewayCommand.ts | 14 +- .../src/commands/CreatePortalCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../src/commands/DeleteAccessPolicyCommand.ts | 14 +- .../src/commands/DeleteAssetCommand.ts | 14 +- .../src/commands/DeleteAssetModelCommand.ts | 14 +- .../DeleteAssetModelCompositeModelCommand.ts | 14 +- .../src/commands/DeleteDashboardCommand.ts | 14 +- .../src/commands/DeleteGatewayCommand.ts | 14 +- .../src/commands/DeletePortalCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../src/commands/DeleteTimeSeriesCommand.ts | 14 +- .../commands/DescribeAccessPolicyCommand.ts | 14 +- .../src/commands/DescribeActionCommand.ts | 14 +- .../src/commands/DescribeAssetCommand.ts | 14 +- .../DescribeAssetCompositeModelCommand.ts | 14 +- .../src/commands/DescribeAssetModelCommand.ts | 14 +- ...DescribeAssetModelCompositeModelCommand.ts | 14 +- .../commands/DescribeAssetPropertyCommand.ts | 14 +- .../commands/DescribeBulkImportJobCommand.ts | 14 +- .../src/commands/DescribeDashboardCommand.ts | 14 +- ...beDefaultEncryptionConfigurationCommand.ts | 14 +- ...beGatewayCapabilityConfigurationCommand.ts | 14 +- .../src/commands/DescribeGatewayCommand.ts | 14 +- .../commands/DescribeLoggingOptionsCommand.ts | 14 +- .../src/commands/DescribePortalCommand.ts | 14 +- .../src/commands/DescribeProjectCommand.ts | 14 +- .../DescribeStorageConfigurationCommand.ts | 14 +- .../src/commands/DescribeTimeSeriesCommand.ts | 14 +- .../src/commands/DisassociateAssetsCommand.ts | 14 +- ...ciateTimeSeriesFromAssetPropertyCommand.ts | 14 +- .../src/commands/ExecuteActionCommand.ts | 14 +- .../src/commands/ExecuteQueryCommand.ts | 14 +- .../GetAssetPropertyAggregatesCommand.ts | 14 +- .../commands/GetAssetPropertyValueCommand.ts | 14 +- .../GetAssetPropertyValueHistoryCommand.ts | 14 +- ...tInterpolatedAssetPropertyValuesCommand.ts | 14 +- .../src/commands/ListAccessPoliciesCommand.ts | 14 +- .../src/commands/ListActionsCommand.ts | 14 +- .../ListAssetModelCompositeModelsCommand.ts | 14 +- .../ListAssetModelPropertiesCommand.ts | 14 +- .../src/commands/ListAssetModelsCommand.ts | 14 +- .../commands/ListAssetPropertiesCommand.ts | 14 +- .../commands/ListAssetRelationshipsCommand.ts | 14 +- .../src/commands/ListAssetsCommand.ts | 14 +- .../commands/ListAssociatedAssetsCommand.ts | 14 +- .../src/commands/ListBulkImportJobsCommand.ts | 14 +- .../ListCompositionRelationshipsCommand.ts | 14 +- .../src/commands/ListDashboardsCommand.ts | 14 +- .../src/commands/ListGatewaysCommand.ts | 14 +- .../src/commands/ListPortalsCommand.ts | 14 +- .../src/commands/ListProjectAssetsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTimeSeriesCommand.ts | 14 +- ...utDefaultEncryptionConfigurationCommand.ts | 14 +- .../src/commands/PutLoggingOptionsCommand.ts | 14 +- .../PutStorageConfigurationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAccessPolicyCommand.ts | 14 +- .../src/commands/UpdateAssetCommand.ts | 14 +- .../src/commands/UpdateAssetModelCommand.ts | 14 +- .../UpdateAssetModelCompositeModelCommand.ts | 14 +- .../commands/UpdateAssetPropertyCommand.ts | 14 +- .../src/commands/UpdateDashboardCommand.ts | 14 +- ...teGatewayCapabilityConfigurationCommand.ts | 14 +- .../src/commands/UpdateGatewayCommand.ts | 14 +- .../src/commands/UpdatePortalCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- clients/client-iotthingsgraph/package.json | 42 +- .../commands/AssociateEntityToThingCommand.ts | 14 +- .../src/commands/CreateFlowTemplateCommand.ts | 14 +- .../commands/CreateSystemInstanceCommand.ts | 14 +- .../commands/CreateSystemTemplateCommand.ts | 14 +- .../src/commands/DeleteFlowTemplateCommand.ts | 14 +- .../src/commands/DeleteNamespaceCommand.ts | 14 +- .../commands/DeleteSystemInstanceCommand.ts | 14 +- .../commands/DeleteSystemTemplateCommand.ts | 14 +- .../commands/DeploySystemInstanceCommand.ts | 14 +- .../commands/DeprecateFlowTemplateCommand.ts | 14 +- .../DeprecateSystemTemplateCommand.ts | 14 +- .../src/commands/DescribeNamespaceCommand.ts | 14 +- .../DissociateEntityFromThingCommand.ts | 14 +- .../src/commands/GetEntitiesCommand.ts | 14 +- .../src/commands/GetFlowTemplateCommand.ts | 14 +- .../GetFlowTemplateRevisionsCommand.ts | 14 +- .../GetNamespaceDeletionStatusCommand.ts | 14 +- .../src/commands/GetSystemInstanceCommand.ts | 14 +- .../src/commands/GetSystemTemplateCommand.ts | 14 +- .../GetSystemTemplateRevisionsCommand.ts | 14 +- .../src/commands/GetUploadStatusCommand.ts | 14 +- .../ListFlowExecutionMessagesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/SearchEntitiesCommand.ts | 14 +- .../commands/SearchFlowExecutionsCommand.ts | 14 +- .../commands/SearchFlowTemplatesCommand.ts | 14 +- .../commands/SearchSystemInstancesCommand.ts | 14 +- .../commands/SearchSystemTemplatesCommand.ts | 14 +- .../src/commands/SearchThingsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../commands/UndeploySystemInstanceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateFlowTemplateCommand.ts | 14 +- .../commands/UpdateSystemTemplateCommand.ts | 14 +- .../UploadEntityDefinitionsCommand.ts | 14 +- clients/client-iottwinmaker/package.json | 42 +- .../commands/BatchPutPropertyValuesCommand.ts | 14 +- .../CancelMetadataTransferJobCommand.ts | 14 +- .../commands/CreateComponentTypeCommand.ts | 14 +- .../src/commands/CreateEntityCommand.ts | 14 +- .../CreateMetadataTransferJobCommand.ts | 14 +- .../src/commands/CreateSceneCommand.ts | 14 +- .../src/commands/CreateSyncJobCommand.ts | 14 +- .../src/commands/CreateWorkspaceCommand.ts | 14 +- .../commands/DeleteComponentTypeCommand.ts | 14 +- .../src/commands/DeleteEntityCommand.ts | 14 +- .../src/commands/DeleteSceneCommand.ts | 14 +- .../src/commands/DeleteSyncJobCommand.ts | 14 +- .../src/commands/DeleteWorkspaceCommand.ts | 14 +- .../src/commands/ExecuteQueryCommand.ts | 14 +- .../src/commands/GetComponentTypeCommand.ts | 14 +- .../src/commands/GetEntityCommand.ts | 14 +- .../commands/GetMetadataTransferJobCommand.ts | 14 +- .../src/commands/GetPricingPlanCommand.ts | 14 +- .../src/commands/GetPropertyValueCommand.ts | 14 +- .../GetPropertyValueHistoryCommand.ts | 14 +- .../src/commands/GetSceneCommand.ts | 14 +- .../src/commands/GetSyncJobCommand.ts | 14 +- .../src/commands/GetWorkspaceCommand.ts | 14 +- .../src/commands/ListComponentTypesCommand.ts | 14 +- .../src/commands/ListComponentsCommand.ts | 14 +- .../src/commands/ListEntitiesCommand.ts | 14 +- .../ListMetadataTransferJobsCommand.ts | 14 +- .../src/commands/ListPropertiesCommand.ts | 14 +- .../src/commands/ListScenesCommand.ts | 14 +- .../src/commands/ListSyncJobsCommand.ts | 14 +- .../src/commands/ListSyncResourcesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWorkspacesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateComponentTypeCommand.ts | 14 +- .../src/commands/UpdateEntityCommand.ts | 14 +- .../src/commands/UpdatePricingPlanCommand.ts | 14 +- .../src/commands/UpdateSceneCommand.ts | 14 +- .../src/commands/UpdateWorkspaceCommand.ts | 14 +- clients/client-ivs-realtime/package.json | 42 +- .../CreateEncoderConfigurationCommand.ts | 14 +- .../CreateIngestConfigurationCommand.ts | 14 +- .../commands/CreateParticipantTokenCommand.ts | 14 +- .../src/commands/CreateStageCommand.ts | 14 +- .../CreateStorageConfigurationCommand.ts | 14 +- .../DeleteEncoderConfigurationCommand.ts | 14 +- .../DeleteIngestConfigurationCommand.ts | 14 +- .../src/commands/DeletePublicKeyCommand.ts | 14 +- .../src/commands/DeleteStageCommand.ts | 14 +- .../DeleteStorageConfigurationCommand.ts | 14 +- .../commands/DisconnectParticipantCommand.ts | 14 +- .../src/commands/GetCompositionCommand.ts | 14 +- .../GetEncoderConfigurationCommand.ts | 14 +- .../commands/GetIngestConfigurationCommand.ts | 14 +- .../src/commands/GetParticipantCommand.ts | 14 +- .../src/commands/GetPublicKeyCommand.ts | 14 +- .../src/commands/GetStageCommand.ts | 14 +- .../src/commands/GetStageSessionCommand.ts | 14 +- .../GetStorageConfigurationCommand.ts | 14 +- .../src/commands/ImportPublicKeyCommand.ts | 14 +- .../src/commands/ListCompositionsCommand.ts | 14 +- .../ListEncoderConfigurationsCommand.ts | 14 +- .../ListIngestConfigurationsCommand.ts | 14 +- .../commands/ListParticipantEventsCommand.ts | 14 +- .../src/commands/ListParticipantsCommand.ts | 14 +- .../src/commands/ListPublicKeysCommand.ts | 14 +- .../src/commands/ListStageSessionsCommand.ts | 14 +- .../src/commands/ListStagesCommand.ts | 14 +- .../ListStorageConfigurationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartCompositionCommand.ts | 14 +- .../src/commands/StopCompositionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateIngestConfigurationCommand.ts | 14 +- .../src/commands/UpdateStageCommand.ts | 14 +- clients/client-ivs/package.json | 42 +- .../src/commands/BatchGetChannelCommand.ts | 14 +- .../src/commands/BatchGetStreamKeyCommand.ts | 14 +- ...atchStartViewerSessionRevocationCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../CreatePlaybackRestrictionPolicyCommand.ts | 14 +- .../CreateRecordingConfigurationCommand.ts | 14 +- .../src/commands/CreateStreamKeyCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../commands/DeletePlaybackKeyPairCommand.ts | 14 +- .../DeletePlaybackRestrictionPolicyCommand.ts | 14 +- .../DeleteRecordingConfigurationCommand.ts | 14 +- .../src/commands/DeleteStreamKeyCommand.ts | 14 +- .../src/commands/GetChannelCommand.ts | 14 +- .../src/commands/GetPlaybackKeyPairCommand.ts | 14 +- .../GetPlaybackRestrictionPolicyCommand.ts | 14 +- .../GetRecordingConfigurationCommand.ts | 14 +- .../src/commands/GetStreamCommand.ts | 14 +- .../src/commands/GetStreamKeyCommand.ts | 14 +- .../src/commands/GetStreamSessionCommand.ts | 14 +- .../commands/ImportPlaybackKeyPairCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- .../commands/ListPlaybackKeyPairsCommand.ts | 14 +- .../ListPlaybackRestrictionPoliciesCommand.ts | 14 +- .../ListRecordingConfigurationsCommand.ts | 14 +- .../src/commands/ListStreamKeysCommand.ts | 14 +- .../src/commands/ListStreamSessionsCommand.ts | 14 +- .../src/commands/ListStreamsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutMetadataCommand.ts | 14 +- .../StartViewerSessionRevocationCommand.ts | 14 +- .../src/commands/StopStreamCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../UpdatePlaybackRestrictionPolicyCommand.ts | 14 +- clients/client-ivschat/package.json | 42 +- .../src/commands/CreateChatTokenCommand.ts | 14 +- .../CreateLoggingConfigurationCommand.ts | 14 +- .../src/commands/CreateRoomCommand.ts | 14 +- .../DeleteLoggingConfigurationCommand.ts | 14 +- .../src/commands/DeleteMessageCommand.ts | 14 +- .../src/commands/DeleteRoomCommand.ts | 14 +- .../src/commands/DisconnectUserCommand.ts | 14 +- .../GetLoggingConfigurationCommand.ts | 14 +- .../src/commands/GetRoomCommand.ts | 14 +- .../ListLoggingConfigurationsCommand.ts | 14 +- .../src/commands/ListRoomsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/SendEventCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateLoggingConfigurationCommand.ts | 14 +- .../src/commands/UpdateRoomCommand.ts | 14 +- clients/client-kafka/package.json | 42 +- .../BatchAssociateScramSecretCommand.ts | 14 +- .../BatchDisassociateScramSecretCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../src/commands/CreateClusterV2Command.ts | 14 +- .../commands/CreateConfigurationCommand.ts | 14 +- .../src/commands/CreateReplicatorCommand.ts | 14 +- .../commands/CreateVpcConnectionCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../commands/DeleteClusterPolicyCommand.ts | 14 +- .../commands/DeleteConfigurationCommand.ts | 14 +- .../src/commands/DeleteReplicatorCommand.ts | 14 +- .../commands/DeleteVpcConnectionCommand.ts | 14 +- .../src/commands/DescribeClusterCommand.ts | 14 +- .../DescribeClusterOperationCommand.ts | 14 +- .../DescribeClusterOperationV2Command.ts | 14 +- .../src/commands/DescribeClusterV2Command.ts | 14 +- .../commands/DescribeConfigurationCommand.ts | 14 +- .../DescribeConfigurationRevisionCommand.ts | 14 +- .../src/commands/DescribeReplicatorCommand.ts | 14 +- .../commands/DescribeVpcConnectionCommand.ts | 14 +- .../commands/GetBootstrapBrokersCommand.ts | 14 +- .../src/commands/GetClusterPolicyCommand.ts | 14 +- .../GetCompatibleKafkaVersionsCommand.ts | 14 +- .../ListClientVpcConnectionsCommand.ts | 14 +- .../commands/ListClusterOperationsCommand.ts | 14 +- .../ListClusterOperationsV2Command.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../src/commands/ListClustersV2Command.ts | 14 +- .../ListConfigurationRevisionsCommand.ts | 14 +- .../src/commands/ListConfigurationsCommand.ts | 14 +- .../src/commands/ListKafkaVersionsCommand.ts | 14 +- .../src/commands/ListNodesCommand.ts | 14 +- .../src/commands/ListReplicatorsCommand.ts | 14 +- .../src/commands/ListScramSecretsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListVpcConnectionsCommand.ts | 14 +- .../src/commands/PutClusterPolicyCommand.ts | 14 +- .../src/commands/RebootBrokerCommand.ts | 14 +- .../RejectClientVpcConnectionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBrokerCountCommand.ts | 14 +- .../commands/UpdateBrokerStorageCommand.ts | 14 +- .../src/commands/UpdateBrokerTypeCommand.ts | 14 +- .../UpdateClusterConfigurationCommand.ts | 14 +- .../UpdateClusterKafkaVersionCommand.ts | 14 +- .../commands/UpdateConfigurationCommand.ts | 14 +- .../src/commands/UpdateConnectivityCommand.ts | 14 +- .../src/commands/UpdateMonitoringCommand.ts | 14 +- .../commands/UpdateReplicationInfoCommand.ts | 14 +- .../src/commands/UpdateSecurityCommand.ts | 14 +- .../src/commands/UpdateStorageCommand.ts | 14 +- clients/client-kafkaconnect/package.json | 42 +- .../src/commands/CreateConnectorCommand.ts | 14 +- .../src/commands/CreateCustomPluginCommand.ts | 14 +- .../CreateWorkerConfigurationCommand.ts | 14 +- .../src/commands/DeleteConnectorCommand.ts | 14 +- .../src/commands/DeleteCustomPluginCommand.ts | 14 +- .../DeleteWorkerConfigurationCommand.ts | 14 +- .../src/commands/DescribeConnectorCommand.ts | 14 +- .../commands/DescribeCustomPluginCommand.ts | 14 +- .../DescribeWorkerConfigurationCommand.ts | 14 +- .../src/commands/ListConnectorsCommand.ts | 14 +- .../src/commands/ListCustomPluginsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListWorkerConfigurationsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateConnectorCommand.ts | 14 +- clients/client-kendra-ranking/package.json | 42 +- .../CreateRescoreExecutionPlanCommand.ts | 14 +- .../DeleteRescoreExecutionPlanCommand.ts | 14 +- .../DescribeRescoreExecutionPlanCommand.ts | 14 +- .../ListRescoreExecutionPlansCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RescoreCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateRescoreExecutionPlanCommand.ts | 14 +- clients/client-kendra/package.json | 42 +- .../AssociateEntitiesToExperienceCommand.ts | 14 +- .../AssociatePersonasToEntitiesCommand.ts | 14 +- .../commands/BatchDeleteDocumentCommand.ts | 14 +- .../BatchDeleteFeaturedResultsSetCommand.ts | 14 +- .../commands/BatchGetDocumentStatusCommand.ts | 14 +- .../src/commands/BatchPutDocumentCommand.ts | 14 +- .../commands/ClearQuerySuggestionsCommand.ts | 14 +- ...CreateAccessControlConfigurationCommand.ts | 14 +- .../src/commands/CreateDataSourceCommand.ts | 14 +- .../src/commands/CreateExperienceCommand.ts | 14 +- .../src/commands/CreateFaqCommand.ts | 14 +- .../CreateFeaturedResultsSetCommand.ts | 14 +- .../src/commands/CreateIndexCommand.ts | 14 +- .../CreateQuerySuggestionsBlockListCommand.ts | 14 +- .../src/commands/CreateThesaurusCommand.ts | 14 +- ...DeleteAccessControlConfigurationCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteExperienceCommand.ts | 14 +- .../src/commands/DeleteFaqCommand.ts | 14 +- .../src/commands/DeleteIndexCommand.ts | 14 +- .../commands/DeletePrincipalMappingCommand.ts | 14 +- .../DeleteQuerySuggestionsBlockListCommand.ts | 14 +- .../src/commands/DeleteThesaurusCommand.ts | 14 +- ...scribeAccessControlConfigurationCommand.ts | 14 +- .../src/commands/DescribeDataSourceCommand.ts | 14 +- .../src/commands/DescribeExperienceCommand.ts | 14 +- .../src/commands/DescribeFaqCommand.ts | 14 +- .../DescribeFeaturedResultsSetCommand.ts | 14 +- .../src/commands/DescribeIndexCommand.ts | 14 +- .../DescribePrincipalMappingCommand.ts | 14 +- ...escribeQuerySuggestionsBlockListCommand.ts | 14 +- .../DescribeQuerySuggestionsConfigCommand.ts | 14 +- .../src/commands/DescribeThesaurusCommand.ts | 14 +- ...sassociateEntitiesFromExperienceCommand.ts | 14 +- ...DisassociatePersonasFromEntitiesCommand.ts | 14 +- .../commands/GetQuerySuggestionsCommand.ts | 14 +- .../src/commands/GetSnapshotsCommand.ts | 14 +- .../ListAccessControlConfigurationsCommand.ts | 14 +- .../commands/ListDataSourceSyncJobsCommand.ts | 14 +- .../src/commands/ListDataSourcesCommand.ts | 14 +- .../src/commands/ListEntityPersonasCommand.ts | 14 +- .../commands/ListExperienceEntitiesCommand.ts | 14 +- .../src/commands/ListExperiencesCommand.ts | 14 +- .../src/commands/ListFaqsCommand.ts | 14 +- .../ListFeaturedResultsSetsCommand.ts | 14 +- .../ListGroupsOlderThanOrderingIdCommand.ts | 14 +- .../src/commands/ListIndicesCommand.ts | 14 +- .../ListQuerySuggestionsBlockListsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListThesauriCommand.ts | 14 +- .../commands/PutPrincipalMappingCommand.ts | 14 +- .../src/commands/QueryCommand.ts | 14 +- .../src/commands/RetrieveCommand.ts | 14 +- .../commands/StartDataSourceSyncJobCommand.ts | 14 +- .../commands/StopDataSourceSyncJobCommand.ts | 14 +- .../src/commands/SubmitFeedbackCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...UpdateAccessControlConfigurationCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../src/commands/UpdateExperienceCommand.ts | 14 +- .../UpdateFeaturedResultsSetCommand.ts | 14 +- .../src/commands/UpdateIndexCommand.ts | 14 +- .../UpdateQuerySuggestionsBlockListCommand.ts | 14 +- .../UpdateQuerySuggestionsConfigCommand.ts | 14 +- .../src/commands/UpdateThesaurusCommand.ts | 14 +- clients/client-keyspaces/package.json | 42 +- .../src/commands/CreateKeyspaceCommand.ts | 14 +- .../src/commands/CreateTableCommand.ts | 14 +- .../src/commands/DeleteKeyspaceCommand.ts | 14 +- .../src/commands/DeleteTableCommand.ts | 14 +- .../src/commands/GetKeyspaceCommand.ts | 14 +- .../GetTableAutoScalingSettingsCommand.ts | 14 +- .../src/commands/GetTableCommand.ts | 14 +- .../src/commands/ListKeyspacesCommand.ts | 14 +- .../src/commands/ListTablesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RestoreTableCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateTableCommand.ts | 14 +- .../client-kinesis-analytics-v2/package.json | 42 +- ...plicationCloudWatchLoggingOptionCommand.ts | 14 +- .../commands/AddApplicationInputCommand.ts | 14 +- ...tionInputProcessingConfigurationCommand.ts | 14 +- .../commands/AddApplicationOutputCommand.ts | 14 +- ...ddApplicationReferenceDataSourceCommand.ts | 14 +- .../AddApplicationVpcConfigurationCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../CreateApplicationPresignedUrlCommand.ts | 14 +- .../CreateApplicationSnapshotCommand.ts | 14 +- ...plicationCloudWatchLoggingOptionCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- ...tionInputProcessingConfigurationCommand.ts | 14 +- .../DeleteApplicationOutputCommand.ts | 14 +- ...teApplicationReferenceDataSourceCommand.ts | 14 +- .../DeleteApplicationSnapshotCommand.ts | 14 +- ...eleteApplicationVpcConfigurationCommand.ts | 14 +- .../commands/DescribeApplicationCommand.ts | 14 +- .../DescribeApplicationOperationCommand.ts | 14 +- .../DescribeApplicationSnapshotCommand.ts | 14 +- .../DescribeApplicationVersionCommand.ts | 14 +- .../commands/DiscoverInputSchemaCommand.ts | 14 +- .../ListApplicationOperationsCommand.ts | 14 +- .../ListApplicationSnapshotsCommand.ts | 14 +- .../ListApplicationVersionsCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/RollbackApplicationCommand.ts | 14 +- .../src/commands/StartApplicationCommand.ts | 14 +- .../src/commands/StopApplicationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- ...licationMaintenanceConfigurationCommand.ts | 14 +- clients/client-kinesis-analytics/package.json | 42 +- ...plicationCloudWatchLoggingOptionCommand.ts | 14 +- .../commands/AddApplicationInputCommand.ts | 14 +- ...tionInputProcessingConfigurationCommand.ts | 14 +- .../commands/AddApplicationOutputCommand.ts | 14 +- ...ddApplicationReferenceDataSourceCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- ...plicationCloudWatchLoggingOptionCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- ...tionInputProcessingConfigurationCommand.ts | 14 +- .../DeleteApplicationOutputCommand.ts | 14 +- ...teApplicationReferenceDataSourceCommand.ts | 14 +- .../commands/DescribeApplicationCommand.ts | 14 +- .../commands/DiscoverInputSchemaCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartApplicationCommand.ts | 14 +- .../src/commands/StopApplicationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../package.json | 44 +- .../src/commands/GetClipCommand.ts | 14 +- .../GetDASHStreamingSessionURLCommand.ts | 14 +- .../GetHLSStreamingSessionURLCommand.ts | 14 +- .../src/commands/GetImagesCommand.ts | 14 +- .../GetMediaForFragmentListCommand.ts | 14 +- .../src/commands/ListFragmentsCommand.ts | 14 +- .../client-kinesis-video-media/package.json | 44 +- .../src/commands/GetMediaCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/GetIceServerConfigCommand.ts | 14 +- .../commands/SendAlexaOfferToMasterCommand.ts | 14 +- .../package.json | 42 +- .../JoinStorageSessionAsViewerCommand.ts | 14 +- .../src/commands/JoinStorageSessionCommand.ts | 14 +- clients/client-kinesis-video/package.json | 42 +- .../commands/CreateSignalingChannelCommand.ts | 14 +- .../src/commands/CreateStreamCommand.ts | 14 +- .../DeleteEdgeConfigurationCommand.ts | 14 +- .../commands/DeleteSignalingChannelCommand.ts | 14 +- .../src/commands/DeleteStreamCommand.ts | 14 +- .../DescribeEdgeConfigurationCommand.ts | 14 +- ...ribeImageGenerationConfigurationCommand.ts | 14 +- ...cribeMappedResourceConfigurationCommand.ts | 14 +- ...escribeMediaStorageConfigurationCommand.ts | 14 +- ...escribeNotificationConfigurationCommand.ts | 14 +- .../DescribeSignalingChannelCommand.ts | 14 +- .../src/commands/DescribeStreamCommand.ts | 14 +- .../src/commands/GetDataEndpointCommand.ts | 14 +- .../GetSignalingChannelEndpointCommand.ts | 14 +- .../ListEdgeAgentConfigurationsCommand.ts | 14 +- .../commands/ListSignalingChannelsCommand.ts | 14 +- .../src/commands/ListStreamsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTagsForStreamCommand.ts | 14 +- .../StartEdgeConfigurationUpdateCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TagStreamCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UntagStreamCommand.ts | 14 +- .../commands/UpdateDataRetentionCommand.ts | 14 +- ...dateImageGenerationConfigurationCommand.ts | 14 +- .../UpdateMediaStorageConfigurationCommand.ts | 14 +- .../UpdateNotificationConfigurationCommand.ts | 14 +- .../commands/UpdateSignalingChannelCommand.ts | 14 +- .../src/commands/UpdateStreamCommand.ts | 14 +- clients/client-kinesis/package.json | 50 +- .../src/commands/AddTagsToStreamCommand.ts | 14 +- .../src/commands/CreateStreamCommand.ts | 14 +- .../DecreaseStreamRetentionPeriodCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteStreamCommand.ts | 14 +- .../DeregisterStreamConsumerCommand.ts | 14 +- .../src/commands/DescribeLimitsCommand.ts | 14 +- .../src/commands/DescribeStreamCommand.ts | 14 +- .../commands/DescribeStreamConsumerCommand.ts | 14 +- .../commands/DescribeStreamSummaryCommand.ts | 14 +- .../DisableEnhancedMonitoringCommand.ts | 14 +- .../EnableEnhancedMonitoringCommand.ts | 14 +- .../src/commands/GetRecordsCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/GetShardIteratorCommand.ts | 14 +- .../IncreaseStreamRetentionPeriodCommand.ts | 14 +- .../src/commands/ListShardsCommand.ts | 14 +- .../commands/ListStreamConsumersCommand.ts | 14 +- .../src/commands/ListStreamsCommand.ts | 14 +- .../src/commands/ListTagsForStreamCommand.ts | 14 +- .../src/commands/MergeShardsCommand.ts | 14 +- .../src/commands/PutRecordCommand.ts | 14 +- .../src/commands/PutRecordsCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../commands/RegisterStreamConsumerCommand.ts | 14 +- .../commands/RemoveTagsFromStreamCommand.ts | 14 +- .../src/commands/SplitShardCommand.ts | 14 +- .../commands/StartStreamEncryptionCommand.ts | 14 +- .../commands/StopStreamEncryptionCommand.ts | 14 +- .../src/commands/SubscribeToShardCommand.ts | 14 +- .../src/commands/UpdateShardCountCommand.ts | 14 +- .../src/commands/UpdateStreamModeCommand.ts | 14 +- clients/client-kms/package.json | 42 +- .../src/commands/CancelKeyDeletionCommand.ts | 14 +- .../commands/ConnectCustomKeyStoreCommand.ts | 14 +- .../src/commands/CreateAliasCommand.ts | 14 +- .../commands/CreateCustomKeyStoreCommand.ts | 14 +- .../src/commands/CreateGrantCommand.ts | 14 +- .../src/commands/CreateKeyCommand.ts | 14 +- .../client-kms/src/commands/DecryptCommand.ts | 14 +- .../src/commands/DeleteAliasCommand.ts | 14 +- .../commands/DeleteCustomKeyStoreCommand.ts | 14 +- .../DeleteImportedKeyMaterialCommand.ts | 14 +- .../src/commands/DeriveSharedSecretCommand.ts | 14 +- .../DescribeCustomKeyStoresCommand.ts | 14 +- .../src/commands/DescribeKeyCommand.ts | 14 +- .../src/commands/DisableKeyCommand.ts | 14 +- .../src/commands/DisableKeyRotationCommand.ts | 14 +- .../DisconnectCustomKeyStoreCommand.ts | 14 +- .../src/commands/EnableKeyCommand.ts | 14 +- .../src/commands/EnableKeyRotationCommand.ts | 14 +- .../client-kms/src/commands/EncryptCommand.ts | 14 +- .../src/commands/GenerateDataKeyCommand.ts | 14 +- .../commands/GenerateDataKeyPairCommand.ts | 14 +- ...erateDataKeyPairWithoutPlaintextCommand.ts | 14 +- .../GenerateDataKeyWithoutPlaintextCommand.ts | 14 +- .../src/commands/GenerateMacCommand.ts | 14 +- .../src/commands/GenerateRandomCommand.ts | 14 +- .../src/commands/GetKeyPolicyCommand.ts | 14 +- .../commands/GetKeyRotationStatusCommand.ts | 14 +- .../commands/GetParametersForImportCommand.ts | 14 +- .../src/commands/GetPublicKeyCommand.ts | 14 +- .../src/commands/ImportKeyMaterialCommand.ts | 14 +- .../src/commands/ListAliasesCommand.ts | 14 +- .../src/commands/ListGrantsCommand.ts | 14 +- .../src/commands/ListKeyPoliciesCommand.ts | 14 +- .../src/commands/ListKeyRotationsCommand.ts | 14 +- .../src/commands/ListKeysCommand.ts | 14 +- .../src/commands/ListResourceTagsCommand.ts | 14 +- .../commands/ListRetirableGrantsCommand.ts | 14 +- .../src/commands/PutKeyPolicyCommand.ts | 14 +- .../src/commands/ReEncryptCommand.ts | 14 +- .../src/commands/ReplicateKeyCommand.ts | 14 +- .../src/commands/RetireGrantCommand.ts | 14 +- .../src/commands/RevokeGrantCommand.ts | 14 +- .../src/commands/RotateKeyOnDemandCommand.ts | 14 +- .../commands/ScheduleKeyDeletionCommand.ts | 14 +- .../client-kms/src/commands/SignCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAliasCommand.ts | 14 +- .../commands/UpdateCustomKeyStoreCommand.ts | 14 +- .../commands/UpdateKeyDescriptionCommand.ts | 14 +- .../commands/UpdatePrimaryRegionCommand.ts | 14 +- .../client-kms/src/commands/VerifyCommand.ts | 14 +- .../src/commands/VerifyMacCommand.ts | 14 +- clients/client-lakeformation/package.json | 44 +- .../commands/AddLFTagsToResourceCommand.ts | 14 +- .../AssumeDecoratedRoleWithSAMLCommand.ts | 14 +- .../commands/BatchGrantPermissionsCommand.ts | 14 +- .../commands/BatchRevokePermissionsCommand.ts | 14 +- .../src/commands/CancelTransactionCommand.ts | 14 +- .../src/commands/CommitTransactionCommand.ts | 14 +- .../commands/CreateDataCellsFilterCommand.ts | 14 +- .../src/commands/CreateLFTagCommand.ts | 14 +- ...ationIdentityCenterConfigurationCommand.ts | 14 +- .../CreateLakeFormationOptInCommand.ts | 14 +- .../commands/DeleteDataCellsFilterCommand.ts | 14 +- .../src/commands/DeleteLFTagCommand.ts | 14 +- ...ationIdentityCenterConfigurationCommand.ts | 14 +- .../DeleteLakeFormationOptInCommand.ts | 14 +- .../commands/DeleteObjectsOnCancelCommand.ts | 14 +- .../src/commands/DeregisterResourceCommand.ts | 14 +- ...ationIdentityCenterConfigurationCommand.ts | 14 +- .../src/commands/DescribeResourceCommand.ts | 14 +- .../commands/DescribeTransactionCommand.ts | 14 +- .../src/commands/ExtendTransactionCommand.ts | 14 +- .../src/commands/GetDataCellsFilterCommand.ts | 14 +- .../commands/GetDataLakePrincipalCommand.ts | 14 +- .../commands/GetDataLakeSettingsCommand.ts | 14 +- .../GetEffectivePermissionsForPathCommand.ts | 14 +- .../src/commands/GetLFTagCommand.ts | 14 +- .../src/commands/GetQueryStateCommand.ts | 14 +- .../src/commands/GetQueryStatisticsCommand.ts | 14 +- .../src/commands/GetResourceLFTagsCommand.ts | 14 +- .../src/commands/GetTableObjectsCommand.ts | 14 +- ...emporaryGluePartitionCredentialsCommand.ts | 14 +- ...GetTemporaryGlueTableCredentialsCommand.ts | 14 +- .../src/commands/GetWorkUnitResultsCommand.ts | 14 +- .../src/commands/GetWorkUnitsCommand.ts | 14 +- .../src/commands/GrantPermissionsCommand.ts | 14 +- .../commands/ListDataCellsFilterCommand.ts | 14 +- .../src/commands/ListLFTagsCommand.ts | 14 +- .../ListLakeFormationOptInsCommand.ts | 14 +- .../src/commands/ListPermissionsCommand.ts | 14 +- .../src/commands/ListResourcesCommand.ts | 14 +- .../ListTableStorageOptimizersCommand.ts | 14 +- .../src/commands/ListTransactionsCommand.ts | 14 +- .../commands/PutDataLakeSettingsCommand.ts | 14 +- .../src/commands/RegisterResourceCommand.ts | 14 +- .../RemoveLFTagsFromResourceCommand.ts | 14 +- .../src/commands/RevokePermissionsCommand.ts | 14 +- .../SearchDatabasesByLFTagsCommand.ts | 14 +- .../commands/SearchTablesByLFTagsCommand.ts | 14 +- .../src/commands/StartQueryPlanningCommand.ts | 14 +- .../src/commands/StartTransactionCommand.ts | 14 +- .../commands/UpdateDataCellsFilterCommand.ts | 14 +- .../src/commands/UpdateLFTagCommand.ts | 14 +- ...ationIdentityCenterConfigurationCommand.ts | 14 +- .../src/commands/UpdateResourceCommand.ts | 14 +- .../src/commands/UpdateTableObjectsCommand.ts | 14 +- .../UpdateTableStorageOptimizerCommand.ts | 14 +- clients/client-lambda/package.json | 52 +- .../AddLayerVersionPermissionCommand.ts | 14 +- .../src/commands/AddPermissionCommand.ts | 14 +- .../src/commands/CreateAliasCommand.ts | 14 +- .../CreateCodeSigningConfigCommand.ts | 14 +- .../CreateEventSourceMappingCommand.ts | 14 +- .../src/commands/CreateFunctionCommand.ts | 14 +- .../CreateFunctionUrlConfigCommand.ts | 14 +- .../src/commands/DeleteAliasCommand.ts | 14 +- .../DeleteCodeSigningConfigCommand.ts | 14 +- .../DeleteEventSourceMappingCommand.ts | 14 +- .../DeleteFunctionCodeSigningConfigCommand.ts | 14 +- .../src/commands/DeleteFunctionCommand.ts | 14 +- .../DeleteFunctionConcurrencyCommand.ts | 14 +- .../DeleteFunctionEventInvokeConfigCommand.ts | 14 +- .../DeleteFunctionUrlConfigCommand.ts | 14 +- .../src/commands/DeleteLayerVersionCommand.ts | 14 +- ...leteProvisionedConcurrencyConfigCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../src/commands/GetAliasCommand.ts | 14 +- .../commands/GetCodeSigningConfigCommand.ts | 14 +- .../commands/GetEventSourceMappingCommand.ts | 14 +- .../GetFunctionCodeSigningConfigCommand.ts | 14 +- .../src/commands/GetFunctionCommand.ts | 14 +- .../commands/GetFunctionConcurrencyCommand.ts | 14 +- .../GetFunctionConfigurationCommand.ts | 14 +- .../GetFunctionEventInvokeConfigCommand.ts | 14 +- .../GetFunctionRecursionConfigCommand.ts | 14 +- .../commands/GetFunctionUrlConfigCommand.ts | 14 +- .../commands/GetLayerVersionByArnCommand.ts | 14 +- .../src/commands/GetLayerVersionCommand.ts | 14 +- .../commands/GetLayerVersionPolicyCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../GetProvisionedConcurrencyConfigCommand.ts | 14 +- .../GetPublicAccessBlockConfigCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../GetRuntimeManagementConfigCommand.ts | 14 +- .../src/commands/InvokeAsyncCommand.ts | 14 +- .../src/commands/InvokeCommand.ts | 14 +- .../InvokeWithResponseStreamCommand.ts | 14 +- .../src/commands/ListAliasesCommand.ts | 14 +- .../commands/ListCodeSigningConfigsCommand.ts | 14 +- .../ListEventSourceMappingsCommand.ts | 14 +- .../ListFunctionEventInvokeConfigsCommand.ts | 14 +- .../commands/ListFunctionUrlConfigsCommand.ts | 14 +- ...ListFunctionsByCodeSigningConfigCommand.ts | 14 +- .../src/commands/ListFunctionsCommand.ts | 14 +- .../src/commands/ListLayerVersionsCommand.ts | 14 +- .../src/commands/ListLayersCommand.ts | 14 +- ...istProvisionedConcurrencyConfigsCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../commands/ListVersionsByFunctionCommand.ts | 14 +- .../commands/PublishLayerVersionCommand.ts | 14 +- .../src/commands/PublishVersionCommand.ts | 14 +- .../PutFunctionCodeSigningConfigCommand.ts | 14 +- .../commands/PutFunctionConcurrencyCommand.ts | 14 +- .../PutFunctionEventInvokeConfigCommand.ts | 14 +- .../PutFunctionRecursionConfigCommand.ts | 14 +- .../PutProvisionedConcurrencyConfigCommand.ts | 14 +- .../PutPublicAccessBlockConfigCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../PutRuntimeManagementConfigCommand.ts | 14 +- .../RemoveLayerVersionPermissionCommand.ts | 14 +- .../src/commands/RemovePermissionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAliasCommand.ts | 14 +- .../UpdateCodeSigningConfigCommand.ts | 14 +- .../UpdateEventSourceMappingCommand.ts | 14 +- .../src/commands/UpdateFunctionCodeCommand.ts | 14 +- .../UpdateFunctionConfigurationCommand.ts | 14 +- .../UpdateFunctionEventInvokeConfigCommand.ts | 14 +- .../UpdateFunctionUrlConfigCommand.ts | 14 +- clients/client-launch-wizard/package.json | 42 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../src/commands/DeleteDeploymentCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../src/commands/GetWorkloadCommand.ts | 14 +- .../GetWorkloadDeploymentPatternCommand.ts | 14 +- .../commands/ListDeploymentEventsCommand.ts | 14 +- .../src/commands/ListDeploymentsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListWorkloadDeploymentPatternsCommand.ts | 14 +- .../src/commands/ListWorkloadsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/CreateBotVersionCommand.ts | 14 +- .../commands/CreateIntentVersionCommand.ts | 14 +- .../commands/CreateSlotTypeVersionCommand.ts | 14 +- .../src/commands/DeleteBotAliasCommand.ts | 14 +- .../DeleteBotChannelAssociationCommand.ts | 14 +- .../src/commands/DeleteBotCommand.ts | 14 +- .../src/commands/DeleteBotVersionCommand.ts | 14 +- .../src/commands/DeleteIntentCommand.ts | 14 +- .../commands/DeleteIntentVersionCommand.ts | 14 +- .../src/commands/DeleteSlotTypeCommand.ts | 14 +- .../commands/DeleteSlotTypeVersionCommand.ts | 14 +- .../src/commands/DeleteUtterancesCommand.ts | 14 +- .../src/commands/GetBotAliasCommand.ts | 14 +- .../src/commands/GetBotAliasesCommand.ts | 14 +- .../GetBotChannelAssociationCommand.ts | 14 +- .../GetBotChannelAssociationsCommand.ts | 14 +- .../src/commands/GetBotCommand.ts | 14 +- .../src/commands/GetBotVersionsCommand.ts | 14 +- .../src/commands/GetBotsCommand.ts | 14 +- .../src/commands/GetBuiltinIntentCommand.ts | 14 +- .../src/commands/GetBuiltinIntentsCommand.ts | 14 +- .../commands/GetBuiltinSlotTypesCommand.ts | 14 +- .../src/commands/GetExportCommand.ts | 14 +- .../src/commands/GetImportCommand.ts | 14 +- .../src/commands/GetIntentCommand.ts | 14 +- .../src/commands/GetIntentVersionsCommand.ts | 14 +- .../src/commands/GetIntentsCommand.ts | 14 +- .../src/commands/GetMigrationCommand.ts | 14 +- .../src/commands/GetMigrationsCommand.ts | 14 +- .../src/commands/GetSlotTypeCommand.ts | 14 +- .../commands/GetSlotTypeVersionsCommand.ts | 14 +- .../src/commands/GetSlotTypesCommand.ts | 14 +- .../src/commands/GetUtterancesViewCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutBotAliasCommand.ts | 14 +- .../src/commands/PutBotCommand.ts | 14 +- .../src/commands/PutIntentCommand.ts | 14 +- .../src/commands/PutSlotTypeCommand.ts | 14 +- .../src/commands/StartImportCommand.ts | 14 +- .../src/commands/StartMigrationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-lex-models-v2/package.json | 44 +- .../BatchCreateCustomVocabularyItemCommand.ts | 14 +- .../BatchDeleteCustomVocabularyItemCommand.ts | 14 +- .../BatchUpdateCustomVocabularyItemCommand.ts | 14 +- .../src/commands/BuildBotLocaleCommand.ts | 14 +- .../src/commands/CreateBotAliasCommand.ts | 14 +- .../src/commands/CreateBotCommand.ts | 14 +- .../src/commands/CreateBotLocaleCommand.ts | 14 +- .../src/commands/CreateBotReplicaCommand.ts | 14 +- .../src/commands/CreateBotVersionCommand.ts | 14 +- .../src/commands/CreateExportCommand.ts | 14 +- .../src/commands/CreateIntentCommand.ts | 14 +- .../commands/CreateResourcePolicyCommand.ts | 14 +- .../CreateResourcePolicyStatementCommand.ts | 14 +- .../src/commands/CreateSlotCommand.ts | 14 +- .../src/commands/CreateSlotTypeCommand.ts | 14 +- .../CreateTestSetDiscrepancyReportCommand.ts | 14 +- .../src/commands/CreateUploadUrlCommand.ts | 14 +- .../src/commands/DeleteBotAliasCommand.ts | 14 +- .../src/commands/DeleteBotCommand.ts | 14 +- .../src/commands/DeleteBotLocaleCommand.ts | 14 +- .../src/commands/DeleteBotReplicaCommand.ts | 14 +- .../src/commands/DeleteBotVersionCommand.ts | 14 +- .../commands/DeleteCustomVocabularyCommand.ts | 14 +- .../src/commands/DeleteExportCommand.ts | 14 +- .../src/commands/DeleteImportCommand.ts | 14 +- .../src/commands/DeleteIntentCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../DeleteResourcePolicyStatementCommand.ts | 14 +- .../src/commands/DeleteSlotCommand.ts | 14 +- .../src/commands/DeleteSlotTypeCommand.ts | 14 +- .../src/commands/DeleteTestSetCommand.ts | 14 +- .../src/commands/DeleteUtterancesCommand.ts | 14 +- .../src/commands/DescribeBotAliasCommand.ts | 14 +- .../src/commands/DescribeBotCommand.ts | 14 +- .../src/commands/DescribeBotLocaleCommand.ts | 14 +- .../DescribeBotRecommendationCommand.ts | 14 +- .../src/commands/DescribeBotReplicaCommand.ts | 14 +- .../DescribeBotResourceGenerationCommand.ts | 14 +- .../src/commands/DescribeBotVersionCommand.ts | 14 +- ...DescribeCustomVocabularyMetadataCommand.ts | 14 +- .../src/commands/DescribeExportCommand.ts | 14 +- .../src/commands/DescribeImportCommand.ts | 14 +- .../src/commands/DescribeIntentCommand.ts | 14 +- .../commands/DescribeResourcePolicyCommand.ts | 14 +- .../src/commands/DescribeSlotCommand.ts | 14 +- .../src/commands/DescribeSlotTypeCommand.ts | 14 +- .../commands/DescribeTestExecutionCommand.ts | 14 +- .../src/commands/DescribeTestSetCommand.ts | 14 +- ...DescribeTestSetDiscrepancyReportCommand.ts | 14 +- .../DescribeTestSetGenerationCommand.ts | 14 +- .../src/commands/GenerateBotElementCommand.ts | 14 +- .../GetTestExecutionArtifactsUrlCommand.ts | 14 +- .../ListAggregatedUtterancesCommand.ts | 14 +- .../commands/ListBotAliasReplicasCommand.ts | 14 +- .../src/commands/ListBotAliasesCommand.ts | 14 +- .../src/commands/ListBotLocalesCommand.ts | 14 +- .../commands/ListBotRecommendationsCommand.ts | 14 +- .../src/commands/ListBotReplicasCommand.ts | 14 +- .../ListBotResourceGenerationsCommand.ts | 14 +- .../commands/ListBotVersionReplicasCommand.ts | 14 +- .../src/commands/ListBotVersionsCommand.ts | 14 +- .../src/commands/ListBotsCommand.ts | 14 +- .../src/commands/ListBuiltInIntentsCommand.ts | 14 +- .../commands/ListBuiltInSlotTypesCommand.ts | 14 +- .../ListCustomVocabularyItemsCommand.ts | 14 +- .../src/commands/ListExportsCommand.ts | 14 +- .../src/commands/ListImportsCommand.ts | 14 +- .../src/commands/ListIntentMetricsCommand.ts | 14 +- .../src/commands/ListIntentPathsCommand.ts | 14 +- .../commands/ListIntentStageMetricsCommand.ts | 14 +- .../src/commands/ListIntentsCommand.ts | 14 +- .../commands/ListRecommendedIntentsCommand.ts | 14 +- .../ListSessionAnalyticsDataCommand.ts | 14 +- .../src/commands/ListSessionMetricsCommand.ts | 14 +- .../src/commands/ListSlotTypesCommand.ts | 14 +- .../src/commands/ListSlotsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTestExecutionResultItemsCommand.ts | 14 +- .../src/commands/ListTestExecutionsCommand.ts | 14 +- .../src/commands/ListTestSetRecordsCommand.ts | 14 +- .../src/commands/ListTestSetsCommand.ts | 14 +- .../ListUtteranceAnalyticsDataCommand.ts | 14 +- .../commands/ListUtteranceMetricsCommand.ts | 14 +- .../SearchAssociatedTranscriptsCommand.ts | 14 +- .../commands/StartBotRecommendationCommand.ts | 14 +- .../StartBotResourceGenerationCommand.ts | 14 +- .../src/commands/StartImportCommand.ts | 14 +- .../src/commands/StartTestExecutionCommand.ts | 14 +- .../commands/StartTestSetGenerationCommand.ts | 14 +- .../commands/StopBotRecommendationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBotAliasCommand.ts | 14 +- .../src/commands/UpdateBotCommand.ts | 14 +- .../src/commands/UpdateBotLocaleCommand.ts | 14 +- .../UpdateBotRecommendationCommand.ts | 14 +- .../src/commands/UpdateExportCommand.ts | 14 +- .../src/commands/UpdateIntentCommand.ts | 14 +- .../commands/UpdateResourcePolicyCommand.ts | 14 +- .../src/commands/UpdateSlotCommand.ts | 14 +- .../src/commands/UpdateSlotTypeCommand.ts | 14 +- .../src/commands/UpdateTestSetCommand.ts | 14 +- .../client-lex-runtime-service/package.json | 44 +- .../src/commands/DeleteSessionCommand.ts | 14 +- .../src/commands/GetSessionCommand.ts | 14 +- .../src/commands/PostContentCommand.ts | 14 +- .../src/commands/PostTextCommand.ts | 14 +- .../src/commands/PutSessionCommand.ts | 14 +- clients/client-lex-runtime-v2/package.json | 50 +- .../src/commands/DeleteSessionCommand.ts | 14 +- .../src/commands/GetSessionCommand.ts | 14 +- .../src/commands/PutSessionCommand.ts | 14 +- .../src/commands/RecognizeTextCommand.ts | 14 +- .../src/commands/RecognizeUtteranceCommand.ts | 14 +- .../src/commands/StartConversationCommand.ts | 14 +- .../package.json | 42 +- .../DeregisterSubscriptionProviderCommand.ts | 14 +- ...etRegisteredSubscriptionProviderCommand.ts | 14 +- .../src/commands/GetServiceSettingsCommand.ts | 14 +- .../ListLinuxSubscriptionInstancesCommand.ts | 14 +- .../commands/ListLinuxSubscriptionsCommand.ts | 14 +- ...tRegisteredSubscriptionProvidersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../RegisterSubscriptionProviderCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateServiceSettingsCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/AssociateUserCommand.ts | 14 +- .../DeregisterIdentityProviderCommand.ts | 14 +- .../src/commands/DisassociateUserCommand.ts | 14 +- .../commands/ListIdentityProvidersCommand.ts | 14 +- .../src/commands/ListInstancesCommand.ts | 14 +- .../ListProductSubscriptionsCommand.ts | 14 +- .../commands/ListUserAssociationsCommand.ts | 14 +- .../RegisterIdentityProviderCommand.ts | 14 +- .../StartProductSubscriptionCommand.ts | 14 +- .../StopProductSubscriptionCommand.ts | 14 +- .../UpdateIdentityProviderSettingsCommand.ts | 14 +- clients/client-license-manager/package.json | 42 +- .../src/commands/AcceptGrantCommand.ts | 14 +- .../src/commands/CheckInLicenseCommand.ts | 14 +- .../commands/CheckoutBorrowLicenseCommand.ts | 14 +- .../src/commands/CheckoutLicenseCommand.ts | 14 +- .../src/commands/CreateGrantCommand.ts | 14 +- .../src/commands/CreateGrantVersionCommand.ts | 14 +- .../src/commands/CreateLicenseCommand.ts | 14 +- .../CreateLicenseConfigurationCommand.ts | 14 +- ...LicenseConversionTaskForResourceCommand.ts | 14 +- ...ateLicenseManagerReportGeneratorCommand.ts | 14 +- .../commands/CreateLicenseVersionCommand.ts | 14 +- .../src/commands/CreateTokenCommand.ts | 14 +- .../src/commands/DeleteGrantCommand.ts | 14 +- .../src/commands/DeleteLicenseCommand.ts | 14 +- .../DeleteLicenseConfigurationCommand.ts | 14 +- ...eteLicenseManagerReportGeneratorCommand.ts | 14 +- .../src/commands/DeleteTokenCommand.ts | 14 +- .../ExtendLicenseConsumptionCommand.ts | 14 +- .../src/commands/GetAccessTokenCommand.ts | 14 +- .../src/commands/GetGrantCommand.ts | 14 +- .../src/commands/GetLicenseCommand.ts | 14 +- .../GetLicenseConfigurationCommand.ts | 14 +- .../GetLicenseConversionTaskCommand.ts | 14 +- ...GetLicenseManagerReportGeneratorCommand.ts | 14 +- .../src/commands/GetLicenseUsageCommand.ts | 14 +- .../src/commands/GetServiceSettingsCommand.ts | 14 +- ...ociationsForLicenseConfigurationCommand.ts | 14 +- .../commands/ListDistributedGrantsCommand.ts | 14 +- ...orLicenseConfigurationOperationsCommand.ts | 14 +- .../ListLicenseConfigurationsCommand.ts | 14 +- .../ListLicenseConversionTasksCommand.ts | 14 +- ...stLicenseManagerReportGeneratorsCommand.ts | 14 +- ...LicenseSpecificationsForResourceCommand.ts | 14 +- .../commands/ListLicenseVersionsCommand.ts | 14 +- .../src/commands/ListLicensesCommand.ts | 14 +- .../src/commands/ListReceivedGrantsCommand.ts | 14 +- ...istReceivedGrantsForOrganizationCommand.ts | 14 +- .../commands/ListReceivedLicensesCommand.ts | 14 +- ...tReceivedLicensesForOrganizationCommand.ts | 14 +- .../commands/ListResourceInventoryCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTokensCommand.ts | 14 +- ...ListUsageForLicenseConfigurationCommand.ts | 14 +- .../src/commands/RejectGrantCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateLicenseConfigurationCommand.ts | 14 +- ...ateLicenseManagerReportGeneratorCommand.ts | 14 +- ...LicenseSpecificationsForResourceCommand.ts | 14 +- .../commands/UpdateServiceSettingsCommand.ts | 14 +- clients/client-lightsail/package.json | 42 +- .../src/commands/AllocateStaticIpCommand.ts | 14 +- .../AttachCertificateToDistributionCommand.ts | 14 +- .../src/commands/AttachDiskCommand.ts | 14 +- .../AttachInstancesToLoadBalancerCommand.ts | 14 +- ...AttachLoadBalancerTlsCertificateCommand.ts | 14 +- .../src/commands/AttachStaticIpCommand.ts | 14 +- .../CloseInstancePublicPortsCommand.ts | 14 +- .../src/commands/CopySnapshotCommand.ts | 14 +- .../commands/CreateBucketAccessKeyCommand.ts | 14 +- .../src/commands/CreateBucketCommand.ts | 14 +- .../src/commands/CreateCertificateCommand.ts | 14 +- .../CreateCloudFormationStackCommand.ts | 14 +- .../commands/CreateContactMethodCommand.ts | 14 +- .../commands/CreateContainerServiceCommand.ts | 14 +- ...CreateContainerServiceDeploymentCommand.ts | 14 +- ...ateContainerServiceRegistryLoginCommand.ts | 14 +- .../src/commands/CreateDiskCommand.ts | 14 +- .../commands/CreateDiskFromSnapshotCommand.ts | 14 +- .../src/commands/CreateDiskSnapshotCommand.ts | 14 +- .../src/commands/CreateDistributionCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../src/commands/CreateDomainEntryCommand.ts | 14 +- .../CreateGUISessionAccessDetailsCommand.ts | 14 +- .../commands/CreateInstanceSnapshotCommand.ts | 14 +- .../src/commands/CreateInstancesCommand.ts | 14 +- .../CreateInstancesFromSnapshotCommand.ts | 14 +- .../src/commands/CreateKeyPairCommand.ts | 14 +- .../src/commands/CreateLoadBalancerCommand.ts | 14 +- ...CreateLoadBalancerTlsCertificateCommand.ts | 14 +- .../CreateRelationalDatabaseCommand.ts | 14 +- ...teRelationalDatabaseFromSnapshotCommand.ts | 14 +- ...CreateRelationalDatabaseSnapshotCommand.ts | 14 +- .../src/commands/DeleteAlarmCommand.ts | 14 +- .../src/commands/DeleteAutoSnapshotCommand.ts | 14 +- .../commands/DeleteBucketAccessKeyCommand.ts | 14 +- .../src/commands/DeleteBucketCommand.ts | 14 +- .../src/commands/DeleteCertificateCommand.ts | 14 +- .../commands/DeleteContactMethodCommand.ts | 14 +- .../commands/DeleteContainerImageCommand.ts | 14 +- .../commands/DeleteContainerServiceCommand.ts | 14 +- .../src/commands/DeleteDiskCommand.ts | 14 +- .../src/commands/DeleteDiskSnapshotCommand.ts | 14 +- .../src/commands/DeleteDistributionCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../src/commands/DeleteDomainEntryCommand.ts | 14 +- .../src/commands/DeleteInstanceCommand.ts | 14 +- .../commands/DeleteInstanceSnapshotCommand.ts | 14 +- .../src/commands/DeleteKeyPairCommand.ts | 14 +- .../commands/DeleteKnownHostKeysCommand.ts | 14 +- .../src/commands/DeleteLoadBalancerCommand.ts | 14 +- ...DeleteLoadBalancerTlsCertificateCommand.ts | 14 +- .../DeleteRelationalDatabaseCommand.ts | 14 +- ...DeleteRelationalDatabaseSnapshotCommand.ts | 14 +- ...etachCertificateFromDistributionCommand.ts | 14 +- .../src/commands/DetachDiskCommand.ts | 14 +- .../DetachInstancesFromLoadBalancerCommand.ts | 14 +- .../src/commands/DetachStaticIpCommand.ts | 14 +- .../src/commands/DisableAddOnCommand.ts | 14 +- .../commands/DownloadDefaultKeyPairCommand.ts | 14 +- .../src/commands/EnableAddOnCommand.ts | 14 +- .../src/commands/ExportSnapshotCommand.ts | 14 +- .../src/commands/GetActiveNamesCommand.ts | 14 +- .../src/commands/GetAlarmsCommand.ts | 14 +- .../src/commands/GetAutoSnapshotsCommand.ts | 14 +- .../src/commands/GetBlueprintsCommand.ts | 14 +- .../commands/GetBucketAccessKeysCommand.ts | 14 +- .../src/commands/GetBucketBundlesCommand.ts | 14 +- .../commands/GetBucketMetricDataCommand.ts | 14 +- .../src/commands/GetBucketsCommand.ts | 14 +- .../src/commands/GetBundlesCommand.ts | 14 +- .../src/commands/GetCertificatesCommand.ts | 14 +- .../GetCloudFormationStackRecordsCommand.ts | 14 +- .../src/commands/GetContactMethodsCommand.ts | 14 +- .../GetContainerAPIMetadataCommand.ts | 14 +- .../src/commands/GetContainerImagesCommand.ts | 14 +- .../src/commands/GetContainerLogCommand.ts | 14 +- .../GetContainerServiceDeploymentsCommand.ts | 14 +- .../GetContainerServiceMetricDataCommand.ts | 14 +- .../GetContainerServicePowersCommand.ts | 14 +- .../commands/GetContainerServicesCommand.ts | 14 +- .../src/commands/GetCostEstimateCommand.ts | 14 +- .../src/commands/GetDiskCommand.ts | 14 +- .../src/commands/GetDiskSnapshotCommand.ts | 14 +- .../src/commands/GetDiskSnapshotsCommand.ts | 14 +- .../src/commands/GetDisksCommand.ts | 14 +- .../commands/GetDistributionBundlesCommand.ts | 14 +- .../GetDistributionLatestCacheResetCommand.ts | 14 +- .../GetDistributionMetricDataCommand.ts | 14 +- .../src/commands/GetDistributionsCommand.ts | 14 +- .../src/commands/GetDomainCommand.ts | 14 +- .../src/commands/GetDomainsCommand.ts | 14 +- .../GetExportSnapshotRecordsCommand.ts | 14 +- .../GetInstanceAccessDetailsCommand.ts | 14 +- .../src/commands/GetInstanceCommand.ts | 14 +- .../commands/GetInstanceMetricDataCommand.ts | 14 +- .../commands/GetInstancePortStatesCommand.ts | 14 +- .../commands/GetInstanceSnapshotCommand.ts | 14 +- .../commands/GetInstanceSnapshotsCommand.ts | 14 +- .../src/commands/GetInstanceStateCommand.ts | 14 +- .../src/commands/GetInstancesCommand.ts | 14 +- .../src/commands/GetKeyPairCommand.ts | 14 +- .../src/commands/GetKeyPairsCommand.ts | 14 +- .../src/commands/GetLoadBalancerCommand.ts | 14 +- .../GetLoadBalancerMetricDataCommand.ts | 14 +- .../GetLoadBalancerTlsCertificatesCommand.ts | 14 +- .../GetLoadBalancerTlsPoliciesCommand.ts | 14 +- .../src/commands/GetLoadBalancersCommand.ts | 14 +- .../src/commands/GetOperationCommand.ts | 14 +- .../src/commands/GetOperationsCommand.ts | 14 +- .../GetOperationsForResourceCommand.ts | 14 +- .../src/commands/GetRegionsCommand.ts | 14 +- .../GetRelationalDatabaseBlueprintsCommand.ts | 14 +- .../GetRelationalDatabaseBundlesCommand.ts | 14 +- .../commands/GetRelationalDatabaseCommand.ts | 14 +- .../GetRelationalDatabaseEventsCommand.ts | 14 +- .../GetRelationalDatabaseLogEventsCommand.ts | 14 +- .../GetRelationalDatabaseLogStreamsCommand.ts | 14 +- ...tionalDatabaseMasterUserPasswordCommand.ts | 14 +- .../GetRelationalDatabaseMetricDataCommand.ts | 14 +- .../GetRelationalDatabaseParametersCommand.ts | 14 +- .../GetRelationalDatabaseSnapshotCommand.ts | 14 +- .../GetRelationalDatabaseSnapshotsCommand.ts | 14 +- .../commands/GetRelationalDatabasesCommand.ts | 14 +- .../src/commands/GetSetupHistoryCommand.ts | 14 +- .../src/commands/GetStaticIpCommand.ts | 14 +- .../src/commands/GetStaticIpsCommand.ts | 14 +- .../src/commands/ImportKeyPairCommand.ts | 14 +- .../src/commands/IsVpcPeeredCommand.ts | 14 +- .../OpenInstancePublicPortsCommand.ts | 14 +- .../src/commands/PeerVpcCommand.ts | 14 +- .../src/commands/PutAlarmCommand.ts | 14 +- .../commands/PutInstancePublicPortsCommand.ts | 14 +- .../src/commands/RebootInstanceCommand.ts | 14 +- .../RebootRelationalDatabaseCommand.ts | 14 +- .../commands/RegisterContainerImageCommand.ts | 14 +- .../src/commands/ReleaseStaticIpCommand.ts | 14 +- .../commands/ResetDistributionCacheCommand.ts | 14 +- .../SendContactMethodVerificationCommand.ts | 14 +- .../src/commands/SetIpAddressTypeCommand.ts | 14 +- .../SetResourceAccessForBucketCommand.ts | 14 +- .../src/commands/SetupInstanceHttpsCommand.ts | 14 +- .../src/commands/StartGUISessionCommand.ts | 14 +- .../src/commands/StartInstanceCommand.ts | 14 +- .../StartRelationalDatabaseCommand.ts | 14 +- .../src/commands/StopGUISessionCommand.ts | 14 +- .../src/commands/StopInstanceCommand.ts | 14 +- .../commands/StopRelationalDatabaseCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestAlarmCommand.ts | 14 +- .../src/commands/UnpeerVpcCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBucketBundleCommand.ts | 14 +- .../src/commands/UpdateBucketCommand.ts | 14 +- .../commands/UpdateContainerServiceCommand.ts | 14 +- .../UpdateDistributionBundleCommand.ts | 14 +- .../src/commands/UpdateDistributionCommand.ts | 14 +- .../src/commands/UpdateDomainEntryCommand.ts | 14 +- .../UpdateInstanceMetadataOptionsCommand.ts | 14 +- .../UpdateLoadBalancerAttributeCommand.ts | 14 +- .../UpdateRelationalDatabaseCommand.ts | 14 +- ...dateRelationalDatabaseParametersCommand.ts | 14 +- clients/client-location/package.json | 44 +- .../AssociateTrackerConsumerCommand.ts | 14 +- ...BatchDeleteDevicePositionHistoryCommand.ts | 14 +- .../commands/BatchDeleteGeofenceCommand.ts | 14 +- .../commands/BatchEvaluateGeofencesCommand.ts | 14 +- .../commands/BatchGetDevicePositionCommand.ts | 14 +- .../src/commands/BatchPutGeofenceCommand.ts | 14 +- .../BatchUpdateDevicePositionCommand.ts | 14 +- .../src/commands/CalculateRouteCommand.ts | 14 +- .../commands/CalculateRouteMatrixCommand.ts | 14 +- .../CreateGeofenceCollectionCommand.ts | 14 +- .../src/commands/CreateKeyCommand.ts | 14 +- .../src/commands/CreateMapCommand.ts | 14 +- .../src/commands/CreatePlaceIndexCommand.ts | 14 +- .../commands/CreateRouteCalculatorCommand.ts | 14 +- .../src/commands/CreateTrackerCommand.ts | 14 +- .../DeleteGeofenceCollectionCommand.ts | 14 +- .../src/commands/DeleteKeyCommand.ts | 14 +- .../src/commands/DeleteMapCommand.ts | 14 +- .../src/commands/DeletePlaceIndexCommand.ts | 14 +- .../commands/DeleteRouteCalculatorCommand.ts | 14 +- .../src/commands/DeleteTrackerCommand.ts | 14 +- .../DescribeGeofenceCollectionCommand.ts | 14 +- .../src/commands/DescribeKeyCommand.ts | 14 +- .../src/commands/DescribeMapCommand.ts | 14 +- .../src/commands/DescribePlaceIndexCommand.ts | 14 +- .../DescribeRouteCalculatorCommand.ts | 14 +- .../src/commands/DescribeTrackerCommand.ts | 14 +- .../DisassociateTrackerConsumerCommand.ts | 14 +- .../commands/ForecastGeofenceEventsCommand.ts | 14 +- .../src/commands/GetDevicePositionCommand.ts | 14 +- .../GetDevicePositionHistoryCommand.ts | 14 +- .../src/commands/GetGeofenceCommand.ts | 14 +- .../src/commands/GetMapGlyphsCommand.ts | 14 +- .../src/commands/GetMapSpritesCommand.ts | 14 +- .../commands/GetMapStyleDescriptorCommand.ts | 14 +- .../src/commands/GetMapTileCommand.ts | 14 +- .../src/commands/GetPlaceCommand.ts | 14 +- .../commands/ListDevicePositionsCommand.ts | 14 +- .../ListGeofenceCollectionsCommand.ts | 14 +- .../src/commands/ListGeofencesCommand.ts | 14 +- .../src/commands/ListKeysCommand.ts | 14 +- .../src/commands/ListMapsCommand.ts | 14 +- .../src/commands/ListPlaceIndexesCommand.ts | 14 +- .../commands/ListRouteCalculatorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTrackerConsumersCommand.ts | 14 +- .../src/commands/ListTrackersCommand.ts | 14 +- .../src/commands/PutGeofenceCommand.ts | 14 +- .../SearchPlaceIndexForPositionCommand.ts | 14 +- .../SearchPlaceIndexForSuggestionsCommand.ts | 14 +- .../SearchPlaceIndexForTextCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateGeofenceCollectionCommand.ts | 14 +- .../src/commands/UpdateKeyCommand.ts | 14 +- .../src/commands/UpdateMapCommand.ts | 14 +- .../src/commands/UpdatePlaceIndexCommand.ts | 14 +- .../commands/UpdateRouteCalculatorCommand.ts | 14 +- .../src/commands/UpdateTrackerCommand.ts | 14 +- .../commands/VerifyDevicePositionCommand.ts | 14 +- clients/client-lookoutequipment/package.json | 42 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../CreateInferenceSchedulerCommand.ts | 14 +- .../src/commands/CreateLabelCommand.ts | 14 +- .../src/commands/CreateLabelGroupCommand.ts | 14 +- .../src/commands/CreateModelCommand.ts | 14 +- .../CreateRetrainingSchedulerCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../DeleteInferenceSchedulerCommand.ts | 14 +- .../src/commands/DeleteLabelCommand.ts | 14 +- .../src/commands/DeleteLabelGroupCommand.ts | 14 +- .../src/commands/DeleteModelCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../DeleteRetrainingSchedulerCommand.ts | 14 +- .../DescribeDataIngestionJobCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../DescribeInferenceSchedulerCommand.ts | 14 +- .../src/commands/DescribeLabelCommand.ts | 14 +- .../src/commands/DescribeLabelGroupCommand.ts | 14 +- .../src/commands/DescribeModelCommand.ts | 14 +- .../commands/DescribeModelVersionCommand.ts | 14 +- .../commands/DescribeResourcePolicyCommand.ts | 14 +- .../DescribeRetrainingSchedulerCommand.ts | 14 +- .../src/commands/ImportDatasetCommand.ts | 14 +- .../src/commands/ImportModelVersionCommand.ts | 14 +- .../commands/ListDataIngestionJobsCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../commands/ListInferenceEventsCommand.ts | 14 +- .../ListInferenceExecutionsCommand.ts | 14 +- .../ListInferenceSchedulersCommand.ts | 14 +- .../src/commands/ListLabelGroupsCommand.ts | 14 +- .../src/commands/ListLabelsCommand.ts | 14 +- .../src/commands/ListModelVersionsCommand.ts | 14 +- .../src/commands/ListModelsCommand.ts | 14 +- .../ListRetrainingSchedulersCommand.ts | 14 +- .../commands/ListSensorStatisticsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../commands/StartDataIngestionJobCommand.ts | 14 +- .../StartInferenceSchedulerCommand.ts | 14 +- .../StartRetrainingSchedulerCommand.ts | 14 +- .../commands/StopInferenceSchedulerCommand.ts | 14 +- .../StopRetrainingSchedulerCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateActiveModelVersionCommand.ts | 14 +- .../UpdateInferenceSchedulerCommand.ts | 14 +- .../src/commands/UpdateLabelGroupCommand.ts | 14 +- .../src/commands/UpdateModelCommand.ts | 14 +- .../UpdateRetrainingSchedulerCommand.ts | 14 +- clients/client-lookoutmetrics/package.json | 42 +- .../ActivateAnomalyDetectorCommand.ts | 14 +- .../BackTestAnomalyDetectorCommand.ts | 14 +- .../src/commands/CreateAlertCommand.ts | 14 +- .../commands/CreateAnomalyDetectorCommand.ts | 14 +- .../src/commands/CreateMetricSetCommand.ts | 14 +- .../DeactivateAnomalyDetectorCommand.ts | 14 +- .../src/commands/DeleteAlertCommand.ts | 14 +- .../commands/DeleteAnomalyDetectorCommand.ts | 14 +- .../src/commands/DescribeAlertCommand.ts | 14 +- ...scribeAnomalyDetectionExecutionsCommand.ts | 14 +- .../DescribeAnomalyDetectorCommand.ts | 14 +- .../src/commands/DescribeMetricSetCommand.ts | 14 +- .../commands/DetectMetricSetConfigCommand.ts | 14 +- .../src/commands/GetAnomalyGroupCommand.ts | 14 +- .../commands/GetDataQualityMetricsCommand.ts | 14 +- .../src/commands/GetFeedbackCommand.ts | 14 +- .../src/commands/GetSampleDataCommand.ts | 14 +- .../src/commands/ListAlertsCommand.ts | 14 +- .../commands/ListAnomalyDetectorsCommand.ts | 14 +- .../ListAnomalyGroupRelatedMetricsCommand.ts | 14 +- .../ListAnomalyGroupSummariesCommand.ts | 14 +- .../ListAnomalyGroupTimeSeriesCommand.ts | 14 +- .../src/commands/ListMetricSetsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutFeedbackCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAlertCommand.ts | 14 +- .../commands/UpdateAnomalyDetectorCommand.ts | 14 +- .../src/commands/UpdateMetricSetCommand.ts | 14 +- clients/client-lookoutvision/package.json | 42 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../src/commands/CreateModelCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../src/commands/DeleteModelCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../src/commands/DescribeModelCommand.ts | 14 +- .../DescribeModelPackagingJobCommand.ts | 14 +- .../src/commands/DescribeProjectCommand.ts | 14 +- .../src/commands/DetectAnomaliesCommand.ts | 14 +- .../src/commands/ListDatasetEntriesCommand.ts | 14 +- .../commands/ListModelPackagingJobsCommand.ts | 14 +- .../src/commands/ListModelsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartModelCommand.ts | 14 +- .../commands/StartModelPackagingJobCommand.ts | 14 +- .../src/commands/StopModelCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateDatasetEntriesCommand.ts | 14 +- clients/client-m2/package.json | 42 +- .../CancelBatchJobExecutionCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../CreateDataSetImportTaskCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- ...DeleteApplicationFromEnvironmentCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../commands/GetApplicationVersionCommand.ts | 14 +- .../commands/GetBatchJobExecutionCommand.ts | 14 +- .../src/commands/GetDataSetDetailsCommand.ts | 14 +- .../commands/GetDataSetImportTaskCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../GetSignedBluinsightsUrlCommand.ts | 14 +- .../ListApplicationVersionsCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../ListBatchJobDefinitionsCommand.ts | 14 +- .../commands/ListBatchJobExecutionsCommand.ts | 14 +- .../ListBatchJobRestartPointsCommand.ts | 14 +- .../ListDataSetImportHistoryCommand.ts | 14 +- .../src/commands/ListDataSetsCommand.ts | 14 +- .../src/commands/ListDeploymentsCommand.ts | 14 +- .../src/commands/ListEngineVersionsCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartApplicationCommand.ts | 14 +- .../src/commands/StartBatchJobCommand.ts | 14 +- .../src/commands/StopApplicationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- clients/client-machine-learning/package.json | 44 +- .../src/commands/AddTagsCommand.ts | 14 +- .../commands/CreateBatchPredictionCommand.ts | 14 +- .../CreateDataSourceFromRDSCommand.ts | 14 +- .../CreateDataSourceFromRedshiftCommand.ts | 14 +- .../commands/CreateDataSourceFromS3Command.ts | 14 +- .../src/commands/CreateEvaluationCommand.ts | 14 +- .../src/commands/CreateMLModelCommand.ts | 14 +- .../commands/CreateRealtimeEndpointCommand.ts | 14 +- .../commands/DeleteBatchPredictionCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteEvaluationCommand.ts | 14 +- .../src/commands/DeleteMLModelCommand.ts | 14 +- .../commands/DeleteRealtimeEndpointCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../DescribeBatchPredictionsCommand.ts | 14 +- .../commands/DescribeDataSourcesCommand.ts | 14 +- .../commands/DescribeEvaluationsCommand.ts | 14 +- .../src/commands/DescribeMLModelsCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../src/commands/GetBatchPredictionCommand.ts | 14 +- .../src/commands/GetDataSourceCommand.ts | 14 +- .../src/commands/GetEvaluationCommand.ts | 14 +- .../src/commands/GetMLModelCommand.ts | 14 +- .../src/commands/PredictCommand.ts | 14 +- .../commands/UpdateBatchPredictionCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../src/commands/UpdateEvaluationCommand.ts | 14 +- .../src/commands/UpdateMLModelCommand.ts | 14 +- clients/client-macie2/package.json | 44 +- .../src/commands/AcceptInvitationCommand.ts | 14 +- .../BatchGetCustomDataIdentifiersCommand.ts | 14 +- ...UpdateAutomatedDiscoveryAccountsCommand.ts | 14 +- .../src/commands/CreateAllowListCommand.ts | 14 +- .../CreateClassificationJobCommand.ts | 14 +- .../CreateCustomDataIdentifierCommand.ts | 14 +- .../commands/CreateFindingsFilterCommand.ts | 14 +- .../src/commands/CreateInvitationsCommand.ts | 14 +- .../src/commands/CreateMemberCommand.ts | 14 +- .../commands/CreateSampleFindingsCommand.ts | 14 +- .../src/commands/DeclineInvitationsCommand.ts | 14 +- .../src/commands/DeleteAllowListCommand.ts | 14 +- .../DeleteCustomDataIdentifierCommand.ts | 14 +- .../commands/DeleteFindingsFilterCommand.ts | 14 +- .../src/commands/DeleteInvitationsCommand.ts | 14 +- .../src/commands/DeleteMemberCommand.ts | 14 +- .../src/commands/DescribeBucketsCommand.ts | 14 +- .../DescribeClassificationJobCommand.ts | 14 +- ...escribeOrganizationConfigurationCommand.ts | 14 +- .../src/commands/DisableMacieCommand.ts | 14 +- .../DisableOrganizationAdminAccountCommand.ts | 14 +- ...ssociateFromAdministratorAccountCommand.ts | 14 +- .../DisassociateFromMasterAccountCommand.ts | 14 +- .../src/commands/DisassociateMemberCommand.ts | 14 +- .../src/commands/EnableMacieCommand.ts | 14 +- .../EnableOrganizationAdminAccountCommand.ts | 14 +- .../GetAdministratorAccountCommand.ts | 14 +- .../src/commands/GetAllowListCommand.ts | 14 +- ...tAutomatedDiscoveryConfigurationCommand.ts | 14 +- .../commands/GetBucketStatisticsCommand.ts | 14 +- ...lassificationExportConfigurationCommand.ts | 14 +- .../commands/GetClassificationScopeCommand.ts | 14 +- .../GetCustomDataIdentifierCommand.ts | 14 +- .../commands/GetFindingStatisticsCommand.ts | 14 +- .../src/commands/GetFindingsCommand.ts | 14 +- .../src/commands/GetFindingsFilterCommand.ts | 14 +- ...FindingsPublicationConfigurationCommand.ts | 14 +- .../commands/GetInvitationsCountCommand.ts | 14 +- .../src/commands/GetMacieSessionCommand.ts | 14 +- .../src/commands/GetMasterAccountCommand.ts | 14 +- .../src/commands/GetMemberCommand.ts | 14 +- .../src/commands/GetResourceProfileCommand.ts | 14 +- .../commands/GetRevealConfigurationCommand.ts | 14 +- ...itiveDataOccurrencesAvailabilityCommand.ts | 14 +- .../GetSensitiveDataOccurrencesCommand.ts | 14 +- ...GetSensitivityInspectionTemplateCommand.ts | 14 +- .../src/commands/GetUsageStatisticsCommand.ts | 14 +- .../src/commands/GetUsageTotalsCommand.ts | 14 +- .../src/commands/ListAllowListsCommand.ts | 14 +- .../ListAutomatedDiscoveryAccountsCommand.ts | 14 +- .../commands/ListClassificationJobsCommand.ts | 14 +- .../ListClassificationScopesCommand.ts | 14 +- .../ListCustomDataIdentifiersCommand.ts | 14 +- .../src/commands/ListFindingsCommand.ts | 14 +- .../commands/ListFindingsFiltersCommand.ts | 14 +- .../src/commands/ListInvitationsCommand.ts | 14 +- .../ListManagedDataIdentifiersCommand.ts | 14 +- .../src/commands/ListMembersCommand.ts | 14 +- .../ListOrganizationAdminAccountsCommand.ts | 14 +- .../ListResourceProfileArtifactsCommand.ts | 14 +- .../ListResourceProfileDetectionsCommand.ts | 14 +- ...stSensitivityInspectionTemplatesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...lassificationExportConfigurationCommand.ts | 14 +- ...FindingsPublicationConfigurationCommand.ts | 14 +- .../src/commands/SearchResourcesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TestCustomDataIdentifierCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAllowListCommand.ts | 14 +- ...eAutomatedDiscoveryConfigurationCommand.ts | 14 +- .../UpdateClassificationJobCommand.ts | 14 +- .../UpdateClassificationScopeCommand.ts | 14 +- .../commands/UpdateFindingsFilterCommand.ts | 14 +- .../src/commands/UpdateMacieSessionCommand.ts | 14 +- .../commands/UpdateMemberSessionCommand.ts | 14 +- .../UpdateOrganizationConfigurationCommand.ts | 14 +- .../commands/UpdateResourceProfileCommand.ts | 14 +- .../UpdateResourceProfileDetectionsCommand.ts | 14 +- .../UpdateRevealConfigurationCommand.ts | 14 +- ...ateSensitivityInspectionTemplateCommand.ts | 14 +- clients/client-mailmanager/package.json | 42 +- .../commands/CreateAddonInstanceCommand.ts | 14 +- .../CreateAddonSubscriptionCommand.ts | 14 +- .../src/commands/CreateArchiveCommand.ts | 14 +- .../src/commands/CreateIngressPointCommand.ts | 14 +- .../src/commands/CreateRelayCommand.ts | 14 +- .../src/commands/CreateRuleSetCommand.ts | 14 +- .../commands/CreateTrafficPolicyCommand.ts | 14 +- .../commands/DeleteAddonInstanceCommand.ts | 14 +- .../DeleteAddonSubscriptionCommand.ts | 14 +- .../src/commands/DeleteArchiveCommand.ts | 14 +- .../src/commands/DeleteIngressPointCommand.ts | 14 +- .../src/commands/DeleteRelayCommand.ts | 14 +- .../src/commands/DeleteRuleSetCommand.ts | 14 +- .../commands/DeleteTrafficPolicyCommand.ts | 14 +- .../src/commands/GetAddonInstanceCommand.ts | 14 +- .../commands/GetAddonSubscriptionCommand.ts | 14 +- .../src/commands/GetArchiveCommand.ts | 14 +- .../src/commands/GetArchiveExportCommand.ts | 14 +- .../src/commands/GetArchiveMessageCommand.ts | 14 +- .../GetArchiveMessageContentCommand.ts | 14 +- .../src/commands/GetArchiveSearchCommand.ts | 14 +- .../GetArchiveSearchResultsCommand.ts | 14 +- .../src/commands/GetIngressPointCommand.ts | 14 +- .../src/commands/GetRelayCommand.ts | 14 +- .../src/commands/GetRuleSetCommand.ts | 14 +- .../src/commands/GetTrafficPolicyCommand.ts | 14 +- .../src/commands/ListAddonInstancesCommand.ts | 14 +- .../commands/ListAddonSubscriptionsCommand.ts | 14 +- .../src/commands/ListArchiveExportsCommand.ts | 14 +- .../commands/ListArchiveSearchesCommand.ts | 14 +- .../src/commands/ListArchivesCommand.ts | 14 +- .../src/commands/ListIngressPointsCommand.ts | 14 +- .../src/commands/ListRelaysCommand.ts | 14 +- .../src/commands/ListRuleSetsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTrafficPoliciesCommand.ts | 14 +- .../src/commands/StartArchiveExportCommand.ts | 14 +- .../src/commands/StartArchiveSearchCommand.ts | 14 +- .../src/commands/StopArchiveExportCommand.ts | 14 +- .../src/commands/StopArchiveSearchCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateArchiveCommand.ts | 14 +- .../src/commands/UpdateIngressPointCommand.ts | 14 +- .../src/commands/UpdateRelayCommand.ts | 14 +- .../src/commands/UpdateRuleSetCommand.ts | 14 +- .../commands/UpdateTrafficPolicyCommand.ts | 14 +- .../package.json | 42 +- .../commands/BatchGetTokenBalanceCommand.ts | 14 +- .../src/commands/GetAssetContractCommand.ts | 14 +- .../src/commands/GetTokenBalanceCommand.ts | 14 +- .../src/commands/GetTransactionCommand.ts | 14 +- .../src/commands/ListAssetContractsCommand.ts | 14 +- .../ListFilteredTransactionEventsCommand.ts | 14 +- .../src/commands/ListTokenBalancesCommand.ts | 14 +- .../commands/ListTransactionEventsCommand.ts | 14 +- .../src/commands/ListTransactionsCommand.ts | 14 +- clients/client-managedblockchain/package.json | 42 +- .../src/commands/CreateAccessorCommand.ts | 14 +- .../src/commands/CreateMemberCommand.ts | 14 +- .../src/commands/CreateNetworkCommand.ts | 14 +- .../src/commands/CreateNodeCommand.ts | 14 +- .../src/commands/CreateProposalCommand.ts | 14 +- .../src/commands/DeleteAccessorCommand.ts | 14 +- .../src/commands/DeleteMemberCommand.ts | 14 +- .../src/commands/DeleteNodeCommand.ts | 14 +- .../src/commands/GetAccessorCommand.ts | 14 +- .../src/commands/GetMemberCommand.ts | 14 +- .../src/commands/GetNetworkCommand.ts | 14 +- .../src/commands/GetNodeCommand.ts | 14 +- .../src/commands/GetProposalCommand.ts | 14 +- .../src/commands/ListAccessorsCommand.ts | 14 +- .../src/commands/ListInvitationsCommand.ts | 14 +- .../src/commands/ListMembersCommand.ts | 14 +- .../src/commands/ListNetworksCommand.ts | 14 +- .../src/commands/ListNodesCommand.ts | 14 +- .../src/commands/ListProposalVotesCommand.ts | 14 +- .../src/commands/ListProposalsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RejectInvitationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateMemberCommand.ts | 14 +- .../src/commands/UpdateNodeCommand.ts | 14 +- .../src/commands/VoteOnProposalCommand.ts | 14 +- .../client-marketplace-agreement/package.json | 42 +- .../src/commands/DescribeAgreementCommand.ts | 14 +- .../src/commands/GetAgreementTermsCommand.ts | 14 +- .../src/commands/SearchAgreementsCommand.ts | 14 +- .../client-marketplace-catalog/package.json | 42 +- .../commands/BatchDescribeEntitiesCommand.ts | 14 +- .../src/commands/CancelChangeSetCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DescribeChangeSetCommand.ts | 14 +- .../src/commands/DescribeEntityCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/ListChangeSetsCommand.ts | 14 +- .../src/commands/ListEntitiesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/StartChangeSetCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/GenerateDataSetCommand.ts | 14 +- .../commands/StartSupportDataExportCommand.ts | 14 +- .../package.json | 42 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/PutDeploymentParameterCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/GetEntitlementsCommand.ts | 14 +- .../client-marketplace-metering/package.json | 42 +- .../src/commands/BatchMeterUsageCommand.ts | 14 +- .../src/commands/MeterUsageCommand.ts | 14 +- .../src/commands/RegisterUsageCommand.ts | 14 +- .../src/commands/ResolveCustomerCommand.ts | 14 +- clients/client-mediaconnect/package.json | 44 +- .../src/commands/AddBridgeOutputsCommand.ts | 14 +- .../src/commands/AddBridgeSourcesCommand.ts | 14 +- .../commands/AddFlowMediaStreamsCommand.ts | 14 +- .../src/commands/AddFlowOutputsCommand.ts | 14 +- .../src/commands/AddFlowSourcesCommand.ts | 14 +- .../commands/AddFlowVpcInterfacesCommand.ts | 14 +- .../src/commands/CreateBridgeCommand.ts | 14 +- .../src/commands/CreateFlowCommand.ts | 14 +- .../src/commands/CreateGatewayCommand.ts | 14 +- .../src/commands/DeleteBridgeCommand.ts | 14 +- .../src/commands/DeleteFlowCommand.ts | 14 +- .../src/commands/DeleteGatewayCommand.ts | 14 +- .../DeregisterGatewayInstanceCommand.ts | 14 +- .../src/commands/DescribeBridgeCommand.ts | 14 +- .../src/commands/DescribeFlowCommand.ts | 14 +- .../DescribeFlowSourceMetadataCommand.ts | 14 +- .../DescribeFlowSourceThumbnailCommand.ts | 14 +- .../src/commands/DescribeGatewayCommand.ts | 14 +- .../DescribeGatewayInstanceCommand.ts | 14 +- .../src/commands/DescribeOfferingCommand.ts | 14 +- .../commands/DescribeReservationCommand.ts | 14 +- .../commands/GrantFlowEntitlementsCommand.ts | 14 +- .../src/commands/ListBridgesCommand.ts | 14 +- .../src/commands/ListEntitlementsCommand.ts | 14 +- .../src/commands/ListFlowsCommand.ts | 14 +- .../commands/ListGatewayInstancesCommand.ts | 14 +- .../src/commands/ListGatewaysCommand.ts | 14 +- .../src/commands/ListOfferingsCommand.ts | 14 +- .../src/commands/ListReservationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PurchaseOfferingCommand.ts | 14 +- .../src/commands/RemoveBridgeOutputCommand.ts | 14 +- .../src/commands/RemoveBridgeSourceCommand.ts | 14 +- .../commands/RemoveFlowMediaStreamCommand.ts | 14 +- .../src/commands/RemoveFlowOutputCommand.ts | 14 +- .../src/commands/RemoveFlowSourceCommand.ts | 14 +- .../commands/RemoveFlowVpcInterfaceCommand.ts | 14 +- .../commands/RevokeFlowEntitlementCommand.ts | 14 +- .../src/commands/StartFlowCommand.ts | 14 +- .../src/commands/StopFlowCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateBridgeCommand.ts | 14 +- .../src/commands/UpdateBridgeOutputCommand.ts | 14 +- .../src/commands/UpdateBridgeSourceCommand.ts | 14 +- .../src/commands/UpdateBridgeStateCommand.ts | 14 +- .../src/commands/UpdateFlowCommand.ts | 14 +- .../commands/UpdateFlowEntitlementCommand.ts | 14 +- .../commands/UpdateFlowMediaStreamCommand.ts | 14 +- .../src/commands/UpdateFlowOutputCommand.ts | 14 +- .../src/commands/UpdateFlowSourceCommand.ts | 14 +- .../commands/UpdateGatewayInstanceCommand.ts | 14 +- clients/client-mediaconvert/package.json | 42 +- .../commands/AssociateCertificateCommand.ts | 14 +- .../src/commands/CancelJobCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../src/commands/CreateJobTemplateCommand.ts | 14 +- .../src/commands/CreatePresetCommand.ts | 14 +- .../src/commands/CreateQueueCommand.ts | 14 +- .../src/commands/DeleteJobTemplateCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- .../src/commands/DeletePresetCommand.ts | 14 +- .../src/commands/DeleteQueueCommand.ts | 14 +- .../src/commands/DescribeEndpointsCommand.ts | 14 +- .../DisassociateCertificateCommand.ts | 14 +- .../src/commands/GetJobCommand.ts | 14 +- .../src/commands/GetJobTemplateCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../src/commands/GetPresetCommand.ts | 14 +- .../src/commands/GetQueueCommand.ts | 14 +- .../src/commands/ListJobTemplatesCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../src/commands/ListPresetsCommand.ts | 14 +- .../src/commands/ListQueuesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListVersionsCommand.ts | 14 +- .../src/commands/PutPolicyCommand.ts | 14 +- .../src/commands/SearchJobsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateJobTemplateCommand.ts | 14 +- .../src/commands/UpdatePresetCommand.ts | 14 +- .../src/commands/UpdateQueueCommand.ts | 14 +- clients/client-medialive/package.json | 46 +- .../AcceptInputDeviceTransferCommand.ts | 14 +- .../src/commands/BatchDeleteCommand.ts | 14 +- .../src/commands/BatchStartCommand.ts | 14 +- .../src/commands/BatchStopCommand.ts | 14 +- .../commands/BatchUpdateScheduleCommand.ts | 14 +- .../CancelInputDeviceTransferCommand.ts | 14 +- .../src/commands/ClaimDeviceCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../CreateChannelPlacementGroupCommand.ts | 14 +- .../CreateCloudWatchAlarmTemplateCommand.ts | 14 +- ...eateCloudWatchAlarmTemplateGroupCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../CreateEventBridgeRuleTemplateCommand.ts | 14 +- ...eateEventBridgeRuleTemplateGroupCommand.ts | 14 +- .../src/commands/CreateInputCommand.ts | 14 +- .../CreateInputSecurityGroupCommand.ts | 14 +- .../src/commands/CreateMultiplexCommand.ts | 14 +- .../commands/CreateMultiplexProgramCommand.ts | 14 +- .../src/commands/CreateNetworkCommand.ts | 14 +- .../src/commands/CreateNodeCommand.ts | 14 +- .../CreateNodeRegistrationScriptCommand.ts | 14 +- .../src/commands/CreatePartnerInputCommand.ts | 14 +- .../src/commands/CreateSignalMapCommand.ts | 14 +- .../src/commands/CreateTagsCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../DeleteChannelPlacementGroupCommand.ts | 14 +- .../DeleteCloudWatchAlarmTemplateCommand.ts | 14 +- ...leteCloudWatchAlarmTemplateGroupCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../DeleteEventBridgeRuleTemplateCommand.ts | 14 +- ...leteEventBridgeRuleTemplateGroupCommand.ts | 14 +- .../src/commands/DeleteInputCommand.ts | 14 +- .../DeleteInputSecurityGroupCommand.ts | 14 +- .../src/commands/DeleteMultiplexCommand.ts | 14 +- .../commands/DeleteMultiplexProgramCommand.ts | 14 +- .../src/commands/DeleteNetworkCommand.ts | 14 +- .../src/commands/DeleteNodeCommand.ts | 14 +- .../src/commands/DeleteReservationCommand.ts | 14 +- .../src/commands/DeleteScheduleCommand.ts | 14 +- .../src/commands/DeleteSignalMapCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../DescribeAccountConfigurationCommand.ts | 14 +- .../src/commands/DescribeChannelCommand.ts | 14 +- .../DescribeChannelPlacementGroupCommand.ts | 14 +- .../src/commands/DescribeClusterCommand.ts | 14 +- .../src/commands/DescribeInputCommand.ts | 14 +- .../commands/DescribeInputDeviceCommand.ts | 14 +- .../DescribeInputDeviceThumbnailCommand.ts | 14 +- .../DescribeInputSecurityGroupCommand.ts | 14 +- .../src/commands/DescribeMultiplexCommand.ts | 14 +- .../DescribeMultiplexProgramCommand.ts | 14 +- .../src/commands/DescribeNetworkCommand.ts | 14 +- .../src/commands/DescribeNodeCommand.ts | 14 +- .../src/commands/DescribeOfferingCommand.ts | 14 +- .../commands/DescribeReservationCommand.ts | 14 +- .../src/commands/DescribeScheduleCommand.ts | 14 +- .../src/commands/DescribeThumbnailsCommand.ts | 14 +- .../GetCloudWatchAlarmTemplateCommand.ts | 14 +- .../GetCloudWatchAlarmTemplateGroupCommand.ts | 14 +- .../GetEventBridgeRuleTemplateCommand.ts | 14 +- .../GetEventBridgeRuleTemplateGroupCommand.ts | 14 +- .../src/commands/GetSignalMapCommand.ts | 14 +- .../ListChannelPlacementGroupsCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- ...istCloudWatchAlarmTemplateGroupsCommand.ts | 14 +- .../ListCloudWatchAlarmTemplatesCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- ...istEventBridgeRuleTemplateGroupsCommand.ts | 14 +- .../ListEventBridgeRuleTemplatesCommand.ts | 14 +- .../ListInputDeviceTransfersCommand.ts | 14 +- .../src/commands/ListInputDevicesCommand.ts | 14 +- .../ListInputSecurityGroupsCommand.ts | 14 +- .../src/commands/ListInputsCommand.ts | 14 +- .../commands/ListMultiplexProgramsCommand.ts | 14 +- .../src/commands/ListMultiplexesCommand.ts | 14 +- .../src/commands/ListNetworksCommand.ts | 14 +- .../src/commands/ListNodesCommand.ts | 14 +- .../src/commands/ListOfferingsCommand.ts | 14 +- .../src/commands/ListReservationsCommand.ts | 14 +- .../src/commands/ListSignalMapsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PurchaseOfferingCommand.ts | 14 +- .../src/commands/RebootInputDeviceCommand.ts | 14 +- .../RejectInputDeviceTransferCommand.ts | 14 +- .../RestartChannelPipelinesCommand.ts | 14 +- .../src/commands/StartChannelCommand.ts | 14 +- .../StartDeleteMonitorDeploymentCommand.ts | 14 +- .../src/commands/StartInputDeviceCommand.ts | 14 +- ...tartInputDeviceMaintenanceWindowCommand.ts | 14 +- .../commands/StartMonitorDeploymentCommand.ts | 14 +- .../src/commands/StartMultiplexCommand.ts | 14 +- .../commands/StartUpdateSignalMapCommand.ts | 14 +- .../src/commands/StopChannelCommand.ts | 14 +- .../src/commands/StopInputDeviceCommand.ts | 14 +- .../src/commands/StopMultiplexCommand.ts | 14 +- .../commands/TransferInputDeviceCommand.ts | 14 +- .../UpdateAccountConfigurationCommand.ts | 14 +- .../src/commands/UpdateChannelClassCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../UpdateChannelPlacementGroupCommand.ts | 14 +- .../UpdateCloudWatchAlarmTemplateCommand.ts | 14 +- ...dateCloudWatchAlarmTemplateGroupCommand.ts | 14 +- .../src/commands/UpdateClusterCommand.ts | 14 +- .../UpdateEventBridgeRuleTemplateCommand.ts | 14 +- ...dateEventBridgeRuleTemplateGroupCommand.ts | 14 +- .../src/commands/UpdateInputCommand.ts | 14 +- .../src/commands/UpdateInputDeviceCommand.ts | 14 +- .../UpdateInputSecurityGroupCommand.ts | 14 +- .../src/commands/UpdateMultiplexCommand.ts | 14 +- .../commands/UpdateMultiplexProgramCommand.ts | 14 +- .../src/commands/UpdateNetworkCommand.ts | 14 +- .../src/commands/UpdateNodeCommand.ts | 14 +- .../src/commands/UpdateNodeStateCommand.ts | 14 +- .../src/commands/UpdateReservationCommand.ts | 14 +- clients/client-mediapackage-vod/package.json | 42 +- .../src/commands/ConfigureLogsCommand.ts | 14 +- .../src/commands/CreateAssetCommand.ts | 14 +- .../CreatePackagingConfigurationCommand.ts | 14 +- .../commands/CreatePackagingGroupCommand.ts | 14 +- .../src/commands/DeleteAssetCommand.ts | 14 +- .../DeletePackagingConfigurationCommand.ts | 14 +- .../commands/DeletePackagingGroupCommand.ts | 14 +- .../src/commands/DescribeAssetCommand.ts | 14 +- .../DescribePackagingConfigurationCommand.ts | 14 +- .../commands/DescribePackagingGroupCommand.ts | 14 +- .../src/commands/ListAssetsCommand.ts | 14 +- .../ListPackagingConfigurationsCommand.ts | 14 +- .../commands/ListPackagingGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdatePackagingGroupCommand.ts | 14 +- clients/client-mediapackage/package.json | 42 +- .../src/commands/ConfigureLogsCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../src/commands/CreateHarvestJobCommand.ts | 14 +- .../commands/CreateOriginEndpointCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../commands/DeleteOriginEndpointCommand.ts | 14 +- .../src/commands/DescribeChannelCommand.ts | 14 +- .../src/commands/DescribeHarvestJobCommand.ts | 14 +- .../commands/DescribeOriginEndpointCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- .../src/commands/ListHarvestJobsCommand.ts | 14 +- .../commands/ListOriginEndpointsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../RotateChannelCredentialsCommand.ts | 14 +- .../RotateIngestEndpointCredentialsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../commands/UpdateOriginEndpointCommand.ts | 14 +- clients/client-mediapackagev2/package.json | 42 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../src/commands/CreateChannelGroupCommand.ts | 14 +- .../commands/CreateOriginEndpointCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../src/commands/DeleteChannelGroupCommand.ts | 14 +- .../commands/DeleteChannelPolicyCommand.ts | 14 +- .../commands/DeleteOriginEndpointCommand.ts | 14 +- .../DeleteOriginEndpointPolicyCommand.ts | 14 +- .../src/commands/GetChannelCommand.ts | 14 +- .../src/commands/GetChannelGroupCommand.ts | 14 +- .../src/commands/GetChannelPolicyCommand.ts | 14 +- .../src/commands/GetOriginEndpointCommand.ts | 14 +- .../GetOriginEndpointPolicyCommand.ts | 14 +- .../src/commands/ListChannelGroupsCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- .../commands/ListOriginEndpointsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutChannelPolicyCommand.ts | 14 +- .../PutOriginEndpointPolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../src/commands/UpdateChannelGroupCommand.ts | 14 +- .../commands/UpdateOriginEndpointCommand.ts | 14 +- clients/client-mediastore-data/package.json | 44 +- .../src/commands/DeleteObjectCommand.ts | 14 +- .../src/commands/DescribeObjectCommand.ts | 14 +- .../src/commands/GetObjectCommand.ts | 14 +- .../src/commands/ListItemsCommand.ts | 14 +- .../src/commands/PutObjectCommand.ts | 14 +- clients/client-mediastore/package.json | 42 +- .../src/commands/CreateContainerCommand.ts | 14 +- .../src/commands/DeleteContainerCommand.ts | 14 +- .../commands/DeleteContainerPolicyCommand.ts | 14 +- .../src/commands/DeleteCorsPolicyCommand.ts | 14 +- .../commands/DeleteLifecyclePolicyCommand.ts | 14 +- .../src/commands/DeleteMetricPolicyCommand.ts | 14 +- .../src/commands/DescribeContainerCommand.ts | 14 +- .../src/commands/GetContainerPolicyCommand.ts | 14 +- .../src/commands/GetCorsPolicyCommand.ts | 14 +- .../src/commands/GetLifecyclePolicyCommand.ts | 14 +- .../src/commands/GetMetricPolicyCommand.ts | 14 +- .../src/commands/ListContainersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutContainerPolicyCommand.ts | 14 +- .../src/commands/PutCorsPolicyCommand.ts | 14 +- .../src/commands/PutLifecyclePolicyCommand.ts | 14 +- .../src/commands/PutMetricPolicyCommand.ts | 14 +- .../src/commands/StartAccessLoggingCommand.ts | 14 +- .../src/commands/StopAccessLoggingCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-mediatailor/package.json | 42 +- .../ConfigureLogsForChannelCommand.ts | 14 +- ...gureLogsForPlaybackConfigurationCommand.ts | 14 +- .../src/commands/CreateChannelCommand.ts | 14 +- .../src/commands/CreateLiveSourceCommand.ts | 14 +- .../commands/CreatePrefetchScheduleCommand.ts | 14 +- .../src/commands/CreateProgramCommand.ts | 14 +- .../commands/CreateSourceLocationCommand.ts | 14 +- .../src/commands/CreateVodSourceCommand.ts | 14 +- .../src/commands/DeleteChannelCommand.ts | 14 +- .../commands/DeleteChannelPolicyCommand.ts | 14 +- .../src/commands/DeleteLiveSourceCommand.ts | 14 +- .../DeletePlaybackConfigurationCommand.ts | 14 +- .../commands/DeletePrefetchScheduleCommand.ts | 14 +- .../src/commands/DeleteProgramCommand.ts | 14 +- .../commands/DeleteSourceLocationCommand.ts | 14 +- .../src/commands/DeleteVodSourceCommand.ts | 14 +- .../src/commands/DescribeChannelCommand.ts | 14 +- .../src/commands/DescribeLiveSourceCommand.ts | 14 +- .../src/commands/DescribeProgramCommand.ts | 14 +- .../commands/DescribeSourceLocationCommand.ts | 14 +- .../src/commands/DescribeVodSourceCommand.ts | 14 +- .../src/commands/GetChannelPolicyCommand.ts | 14 +- .../src/commands/GetChannelScheduleCommand.ts | 14 +- .../GetPlaybackConfigurationCommand.ts | 14 +- .../commands/GetPrefetchScheduleCommand.ts | 14 +- .../src/commands/ListAlertsCommand.ts | 14 +- .../src/commands/ListChannelsCommand.ts | 14 +- .../src/commands/ListLiveSourcesCommand.ts | 14 +- .../ListPlaybackConfigurationsCommand.ts | 14 +- .../commands/ListPrefetchSchedulesCommand.ts | 14 +- .../commands/ListSourceLocationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListVodSourcesCommand.ts | 14 +- .../src/commands/PutChannelPolicyCommand.ts | 14 +- .../PutPlaybackConfigurationCommand.ts | 14 +- .../src/commands/StartChannelCommand.ts | 14 +- .../src/commands/StopChannelCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateChannelCommand.ts | 14 +- .../src/commands/UpdateLiveSourceCommand.ts | 14 +- .../src/commands/UpdateProgramCommand.ts | 14 +- .../commands/UpdateSourceLocationCommand.ts | 14 +- .../src/commands/UpdateVodSourceCommand.ts | 14 +- clients/client-medical-imaging/package.json | 44 +- .../src/commands/CopyImageSetCommand.ts | 14 +- .../src/commands/CreateDatastoreCommand.ts | 14 +- .../src/commands/DeleteDatastoreCommand.ts | 14 +- .../src/commands/DeleteImageSetCommand.ts | 14 +- .../src/commands/GetDICOMImportJobCommand.ts | 14 +- .../src/commands/GetDatastoreCommand.ts | 14 +- .../src/commands/GetImageFrameCommand.ts | 14 +- .../src/commands/GetImageSetCommand.ts | 14 +- .../commands/GetImageSetMetadataCommand.ts | 14 +- .../commands/ListDICOMImportJobsCommand.ts | 14 +- .../src/commands/ListDatastoresCommand.ts | 14 +- .../commands/ListImageSetVersionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/SearchImageSetsCommand.ts | 14 +- .../commands/StartDICOMImportJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateImageSetMetadataCommand.ts | 14 +- clients/client-memorydb/package.json | 42 +- .../src/commands/BatchUpdateClusterCommand.ts | 14 +- .../src/commands/CopySnapshotCommand.ts | 14 +- .../src/commands/CreateACLCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../commands/CreateParameterGroupCommand.ts | 14 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- .../src/commands/CreateSubnetGroupCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/DeleteACLCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../commands/DeleteParameterGroupCommand.ts | 14 +- .../src/commands/DeleteSnapshotCommand.ts | 14 +- .../src/commands/DeleteSubnetGroupCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../src/commands/DescribeACLsCommand.ts | 14 +- .../src/commands/DescribeClustersCommand.ts | 14 +- .../commands/DescribeEngineVersionsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../DescribeParameterGroupsCommand.ts | 14 +- .../src/commands/DescribeParametersCommand.ts | 14 +- .../commands/DescribeReservedNodesCommand.ts | 14 +- .../DescribeReservedNodesOfferingsCommand.ts | 14 +- .../commands/DescribeServiceUpdatesCommand.ts | 14 +- .../src/commands/DescribeSnapshotsCommand.ts | 14 +- .../commands/DescribeSubnetGroupsCommand.ts | 14 +- .../src/commands/DescribeUsersCommand.ts | 14 +- .../src/commands/FailoverShardCommand.ts | 14 +- .../ListAllowedNodeTypeUpdatesCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../PurchaseReservedNodesOfferingCommand.ts | 14 +- .../commands/ResetParameterGroupCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateACLCommand.ts | 14 +- .../src/commands/UpdateClusterCommand.ts | 14 +- .../commands/UpdateParameterGroupCommand.ts | 14 +- .../src/commands/UpdateSubnetGroupCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- clients/client-mgn/package.json | 42 +- .../src/commands/ArchiveApplicationCommand.ts | 14 +- .../src/commands/ArchiveWaveCommand.ts | 14 +- .../commands/AssociateApplicationsCommand.ts | 14 +- .../commands/AssociateSourceServersCommand.ts | 14 +- .../ChangeServerLifeCycleStateCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/CreateConnectorCommand.ts | 14 +- ...reateLaunchConfigurationTemplateCommand.ts | 14 +- ...ReplicationConfigurationTemplateCommand.ts | 14 +- .../src/commands/CreateWaveCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../src/commands/DeleteConnectorCommand.ts | 14 +- .../src/commands/DeleteJobCommand.ts | 14 +- ...eleteLaunchConfigurationTemplateCommand.ts | 14 +- ...ReplicationConfigurationTemplateCommand.ts | 14 +- .../src/commands/DeleteSourceServerCommand.ts | 14 +- .../commands/DeleteVcenterClientCommand.ts | 14 +- .../src/commands/DeleteWaveCommand.ts | 14 +- .../commands/DescribeJobLogItemsCommand.ts | 14 +- .../src/commands/DescribeJobsCommand.ts | 14 +- ...ribeLaunchConfigurationTemplatesCommand.ts | 14 +- ...eplicationConfigurationTemplatesCommand.ts | 14 +- .../commands/DescribeSourceServersCommand.ts | 14 +- .../commands/DescribeVcenterClientsCommand.ts | 14 +- .../DisassociateApplicationsCommand.ts | 14 +- .../DisassociateSourceServersCommand.ts | 14 +- .../commands/DisconnectFromServiceCommand.ts | 14 +- .../src/commands/FinalizeCutoverCommand.ts | 14 +- .../commands/GetLaunchConfigurationCommand.ts | 14 +- .../GetReplicationConfigurationCommand.ts | 14 +- .../src/commands/InitializeServiceCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../src/commands/ListConnectorsCommand.ts | 14 +- .../src/commands/ListExportErrorsCommand.ts | 14 +- .../src/commands/ListExportsCommand.ts | 14 +- .../src/commands/ListImportErrorsCommand.ts | 14 +- .../src/commands/ListImportsCommand.ts | 14 +- .../commands/ListManagedAccountsCommand.ts | 14 +- .../ListSourceServerActionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTemplateActionsCommand.ts | 14 +- .../src/commands/ListWavesCommand.ts | 14 +- .../src/commands/MarkAsArchivedCommand.ts | 14 +- .../src/commands/PauseReplicationCommand.ts | 14 +- .../commands/PutSourceServerActionCommand.ts | 14 +- .../src/commands/PutTemplateActionCommand.ts | 14 +- .../RemoveSourceServerActionCommand.ts | 14 +- .../commands/RemoveTemplateActionCommand.ts | 14 +- .../src/commands/ResumeReplicationCommand.ts | 14 +- .../commands/RetryDataReplicationCommand.ts | 14 +- .../src/commands/StartCutoverCommand.ts | 14 +- .../src/commands/StartExportCommand.ts | 14 +- .../src/commands/StartImportCommand.ts | 14 +- .../src/commands/StartReplicationCommand.ts | 14 +- .../src/commands/StartTestCommand.ts | 14 +- .../src/commands/StopReplicationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TerminateTargetInstancesCommand.ts | 14 +- .../commands/UnarchiveApplicationCommand.ts | 14 +- .../src/commands/UnarchiveWaveCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../src/commands/UpdateConnectorCommand.ts | 14 +- .../UpdateLaunchConfigurationCommand.ts | 14 +- ...pdateLaunchConfigurationTemplateCommand.ts | 14 +- .../UpdateReplicationConfigurationCommand.ts | 14 +- ...ReplicationConfigurationTemplateCommand.ts | 14 +- .../src/commands/UpdateSourceServerCommand.ts | 14 +- ...pdateSourceServerReplicationTypeCommand.ts | 14 +- .../src/commands/UpdateWaveCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../src/commands/CreateRouteCommand.ts | 14 +- .../src/commands/CreateServiceCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteRouteCommand.ts | 14 +- .../src/commands/DeleteServiceCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/GetRouteCommand.ts | 14 +- .../src/commands/GetServiceCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../commands/ListEnvironmentVpcsCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../src/commands/ListRoutesCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateRouteCommand.ts | 14 +- clients/client-migration-hub/package.json | 42 +- .../AssociateCreatedArtifactCommand.ts | 14 +- .../AssociateDiscoveredResourceCommand.ts | 14 +- .../CreateProgressUpdateStreamCommand.ts | 14 +- .../DeleteProgressUpdateStreamCommand.ts | 14 +- .../DescribeApplicationStateCommand.ts | 14 +- .../commands/DescribeMigrationTaskCommand.ts | 14 +- .../DisassociateCreatedArtifactCommand.ts | 14 +- .../DisassociateDiscoveredResourceCommand.ts | 14 +- .../commands/ImportMigrationTaskCommand.ts | 14 +- .../commands/ListApplicationStatesCommand.ts | 14 +- .../commands/ListCreatedArtifactsCommand.ts | 14 +- .../ListDiscoveredResourcesCommand.ts | 14 +- .../src/commands/ListMigrationTasksCommand.ts | 14 +- .../ListProgressUpdateStreamsCommand.ts | 14 +- .../commands/NotifyApplicationStateCommand.ts | 14 +- .../NotifyMigrationTaskStateCommand.ts | 14 +- .../commands/PutResourceAttributesCommand.ts | 14 +- .../client-migrationhub-config/package.json | 42 +- .../CreateHomeRegionControlCommand.ts | 14 +- .../DeleteHomeRegionControlCommand.ts | 14 +- .../DescribeHomeRegionControlsCommand.ts | 14 +- .../src/commands/GetHomeRegionCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/CreateTemplateCommand.ts | 14 +- .../src/commands/CreateWorkflowCommand.ts | 14 +- .../src/commands/CreateWorkflowStepCommand.ts | 14 +- .../CreateWorkflowStepGroupCommand.ts | 14 +- .../src/commands/DeleteTemplateCommand.ts | 14 +- .../src/commands/DeleteWorkflowCommand.ts | 14 +- .../src/commands/DeleteWorkflowStepCommand.ts | 14 +- .../DeleteWorkflowStepGroupCommand.ts | 14 +- .../src/commands/GetTemplateCommand.ts | 14 +- .../src/commands/GetTemplateStepCommand.ts | 14 +- .../commands/GetTemplateStepGroupCommand.ts | 14 +- .../src/commands/GetWorkflowCommand.ts | 14 +- .../src/commands/GetWorkflowStepCommand.ts | 14 +- .../commands/GetWorkflowStepGroupCommand.ts | 14 +- .../src/commands/ListPluginsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTemplateStepGroupsCommand.ts | 14 +- .../src/commands/ListTemplateStepsCommand.ts | 14 +- .../src/commands/ListTemplatesCommand.ts | 14 +- .../commands/ListWorkflowStepGroupsCommand.ts | 14 +- .../src/commands/ListWorkflowStepsCommand.ts | 14 +- .../src/commands/ListWorkflowsCommand.ts | 14 +- .../src/commands/RetryWorkflowStepCommand.ts | 14 +- .../src/commands/StartWorkflowCommand.ts | 14 +- .../src/commands/StopWorkflowCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateTemplateCommand.ts | 14 +- .../src/commands/UpdateWorkflowCommand.ts | 14 +- .../src/commands/UpdateWorkflowStepCommand.ts | 14 +- .../UpdateWorkflowStepGroupCommand.ts | 14 +- .../client-migrationhubstrategy/package.json | 42 +- .../GetApplicationComponentDetailsCommand.ts | 14 +- ...etApplicationComponentStrategiesCommand.ts | 14 +- .../src/commands/GetAssessmentCommand.ts | 14 +- .../src/commands/GetImportFileTaskCommand.ts | 14 +- .../commands/GetLatestAssessmentIdCommand.ts | 14 +- .../GetPortfolioPreferencesCommand.ts | 14 +- .../commands/GetPortfolioSummaryCommand.ts | 14 +- .../GetRecommendationReportDetailsCommand.ts | 14 +- .../src/commands/GetServerDetailsCommand.ts | 14 +- .../commands/GetServerStrategiesCommand.ts | 14 +- .../commands/ListAnalyzableServersCommand.ts | 14 +- .../ListApplicationComponentsCommand.ts | 14 +- .../src/commands/ListCollectorsCommand.ts | 14 +- .../src/commands/ListImportFileTaskCommand.ts | 14 +- .../src/commands/ListServersCommand.ts | 14 +- .../PutPortfolioPreferencesCommand.ts | 14 +- .../src/commands/StartAssessmentCommand.ts | 14 +- .../commands/StartImportFileTaskCommand.ts | 14 +- ...rtRecommendationReportGenerationCommand.ts | 14 +- .../src/commands/StopAssessmentCommand.ts | 14 +- ...UpdateApplicationComponentConfigCommand.ts | 14 +- .../src/commands/UpdateServerConfigCommand.ts | 14 +- clients/client-mq/package.json | 42 +- .../src/commands/CreateBrokerCommand.ts | 14 +- .../commands/CreateConfigurationCommand.ts | 14 +- .../src/commands/CreateTagsCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/DeleteBrokerCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../src/commands/DescribeBrokerCommand.ts | 14 +- .../DescribeBrokerEngineTypesCommand.ts | 14 +- .../DescribeBrokerInstanceOptionsCommand.ts | 14 +- .../commands/DescribeConfigurationCommand.ts | 14 +- .../DescribeConfigurationRevisionCommand.ts | 14 +- .../src/commands/DescribeUserCommand.ts | 14 +- .../src/commands/ListBrokersCommand.ts | 14 +- .../ListConfigurationRevisionsCommand.ts | 14 +- .../src/commands/ListConfigurationsCommand.ts | 14 +- .../client-mq/src/commands/ListTagsCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../client-mq/src/commands/PromoteCommand.ts | 14 +- .../src/commands/RebootBrokerCommand.ts | 14 +- .../src/commands/UpdateBrokerCommand.ts | 14 +- .../commands/UpdateConfigurationCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- clients/client-mturk/package.json | 42 +- .../AcceptQualificationRequestCommand.ts | 14 +- .../src/commands/ApproveAssignmentCommand.ts | 14 +- ...AssociateQualificationWithWorkerCommand.ts | 14 +- ...reateAdditionalAssignmentsForHITCommand.ts | 14 +- .../src/commands/CreateHITCommand.ts | 14 +- .../src/commands/CreateHITTypeCommand.ts | 14 +- .../commands/CreateHITWithHITTypeCommand.ts | 14 +- .../CreateQualificationTypeCommand.ts | 14 +- .../src/commands/CreateWorkerBlockCommand.ts | 14 +- .../src/commands/DeleteHITCommand.ts | 14 +- .../DeleteQualificationTypeCommand.ts | 14 +- .../src/commands/DeleteWorkerBlockCommand.ts | 14 +- ...associateQualificationFromWorkerCommand.ts | 14 +- .../src/commands/GetAccountBalanceCommand.ts | 14 +- .../src/commands/GetAssignmentCommand.ts | 14 +- .../src/commands/GetFileUploadURLCommand.ts | 14 +- .../src/commands/GetHITCommand.ts | 14 +- .../commands/GetQualificationScoreCommand.ts | 14 +- .../commands/GetQualificationTypeCommand.ts | 14 +- .../commands/ListAssignmentsForHITCommand.ts | 14 +- .../src/commands/ListBonusPaymentsCommand.ts | 14 +- .../src/commands/ListHITsCommand.ts | 14 +- .../ListHITsForQualificationTypeCommand.ts | 14 +- .../ListQualificationRequestsCommand.ts | 14 +- .../commands/ListQualificationTypesCommand.ts | 14 +- .../ListReviewPolicyResultsForHITCommand.ts | 14 +- .../src/commands/ListReviewableHITsCommand.ts | 14 +- .../src/commands/ListWorkerBlocksCommand.ts | 14 +- ...ListWorkersWithQualificationTypeCommand.ts | 14 +- .../src/commands/NotifyWorkersCommand.ts | 14 +- .../src/commands/RejectAssignmentCommand.ts | 14 +- .../RejectQualificationRequestCommand.ts | 14 +- .../src/commands/SendBonusCommand.ts | 14 +- .../SendTestEventNotificationCommand.ts | 14 +- .../commands/UpdateExpirationForHITCommand.ts | 14 +- .../commands/UpdateHITReviewStatusCommand.ts | 14 +- .../src/commands/UpdateHITTypeOfHITCommand.ts | 14 +- .../UpdateNotificationSettingsCommand.ts | 14 +- .../UpdateQualificationTypeCommand.ts | 14 +- clients/client-mwaa/package.json | 42 +- .../src/commands/CreateCliTokenCommand.ts | 14 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../commands/CreateWebLoginTokenCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PublishMetricsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- clients/client-neptune-graph/package.json | 46 +- .../src/commands/CancelImportTaskCommand.ts | 14 +- .../src/commands/CancelQueryCommand.ts | 14 +- .../src/commands/CreateGraphCommand.ts | 14 +- .../commands/CreateGraphSnapshotCommand.ts | 14 +- .../CreateGraphUsingImportTaskCommand.ts | 14 +- .../CreatePrivateGraphEndpointCommand.ts | 14 +- .../src/commands/DeleteGraphCommand.ts | 14 +- .../commands/DeleteGraphSnapshotCommand.ts | 14 +- .../DeletePrivateGraphEndpointCommand.ts | 14 +- .../src/commands/ExecuteQueryCommand.ts | 14 +- .../src/commands/GetGraphCommand.ts | 14 +- .../src/commands/GetGraphSnapshotCommand.ts | 14 +- .../src/commands/GetGraphSummaryCommand.ts | 14 +- .../src/commands/GetImportTaskCommand.ts | 14 +- .../GetPrivateGraphEndpointCommand.ts | 14 +- .../src/commands/GetQueryCommand.ts | 14 +- .../src/commands/ListGraphSnapshotsCommand.ts | 14 +- .../src/commands/ListGraphsCommand.ts | 14 +- .../src/commands/ListImportTasksCommand.ts | 14 +- .../ListPrivateGraphEndpointsCommand.ts | 14 +- .../src/commands/ListQueriesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ResetGraphCommand.ts | 14 +- .../RestoreGraphFromSnapshotCommand.ts | 14 +- .../src/commands/StartImportTaskCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateGraphCommand.ts | 14 +- clients/client-neptune/package.json | 44 +- .../src/commands/AddRoleToDBClusterCommand.ts | 14 +- ...ddSourceIdentifierToSubscriptionCommand.ts | 14 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../ApplyPendingMaintenanceActionCommand.ts | 14 +- .../CopyDBClusterParameterGroupCommand.ts | 14 +- .../commands/CopyDBClusterSnapshotCommand.ts | 14 +- .../commands/CopyDBParameterGroupCommand.ts | 14 +- .../src/commands/CreateDBClusterCommand.ts | 14 +- .../CreateDBClusterEndpointCommand.ts | 14 +- .../CreateDBClusterParameterGroupCommand.ts | 14 +- .../CreateDBClusterSnapshotCommand.ts | 14 +- .../src/commands/CreateDBInstanceCommand.ts | 14 +- .../commands/CreateDBParameterGroupCommand.ts | 14 +- .../commands/CreateDBSubnetGroupCommand.ts | 14 +- .../CreateEventSubscriptionCommand.ts | 14 +- .../commands/CreateGlobalClusterCommand.ts | 14 +- .../src/commands/DeleteDBClusterCommand.ts | 14 +- .../DeleteDBClusterEndpointCommand.ts | 14 +- .../DeleteDBClusterParameterGroupCommand.ts | 14 +- .../DeleteDBClusterSnapshotCommand.ts | 14 +- .../src/commands/DeleteDBInstanceCommand.ts | 14 +- .../commands/DeleteDBParameterGroupCommand.ts | 14 +- .../commands/DeleteDBSubnetGroupCommand.ts | 14 +- .../DeleteEventSubscriptionCommand.ts | 14 +- .../commands/DeleteGlobalClusterCommand.ts | 14 +- .../DescribeDBClusterEndpointsCommand.ts | 14 +- ...DescribeDBClusterParameterGroupsCommand.ts | 14 +- .../DescribeDBClusterParametersCommand.ts | 14 +- ...cribeDBClusterSnapshotAttributesCommand.ts | 14 +- .../DescribeDBClusterSnapshotsCommand.ts | 14 +- .../src/commands/DescribeDBClustersCommand.ts | 14 +- .../DescribeDBEngineVersionsCommand.ts | 14 +- .../commands/DescribeDBInstancesCommand.ts | 14 +- .../DescribeDBParameterGroupsCommand.ts | 14 +- .../commands/DescribeDBParametersCommand.ts | 14 +- .../commands/DescribeDBSubnetGroupsCommand.ts | 14 +- ...beEngineDefaultClusterParametersCommand.ts | 14 +- .../DescribeEngineDefaultParametersCommand.ts | 14 +- .../DescribeEventCategoriesCommand.ts | 14 +- .../DescribeEventSubscriptionsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../commands/DescribeGlobalClustersCommand.ts | 14 +- ...scribeOrderableDBInstanceOptionsCommand.ts | 14 +- ...escribePendingMaintenanceActionsCommand.ts | 14 +- ...ribeValidDBInstanceModificationsCommand.ts | 14 +- .../src/commands/FailoverDBClusterCommand.ts | 14 +- .../commands/FailoverGlobalClusterCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ModifyDBClusterCommand.ts | 14 +- .../ModifyDBClusterEndpointCommand.ts | 14 +- .../ModifyDBClusterParameterGroupCommand.ts | 14 +- ...ModifyDBClusterSnapshotAttributeCommand.ts | 14 +- .../src/commands/ModifyDBInstanceCommand.ts | 14 +- .../commands/ModifyDBParameterGroupCommand.ts | 14 +- .../commands/ModifyDBSubnetGroupCommand.ts | 14 +- .../ModifyEventSubscriptionCommand.ts | 14 +- .../commands/ModifyGlobalClusterCommand.ts | 14 +- .../PromoteReadReplicaDBClusterCommand.ts | 14 +- .../src/commands/RebootDBInstanceCommand.ts | 14 +- .../RemoveFromGlobalClusterCommand.ts | 14 +- .../RemoveRoleFromDBClusterCommand.ts | 14 +- ...SourceIdentifierFromSubscriptionCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../ResetDBClusterParameterGroupCommand.ts | 14 +- .../commands/ResetDBParameterGroupCommand.ts | 14 +- .../RestoreDBClusterFromSnapshotCommand.ts | 14 +- .../RestoreDBClusterToPointInTimeCommand.ts | 14 +- .../src/commands/StartDBClusterCommand.ts | 14 +- .../src/commands/StopDBClusterCommand.ts | 14 +- clients/client-neptunedata/package.json | 44 +- .../src/commands/CancelGremlinQueryCommand.ts | 14 +- .../src/commands/CancelLoaderJobCommand.ts | 14 +- .../CancelMLDataProcessingJobCommand.ts | 14 +- .../CancelMLModelTrainingJobCommand.ts | 14 +- .../CancelMLModelTransformJobCommand.ts | 14 +- .../commands/CancelOpenCypherQueryCommand.ts | 14 +- .../src/commands/CreateMLEndpointCommand.ts | 14 +- .../src/commands/DeleteMLEndpointCommand.ts | 14 +- .../DeletePropertygraphStatisticsCommand.ts | 14 +- .../commands/DeleteSparqlStatisticsCommand.ts | 14 +- .../src/commands/ExecuteFastResetCommand.ts | 14 +- .../ExecuteGremlinExplainQueryCommand.ts | 14 +- .../ExecuteGremlinProfileQueryCommand.ts | 14 +- .../commands/ExecuteGremlinQueryCommand.ts | 14 +- .../ExecuteOpenCypherExplainQueryCommand.ts | 14 +- .../commands/ExecuteOpenCypherQueryCommand.ts | 14 +- .../src/commands/GetEngineStatusCommand.ts | 14 +- .../commands/GetGremlinQueryStatusCommand.ts | 14 +- .../src/commands/GetLoaderJobStatusCommand.ts | 14 +- .../commands/GetMLDataProcessingJobCommand.ts | 14 +- .../src/commands/GetMLEndpointCommand.ts | 14 +- .../commands/GetMLModelTrainingJobCommand.ts | 14 +- .../commands/GetMLModelTransformJobCommand.ts | 14 +- .../GetOpenCypherQueryStatusCommand.ts | 14 +- .../GetPropertygraphStatisticsCommand.ts | 14 +- .../commands/GetPropertygraphStreamCommand.ts | 14 +- .../GetPropertygraphSummaryCommand.ts | 14 +- .../src/commands/GetRDFGraphSummaryCommand.ts | 14 +- .../commands/GetSparqlStatisticsCommand.ts | 14 +- .../src/commands/GetSparqlStreamCommand.ts | 14 +- .../src/commands/ListGremlinQueriesCommand.ts | 14 +- .../src/commands/ListLoaderJobsCommand.ts | 14 +- .../ListMLDataProcessingJobsCommand.ts | 14 +- .../src/commands/ListMLEndpointsCommand.ts | 14 +- .../ListMLModelTrainingJobsCommand.ts | 14 +- .../ListMLModelTransformJobsCommand.ts | 14 +- .../commands/ListOpenCypherQueriesCommand.ts | 14 +- .../ManagePropertygraphStatisticsCommand.ts | 14 +- .../commands/ManageSparqlStatisticsCommand.ts | 14 +- .../src/commands/StartLoaderJobCommand.ts | 14 +- .../StartMLDataProcessingJobCommand.ts | 14 +- .../StartMLModelTrainingJobCommand.ts | 14 +- .../StartMLModelTransformJobCommand.ts | 14 +- clients/client-network-firewall/package.json | 42 +- .../AssociateFirewallPolicyCommand.ts | 14 +- .../src/commands/AssociateSubnetsCommand.ts | 14 +- .../src/commands/CreateFirewallCommand.ts | 14 +- .../commands/CreateFirewallPolicyCommand.ts | 14 +- .../src/commands/CreateRuleGroupCommand.ts | 14 +- ...CreateTLSInspectionConfigurationCommand.ts | 14 +- .../src/commands/DeleteFirewallCommand.ts | 14 +- .../commands/DeleteFirewallPolicyCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteRuleGroupCommand.ts | 14 +- ...DeleteTLSInspectionConfigurationCommand.ts | 14 +- .../src/commands/DescribeFirewallCommand.ts | 14 +- .../commands/DescribeFirewallPolicyCommand.ts | 14 +- .../DescribeLoggingConfigurationCommand.ts | 14 +- .../commands/DescribeResourcePolicyCommand.ts | 14 +- .../src/commands/DescribeRuleGroupCommand.ts | 14 +- .../DescribeRuleGroupMetadataCommand.ts | 14 +- ...scribeTLSInspectionConfigurationCommand.ts | 14 +- .../commands/DisassociateSubnetsCommand.ts | 14 +- .../commands/ListFirewallPoliciesCommand.ts | 14 +- .../src/commands/ListFirewallsCommand.ts | 14 +- .../src/commands/ListRuleGroupsCommand.ts | 14 +- .../ListTLSInspectionConfigurationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateFirewallDeleteProtectionCommand.ts | 14 +- .../UpdateFirewallDescriptionCommand.ts | 14 +- ...eFirewallEncryptionConfigurationCommand.ts | 14 +- ...teFirewallPolicyChangeProtectionCommand.ts | 14 +- .../commands/UpdateFirewallPolicyCommand.ts | 14 +- .../UpdateLoggingConfigurationCommand.ts | 14 +- .../src/commands/UpdateRuleGroupCommand.ts | 14 +- .../UpdateSubnetChangeProtectionCommand.ts | 14 +- ...UpdateTLSInspectionConfigurationCommand.ts | 14 +- clients/client-networkmanager/package.json | 42 +- .../src/commands/AcceptAttachmentCommand.ts | 14 +- .../commands/AssociateConnectPeerCommand.ts | 14 +- .../AssociateCustomerGatewayCommand.ts | 14 +- .../src/commands/AssociateLinkCommand.ts | 14 +- ...sociateTransitGatewayConnectPeerCommand.ts | 14 +- .../CreateConnectAttachmentCommand.ts | 14 +- .../src/commands/CreateConnectPeerCommand.ts | 14 +- .../src/commands/CreateConnectionCommand.ts | 14 +- .../src/commands/CreateCoreNetworkCommand.ts | 14 +- .../src/commands/CreateDeviceCommand.ts | 14 +- .../commands/CreateGlobalNetworkCommand.ts | 14 +- .../src/commands/CreateLinkCommand.ts | 14 +- .../src/commands/CreateSiteCommand.ts | 14 +- .../CreateSiteToSiteVpnAttachmentCommand.ts | 14 +- .../CreateTransitGatewayPeeringCommand.ts | 14 +- ...ansitGatewayRouteTableAttachmentCommand.ts | 14 +- .../commands/CreateVpcAttachmentCommand.ts | 14 +- .../src/commands/DeleteAttachmentCommand.ts | 14 +- .../src/commands/DeleteConnectPeerCommand.ts | 14 +- .../src/commands/DeleteConnectionCommand.ts | 14 +- .../src/commands/DeleteCoreNetworkCommand.ts | 14 +- .../DeleteCoreNetworkPolicyVersionCommand.ts | 14 +- .../src/commands/DeleteDeviceCommand.ts | 14 +- .../commands/DeleteGlobalNetworkCommand.ts | 14 +- .../src/commands/DeleteLinkCommand.ts | 14 +- .../src/commands/DeletePeeringCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteSiteCommand.ts | 14 +- .../DeregisterTransitGatewayCommand.ts | 14 +- .../commands/DescribeGlobalNetworksCommand.ts | 14 +- .../DisassociateConnectPeerCommand.ts | 14 +- .../DisassociateCustomerGatewayCommand.ts | 14 +- .../src/commands/DisassociateLinkCommand.ts | 14 +- ...sociateTransitGatewayConnectPeerCommand.ts | 14 +- .../ExecuteCoreNetworkChangeSetCommand.ts | 14 +- .../commands/GetConnectAttachmentCommand.ts | 14 +- .../GetConnectPeerAssociationsCommand.ts | 14 +- .../src/commands/GetConnectPeerCommand.ts | 14 +- .../src/commands/GetConnectionsCommand.ts | 14 +- .../GetCoreNetworkChangeEventsCommand.ts | 14 +- .../GetCoreNetworkChangeSetCommand.ts | 14 +- .../src/commands/GetCoreNetworkCommand.ts | 14 +- .../commands/GetCoreNetworkPolicyCommand.ts | 14 +- .../GetCustomerGatewayAssociationsCommand.ts | 14 +- .../src/commands/GetDevicesCommand.ts | 14 +- .../commands/GetLinkAssociationsCommand.ts | 14 +- .../src/commands/GetLinksCommand.ts | 14 +- .../GetNetworkResourceCountsCommand.ts | 14 +- .../GetNetworkResourceRelationshipsCommand.ts | 14 +- .../commands/GetNetworkResourcesCommand.ts | 14 +- .../src/commands/GetNetworkRoutesCommand.ts | 14 +- .../commands/GetNetworkTelemetryCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/GetRouteAnalysisCommand.ts | 14 +- .../GetSiteToSiteVpnAttachmentCommand.ts | 14 +- .../src/commands/GetSitesCommand.ts | 14 +- ...itGatewayConnectPeerAssociationsCommand.ts | 14 +- .../GetTransitGatewayPeeringCommand.ts | 14 +- .../GetTransitGatewayRegistrationsCommand.ts | 14 +- ...ansitGatewayRouteTableAttachmentCommand.ts | 14 +- .../src/commands/GetVpcAttachmentCommand.ts | 14 +- .../src/commands/ListAttachmentsCommand.ts | 14 +- .../src/commands/ListConnectPeersCommand.ts | 14 +- .../ListCoreNetworkPolicyVersionsCommand.ts | 14 +- .../src/commands/ListCoreNetworksCommand.ts | 14 +- ...tOrganizationServiceAccessStatusCommand.ts | 14 +- .../src/commands/ListPeeringsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/PutCoreNetworkPolicyCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../commands/RegisterTransitGatewayCommand.ts | 14 +- .../src/commands/RejectAttachmentCommand.ts | 14 +- .../RestoreCoreNetworkPolicyVersionCommand.ts | 14 +- ...tOrganizationServiceAccessUpdateCommand.ts | 14 +- .../src/commands/StartRouteAnalysisCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateConnectionCommand.ts | 14 +- .../src/commands/UpdateCoreNetworkCommand.ts | 14 +- .../src/commands/UpdateDeviceCommand.ts | 14 +- .../commands/UpdateGlobalNetworkCommand.ts | 14 +- .../src/commands/UpdateLinkCommand.ts | 14 +- .../UpdateNetworkResourceMetadataCommand.ts | 14 +- .../src/commands/UpdateSiteCommand.ts | 14 +- .../commands/UpdateVpcAttachmentCommand.ts | 14 +- clients/client-networkmonitor/package.json | 42 +- .../src/commands/CreateMonitorCommand.ts | 14 +- .../src/commands/CreateProbeCommand.ts | 14 +- .../src/commands/DeleteMonitorCommand.ts | 14 +- .../src/commands/DeleteProbeCommand.ts | 14 +- .../src/commands/GetMonitorCommand.ts | 14 +- .../src/commands/GetProbeCommand.ts | 14 +- .../src/commands/ListMonitorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateMonitorCommand.ts | 14 +- .../src/commands/UpdateProbeCommand.ts | 14 +- clients/client-nimble/package.json | 44 +- .../src/commands/AcceptEulasCommand.ts | 14 +- .../commands/CreateLaunchProfileCommand.ts | 14 +- .../commands/CreateStreamingImageCommand.ts | 14 +- .../commands/CreateStreamingSessionCommand.ts | 14 +- .../CreateStreamingSessionStreamCommand.ts | 14 +- .../src/commands/CreateStudioCommand.ts | 14 +- .../commands/CreateStudioComponentCommand.ts | 14 +- .../commands/DeleteLaunchProfileCommand.ts | 14 +- .../DeleteLaunchProfileMemberCommand.ts | 14 +- .../commands/DeleteStreamingImageCommand.ts | 14 +- .../commands/DeleteStreamingSessionCommand.ts | 14 +- .../src/commands/DeleteStudioCommand.ts | 14 +- .../commands/DeleteStudioComponentCommand.ts | 14 +- .../src/commands/DeleteStudioMemberCommand.ts | 14 +- .../src/commands/GetEulaCommand.ts | 14 +- .../src/commands/GetLaunchProfileCommand.ts | 14 +- .../GetLaunchProfileDetailsCommand.ts | 14 +- .../GetLaunchProfileInitializationCommand.ts | 14 +- .../commands/GetLaunchProfileMemberCommand.ts | 14 +- .../src/commands/GetStreamingImageCommand.ts | 14 +- .../GetStreamingSessionBackupCommand.ts | 14 +- .../commands/GetStreamingSessionCommand.ts | 14 +- .../GetStreamingSessionStreamCommand.ts | 14 +- .../src/commands/GetStudioCommand.ts | 14 +- .../src/commands/GetStudioComponentCommand.ts | 14 +- .../src/commands/GetStudioMemberCommand.ts | 14 +- .../commands/ListEulaAcceptancesCommand.ts | 14 +- .../src/commands/ListEulasCommand.ts | 14 +- .../ListLaunchProfileMembersCommand.ts | 14 +- .../src/commands/ListLaunchProfilesCommand.ts | 14 +- .../commands/ListStreamingImagesCommand.ts | 14 +- .../ListStreamingSessionBackupsCommand.ts | 14 +- .../commands/ListStreamingSessionsCommand.ts | 14 +- .../commands/ListStudioComponentsCommand.ts | 14 +- .../src/commands/ListStudioMembersCommand.ts | 14 +- .../src/commands/ListStudiosCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PutLaunchProfileMembersCommand.ts | 14 +- .../src/commands/PutStudioMembersCommand.ts | 14 +- .../commands/StartStreamingSessionCommand.ts | 14 +- ...tartStudioSSOConfigurationRepairCommand.ts | 14 +- .../commands/StopStreamingSessionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateLaunchProfileCommand.ts | 14 +- .../UpdateLaunchProfileMemberCommand.ts | 14 +- .../commands/UpdateStreamingImageCommand.ts | 14 +- .../src/commands/UpdateStudioCommand.ts | 14 +- .../commands/UpdateStudioComponentCommand.ts | 14 +- clients/client-oam/package.json | 42 +- .../src/commands/CreateLinkCommand.ts | 14 +- .../src/commands/CreateSinkCommand.ts | 14 +- .../src/commands/DeleteLinkCommand.ts | 14 +- .../src/commands/DeleteSinkCommand.ts | 14 +- .../client-oam/src/commands/GetLinkCommand.ts | 14 +- .../client-oam/src/commands/GetSinkCommand.ts | 14 +- .../src/commands/GetSinkPolicyCommand.ts | 14 +- .../src/commands/ListAttachedLinksCommand.ts | 14 +- .../src/commands/ListLinksCommand.ts | 14 +- .../src/commands/ListSinksCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutSinkPolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateLinkCommand.ts | 14 +- clients/client-omics/package.json | 46 +- .../AbortMultipartReadSetUploadCommand.ts | 14 +- .../src/commands/AcceptShareCommand.ts | 14 +- .../src/commands/BatchDeleteReadSetCommand.ts | 14 +- .../CancelAnnotationImportJobCommand.ts | 14 +- .../src/commands/CancelRunCommand.ts | 14 +- .../commands/CancelVariantImportJobCommand.ts | 14 +- .../CompleteMultipartReadSetUploadCommand.ts | 14 +- .../commands/CreateAnnotationStoreCommand.ts | 14 +- .../CreateAnnotationStoreVersionCommand.ts | 14 +- .../CreateMultipartReadSetUploadCommand.ts | 14 +- .../commands/CreateReferenceStoreCommand.ts | 14 +- .../src/commands/CreateRunGroupCommand.ts | 14 +- .../commands/CreateSequenceStoreCommand.ts | 14 +- .../src/commands/CreateShareCommand.ts | 14 +- .../src/commands/CreateVariantStoreCommand.ts | 14 +- .../src/commands/CreateWorkflowCommand.ts | 14 +- .../commands/DeleteAnnotationStoreCommand.ts | 14 +- .../DeleteAnnotationStoreVersionsCommand.ts | 14 +- .../src/commands/DeleteReferenceCommand.ts | 14 +- .../commands/DeleteReferenceStoreCommand.ts | 14 +- .../src/commands/DeleteRunCommand.ts | 14 +- .../src/commands/DeleteRunGroupCommand.ts | 14 +- .../commands/DeleteSequenceStoreCommand.ts | 14 +- .../src/commands/DeleteShareCommand.ts | 14 +- .../src/commands/DeleteVariantStoreCommand.ts | 14 +- .../src/commands/DeleteWorkflowCommand.ts | 14 +- .../commands/GetAnnotationImportJobCommand.ts | 14 +- .../src/commands/GetAnnotationStoreCommand.ts | 14 +- .../GetAnnotationStoreVersionCommand.ts | 14 +- .../GetReadSetActivationJobCommand.ts | 14 +- .../src/commands/GetReadSetCommand.ts | 14 +- .../commands/GetReadSetExportJobCommand.ts | 14 +- .../commands/GetReadSetImportJobCommand.ts | 14 +- .../src/commands/GetReadSetMetadataCommand.ts | 14 +- .../src/commands/GetReferenceCommand.ts | 14 +- .../commands/GetReferenceImportJobCommand.ts | 14 +- .../commands/GetReferenceMetadataCommand.ts | 14 +- .../src/commands/GetReferenceStoreCommand.ts | 14 +- .../src/commands/GetRunCommand.ts | 14 +- .../src/commands/GetRunGroupCommand.ts | 14 +- .../src/commands/GetRunTaskCommand.ts | 14 +- .../src/commands/GetSequenceStoreCommand.ts | 14 +- .../src/commands/GetShareCommand.ts | 14 +- .../commands/GetVariantImportJobCommand.ts | 14 +- .../src/commands/GetVariantStoreCommand.ts | 14 +- .../src/commands/GetWorkflowCommand.ts | 14 +- .../ListAnnotationImportJobsCommand.ts | 14 +- .../ListAnnotationStoreVersionsCommand.ts | 14 +- .../commands/ListAnnotationStoresCommand.ts | 14 +- .../ListMultipartReadSetUploadsCommand.ts | 14 +- .../ListReadSetActivationJobsCommand.ts | 14 +- .../commands/ListReadSetExportJobsCommand.ts | 14 +- .../commands/ListReadSetImportJobsCommand.ts | 14 +- .../commands/ListReadSetUploadPartsCommand.ts | 14 +- .../src/commands/ListReadSetsCommand.ts | 14 +- .../ListReferenceImportJobsCommand.ts | 14 +- .../commands/ListReferenceStoresCommand.ts | 14 +- .../src/commands/ListReferencesCommand.ts | 14 +- .../src/commands/ListRunGroupsCommand.ts | 14 +- .../src/commands/ListRunTasksCommand.ts | 14 +- .../src/commands/ListRunsCommand.ts | 14 +- .../src/commands/ListSequenceStoresCommand.ts | 14 +- .../src/commands/ListSharesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListVariantImportJobsCommand.ts | 14 +- .../src/commands/ListVariantStoresCommand.ts | 14 +- .../src/commands/ListWorkflowsCommand.ts | 14 +- .../StartAnnotationImportJobCommand.ts | 14 +- .../StartReadSetActivationJobCommand.ts | 14 +- .../commands/StartReadSetExportJobCommand.ts | 14 +- .../commands/StartReadSetImportJobCommand.ts | 14 +- .../StartReferenceImportJobCommand.ts | 14 +- .../src/commands/StartRunCommand.ts | 14 +- .../commands/StartVariantImportJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAnnotationStoreCommand.ts | 14 +- .../UpdateAnnotationStoreVersionCommand.ts | 14 +- .../src/commands/UpdateRunGroupCommand.ts | 14 +- .../src/commands/UpdateVariantStoreCommand.ts | 14 +- .../src/commands/UpdateWorkflowCommand.ts | 14 +- .../src/commands/UploadReadSetPartCommand.ts | 14 +- clients/client-opensearch/package.json | 42 +- .../AcceptInboundConnectionCommand.ts | 14 +- .../src/commands/AddDataSourceCommand.ts | 14 +- .../src/commands/AddTagsCommand.ts | 14 +- .../src/commands/AssociatePackageCommand.ts | 14 +- .../AuthorizeVpcEndpointAccessCommand.ts | 14 +- .../CancelDomainConfigChangeCommand.ts | 14 +- .../CancelServiceSoftwareUpdateCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../CreateOutboundConnectionCommand.ts | 14 +- .../src/commands/CreatePackageCommand.ts | 14 +- .../src/commands/CreateVpcEndpointCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../DeleteInboundConnectionCommand.ts | 14 +- .../DeleteOutboundConnectionCommand.ts | 14 +- .../src/commands/DeletePackageCommand.ts | 14 +- .../src/commands/DeleteVpcEndpointCommand.ts | 14 +- .../DescribeDomainAutoTunesCommand.ts | 14 +- .../DescribeDomainChangeProgressCommand.ts | 14 +- .../src/commands/DescribeDomainCommand.ts | 14 +- .../commands/DescribeDomainConfigCommand.ts | 14 +- .../commands/DescribeDomainHealthCommand.ts | 14 +- .../commands/DescribeDomainNodesCommand.ts | 14 +- .../src/commands/DescribeDomainsCommand.ts | 14 +- .../commands/DescribeDryRunProgressCommand.ts | 14 +- .../DescribeInboundConnectionsCommand.ts | 14 +- .../DescribeInstanceTypeLimitsCommand.ts | 14 +- .../DescribeOutboundConnectionsCommand.ts | 14 +- .../src/commands/DescribePackagesCommand.ts | 14 +- ...escribeReservedInstanceOfferingsCommand.ts | 14 +- .../DescribeReservedInstancesCommand.ts | 14 +- .../commands/DescribeVpcEndpointsCommand.ts | 14 +- .../src/commands/DissociatePackageCommand.ts | 14 +- .../commands/GetCompatibleVersionsCommand.ts | 14 +- .../src/commands/GetDataSourceCommand.ts | 14 +- .../GetDomainMaintenanceStatusCommand.ts | 14 +- .../GetPackageVersionHistoryCommand.ts | 14 +- .../src/commands/GetUpgradeHistoryCommand.ts | 14 +- .../src/commands/GetUpgradeStatusCommand.ts | 14 +- .../src/commands/ListDataSourcesCommand.ts | 14 +- .../commands/ListDomainMaintenancesCommand.ts | 14 +- .../src/commands/ListDomainNamesCommand.ts | 14 +- .../commands/ListDomainsForPackageCommand.ts | 14 +- .../ListInstanceTypeDetailsCommand.ts | 14 +- .../commands/ListPackagesForDomainCommand.ts | 14 +- .../commands/ListScheduledActionsCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../src/commands/ListVersionsCommand.ts | 14 +- .../commands/ListVpcEndpointAccessCommand.ts | 14 +- .../src/commands/ListVpcEndpointsCommand.ts | 14 +- .../ListVpcEndpointsForDomainCommand.ts | 14 +- ...PurchaseReservedInstanceOfferingCommand.ts | 14 +- .../RejectInboundConnectionCommand.ts | 14 +- .../src/commands/RemoveTagsCommand.ts | 14 +- .../RevokeVpcEndpointAccessCommand.ts | 14 +- .../commands/StartDomainMaintenanceCommand.ts | 14 +- .../StartServiceSoftwareUpdateCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../src/commands/UpdateDomainConfigCommand.ts | 14 +- .../src/commands/UpdatePackageCommand.ts | 14 +- .../commands/UpdateScheduledActionCommand.ts | 14 +- .../src/commands/UpdateVpcEndpointCommand.ts | 14 +- .../src/commands/UpgradeDomainCommand.ts | 14 +- .../client-opensearchserverless/package.json | 42 +- .../src/commands/BatchGetCollectionCommand.ts | 14 +- ...BatchGetEffectiveLifecyclePolicyCommand.ts | 14 +- .../BatchGetLifecyclePolicyCommand.ts | 14 +- .../commands/BatchGetVpcEndpointCommand.ts | 14 +- .../src/commands/CreateAccessPolicyCommand.ts | 14 +- .../src/commands/CreateCollectionCommand.ts | 14 +- .../commands/CreateLifecyclePolicyCommand.ts | 14 +- .../commands/CreateSecurityConfigCommand.ts | 14 +- .../commands/CreateSecurityPolicyCommand.ts | 14 +- .../src/commands/CreateVpcEndpointCommand.ts | 14 +- .../src/commands/DeleteAccessPolicyCommand.ts | 14 +- .../src/commands/DeleteCollectionCommand.ts | 14 +- .../commands/DeleteLifecyclePolicyCommand.ts | 14 +- .../commands/DeleteSecurityConfigCommand.ts | 14 +- .../commands/DeleteSecurityPolicyCommand.ts | 14 +- .../src/commands/DeleteVpcEndpointCommand.ts | 14 +- .../src/commands/GetAccessPolicyCommand.ts | 14 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../src/commands/GetPoliciesStatsCommand.ts | 14 +- .../src/commands/GetSecurityConfigCommand.ts | 14 +- .../src/commands/GetSecurityPolicyCommand.ts | 14 +- .../src/commands/ListAccessPoliciesCommand.ts | 14 +- .../src/commands/ListCollectionsCommand.ts | 14 +- .../commands/ListLifecyclePoliciesCommand.ts | 14 +- .../commands/ListSecurityConfigsCommand.ts | 14 +- .../commands/ListSecurityPoliciesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListVpcEndpointsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAccessPolicyCommand.ts | 14 +- .../commands/UpdateAccountSettingsCommand.ts | 14 +- .../src/commands/UpdateCollectionCommand.ts | 14 +- .../commands/UpdateLifecyclePolicyCommand.ts | 14 +- .../commands/UpdateSecurityConfigCommand.ts | 14 +- .../commands/UpdateSecurityPolicyCommand.ts | 14 +- .../src/commands/UpdateVpcEndpointCommand.ts | 14 +- clients/client-opsworks/package.json | 44 +- .../src/commands/AssignInstanceCommand.ts | 14 +- .../src/commands/AssignVolumeCommand.ts | 14 +- .../src/commands/AssociateElasticIpCommand.ts | 14 +- .../AttachElasticLoadBalancerCommand.ts | 14 +- .../src/commands/CloneStackCommand.ts | 14 +- .../src/commands/CreateAppCommand.ts | 14 +- .../src/commands/CreateDeploymentCommand.ts | 14 +- .../src/commands/CreateInstanceCommand.ts | 14 +- .../src/commands/CreateLayerCommand.ts | 14 +- .../src/commands/CreateStackCommand.ts | 14 +- .../src/commands/CreateUserProfileCommand.ts | 14 +- .../src/commands/DeleteAppCommand.ts | 14 +- .../src/commands/DeleteInstanceCommand.ts | 14 +- .../src/commands/DeleteLayerCommand.ts | 14 +- .../src/commands/DeleteStackCommand.ts | 14 +- .../src/commands/DeleteUserProfileCommand.ts | 14 +- .../commands/DeregisterEcsClusterCommand.ts | 14 +- .../commands/DeregisterElasticIpCommand.ts | 14 +- .../src/commands/DeregisterInstanceCommand.ts | 14 +- .../DeregisterRdsDbInstanceCommand.ts | 14 +- .../src/commands/DeregisterVolumeCommand.ts | 14 +- .../commands/DescribeAgentVersionsCommand.ts | 14 +- .../src/commands/DescribeAppsCommand.ts | 14 +- .../src/commands/DescribeCommandsCommand.ts | 14 +- .../commands/DescribeDeploymentsCommand.ts | 14 +- .../commands/DescribeEcsClustersCommand.ts | 14 +- .../src/commands/DescribeElasticIpsCommand.ts | 14 +- .../DescribeElasticLoadBalancersCommand.ts | 14 +- .../src/commands/DescribeInstancesCommand.ts | 14 +- .../src/commands/DescribeLayersCommand.ts | 14 +- .../DescribeLoadBasedAutoScalingCommand.ts | 14 +- .../commands/DescribeMyUserProfileCommand.ts | 14 +- .../DescribeOperatingSystemsCommand.ts | 14 +- .../commands/DescribePermissionsCommand.ts | 14 +- .../src/commands/DescribeRaidArraysCommand.ts | 14 +- .../commands/DescribeRdsDbInstancesCommand.ts | 14 +- .../commands/DescribeServiceErrorsCommand.ts | 14 +- ...cribeStackProvisioningParametersCommand.ts | 14 +- .../commands/DescribeStackSummaryCommand.ts | 14 +- .../src/commands/DescribeStacksCommand.ts | 14 +- .../DescribeTimeBasedAutoScalingCommand.ts | 14 +- .../commands/DescribeUserProfilesCommand.ts | 14 +- .../src/commands/DescribeVolumesCommand.ts | 14 +- .../DetachElasticLoadBalancerCommand.ts | 14 +- .../commands/DisassociateElasticIpCommand.ts | 14 +- .../commands/GetHostnameSuggestionCommand.ts | 14 +- .../src/commands/GrantAccessCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../src/commands/RebootInstanceCommand.ts | 14 +- .../src/commands/RegisterEcsClusterCommand.ts | 14 +- .../src/commands/RegisterElasticIpCommand.ts | 14 +- .../src/commands/RegisterInstanceCommand.ts | 14 +- .../commands/RegisterRdsDbInstanceCommand.ts | 14 +- .../src/commands/RegisterVolumeCommand.ts | 14 +- .../SetLoadBasedAutoScalingCommand.ts | 14 +- .../src/commands/SetPermissionCommand.ts | 14 +- .../SetTimeBasedAutoScalingCommand.ts | 14 +- .../src/commands/StartInstanceCommand.ts | 14 +- .../src/commands/StartStackCommand.ts | 14 +- .../src/commands/StopInstanceCommand.ts | 14 +- .../src/commands/StopStackCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UnassignInstanceCommand.ts | 14 +- .../src/commands/UnassignVolumeCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAppCommand.ts | 14 +- .../src/commands/UpdateElasticIpCommand.ts | 14 +- .../src/commands/UpdateInstanceCommand.ts | 14 +- .../src/commands/UpdateLayerCommand.ts | 14 +- .../commands/UpdateMyUserProfileCommand.ts | 14 +- .../commands/UpdateRdsDbInstanceCommand.ts | 14 +- .../src/commands/UpdateStackCommand.ts | 14 +- .../src/commands/UpdateUserProfileCommand.ts | 14 +- .../src/commands/UpdateVolumeCommand.ts | 14 +- clients/client-opsworkscm/package.json | 44 +- .../src/commands/AssociateNodeCommand.ts | 14 +- .../src/commands/CreateBackupCommand.ts | 14 +- .../src/commands/CreateServerCommand.ts | 14 +- .../src/commands/DeleteBackupCommand.ts | 14 +- .../src/commands/DeleteServerCommand.ts | 14 +- .../DescribeAccountAttributesCommand.ts | 14 +- .../src/commands/DescribeBackupsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../DescribeNodeAssociationStatusCommand.ts | 14 +- .../src/commands/DescribeServersCommand.ts | 14 +- .../src/commands/DisassociateNodeCommand.ts | 14 +- .../ExportServerEngineAttributeCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RestoreServerCommand.ts | 14 +- .../src/commands/StartMaintenanceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateServerCommand.ts | 14 +- .../UpdateServerEngineAttributesCommand.ts | 14 +- clients/client-organizations/package.json | 42 +- .../src/commands/AcceptHandshakeCommand.ts | 14 +- .../src/commands/AttachPolicyCommand.ts | 14 +- .../src/commands/CancelHandshakeCommand.ts | 14 +- .../src/commands/CloseAccountCommand.ts | 14 +- .../src/commands/CreateAccountCommand.ts | 14 +- .../commands/CreateGovCloudAccountCommand.ts | 14 +- .../src/commands/CreateOrganizationCommand.ts | 14 +- .../CreateOrganizationalUnitCommand.ts | 14 +- .../src/commands/CreatePolicyCommand.ts | 14 +- .../src/commands/DeclineHandshakeCommand.ts | 14 +- .../src/commands/DeleteOrganizationCommand.ts | 14 +- .../DeleteOrganizationalUnitCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- ...DeregisterDelegatedAdministratorCommand.ts | 14 +- .../src/commands/DescribeAccountCommand.ts | 14 +- .../DescribeCreateAccountStatusCommand.ts | 14 +- .../DescribeEffectivePolicyCommand.ts | 14 +- .../src/commands/DescribeHandshakeCommand.ts | 14 +- .../commands/DescribeOrganizationCommand.ts | 14 +- .../DescribeOrganizationalUnitCommand.ts | 16 +- .../src/commands/DescribePolicyCommand.ts | 14 +- .../commands/DescribeResourcePolicyCommand.ts | 14 +- .../src/commands/DetachPolicyCommand.ts | 14 +- .../DisableAWSServiceAccessCommand.ts | 14 +- .../src/commands/DisablePolicyTypeCommand.ts | 14 +- .../commands/EnableAWSServiceAccessCommand.ts | 14 +- .../src/commands/EnableAllFeaturesCommand.ts | 14 +- .../src/commands/EnablePolicyTypeCommand.ts | 14 +- .../InviteAccountToOrganizationCommand.ts | 14 +- .../src/commands/LeaveOrganizationCommand.ts | 14 +- ...tAWSServiceAccessForOrganizationCommand.ts | 14 +- .../src/commands/ListAccountsCommand.ts | 14 +- .../commands/ListAccountsForParentCommand.ts | 14 +- .../src/commands/ListChildrenCommand.ts | 14 +- .../ListCreateAccountStatusCommand.ts | 14 +- .../ListDelegatedAdministratorsCommand.ts | 14 +- .../ListDelegatedServicesForAccountCommand.ts | 14 +- .../ListHandshakesForAccountCommand.ts | 14 +- .../ListHandshakesForOrganizationCommand.ts | 14 +- ...ListOrganizationalUnitsForParentCommand.ts | 14 +- .../src/commands/ListParentsCommand.ts | 14 +- .../src/commands/ListPoliciesCommand.ts | 14 +- .../commands/ListPoliciesForTargetCommand.ts | 14 +- .../src/commands/ListRootsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTargetsForPolicyCommand.ts | 14 +- .../src/commands/MoveAccountCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../RegisterDelegatedAdministratorCommand.ts | 14 +- .../RemoveAccountFromOrganizationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateOrganizationalUnitCommand.ts | 14 +- .../src/commands/UpdatePolicyCommand.ts | 14 +- clients/client-osis/package.json | 42 +- .../src/commands/CreatePipelineCommand.ts | 14 +- .../src/commands/DeletePipelineCommand.ts | 14 +- .../commands/GetPipelineBlueprintCommand.ts | 14 +- .../GetPipelineChangeProgressCommand.ts | 14 +- .../src/commands/GetPipelineCommand.ts | 14 +- .../commands/ListPipelineBlueprintsCommand.ts | 14 +- .../src/commands/ListPipelinesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartPipelineCommand.ts | 14 +- .../src/commands/StopPipelineCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdatePipelineCommand.ts | 14 +- .../src/commands/ValidatePipelineCommand.ts | 14 +- clients/client-outposts/package.json | 42 +- .../src/commands/CancelCapacityTaskCommand.ts | 14 +- .../src/commands/CancelOrderCommand.ts | 14 +- .../src/commands/CreateOrderCommand.ts | 14 +- .../src/commands/CreateOutpostCommand.ts | 14 +- .../src/commands/CreateSiteCommand.ts | 14 +- .../src/commands/DeleteOutpostCommand.ts | 14 +- .../src/commands/DeleteSiteCommand.ts | 14 +- .../src/commands/GetCapacityTaskCommand.ts | 14 +- .../src/commands/GetCatalogItemCommand.ts | 14 +- .../src/commands/GetConnectionCommand.ts | 14 +- .../src/commands/GetOrderCommand.ts | 14 +- .../src/commands/GetOutpostCommand.ts | 14 +- .../GetOutpostInstanceTypesCommand.ts | 14 +- ...GetOutpostSupportedInstanceTypesCommand.ts | 14 +- .../src/commands/GetSiteAddressCommand.ts | 14 +- .../src/commands/GetSiteCommand.ts | 14 +- .../src/commands/ListAssetsCommand.ts | 14 +- .../src/commands/ListCapacityTasksCommand.ts | 14 +- .../src/commands/ListCatalogItemsCommand.ts | 14 +- .../src/commands/ListOrdersCommand.ts | 14 +- .../src/commands/ListOutpostsCommand.ts | 14 +- .../src/commands/ListSitesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartCapacityTaskCommand.ts | 14 +- .../src/commands/StartConnectionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateOutpostCommand.ts | 14 +- .../src/commands/UpdateSiteAddressCommand.ts | 14 +- .../src/commands/UpdateSiteCommand.ts | 14 +- ...UpdateSiteRackPhysicalPropertiesCommand.ts | 14 +- clients/client-panorama/package.json | 42 +- .../CreateApplicationInstanceCommand.ts | 14 +- .../commands/CreateJobForDevicesCommand.ts | 14 +- .../CreateNodeFromTemplateJobCommand.ts | 14 +- .../src/commands/CreatePackageCommand.ts | 14 +- .../commands/CreatePackageImportJobCommand.ts | 14 +- .../src/commands/DeleteDeviceCommand.ts | 14 +- .../src/commands/DeletePackageCommand.ts | 14 +- .../DeregisterPackageVersionCommand.ts | 14 +- .../DescribeApplicationInstanceCommand.ts | 14 +- ...scribeApplicationInstanceDetailsCommand.ts | 14 +- .../src/commands/DescribeDeviceCommand.ts | 14 +- .../src/commands/DescribeDeviceJobCommand.ts | 14 +- .../src/commands/DescribeNodeCommand.ts | 14 +- .../DescribeNodeFromTemplateJobCommand.ts | 14 +- .../src/commands/DescribePackageCommand.ts | 14 +- .../DescribePackageImportJobCommand.ts | 14 +- .../commands/DescribePackageVersionCommand.ts | 14 +- ...tApplicationInstanceDependenciesCommand.ts | 14 +- ...ApplicationInstanceNodeInstancesCommand.ts | 14 +- .../ListApplicationInstancesCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../src/commands/ListDevicesJobsCommand.ts | 14 +- .../ListNodeFromTemplateJobsCommand.ts | 14 +- .../src/commands/ListNodesCommand.ts | 14 +- .../commands/ListPackageImportJobsCommand.ts | 14 +- .../src/commands/ListPackagesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ProvisionDeviceCommand.ts | 14 +- .../commands/RegisterPackageVersionCommand.ts | 14 +- .../RemoveApplicationInstanceCommand.ts | 14 +- ...ApplicationInstanceNodeInstancesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateDeviceMetadataCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/DecryptDataCommand.ts | 14 +- .../src/commands/EncryptDataCommand.ts | 14 +- .../GenerateCardValidationDataCommand.ts | 14 +- .../src/commands/GenerateMacCommand.ts | 14 +- .../src/commands/GeneratePinDataCommand.ts | 14 +- .../src/commands/ReEncryptDataCommand.ts | 14 +- .../src/commands/TranslatePinDataCommand.ts | 14 +- .../VerifyAuthRequestCryptogramCommand.ts | 14 +- .../VerifyCardValidationDataCommand.ts | 14 +- .../src/commands/VerifyMacCommand.ts | 14 +- .../src/commands/VerifyPinDataCommand.ts | 14 +- .../client-payment-cryptography/package.json | 42 +- .../src/commands/CreateAliasCommand.ts | 14 +- .../src/commands/CreateKeyCommand.ts | 14 +- .../src/commands/DeleteAliasCommand.ts | 14 +- .../src/commands/DeleteKeyCommand.ts | 14 +- .../src/commands/ExportKeyCommand.ts | 14 +- .../src/commands/GetAliasCommand.ts | 14 +- .../src/commands/GetKeyCommand.ts | 14 +- .../commands/GetParametersForExportCommand.ts | 14 +- .../commands/GetParametersForImportCommand.ts | 14 +- .../GetPublicKeyCertificateCommand.ts | 14 +- .../src/commands/ImportKeyCommand.ts | 14 +- .../src/commands/ListAliasesCommand.ts | 14 +- .../src/commands/ListKeysCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RestoreKeyCommand.ts | 14 +- .../src/commands/StartKeyUsageCommand.ts | 14 +- .../src/commands/StopKeyUsageCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAliasCommand.ts | 14 +- clients/client-pca-connector-ad/package.json | 42 +- .../src/commands/CreateConnectorCommand.ts | 14 +- .../CreateDirectoryRegistrationCommand.ts | 14 +- .../CreateServicePrincipalNameCommand.ts | 14 +- .../src/commands/CreateTemplateCommand.ts | 14 +- ...eTemplateGroupAccessControlEntryCommand.ts | 14 +- .../src/commands/DeleteConnectorCommand.ts | 14 +- .../DeleteDirectoryRegistrationCommand.ts | 14 +- .../DeleteServicePrincipalNameCommand.ts | 14 +- .../src/commands/DeleteTemplateCommand.ts | 14 +- ...eTemplateGroupAccessControlEntryCommand.ts | 14 +- .../src/commands/GetConnectorCommand.ts | 14 +- .../GetDirectoryRegistrationCommand.ts | 14 +- .../GetServicePrincipalNameCommand.ts | 14 +- .../src/commands/GetTemplateCommand.ts | 14 +- ...tTemplateGroupAccessControlEntryCommand.ts | 14 +- .../src/commands/ListConnectorsCommand.ts | 14 +- .../ListDirectoryRegistrationsCommand.ts | 14 +- .../ListServicePrincipalNamesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...emplateGroupAccessControlEntriesCommand.ts | 14 +- .../src/commands/ListTemplatesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateTemplateCommand.ts | 14 +- ...eTemplateGroupAccessControlEntryCommand.ts | 14 +- .../client-pca-connector-scep/package.json | 42 +- .../src/commands/CreateChallengeCommand.ts | 14 +- .../src/commands/CreateConnectorCommand.ts | 14 +- .../src/commands/DeleteChallengeCommand.ts | 14 +- .../src/commands/DeleteConnectorCommand.ts | 14 +- .../commands/GetChallengeMetadataCommand.ts | 14 +- .../commands/GetChallengePasswordCommand.ts | 14 +- .../src/commands/GetConnectorCommand.ts | 14 +- .../commands/ListChallengeMetadataCommand.ts | 14 +- .../src/commands/ListConnectorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-pcs/package.json | 42 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../commands/CreateComputeNodeGroupCommand.ts | 14 +- .../src/commands/CreateQueueCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../commands/DeleteComputeNodeGroupCommand.ts | 14 +- .../src/commands/DeleteQueueCommand.ts | 14 +- .../src/commands/GetClusterCommand.ts | 14 +- .../commands/GetComputeNodeGroupCommand.ts | 14 +- .../src/commands/GetQueueCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../commands/ListComputeNodeGroupsCommand.ts | 14 +- .../src/commands/ListQueuesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...RegisterComputeNodeGroupInstanceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateComputeNodeGroupCommand.ts | 14 +- .../src/commands/UpdateQueueCommand.ts | 14 +- .../client-personalize-events/package.json | 42 +- .../commands/PutActionInteractionsCommand.ts | 14 +- .../src/commands/PutActionsCommand.ts | 14 +- .../src/commands/PutEventsCommand.ts | 14 +- .../src/commands/PutItemsCommand.ts | 14 +- .../src/commands/PutUsersCommand.ts | 14 +- .../client-personalize-runtime/package.json | 42 +- .../GetActionRecommendationsCommand.ts | 14 +- .../commands/GetPersonalizedRankingCommand.ts | 14 +- .../src/commands/GetRecommendationsCommand.ts | 14 +- clients/client-personalize/package.json | 42 +- .../CreateBatchInferenceJobCommand.ts | 14 +- .../commands/CreateBatchSegmentJobCommand.ts | 14 +- .../src/commands/CreateCampaignCommand.ts | 14 +- .../commands/CreateDataDeletionJobCommand.ts | 14 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../commands/CreateDatasetExportJobCommand.ts | 14 +- .../src/commands/CreateDatasetGroupCommand.ts | 14 +- .../commands/CreateDatasetImportJobCommand.ts | 14 +- .../src/commands/CreateEventTrackerCommand.ts | 14 +- .../src/commands/CreateFilterCommand.ts | 14 +- .../CreateMetricAttributionCommand.ts | 14 +- .../src/commands/CreateRecommenderCommand.ts | 14 +- .../src/commands/CreateSchemaCommand.ts | 14 +- .../src/commands/CreateSolutionCommand.ts | 14 +- .../commands/CreateSolutionVersionCommand.ts | 14 +- .../src/commands/DeleteCampaignCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../src/commands/DeleteDatasetGroupCommand.ts | 14 +- .../src/commands/DeleteEventTrackerCommand.ts | 14 +- .../src/commands/DeleteFilterCommand.ts | 14 +- .../DeleteMetricAttributionCommand.ts | 14 +- .../src/commands/DeleteRecommenderCommand.ts | 14 +- .../src/commands/DeleteSchemaCommand.ts | 14 +- .../src/commands/DeleteSolutionCommand.ts | 14 +- .../src/commands/DescribeAlgorithmCommand.ts | 14 +- .../DescribeBatchInferenceJobCommand.ts | 14 +- .../DescribeBatchSegmentJobCommand.ts | 14 +- .../src/commands/DescribeCampaignCommand.ts | 14 +- .../DescribeDataDeletionJobCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../DescribeDatasetExportJobCommand.ts | 14 +- .../commands/DescribeDatasetGroupCommand.ts | 14 +- .../DescribeDatasetImportJobCommand.ts | 14 +- .../commands/DescribeEventTrackerCommand.ts | 14 +- .../DescribeFeatureTransformationCommand.ts | 14 +- .../src/commands/DescribeFilterCommand.ts | 14 +- .../DescribeMetricAttributionCommand.ts | 14 +- .../src/commands/DescribeRecipeCommand.ts | 14 +- .../commands/DescribeRecommenderCommand.ts | 14 +- .../src/commands/DescribeSchemaCommand.ts | 14 +- .../src/commands/DescribeSolutionCommand.ts | 14 +- .../DescribeSolutionVersionCommand.ts | 14 +- .../src/commands/GetSolutionMetricsCommand.ts | 14 +- .../commands/ListBatchInferenceJobsCommand.ts | 14 +- .../commands/ListBatchSegmentJobsCommand.ts | 14 +- .../src/commands/ListCampaignsCommand.ts | 14 +- .../commands/ListDataDeletionJobsCommand.ts | 14 +- .../commands/ListDatasetExportJobsCommand.ts | 14 +- .../src/commands/ListDatasetGroupsCommand.ts | 14 +- .../commands/ListDatasetImportJobsCommand.ts | 14 +- .../src/commands/ListDatasetsCommand.ts | 14 +- .../src/commands/ListEventTrackersCommand.ts | 14 +- .../src/commands/ListFiltersCommand.ts | 14 +- .../ListMetricAttributionMetricsCommand.ts | 14 +- .../commands/ListMetricAttributionsCommand.ts | 14 +- .../src/commands/ListRecipesCommand.ts | 14 +- .../src/commands/ListRecommendersCommand.ts | 14 +- .../src/commands/ListSchemasCommand.ts | 14 +- .../commands/ListSolutionVersionsCommand.ts | 14 +- .../src/commands/ListSolutionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartRecommenderCommand.ts | 14 +- .../src/commands/StopRecommenderCommand.ts | 14 +- .../StopSolutionVersionCreationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCampaignCommand.ts | 14 +- .../src/commands/UpdateDatasetCommand.ts | 14 +- .../UpdateMetricAttributionCommand.ts | 14 +- .../src/commands/UpdateRecommenderCommand.ts | 14 +- .../src/commands/UpdateSolutionCommand.ts | 14 +- clients/client-pi/package.json | 42 +- .../CreatePerformanceAnalysisReportCommand.ts | 14 +- .../DeletePerformanceAnalysisReportCommand.ts | 14 +- .../commands/DescribeDimensionKeysCommand.ts | 14 +- .../commands/GetDimensionKeyDetailsCommand.ts | 14 +- .../GetPerformanceAnalysisReportCommand.ts | 14 +- .../commands/GetResourceMetadataCommand.ts | 14 +- .../src/commands/GetResourceMetricsCommand.ts | 14 +- .../ListAvailableResourceDimensionsCommand.ts | 14 +- .../ListAvailableResourceMetricsCommand.ts | 14 +- .../ListPerformanceAnalysisReportsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-pinpoint-email/package.json | 42 +- .../commands/CreateConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- .../commands/CreateDedicatedIpPoolCommand.ts | 14 +- .../CreateDeliverabilityTestReportCommand.ts | 14 +- .../commands/CreateEmailIdentityCommand.ts | 14 +- .../commands/DeleteConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- .../commands/DeleteDedicatedIpPoolCommand.ts | 14 +- .../commands/DeleteEmailIdentityCommand.ts | 14 +- .../src/commands/GetAccountCommand.ts | 14 +- .../commands/GetBlacklistReportsCommand.ts | 14 +- .../commands/GetConfigurationSetCommand.ts | 14 +- ...onfigurationSetEventDestinationsCommand.ts | 14 +- .../src/commands/GetDedicatedIpCommand.ts | 14 +- .../src/commands/GetDedicatedIpsCommand.ts | 14 +- ...etDeliverabilityDashboardOptionsCommand.ts | 14 +- .../GetDeliverabilityTestReportCommand.ts | 14 +- .../GetDomainDeliverabilityCampaignCommand.ts | 14 +- .../GetDomainStatisticsReportCommand.ts | 14 +- .../src/commands/GetEmailIdentityCommand.ts | 14 +- .../commands/ListConfigurationSetsCommand.ts | 14 +- .../commands/ListDedicatedIpPoolsCommand.ts | 14 +- .../ListDeliverabilityTestReportsCommand.ts | 14 +- ...istDomainDeliverabilityCampaignsCommand.ts | 14 +- .../commands/ListEmailIdentitiesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...countDedicatedIpWarmupAttributesCommand.ts | 14 +- .../PutAccountSendingAttributesCommand.ts | 14 +- ...tConfigurationSetDeliveryOptionsCommand.ts | 14 +- ...onfigurationSetReputationOptionsCommand.ts | 14 +- ...utConfigurationSetSendingOptionsCommand.ts | 14 +- ...tConfigurationSetTrackingOptionsCommand.ts | 14 +- .../commands/PutDedicatedIpInPoolCommand.ts | 14 +- .../PutDedicatedIpWarmupAttributesCommand.ts | 14 +- ...PutDeliverabilityDashboardOptionCommand.ts | 14 +- .../PutEmailIdentityDkimAttributesCommand.ts | 14 +- ...tEmailIdentityFeedbackAttributesCommand.ts | 14 +- ...tEmailIdentityMailFromAttributesCommand.ts | 14 +- .../src/commands/SendEmailCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- .../client-pinpoint-sms-voice-v2/package.json | 42 +- .../AssociateOriginationIdentityCommand.ts | 14 +- .../AssociateProtectConfigurationCommand.ts | 14 +- .../commands/CreateConfigurationSetCommand.ts | 14 +- .../commands/CreateEventDestinationCommand.ts | 14 +- .../src/commands/CreateOptOutListCommand.ts | 14 +- .../src/commands/CreatePoolCommand.ts | 14 +- .../CreateProtectConfigurationCommand.ts | 14 +- .../CreateRegistrationAssociationCommand.ts | 14 +- .../CreateRegistrationAttachmentCommand.ts | 14 +- .../src/commands/CreateRegistrationCommand.ts | 14 +- .../CreateRegistrationVersionCommand.ts | 14 +- .../CreateVerifiedDestinationNumberCommand.ts | 14 +- ...countDefaultProtectConfigurationCommand.ts | 14 +- .../commands/DeleteConfigurationSetCommand.ts | 14 +- .../DeleteDefaultMessageTypeCommand.ts | 14 +- .../commands/DeleteDefaultSenderIdCommand.ts | 14 +- .../commands/DeleteEventDestinationCommand.ts | 14 +- .../src/commands/DeleteKeywordCommand.ts | 14 +- ...teMediaMessageSpendLimitOverrideCommand.ts | 14 +- .../src/commands/DeleteOptOutListCommand.ts | 14 +- .../commands/DeleteOptedOutNumberCommand.ts | 14 +- .../src/commands/DeletePoolCommand.ts | 14 +- .../DeleteProtectConfigurationCommand.ts | 14 +- .../DeleteRegistrationAttachmentCommand.ts | 14 +- .../src/commands/DeleteRegistrationCommand.ts | 14 +- .../DeleteRegistrationFieldValueCommand.ts | 14 +- ...eteTextMessageSpendLimitOverrideCommand.ts | 14 +- .../DeleteVerifiedDestinationNumberCommand.ts | 14 +- ...teVoiceMessageSpendLimitOverrideCommand.ts | 14 +- .../DescribeAccountAttributesCommand.ts | 14 +- .../commands/DescribeAccountLimitsCommand.ts | 14 +- .../DescribeConfigurationSetsCommand.ts | 14 +- .../src/commands/DescribeKeywordsCommand.ts | 14 +- .../commands/DescribeOptOutListsCommand.ts | 14 +- .../DescribeOptedOutNumbersCommand.ts | 14 +- .../commands/DescribePhoneNumbersCommand.ts | 14 +- .../src/commands/DescribePoolsCommand.ts | 14 +- .../DescribeProtectConfigurationsCommand.ts | 14 +- .../DescribeRegistrationAttachmentsCommand.ts | 14 +- ...ribeRegistrationFieldDefinitionsCommand.ts | 14 +- .../DescribeRegistrationFieldValuesCommand.ts | 14 +- ...beRegistrationSectionDefinitionsCommand.ts | 14 +- ...cribeRegistrationTypeDefinitionsCommand.ts | 14 +- .../DescribeRegistrationVersionsCommand.ts | 14 +- .../commands/DescribeRegistrationsCommand.ts | 14 +- .../src/commands/DescribeSenderIdsCommand.ts | 14 +- .../commands/DescribeSpendLimitsCommand.ts | 14 +- ...scribeVerifiedDestinationNumbersCommand.ts | 14 +- .../DisassociateOriginationIdentityCommand.ts | 14 +- ...DisassociateProtectConfigurationCommand.ts | 14 +- .../DiscardRegistrationVersionCommand.ts | 14 +- ...otectConfigurationCountryRuleSetCommand.ts | 14 +- .../ListPoolOriginationIdentitiesCommand.ts | 14 +- .../ListRegistrationAssociationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutKeywordCommand.ts | 14 +- .../src/commands/PutOptedOutNumberCommand.ts | 14 +- .../PutRegistrationFieldValueCommand.ts | 14 +- .../src/commands/ReleasePhoneNumberCommand.ts | 14 +- .../src/commands/ReleaseSenderIdCommand.ts | 14 +- .../src/commands/RequestPhoneNumberCommand.ts | 14 +- .../src/commands/RequestSenderIdCommand.ts | 14 +- ...estinationNumberVerificationCodeCommand.ts | 14 +- .../src/commands/SendMediaMessageCommand.ts | 14 +- .../src/commands/SendTextMessageCommand.ts | 14 +- .../src/commands/SendVoiceMessageCommand.ts | 14 +- ...countDefaultProtectConfigurationCommand.ts | 14 +- .../commands/SetDefaultMessageTypeCommand.ts | 14 +- .../src/commands/SetDefaultSenderIdCommand.ts | 14 +- ...etMediaMessageSpendLimitOverrideCommand.ts | 14 +- ...SetTextMessageSpendLimitOverrideCommand.ts | 14 +- ...etVoiceMessageSpendLimitOverrideCommand.ts | 14 +- .../SubmitRegistrationVersionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateEventDestinationCommand.ts | 14 +- .../src/commands/UpdatePhoneNumberCommand.ts | 14 +- .../src/commands/UpdatePoolCommand.ts | 14 +- .../UpdateProtectConfigurationCommand.ts | 14 +- ...otectConfigurationCountryRuleSetCommand.ts | 14 +- .../src/commands/UpdateSenderIdCommand.ts | 14 +- .../VerifyDestinationNumberCommand.ts | 14 +- .../client-pinpoint-sms-voice/package.json | 42 +- .../commands/CreateConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- .../commands/DeleteConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- ...onfigurationSetEventDestinationsCommand.ts | 14 +- .../commands/ListConfigurationSetsCommand.ts | 14 +- .../src/commands/SendVoiceMessageCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- clients/client-pinpoint/package.json | 42 +- .../src/commands/CreateAppCommand.ts | 14 +- .../src/commands/CreateCampaignCommand.ts | 14 +- .../commands/CreateEmailTemplateCommand.ts | 14 +- .../src/commands/CreateExportJobCommand.ts | 14 +- .../src/commands/CreateImportJobCommand.ts | 14 +- .../commands/CreateInAppTemplateCommand.ts | 14 +- .../src/commands/CreateJourneyCommand.ts | 14 +- .../src/commands/CreatePushTemplateCommand.ts | 14 +- .../CreateRecommenderConfigurationCommand.ts | 14 +- .../src/commands/CreateSegmentCommand.ts | 14 +- .../src/commands/CreateSmsTemplateCommand.ts | 14 +- .../commands/CreateVoiceTemplateCommand.ts | 14 +- .../src/commands/DeleteAdmChannelCommand.ts | 14 +- .../src/commands/DeleteApnsChannelCommand.ts | 14 +- .../DeleteApnsSandboxChannelCommand.ts | 14 +- .../commands/DeleteApnsVoipChannelCommand.ts | 14 +- .../DeleteApnsVoipSandboxChannelCommand.ts | 14 +- .../src/commands/DeleteAppCommand.ts | 14 +- .../src/commands/DeleteBaiduChannelCommand.ts | 14 +- .../src/commands/DeleteCampaignCommand.ts | 14 +- .../src/commands/DeleteEmailChannelCommand.ts | 14 +- .../commands/DeleteEmailTemplateCommand.ts | 14 +- .../src/commands/DeleteEndpointCommand.ts | 14 +- .../src/commands/DeleteEventStreamCommand.ts | 14 +- .../src/commands/DeleteGcmChannelCommand.ts | 14 +- .../commands/DeleteInAppTemplateCommand.ts | 14 +- .../src/commands/DeleteJourneyCommand.ts | 14 +- .../src/commands/DeletePushTemplateCommand.ts | 14 +- .../DeleteRecommenderConfigurationCommand.ts | 14 +- .../src/commands/DeleteSegmentCommand.ts | 14 +- .../src/commands/DeleteSmsChannelCommand.ts | 14 +- .../src/commands/DeleteSmsTemplateCommand.ts | 14 +- .../commands/DeleteUserEndpointsCommand.ts | 14 +- .../src/commands/DeleteVoiceChannelCommand.ts | 14 +- .../commands/DeleteVoiceTemplateCommand.ts | 14 +- .../src/commands/GetAdmChannelCommand.ts | 14 +- .../src/commands/GetApnsChannelCommand.ts | 14 +- .../commands/GetApnsSandboxChannelCommand.ts | 14 +- .../src/commands/GetApnsVoipChannelCommand.ts | 14 +- .../GetApnsVoipSandboxChannelCommand.ts | 14 +- .../src/commands/GetAppCommand.ts | 14 +- .../GetApplicationDateRangeKpiCommand.ts | 14 +- .../commands/GetApplicationSettingsCommand.ts | 14 +- .../src/commands/GetAppsCommand.ts | 14 +- .../src/commands/GetBaiduChannelCommand.ts | 14 +- .../commands/GetCampaignActivitiesCommand.ts | 14 +- .../src/commands/GetCampaignCommand.ts | 14 +- .../GetCampaignDateRangeKpiCommand.ts | 14 +- .../src/commands/GetCampaignVersionCommand.ts | 14 +- .../commands/GetCampaignVersionsCommand.ts | 14 +- .../src/commands/GetCampaignsCommand.ts | 14 +- .../src/commands/GetChannelsCommand.ts | 14 +- .../src/commands/GetEmailChannelCommand.ts | 14 +- .../src/commands/GetEmailTemplateCommand.ts | 14 +- .../src/commands/GetEndpointCommand.ts | 14 +- .../src/commands/GetEventStreamCommand.ts | 14 +- .../src/commands/GetExportJobCommand.ts | 14 +- .../src/commands/GetExportJobsCommand.ts | 14 +- .../src/commands/GetGcmChannelCommand.ts | 14 +- .../src/commands/GetImportJobCommand.ts | 14 +- .../src/commands/GetImportJobsCommand.ts | 14 +- .../src/commands/GetInAppMessagesCommand.ts | 14 +- .../src/commands/GetInAppTemplateCommand.ts | 14 +- .../src/commands/GetJourneyCommand.ts | 14 +- .../commands/GetJourneyDateRangeKpiCommand.ts | 14 +- ...tJourneyExecutionActivityMetricsCommand.ts | 14 +- .../GetJourneyExecutionMetricsCommand.ts | 14 +- ...urneyRunExecutionActivityMetricsCommand.ts | 14 +- .../GetJourneyRunExecutionMetricsCommand.ts | 14 +- .../src/commands/GetJourneyRunsCommand.ts | 14 +- .../src/commands/GetPushTemplateCommand.ts | 14 +- .../GetRecommenderConfigurationCommand.ts | 14 +- .../GetRecommenderConfigurationsCommand.ts | 14 +- .../src/commands/GetSegmentCommand.ts | 14 +- .../commands/GetSegmentExportJobsCommand.ts | 14 +- .../commands/GetSegmentImportJobsCommand.ts | 14 +- .../src/commands/GetSegmentVersionCommand.ts | 14 +- .../src/commands/GetSegmentVersionsCommand.ts | 14 +- .../src/commands/GetSegmentsCommand.ts | 14 +- .../src/commands/GetSmsChannelCommand.ts | 14 +- .../src/commands/GetSmsTemplateCommand.ts | 14 +- .../src/commands/GetUserEndpointsCommand.ts | 14 +- .../src/commands/GetVoiceChannelCommand.ts | 14 +- .../src/commands/GetVoiceTemplateCommand.ts | 14 +- .../src/commands/ListJourneysCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTemplateVersionsCommand.ts | 14 +- .../src/commands/ListTemplatesCommand.ts | 14 +- .../commands/PhoneNumberValidateCommand.ts | 14 +- .../src/commands/PutEventStreamCommand.ts | 14 +- .../src/commands/PutEventsCommand.ts | 14 +- .../src/commands/RemoveAttributesCommand.ts | 14 +- .../src/commands/SendMessagesCommand.ts | 14 +- .../src/commands/SendOTPMessageCommand.ts | 14 +- .../src/commands/SendUsersMessagesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAdmChannelCommand.ts | 14 +- .../src/commands/UpdateApnsChannelCommand.ts | 14 +- .../UpdateApnsSandboxChannelCommand.ts | 14 +- .../commands/UpdateApnsVoipChannelCommand.ts | 14 +- .../UpdateApnsVoipSandboxChannelCommand.ts | 14 +- .../UpdateApplicationSettingsCommand.ts | 14 +- .../src/commands/UpdateBaiduChannelCommand.ts | 14 +- .../src/commands/UpdateCampaignCommand.ts | 14 +- .../src/commands/UpdateEmailChannelCommand.ts | 14 +- .../commands/UpdateEmailTemplateCommand.ts | 14 +- .../src/commands/UpdateEndpointCommand.ts | 14 +- .../commands/UpdateEndpointsBatchCommand.ts | 14 +- .../src/commands/UpdateGcmChannelCommand.ts | 14 +- .../commands/UpdateInAppTemplateCommand.ts | 14 +- .../src/commands/UpdateJourneyCommand.ts | 14 +- .../src/commands/UpdateJourneyStateCommand.ts | 14 +- .../src/commands/UpdatePushTemplateCommand.ts | 14 +- .../UpdateRecommenderConfigurationCommand.ts | 14 +- .../src/commands/UpdateSegmentCommand.ts | 14 +- .../src/commands/UpdateSmsChannelCommand.ts | 14 +- .../src/commands/UpdateSmsTemplateCommand.ts | 14 +- .../UpdateTemplateActiveVersionCommand.ts | 14 +- .../src/commands/UpdateVoiceChannelCommand.ts | 14 +- .../commands/UpdateVoiceTemplateCommand.ts | 14 +- .../src/commands/VerifyOTPMessageCommand.ts | 14 +- clients/client-pipes/package.json | 42 +- .../src/commands/CreatePipeCommand.ts | 14 +- .../src/commands/DeletePipeCommand.ts | 14 +- .../src/commands/DescribePipeCommand.ts | 14 +- .../src/commands/ListPipesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartPipeCommand.ts | 14 +- .../src/commands/StopPipeCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdatePipeCommand.ts | 14 +- clients/client-polly/package.json | 44 +- .../src/commands/DeleteLexiconCommand.ts | 14 +- .../src/commands/DescribeVoicesCommand.ts | 14 +- .../src/commands/GetLexiconCommand.ts | 14 +- .../commands/GetSpeechSynthesisTaskCommand.ts | 14 +- .../src/commands/ListLexiconsCommand.ts | 14 +- .../ListSpeechSynthesisTasksCommand.ts | 14 +- .../src/commands/PutLexiconCommand.ts | 14 +- .../StartSpeechSynthesisTaskCommand.ts | 14 +- .../src/commands/SynthesizeSpeechCommand.ts | 14 +- clients/client-pricing/package.json | 42 +- .../src/commands/DescribeServicesCommand.ts | 14 +- .../src/commands/GetAttributeValuesCommand.ts | 14 +- .../commands/GetPriceListFileUrlCommand.ts | 14 +- .../src/commands/GetProductsCommand.ts | 14 +- .../src/commands/ListPriceListsCommand.ts | 14 +- clients/client-privatenetworks/package.json | 42 +- .../AcknowledgeOrderReceiptCommand.ts | 14 +- .../ActivateDeviceIdentifierCommand.ts | 14 +- .../commands/ActivateNetworkSiteCommand.ts | 14 +- .../commands/ConfigureAccessPointCommand.ts | 14 +- .../src/commands/CreateNetworkCommand.ts | 14 +- .../src/commands/CreateNetworkSiteCommand.ts | 14 +- .../DeactivateDeviceIdentifierCommand.ts | 14 +- .../src/commands/DeleteNetworkCommand.ts | 14 +- .../src/commands/DeleteNetworkSiteCommand.ts | 14 +- .../commands/GetDeviceIdentifierCommand.ts | 14 +- .../src/commands/GetNetworkCommand.ts | 14 +- .../src/commands/GetNetworkResourceCommand.ts | 14 +- .../src/commands/GetNetworkSiteCommand.ts | 14 +- .../src/commands/GetOrderCommand.ts | 14 +- .../commands/ListDeviceIdentifiersCommand.ts | 14 +- .../commands/ListNetworkResourcesCommand.ts | 14 +- .../src/commands/ListNetworkSitesCommand.ts | 14 +- .../src/commands/ListNetworksCommand.ts | 14 +- .../src/commands/ListOrdersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PingCommand.ts | 14 +- .../StartNetworkResourceUpdateCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateNetworkSiteCommand.ts | 14 +- .../commands/UpdateNetworkSitePlanCommand.ts | 14 +- clients/client-proton/package.json | 44 +- ...ceptEnvironmentAccountConnectionCommand.ts | 14 +- .../CancelComponentDeploymentCommand.ts | 14 +- .../CancelEnvironmentDeploymentCommand.ts | 14 +- .../CancelServiceInstanceDeploymentCommand.ts | 14 +- .../CancelServicePipelineDeploymentCommand.ts | 14 +- .../src/commands/CreateComponentCommand.ts | 14 +- ...eateEnvironmentAccountConnectionCommand.ts | 14 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../CreateEnvironmentTemplateCommand.ts | 14 +- ...CreateEnvironmentTemplateVersionCommand.ts | 14 +- .../src/commands/CreateRepositoryCommand.ts | 14 +- .../src/commands/CreateServiceCommand.ts | 14 +- .../commands/CreateServiceInstanceCommand.ts | 14 +- .../CreateServiceSyncConfigCommand.ts | 14 +- .../commands/CreateServiceTemplateCommand.ts | 14 +- .../CreateServiceTemplateVersionCommand.ts | 14 +- .../CreateTemplateSyncConfigCommand.ts | 14 +- .../src/commands/DeleteComponentCommand.ts | 14 +- .../src/commands/DeleteDeploymentCommand.ts | 14 +- ...leteEnvironmentAccountConnectionCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../DeleteEnvironmentTemplateCommand.ts | 14 +- ...DeleteEnvironmentTemplateVersionCommand.ts | 14 +- .../src/commands/DeleteRepositoryCommand.ts | 14 +- .../src/commands/DeleteServiceCommand.ts | 14 +- .../DeleteServiceSyncConfigCommand.ts | 14 +- .../commands/DeleteServiceTemplateCommand.ts | 14 +- .../DeleteServiceTemplateVersionCommand.ts | 14 +- .../DeleteTemplateSyncConfigCommand.ts | 14 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../src/commands/GetComponentCommand.ts | 14 +- .../src/commands/GetDeploymentCommand.ts | 14 +- .../GetEnvironmentAccountConnectionCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../commands/GetEnvironmentTemplateCommand.ts | 14 +- .../GetEnvironmentTemplateVersionCommand.ts | 14 +- .../src/commands/GetRepositoryCommand.ts | 14 +- .../GetRepositorySyncStatusCommand.ts | 14 +- .../commands/GetResourcesSummaryCommand.ts | 14 +- .../src/commands/GetServiceCommand.ts | 14 +- .../src/commands/GetServiceInstanceCommand.ts | 14 +- .../GetServiceInstanceSyncStatusCommand.ts | 14 +- .../GetServiceSyncBlockerSummaryCommand.ts | 14 +- .../commands/GetServiceSyncConfigCommand.ts | 14 +- .../src/commands/GetServiceTemplateCommand.ts | 14 +- .../GetServiceTemplateVersionCommand.ts | 14 +- .../commands/GetTemplateSyncConfigCommand.ts | 14 +- .../commands/GetTemplateSyncStatusCommand.ts | 14 +- .../commands/ListComponentOutputsCommand.ts | 14 +- ...istComponentProvisionedResourcesCommand.ts | 14 +- .../src/commands/ListComponentsCommand.ts | 14 +- .../src/commands/ListDeploymentsCommand.ts | 14 +- ...istEnvironmentAccountConnectionsCommand.ts | 14 +- .../commands/ListEnvironmentOutputsCommand.ts | 14 +- ...tEnvironmentProvisionedResourcesCommand.ts | 14 +- .../ListEnvironmentTemplateVersionsCommand.ts | 14 +- .../ListEnvironmentTemplatesCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../src/commands/ListRepositoriesCommand.ts | 14 +- .../ListRepositorySyncDefinitionsCommand.ts | 14 +- .../ListServiceInstanceOutputsCommand.ts | 14 +- ...viceInstanceProvisionedResourcesCommand.ts | 14 +- .../commands/ListServiceInstancesCommand.ts | 14 +- .../ListServicePipelineOutputsCommand.ts | 14 +- ...vicePipelineProvisionedResourcesCommand.ts | 14 +- .../ListServiceTemplateVersionsCommand.ts | 14 +- .../commands/ListServiceTemplatesCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...fyResourceDeploymentStatusChangeCommand.ts | 14 +- ...jectEnvironmentAccountConnectionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAccountSettingsCommand.ts | 14 +- .../src/commands/UpdateComponentCommand.ts | 14 +- ...dateEnvironmentAccountConnectionCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- .../UpdateEnvironmentTemplateCommand.ts | 14 +- ...UpdateEnvironmentTemplateVersionCommand.ts | 14 +- .../src/commands/UpdateServiceCommand.ts | 14 +- .../commands/UpdateServiceInstanceCommand.ts | 14 +- .../commands/UpdateServicePipelineCommand.ts | 14 +- .../UpdateServiceSyncBlockerCommand.ts | 14 +- .../UpdateServiceSyncConfigCommand.ts | 14 +- .../commands/UpdateServiceTemplateCommand.ts | 14 +- .../UpdateServiceTemplateVersionCommand.ts | 14 +- .../UpdateTemplateSyncConfigCommand.ts | 14 +- clients/client-qapps/package.json | 42 +- .../AssociateLibraryItemReviewCommand.ts | 14 +- .../commands/AssociateQAppWithUserCommand.ts | 14 +- .../src/commands/CreateLibraryItemCommand.ts | 14 +- .../src/commands/CreateQAppCommand.ts | 14 +- .../src/commands/DeleteLibraryItemCommand.ts | 14 +- .../src/commands/DeleteQAppCommand.ts | 14 +- .../DisassociateLibraryItemReviewCommand.ts | 14 +- .../DisassociateQAppFromUserCommand.ts | 14 +- .../src/commands/GetLibraryItemCommand.ts | 14 +- .../src/commands/GetQAppCommand.ts | 14 +- .../src/commands/GetQAppSessionCommand.ts | 14 +- .../src/commands/ImportDocumentCommand.ts | 14 +- .../src/commands/ListLibraryItemsCommand.ts | 14 +- .../src/commands/ListQAppsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PredictQAppCommand.ts | 14 +- .../src/commands/StartQAppSessionCommand.ts | 14 +- .../src/commands/StopQAppSessionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateLibraryItemCommand.ts | 14 +- .../UpdateLibraryItemMetadataCommand.ts | 14 +- .../src/commands/UpdateQAppCommand.ts | 14 +- .../src/commands/UpdateQAppSessionCommand.ts | 14 +- clients/client-qbusiness/package.json | 48 +- .../commands/BatchDeleteDocumentCommand.ts | 14 +- .../src/commands/BatchPutDocumentCommand.ts | 14 +- .../src/commands/ChatCommand.ts | 14 +- .../src/commands/ChatSyncCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../src/commands/CreateDataSourceCommand.ts | 14 +- .../src/commands/CreateIndexCommand.ts | 14 +- .../src/commands/CreatePluginCommand.ts | 14 +- .../src/commands/CreateRetrieverCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../commands/CreateWebExperienceCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../DeleteChatControlsConfigurationCommand.ts | 14 +- .../src/commands/DeleteConversationCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../src/commands/DeleteIndexCommand.ts | 14 +- .../src/commands/DeletePluginCommand.ts | 14 +- .../src/commands/DeleteRetrieverCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../commands/DeleteWebExperienceCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../GetChatControlsConfigurationCommand.ts | 14 +- .../src/commands/GetDataSourceCommand.ts | 14 +- .../src/commands/GetGroupCommand.ts | 14 +- .../src/commands/GetIndexCommand.ts | 14 +- .../src/commands/GetPluginCommand.ts | 14 +- .../src/commands/GetRetrieverCommand.ts | 14 +- .../src/commands/GetUserCommand.ts | 14 +- .../src/commands/GetWebExperienceCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../src/commands/ListConversationsCommand.ts | 14 +- .../commands/ListDataSourceSyncJobsCommand.ts | 14 +- .../src/commands/ListDataSourcesCommand.ts | 14 +- .../src/commands/ListDocumentsCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../src/commands/ListIndicesCommand.ts | 14 +- .../src/commands/ListMessagesCommand.ts | 14 +- .../src/commands/ListPluginsCommand.ts | 14 +- .../src/commands/ListRetrieversCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWebExperiencesCommand.ts | 14 +- .../src/commands/PutFeedbackCommand.ts | 14 +- .../src/commands/PutGroupCommand.ts | 14 +- .../commands/StartDataSourceSyncJobCommand.ts | 14 +- .../commands/StopDataSourceSyncJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../UpdateChatControlsConfigurationCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../src/commands/UpdateIndexCommand.ts | 14 +- .../src/commands/UpdatePluginCommand.ts | 14 +- .../src/commands/UpdateRetrieverCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- .../commands/UpdateWebExperienceCommand.ts | 14 +- clients/client-qconnect/package.json | 42 +- .../CreateAssistantAssociationCommand.ts | 14 +- .../src/commands/CreateAssistantCommand.ts | 14 +- .../CreateContentAssociationCommand.ts | 14 +- .../src/commands/CreateContentCommand.ts | 14 +- .../commands/CreateKnowledgeBaseCommand.ts | 14 +- .../commands/CreateQuickResponseCommand.ts | 14 +- .../src/commands/CreateSessionCommand.ts | 14 +- .../DeleteAssistantAssociationCommand.ts | 14 +- .../src/commands/DeleteAssistantCommand.ts | 14 +- .../DeleteContentAssociationCommand.ts | 14 +- .../src/commands/DeleteContentCommand.ts | 14 +- .../src/commands/DeleteImportJobCommand.ts | 14 +- .../commands/DeleteKnowledgeBaseCommand.ts | 14 +- .../commands/DeleteQuickResponseCommand.ts | 14 +- .../GetAssistantAssociationCommand.ts | 14 +- .../src/commands/GetAssistantCommand.ts | 14 +- .../commands/GetContentAssociationCommand.ts | 14 +- .../src/commands/GetContentCommand.ts | 14 +- .../src/commands/GetContentSummaryCommand.ts | 14 +- .../src/commands/GetImportJobCommand.ts | 14 +- .../src/commands/GetKnowledgeBaseCommand.ts | 14 +- .../src/commands/GetQuickResponseCommand.ts | 14 +- .../src/commands/GetRecommendationsCommand.ts | 14 +- .../src/commands/GetSessionCommand.ts | 14 +- .../ListAssistantAssociationsCommand.ts | 14 +- .../src/commands/ListAssistantsCommand.ts | 14 +- .../ListContentAssociationsCommand.ts | 14 +- .../src/commands/ListContentsCommand.ts | 14 +- .../src/commands/ListImportJobsCommand.ts | 14 +- .../src/commands/ListKnowledgeBasesCommand.ts | 14 +- .../src/commands/ListQuickResponsesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../NotifyRecommendationsReceivedCommand.ts | 14 +- .../src/commands/PutFeedbackCommand.ts | 14 +- .../src/commands/QueryAssistantCommand.ts | 14 +- .../RemoveKnowledgeBaseTemplateUriCommand.ts | 14 +- .../src/commands/SearchContentCommand.ts | 14 +- .../commands/SearchQuickResponsesCommand.ts | 14 +- .../src/commands/SearchSessionsCommand.ts | 14 +- .../src/commands/StartContentUploadCommand.ts | 14 +- .../src/commands/StartImportJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateContentCommand.ts | 14 +- .../UpdateKnowledgeBaseTemplateUriCommand.ts | 14 +- .../commands/UpdateQuickResponseCommand.ts | 14 +- .../src/commands/UpdateSessionCommand.ts | 14 +- clients/client-qldb-session/package.json | 42 +- .../src/commands/SendCommandCommand.ts | 14 +- clients/client-qldb/package.json | 42 +- .../CancelJournalKinesisStreamCommand.ts | 14 +- .../src/commands/CreateLedgerCommand.ts | 14 +- .../src/commands/DeleteLedgerCommand.ts | 14 +- .../DescribeJournalKinesisStreamCommand.ts | 14 +- .../DescribeJournalS3ExportCommand.ts | 14 +- .../src/commands/DescribeLedgerCommand.ts | 14 +- .../src/commands/ExportJournalToS3Command.ts | 14 +- .../src/commands/GetBlockCommand.ts | 14 +- .../src/commands/GetDigestCommand.ts | 14 +- .../src/commands/GetRevisionCommand.ts | 14 +- ...stJournalKinesisStreamsForLedgerCommand.ts | 14 +- .../commands/ListJournalS3ExportsCommand.ts | 14 +- .../ListJournalS3ExportsForLedgerCommand.ts | 14 +- .../src/commands/ListLedgersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/StreamJournalToKinesisCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateLedgerCommand.ts | 14 +- .../UpdateLedgerPermissionsModeCommand.ts | 14 +- clients/client-quicksight/package.json | 42 +- .../BatchCreateTopicReviewedAnswerCommand.ts | 14 +- .../BatchDeleteTopicReviewedAnswerCommand.ts | 14 +- .../src/commands/CancelIngestionCommand.ts | 14 +- .../CreateAccountCustomizationCommand.ts | 14 +- .../CreateAccountSubscriptionCommand.ts | 14 +- .../src/commands/CreateAnalysisCommand.ts | 14 +- .../src/commands/CreateDashboardCommand.ts | 14 +- .../src/commands/CreateDataSetCommand.ts | 14 +- .../src/commands/CreateDataSourceCommand.ts | 14 +- .../src/commands/CreateFolderCommand.ts | 14 +- .../commands/CreateFolderMembershipCommand.ts | 14 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../commands/CreateGroupMembershipCommand.ts | 14 +- .../CreateIAMPolicyAssignmentCommand.ts | 14 +- .../src/commands/CreateIngestionCommand.ts | 14 +- .../src/commands/CreateNamespaceCommand.ts | 14 +- .../commands/CreateRefreshScheduleCommand.ts | 14 +- .../commands/CreateRoleMembershipCommand.ts | 14 +- .../commands/CreateTemplateAliasCommand.ts | 14 +- .../src/commands/CreateTemplateCommand.ts | 14 +- .../src/commands/CreateThemeAliasCommand.ts | 14 +- .../src/commands/CreateThemeCommand.ts | 14 +- .../src/commands/CreateTopicCommand.ts | 14 +- .../CreateTopicRefreshScheduleCommand.ts | 14 +- .../commands/CreateVPCConnectionCommand.ts | 14 +- .../DeleteAccountCustomizationCommand.ts | 14 +- .../DeleteAccountSubscriptionCommand.ts | 14 +- .../src/commands/DeleteAnalysisCommand.ts | 14 +- .../src/commands/DeleteDashboardCommand.ts | 14 +- .../src/commands/DeleteDataSetCommand.ts | 14 +- .../DeleteDataSetRefreshPropertiesCommand.ts | 14 +- .../src/commands/DeleteDataSourceCommand.ts | 14 +- .../src/commands/DeleteFolderCommand.ts | 14 +- .../commands/DeleteFolderMembershipCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../commands/DeleteGroupMembershipCommand.ts | 14 +- .../DeleteIAMPolicyAssignmentCommand.ts | 14 +- .../DeleteIdentityPropagationConfigCommand.ts | 14 +- .../src/commands/DeleteNamespaceCommand.ts | 14 +- .../commands/DeleteRefreshScheduleCommand.ts | 14 +- .../DeleteRoleCustomPermissionCommand.ts | 14 +- .../commands/DeleteRoleMembershipCommand.ts | 14 +- .../commands/DeleteTemplateAliasCommand.ts | 14 +- .../src/commands/DeleteTemplateCommand.ts | 14 +- .../src/commands/DeleteThemeAliasCommand.ts | 14 +- .../src/commands/DeleteThemeCommand.ts | 14 +- .../src/commands/DeleteTopicCommand.ts | 14 +- .../DeleteTopicRefreshScheduleCommand.ts | 14 +- .../DeleteUserByPrincipalIdCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../commands/DeleteVPCConnectionCommand.ts | 14 +- .../DescribeAccountCustomizationCommand.ts | 14 +- .../DescribeAccountSettingsCommand.ts | 14 +- .../DescribeAccountSubscriptionCommand.ts | 14 +- .../src/commands/DescribeAnalysisCommand.ts | 14 +- .../DescribeAnalysisDefinitionCommand.ts | 14 +- .../DescribeAnalysisPermissionsCommand.ts | 14 +- .../DescribeAssetBundleExportJobCommand.ts | 14 +- .../DescribeAssetBundleImportJobCommand.ts | 14 +- .../src/commands/DescribeDashboardCommand.ts | 14 +- .../DescribeDashboardDefinitionCommand.ts | 14 +- .../DescribeDashboardPermissionsCommand.ts | 14 +- .../DescribeDashboardSnapshotJobCommand.ts | 14 +- ...scribeDashboardSnapshotJobResultCommand.ts | 14 +- .../src/commands/DescribeDataSetCommand.ts | 14 +- .../DescribeDataSetPermissionsCommand.ts | 14 +- ...DescribeDataSetRefreshPropertiesCommand.ts | 14 +- .../src/commands/DescribeDataSourceCommand.ts | 14 +- .../DescribeDataSourcePermissionsCommand.ts | 14 +- .../src/commands/DescribeFolderCommand.ts | 14 +- .../DescribeFolderPermissionsCommand.ts | 14 +- ...escribeFolderResolvedPermissionsCommand.ts | 14 +- .../src/commands/DescribeGroupCommand.ts | 14 +- .../DescribeGroupMembershipCommand.ts | 14 +- .../DescribeIAMPolicyAssignmentCommand.ts | 14 +- .../src/commands/DescribeIngestionCommand.ts | 14 +- .../commands/DescribeIpRestrictionCommand.ts | 14 +- .../DescribeKeyRegistrationCommand.ts | 14 +- .../src/commands/DescribeNamespaceCommand.ts | 14 +- .../DescribeRefreshScheduleCommand.ts | 14 +- .../DescribeRoleCustomPermissionCommand.ts | 14 +- .../commands/DescribeTemplateAliasCommand.ts | 14 +- .../src/commands/DescribeTemplateCommand.ts | 14 +- .../DescribeTemplateDefinitionCommand.ts | 14 +- .../DescribeTemplatePermissionsCommand.ts | 14 +- .../src/commands/DescribeThemeAliasCommand.ts | 14 +- .../src/commands/DescribeThemeCommand.ts | 14 +- .../DescribeThemePermissionsCommand.ts | 14 +- .../src/commands/DescribeTopicCommand.ts | 14 +- .../DescribeTopicPermissionsCommand.ts | 14 +- .../commands/DescribeTopicRefreshCommand.ts | 14 +- .../DescribeTopicRefreshScheduleCommand.ts | 14 +- .../src/commands/DescribeUserCommand.ts | 14 +- .../commands/DescribeVPCConnectionCommand.ts | 14 +- ...GenerateEmbedUrlForAnonymousUserCommand.ts | 14 +- ...enerateEmbedUrlForRegisteredUserCommand.ts | 14 +- .../commands/GetDashboardEmbedUrlCommand.ts | 14 +- .../src/commands/GetSessionEmbedUrlCommand.ts | 14 +- .../src/commands/ListAnalysesCommand.ts | 14 +- .../ListAssetBundleExportJobsCommand.ts | 14 +- .../ListAssetBundleImportJobsCommand.ts | 14 +- .../commands/ListDashboardVersionsCommand.ts | 14 +- .../src/commands/ListDashboardsCommand.ts | 14 +- .../src/commands/ListDataSetsCommand.ts | 14 +- .../src/commands/ListDataSourcesCommand.ts | 14 +- .../src/commands/ListFolderMembersCommand.ts | 14 +- .../src/commands/ListFoldersCommand.ts | 14 +- .../commands/ListGroupMembershipsCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../ListIAMPolicyAssignmentsCommand.ts | 14 +- .../ListIAMPolicyAssignmentsForUserCommand.ts | 14 +- .../ListIdentityPropagationConfigsCommand.ts | 14 +- .../src/commands/ListIngestionsCommand.ts | 14 +- .../src/commands/ListNamespacesCommand.ts | 14 +- .../commands/ListRefreshSchedulesCommand.ts | 14 +- .../commands/ListRoleMembershipsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTemplateAliasesCommand.ts | 14 +- .../commands/ListTemplateVersionsCommand.ts | 14 +- .../src/commands/ListTemplatesCommand.ts | 14 +- .../src/commands/ListThemeAliasesCommand.ts | 14 +- .../src/commands/ListThemeVersionsCommand.ts | 14 +- .../src/commands/ListThemesCommand.ts | 14 +- .../ListTopicRefreshSchedulesCommand.ts | 14 +- .../ListTopicReviewedAnswersCommand.ts | 14 +- .../src/commands/ListTopicsCommand.ts | 14 +- .../src/commands/ListUserGroupsCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../src/commands/ListVPCConnectionsCommand.ts | 14 +- .../PutDataSetRefreshPropertiesCommand.ts | 14 +- .../src/commands/RegisterUserCommand.ts | 14 +- .../src/commands/RestoreAnalysisCommand.ts | 14 +- .../src/commands/SearchAnalysesCommand.ts | 14 +- .../src/commands/SearchDashboardsCommand.ts | 14 +- .../src/commands/SearchDataSetsCommand.ts | 14 +- .../src/commands/SearchDataSourcesCommand.ts | 14 +- .../src/commands/SearchFoldersCommand.ts | 14 +- .../src/commands/SearchGroupsCommand.ts | 14 +- .../StartAssetBundleExportJobCommand.ts | 14 +- .../StartAssetBundleImportJobCommand.ts | 14 +- .../StartDashboardSnapshotJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAccountCustomizationCommand.ts | 14 +- .../commands/UpdateAccountSettingsCommand.ts | 14 +- .../src/commands/UpdateAnalysisCommand.ts | 14 +- .../UpdateAnalysisPermissionsCommand.ts | 14 +- .../src/commands/UpdateDashboardCommand.ts | 14 +- .../commands/UpdateDashboardLinksCommand.ts | 14 +- .../UpdateDashboardPermissionsCommand.ts | 14 +- .../UpdateDashboardPublishedVersionCommand.ts | 14 +- .../src/commands/UpdateDataSetCommand.ts | 14 +- .../UpdateDataSetPermissionsCommand.ts | 14 +- .../src/commands/UpdateDataSourceCommand.ts | 14 +- .../UpdateDataSourcePermissionsCommand.ts | 14 +- .../src/commands/UpdateFolderCommand.ts | 14 +- .../UpdateFolderPermissionsCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../UpdateIAMPolicyAssignmentCommand.ts | 14 +- .../UpdateIdentityPropagationConfigCommand.ts | 14 +- .../commands/UpdateIpRestrictionCommand.ts | 14 +- .../commands/UpdateKeyRegistrationCommand.ts | 14 +- .../UpdatePublicSharingSettingsCommand.ts | 14 +- .../commands/UpdateRefreshScheduleCommand.ts | 14 +- .../UpdateRoleCustomPermissionCommand.ts | 14 +- ...UpdateSPICECapacityConfigurationCommand.ts | 14 +- .../commands/UpdateTemplateAliasCommand.ts | 14 +- .../src/commands/UpdateTemplateCommand.ts | 14 +- .../UpdateTemplatePermissionsCommand.ts | 14 +- .../src/commands/UpdateThemeAliasCommand.ts | 14 +- .../src/commands/UpdateThemeCommand.ts | 14 +- .../commands/UpdateThemePermissionsCommand.ts | 14 +- .../src/commands/UpdateTopicCommand.ts | 14 +- .../commands/UpdateTopicPermissionsCommand.ts | 14 +- .../UpdateTopicRefreshScheduleCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- .../commands/UpdateVPCConnectionCommand.ts | 14 +- clients/client-ram/package.json | 42 +- .../AcceptResourceShareInvitationCommand.ts | 14 +- .../commands/AssociateResourceShareCommand.ts | 14 +- ...AssociateResourceSharePermissionCommand.ts | 14 +- .../src/commands/CreatePermissionCommand.ts | 14 +- .../CreatePermissionVersionCommand.ts | 14 +- .../commands/CreateResourceShareCommand.ts | 14 +- .../src/commands/DeletePermissionCommand.ts | 14 +- .../DeletePermissionVersionCommand.ts | 14 +- .../commands/DeleteResourceShareCommand.ts | 14 +- .../DisassociateResourceShareCommand.ts | 14 +- ...associateResourceSharePermissionCommand.ts | 14 +- ...EnableSharingWithAwsOrganizationCommand.ts | 14 +- .../src/commands/GetPermissionCommand.ts | 14 +- .../commands/GetResourcePoliciesCommand.ts | 14 +- .../GetResourceShareAssociationsCommand.ts | 14 +- .../GetResourceShareInvitationsCommand.ts | 14 +- .../src/commands/GetResourceSharesCommand.ts | 14 +- .../ListPendingInvitationResourcesCommand.ts | 14 +- .../ListPermissionAssociationsCommand.ts | 14 +- .../commands/ListPermissionVersionsCommand.ts | 14 +- .../src/commands/ListPermissionsCommand.ts | 14 +- .../src/commands/ListPrincipalsCommand.ts | 14 +- ...eplacePermissionAssociationsWorkCommand.ts | 14 +- .../ListResourceSharePermissionsCommand.ts | 14 +- .../src/commands/ListResourceTypesCommand.ts | 14 +- .../src/commands/ListResourcesCommand.ts | 14 +- ...omotePermissionCreatedFromPolicyCommand.ts | 14 +- ...teResourceShareCreatedFromPolicyCommand.ts | 14 +- .../RejectResourceShareInvitationCommand.ts | 14 +- .../ReplacePermissionAssociationsCommand.ts | 14 +- .../SetDefaultPermissionVersionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateResourceShareCommand.ts | 14 +- clients/client-rbin/package.json | 42 +- .../src/commands/CreateRuleCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../src/commands/GetRuleCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/LockRuleCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UnlockRuleCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateRuleCommand.ts | 14 +- clients/client-rds-data/package.json | 42 +- .../commands/BatchExecuteStatementCommand.ts | 14 +- .../src/commands/BeginTransactionCommand.ts | 14 +- .../src/commands/CommitTransactionCommand.ts | 14 +- .../src/commands/ExecuteSqlCommand.ts | 14 +- .../src/commands/ExecuteStatementCommand.ts | 14 +- .../commands/RollbackTransactionCommand.ts | 14 +- clients/client-rds/package.json | 44 +- .../src/commands/AddRoleToDBClusterCommand.ts | 14 +- .../commands/AddRoleToDBInstanceCommand.ts | 14 +- ...ddSourceIdentifierToSubscriptionCommand.ts | 14 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../ApplyPendingMaintenanceActionCommand.ts | 14 +- .../AuthorizeDBSecurityGroupIngressCommand.ts | 14 +- .../src/commands/BacktrackDBClusterCommand.ts | 14 +- .../src/commands/CancelExportTaskCommand.ts | 14 +- .../CopyDBClusterParameterGroupCommand.ts | 14 +- .../commands/CopyDBClusterSnapshotCommand.ts | 14 +- .../commands/CopyDBParameterGroupCommand.ts | 14 +- .../src/commands/CopyDBSnapshotCommand.ts | 14 +- .../src/commands/CopyOptionGroupCommand.ts | 14 +- .../CreateBlueGreenDeploymentCommand.ts | 14 +- .../CreateCustomDBEngineVersionCommand.ts | 14 +- .../src/commands/CreateDBClusterCommand.ts | 14 +- .../CreateDBClusterEndpointCommand.ts | 14 +- .../CreateDBClusterParameterGroupCommand.ts | 14 +- .../CreateDBClusterSnapshotCommand.ts | 14 +- .../src/commands/CreateDBInstanceCommand.ts | 14 +- .../CreateDBInstanceReadReplicaCommand.ts | 14 +- .../commands/CreateDBParameterGroupCommand.ts | 14 +- .../src/commands/CreateDBProxyCommand.ts | 14 +- .../commands/CreateDBProxyEndpointCommand.ts | 14 +- .../commands/CreateDBSecurityGroupCommand.ts | 14 +- .../src/commands/CreateDBShardGroupCommand.ts | 14 +- .../src/commands/CreateDBSnapshotCommand.ts | 14 +- .../commands/CreateDBSubnetGroupCommand.ts | 14 +- .../CreateEventSubscriptionCommand.ts | 14 +- .../commands/CreateGlobalClusterCommand.ts | 14 +- .../src/commands/CreateIntegrationCommand.ts | 14 +- .../src/commands/CreateOptionGroupCommand.ts | 14 +- .../commands/CreateTenantDatabaseCommand.ts | 14 +- .../DeleteBlueGreenDeploymentCommand.ts | 14 +- .../DeleteCustomDBEngineVersionCommand.ts | 14 +- .../DeleteDBClusterAutomatedBackupCommand.ts | 14 +- .../src/commands/DeleteDBClusterCommand.ts | 14 +- .../DeleteDBClusterEndpointCommand.ts | 14 +- .../DeleteDBClusterParameterGroupCommand.ts | 14 +- .../DeleteDBClusterSnapshotCommand.ts | 14 +- .../DeleteDBInstanceAutomatedBackupCommand.ts | 14 +- .../src/commands/DeleteDBInstanceCommand.ts | 14 +- .../commands/DeleteDBParameterGroupCommand.ts | 14 +- .../src/commands/DeleteDBProxyCommand.ts | 14 +- .../commands/DeleteDBProxyEndpointCommand.ts | 14 +- .../commands/DeleteDBSecurityGroupCommand.ts | 14 +- .../src/commands/DeleteDBShardGroupCommand.ts | 14 +- .../src/commands/DeleteDBSnapshotCommand.ts | 14 +- .../commands/DeleteDBSubnetGroupCommand.ts | 14 +- .../DeleteEventSubscriptionCommand.ts | 14 +- .../commands/DeleteGlobalClusterCommand.ts | 14 +- .../src/commands/DeleteIntegrationCommand.ts | 14 +- .../src/commands/DeleteOptionGroupCommand.ts | 14 +- .../commands/DeleteTenantDatabaseCommand.ts | 14 +- .../DeregisterDBProxyTargetsCommand.ts | 14 +- .../DescribeAccountAttributesCommand.ts | 14 +- .../DescribeBlueGreenDeploymentsCommand.ts | 14 +- .../commands/DescribeCertificatesCommand.ts | 14 +- ...escribeDBClusterAutomatedBackupsCommand.ts | 14 +- .../DescribeDBClusterBacktracksCommand.ts | 14 +- .../DescribeDBClusterEndpointsCommand.ts | 14 +- ...DescribeDBClusterParameterGroupsCommand.ts | 14 +- .../DescribeDBClusterParametersCommand.ts | 14 +- ...cribeDBClusterSnapshotAttributesCommand.ts | 14 +- .../DescribeDBClusterSnapshotsCommand.ts | 14 +- .../src/commands/DescribeDBClustersCommand.ts | 14 +- .../DescribeDBEngineVersionsCommand.ts | 14 +- ...scribeDBInstanceAutomatedBackupsCommand.ts | 14 +- .../commands/DescribeDBInstancesCommand.ts | 14 +- .../src/commands/DescribeDBLogFilesCommand.ts | 14 +- .../DescribeDBParameterGroupsCommand.ts | 14 +- .../commands/DescribeDBParametersCommand.ts | 14 +- .../src/commands/DescribeDBProxiesCommand.ts | 14 +- .../DescribeDBProxyEndpointsCommand.ts | 14 +- .../DescribeDBProxyTargetGroupsCommand.ts | 14 +- .../commands/DescribeDBProxyTargetsCommand.ts | 14 +- .../DescribeDBRecommendationsCommand.ts | 14 +- .../DescribeDBSecurityGroupsCommand.ts | 14 +- .../commands/DescribeDBShardGroupsCommand.ts | 14 +- .../DescribeDBSnapshotAttributesCommand.ts | 14 +- ...escribeDBSnapshotTenantDatabasesCommand.ts | 14 +- .../commands/DescribeDBSnapshotsCommand.ts | 14 +- .../commands/DescribeDBSubnetGroupsCommand.ts | 14 +- ...beEngineDefaultClusterParametersCommand.ts | 14 +- .../DescribeEngineDefaultParametersCommand.ts | 14 +- .../DescribeEventCategoriesCommand.ts | 14 +- .../DescribeEventSubscriptionsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../commands/DescribeExportTasksCommand.ts | 14 +- .../commands/DescribeGlobalClustersCommand.ts | 14 +- .../commands/DescribeIntegrationsCommand.ts | 14 +- .../DescribeOptionGroupOptionsCommand.ts | 14 +- .../commands/DescribeOptionGroupsCommand.ts | 14 +- ...scribeOrderableDBInstanceOptionsCommand.ts | 14 +- ...escribePendingMaintenanceActionsCommand.ts | 14 +- .../DescribeReservedDBInstancesCommand.ts | 14 +- ...ribeReservedDBInstancesOfferingsCommand.ts | 14 +- .../commands/DescribeSourceRegionsCommand.ts | 14 +- .../DescribeTenantDatabasesCommand.ts | 14 +- ...ribeValidDBInstanceModificationsCommand.ts | 14 +- .../commands/DisableHttpEndpointCommand.ts | 14 +- .../DownloadDBLogFilePortionCommand.ts | 14 +- .../src/commands/EnableHttpEndpointCommand.ts | 14 +- .../src/commands/FailoverDBClusterCommand.ts | 14 +- .../commands/FailoverGlobalClusterCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ModifyActivityStreamCommand.ts | 14 +- .../src/commands/ModifyCertificatesCommand.ts | 14 +- .../ModifyCurrentDBClusterCapacityCommand.ts | 14 +- .../ModifyCustomDBEngineVersionCommand.ts | 14 +- .../src/commands/ModifyDBClusterCommand.ts | 14 +- .../ModifyDBClusterEndpointCommand.ts | 14 +- .../ModifyDBClusterParameterGroupCommand.ts | 14 +- ...ModifyDBClusterSnapshotAttributeCommand.ts | 14 +- .../src/commands/ModifyDBInstanceCommand.ts | 14 +- .../commands/ModifyDBParameterGroupCommand.ts | 14 +- .../src/commands/ModifyDBProxyCommand.ts | 14 +- .../commands/ModifyDBProxyEndpointCommand.ts | 14 +- .../ModifyDBProxyTargetGroupCommand.ts | 14 +- .../commands/ModifyDBRecommendationCommand.ts | 14 +- .../src/commands/ModifyDBShardGroupCommand.ts | 14 +- .../ModifyDBSnapshotAttributeCommand.ts | 14 +- .../src/commands/ModifyDBSnapshotCommand.ts | 14 +- .../commands/ModifyDBSubnetGroupCommand.ts | 14 +- .../ModifyEventSubscriptionCommand.ts | 14 +- .../commands/ModifyGlobalClusterCommand.ts | 14 +- .../src/commands/ModifyIntegrationCommand.ts | 14 +- .../src/commands/ModifyOptionGroupCommand.ts | 14 +- .../commands/ModifyTenantDatabaseCommand.ts | 14 +- .../src/commands/PromoteReadReplicaCommand.ts | 14 +- .../PromoteReadReplicaDBClusterCommand.ts | 14 +- ...chaseReservedDBInstancesOfferingCommand.ts | 14 +- .../src/commands/RebootDBClusterCommand.ts | 14 +- .../src/commands/RebootDBInstanceCommand.ts | 14 +- .../src/commands/RebootDBShardGroupCommand.ts | 14 +- .../commands/RegisterDBProxyTargetsCommand.ts | 14 +- .../RemoveFromGlobalClusterCommand.ts | 14 +- .../RemoveRoleFromDBClusterCommand.ts | 14 +- .../RemoveRoleFromDBInstanceCommand.ts | 14 +- ...SourceIdentifierFromSubscriptionCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../ResetDBClusterParameterGroupCommand.ts | 14 +- .../commands/ResetDBParameterGroupCommand.ts | 14 +- .../commands/RestoreDBClusterFromS3Command.ts | 14 +- .../RestoreDBClusterFromSnapshotCommand.ts | 14 +- .../RestoreDBClusterToPointInTimeCommand.ts | 14 +- .../RestoreDBInstanceFromDBSnapshotCommand.ts | 14 +- .../RestoreDBInstanceFromS3Command.ts | 14 +- .../RestoreDBInstanceToPointInTimeCommand.ts | 14 +- .../RevokeDBSecurityGroupIngressCommand.ts | 14 +- .../commands/StartActivityStreamCommand.ts | 14 +- .../src/commands/StartDBClusterCommand.ts | 14 +- ...tanceAutomatedBackupsReplicationCommand.ts | 14 +- .../src/commands/StartDBInstanceCommand.ts | 14 +- .../src/commands/StartExportTaskCommand.ts | 14 +- .../src/commands/StopActivityStreamCommand.ts | 14 +- .../src/commands/StopDBClusterCommand.ts | 14 +- ...tanceAutomatedBackupsReplicationCommand.ts | 14 +- .../src/commands/StopDBInstanceCommand.ts | 14 +- .../SwitchoverBlueGreenDeploymentCommand.ts | 14 +- .../SwitchoverGlobalClusterCommand.ts | 14 +- .../commands/SwitchoverReadReplicaCommand.ts | 14 +- clients/client-redshift-data/package.json | 42 +- .../commands/BatchExecuteStatementCommand.ts | 14 +- .../src/commands/CancelStatementCommand.ts | 14 +- .../src/commands/DescribeStatementCommand.ts | 14 +- .../src/commands/DescribeTableCommand.ts | 14 +- .../src/commands/ExecuteStatementCommand.ts | 14 +- .../src/commands/GetStatementResultCommand.ts | 14 +- .../src/commands/ListDatabasesCommand.ts | 14 +- .../src/commands/ListSchemasCommand.ts | 14 +- .../src/commands/ListStatementsCommand.ts | 14 +- .../src/commands/ListTablesCommand.ts | 14 +- .../client-redshift-serverless/package.json | 42 +- .../ConvertRecoveryPointToSnapshotCommand.ts | 14 +- .../CreateCustomDomainAssociationCommand.ts | 14 +- .../commands/CreateEndpointAccessCommand.ts | 14 +- .../src/commands/CreateNamespaceCommand.ts | 14 +- .../commands/CreateScheduledActionCommand.ts | 14 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- .../CreateSnapshotCopyConfigurationCommand.ts | 14 +- .../src/commands/CreateUsageLimitCommand.ts | 14 +- .../src/commands/CreateWorkgroupCommand.ts | 14 +- .../DeleteCustomDomainAssociationCommand.ts | 14 +- .../commands/DeleteEndpointAccessCommand.ts | 14 +- .../src/commands/DeleteNamespaceCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../commands/DeleteScheduledActionCommand.ts | 14 +- .../src/commands/DeleteSnapshotCommand.ts | 14 +- .../DeleteSnapshotCopyConfigurationCommand.ts | 14 +- .../src/commands/DeleteUsageLimitCommand.ts | 14 +- .../src/commands/DeleteWorkgroupCommand.ts | 14 +- .../src/commands/GetCredentialsCommand.ts | 14 +- .../GetCustomDomainAssociationCommand.ts | 14 +- .../src/commands/GetEndpointAccessCommand.ts | 14 +- .../src/commands/GetNamespaceCommand.ts | 14 +- .../src/commands/GetRecoveryPointCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/GetScheduledActionCommand.ts | 14 +- .../src/commands/GetSnapshotCommand.ts | 14 +- .../commands/GetTableRestoreStatusCommand.ts | 14 +- .../src/commands/GetUsageLimitCommand.ts | 14 +- .../src/commands/GetWorkgroupCommand.ts | 14 +- .../ListCustomDomainAssociationsCommand.ts | 14 +- .../src/commands/ListEndpointAccessCommand.ts | 14 +- .../src/commands/ListNamespacesCommand.ts | 14 +- .../src/commands/ListRecoveryPointsCommand.ts | 14 +- .../commands/ListScheduledActionsCommand.ts | 14 +- .../ListSnapshotCopyConfigurationsCommand.ts | 14 +- .../src/commands/ListSnapshotsCommand.ts | 14 +- .../commands/ListTableRestoreStatusCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUsageLimitsCommand.ts | 14 +- .../src/commands/ListWorkgroupsCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../RestoreFromRecoveryPointCommand.ts | 14 +- .../commands/RestoreFromSnapshotCommand.ts | 14 +- .../RestoreTableFromRecoveryPointCommand.ts | 14 +- .../RestoreTableFromSnapshotCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateCustomDomainAssociationCommand.ts | 14 +- .../commands/UpdateEndpointAccessCommand.ts | 14 +- .../src/commands/UpdateNamespaceCommand.ts | 14 +- .../commands/UpdateScheduledActionCommand.ts | 14 +- .../src/commands/UpdateSnapshotCommand.ts | 14 +- .../UpdateSnapshotCopyConfigurationCommand.ts | 14 +- .../src/commands/UpdateUsageLimitCommand.ts | 14 +- .../src/commands/UpdateWorkgroupCommand.ts | 14 +- clients/client-redshift/package.json | 44 +- .../AcceptReservedNodeExchangeCommand.ts | 14 +- .../src/commands/AddPartnerCommand.ts | 14 +- .../AssociateDataShareConsumerCommand.ts | 14 +- ...orizeClusterSecurityGroupIngressCommand.ts | 14 +- .../src/commands/AuthorizeDataShareCommand.ts | 14 +- .../AuthorizeEndpointAccessCommand.ts | 14 +- .../AuthorizeSnapshotAccessCommand.ts | 14 +- .../BatchDeleteClusterSnapshotsCommand.ts | 14 +- .../BatchModifyClusterSnapshotsCommand.ts | 14 +- .../src/commands/CancelResizeCommand.ts | 14 +- .../commands/CopyClusterSnapshotCommand.ts | 14 +- .../CreateAuthenticationProfileCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../CreateClusterParameterGroupCommand.ts | 14 +- .../CreateClusterSecurityGroupCommand.ts | 14 +- .../commands/CreateClusterSnapshotCommand.ts | 14 +- .../CreateClusterSubnetGroupCommand.ts | 14 +- .../CreateCustomDomainAssociationCommand.ts | 14 +- .../commands/CreateEndpointAccessCommand.ts | 14 +- .../CreateEventSubscriptionCommand.ts | 14 +- .../CreateHsmClientCertificateCommand.ts | 14 +- .../commands/CreateHsmConfigurationCommand.ts | 14 +- .../CreateRedshiftIdcApplicationCommand.ts | 14 +- .../commands/CreateScheduledActionCommand.ts | 14 +- .../CreateSnapshotCopyGrantCommand.ts | 14 +- .../commands/CreateSnapshotScheduleCommand.ts | 14 +- .../src/commands/CreateTagsCommand.ts | 14 +- .../src/commands/CreateUsageLimitCommand.ts | 14 +- .../commands/DeauthorizeDataShareCommand.ts | 14 +- .../DeleteAuthenticationProfileCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../DeleteClusterParameterGroupCommand.ts | 14 +- .../DeleteClusterSecurityGroupCommand.ts | 14 +- .../commands/DeleteClusterSnapshotCommand.ts | 14 +- .../DeleteClusterSubnetGroupCommand.ts | 14 +- .../DeleteCustomDomainAssociationCommand.ts | 14 +- .../commands/DeleteEndpointAccessCommand.ts | 14 +- .../DeleteEventSubscriptionCommand.ts | 14 +- .../DeleteHsmClientCertificateCommand.ts | 14 +- .../commands/DeleteHsmConfigurationCommand.ts | 14 +- .../src/commands/DeletePartnerCommand.ts | 14 +- .../DeleteRedshiftIdcApplicationCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../commands/DeleteScheduledActionCommand.ts | 14 +- .../DeleteSnapshotCopyGrantCommand.ts | 14 +- .../commands/DeleteSnapshotScheduleCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../src/commands/DeleteUsageLimitCommand.ts | 14 +- .../DescribeAccountAttributesCommand.ts | 14 +- .../DescribeAuthenticationProfilesCommand.ts | 14 +- .../DescribeClusterDbRevisionsCommand.ts | 14 +- .../DescribeClusterParameterGroupsCommand.ts | 14 +- .../DescribeClusterParametersCommand.ts | 14 +- .../DescribeClusterSecurityGroupsCommand.ts | 14 +- .../DescribeClusterSnapshotsCommand.ts | 14 +- .../DescribeClusterSubnetGroupsCommand.ts | 14 +- .../commands/DescribeClusterTracksCommand.ts | 14 +- .../DescribeClusterVersionsCommand.ts | 14 +- .../src/commands/DescribeClustersCommand.ts | 14 +- ...DescribeCustomDomainAssociationsCommand.ts | 14 +- .../src/commands/DescribeDataSharesCommand.ts | 14 +- .../DescribeDataSharesForConsumerCommand.ts | 14 +- .../DescribeDataSharesForProducerCommand.ts | 14 +- ...DescribeDefaultClusterParametersCommand.ts | 14 +- .../commands/DescribeEndpointAccessCommand.ts | 14 +- .../DescribeEndpointAuthorizationCommand.ts | 14 +- .../DescribeEventCategoriesCommand.ts | 14 +- .../DescribeEventSubscriptionsCommand.ts | 14 +- .../src/commands/DescribeEventsCommand.ts | 14 +- .../DescribeHsmClientCertificatesCommand.ts | 14 +- .../DescribeHsmConfigurationsCommand.ts | 14 +- .../DescribeInboundIntegrationsCommand.ts | 14 +- .../commands/DescribeLoggingStatusCommand.ts | 14 +- ...DescribeNodeConfigurationOptionsCommand.ts | 14 +- .../DescribeOrderableClusterOptionsCommand.ts | 14 +- .../src/commands/DescribePartnersCommand.ts | 14 +- .../DescribeRedshiftIdcApplicationsCommand.ts | 14 +- ...scribeReservedNodeExchangeStatusCommand.ts | 14 +- .../DescribeReservedNodeOfferingsCommand.ts | 14 +- .../commands/DescribeReservedNodesCommand.ts | 14 +- .../src/commands/DescribeResizeCommand.ts | 14 +- .../DescribeScheduledActionsCommand.ts | 14 +- .../DescribeSnapshotCopyGrantsCommand.ts | 14 +- .../DescribeSnapshotSchedulesCommand.ts | 14 +- .../src/commands/DescribeStorageCommand.ts | 14 +- .../DescribeTableRestoreStatusCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../commands/DescribeUsageLimitsCommand.ts | 14 +- .../src/commands/DisableLoggingCommand.ts | 14 +- .../commands/DisableSnapshotCopyCommand.ts | 14 +- .../DisassociateDataShareConsumerCommand.ts | 14 +- .../src/commands/EnableLoggingCommand.ts | 14 +- .../src/commands/EnableSnapshotCopyCommand.ts | 14 +- .../commands/FailoverPrimaryComputeCommand.ts | 14 +- .../commands/GetClusterCredentialsCommand.ts | 14 +- .../GetClusterCredentialsWithIAMCommand.ts | 14 +- ...NodeExchangeConfigurationOptionsCommand.ts | 14 +- ...GetReservedNodeExchangeOfferingsCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../commands/ListRecommendationsCommand.ts | 14 +- .../ModifyAquaConfigurationCommand.ts | 14 +- .../ModifyAuthenticationProfileCommand.ts | 14 +- .../src/commands/ModifyClusterCommand.ts | 14 +- .../ModifyClusterDbRevisionCommand.ts | 14 +- .../commands/ModifyClusterIamRolesCommand.ts | 14 +- .../ModifyClusterMaintenanceCommand.ts | 14 +- .../ModifyClusterParameterGroupCommand.ts | 14 +- .../commands/ModifyClusterSnapshotCommand.ts | 14 +- .../ModifyClusterSnapshotScheduleCommand.ts | 14 +- .../ModifyClusterSubnetGroupCommand.ts | 14 +- .../ModifyCustomDomainAssociationCommand.ts | 14 +- .../commands/ModifyEndpointAccessCommand.ts | 14 +- .../ModifyEventSubscriptionCommand.ts | 14 +- .../ModifyRedshiftIdcApplicationCommand.ts | 14 +- .../commands/ModifyScheduledActionCommand.ts | 14 +- ...odifySnapshotCopyRetentionPeriodCommand.ts | 14 +- .../commands/ModifySnapshotScheduleCommand.ts | 14 +- .../src/commands/ModifyUsageLimitCommand.ts | 14 +- .../src/commands/PauseClusterCommand.ts | 14 +- .../PurchaseReservedNodeOfferingCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/RebootClusterCommand.ts | 14 +- .../src/commands/RejectDataShareCommand.ts | 14 +- .../ResetClusterParameterGroupCommand.ts | 14 +- .../src/commands/ResizeClusterCommand.ts | 14 +- .../RestoreFromClusterSnapshotCommand.ts | 14 +- .../RestoreTableFromClusterSnapshotCommand.ts | 14 +- .../src/commands/ResumeClusterCommand.ts | 14 +- ...evokeClusterSecurityGroupIngressCommand.ts | 14 +- .../commands/RevokeEndpointAccessCommand.ts | 14 +- .../commands/RevokeSnapshotAccessCommand.ts | 14 +- .../commands/RotateEncryptionKeyCommand.ts | 14 +- .../commands/UpdatePartnerStatusCommand.ts | 14 +- clients/client-rekognition/package.json | 44 +- .../src/commands/AssociateFacesCommand.ts | 14 +- .../src/commands/CompareFacesCommand.ts | 14 +- .../src/commands/CopyProjectVersionCommand.ts | 14 +- .../src/commands/CreateCollectionCommand.ts | 14 +- .../src/commands/CreateDatasetCommand.ts | 14 +- .../CreateFaceLivenessSessionCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../commands/CreateProjectVersionCommand.ts | 14 +- .../commands/CreateStreamProcessorCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/DeleteCollectionCommand.ts | 14 +- .../src/commands/DeleteDatasetCommand.ts | 14 +- .../src/commands/DeleteFacesCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../commands/DeleteProjectPolicyCommand.ts | 14 +- .../commands/DeleteProjectVersionCommand.ts | 14 +- .../commands/DeleteStreamProcessorCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../src/commands/DescribeCollectionCommand.ts | 14 +- .../src/commands/DescribeDatasetCommand.ts | 14 +- .../DescribeProjectVersionsCommand.ts | 14 +- .../src/commands/DescribeProjectsCommand.ts | 14 +- .../DescribeStreamProcessorCommand.ts | 14 +- .../src/commands/DetectCustomLabelsCommand.ts | 14 +- .../src/commands/DetectFacesCommand.ts | 14 +- .../src/commands/DetectLabelsCommand.ts | 14 +- .../commands/DetectModerationLabelsCommand.ts | 14 +- .../DetectProtectiveEquipmentCommand.ts | 14 +- .../src/commands/DetectTextCommand.ts | 14 +- .../src/commands/DisassociateFacesCommand.ts | 14 +- .../DistributeDatasetEntriesCommand.ts | 14 +- .../src/commands/GetCelebrityInfoCommand.ts | 14 +- .../GetCelebrityRecognitionCommand.ts | 14 +- .../commands/GetContentModerationCommand.ts | 14 +- .../src/commands/GetFaceDetectionCommand.ts | 14 +- .../GetFaceLivenessSessionResultsCommand.ts | 14 +- .../src/commands/GetFaceSearchCommand.ts | 14 +- .../src/commands/GetLabelDetectionCommand.ts | 14 +- .../commands/GetMediaAnalysisJobCommand.ts | 14 +- .../src/commands/GetPersonTrackingCommand.ts | 14 +- .../commands/GetSegmentDetectionCommand.ts | 14 +- .../src/commands/GetTextDetectionCommand.ts | 14 +- .../src/commands/IndexFacesCommand.ts | 14 +- .../src/commands/ListCollectionsCommand.ts | 14 +- .../src/commands/ListDatasetEntriesCommand.ts | 14 +- .../src/commands/ListDatasetLabelsCommand.ts | 14 +- .../src/commands/ListFacesCommand.ts | 14 +- .../commands/ListMediaAnalysisJobsCommand.ts | 14 +- .../commands/ListProjectPoliciesCommand.ts | 14 +- .../commands/ListStreamProcessorsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../src/commands/PutProjectPolicyCommand.ts | 14 +- .../commands/RecognizeCelebritiesCommand.ts | 14 +- .../src/commands/SearchFacesByImageCommand.ts | 14 +- .../src/commands/SearchFacesCommand.ts | 14 +- .../src/commands/SearchUsersByImageCommand.ts | 14 +- .../src/commands/SearchUsersCommand.ts | 14 +- .../StartCelebrityRecognitionCommand.ts | 14 +- .../commands/StartContentModerationCommand.ts | 14 +- .../src/commands/StartFaceDetectionCommand.ts | 14 +- .../src/commands/StartFaceSearchCommand.ts | 14 +- .../commands/StartLabelDetectionCommand.ts | 14 +- .../commands/StartMediaAnalysisJobCommand.ts | 14 +- .../commands/StartPersonTrackingCommand.ts | 14 +- .../commands/StartProjectVersionCommand.ts | 14 +- .../commands/StartSegmentDetectionCommand.ts | 14 +- .../commands/StartStreamProcessorCommand.ts | 14 +- .../src/commands/StartTextDetectionCommand.ts | 14 +- .../src/commands/StopProjectVersionCommand.ts | 14 +- .../commands/StopStreamProcessorCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateDatasetEntriesCommand.ts | 14 +- .../commands/UpdateStreamProcessorCommand.ts | 14 +- .../client-rekognitionstreaming/package.json | 48 +- .../StartFaceLivenessSessionCommand.ts | 14 +- clients/client-repostspace/package.json | 42 +- .../src/commands/CreateSpaceCommand.ts | 14 +- .../src/commands/DeleteSpaceCommand.ts | 14 +- .../src/commands/DeregisterAdminCommand.ts | 14 +- .../src/commands/GetSpaceCommand.ts | 14 +- .../src/commands/ListSpacesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RegisterAdminCommand.ts | 14 +- .../src/commands/SendInvitesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateSpaceCommand.ts | 14 +- clients/client-resiliencehub/package.json | 42 +- ...tResourceGroupingRecommendationsCommand.ts | 14 +- ...dDraftAppVersionResourceMappingsCommand.ts | 14 +- .../BatchUpdateRecommendationStatusCommand.ts | 14 +- .../src/commands/CreateAppCommand.ts | 14 +- .../CreateAppVersionAppComponentCommand.ts | 14 +- .../CreateAppVersionResourceCommand.ts | 14 +- .../CreateRecommendationTemplateCommand.ts | 14 +- .../commands/CreateResiliencyPolicyCommand.ts | 14 +- .../commands/DeleteAppAssessmentCommand.ts | 14 +- .../src/commands/DeleteAppCommand.ts | 14 +- .../commands/DeleteAppInputSourceCommand.ts | 14 +- .../DeleteAppVersionAppComponentCommand.ts | 14 +- .../DeleteAppVersionResourceCommand.ts | 14 +- .../DeleteRecommendationTemplateCommand.ts | 14 +- .../commands/DeleteResiliencyPolicyCommand.ts | 14 +- .../commands/DescribeAppAssessmentCommand.ts | 14 +- .../src/commands/DescribeAppCommand.ts | 14 +- .../DescribeAppVersionAppComponentCommand.ts | 14 +- .../src/commands/DescribeAppVersionCommand.ts | 14 +- .../DescribeAppVersionResourceCommand.ts | 14 +- ...VersionResourcesResolutionStatusCommand.ts | 14 +- .../DescribeAppVersionTemplateCommand.ts | 14 +- ...tAppVersionResourcesImportStatusCommand.ts | 14 +- .../DescribeResiliencyPolicyCommand.ts | 14 +- ...sourceGroupingRecommendationTaskCommand.ts | 14 +- ...ImportResourcesToDraftAppVersionCommand.ts | 14 +- .../ListAlarmRecommendationsCommand.ts | 14 +- ...istAppAssessmentComplianceDriftsCommand.ts | 14 +- .../ListAppAssessmentResourceDriftsCommand.ts | 14 +- .../src/commands/ListAppAssessmentsCommand.ts | 14 +- .../ListAppComponentCompliancesCommand.ts | 14 +- .../ListAppComponentRecommendationsCommand.ts | 14 +- .../commands/ListAppInputSourcesCommand.ts | 14 +- .../ListAppVersionAppComponentsCommand.ts | 14 +- .../ListAppVersionResourceMappingsCommand.ts | 14 +- .../ListAppVersionResourcesCommand.ts | 14 +- .../src/commands/ListAppVersionsCommand.ts | 14 +- .../src/commands/ListAppsCommand.ts | 14 +- .../ListRecommendationTemplatesCommand.ts | 14 +- .../commands/ListResiliencyPoliciesCommand.ts | 14 +- ...tResourceGroupingRecommendationsCommand.ts | 14 +- .../commands/ListSopRecommendationsCommand.ts | 14 +- .../ListSuggestedResiliencyPoliciesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTestRecommendationsCommand.ts | 14 +- ...stUnsupportedAppVersionResourcesCommand.ts | 14 +- .../src/commands/PublishAppVersionCommand.ts | 14 +- .../PutDraftAppVersionTemplateCommand.ts | 14 +- ...tResourceGroupingRecommendationsCommand.ts | 14 +- ...eDraftAppVersionResourceMappingsCommand.ts | 14 +- .../ResolveAppVersionResourcesCommand.ts | 14 +- .../src/commands/StartAppAssessmentCommand.ts | 14 +- ...sourceGroupingRecommendationTaskCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAppCommand.ts | 14 +- .../UpdateAppVersionAppComponentCommand.ts | 14 +- .../src/commands/UpdateAppVersionCommand.ts | 14 +- .../UpdateAppVersionResourceCommand.ts | 14 +- .../commands/UpdateResiliencyPolicyCommand.ts | 14 +- .../client-resource-explorer-2/package.json | 42 +- .../commands/AssociateDefaultViewCommand.ts | 14 +- .../src/commands/BatchGetViewCommand.ts | 14 +- .../src/commands/CreateIndexCommand.ts | 14 +- .../src/commands/CreateViewCommand.ts | 14 +- .../src/commands/DeleteIndexCommand.ts | 14 +- .../src/commands/DeleteViewCommand.ts | 14 +- .../DisassociateDefaultViewCommand.ts | 14 +- ...AccountLevelServiceConfigurationCommand.ts | 14 +- .../src/commands/GetDefaultViewCommand.ts | 14 +- .../src/commands/GetIndexCommand.ts | 14 +- .../src/commands/GetViewCommand.ts | 14 +- .../src/commands/ListIndexesCommand.ts | 14 +- .../commands/ListIndexesForMembersCommand.ts | 14 +- .../ListSupportedResourceTypesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListViewsCommand.ts | 14 +- .../src/commands/SearchCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateIndexTypeCommand.ts | 14 +- .../src/commands/UpdateViewCommand.ts | 14 +- .../package.json | 42 +- .../commands/DescribeReportCreationCommand.ts | 14 +- .../commands/GetComplianceSummaryCommand.ts | 14 +- .../src/commands/GetResourcesCommand.ts | 14 +- .../src/commands/GetTagKeysCommand.ts | 14 +- .../src/commands/GetTagValuesCommand.ts | 14 +- .../commands/StartReportCreationCommand.ts | 14 +- .../src/commands/TagResourcesCommand.ts | 14 +- .../src/commands/UntagResourcesCommand.ts | 14 +- clients/client-resource-groups/package.json | 42 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../src/commands/GetAccountSettingsCommand.ts | 14 +- .../src/commands/GetGroupCommand.ts | 14 +- .../commands/GetGroupConfigurationCommand.ts | 14 +- .../src/commands/GetGroupQueryCommand.ts | 14 +- .../src/commands/GetTagsCommand.ts | 14 +- .../src/commands/GroupResourcesCommand.ts | 14 +- .../src/commands/ListGroupResourcesCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../commands/PutGroupConfigurationCommand.ts | 14 +- .../src/commands/SearchResourcesCommand.ts | 14 +- .../src/commands/TagCommand.ts | 14 +- .../src/commands/UngroupResourcesCommand.ts | 14 +- .../src/commands/UntagCommand.ts | 14 +- .../commands/UpdateAccountSettingsCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../src/commands/UpdateGroupQueryCommand.ts | 14 +- clients/client-robomaker/package.json | 42 +- .../src/commands/BatchDeleteWorldsCommand.ts | 14 +- .../BatchDescribeSimulationJobCommand.ts | 14 +- .../commands/CancelDeploymentJobCommand.ts | 14 +- .../CancelSimulationJobBatchCommand.ts | 14 +- .../commands/CancelSimulationJobCommand.ts | 14 +- .../commands/CancelWorldExportJobCommand.ts | 14 +- .../CancelWorldGenerationJobCommand.ts | 14 +- .../commands/CreateDeploymentJobCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../commands/CreateRobotApplicationCommand.ts | 14 +- .../CreateRobotApplicationVersionCommand.ts | 14 +- .../src/commands/CreateRobotCommand.ts | 14 +- .../CreateSimulationApplicationCommand.ts | 14 +- ...eateSimulationApplicationVersionCommand.ts | 14 +- .../commands/CreateSimulationJobCommand.ts | 14 +- .../commands/CreateWorldExportJobCommand.ts | 14 +- .../CreateWorldGenerationJobCommand.ts | 14 +- .../commands/CreateWorldTemplateCommand.ts | 14 +- .../src/commands/DeleteFleetCommand.ts | 14 +- .../commands/DeleteRobotApplicationCommand.ts | 14 +- .../src/commands/DeleteRobotCommand.ts | 14 +- .../DeleteSimulationApplicationCommand.ts | 14 +- .../commands/DeleteWorldTemplateCommand.ts | 14 +- .../src/commands/DeregisterRobotCommand.ts | 14 +- .../commands/DescribeDeploymentJobCommand.ts | 14 +- .../src/commands/DescribeFleetCommand.ts | 14 +- .../DescribeRobotApplicationCommand.ts | 14 +- .../src/commands/DescribeRobotCommand.ts | 14 +- .../DescribeSimulationApplicationCommand.ts | 14 +- .../DescribeSimulationJobBatchCommand.ts | 14 +- .../commands/DescribeSimulationJobCommand.ts | 14 +- .../src/commands/DescribeWorldCommand.ts | 14 +- .../commands/DescribeWorldExportJobCommand.ts | 14 +- .../DescribeWorldGenerationJobCommand.ts | 14 +- .../commands/DescribeWorldTemplateCommand.ts | 14 +- .../commands/GetWorldTemplateBodyCommand.ts | 14 +- .../src/commands/ListDeploymentJobsCommand.ts | 14 +- .../src/commands/ListFleetsCommand.ts | 14 +- .../commands/ListRobotApplicationsCommand.ts | 14 +- .../src/commands/ListRobotsCommand.ts | 14 +- .../ListSimulationApplicationsCommand.ts | 14 +- .../ListSimulationJobBatchesCommand.ts | 14 +- .../src/commands/ListSimulationJobsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListWorldExportJobsCommand.ts | 14 +- .../ListWorldGenerationJobsCommand.ts | 14 +- .../src/commands/ListWorldTemplatesCommand.ts | 14 +- .../src/commands/ListWorldsCommand.ts | 14 +- .../src/commands/RegisterRobotCommand.ts | 14 +- .../commands/RestartSimulationJobCommand.ts | 14 +- .../StartSimulationJobBatchCommand.ts | 14 +- .../src/commands/SyncDeploymentJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateRobotApplicationCommand.ts | 14 +- .../UpdateSimulationApplicationCommand.ts | 14 +- .../commands/UpdateWorldTemplateCommand.ts | 14 +- clients/client-rolesanywhere/package.json | 42 +- .../src/commands/CreateProfileCommand.ts | 14 +- .../src/commands/CreateTrustAnchorCommand.ts | 14 +- .../commands/DeleteAttributeMappingCommand.ts | 14 +- .../src/commands/DeleteCrlCommand.ts | 14 +- .../src/commands/DeleteProfileCommand.ts | 14 +- .../src/commands/DeleteTrustAnchorCommand.ts | 14 +- .../src/commands/DisableCrlCommand.ts | 14 +- .../src/commands/DisableProfileCommand.ts | 14 +- .../src/commands/DisableTrustAnchorCommand.ts | 14 +- .../src/commands/EnableCrlCommand.ts | 14 +- .../src/commands/EnableProfileCommand.ts | 14 +- .../src/commands/EnableTrustAnchorCommand.ts | 14 +- .../src/commands/GetCrlCommand.ts | 14 +- .../src/commands/GetProfileCommand.ts | 14 +- .../src/commands/GetSubjectCommand.ts | 14 +- .../src/commands/GetTrustAnchorCommand.ts | 14 +- .../src/commands/ImportCrlCommand.ts | 14 +- .../src/commands/ListCrlsCommand.ts | 14 +- .../src/commands/ListProfilesCommand.ts | 14 +- .../src/commands/ListSubjectsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTrustAnchorsCommand.ts | 14 +- .../commands/PutAttributeMappingCommand.ts | 14 +- .../PutNotificationSettingsCommand.ts | 14 +- .../ResetNotificationSettingsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCrlCommand.ts | 14 +- .../src/commands/UpdateProfileCommand.ts | 14 +- .../src/commands/UpdateTrustAnchorCommand.ts | 14 +- clients/client-route-53-domains/package.json | 42 +- ...ainTransferFromAnotherAwsAccountCommand.ts | 14 +- ...ssociateDelegationSignerToDomainCommand.ts | 14 +- ...omainTransferToAnotherAwsAccountCommand.ts | 14 +- .../CheckDomainAvailabilityCommand.ts | 14 +- .../CheckDomainTransferabilityCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../commands/DeleteTagsForDomainCommand.ts | 14 +- .../commands/DisableDomainAutoRenewCommand.ts | 14 +- .../DisableDomainTransferLockCommand.ts | 14 +- ...ociateDelegationSignerFromDomainCommand.ts | 14 +- .../commands/EnableDomainAutoRenewCommand.ts | 14 +- .../EnableDomainTransferLockCommand.ts | 14 +- .../GetContactReachabilityStatusCommand.ts | 14 +- .../src/commands/GetDomainDetailCommand.ts | 14 +- .../commands/GetDomainSuggestionsCommand.ts | 14 +- .../src/commands/GetOperationDetailCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../src/commands/ListOperationsCommand.ts | 14 +- .../src/commands/ListPricesCommand.ts | 14 +- .../src/commands/ListTagsForDomainCommand.ts | 14 +- .../src/commands/PushDomainCommand.ts | 14 +- .../src/commands/RegisterDomainCommand.ts | 14 +- ...ainTransferFromAnotherAwsAccountCommand.ts | 14 +- .../src/commands/RenewDomainCommand.ts | 14 +- .../ResendContactReachabilityEmailCommand.ts | 14 +- .../ResendOperationAuthorizationCommand.ts | 14 +- .../commands/RetrieveDomainAuthCodeCommand.ts | 14 +- .../src/commands/TransferDomainCommand.ts | 14 +- ...ransferDomainToAnotherAwsAccountCommand.ts | 14 +- .../commands/UpdateDomainContactCommand.ts | 14 +- .../UpdateDomainContactPrivacyCommand.ts | 14 +- .../UpdateDomainNameserversCommand.ts | 14 +- .../commands/UpdateTagsForDomainCommand.ts | 14 +- .../src/commands/ViewBillingCommand.ts | 14 +- clients/client-route-53/package.json | 44 +- .../commands/ActivateKeySigningKeyCommand.ts | 14 +- .../AssociateVPCWithHostedZoneCommand.ts | 14 +- .../commands/ChangeCidrCollectionCommand.ts | 14 +- .../ChangeResourceRecordSetsCommand.ts | 14 +- .../commands/ChangeTagsForResourceCommand.ts | 14 +- .../commands/CreateCidrCollectionCommand.ts | 14 +- .../src/commands/CreateHealthCheckCommand.ts | 14 +- .../src/commands/CreateHostedZoneCommand.ts | 14 +- .../commands/CreateKeySigningKeyCommand.ts | 14 +- .../CreateQueryLoggingConfigCommand.ts | 14 +- .../CreateReusableDelegationSetCommand.ts | 14 +- .../commands/CreateTrafficPolicyCommand.ts | 14 +- .../CreateTrafficPolicyInstanceCommand.ts | 14 +- .../CreateTrafficPolicyVersionCommand.ts | 14 +- ...reateVPCAssociationAuthorizationCommand.ts | 14 +- .../DeactivateKeySigningKeyCommand.ts | 14 +- .../commands/DeleteCidrCollectionCommand.ts | 14 +- .../src/commands/DeleteHealthCheckCommand.ts | 14 +- .../src/commands/DeleteHostedZoneCommand.ts | 14 +- .../commands/DeleteKeySigningKeyCommand.ts | 14 +- .../DeleteQueryLoggingConfigCommand.ts | 14 +- .../DeleteReusableDelegationSetCommand.ts | 14 +- .../commands/DeleteTrafficPolicyCommand.ts | 14 +- .../DeleteTrafficPolicyInstanceCommand.ts | 14 +- ...eleteVPCAssociationAuthorizationCommand.ts | 14 +- .../DisableHostedZoneDNSSECCommand.ts | 14 +- .../DisassociateVPCFromHostedZoneCommand.ts | 14 +- .../commands/EnableHostedZoneDNSSECCommand.ts | 14 +- .../src/commands/GetAccountLimitCommand.ts | 14 +- .../src/commands/GetChangeCommand.ts | 14 +- .../src/commands/GetCheckerIpRangesCommand.ts | 14 +- .../src/commands/GetDNSSECCommand.ts | 14 +- .../src/commands/GetGeoLocationCommand.ts | 14 +- .../src/commands/GetHealthCheckCommand.ts | 14 +- .../commands/GetHealthCheckCountCommand.ts | 14 +- .../GetHealthCheckLastFailureReasonCommand.ts | 14 +- .../commands/GetHealthCheckStatusCommand.ts | 14 +- .../src/commands/GetHostedZoneCommand.ts | 14 +- .../src/commands/GetHostedZoneCountCommand.ts | 14 +- .../src/commands/GetHostedZoneLimitCommand.ts | 14 +- .../commands/GetQueryLoggingConfigCommand.ts | 14 +- .../GetReusableDelegationSetCommand.ts | 14 +- .../GetReusableDelegationSetLimitCommand.ts | 14 +- .../src/commands/GetTrafficPolicyCommand.ts | 14 +- .../GetTrafficPolicyInstanceCommand.ts | 14 +- .../GetTrafficPolicyInstanceCountCommand.ts | 14 +- .../src/commands/ListCidrBlocksCommand.ts | 14 +- .../commands/ListCidrCollectionsCommand.ts | 14 +- .../src/commands/ListCidrLocationsCommand.ts | 14 +- .../src/commands/ListGeoLocationsCommand.ts | 14 +- .../src/commands/ListHealthChecksCommand.ts | 14 +- .../commands/ListHostedZonesByNameCommand.ts | 14 +- .../commands/ListHostedZonesByVPCCommand.ts | 14 +- .../src/commands/ListHostedZonesCommand.ts | 14 +- .../ListQueryLoggingConfigsCommand.ts | 14 +- .../commands/ListResourceRecordSetsCommand.ts | 14 +- .../ListReusableDelegationSetsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTagsForResourcesCommand.ts | 14 +- .../commands/ListTrafficPoliciesCommand.ts | 14 +- ...afficPolicyInstancesByHostedZoneCommand.ts | 14 +- ...stTrafficPolicyInstancesByPolicyCommand.ts | 14 +- .../ListTrafficPolicyInstancesCommand.ts | 14 +- .../ListTrafficPolicyVersionsCommand.ts | 14 +- ...ListVPCAssociationAuthorizationsCommand.ts | 14 +- .../src/commands/TestDNSAnswerCommand.ts | 14 +- .../src/commands/UpdateHealthCheckCommand.ts | 14 +- .../UpdateHostedZoneCommentCommand.ts | 14 +- .../UpdateTrafficPolicyCommentCommand.ts | 14 +- .../UpdateTrafficPolicyInstanceCommand.ts | 14 +- .../package.json | 42 +- .../commands/GetRoutingControlStateCommand.ts | 14 +- .../commands/ListRoutingControlsCommand.ts | 14 +- .../UpdateRoutingControlStateCommand.ts | 14 +- .../UpdateRoutingControlStatesCommand.ts | 14 +- .../package.json | 44 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../src/commands/CreateControlPanelCommand.ts | 14 +- .../commands/CreateRoutingControlCommand.ts | 14 +- .../src/commands/CreateSafetyRuleCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../src/commands/DeleteControlPanelCommand.ts | 14 +- .../commands/DeleteRoutingControlCommand.ts | 14 +- .../src/commands/DeleteSafetyRuleCommand.ts | 14 +- .../src/commands/DescribeClusterCommand.ts | 14 +- .../commands/DescribeControlPanelCommand.ts | 14 +- .../commands/DescribeRoutingControlCommand.ts | 14 +- .../src/commands/DescribeSafetyRuleCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- ...istAssociatedRoute53HealthChecksCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../src/commands/ListControlPanelsCommand.ts | 14 +- .../commands/ListRoutingControlsCommand.ts | 14 +- .../src/commands/ListSafetyRulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateControlPanelCommand.ts | 14 +- .../commands/UpdateRoutingControlCommand.ts | 14 +- .../src/commands/UpdateSafetyRuleCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/CreateCellCommand.ts | 14 +- .../CreateCrossAccountAuthorizationCommand.ts | 14 +- .../commands/CreateReadinessCheckCommand.ts | 14 +- .../commands/CreateRecoveryGroupCommand.ts | 14 +- .../src/commands/CreateResourceSetCommand.ts | 14 +- .../src/commands/DeleteCellCommand.ts | 14 +- .../DeleteCrossAccountAuthorizationCommand.ts | 14 +- .../commands/DeleteReadinessCheckCommand.ts | 14 +- .../commands/DeleteRecoveryGroupCommand.ts | 14 +- .../src/commands/DeleteResourceSetCommand.ts | 14 +- .../GetArchitectureRecommendationsCommand.ts | 14 +- .../src/commands/GetCellCommand.ts | 14 +- .../GetCellReadinessSummaryCommand.ts | 14 +- .../src/commands/GetReadinessCheckCommand.ts | 14 +- .../GetReadinessCheckResourceStatusCommand.ts | 14 +- .../GetReadinessCheckStatusCommand.ts | 14 +- .../src/commands/GetRecoveryGroupCommand.ts | 14 +- ...GetRecoveryGroupReadinessSummaryCommand.ts | 14 +- .../src/commands/GetResourceSetCommand.ts | 14 +- .../src/commands/ListCellsCommand.ts | 14 +- .../ListCrossAccountAuthorizationsCommand.ts | 14 +- .../commands/ListReadinessChecksCommand.ts | 14 +- .../src/commands/ListRecoveryGroupsCommand.ts | 14 +- .../src/commands/ListResourceSetsCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- .../commands/ListTagsForResourcesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCellCommand.ts | 14 +- .../commands/UpdateReadinessCheckCommand.ts | 14 +- .../commands/UpdateRecoveryGroupCommand.ts | 14 +- .../src/commands/UpdateResourceSetCommand.ts | 14 +- clients/client-route53profiles/package.json | 42 +- .../src/commands/AssociateProfileCommand.ts | 14 +- .../AssociateResourceToProfileCommand.ts | 14 +- .../src/commands/CreateProfileCommand.ts | 14 +- .../src/commands/DeleteProfileCommand.ts | 14 +- .../commands/DisassociateProfileCommand.ts | 14 +- .../DisassociateResourceFromProfileCommand.ts | 14 +- .../commands/GetProfileAssociationCommand.ts | 14 +- .../src/commands/GetProfileCommand.ts | 14 +- .../GetProfileResourceAssociationCommand.ts | 14 +- .../ListProfileAssociationsCommand.ts | 14 +- .../ListProfileResourceAssociationsCommand.ts | 14 +- .../src/commands/ListProfilesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...UpdateProfileResourceAssociationCommand.ts | 14 +- clients/client-route53resolver/package.json | 42 +- .../AssociateFirewallRuleGroupCommand.ts | 14 +- ...sociateResolverEndpointIpAddressCommand.ts | 14 +- .../AssociateResolverQueryLogConfigCommand.ts | 14 +- .../commands/AssociateResolverRuleCommand.ts | 14 +- .../CreateFirewallDomainListCommand.ts | 14 +- .../src/commands/CreateFirewallRuleCommand.ts | 14 +- .../CreateFirewallRuleGroupCommand.ts | 14 +- .../commands/CreateOutpostResolverCommand.ts | 14 +- .../commands/CreateResolverEndpointCommand.ts | 14 +- .../CreateResolverQueryLogConfigCommand.ts | 14 +- .../src/commands/CreateResolverRuleCommand.ts | 14 +- .../DeleteFirewallDomainListCommand.ts | 14 +- .../src/commands/DeleteFirewallRuleCommand.ts | 14 +- .../DeleteFirewallRuleGroupCommand.ts | 14 +- .../commands/DeleteOutpostResolverCommand.ts | 14 +- .../commands/DeleteResolverEndpointCommand.ts | 14 +- .../DeleteResolverQueryLogConfigCommand.ts | 14 +- .../src/commands/DeleteResolverRuleCommand.ts | 14 +- .../DisassociateFirewallRuleGroupCommand.ts | 14 +- ...sociateResolverEndpointIpAddressCommand.ts | 14 +- ...sassociateResolverQueryLogConfigCommand.ts | 14 +- .../DisassociateResolverRuleCommand.ts | 14 +- .../src/commands/GetFirewallConfigCommand.ts | 14 +- .../commands/GetFirewallDomainListCommand.ts | 14 +- .../GetFirewallRuleGroupAssociationCommand.ts | 14 +- .../commands/GetFirewallRuleGroupCommand.ts | 14 +- .../GetFirewallRuleGroupPolicyCommand.ts | 14 +- .../src/commands/GetOutpostResolverCommand.ts | 14 +- .../src/commands/GetResolverConfigCommand.ts | 14 +- .../GetResolverDnssecConfigCommand.ts | 14 +- .../commands/GetResolverEndpointCommand.ts | 14 +- ...esolverQueryLogConfigAssociationCommand.ts | 14 +- .../GetResolverQueryLogConfigCommand.ts | 14 +- .../GetResolverQueryLogConfigPolicyCommand.ts | 14 +- .../GetResolverRuleAssociationCommand.ts | 14 +- .../src/commands/GetResolverRuleCommand.ts | 14 +- .../commands/GetResolverRulePolicyCommand.ts | 14 +- .../commands/ImportFirewallDomainsCommand.ts | 14 +- .../commands/ListFirewallConfigsCommand.ts | 14 +- .../ListFirewallDomainListsCommand.ts | 14 +- .../commands/ListFirewallDomainsCommand.ts | 14 +- ...istFirewallRuleGroupAssociationsCommand.ts | 14 +- .../commands/ListFirewallRuleGroupsCommand.ts | 14 +- .../src/commands/ListFirewallRulesCommand.ts | 14 +- .../commands/ListOutpostResolversCommand.ts | 14 +- .../commands/ListResolverConfigsCommand.ts | 14 +- .../ListResolverDnssecConfigsCommand.ts | 14 +- .../ListResolverEndpointIpAddressesCommand.ts | 14 +- .../commands/ListResolverEndpointsCommand.ts | 14 +- ...solverQueryLogConfigAssociationsCommand.ts | 14 +- .../ListResolverQueryLogConfigsCommand.ts | 14 +- .../ListResolverRuleAssociationsCommand.ts | 14 +- .../src/commands/ListResolverRulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PutFirewallRuleGroupPolicyCommand.ts | 14 +- .../PutResolverQueryLogConfigPolicyCommand.ts | 14 +- .../commands/PutResolverRulePolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateFirewallConfigCommand.ts | 14 +- .../commands/UpdateFirewallDomainsCommand.ts | 14 +- .../src/commands/UpdateFirewallRuleCommand.ts | 14 +- ...dateFirewallRuleGroupAssociationCommand.ts | 14 +- .../commands/UpdateOutpostResolverCommand.ts | 14 +- .../commands/UpdateResolverConfigCommand.ts | 14 +- .../UpdateResolverDnssecConfigCommand.ts | 14 +- .../commands/UpdateResolverEndpointCommand.ts | 14 +- .../src/commands/UpdateResolverRuleCommand.ts | 14 +- clients/client-rum/package.json | 42 +- .../BatchCreateRumMetricDefinitionsCommand.ts | 14 +- .../BatchDeleteRumMetricDefinitionsCommand.ts | 14 +- .../BatchGetRumMetricDefinitionsCommand.ts | 14 +- .../src/commands/CreateAppMonitorCommand.ts | 14 +- .../src/commands/DeleteAppMonitorCommand.ts | 14 +- .../DeleteRumMetricsDestinationCommand.ts | 14 +- .../src/commands/GetAppMonitorCommand.ts | 14 +- .../src/commands/GetAppMonitorDataCommand.ts | 14 +- .../src/commands/ListAppMonitorsCommand.ts | 14 +- .../ListRumMetricsDestinationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutRumEventsCommand.ts | 14 +- .../PutRumMetricsDestinationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAppMonitorCommand.ts | 14 +- .../UpdateRumMetricDefinitionCommand.ts | 14 +- clients/client-s3-control/package.json | 50 +- ...ociateAccessGrantsIdentityCenterCommand.ts | 14 +- .../src/commands/CreateAccessGrantCommand.ts | 14 +- .../CreateAccessGrantsInstanceCommand.ts | 14 +- .../CreateAccessGrantsLocationCommand.ts | 14 +- .../src/commands/CreateAccessPointCommand.ts | 14 +- ...CreateAccessPointForObjectLambdaCommand.ts | 14 +- .../src/commands/CreateBucketCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../CreateMultiRegionAccessPointCommand.ts | 14 +- .../commands/CreateStorageLensGroupCommand.ts | 14 +- .../src/commands/DeleteAccessGrantCommand.ts | 14 +- .../DeleteAccessGrantsInstanceCommand.ts | 14 +- ...cessGrantsInstanceResourcePolicyCommand.ts | 14 +- .../DeleteAccessGrantsLocationCommand.ts | 14 +- .../src/commands/DeleteAccessPointCommand.ts | 14 +- ...DeleteAccessPointForObjectLambdaCommand.ts | 14 +- .../DeleteAccessPointPolicyCommand.ts | 14 +- ...AccessPointPolicyForObjectLambdaCommand.ts | 14 +- .../src/commands/DeleteBucketCommand.ts | 14 +- ...leteBucketLifecycleConfigurationCommand.ts | 14 +- .../src/commands/DeleteBucketPolicyCommand.ts | 14 +- .../DeleteBucketReplicationCommand.ts | 14 +- .../commands/DeleteBucketTaggingCommand.ts | 14 +- .../src/commands/DeleteJobTaggingCommand.ts | 14 +- .../DeleteMultiRegionAccessPointCommand.ts | 14 +- .../DeletePublicAccessBlockCommand.ts | 14 +- .../DeleteStorageLensConfigurationCommand.ts | 14 +- ...eStorageLensConfigurationTaggingCommand.ts | 14 +- .../commands/DeleteStorageLensGroupCommand.ts | 14 +- .../src/commands/DescribeJobCommand.ts | 14 +- ...eMultiRegionAccessPointOperationCommand.ts | 14 +- ...ociateAccessGrantsIdentityCenterCommand.ts | 14 +- .../src/commands/GetAccessGrantCommand.ts | 14 +- .../GetAccessGrantsInstanceCommand.ts | 14 +- ...GetAccessGrantsInstanceForPrefixCommand.ts | 14 +- ...cessGrantsInstanceResourcePolicyCommand.ts | 14 +- .../GetAccessGrantsLocationCommand.ts | 14 +- .../src/commands/GetAccessPointCommand.ts | 14 +- ...ointConfigurationForObjectLambdaCommand.ts | 14 +- .../GetAccessPointForObjectLambdaCommand.ts | 14 +- .../commands/GetAccessPointPolicyCommand.ts | 14 +- ...AccessPointPolicyForObjectLambdaCommand.ts | 14 +- .../GetAccessPointPolicyStatusCommand.ts | 14 +- ...PointPolicyStatusForObjectLambdaCommand.ts | 14 +- .../src/commands/GetBucketCommand.ts | 14 +- .../GetBucketLifecycleConfigurationCommand.ts | 14 +- .../src/commands/GetBucketPolicyCommand.ts | 14 +- .../commands/GetBucketReplicationCommand.ts | 14 +- .../src/commands/GetBucketTaggingCommand.ts | 14 +- .../commands/GetBucketVersioningCommand.ts | 14 +- .../src/commands/GetDataAccessCommand.ts | 14 +- .../src/commands/GetJobTaggingCommand.ts | 14 +- .../GetMultiRegionAccessPointCommand.ts | 14 +- .../GetMultiRegionAccessPointPolicyCommand.ts | 14 +- ...ltiRegionAccessPointPolicyStatusCommand.ts | 14 +- .../GetMultiRegionAccessPointRoutesCommand.ts | 14 +- .../commands/GetPublicAccessBlockCommand.ts | 14 +- .../GetStorageLensConfigurationCommand.ts | 14 +- ...tStorageLensConfigurationTaggingCommand.ts | 14 +- .../commands/GetStorageLensGroupCommand.ts | 14 +- .../src/commands/ListAccessGrantsCommand.ts | 14 +- .../ListAccessGrantsInstancesCommand.ts | 14 +- .../ListAccessGrantsLocationsCommand.ts | 14 +- .../src/commands/ListAccessPointsCommand.ts | 14 +- .../ListAccessPointsForObjectLambdaCommand.ts | 14 +- .../commands/ListCallerAccessGrantsCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../ListMultiRegionAccessPointsCommand.ts | 14 +- .../commands/ListRegionalBucketsCommand.ts | 14 +- .../ListStorageLensConfigurationsCommand.ts | 14 +- .../commands/ListStorageLensGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...cessGrantsInstanceResourcePolicyCommand.ts | 14 +- ...ointConfigurationForObjectLambdaCommand.ts | 14 +- .../commands/PutAccessPointPolicyCommand.ts | 14 +- ...AccessPointPolicyForObjectLambdaCommand.ts | 14 +- .../PutBucketLifecycleConfigurationCommand.ts | 14 +- .../src/commands/PutBucketPolicyCommand.ts | 14 +- .../commands/PutBucketReplicationCommand.ts | 14 +- .../src/commands/PutBucketTaggingCommand.ts | 14 +- .../commands/PutBucketVersioningCommand.ts | 14 +- .../src/commands/PutJobTaggingCommand.ts | 14 +- .../PutMultiRegionAccessPointPolicyCommand.ts | 14 +- .../commands/PutPublicAccessBlockCommand.ts | 14 +- .../PutStorageLensConfigurationCommand.ts | 14 +- ...tStorageLensConfigurationTaggingCommand.ts | 14 +- ...bmitMultiRegionAccessPointRoutesCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAccessGrantsLocationCommand.ts | 14 +- .../src/commands/UpdateJobPriorityCommand.ts | 14 +- .../src/commands/UpdateJobStatusCommand.ts | 14 +- .../commands/UpdateStorageLensGroupCommand.ts | 14 +- clients/client-s3/package.json | 58 +- .../commands/AbortMultipartUploadCommand.ts | 14 +- .../CompleteMultipartUploadCommand.ts | 14 +- .../src/commands/CopyObjectCommand.ts | 14 +- .../src/commands/CreateBucketCommand.ts | 14 +- .../commands/CreateMultipartUploadCommand.ts | 14 +- .../src/commands/CreateSessionCommand.ts | 14 +- ...leteBucketAnalyticsConfigurationCommand.ts | 14 +- .../src/commands/DeleteBucketCommand.ts | 14 +- .../src/commands/DeleteBucketCorsCommand.ts | 14 +- .../commands/DeleteBucketEncryptionCommand.ts | 14 +- ...tIntelligentTieringConfigurationCommand.ts | 14 +- ...leteBucketInventoryConfigurationCommand.ts | 14 +- .../commands/DeleteBucketLifecycleCommand.ts | 14 +- ...DeleteBucketMetricsConfigurationCommand.ts | 14 +- .../DeleteBucketOwnershipControlsCommand.ts | 14 +- .../src/commands/DeleteBucketPolicyCommand.ts | 14 +- .../DeleteBucketReplicationCommand.ts | 14 +- .../commands/DeleteBucketTaggingCommand.ts | 14 +- .../commands/DeleteBucketWebsiteCommand.ts | 14 +- .../src/commands/DeleteObjectCommand.ts | 14 +- .../commands/DeleteObjectTaggingCommand.ts | 14 +- .../src/commands/DeleteObjectsCommand.ts | 14 +- .../DeletePublicAccessBlockCommand.ts | 14 +- ...GetBucketAccelerateConfigurationCommand.ts | 14 +- .../src/commands/GetBucketAclCommand.ts | 14 +- .../GetBucketAnalyticsConfigurationCommand.ts | 14 +- .../src/commands/GetBucketCorsCommand.ts | 14 +- .../commands/GetBucketEncryptionCommand.ts | 14 +- ...tIntelligentTieringConfigurationCommand.ts | 14 +- .../GetBucketInventoryConfigurationCommand.ts | 14 +- .../GetBucketLifecycleConfigurationCommand.ts | 14 +- .../src/commands/GetBucketLocationCommand.ts | 14 +- .../src/commands/GetBucketLoggingCommand.ts | 14 +- .../GetBucketMetricsConfigurationCommand.ts | 14 +- ...tBucketNotificationConfigurationCommand.ts | 14 +- .../GetBucketOwnershipControlsCommand.ts | 14 +- .../src/commands/GetBucketPolicyCommand.ts | 14 +- .../commands/GetBucketPolicyStatusCommand.ts | 14 +- .../commands/GetBucketReplicationCommand.ts | 14 +- .../GetBucketRequestPaymentCommand.ts | 14 +- .../src/commands/GetBucketTaggingCommand.ts | 14 +- .../commands/GetBucketVersioningCommand.ts | 14 +- .../src/commands/GetBucketWebsiteCommand.ts | 14 +- .../src/commands/GetObjectAclCommand.ts | 14 +- .../commands/GetObjectAttributesCommand.ts | 14 +- .../src/commands/GetObjectCommand.ts | 14 +- .../src/commands/GetObjectLegalHoldCommand.ts | 14 +- .../GetObjectLockConfigurationCommand.ts | 14 +- .../src/commands/GetObjectRetentionCommand.ts | 14 +- .../src/commands/GetObjectTaggingCommand.ts | 14 +- .../src/commands/GetObjectTorrentCommand.ts | 14 +- .../commands/GetPublicAccessBlockCommand.ts | 14 +- .../src/commands/HeadBucketCommand.ts | 14 +- .../src/commands/HeadObjectCommand.ts | 14 +- ...istBucketAnalyticsConfigurationsCommand.ts | 14 +- ...IntelligentTieringConfigurationsCommand.ts | 14 +- ...istBucketInventoryConfigurationsCommand.ts | 14 +- .../ListBucketMetricsConfigurationsCommand.ts | 14 +- .../src/commands/ListBucketsCommand.ts | 14 +- .../commands/ListDirectoryBucketsCommand.ts | 14 +- .../commands/ListMultipartUploadsCommand.ts | 14 +- .../src/commands/ListObjectVersionsCommand.ts | 14 +- .../src/commands/ListObjectsCommand.ts | 14 +- .../src/commands/ListObjectsV2Command.ts | 14 +- .../src/commands/ListPartsCommand.ts | 14 +- ...PutBucketAccelerateConfigurationCommand.ts | 14 +- .../src/commands/PutBucketAclCommand.ts | 14 +- .../PutBucketAnalyticsConfigurationCommand.ts | 14 +- .../src/commands/PutBucketCorsCommand.ts | 14 +- .../commands/PutBucketEncryptionCommand.ts | 14 +- ...tIntelligentTieringConfigurationCommand.ts | 14 +- .../PutBucketInventoryConfigurationCommand.ts | 14 +- .../PutBucketLifecycleConfigurationCommand.ts | 14 +- .../src/commands/PutBucketLoggingCommand.ts | 14 +- .../PutBucketMetricsConfigurationCommand.ts | 14 +- ...tBucketNotificationConfigurationCommand.ts | 14 +- .../PutBucketOwnershipControlsCommand.ts | 14 +- .../src/commands/PutBucketPolicyCommand.ts | 14 +- .../commands/PutBucketReplicationCommand.ts | 14 +- .../PutBucketRequestPaymentCommand.ts | 14 +- .../src/commands/PutBucketTaggingCommand.ts | 14 +- .../commands/PutBucketVersioningCommand.ts | 14 +- .../src/commands/PutBucketWebsiteCommand.ts | 14 +- .../src/commands/PutObjectAclCommand.ts | 14 +- .../src/commands/PutObjectCommand.ts | 14 +- .../src/commands/PutObjectLegalHoldCommand.ts | 14 +- .../PutObjectLockConfigurationCommand.ts | 14 +- .../src/commands/PutObjectRetentionCommand.ts | 14 +- .../src/commands/PutObjectTaggingCommand.ts | 14 +- .../commands/PutPublicAccessBlockCommand.ts | 14 +- .../src/commands/RestoreObjectCommand.ts | 14 +- .../commands/SelectObjectContentCommand.ts | 14 +- .../src/commands/UploadPartCommand.ts | 14 +- .../src/commands/UploadPartCopyCommand.ts | 14 +- .../commands/WriteGetObjectResponseCommand.ts | 14 +- clients/client-s3outposts/package.json | 42 +- .../src/commands/CreateEndpointCommand.ts | 14 +- .../src/commands/DeleteEndpointCommand.ts | 14 +- .../src/commands/ListEndpointsCommand.ts | 14 +- .../src/commands/ListOutpostsWithS3Command.ts | 14 +- .../commands/ListSharedEndpointsCommand.ts | 14 +- .../client-sagemaker-a2i-runtime/package.json | 42 +- .../src/commands/DeleteHumanLoopCommand.ts | 14 +- .../src/commands/DescribeHumanLoopCommand.ts | 14 +- .../src/commands/ListHumanLoopsCommand.ts | 14 +- .../src/commands/StartHumanLoopCommand.ts | 14 +- .../src/commands/StopHumanLoopCommand.ts | 14 +- clients/client-sagemaker-edge/package.json | 42 +- .../src/commands/GetDeploymentsCommand.ts | 14 +- .../commands/GetDeviceRegistrationCommand.ts | 14 +- .../src/commands/SendHeartbeatCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/BatchGetRecordCommand.ts | 14 +- .../src/commands/DeleteRecordCommand.ts | 14 +- .../src/commands/GetRecordCommand.ts | 14 +- .../src/commands/PutRecordCommand.ts | 14 +- .../client-sagemaker-geospatial/package.json | 44 +- .../DeleteEarthObservationJobCommand.ts | 14 +- .../DeleteVectorEnrichmentJobCommand.ts | 14 +- .../ExportEarthObservationJobCommand.ts | 14 +- .../ExportVectorEnrichmentJobCommand.ts | 14 +- .../commands/GetEarthObservationJobCommand.ts | 14 +- .../GetRasterDataCollectionCommand.ts | 14 +- .../src/commands/GetTileCommand.ts | 14 +- .../commands/GetVectorEnrichmentJobCommand.ts | 14 +- .../ListEarthObservationJobsCommand.ts | 14 +- .../ListRasterDataCollectionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListVectorEnrichmentJobsCommand.ts | 14 +- .../SearchRasterDataCollectionCommand.ts | 14 +- .../StartEarthObservationJobCommand.ts | 14 +- .../StartVectorEnrichmentJobCommand.ts | 14 +- .../StopEarthObservationJobCommand.ts | 14 +- .../StopVectorEnrichmentJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-sagemaker-metrics/package.json | 42 +- .../src/commands/BatchPutMetricsCommand.ts | 14 +- clients/client-sagemaker-runtime/package.json | 50 +- .../commands/InvokeEndpointAsyncCommand.ts | 14 +- .../src/commands/InvokeEndpointCommand.ts | 14 +- ...InvokeEndpointWithResponseStreamCommand.ts | 14 +- clients/client-sagemaker/package.json | 44 +- .../src/commands/AddAssociationCommand.ts | 14 +- .../src/commands/AddTagsCommand.ts | 14 +- .../AssociateTrialComponentCommand.ts | 14 +- .../BatchDescribeModelPackageCommand.ts | 14 +- .../src/commands/CreateActionCommand.ts | 14 +- .../src/commands/CreateAlgorithmCommand.ts | 14 +- .../src/commands/CreateAppCommand.ts | 14 +- .../commands/CreateAppImageConfigCommand.ts | 14 +- .../src/commands/CreateArtifactCommand.ts | 14 +- .../src/commands/CreateAutoMLJobCommand.ts | 14 +- .../src/commands/CreateAutoMLJobV2Command.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../commands/CreateCodeRepositoryCommand.ts | 14 +- .../commands/CreateCompilationJobCommand.ts | 14 +- .../src/commands/CreateContextCommand.ts | 14 +- .../CreateDataQualityJobDefinitionCommand.ts | 14 +- .../src/commands/CreateDeviceFleetCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../CreateEdgeDeploymentPlanCommand.ts | 14 +- .../CreateEdgeDeploymentStageCommand.ts | 14 +- .../commands/CreateEdgePackagingJobCommand.ts | 14 +- .../src/commands/CreateEndpointCommand.ts | 14 +- .../commands/CreateEndpointConfigCommand.ts | 14 +- .../src/commands/CreateExperimentCommand.ts | 14 +- .../src/commands/CreateFeatureGroupCommand.ts | 14 +- .../commands/CreateFlowDefinitionCommand.ts | 14 +- .../src/commands/CreateHubCommand.ts | 14 +- .../CreateHubContentReferenceCommand.ts | 14 +- .../src/commands/CreateHumanTaskUiCommand.ts | 14 +- .../CreateHyperParameterTuningJobCommand.ts | 14 +- .../src/commands/CreateImageCommand.ts | 14 +- .../src/commands/CreateImageVersionCommand.ts | 14 +- .../CreateInferenceComponentCommand.ts | 14 +- .../CreateInferenceExperimentCommand.ts | 14 +- ...reateInferenceRecommendationsJobCommand.ts | 14 +- .../src/commands/CreateLabelingJobCommand.ts | 14 +- .../CreateMlflowTrackingServerCommand.ts | 14 +- .../CreateModelBiasJobDefinitionCommand.ts | 14 +- .../src/commands/CreateModelCardCommand.ts | 14 +- .../CreateModelCardExportJobCommand.ts | 14 +- .../src/commands/CreateModelCommand.ts | 14 +- ...ModelExplainabilityJobDefinitionCommand.ts | 14 +- .../src/commands/CreateModelPackageCommand.ts | 14 +- .../CreateModelPackageGroupCommand.ts | 14 +- .../CreateModelQualityJobDefinitionCommand.ts | 14 +- .../CreateMonitoringScheduleCommand.ts | 14 +- .../commands/CreateNotebookInstanceCommand.ts | 14 +- ...eNotebookInstanceLifecycleConfigCommand.ts | 14 +- .../commands/CreateOptimizationJobCommand.ts | 14 +- .../src/commands/CreatePipelineCommand.ts | 14 +- .../CreatePresignedDomainUrlCommand.ts | 14 +- ...PresignedMlflowTrackingServerUrlCommand.ts | 14 +- ...eatePresignedNotebookInstanceUrlCommand.ts | 14 +- .../commands/CreateProcessingJobCommand.ts | 14 +- .../src/commands/CreateProjectCommand.ts | 14 +- .../src/commands/CreateSpaceCommand.ts | 14 +- .../CreateStudioLifecycleConfigCommand.ts | 14 +- .../src/commands/CreateTrainingJobCommand.ts | 14 +- .../src/commands/CreateTransformJobCommand.ts | 14 +- .../src/commands/CreateTrialCommand.ts | 14 +- .../commands/CreateTrialComponentCommand.ts | 14 +- .../src/commands/CreateUserProfileCommand.ts | 14 +- .../src/commands/CreateWorkforceCommand.ts | 14 +- .../src/commands/CreateWorkteamCommand.ts | 14 +- .../src/commands/DeleteActionCommand.ts | 14 +- .../src/commands/DeleteAlgorithmCommand.ts | 14 +- .../src/commands/DeleteAppCommand.ts | 14 +- .../commands/DeleteAppImageConfigCommand.ts | 14 +- .../src/commands/DeleteArtifactCommand.ts | 14 +- .../src/commands/DeleteAssociationCommand.ts | 14 +- .../src/commands/DeleteClusterCommand.ts | 14 +- .../commands/DeleteCodeRepositoryCommand.ts | 14 +- .../commands/DeleteCompilationJobCommand.ts | 14 +- .../src/commands/DeleteContextCommand.ts | 14 +- .../DeleteDataQualityJobDefinitionCommand.ts | 14 +- .../src/commands/DeleteDeviceFleetCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../DeleteEdgeDeploymentPlanCommand.ts | 14 +- .../DeleteEdgeDeploymentStageCommand.ts | 14 +- .../src/commands/DeleteEndpointCommand.ts | 14 +- .../commands/DeleteEndpointConfigCommand.ts | 14 +- .../src/commands/DeleteExperimentCommand.ts | 14 +- .../src/commands/DeleteFeatureGroupCommand.ts | 14 +- .../commands/DeleteFlowDefinitionCommand.ts | 14 +- .../src/commands/DeleteHubCommand.ts | 14 +- .../src/commands/DeleteHubContentCommand.ts | 14 +- .../DeleteHubContentReferenceCommand.ts | 14 +- .../src/commands/DeleteHumanTaskUiCommand.ts | 14 +- .../DeleteHyperParameterTuningJobCommand.ts | 14 +- .../src/commands/DeleteImageCommand.ts | 14 +- .../src/commands/DeleteImageVersionCommand.ts | 14 +- .../DeleteInferenceComponentCommand.ts | 14 +- .../DeleteInferenceExperimentCommand.ts | 14 +- .../DeleteMlflowTrackingServerCommand.ts | 14 +- .../DeleteModelBiasJobDefinitionCommand.ts | 14 +- .../src/commands/DeleteModelCardCommand.ts | 14 +- .../src/commands/DeleteModelCommand.ts | 14 +- ...ModelExplainabilityJobDefinitionCommand.ts | 14 +- .../src/commands/DeleteModelPackageCommand.ts | 14 +- .../DeleteModelPackageGroupCommand.ts | 14 +- .../DeleteModelPackageGroupPolicyCommand.ts | 14 +- .../DeleteModelQualityJobDefinitionCommand.ts | 14 +- .../DeleteMonitoringScheduleCommand.ts | 14 +- .../commands/DeleteNotebookInstanceCommand.ts | 14 +- ...eNotebookInstanceLifecycleConfigCommand.ts | 14 +- .../commands/DeleteOptimizationJobCommand.ts | 14 +- .../src/commands/DeletePipelineCommand.ts | 14 +- .../src/commands/DeleteProjectCommand.ts | 14 +- .../src/commands/DeleteSpaceCommand.ts | 14 +- .../DeleteStudioLifecycleConfigCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../src/commands/DeleteTrialCommand.ts | 14 +- .../commands/DeleteTrialComponentCommand.ts | 14 +- .../src/commands/DeleteUserProfileCommand.ts | 14 +- .../src/commands/DeleteWorkforceCommand.ts | 14 +- .../src/commands/DeleteWorkteamCommand.ts | 14 +- .../src/commands/DeregisterDevicesCommand.ts | 14 +- .../src/commands/DescribeActionCommand.ts | 14 +- .../src/commands/DescribeAlgorithmCommand.ts | 14 +- .../src/commands/DescribeAppCommand.ts | 14 +- .../commands/DescribeAppImageConfigCommand.ts | 14 +- .../src/commands/DescribeArtifactCommand.ts | 14 +- .../src/commands/DescribeAutoMLJobCommand.ts | 14 +- .../commands/DescribeAutoMLJobV2Command.ts | 14 +- .../src/commands/DescribeClusterCommand.ts | 14 +- .../commands/DescribeClusterNodeCommand.ts | 14 +- .../commands/DescribeCodeRepositoryCommand.ts | 14 +- .../commands/DescribeCompilationJobCommand.ts | 14 +- .../src/commands/DescribeContextCommand.ts | 14 +- ...DescribeDataQualityJobDefinitionCommand.ts | 14 +- .../src/commands/DescribeDeviceCommand.ts | 14 +- .../commands/DescribeDeviceFleetCommand.ts | 14 +- .../src/commands/DescribeDomainCommand.ts | 14 +- .../DescribeEdgeDeploymentPlanCommand.ts | 14 +- .../DescribeEdgePackagingJobCommand.ts | 14 +- .../src/commands/DescribeEndpointCommand.ts | 14 +- .../commands/DescribeEndpointConfigCommand.ts | 14 +- .../src/commands/DescribeExperimentCommand.ts | 14 +- .../commands/DescribeFeatureGroupCommand.ts | 14 +- .../DescribeFeatureMetadataCommand.ts | 14 +- .../commands/DescribeFlowDefinitionCommand.ts | 14 +- .../src/commands/DescribeHubCommand.ts | 14 +- .../src/commands/DescribeHubContentCommand.ts | 14 +- .../commands/DescribeHumanTaskUiCommand.ts | 14 +- .../DescribeHyperParameterTuningJobCommand.ts | 14 +- .../src/commands/DescribeImageCommand.ts | 14 +- .../commands/DescribeImageVersionCommand.ts | 14 +- .../DescribeInferenceComponentCommand.ts | 14 +- .../DescribeInferenceExperimentCommand.ts | 14 +- ...cribeInferenceRecommendationsJobCommand.ts | 14 +- .../commands/DescribeLabelingJobCommand.ts | 14 +- .../commands/DescribeLineageGroupCommand.ts | 14 +- .../DescribeMlflowTrackingServerCommand.ts | 14 +- .../DescribeModelBiasJobDefinitionCommand.ts | 14 +- .../src/commands/DescribeModelCardCommand.ts | 14 +- .../DescribeModelCardExportJobCommand.ts | 14 +- .../src/commands/DescribeModelCommand.ts | 14 +- ...ModelExplainabilityJobDefinitionCommand.ts | 14 +- .../commands/DescribeModelPackageCommand.ts | 14 +- .../DescribeModelPackageGroupCommand.ts | 14 +- ...escribeModelQualityJobDefinitionCommand.ts | 14 +- .../DescribeMonitoringScheduleCommand.ts | 14 +- .../DescribeNotebookInstanceCommand.ts | 14 +- ...eNotebookInstanceLifecycleConfigCommand.ts | 14 +- .../DescribeOptimizationJobCommand.ts | 14 +- .../src/commands/DescribePipelineCommand.ts | 14 +- ...bePipelineDefinitionForExecutionCommand.ts | 14 +- .../DescribePipelineExecutionCommand.ts | 14 +- .../commands/DescribeProcessingJobCommand.ts | 14 +- .../src/commands/DescribeProjectCommand.ts | 14 +- .../src/commands/DescribeSpaceCommand.ts | 14 +- .../DescribeStudioLifecycleConfigCommand.ts | 14 +- .../DescribeSubscribedWorkteamCommand.ts | 14 +- .../commands/DescribeTrainingJobCommand.ts | 14 +- .../commands/DescribeTransformJobCommand.ts | 14 +- .../src/commands/DescribeTrialCommand.ts | 14 +- .../commands/DescribeTrialComponentCommand.ts | 14 +- .../commands/DescribeUserProfileCommand.ts | 14 +- .../src/commands/DescribeWorkforceCommand.ts | 14 +- .../src/commands/DescribeWorkteamCommand.ts | 14 +- ...SagemakerServicecatalogPortfolioCommand.ts | 14 +- .../DisassociateTrialComponentCommand.ts | 14 +- ...SagemakerServicecatalogPortfolioCommand.ts | 14 +- .../commands/GetDeviceFleetReportCommand.ts | 14 +- .../commands/GetLineageGroupPolicyCommand.ts | 14 +- .../GetModelPackageGroupPolicyCommand.ts | 14 +- ...kerServicecatalogPortfolioStatusCommand.ts | 14 +- ...alingConfigurationRecommendationCommand.ts | 14 +- .../commands/GetSearchSuggestionsCommand.ts | 14 +- .../src/commands/ImportHubContentCommand.ts | 14 +- .../src/commands/ListActionsCommand.ts | 14 +- .../src/commands/ListAlgorithmsCommand.ts | 14 +- .../src/commands/ListAliasesCommand.ts | 14 +- .../commands/ListAppImageConfigsCommand.ts | 14 +- .../src/commands/ListAppsCommand.ts | 14 +- .../src/commands/ListArtifactsCommand.ts | 14 +- .../src/commands/ListAssociationsCommand.ts | 14 +- .../src/commands/ListAutoMLJobsCommand.ts | 14 +- .../ListCandidatesForAutoMLJobCommand.ts | 14 +- .../src/commands/ListClusterNodesCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../commands/ListCodeRepositoriesCommand.ts | 14 +- .../commands/ListCompilationJobsCommand.ts | 14 +- .../src/commands/ListContextsCommand.ts | 14 +- .../ListDataQualityJobDefinitionsCommand.ts | 14 +- .../src/commands/ListDeviceFleetsCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../ListEdgeDeploymentPlansCommand.ts | 14 +- .../commands/ListEdgePackagingJobsCommand.ts | 14 +- .../commands/ListEndpointConfigsCommand.ts | 14 +- .../src/commands/ListEndpointsCommand.ts | 14 +- .../src/commands/ListExperimentsCommand.ts | 14 +- .../src/commands/ListFeatureGroupsCommand.ts | 14 +- .../commands/ListFlowDefinitionsCommand.ts | 14 +- .../commands/ListHubContentVersionsCommand.ts | 14 +- .../src/commands/ListHubContentsCommand.ts | 14 +- .../src/commands/ListHubsCommand.ts | 14 +- .../src/commands/ListHumanTaskUisCommand.ts | 14 +- .../ListHyperParameterTuningJobsCommand.ts | 14 +- .../src/commands/ListImageVersionsCommand.ts | 14 +- .../src/commands/ListImagesCommand.ts | 14 +- .../ListInferenceComponentsCommand.ts | 14 +- .../ListInferenceExperimentsCommand.ts | 14 +- ...InferenceRecommendationsJobStepsCommand.ts | 14 +- ...ListInferenceRecommendationsJobsCommand.ts | 14 +- .../src/commands/ListLabelingJobsCommand.ts | 14 +- .../ListLabelingJobsForWorkteamCommand.ts | 14 +- .../src/commands/ListLineageGroupsCommand.ts | 14 +- .../ListMlflowTrackingServersCommand.ts | 14 +- .../ListModelBiasJobDefinitionsCommand.ts | 14 +- .../ListModelCardExportJobsCommand.ts | 14 +- .../commands/ListModelCardVersionsCommand.ts | 14 +- .../src/commands/ListModelCardsCommand.ts | 14 +- ...odelExplainabilityJobDefinitionsCommand.ts | 14 +- .../src/commands/ListModelMetadataCommand.ts | 14 +- .../commands/ListModelPackageGroupsCommand.ts | 14 +- .../src/commands/ListModelPackagesCommand.ts | 14 +- .../ListModelQualityJobDefinitionsCommand.ts | 14 +- .../src/commands/ListModelsCommand.ts | 14 +- .../ListMonitoringAlertHistoryCommand.ts | 14 +- .../commands/ListMonitoringAlertsCommand.ts | 14 +- .../ListMonitoringExecutionsCommand.ts | 14 +- .../ListMonitoringSchedulesCommand.ts | 14 +- ...NotebookInstanceLifecycleConfigsCommand.ts | 14 +- .../commands/ListNotebookInstancesCommand.ts | 14 +- .../commands/ListOptimizationJobsCommand.ts | 14 +- .../ListPipelineExecutionStepsCommand.ts | 14 +- .../commands/ListPipelineExecutionsCommand.ts | 14 +- ...stPipelineParametersForExecutionCommand.ts | 14 +- .../src/commands/ListPipelinesCommand.ts | 14 +- .../src/commands/ListProcessingJobsCommand.ts | 14 +- .../src/commands/ListProjectsCommand.ts | 14 +- .../commands/ListResourceCatalogsCommand.ts | 14 +- .../src/commands/ListSpacesCommand.ts | 14 +- .../src/commands/ListStageDevicesCommand.ts | 14 +- .../ListStudioLifecycleConfigsCommand.ts | 14 +- .../ListSubscribedWorkteamsCommand.ts | 14 +- .../src/commands/ListTagsCommand.ts | 14 +- .../src/commands/ListTrainingJobsCommand.ts | 14 +- ...ngJobsForHyperParameterTuningJobCommand.ts | 14 +- .../src/commands/ListTransformJobsCommand.ts | 14 +- .../commands/ListTrialComponentsCommand.ts | 14 +- .../src/commands/ListTrialsCommand.ts | 14 +- .../src/commands/ListUserProfilesCommand.ts | 14 +- .../src/commands/ListWorkforcesCommand.ts | 14 +- .../src/commands/ListWorkteamsCommand.ts | 14 +- .../PutModelPackageGroupPolicyCommand.ts | 14 +- .../src/commands/QueryLineageCommand.ts | 14 +- .../src/commands/RegisterDevicesCommand.ts | 14 +- .../src/commands/RenderUiTemplateCommand.ts | 14 +- .../commands/RetryPipelineExecutionCommand.ts | 14 +- .../src/commands/SearchCommand.ts | 14 +- ...SendPipelineExecutionStepFailureCommand.ts | 14 +- ...SendPipelineExecutionStepSuccessCommand.ts | 14 +- .../StartEdgeDeploymentStageCommand.ts | 14 +- .../StartInferenceExperimentCommand.ts | 14 +- .../StartMlflowTrackingServerCommand.ts | 14 +- .../StartMonitoringScheduleCommand.ts | 14 +- .../commands/StartNotebookInstanceCommand.ts | 14 +- .../commands/StartPipelineExecutionCommand.ts | 14 +- .../src/commands/StopAutoMLJobCommand.ts | 14 +- .../src/commands/StopCompilationJobCommand.ts | 14 +- .../StopEdgeDeploymentStageCommand.ts | 14 +- .../commands/StopEdgePackagingJobCommand.ts | 14 +- .../StopHyperParameterTuningJobCommand.ts | 14 +- .../StopInferenceExperimentCommand.ts | 14 +- .../StopInferenceRecommendationsJobCommand.ts | 14 +- .../src/commands/StopLabelingJobCommand.ts | 14 +- .../StopMlflowTrackingServerCommand.ts | 14 +- .../commands/StopMonitoringScheduleCommand.ts | 14 +- .../commands/StopNotebookInstanceCommand.ts | 14 +- .../commands/StopOptimizationJobCommand.ts | 14 +- .../commands/StopPipelineExecutionCommand.ts | 14 +- .../src/commands/StopProcessingJobCommand.ts | 14 +- .../src/commands/StopTrainingJobCommand.ts | 14 +- .../src/commands/StopTransformJobCommand.ts | 14 +- .../src/commands/UpdateActionCommand.ts | 14 +- .../commands/UpdateAppImageConfigCommand.ts | 14 +- .../src/commands/UpdateArtifactCommand.ts | 14 +- .../src/commands/UpdateClusterCommand.ts | 14 +- .../commands/UpdateClusterSoftwareCommand.ts | 14 +- .../commands/UpdateCodeRepositoryCommand.ts | 14 +- .../src/commands/UpdateContextCommand.ts | 14 +- .../src/commands/UpdateDeviceFleetCommand.ts | 14 +- .../src/commands/UpdateDevicesCommand.ts | 14 +- .../src/commands/UpdateDomainCommand.ts | 14 +- .../src/commands/UpdateEndpointCommand.ts | 14 +- ...dateEndpointWeightsAndCapacitiesCommand.ts | 14 +- .../src/commands/UpdateExperimentCommand.ts | 14 +- .../src/commands/UpdateFeatureGroupCommand.ts | 14 +- .../commands/UpdateFeatureMetadataCommand.ts | 14 +- .../src/commands/UpdateHubCommand.ts | 14 +- .../src/commands/UpdateImageCommand.ts | 14 +- .../src/commands/UpdateImageVersionCommand.ts | 14 +- .../UpdateInferenceComponentCommand.ts | 14 +- ...eInferenceComponentRuntimeConfigCommand.ts | 14 +- .../UpdateInferenceExperimentCommand.ts | 14 +- .../UpdateMlflowTrackingServerCommand.ts | 14 +- .../src/commands/UpdateModelCardCommand.ts | 14 +- .../src/commands/UpdateModelPackageCommand.ts | 14 +- .../commands/UpdateMonitoringAlertCommand.ts | 14 +- .../UpdateMonitoringScheduleCommand.ts | 14 +- .../commands/UpdateNotebookInstanceCommand.ts | 14 +- ...eNotebookInstanceLifecycleConfigCommand.ts | 14 +- .../src/commands/UpdatePipelineCommand.ts | 14 +- .../UpdatePipelineExecutionCommand.ts | 14 +- .../src/commands/UpdateProjectCommand.ts | 14 +- .../src/commands/UpdateSpaceCommand.ts | 14 +- .../src/commands/UpdateTrainingJobCommand.ts | 14 +- .../src/commands/UpdateTrialCommand.ts | 14 +- .../commands/UpdateTrialComponentCommand.ts | 14 +- .../src/commands/UpdateUserProfileCommand.ts | 14 +- .../src/commands/UpdateWorkforceCommand.ts | 14 +- .../src/commands/UpdateWorkteamCommand.ts | 14 +- clients/client-savingsplans/package.json | 42 +- .../src/commands/CreateSavingsPlanCommand.ts | 14 +- .../DeleteQueuedSavingsPlanCommand.ts | 14 +- .../DescribeSavingsPlanRatesCommand.ts | 14 +- .../commands/DescribeSavingsPlansCommand.ts | 14 +- ...escribeSavingsPlansOfferingRatesCommand.ts | 14 +- .../DescribeSavingsPlansOfferingsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ReturnSavingsPlanCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-scheduler/package.json | 42 +- .../src/commands/CreateScheduleCommand.ts | 14 +- .../commands/CreateScheduleGroupCommand.ts | 14 +- .../src/commands/DeleteScheduleCommand.ts | 14 +- .../commands/DeleteScheduleGroupCommand.ts | 14 +- .../src/commands/GetScheduleCommand.ts | 14 +- .../src/commands/GetScheduleGroupCommand.ts | 14 +- .../src/commands/ListScheduleGroupsCommand.ts | 14 +- .../src/commands/ListSchedulesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateScheduleCommand.ts | 14 +- clients/client-schemas/package.json | 46 +- .../src/commands/CreateDiscovererCommand.ts | 14 +- .../src/commands/CreateRegistryCommand.ts | 14 +- .../src/commands/CreateSchemaCommand.ts | 14 +- .../src/commands/DeleteDiscovererCommand.ts | 14 +- .../src/commands/DeleteRegistryCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteSchemaCommand.ts | 14 +- .../commands/DeleteSchemaVersionCommand.ts | 14 +- .../commands/DescribeCodeBindingCommand.ts | 14 +- .../src/commands/DescribeDiscovererCommand.ts | 14 +- .../src/commands/DescribeRegistryCommand.ts | 14 +- .../src/commands/DescribeSchemaCommand.ts | 14 +- .../src/commands/ExportSchemaCommand.ts | 14 +- .../commands/GetCodeBindingSourceCommand.ts | 14 +- .../commands/GetDiscoveredSchemaCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/ListDiscoverersCommand.ts | 14 +- .../src/commands/ListRegistriesCommand.ts | 14 +- .../src/commands/ListSchemaVersionsCommand.ts | 14 +- .../src/commands/ListSchemasCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutCodeBindingCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/SearchSchemasCommand.ts | 14 +- .../src/commands/StartDiscovererCommand.ts | 14 +- .../src/commands/StopDiscovererCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDiscovererCommand.ts | 14 +- .../src/commands/UpdateRegistryCommand.ts | 14 +- .../src/commands/UpdateSchemaCommand.ts | 14 +- clients/client-secrets-manager/package.json | 42 +- .../commands/BatchGetSecretValueCommand.ts | 14 +- .../src/commands/CancelRotateSecretCommand.ts | 14 +- .../src/commands/CreateSecretCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteSecretCommand.ts | 14 +- .../src/commands/DescribeSecretCommand.ts | 14 +- .../src/commands/GetRandomPasswordCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/GetSecretValueCommand.ts | 14 +- .../commands/ListSecretVersionIdsCommand.ts | 14 +- .../src/commands/ListSecretsCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/PutSecretValueCommand.ts | 14 +- .../RemoveRegionsFromReplicationCommand.ts | 14 +- .../ReplicateSecretToRegionsCommand.ts | 14 +- .../src/commands/RestoreSecretCommand.ts | 14 +- .../src/commands/RotateSecretCommand.ts | 14 +- .../StopReplicationToReplicaCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateSecretCommand.ts | 14 +- .../UpdateSecretVersionStageCommand.ts | 14 +- .../commands/ValidateResourcePolicyCommand.ts | 14 +- clients/client-securityhub/package.json | 42 +- .../AcceptAdministratorInvitationCommand.ts | 14 +- .../src/commands/AcceptInvitationCommand.ts | 14 +- .../BatchDeleteAutomationRulesCommand.ts | 14 +- .../commands/BatchDisableStandardsCommand.ts | 14 +- .../commands/BatchEnableStandardsCommand.ts | 14 +- .../BatchGetAutomationRulesCommand.ts | 14 +- ...tConfigurationPolicyAssociationsCommand.ts | 14 +- .../BatchGetSecurityControlsCommand.ts | 14 +- ...hGetStandardsControlAssociationsCommand.ts | 14 +- .../commands/BatchImportFindingsCommand.ts | 14 +- .../BatchUpdateAutomationRulesCommand.ts | 14 +- .../commands/BatchUpdateFindingsCommand.ts | 14 +- ...dateStandardsControlAssociationsCommand.ts | 14 +- .../src/commands/CreateActionTargetCommand.ts | 14 +- .../commands/CreateAutomationRuleCommand.ts | 14 +- .../CreateConfigurationPolicyCommand.ts | 14 +- .../CreateFindingAggregatorCommand.ts | 14 +- .../src/commands/CreateInsightCommand.ts | 14 +- .../src/commands/CreateMembersCommand.ts | 14 +- .../src/commands/DeclineInvitationsCommand.ts | 14 +- .../src/commands/DeleteActionTargetCommand.ts | 14 +- .../DeleteConfigurationPolicyCommand.ts | 14 +- .../DeleteFindingAggregatorCommand.ts | 14 +- .../src/commands/DeleteInsightCommand.ts | 14 +- .../src/commands/DeleteInvitationsCommand.ts | 14 +- .../src/commands/DeleteMembersCommand.ts | 14 +- .../commands/DescribeActionTargetsCommand.ts | 14 +- .../src/commands/DescribeHubCommand.ts | 14 +- ...escribeOrganizationConfigurationCommand.ts | 14 +- .../src/commands/DescribeProductsCommand.ts | 14 +- .../src/commands/DescribeStandardsCommand.ts | 14 +- .../DescribeStandardsControlsCommand.ts | 14 +- .../DisableImportFindingsForProductCommand.ts | 14 +- .../DisableOrganizationAdminAccountCommand.ts | 14 +- .../src/commands/DisableSecurityHubCommand.ts | 14 +- ...ssociateFromAdministratorAccountCommand.ts | 14 +- .../DisassociateFromMasterAccountCommand.ts | 14 +- .../commands/DisassociateMembersCommand.ts | 14 +- .../EnableImportFindingsForProductCommand.ts | 14 +- .../EnableOrganizationAdminAccountCommand.ts | 14 +- .../src/commands/EnableSecurityHubCommand.ts | 14 +- .../GetAdministratorAccountCommand.ts | 14 +- ...etConfigurationPolicyAssociationCommand.ts | 14 +- .../commands/GetConfigurationPolicyCommand.ts | 14 +- .../commands/GetEnabledStandardsCommand.ts | 14 +- .../commands/GetFindingAggregatorCommand.ts | 14 +- .../src/commands/GetFindingHistoryCommand.ts | 14 +- .../src/commands/GetFindingsCommand.ts | 14 +- .../src/commands/GetInsightResultsCommand.ts | 14 +- .../src/commands/GetInsightsCommand.ts | 14 +- .../commands/GetInvitationsCountCommand.ts | 14 +- .../src/commands/GetMasterAccountCommand.ts | 14 +- .../src/commands/GetMembersCommand.ts | 14 +- .../GetSecurityControlDefinitionCommand.ts | 14 +- .../src/commands/InviteMembersCommand.ts | 14 +- .../commands/ListAutomationRulesCommand.ts | 14 +- .../ListConfigurationPoliciesCommand.ts | 14 +- ...tConfigurationPolicyAssociationsCommand.ts | 14 +- .../ListEnabledProductsForImportCommand.ts | 14 +- .../commands/ListFindingAggregatorsCommand.ts | 14 +- .../src/commands/ListInvitationsCommand.ts | 14 +- .../src/commands/ListMembersCommand.ts | 14 +- .../ListOrganizationAdminAccountsCommand.ts | 14 +- .../ListSecurityControlDefinitionsCommand.ts | 14 +- ...ListStandardsControlAssociationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...rtConfigurationPolicyAssociationCommand.ts | 14 +- ...onfigurationPolicyDisassociationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateActionTargetCommand.ts | 14 +- .../UpdateConfigurationPolicyCommand.ts | 14 +- .../UpdateFindingAggregatorCommand.ts | 14 +- .../src/commands/UpdateFindingsCommand.ts | 14 +- .../src/commands/UpdateInsightCommand.ts | 14 +- .../UpdateOrganizationConfigurationCommand.ts | 14 +- .../commands/UpdateSecurityControlCommand.ts | 14 +- .../UpdateSecurityHubConfigurationCommand.ts | 14 +- .../commands/UpdateStandardsControlCommand.ts | 14 +- clients/client-securitylake/package.json | 42 +- .../src/commands/CreateAwsLogSourceCommand.ts | 14 +- .../commands/CreateCustomLogSourceCommand.ts | 14 +- .../src/commands/CreateDataLakeCommand.ts | 14 +- ...ateDataLakeExceptionSubscriptionCommand.ts | 14 +- ...ataLakeOrganizationConfigurationCommand.ts | 14 +- .../src/commands/CreateSubscriberCommand.ts | 14 +- .../CreateSubscriberNotificationCommand.ts | 14 +- .../src/commands/DeleteAwsLogSourceCommand.ts | 14 +- .../commands/DeleteCustomLogSourceCommand.ts | 14 +- .../src/commands/DeleteDataLakeCommand.ts | 14 +- ...eteDataLakeExceptionSubscriptionCommand.ts | 14 +- ...ataLakeOrganizationConfigurationCommand.ts | 14 +- .../src/commands/DeleteSubscriberCommand.ts | 14 +- .../DeleteSubscriberNotificationCommand.ts | 14 +- ...erDataLakeDelegatedAdministratorCommand.ts | 14 +- ...GetDataLakeExceptionSubscriptionCommand.ts | 14 +- ...ataLakeOrganizationConfigurationCommand.ts | 14 +- .../src/commands/GetDataLakeSourcesCommand.ts | 14 +- .../src/commands/GetSubscriberCommand.ts | 14 +- .../commands/ListDataLakeExceptionsCommand.ts | 14 +- .../src/commands/ListDataLakesCommand.ts | 14 +- .../src/commands/ListLogSourcesCommand.ts | 14 +- .../src/commands/ListSubscribersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...erDataLakeDelegatedAdministratorCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDataLakeCommand.ts | 14 +- ...ateDataLakeExceptionSubscriptionCommand.ts | 14 +- .../src/commands/UpdateSubscriberCommand.ts | 14 +- .../UpdateSubscriberNotificationCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../CreateApplicationVersionCommand.ts | 14 +- .../CreateCloudFormationChangeSetCommand.ts | 14 +- .../CreateCloudFormationTemplateCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../commands/GetApplicationPolicyCommand.ts | 14 +- .../GetCloudFormationTemplateCommand.ts | 14 +- .../ListApplicationDependenciesCommand.ts | 14 +- .../ListApplicationVersionsCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../commands/PutApplicationPolicyCommand.ts | 14 +- .../src/commands/UnshareApplicationCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../package.json | 42 +- .../AssociateAttributeGroupCommand.ts | 14 +- .../src/commands/AssociateResourceCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- .../commands/CreateAttributeGroupCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../commands/DeleteAttributeGroupCommand.ts | 14 +- .../DisassociateAttributeGroupCommand.ts | 14 +- .../commands/DisassociateResourceCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../commands/GetAssociatedResourceCommand.ts | 14 +- .../src/commands/GetAttributeGroupCommand.ts | 14 +- .../src/commands/GetConfigurationCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../ListAssociatedAttributeGroupsCommand.ts | 14 +- .../ListAssociatedResourcesCommand.ts | 14 +- .../commands/ListAttributeGroupsCommand.ts | 14 +- ...istAttributeGroupsForApplicationCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutConfigurationCommand.ts | 14 +- .../src/commands/SyncResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- .../commands/UpdateAttributeGroupCommand.ts | 14 +- clients/client-service-catalog/package.json | 42 +- .../commands/AcceptPortfolioShareCommand.ts | 14 +- .../AssociateBudgetWithResourceCommand.ts | 14 +- .../AssociatePrincipalWithPortfolioCommand.ts | 14 +- .../AssociateProductWithPortfolioCommand.ts | 14 +- ...ceActionWithProvisioningArtifactCommand.ts | 14 +- .../AssociateTagOptionWithResourceCommand.ts | 14 +- ...ceActionWithProvisioningArtifactCommand.ts | 14 +- ...ceActionFromProvisioningArtifactCommand.ts | 14 +- .../src/commands/CopyProductCommand.ts | 14 +- .../src/commands/CreateConstraintCommand.ts | 14 +- .../src/commands/CreatePortfolioCommand.ts | 14 +- .../commands/CreatePortfolioShareCommand.ts | 14 +- .../src/commands/CreateProductCommand.ts | 14 +- .../CreateProvisionedProductPlanCommand.ts | 14 +- .../CreateProvisioningArtifactCommand.ts | 14 +- .../commands/CreateServiceActionCommand.ts | 14 +- .../src/commands/CreateTagOptionCommand.ts | 14 +- .../src/commands/DeleteConstraintCommand.ts | 14 +- .../src/commands/DeletePortfolioCommand.ts | 14 +- .../commands/DeletePortfolioShareCommand.ts | 14 +- .../src/commands/DeleteProductCommand.ts | 14 +- .../DeleteProvisionedProductPlanCommand.ts | 14 +- .../DeleteProvisioningArtifactCommand.ts | 14 +- .../commands/DeleteServiceActionCommand.ts | 14 +- .../src/commands/DeleteTagOptionCommand.ts | 14 +- .../src/commands/DescribeConstraintCommand.ts | 14 +- .../DescribeCopyProductStatusCommand.ts | 14 +- .../src/commands/DescribePortfolioCommand.ts | 14 +- .../DescribePortfolioShareStatusCommand.ts | 14 +- .../DescribePortfolioSharesCommand.ts | 14 +- .../commands/DescribeProductAsAdminCommand.ts | 14 +- .../src/commands/DescribeProductCommand.ts | 14 +- .../commands/DescribeProductViewCommand.ts | 14 +- .../DescribeProvisionedProductCommand.ts | 14 +- .../DescribeProvisionedProductPlanCommand.ts | 14 +- .../DescribeProvisioningArtifactCommand.ts | 14 +- .../DescribeProvisioningParametersCommand.ts | 14 +- .../src/commands/DescribeRecordCommand.ts | 14 +- .../commands/DescribeServiceActionCommand.ts | 14 +- ...ServiceActionExecutionParametersCommand.ts | 14 +- .../src/commands/DescribeTagOptionCommand.ts | 14 +- .../DisableAWSOrganizationsAccessCommand.ts | 14 +- .../DisassociateBudgetFromResourceCommand.ts | 14 +- ...sassociatePrincipalFromPortfolioCommand.ts | 14 +- ...DisassociateProductFromPortfolioCommand.ts | 14 +- ...ceActionFromProvisioningArtifactCommand.ts | 14 +- ...isassociateTagOptionFromResourceCommand.ts | 14 +- .../EnableAWSOrganizationsAccessCommand.ts | 14 +- .../ExecuteProvisionedProductPlanCommand.ts | 14 +- ...eProvisionedProductServiceActionCommand.ts | 14 +- .../GetAWSOrganizationsAccessStatusCommand.ts | 14 +- .../GetProvisionedProductOutputsCommand.ts | 14 +- .../ImportAsProvisionedProductCommand.ts | 14 +- .../ListAcceptedPortfolioSharesCommand.ts | 14 +- .../commands/ListBudgetsForResourceCommand.ts | 14 +- .../ListConstraintsForPortfolioCommand.ts | 14 +- .../src/commands/ListLaunchPathsCommand.ts | 14 +- .../ListOrganizationPortfolioAccessCommand.ts | 14 +- .../commands/ListPortfolioAccessCommand.ts | 14 +- .../src/commands/ListPortfoliosCommand.ts | 14 +- .../ListPortfoliosForProductCommand.ts | 14 +- .../ListPrincipalsForPortfolioCommand.ts | 14 +- .../ListProvisionedProductPlansCommand.ts | 14 +- .../ListProvisioningArtifactsCommand.ts | 14 +- ...sioningArtifactsForServiceActionCommand.ts | 14 +- .../src/commands/ListRecordHistoryCommand.ts | 14 +- .../ListResourcesForTagOptionCommand.ts | 14 +- .../src/commands/ListServiceActionsCommand.ts | 14 +- ...ceActionsForProvisioningArtifactCommand.ts | 14 +- ...ckInstancesForProvisionedProductCommand.ts | 14 +- .../src/commands/ListTagOptionsCommand.ts | 14 +- ...isionProductEngineWorkflowResultCommand.ts | 14 +- ...ionedProductEngineWorkflowResultCommand.ts | 14 +- ...ionedProductEngineWorkflowResultCommand.ts | 14 +- .../src/commands/ProvisionProductCommand.ts | 14 +- .../commands/RejectPortfolioShareCommand.ts | 14 +- .../ScanProvisionedProductsCommand.ts | 14 +- .../commands/SearchProductsAsAdminCommand.ts | 14 +- .../src/commands/SearchProductsCommand.ts | 14 +- .../SearchProvisionedProductsCommand.ts | 14 +- .../TerminateProvisionedProductCommand.ts | 14 +- .../src/commands/UpdateConstraintCommand.ts | 14 +- .../src/commands/UpdatePortfolioCommand.ts | 14 +- .../commands/UpdatePortfolioShareCommand.ts | 14 +- .../src/commands/UpdateProductCommand.ts | 14 +- .../UpdateProvisionedProductCommand.ts | 14 +- ...dateProvisionedProductPropertiesCommand.ts | 14 +- .../UpdateProvisioningArtifactCommand.ts | 14 +- .../commands/UpdateServiceActionCommand.ts | 14 +- .../src/commands/UpdateTagOptionCommand.ts | 14 +- clients/client-service-quotas/package.json | 42 +- .../AssociateServiceQuotaTemplateCommand.ts | 14 +- ...QuotaIncreaseRequestFromTemplateCommand.ts | 14 +- ...DisassociateServiceQuotaTemplateCommand.ts | 14 +- .../GetAWSDefaultServiceQuotaCommand.ts | 14 +- ...sociationForServiceQuotaTemplateCommand.ts | 14 +- .../GetRequestedServiceQuotaChangeCommand.ts | 14 +- .../src/commands/GetServiceQuotaCommand.ts | 14 +- ...QuotaIncreaseRequestFromTemplateCommand.ts | 14 +- .../ListAWSDefaultServiceQuotasCommand.ts | 14 +- ...ServiceQuotaChangeHistoryByQuotaCommand.ts | 14 +- ...questedServiceQuotaChangeHistoryCommand.ts | 14 +- ...eQuotaIncreaseRequestsInTemplateCommand.ts | 14 +- .../src/commands/ListServiceQuotasCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...QuotaIncreaseRequestIntoTemplateCommand.ts | 14 +- .../RequestServiceQuotaIncreaseCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-servicediscovery/package.json | 42 +- .../commands/CreateHttpNamespaceCommand.ts | 14 +- .../CreatePrivateDnsNamespaceCommand.ts | 14 +- .../CreatePublicDnsNamespaceCommand.ts | 14 +- .../src/commands/CreateServiceCommand.ts | 14 +- .../src/commands/DeleteNamespaceCommand.ts | 14 +- .../src/commands/DeleteServiceCommand.ts | 14 +- .../src/commands/DeregisterInstanceCommand.ts | 14 +- .../src/commands/DiscoverInstancesCommand.ts | 14 +- .../DiscoverInstancesRevisionCommand.ts | 14 +- .../src/commands/GetInstanceCommand.ts | 14 +- .../GetInstancesHealthStatusCommand.ts | 14 +- .../src/commands/GetNamespaceCommand.ts | 14 +- .../src/commands/GetOperationCommand.ts | 14 +- .../src/commands/GetServiceCommand.ts | 14 +- .../src/commands/ListInstancesCommand.ts | 14 +- .../src/commands/ListNamespacesCommand.ts | 14 +- .../src/commands/ListOperationsCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/RegisterInstanceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateHttpNamespaceCommand.ts | 14 +- ...UpdateInstanceCustomHealthStatusCommand.ts | 14 +- .../UpdatePrivateDnsNamespaceCommand.ts | 14 +- .../UpdatePublicDnsNamespaceCommand.ts | 14 +- .../src/commands/UpdateServiceCommand.ts | 14 +- clients/client-ses/package.json | 44 +- .../commands/CloneReceiptRuleSetCommand.ts | 14 +- .../commands/CreateConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- ...eConfigurationSetTrackingOptionsCommand.ts | 14 +- ...eCustomVerificationEmailTemplateCommand.ts | 14 +- .../commands/CreateReceiptFilterCommand.ts | 14 +- .../src/commands/CreateReceiptRuleCommand.ts | 14 +- .../commands/CreateReceiptRuleSetCommand.ts | 14 +- .../src/commands/CreateTemplateCommand.ts | 14 +- .../commands/DeleteConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- ...eConfigurationSetTrackingOptionsCommand.ts | 14 +- ...eCustomVerificationEmailTemplateCommand.ts | 14 +- .../src/commands/DeleteIdentityCommand.ts | 14 +- .../commands/DeleteIdentityPolicyCommand.ts | 14 +- .../commands/DeleteReceiptFilterCommand.ts | 14 +- .../src/commands/DeleteReceiptRuleCommand.ts | 14 +- .../commands/DeleteReceiptRuleSetCommand.ts | 14 +- .../src/commands/DeleteTemplateCommand.ts | 14 +- .../DeleteVerifiedEmailAddressCommand.ts | 14 +- .../DescribeActiveReceiptRuleSetCommand.ts | 14 +- .../DescribeConfigurationSetCommand.ts | 14 +- .../commands/DescribeReceiptRuleCommand.ts | 14 +- .../commands/DescribeReceiptRuleSetCommand.ts | 14 +- .../GetAccountSendingEnabledCommand.ts | 14 +- ...tCustomVerificationEmailTemplateCommand.ts | 14 +- .../GetIdentityDkimAttributesCommand.ts | 14 +- ...IdentityMailFromDomainAttributesCommand.ts | 14 +- ...etIdentityNotificationAttributesCommand.ts | 14 +- .../commands/GetIdentityPoliciesCommand.ts | 14 +- ...etIdentityVerificationAttributesCommand.ts | 14 +- .../src/commands/GetSendQuotaCommand.ts | 14 +- .../src/commands/GetSendStatisticsCommand.ts | 14 +- .../src/commands/GetTemplateCommand.ts | 14 +- .../commands/ListConfigurationSetsCommand.ts | 14 +- ...CustomVerificationEmailTemplatesCommand.ts | 14 +- .../src/commands/ListIdentitiesCommand.ts | 14 +- .../commands/ListIdentityPoliciesCommand.ts | 14 +- .../src/commands/ListReceiptFiltersCommand.ts | 14 +- .../commands/ListReceiptRuleSetsCommand.ts | 14 +- .../src/commands/ListTemplatesCommand.ts | 14 +- .../ListVerifiedEmailAddressesCommand.ts | 14 +- ...tConfigurationSetDeliveryOptionsCommand.ts | 14 +- .../src/commands/PutIdentityPolicyCommand.ts | 14 +- .../commands/ReorderReceiptRuleSetCommand.ts | 14 +- .../src/commands/SendBounceCommand.ts | 14 +- .../commands/SendBulkTemplatedEmailCommand.ts | 14 +- .../SendCustomVerificationEmailCommand.ts | 14 +- .../src/commands/SendEmailCommand.ts | 14 +- .../src/commands/SendRawEmailCommand.ts | 14 +- .../src/commands/SendTemplatedEmailCommand.ts | 14 +- .../SetActiveReceiptRuleSetCommand.ts | 14 +- .../commands/SetIdentityDkimEnabledCommand.ts | 14 +- ...dentityFeedbackForwardingEnabledCommand.ts | 14 +- ...ityHeadersInNotificationsEnabledCommand.ts | 14 +- .../SetIdentityMailFromDomainCommand.ts | 14 +- .../SetIdentityNotificationTopicCommand.ts | 14 +- .../commands/SetReceiptRulePositionCommand.ts | 14 +- .../src/commands/TestRenderTemplateCommand.ts | 14 +- .../UpdateAccountSendingEnabledCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- ...ationSetReputationMetricsEnabledCommand.ts | 14 +- ...teConfigurationSetSendingEnabledCommand.ts | 14 +- ...eConfigurationSetTrackingOptionsCommand.ts | 14 +- ...eCustomVerificationEmailTemplateCommand.ts | 14 +- .../src/commands/UpdateReceiptRuleCommand.ts | 14 +- .../src/commands/UpdateTemplateCommand.ts | 14 +- .../src/commands/VerifyDomainDkimCommand.ts | 14 +- .../commands/VerifyDomainIdentityCommand.ts | 14 +- .../src/commands/VerifyEmailAddressCommand.ts | 14 +- .../commands/VerifyEmailIdentityCommand.ts | 14 +- clients/client-sesv2/package.json | 42 +- .../src/commands/BatchGetMetricDataCommand.ts | 14 +- .../src/commands/CancelExportJobCommand.ts | 14 +- .../commands/CreateConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- .../src/commands/CreateContactCommand.ts | 14 +- .../src/commands/CreateContactListCommand.ts | 14 +- ...eCustomVerificationEmailTemplateCommand.ts | 14 +- .../commands/CreateDedicatedIpPoolCommand.ts | 14 +- .../CreateDeliverabilityTestReportCommand.ts | 14 +- .../commands/CreateEmailIdentityCommand.ts | 14 +- .../CreateEmailIdentityPolicyCommand.ts | 14 +- .../commands/CreateEmailTemplateCommand.ts | 14 +- .../src/commands/CreateExportJobCommand.ts | 14 +- .../src/commands/CreateImportJobCommand.ts | 14 +- .../commands/DeleteConfigurationSetCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- .../src/commands/DeleteContactCommand.ts | 14 +- .../src/commands/DeleteContactListCommand.ts | 14 +- ...eCustomVerificationEmailTemplateCommand.ts | 14 +- .../commands/DeleteDedicatedIpPoolCommand.ts | 14 +- .../commands/DeleteEmailIdentityCommand.ts | 14 +- .../DeleteEmailIdentityPolicyCommand.ts | 14 +- .../commands/DeleteEmailTemplateCommand.ts | 14 +- .../DeleteSuppressedDestinationCommand.ts | 14 +- .../src/commands/GetAccountCommand.ts | 14 +- .../commands/GetBlacklistReportsCommand.ts | 14 +- .../commands/GetConfigurationSetCommand.ts | 14 +- ...onfigurationSetEventDestinationsCommand.ts | 14 +- .../src/commands/GetContactCommand.ts | 14 +- .../src/commands/GetContactListCommand.ts | 14 +- ...tCustomVerificationEmailTemplateCommand.ts | 14 +- .../src/commands/GetDedicatedIpCommand.ts | 14 +- .../src/commands/GetDedicatedIpPoolCommand.ts | 14 +- .../src/commands/GetDedicatedIpsCommand.ts | 14 +- ...etDeliverabilityDashboardOptionsCommand.ts | 14 +- .../GetDeliverabilityTestReportCommand.ts | 14 +- .../GetDomainDeliverabilityCampaignCommand.ts | 14 +- .../GetDomainStatisticsReportCommand.ts | 14 +- .../src/commands/GetEmailIdentityCommand.ts | 14 +- .../GetEmailIdentityPoliciesCommand.ts | 14 +- .../src/commands/GetEmailTemplateCommand.ts | 14 +- .../src/commands/GetExportJobCommand.ts | 14 +- .../src/commands/GetImportJobCommand.ts | 14 +- .../src/commands/GetMessageInsightsCommand.ts | 14 +- .../GetSuppressedDestinationCommand.ts | 14 +- .../commands/ListConfigurationSetsCommand.ts | 14 +- .../src/commands/ListContactListsCommand.ts | 14 +- .../src/commands/ListContactsCommand.ts | 14 +- ...CustomVerificationEmailTemplatesCommand.ts | 14 +- .../commands/ListDedicatedIpPoolsCommand.ts | 14 +- .../ListDeliverabilityTestReportsCommand.ts | 14 +- ...istDomainDeliverabilityCampaignsCommand.ts | 14 +- .../commands/ListEmailIdentitiesCommand.ts | 14 +- .../src/commands/ListEmailTemplatesCommand.ts | 14 +- .../src/commands/ListExportJobsCommand.ts | 14 +- .../src/commands/ListImportJobsCommand.ts | 14 +- .../commands/ListRecommendationsCommand.ts | 14 +- .../ListSuppressedDestinationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...countDedicatedIpWarmupAttributesCommand.ts | 14 +- .../src/commands/PutAccountDetailsCommand.ts | 14 +- .../PutAccountSendingAttributesCommand.ts | 14 +- .../PutAccountSuppressionAttributesCommand.ts | 14 +- .../PutAccountVdmAttributesCommand.ts | 14 +- ...tConfigurationSetDeliveryOptionsCommand.ts | 14 +- ...onfigurationSetReputationOptionsCommand.ts | 14 +- ...utConfigurationSetSendingOptionsCommand.ts | 14 +- ...nfigurationSetSuppressionOptionsCommand.ts | 14 +- ...tConfigurationSetTrackingOptionsCommand.ts | 14 +- .../PutConfigurationSetVdmOptionsCommand.ts | 14 +- .../commands/PutDedicatedIpInPoolCommand.ts | 14 +- ...DedicatedIpPoolScalingAttributesCommand.ts | 14 +- .../PutDedicatedIpWarmupAttributesCommand.ts | 14 +- ...PutDeliverabilityDashboardOptionCommand.ts | 14 +- ...entityConfigurationSetAttributesCommand.ts | 14 +- .../PutEmailIdentityDkimAttributesCommand.ts | 14 +- ...ailIdentityDkimSigningAttributesCommand.ts | 14 +- ...tEmailIdentityFeedbackAttributesCommand.ts | 14 +- ...tEmailIdentityMailFromAttributesCommand.ts | 14 +- .../PutSuppressedDestinationCommand.ts | 14 +- .../src/commands/SendBulkEmailCommand.ts | 14 +- .../SendCustomVerificationEmailCommand.ts | 14 +- .../src/commands/SendEmailCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TestRenderEmailTemplateCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...ConfigurationSetEventDestinationCommand.ts | 14 +- .../src/commands/UpdateContactCommand.ts | 14 +- .../src/commands/UpdateContactListCommand.ts | 14 +- ...eCustomVerificationEmailTemplateCommand.ts | 14 +- .../UpdateEmailIdentityPolicyCommand.ts | 14 +- .../commands/UpdateEmailTemplateCommand.ts | 14 +- clients/client-sfn/package.json | 42 +- .../src/commands/CreateActivityCommand.ts | 14 +- .../CreateStateMachineAliasCommand.ts | 14 +- .../src/commands/CreateStateMachineCommand.ts | 14 +- .../src/commands/DeleteActivityCommand.ts | 14 +- .../DeleteStateMachineAliasCommand.ts | 14 +- .../src/commands/DeleteStateMachineCommand.ts | 14 +- .../DeleteStateMachineVersionCommand.ts | 14 +- .../src/commands/DescribeActivityCommand.ts | 14 +- .../src/commands/DescribeExecutionCommand.ts | 14 +- .../src/commands/DescribeMapRunCommand.ts | 14 +- .../DescribeStateMachineAliasCommand.ts | 14 +- .../commands/DescribeStateMachineCommand.ts | 14 +- ...DescribeStateMachineForExecutionCommand.ts | 14 +- .../src/commands/GetActivityTaskCommand.ts | 14 +- .../commands/GetExecutionHistoryCommand.ts | 14 +- .../src/commands/ListActivitiesCommand.ts | 14 +- .../src/commands/ListExecutionsCommand.ts | 14 +- .../src/commands/ListMapRunsCommand.ts | 14 +- .../ListStateMachineAliasesCommand.ts | 14 +- .../ListStateMachineVersionsCommand.ts | 14 +- .../src/commands/ListStateMachinesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PublishStateMachineVersionCommand.ts | 14 +- .../src/commands/RedriveExecutionCommand.ts | 14 +- .../src/commands/SendTaskFailureCommand.ts | 14 +- .../src/commands/SendTaskHeartbeatCommand.ts | 14 +- .../src/commands/SendTaskSuccessCommand.ts | 14 +- .../src/commands/StartExecutionCommand.ts | 14 +- .../src/commands/StartSyncExecutionCommand.ts | 14 +- .../src/commands/StopExecutionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestStateCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateMapRunCommand.ts | 14 +- .../UpdateStateMachineAliasCommand.ts | 14 +- .../src/commands/UpdateStateMachineCommand.ts | 14 +- .../ValidateStateMachineDefinitionCommand.ts | 14 +- clients/client-shield/package.json | 42 +- .../commands/AssociateDRTLogBucketCommand.ts | 14 +- .../src/commands/AssociateDRTRoleCommand.ts | 14 +- .../commands/AssociateHealthCheckCommand.ts | 14 +- ...ociateProactiveEngagementDetailsCommand.ts | 14 +- .../src/commands/CreateProtectionCommand.ts | 14 +- .../commands/CreateProtectionGroupCommand.ts | 14 +- .../src/commands/CreateSubscriptionCommand.ts | 14 +- .../src/commands/DeleteProtectionCommand.ts | 14 +- .../commands/DeleteProtectionGroupCommand.ts | 14 +- .../src/commands/DeleteSubscriptionCommand.ts | 14 +- .../src/commands/DescribeAttackCommand.ts | 14 +- .../DescribeAttackStatisticsCommand.ts | 14 +- .../src/commands/DescribeDRTAccessCommand.ts | 14 +- ...DescribeEmergencyContactSettingsCommand.ts | 14 +- .../src/commands/DescribeProtectionCommand.ts | 14 +- .../DescribeProtectionGroupCommand.ts | 14 +- .../commands/DescribeSubscriptionCommand.ts | 14 +- ...pplicationLayerAutomaticResponseCommand.ts | 14 +- .../DisableProactiveEngagementCommand.ts | 14 +- .../DisassociateDRTLogBucketCommand.ts | 14 +- .../commands/DisassociateDRTRoleCommand.ts | 14 +- .../DisassociateHealthCheckCommand.ts | 14 +- ...pplicationLayerAutomaticResponseCommand.ts | 14 +- .../EnableProactiveEngagementCommand.ts | 14 +- .../commands/GetSubscriptionStateCommand.ts | 14 +- .../src/commands/ListAttacksCommand.ts | 14 +- .../commands/ListProtectionGroupsCommand.ts | 14 +- .../src/commands/ListProtectionsCommand.ts | 14 +- .../ListResourcesInProtectionGroupCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- ...pplicationLayerAutomaticResponseCommand.ts | 14 +- .../UpdateEmergencyContactSettingsCommand.ts | 14 +- .../commands/UpdateProtectionGroupCommand.ts | 14 +- .../src/commands/UpdateSubscriptionCommand.ts | 14 +- clients/client-signer/package.json | 44 +- .../commands/AddProfilePermissionCommand.ts | 14 +- .../commands/CancelSigningProfileCommand.ts | 14 +- .../src/commands/DescribeSigningJobCommand.ts | 14 +- .../commands/GetRevocationStatusCommand.ts | 14 +- .../src/commands/GetSigningPlatformCommand.ts | 14 +- .../src/commands/GetSigningProfileCommand.ts | 14 +- .../commands/ListProfilePermissionsCommand.ts | 14 +- .../src/commands/ListSigningJobsCommand.ts | 14 +- .../commands/ListSigningPlatformsCommand.ts | 14 +- .../commands/ListSigningProfilesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutSigningProfileCommand.ts | 14 +- .../RemoveProfilePermissionCommand.ts | 14 +- .../src/commands/RevokeSignatureCommand.ts | 14 +- .../commands/RevokeSigningProfileCommand.ts | 14 +- .../src/commands/SignPayloadCommand.ts | 14 +- .../src/commands/StartSigningJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-simspaceweaver/package.json | 42 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- .../src/commands/DeleteAppCommand.ts | 14 +- .../src/commands/DeleteSimulationCommand.ts | 14 +- .../src/commands/DescribeAppCommand.ts | 14 +- .../src/commands/DescribeSimulationCommand.ts | 14 +- .../src/commands/ListAppsCommand.ts | 14 +- .../src/commands/ListSimulationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartAppCommand.ts | 14 +- .../src/commands/StartClockCommand.ts | 14 +- .../src/commands/StartSimulationCommand.ts | 14 +- .../src/commands/StopAppCommand.ts | 14 +- .../src/commands/StopClockCommand.ts | 14 +- .../src/commands/StopSimulationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-sms/package.json | 42 +- .../src/commands/CreateAppCommand.ts | 14 +- .../commands/CreateReplicationJobCommand.ts | 14 +- .../src/commands/DeleteAppCommand.ts | 14 +- .../DeleteAppLaunchConfigurationCommand.ts | 14 +- ...eleteAppReplicationConfigurationCommand.ts | 14 +- ...DeleteAppValidationConfigurationCommand.ts | 14 +- .../commands/DeleteReplicationJobCommand.ts | 14 +- .../commands/DeleteServerCatalogCommand.ts | 14 +- .../commands/DisassociateConnectorCommand.ts | 14 +- .../src/commands/GenerateChangeSetCommand.ts | 14 +- .../src/commands/GenerateTemplateCommand.ts | 14 +- .../client-sms/src/commands/GetAppCommand.ts | 14 +- .../GetAppLaunchConfigurationCommand.ts | 14 +- .../GetAppReplicationConfigurationCommand.ts | 14 +- .../GetAppValidationConfigurationCommand.ts | 14 +- .../commands/GetAppValidationOutputCommand.ts | 14 +- .../src/commands/GetConnectorsCommand.ts | 14 +- .../src/commands/GetReplicationJobsCommand.ts | 14 +- .../src/commands/GetReplicationRunsCommand.ts | 14 +- .../src/commands/GetServersCommand.ts | 14 +- .../src/commands/ImportAppCatalogCommand.ts | 14 +- .../commands/ImportServerCatalogCommand.ts | 14 +- .../src/commands/LaunchAppCommand.ts | 14 +- .../src/commands/ListAppsCommand.ts | 14 +- .../NotifyAppValidationOutputCommand.ts | 14 +- .../PutAppLaunchConfigurationCommand.ts | 14 +- .../PutAppReplicationConfigurationCommand.ts | 14 +- .../PutAppValidationConfigurationCommand.ts | 14 +- .../commands/StartAppReplicationCommand.ts | 14 +- .../StartOnDemandAppReplicationCommand.ts | 14 +- .../StartOnDemandReplicationRunCommand.ts | 14 +- .../src/commands/StopAppReplicationCommand.ts | 14 +- .../src/commands/TerminateAppCommand.ts | 14 +- .../src/commands/UpdateAppCommand.ts | 14 +- .../commands/UpdateReplicationJobCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/CancelTaskCommand.ts | 14 +- .../src/commands/CreateTaskCommand.ts | 14 +- .../src/commands/DescribeDeviceCommand.ts | 14 +- .../DescribeDeviceEc2InstancesCommand.ts | 14 +- .../src/commands/DescribeExecutionCommand.ts | 14 +- .../src/commands/DescribeTaskCommand.ts | 14 +- .../commands/ListDeviceResourcesCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../src/commands/ListExecutionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTasksCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-snowball/package.json | 42 +- .../src/commands/CancelClusterCommand.ts | 14 +- .../src/commands/CancelJobCommand.ts | 14 +- .../src/commands/CreateAddressCommand.ts | 14 +- .../src/commands/CreateClusterCommand.ts | 14 +- .../src/commands/CreateJobCommand.ts | 14 +- .../commands/CreateLongTermPricingCommand.ts | 14 +- .../CreateReturnShippingLabelCommand.ts | 14 +- .../src/commands/DescribeAddressCommand.ts | 14 +- .../src/commands/DescribeAddressesCommand.ts | 14 +- .../src/commands/DescribeClusterCommand.ts | 14 +- .../src/commands/DescribeJobCommand.ts | 14 +- .../DescribeReturnShippingLabelCommand.ts | 14 +- .../src/commands/GetJobManifestCommand.ts | 14 +- .../src/commands/GetJobUnlockCodeCommand.ts | 14 +- .../src/commands/GetSnowballUsageCommand.ts | 14 +- .../src/commands/GetSoftwareUpdatesCommand.ts | 14 +- .../src/commands/ListClusterJobsCommand.ts | 14 +- .../src/commands/ListClustersCommand.ts | 14 +- .../commands/ListCompatibleImagesCommand.ts | 14 +- .../src/commands/ListJobsCommand.ts | 14 +- .../commands/ListLongTermPricingCommand.ts | 14 +- .../commands/ListPickupLocationsCommand.ts | 14 +- .../commands/ListServiceVersionsCommand.ts | 14 +- .../src/commands/UpdateClusterCommand.ts | 14 +- .../src/commands/UpdateJobCommand.ts | 14 +- .../commands/UpdateJobShipmentStateCommand.ts | 14 +- .../commands/UpdateLongTermPricingCommand.ts | 14 +- clients/client-sns/package.json | 42 +- .../src/commands/AddPermissionCommand.ts | 14 +- .../CheckIfPhoneNumberIsOptedOutCommand.ts | 14 +- .../commands/ConfirmSubscriptionCommand.ts | 14 +- .../CreatePlatformApplicationCommand.ts | 14 +- .../commands/CreatePlatformEndpointCommand.ts | 14 +- .../CreateSMSSandboxPhoneNumberCommand.ts | 14 +- .../src/commands/CreateTopicCommand.ts | 14 +- .../src/commands/DeleteEndpointCommand.ts | 14 +- .../DeletePlatformApplicationCommand.ts | 14 +- .../DeleteSMSSandboxPhoneNumberCommand.ts | 14 +- .../src/commands/DeleteTopicCommand.ts | 14 +- .../GetDataProtectionPolicyCommand.ts | 14 +- .../commands/GetEndpointAttributesCommand.ts | 14 +- ...GetPlatformApplicationAttributesCommand.ts | 14 +- .../src/commands/GetSMSAttributesCommand.ts | 14 +- .../GetSMSSandboxAccountStatusCommand.ts | 14 +- .../GetSubscriptionAttributesCommand.ts | 14 +- .../src/commands/GetTopicAttributesCommand.ts | 14 +- ...stEndpointsByPlatformApplicationCommand.ts | 14 +- .../commands/ListOriginationNumbersCommand.ts | 14 +- .../ListPhoneNumbersOptedOutCommand.ts | 14 +- .../ListPlatformApplicationsCommand.ts | 14 +- .../ListSMSSandboxPhoneNumbersCommand.ts | 14 +- .../ListSubscriptionsByTopicCommand.ts | 14 +- .../src/commands/ListSubscriptionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTopicsCommand.ts | 14 +- .../src/commands/OptInPhoneNumberCommand.ts | 14 +- .../src/commands/PublishBatchCommand.ts | 14 +- .../client-sns/src/commands/PublishCommand.ts | 14 +- .../PutDataProtectionPolicyCommand.ts | 14 +- .../src/commands/RemovePermissionCommand.ts | 14 +- .../commands/SetEndpointAttributesCommand.ts | 14 +- ...SetPlatformApplicationAttributesCommand.ts | 14 +- .../src/commands/SetSMSAttributesCommand.ts | 14 +- .../SetSubscriptionAttributesCommand.ts | 14 +- .../src/commands/SetTopicAttributesCommand.ts | 14 +- .../src/commands/SubscribeCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UnsubscribeCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../VerifySMSSandboxPhoneNumberCommand.ts | 14 +- clients/client-sqs/package.json | 44 +- .../src/commands/AddPermissionCommand.ts | 14 +- .../commands/CancelMessageMoveTaskCommand.ts | 14 +- .../ChangeMessageVisibilityBatchCommand.ts | 14 +- .../ChangeMessageVisibilityCommand.ts | 14 +- .../src/commands/CreateQueueCommand.ts | 14 +- .../src/commands/DeleteMessageBatchCommand.ts | 14 +- .../src/commands/DeleteMessageCommand.ts | 14 +- .../src/commands/DeleteQueueCommand.ts | 14 +- .../src/commands/GetQueueAttributesCommand.ts | 14 +- .../src/commands/GetQueueUrlCommand.ts | 14 +- .../ListDeadLetterSourceQueuesCommand.ts | 14 +- .../commands/ListMessageMoveTasksCommand.ts | 14 +- .../src/commands/ListQueueTagsCommand.ts | 14 +- .../src/commands/ListQueuesCommand.ts | 14 +- .../src/commands/PurgeQueueCommand.ts | 14 +- .../src/commands/ReceiveMessageCommand.ts | 14 +- .../src/commands/RemovePermissionCommand.ts | 14 +- .../src/commands/SendMessageBatchCommand.ts | 14 +- .../src/commands/SendMessageCommand.ts | 14 +- .../src/commands/SetQueueAttributesCommand.ts | 14 +- .../commands/StartMessageMoveTaskCommand.ts | 14 +- .../src/commands/TagQueueCommand.ts | 14 +- .../src/commands/UntagQueueCommand.ts | 14 +- clients/client-ssm-contacts/package.json | 42 +- .../src/commands/AcceptPageCommand.ts | 14 +- .../commands/ActivateContactChannelCommand.ts | 14 +- .../commands/CreateContactChannelCommand.ts | 14 +- .../src/commands/CreateContactCommand.ts | 14 +- .../src/commands/CreateRotationCommand.ts | 14 +- .../commands/CreateRotationOverrideCommand.ts | 14 +- .../DeactivateContactChannelCommand.ts | 14 +- .../commands/DeleteContactChannelCommand.ts | 14 +- .../src/commands/DeleteContactCommand.ts | 14 +- .../src/commands/DeleteRotationCommand.ts | 14 +- .../commands/DeleteRotationOverrideCommand.ts | 14 +- .../src/commands/DescribeEngagementCommand.ts | 14 +- .../src/commands/DescribePageCommand.ts | 14 +- .../src/commands/GetContactChannelCommand.ts | 14 +- .../src/commands/GetContactCommand.ts | 14 +- .../src/commands/GetContactPolicyCommand.ts | 14 +- .../src/commands/GetRotationCommand.ts | 14 +- .../commands/GetRotationOverrideCommand.ts | 14 +- .../commands/ListContactChannelsCommand.ts | 14 +- .../src/commands/ListContactsCommand.ts | 14 +- .../src/commands/ListEngagementsCommand.ts | 14 +- .../src/commands/ListPageReceiptsCommand.ts | 14 +- .../commands/ListPageResolutionsCommand.ts | 14 +- .../src/commands/ListPagesByContactCommand.ts | 14 +- .../commands/ListPagesByEngagementCommand.ts | 14 +- .../ListPreviewRotationShiftsCommand.ts | 14 +- .../commands/ListRotationOverridesCommand.ts | 14 +- .../src/commands/ListRotationShiftsCommand.ts | 14 +- .../src/commands/ListRotationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PutContactPolicyCommand.ts | 14 +- .../src/commands/SendActivationCodeCommand.ts | 14 +- .../src/commands/StartEngagementCommand.ts | 14 +- .../src/commands/StopEngagementCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateContactChannelCommand.ts | 14 +- .../src/commands/UpdateContactCommand.ts | 14 +- .../src/commands/UpdateRotationCommand.ts | 14 +- clients/client-ssm-incidents/package.json | 44 +- .../BatchGetIncidentFindingsCommand.ts | 14 +- .../commands/CreateReplicationSetCommand.ts | 14 +- .../src/commands/CreateResponsePlanCommand.ts | 14 +- .../commands/CreateTimelineEventCommand.ts | 14 +- .../commands/DeleteIncidentRecordCommand.ts | 14 +- .../commands/DeleteReplicationSetCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteResponsePlanCommand.ts | 14 +- .../commands/DeleteTimelineEventCommand.ts | 14 +- .../src/commands/GetIncidentRecordCommand.ts | 14 +- .../src/commands/GetReplicationSetCommand.ts | 14 +- .../commands/GetResourcePoliciesCommand.ts | 14 +- .../src/commands/GetResponsePlanCommand.ts | 14 +- .../src/commands/GetTimelineEventCommand.ts | 14 +- .../commands/ListIncidentFindingsCommand.ts | 14 +- .../commands/ListIncidentRecordsCommand.ts | 14 +- .../src/commands/ListRelatedItemsCommand.ts | 14 +- .../commands/ListReplicationSetsCommand.ts | 14 +- .../src/commands/ListResponsePlansCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTimelineEventsCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/StartIncidentCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateDeletionProtectionCommand.ts | 14 +- .../commands/UpdateIncidentRecordCommand.ts | 14 +- .../src/commands/UpdateRelatedItemsCommand.ts | 14 +- .../commands/UpdateReplicationSetCommand.ts | 14 +- .../src/commands/UpdateResponsePlanCommand.ts | 14 +- .../commands/UpdateTimelineEventCommand.ts | 14 +- clients/client-ssm-quicksetup/package.json | 42 +- .../CreateConfigurationManagerCommand.ts | 14 +- .../DeleteConfigurationManagerCommand.ts | 14 +- .../GetConfigurationManagerCommand.ts | 14 +- .../src/commands/GetServiceSettingsCommand.ts | 14 +- .../ListConfigurationManagersCommand.ts | 14 +- .../commands/ListQuickSetupTypesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateConfigurationDefinitionCommand.ts | 14 +- .../UpdateConfigurationManagerCommand.ts | 14 +- .../commands/UpdateServiceSettingsCommand.ts | 14 +- clients/client-ssm-sap/package.json | 42 +- .../DeleteResourcePermissionCommand.ts | 14 +- .../commands/DeregisterApplicationCommand.ts | 14 +- .../src/commands/GetApplicationCommand.ts | 14 +- .../src/commands/GetComponentCommand.ts | 14 +- .../src/commands/GetDatabaseCommand.ts | 14 +- .../src/commands/GetOperationCommand.ts | 14 +- .../commands/GetResourcePermissionCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- .../src/commands/ListComponentsCommand.ts | 14 +- .../src/commands/ListDatabasesCommand.ts | 14 +- .../commands/ListOperationEventsCommand.ts | 14 +- .../src/commands/ListOperationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/PutResourcePermissionCommand.ts | 14 +- .../commands/RegisterApplicationCommand.ts | 14 +- .../src/commands/StartApplicationCommand.ts | 14 +- .../StartApplicationRefreshCommand.ts | 14 +- .../src/commands/StopApplicationCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateApplicationSettingsCommand.ts | 14 +- clients/client-ssm/package.json | 44 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../AssociateOpsItemRelatedItemCommand.ts | 14 +- .../src/commands/CancelCommandCommand.ts | 14 +- ...CancelMaintenanceWindowExecutionCommand.ts | 14 +- .../src/commands/CreateActivationCommand.ts | 14 +- .../commands/CreateAssociationBatchCommand.ts | 14 +- .../src/commands/CreateAssociationCommand.ts | 14 +- .../src/commands/CreateDocumentCommand.ts | 14 +- .../CreateMaintenanceWindowCommand.ts | 14 +- .../src/commands/CreateOpsItemCommand.ts | 14 +- .../src/commands/CreateOpsMetadataCommand.ts | 14 +- .../commands/CreatePatchBaselineCommand.ts | 14 +- .../commands/CreateResourceDataSyncCommand.ts | 14 +- .../src/commands/DeleteActivationCommand.ts | 14 +- .../src/commands/DeleteAssociationCommand.ts | 14 +- .../src/commands/DeleteDocumentCommand.ts | 14 +- .../src/commands/DeleteInventoryCommand.ts | 14 +- .../DeleteMaintenanceWindowCommand.ts | 14 +- .../src/commands/DeleteOpsItemCommand.ts | 14 +- .../src/commands/DeleteOpsMetadataCommand.ts | 14 +- .../src/commands/DeleteParameterCommand.ts | 14 +- .../src/commands/DeleteParametersCommand.ts | 14 +- .../commands/DeletePatchBaselineCommand.ts | 14 +- .../commands/DeleteResourceDataSyncCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../DeregisterManagedInstanceCommand.ts | 14 +- ...gisterPatchBaselineForPatchGroupCommand.ts | 14 +- ...isterTargetFromMaintenanceWindowCommand.ts | 14 +- ...egisterTaskFromMaintenanceWindowCommand.ts | 14 +- .../commands/DescribeActivationsCommand.ts | 14 +- .../commands/DescribeAssociationCommand.ts | 14 +- ...cribeAssociationExecutionTargetsCommand.ts | 14 +- .../DescribeAssociationExecutionsCommand.ts | 14 +- .../DescribeAutomationExecutionsCommand.ts | 14 +- ...DescribeAutomationStepExecutionsCommand.ts | 14 +- .../DescribeAvailablePatchesCommand.ts | 14 +- .../src/commands/DescribeDocumentCommand.ts | 14 +- .../DescribeDocumentPermissionCommand.ts | 14 +- ...ibeEffectiveInstanceAssociationsCommand.ts | 14 +- ...EffectivePatchesForPatchBaselineCommand.ts | 14 +- ...scribeInstanceAssociationsStatusCommand.ts | 14 +- .../DescribeInstanceInformationCommand.ts | 14 +- .../DescribeInstancePatchStatesCommand.ts | 14 +- ...InstancePatchStatesForPatchGroupCommand.ts | 14 +- .../DescribeInstancePatchesCommand.ts | 14 +- .../DescribeInstancePropertiesCommand.ts | 14 +- .../DescribeInventoryDeletionsCommand.ts | 14 +- ...ceWindowExecutionTaskInvocationsCommand.ts | 14 +- ...eMaintenanceWindowExecutionTasksCommand.ts | 14 +- ...cribeMaintenanceWindowExecutionsCommand.ts | 14 +- ...escribeMaintenanceWindowScheduleCommand.ts | 14 +- ...DescribeMaintenanceWindowTargetsCommand.ts | 14 +- .../DescribeMaintenanceWindowTasksCommand.ts | 14 +- .../DescribeMaintenanceWindowsCommand.ts | 14 +- ...cribeMaintenanceWindowsForTargetCommand.ts | 14 +- .../src/commands/DescribeOpsItemsCommand.ts | 14 +- .../src/commands/DescribeParametersCommand.ts | 14 +- .../commands/DescribePatchBaselinesCommand.ts | 14 +- .../DescribePatchGroupStateCommand.ts | 14 +- .../commands/DescribePatchGroupsCommand.ts | 14 +- .../DescribePatchPropertiesCommand.ts | 14 +- .../src/commands/DescribeSessionsCommand.ts | 14 +- .../DisassociateOpsItemRelatedItemCommand.ts | 14 +- .../commands/GetAutomationExecutionCommand.ts | 14 +- .../src/commands/GetCalendarStateCommand.ts | 14 +- .../commands/GetCommandInvocationCommand.ts | 14 +- .../commands/GetConnectionStatusCommand.ts | 14 +- .../GetDefaultPatchBaselineCommand.ts | 14 +- ...ployablePatchSnapshotForInstanceCommand.ts | 14 +- .../src/commands/GetDocumentCommand.ts | 14 +- .../src/commands/GetInventoryCommand.ts | 14 +- .../src/commands/GetInventorySchemaCommand.ts | 14 +- .../commands/GetMaintenanceWindowCommand.ts | 14 +- .../GetMaintenanceWindowExecutionCommand.ts | 14 +- ...etMaintenanceWindowExecutionTaskCommand.ts | 14 +- ...nceWindowExecutionTaskInvocationCommand.ts | 14 +- .../GetMaintenanceWindowTaskCommand.ts | 14 +- .../src/commands/GetOpsItemCommand.ts | 14 +- .../src/commands/GetOpsMetadataCommand.ts | 14 +- .../src/commands/GetOpsSummaryCommand.ts | 14 +- .../src/commands/GetParameterCommand.ts | 14 +- .../commands/GetParameterHistoryCommand.ts | 14 +- .../commands/GetParametersByPathCommand.ts | 14 +- .../src/commands/GetParametersCommand.ts | 14 +- .../src/commands/GetPatchBaselineCommand.ts | 14 +- .../GetPatchBaselineForPatchGroupCommand.ts | 14 +- .../commands/GetResourcePoliciesCommand.ts | 14 +- .../src/commands/GetServiceSettingCommand.ts | 14 +- .../commands/LabelParameterVersionCommand.ts | 14 +- .../ListAssociationVersionsCommand.ts | 14 +- .../src/commands/ListAssociationsCommand.ts | 14 +- .../commands/ListCommandInvocationsCommand.ts | 14 +- .../src/commands/ListCommandsCommand.ts | 14 +- .../commands/ListComplianceItemsCommand.ts | 14 +- .../ListComplianceSummariesCommand.ts | 14 +- .../ListDocumentMetadataHistoryCommand.ts | 14 +- .../commands/ListDocumentVersionsCommand.ts | 14 +- .../src/commands/ListDocumentsCommand.ts | 14 +- .../commands/ListInventoryEntriesCommand.ts | 14 +- .../src/commands/ListOpsItemEventsCommand.ts | 14 +- .../ListOpsItemRelatedItemsCommand.ts | 14 +- .../src/commands/ListOpsMetadataCommand.ts | 14 +- .../ListResourceComplianceSummariesCommand.ts | 14 +- .../commands/ListResourceDataSyncCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ModifyDocumentPermissionCommand.ts | 14 +- .../src/commands/PutComplianceItemsCommand.ts | 14 +- .../src/commands/PutInventoryCommand.ts | 14 +- .../src/commands/PutParameterCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../RegisterDefaultPatchBaselineCommand.ts | 14 +- ...gisterPatchBaselineForPatchGroupCommand.ts | 14 +- ...isterTargetWithMaintenanceWindowCommand.ts | 14 +- ...egisterTaskWithMaintenanceWindowCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../commands/ResetServiceSettingCommand.ts | 14 +- .../src/commands/ResumeSessionCommand.ts | 14 +- .../commands/SendAutomationSignalCommand.ts | 14 +- .../src/commands/SendCommandCommand.ts | 14 +- .../commands/StartAssociationsOnceCommand.ts | 14 +- .../StartAutomationExecutionCommand.ts | 14 +- .../StartChangeRequestExecutionCommand.ts | 14 +- .../src/commands/StartSessionCommand.ts | 14 +- .../StopAutomationExecutionCommand.ts | 14 +- .../src/commands/TerminateSessionCommand.ts | 14 +- .../UnlabelParameterVersionCommand.ts | 14 +- .../src/commands/UpdateAssociationCommand.ts | 14 +- .../UpdateAssociationStatusCommand.ts | 14 +- .../src/commands/UpdateDocumentCommand.ts | 14 +- .../UpdateDocumentDefaultVersionCommand.ts | 14 +- .../commands/UpdateDocumentMetadataCommand.ts | 14 +- .../UpdateMaintenanceWindowCommand.ts | 14 +- .../UpdateMaintenanceWindowTargetCommand.ts | 14 +- .../UpdateMaintenanceWindowTaskCommand.ts | 14 +- .../UpdateManagedInstanceRoleCommand.ts | 14 +- .../src/commands/UpdateOpsItemCommand.ts | 14 +- .../src/commands/UpdateOpsMetadataCommand.ts | 14 +- .../commands/UpdatePatchBaselineCommand.ts | 14 +- .../commands/UpdateResourceDataSyncCommand.ts | 14 +- .../commands/UpdateServiceSettingCommand.ts | 14 +- clients/client-sso-admin/package.json | 42 +- ...edPolicyReferenceToPermissionSetCommand.ts | 14 +- ...tachManagedPolicyToPermissionSetCommand.ts | 14 +- .../CreateAccountAssignmentCommand.ts | 14 +- .../CreateApplicationAssignmentCommand.ts | 14 +- .../src/commands/CreateApplicationCommand.ts | 14 +- ...essControlAttributeConfigurationCommand.ts | 14 +- .../src/commands/CreateInstanceCommand.ts | 14 +- .../commands/CreatePermissionSetCommand.ts | 14 +- .../CreateTrustedTokenIssuerCommand.ts | 14 +- .../DeleteAccountAssignmentCommand.ts | 14 +- .../DeleteApplicationAccessScopeCommand.ts | 14 +- .../DeleteApplicationAssignmentCommand.ts | 14 +- ...eApplicationAuthenticationMethodCommand.ts | 14 +- .../src/commands/DeleteApplicationCommand.ts | 14 +- .../commands/DeleteApplicationGrantCommand.ts | 14 +- ...eteInlinePolicyFromPermissionSetCommand.ts | 14 +- ...essControlAttributeConfigurationCommand.ts | 14 +- .../src/commands/DeleteInstanceCommand.ts | 14 +- .../commands/DeletePermissionSetCommand.ts | 14 +- ...issionsBoundaryFromPermissionSetCommand.ts | 14 +- .../DeleteTrustedTokenIssuerCommand.ts | 14 +- ...eAccountAssignmentCreationStatusCommand.ts | 14 +- ...eAccountAssignmentDeletionStatusCommand.ts | 14 +- .../DescribeApplicationAssignmentCommand.ts | 14 +- .../commands/DescribeApplicationCommand.ts | 14 +- .../DescribeApplicationProviderCommand.ts | 14 +- ...essControlAttributeConfigurationCommand.ts | 14 +- .../src/commands/DescribeInstanceCommand.ts | 14 +- .../commands/DescribePermissionSetCommand.ts | 14 +- ...ePermissionSetProvisioningStatusCommand.ts | 14 +- .../DescribeTrustedTokenIssuerCommand.ts | 14 +- ...PolicyReferenceFromPermissionSetCommand.ts | 14 +- ...chManagedPolicyFromPermissionSetCommand.ts | 14 +- .../GetApplicationAccessScopeCommand.ts | 14 +- ...plicationAssignmentConfigurationCommand.ts | 14 +- ...tApplicationAuthenticationMethodCommand.ts | 14 +- .../commands/GetApplicationGrantCommand.ts | 14 +- .../GetInlinePolicyForPermissionSetCommand.ts | 14 +- ...missionsBoundaryForPermissionSetCommand.ts | 14 +- ...tAccountAssignmentCreationStatusCommand.ts | 14 +- ...tAccountAssignmentDeletionStatusCommand.ts | 14 +- .../commands/ListAccountAssignmentsCommand.ts | 14 +- ...stAccountAssignmentsForPrincipalCommand.ts | 14 +- ...ountsForProvisionedPermissionSetCommand.ts | 14 +- .../ListApplicationAccessScopesCommand.ts | 14 +- .../ListApplicationAssignmentsCommand.ts | 14 +- ...plicationAssignmentsForPrincipalCommand.ts | 14 +- ...ApplicationAuthenticationMethodsCommand.ts | 14 +- .../commands/ListApplicationGrantsCommand.ts | 14 +- .../ListApplicationProvidersCommand.ts | 14 +- .../src/commands/ListApplicationsCommand.ts | 14 +- ...dPolicyReferencesInPermissionSetCommand.ts | 14 +- .../src/commands/ListInstancesCommand.ts | 14 +- ...stManagedPoliciesInPermissionSetCommand.ts | 14 +- ...tPermissionSetProvisioningStatusCommand.ts | 14 +- .../src/commands/ListPermissionSetsCommand.ts | 14 +- ...rmissionSetsProvisionedToAccountCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTrustedTokenIssuersCommand.ts | 14 +- .../commands/ProvisionPermissionSetCommand.ts | 14 +- .../PutApplicationAccessScopeCommand.ts | 14 +- ...plicationAssignmentConfigurationCommand.ts | 14 +- ...tApplicationAuthenticationMethodCommand.ts | 14 +- .../commands/PutApplicationGrantCommand.ts | 14 +- .../PutInlinePolicyToPermissionSetCommand.ts | 14 +- ...rmissionsBoundaryToPermissionSetCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateApplicationCommand.ts | 14 +- ...essControlAttributeConfigurationCommand.ts | 14 +- .../src/commands/UpdateInstanceCommand.ts | 14 +- .../commands/UpdatePermissionSetCommand.ts | 14 +- .../UpdateTrustedTokenIssuerCommand.ts | 14 +- clients/client-sso-oidc/package.json | 42 +- .../src/commands/CreateTokenCommand.ts | 14 +- .../src/commands/CreateTokenWithIAMCommand.ts | 14 +- .../src/commands/RegisterClientCommand.ts | 14 +- .../StartDeviceAuthorizationCommand.ts | 14 +- clients/client-sso/package.json | 42 +- .../src/commands/GetRoleCredentialsCommand.ts | 14 +- .../src/commands/ListAccountRolesCommand.ts | 14 +- .../src/commands/ListAccountsCommand.ts | 14 +- .../client-sso/src/commands/LogoutCommand.ts | 14 +- clients/client-storage-gateway/package.json | 42 +- .../src/commands/ActivateGatewayCommand.ts | 14 +- .../src/commands/AddCacheCommand.ts | 14 +- .../src/commands/AddTagsToResourceCommand.ts | 14 +- .../src/commands/AddUploadBufferCommand.ts | 14 +- .../src/commands/AddWorkingStorageCommand.ts | 14 +- .../src/commands/AssignTapePoolCommand.ts | 14 +- .../commands/AssociateFileSystemCommand.ts | 14 +- .../src/commands/AttachVolumeCommand.ts | 14 +- .../src/commands/CancelArchivalCommand.ts | 14 +- .../src/commands/CancelRetrievalCommand.ts | 14 +- .../CreateCachediSCSIVolumeCommand.ts | 14 +- .../src/commands/CreateNFSFileShareCommand.ts | 14 +- .../src/commands/CreateSMBFileShareCommand.ts | 14 +- .../src/commands/CreateSnapshotCommand.ts | 14 +- ...eSnapshotFromVolumeRecoveryPointCommand.ts | 14 +- .../CreateStorediSCSIVolumeCommand.ts | 14 +- .../src/commands/CreateTapePoolCommand.ts | 14 +- .../commands/CreateTapeWithBarcodeCommand.ts | 14 +- .../src/commands/CreateTapesCommand.ts | 14 +- ...eleteAutomaticTapeCreationPolicyCommand.ts | 14 +- .../DeleteBandwidthRateLimitCommand.ts | 14 +- .../commands/DeleteChapCredentialsCommand.ts | 14 +- .../src/commands/DeleteFileShareCommand.ts | 14 +- .../src/commands/DeleteGatewayCommand.ts | 14 +- .../commands/DeleteSnapshotScheduleCommand.ts | 14 +- .../src/commands/DeleteTapeArchiveCommand.ts | 14 +- .../src/commands/DeleteTapeCommand.ts | 14 +- .../src/commands/DeleteTapePoolCommand.ts | 14 +- .../src/commands/DeleteVolumeCommand.ts | 14 +- .../DescribeAvailabilityMonitorTestCommand.ts | 14 +- .../DescribeBandwidthRateLimitCommand.ts | 14 +- ...scribeBandwidthRateLimitScheduleCommand.ts | 14 +- .../src/commands/DescribeCacheCommand.ts | 14 +- .../DescribeCachediSCSIVolumesCommand.ts | 14 +- .../DescribeChapCredentialsCommand.ts | 14 +- .../DescribeFileSystemAssociationsCommand.ts | 14 +- .../DescribeGatewayInformationCommand.ts | 14 +- .../DescribeMaintenanceStartTimeCommand.ts | 14 +- .../commands/DescribeNFSFileSharesCommand.ts | 14 +- .../commands/DescribeSMBFileSharesCommand.ts | 14 +- .../commands/DescribeSMBSettingsCommand.ts | 14 +- .../DescribeSnapshotScheduleCommand.ts | 14 +- .../DescribeStorediSCSIVolumesCommand.ts | 14 +- .../commands/DescribeTapeArchivesCommand.ts | 14 +- .../DescribeTapeRecoveryPointsCommand.ts | 14 +- .../src/commands/DescribeTapesCommand.ts | 14 +- .../commands/DescribeUploadBufferCommand.ts | 14 +- .../src/commands/DescribeVTLDevicesCommand.ts | 14 +- .../commands/DescribeWorkingStorageCommand.ts | 14 +- .../src/commands/DetachVolumeCommand.ts | 14 +- .../src/commands/DisableGatewayCommand.ts | 14 +- .../commands/DisassociateFileSystemCommand.ts | 14 +- .../src/commands/JoinDomainCommand.ts | 14 +- ...istAutomaticTapeCreationPoliciesCommand.ts | 14 +- .../src/commands/ListFileSharesCommand.ts | 14 +- .../ListFileSystemAssociationsCommand.ts | 14 +- .../src/commands/ListGatewaysCommand.ts | 14 +- .../src/commands/ListLocalDisksCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTapePoolsCommand.ts | 14 +- .../src/commands/ListTapesCommand.ts | 14 +- .../commands/ListVolumeInitiatorsCommand.ts | 14 +- .../ListVolumeRecoveryPointsCommand.ts | 14 +- .../src/commands/ListVolumesCommand.ts | 14 +- .../src/commands/NotifyWhenUploadedCommand.ts | 14 +- .../src/commands/RefreshCacheCommand.ts | 14 +- .../commands/RemoveTagsFromResourceCommand.ts | 14 +- .../src/commands/ResetCacheCommand.ts | 14 +- .../commands/RetrieveTapeArchiveCommand.ts | 14 +- .../RetrieveTapeRecoveryPointCommand.ts | 14 +- .../SetLocalConsolePasswordCommand.ts | 14 +- .../commands/SetSMBGuestPasswordCommand.ts | 14 +- .../src/commands/ShutdownGatewayCommand.ts | 14 +- .../StartAvailabilityMonitorTestCommand.ts | 14 +- .../src/commands/StartGatewayCommand.ts | 14 +- ...pdateAutomaticTapeCreationPolicyCommand.ts | 14 +- .../UpdateBandwidthRateLimitCommand.ts | 14 +- ...UpdateBandwidthRateLimitScheduleCommand.ts | 14 +- .../commands/UpdateChapCredentialsCommand.ts | 14 +- .../UpdateFileSystemAssociationCommand.ts | 14 +- .../UpdateGatewayInformationCommand.ts | 14 +- .../UpdateGatewaySoftwareNowCommand.ts | 14 +- .../UpdateMaintenanceStartTimeCommand.ts | 14 +- .../src/commands/UpdateNFSFileShareCommand.ts | 14 +- .../src/commands/UpdateSMBFileShareCommand.ts | 14 +- .../UpdateSMBFileShareVisibilityCommand.ts | 14 +- .../commands/UpdateSMBLocalGroupsCommand.ts | 14 +- .../UpdateSMBSecurityStrategyCommand.ts | 14 +- .../commands/UpdateSnapshotScheduleCommand.ts | 14 +- .../commands/UpdateVTLDeviceTypeCommand.ts | 14 +- clients/client-sts/package.json | 42 +- .../src/commands/AssumeRoleCommand.ts | 14 +- .../src/commands/AssumeRoleWithSAMLCommand.ts | 14 +- .../AssumeRoleWithWebIdentityCommand.ts | 14 +- .../DecodeAuthorizationMessageCommand.ts | 14 +- .../src/commands/GetAccessKeyInfoCommand.ts | 14 +- .../src/commands/GetCallerIdentityCommand.ts | 14 +- .../src/commands/GetFederationTokenCommand.ts | 14 +- .../src/commands/GetSessionTokenCommand.ts | 14 +- clients/client-supplychain/package.json | 42 +- .../CreateBillOfMaterialsImportJobCommand.ts | 14 +- .../GetBillOfMaterialsImportJobCommand.ts | 14 +- .../SendDataIntegrationEventCommand.ts | 14 +- clients/client-support-app/package.json | 42 +- .../CreateSlackChannelConfigurationCommand.ts | 14 +- .../src/commands/DeleteAccountAliasCommand.ts | 14 +- .../DeleteSlackChannelConfigurationCommand.ts | 14 +- ...eleteSlackWorkspaceConfigurationCommand.ts | 14 +- .../src/commands/GetAccountAliasCommand.ts | 14 +- .../ListSlackChannelConfigurationsCommand.ts | 14 +- ...ListSlackWorkspaceConfigurationsCommand.ts | 14 +- .../src/commands/PutAccountAliasCommand.ts | 14 +- ...terSlackWorkspaceForOrganizationCommand.ts | 14 +- .../UpdateSlackChannelConfigurationCommand.ts | 14 +- clients/client-support/package.json | 42 +- .../commands/AddAttachmentsToSetCommand.ts | 14 +- .../commands/AddCommunicationToCaseCommand.ts | 14 +- .../src/commands/CreateCaseCommand.ts | 14 +- .../src/commands/DescribeAttachmentCommand.ts | 14 +- .../src/commands/DescribeCasesCommand.ts | 14 +- .../commands/DescribeCommunicationsCommand.ts | 14 +- .../DescribeCreateCaseOptionsCommand.ts | 14 +- .../src/commands/DescribeServicesCommand.ts | 14 +- .../commands/DescribeSeverityLevelsCommand.ts | 14 +- .../DescribeSupportedLanguagesCommand.ts | 14 +- ...ustedAdvisorCheckRefreshStatusesCommand.ts | 14 +- ...escribeTrustedAdvisorCheckResultCommand.ts | 14 +- ...ribeTrustedAdvisorCheckSummariesCommand.ts | 14 +- .../DescribeTrustedAdvisorChecksCommand.ts | 14 +- .../RefreshTrustedAdvisorCheckCommand.ts | 14 +- .../src/commands/ResolveCaseCommand.ts | 14 +- clients/client-swf/package.json | 42 +- .../CountClosedWorkflowExecutionsCommand.ts | 14 +- .../CountOpenWorkflowExecutionsCommand.ts | 14 +- .../CountPendingActivityTasksCommand.ts | 14 +- .../CountPendingDecisionTasksCommand.ts | 14 +- .../src/commands/DeleteActivityTypeCommand.ts | 14 +- .../src/commands/DeleteWorkflowTypeCommand.ts | 14 +- .../commands/DeprecateActivityTypeCommand.ts | 14 +- .../src/commands/DeprecateDomainCommand.ts | 14 +- .../commands/DeprecateWorkflowTypeCommand.ts | 14 +- .../commands/DescribeActivityTypeCommand.ts | 14 +- .../src/commands/DescribeDomainCommand.ts | 14 +- .../DescribeWorkflowExecutionCommand.ts | 14 +- .../commands/DescribeWorkflowTypeCommand.ts | 14 +- .../GetWorkflowExecutionHistoryCommand.ts | 14 +- .../src/commands/ListActivityTypesCommand.ts | 14 +- .../ListClosedWorkflowExecutionsCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../ListOpenWorkflowExecutionsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWorkflowTypesCommand.ts | 14 +- .../commands/PollForActivityTaskCommand.ts | 14 +- .../commands/PollForDecisionTaskCommand.ts | 14 +- .../RecordActivityTaskHeartbeatCommand.ts | 14 +- .../commands/RegisterActivityTypeCommand.ts | 14 +- .../src/commands/RegisterDomainCommand.ts | 14 +- .../commands/RegisterWorkflowTypeCommand.ts | 14 +- .../RequestCancelWorkflowExecutionCommand.ts | 14 +- .../RespondActivityTaskCanceledCommand.ts | 14 +- .../RespondActivityTaskCompletedCommand.ts | 14 +- .../RespondActivityTaskFailedCommand.ts | 14 +- .../RespondDecisionTaskCompletedCommand.ts | 14 +- .../SignalWorkflowExecutionCommand.ts | 14 +- .../commands/StartWorkflowExecutionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TerminateWorkflowExecutionCommand.ts | 14 +- .../UndeprecateActivityTypeCommand.ts | 14 +- .../src/commands/UndeprecateDomainCommand.ts | 14 +- .../UndeprecateWorkflowTypeCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- clients/client-synthetics/package.json | 42 +- .../src/commands/AssociateResourceCommand.ts | 14 +- .../src/commands/CreateCanaryCommand.ts | 14 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../src/commands/DeleteCanaryCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../src/commands/DescribeCanariesCommand.ts | 14 +- .../DescribeCanariesLastRunCommand.ts | 14 +- .../DescribeRuntimeVersionsCommand.ts | 14 +- .../commands/DisassociateResourceCommand.ts | 14 +- .../src/commands/GetCanaryCommand.ts | 14 +- .../src/commands/GetCanaryRunsCommand.ts | 14 +- .../src/commands/GetGroupCommand.ts | 14 +- .../commands/ListAssociatedGroupsCommand.ts | 14 +- .../src/commands/ListGroupResourcesCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/StartCanaryCommand.ts | 14 +- .../src/commands/StopCanaryCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateCanaryCommand.ts | 14 +- clients/client-taxsettings/package.json | 42 +- .../BatchDeleteTaxRegistrationCommand.ts | 14 +- .../BatchPutTaxRegistrationCommand.ts | 14 +- .../commands/DeleteTaxRegistrationCommand.ts | 14 +- .../src/commands/GetTaxRegistrationCommand.ts | 14 +- .../GetTaxRegistrationDocumentCommand.ts | 14 +- .../commands/ListTaxRegistrationsCommand.ts | 14 +- .../src/commands/PutTaxRegistrationCommand.ts | 14 +- clients/client-textract/package.json | 42 +- .../src/commands/AnalyzeDocumentCommand.ts | 14 +- .../src/commands/AnalyzeExpenseCommand.ts | 14 +- .../src/commands/AnalyzeIDCommand.ts | 14 +- .../src/commands/CreateAdapterCommand.ts | 14 +- .../commands/CreateAdapterVersionCommand.ts | 14 +- .../src/commands/DeleteAdapterCommand.ts | 14 +- .../commands/DeleteAdapterVersionCommand.ts | 14 +- .../src/commands/DetectDocumentTextCommand.ts | 14 +- .../src/commands/GetAdapterCommand.ts | 14 +- .../src/commands/GetAdapterVersionCommand.ts | 14 +- .../commands/GetDocumentAnalysisCommand.ts | 14 +- .../GetDocumentTextDetectionCommand.ts | 14 +- .../src/commands/GetExpenseAnalysisCommand.ts | 14 +- .../src/commands/GetLendingAnalysisCommand.ts | 14 +- .../GetLendingAnalysisSummaryCommand.ts | 14 +- .../commands/ListAdapterVersionsCommand.ts | 14 +- .../src/commands/ListAdaptersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/StartDocumentAnalysisCommand.ts | 14 +- .../StartDocumentTextDetectionCommand.ts | 14 +- .../commands/StartExpenseAnalysisCommand.ts | 14 +- .../commands/StartLendingAnalysisCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAdapterCommand.ts | 14 +- .../client-timestream-influxdb/package.json | 42 +- .../src/commands/CreateDbInstanceCommand.ts | 14 +- .../commands/CreateDbParameterGroupCommand.ts | 14 +- .../src/commands/DeleteDbInstanceCommand.ts | 14 +- .../src/commands/GetDbInstanceCommand.ts | 14 +- .../commands/GetDbParameterGroupCommand.ts | 14 +- .../src/commands/ListDbInstancesCommand.ts | 14 +- .../commands/ListDbParameterGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDbInstanceCommand.ts | 14 +- clients/client-timestream-query/package.json | 42 +- .../src/commands/CancelQueryCommand.ts | 14 +- .../commands/CreateScheduledQueryCommand.ts | 14 +- .../commands/DeleteScheduledQueryCommand.ts | 14 +- .../DescribeAccountSettingsCommand.ts | 14 +- .../src/commands/DescribeEndpointsCommand.ts | 14 +- .../commands/DescribeScheduledQueryCommand.ts | 14 +- .../commands/ExecuteScheduledQueryCommand.ts | 14 +- .../commands/ListScheduledQueriesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/PrepareQueryCommand.ts | 14 +- .../src/commands/QueryCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateAccountSettingsCommand.ts | 14 +- .../commands/UpdateScheduledQueryCommand.ts | 14 +- clients/client-timestream-write/package.json | 42 +- .../commands/CreateBatchLoadTaskCommand.ts | 14 +- .../src/commands/CreateDatabaseCommand.ts | 14 +- .../src/commands/CreateTableCommand.ts | 14 +- .../src/commands/DeleteDatabaseCommand.ts | 14 +- .../src/commands/DeleteTableCommand.ts | 14 +- .../commands/DescribeBatchLoadTaskCommand.ts | 14 +- .../src/commands/DescribeDatabaseCommand.ts | 14 +- .../src/commands/DescribeEndpointsCommand.ts | 14 +- .../src/commands/DescribeTableCommand.ts | 14 +- .../src/commands/ListBatchLoadTasksCommand.ts | 14 +- .../src/commands/ListDatabasesCommand.ts | 14 +- .../src/commands/ListTablesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ResumeBatchLoadTaskCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDatabaseCommand.ts | 14 +- .../src/commands/UpdateTableCommand.ts | 14 +- .../src/commands/WriteRecordsCommand.ts | 14 +- clients/client-tnb/package.json | 44 +- .../CancelSolNetworkOperationCommand.ts | 14 +- .../CreateSolFunctionPackageCommand.ts | 14 +- .../CreateSolNetworkInstanceCommand.ts | 14 +- .../CreateSolNetworkPackageCommand.ts | 14 +- .../DeleteSolFunctionPackageCommand.ts | 14 +- .../DeleteSolNetworkInstanceCommand.ts | 14 +- .../DeleteSolNetworkPackageCommand.ts | 14 +- .../commands/GetSolFunctionInstanceCommand.ts | 14 +- .../commands/GetSolFunctionPackageCommand.ts | 14 +- .../GetSolFunctionPackageContentCommand.ts | 14 +- .../GetSolFunctionPackageDescriptorCommand.ts | 14 +- .../commands/GetSolNetworkInstanceCommand.ts | 14 +- .../commands/GetSolNetworkOperationCommand.ts | 14 +- .../commands/GetSolNetworkPackageCommand.ts | 14 +- .../GetSolNetworkPackageContentCommand.ts | 14 +- .../GetSolNetworkPackageDescriptorCommand.ts | 14 +- .../InstantiateSolNetworkInstanceCommand.ts | 14 +- .../ListSolFunctionInstancesCommand.ts | 14 +- .../ListSolFunctionPackagesCommand.ts | 14 +- .../ListSolNetworkInstancesCommand.ts | 14 +- .../ListSolNetworkOperationsCommand.ts | 14 +- .../commands/ListSolNetworkPackagesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../PutSolFunctionPackageContentCommand.ts | 14 +- .../PutSolNetworkPackageContentCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TerminateSolNetworkInstanceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateSolFunctionPackageCommand.ts | 14 +- .../UpdateSolNetworkInstanceCommand.ts | 14 +- .../UpdateSolNetworkPackageCommand.ts | 14 +- ...alidateSolFunctionPackageContentCommand.ts | 14 +- ...ValidateSolNetworkPackageContentCommand.ts | 14 +- .../client-transcribe-streaming/package.json | 48 +- ...CallAnalyticsStreamTranscriptionCommand.ts | 14 +- .../StartMedicalStreamTranscriptionCommand.ts | 14 +- .../StartStreamTranscriptionCommand.ts | 14 +- clients/client-transcribe/package.json | 42 +- .../CreateCallAnalyticsCategoryCommand.ts | 14 +- .../commands/CreateLanguageModelCommand.ts | 14 +- .../CreateMedicalVocabularyCommand.ts | 14 +- .../src/commands/CreateVocabularyCommand.ts | 14 +- .../commands/CreateVocabularyFilterCommand.ts | 14 +- .../DeleteCallAnalyticsCategoryCommand.ts | 14 +- .../commands/DeleteCallAnalyticsJobCommand.ts | 14 +- .../commands/DeleteLanguageModelCommand.ts | 14 +- .../commands/DeleteMedicalScribeJobCommand.ts | 14 +- .../DeleteMedicalTranscriptionJobCommand.ts | 14 +- .../DeleteMedicalVocabularyCommand.ts | 14 +- .../commands/DeleteTranscriptionJobCommand.ts | 14 +- .../src/commands/DeleteVocabularyCommand.ts | 14 +- .../commands/DeleteVocabularyFilterCommand.ts | 14 +- .../commands/DescribeLanguageModelCommand.ts | 14 +- .../GetCallAnalyticsCategoryCommand.ts | 14 +- .../commands/GetCallAnalyticsJobCommand.ts | 14 +- .../commands/GetMedicalScribeJobCommand.ts | 14 +- .../GetMedicalTranscriptionJobCommand.ts | 14 +- .../commands/GetMedicalVocabularyCommand.ts | 14 +- .../commands/GetTranscriptionJobCommand.ts | 14 +- .../src/commands/GetVocabularyCommand.ts | 14 +- .../commands/GetVocabularyFilterCommand.ts | 14 +- .../ListCallAnalyticsCategoriesCommand.ts | 14 +- .../commands/ListCallAnalyticsJobsCommand.ts | 14 +- .../src/commands/ListLanguageModelsCommand.ts | 14 +- .../commands/ListMedicalScribeJobsCommand.ts | 14 +- .../ListMedicalTranscriptionJobsCommand.ts | 14 +- .../ListMedicalVocabulariesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/ListTranscriptionJobsCommand.ts | 14 +- .../src/commands/ListVocabulariesCommand.ts | 14 +- .../commands/ListVocabularyFiltersCommand.ts | 14 +- .../commands/StartCallAnalyticsJobCommand.ts | 14 +- .../commands/StartMedicalScribeJobCommand.ts | 14 +- .../StartMedicalTranscriptionJobCommand.ts | 14 +- .../commands/StartTranscriptionJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateCallAnalyticsCategoryCommand.ts | 14 +- .../UpdateMedicalVocabularyCommand.ts | 14 +- .../src/commands/UpdateVocabularyCommand.ts | 14 +- .../commands/UpdateVocabularyFilterCommand.ts | 14 +- clients/client-transfer/package.json | 44 +- .../src/commands/CreateAccessCommand.ts | 14 +- .../src/commands/CreateAgreementCommand.ts | 14 +- .../src/commands/CreateConnectorCommand.ts | 14 +- .../src/commands/CreateProfileCommand.ts | 14 +- .../src/commands/CreateServerCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/CreateWorkflowCommand.ts | 14 +- .../src/commands/DeleteAccessCommand.ts | 14 +- .../src/commands/DeleteAgreementCommand.ts | 14 +- .../src/commands/DeleteCertificateCommand.ts | 14 +- .../src/commands/DeleteConnectorCommand.ts | 14 +- .../src/commands/DeleteHostKeyCommand.ts | 14 +- .../src/commands/DeleteProfileCommand.ts | 14 +- .../src/commands/DeleteServerCommand.ts | 14 +- .../src/commands/DeleteSshPublicKeyCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../src/commands/DeleteWorkflowCommand.ts | 14 +- .../src/commands/DescribeAccessCommand.ts | 14 +- .../src/commands/DescribeAgreementCommand.ts | 14 +- .../commands/DescribeCertificateCommand.ts | 14 +- .../src/commands/DescribeConnectorCommand.ts | 14 +- .../src/commands/DescribeExecutionCommand.ts | 14 +- .../src/commands/DescribeHostKeyCommand.ts | 14 +- .../src/commands/DescribeProfileCommand.ts | 14 +- .../commands/DescribeSecurityPolicyCommand.ts | 14 +- .../src/commands/DescribeServerCommand.ts | 14 +- .../src/commands/DescribeUserCommand.ts | 14 +- .../src/commands/DescribeWorkflowCommand.ts | 14 +- .../src/commands/ImportCertificateCommand.ts | 14 +- .../src/commands/ImportHostKeyCommand.ts | 14 +- .../src/commands/ImportSshPublicKeyCommand.ts | 14 +- .../src/commands/ListAccessesCommand.ts | 14 +- .../src/commands/ListAgreementsCommand.ts | 14 +- .../src/commands/ListCertificatesCommand.ts | 14 +- .../src/commands/ListConnectorsCommand.ts | 14 +- .../src/commands/ListExecutionsCommand.ts | 14 +- .../src/commands/ListHostKeysCommand.ts | 14 +- .../src/commands/ListProfilesCommand.ts | 14 +- .../commands/ListSecurityPoliciesCommand.ts | 14 +- .../src/commands/ListServersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../src/commands/ListWorkflowsCommand.ts | 14 +- .../commands/SendWorkflowStepStateCommand.ts | 14 +- .../commands/StartDirectoryListingCommand.ts | 14 +- .../src/commands/StartFileTransferCommand.ts | 14 +- .../src/commands/StartServerCommand.ts | 14 +- .../src/commands/StopServerCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TestConnectionCommand.ts | 14 +- .../commands/TestIdentityProviderCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAccessCommand.ts | 14 +- .../src/commands/UpdateAgreementCommand.ts | 14 +- .../src/commands/UpdateCertificateCommand.ts | 14 +- .../src/commands/UpdateConnectorCommand.ts | 14 +- .../src/commands/UpdateHostKeyCommand.ts | 14 +- .../src/commands/UpdateProfileCommand.ts | 14 +- .../src/commands/UpdateServerCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- clients/client-translate/package.json | 42 +- .../src/commands/CreateParallelDataCommand.ts | 14 +- .../src/commands/DeleteParallelDataCommand.ts | 14 +- .../src/commands/DeleteTerminologyCommand.ts | 14 +- .../DescribeTextTranslationJobCommand.ts | 14 +- .../src/commands/GetParallelDataCommand.ts | 14 +- .../src/commands/GetTerminologyCommand.ts | 14 +- .../src/commands/ImportTerminologyCommand.ts | 14 +- .../src/commands/ListLanguagesCommand.ts | 14 +- .../src/commands/ListParallelDataCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTerminologiesCommand.ts | 14 +- .../ListTextTranslationJobsCommand.ts | 14 +- .../StartTextTranslationJobCommand.ts | 14 +- .../commands/StopTextTranslationJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/TranslateDocumentCommand.ts | 14 +- .../src/commands/TranslateTextCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateParallelDataCommand.ts | 14 +- clients/client-trustedadvisor/package.json | 42 +- ...eRecommendationResourceExclusionCommand.ts | 14 +- .../GetOrganizationRecommendationCommand.ts | 14 +- .../src/commands/GetRecommendationCommand.ts | 14 +- .../src/commands/ListChecksCommand.ts | 14 +- ...ganizationRecommendationAccountsCommand.ts | 14 +- ...anizationRecommendationResourcesCommand.ts | 14 +- .../ListOrganizationRecommendationsCommand.ts | 14 +- .../ListRecommendationResourcesCommand.ts | 14 +- .../commands/ListRecommendationsCommand.ts | 14 +- ...anizationRecommendationLifecycleCommand.ts | 14 +- .../UpdateRecommendationLifecycleCommand.ts | 14 +- .../client-verifiedpermissions/package.json | 42 +- .../src/commands/BatchIsAuthorizedCommand.ts | 14 +- .../BatchIsAuthorizedWithTokenCommand.ts | 14 +- .../commands/CreateIdentitySourceCommand.ts | 14 +- .../src/commands/CreatePolicyCommand.ts | 14 +- .../src/commands/CreatePolicyStoreCommand.ts | 14 +- .../commands/CreatePolicyTemplateCommand.ts | 14 +- .../commands/DeleteIdentitySourceCommand.ts | 14 +- .../src/commands/DeletePolicyCommand.ts | 14 +- .../src/commands/DeletePolicyStoreCommand.ts | 14 +- .../commands/DeletePolicyTemplateCommand.ts | 14 +- .../src/commands/GetIdentitySourceCommand.ts | 14 +- .../src/commands/GetPolicyCommand.ts | 14 +- .../src/commands/GetPolicyStoreCommand.ts | 14 +- .../src/commands/GetPolicyTemplateCommand.ts | 14 +- .../src/commands/GetSchemaCommand.ts | 14 +- .../src/commands/IsAuthorizedCommand.ts | 14 +- .../commands/IsAuthorizedWithTokenCommand.ts | 14 +- .../commands/ListIdentitySourcesCommand.ts | 14 +- .../src/commands/ListPoliciesCommand.ts | 14 +- .../src/commands/ListPolicyStoresCommand.ts | 14 +- .../commands/ListPolicyTemplatesCommand.ts | 14 +- .../src/commands/PutSchemaCommand.ts | 14 +- .../commands/UpdateIdentitySourceCommand.ts | 14 +- .../src/commands/UpdatePolicyCommand.ts | 14 +- .../src/commands/UpdatePolicyStoreCommand.ts | 14 +- .../commands/UpdatePolicyTemplateCommand.ts | 14 +- clients/client-voice-id/package.json | 42 +- .../src/commands/AssociateFraudsterCommand.ts | 14 +- .../src/commands/CreateDomainCommand.ts | 14 +- .../src/commands/CreateWatchlistCommand.ts | 14 +- .../src/commands/DeleteDomainCommand.ts | 14 +- .../src/commands/DeleteFraudsterCommand.ts | 14 +- .../src/commands/DeleteSpeakerCommand.ts | 14 +- .../src/commands/DeleteWatchlistCommand.ts | 14 +- .../src/commands/DescribeDomainCommand.ts | 14 +- .../src/commands/DescribeFraudsterCommand.ts | 14 +- ...DescribeFraudsterRegistrationJobCommand.ts | 14 +- .../src/commands/DescribeSpeakerCommand.ts | 14 +- .../DescribeSpeakerEnrollmentJobCommand.ts | 14 +- .../src/commands/DescribeWatchlistCommand.ts | 14 +- .../commands/DisassociateFraudsterCommand.ts | 14 +- .../src/commands/EvaluateSessionCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../ListFraudsterRegistrationJobsCommand.ts | 14 +- .../src/commands/ListFraudstersCommand.ts | 14 +- .../ListSpeakerEnrollmentJobsCommand.ts | 14 +- .../src/commands/ListSpeakersCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWatchlistsCommand.ts | 14 +- .../src/commands/OptOutSpeakerCommand.ts | 14 +- .../StartFraudsterRegistrationJobCommand.ts | 14 +- .../StartSpeakerEnrollmentJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDomainCommand.ts | 14 +- .../src/commands/UpdateWatchlistCommand.ts | 14 +- clients/client-vpc-lattice/package.json | 42 +- .../src/commands/BatchUpdateRuleCommand.ts | 14 +- .../CreateAccessLogSubscriptionCommand.ts | 14 +- .../src/commands/CreateListenerCommand.ts | 14 +- .../src/commands/CreateRuleCommand.ts | 14 +- .../src/commands/CreateServiceCommand.ts | 14 +- .../commands/CreateServiceNetworkCommand.ts | 14 +- ...ServiceNetworkServiceAssociationCommand.ts | 14 +- ...eateServiceNetworkVpcAssociationCommand.ts | 14 +- .../src/commands/CreateTargetGroupCommand.ts | 14 +- .../DeleteAccessLogSubscriptionCommand.ts | 14 +- .../src/commands/DeleteAuthPolicyCommand.ts | 14 +- .../src/commands/DeleteListenerCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../src/commands/DeleteServiceCommand.ts | 14 +- .../commands/DeleteServiceNetworkCommand.ts | 14 +- ...ServiceNetworkServiceAssociationCommand.ts | 14 +- ...leteServiceNetworkVpcAssociationCommand.ts | 14 +- .../src/commands/DeleteTargetGroupCommand.ts | 14 +- .../src/commands/DeregisterTargetsCommand.ts | 14 +- .../GetAccessLogSubscriptionCommand.ts | 14 +- .../src/commands/GetAuthPolicyCommand.ts | 14 +- .../src/commands/GetListenerCommand.ts | 14 +- .../src/commands/GetResourcePolicyCommand.ts | 14 +- .../src/commands/GetRuleCommand.ts | 14 +- .../src/commands/GetServiceCommand.ts | 14 +- .../src/commands/GetServiceNetworkCommand.ts | 14 +- ...ServiceNetworkServiceAssociationCommand.ts | 14 +- .../GetServiceNetworkVpcAssociationCommand.ts | 14 +- .../src/commands/GetTargetGroupCommand.ts | 14 +- .../ListAccessLogSubscriptionsCommand.ts | 14 +- .../src/commands/ListListenersCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- ...erviceNetworkServiceAssociationsCommand.ts | 14 +- ...istServiceNetworkVpcAssociationsCommand.ts | 14 +- .../commands/ListServiceNetworksCommand.ts | 14 +- .../src/commands/ListServicesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTargetGroupsCommand.ts | 14 +- .../src/commands/ListTargetsCommand.ts | 14 +- .../src/commands/PutAuthPolicyCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../src/commands/RegisterTargetsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAccessLogSubscriptionCommand.ts | 14 +- .../src/commands/UpdateListenerCommand.ts | 14 +- .../src/commands/UpdateRuleCommand.ts | 14 +- .../src/commands/UpdateServiceCommand.ts | 14 +- .../commands/UpdateServiceNetworkCommand.ts | 14 +- ...dateServiceNetworkVpcAssociationCommand.ts | 14 +- .../src/commands/UpdateTargetGroupCommand.ts | 14 +- clients/client-waf-regional/package.json | 42 +- .../src/commands/AssociateWebACLCommand.ts | 14 +- .../src/commands/CreateByteMatchSetCommand.ts | 14 +- .../src/commands/CreateGeoMatchSetCommand.ts | 14 +- .../src/commands/CreateIPSetCommand.ts | 14 +- .../commands/CreateRateBasedRuleCommand.ts | 14 +- .../commands/CreateRegexMatchSetCommand.ts | 14 +- .../commands/CreateRegexPatternSetCommand.ts | 14 +- .../src/commands/CreateRuleCommand.ts | 14 +- .../src/commands/CreateRuleGroupCommand.ts | 14 +- .../CreateSizeConstraintSetCommand.ts | 14 +- .../CreateSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/CreateWebACLCommand.ts | 14 +- .../CreateWebACLMigrationStackCommand.ts | 14 +- .../src/commands/CreateXssMatchSetCommand.ts | 14 +- .../src/commands/DeleteByteMatchSetCommand.ts | 14 +- .../src/commands/DeleteGeoMatchSetCommand.ts | 14 +- .../src/commands/DeleteIPSetCommand.ts | 14 +- .../DeleteLoggingConfigurationCommand.ts | 14 +- .../commands/DeletePermissionPolicyCommand.ts | 14 +- .../commands/DeleteRateBasedRuleCommand.ts | 14 +- .../commands/DeleteRegexMatchSetCommand.ts | 14 +- .../commands/DeleteRegexPatternSetCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../src/commands/DeleteRuleGroupCommand.ts | 14 +- .../DeleteSizeConstraintSetCommand.ts | 14 +- .../DeleteSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/DeleteWebACLCommand.ts | 14 +- .../src/commands/DeleteXssMatchSetCommand.ts | 14 +- .../src/commands/DisassociateWebACLCommand.ts | 14 +- .../src/commands/GetByteMatchSetCommand.ts | 14 +- .../src/commands/GetChangeTokenCommand.ts | 14 +- .../commands/GetChangeTokenStatusCommand.ts | 14 +- .../src/commands/GetGeoMatchSetCommand.ts | 14 +- .../src/commands/GetIPSetCommand.ts | 14 +- .../GetLoggingConfigurationCommand.ts | 14 +- .../commands/GetPermissionPolicyCommand.ts | 14 +- .../src/commands/GetRateBasedRuleCommand.ts | 14 +- .../GetRateBasedRuleManagedKeysCommand.ts | 14 +- .../src/commands/GetRegexMatchSetCommand.ts | 14 +- .../src/commands/GetRegexPatternSetCommand.ts | 14 +- .../src/commands/GetRuleCommand.ts | 14 +- .../src/commands/GetRuleGroupCommand.ts | 14 +- .../src/commands/GetSampledRequestsCommand.ts | 14 +- .../commands/GetSizeConstraintSetCommand.ts | 14 +- .../GetSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/GetWebACLCommand.ts | 14 +- .../commands/GetWebACLForResourceCommand.ts | 14 +- .../src/commands/GetXssMatchSetCommand.ts | 14 +- .../ListActivatedRulesInRuleGroupCommand.ts | 14 +- .../src/commands/ListByteMatchSetsCommand.ts | 14 +- .../src/commands/ListGeoMatchSetsCommand.ts | 14 +- .../src/commands/ListIPSetsCommand.ts | 14 +- .../ListLoggingConfigurationsCommand.ts | 14 +- .../src/commands/ListRateBasedRulesCommand.ts | 14 +- .../src/commands/ListRegexMatchSetsCommand.ts | 14 +- .../commands/ListRegexPatternSetsCommand.ts | 14 +- .../commands/ListResourcesForWebACLCommand.ts | 14 +- .../src/commands/ListRuleGroupsCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- .../commands/ListSizeConstraintSetsCommand.ts | 14 +- .../ListSqlInjectionMatchSetsCommand.ts | 14 +- .../ListSubscribedRuleGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWebACLsCommand.ts | 14 +- .../src/commands/ListXssMatchSetsCommand.ts | 14 +- .../PutLoggingConfigurationCommand.ts | 14 +- .../commands/PutPermissionPolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateByteMatchSetCommand.ts | 14 +- .../src/commands/UpdateGeoMatchSetCommand.ts | 14 +- .../src/commands/UpdateIPSetCommand.ts | 14 +- .../commands/UpdateRateBasedRuleCommand.ts | 14 +- .../commands/UpdateRegexMatchSetCommand.ts | 14 +- .../commands/UpdateRegexPatternSetCommand.ts | 14 +- .../src/commands/UpdateRuleCommand.ts | 14 +- .../src/commands/UpdateRuleGroupCommand.ts | 14 +- .../UpdateSizeConstraintSetCommand.ts | 14 +- .../UpdateSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/UpdateWebACLCommand.ts | 14 +- .../src/commands/UpdateXssMatchSetCommand.ts | 14 +- clients/client-waf/package.json | 42 +- .../src/commands/CreateByteMatchSetCommand.ts | 14 +- .../src/commands/CreateGeoMatchSetCommand.ts | 14 +- .../src/commands/CreateIPSetCommand.ts | 14 +- .../commands/CreateRateBasedRuleCommand.ts | 14 +- .../commands/CreateRegexMatchSetCommand.ts | 14 +- .../commands/CreateRegexPatternSetCommand.ts | 14 +- .../src/commands/CreateRuleCommand.ts | 14 +- .../src/commands/CreateRuleGroupCommand.ts | 14 +- .../CreateSizeConstraintSetCommand.ts | 14 +- .../CreateSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/CreateWebACLCommand.ts | 14 +- .../CreateWebACLMigrationStackCommand.ts | 14 +- .../src/commands/CreateXssMatchSetCommand.ts | 14 +- .../src/commands/DeleteByteMatchSetCommand.ts | 14 +- .../src/commands/DeleteGeoMatchSetCommand.ts | 14 +- .../src/commands/DeleteIPSetCommand.ts | 14 +- .../DeleteLoggingConfigurationCommand.ts | 14 +- .../commands/DeletePermissionPolicyCommand.ts | 14 +- .../commands/DeleteRateBasedRuleCommand.ts | 14 +- .../commands/DeleteRegexMatchSetCommand.ts | 14 +- .../commands/DeleteRegexPatternSetCommand.ts | 14 +- .../src/commands/DeleteRuleCommand.ts | 14 +- .../src/commands/DeleteRuleGroupCommand.ts | 14 +- .../DeleteSizeConstraintSetCommand.ts | 14 +- .../DeleteSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/DeleteWebACLCommand.ts | 14 +- .../src/commands/DeleteXssMatchSetCommand.ts | 14 +- .../src/commands/GetByteMatchSetCommand.ts | 14 +- .../src/commands/GetChangeTokenCommand.ts | 14 +- .../commands/GetChangeTokenStatusCommand.ts | 14 +- .../src/commands/GetGeoMatchSetCommand.ts | 14 +- .../src/commands/GetIPSetCommand.ts | 14 +- .../GetLoggingConfigurationCommand.ts | 14 +- .../commands/GetPermissionPolicyCommand.ts | 14 +- .../src/commands/GetRateBasedRuleCommand.ts | 14 +- .../GetRateBasedRuleManagedKeysCommand.ts | 14 +- .../src/commands/GetRegexMatchSetCommand.ts | 14 +- .../src/commands/GetRegexPatternSetCommand.ts | 14 +- .../client-waf/src/commands/GetRuleCommand.ts | 14 +- .../src/commands/GetRuleGroupCommand.ts | 14 +- .../src/commands/GetSampledRequestsCommand.ts | 14 +- .../commands/GetSizeConstraintSetCommand.ts | 14 +- .../GetSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/GetWebACLCommand.ts | 14 +- .../src/commands/GetXssMatchSetCommand.ts | 14 +- .../ListActivatedRulesInRuleGroupCommand.ts | 14 +- .../src/commands/ListByteMatchSetsCommand.ts | 14 +- .../src/commands/ListGeoMatchSetsCommand.ts | 14 +- .../src/commands/ListIPSetsCommand.ts | 14 +- .../ListLoggingConfigurationsCommand.ts | 14 +- .../src/commands/ListRateBasedRulesCommand.ts | 14 +- .../src/commands/ListRegexMatchSetsCommand.ts | 14 +- .../commands/ListRegexPatternSetsCommand.ts | 14 +- .../src/commands/ListRuleGroupsCommand.ts | 14 +- .../src/commands/ListRulesCommand.ts | 14 +- .../commands/ListSizeConstraintSetsCommand.ts | 14 +- .../ListSqlInjectionMatchSetsCommand.ts | 14 +- .../ListSubscribedRuleGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWebACLsCommand.ts | 14 +- .../src/commands/ListXssMatchSetsCommand.ts | 14 +- .../PutLoggingConfigurationCommand.ts | 14 +- .../commands/PutPermissionPolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateByteMatchSetCommand.ts | 14 +- .../src/commands/UpdateGeoMatchSetCommand.ts | 14 +- .../src/commands/UpdateIPSetCommand.ts | 14 +- .../commands/UpdateRateBasedRuleCommand.ts | 14 +- .../commands/UpdateRegexMatchSetCommand.ts | 14 +- .../commands/UpdateRegexPatternSetCommand.ts | 14 +- .../src/commands/UpdateRuleCommand.ts | 14 +- .../src/commands/UpdateRuleGroupCommand.ts | 14 +- .../UpdateSizeConstraintSetCommand.ts | 14 +- .../UpdateSqlInjectionMatchSetCommand.ts | 14 +- .../src/commands/UpdateWebACLCommand.ts | 14 +- .../src/commands/UpdateXssMatchSetCommand.ts | 14 +- clients/client-wafv2/package.json | 42 +- .../src/commands/AssociateWebACLCommand.ts | 14 +- .../src/commands/CheckCapacityCommand.ts | 14 +- .../src/commands/CreateAPIKeyCommand.ts | 14 +- .../src/commands/CreateIPSetCommand.ts | 14 +- .../commands/CreateRegexPatternSetCommand.ts | 14 +- .../src/commands/CreateRuleGroupCommand.ts | 14 +- .../src/commands/CreateWebACLCommand.ts | 14 +- .../src/commands/DeleteAPIKeyCommand.ts | 14 +- .../DeleteFirewallManagerRuleGroupsCommand.ts | 14 +- .../src/commands/DeleteIPSetCommand.ts | 14 +- .../DeleteLoggingConfigurationCommand.ts | 14 +- .../commands/DeletePermissionPolicyCommand.ts | 14 +- .../commands/DeleteRegexPatternSetCommand.ts | 14 +- .../src/commands/DeleteRuleGroupCommand.ts | 14 +- .../src/commands/DeleteWebACLCommand.ts | 14 +- .../DescribeAllManagedProductsCommand.ts | 14 +- .../DescribeManagedProductsByVendorCommand.ts | 14 +- .../DescribeManagedRuleGroupCommand.ts | 14 +- .../src/commands/DisassociateWebACLCommand.ts | 14 +- .../GenerateMobileSdkReleaseUrlCommand.ts | 14 +- .../src/commands/GetDecryptedAPIKeyCommand.ts | 14 +- .../src/commands/GetIPSetCommand.ts | 14 +- .../GetLoggingConfigurationCommand.ts | 14 +- .../src/commands/GetManagedRuleSetCommand.ts | 14 +- .../commands/GetMobileSdkReleaseCommand.ts | 14 +- .../commands/GetPermissionPolicyCommand.ts | 14 +- ...GetRateBasedStatementManagedKeysCommand.ts | 14 +- .../src/commands/GetRegexPatternSetCommand.ts | 14 +- .../src/commands/GetRuleGroupCommand.ts | 14 +- .../src/commands/GetSampledRequestsCommand.ts | 14 +- .../src/commands/GetWebACLCommand.ts | 14 +- .../commands/GetWebACLForResourceCommand.ts | 14 +- .../src/commands/ListAPIKeysCommand.ts | 14 +- ...vailableManagedRuleGroupVersionsCommand.ts | 14 +- .../ListAvailableManagedRuleGroupsCommand.ts | 14 +- .../src/commands/ListIPSetsCommand.ts | 14 +- .../ListLoggingConfigurationsCommand.ts | 14 +- .../commands/ListManagedRuleSetsCommand.ts | 14 +- .../commands/ListMobileSdkReleasesCommand.ts | 14 +- .../commands/ListRegexPatternSetsCommand.ts | 14 +- .../commands/ListResourcesForWebACLCommand.ts | 14 +- .../src/commands/ListRuleGroupsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListWebACLsCommand.ts | 14 +- .../PutLoggingConfigurationCommand.ts | 14 +- .../PutManagedRuleSetVersionsCommand.ts | 14 +- .../commands/PutPermissionPolicyCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateIPSetCommand.ts | 14 +- ...eManagedRuleSetVersionExpiryDateCommand.ts | 14 +- .../commands/UpdateRegexPatternSetCommand.ts | 14 +- .../src/commands/UpdateRuleGroupCommand.ts | 14 +- .../src/commands/UpdateWebACLCommand.ts | 14 +- clients/client-wellarchitected/package.json | 42 +- .../src/commands/AssociateLensesCommand.ts | 14 +- .../src/commands/AssociateProfilesCommand.ts | 14 +- .../src/commands/CreateLensShareCommand.ts | 14 +- .../src/commands/CreateLensVersionCommand.ts | 14 +- .../src/commands/CreateMilestoneCommand.ts | 14 +- .../src/commands/CreateProfileCommand.ts | 14 +- .../src/commands/CreateProfileShareCommand.ts | 14 +- .../commands/CreateReviewTemplateCommand.ts | 14 +- .../commands/CreateTemplateShareCommand.ts | 14 +- .../src/commands/CreateWorkloadCommand.ts | 14 +- .../commands/CreateWorkloadShareCommand.ts | 14 +- .../src/commands/DeleteLensCommand.ts | 14 +- .../src/commands/DeleteLensShareCommand.ts | 14 +- .../src/commands/DeleteProfileCommand.ts | 14 +- .../src/commands/DeleteProfileShareCommand.ts | 14 +- .../commands/DeleteReviewTemplateCommand.ts | 14 +- .../commands/DeleteTemplateShareCommand.ts | 14 +- .../src/commands/DeleteWorkloadCommand.ts | 14 +- .../commands/DeleteWorkloadShareCommand.ts | 14 +- .../src/commands/DisassociateLensesCommand.ts | 14 +- .../commands/DisassociateProfilesCommand.ts | 14 +- .../src/commands/ExportLensCommand.ts | 14 +- .../src/commands/GetAnswerCommand.ts | 14 +- .../commands/GetConsolidatedReportCommand.ts | 14 +- .../src/commands/GetGlobalSettingsCommand.ts | 14 +- .../src/commands/GetLensCommand.ts | 14 +- .../src/commands/GetLensReviewCommand.ts | 14 +- .../commands/GetLensReviewReportCommand.ts | 14 +- .../GetLensVersionDifferenceCommand.ts | 14 +- .../src/commands/GetMilestoneCommand.ts | 14 +- .../src/commands/GetProfileCommand.ts | 14 +- .../src/commands/GetProfileTemplateCommand.ts | 14 +- .../GetReviewTemplateAnswerCommand.ts | 14 +- .../src/commands/GetReviewTemplateCommand.ts | 14 +- .../GetReviewTemplateLensReviewCommand.ts | 14 +- .../src/commands/GetWorkloadCommand.ts | 14 +- .../src/commands/ImportLensCommand.ts | 14 +- .../src/commands/ListAnswersCommand.ts | 14 +- .../src/commands/ListCheckDetailsCommand.ts | 14 +- .../src/commands/ListCheckSummariesCommand.ts | 14 +- .../ListLensReviewImprovementsCommand.ts | 14 +- .../src/commands/ListLensReviewsCommand.ts | 14 +- .../src/commands/ListLensSharesCommand.ts | 14 +- .../src/commands/ListLensesCommand.ts | 14 +- .../src/commands/ListMilestonesCommand.ts | 14 +- .../src/commands/ListNotificationsCommand.ts | 14 +- .../ListProfileNotificationsCommand.ts | 14 +- .../src/commands/ListProfileSharesCommand.ts | 14 +- .../src/commands/ListProfilesCommand.ts | 14 +- .../ListReviewTemplateAnswersCommand.ts | 14 +- .../commands/ListReviewTemplatesCommand.ts | 14 +- .../commands/ListShareInvitationsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListTemplateSharesCommand.ts | 14 +- .../src/commands/ListWorkloadSharesCommand.ts | 14 +- .../src/commands/ListWorkloadsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateAnswerCommand.ts | 14 +- .../commands/UpdateGlobalSettingsCommand.ts | 14 +- .../src/commands/UpdateIntegrationCommand.ts | 14 +- .../src/commands/UpdateLensReviewCommand.ts | 14 +- .../src/commands/UpdateProfileCommand.ts | 14 +- .../UpdateReviewTemplateAnswerCommand.ts | 14 +- .../commands/UpdateReviewTemplateCommand.ts | 14 +- .../UpdateReviewTemplateLensReviewCommand.ts | 14 +- .../commands/UpdateShareInvitationCommand.ts | 14 +- .../src/commands/UpdateWorkloadCommand.ts | 14 +- .../commands/UpdateWorkloadShareCommand.ts | 14 +- .../src/commands/UpgradeLensReviewCommand.ts | 14 +- .../commands/UpgradeProfileVersionCommand.ts | 14 +- .../UpgradeReviewTemplateLensReviewCommand.ts | 14 +- clients/client-wisdom/package.json | 42 +- .../CreateAssistantAssociationCommand.ts | 14 +- .../src/commands/CreateAssistantCommand.ts | 14 +- .../src/commands/CreateContentCommand.ts | 14 +- .../commands/CreateKnowledgeBaseCommand.ts | 14 +- .../commands/CreateQuickResponseCommand.ts | 14 +- .../src/commands/CreateSessionCommand.ts | 14 +- .../DeleteAssistantAssociationCommand.ts | 14 +- .../src/commands/DeleteAssistantCommand.ts | 14 +- .../src/commands/DeleteContentCommand.ts | 14 +- .../src/commands/DeleteImportJobCommand.ts | 14 +- .../commands/DeleteKnowledgeBaseCommand.ts | 14 +- .../commands/DeleteQuickResponseCommand.ts | 14 +- .../GetAssistantAssociationCommand.ts | 14 +- .../src/commands/GetAssistantCommand.ts | 14 +- .../src/commands/GetContentCommand.ts | 14 +- .../src/commands/GetContentSummaryCommand.ts | 14 +- .../src/commands/GetImportJobCommand.ts | 14 +- .../src/commands/GetKnowledgeBaseCommand.ts | 14 +- .../src/commands/GetQuickResponseCommand.ts | 14 +- .../src/commands/GetRecommendationsCommand.ts | 14 +- .../src/commands/GetSessionCommand.ts | 14 +- .../ListAssistantAssociationsCommand.ts | 14 +- .../src/commands/ListAssistantsCommand.ts | 14 +- .../src/commands/ListContentsCommand.ts | 14 +- .../src/commands/ListImportJobsCommand.ts | 14 +- .../src/commands/ListKnowledgeBasesCommand.ts | 14 +- .../src/commands/ListQuickResponsesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../NotifyRecommendationsReceivedCommand.ts | 14 +- .../src/commands/QueryAssistantCommand.ts | 14 +- .../RemoveKnowledgeBaseTemplateUriCommand.ts | 14 +- .../src/commands/SearchContentCommand.ts | 14 +- .../commands/SearchQuickResponsesCommand.ts | 14 +- .../src/commands/SearchSessionsCommand.ts | 14 +- .../src/commands/StartContentUploadCommand.ts | 14 +- .../src/commands/StartImportJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateContentCommand.ts | 14 +- .../UpdateKnowledgeBaseTemplateUriCommand.ts | 14 +- .../commands/UpdateQuickResponseCommand.ts | 14 +- clients/client-workdocs/package.json | 42 +- .../AbortDocumentVersionUploadCommand.ts | 14 +- .../src/commands/ActivateUserCommand.ts | 14 +- .../commands/AddResourcePermissionsCommand.ts | 14 +- .../src/commands/CreateCommentCommand.ts | 14 +- .../commands/CreateCustomMetadataCommand.ts | 14 +- .../src/commands/CreateFolderCommand.ts | 14 +- .../src/commands/CreateLabelsCommand.ts | 14 +- .../CreateNotificationSubscriptionCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../src/commands/DeactivateUserCommand.ts | 14 +- .../src/commands/DeleteCommentCommand.ts | 14 +- .../commands/DeleteCustomMetadataCommand.ts | 14 +- .../src/commands/DeleteDocumentCommand.ts | 14 +- .../commands/DeleteDocumentVersionCommand.ts | 14 +- .../src/commands/DeleteFolderCommand.ts | 14 +- .../commands/DeleteFolderContentsCommand.ts | 14 +- .../src/commands/DeleteLabelsCommand.ts | 14 +- .../DeleteNotificationSubscriptionCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../src/commands/DescribeActivitiesCommand.ts | 14 +- .../src/commands/DescribeCommentsCommand.ts | 14 +- .../DescribeDocumentVersionsCommand.ts | 14 +- .../commands/DescribeFolderContentsCommand.ts | 14 +- .../src/commands/DescribeGroupsCommand.ts | 14 +- ...escribeNotificationSubscriptionsCommand.ts | 14 +- .../DescribeResourcePermissionsCommand.ts | 14 +- .../commands/DescribeRootFoldersCommand.ts | 14 +- .../src/commands/DescribeUsersCommand.ts | 14 +- .../src/commands/GetCurrentUserCommand.ts | 14 +- .../src/commands/GetDocumentCommand.ts | 14 +- .../src/commands/GetDocumentPathCommand.ts | 14 +- .../src/commands/GetDocumentVersionCommand.ts | 14 +- .../src/commands/GetFolderCommand.ts | 14 +- .../src/commands/GetFolderPathCommand.ts | 14 +- .../src/commands/GetResourcesCommand.ts | 14 +- .../InitiateDocumentVersionUploadCommand.ts | 14 +- .../RemoveAllResourcePermissionsCommand.ts | 14 +- .../RemoveResourcePermissionCommand.ts | 14 +- .../RestoreDocumentVersionsCommand.ts | 14 +- .../src/commands/SearchResourcesCommand.ts | 14 +- .../src/commands/UpdateDocumentCommand.ts | 14 +- .../commands/UpdateDocumentVersionCommand.ts | 14 +- .../src/commands/UpdateFolderCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- clients/client-worklink/package.json | 42 +- .../src/commands/AssociateDomainCommand.ts | 14 +- ...iateWebsiteAuthorizationProviderCommand.ts | 14 +- ...ciateWebsiteCertificateAuthorityCommand.ts | 14 +- .../src/commands/CreateFleetCommand.ts | 14 +- .../src/commands/DeleteFleetCommand.ts | 14 +- ...DescribeAuditStreamConfigurationCommand.ts | 14 +- ...cribeCompanyNetworkConfigurationCommand.ts | 14 +- .../src/commands/DescribeDeviceCommand.ts | 14 +- ...escribeDevicePolicyConfigurationCommand.ts | 14 +- .../src/commands/DescribeDomainCommand.ts | 14 +- .../commands/DescribeFleetMetadataCommand.ts | 14 +- ...ibeIdentityProviderConfigurationCommand.ts | 14 +- ...cribeWebsiteCertificateAuthorityCommand.ts | 14 +- .../src/commands/DisassociateDomainCommand.ts | 14 +- ...iateWebsiteAuthorizationProviderCommand.ts | 14 +- ...ciateWebsiteCertificateAuthorityCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../src/commands/ListDomainsCommand.ts | 14 +- .../src/commands/ListFleetsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- ...istWebsiteAuthorizationProvidersCommand.ts | 14 +- ...istWebsiteCertificateAuthoritiesCommand.ts | 14 +- .../commands/RestoreDomainAccessCommand.ts | 14 +- .../src/commands/RevokeDomainAccessCommand.ts | 14 +- .../src/commands/SignOutUserCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAuditStreamConfigurationCommand.ts | 14 +- ...pdateCompanyNetworkConfigurationCommand.ts | 14 +- .../UpdateDevicePolicyConfigurationCommand.ts | 14 +- .../commands/UpdateDomainMetadataCommand.ts | 14 +- .../commands/UpdateFleetMetadataCommand.ts | 14 +- ...ateIdentityProviderConfigurationCommand.ts | 14 +- clients/client-workmail/package.json | 42 +- .../AssociateDelegateToResourceCommand.ts | 14 +- .../commands/AssociateMemberToGroupCommand.ts | 14 +- .../AssumeImpersonationRoleCommand.ts | 14 +- .../commands/CancelMailboxExportJobCommand.ts | 14 +- .../src/commands/CreateAliasCommand.ts | 14 +- .../CreateAvailabilityConfigurationCommand.ts | 14 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../CreateImpersonationRoleCommand.ts | 14 +- .../CreateMobileDeviceAccessRuleCommand.ts | 14 +- .../src/commands/CreateOrganizationCommand.ts | 14 +- .../src/commands/CreateResourceCommand.ts | 14 +- .../src/commands/CreateUserCommand.ts | 14 +- .../DeleteAccessControlRuleCommand.ts | 14 +- .../src/commands/DeleteAliasCommand.ts | 14 +- .../DeleteAvailabilityConfigurationCommand.ts | 14 +- ...leteEmailMonitoringConfigurationCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../DeleteImpersonationRoleCommand.ts | 14 +- .../DeleteMailboxPermissionsCommand.ts | 14 +- ...DeleteMobileDeviceAccessOverrideCommand.ts | 14 +- .../DeleteMobileDeviceAccessRuleCommand.ts | 14 +- .../src/commands/DeleteOrganizationCommand.ts | 14 +- .../src/commands/DeleteResourceCommand.ts | 14 +- .../commands/DeleteRetentionPolicyCommand.ts | 14 +- .../src/commands/DeleteUserCommand.ts | 14 +- .../commands/DeregisterFromWorkMailCommand.ts | 14 +- .../commands/DeregisterMailDomainCommand.ts | 14 +- ...ribeEmailMonitoringConfigurationCommand.ts | 14 +- .../src/commands/DescribeEntityCommand.ts | 14 +- .../src/commands/DescribeGroupCommand.ts | 14 +- .../DescribeInboundDmarcSettingsCommand.ts | 14 +- .../DescribeMailboxExportJobCommand.ts | 14 +- .../commands/DescribeOrganizationCommand.ts | 14 +- .../src/commands/DescribeResourceCommand.ts | 14 +- .../src/commands/DescribeUserCommand.ts | 14 +- ...DisassociateDelegateFromResourceCommand.ts | 14 +- .../DisassociateMemberFromGroupCommand.ts | 14 +- .../commands/GetAccessControlEffectCommand.ts | 14 +- .../GetDefaultRetentionPolicyCommand.ts | 14 +- .../commands/GetImpersonationRoleCommand.ts | 14 +- .../GetImpersonationRoleEffectCommand.ts | 14 +- .../src/commands/GetMailDomainCommand.ts | 14 +- .../src/commands/GetMailboxDetailsCommand.ts | 14 +- .../GetMobileDeviceAccessEffectCommand.ts | 14 +- .../GetMobileDeviceAccessOverrideCommand.ts | 14 +- .../commands/ListAccessControlRulesCommand.ts | 14 +- .../src/commands/ListAliasesCommand.ts | 14 +- .../ListAvailabilityConfigurationsCommand.ts | 14 +- .../src/commands/ListGroupMembersCommand.ts | 14 +- .../src/commands/ListGroupsCommand.ts | 14 +- .../commands/ListGroupsForEntityCommand.ts | 14 +- .../commands/ListImpersonationRolesCommand.ts | 14 +- .../src/commands/ListMailDomainsCommand.ts | 14 +- .../commands/ListMailboxExportJobsCommand.ts | 14 +- .../commands/ListMailboxPermissionsCommand.ts | 14 +- .../ListMobileDeviceAccessOverridesCommand.ts | 14 +- .../ListMobileDeviceAccessRulesCommand.ts | 14 +- .../src/commands/ListOrganizationsCommand.ts | 14 +- .../commands/ListResourceDelegatesCommand.ts | 14 +- .../src/commands/ListResourcesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/ListUsersCommand.ts | 14 +- .../commands/PutAccessControlRuleCommand.ts | 14 +- .../PutEmailMonitoringConfigurationCommand.ts | 14 +- .../PutInboundDmarcSettingsCommand.ts | 14 +- .../commands/PutMailboxPermissionsCommand.ts | 14 +- .../PutMobileDeviceAccessOverrideCommand.ts | 14 +- .../src/commands/PutRetentionPolicyCommand.ts | 14 +- .../src/commands/RegisterMailDomainCommand.ts | 14 +- .../src/commands/RegisterToWorkMailCommand.ts | 14 +- .../src/commands/ResetPasswordCommand.ts | 14 +- .../commands/StartMailboxExportJobCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../TestAvailabilityConfigurationCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../UpdateAvailabilityConfigurationCommand.ts | 14 +- .../UpdateDefaultMailDomainCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../UpdateImpersonationRoleCommand.ts | 14 +- .../src/commands/UpdateMailboxQuotaCommand.ts | 14 +- .../UpdateMobileDeviceAccessRuleCommand.ts | 14 +- .../UpdatePrimaryEmailAddressCommand.ts | 14 +- .../src/commands/UpdateResourceCommand.ts | 14 +- .../src/commands/UpdateUserCommand.ts | 14 +- .../client-workmailmessageflow/package.json | 44 +- .../commands/GetRawMessageContentCommand.ts | 14 +- .../commands/PutRawMessageContentCommand.ts | 14 +- .../package.json | 42 +- .../src/commands/CreateEnvironmentCommand.ts | 14 +- .../src/commands/DeleteDeviceCommand.ts | 14 +- .../src/commands/DeleteEnvironmentCommand.ts | 14 +- .../src/commands/DeregisterDeviceCommand.ts | 14 +- .../src/commands/GetDeviceCommand.ts | 14 +- .../src/commands/GetEnvironmentCommand.ts | 14 +- .../src/commands/GetSoftwareSetCommand.ts | 14 +- .../src/commands/ListDevicesCommand.ts | 14 +- .../src/commands/ListEnvironmentsCommand.ts | 14 +- .../src/commands/ListSoftwareSetsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateDeviceCommand.ts | 14 +- .../src/commands/UpdateEnvironmentCommand.ts | 14 +- .../src/commands/UpdateSoftwareSetCommand.ts | 14 +- clients/client-workspaces-web/package.json | 42 +- .../AssociateBrowserSettingsCommand.ts | 14 +- .../AssociateIpAccessSettingsCommand.ts | 14 +- .../AssociateNetworkSettingsCommand.ts | 14 +- .../commands/AssociateTrustStoreCommand.ts | 14 +- ...sociateUserAccessLoggingSettingsCommand.ts | 14 +- .../commands/AssociateUserSettingsCommand.ts | 14 +- .../commands/CreateBrowserSettingsCommand.ts | 14 +- .../commands/CreateIdentityProviderCommand.ts | 14 +- .../commands/CreateIpAccessSettingsCommand.ts | 14 +- .../commands/CreateNetworkSettingsCommand.ts | 14 +- .../src/commands/CreatePortalCommand.ts | 14 +- .../src/commands/CreateTrustStoreCommand.ts | 14 +- .../CreateUserAccessLoggingSettingsCommand.ts | 14 +- .../src/commands/CreateUserSettingsCommand.ts | 14 +- .../commands/DeleteBrowserSettingsCommand.ts | 14 +- .../commands/DeleteIdentityProviderCommand.ts | 14 +- .../commands/DeleteIpAccessSettingsCommand.ts | 14 +- .../commands/DeleteNetworkSettingsCommand.ts | 14 +- .../src/commands/DeletePortalCommand.ts | 14 +- .../src/commands/DeleteTrustStoreCommand.ts | 14 +- .../DeleteUserAccessLoggingSettingsCommand.ts | 14 +- .../src/commands/DeleteUserSettingsCommand.ts | 14 +- .../DisassociateBrowserSettingsCommand.ts | 14 +- .../DisassociateIpAccessSettingsCommand.ts | 14 +- .../DisassociateNetworkSettingsCommand.ts | 14 +- .../commands/DisassociateTrustStoreCommand.ts | 14 +- ...sociateUserAccessLoggingSettingsCommand.ts | 14 +- .../DisassociateUserSettingsCommand.ts | 14 +- .../src/commands/GetBrowserSettingsCommand.ts | 14 +- .../commands/GetIdentityProviderCommand.ts | 14 +- .../commands/GetIpAccessSettingsCommand.ts | 14 +- .../src/commands/GetNetworkSettingsCommand.ts | 14 +- .../src/commands/GetPortalCommand.ts | 14 +- ...GetPortalServiceProviderMetadataCommand.ts | 14 +- .../GetTrustStoreCertificateCommand.ts | 14 +- .../src/commands/GetTrustStoreCommand.ts | 14 +- .../GetUserAccessLoggingSettingsCommand.ts | 14 +- .../src/commands/GetUserSettingsCommand.ts | 14 +- .../commands/ListBrowserSettingsCommand.ts | 14 +- .../commands/ListIdentityProvidersCommand.ts | 14 +- .../commands/ListIpAccessSettingsCommand.ts | 14 +- .../commands/ListNetworkSettingsCommand.ts | 14 +- .../src/commands/ListPortalsCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../ListTrustStoreCertificatesCommand.ts | 14 +- .../src/commands/ListTrustStoresCommand.ts | 14 +- .../ListUserAccessLoggingSettingsCommand.ts | 14 +- .../src/commands/ListUserSettingsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../commands/UpdateBrowserSettingsCommand.ts | 14 +- .../commands/UpdateIdentityProviderCommand.ts | 14 +- .../commands/UpdateIpAccessSettingsCommand.ts | 14 +- .../commands/UpdateNetworkSettingsCommand.ts | 14 +- .../src/commands/UpdatePortalCommand.ts | 14 +- .../src/commands/UpdateTrustStoreCommand.ts | 14 +- .../UpdateUserAccessLoggingSettingsCommand.ts | 14 +- .../src/commands/UpdateUserSettingsCommand.ts | 14 +- clients/client-workspaces/package.json | 42 +- .../AcceptAccountLinkInvitationCommand.ts | 14 +- .../AssociateConnectionAliasCommand.ts | 14 +- .../src/commands/AssociateIpGroupsCommand.ts | 14 +- .../AssociateWorkspaceApplicationCommand.ts | 14 +- .../src/commands/AuthorizeIpRulesCommand.ts | 14 +- .../src/commands/CopyWorkspaceImageCommand.ts | 14 +- .../CreateAccountLinkInvitationCommand.ts | 14 +- .../CreateConnectClientAddInCommand.ts | 14 +- .../commands/CreateConnectionAliasCommand.ts | 14 +- .../src/commands/CreateIpGroupCommand.ts | 14 +- .../CreateStandbyWorkspacesCommand.ts | 14 +- .../src/commands/CreateTagsCommand.ts | 14 +- .../CreateUpdatedWorkspaceImageCommand.ts | 14 +- .../commands/CreateWorkspaceBundleCommand.ts | 14 +- .../commands/CreateWorkspaceImageCommand.ts | 14 +- .../src/commands/CreateWorkspacesCommand.ts | 14 +- .../commands/CreateWorkspacesPoolCommand.ts | 14 +- .../DeleteAccountLinkInvitationCommand.ts | 14 +- .../commands/DeleteClientBrandingCommand.ts | 14 +- .../DeleteConnectClientAddInCommand.ts | 14 +- .../commands/DeleteConnectionAliasCommand.ts | 14 +- .../src/commands/DeleteIpGroupCommand.ts | 14 +- .../src/commands/DeleteTagsCommand.ts | 14 +- .../commands/DeleteWorkspaceBundleCommand.ts | 14 +- .../commands/DeleteWorkspaceImageCommand.ts | 14 +- .../DeployWorkspaceApplicationsCommand.ts | 14 +- .../DeregisterWorkspaceDirectoryCommand.ts | 14 +- .../src/commands/DescribeAccountCommand.ts | 14 +- .../DescribeAccountModificationsCommand.ts | 14 +- .../DescribeApplicationAssociationsCommand.ts | 14 +- .../commands/DescribeApplicationsCommand.ts | 14 +- .../DescribeBundleAssociationsCommand.ts | 14 +- .../commands/DescribeClientBrandingCommand.ts | 14 +- .../DescribeClientPropertiesCommand.ts | 14 +- .../DescribeConnectClientAddInsCommand.ts | 14 +- ...scribeConnectionAliasPermissionsCommand.ts | 14 +- .../DescribeConnectionAliasesCommand.ts | 14 +- .../DescribeImageAssociationsCommand.ts | 14 +- .../src/commands/DescribeIpGroupsCommand.ts | 14 +- .../src/commands/DescribeTagsCommand.ts | 14 +- .../DescribeWorkspaceAssociationsCommand.ts | 14 +- .../DescribeWorkspaceBundlesCommand.ts | 14 +- .../DescribeWorkspaceDirectoriesCommand.ts | 14 +- ...escribeWorkspaceImagePermissionsCommand.ts | 14 +- .../DescribeWorkspaceImagesCommand.ts | 14 +- .../DescribeWorkspaceSnapshotsCommand.ts | 14 +- .../src/commands/DescribeWorkspacesCommand.ts | 14 +- ...scribeWorkspacesConnectionStatusCommand.ts | 14 +- .../DescribeWorkspacesPoolSessionsCommand.ts | 14 +- .../DescribeWorkspacesPoolsCommand.ts | 14 +- .../DisassociateConnectionAliasCommand.ts | 14 +- .../commands/DisassociateIpGroupsCommand.ts | 14 +- ...DisassociateWorkspaceApplicationCommand.ts | 14 +- .../src/commands/GetAccountLinkCommand.ts | 14 +- .../commands/ImportClientBrandingCommand.ts | 14 +- .../commands/ImportWorkspaceImageCommand.ts | 14 +- .../src/commands/ListAccountLinksCommand.ts | 14 +- ...istAvailableManagementCidrRangesCommand.ts | 14 +- .../src/commands/MigrateWorkspaceCommand.ts | 14 +- .../src/commands/ModifyAccountCommand.ts | 14 +- ...fyCertificateBasedAuthPropertiesCommand.ts | 14 +- .../commands/ModifyClientPropertiesCommand.ts | 14 +- .../commands/ModifySamlPropertiesCommand.ts | 14 +- .../ModifySelfservicePermissionsCommand.ts | 14 +- .../ModifyStreamingPropertiesCommand.ts | 14 +- .../ModifyWorkspaceAccessPropertiesCommand.ts | 14 +- ...odifyWorkspaceCreationPropertiesCommand.ts | 14 +- .../ModifyWorkspacePropertiesCommand.ts | 14 +- .../commands/ModifyWorkspaceStateCommand.ts | 14 +- .../src/commands/RebootWorkspacesCommand.ts | 14 +- .../src/commands/RebuildWorkspacesCommand.ts | 14 +- .../RegisterWorkspaceDirectoryCommand.ts | 14 +- .../RejectAccountLinkInvitationCommand.ts | 14 +- .../src/commands/RestoreWorkspaceCommand.ts | 14 +- .../src/commands/RevokeIpRulesCommand.ts | 14 +- .../src/commands/StartWorkspacesCommand.ts | 14 +- .../commands/StartWorkspacesPoolCommand.ts | 14 +- .../src/commands/StopWorkspacesCommand.ts | 14 +- .../src/commands/StopWorkspacesPoolCommand.ts | 14 +- .../commands/TerminateWorkspacesCommand.ts | 14 +- .../TerminateWorkspacesPoolCommand.ts | 14 +- .../TerminateWorkspacesPoolSessionCommand.ts | 14 +- .../UpdateConnectClientAddInCommand.ts | 14 +- .../UpdateConnectionAliasPermissionCommand.ts | 14 +- .../commands/UpdateRulesOfIpGroupCommand.ts | 14 +- .../commands/UpdateWorkspaceBundleCommand.ts | 14 +- .../UpdateWorkspaceImagePermissionCommand.ts | 14 +- .../commands/UpdateWorkspacesPoolCommand.ts | 14 +- clients/client-xray/package.json | 42 +- .../src/commands/BatchGetTracesCommand.ts | 14 +- .../src/commands/CreateGroupCommand.ts | 14 +- .../src/commands/CreateSamplingRuleCommand.ts | 14 +- .../src/commands/DeleteGroupCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 14 +- .../src/commands/DeleteSamplingRuleCommand.ts | 14 +- .../commands/GetEncryptionConfigCommand.ts | 14 +- .../src/commands/GetGroupCommand.ts | 14 +- .../src/commands/GetGroupsCommand.ts | 14 +- .../src/commands/GetInsightCommand.ts | 14 +- .../src/commands/GetInsightEventsCommand.ts | 14 +- .../commands/GetInsightImpactGraphCommand.ts | 14 +- .../commands/GetInsightSummariesCommand.ts | 14 +- .../src/commands/GetSamplingRulesCommand.ts | 14 +- .../GetSamplingStatisticSummariesCommand.ts | 14 +- .../src/commands/GetSamplingTargetsCommand.ts | 14 +- .../src/commands/GetServiceGraphCommand.ts | 14 +- .../GetTimeSeriesServiceStatisticsCommand.ts | 14 +- .../src/commands/GetTraceGraphCommand.ts | 14 +- .../src/commands/GetTraceSummariesCommand.ts | 14 +- .../commands/ListResourcePoliciesCommand.ts | 14 +- .../commands/ListTagsForResourceCommand.ts | 14 +- .../commands/PutEncryptionConfigCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 14 +- .../commands/PutTelemetryRecordsCommand.ts | 14 +- .../src/commands/PutTraceSegmentsCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 14 +- .../src/commands/UpdateGroupCommand.ts | 14 +- .../src/commands/UpdateSamplingRuleCommand.ts | 14 +- lib/lib-dynamodb/package.json | 6 +- lib/lib-storage/package.json | 8 +- packages/body-checksum-browser/package.json | 4 +- packages/body-checksum-node/package.json | 4 +- packages/cloudfront-signer/package.json | 2 +- packages/core/package.json | 16 +- .../package.json | 4 +- packages/credential-provider-env/package.json | 4 +- .../credential-provider-http/package.json | 14 +- packages/credential-provider-ini/package.json | 8 +- .../credential-provider-node/package.json | 8 +- .../credential-provider-process/package.json | 6 +- packages/credential-provider-sso/package.json | 6 +- .../package.json | 4 +- packages/credential-providers/package.json | 6 +- packages/ec2-metadata-service/package.json | 10 +- .../eventstream-handler-node/package.json | 4 +- packages/middleware-api-key/package.json | 6 +- .../middleware-bucket-endpoint/package.json | 6 +- .../package.json | 6 +- packages/middleware-eventstream/package.json | 4 +- .../middleware-expect-continue/package.json | 4 +- .../package.json | 10 +- packages/middleware-host-header/package.json | 4 +- .../package.json | 2 +- packages/middleware-logger/package.json | 2 +- .../package.json | 4 +- .../middleware-sdk-api-gateway/package.json | 4 +- packages/middleware-sdk-ec2/package.json | 10 +- packages/middleware-sdk-glacier/package.json | 4 +- .../package.json | 4 +- packages/middleware-sdk-rds/package.json | 8 +- packages/middleware-sdk-route53/package.json | 2 +- .../middleware-sdk-s3-control/package.json | 8 +- packages/middleware-sdk-s3/package.json | 16 +- packages/middleware-sdk-sqs/package.json | 4 +- packages/middleware-sdk-sts/package.json | 2 +- .../package.json | 8 +- packages/middleware-signing/package.json | 10 +- packages/middleware-ssec/package.json | 2 +- packages/middleware-token/package.json | 8 +- packages/middleware-user-agent/package.json | 4 +- packages/middleware-websocket/package.json | 12 +- packages/polly-request-presigner/package.json | 6 +- packages/rds-signer/package.json | 14 +- packages/region-config-resolver/package.json | 6 +- packages/s3-presigned-post/package.json | 6 +- packages/s3-request-presigner/package.json | 10 +- packages/sha256-tree-hash/package.json | 2 +- packages/signature-v4-crt/package.json | 10 +- .../signature-v4-multi-region/package.json | 6 +- packages/smithy-client/package.json | 2 +- packages/token-providers/package.json | 6 +- packages/types/package.json | 2 +- packages/util-create-request/package.json | 8 +- packages/util-endpoints/package.json | 4 +- packages/util-format-url/package.json | 4 +- packages/util-user-agent-browser/package.json | 2 +- packages/util-user-agent-node/package.json | 4 +- packages/xhr-http-handler/package.json | 8 +- packages/xml-builder/package.json | 2 +- private/aws-client-api-test/package.json | 26 +- private/aws-client-retry-test/package.json | 6 +- private/aws-echo-service/package.json | 38 +- .../src/commands/EchoCommand.ts | 14 +- .../src/commands/LengthCommand.ts | 14 +- private/aws-middleware-test/package.json | 6 +- private/aws-protocoltests-ec2/package.json | 40 +- .../src/commands/DatetimeOffsetsCommand.ts | 14 +- .../EmptyInputAndEmptyOutputCommand.ts | 14 +- .../src/commands/EndpointOperationCommand.ts | 14 +- .../EndpointWithHostLabelOperationCommand.ts | 14 +- .../src/commands/FractionalSecondsCommand.ts | 14 +- .../src/commands/GreetingWithErrorsCommand.ts | 14 +- .../commands/HostWithPathOperationCommand.ts | 14 +- .../commands/IgnoresWrappingXmlNameCommand.ts | 14 +- .../src/commands/NestedStructuresCommand.ts | 14 +- .../src/commands/NoInputAndOutputCommand.ts | 14 +- .../commands/PutWithContentEncodingCommand.ts | 14 +- .../QueryIdempotencyTokenAutoFillCommand.ts | 14 +- .../src/commands/QueryListsCommand.ts | 14 +- .../src/commands/QueryTimestampsCommand.ts | 14 +- .../src/commands/RecursiveXmlShapesCommand.ts | 14 +- .../src/commands/SimpleInputParamsCommand.ts | 14 +- .../SimpleScalarXmlPropertiesCommand.ts | 14 +- .../src/commands/XmlBlobsCommand.ts | 14 +- .../src/commands/XmlEmptyBlobsCommand.ts | 14 +- .../src/commands/XmlEmptyListsCommand.ts | 14 +- .../src/commands/XmlEnumsCommand.ts | 14 +- .../src/commands/XmlIntEnumsCommand.ts | 14 +- .../src/commands/XmlListsCommand.ts | 14 +- .../src/commands/XmlNamespacesCommand.ts | 14 +- .../src/commands/XmlTimestampsCommand.ts | 14 +- .../aws-protocoltests-json-10/package.json | 40 +- .../commands/ContentTypeParametersCommand.ts | 14 +- .../EmptyInputAndEmptyOutputCommand.ts | 14 +- .../src/commands/EndpointOperationCommand.ts | 14 +- .../EndpointWithHostLabelOperationCommand.ts | 14 +- .../src/commands/GreetingWithErrorsCommand.ts | 14 +- .../commands/HostWithPathOperationCommand.ts | 14 +- .../src/commands/JsonUnionsCommand.ts | 14 +- .../src/commands/NoInputAndNoOutputCommand.ts | 14 +- .../src/commands/NoInputAndOutputCommand.ts | 14 +- .../commands/OperationWithDefaultsCommand.ts | 14 +- .../OperationWithNestedStructureCommand.ts | 14 +- .../OperationWithRequiredMembersCommand.ts | 14 +- .../commands/PutWithContentEncodingCommand.ts | 14 +- .../commands/SimpleScalarPropertiesCommand.ts | 14 +- .../package.json | 38 +- .../src/commands/PredictCommand.ts | 14 +- private/aws-protocoltests-json/package.json | 40 +- .../commands/ContentTypeParametersCommand.ts | 14 +- .../src/commands/DatetimeOffsetsCommand.ts | 14 +- .../src/commands/EmptyOperationCommand.ts | 14 +- .../src/commands/EndpointOperationCommand.ts | 14 +- .../EndpointWithHostLabelOperationCommand.ts | 14 +- .../src/commands/FractionalSecondsCommand.ts | 14 +- .../src/commands/GreetingWithErrorsCommand.ts | 14 +- .../commands/HostWithPathOperationCommand.ts | 14 +- .../src/commands/JsonEnumsCommand.ts | 14 +- .../src/commands/JsonUnionsCommand.ts | 14 +- .../commands/KitchenSinkOperationCommand.ts | 14 +- .../src/commands/NullOperationCommand.ts | 14 +- ...OperationWithOptionalInputOutputCommand.ts | 14 +- .../PutAndGetInlineDocumentsCommand.ts | 14 +- .../commands/PutWithContentEncodingCommand.ts | 14 +- .../commands/SimpleScalarPropertiesCommand.ts | 14 +- .../commands/SparseNullsOperationCommand.ts | 14 +- private/aws-protocoltests-query/package.json | 40 +- .../src/commands/DatetimeOffsetsCommand.ts | 14 +- .../EmptyInputAndEmptyOutputCommand.ts | 14 +- .../src/commands/EndpointOperationCommand.ts | 14 +- .../EndpointWithHostLabelOperationCommand.ts | 14 +- .../src/commands/FlattenedXmlMapCommand.ts | 14 +- .../FlattenedXmlMapWithXmlNameCommand.ts | 14 +- .../FlattenedXmlMapWithXmlNamespaceCommand.ts | 14 +- .../src/commands/FractionalSecondsCommand.ts | 14 +- .../src/commands/GreetingWithErrorsCommand.ts | 14 +- .../commands/HostWithPathOperationCommand.ts | 14 +- .../commands/IgnoresWrappingXmlNameCommand.ts | 14 +- .../src/commands/NestedStructuresCommand.ts | 14 +- .../src/commands/NoInputAndNoOutputCommand.ts | 14 +- .../src/commands/NoInputAndOutputCommand.ts | 14 +- .../commands/PutWithContentEncodingCommand.ts | 14 +- .../QueryIdempotencyTokenAutoFillCommand.ts | 14 +- .../src/commands/QueryListsCommand.ts | 14 +- .../src/commands/QueryMapsCommand.ts | 14 +- .../src/commands/QueryTimestampsCommand.ts | 14 +- .../src/commands/RecursiveXmlShapesCommand.ts | 14 +- .../src/commands/SimpleInputParamsCommand.ts | 14 +- .../SimpleScalarXmlPropertiesCommand.ts | 14 +- .../src/commands/XmlBlobsCommand.ts | 14 +- .../src/commands/XmlEmptyBlobsCommand.ts | 14 +- .../src/commands/XmlEmptyListsCommand.ts | 14 +- .../src/commands/XmlEmptyMapsCommand.ts | 14 +- .../src/commands/XmlEnumsCommand.ts | 14 +- .../src/commands/XmlIntEnumsCommand.ts | 14 +- .../src/commands/XmlListsCommand.ts | 14 +- .../src/commands/XmlMapsCommand.ts | 14 +- .../src/commands/XmlMapsXmlNameCommand.ts | 14 +- .../src/commands/XmlNamespacesCommand.ts | 14 +- .../src/commands/XmlTimestampsCommand.ts | 14 +- .../package.json | 38 +- .../src/commands/GetRestApisCommand.ts | 14 +- .../package.json | 38 +- .../src/commands/UploadArchiveCommand.ts | 14 +- .../commands/UploadMultipartPartCommand.ts | 14 +- .../aws-protocoltests-restjson/package.json | 52 +- .../commands/AllQueryStringTypesCommand.ts | 14 +- .../ConstantAndVariableQueryStringCommand.ts | 14 +- .../commands/ConstantQueryStringCommand.ts | 14 +- .../commands/ContentTypeParametersCommand.ts | 14 +- .../src/commands/DatetimeOffsetsCommand.ts | 14 +- .../commands/DocumentTypeAsMapValueCommand.ts | 14 +- .../commands/DocumentTypeAsPayloadCommand.ts | 14 +- .../src/commands/DocumentTypeCommand.ts | 14 +- .../EmptyInputAndEmptyOutputCommand.ts | 14 +- .../src/commands/EndpointOperationCommand.ts | 14 +- .../EndpointWithHostLabelOperationCommand.ts | 14 +- .../src/commands/FractionalSecondsCommand.ts | 14 +- .../src/commands/GreetingWithErrorsCommand.ts | 14 +- .../commands/HostWithPathOperationCommand.ts | 14 +- .../commands/HttpChecksumRequiredCommand.ts | 14 +- .../src/commands/HttpEnumPayloadCommand.ts | 14 +- .../src/commands/HttpPayloadTraitsCommand.ts | 14 +- .../HttpPayloadTraitsWithMediaTypeCommand.ts | 14 +- .../HttpPayloadWithStructureCommand.ts | 14 +- .../commands/HttpPayloadWithUnionCommand.ts | 14 +- .../src/commands/HttpPrefixHeadersCommand.ts | 14 +- .../HttpPrefixHeadersInResponseCommand.ts | 14 +- .../HttpRequestWithFloatLabelsCommand.ts | 14 +- ...HttpRequestWithGreedyLabelInPathCommand.ts | 14 +- ...uestWithLabelsAndTimestampFormatCommand.ts | 14 +- .../commands/HttpRequestWithLabelsCommand.ts | 14 +- .../HttpRequestWithRegexLiteralCommand.ts | 14 +- .../src/commands/HttpResponseCodeCommand.ts | 14 +- .../src/commands/HttpStringPayloadCommand.ts | 14 +- .../IgnoreQueryParamsInResponseCommand.ts | 14 +- .../InputAndOutputWithHeadersCommand.ts | 14 +- .../src/commands/JsonBlobsCommand.ts | 14 +- .../src/commands/JsonEnumsCommand.ts | 14 +- .../src/commands/JsonIntEnumsCommand.ts | 14 +- .../src/commands/JsonListsCommand.ts | 14 +- .../src/commands/JsonMapsCommand.ts | 14 +- .../src/commands/JsonTimestampsCommand.ts | 14 +- .../src/commands/JsonUnionsCommand.ts | 14 +- .../MalformedAcceptWithBodyCommand.ts | 14 +- ...MalformedAcceptWithGenericStringCommand.ts | 14 +- .../MalformedAcceptWithPayloadCommand.ts | 14 +- .../src/commands/MalformedBlobCommand.ts | 14 +- .../src/commands/MalformedBooleanCommand.ts | 14 +- .../src/commands/MalformedByteCommand.ts | 14 +- .../MalformedContentTypeWithBodyCommand.ts | 14 +- ...rmedContentTypeWithGenericStringCommand.ts | 14 +- .../MalformedContentTypeWithPayloadCommand.ts | 14 +- .../MalformedContentTypeWithoutBodyCommand.ts | 14 +- .../src/commands/MalformedDoubleCommand.ts | 14 +- .../src/commands/MalformedFloatCommand.ts | 14 +- .../src/commands/MalformedIntegerCommand.ts | 14 +- .../src/commands/MalformedListCommand.ts | 14 +- .../src/commands/MalformedLongCommand.ts | 14 +- .../src/commands/MalformedMapCommand.ts | 14 +- .../commands/MalformedRequestBodyCommand.ts | 14 +- .../src/commands/MalformedShortCommand.ts | 14 +- .../src/commands/MalformedStringCommand.ts | 14 +- .../MalformedTimestampBodyDateTimeCommand.ts | 14 +- .../MalformedTimestampBodyDefaultCommand.ts | 14 +- .../MalformedTimestampBodyHttpDateCommand.ts | 14 +- ...MalformedTimestampHeaderDateTimeCommand.ts | 14 +- .../MalformedTimestampHeaderDefaultCommand.ts | 14 +- .../MalformedTimestampHeaderEpochCommand.ts | 14 +- .../MalformedTimestampPathDefaultCommand.ts | 14 +- .../MalformedTimestampPathEpochCommand.ts | 14 +- .../MalformedTimestampPathHttpDateCommand.ts | 14 +- .../MalformedTimestampQueryDefaultCommand.ts | 14 +- .../MalformedTimestampQueryEpochCommand.ts | 14 +- .../MalformedTimestampQueryHttpDateCommand.ts | 14 +- .../src/commands/MalformedUnionCommand.ts | 14 +- .../src/commands/MediaTypeHeaderCommand.ts | 14 +- .../src/commands/NoInputAndNoOutputCommand.ts | 14 +- .../src/commands/NoInputAndOutputCommand.ts | 14 +- .../NullAndEmptyHeadersClientCommand.ts | 14 +- .../NullAndEmptyHeadersServerCommand.ts | 14 +- .../OmitsNullSerializesEmptyStringCommand.ts | 14 +- .../OmitsSerializingEmptyListsCommand.ts | 14 +- .../commands/OperationWithDefaultsCommand.ts | 14 +- .../OperationWithNestedStructureCommand.ts | 14 +- .../src/commands/PostPlayerActionCommand.ts | 14 +- .../commands/PostUnionWithJsonNameCommand.ts | 14 +- .../commands/PutWithContentEncodingCommand.ts | 14 +- .../QueryIdempotencyTokenAutoFillCommand.ts | 14 +- .../QueryParamsAsStringListMapCommand.ts | 14 +- .../src/commands/QueryPrecedenceCommand.ts | 14 +- .../src/commands/RecursiveShapesCommand.ts | 14 +- .../commands/SimpleScalarPropertiesCommand.ts | 14 +- .../src/commands/SparseJsonListsCommand.ts | 14 +- .../src/commands/SparseJsonMapsCommand.ts | 14 +- .../src/commands/StreamingTraitsCommand.ts | 14 +- .../StreamingTraitsRequireLengthCommand.ts | 14 +- .../StreamingTraitsWithMediaTypeCommand.ts | 14 +- .../src/commands/TestBodyStructureCommand.ts | 14 +- .../commands/TestNoInputNoPayloadCommand.ts | 14 +- .../src/commands/TestNoPayloadCommand.ts | 14 +- .../src/commands/TestPayloadBlobCommand.ts | 14 +- .../commands/TestPayloadStructureCommand.ts | 14 +- .../commands/TimestampFormatHeadersCommand.ts | 14 +- .../src/commands/UnitInputAndOutputCommand.ts | 14 +- .../aws-protocoltests-restxml/package.json | 44 +- .../commands/AllQueryStringTypesCommand.ts | 14 +- .../src/commands/BodyWithXmlNameCommand.ts | 14 +- .../ConstantAndVariableQueryStringCommand.ts | 14 +- .../commands/ConstantQueryStringCommand.ts | 14 +- .../commands/ContentTypeParametersCommand.ts | 14 +- .../src/commands/DatetimeOffsetsCommand.ts | 14 +- .../EmptyInputAndEmptyOutputCommand.ts | 14 +- .../src/commands/EndpointOperationCommand.ts | 14 +- ...ointWithHostLabelHeaderOperationCommand.ts | 14 +- .../EndpointWithHostLabelOperationCommand.ts | 14 +- .../src/commands/FlattenedXmlMapCommand.ts | 14 +- .../FlattenedXmlMapWithXmlNameCommand.ts | 14 +- .../FlattenedXmlMapWithXmlNamespaceCommand.ts | 14 +- .../src/commands/FractionalSecondsCommand.ts | 14 +- .../src/commands/GreetingWithErrorsCommand.ts | 14 +- .../src/commands/HttpEnumPayloadCommand.ts | 14 +- .../src/commands/HttpPayloadTraitsCommand.ts | 14 +- .../HttpPayloadTraitsWithMediaTypeCommand.ts | 14 +- .../HttpPayloadWithMemberXmlNameCommand.ts | 14 +- .../HttpPayloadWithStructureCommand.ts | 14 +- .../commands/HttpPayloadWithUnionCommand.ts | 14 +- .../commands/HttpPayloadWithXmlNameCommand.ts | 14 +- ...PayloadWithXmlNamespaceAndPrefixCommand.ts | 14 +- .../HttpPayloadWithXmlNamespaceCommand.ts | 14 +- .../src/commands/HttpPrefixHeadersCommand.ts | 14 +- .../HttpRequestWithFloatLabelsCommand.ts | 14 +- ...HttpRequestWithGreedyLabelInPathCommand.ts | 14 +- ...uestWithLabelsAndTimestampFormatCommand.ts | 14 +- .../commands/HttpRequestWithLabelsCommand.ts | 14 +- .../src/commands/HttpResponseCodeCommand.ts | 14 +- .../src/commands/HttpStringPayloadCommand.ts | 14 +- .../IgnoreQueryParamsInResponseCommand.ts | 14 +- .../InputAndOutputWithHeadersCommand.ts | 14 +- .../src/commands/NestedXmlMapsCommand.ts | 14 +- .../src/commands/NoInputAndNoOutputCommand.ts | 14 +- .../src/commands/NoInputAndOutputCommand.ts | 14 +- .../NullAndEmptyHeadersClientCommand.ts | 14 +- .../NullAndEmptyHeadersServerCommand.ts | 14 +- .../OmitsNullSerializesEmptyStringCommand.ts | 14 +- .../commands/PutWithContentEncodingCommand.ts | 14 +- .../QueryIdempotencyTokenAutoFillCommand.ts | 14 +- .../QueryParamsAsStringListMapCommand.ts | 14 +- .../src/commands/QueryPrecedenceCommand.ts | 14 +- .../src/commands/RecursiveShapesCommand.ts | 14 +- .../commands/SimpleScalarPropertiesCommand.ts | 14 +- .../commands/TimestampFormatHeadersCommand.ts | 14 +- .../src/commands/XmlAttributesCommand.ts | 14 +- .../commands/XmlAttributesOnPayloadCommand.ts | 14 +- .../src/commands/XmlBlobsCommand.ts | 14 +- .../src/commands/XmlEmptyBlobsCommand.ts | 14 +- .../src/commands/XmlEmptyListsCommand.ts | 14 +- .../src/commands/XmlEmptyMapsCommand.ts | 14 +- .../src/commands/XmlEmptyStringsCommand.ts | 14 +- .../src/commands/XmlEnumsCommand.ts | 14 +- .../src/commands/XmlIntEnumsCommand.ts | 14 +- .../src/commands/XmlListsCommand.ts | 14 +- .../commands/XmlMapWithXmlNamespaceCommand.ts | 14 +- .../src/commands/XmlMapsCommand.ts | 14 +- .../src/commands/XmlMapsXmlNameCommand.ts | 14 +- .../src/commands/XmlNamespacesCommand.ts | 14 +- .../src/commands/XmlTimestampsCommand.ts | 14 +- .../src/commands/XmlUnionsCommand.ts | 14 +- .../package.json | 38 +- .../src/commands/EmptyInputOutputCommand.ts | 14 +- .../src/commands/Float16Command.ts | 14 +- .../src/commands/FractionalSecondsCommand.ts | 14 +- .../src/commands/GreetingWithErrorsCommand.ts | 14 +- .../src/commands/NoInputOutputCommand.ts | 14 +- .../commands/OperationWithDefaultsCommand.ts | 14 +- .../commands/OptionalInputOutputCommand.ts | 14 +- .../src/commands/RecursiveShapesCommand.ts | 14 +- .../src/commands/RpcV2CborDenseMapsCommand.ts | 14 +- .../src/commands/RpcV2CborListsCommand.ts | 14 +- .../commands/RpcV2CborSparseMapsCommand.ts | 14 +- .../commands/SimpleScalarPropertiesCommand.ts | 14 +- .../commands/SparseNullsOperationCommand.ts | 14 +- private/aws-restjson-server/package.json | 30 +- .../package.json | 30 +- private/aws-util-test/package.json | 4 +- private/weather-legacy-auth/package.json | 38 +- .../src/commands/OnlyCustomAuthCommand.ts | 14 +- .../commands/OnlyCustomAuthOptionalCommand.ts | 14 +- .../OnlyHttpApiKeyAndBearerAuthCommand.ts | 14 +- ...yHttpApiKeyAndBearerAuthReversedCommand.ts | 14 +- .../src/commands/OnlyHttpApiKeyAuthCommand.ts | 14 +- .../OnlyHttpApiKeyAuthOptionalCommand.ts | 14 +- .../src/commands/OnlyHttpBearerAuthCommand.ts | 14 +- .../OnlyHttpBearerAuthOptionalCommand.ts | 14 +- .../src/commands/OnlySigv4AuthCommand.ts | 14 +- .../commands/OnlySigv4AuthOptionalCommand.ts | 14 +- .../src/commands/SameAsServiceCommand.ts | 14 +- private/weather/package.json | 40 +- .../src/commands/OnlyCustomAuthCommand.ts | 14 +- .../commands/OnlyCustomAuthOptionalCommand.ts | 14 +- .../OnlyHttpApiKeyAndBearerAuthCommand.ts | 14 +- ...yHttpApiKeyAndBearerAuthReversedCommand.ts | 14 +- .../src/commands/OnlyHttpApiKeyAuthCommand.ts | 14 +- .../OnlyHttpApiKeyAuthOptionalCommand.ts | 14 +- .../src/commands/OnlyHttpBearerAuthCommand.ts | 14 +- .../OnlyHttpBearerAuthOptionalCommand.ts | 14 +- .../src/commands/OnlySigv4AuthCommand.ts | 14 +- .../commands/OnlySigv4AuthOptionalCommand.ts | 14 +- .../src/commands/SameAsServiceCommand.ts | 14 +- scripts/generate-clients/config.js | 2 +- yarn.lock | 554 +++++++++--------- 16498 files changed, 217404 insertions(+), 25044 deletions(-) diff --git a/clients/client-accessanalyzer/package.json b/clients/client-accessanalyzer/package.json index 6a7849d82720..ab76ee6bec5a 100644 --- a/clients/client-accessanalyzer/package.json +++ b/clients/client-accessanalyzer/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-accessanalyzer/src/commands/ApplyArchiveRuleCommand.ts b/clients/client-accessanalyzer/src/commands/ApplyArchiveRuleCommand.ts index 64c98ce8e364..72288481db15 100644 --- a/clients/client-accessanalyzer/src/commands/ApplyArchiveRuleCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ApplyArchiveRuleCommand.ts @@ -93,4 +93,16 @@ export class ApplyArchiveRuleCommand extends $Command .f(void 0, void 0) .ser(se_ApplyArchiveRuleCommand) .de(de_ApplyArchiveRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplyArchiveRuleRequest; + output: {}; + }; + sdk: { + input: ApplyArchiveRuleCommandInput; + output: ApplyArchiveRuleCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/CancelPolicyGenerationCommand.ts b/clients/client-accessanalyzer/src/commands/CancelPolicyGenerationCommand.ts index 2110bc066302..e5f5bc9ef4da 100644 --- a/clients/client-accessanalyzer/src/commands/CancelPolicyGenerationCommand.ts +++ b/clients/client-accessanalyzer/src/commands/CancelPolicyGenerationCommand.ts @@ -87,4 +87,16 @@ export class CancelPolicyGenerationCommand extends $Command .f(void 0, void 0) .ser(se_CancelPolicyGenerationCommand) .de(de_CancelPolicyGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelPolicyGenerationRequest; + output: {}; + }; + sdk: { + input: CancelPolicyGenerationCommandInput; + output: CancelPolicyGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/CheckAccessNotGrantedCommand.ts b/clients/client-accessanalyzer/src/commands/CheckAccessNotGrantedCommand.ts index 15880409c4ee..5b281a18344c 100644 --- a/clients/client-accessanalyzer/src/commands/CheckAccessNotGrantedCommand.ts +++ b/clients/client-accessanalyzer/src/commands/CheckAccessNotGrantedCommand.ts @@ -200,4 +200,16 @@ export class CheckAccessNotGrantedCommand extends $Command .f(CheckAccessNotGrantedRequestFilterSensitiveLog, void 0) .ser(se_CheckAccessNotGrantedCommand) .de(de_CheckAccessNotGrantedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckAccessNotGrantedRequest; + output: CheckAccessNotGrantedResponse; + }; + sdk: { + input: CheckAccessNotGrantedCommandInput; + output: CheckAccessNotGrantedCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/CheckNoNewAccessCommand.ts b/clients/client-accessanalyzer/src/commands/CheckNoNewAccessCommand.ts index ba39225e0583..20263d879397 100644 --- a/clients/client-accessanalyzer/src/commands/CheckNoNewAccessCommand.ts +++ b/clients/client-accessanalyzer/src/commands/CheckNoNewAccessCommand.ts @@ -114,4 +114,16 @@ export class CheckNoNewAccessCommand extends $Command .f(CheckNoNewAccessRequestFilterSensitiveLog, void 0) .ser(se_CheckNoNewAccessCommand) .de(de_CheckNoNewAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckNoNewAccessRequest; + output: CheckNoNewAccessResponse; + }; + sdk: { + input: CheckNoNewAccessCommandInput; + output: CheckNoNewAccessCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/CheckNoPublicAccessCommand.ts b/clients/client-accessanalyzer/src/commands/CheckNoPublicAccessCommand.ts index ec5183e54246..5d2a64103fcd 100644 --- a/clients/client-accessanalyzer/src/commands/CheckNoPublicAccessCommand.ts +++ b/clients/client-accessanalyzer/src/commands/CheckNoPublicAccessCommand.ts @@ -152,4 +152,16 @@ export class CheckNoPublicAccessCommand extends $Command .f(CheckNoPublicAccessRequestFilterSensitiveLog, void 0) .ser(se_CheckNoPublicAccessCommand) .de(de_CheckNoPublicAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckNoPublicAccessRequest; + output: CheckNoPublicAccessResponse; + }; + sdk: { + input: CheckNoPublicAccessCommandInput; + output: CheckNoPublicAccessCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/CreateAccessPreviewCommand.ts b/clients/client-accessanalyzer/src/commands/CreateAccessPreviewCommand.ts index b043752f5e13..4a695fa0dbf6 100644 --- a/clients/client-accessanalyzer/src/commands/CreateAccessPreviewCommand.ts +++ b/clients/client-accessanalyzer/src/commands/CreateAccessPreviewCommand.ts @@ -215,4 +215,16 @@ export class CreateAccessPreviewCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessPreviewCommand) .de(de_CreateAccessPreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessPreviewRequest; + output: CreateAccessPreviewResponse; + }; + sdk: { + input: CreateAccessPreviewCommandInput; + output: CreateAccessPreviewCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/CreateAnalyzerCommand.ts b/clients/client-accessanalyzer/src/commands/CreateAnalyzerCommand.ts index 3f542496c849..a5f439779d64 100644 --- a/clients/client-accessanalyzer/src/commands/CreateAnalyzerCommand.ts +++ b/clients/client-accessanalyzer/src/commands/CreateAnalyzerCommand.ts @@ -124,4 +124,16 @@ export class CreateAnalyzerCommand extends $Command .f(void 0, void 0) .ser(se_CreateAnalyzerCommand) .de(de_CreateAnalyzerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnalyzerRequest; + output: CreateAnalyzerResponse; + }; + sdk: { + input: CreateAnalyzerCommandInput; + output: CreateAnalyzerCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/CreateArchiveRuleCommand.ts b/clients/client-accessanalyzer/src/commands/CreateArchiveRuleCommand.ts index 270707c69743..497934690022 100644 --- a/clients/client-accessanalyzer/src/commands/CreateArchiveRuleCommand.ts +++ b/clients/client-accessanalyzer/src/commands/CreateArchiveRuleCommand.ts @@ -114,4 +114,16 @@ export class CreateArchiveRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateArchiveRuleCommand) .de(de_CreateArchiveRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateArchiveRuleRequest; + output: {}; + }; + sdk: { + input: CreateArchiveRuleCommandInput; + output: CreateArchiveRuleCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/DeleteAnalyzerCommand.ts b/clients/client-accessanalyzer/src/commands/DeleteAnalyzerCommand.ts index e2b1b6690d32..e553c08427fe 100644 --- a/clients/client-accessanalyzer/src/commands/DeleteAnalyzerCommand.ts +++ b/clients/client-accessanalyzer/src/commands/DeleteAnalyzerCommand.ts @@ -93,4 +93,16 @@ export class DeleteAnalyzerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnalyzerCommand) .de(de_DeleteAnalyzerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnalyzerRequest; + output: {}; + }; + sdk: { + input: DeleteAnalyzerCommandInput; + output: DeleteAnalyzerCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/DeleteArchiveRuleCommand.ts b/clients/client-accessanalyzer/src/commands/DeleteArchiveRuleCommand.ts index 2ad4ff2b8f71..e4a94f110b07 100644 --- a/clients/client-accessanalyzer/src/commands/DeleteArchiveRuleCommand.ts +++ b/clients/client-accessanalyzer/src/commands/DeleteArchiveRuleCommand.ts @@ -92,4 +92,16 @@ export class DeleteArchiveRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteArchiveRuleCommand) .de(de_DeleteArchiveRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteArchiveRuleRequest; + output: {}; + }; + sdk: { + input: DeleteArchiveRuleCommandInput; + output: DeleteArchiveRuleCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GenerateFindingRecommendationCommand.ts b/clients/client-accessanalyzer/src/commands/GenerateFindingRecommendationCommand.ts index 5e0e071e06e9..07b70c13a79c 100644 --- a/clients/client-accessanalyzer/src/commands/GenerateFindingRecommendationCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GenerateFindingRecommendationCommand.ts @@ -115,4 +115,16 @@ export class GenerateFindingRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_GenerateFindingRecommendationCommand) .de(de_GenerateFindingRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateFindingRecommendationRequest; + output: {}; + }; + sdk: { + input: GenerateFindingRecommendationCommandInput; + output: GenerateFindingRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetAccessPreviewCommand.ts b/clients/client-accessanalyzer/src/commands/GetAccessPreviewCommand.ts index b95fdc254cf5..731d7e398f97 100644 --- a/clients/client-accessanalyzer/src/commands/GetAccessPreviewCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GetAccessPreviewCommand.ts @@ -216,4 +216,16 @@ export class GetAccessPreviewCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPreviewCommand) .de(de_GetAccessPreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPreviewRequest; + output: GetAccessPreviewResponse; + }; + sdk: { + input: GetAccessPreviewCommandInput; + output: GetAccessPreviewCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetAnalyzedResourceCommand.ts b/clients/client-accessanalyzer/src/commands/GetAnalyzedResourceCommand.ts index ff81e72da74b..5e209707e641 100644 --- a/clients/client-accessanalyzer/src/commands/GetAnalyzedResourceCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GetAnalyzedResourceCommand.ts @@ -109,4 +109,16 @@ export class GetAnalyzedResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetAnalyzedResourceCommand) .de(de_GetAnalyzedResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnalyzedResourceRequest; + output: GetAnalyzedResourceResponse; + }; + sdk: { + input: GetAnalyzedResourceCommandInput; + output: GetAnalyzedResourceCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetAnalyzerCommand.ts b/clients/client-accessanalyzer/src/commands/GetAnalyzerCommand.ts index 245b0b06161a..b02f188b0747 100644 --- a/clients/client-accessanalyzer/src/commands/GetAnalyzerCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GetAnalyzerCommand.ts @@ -111,4 +111,16 @@ export class GetAnalyzerCommand extends $Command .f(void 0, void 0) .ser(se_GetAnalyzerCommand) .de(de_GetAnalyzerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnalyzerRequest; + output: GetAnalyzerResponse; + }; + sdk: { + input: GetAnalyzerCommandInput; + output: GetAnalyzerCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetArchiveRuleCommand.ts b/clients/client-accessanalyzer/src/commands/GetArchiveRuleCommand.ts index 8568dd85030d..7a2d5242f69e 100644 --- a/clients/client-accessanalyzer/src/commands/GetArchiveRuleCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GetArchiveRuleCommand.ts @@ -112,4 +112,16 @@ export class GetArchiveRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetArchiveRuleCommand) .de(de_GetArchiveRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchiveRuleRequest; + output: GetArchiveRuleResponse; + }; + sdk: { + input: GetArchiveRuleCommandInput; + output: GetArchiveRuleCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetFindingCommand.ts b/clients/client-accessanalyzer/src/commands/GetFindingCommand.ts index bfaa15bef847..fa09a93e32db 100644 --- a/clients/client-accessanalyzer/src/commands/GetFindingCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GetFindingCommand.ts @@ -125,4 +125,16 @@ export class GetFindingCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingCommand) .de(de_GetFindingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingRequest; + output: GetFindingResponse; + }; + sdk: { + input: GetFindingCommandInput; + output: GetFindingCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetFindingRecommendationCommand.ts b/clients/client-accessanalyzer/src/commands/GetFindingRecommendationCommand.ts index bfb03ccb0b8a..f047e57e3f0c 100644 --- a/clients/client-accessanalyzer/src/commands/GetFindingRecommendationCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GetFindingRecommendationCommand.ts @@ -211,4 +211,16 @@ export class GetFindingRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingRecommendationCommand) .de(de_GetFindingRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingRecommendationRequest; + output: GetFindingRecommendationResponse; + }; + sdk: { + input: GetFindingRecommendationCommandInput; + output: GetFindingRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetFindingV2Command.ts b/clients/client-accessanalyzer/src/commands/GetFindingV2Command.ts index 67cc593580a3..fbb948478c4f 100644 --- a/clients/client-accessanalyzer/src/commands/GetFindingV2Command.ts +++ b/clients/client-accessanalyzer/src/commands/GetFindingV2Command.ts @@ -153,4 +153,16 @@ export class GetFindingV2Command extends $Command .f(void 0, void 0) .ser(se_GetFindingV2Command) .de(de_GetFindingV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingV2Request; + output: GetFindingV2Response; + }; + sdk: { + input: GetFindingV2CommandInput; + output: GetFindingV2CommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/GetGeneratedPolicyCommand.ts b/clients/client-accessanalyzer/src/commands/GetGeneratedPolicyCommand.ts index 5725d77aba42..5944beee1a03 100644 --- a/clients/client-accessanalyzer/src/commands/GetGeneratedPolicyCommand.ts +++ b/clients/client-accessanalyzer/src/commands/GetGeneratedPolicyCommand.ts @@ -125,4 +125,16 @@ export class GetGeneratedPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetGeneratedPolicyCommand) .de(de_GetGeneratedPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGeneratedPolicyRequest; + output: GetGeneratedPolicyResponse; + }; + sdk: { + input: GetGeneratedPolicyCommandInput; + output: GetGeneratedPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListAccessPreviewFindingsCommand.ts b/clients/client-accessanalyzer/src/commands/ListAccessPreviewFindingsCommand.ts index e4a618b95f60..6d2ae12f3bba 100644 --- a/clients/client-accessanalyzer/src/commands/ListAccessPreviewFindingsCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListAccessPreviewFindingsCommand.ts @@ -146,4 +146,16 @@ export class ListAccessPreviewFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessPreviewFindingsCommand) .de(de_ListAccessPreviewFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessPreviewFindingsRequest; + output: ListAccessPreviewFindingsResponse; + }; + sdk: { + input: ListAccessPreviewFindingsCommandInput; + output: ListAccessPreviewFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListAccessPreviewsCommand.ts b/clients/client-accessanalyzer/src/commands/ListAccessPreviewsCommand.ts index 245ebea8cd1b..5b68cab60006 100644 --- a/clients/client-accessanalyzer/src/commands/ListAccessPreviewsCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListAccessPreviewsCommand.ts @@ -105,4 +105,16 @@ export class ListAccessPreviewsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessPreviewsCommand) .de(de_ListAccessPreviewsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessPreviewsRequest; + output: ListAccessPreviewsResponse; + }; + sdk: { + input: ListAccessPreviewsCommandInput; + output: ListAccessPreviewsCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListAnalyzedResourcesCommand.ts b/clients/client-accessanalyzer/src/commands/ListAnalyzedResourcesCommand.ts index 313cf000e238..2f9608eff756 100644 --- a/clients/client-accessanalyzer/src/commands/ListAnalyzedResourcesCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListAnalyzedResourcesCommand.ts @@ -104,4 +104,16 @@ export class ListAnalyzedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListAnalyzedResourcesCommand) .de(de_ListAnalyzedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnalyzedResourcesRequest; + output: ListAnalyzedResourcesResponse; + }; + sdk: { + input: ListAnalyzedResourcesCommandInput; + output: ListAnalyzedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListAnalyzersCommand.ts b/clients/client-accessanalyzer/src/commands/ListAnalyzersCommand.ts index 94ef387361a9..fed3137d71ad 100644 --- a/clients/client-accessanalyzer/src/commands/ListAnalyzersCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListAnalyzersCommand.ts @@ -113,4 +113,16 @@ export class ListAnalyzersCommand extends $Command .f(void 0, void 0) .ser(se_ListAnalyzersCommand) .de(de_ListAnalyzersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnalyzersRequest; + output: ListAnalyzersResponse; + }; + sdk: { + input: ListAnalyzersCommandInput; + output: ListAnalyzersCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListArchiveRulesCommand.ts b/clients/client-accessanalyzer/src/commands/ListArchiveRulesCommand.ts index 4ca37ea511cc..1b97cfe7500c 100644 --- a/clients/client-accessanalyzer/src/commands/ListArchiveRulesCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListArchiveRulesCommand.ts @@ -112,4 +112,16 @@ export class ListArchiveRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListArchiveRulesCommand) .de(de_ListArchiveRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArchiveRulesRequest; + output: ListArchiveRulesResponse; + }; + sdk: { + input: ListArchiveRulesCommandInput; + output: ListArchiveRulesCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListFindingsCommand.ts b/clients/client-accessanalyzer/src/commands/ListFindingsCommand.ts index a19a1630470e..66d0e7fee9f1 100644 --- a/clients/client-accessanalyzer/src/commands/ListFindingsCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListFindingsCommand.ts @@ -148,4 +148,16 @@ export class ListFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsCommand) .de(de_ListFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsRequest; + output: ListFindingsResponse; + }; + sdk: { + input: ListFindingsCommandInput; + output: ListFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListFindingsV2Command.ts b/clients/client-accessanalyzer/src/commands/ListFindingsV2Command.ts index fb450a62eee0..097d102f93a6 100644 --- a/clients/client-accessanalyzer/src/commands/ListFindingsV2Command.ts +++ b/clients/client-accessanalyzer/src/commands/ListFindingsV2Command.ts @@ -130,4 +130,16 @@ export class ListFindingsV2Command extends $Command .f(void 0, void 0) .ser(se_ListFindingsV2Command) .de(de_ListFindingsV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsV2Request; + output: ListFindingsV2Response; + }; + sdk: { + input: ListFindingsV2CommandInput; + output: ListFindingsV2CommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListPolicyGenerationsCommand.ts b/clients/client-accessanalyzer/src/commands/ListPolicyGenerationsCommand.ts index b0cc4ad8ba02..1c15d65ab18b 100644 --- a/clients/client-accessanalyzer/src/commands/ListPolicyGenerationsCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListPolicyGenerationsCommand.ts @@ -100,4 +100,16 @@ export class ListPolicyGenerationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPolicyGenerationsCommand) .de(de_ListPolicyGenerationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyGenerationsRequest; + output: ListPolicyGenerationsResponse; + }; + sdk: { + input: ListPolicyGenerationsCommandInput; + output: ListPolicyGenerationsCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ListTagsForResourceCommand.ts b/clients/client-accessanalyzer/src/commands/ListTagsForResourceCommand.ts index 0b82be0456cc..28803e001a36 100644 --- a/clients/client-accessanalyzer/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/StartPolicyGenerationCommand.ts b/clients/client-accessanalyzer/src/commands/StartPolicyGenerationCommand.ts index 65d147894c59..2077e04bce15 100644 --- a/clients/client-accessanalyzer/src/commands/StartPolicyGenerationCommand.ts +++ b/clients/client-accessanalyzer/src/commands/StartPolicyGenerationCommand.ts @@ -112,4 +112,16 @@ export class StartPolicyGenerationCommand extends $Command .f(void 0, void 0) .ser(se_StartPolicyGenerationCommand) .de(de_StartPolicyGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPolicyGenerationRequest; + output: StartPolicyGenerationResponse; + }; + sdk: { + input: StartPolicyGenerationCommandInput; + output: StartPolicyGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/StartResourceScanCommand.ts b/clients/client-accessanalyzer/src/commands/StartResourceScanCommand.ts index 52561121f9eb..92bd11ea2f2e 100644 --- a/clients/client-accessanalyzer/src/commands/StartResourceScanCommand.ts +++ b/clients/client-accessanalyzer/src/commands/StartResourceScanCommand.ts @@ -92,4 +92,16 @@ export class StartResourceScanCommand extends $Command .f(void 0, void 0) .ser(se_StartResourceScanCommand) .de(de_StartResourceScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartResourceScanRequest; + output: {}; + }; + sdk: { + input: StartResourceScanCommandInput; + output: StartResourceScanCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/TagResourceCommand.ts b/clients/client-accessanalyzer/src/commands/TagResourceCommand.ts index 6bb0191c5269..165670d8e749 100644 --- a/clients/client-accessanalyzer/src/commands/TagResourceCommand.ts +++ b/clients/client-accessanalyzer/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/UntagResourceCommand.ts b/clients/client-accessanalyzer/src/commands/UntagResourceCommand.ts index f7be712f3c9f..8f86f203074e 100644 --- a/clients/client-accessanalyzer/src/commands/UntagResourceCommand.ts +++ b/clients/client-accessanalyzer/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/UpdateArchiveRuleCommand.ts b/clients/client-accessanalyzer/src/commands/UpdateArchiveRuleCommand.ts index 70babafec573..f8c196f278c2 100644 --- a/clients/client-accessanalyzer/src/commands/UpdateArchiveRuleCommand.ts +++ b/clients/client-accessanalyzer/src/commands/UpdateArchiveRuleCommand.ts @@ -106,4 +106,16 @@ export class UpdateArchiveRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateArchiveRuleCommand) .de(de_UpdateArchiveRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateArchiveRuleRequest; + output: {}; + }; + sdk: { + input: UpdateArchiveRuleCommandInput; + output: UpdateArchiveRuleCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/UpdateFindingsCommand.ts b/clients/client-accessanalyzer/src/commands/UpdateFindingsCommand.ts index 8582f5728c5a..58f5fcb94a43 100644 --- a/clients/client-accessanalyzer/src/commands/UpdateFindingsCommand.ts +++ b/clients/client-accessanalyzer/src/commands/UpdateFindingsCommand.ts @@ -96,4 +96,16 @@ export class UpdateFindingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFindingsCommand) .de(de_UpdateFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFindingsRequest; + output: {}; + }; + sdk: { + input: UpdateFindingsCommandInput; + output: UpdateFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-accessanalyzer/src/commands/ValidatePolicyCommand.ts b/clients/client-accessanalyzer/src/commands/ValidatePolicyCommand.ts index 159617f78c5e..0d2ed30a7bb4 100644 --- a/clients/client-accessanalyzer/src/commands/ValidatePolicyCommand.ts +++ b/clients/client-accessanalyzer/src/commands/ValidatePolicyCommand.ts @@ -131,4 +131,16 @@ export class ValidatePolicyCommand extends $Command .f(void 0, void 0) .ser(se_ValidatePolicyCommand) .de(de_ValidatePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidatePolicyRequest; + output: ValidatePolicyResponse; + }; + sdk: { + input: ValidatePolicyCommandInput; + output: ValidatePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-account/package.json b/clients/client-account/package.json index a7ae4bf00b8e..2b251512e417 100644 --- a/clients/client-account/package.json +++ b/clients/client-account/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-account/src/commands/AcceptPrimaryEmailUpdateCommand.ts b/clients/client-account/src/commands/AcceptPrimaryEmailUpdateCommand.ts index 0aaaad06ed81..fa8050cb72c9 100644 --- a/clients/client-account/src/commands/AcceptPrimaryEmailUpdateCommand.ts +++ b/clients/client-account/src/commands/AcceptPrimaryEmailUpdateCommand.ts @@ -107,4 +107,16 @@ export class AcceptPrimaryEmailUpdateCommand extends $Command .f(AcceptPrimaryEmailUpdateRequestFilterSensitiveLog, void 0) .ser(se_AcceptPrimaryEmailUpdateCommand) .de(de_AcceptPrimaryEmailUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptPrimaryEmailUpdateRequest; + output: AcceptPrimaryEmailUpdateResponse; + }; + sdk: { + input: AcceptPrimaryEmailUpdateCommandInput; + output: AcceptPrimaryEmailUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/DeleteAlternateContactCommand.ts b/clients/client-account/src/commands/DeleteAlternateContactCommand.ts index 83ddae7a6c12..944b54b3d2f8 100644 --- a/clients/client-account/src/commands/DeleteAlternateContactCommand.ts +++ b/clients/client-account/src/commands/DeleteAlternateContactCommand.ts @@ -102,4 +102,16 @@ export class DeleteAlternateContactCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAlternateContactCommand) .de(de_DeleteAlternateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAlternateContactRequest; + output: {}; + }; + sdk: { + input: DeleteAlternateContactCommandInput; + output: DeleteAlternateContactCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/DisableRegionCommand.ts b/clients/client-account/src/commands/DisableRegionCommand.ts index 37f2a9ac6a1b..658a5f5f0048 100644 --- a/clients/client-account/src/commands/DisableRegionCommand.ts +++ b/clients/client-account/src/commands/DisableRegionCommand.ts @@ -100,4 +100,16 @@ export class DisableRegionCommand extends $Command .f(void 0, void 0) .ser(se_DisableRegionCommand) .de(de_DisableRegionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableRegionRequest; + output: {}; + }; + sdk: { + input: DisableRegionCommandInput; + output: DisableRegionCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/EnableRegionCommand.ts b/clients/client-account/src/commands/EnableRegionCommand.ts index a1e159e3e11d..5970d91ab862 100644 --- a/clients/client-account/src/commands/EnableRegionCommand.ts +++ b/clients/client-account/src/commands/EnableRegionCommand.ts @@ -96,4 +96,16 @@ export class EnableRegionCommand extends $Command .f(void 0, void 0) .ser(se_EnableRegionCommand) .de(de_EnableRegionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableRegionRequest; + output: {}; + }; + sdk: { + input: EnableRegionCommandInput; + output: EnableRegionCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/GetAlternateContactCommand.ts b/clients/client-account/src/commands/GetAlternateContactCommand.ts index e2522d75cd56..97d95bd19e97 100644 --- a/clients/client-account/src/commands/GetAlternateContactCommand.ts +++ b/clients/client-account/src/commands/GetAlternateContactCommand.ts @@ -114,4 +114,16 @@ export class GetAlternateContactCommand extends $Command .f(void 0, GetAlternateContactResponseFilterSensitiveLog) .ser(se_GetAlternateContactCommand) .de(de_GetAlternateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAlternateContactRequest; + output: GetAlternateContactResponse; + }; + sdk: { + input: GetAlternateContactCommandInput; + output: GetAlternateContactCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/GetContactInformationCommand.ts b/clients/client-account/src/commands/GetContactInformationCommand.ts index 0abe427f9c3f..dea48dfd66fa 100644 --- a/clients/client-account/src/commands/GetContactInformationCommand.ts +++ b/clients/client-account/src/commands/GetContactInformationCommand.ts @@ -114,4 +114,16 @@ export class GetContactInformationCommand extends $Command .f(void 0, GetContactInformationResponseFilterSensitiveLog) .ser(se_GetContactInformationCommand) .de(de_GetContactInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactInformationRequest; + output: GetContactInformationResponse; + }; + sdk: { + input: GetContactInformationCommandInput; + output: GetContactInformationCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/GetPrimaryEmailCommand.ts b/clients/client-account/src/commands/GetPrimaryEmailCommand.ts index 74b30f351abf..10d324e136e8 100644 --- a/clients/client-account/src/commands/GetPrimaryEmailCommand.ts +++ b/clients/client-account/src/commands/GetPrimaryEmailCommand.ts @@ -99,4 +99,16 @@ export class GetPrimaryEmailCommand extends $Command .f(void 0, GetPrimaryEmailResponseFilterSensitiveLog) .ser(se_GetPrimaryEmailCommand) .de(de_GetPrimaryEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPrimaryEmailRequest; + output: GetPrimaryEmailResponse; + }; + sdk: { + input: GetPrimaryEmailCommandInput; + output: GetPrimaryEmailCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/GetRegionOptStatusCommand.ts b/clients/client-account/src/commands/GetRegionOptStatusCommand.ts index e5da4bb02c98..0fbb1d606a19 100644 --- a/clients/client-account/src/commands/GetRegionOptStatusCommand.ts +++ b/clients/client-account/src/commands/GetRegionOptStatusCommand.ts @@ -94,4 +94,16 @@ export class GetRegionOptStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetRegionOptStatusCommand) .de(de_GetRegionOptStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegionOptStatusRequest; + output: GetRegionOptStatusResponse; + }; + sdk: { + input: GetRegionOptStatusCommandInput; + output: GetRegionOptStatusCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/ListRegionsCommand.ts b/clients/client-account/src/commands/ListRegionsCommand.ts index eccbe1269642..7750dbe65c63 100644 --- a/clients/client-account/src/commands/ListRegionsCommand.ts +++ b/clients/client-account/src/commands/ListRegionsCommand.ts @@ -105,4 +105,16 @@ export class ListRegionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegionsCommand) .de(de_ListRegionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegionsRequest; + output: ListRegionsResponse; + }; + sdk: { + input: ListRegionsCommandInput; + output: ListRegionsCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/PutAlternateContactCommand.ts b/clients/client-account/src/commands/PutAlternateContactCommand.ts index 31eb24790d53..451a725af621 100644 --- a/clients/client-account/src/commands/PutAlternateContactCommand.ts +++ b/clients/client-account/src/commands/PutAlternateContactCommand.ts @@ -103,4 +103,16 @@ export class PutAlternateContactCommand extends $Command .f(PutAlternateContactRequestFilterSensitiveLog, void 0) .ser(se_PutAlternateContactCommand) .de(de_PutAlternateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAlternateContactRequest; + output: {}; + }; + sdk: { + input: PutAlternateContactCommandInput; + output: PutAlternateContactCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/PutContactInformationCommand.ts b/clients/client-account/src/commands/PutContactInformationCommand.ts index 77fe1ca19e5d..85d62ef1a6cd 100644 --- a/clients/client-account/src/commands/PutContactInformationCommand.ts +++ b/clients/client-account/src/commands/PutContactInformationCommand.ts @@ -106,4 +106,16 @@ export class PutContactInformationCommand extends $Command .f(PutContactInformationRequestFilterSensitiveLog, void 0) .ser(se_PutContactInformationCommand) .de(de_PutContactInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutContactInformationRequest; + output: {}; + }; + sdk: { + input: PutContactInformationCommandInput; + output: PutContactInformationCommandOutput; + }; + }; +} diff --git a/clients/client-account/src/commands/StartPrimaryEmailUpdateCommand.ts b/clients/client-account/src/commands/StartPrimaryEmailUpdateCommand.ts index b67629322bb9..af4e2988233e 100644 --- a/clients/client-account/src/commands/StartPrimaryEmailUpdateCommand.ts +++ b/clients/client-account/src/commands/StartPrimaryEmailUpdateCommand.ts @@ -106,4 +106,16 @@ export class StartPrimaryEmailUpdateCommand extends $Command .f(StartPrimaryEmailUpdateRequestFilterSensitiveLog, void 0) .ser(se_StartPrimaryEmailUpdateCommand) .de(de_StartPrimaryEmailUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPrimaryEmailUpdateRequest; + output: StartPrimaryEmailUpdateResponse; + }; + sdk: { + input: StartPrimaryEmailUpdateCommandInput; + output: StartPrimaryEmailUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/package.json b/clients/client-acm-pca/package.json index 08b220db12f1..148b174480e4 100644 --- a/clients/client-acm-pca/package.json +++ b/clients/client-acm-pca/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-acm-pca/src/commands/CreateCertificateAuthorityAuditReportCommand.ts b/clients/client-acm-pca/src/commands/CreateCertificateAuthorityAuditReportCommand.ts index fb4b706d9733..a58028a6ff8f 100644 --- a/clients/client-acm-pca/src/commands/CreateCertificateAuthorityAuditReportCommand.ts +++ b/clients/client-acm-pca/src/commands/CreateCertificateAuthorityAuditReportCommand.ts @@ -124,4 +124,16 @@ export class CreateCertificateAuthorityAuditReportCommand extends $Command .f(void 0, void 0) .ser(se_CreateCertificateAuthorityAuditReportCommand) .de(de_CreateCertificateAuthorityAuditReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCertificateAuthorityAuditReportRequest; + output: CreateCertificateAuthorityAuditReportResponse; + }; + sdk: { + input: CreateCertificateAuthorityAuditReportCommandInput; + output: CreateCertificateAuthorityAuditReportCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/CreateCertificateAuthorityCommand.ts b/clients/client-acm-pca/src/commands/CreateCertificateAuthorityCommand.ts index 5636f1f31077..a8d5451f047e 100644 --- a/clients/client-acm-pca/src/commands/CreateCertificateAuthorityCommand.ts +++ b/clients/client-acm-pca/src/commands/CreateCertificateAuthorityCommand.ts @@ -221,4 +221,16 @@ export class CreateCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_CreateCertificateAuthorityCommand) .de(de_CreateCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCertificateAuthorityRequest; + output: CreateCertificateAuthorityResponse; + }; + sdk: { + input: CreateCertificateAuthorityCommandInput; + output: CreateCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/CreatePermissionCommand.ts b/clients/client-acm-pca/src/commands/CreatePermissionCommand.ts index 19ae61f6ca04..8d3c7a9205fd 100644 --- a/clients/client-acm-pca/src/commands/CreatePermissionCommand.ts +++ b/clients/client-acm-pca/src/commands/CreatePermissionCommand.ts @@ -127,4 +127,16 @@ export class CreatePermissionCommand extends $Command .f(void 0, void 0) .ser(se_CreatePermissionCommand) .de(de_CreatePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePermissionRequest; + output: {}; + }; + sdk: { + input: CreatePermissionCommandInput; + output: CreatePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/DeleteCertificateAuthorityCommand.ts b/clients/client-acm-pca/src/commands/DeleteCertificateAuthorityCommand.ts index 30bee744d8bf..aead7742f37b 100644 --- a/clients/client-acm-pca/src/commands/DeleteCertificateAuthorityCommand.ts +++ b/clients/client-acm-pca/src/commands/DeleteCertificateAuthorityCommand.ts @@ -109,4 +109,16 @@ export class DeleteCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCertificateAuthorityCommand) .de(de_DeleteCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCertificateAuthorityRequest; + output: {}; + }; + sdk: { + input: DeleteCertificateAuthorityCommandInput; + output: DeleteCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/DeletePermissionCommand.ts b/clients/client-acm-pca/src/commands/DeletePermissionCommand.ts index 3e3b1192cac5..7c85481a283b 100644 --- a/clients/client-acm-pca/src/commands/DeletePermissionCommand.ts +++ b/clients/client-acm-pca/src/commands/DeletePermissionCommand.ts @@ -119,4 +119,16 @@ export class DeletePermissionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionCommand) .de(de_DeletePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionRequest; + output: {}; + }; + sdk: { + input: DeletePermissionCommandInput; + output: DeletePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/DeletePolicyCommand.ts b/clients/client-acm-pca/src/commands/DeletePolicyCommand.ts index 9b40631c212a..a47921f86c27 100644 --- a/clients/client-acm-pca/src/commands/DeletePolicyCommand.ts +++ b/clients/client-acm-pca/src/commands/DeletePolicyCommand.ts @@ -131,4 +131,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyRequest; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityAuditReportCommand.ts b/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityAuditReportCommand.ts index aca35942e354..a6f03064665c 100644 --- a/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityAuditReportCommand.ts +++ b/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityAuditReportCommand.ts @@ -104,4 +104,16 @@ export class DescribeCertificateAuthorityAuditReportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificateAuthorityAuditReportCommand) .de(de_DescribeCertificateAuthorityAuditReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificateAuthorityAuditReportRequest; + output: DescribeCertificateAuthorityAuditReportResponse; + }; + sdk: { + input: DescribeCertificateAuthorityAuditReportCommandInput; + output: DescribeCertificateAuthorityAuditReportCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityCommand.ts b/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityCommand.ts index 053dde165762..8bff333039e5 100644 --- a/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityCommand.ts +++ b/clients/client-acm-pca/src/commands/DescribeCertificateAuthorityCommand.ts @@ -244,4 +244,16 @@ export class DescribeCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificateAuthorityCommand) .de(de_DescribeCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificateAuthorityRequest; + output: DescribeCertificateAuthorityResponse; + }; + sdk: { + input: DescribeCertificateAuthorityCommandInput; + output: DescribeCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/GetCertificateAuthorityCertificateCommand.ts b/clients/client-acm-pca/src/commands/GetCertificateAuthorityCertificateCommand.ts index 3428753b6fdb..5ed994b46d79 100644 --- a/clients/client-acm-pca/src/commands/GetCertificateAuthorityCertificateCommand.ts +++ b/clients/client-acm-pca/src/commands/GetCertificateAuthorityCertificateCommand.ts @@ -100,4 +100,16 @@ export class GetCertificateAuthorityCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetCertificateAuthorityCertificateCommand) .de(de_GetCertificateAuthorityCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCertificateAuthorityCertificateRequest; + output: GetCertificateAuthorityCertificateResponse; + }; + sdk: { + input: GetCertificateAuthorityCertificateCommandInput; + output: GetCertificateAuthorityCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/GetCertificateAuthorityCsrCommand.ts b/clients/client-acm-pca/src/commands/GetCertificateAuthorityCsrCommand.ts index ac6f4a70826c..15d0340576e5 100644 --- a/clients/client-acm-pca/src/commands/GetCertificateAuthorityCsrCommand.ts +++ b/clients/client-acm-pca/src/commands/GetCertificateAuthorityCsrCommand.ts @@ -98,4 +98,16 @@ export class GetCertificateAuthorityCsrCommand extends $Command .f(void 0, void 0) .ser(se_GetCertificateAuthorityCsrCommand) .de(de_GetCertificateAuthorityCsrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCertificateAuthorityCsrRequest; + output: GetCertificateAuthorityCsrResponse; + }; + sdk: { + input: GetCertificateAuthorityCsrCommandInput; + output: GetCertificateAuthorityCsrCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/GetCertificateCommand.ts b/clients/client-acm-pca/src/commands/GetCertificateCommand.ts index 65417ef8e87a..25346308b8a7 100644 --- a/clients/client-acm-pca/src/commands/GetCertificateCommand.ts +++ b/clients/client-acm-pca/src/commands/GetCertificateCommand.ts @@ -103,4 +103,16 @@ export class GetCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetCertificateCommand) .de(de_GetCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCertificateRequest; + output: GetCertificateResponse; + }; + sdk: { + input: GetCertificateCommandInput; + output: GetCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/GetPolicyCommand.ts b/clients/client-acm-pca/src/commands/GetPolicyCommand.ts index d190489dd0e6..b575ea18903d 100644 --- a/clients/client-acm-pca/src/commands/GetPolicyCommand.ts +++ b/clients/client-acm-pca/src/commands/GetPolicyCommand.ts @@ -121,4 +121,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyRequest; + output: GetPolicyResponse; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/ImportCertificateAuthorityCertificateCommand.ts b/clients/client-acm-pca/src/commands/ImportCertificateAuthorityCertificateCommand.ts index 98f2b618dbcb..70cf06c57884 100644 --- a/clients/client-acm-pca/src/commands/ImportCertificateAuthorityCertificateCommand.ts +++ b/clients/client-acm-pca/src/commands/ImportCertificateAuthorityCertificateCommand.ts @@ -238,4 +238,16 @@ export class ImportCertificateAuthorityCertificateCommand extends $Command .f(void 0, void 0) .ser(se_ImportCertificateAuthorityCertificateCommand) .de(de_ImportCertificateAuthorityCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportCertificateAuthorityCertificateRequest; + output: {}; + }; + sdk: { + input: ImportCertificateAuthorityCertificateCommandInput; + output: ImportCertificateAuthorityCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/IssueCertificateCommand.ts b/clients/client-acm-pca/src/commands/IssueCertificateCommand.ts index 6fe955c0d26e..88788abf1c71 100644 --- a/clients/client-acm-pca/src/commands/IssueCertificateCommand.ts +++ b/clients/client-acm-pca/src/commands/IssueCertificateCommand.ts @@ -219,4 +219,16 @@ export class IssueCertificateCommand extends $Command .f(void 0, void 0) .ser(se_IssueCertificateCommand) .de(de_IssueCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IssueCertificateRequest; + output: IssueCertificateResponse; + }; + sdk: { + input: IssueCertificateCommandInput; + output: IssueCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/ListCertificateAuthoritiesCommand.ts b/clients/client-acm-pca/src/commands/ListCertificateAuthoritiesCommand.ts index f3e595744883..34a9a6ec6dc0 100644 --- a/clients/client-acm-pca/src/commands/ListCertificateAuthoritiesCommand.ts +++ b/clients/client-acm-pca/src/commands/ListCertificateAuthoritiesCommand.ts @@ -200,4 +200,16 @@ export class ListCertificateAuthoritiesCommand extends $Command .f(void 0, void 0) .ser(se_ListCertificateAuthoritiesCommand) .de(de_ListCertificateAuthoritiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCertificateAuthoritiesRequest; + output: ListCertificateAuthoritiesResponse; + }; + sdk: { + input: ListCertificateAuthoritiesCommandInput; + output: ListCertificateAuthoritiesCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/ListPermissionsCommand.ts b/clients/client-acm-pca/src/commands/ListPermissionsCommand.ts index 4d70f0b4b2b9..b832340e126c 100644 --- a/clients/client-acm-pca/src/commands/ListPermissionsCommand.ts +++ b/clients/client-acm-pca/src/commands/ListPermissionsCommand.ts @@ -136,4 +136,16 @@ export class ListPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionsCommand) .de(de_ListPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionsRequest; + output: ListPermissionsResponse; + }; + sdk: { + input: ListPermissionsCommandInput; + output: ListPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/ListTagsCommand.ts b/clients/client-acm-pca/src/commands/ListTagsCommand.ts index 7e357417f78e..a65ed79d686c 100644 --- a/clients/client-acm-pca/src/commands/ListTagsCommand.ts +++ b/clients/client-acm-pca/src/commands/ListTagsCommand.ts @@ -99,4 +99,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/PutPolicyCommand.ts b/clients/client-acm-pca/src/commands/PutPolicyCommand.ts index ea1247a239a1..e24324bba45f 100644 --- a/clients/client-acm-pca/src/commands/PutPolicyCommand.ts +++ b/clients/client-acm-pca/src/commands/PutPolicyCommand.ts @@ -133,4 +133,16 @@ export class PutPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutPolicyCommand) .de(de_PutPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPolicyRequest; + output: {}; + }; + sdk: { + input: PutPolicyCommandInput; + output: PutPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/RestoreCertificateAuthorityCommand.ts b/clients/client-acm-pca/src/commands/RestoreCertificateAuthorityCommand.ts index 2e4a5e4ab0ea..5bcae01fdda6 100644 --- a/clients/client-acm-pca/src/commands/RestoreCertificateAuthorityCommand.ts +++ b/clients/client-acm-pca/src/commands/RestoreCertificateAuthorityCommand.ts @@ -96,4 +96,16 @@ export class RestoreCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_RestoreCertificateAuthorityCommand) .de(de_RestoreCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreCertificateAuthorityRequest; + output: {}; + }; + sdk: { + input: RestoreCertificateAuthorityCommandInput; + output: RestoreCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/RevokeCertificateCommand.ts b/clients/client-acm-pca/src/commands/RevokeCertificateCommand.ts index 01c5038b0052..8303b9e0b29e 100644 --- a/clients/client-acm-pca/src/commands/RevokeCertificateCommand.ts +++ b/clients/client-acm-pca/src/commands/RevokeCertificateCommand.ts @@ -126,4 +126,16 @@ export class RevokeCertificateCommand extends $Command .f(void 0, void 0) .ser(se_RevokeCertificateCommand) .de(de_RevokeCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeCertificateRequest; + output: {}; + }; + sdk: { + input: RevokeCertificateCommandInput; + output: RevokeCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/TagCertificateAuthorityCommand.ts b/clients/client-acm-pca/src/commands/TagCertificateAuthorityCommand.ts index 53161a0673bd..dc4f6d2ae47b 100644 --- a/clients/client-acm-pca/src/commands/TagCertificateAuthorityCommand.ts +++ b/clients/client-acm-pca/src/commands/TagCertificateAuthorityCommand.ts @@ -114,4 +114,16 @@ export class TagCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_TagCertificateAuthorityCommand) .de(de_TagCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagCertificateAuthorityRequest; + output: {}; + }; + sdk: { + input: TagCertificateAuthorityCommandInput; + output: TagCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/UntagCertificateAuthorityCommand.ts b/clients/client-acm-pca/src/commands/UntagCertificateAuthorityCommand.ts index ed2b8ae16e1d..d9978a4f7d1b 100644 --- a/clients/client-acm-pca/src/commands/UntagCertificateAuthorityCommand.ts +++ b/clients/client-acm-pca/src/commands/UntagCertificateAuthorityCommand.ts @@ -100,4 +100,16 @@ export class UntagCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_UntagCertificateAuthorityCommand) .de(de_UntagCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagCertificateAuthorityRequest; + output: {}; + }; + sdk: { + input: UntagCertificateAuthorityCommandInput; + output: UntagCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-acm-pca/src/commands/UpdateCertificateAuthorityCommand.ts b/clients/client-acm-pca/src/commands/UpdateCertificateAuthorityCommand.ts index 7d18b7bb7166..62d9a49fee40 100644 --- a/clients/client-acm-pca/src/commands/UpdateCertificateAuthorityCommand.ts +++ b/clients/client-acm-pca/src/commands/UpdateCertificateAuthorityCommand.ts @@ -123,4 +123,16 @@ export class UpdateCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCertificateAuthorityCommand) .de(de_UpdateCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCertificateAuthorityRequest; + output: {}; + }; + sdk: { + input: UpdateCertificateAuthorityCommandInput; + output: UpdateCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-acm/package.json b/clients/client-acm/package.json index 9651073052a1..635b70d27aeb 100644 --- a/clients/client-acm/package.json +++ b/clients/client-acm/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-acm/src/commands/AddTagsToCertificateCommand.ts b/clients/client-acm/src/commands/AddTagsToCertificateCommand.ts index 074b676ca697..8a67be078ad9 100644 --- a/clients/client-acm/src/commands/AddTagsToCertificateCommand.ts +++ b/clients/client-acm/src/commands/AddTagsToCertificateCommand.ts @@ -117,4 +117,16 @@ export class AddTagsToCertificateCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToCertificateCommand) .de(de_AddTagsToCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToCertificateRequest; + output: {}; + }; + sdk: { + input: AddTagsToCertificateCommandInput; + output: AddTagsToCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/DeleteCertificateCommand.ts b/clients/client-acm/src/commands/DeleteCertificateCommand.ts index f75e916ddc58..7bf1c0661657 100644 --- a/clients/client-acm/src/commands/DeleteCertificateCommand.ts +++ b/clients/client-acm/src/commands/DeleteCertificateCommand.ts @@ -103,4 +103,16 @@ export class DeleteCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCertificateCommand) .de(de_DeleteCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCertificateRequest; + output: {}; + }; + sdk: { + input: DeleteCertificateCommandInput; + output: DeleteCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/DescribeCertificateCommand.ts b/clients/client-acm/src/commands/DescribeCertificateCommand.ts index c9d373cf2497..9c45ffd87ac1 100644 --- a/clients/client-acm/src/commands/DescribeCertificateCommand.ts +++ b/clients/client-acm/src/commands/DescribeCertificateCommand.ts @@ -163,4 +163,16 @@ export class DescribeCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificateCommand) .de(de_DescribeCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificateRequest; + output: DescribeCertificateResponse; + }; + sdk: { + input: DescribeCertificateCommandInput; + output: DescribeCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/ExportCertificateCommand.ts b/clients/client-acm/src/commands/ExportCertificateCommand.ts index de6e0c39835a..c18cc8c12871 100644 --- a/clients/client-acm/src/commands/ExportCertificateCommand.ts +++ b/clients/client-acm/src/commands/ExportCertificateCommand.ts @@ -102,4 +102,16 @@ export class ExportCertificateCommand extends $Command .f(ExportCertificateRequestFilterSensitiveLog, ExportCertificateResponseFilterSensitiveLog) .ser(se_ExportCertificateCommand) .de(de_ExportCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportCertificateRequest; + output: ExportCertificateResponse; + }; + sdk: { + input: ExportCertificateCommandInput; + output: ExportCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/GetAccountConfigurationCommand.ts b/clients/client-acm/src/commands/GetAccountConfigurationCommand.ts index 1da74132fec0..edcb889d5809 100644 --- a/clients/client-acm/src/commands/GetAccountConfigurationCommand.ts +++ b/clients/client-acm/src/commands/GetAccountConfigurationCommand.ts @@ -83,4 +83,16 @@ export class GetAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountConfigurationCommand) .de(de_GetAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountConfigurationResponse; + }; + sdk: { + input: GetAccountConfigurationCommandInput; + output: GetAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/GetCertificateCommand.ts b/clients/client-acm/src/commands/GetCertificateCommand.ts index 8e5158fee12b..c2f0d212dc7a 100644 --- a/clients/client-acm/src/commands/GetCertificateCommand.ts +++ b/clients/client-acm/src/commands/GetCertificateCommand.ts @@ -94,4 +94,16 @@ export class GetCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetCertificateCommand) .de(de_GetCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCertificateRequest; + output: GetCertificateResponse; + }; + sdk: { + input: GetCertificateCommandInput; + output: GetCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/ImportCertificateCommand.ts b/clients/client-acm/src/commands/ImportCertificateCommand.ts index 35ed2ad5267c..19436a383507 100644 --- a/clients/client-acm/src/commands/ImportCertificateCommand.ts +++ b/clients/client-acm/src/commands/ImportCertificateCommand.ts @@ -172,4 +172,16 @@ export class ImportCertificateCommand extends $Command .f(ImportCertificateRequestFilterSensitiveLog, void 0) .ser(se_ImportCertificateCommand) .de(de_ImportCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportCertificateRequest; + output: ImportCertificateResponse; + }; + sdk: { + input: ImportCertificateCommandInput; + output: ImportCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/ListCertificatesCommand.ts b/clients/client-acm/src/commands/ListCertificatesCommand.ts index e6711aa2e1b3..3a5221ba494f 100644 --- a/clients/client-acm/src/commands/ListCertificatesCommand.ts +++ b/clients/client-acm/src/commands/ListCertificatesCommand.ts @@ -129,4 +129,16 @@ export class ListCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCertificatesCommand) .de(de_ListCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCertificatesRequest; + output: ListCertificatesResponse; + }; + sdk: { + input: ListCertificatesCommandInput; + output: ListCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/ListTagsForCertificateCommand.ts b/clients/client-acm/src/commands/ListTagsForCertificateCommand.ts index c8715c1cf3a8..bec0a25ccfee 100644 --- a/clients/client-acm/src/commands/ListTagsForCertificateCommand.ts +++ b/clients/client-acm/src/commands/ListTagsForCertificateCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForCertificateCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForCertificateCommand) .de(de_ListTagsForCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForCertificateRequest; + output: ListTagsForCertificateResponse; + }; + sdk: { + input: ListTagsForCertificateCommandInput; + output: ListTagsForCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/PutAccountConfigurationCommand.ts b/clients/client-acm/src/commands/PutAccountConfigurationCommand.ts index ede8ac657a3f..c07a5209575c 100644 --- a/clients/client-acm/src/commands/PutAccountConfigurationCommand.ts +++ b/clients/client-acm/src/commands/PutAccountConfigurationCommand.ts @@ -96,4 +96,16 @@ export class PutAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountConfigurationCommand) .de(de_PutAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountConfigurationRequest; + output: {}; + }; + sdk: { + input: PutAccountConfigurationCommandInput; + output: PutAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/RemoveTagsFromCertificateCommand.ts b/clients/client-acm/src/commands/RemoveTagsFromCertificateCommand.ts index 68f0c3ec91c6..7bf873fbdff9 100644 --- a/clients/client-acm/src/commands/RemoveTagsFromCertificateCommand.ts +++ b/clients/client-acm/src/commands/RemoveTagsFromCertificateCommand.ts @@ -106,4 +106,16 @@ export class RemoveTagsFromCertificateCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromCertificateCommand) .de(de_RemoveTagsFromCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromCertificateRequest; + output: {}; + }; + sdk: { + input: RemoveTagsFromCertificateCommandInput; + output: RemoveTagsFromCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/RenewCertificateCommand.ts b/clients/client-acm/src/commands/RenewCertificateCommand.ts index 9379243b6f0f..e16269d3e072 100644 --- a/clients/client-acm/src/commands/RenewCertificateCommand.ts +++ b/clients/client-acm/src/commands/RenewCertificateCommand.ts @@ -86,4 +86,16 @@ export class RenewCertificateCommand extends $Command .f(void 0, void 0) .ser(se_RenewCertificateCommand) .de(de_RenewCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RenewCertificateRequest; + output: {}; + }; + sdk: { + input: RenewCertificateCommandInput; + output: RenewCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/RequestCertificateCommand.ts b/clients/client-acm/src/commands/RequestCertificateCommand.ts index f4df951577aa..5ea5c192c76e 100644 --- a/clients/client-acm/src/commands/RequestCertificateCommand.ts +++ b/clients/client-acm/src/commands/RequestCertificateCommand.ts @@ -137,4 +137,16 @@ export class RequestCertificateCommand extends $Command .f(void 0, void 0) .ser(se_RequestCertificateCommand) .de(de_RequestCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestCertificateRequest; + output: RequestCertificateResponse; + }; + sdk: { + input: RequestCertificateCommandInput; + output: RequestCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/ResendValidationEmailCommand.ts b/clients/client-acm/src/commands/ResendValidationEmailCommand.ts index 82be65488a2f..457e4a154533 100644 --- a/clients/client-acm/src/commands/ResendValidationEmailCommand.ts +++ b/clients/client-acm/src/commands/ResendValidationEmailCommand.ts @@ -99,4 +99,16 @@ export class ResendValidationEmailCommand extends $Command .f(void 0, void 0) .ser(se_ResendValidationEmailCommand) .de(de_ResendValidationEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResendValidationEmailRequest; + output: {}; + }; + sdk: { + input: ResendValidationEmailCommandInput; + output: ResendValidationEmailCommandOutput; + }; + }; +} diff --git a/clients/client-acm/src/commands/UpdateCertificateOptionsCommand.ts b/clients/client-acm/src/commands/UpdateCertificateOptionsCommand.ts index 815242a00a9c..345b57d35a23 100644 --- a/clients/client-acm/src/commands/UpdateCertificateOptionsCommand.ts +++ b/clients/client-acm/src/commands/UpdateCertificateOptionsCommand.ts @@ -94,4 +94,16 @@ export class UpdateCertificateOptionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCertificateOptionsCommand) .de(de_UpdateCertificateOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCertificateOptionsRequest; + output: {}; + }; + sdk: { + input: UpdateCertificateOptionsCommandInput; + output: UpdateCertificateOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-amp/package.json b/clients/client-amp/package.json index 1a73a16f6371..700291a3b8fd 100644 --- a/clients/client-amp/package.json +++ b/clients/client-amp/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-amp/src/commands/CreateAlertManagerDefinitionCommand.ts b/clients/client-amp/src/commands/CreateAlertManagerDefinitionCommand.ts index 3f7af2d05e6d..aabbb034e594 100644 --- a/clients/client-amp/src/commands/CreateAlertManagerDefinitionCommand.ts +++ b/clients/client-amp/src/commands/CreateAlertManagerDefinitionCommand.ts @@ -112,4 +112,16 @@ export class CreateAlertManagerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateAlertManagerDefinitionCommand) .de(de_CreateAlertManagerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAlertManagerDefinitionRequest; + output: CreateAlertManagerDefinitionResponse; + }; + sdk: { + input: CreateAlertManagerDefinitionCommandInput; + output: CreateAlertManagerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/CreateLoggingConfigurationCommand.ts b/clients/client-amp/src/commands/CreateLoggingConfigurationCommand.ts index e0cde80babc4..18b7e8e846af 100644 --- a/clients/client-amp/src/commands/CreateLoggingConfigurationCommand.ts +++ b/clients/client-amp/src/commands/CreateLoggingConfigurationCommand.ts @@ -97,4 +97,16 @@ export class CreateLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoggingConfigurationCommand) .de(de_CreateLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoggingConfigurationRequest; + output: CreateLoggingConfigurationResponse; + }; + sdk: { + input: CreateLoggingConfigurationCommandInput; + output: CreateLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/CreateRuleGroupsNamespaceCommand.ts b/clients/client-amp/src/commands/CreateRuleGroupsNamespaceCommand.ts index d1c944fec6b0..5b071f11e87e 100644 --- a/clients/client-amp/src/commands/CreateRuleGroupsNamespaceCommand.ts +++ b/clients/client-amp/src/commands/CreateRuleGroupsNamespaceCommand.ts @@ -117,4 +117,16 @@ export class CreateRuleGroupsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleGroupsNamespaceCommand) .de(de_CreateRuleGroupsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleGroupsNamespaceRequest; + output: CreateRuleGroupsNamespaceResponse; + }; + sdk: { + input: CreateRuleGroupsNamespaceCommandInput; + output: CreateRuleGroupsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/CreateScraperCommand.ts b/clients/client-amp/src/commands/CreateScraperCommand.ts index eadc889ad0d3..9e2cc8b3e41a 100644 --- a/clients/client-amp/src/commands/CreateScraperCommand.ts +++ b/clients/client-amp/src/commands/CreateScraperCommand.ts @@ -146,4 +146,16 @@ export class CreateScraperCommand extends $Command .f(void 0, void 0) .ser(se_CreateScraperCommand) .de(de_CreateScraperCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScraperRequest; + output: CreateScraperResponse; + }; + sdk: { + input: CreateScraperCommandInput; + output: CreateScraperCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/CreateWorkspaceCommand.ts b/clients/client-amp/src/commands/CreateWorkspaceCommand.ts index 9124dc5ce33b..5306dd417480 100644 --- a/clients/client-amp/src/commands/CreateWorkspaceCommand.ts +++ b/clients/client-amp/src/commands/CreateWorkspaceCommand.ts @@ -111,4 +111,16 @@ export class CreateWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkspaceCommand) .de(de_CreateWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceRequest; + output: CreateWorkspaceResponse; + }; + sdk: { + input: CreateWorkspaceCommandInput; + output: CreateWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DeleteAlertManagerDefinitionCommand.ts b/clients/client-amp/src/commands/DeleteAlertManagerDefinitionCommand.ts index 38bd84c1aae0..f4aabd2323cb 100644 --- a/clients/client-amp/src/commands/DeleteAlertManagerDefinitionCommand.ts +++ b/clients/client-amp/src/commands/DeleteAlertManagerDefinitionCommand.ts @@ -98,4 +98,16 @@ export class DeleteAlertManagerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAlertManagerDefinitionCommand) .de(de_DeleteAlertManagerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAlertManagerDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteAlertManagerDefinitionCommandInput; + output: DeleteAlertManagerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DeleteLoggingConfigurationCommand.ts b/clients/client-amp/src/commands/DeleteLoggingConfigurationCommand.ts index 4587c8b80464..9a558e4286ad 100644 --- a/clients/client-amp/src/commands/DeleteLoggingConfigurationCommand.ts +++ b/clients/client-amp/src/commands/DeleteLoggingConfigurationCommand.ts @@ -92,4 +92,16 @@ export class DeleteLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoggingConfigurationCommand) .de(de_DeleteLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoggingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteLoggingConfigurationCommandInput; + output: DeleteLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DeleteRuleGroupsNamespaceCommand.ts b/clients/client-amp/src/commands/DeleteRuleGroupsNamespaceCommand.ts index f39b995b1842..d0123d89a9df 100644 --- a/clients/client-amp/src/commands/DeleteRuleGroupsNamespaceCommand.ts +++ b/clients/client-amp/src/commands/DeleteRuleGroupsNamespaceCommand.ts @@ -96,4 +96,16 @@ export class DeleteRuleGroupsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleGroupsNamespaceCommand) .de(de_DeleteRuleGroupsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleGroupsNamespaceRequest; + output: {}; + }; + sdk: { + input: DeleteRuleGroupsNamespaceCommandInput; + output: DeleteRuleGroupsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DeleteScraperCommand.ts b/clients/client-amp/src/commands/DeleteScraperCommand.ts index 4817057910bb..e0eacd57cf59 100644 --- a/clients/client-amp/src/commands/DeleteScraperCommand.ts +++ b/clients/client-amp/src/commands/DeleteScraperCommand.ts @@ -101,4 +101,16 @@ export class DeleteScraperCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScraperCommand) .de(de_DeleteScraperCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScraperRequest; + output: DeleteScraperResponse; + }; + sdk: { + input: DeleteScraperCommandInput; + output: DeleteScraperCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DeleteWorkspaceCommand.ts b/clients/client-amp/src/commands/DeleteWorkspaceCommand.ts index 37ac5fc2b292..2628699e1f5b 100644 --- a/clients/client-amp/src/commands/DeleteWorkspaceCommand.ts +++ b/clients/client-amp/src/commands/DeleteWorkspaceCommand.ts @@ -99,4 +99,16 @@ export class DeleteWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkspaceCommand) .de(de_DeleteWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceRequest; + output: {}; + }; + sdk: { + input: DeleteWorkspaceCommandInput; + output: DeleteWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DescribeAlertManagerDefinitionCommand.ts b/clients/client-amp/src/commands/DescribeAlertManagerDefinitionCommand.ts index a767559c40c9..3e879e8de466 100644 --- a/clients/client-amp/src/commands/DescribeAlertManagerDefinitionCommand.ts +++ b/clients/client-amp/src/commands/DescribeAlertManagerDefinitionCommand.ts @@ -107,4 +107,16 @@ export class DescribeAlertManagerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlertManagerDefinitionCommand) .de(de_DescribeAlertManagerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlertManagerDefinitionRequest; + output: DescribeAlertManagerDefinitionResponse; + }; + sdk: { + input: DescribeAlertManagerDefinitionCommandInput; + output: DescribeAlertManagerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DescribeLoggingConfigurationCommand.ts b/clients/client-amp/src/commands/DescribeLoggingConfigurationCommand.ts index 9a11955df545..80e4365cb18d 100644 --- a/clients/client-amp/src/commands/DescribeLoggingConfigurationCommand.ts +++ b/clients/client-amp/src/commands/DescribeLoggingConfigurationCommand.ts @@ -105,4 +105,16 @@ export class DescribeLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoggingConfigurationCommand) .de(de_DescribeLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoggingConfigurationRequest; + output: DescribeLoggingConfigurationResponse; + }; + sdk: { + input: DescribeLoggingConfigurationCommandInput; + output: DescribeLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DescribeRuleGroupsNamespaceCommand.ts b/clients/client-amp/src/commands/DescribeRuleGroupsNamespaceCommand.ts index 693b7f851811..73a052b0091f 100644 --- a/clients/client-amp/src/commands/DescribeRuleGroupsNamespaceCommand.ts +++ b/clients/client-amp/src/commands/DescribeRuleGroupsNamespaceCommand.ts @@ -113,4 +113,16 @@ export class DescribeRuleGroupsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuleGroupsNamespaceCommand) .de(de_DescribeRuleGroupsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuleGroupsNamespaceRequest; + output: DescribeRuleGroupsNamespaceResponse; + }; + sdk: { + input: DescribeRuleGroupsNamespaceCommandInput; + output: DescribeRuleGroupsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DescribeScraperCommand.ts b/clients/client-amp/src/commands/DescribeScraperCommand.ts index a2b969696179..ddd36f1e43f2 100644 --- a/clients/client-amp/src/commands/DescribeScraperCommand.ts +++ b/clients/client-amp/src/commands/DescribeScraperCommand.ts @@ -127,4 +127,16 @@ export class DescribeScraperCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScraperCommand) .de(de_DescribeScraperCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScraperRequest; + output: DescribeScraperResponse; + }; + sdk: { + input: DescribeScraperCommandInput; + output: DescribeScraperCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/DescribeWorkspaceCommand.ts b/clients/client-amp/src/commands/DescribeWorkspaceCommand.ts index b781af846f05..3f6c8fb10759 100644 --- a/clients/client-amp/src/commands/DescribeWorkspaceCommand.ts +++ b/clients/client-amp/src/commands/DescribeWorkspaceCommand.ts @@ -106,4 +106,16 @@ export class DescribeWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceCommand) .de(de_DescribeWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceRequest; + output: DescribeWorkspaceResponse; + }; + sdk: { + input: DescribeWorkspaceCommandInput; + output: DescribeWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/GetDefaultScraperConfigurationCommand.ts b/clients/client-amp/src/commands/GetDefaultScraperConfigurationCommand.ts index 1168e0d8b8a0..20e3416337d9 100644 --- a/clients/client-amp/src/commands/GetDefaultScraperConfigurationCommand.ts +++ b/clients/client-amp/src/commands/GetDefaultScraperConfigurationCommand.ts @@ -90,4 +90,16 @@ export class GetDefaultScraperConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetDefaultScraperConfigurationCommand) .de(de_GetDefaultScraperConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDefaultScraperConfigurationResponse; + }; + sdk: { + input: GetDefaultScraperConfigurationCommandInput; + output: GetDefaultScraperConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/ListRuleGroupsNamespacesCommand.ts b/clients/client-amp/src/commands/ListRuleGroupsNamespacesCommand.ts index f44f705bc538..c8b17553969a 100644 --- a/clients/client-amp/src/commands/ListRuleGroupsNamespacesCommand.ts +++ b/clients/client-amp/src/commands/ListRuleGroupsNamespacesCommand.ts @@ -111,4 +111,16 @@ export class ListRuleGroupsNamespacesCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleGroupsNamespacesCommand) .de(de_ListRuleGroupsNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleGroupsNamespacesRequest; + output: ListRuleGroupsNamespacesResponse; + }; + sdk: { + input: ListRuleGroupsNamespacesCommandInput; + output: ListRuleGroupsNamespacesCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/ListScrapersCommand.ts b/clients/client-amp/src/commands/ListScrapersCommand.ts index bf22212bb647..7ad65ce03039 100644 --- a/clients/client-amp/src/commands/ListScrapersCommand.ts +++ b/clients/client-amp/src/commands/ListScrapersCommand.ts @@ -131,4 +131,16 @@ export class ListScrapersCommand extends $Command .f(void 0, void 0) .ser(se_ListScrapersCommand) .de(de_ListScrapersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScrapersRequest; + output: ListScrapersResponse; + }; + sdk: { + input: ListScrapersCommandInput; + output: ListScrapersCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/ListTagsForResourceCommand.ts b/clients/client-amp/src/commands/ListTagsForResourceCommand.ts index bc04ec7b8e99..1f06cfc53762 100644 --- a/clients/client-amp/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-amp/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/ListWorkspacesCommand.ts b/clients/client-amp/src/commands/ListWorkspacesCommand.ts index fbcb7277c738..de332ad4f95e 100644 --- a/clients/client-amp/src/commands/ListWorkspacesCommand.ts +++ b/clients/client-amp/src/commands/ListWorkspacesCommand.ts @@ -108,4 +108,16 @@ export class ListWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkspacesCommand) .de(de_ListWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkspacesRequest; + output: ListWorkspacesResponse; + }; + sdk: { + input: ListWorkspacesCommandInput; + output: ListWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/PutAlertManagerDefinitionCommand.ts b/clients/client-amp/src/commands/PutAlertManagerDefinitionCommand.ts index 600678da231e..357c9ba1be4c 100644 --- a/clients/client-amp/src/commands/PutAlertManagerDefinitionCommand.ts +++ b/clients/client-amp/src/commands/PutAlertManagerDefinitionCommand.ts @@ -106,4 +106,16 @@ export class PutAlertManagerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_PutAlertManagerDefinitionCommand) .de(de_PutAlertManagerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAlertManagerDefinitionRequest; + output: PutAlertManagerDefinitionResponse; + }; + sdk: { + input: PutAlertManagerDefinitionCommandInput; + output: PutAlertManagerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/PutRuleGroupsNamespaceCommand.ts b/clients/client-amp/src/commands/PutRuleGroupsNamespaceCommand.ts index b98353848ebb..21f65203c647 100644 --- a/clients/client-amp/src/commands/PutRuleGroupsNamespaceCommand.ts +++ b/clients/client-amp/src/commands/PutRuleGroupsNamespaceCommand.ts @@ -116,4 +116,16 @@ export class PutRuleGroupsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_PutRuleGroupsNamespaceCommand) .de(de_PutRuleGroupsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRuleGroupsNamespaceRequest; + output: PutRuleGroupsNamespaceResponse; + }; + sdk: { + input: PutRuleGroupsNamespaceCommandInput; + output: PutRuleGroupsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/TagResourceCommand.ts b/clients/client-amp/src/commands/TagResourceCommand.ts index 428b60c0f51f..66bd85916f3b 100644 --- a/clients/client-amp/src/commands/TagResourceCommand.ts +++ b/clients/client-amp/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/UntagResourceCommand.ts b/clients/client-amp/src/commands/UntagResourceCommand.ts index bd43912560fd..707201815dc9 100644 --- a/clients/client-amp/src/commands/UntagResourceCommand.ts +++ b/clients/client-amp/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/UpdateLoggingConfigurationCommand.ts b/clients/client-amp/src/commands/UpdateLoggingConfigurationCommand.ts index 36703df120be..f86c8eff5cd2 100644 --- a/clients/client-amp/src/commands/UpdateLoggingConfigurationCommand.ts +++ b/clients/client-amp/src/commands/UpdateLoggingConfigurationCommand.ts @@ -99,4 +99,16 @@ export class UpdateLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLoggingConfigurationCommand) .de(de_UpdateLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLoggingConfigurationRequest; + output: UpdateLoggingConfigurationResponse; + }; + sdk: { + input: UpdateLoggingConfigurationCommandInput; + output: UpdateLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-amp/src/commands/UpdateWorkspaceAliasCommand.ts b/clients/client-amp/src/commands/UpdateWorkspaceAliasCommand.ts index e96546d5f4b8..12b137602681 100644 --- a/clients/client-amp/src/commands/UpdateWorkspaceAliasCommand.ts +++ b/clients/client-amp/src/commands/UpdateWorkspaceAliasCommand.ts @@ -99,4 +99,16 @@ export class UpdateWorkspaceAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkspaceAliasCommand) .de(de_UpdateWorkspaceAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspaceAliasRequest; + output: {}; + }; + sdk: { + input: UpdateWorkspaceAliasCommandInput; + output: UpdateWorkspaceAliasCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/package.json b/clients/client-amplify/package.json index e2133e277ec7..69f99e62bfc7 100644 --- a/clients/client-amplify/package.json +++ b/clients/client-amplify/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-amplify/src/commands/CreateAppCommand.ts b/clients/client-amplify/src/commands/CreateAppCommand.ts index 8e5b05fc6369..5818d7f32d21 100644 --- a/clients/client-amplify/src/commands/CreateAppCommand.ts +++ b/clients/client-amplify/src/commands/CreateAppCommand.ts @@ -203,4 +203,16 @@ export class CreateAppCommand extends $Command .f(CreateAppRequestFilterSensitiveLog, CreateAppResultFilterSensitiveLog) .ser(se_CreateAppCommand) .de(de_CreateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppRequest; + output: CreateAppResult; + }; + sdk: { + input: CreateAppCommandInput; + output: CreateAppCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/CreateBackendEnvironmentCommand.ts b/clients/client-amplify/src/commands/CreateBackendEnvironmentCommand.ts index c0c5156c6f43..a2de8c564e7a 100644 --- a/clients/client-amplify/src/commands/CreateBackendEnvironmentCommand.ts +++ b/clients/client-amplify/src/commands/CreateBackendEnvironmentCommand.ts @@ -108,4 +108,16 @@ export class CreateBackendEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateBackendEnvironmentCommand) .de(de_CreateBackendEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackendEnvironmentRequest; + output: CreateBackendEnvironmentResult; + }; + sdk: { + input: CreateBackendEnvironmentCommandInput; + output: CreateBackendEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/CreateBranchCommand.ts b/clients/client-amplify/src/commands/CreateBranchCommand.ts index 72c0ddef2345..ccad1a85606d 100644 --- a/clients/client-amplify/src/commands/CreateBranchCommand.ts +++ b/clients/client-amplify/src/commands/CreateBranchCommand.ts @@ -163,4 +163,16 @@ export class CreateBranchCommand extends $Command .f(CreateBranchRequestFilterSensitiveLog, CreateBranchResultFilterSensitiveLog) .ser(se_CreateBranchCommand) .de(de_CreateBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBranchRequest; + output: CreateBranchResult; + }; + sdk: { + input: CreateBranchCommandInput; + output: CreateBranchCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/CreateDeploymentCommand.ts b/clients/client-amplify/src/commands/CreateDeploymentCommand.ts index 918ccefcf481..5b00fbdda2f1 100644 --- a/clients/client-amplify/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-amplify/src/commands/CreateDeploymentCommand.ts @@ -102,4 +102,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentRequest; + output: CreateDeploymentResult; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/CreateDomainAssociationCommand.ts b/clients/client-amplify/src/commands/CreateDomainAssociationCommand.ts index c6f95e575594..fe12c257ad35 100644 --- a/clients/client-amplify/src/commands/CreateDomainAssociationCommand.ts +++ b/clients/client-amplify/src/commands/CreateDomainAssociationCommand.ts @@ -139,4 +139,16 @@ export class CreateDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainAssociationCommand) .de(de_CreateDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainAssociationRequest; + output: CreateDomainAssociationResult; + }; + sdk: { + input: CreateDomainAssociationCommandInput; + output: CreateDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/CreateWebhookCommand.ts b/clients/client-amplify/src/commands/CreateWebhookCommand.ts index f2bb24b42588..fc8a2aa2b2d3 100644 --- a/clients/client-amplify/src/commands/CreateWebhookCommand.ts +++ b/clients/client-amplify/src/commands/CreateWebhookCommand.ts @@ -105,4 +105,16 @@ export class CreateWebhookCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebhookCommand) .de(de_CreateWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebhookRequest; + output: CreateWebhookResult; + }; + sdk: { + input: CreateWebhookCommandInput; + output: CreateWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/DeleteAppCommand.ts b/clients/client-amplify/src/commands/DeleteAppCommand.ts index 535958dabb60..f1f9c29ae32e 100644 --- a/clients/client-amplify/src/commands/DeleteAppCommand.ts +++ b/clients/client-amplify/src/commands/DeleteAppCommand.ts @@ -151,4 +151,16 @@ export class DeleteAppCommand extends $Command .f(void 0, DeleteAppResultFilterSensitiveLog) .ser(se_DeleteAppCommand) .de(de_DeleteAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppRequest; + output: DeleteAppResult; + }; + sdk: { + input: DeleteAppCommandInput; + output: DeleteAppCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/DeleteBackendEnvironmentCommand.ts b/clients/client-amplify/src/commands/DeleteBackendEnvironmentCommand.ts index c8a98f87aa70..b9394cc56432 100644 --- a/clients/client-amplify/src/commands/DeleteBackendEnvironmentCommand.ts +++ b/clients/client-amplify/src/commands/DeleteBackendEnvironmentCommand.ts @@ -106,4 +106,16 @@ export class DeleteBackendEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackendEnvironmentCommand) .de(de_DeleteBackendEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackendEnvironmentRequest; + output: DeleteBackendEnvironmentResult; + }; + sdk: { + input: DeleteBackendEnvironmentCommandInput; + output: DeleteBackendEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/DeleteBranchCommand.ts b/clients/client-amplify/src/commands/DeleteBranchCommand.ts index b1f732b70c7f..bd2ceba5bb2d 100644 --- a/clients/client-amplify/src/commands/DeleteBranchCommand.ts +++ b/clients/client-amplify/src/commands/DeleteBranchCommand.ts @@ -132,4 +132,16 @@ export class DeleteBranchCommand extends $Command .f(void 0, DeleteBranchResultFilterSensitiveLog) .ser(se_DeleteBranchCommand) .de(de_DeleteBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBranchRequest; + output: DeleteBranchResult; + }; + sdk: { + input: DeleteBranchCommandInput; + output: DeleteBranchCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/DeleteDomainAssociationCommand.ts b/clients/client-amplify/src/commands/DeleteDomainAssociationCommand.ts index 99cbd500f930..dce671950194 100644 --- a/clients/client-amplify/src/commands/DeleteDomainAssociationCommand.ts +++ b/clients/client-amplify/src/commands/DeleteDomainAssociationCommand.ts @@ -120,4 +120,16 @@ export class DeleteDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainAssociationCommand) .de(de_DeleteDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainAssociationRequest; + output: DeleteDomainAssociationResult; + }; + sdk: { + input: DeleteDomainAssociationCommandInput; + output: DeleteDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/DeleteJobCommand.ts b/clients/client-amplify/src/commands/DeleteJobCommand.ts index 978c63526238..af64307cb487 100644 --- a/clients/client-amplify/src/commands/DeleteJobCommand.ts +++ b/clients/client-amplify/src/commands/DeleteJobCommand.ts @@ -104,4 +104,16 @@ export class DeleteJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobCommand) .de(de_DeleteJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobRequest; + output: DeleteJobResult; + }; + sdk: { + input: DeleteJobCommandInput; + output: DeleteJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/DeleteWebhookCommand.ts b/clients/client-amplify/src/commands/DeleteWebhookCommand.ts index 7eef22a69385..61f38eb58b3f 100644 --- a/clients/client-amplify/src/commands/DeleteWebhookCommand.ts +++ b/clients/client-amplify/src/commands/DeleteWebhookCommand.ts @@ -100,4 +100,16 @@ export class DeleteWebhookCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWebhookCommand) .de(de_DeleteWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWebhookRequest; + output: DeleteWebhookResult; + }; + sdk: { + input: DeleteWebhookCommandInput; + output: DeleteWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GenerateAccessLogsCommand.ts b/clients/client-amplify/src/commands/GenerateAccessLogsCommand.ts index 9b40e5201d19..b0c5bf6e41b5 100644 --- a/clients/client-amplify/src/commands/GenerateAccessLogsCommand.ts +++ b/clients/client-amplify/src/commands/GenerateAccessLogsCommand.ts @@ -93,4 +93,16 @@ export class GenerateAccessLogsCommand extends $Command .f(void 0, void 0) .ser(se_GenerateAccessLogsCommand) .de(de_GenerateAccessLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateAccessLogsRequest; + output: GenerateAccessLogsResult; + }; + sdk: { + input: GenerateAccessLogsCommandInput; + output: GenerateAccessLogsCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GetAppCommand.ts b/clients/client-amplify/src/commands/GetAppCommand.ts index 6e8b31134dde..012d4e99fffe 100644 --- a/clients/client-amplify/src/commands/GetAppCommand.ts +++ b/clients/client-amplify/src/commands/GetAppCommand.ts @@ -148,4 +148,16 @@ export class GetAppCommand extends $Command .f(void 0, GetAppResultFilterSensitiveLog) .ser(se_GetAppCommand) .de(de_GetAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppRequest; + output: GetAppResult; + }; + sdk: { + input: GetAppCommandInput; + output: GetAppCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GetArtifactUrlCommand.ts b/clients/client-amplify/src/commands/GetArtifactUrlCommand.ts index e8efb3a0b8ac..472427c7cfda 100644 --- a/clients/client-amplify/src/commands/GetArtifactUrlCommand.ts +++ b/clients/client-amplify/src/commands/GetArtifactUrlCommand.ts @@ -93,4 +93,16 @@ export class GetArtifactUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetArtifactUrlCommand) .de(de_GetArtifactUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArtifactUrlRequest; + output: GetArtifactUrlResult; + }; + sdk: { + input: GetArtifactUrlCommandInput; + output: GetArtifactUrlCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GetBackendEnvironmentCommand.ts b/clients/client-amplify/src/commands/GetBackendEnvironmentCommand.ts index 275d9443473e..0e398585e859 100644 --- a/clients/client-amplify/src/commands/GetBackendEnvironmentCommand.ts +++ b/clients/client-amplify/src/commands/GetBackendEnvironmentCommand.ts @@ -103,4 +103,16 @@ export class GetBackendEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_GetBackendEnvironmentCommand) .de(de_GetBackendEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackendEnvironmentRequest; + output: GetBackendEnvironmentResult; + }; + sdk: { + input: GetBackendEnvironmentCommandInput; + output: GetBackendEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GetBranchCommand.ts b/clients/client-amplify/src/commands/GetBranchCommand.ts index 53c1440cee88..e4a8238609b2 100644 --- a/clients/client-amplify/src/commands/GetBranchCommand.ts +++ b/clients/client-amplify/src/commands/GetBranchCommand.ts @@ -129,4 +129,16 @@ export class GetBranchCommand extends $Command .f(void 0, GetBranchResultFilterSensitiveLog) .ser(se_GetBranchCommand) .de(de_GetBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBranchRequest; + output: GetBranchResult; + }; + sdk: { + input: GetBranchCommandInput; + output: GetBranchCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GetDomainAssociationCommand.ts b/clients/client-amplify/src/commands/GetDomainAssociationCommand.ts index 471ce005952e..48f64659f119 100644 --- a/clients/client-amplify/src/commands/GetDomainAssociationCommand.ts +++ b/clients/client-amplify/src/commands/GetDomainAssociationCommand.ts @@ -117,4 +117,16 @@ export class GetDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainAssociationCommand) .de(de_GetDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainAssociationRequest; + output: GetDomainAssociationResult; + }; + sdk: { + input: GetDomainAssociationCommandInput; + output: GetDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GetJobCommand.ts b/clients/client-amplify/src/commands/GetJobCommand.ts index ada80a69ef2a..896c0c547358 100644 --- a/clients/client-amplify/src/commands/GetJobCommand.ts +++ b/clients/client-amplify/src/commands/GetJobCommand.ts @@ -123,4 +123,16 @@ export class GetJobCommand extends $Command .f(void 0, void 0) .ser(se_GetJobCommand) .de(de_GetJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRequest; + output: GetJobResult; + }; + sdk: { + input: GetJobCommandInput; + output: GetJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/GetWebhookCommand.ts b/clients/client-amplify/src/commands/GetWebhookCommand.ts index f08fe4b64c6f..564241c683af 100644 --- a/clients/client-amplify/src/commands/GetWebhookCommand.ts +++ b/clients/client-amplify/src/commands/GetWebhookCommand.ts @@ -100,4 +100,16 @@ export class GetWebhookCommand extends $Command .f(void 0, void 0) .ser(se_GetWebhookCommand) .de(de_GetWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWebhookRequest; + output: GetWebhookResult; + }; + sdk: { + input: GetWebhookCommandInput; + output: GetWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListAppsCommand.ts b/clients/client-amplify/src/commands/ListAppsCommand.ts index c663673f6f4b..1365189f67c7 100644 --- a/clients/client-amplify/src/commands/ListAppsCommand.ts +++ b/clients/client-amplify/src/commands/ListAppsCommand.ts @@ -149,4 +149,16 @@ export class ListAppsCommand extends $Command .f(void 0, ListAppsResultFilterSensitiveLog) .ser(se_ListAppsCommand) .de(de_ListAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppsRequest; + output: ListAppsResult; + }; + sdk: { + input: ListAppsCommandInput; + output: ListAppsCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListArtifactsCommand.ts b/clients/client-amplify/src/commands/ListArtifactsCommand.ts index f00158a87c78..0956a7a22b1b 100644 --- a/clients/client-amplify/src/commands/ListArtifactsCommand.ts +++ b/clients/client-amplify/src/commands/ListArtifactsCommand.ts @@ -99,4 +99,16 @@ export class ListArtifactsCommand extends $Command .f(void 0, void 0) .ser(se_ListArtifactsCommand) .de(de_ListArtifactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArtifactsRequest; + output: ListArtifactsResult; + }; + sdk: { + input: ListArtifactsCommandInput; + output: ListArtifactsCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListBackendEnvironmentsCommand.ts b/clients/client-amplify/src/commands/ListBackendEnvironmentsCommand.ts index ce2dfdce0365..115292e79347 100644 --- a/clients/client-amplify/src/commands/ListBackendEnvironmentsCommand.ts +++ b/clients/client-amplify/src/commands/ListBackendEnvironmentsCommand.ts @@ -105,4 +105,16 @@ export class ListBackendEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListBackendEnvironmentsCommand) .de(de_ListBackendEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackendEnvironmentsRequest; + output: ListBackendEnvironmentsResult; + }; + sdk: { + input: ListBackendEnvironmentsCommandInput; + output: ListBackendEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListBranchesCommand.ts b/clients/client-amplify/src/commands/ListBranchesCommand.ts index 7e4c0c03c064..0c80f558fb56 100644 --- a/clients/client-amplify/src/commands/ListBranchesCommand.ts +++ b/clients/client-amplify/src/commands/ListBranchesCommand.ts @@ -130,4 +130,16 @@ export class ListBranchesCommand extends $Command .f(void 0, ListBranchesResultFilterSensitiveLog) .ser(se_ListBranchesCommand) .de(de_ListBranchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBranchesRequest; + output: ListBranchesResult; + }; + sdk: { + input: ListBranchesCommandInput; + output: ListBranchesCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListDomainAssociationsCommand.ts b/clients/client-amplify/src/commands/ListDomainAssociationsCommand.ts index d08f43532b81..5fc1abd75339 100644 --- a/clients/client-amplify/src/commands/ListDomainAssociationsCommand.ts +++ b/clients/client-amplify/src/commands/ListDomainAssociationsCommand.ts @@ -118,4 +118,16 @@ export class ListDomainAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainAssociationsCommand) .de(de_ListDomainAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainAssociationsRequest; + output: ListDomainAssociationsResult; + }; + sdk: { + input: ListDomainAssociationsCommandInput; + output: ListDomainAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListJobsCommand.ts b/clients/client-amplify/src/commands/ListJobsCommand.ts index f4811688522b..d0cc3e72c0a8 100644 --- a/clients/client-amplify/src/commands/ListJobsCommand.ts +++ b/clients/client-amplify/src/commands/ListJobsCommand.ts @@ -105,4 +105,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResult; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListTagsForResourceCommand.ts b/clients/client-amplify/src/commands/ListTagsForResourceCommand.ts index 5ecf822f6bf7..ef6bc24df435 100644 --- a/clients/client-amplify/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-amplify/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/ListWebhooksCommand.ts b/clients/client-amplify/src/commands/ListWebhooksCommand.ts index d5b472def34f..c3ec1f885563 100644 --- a/clients/client-amplify/src/commands/ListWebhooksCommand.ts +++ b/clients/client-amplify/src/commands/ListWebhooksCommand.ts @@ -102,4 +102,16 @@ export class ListWebhooksCommand extends $Command .f(void 0, void 0) .ser(se_ListWebhooksCommand) .de(de_ListWebhooksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebhooksRequest; + output: ListWebhooksResult; + }; + sdk: { + input: ListWebhooksCommandInput; + output: ListWebhooksCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/StartDeploymentCommand.ts b/clients/client-amplify/src/commands/StartDeploymentCommand.ts index 03b04d7dbc4a..5e85f03b516f 100644 --- a/clients/client-amplify/src/commands/StartDeploymentCommand.ts +++ b/clients/client-amplify/src/commands/StartDeploymentCommand.ts @@ -110,4 +110,16 @@ export class StartDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StartDeploymentCommand) .de(de_StartDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDeploymentRequest; + output: StartDeploymentResult; + }; + sdk: { + input: StartDeploymentCommandInput; + output: StartDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/StartJobCommand.ts b/clients/client-amplify/src/commands/StartJobCommand.ts index d4f1f04247f6..b3a37ac75579 100644 --- a/clients/client-amplify/src/commands/StartJobCommand.ts +++ b/clients/client-amplify/src/commands/StartJobCommand.ts @@ -109,4 +109,16 @@ export class StartJobCommand extends $Command .f(void 0, void 0) .ser(se_StartJobCommand) .de(de_StartJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartJobRequest; + output: StartJobResult; + }; + sdk: { + input: StartJobCommandInput; + output: StartJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/StopJobCommand.ts b/clients/client-amplify/src/commands/StopJobCommand.ts index e206cb75a540..d17d338eac15 100644 --- a/clients/client-amplify/src/commands/StopJobCommand.ts +++ b/clients/client-amplify/src/commands/StopJobCommand.ts @@ -104,4 +104,16 @@ export class StopJobCommand extends $Command .f(void 0, void 0) .ser(se_StopJobCommand) .de(de_StopJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopJobRequest; + output: StopJobResult; + }; + sdk: { + input: StopJobCommandInput; + output: StopJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/TagResourceCommand.ts b/clients/client-amplify/src/commands/TagResourceCommand.ts index 2cd56c6d15a2..2c40000cdacb 100644 --- a/clients/client-amplify/src/commands/TagResourceCommand.ts +++ b/clients/client-amplify/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/UntagResourceCommand.ts b/clients/client-amplify/src/commands/UntagResourceCommand.ts index 48de5dfd330f..099c2fbcda96 100644 --- a/clients/client-amplify/src/commands/UntagResourceCommand.ts +++ b/clients/client-amplify/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/UpdateAppCommand.ts b/clients/client-amplify/src/commands/UpdateAppCommand.ts index 1a007572ad28..3f6671bbc531 100644 --- a/clients/client-amplify/src/commands/UpdateAppCommand.ts +++ b/clients/client-amplify/src/commands/UpdateAppCommand.ts @@ -198,4 +198,16 @@ export class UpdateAppCommand extends $Command .f(UpdateAppRequestFilterSensitiveLog, UpdateAppResultFilterSensitiveLog) .ser(se_UpdateAppCommand) .de(de_UpdateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppRequest; + output: UpdateAppResult; + }; + sdk: { + input: UpdateAppCommandInput; + output: UpdateAppCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/UpdateBranchCommand.ts b/clients/client-amplify/src/commands/UpdateBranchCommand.ts index 32cb29eaded2..2da01365694e 100644 --- a/clients/client-amplify/src/commands/UpdateBranchCommand.ts +++ b/clients/client-amplify/src/commands/UpdateBranchCommand.ts @@ -157,4 +157,16 @@ export class UpdateBranchCommand extends $Command .f(UpdateBranchRequestFilterSensitiveLog, UpdateBranchResultFilterSensitiveLog) .ser(se_UpdateBranchCommand) .de(de_UpdateBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBranchRequest; + output: UpdateBranchResult; + }; + sdk: { + input: UpdateBranchCommandInput; + output: UpdateBranchCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/UpdateDomainAssociationCommand.ts b/clients/client-amplify/src/commands/UpdateDomainAssociationCommand.ts index e4ef9dec2e4d..820080b7e961 100644 --- a/clients/client-amplify/src/commands/UpdateDomainAssociationCommand.ts +++ b/clients/client-amplify/src/commands/UpdateDomainAssociationCommand.ts @@ -135,4 +135,16 @@ export class UpdateDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainAssociationCommand) .de(de_UpdateDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainAssociationRequest; + output: UpdateDomainAssociationResult; + }; + sdk: { + input: UpdateDomainAssociationCommandInput; + output: UpdateDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-amplify/src/commands/UpdateWebhookCommand.ts b/clients/client-amplify/src/commands/UpdateWebhookCommand.ts index 0e1f13c17c6e..091b007d4023 100644 --- a/clients/client-amplify/src/commands/UpdateWebhookCommand.ts +++ b/clients/client-amplify/src/commands/UpdateWebhookCommand.ts @@ -102,4 +102,16 @@ export class UpdateWebhookCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWebhookCommand) .de(de_UpdateWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWebhookRequest; + output: UpdateWebhookResult; + }; + sdk: { + input: UpdateWebhookCommandInput; + output: UpdateWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/package.json b/clients/client-amplifybackend/package.json index 66ff741a952a..33f2fe5b0864 100644 --- a/clients/client-amplifybackend/package.json +++ b/clients/client-amplifybackend/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-amplifybackend/src/commands/CloneBackendCommand.ts b/clients/client-amplifybackend/src/commands/CloneBackendCommand.ts index 716360a86d37..0ad5d20ca3f8 100644 --- a/clients/client-amplifybackend/src/commands/CloneBackendCommand.ts +++ b/clients/client-amplifybackend/src/commands/CloneBackendCommand.ts @@ -96,4 +96,16 @@ export class CloneBackendCommand extends $Command .f(void 0, void 0) .ser(se_CloneBackendCommand) .de(de_CloneBackendCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CloneBackendRequest; + output: CloneBackendResponse; + }; + sdk: { + input: CloneBackendCommandInput; + output: CloneBackendCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/CreateBackendAPICommand.ts b/clients/client-amplifybackend/src/commands/CreateBackendAPICommand.ts index c332df729a17..e2fedf3c74e3 100644 --- a/clients/client-amplifybackend/src/commands/CreateBackendAPICommand.ts +++ b/clients/client-amplifybackend/src/commands/CreateBackendAPICommand.ts @@ -132,4 +132,16 @@ export class CreateBackendAPICommand extends $Command .f(void 0, void 0) .ser(se_CreateBackendAPICommand) .de(de_CreateBackendAPICommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackendAPIRequest; + output: CreateBackendAPIResponse; + }; + sdk: { + input: CreateBackendAPICommandInput; + output: CreateBackendAPICommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/CreateBackendAuthCommand.ts b/clients/client-amplifybackend/src/commands/CreateBackendAuthCommand.ts index d58a856759d1..f988ac5a4e2a 100644 --- a/clients/client-amplifybackend/src/commands/CreateBackendAuthCommand.ts +++ b/clients/client-amplifybackend/src/commands/CreateBackendAuthCommand.ts @@ -183,4 +183,16 @@ export class CreateBackendAuthCommand extends $Command .f(CreateBackendAuthRequestFilterSensitiveLog, void 0) .ser(se_CreateBackendAuthCommand) .de(de_CreateBackendAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackendAuthRequest; + output: CreateBackendAuthResponse; + }; + sdk: { + input: CreateBackendAuthCommandInput; + output: CreateBackendAuthCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/CreateBackendCommand.ts b/clients/client-amplifybackend/src/commands/CreateBackendCommand.ts index 7a8d89ee110c..d51767f6f899 100644 --- a/clients/client-amplifybackend/src/commands/CreateBackendCommand.ts +++ b/clients/client-amplifybackend/src/commands/CreateBackendCommand.ts @@ -98,4 +98,16 @@ export class CreateBackendCommand extends $Command .f(void 0, void 0) .ser(se_CreateBackendCommand) .de(de_CreateBackendCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackendRequest; + output: CreateBackendResponse; + }; + sdk: { + input: CreateBackendCommandInput; + output: CreateBackendCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/CreateBackendConfigCommand.ts b/clients/client-amplifybackend/src/commands/CreateBackendConfigCommand.ts index df13d39caf2f..9d10efc7b01d 100644 --- a/clients/client-amplifybackend/src/commands/CreateBackendConfigCommand.ts +++ b/clients/client-amplifybackend/src/commands/CreateBackendConfigCommand.ts @@ -93,4 +93,16 @@ export class CreateBackendConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateBackendConfigCommand) .de(de_CreateBackendConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackendConfigRequest; + output: CreateBackendConfigResponse; + }; + sdk: { + input: CreateBackendConfigCommandInput; + output: CreateBackendConfigCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/CreateBackendStorageCommand.ts b/clients/client-amplifybackend/src/commands/CreateBackendStorageCommand.ts index 8a0d98595205..c314330db631 100644 --- a/clients/client-amplifybackend/src/commands/CreateBackendStorageCommand.ts +++ b/clients/client-amplifybackend/src/commands/CreateBackendStorageCommand.ts @@ -106,4 +106,16 @@ export class CreateBackendStorageCommand extends $Command .f(void 0, void 0) .ser(se_CreateBackendStorageCommand) .de(de_CreateBackendStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackendStorageRequest; + output: CreateBackendStorageResponse; + }; + sdk: { + input: CreateBackendStorageCommandInput; + output: CreateBackendStorageCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/CreateTokenCommand.ts b/clients/client-amplifybackend/src/commands/CreateTokenCommand.ts index bb628d2a30a3..0c1e2e0c5eab 100644 --- a/clients/client-amplifybackend/src/commands/CreateTokenCommand.ts +++ b/clients/client-amplifybackend/src/commands/CreateTokenCommand.ts @@ -92,4 +92,16 @@ export class CreateTokenCommand extends $Command .f(void 0, void 0) .ser(se_CreateTokenCommand) .de(de_CreateTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTokenRequest; + output: CreateTokenResponse; + }; + sdk: { + input: CreateTokenCommandInput; + output: CreateTokenCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/DeleteBackendAPICommand.ts b/clients/client-amplifybackend/src/commands/DeleteBackendAPICommand.ts index bfd6674e2e8c..77d435e3f5f9 100644 --- a/clients/client-amplifybackend/src/commands/DeleteBackendAPICommand.ts +++ b/clients/client-amplifybackend/src/commands/DeleteBackendAPICommand.ts @@ -132,4 +132,16 @@ export class DeleteBackendAPICommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackendAPICommand) .de(de_DeleteBackendAPICommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackendAPIRequest; + output: DeleteBackendAPIResponse; + }; + sdk: { + input: DeleteBackendAPICommandInput; + output: DeleteBackendAPICommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/DeleteBackendAuthCommand.ts b/clients/client-amplifybackend/src/commands/DeleteBackendAuthCommand.ts index 8a3b4934a107..f6e853fc5551 100644 --- a/clients/client-amplifybackend/src/commands/DeleteBackendAuthCommand.ts +++ b/clients/client-amplifybackend/src/commands/DeleteBackendAuthCommand.ts @@ -96,4 +96,16 @@ export class DeleteBackendAuthCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackendAuthCommand) .de(de_DeleteBackendAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackendAuthRequest; + output: DeleteBackendAuthResponse; + }; + sdk: { + input: DeleteBackendAuthCommandInput; + output: DeleteBackendAuthCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/DeleteBackendCommand.ts b/clients/client-amplifybackend/src/commands/DeleteBackendCommand.ts index d6774b8be53d..6a9b5117bc41 100644 --- a/clients/client-amplifybackend/src/commands/DeleteBackendCommand.ts +++ b/clients/client-amplifybackend/src/commands/DeleteBackendCommand.ts @@ -95,4 +95,16 @@ export class DeleteBackendCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackendCommand) .de(de_DeleteBackendCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackendRequest; + output: DeleteBackendResponse; + }; + sdk: { + input: DeleteBackendCommandInput; + output: DeleteBackendCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/DeleteBackendStorageCommand.ts b/clients/client-amplifybackend/src/commands/DeleteBackendStorageCommand.ts index bcd00c478c47..a8b2766cba36 100644 --- a/clients/client-amplifybackend/src/commands/DeleteBackendStorageCommand.ts +++ b/clients/client-amplifybackend/src/commands/DeleteBackendStorageCommand.ts @@ -95,4 +95,16 @@ export class DeleteBackendStorageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackendStorageCommand) .de(de_DeleteBackendStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackendStorageRequest; + output: DeleteBackendStorageResponse; + }; + sdk: { + input: DeleteBackendStorageCommandInput; + output: DeleteBackendStorageCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/DeleteTokenCommand.ts b/clients/client-amplifybackend/src/commands/DeleteTokenCommand.ts index f930eb38dc00..9a0ba1509e86 100644 --- a/clients/client-amplifybackend/src/commands/DeleteTokenCommand.ts +++ b/clients/client-amplifybackend/src/commands/DeleteTokenCommand.ts @@ -90,4 +90,16 @@ export class DeleteTokenCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTokenCommand) .de(de_DeleteTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTokenRequest; + output: DeleteTokenResponse; + }; + sdk: { + input: DeleteTokenCommandInput; + output: DeleteTokenCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GenerateBackendAPIModelsCommand.ts b/clients/client-amplifybackend/src/commands/GenerateBackendAPIModelsCommand.ts index 6a88744ab174..b26a4e4f8194 100644 --- a/clients/client-amplifybackend/src/commands/GenerateBackendAPIModelsCommand.ts +++ b/clients/client-amplifybackend/src/commands/GenerateBackendAPIModelsCommand.ts @@ -96,4 +96,16 @@ export class GenerateBackendAPIModelsCommand extends $Command .f(void 0, void 0) .ser(se_GenerateBackendAPIModelsCommand) .de(de_GenerateBackendAPIModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateBackendAPIModelsRequest; + output: GenerateBackendAPIModelsResponse; + }; + sdk: { + input: GenerateBackendAPIModelsCommandInput; + output: GenerateBackendAPIModelsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GetBackendAPICommand.ts b/clients/client-amplifybackend/src/commands/GetBackendAPICommand.ts index dda0d2e705ec..7a17cd6d5286 100644 --- a/clients/client-amplifybackend/src/commands/GetBackendAPICommand.ts +++ b/clients/client-amplifybackend/src/commands/GetBackendAPICommand.ts @@ -166,4 +166,16 @@ export class GetBackendAPICommand extends $Command .f(void 0, void 0) .ser(se_GetBackendAPICommand) .de(de_GetBackendAPICommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackendAPIRequest; + output: GetBackendAPIResponse; + }; + sdk: { + input: GetBackendAPICommandInput; + output: GetBackendAPICommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GetBackendAPIModelsCommand.ts b/clients/client-amplifybackend/src/commands/GetBackendAPIModelsCommand.ts index cf4e1e6c7bd4..1b109d6265bb 100644 --- a/clients/client-amplifybackend/src/commands/GetBackendAPIModelsCommand.ts +++ b/clients/client-amplifybackend/src/commands/GetBackendAPIModelsCommand.ts @@ -93,4 +93,16 @@ export class GetBackendAPIModelsCommand extends $Command .f(void 0, void 0) .ser(se_GetBackendAPIModelsCommand) .de(de_GetBackendAPIModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackendAPIModelsRequest; + output: GetBackendAPIModelsResponse; + }; + sdk: { + input: GetBackendAPIModelsCommandInput; + output: GetBackendAPIModelsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GetBackendAuthCommand.ts b/clients/client-amplifybackend/src/commands/GetBackendAuthCommand.ts index ee4197036f19..331c7d0483d7 100644 --- a/clients/client-amplifybackend/src/commands/GetBackendAuthCommand.ts +++ b/clients/client-amplifybackend/src/commands/GetBackendAuthCommand.ts @@ -181,4 +181,16 @@ export class GetBackendAuthCommand extends $Command .f(void 0, GetBackendAuthResponseFilterSensitiveLog) .ser(se_GetBackendAuthCommand) .de(de_GetBackendAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackendAuthRequest; + output: GetBackendAuthResponse; + }; + sdk: { + input: GetBackendAuthCommandInput; + output: GetBackendAuthCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GetBackendCommand.ts b/clients/client-amplifybackend/src/commands/GetBackendCommand.ts index 9fda6e5bf740..6587fe518dfb 100644 --- a/clients/client-amplifybackend/src/commands/GetBackendCommand.ts +++ b/clients/client-amplifybackend/src/commands/GetBackendCommand.ts @@ -98,4 +98,16 @@ export class GetBackendCommand extends $Command .f(void 0, void 0) .ser(se_GetBackendCommand) .de(de_GetBackendCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackendRequest; + output: GetBackendResponse; + }; + sdk: { + input: GetBackendCommandInput; + output: GetBackendCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GetBackendJobCommand.ts b/clients/client-amplifybackend/src/commands/GetBackendJobCommand.ts index 6a74fcde7258..332c69ee7518 100644 --- a/clients/client-amplifybackend/src/commands/GetBackendJobCommand.ts +++ b/clients/client-amplifybackend/src/commands/GetBackendJobCommand.ts @@ -98,4 +98,16 @@ export class GetBackendJobCommand extends $Command .f(void 0, void 0) .ser(se_GetBackendJobCommand) .de(de_GetBackendJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackendJobRequest; + output: GetBackendJobResponse; + }; + sdk: { + input: GetBackendJobCommandInput; + output: GetBackendJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GetBackendStorageCommand.ts b/clients/client-amplifybackend/src/commands/GetBackendStorageCommand.ts index d45a03ae455f..1125bfa3d13a 100644 --- a/clients/client-amplifybackend/src/commands/GetBackendStorageCommand.ts +++ b/clients/client-amplifybackend/src/commands/GetBackendStorageCommand.ts @@ -106,4 +106,16 @@ export class GetBackendStorageCommand extends $Command .f(void 0, void 0) .ser(se_GetBackendStorageCommand) .de(de_GetBackendStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackendStorageRequest; + output: GetBackendStorageResponse; + }; + sdk: { + input: GetBackendStorageCommandInput; + output: GetBackendStorageCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/GetTokenCommand.ts b/clients/client-amplifybackend/src/commands/GetTokenCommand.ts index 8f487530b43a..e238b63db79f 100644 --- a/clients/client-amplifybackend/src/commands/GetTokenCommand.ts +++ b/clients/client-amplifybackend/src/commands/GetTokenCommand.ts @@ -93,4 +93,16 @@ export class GetTokenCommand extends $Command .f(void 0, void 0) .ser(se_GetTokenCommand) .de(de_GetTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTokenRequest; + output: GetTokenResponse; + }; + sdk: { + input: GetTokenCommandInput; + output: GetTokenCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/ImportBackendAuthCommand.ts b/clients/client-amplifybackend/src/commands/ImportBackendAuthCommand.ts index 31a0d8d46d16..7686852198c0 100644 --- a/clients/client-amplifybackend/src/commands/ImportBackendAuthCommand.ts +++ b/clients/client-amplifybackend/src/commands/ImportBackendAuthCommand.ts @@ -99,4 +99,16 @@ export class ImportBackendAuthCommand extends $Command .f(void 0, void 0) .ser(se_ImportBackendAuthCommand) .de(de_ImportBackendAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportBackendAuthRequest; + output: ImportBackendAuthResponse; + }; + sdk: { + input: ImportBackendAuthCommandInput; + output: ImportBackendAuthCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/ImportBackendStorageCommand.ts b/clients/client-amplifybackend/src/commands/ImportBackendStorageCommand.ts index 9bb636029f09..c2ab42420044 100644 --- a/clients/client-amplifybackend/src/commands/ImportBackendStorageCommand.ts +++ b/clients/client-amplifybackend/src/commands/ImportBackendStorageCommand.ts @@ -95,4 +95,16 @@ export class ImportBackendStorageCommand extends $Command .f(void 0, void 0) .ser(se_ImportBackendStorageCommand) .de(de_ImportBackendStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportBackendStorageRequest; + output: ImportBackendStorageResponse; + }; + sdk: { + input: ImportBackendStorageCommandInput; + output: ImportBackendStorageCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/ListBackendJobsCommand.ts b/clients/client-amplifybackend/src/commands/ListBackendJobsCommand.ts index 28139755461a..6eb8cfe0cbde 100644 --- a/clients/client-amplifybackend/src/commands/ListBackendJobsCommand.ts +++ b/clients/client-amplifybackend/src/commands/ListBackendJobsCommand.ts @@ -107,4 +107,16 @@ export class ListBackendJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListBackendJobsCommand) .de(de_ListBackendJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackendJobsRequest; + output: ListBackendJobsResponse; + }; + sdk: { + input: ListBackendJobsCommandInput; + output: ListBackendJobsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/ListS3BucketsCommand.ts b/clients/client-amplifybackend/src/commands/ListS3BucketsCommand.ts index efa49b21c640..8c2565dafdcb 100644 --- a/clients/client-amplifybackend/src/commands/ListS3BucketsCommand.ts +++ b/clients/client-amplifybackend/src/commands/ListS3BucketsCommand.ts @@ -95,4 +95,16 @@ export class ListS3BucketsCommand extends $Command .f(void 0, void 0) .ser(se_ListS3BucketsCommand) .de(de_ListS3BucketsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListS3BucketsRequest; + output: ListS3BucketsResponse; + }; + sdk: { + input: ListS3BucketsCommandInput; + output: ListS3BucketsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/RemoveAllBackendsCommand.ts b/clients/client-amplifybackend/src/commands/RemoveAllBackendsCommand.ts index 71fc903e506a..33ade930d02e 100644 --- a/clients/client-amplifybackend/src/commands/RemoveAllBackendsCommand.ts +++ b/clients/client-amplifybackend/src/commands/RemoveAllBackendsCommand.ts @@ -94,4 +94,16 @@ export class RemoveAllBackendsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveAllBackendsCommand) .de(de_RemoveAllBackendsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAllBackendsRequest; + output: RemoveAllBackendsResponse; + }; + sdk: { + input: RemoveAllBackendsCommandInput; + output: RemoveAllBackendsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/RemoveBackendConfigCommand.ts b/clients/client-amplifybackend/src/commands/RemoveBackendConfigCommand.ts index 5f6cabec1091..0623874d5dc4 100644 --- a/clients/client-amplifybackend/src/commands/RemoveBackendConfigCommand.ts +++ b/clients/client-amplifybackend/src/commands/RemoveBackendConfigCommand.ts @@ -89,4 +89,16 @@ export class RemoveBackendConfigCommand extends $Command .f(void 0, void 0) .ser(se_RemoveBackendConfigCommand) .de(de_RemoveBackendConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveBackendConfigRequest; + output: RemoveBackendConfigResponse; + }; + sdk: { + input: RemoveBackendConfigCommandInput; + output: RemoveBackendConfigCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/UpdateBackendAPICommand.ts b/clients/client-amplifybackend/src/commands/UpdateBackendAPICommand.ts index bbb9675f6595..9a85df875084 100644 --- a/clients/client-amplifybackend/src/commands/UpdateBackendAPICommand.ts +++ b/clients/client-amplifybackend/src/commands/UpdateBackendAPICommand.ts @@ -132,4 +132,16 @@ export class UpdateBackendAPICommand extends $Command .f(void 0, void 0) .ser(se_UpdateBackendAPICommand) .de(de_UpdateBackendAPICommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBackendAPIRequest; + output: UpdateBackendAPIResponse; + }; + sdk: { + input: UpdateBackendAPICommandInput; + output: UpdateBackendAPICommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/UpdateBackendAuthCommand.ts b/clients/client-amplifybackend/src/commands/UpdateBackendAuthCommand.ts index ab5b48d12807..d14e4cca16c9 100644 --- a/clients/client-amplifybackend/src/commands/UpdateBackendAuthCommand.ts +++ b/clients/client-amplifybackend/src/commands/UpdateBackendAuthCommand.ts @@ -177,4 +177,16 @@ export class UpdateBackendAuthCommand extends $Command .f(UpdateBackendAuthRequestFilterSensitiveLog, void 0) .ser(se_UpdateBackendAuthCommand) .de(de_UpdateBackendAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBackendAuthRequest; + output: UpdateBackendAuthResponse; + }; + sdk: { + input: UpdateBackendAuthCommandInput; + output: UpdateBackendAuthCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/UpdateBackendConfigCommand.ts b/clients/client-amplifybackend/src/commands/UpdateBackendConfigCommand.ts index 7bd1461f120e..484779b0139f 100644 --- a/clients/client-amplifybackend/src/commands/UpdateBackendConfigCommand.ts +++ b/clients/client-amplifybackend/src/commands/UpdateBackendConfigCommand.ts @@ -103,4 +103,16 @@ export class UpdateBackendConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBackendConfigCommand) .de(de_UpdateBackendConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBackendConfigRequest; + output: UpdateBackendConfigResponse; + }; + sdk: { + input: UpdateBackendConfigCommandInput; + output: UpdateBackendConfigCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/UpdateBackendJobCommand.ts b/clients/client-amplifybackend/src/commands/UpdateBackendJobCommand.ts index 727371b929e0..5fa837235211 100644 --- a/clients/client-amplifybackend/src/commands/UpdateBackendJobCommand.ts +++ b/clients/client-amplifybackend/src/commands/UpdateBackendJobCommand.ts @@ -100,4 +100,16 @@ export class UpdateBackendJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBackendJobCommand) .de(de_UpdateBackendJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBackendJobRequest; + output: UpdateBackendJobResponse; + }; + sdk: { + input: UpdateBackendJobCommandInput; + output: UpdateBackendJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplifybackend/src/commands/UpdateBackendStorageCommand.ts b/clients/client-amplifybackend/src/commands/UpdateBackendStorageCommand.ts index 6e633e87d01a..a7b480d0eb84 100644 --- a/clients/client-amplifybackend/src/commands/UpdateBackendStorageCommand.ts +++ b/clients/client-amplifybackend/src/commands/UpdateBackendStorageCommand.ts @@ -105,4 +105,16 @@ export class UpdateBackendStorageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBackendStorageCommand) .de(de_UpdateBackendStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBackendStorageRequest; + output: UpdateBackendStorageResponse; + }; + sdk: { + input: UpdateBackendStorageCommandInput; + output: UpdateBackendStorageCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/package.json b/clients/client-amplifyuibuilder/package.json index fd3025dfc54f..4aef71aec433 100644 --- a/clients/client-amplifyuibuilder/package.json +++ b/clients/client-amplifyuibuilder/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-amplifyuibuilder/src/commands/CreateComponentCommand.ts b/clients/client-amplifyuibuilder/src/commands/CreateComponentCommand.ts index f6b041ac286c..ce175f822b6d 100644 --- a/clients/client-amplifyuibuilder/src/commands/CreateComponentCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/CreateComponentCommand.ts @@ -524,4 +524,16 @@ export class CreateComponentCommand extends $Command .f(void 0, void 0) .ser(se_CreateComponentCommand) .de(de_CreateComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComponentRequest; + output: CreateComponentResponse; + }; + sdk: { + input: CreateComponentCommandInput; + output: CreateComponentCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/CreateFormCommand.ts b/clients/client-amplifyuibuilder/src/commands/CreateFormCommand.ts index da0ca6ca3024..d071f7975b7a 100644 --- a/clients/client-amplifyuibuilder/src/commands/CreateFormCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/CreateFormCommand.ts @@ -402,4 +402,16 @@ export class CreateFormCommand extends $Command .f(void 0, void 0) .ser(se_CreateFormCommand) .de(de_CreateFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFormRequest; + output: CreateFormResponse; + }; + sdk: { + input: CreateFormCommandInput; + output: CreateFormCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/CreateThemeCommand.ts b/clients/client-amplifyuibuilder/src/commands/CreateThemeCommand.ts index 9216735ef3dc..6c6a72391d68 100644 --- a/clients/client-amplifyuibuilder/src/commands/CreateThemeCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/CreateThemeCommand.ts @@ -144,4 +144,16 @@ export class CreateThemeCommand extends $Command .f(void 0, void 0) .ser(se_CreateThemeCommand) .de(de_CreateThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThemeRequest; + output: CreateThemeResponse; + }; + sdk: { + input: CreateThemeCommandInput; + output: CreateThemeCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/DeleteComponentCommand.ts b/clients/client-amplifyuibuilder/src/commands/DeleteComponentCommand.ts index 4eb66d93ca20..f6dc3bb9cb75 100644 --- a/clients/client-amplifyuibuilder/src/commands/DeleteComponentCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/DeleteComponentCommand.ts @@ -86,4 +86,16 @@ export class DeleteComponentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteComponentCommand) .de(de_DeleteComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComponentRequest; + output: {}; + }; + sdk: { + input: DeleteComponentCommandInput; + output: DeleteComponentCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/DeleteFormCommand.ts b/clients/client-amplifyuibuilder/src/commands/DeleteFormCommand.ts index a0a66656415c..63f093cc2bb6 100644 --- a/clients/client-amplifyuibuilder/src/commands/DeleteFormCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/DeleteFormCommand.ts @@ -86,4 +86,16 @@ export class DeleteFormCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFormCommand) .de(de_DeleteFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFormRequest; + output: {}; + }; + sdk: { + input: DeleteFormCommandInput; + output: DeleteFormCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/DeleteThemeCommand.ts b/clients/client-amplifyuibuilder/src/commands/DeleteThemeCommand.ts index 9f41ac0dded8..a4c86ab960ef 100644 --- a/clients/client-amplifyuibuilder/src/commands/DeleteThemeCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/DeleteThemeCommand.ts @@ -86,4 +86,16 @@ export class DeleteThemeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThemeCommand) .de(de_DeleteThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThemeRequest; + output: {}; + }; + sdk: { + input: DeleteThemeCommandInput; + output: DeleteThemeCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ExchangeCodeForTokenCommand.ts b/clients/client-amplifyuibuilder/src/commands/ExchangeCodeForTokenCommand.ts index c24fcd35c9ee..c074d43988bc 100644 --- a/clients/client-amplifyuibuilder/src/commands/ExchangeCodeForTokenCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ExchangeCodeForTokenCommand.ts @@ -95,4 +95,16 @@ export class ExchangeCodeForTokenCommand extends $Command .f(ExchangeCodeForTokenRequestFilterSensitiveLog, ExchangeCodeForTokenResponseFilterSensitiveLog) .ser(se_ExchangeCodeForTokenCommand) .de(de_ExchangeCodeForTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExchangeCodeForTokenRequest; + output: ExchangeCodeForTokenResponse; + }; + sdk: { + input: ExchangeCodeForTokenCommandInput; + output: ExchangeCodeForTokenCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ExportComponentsCommand.ts b/clients/client-amplifyuibuilder/src/commands/ExportComponentsCommand.ts index 670fc2a0cd9f..8d1addd31ab5 100644 --- a/clients/client-amplifyuibuilder/src/commands/ExportComponentsCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ExportComponentsCommand.ts @@ -306,4 +306,16 @@ export class ExportComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ExportComponentsCommand) .de(de_ExportComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportComponentsRequest; + output: ExportComponentsResponse; + }; + sdk: { + input: ExportComponentsCommandInput; + output: ExportComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ExportFormsCommand.ts b/clients/client-amplifyuibuilder/src/commands/ExportFormsCommand.ts index 2e5151c4a7bb..ef05b0372287 100644 --- a/clients/client-amplifyuibuilder/src/commands/ExportFormsCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ExportFormsCommand.ts @@ -244,4 +244,16 @@ export class ExportFormsCommand extends $Command .f(void 0, void 0) .ser(se_ExportFormsCommand) .de(de_ExportFormsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportFormsRequest; + output: ExportFormsResponse; + }; + sdk: { + input: ExportFormsCommandInput; + output: ExportFormsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ExportThemesCommand.ts b/clients/client-amplifyuibuilder/src/commands/ExportThemesCommand.ts index e75f7a137ae1..15bffffa647d 100644 --- a/clients/client-amplifyuibuilder/src/commands/ExportThemesCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ExportThemesCommand.ts @@ -116,4 +116,16 @@ export class ExportThemesCommand extends $Command .f(void 0, void 0) .ser(se_ExportThemesCommand) .de(de_ExportThemesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportThemesRequest; + output: ExportThemesResponse; + }; + sdk: { + input: ExportThemesCommandInput; + output: ExportThemesCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/GetCodegenJobCommand.ts b/clients/client-amplifyuibuilder/src/commands/GetCodegenJobCommand.ts index 9aa827dc36ec..ac82bd2b47f2 100644 --- a/clients/client-amplifyuibuilder/src/commands/GetCodegenJobCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/GetCodegenJobCommand.ts @@ -211,4 +211,16 @@ export class GetCodegenJobCommand extends $Command .f(void 0, void 0) .ser(se_GetCodegenJobCommand) .de(de_GetCodegenJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCodegenJobRequest; + output: GetCodegenJobResponse; + }; + sdk: { + input: GetCodegenJobCommandInput; + output: GetCodegenJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/GetComponentCommand.ts b/clients/client-amplifyuibuilder/src/commands/GetComponentCommand.ts index b0a28a12607a..f9a45d6e8a2b 100644 --- a/clients/client-amplifyuibuilder/src/commands/GetComponentCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/GetComponentCommand.ts @@ -306,4 +306,16 @@ export class GetComponentCommand extends $Command .f(void 0, void 0) .ser(se_GetComponentCommand) .de(de_GetComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentRequest; + output: GetComponentResponse; + }; + sdk: { + input: GetComponentCommandInput; + output: GetComponentCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/GetFormCommand.ts b/clients/client-amplifyuibuilder/src/commands/GetFormCommand.ts index 04d46bbeadcf..6d7a007e5a54 100644 --- a/clients/client-amplifyuibuilder/src/commands/GetFormCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/GetFormCommand.ts @@ -244,4 +244,16 @@ export class GetFormCommand extends $Command .f(void 0, void 0) .ser(se_GetFormCommand) .de(de_GetFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFormRequest; + output: GetFormResponse; + }; + sdk: { + input: GetFormCommandInput; + output: GetFormCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/GetMetadataCommand.ts b/clients/client-amplifyuibuilder/src/commands/GetMetadataCommand.ts index b8744f856b69..7b4bc3a7de1e 100644 --- a/clients/client-amplifyuibuilder/src/commands/GetMetadataCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/GetMetadataCommand.ts @@ -86,4 +86,16 @@ export class GetMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetMetadataCommand) .de(de_GetMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetadataRequest; + output: GetMetadataResponse; + }; + sdk: { + input: GetMetadataCommandInput; + output: GetMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/GetThemeCommand.ts b/clients/client-amplifyuibuilder/src/commands/GetThemeCommand.ts index c3c2a1e8465f..c612e633a6d8 100644 --- a/clients/client-amplifyuibuilder/src/commands/GetThemeCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/GetThemeCommand.ts @@ -116,4 +116,16 @@ export class GetThemeCommand extends $Command .f(void 0, void 0) .ser(se_GetThemeCommand) .de(de_GetThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetThemeRequest; + output: GetThemeResponse; + }; + sdk: { + input: GetThemeCommandInput; + output: GetThemeCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ListCodegenJobsCommand.ts b/clients/client-amplifyuibuilder/src/commands/ListCodegenJobsCommand.ts index b35863c31887..299115a868d9 100644 --- a/clients/client-amplifyuibuilder/src/commands/ListCodegenJobsCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ListCodegenJobsCommand.ts @@ -98,4 +98,16 @@ export class ListCodegenJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListCodegenJobsCommand) .de(de_ListCodegenJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCodegenJobsRequest; + output: ListCodegenJobsResponse; + }; + sdk: { + input: ListCodegenJobsCommandInput; + output: ListCodegenJobsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ListComponentsCommand.ts b/clients/client-amplifyuibuilder/src/commands/ListComponentsCommand.ts index a81f1d63b881..66785b56832a 100644 --- a/clients/client-amplifyuibuilder/src/commands/ListComponentsCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ListComponentsCommand.ts @@ -96,4 +96,16 @@ export class ListComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentsCommand) .de(de_ListComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentsRequest; + output: ListComponentsResponse; + }; + sdk: { + input: ListComponentsCommandInput; + output: ListComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ListFormsCommand.ts b/clients/client-amplifyuibuilder/src/commands/ListFormsCommand.ts index f390c301c557..5c237fdacbfc 100644 --- a/clients/client-amplifyuibuilder/src/commands/ListFormsCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ListFormsCommand.ts @@ -99,4 +99,16 @@ export class ListFormsCommand extends $Command .f(void 0, void 0) .ser(se_ListFormsCommand) .de(de_ListFormsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFormsRequest; + output: ListFormsResponse; + }; + sdk: { + input: ListFormsCommandInput; + output: ListFormsCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ListTagsForResourceCommand.ts b/clients/client-amplifyuibuilder/src/commands/ListTagsForResourceCommand.ts index a01ee331dbb9..28be6b843be4 100644 --- a/clients/client-amplifyuibuilder/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/ListThemesCommand.ts b/clients/client-amplifyuibuilder/src/commands/ListThemesCommand.ts index 9092d4d6813f..d7d741e7aac2 100644 --- a/clients/client-amplifyuibuilder/src/commands/ListThemesCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/ListThemesCommand.ts @@ -95,4 +95,16 @@ export class ListThemesCommand extends $Command .f(void 0, void 0) .ser(se_ListThemesCommand) .de(de_ListThemesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThemesRequest; + output: ListThemesResponse; + }; + sdk: { + input: ListThemesCommandInput; + output: ListThemesCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/PutMetadataFlagCommand.ts b/clients/client-amplifyuibuilder/src/commands/PutMetadataFlagCommand.ts index efd1a6ae2ce0..e7a242970f04 100644 --- a/clients/client-amplifyuibuilder/src/commands/PutMetadataFlagCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/PutMetadataFlagCommand.ts @@ -86,4 +86,16 @@ export class PutMetadataFlagCommand extends $Command .f(void 0, void 0) .ser(se_PutMetadataFlagCommand) .de(de_PutMetadataFlagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMetadataFlagRequest; + output: {}; + }; + sdk: { + input: PutMetadataFlagCommandInput; + output: PutMetadataFlagCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/RefreshTokenCommand.ts b/clients/client-amplifyuibuilder/src/commands/RefreshTokenCommand.ts index e9a7ce5cb262..593e0cdb9b56 100644 --- a/clients/client-amplifyuibuilder/src/commands/RefreshTokenCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/RefreshTokenCommand.ts @@ -93,4 +93,16 @@ export class RefreshTokenCommand extends $Command .f(RefreshTokenRequestFilterSensitiveLog, RefreshTokenResponseFilterSensitiveLog) .ser(se_RefreshTokenCommand) .de(de_RefreshTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RefreshTokenRequest; + output: RefreshTokenResponse; + }; + sdk: { + input: RefreshTokenCommandInput; + output: RefreshTokenCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/StartCodegenJobCommand.ts b/clients/client-amplifyuibuilder/src/commands/StartCodegenJobCommand.ts index 92b42918379e..be69f99e7e58 100644 --- a/clients/client-amplifyuibuilder/src/commands/StartCodegenJobCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/StartCodegenJobCommand.ts @@ -311,4 +311,16 @@ export class StartCodegenJobCommand extends $Command .f(void 0, void 0) .ser(se_StartCodegenJobCommand) .de(de_StartCodegenJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCodegenJobRequest; + output: StartCodegenJobResponse; + }; + sdk: { + input: StartCodegenJobCommandInput; + output: StartCodegenJobCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/TagResourceCommand.ts b/clients/client-amplifyuibuilder/src/commands/TagResourceCommand.ts index f034bbdd4876..9fe74c1403b4 100644 --- a/clients/client-amplifyuibuilder/src/commands/TagResourceCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/UntagResourceCommand.ts b/clients/client-amplifyuibuilder/src/commands/UntagResourceCommand.ts index 01b6c091dbd5..05c745acdf76 100644 --- a/clients/client-amplifyuibuilder/src/commands/UntagResourceCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/UpdateComponentCommand.ts b/clients/client-amplifyuibuilder/src/commands/UpdateComponentCommand.ts index 14e64c613e37..7f9d8ea343c6 100644 --- a/clients/client-amplifyuibuilder/src/commands/UpdateComponentCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/UpdateComponentCommand.ts @@ -519,4 +519,16 @@ export class UpdateComponentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateComponentCommand) .de(de_UpdateComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateComponentRequest; + output: UpdateComponentResponse; + }; + sdk: { + input: UpdateComponentCommandInput; + output: UpdateComponentCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/UpdateFormCommand.ts b/clients/client-amplifyuibuilder/src/commands/UpdateFormCommand.ts index 3519a42e7651..dfba3ae92cff 100644 --- a/clients/client-amplifyuibuilder/src/commands/UpdateFormCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/UpdateFormCommand.ts @@ -396,4 +396,16 @@ export class UpdateFormCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFormCommand) .de(de_UpdateFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFormRequest; + output: UpdateFormResponse; + }; + sdk: { + input: UpdateFormCommandInput; + output: UpdateFormCommandOutput; + }; + }; +} diff --git a/clients/client-amplifyuibuilder/src/commands/UpdateThemeCommand.ts b/clients/client-amplifyuibuilder/src/commands/UpdateThemeCommand.ts index 1041e004f4db..3cbff52c429f 100644 --- a/clients/client-amplifyuibuilder/src/commands/UpdateThemeCommand.ts +++ b/clients/client-amplifyuibuilder/src/commands/UpdateThemeCommand.ts @@ -139,4 +139,16 @@ export class UpdateThemeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThemeCommand) .de(de_UpdateThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThemeRequest; + output: UpdateThemeResponse; + }; + sdk: { + input: UpdateThemeCommandInput; + output: UpdateThemeCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/package.json b/clients/client-api-gateway/package.json index 8b63ba0c4620..1fa3bf42e287 100644 --- a/clients/client-api-gateway/package.json +++ b/clients/client-api-gateway/package.json @@ -34,31 +34,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-api-gateway/src/commands/CreateApiKeyCommand.ts b/clients/client-api-gateway/src/commands/CreateApiKeyCommand.ts index 71ede66659f7..20461293a845 100644 --- a/clients/client-api-gateway/src/commands/CreateApiKeyCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateApiKeyCommand.ts @@ -122,4 +122,16 @@ export class CreateApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreateApiKeyCommand) .de(de_CreateApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApiKeyRequest; + output: ApiKey; + }; + sdk: { + input: CreateApiKeyCommandInput; + output: CreateApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateAuthorizerCommand.ts b/clients/client-api-gateway/src/commands/CreateAuthorizerCommand.ts index 3b9cf30cf596..b3877087aeb5 100644 --- a/clients/client-api-gateway/src/commands/CreateAuthorizerCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateAuthorizerCommand.ts @@ -117,4 +117,16 @@ export class CreateAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_CreateAuthorizerCommand) .de(de_CreateAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAuthorizerRequest; + output: Authorizer; + }; + sdk: { + input: CreateAuthorizerCommandInput; + output: CreateAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateBasePathMappingCommand.ts b/clients/client-api-gateway/src/commands/CreateBasePathMappingCommand.ts index 4af6f711d2f5..d20d202f1f74 100644 --- a/clients/client-api-gateway/src/commands/CreateBasePathMappingCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateBasePathMappingCommand.ts @@ -100,4 +100,16 @@ export class CreateBasePathMappingCommand extends $Command .f(void 0, void 0) .ser(se_CreateBasePathMappingCommand) .de(de_CreateBasePathMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBasePathMappingRequest; + output: BasePathMapping; + }; + sdk: { + input: CreateBasePathMappingCommandInput; + output: CreateBasePathMappingCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateDeploymentCommand.ts b/clients/client-api-gateway/src/commands/CreateDeploymentCommand.ts index 6a9ac6e88424..1d025dc9d6af 100644 --- a/clients/client-api-gateway/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateDeploymentCommand.ts @@ -124,4 +124,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentRequest; + output: Deployment; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateDocumentationPartCommand.ts b/clients/client-api-gateway/src/commands/CreateDocumentationPartCommand.ts index 6f8286c5cea3..cbf3196043be 100644 --- a/clients/client-api-gateway/src/commands/CreateDocumentationPartCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateDocumentationPartCommand.ts @@ -111,4 +111,16 @@ export class CreateDocumentationPartCommand extends $Command .f(void 0, void 0) .ser(se_CreateDocumentationPartCommand) .de(de_CreateDocumentationPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDocumentationPartRequest; + output: DocumentationPart; + }; + sdk: { + input: CreateDocumentationPartCommandInput; + output: CreateDocumentationPartCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateDocumentationVersionCommand.ts b/clients/client-api-gateway/src/commands/CreateDocumentationVersionCommand.ts index b3ec434eb656..eae4fd91661c 100644 --- a/clients/client-api-gateway/src/commands/CreateDocumentationVersionCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateDocumentationVersionCommand.ts @@ -100,4 +100,16 @@ export class CreateDocumentationVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDocumentationVersionCommand) .de(de_CreateDocumentationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDocumentationVersionRequest; + output: DocumentationVersion; + }; + sdk: { + input: CreateDocumentationVersionCommandInput; + output: CreateDocumentationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateDomainNameCommand.ts b/clients/client-api-gateway/src/commands/CreateDomainNameCommand.ts index 0c1870145c4f..4b9fce6e5176 100644 --- a/clients/client-api-gateway/src/commands/CreateDomainNameCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateDomainNameCommand.ts @@ -147,4 +147,16 @@ export class CreateDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainNameCommand) .de(de_CreateDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainNameRequest; + output: DomainName; + }; + sdk: { + input: CreateDomainNameCommandInput; + output: CreateDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateModelCommand.ts b/clients/client-api-gateway/src/commands/CreateModelCommand.ts index 2da0af1038ac..7422ed02efff 100644 --- a/clients/client-api-gateway/src/commands/CreateModelCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateModelCommand.ts @@ -103,4 +103,16 @@ export class CreateModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCommand) .de(de_CreateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelRequest; + output: Model; + }; + sdk: { + input: CreateModelCommandInput; + output: CreateModelCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateRequestValidatorCommand.ts b/clients/client-api-gateway/src/commands/CreateRequestValidatorCommand.ts index 30addf0507a1..3fba1f89de2d 100644 --- a/clients/client-api-gateway/src/commands/CreateRequestValidatorCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateRequestValidatorCommand.ts @@ -101,4 +101,16 @@ export class CreateRequestValidatorCommand extends $Command .f(void 0, void 0) .ser(se_CreateRequestValidatorCommand) .de(de_CreateRequestValidatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRequestValidatorRequest; + output: RequestValidator; + }; + sdk: { + input: CreateRequestValidatorCommandInput; + output: CreateRequestValidatorCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateResourceCommand.ts b/clients/client-api-gateway/src/commands/CreateResourceCommand.ts index 6b65d4d359ab..c01abf19144c 100644 --- a/clients/client-api-gateway/src/commands/CreateResourceCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateResourceCommand.ts @@ -159,4 +159,16 @@ export class CreateResourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceCommand) .de(de_CreateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceRequest; + output: Resource; + }; + sdk: { + input: CreateResourceCommandInput; + output: CreateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateRestApiCommand.ts b/clients/client-api-gateway/src/commands/CreateRestApiCommand.ts index 3f0728d7ded6..2093b4a6547e 100644 --- a/clients/client-api-gateway/src/commands/CreateRestApiCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateRestApiCommand.ts @@ -139,4 +139,16 @@ export class CreateRestApiCommand extends $Command .f(void 0, void 0) .ser(se_CreateRestApiCommand) .de(de_CreateRestApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRestApiRequest; + output: RestApi; + }; + sdk: { + input: CreateRestApiCommandInput; + output: CreateRestApiCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateStageCommand.ts b/clients/client-api-gateway/src/commands/CreateStageCommand.ts index 6fc2dc6618d6..30dc3f261792 100644 --- a/clients/client-api-gateway/src/commands/CreateStageCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateStageCommand.ts @@ -159,4 +159,16 @@ export class CreateStageCommand extends $Command .f(void 0, void 0) .ser(se_CreateStageCommand) .de(de_CreateStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStageRequest; + output: Stage; + }; + sdk: { + input: CreateStageCommandInput; + output: CreateStageCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateUsagePlanCommand.ts b/clients/client-api-gateway/src/commands/CreateUsagePlanCommand.ts index a59520b66b62..1ff88a88a0a6 100644 --- a/clients/client-api-gateway/src/commands/CreateUsagePlanCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateUsagePlanCommand.ts @@ -147,4 +147,16 @@ export class CreateUsagePlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateUsagePlanCommand) .de(de_CreateUsagePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUsagePlanRequest; + output: UsagePlan; + }; + sdk: { + input: CreateUsagePlanCommandInput; + output: CreateUsagePlanCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateUsagePlanKeyCommand.ts b/clients/client-api-gateway/src/commands/CreateUsagePlanKeyCommand.ts index b18594d53a7e..d06ead20bee8 100644 --- a/clients/client-api-gateway/src/commands/CreateUsagePlanKeyCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateUsagePlanKeyCommand.ts @@ -100,4 +100,16 @@ export class CreateUsagePlanKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreateUsagePlanKeyCommand) .de(de_CreateUsagePlanKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUsagePlanKeyRequest; + output: UsagePlanKey; + }; + sdk: { + input: CreateUsagePlanKeyCommandInput; + output: CreateUsagePlanKeyCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/CreateVpcLinkCommand.ts b/clients/client-api-gateway/src/commands/CreateVpcLinkCommand.ts index e90ffe6bcba7..87cec650f73a 100644 --- a/clients/client-api-gateway/src/commands/CreateVpcLinkCommand.ts +++ b/clients/client-api-gateway/src/commands/CreateVpcLinkCommand.ts @@ -109,4 +109,16 @@ export class CreateVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcLinkCommand) .de(de_CreateVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcLinkRequest; + output: VpcLink; + }; + sdk: { + input: CreateVpcLinkCommandInput; + output: CreateVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteApiKeyCommand.ts b/clients/client-api-gateway/src/commands/DeleteApiKeyCommand.ts index 1bb9fec103c8..45a5d0285f45 100644 --- a/clients/client-api-gateway/src/commands/DeleteApiKeyCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteApiKeyCommand.ts @@ -90,4 +90,16 @@ export class DeleteApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApiKeyCommand) .de(de_DeleteApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApiKeyRequest; + output: {}; + }; + sdk: { + input: DeleteApiKeyCommandInput; + output: DeleteApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteAuthorizerCommand.ts b/clients/client-api-gateway/src/commands/DeleteAuthorizerCommand.ts index a1434296fcb0..c96076dbbd78 100644 --- a/clients/client-api-gateway/src/commands/DeleteAuthorizerCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteAuthorizerCommand.ts @@ -91,4 +91,16 @@ export class DeleteAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAuthorizerCommand) .de(de_DeleteAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAuthorizerRequest; + output: {}; + }; + sdk: { + input: DeleteAuthorizerCommandInput; + output: DeleteAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteBasePathMappingCommand.ts b/clients/client-api-gateway/src/commands/DeleteBasePathMappingCommand.ts index 7ed68fd3be09..26cdc40c0705 100644 --- a/clients/client-api-gateway/src/commands/DeleteBasePathMappingCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteBasePathMappingCommand.ts @@ -91,4 +91,16 @@ export class DeleteBasePathMappingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBasePathMappingCommand) .de(de_DeleteBasePathMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBasePathMappingRequest; + output: {}; + }; + sdk: { + input: DeleteBasePathMappingCommandInput; + output: DeleteBasePathMappingCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteClientCertificateCommand.ts b/clients/client-api-gateway/src/commands/DeleteClientCertificateCommand.ts index a36d0fd3b51c..43062259fc46 100644 --- a/clients/client-api-gateway/src/commands/DeleteClientCertificateCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteClientCertificateCommand.ts @@ -90,4 +90,16 @@ export class DeleteClientCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClientCertificateCommand) .de(de_DeleteClientCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClientCertificateRequest; + output: {}; + }; + sdk: { + input: DeleteClientCertificateCommandInput; + output: DeleteClientCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteDeploymentCommand.ts b/clients/client-api-gateway/src/commands/DeleteDeploymentCommand.ts index 510c25085d19..e284872fd557 100644 --- a/clients/client-api-gateway/src/commands/DeleteDeploymentCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteDeploymentCommand.ts @@ -94,4 +94,16 @@ export class DeleteDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeploymentCommand) .de(de_DeleteDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentRequest; + output: {}; + }; + sdk: { + input: DeleteDeploymentCommandInput; + output: DeleteDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteDocumentationPartCommand.ts b/clients/client-api-gateway/src/commands/DeleteDocumentationPartCommand.ts index 6ed81156e51c..c25f87d0cb75 100644 --- a/clients/client-api-gateway/src/commands/DeleteDocumentationPartCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteDocumentationPartCommand.ts @@ -91,4 +91,16 @@ export class DeleteDocumentationPartCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDocumentationPartCommand) .de(de_DeleteDocumentationPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDocumentationPartRequest; + output: {}; + }; + sdk: { + input: DeleteDocumentationPartCommandInput; + output: DeleteDocumentationPartCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteDocumentationVersionCommand.ts b/clients/client-api-gateway/src/commands/DeleteDocumentationVersionCommand.ts index 554207f01be5..9a5be112c8b6 100644 --- a/clients/client-api-gateway/src/commands/DeleteDocumentationVersionCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteDocumentationVersionCommand.ts @@ -91,4 +91,16 @@ export class DeleteDocumentationVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDocumentationVersionCommand) .de(de_DeleteDocumentationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDocumentationVersionRequest; + output: {}; + }; + sdk: { + input: DeleteDocumentationVersionCommandInput; + output: DeleteDocumentationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteDomainNameCommand.ts b/clients/client-api-gateway/src/commands/DeleteDomainNameCommand.ts index e54547caa0bd..a2af894cab44 100644 --- a/clients/client-api-gateway/src/commands/DeleteDomainNameCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteDomainNameCommand.ts @@ -90,4 +90,16 @@ export class DeleteDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainNameCommand) .de(de_DeleteDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainNameRequest; + output: {}; + }; + sdk: { + input: DeleteDomainNameCommandInput; + output: DeleteDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteGatewayResponseCommand.ts b/clients/client-api-gateway/src/commands/DeleteGatewayResponseCommand.ts index 4d19e7ecac6b..b0c022d5e840 100644 --- a/clients/client-api-gateway/src/commands/DeleteGatewayResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteGatewayResponseCommand.ts @@ -91,4 +91,16 @@ export class DeleteGatewayResponseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGatewayResponseCommand) .de(de_DeleteGatewayResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGatewayResponseRequest; + output: {}; + }; + sdk: { + input: DeleteGatewayResponseCommandInput; + output: DeleteGatewayResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteIntegrationCommand.ts b/clients/client-api-gateway/src/commands/DeleteIntegrationCommand.ts index 5fcfadc9633c..d964aae0e5f9 100644 --- a/clients/client-api-gateway/src/commands/DeleteIntegrationCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteIntegrationCommand.ts @@ -92,4 +92,16 @@ export class DeleteIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntegrationCommand) .de(de_DeleteIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntegrationRequest; + output: {}; + }; + sdk: { + input: DeleteIntegrationCommandInput; + output: DeleteIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteIntegrationResponseCommand.ts b/clients/client-api-gateway/src/commands/DeleteIntegrationResponseCommand.ts index 3e88a1d27648..98e42e46bf4a 100644 --- a/clients/client-api-gateway/src/commands/DeleteIntegrationResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteIntegrationResponseCommand.ts @@ -93,4 +93,16 @@ export class DeleteIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntegrationResponseCommand) .de(de_DeleteIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntegrationResponseRequest; + output: {}; + }; + sdk: { + input: DeleteIntegrationResponseCommandInput; + output: DeleteIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteMethodCommand.ts b/clients/client-api-gateway/src/commands/DeleteMethodCommand.ts index ed89c6f7a49e..0d72e53ef406 100644 --- a/clients/client-api-gateway/src/commands/DeleteMethodCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteMethodCommand.ts @@ -89,4 +89,16 @@ export class DeleteMethodCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMethodCommand) .de(de_DeleteMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMethodRequest; + output: {}; + }; + sdk: { + input: DeleteMethodCommandInput; + output: DeleteMethodCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteMethodResponseCommand.ts b/clients/client-api-gateway/src/commands/DeleteMethodResponseCommand.ts index 0881f6708efb..86ca898d1d3f 100644 --- a/clients/client-api-gateway/src/commands/DeleteMethodResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteMethodResponseCommand.ts @@ -93,4 +93,16 @@ export class DeleteMethodResponseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMethodResponseCommand) .de(de_DeleteMethodResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMethodResponseRequest; + output: {}; + }; + sdk: { + input: DeleteMethodResponseCommandInput; + output: DeleteMethodResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteModelCommand.ts b/clients/client-api-gateway/src/commands/DeleteModelCommand.ts index cf71f2273446..27911d75412b 100644 --- a/clients/client-api-gateway/src/commands/DeleteModelCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteModelCommand.ts @@ -91,4 +91,16 @@ export class DeleteModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelCommand) .de(de_DeleteModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelRequest; + output: {}; + }; + sdk: { + input: DeleteModelCommandInput; + output: DeleteModelCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteRequestValidatorCommand.ts b/clients/client-api-gateway/src/commands/DeleteRequestValidatorCommand.ts index 1520b7433031..299e6294ec87 100644 --- a/clients/client-api-gateway/src/commands/DeleteRequestValidatorCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteRequestValidatorCommand.ts @@ -91,4 +91,16 @@ export class DeleteRequestValidatorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRequestValidatorCommand) .de(de_DeleteRequestValidatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRequestValidatorRequest; + output: {}; + }; + sdk: { + input: DeleteRequestValidatorCommandInput; + output: DeleteRequestValidatorCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteResourceCommand.ts b/clients/client-api-gateway/src/commands/DeleteResourceCommand.ts index 47dcf963af86..2c0e3098caab 100644 --- a/clients/client-api-gateway/src/commands/DeleteResourceCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteResourceCommand.ts @@ -91,4 +91,16 @@ export class DeleteResourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceCommand) .de(de_DeleteResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceRequest; + output: {}; + }; + sdk: { + input: DeleteResourceCommandInput; + output: DeleteResourceCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteRestApiCommand.ts b/clients/client-api-gateway/src/commands/DeleteRestApiCommand.ts index b09ec5dfdfbd..232ad2685789 100644 --- a/clients/client-api-gateway/src/commands/DeleteRestApiCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteRestApiCommand.ts @@ -90,4 +90,16 @@ export class DeleteRestApiCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRestApiCommand) .de(de_DeleteRestApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRestApiRequest; + output: {}; + }; + sdk: { + input: DeleteRestApiCommandInput; + output: DeleteRestApiCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteStageCommand.ts b/clients/client-api-gateway/src/commands/DeleteStageCommand.ts index 4dff370f21f6..46395e47acc0 100644 --- a/clients/client-api-gateway/src/commands/DeleteStageCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteStageCommand.ts @@ -94,4 +94,16 @@ export class DeleteStageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStageCommand) .de(de_DeleteStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStageRequest; + output: {}; + }; + sdk: { + input: DeleteStageCommandInput; + output: DeleteStageCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteUsagePlanCommand.ts b/clients/client-api-gateway/src/commands/DeleteUsagePlanCommand.ts index ef2503e4367f..d668f92098b6 100644 --- a/clients/client-api-gateway/src/commands/DeleteUsagePlanCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteUsagePlanCommand.ts @@ -90,4 +90,16 @@ export class DeleteUsagePlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUsagePlanCommand) .de(de_DeleteUsagePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUsagePlanRequest; + output: {}; + }; + sdk: { + input: DeleteUsagePlanCommandInput; + output: DeleteUsagePlanCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteUsagePlanKeyCommand.ts b/clients/client-api-gateway/src/commands/DeleteUsagePlanKeyCommand.ts index cf5248c3b83e..5672943c6a83 100644 --- a/clients/client-api-gateway/src/commands/DeleteUsagePlanKeyCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteUsagePlanKeyCommand.ts @@ -91,4 +91,16 @@ export class DeleteUsagePlanKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUsagePlanKeyCommand) .de(de_DeleteUsagePlanKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUsagePlanKeyRequest; + output: {}; + }; + sdk: { + input: DeleteUsagePlanKeyCommandInput; + output: DeleteUsagePlanKeyCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/DeleteVpcLinkCommand.ts b/clients/client-api-gateway/src/commands/DeleteVpcLinkCommand.ts index 25b181311bab..611d0f622501 100644 --- a/clients/client-api-gateway/src/commands/DeleteVpcLinkCommand.ts +++ b/clients/client-api-gateway/src/commands/DeleteVpcLinkCommand.ts @@ -90,4 +90,16 @@ export class DeleteVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcLinkCommand) .de(de_DeleteVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcLinkRequest; + output: {}; + }; + sdk: { + input: DeleteVpcLinkCommandInput; + output: DeleteVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/FlushStageAuthorizersCacheCommand.ts b/clients/client-api-gateway/src/commands/FlushStageAuthorizersCacheCommand.ts index 58e7934acf8f..bd7b8f4d27fb 100644 --- a/clients/client-api-gateway/src/commands/FlushStageAuthorizersCacheCommand.ts +++ b/clients/client-api-gateway/src/commands/FlushStageAuthorizersCacheCommand.ts @@ -94,4 +94,16 @@ export class FlushStageAuthorizersCacheCommand extends $Command .f(void 0, void 0) .ser(se_FlushStageAuthorizersCacheCommand) .de(de_FlushStageAuthorizersCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FlushStageAuthorizersCacheRequest; + output: {}; + }; + sdk: { + input: FlushStageAuthorizersCacheCommandInput; + output: FlushStageAuthorizersCacheCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/FlushStageCacheCommand.ts b/clients/client-api-gateway/src/commands/FlushStageCacheCommand.ts index 03f569ee1cbb..ab398f369c2c 100644 --- a/clients/client-api-gateway/src/commands/FlushStageCacheCommand.ts +++ b/clients/client-api-gateway/src/commands/FlushStageCacheCommand.ts @@ -94,4 +94,16 @@ export class FlushStageCacheCommand extends $Command .f(void 0, void 0) .ser(se_FlushStageCacheCommand) .de(de_FlushStageCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FlushStageCacheRequest; + output: {}; + }; + sdk: { + input: FlushStageCacheCommandInput; + output: FlushStageCacheCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GenerateClientCertificateCommand.ts b/clients/client-api-gateway/src/commands/GenerateClientCertificateCommand.ts index 94bdbf6f9af4..d95e7ef7dec0 100644 --- a/clients/client-api-gateway/src/commands/GenerateClientCertificateCommand.ts +++ b/clients/client-api-gateway/src/commands/GenerateClientCertificateCommand.ts @@ -102,4 +102,16 @@ export class GenerateClientCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GenerateClientCertificateCommand) .de(de_GenerateClientCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateClientCertificateRequest; + output: ClientCertificate; + }; + sdk: { + input: GenerateClientCertificateCommandInput; + output: GenerateClientCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetAccountCommand.ts b/clients/client-api-gateway/src/commands/GetAccountCommand.ts index a41355f6c41e..5371bec2b683 100644 --- a/clients/client-api-gateway/src/commands/GetAccountCommand.ts +++ b/clients/client-api-gateway/src/commands/GetAccountCommand.ts @@ -95,4 +95,16 @@ export class GetAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountCommand) .de(de_GetAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: Account; + }; + sdk: { + input: GetAccountCommandInput; + output: GetAccountCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetApiKeyCommand.ts b/clients/client-api-gateway/src/commands/GetApiKeyCommand.ts index d2dc73d1d699..7d4287a32226 100644 --- a/clients/client-api-gateway/src/commands/GetApiKeyCommand.ts +++ b/clients/client-api-gateway/src/commands/GetApiKeyCommand.ts @@ -103,4 +103,16 @@ export class GetApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetApiKeyCommand) .de(de_GetApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApiKeyRequest; + output: ApiKey; + }; + sdk: { + input: GetApiKeyCommandInput; + output: GetApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetApiKeysCommand.ts b/clients/client-api-gateway/src/commands/GetApiKeysCommand.ts index 3344057323f5..7a8e27772b9b 100644 --- a/clients/client-api-gateway/src/commands/GetApiKeysCommand.ts +++ b/clients/client-api-gateway/src/commands/GetApiKeysCommand.ts @@ -114,4 +114,16 @@ export class GetApiKeysCommand extends $Command .f(void 0, void 0) .ser(se_GetApiKeysCommand) .de(de_GetApiKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApiKeysRequest; + output: ApiKeys; + }; + sdk: { + input: GetApiKeysCommandInput; + output: GetApiKeysCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetAuthorizerCommand.ts b/clients/client-api-gateway/src/commands/GetAuthorizerCommand.ts index 9c96a71f6edf..eb9315fb3dcd 100644 --- a/clients/client-api-gateway/src/commands/GetAuthorizerCommand.ts +++ b/clients/client-api-gateway/src/commands/GetAuthorizerCommand.ts @@ -101,4 +101,16 @@ export class GetAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_GetAuthorizerCommand) .de(de_GetAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAuthorizerRequest; + output: Authorizer; + }; + sdk: { + input: GetAuthorizerCommandInput; + output: GetAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetAuthorizersCommand.ts b/clients/client-api-gateway/src/commands/GetAuthorizersCommand.ts index 841c7dd52fc5..9120523e8b16 100644 --- a/clients/client-api-gateway/src/commands/GetAuthorizersCommand.ts +++ b/clients/client-api-gateway/src/commands/GetAuthorizersCommand.ts @@ -107,4 +107,16 @@ export class GetAuthorizersCommand extends $Command .f(void 0, void 0) .ser(se_GetAuthorizersCommand) .de(de_GetAuthorizersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAuthorizersRequest; + output: Authorizers; + }; + sdk: { + input: GetAuthorizersCommandInput; + output: GetAuthorizersCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetBasePathMappingCommand.ts b/clients/client-api-gateway/src/commands/GetBasePathMappingCommand.ts index 3f5703104253..a2ad7d5b64c6 100644 --- a/clients/client-api-gateway/src/commands/GetBasePathMappingCommand.ts +++ b/clients/client-api-gateway/src/commands/GetBasePathMappingCommand.ts @@ -92,4 +92,16 @@ export class GetBasePathMappingCommand extends $Command .f(void 0, void 0) .ser(se_GetBasePathMappingCommand) .de(de_GetBasePathMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBasePathMappingRequest; + output: BasePathMapping; + }; + sdk: { + input: GetBasePathMappingCommandInput; + output: GetBasePathMappingCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetBasePathMappingsCommand.ts b/clients/client-api-gateway/src/commands/GetBasePathMappingsCommand.ts index c86d14d2f5c8..fdf23489af60 100644 --- a/clients/client-api-gateway/src/commands/GetBasePathMappingsCommand.ts +++ b/clients/client-api-gateway/src/commands/GetBasePathMappingsCommand.ts @@ -98,4 +98,16 @@ export class GetBasePathMappingsCommand extends $Command .f(void 0, void 0) .ser(se_GetBasePathMappingsCommand) .de(de_GetBasePathMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBasePathMappingsRequest; + output: BasePathMappings; + }; + sdk: { + input: GetBasePathMappingsCommandInput; + output: GetBasePathMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetClientCertificateCommand.ts b/clients/client-api-gateway/src/commands/GetClientCertificateCommand.ts index ad65c758ec58..d95db5aaa768 100644 --- a/clients/client-api-gateway/src/commands/GetClientCertificateCommand.ts +++ b/clients/client-api-gateway/src/commands/GetClientCertificateCommand.ts @@ -96,4 +96,16 @@ export class GetClientCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetClientCertificateCommand) .de(de_GetClientCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClientCertificateRequest; + output: ClientCertificate; + }; + sdk: { + input: GetClientCertificateCommandInput; + output: GetClientCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetClientCertificatesCommand.ts b/clients/client-api-gateway/src/commands/GetClientCertificatesCommand.ts index d24b0b1bfdc3..11ec3c06a000 100644 --- a/clients/client-api-gateway/src/commands/GetClientCertificatesCommand.ts +++ b/clients/client-api-gateway/src/commands/GetClientCertificatesCommand.ts @@ -102,4 +102,16 @@ export class GetClientCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_GetClientCertificatesCommand) .de(de_GetClientCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClientCertificatesRequest; + output: ClientCertificates; + }; + sdk: { + input: GetClientCertificatesCommandInput; + output: GetClientCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDeploymentCommand.ts b/clients/client-api-gateway/src/commands/GetDeploymentCommand.ts index b1a101593eb0..53355c49173f 100644 --- a/clients/client-api-gateway/src/commands/GetDeploymentCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDeploymentCommand.ts @@ -106,4 +106,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentRequest; + output: Deployment; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDeploymentsCommand.ts b/clients/client-api-gateway/src/commands/GetDeploymentsCommand.ts index b31463222b01..73c5434b4185 100644 --- a/clients/client-api-gateway/src/commands/GetDeploymentsCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDeploymentsCommand.ts @@ -109,4 +109,16 @@ export class GetDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentsCommand) .de(de_GetDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentsRequest; + output: Deployments; + }; + sdk: { + input: GetDeploymentsCommandInput; + output: GetDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDocumentationPartCommand.ts b/clients/client-api-gateway/src/commands/GetDocumentationPartCommand.ts index 2bfa0b44dab1..eb0031dc2e41 100644 --- a/clients/client-api-gateway/src/commands/GetDocumentationPartCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDocumentationPartCommand.ts @@ -98,4 +98,16 @@ export class GetDocumentationPartCommand extends $Command .f(void 0, void 0) .ser(se_GetDocumentationPartCommand) .de(de_GetDocumentationPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentationPartRequest; + output: DocumentationPart; + }; + sdk: { + input: GetDocumentationPartCommandInput; + output: GetDocumentationPartCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDocumentationPartsCommand.ts b/clients/client-api-gateway/src/commands/GetDocumentationPartsCommand.ts index 5409b6066e70..b58a253a5e83 100644 --- a/clients/client-api-gateway/src/commands/GetDocumentationPartsCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDocumentationPartsCommand.ts @@ -108,4 +108,16 @@ export class GetDocumentationPartsCommand extends $Command .f(void 0, void 0) .ser(se_GetDocumentationPartsCommand) .de(de_GetDocumentationPartsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentationPartsRequest; + output: DocumentationParts; + }; + sdk: { + input: GetDocumentationPartsCommandInput; + output: GetDocumentationPartsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDocumentationVersionCommand.ts b/clients/client-api-gateway/src/commands/GetDocumentationVersionCommand.ts index 44b2dfb0244a..7a1547995ead 100644 --- a/clients/client-api-gateway/src/commands/GetDocumentationVersionCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDocumentationVersionCommand.ts @@ -89,4 +89,16 @@ export class GetDocumentationVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetDocumentationVersionCommand) .de(de_GetDocumentationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentationVersionRequest; + output: DocumentationVersion; + }; + sdk: { + input: GetDocumentationVersionCommandInput; + output: GetDocumentationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDocumentationVersionsCommand.ts b/clients/client-api-gateway/src/commands/GetDocumentationVersionsCommand.ts index 0ea6417ed602..76c87cf57ca6 100644 --- a/clients/client-api-gateway/src/commands/GetDocumentationVersionsCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDocumentationVersionsCommand.ts @@ -98,4 +98,16 @@ export class GetDocumentationVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetDocumentationVersionsCommand) .de(de_GetDocumentationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentationVersionsRequest; + output: DocumentationVersions; + }; + sdk: { + input: GetDocumentationVersionsCommandInput; + output: GetDocumentationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDomainNameCommand.ts b/clients/client-api-gateway/src/commands/GetDomainNameCommand.ts index d346c2ff3eb1..5cddea2463ac 100644 --- a/clients/client-api-gateway/src/commands/GetDomainNameCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDomainNameCommand.ts @@ -120,4 +120,16 @@ export class GetDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainNameCommand) .de(de_GetDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainNameRequest; + output: DomainName; + }; + sdk: { + input: GetDomainNameCommandInput; + output: GetDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetDomainNamesCommand.ts b/clients/client-api-gateway/src/commands/GetDomainNamesCommand.ts index 99c53c04cf97..bd2d0765134d 100644 --- a/clients/client-api-gateway/src/commands/GetDomainNamesCommand.ts +++ b/clients/client-api-gateway/src/commands/GetDomainNamesCommand.ts @@ -126,4 +126,16 @@ export class GetDomainNamesCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainNamesCommand) .de(de_GetDomainNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainNamesRequest; + output: DomainNames; + }; + sdk: { + input: GetDomainNamesCommandInput; + output: GetDomainNamesCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetExportCommand.ts b/clients/client-api-gateway/src/commands/GetExportCommand.ts index 37c0d801016d..67593ab6d90a 100644 --- a/clients/client-api-gateway/src/commands/GetExportCommand.ts +++ b/clients/client-api-gateway/src/commands/GetExportCommand.ts @@ -111,4 +111,16 @@ export class GetExportCommand extends $Command .f(void 0, void 0) .ser(se_GetExportCommand) .de(de_GetExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExportRequest; + output: ExportResponse; + }; + sdk: { + input: GetExportCommandInput; + output: GetExportCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetGatewayResponseCommand.ts b/clients/client-api-gateway/src/commands/GetGatewayResponseCommand.ts index e8074d16988b..3436cb6bc3a6 100644 --- a/clients/client-api-gateway/src/commands/GetGatewayResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/GetGatewayResponseCommand.ts @@ -98,4 +98,16 @@ export class GetGatewayResponseCommand extends $Command .f(void 0, void 0) .ser(se_GetGatewayResponseCommand) .de(de_GetGatewayResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGatewayResponseRequest; + output: GatewayResponse; + }; + sdk: { + input: GetGatewayResponseCommandInput; + output: GetGatewayResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetGatewayResponsesCommand.ts b/clients/client-api-gateway/src/commands/GetGatewayResponsesCommand.ts index a7f0c8ee2077..6ddf76d6290d 100644 --- a/clients/client-api-gateway/src/commands/GetGatewayResponsesCommand.ts +++ b/clients/client-api-gateway/src/commands/GetGatewayResponsesCommand.ts @@ -104,4 +104,16 @@ export class GetGatewayResponsesCommand extends $Command .f(void 0, void 0) .ser(se_GetGatewayResponsesCommand) .de(de_GetGatewayResponsesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGatewayResponsesRequest; + output: GatewayResponses; + }; + sdk: { + input: GetGatewayResponsesCommandInput; + output: GetGatewayResponsesCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetIntegrationCommand.ts b/clients/client-api-gateway/src/commands/GetIntegrationCommand.ts index 32319194d45a..add9561a9ff6 100644 --- a/clients/client-api-gateway/src/commands/GetIntegrationCommand.ts +++ b/clients/client-api-gateway/src/commands/GetIntegrationCommand.ts @@ -125,4 +125,16 @@ export class GetIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_GetIntegrationCommand) .de(de_GetIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntegrationRequest; + output: Integration; + }; + sdk: { + input: GetIntegrationCommandInput; + output: GetIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetIntegrationResponseCommand.ts b/clients/client-api-gateway/src/commands/GetIntegrationResponseCommand.ts index 85a275d66658..27027fde2c56 100644 --- a/clients/client-api-gateway/src/commands/GetIntegrationResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/GetIntegrationResponseCommand.ts @@ -100,4 +100,16 @@ export class GetIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_GetIntegrationResponseCommand) .de(de_GetIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntegrationResponseRequest; + output: IntegrationResponse; + }; + sdk: { + input: GetIntegrationResponseCommandInput; + output: GetIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetMethodCommand.ts b/clients/client-api-gateway/src/commands/GetMethodCommand.ts index bd436c7b1c60..c1bbe7b08341 100644 --- a/clients/client-api-gateway/src/commands/GetMethodCommand.ts +++ b/clients/client-api-gateway/src/commands/GetMethodCommand.ts @@ -142,4 +142,16 @@ export class GetMethodCommand extends $Command .f(void 0, void 0) .ser(se_GetMethodCommand) .de(de_GetMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMethodRequest; + output: Method; + }; + sdk: { + input: GetMethodCommandInput; + output: GetMethodCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetMethodResponseCommand.ts b/clients/client-api-gateway/src/commands/GetMethodResponseCommand.ts index 87b27c1e2d9a..a6ecab5c32eb 100644 --- a/clients/client-api-gateway/src/commands/GetMethodResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/GetMethodResponseCommand.ts @@ -95,4 +95,16 @@ export class GetMethodResponseCommand extends $Command .f(void 0, void 0) .ser(se_GetMethodResponseCommand) .de(de_GetMethodResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMethodResponseRequest; + output: MethodResponse; + }; + sdk: { + input: GetMethodResponseCommandInput; + output: GetMethodResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetModelCommand.ts b/clients/client-api-gateway/src/commands/GetModelCommand.ts index 57bff22301f7..36d9d126114b 100644 --- a/clients/client-api-gateway/src/commands/GetModelCommand.ts +++ b/clients/client-api-gateway/src/commands/GetModelCommand.ts @@ -95,4 +95,16 @@ export class GetModelCommand extends $Command .f(void 0, void 0) .ser(se_GetModelCommand) .de(de_GetModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelRequest; + output: Model; + }; + sdk: { + input: GetModelCommandInput; + output: GetModelCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetModelTemplateCommand.ts b/clients/client-api-gateway/src/commands/GetModelTemplateCommand.ts index 0786cba0d565..e705f25134c8 100644 --- a/clients/client-api-gateway/src/commands/GetModelTemplateCommand.ts +++ b/clients/client-api-gateway/src/commands/GetModelTemplateCommand.ts @@ -90,4 +90,16 @@ export class GetModelTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetModelTemplateCommand) .de(de_GetModelTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelTemplateRequest; + output: Template; + }; + sdk: { + input: GetModelTemplateCommandInput; + output: GetModelTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetModelsCommand.ts b/clients/client-api-gateway/src/commands/GetModelsCommand.ts index bccaef2e862c..9c31368e8a35 100644 --- a/clients/client-api-gateway/src/commands/GetModelsCommand.ts +++ b/clients/client-api-gateway/src/commands/GetModelsCommand.ts @@ -100,4 +100,16 @@ export class GetModelsCommand extends $Command .f(void 0, void 0) .ser(se_GetModelsCommand) .de(de_GetModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelsRequest; + output: Models; + }; + sdk: { + input: GetModelsCommandInput; + output: GetModelsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetRequestValidatorCommand.ts b/clients/client-api-gateway/src/commands/GetRequestValidatorCommand.ts index 663be3c85cce..c58d4dc88c87 100644 --- a/clients/client-api-gateway/src/commands/GetRequestValidatorCommand.ts +++ b/clients/client-api-gateway/src/commands/GetRequestValidatorCommand.ts @@ -93,4 +93,16 @@ export class GetRequestValidatorCommand extends $Command .f(void 0, void 0) .ser(se_GetRequestValidatorCommand) .de(de_GetRequestValidatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRequestValidatorRequest; + output: RequestValidator; + }; + sdk: { + input: GetRequestValidatorCommandInput; + output: GetRequestValidatorCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetRequestValidatorsCommand.ts b/clients/client-api-gateway/src/commands/GetRequestValidatorsCommand.ts index bb4dc20e3681..775906f30a06 100644 --- a/clients/client-api-gateway/src/commands/GetRequestValidatorsCommand.ts +++ b/clients/client-api-gateway/src/commands/GetRequestValidatorsCommand.ts @@ -99,4 +99,16 @@ export class GetRequestValidatorsCommand extends $Command .f(void 0, void 0) .ser(se_GetRequestValidatorsCommand) .de(de_GetRequestValidatorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRequestValidatorsRequest; + output: RequestValidators; + }; + sdk: { + input: GetRequestValidatorsCommandInput; + output: GetRequestValidatorsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetResourceCommand.ts b/clients/client-api-gateway/src/commands/GetResourceCommand.ts index 0e3b34ef2d5e..a5c52f59a56c 100644 --- a/clients/client-api-gateway/src/commands/GetResourceCommand.ts +++ b/clients/client-api-gateway/src/commands/GetResourceCommand.ts @@ -152,4 +152,16 @@ export class GetResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceCommand) .de(de_GetResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceRequest; + output: Resource; + }; + sdk: { + input: GetResourceCommandInput; + output: GetResourceCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetResourcesCommand.ts b/clients/client-api-gateway/src/commands/GetResourcesCommand.ts index a105db305f59..1e9471231f3f 100644 --- a/clients/client-api-gateway/src/commands/GetResourcesCommand.ts +++ b/clients/client-api-gateway/src/commands/GetResourcesCommand.ts @@ -161,4 +161,16 @@ export class GetResourcesCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcesCommand) .de(de_GetResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcesRequest; + output: Resources; + }; + sdk: { + input: GetResourcesCommandInput; + output: GetResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetRestApiCommand.ts b/clients/client-api-gateway/src/commands/GetRestApiCommand.ts index 2cf4816f694c..993acc1a8b51 100644 --- a/clients/client-api-gateway/src/commands/GetRestApiCommand.ts +++ b/clients/client-api-gateway/src/commands/GetRestApiCommand.ts @@ -115,4 +115,16 @@ export class GetRestApiCommand extends $Command .f(void 0, void 0) .ser(se_GetRestApiCommand) .de(de_GetRestApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRestApiRequest; + output: RestApi; + }; + sdk: { + input: GetRestApiCommandInput; + output: GetRestApiCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetRestApisCommand.ts b/clients/client-api-gateway/src/commands/GetRestApisCommand.ts index d0f29474861f..784dc2a1ffa8 100644 --- a/clients/client-api-gateway/src/commands/GetRestApisCommand.ts +++ b/clients/client-api-gateway/src/commands/GetRestApisCommand.ts @@ -121,4 +121,16 @@ export class GetRestApisCommand extends $Command .f(void 0, void 0) .ser(se_GetRestApisCommand) .de(de_GetRestApisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRestApisRequest; + output: RestApis; + }; + sdk: { + input: GetRestApisCommandInput; + output: GetRestApisCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetSdkCommand.ts b/clients/client-api-gateway/src/commands/GetSdkCommand.ts index ac65e5d72eab..ad7b1a54ae98 100644 --- a/clients/client-api-gateway/src/commands/GetSdkCommand.ts +++ b/clients/client-api-gateway/src/commands/GetSdkCommand.ts @@ -110,4 +110,16 @@ export class GetSdkCommand extends $Command .f(void 0, void 0) .ser(se_GetSdkCommand) .de(de_GetSdkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSdkRequest; + output: SdkResponse; + }; + sdk: { + input: GetSdkCommandInput; + output: GetSdkCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetSdkTypeCommand.ts b/clients/client-api-gateway/src/commands/GetSdkTypeCommand.ts index 5030218dc520..13586626ef6f 100644 --- a/clients/client-api-gateway/src/commands/GetSdkTypeCommand.ts +++ b/clients/client-api-gateway/src/commands/GetSdkTypeCommand.ts @@ -100,4 +100,16 @@ export class GetSdkTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetSdkTypeCommand) .de(de_GetSdkTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSdkTypeRequest; + output: SdkType; + }; + sdk: { + input: GetSdkTypeCommandInput; + output: GetSdkTypeCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetSdkTypesCommand.ts b/clients/client-api-gateway/src/commands/GetSdkTypesCommand.ts index 814afa5e42b5..878c4835c2c9 100644 --- a/clients/client-api-gateway/src/commands/GetSdkTypesCommand.ts +++ b/clients/client-api-gateway/src/commands/GetSdkTypesCommand.ts @@ -105,4 +105,16 @@ export class GetSdkTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetSdkTypesCommand) .de(de_GetSdkTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSdkTypesRequest; + output: SdkTypes; + }; + sdk: { + input: GetSdkTypesCommandInput; + output: GetSdkTypesCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetStageCommand.ts b/clients/client-api-gateway/src/commands/GetStageCommand.ts index 723ac478c08e..baeca2c0c77e 100644 --- a/clients/client-api-gateway/src/commands/GetStageCommand.ts +++ b/clients/client-api-gateway/src/commands/GetStageCommand.ts @@ -139,4 +139,16 @@ export class GetStageCommand extends $Command .f(void 0, void 0) .ser(se_GetStageCommand) .de(de_GetStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStageRequest; + output: Stage; + }; + sdk: { + input: GetStageCommandInput; + output: GetStageCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetStagesCommand.ts b/clients/client-api-gateway/src/commands/GetStagesCommand.ts index cf93e764ef6f..0ce13e94bf24 100644 --- a/clients/client-api-gateway/src/commands/GetStagesCommand.ts +++ b/clients/client-api-gateway/src/commands/GetStagesCommand.ts @@ -143,4 +143,16 @@ export class GetStagesCommand extends $Command .f(void 0, void 0) .ser(se_GetStagesCommand) .de(de_GetStagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStagesRequest; + output: Stages; + }; + sdk: { + input: GetStagesCommandInput; + output: GetStagesCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetTagsCommand.ts b/clients/client-api-gateway/src/commands/GetTagsCommand.ts index 843598a39f3f..5c43599ff865 100644 --- a/clients/client-api-gateway/src/commands/GetTagsCommand.ts +++ b/clients/client-api-gateway/src/commands/GetTagsCommand.ts @@ -93,4 +93,16 @@ export class GetTagsCommand extends $Command .f(void 0, void 0) .ser(se_GetTagsCommand) .de(de_GetTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTagsRequest; + output: Tags; + }; + sdk: { + input: GetTagsCommandInput; + output: GetTagsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetUsageCommand.ts b/clients/client-api-gateway/src/commands/GetUsageCommand.ts index 4e9140924b88..fe11aaaf7f79 100644 --- a/clients/client-api-gateway/src/commands/GetUsageCommand.ts +++ b/clients/client-api-gateway/src/commands/GetUsageCommand.ts @@ -104,4 +104,16 @@ export class GetUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetUsageCommand) .de(de_GetUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsageRequest; + output: Usage; + }; + sdk: { + input: GetUsageCommandInput; + output: GetUsageCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetUsagePlanCommand.ts b/clients/client-api-gateway/src/commands/GetUsagePlanCommand.ts index 5c0543fa060f..ca61ceb3d56d 100644 --- a/clients/client-api-gateway/src/commands/GetUsagePlanCommand.ts +++ b/clients/client-api-gateway/src/commands/GetUsagePlanCommand.ts @@ -116,4 +116,16 @@ export class GetUsagePlanCommand extends $Command .f(void 0, void 0) .ser(se_GetUsagePlanCommand) .de(de_GetUsagePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsagePlanRequest; + output: UsagePlan; + }; + sdk: { + input: GetUsagePlanCommandInput; + output: GetUsagePlanCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetUsagePlanKeyCommand.ts b/clients/client-api-gateway/src/commands/GetUsagePlanKeyCommand.ts index 7e852c904144..482e4f3fdbad 100644 --- a/clients/client-api-gateway/src/commands/GetUsagePlanKeyCommand.ts +++ b/clients/client-api-gateway/src/commands/GetUsagePlanKeyCommand.ts @@ -93,4 +93,16 @@ export class GetUsagePlanKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetUsagePlanKeyCommand) .de(de_GetUsagePlanKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsagePlanKeyRequest; + output: UsagePlanKey; + }; + sdk: { + input: GetUsagePlanKeyCommandInput; + output: GetUsagePlanKeyCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetUsagePlanKeysCommand.ts b/clients/client-api-gateway/src/commands/GetUsagePlanKeysCommand.ts index a8678d41df4f..45326b856846 100644 --- a/clients/client-api-gateway/src/commands/GetUsagePlanKeysCommand.ts +++ b/clients/client-api-gateway/src/commands/GetUsagePlanKeysCommand.ts @@ -100,4 +100,16 @@ export class GetUsagePlanKeysCommand extends $Command .f(void 0, void 0) .ser(se_GetUsagePlanKeysCommand) .de(de_GetUsagePlanKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsagePlanKeysRequest; + output: UsagePlanKeys; + }; + sdk: { + input: GetUsagePlanKeysCommandInput; + output: GetUsagePlanKeysCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetUsagePlansCommand.ts b/clients/client-api-gateway/src/commands/GetUsagePlansCommand.ts index d6d53f850c6a..e7010c00bcb1 100644 --- a/clients/client-api-gateway/src/commands/GetUsagePlansCommand.ts +++ b/clients/client-api-gateway/src/commands/GetUsagePlansCommand.ts @@ -123,4 +123,16 @@ export class GetUsagePlansCommand extends $Command .f(void 0, void 0) .ser(se_GetUsagePlansCommand) .de(de_GetUsagePlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsagePlansRequest; + output: UsagePlans; + }; + sdk: { + input: GetUsagePlansCommandInput; + output: GetUsagePlansCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetVpcLinkCommand.ts b/clients/client-api-gateway/src/commands/GetVpcLinkCommand.ts index cef164bfb2d9..2ce80ad860c1 100644 --- a/clients/client-api-gateway/src/commands/GetVpcLinkCommand.ts +++ b/clients/client-api-gateway/src/commands/GetVpcLinkCommand.ts @@ -99,4 +99,16 @@ export class GetVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_GetVpcLinkCommand) .de(de_GetVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpcLinkRequest; + output: VpcLink; + }; + sdk: { + input: GetVpcLinkCommandInput; + output: GetVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/GetVpcLinksCommand.ts b/clients/client-api-gateway/src/commands/GetVpcLinksCommand.ts index 6373afbfaad2..1a03d0cc015d 100644 --- a/clients/client-api-gateway/src/commands/GetVpcLinksCommand.ts +++ b/clients/client-api-gateway/src/commands/GetVpcLinksCommand.ts @@ -105,4 +105,16 @@ export class GetVpcLinksCommand extends $Command .f(void 0, void 0) .ser(se_GetVpcLinksCommand) .de(de_GetVpcLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpcLinksRequest; + output: VpcLinks; + }; + sdk: { + input: GetVpcLinksCommandInput; + output: GetVpcLinksCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/ImportApiKeysCommand.ts b/clients/client-api-gateway/src/commands/ImportApiKeysCommand.ts index e07bb12afe90..a9d7bd5c6931 100644 --- a/clients/client-api-gateway/src/commands/ImportApiKeysCommand.ts +++ b/clients/client-api-gateway/src/commands/ImportApiKeysCommand.ts @@ -109,4 +109,16 @@ export class ImportApiKeysCommand extends $Command .f(void 0, void 0) .ser(se_ImportApiKeysCommand) .de(de_ImportApiKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportApiKeysRequest; + output: ApiKeyIds; + }; + sdk: { + input: ImportApiKeysCommandInput; + output: ImportApiKeysCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/ImportDocumentationPartsCommand.ts b/clients/client-api-gateway/src/commands/ImportDocumentationPartsCommand.ts index e5b90249cf2f..4f7d49884c5d 100644 --- a/clients/client-api-gateway/src/commands/ImportDocumentationPartsCommand.ts +++ b/clients/client-api-gateway/src/commands/ImportDocumentationPartsCommand.ts @@ -110,4 +110,16 @@ export class ImportDocumentationPartsCommand extends $Command .f(void 0, void 0) .ser(se_ImportDocumentationPartsCommand) .de(de_ImportDocumentationPartsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportDocumentationPartsRequest; + output: DocumentationPartIds; + }; + sdk: { + input: ImportDocumentationPartsCommandInput; + output: ImportDocumentationPartsCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/ImportRestApiCommand.ts b/clients/client-api-gateway/src/commands/ImportRestApiCommand.ts index 34f8dc2b6c58..67e8f8f9e5f5 100644 --- a/clients/client-api-gateway/src/commands/ImportRestApiCommand.ts +++ b/clients/client-api-gateway/src/commands/ImportRestApiCommand.ts @@ -132,4 +132,16 @@ export class ImportRestApiCommand extends $Command .f(void 0, void 0) .ser(se_ImportRestApiCommand) .de(de_ImportRestApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportRestApiRequest; + output: RestApi; + }; + sdk: { + input: ImportRestApiCommandInput; + output: ImportRestApiCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/PutGatewayResponseCommand.ts b/clients/client-api-gateway/src/commands/PutGatewayResponseCommand.ts index 1f42e19c0e9b..00adf3d2db60 100644 --- a/clients/client-api-gateway/src/commands/PutGatewayResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/PutGatewayResponseCommand.ts @@ -111,4 +111,16 @@ export class PutGatewayResponseCommand extends $Command .f(void 0, void 0) .ser(se_PutGatewayResponseCommand) .de(de_PutGatewayResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutGatewayResponseRequest; + output: GatewayResponse; + }; + sdk: { + input: PutGatewayResponseCommandInput; + output: PutGatewayResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/PutIntegrationCommand.ts b/clients/client-api-gateway/src/commands/PutIntegrationCommand.ts index 18d06153bd5f..0dfb1e2c37e6 100644 --- a/clients/client-api-gateway/src/commands/PutIntegrationCommand.ts +++ b/clients/client-api-gateway/src/commands/PutIntegrationCommand.ts @@ -153,4 +153,16 @@ export class PutIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_PutIntegrationCommand) .de(de_PutIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutIntegrationRequest; + output: Integration; + }; + sdk: { + input: PutIntegrationCommandInput; + output: PutIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/PutIntegrationResponseCommand.ts b/clients/client-api-gateway/src/commands/PutIntegrationResponseCommand.ts index 4bc8c31d7bf5..b5096ff21894 100644 --- a/clients/client-api-gateway/src/commands/PutIntegrationResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/PutIntegrationResponseCommand.ts @@ -114,4 +114,16 @@ export class PutIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_PutIntegrationResponseCommand) .de(de_PutIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutIntegrationResponseRequest; + output: IntegrationResponse; + }; + sdk: { + input: PutIntegrationResponseCommandInput; + output: PutIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/PutMethodCommand.ts b/clients/client-api-gateway/src/commands/PutMethodCommand.ts index aa0b07ed3c93..1f7b08dab015 100644 --- a/clients/client-api-gateway/src/commands/PutMethodCommand.ts +++ b/clients/client-api-gateway/src/commands/PutMethodCommand.ts @@ -165,4 +165,16 @@ export class PutMethodCommand extends $Command .f(void 0, void 0) .ser(se_PutMethodCommand) .de(de_PutMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMethodRequest; + output: Method; + }; + sdk: { + input: PutMethodCommandInput; + output: PutMethodCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/PutMethodResponseCommand.ts b/clients/client-api-gateway/src/commands/PutMethodResponseCommand.ts index 497b03faf765..97abbab73ca7 100644 --- a/clients/client-api-gateway/src/commands/PutMethodResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/PutMethodResponseCommand.ts @@ -110,4 +110,16 @@ export class PutMethodResponseCommand extends $Command .f(void 0, void 0) .ser(se_PutMethodResponseCommand) .de(de_PutMethodResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMethodResponseRequest; + output: MethodResponse; + }; + sdk: { + input: PutMethodResponseCommandInput; + output: PutMethodResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/PutRestApiCommand.ts b/clients/client-api-gateway/src/commands/PutRestApiCommand.ts index 80cf1119c243..149d4f511150 100644 --- a/clients/client-api-gateway/src/commands/PutRestApiCommand.ts +++ b/clients/client-api-gateway/src/commands/PutRestApiCommand.ts @@ -135,4 +135,16 @@ export class PutRestApiCommand extends $Command .f(void 0, void 0) .ser(se_PutRestApiCommand) .de(de_PutRestApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRestApiRequest; + output: RestApi; + }; + sdk: { + input: PutRestApiCommandInput; + output: PutRestApiCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/TagResourceCommand.ts b/clients/client-api-gateway/src/commands/TagResourceCommand.ts index bff0cbcbc538..8748b6aa34ed 100644 --- a/clients/client-api-gateway/src/commands/TagResourceCommand.ts +++ b/clients/client-api-gateway/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/TestInvokeAuthorizerCommand.ts b/clients/client-api-gateway/src/commands/TestInvokeAuthorizerCommand.ts index b6f7ca0b9d68..d228addb26aa 100644 --- a/clients/client-api-gateway/src/commands/TestInvokeAuthorizerCommand.ts +++ b/clients/client-api-gateway/src/commands/TestInvokeAuthorizerCommand.ts @@ -118,4 +118,16 @@ export class TestInvokeAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_TestInvokeAuthorizerCommand) .de(de_TestInvokeAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestInvokeAuthorizerRequest; + output: TestInvokeAuthorizerResponse; + }; + sdk: { + input: TestInvokeAuthorizerCommandInput; + output: TestInvokeAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/TestInvokeMethodCommand.ts b/clients/client-api-gateway/src/commands/TestInvokeMethodCommand.ts index 6a5ae47e91c5..557bb5c4241f 100644 --- a/clients/client-api-gateway/src/commands/TestInvokeMethodCommand.ts +++ b/clients/client-api-gateway/src/commands/TestInvokeMethodCommand.ts @@ -116,4 +116,16 @@ export class TestInvokeMethodCommand extends $Command .f(void 0, void 0) .ser(se_TestInvokeMethodCommand) .de(de_TestInvokeMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestInvokeMethodRequest; + output: TestInvokeMethodResponse; + }; + sdk: { + input: TestInvokeMethodCommandInput; + output: TestInvokeMethodCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UntagResourceCommand.ts b/clients/client-api-gateway/src/commands/UntagResourceCommand.ts index 3c7822ac460e..2786a1a1fe47 100644 --- a/clients/client-api-gateway/src/commands/UntagResourceCommand.ts +++ b/clients/client-api-gateway/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateAccountCommand.ts b/clients/client-api-gateway/src/commands/UpdateAccountCommand.ts index fdbfa3461eba..efd17773c956 100644 --- a/clients/client-api-gateway/src/commands/UpdateAccountCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateAccountCommand.ts @@ -110,4 +110,16 @@ export class UpdateAccountCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountCommand) .de(de_UpdateAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountRequest; + output: Account; + }; + sdk: { + input: UpdateAccountCommandInput; + output: UpdateAccountCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateApiKeyCommand.ts b/clients/client-api-gateway/src/commands/UpdateApiKeyCommand.ts index c257021e92de..5e88c5b58b0e 100644 --- a/clients/client-api-gateway/src/commands/UpdateApiKeyCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateApiKeyCommand.ts @@ -116,4 +116,16 @@ export class UpdateApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApiKeyCommand) .de(de_UpdateApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApiKeyRequest; + output: ApiKey; + }; + sdk: { + input: UpdateApiKeyCommandInput; + output: UpdateApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateAuthorizerCommand.ts b/clients/client-api-gateway/src/commands/UpdateAuthorizerCommand.ts index 76f9185cd410..435295770fca 100644 --- a/clients/client-api-gateway/src/commands/UpdateAuthorizerCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateAuthorizerCommand.ts @@ -115,4 +115,16 @@ export class UpdateAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAuthorizerCommand) .de(de_UpdateAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAuthorizerRequest; + output: Authorizer; + }; + sdk: { + input: UpdateAuthorizerCommandInput; + output: UpdateAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateBasePathMappingCommand.ts b/clients/client-api-gateway/src/commands/UpdateBasePathMappingCommand.ts index 494316c54e05..fdace31b1fdd 100644 --- a/clients/client-api-gateway/src/commands/UpdateBasePathMappingCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateBasePathMappingCommand.ts @@ -106,4 +106,16 @@ export class UpdateBasePathMappingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBasePathMappingCommand) .de(de_UpdateBasePathMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBasePathMappingRequest; + output: BasePathMapping; + }; + sdk: { + input: UpdateBasePathMappingCommandInput; + output: UpdateBasePathMappingCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateClientCertificateCommand.ts b/clients/client-api-gateway/src/commands/UpdateClientCertificateCommand.ts index b820aeab5652..9d3a600d95d1 100644 --- a/clients/client-api-gateway/src/commands/UpdateClientCertificateCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateClientCertificateCommand.ts @@ -110,4 +110,16 @@ export class UpdateClientCertificateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClientCertificateCommand) .de(de_UpdateClientCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClientCertificateRequest; + output: ClientCertificate; + }; + sdk: { + input: UpdateClientCertificateCommandInput; + output: UpdateClientCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateDeploymentCommand.ts b/clients/client-api-gateway/src/commands/UpdateDeploymentCommand.ts index 1c1002e06e9a..8a92b5c436b9 100644 --- a/clients/client-api-gateway/src/commands/UpdateDeploymentCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateDeploymentCommand.ts @@ -117,4 +117,16 @@ export class UpdateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeploymentCommand) .de(de_UpdateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeploymentRequest; + output: Deployment; + }; + sdk: { + input: UpdateDeploymentCommandInput; + output: UpdateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateDocumentationPartCommand.ts b/clients/client-api-gateway/src/commands/UpdateDocumentationPartCommand.ts index dd92583f6660..79546e79ccdd 100644 --- a/clients/client-api-gateway/src/commands/UpdateDocumentationPartCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateDocumentationPartCommand.ts @@ -112,4 +112,16 @@ export class UpdateDocumentationPartCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDocumentationPartCommand) .de(de_UpdateDocumentationPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDocumentationPartRequest; + output: DocumentationPart; + }; + sdk: { + input: UpdateDocumentationPartCommandInput; + output: UpdateDocumentationPartCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateDocumentationVersionCommand.ts b/clients/client-api-gateway/src/commands/UpdateDocumentationVersionCommand.ts index a30c2d113908..beddb5f1663b 100644 --- a/clients/client-api-gateway/src/commands/UpdateDocumentationVersionCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateDocumentationVersionCommand.ts @@ -106,4 +106,16 @@ export class UpdateDocumentationVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDocumentationVersionCommand) .de(de_UpdateDocumentationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDocumentationVersionRequest; + output: DocumentationVersion; + }; + sdk: { + input: UpdateDocumentationVersionCommandInput; + output: UpdateDocumentationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateDomainNameCommand.ts b/clients/client-api-gateway/src/commands/UpdateDomainNameCommand.ts index edeb353a2365..a15d7b43b7f5 100644 --- a/clients/client-api-gateway/src/commands/UpdateDomainNameCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateDomainNameCommand.ts @@ -134,4 +134,16 @@ export class UpdateDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainNameCommand) .de(de_UpdateDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainNameRequest; + output: DomainName; + }; + sdk: { + input: UpdateDomainNameCommandInput; + output: UpdateDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateGatewayResponseCommand.ts b/clients/client-api-gateway/src/commands/UpdateGatewayResponseCommand.ts index 50529a4aaafe..0676b39cbab4 100644 --- a/clients/client-api-gateway/src/commands/UpdateGatewayResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateGatewayResponseCommand.ts @@ -112,4 +112,16 @@ export class UpdateGatewayResponseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewayResponseCommand) .de(de_UpdateGatewayResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewayResponseRequest; + output: GatewayResponse; + }; + sdk: { + input: UpdateGatewayResponseCommandInput; + output: UpdateGatewayResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateIntegrationCommand.ts b/clients/client-api-gateway/src/commands/UpdateIntegrationCommand.ts index 96b731af047a..7d6818c12ad5 100644 --- a/clients/client-api-gateway/src/commands/UpdateIntegrationCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateIntegrationCommand.ts @@ -139,4 +139,16 @@ export class UpdateIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIntegrationCommand) .de(de_UpdateIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIntegrationRequest; + output: Integration; + }; + sdk: { + input: UpdateIntegrationCommandInput; + output: UpdateIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateIntegrationResponseCommand.ts b/clients/client-api-gateway/src/commands/UpdateIntegrationResponseCommand.ts index 9f48ba721c23..aef4c0c413d8 100644 --- a/clients/client-api-gateway/src/commands/UpdateIntegrationResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateIntegrationResponseCommand.ts @@ -114,4 +114,16 @@ export class UpdateIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIntegrationResponseCommand) .de(de_UpdateIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIntegrationResponseRequest; + output: IntegrationResponse; + }; + sdk: { + input: UpdateIntegrationResponseCommandInput; + output: UpdateIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateMethodCommand.ts b/clients/client-api-gateway/src/commands/UpdateMethodCommand.ts index 643a33a9f4c9..9ac71650d81d 100644 --- a/clients/client-api-gateway/src/commands/UpdateMethodCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateMethodCommand.ts @@ -156,4 +156,16 @@ export class UpdateMethodCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMethodCommand) .de(de_UpdateMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMethodRequest; + output: Method; + }; + sdk: { + input: UpdateMethodCommandInput; + output: UpdateMethodCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateMethodResponseCommand.ts b/clients/client-api-gateway/src/commands/UpdateMethodResponseCommand.ts index 10e0f02b871e..d78638bc264f 100644 --- a/clients/client-api-gateway/src/commands/UpdateMethodResponseCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateMethodResponseCommand.ts @@ -112,4 +112,16 @@ export class UpdateMethodResponseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMethodResponseCommand) .de(de_UpdateMethodResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMethodResponseRequest; + output: MethodResponse; + }; + sdk: { + input: UpdateMethodResponseCommandInput; + output: UpdateMethodResponseCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateModelCommand.ts b/clients/client-api-gateway/src/commands/UpdateModelCommand.ts index b3e18d9d97b4..2b40d35ce9b7 100644 --- a/clients/client-api-gateway/src/commands/UpdateModelCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateModelCommand.ts @@ -108,4 +108,16 @@ export class UpdateModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateModelCommand) .de(de_UpdateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelRequest; + output: Model; + }; + sdk: { + input: UpdateModelCommandInput; + output: UpdateModelCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateRequestValidatorCommand.ts b/clients/client-api-gateway/src/commands/UpdateRequestValidatorCommand.ts index 863e4124e1af..4bc670e6aeba 100644 --- a/clients/client-api-gateway/src/commands/UpdateRequestValidatorCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateRequestValidatorCommand.ts @@ -107,4 +107,16 @@ export class UpdateRequestValidatorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRequestValidatorCommand) .de(de_UpdateRequestValidatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRequestValidatorRequest; + output: RequestValidator; + }; + sdk: { + input: UpdateRequestValidatorCommandInput; + output: UpdateRequestValidatorCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateResourceCommand.ts b/clients/client-api-gateway/src/commands/UpdateResourceCommand.ts index bafd8a858aa9..d5fb6b297745 100644 --- a/clients/client-api-gateway/src/commands/UpdateResourceCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateResourceCommand.ts @@ -163,4 +163,16 @@ export class UpdateResourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceCommand) .de(de_UpdateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceRequest; + output: Resource; + }; + sdk: { + input: UpdateResourceCommandInput; + output: UpdateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateRestApiCommand.ts b/clients/client-api-gateway/src/commands/UpdateRestApiCommand.ts index a30a5a4cd72f..a1f95679bded 100644 --- a/clients/client-api-gateway/src/commands/UpdateRestApiCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateRestApiCommand.ts @@ -129,4 +129,16 @@ export class UpdateRestApiCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRestApiCommand) .de(de_UpdateRestApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRestApiRequest; + output: RestApi; + }; + sdk: { + input: UpdateRestApiCommandInput; + output: UpdateRestApiCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateStageCommand.ts b/clients/client-api-gateway/src/commands/UpdateStageCommand.ts index a83d34894c0e..69c498105d75 100644 --- a/clients/client-api-gateway/src/commands/UpdateStageCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateStageCommand.ts @@ -147,4 +147,16 @@ export class UpdateStageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStageCommand) .de(de_UpdateStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStageRequest; + output: Stage; + }; + sdk: { + input: UpdateStageCommandInput; + output: UpdateStageCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateUsageCommand.ts b/clients/client-api-gateway/src/commands/UpdateUsageCommand.ts index 97359b1de6ff..1ec09215b77e 100644 --- a/clients/client-api-gateway/src/commands/UpdateUsageCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateUsageCommand.ts @@ -114,4 +114,16 @@ export class UpdateUsageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUsageCommand) .de(de_UpdateUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUsageRequest; + output: Usage; + }; + sdk: { + input: UpdateUsageCommandInput; + output: UpdateUsageCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateUsagePlanCommand.ts b/clients/client-api-gateway/src/commands/UpdateUsagePlanCommand.ts index 139c2546e446..29b2c9084ad9 100644 --- a/clients/client-api-gateway/src/commands/UpdateUsagePlanCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateUsagePlanCommand.ts @@ -130,4 +130,16 @@ export class UpdateUsagePlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUsagePlanCommand) .de(de_UpdateUsagePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUsagePlanRequest; + output: UsagePlan; + }; + sdk: { + input: UpdateUsagePlanCommandInput; + output: UpdateUsagePlanCommandOutput; + }; + }; +} diff --git a/clients/client-api-gateway/src/commands/UpdateVpcLinkCommand.ts b/clients/client-api-gateway/src/commands/UpdateVpcLinkCommand.ts index 80b504232e6a..3d8972d66455 100644 --- a/clients/client-api-gateway/src/commands/UpdateVpcLinkCommand.ts +++ b/clients/client-api-gateway/src/commands/UpdateVpcLinkCommand.ts @@ -113,4 +113,16 @@ export class UpdateVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVpcLinkCommand) .de(de_UpdateVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVpcLinkRequest; + output: VpcLink; + }; + sdk: { + input: UpdateVpcLinkCommandInput; + output: UpdateVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewaymanagementapi/package.json b/clients/client-apigatewaymanagementapi/package.json index 1fabf6b7cb14..b567a6cda6c6 100644 --- a/clients/client-apigatewaymanagementapi/package.json +++ b/clients/client-apigatewaymanagementapi/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-apigatewaymanagementapi/src/commands/DeleteConnectionCommand.ts b/clients/client-apigatewaymanagementapi/src/commands/DeleteConnectionCommand.ts index 31af5a06b670..083ecd2cdb3c 100644 --- a/clients/client-apigatewaymanagementapi/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-apigatewaymanagementapi/src/commands/DeleteConnectionCommand.ts @@ -88,4 +88,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRequest; + output: {}; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewaymanagementapi/src/commands/GetConnectionCommand.ts b/clients/client-apigatewaymanagementapi/src/commands/GetConnectionCommand.ts index b903745c0401..99b94365fa08 100644 --- a/clients/client-apigatewaymanagementapi/src/commands/GetConnectionCommand.ts +++ b/clients/client-apigatewaymanagementapi/src/commands/GetConnectionCommand.ts @@ -95,4 +95,16 @@ export class GetConnectionCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionCommand) .de(de_GetConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionRequest; + output: GetConnectionResponse; + }; + sdk: { + input: GetConnectionCommandInput; + output: GetConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewaymanagementapi/src/commands/PostToConnectionCommand.ts b/clients/client-apigatewaymanagementapi/src/commands/PostToConnectionCommand.ts index bdae2d08cc22..2490c5f773c3 100644 --- a/clients/client-apigatewaymanagementapi/src/commands/PostToConnectionCommand.ts +++ b/clients/client-apigatewaymanagementapi/src/commands/PostToConnectionCommand.ts @@ -99,4 +99,16 @@ export class PostToConnectionCommand extends $Command .f(void 0, void 0) .ser(se_PostToConnectionCommand) .de(de_PostToConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostToConnectionRequest; + output: {}; + }; + sdk: { + input: PostToConnectionCommandInput; + output: PostToConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/package.json b/clients/client-apigatewayv2/package.json index 2aea1e8552ee..e008343bb5e9 100644 --- a/clients/client-apigatewayv2/package.json +++ b/clients/client-apigatewayv2/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-apigatewayv2/src/commands/CreateApiCommand.ts b/clients/client-apigatewayv2/src/commands/CreateApiCommand.ts index dab250ad99a9..79276716cd7c 100644 --- a/clients/client-apigatewayv2/src/commands/CreateApiCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateApiCommand.ts @@ -154,4 +154,16 @@ export class CreateApiCommand extends $Command .f(void 0, void 0) .ser(se_CreateApiCommand) .de(de_CreateApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApiRequest; + output: CreateApiResponse; + }; + sdk: { + input: CreateApiCommandInput; + output: CreateApiCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateApiMappingCommand.ts b/clients/client-apigatewayv2/src/commands/CreateApiMappingCommand.ts index cc17296ef932..6932d1fcb8de 100644 --- a/clients/client-apigatewayv2/src/commands/CreateApiMappingCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateApiMappingCommand.ts @@ -95,4 +95,16 @@ export class CreateApiMappingCommand extends $Command .f(void 0, void 0) .ser(se_CreateApiMappingCommand) .de(de_CreateApiMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApiMappingRequest; + output: CreateApiMappingResponse; + }; + sdk: { + input: CreateApiMappingCommandInput; + output: CreateApiMappingCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateAuthorizerCommand.ts b/clients/client-apigatewayv2/src/commands/CreateAuthorizerCommand.ts index 74f52c2950d7..6b7ebf311d6e 100644 --- a/clients/client-apigatewayv2/src/commands/CreateAuthorizerCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateAuthorizerCommand.ts @@ -123,4 +123,16 @@ export class CreateAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_CreateAuthorizerCommand) .de(de_CreateAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAuthorizerRequest; + output: CreateAuthorizerResponse; + }; + sdk: { + input: CreateAuthorizerCommandInput; + output: CreateAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateDeploymentCommand.ts b/clients/client-apigatewayv2/src/commands/CreateDeploymentCommand.ts index 9b7935361616..72d89423c43a 100644 --- a/clients/client-apigatewayv2/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateDeploymentCommand.ts @@ -96,4 +96,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentRequest; + output: CreateDeploymentResponse; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateDomainNameCommand.ts b/clients/client-apigatewayv2/src/commands/CreateDomainNameCommand.ts index a28e7c4b0b97..b6288ea96d72 100644 --- a/clients/client-apigatewayv2/src/commands/CreateDomainNameCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateDomainNameCommand.ts @@ -137,4 +137,16 @@ export class CreateDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainNameCommand) .de(de_CreateDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainNameRequest; + output: CreateDomainNameResponse; + }; + sdk: { + input: CreateDomainNameCommandInput; + output: CreateDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateIntegrationCommand.ts b/clients/client-apigatewayv2/src/commands/CreateIntegrationCommand.ts index e6cdccd3a5d7..08199c3fa617 100644 --- a/clients/client-apigatewayv2/src/commands/CreateIntegrationCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateIntegrationCommand.ts @@ -145,4 +145,16 @@ export class CreateIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_CreateIntegrationCommand) .de(de_CreateIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIntegrationRequest; + output: CreateIntegrationResult; + }; + sdk: { + input: CreateIntegrationCommandInput; + output: CreateIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateIntegrationResponseCommand.ts b/clients/client-apigatewayv2/src/commands/CreateIntegrationResponseCommand.ts index 9e38de189079..2baacc0125df 100644 --- a/clients/client-apigatewayv2/src/commands/CreateIntegrationResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateIntegrationResponseCommand.ts @@ -108,4 +108,16 @@ export class CreateIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_CreateIntegrationResponseCommand) .de(de_CreateIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIntegrationResponseRequest; + output: CreateIntegrationResponseResponse; + }; + sdk: { + input: CreateIntegrationResponseCommandInput; + output: CreateIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateModelCommand.ts b/clients/client-apigatewayv2/src/commands/CreateModelCommand.ts index 96d4a95d39d7..e0bd1c9c5b6f 100644 --- a/clients/client-apigatewayv2/src/commands/CreateModelCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateModelCommand.ts @@ -97,4 +97,16 @@ export class CreateModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCommand) .de(de_CreateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelRequest; + output: CreateModelResponse; + }; + sdk: { + input: CreateModelCommandInput; + output: CreateModelCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateRouteCommand.ts b/clients/client-apigatewayv2/src/commands/CreateRouteCommand.ts index d0b09bee1621..d709b89a4662 100644 --- a/clients/client-apigatewayv2/src/commands/CreateRouteCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateRouteCommand.ts @@ -128,4 +128,16 @@ export class CreateRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateRouteCommand) .de(de_CreateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRouteRequest; + output: CreateRouteResult; + }; + sdk: { + input: CreateRouteCommandInput; + output: CreateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateRouteResponseCommand.ts b/clients/client-apigatewayv2/src/commands/CreateRouteResponseCommand.ts index d868f16aa768..c13f0531786a 100644 --- a/clients/client-apigatewayv2/src/commands/CreateRouteResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateRouteResponseCommand.ts @@ -110,4 +110,16 @@ export class CreateRouteResponseCommand extends $Command .f(void 0, void 0) .ser(se_CreateRouteResponseCommand) .de(de_CreateRouteResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRouteResponseRequest; + output: CreateRouteResponseResponse; + }; + sdk: { + input: CreateRouteResponseCommandInput; + output: CreateRouteResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateStageCommand.ts b/clients/client-apigatewayv2/src/commands/CreateStageCommand.ts index 5df9a25c8162..ac71023e1605 100644 --- a/clients/client-apigatewayv2/src/commands/CreateStageCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateStageCommand.ts @@ -154,4 +154,16 @@ export class CreateStageCommand extends $Command .f(void 0, void 0) .ser(se_CreateStageCommand) .de(de_CreateStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStageRequest; + output: CreateStageResponse; + }; + sdk: { + input: CreateStageCommandInput; + output: CreateStageCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/CreateVpcLinkCommand.ts b/clients/client-apigatewayv2/src/commands/CreateVpcLinkCommand.ts index b9cc65a75985..7d7359034cc9 100644 --- a/clients/client-apigatewayv2/src/commands/CreateVpcLinkCommand.ts +++ b/clients/client-apigatewayv2/src/commands/CreateVpcLinkCommand.ts @@ -106,4 +106,16 @@ export class CreateVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcLinkCommand) .de(de_CreateVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcLinkRequest; + output: CreateVpcLinkResponse; + }; + sdk: { + input: CreateVpcLinkCommandInput; + output: CreateVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteAccessLogSettingsCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteAccessLogSettingsCommand.ts index 3b5114d05de9..4c27fdf8dfeb 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteAccessLogSettingsCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteAccessLogSettingsCommand.ts @@ -82,4 +82,16 @@ export class DeleteAccessLogSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessLogSettingsCommand) .de(de_DeleteAccessLogSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessLogSettingsRequest; + output: {}; + }; + sdk: { + input: DeleteAccessLogSettingsCommandInput; + output: DeleteAccessLogSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteApiCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteApiCommand.ts index 96d47ac842da..8bbd01cec5f7 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteApiCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteApiCommand.ts @@ -81,4 +81,16 @@ export class DeleteApiCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApiCommand) .de(de_DeleteApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApiRequest; + output: {}; + }; + sdk: { + input: DeleteApiCommandInput; + output: DeleteApiCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteApiMappingCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteApiMappingCommand.ts index d0323163525e..f152e1999e96 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteApiMappingCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteApiMappingCommand.ts @@ -85,4 +85,16 @@ export class DeleteApiMappingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApiMappingCommand) .de(de_DeleteApiMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApiMappingRequest; + output: {}; + }; + sdk: { + input: DeleteApiMappingCommandInput; + output: DeleteApiMappingCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteAuthorizerCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteAuthorizerCommand.ts index 398bb655da7c..133b9e3edea8 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteAuthorizerCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteAuthorizerCommand.ts @@ -82,4 +82,16 @@ export class DeleteAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAuthorizerCommand) .de(de_DeleteAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAuthorizerRequest; + output: {}; + }; + sdk: { + input: DeleteAuthorizerCommandInput; + output: DeleteAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteCorsConfigurationCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteCorsConfigurationCommand.ts index ab1688aea0fa..ebed8181905d 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteCorsConfigurationCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteCorsConfigurationCommand.ts @@ -81,4 +81,16 @@ export class DeleteCorsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCorsConfigurationCommand) .de(de_DeleteCorsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCorsConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteCorsConfigurationCommandInput; + output: DeleteCorsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteDeploymentCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteDeploymentCommand.ts index 5b3ae59e39d4..80b91f87bd9c 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteDeploymentCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteDeploymentCommand.ts @@ -82,4 +82,16 @@ export class DeleteDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeploymentCommand) .de(de_DeleteDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentRequest; + output: {}; + }; + sdk: { + input: DeleteDeploymentCommandInput; + output: DeleteDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteDomainNameCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteDomainNameCommand.ts index d8a46c4c48b2..f26ae307ba29 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteDomainNameCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteDomainNameCommand.ts @@ -81,4 +81,16 @@ export class DeleteDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainNameCommand) .de(de_DeleteDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainNameRequest; + output: {}; + }; + sdk: { + input: DeleteDomainNameCommandInput; + output: DeleteDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteIntegrationCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteIntegrationCommand.ts index 254b74266a4f..9699d653c2d5 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteIntegrationCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteIntegrationCommand.ts @@ -82,4 +82,16 @@ export class DeleteIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntegrationCommand) .de(de_DeleteIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntegrationRequest; + output: {}; + }; + sdk: { + input: DeleteIntegrationCommandInput; + output: DeleteIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteIntegrationResponseCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteIntegrationResponseCommand.ts index 12b3a1803f28..2ad9472559d3 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteIntegrationResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteIntegrationResponseCommand.ts @@ -83,4 +83,16 @@ export class DeleteIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntegrationResponseCommand) .de(de_DeleteIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntegrationResponseRequest; + output: {}; + }; + sdk: { + input: DeleteIntegrationResponseCommandInput; + output: DeleteIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteModelCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteModelCommand.ts index 39044ea5a4dd..46e143f2c291 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteModelCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteModelCommand.ts @@ -82,4 +82,16 @@ export class DeleteModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelCommand) .de(de_DeleteModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelRequest; + output: {}; + }; + sdk: { + input: DeleteModelCommandInput; + output: DeleteModelCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteRouteCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteRouteCommand.ts index 0500d57b973b..8700df7d63ed 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteRouteCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteRouteCommand.ts @@ -82,4 +82,16 @@ export class DeleteRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteCommand) .de(de_DeleteRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteRequest; + output: {}; + }; + sdk: { + input: DeleteRouteCommandInput; + output: DeleteRouteCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteRouteRequestParameterCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteRouteRequestParameterCommand.ts index 94c421791264..291936ca3d7e 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteRouteRequestParameterCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteRouteRequestParameterCommand.ts @@ -86,4 +86,16 @@ export class DeleteRouteRequestParameterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteRequestParameterCommand) .de(de_DeleteRouteRequestParameterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteRequestParameterRequest; + output: {}; + }; + sdk: { + input: DeleteRouteRequestParameterCommandInput; + output: DeleteRouteRequestParameterCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteRouteResponseCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteRouteResponseCommand.ts index b3a0fe12f11d..bc4a17cda794 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteRouteResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteRouteResponseCommand.ts @@ -83,4 +83,16 @@ export class DeleteRouteResponseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteResponseCommand) .de(de_DeleteRouteResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteResponseRequest; + output: {}; + }; + sdk: { + input: DeleteRouteResponseCommandInput; + output: DeleteRouteResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteRouteSettingsCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteRouteSettingsCommand.ts index 1b95b4ddd1f2..222af0398ff1 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteRouteSettingsCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteRouteSettingsCommand.ts @@ -83,4 +83,16 @@ export class DeleteRouteSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteSettingsCommand) .de(de_DeleteRouteSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteSettingsRequest; + output: {}; + }; + sdk: { + input: DeleteRouteSettingsCommandInput; + output: DeleteRouteSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteStageCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteStageCommand.ts index be271030fa5b..4c96a7a20933 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteStageCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteStageCommand.ts @@ -82,4 +82,16 @@ export class DeleteStageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStageCommand) .de(de_DeleteStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStageRequest; + output: {}; + }; + sdk: { + input: DeleteStageCommandInput; + output: DeleteStageCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/DeleteVpcLinkCommand.ts b/clients/client-apigatewayv2/src/commands/DeleteVpcLinkCommand.ts index baf20bad010e..d21110837163 100644 --- a/clients/client-apigatewayv2/src/commands/DeleteVpcLinkCommand.ts +++ b/clients/client-apigatewayv2/src/commands/DeleteVpcLinkCommand.ts @@ -81,4 +81,16 @@ export class DeleteVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcLinkCommand) .de(de_DeleteVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcLinkRequest; + output: {}; + }; + sdk: { + input: DeleteVpcLinkCommandInput; + output: DeleteVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/ExportApiCommand.ts b/clients/client-apigatewayv2/src/commands/ExportApiCommand.ts index a66ab13dc9a7..90701cc0ba75 100644 --- a/clients/client-apigatewayv2/src/commands/ExportApiCommand.ts +++ b/clients/client-apigatewayv2/src/commands/ExportApiCommand.ts @@ -99,4 +99,16 @@ export class ExportApiCommand extends $Command .f(void 0, void 0) .ser(se_ExportApiCommand) .de(de_ExportApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportApiRequest; + output: ExportApiResponse; + }; + sdk: { + input: ExportApiCommandInput; + output: ExportApiCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetApiCommand.ts b/clients/client-apigatewayv2/src/commands/GetApiCommand.ts index a2b31c474103..05dcbb82339d 100644 --- a/clients/client-apigatewayv2/src/commands/GetApiCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetApiCommand.ts @@ -119,4 +119,16 @@ export class GetApiCommand extends $Command .f(void 0, void 0) .ser(se_GetApiCommand) .de(de_GetApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApiRequest; + output: GetApiResponse; + }; + sdk: { + input: GetApiCommandInput; + output: GetApiCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetApiMappingCommand.ts b/clients/client-apigatewayv2/src/commands/GetApiMappingCommand.ts index 4e228628cc1c..3e30b8be5b91 100644 --- a/clients/client-apigatewayv2/src/commands/GetApiMappingCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetApiMappingCommand.ts @@ -90,4 +90,16 @@ export class GetApiMappingCommand extends $Command .f(void 0, void 0) .ser(se_GetApiMappingCommand) .de(de_GetApiMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApiMappingRequest; + output: GetApiMappingResponse; + }; + sdk: { + input: GetApiMappingCommandInput; + output: GetApiMappingCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetApiMappingsCommand.ts b/clients/client-apigatewayv2/src/commands/GetApiMappingsCommand.ts index 01558bd1d50f..59527446e166 100644 --- a/clients/client-apigatewayv2/src/commands/GetApiMappingsCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetApiMappingsCommand.ts @@ -96,4 +96,16 @@ export class GetApiMappingsCommand extends $Command .f(void 0, void 0) .ser(se_GetApiMappingsCommand) .de(de_GetApiMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApiMappingsRequest; + output: GetApiMappingsResponse; + }; + sdk: { + input: GetApiMappingsCommandInput; + output: GetApiMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetApisCommand.ts b/clients/client-apigatewayv2/src/commands/GetApisCommand.ts index 445e14769e45..fe2ac245f8dd 100644 --- a/clients/client-apigatewayv2/src/commands/GetApisCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetApisCommand.ts @@ -128,4 +128,16 @@ export class GetApisCommand extends $Command .f(void 0, void 0) .ser(se_GetApisCommand) .de(de_GetApisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApisRequest; + output: GetApisResponse; + }; + sdk: { + input: GetApisCommandInput; + output: GetApisCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetAuthorizerCommand.ts b/clients/client-apigatewayv2/src/commands/GetAuthorizerCommand.ts index 7fd4812e190d..55cb5454b94e 100644 --- a/clients/client-apigatewayv2/src/commands/GetAuthorizerCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetAuthorizerCommand.ts @@ -101,4 +101,16 @@ export class GetAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_GetAuthorizerCommand) .de(de_GetAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAuthorizerRequest; + output: GetAuthorizerResponse; + }; + sdk: { + input: GetAuthorizerCommandInput; + output: GetAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetAuthorizersCommand.ts b/clients/client-apigatewayv2/src/commands/GetAuthorizersCommand.ts index 6d2526c8e59a..87bf18025503 100644 --- a/clients/client-apigatewayv2/src/commands/GetAuthorizersCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetAuthorizersCommand.ts @@ -110,4 +110,16 @@ export class GetAuthorizersCommand extends $Command .f(void 0, void 0) .ser(se_GetAuthorizersCommand) .de(de_GetAuthorizersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAuthorizersRequest; + output: GetAuthorizersResponse; + }; + sdk: { + input: GetAuthorizersCommandInput; + output: GetAuthorizersCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetDeploymentCommand.ts b/clients/client-apigatewayv2/src/commands/GetDeploymentCommand.ts index 5224ed1c0f3f..fe8dd81facc0 100644 --- a/clients/client-apigatewayv2/src/commands/GetDeploymentCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetDeploymentCommand.ts @@ -89,4 +89,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentRequest; + output: GetDeploymentResponse; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetDeploymentsCommand.ts b/clients/client-apigatewayv2/src/commands/GetDeploymentsCommand.ts index c3780e7ac3e1..e56ce909edc3 100644 --- a/clients/client-apigatewayv2/src/commands/GetDeploymentsCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetDeploymentsCommand.ts @@ -98,4 +98,16 @@ export class GetDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentsCommand) .de(de_GetDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentsRequest; + output: GetDeploymentsResponse; + }; + sdk: { + input: GetDeploymentsCommandInput; + output: GetDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetDomainNameCommand.ts b/clients/client-apigatewayv2/src/commands/GetDomainNameCommand.ts index e2e8adedf870..50185c726a71 100644 --- a/clients/client-apigatewayv2/src/commands/GetDomainNameCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetDomainNameCommand.ts @@ -108,4 +108,16 @@ export class GetDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainNameCommand) .de(de_GetDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainNameRequest; + output: GetDomainNameResponse; + }; + sdk: { + input: GetDomainNameCommandInput; + output: GetDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetDomainNamesCommand.ts b/clients/client-apigatewayv2/src/commands/GetDomainNamesCommand.ts index 4afd51dc4e6e..dbfe483f277d 100644 --- a/clients/client-apigatewayv2/src/commands/GetDomainNamesCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetDomainNamesCommand.ts @@ -117,4 +117,16 @@ export class GetDomainNamesCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainNamesCommand) .de(de_GetDomainNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainNamesRequest; + output: GetDomainNamesResponse; + }; + sdk: { + input: GetDomainNamesCommandInput; + output: GetDomainNamesCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetIntegrationCommand.ts b/clients/client-apigatewayv2/src/commands/GetIntegrationCommand.ts index 1d1e5f5e99e6..424455c45807 100644 --- a/clients/client-apigatewayv2/src/commands/GetIntegrationCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetIntegrationCommand.ts @@ -113,4 +113,16 @@ export class GetIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_GetIntegrationCommand) .de(de_GetIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntegrationRequest; + output: GetIntegrationResult; + }; + sdk: { + input: GetIntegrationCommandInput; + output: GetIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetIntegrationResponseCommand.ts b/clients/client-apigatewayv2/src/commands/GetIntegrationResponseCommand.ts index 7e2409555a67..853c60a97f45 100644 --- a/clients/client-apigatewayv2/src/commands/GetIntegrationResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetIntegrationResponseCommand.ts @@ -94,4 +94,16 @@ export class GetIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_GetIntegrationResponseCommand) .de(de_GetIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntegrationResponseRequest; + output: GetIntegrationResponseResponse; + }; + sdk: { + input: GetIntegrationResponseCommandInput; + output: GetIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetIntegrationResponsesCommand.ts b/clients/client-apigatewayv2/src/commands/GetIntegrationResponsesCommand.ts index 54bb90caacca..3a1d8caa1d3b 100644 --- a/clients/client-apigatewayv2/src/commands/GetIntegrationResponsesCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetIntegrationResponsesCommand.ts @@ -103,4 +103,16 @@ export class GetIntegrationResponsesCommand extends $Command .f(void 0, void 0) .ser(se_GetIntegrationResponsesCommand) .de(de_GetIntegrationResponsesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntegrationResponsesRequest; + output: GetIntegrationResponsesResponse; + }; + sdk: { + input: GetIntegrationResponsesCommandInput; + output: GetIntegrationResponsesCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetIntegrationsCommand.ts b/clients/client-apigatewayv2/src/commands/GetIntegrationsCommand.ts index 0eac22cdc1ce..2efb4ed70db8 100644 --- a/clients/client-apigatewayv2/src/commands/GetIntegrationsCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetIntegrationsCommand.ts @@ -122,4 +122,16 @@ export class GetIntegrationsCommand extends $Command .f(void 0, void 0) .ser(se_GetIntegrationsCommand) .de(de_GetIntegrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntegrationsRequest; + output: GetIntegrationsResponse; + }; + sdk: { + input: GetIntegrationsCommandInput; + output: GetIntegrationsCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetModelCommand.ts b/clients/client-apigatewayv2/src/commands/GetModelCommand.ts index 763658e31c5d..cfc13f43155d 100644 --- a/clients/client-apigatewayv2/src/commands/GetModelCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetModelCommand.ts @@ -88,4 +88,16 @@ export class GetModelCommand extends $Command .f(void 0, void 0) .ser(se_GetModelCommand) .de(de_GetModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelRequest; + output: GetModelResponse; + }; + sdk: { + input: GetModelCommandInput; + output: GetModelCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetModelTemplateCommand.ts b/clients/client-apigatewayv2/src/commands/GetModelTemplateCommand.ts index 9b8a21cbb6a6..b0d8d5425ca3 100644 --- a/clients/client-apigatewayv2/src/commands/GetModelTemplateCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetModelTemplateCommand.ts @@ -84,4 +84,16 @@ export class GetModelTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetModelTemplateCommand) .de(de_GetModelTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelTemplateRequest; + output: GetModelTemplateResponse; + }; + sdk: { + input: GetModelTemplateCommandInput; + output: GetModelTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetModelsCommand.ts b/clients/client-apigatewayv2/src/commands/GetModelsCommand.ts index bdd3e271a1fb..ce737aa19c28 100644 --- a/clients/client-apigatewayv2/src/commands/GetModelsCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetModelsCommand.ts @@ -97,4 +97,16 @@ export class GetModelsCommand extends $Command .f(void 0, void 0) .ser(se_GetModelsCommand) .de(de_GetModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelsRequest; + output: GetModelsResponse; + }; + sdk: { + input: GetModelsCommandInput; + output: GetModelsCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetRouteCommand.ts b/clients/client-apigatewayv2/src/commands/GetRouteCommand.ts index 2fcb5e22b356..0dc4ce4fb919 100644 --- a/clients/client-apigatewayv2/src/commands/GetRouteCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetRouteCommand.ts @@ -104,4 +104,16 @@ export class GetRouteCommand extends $Command .f(void 0, void 0) .ser(se_GetRouteCommand) .de(de_GetRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRouteRequest; + output: GetRouteResult; + }; + sdk: { + input: GetRouteCommandInput; + output: GetRouteCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetRouteResponseCommand.ts b/clients/client-apigatewayv2/src/commands/GetRouteResponseCommand.ts index 76b80d4b524f..ccaee18c351a 100644 --- a/clients/client-apigatewayv2/src/commands/GetRouteResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetRouteResponseCommand.ts @@ -95,4 +95,16 @@ export class GetRouteResponseCommand extends $Command .f(void 0, void 0) .ser(se_GetRouteResponseCommand) .de(de_GetRouteResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRouteResponseRequest; + output: GetRouteResponseResponse; + }; + sdk: { + input: GetRouteResponseCommandInput; + output: GetRouteResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetRouteResponsesCommand.ts b/clients/client-apigatewayv2/src/commands/GetRouteResponsesCommand.ts index 18ce6a1539e2..3e83e2365b96 100644 --- a/clients/client-apigatewayv2/src/commands/GetRouteResponsesCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetRouteResponsesCommand.ts @@ -104,4 +104,16 @@ export class GetRouteResponsesCommand extends $Command .f(void 0, void 0) .ser(se_GetRouteResponsesCommand) .de(de_GetRouteResponsesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRouteResponsesRequest; + output: GetRouteResponsesResponse; + }; + sdk: { + input: GetRouteResponsesCommandInput; + output: GetRouteResponsesCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetRoutesCommand.ts b/clients/client-apigatewayv2/src/commands/GetRoutesCommand.ts index 7af64b3d9697..7d8dd886daa3 100644 --- a/clients/client-apigatewayv2/src/commands/GetRoutesCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetRoutesCommand.ts @@ -113,4 +113,16 @@ export class GetRoutesCommand extends $Command .f(void 0, void 0) .ser(se_GetRoutesCommand) .de(de_GetRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRoutesRequest; + output: GetRoutesResponse; + }; + sdk: { + input: GetRoutesCommandInput; + output: GetRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetStageCommand.ts b/clients/client-apigatewayv2/src/commands/GetStageCommand.ts index db235399ed7e..7fb2421cddd2 100644 --- a/clients/client-apigatewayv2/src/commands/GetStageCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetStageCommand.ts @@ -118,4 +118,16 @@ export class GetStageCommand extends $Command .f(void 0, void 0) .ser(se_GetStageCommand) .de(de_GetStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStageRequest; + output: GetStageResponse; + }; + sdk: { + input: GetStageCommandInput; + output: GetStageCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetStagesCommand.ts b/clients/client-apigatewayv2/src/commands/GetStagesCommand.ts index 976a37290b6d..e86ae65d8877 100644 --- a/clients/client-apigatewayv2/src/commands/GetStagesCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetStagesCommand.ts @@ -127,4 +127,16 @@ export class GetStagesCommand extends $Command .f(void 0, void 0) .ser(se_GetStagesCommand) .de(de_GetStagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStagesRequest; + output: GetStagesResponse; + }; + sdk: { + input: GetStagesCommandInput; + output: GetStagesCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetTagsCommand.ts b/clients/client-apigatewayv2/src/commands/GetTagsCommand.ts index cfc1b27004cf..f120129ae106 100644 --- a/clients/client-apigatewayv2/src/commands/GetTagsCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetTagsCommand.ts @@ -91,4 +91,16 @@ export class GetTagsCommand extends $Command .f(void 0, void 0) .ser(se_GetTagsCommand) .de(de_GetTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTagsRequest; + output: GetTagsResponse; + }; + sdk: { + input: GetTagsCommandInput; + output: GetTagsCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetVpcLinkCommand.ts b/clients/client-apigatewayv2/src/commands/GetVpcLinkCommand.ts index 1c43aca45476..77e64a5b124e 100644 --- a/clients/client-apigatewayv2/src/commands/GetVpcLinkCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetVpcLinkCommand.ts @@ -97,4 +97,16 @@ export class GetVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_GetVpcLinkCommand) .de(de_GetVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpcLinkRequest; + output: GetVpcLinkResponse; + }; + sdk: { + input: GetVpcLinkCommandInput; + output: GetVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/GetVpcLinksCommand.ts b/clients/client-apigatewayv2/src/commands/GetVpcLinksCommand.ts index 1528fcd20f6f..4010e41f568f 100644 --- a/clients/client-apigatewayv2/src/commands/GetVpcLinksCommand.ts +++ b/clients/client-apigatewayv2/src/commands/GetVpcLinksCommand.ts @@ -103,4 +103,16 @@ export class GetVpcLinksCommand extends $Command .f(void 0, void 0) .ser(se_GetVpcLinksCommand) .de(de_GetVpcLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpcLinksRequest; + output: GetVpcLinksResponse; + }; + sdk: { + input: GetVpcLinksCommandInput; + output: GetVpcLinksCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/ImportApiCommand.ts b/clients/client-apigatewayv2/src/commands/ImportApiCommand.ts index d277dc8bd898..d475d0cfd18f 100644 --- a/clients/client-apigatewayv2/src/commands/ImportApiCommand.ts +++ b/clients/client-apigatewayv2/src/commands/ImportApiCommand.ts @@ -127,4 +127,16 @@ export class ImportApiCommand extends $Command .f(void 0, void 0) .ser(se_ImportApiCommand) .de(de_ImportApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportApiRequest; + output: ImportApiResponse; + }; + sdk: { + input: ImportApiCommandInput; + output: ImportApiCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/ReimportApiCommand.ts b/clients/client-apigatewayv2/src/commands/ReimportApiCommand.ts index 49abf3589ca2..eca767406c14 100644 --- a/clients/client-apigatewayv2/src/commands/ReimportApiCommand.ts +++ b/clients/client-apigatewayv2/src/commands/ReimportApiCommand.ts @@ -128,4 +128,16 @@ export class ReimportApiCommand extends $Command .f(void 0, void 0) .ser(se_ReimportApiCommand) .de(de_ReimportApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReimportApiRequest; + output: ReimportApiResponse; + }; + sdk: { + input: ReimportApiCommandInput; + output: ReimportApiCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/ResetAuthorizersCacheCommand.ts b/clients/client-apigatewayv2/src/commands/ResetAuthorizersCacheCommand.ts index 35852082b7cd..47e0d3c0eccf 100644 --- a/clients/client-apigatewayv2/src/commands/ResetAuthorizersCacheCommand.ts +++ b/clients/client-apigatewayv2/src/commands/ResetAuthorizersCacheCommand.ts @@ -82,4 +82,16 @@ export class ResetAuthorizersCacheCommand extends $Command .f(void 0, void 0) .ser(se_ResetAuthorizersCacheCommand) .de(de_ResetAuthorizersCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetAuthorizersCacheRequest; + output: {}; + }; + sdk: { + input: ResetAuthorizersCacheCommandInput; + output: ResetAuthorizersCacheCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/TagResourceCommand.ts b/clients/client-apigatewayv2/src/commands/TagResourceCommand.ts index b349db696bdc..51ba20fabd25 100644 --- a/clients/client-apigatewayv2/src/commands/TagResourceCommand.ts +++ b/clients/client-apigatewayv2/src/commands/TagResourceCommand.ts @@ -90,4 +90,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UntagResourceCommand.ts b/clients/client-apigatewayv2/src/commands/UntagResourceCommand.ts index 009775c5e10b..9fb0f5855a46 100644 --- a/clients/client-apigatewayv2/src/commands/UntagResourceCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateApiCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateApiCommand.ts index fa56a7c880f8..9ce85f702d77 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateApiCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateApiCommand.ts @@ -151,4 +151,16 @@ export class UpdateApiCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApiCommand) .de(de_UpdateApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApiRequest; + output: UpdateApiResponse; + }; + sdk: { + input: UpdateApiCommandInput; + output: UpdateApiCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateApiMappingCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateApiMappingCommand.ts index af5f4f2e6a85..ccd0406466a6 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateApiMappingCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateApiMappingCommand.ts @@ -96,4 +96,16 @@ export class UpdateApiMappingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApiMappingCommand) .de(de_UpdateApiMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApiMappingRequest; + output: UpdateApiMappingResponse; + }; + sdk: { + input: UpdateApiMappingCommandInput; + output: UpdateApiMappingCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateAuthorizerCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateAuthorizerCommand.ts index e9fcf4c01dc6..c6f06e85ffa2 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateAuthorizerCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateAuthorizerCommand.ts @@ -124,4 +124,16 @@ export class UpdateAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAuthorizerCommand) .de(de_UpdateAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAuthorizerRequest; + output: UpdateAuthorizerResponse; + }; + sdk: { + input: UpdateAuthorizerCommandInput; + output: UpdateAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateDeploymentCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateDeploymentCommand.ts index 28d8e3444d36..328d5814c092 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateDeploymentCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateDeploymentCommand.ts @@ -96,4 +96,16 @@ export class UpdateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeploymentCommand) .de(de_UpdateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeploymentRequest; + output: UpdateDeploymentResponse; + }; + sdk: { + input: UpdateDeploymentCommandInput; + output: UpdateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateDomainNameCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateDomainNameCommand.ts index 68a870cc0523..58e2ee1d8224 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateDomainNameCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateDomainNameCommand.ts @@ -132,4 +132,16 @@ export class UpdateDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainNameCommand) .de(de_UpdateDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainNameRequest; + output: UpdateDomainNameResponse; + }; + sdk: { + input: UpdateDomainNameCommandInput; + output: UpdateDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateIntegrationCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateIntegrationCommand.ts index f510d4f87a45..10de15fd5bb6 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateIntegrationCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateIntegrationCommand.ts @@ -146,4 +146,16 @@ export class UpdateIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIntegrationCommand) .de(de_UpdateIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIntegrationRequest; + output: UpdateIntegrationResult; + }; + sdk: { + input: UpdateIntegrationCommandInput; + output: UpdateIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateIntegrationResponseCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateIntegrationResponseCommand.ts index a5552aacb236..b2535bb1e31a 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateIntegrationResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateIntegrationResponseCommand.ts @@ -109,4 +109,16 @@ export class UpdateIntegrationResponseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIntegrationResponseCommand) .de(de_UpdateIntegrationResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIntegrationResponseRequest; + output: UpdateIntegrationResponseResponse; + }; + sdk: { + input: UpdateIntegrationResponseCommandInput; + output: UpdateIntegrationResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateModelCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateModelCommand.ts index 6b8c4cf35f99..095b38b2ff78 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateModelCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateModelCommand.ts @@ -98,4 +98,16 @@ export class UpdateModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateModelCommand) .de(de_UpdateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelRequest; + output: UpdateModelResponse; + }; + sdk: { + input: UpdateModelCommandInput; + output: UpdateModelCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateRouteCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateRouteCommand.ts index e4da4f72a6e0..e7c6b6dcab0b 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateRouteCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateRouteCommand.ts @@ -129,4 +129,16 @@ export class UpdateRouteCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRouteCommand) .de(de_UpdateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRouteRequest; + output: UpdateRouteResult; + }; + sdk: { + input: UpdateRouteCommandInput; + output: UpdateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateRouteResponseCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateRouteResponseCommand.ts index c745e439b26c..45b0b38da194 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateRouteResponseCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateRouteResponseCommand.ts @@ -111,4 +111,16 @@ export class UpdateRouteResponseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRouteResponseCommand) .de(de_UpdateRouteResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRouteResponseRequest; + output: UpdateRouteResponseResponse; + }; + sdk: { + input: UpdateRouteResponseCommandInput; + output: UpdateRouteResponseCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateStageCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateStageCommand.ts index 9ec9839142ca..46561e8aa086 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateStageCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateStageCommand.ts @@ -151,4 +151,16 @@ export class UpdateStageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStageCommand) .de(de_UpdateStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStageRequest; + output: UpdateStageResponse; + }; + sdk: { + input: UpdateStageCommandInput; + output: UpdateStageCommandOutput; + }; + }; +} diff --git a/clients/client-apigatewayv2/src/commands/UpdateVpcLinkCommand.ts b/clients/client-apigatewayv2/src/commands/UpdateVpcLinkCommand.ts index b1b734bb6a87..32238b4703fe 100644 --- a/clients/client-apigatewayv2/src/commands/UpdateVpcLinkCommand.ts +++ b/clients/client-apigatewayv2/src/commands/UpdateVpcLinkCommand.ts @@ -101,4 +101,16 @@ export class UpdateVpcLinkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVpcLinkCommand) .de(de_UpdateVpcLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVpcLinkRequest; + output: UpdateVpcLinkResponse; + }; + sdk: { + input: UpdateVpcLinkCommandInput; + output: UpdateVpcLinkCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/package.json b/clients/client-app-mesh/package.json index 13913da02e64..beb14a5cea15 100644 --- a/clients/client-app-mesh/package.json +++ b/clients/client-app-mesh/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-app-mesh/src/commands/CreateGatewayRouteCommand.ts b/clients/client-app-mesh/src/commands/CreateGatewayRouteCommand.ts index b2141649161a..136eafeffbba 100644 --- a/clients/client-app-mesh/src/commands/CreateGatewayRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/CreateGatewayRouteCommand.ts @@ -456,4 +456,16 @@ export class CreateGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateGatewayRouteCommand) .de(de_CreateGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGatewayRouteInput; + output: CreateGatewayRouteOutput; + }; + sdk: { + input: CreateGatewayRouteCommandInput; + output: CreateGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/CreateMeshCommand.ts b/clients/client-app-mesh/src/commands/CreateMeshCommand.ts index b7022446a507..f26bc1448744 100644 --- a/clients/client-app-mesh/src/commands/CreateMeshCommand.ts +++ b/clients/client-app-mesh/src/commands/CreateMeshCommand.ts @@ -148,4 +148,16 @@ export class CreateMeshCommand extends $Command .f(void 0, void 0) .ser(se_CreateMeshCommand) .de(de_CreateMeshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMeshInput; + output: CreateMeshOutput; + }; + sdk: { + input: CreateMeshCommandInput; + output: CreateMeshCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/CreateRouteCommand.ts b/clients/client-app-mesh/src/commands/CreateRouteCommand.ts index 670c2c220028..4cb17bf20208 100644 --- a/clients/client-app-mesh/src/commands/CreateRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/CreateRouteCommand.ts @@ -539,4 +539,16 @@ export class CreateRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateRouteCommand) .de(de_CreateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRouteInput; + output: CreateRouteOutput; + }; + sdk: { + input: CreateRouteCommandInput; + output: CreateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/CreateVirtualGatewayCommand.ts b/clients/client-app-mesh/src/commands/CreateVirtualGatewayCommand.ts index 60b72f60cfc1..f79ef5f382c5 100644 --- a/clients/client-app-mesh/src/commands/CreateVirtualGatewayCommand.ts +++ b/clients/client-app-mesh/src/commands/CreateVirtualGatewayCommand.ts @@ -375,4 +375,16 @@ export class CreateVirtualGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateVirtualGatewayCommand) .de(de_CreateVirtualGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVirtualGatewayInput; + output: CreateVirtualGatewayOutput; + }; + sdk: { + input: CreateVirtualGatewayCommandInput; + output: CreateVirtualGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/CreateVirtualNodeCommand.ts b/clients/client-app-mesh/src/commands/CreateVirtualNodeCommand.ts index f0279a05500d..b5f3388b1e19 100644 --- a/clients/client-app-mesh/src/commands/CreateVirtualNodeCommand.ts +++ b/clients/client-app-mesh/src/commands/CreateVirtualNodeCommand.ts @@ -603,4 +603,16 @@ export class CreateVirtualNodeCommand extends $Command .f(void 0, void 0) .ser(se_CreateVirtualNodeCommand) .de(de_CreateVirtualNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVirtualNodeInput; + output: CreateVirtualNodeOutput; + }; + sdk: { + input: CreateVirtualNodeCommandInput; + output: CreateVirtualNodeCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/CreateVirtualRouterCommand.ts b/clients/client-app-mesh/src/commands/CreateVirtualRouterCommand.ts index c5fcd92064b3..e6808969c69b 100644 --- a/clients/client-app-mesh/src/commands/CreateVirtualRouterCommand.ts +++ b/clients/client-app-mesh/src/commands/CreateVirtualRouterCommand.ts @@ -156,4 +156,16 @@ export class CreateVirtualRouterCommand extends $Command .f(void 0, void 0) .ser(se_CreateVirtualRouterCommand) .de(de_CreateVirtualRouterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVirtualRouterInput; + output: CreateVirtualRouterOutput; + }; + sdk: { + input: CreateVirtualRouterCommandInput; + output: CreateVirtualRouterCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/CreateVirtualServiceCommand.ts b/clients/client-app-mesh/src/commands/CreateVirtualServiceCommand.ts index 5ad30f43f84d..c17100fa4169 100644 --- a/clients/client-app-mesh/src/commands/CreateVirtualServiceCommand.ts +++ b/clients/client-app-mesh/src/commands/CreateVirtualServiceCommand.ts @@ -156,4 +156,16 @@ export class CreateVirtualServiceCommand extends $Command .f(void 0, void 0) .ser(se_CreateVirtualServiceCommand) .de(de_CreateVirtualServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVirtualServiceInput; + output: CreateVirtualServiceOutput; + }; + sdk: { + input: CreateVirtualServiceCommandInput; + output: CreateVirtualServiceCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DeleteGatewayRouteCommand.ts b/clients/client-app-mesh/src/commands/DeleteGatewayRouteCommand.ts index 16a533ff26af..4f41d355d0cb 100644 --- a/clients/client-app-mesh/src/commands/DeleteGatewayRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/DeleteGatewayRouteCommand.ts @@ -281,4 +281,16 @@ export class DeleteGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGatewayRouteCommand) .de(de_DeleteGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGatewayRouteInput; + output: DeleteGatewayRouteOutput; + }; + sdk: { + input: DeleteGatewayRouteCommandInput; + output: DeleteGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DeleteMeshCommand.ts b/clients/client-app-mesh/src/commands/DeleteMeshCommand.ts index 2f125ac75d18..4746eb58d7a3 100644 --- a/clients/client-app-mesh/src/commands/DeleteMeshCommand.ts +++ b/clients/client-app-mesh/src/commands/DeleteMeshCommand.ts @@ -126,4 +126,16 @@ export class DeleteMeshCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMeshCommand) .de(de_DeleteMeshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMeshInput; + output: DeleteMeshOutput; + }; + sdk: { + input: DeleteMeshCommandInput; + output: DeleteMeshCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DeleteRouteCommand.ts b/clients/client-app-mesh/src/commands/DeleteRouteCommand.ts index 1bdd9b6afecc..897ba597ed0b 100644 --- a/clients/client-app-mesh/src/commands/DeleteRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/DeleteRouteCommand.ts @@ -323,4 +323,16 @@ export class DeleteRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteCommand) .de(de_DeleteRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteInput; + output: DeleteRouteOutput; + }; + sdk: { + input: DeleteRouteCommandInput; + output: DeleteRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DeleteVirtualGatewayCommand.ts b/clients/client-app-mesh/src/commands/DeleteVirtualGatewayCommand.ts index 3993ffc28805..2b0118c1c4d2 100644 --- a/clients/client-app-mesh/src/commands/DeleteVirtualGatewayCommand.ts +++ b/clients/client-app-mesh/src/commands/DeleteVirtualGatewayCommand.ts @@ -240,4 +240,16 @@ export class DeleteVirtualGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVirtualGatewayCommand) .de(de_DeleteVirtualGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVirtualGatewayInput; + output: DeleteVirtualGatewayOutput; + }; + sdk: { + input: DeleteVirtualGatewayCommandInput; + output: DeleteVirtualGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DeleteVirtualNodeCommand.ts b/clients/client-app-mesh/src/commands/DeleteVirtualNodeCommand.ts index 21edb57feabb..bd8e8acf1f53 100644 --- a/clients/client-app-mesh/src/commands/DeleteVirtualNodeCommand.ts +++ b/clients/client-app-mesh/src/commands/DeleteVirtualNodeCommand.ts @@ -346,4 +346,16 @@ export class DeleteVirtualNodeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVirtualNodeCommand) .de(de_DeleteVirtualNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVirtualNodeInput; + output: DeleteVirtualNodeOutput; + }; + sdk: { + input: DeleteVirtualNodeCommandInput; + output: DeleteVirtualNodeCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DeleteVirtualRouterCommand.ts b/clients/client-app-mesh/src/commands/DeleteVirtualRouterCommand.ts index 5b8bee7d9f21..a4761010c0d1 100644 --- a/clients/client-app-mesh/src/commands/DeleteVirtualRouterCommand.ts +++ b/clients/client-app-mesh/src/commands/DeleteVirtualRouterCommand.ts @@ -131,4 +131,16 @@ export class DeleteVirtualRouterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVirtualRouterCommand) .de(de_DeleteVirtualRouterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVirtualRouterInput; + output: DeleteVirtualRouterOutput; + }; + sdk: { + input: DeleteVirtualRouterCommandInput; + output: DeleteVirtualRouterCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DeleteVirtualServiceCommand.ts b/clients/client-app-mesh/src/commands/DeleteVirtualServiceCommand.ts index b8911c1657fa..2952084285a2 100644 --- a/clients/client-app-mesh/src/commands/DeleteVirtualServiceCommand.ts +++ b/clients/client-app-mesh/src/commands/DeleteVirtualServiceCommand.ts @@ -129,4 +129,16 @@ export class DeleteVirtualServiceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVirtualServiceCommand) .de(de_DeleteVirtualServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVirtualServiceInput; + output: DeleteVirtualServiceOutput; + }; + sdk: { + input: DeleteVirtualServiceCommandInput; + output: DeleteVirtualServiceCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DescribeGatewayRouteCommand.ts b/clients/client-app-mesh/src/commands/DescribeGatewayRouteCommand.ts index efe7b6b7d90d..0b52abcac062 100644 --- a/clients/client-app-mesh/src/commands/DescribeGatewayRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/DescribeGatewayRouteCommand.ts @@ -277,4 +277,16 @@ export class DescribeGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGatewayRouteCommand) .de(de_DescribeGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGatewayRouteInput; + output: DescribeGatewayRouteOutput; + }; + sdk: { + input: DescribeGatewayRouteCommandInput; + output: DescribeGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DescribeMeshCommand.ts b/clients/client-app-mesh/src/commands/DescribeMeshCommand.ts index 1daf85ecde75..da87f65a317c 100644 --- a/clients/client-app-mesh/src/commands/DescribeMeshCommand.ts +++ b/clients/client-app-mesh/src/commands/DescribeMeshCommand.ts @@ -121,4 +121,16 @@ export class DescribeMeshCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMeshCommand) .de(de_DescribeMeshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMeshInput; + output: DescribeMeshOutput; + }; + sdk: { + input: DescribeMeshCommandInput; + output: DescribeMeshCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DescribeRouteCommand.ts b/clients/client-app-mesh/src/commands/DescribeRouteCommand.ts index ddab6e8afacd..a59a430828e1 100644 --- a/clients/client-app-mesh/src/commands/DescribeRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/DescribeRouteCommand.ts @@ -319,4 +319,16 @@ export class DescribeRouteCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRouteCommand) .de(de_DescribeRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRouteInput; + output: DescribeRouteOutput; + }; + sdk: { + input: DescribeRouteCommandInput; + output: DescribeRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DescribeVirtualGatewayCommand.ts b/clients/client-app-mesh/src/commands/DescribeVirtualGatewayCommand.ts index 41c5c17e61fd..4ca20e704334 100644 --- a/clients/client-app-mesh/src/commands/DescribeVirtualGatewayCommand.ts +++ b/clients/client-app-mesh/src/commands/DescribeVirtualGatewayCommand.ts @@ -235,4 +235,16 @@ export class DescribeVirtualGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVirtualGatewayCommand) .de(de_DescribeVirtualGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVirtualGatewayInput; + output: DescribeVirtualGatewayOutput; + }; + sdk: { + input: DescribeVirtualGatewayCommandInput; + output: DescribeVirtualGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DescribeVirtualNodeCommand.ts b/clients/client-app-mesh/src/commands/DescribeVirtualNodeCommand.ts index bafd95b48d6b..9f7e0f344efd 100644 --- a/clients/client-app-mesh/src/commands/DescribeVirtualNodeCommand.ts +++ b/clients/client-app-mesh/src/commands/DescribeVirtualNodeCommand.ts @@ -340,4 +340,16 @@ export class DescribeVirtualNodeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVirtualNodeCommand) .de(de_DescribeVirtualNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVirtualNodeInput; + output: DescribeVirtualNodeOutput; + }; + sdk: { + input: DescribeVirtualNodeCommandInput; + output: DescribeVirtualNodeCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DescribeVirtualRouterCommand.ts b/clients/client-app-mesh/src/commands/DescribeVirtualRouterCommand.ts index e08587b5360e..72c5a4846d96 100644 --- a/clients/client-app-mesh/src/commands/DescribeVirtualRouterCommand.ts +++ b/clients/client-app-mesh/src/commands/DescribeVirtualRouterCommand.ts @@ -125,4 +125,16 @@ export class DescribeVirtualRouterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVirtualRouterCommand) .de(de_DescribeVirtualRouterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVirtualRouterInput; + output: DescribeVirtualRouterOutput; + }; + sdk: { + input: DescribeVirtualRouterCommandInput; + output: DescribeVirtualRouterCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/DescribeVirtualServiceCommand.ts b/clients/client-app-mesh/src/commands/DescribeVirtualServiceCommand.ts index 7312c53de037..e0195cc81e2c 100644 --- a/clients/client-app-mesh/src/commands/DescribeVirtualServiceCommand.ts +++ b/clients/client-app-mesh/src/commands/DescribeVirtualServiceCommand.ts @@ -125,4 +125,16 @@ export class DescribeVirtualServiceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVirtualServiceCommand) .de(de_DescribeVirtualServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVirtualServiceInput; + output: DescribeVirtualServiceOutput; + }; + sdk: { + input: DescribeVirtualServiceCommandInput; + output: DescribeVirtualServiceCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListGatewayRoutesCommand.ts b/clients/client-app-mesh/src/commands/ListGatewayRoutesCommand.ts index 70ba93c3dcf9..7c72bf0cad32 100644 --- a/clients/client-app-mesh/src/commands/ListGatewayRoutesCommand.ts +++ b/clients/client-app-mesh/src/commands/ListGatewayRoutesCommand.ts @@ -116,4 +116,16 @@ export class ListGatewayRoutesCommand extends $Command .f(void 0, void 0) .ser(se_ListGatewayRoutesCommand) .de(de_ListGatewayRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGatewayRoutesInput; + output: ListGatewayRoutesOutput; + }; + sdk: { + input: ListGatewayRoutesCommandInput; + output: ListGatewayRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListMeshesCommand.ts b/clients/client-app-mesh/src/commands/ListMeshesCommand.ts index 3067133e60fa..38c565c18470 100644 --- a/clients/client-app-mesh/src/commands/ListMeshesCommand.ts +++ b/clients/client-app-mesh/src/commands/ListMeshesCommand.ts @@ -110,4 +110,16 @@ export class ListMeshesCommand extends $Command .f(void 0, void 0) .ser(se_ListMeshesCommand) .de(de_ListMeshesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMeshesInput; + output: ListMeshesOutput; + }; + sdk: { + input: ListMeshesCommandInput; + output: ListMeshesCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListRoutesCommand.ts b/clients/client-app-mesh/src/commands/ListRoutesCommand.ts index 94cfc8de0fe0..87996d2ed421 100644 --- a/clients/client-app-mesh/src/commands/ListRoutesCommand.ts +++ b/clients/client-app-mesh/src/commands/ListRoutesCommand.ts @@ -115,4 +115,16 @@ export class ListRoutesCommand extends $Command .f(void 0, void 0) .ser(se_ListRoutesCommand) .de(de_ListRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoutesInput; + output: ListRoutesOutput; + }; + sdk: { + input: ListRoutesCommandInput; + output: ListRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListTagsForResourceCommand.ts b/clients/client-app-mesh/src/commands/ListTagsForResourceCommand.ts index 57b63877b811..2886061c696c 100644 --- a/clients/client-app-mesh/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-app-mesh/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListVirtualGatewaysCommand.ts b/clients/client-app-mesh/src/commands/ListVirtualGatewaysCommand.ts index 2b959edf252e..d4d6ae255f13 100644 --- a/clients/client-app-mesh/src/commands/ListVirtualGatewaysCommand.ts +++ b/clients/client-app-mesh/src/commands/ListVirtualGatewaysCommand.ts @@ -113,4 +113,16 @@ export class ListVirtualGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_ListVirtualGatewaysCommand) .de(de_ListVirtualGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualGatewaysInput; + output: ListVirtualGatewaysOutput; + }; + sdk: { + input: ListVirtualGatewaysCommandInput; + output: ListVirtualGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListVirtualNodesCommand.ts b/clients/client-app-mesh/src/commands/ListVirtualNodesCommand.ts index b615b94a2ae2..0f64f39d93dd 100644 --- a/clients/client-app-mesh/src/commands/ListVirtualNodesCommand.ts +++ b/clients/client-app-mesh/src/commands/ListVirtualNodesCommand.ts @@ -113,4 +113,16 @@ export class ListVirtualNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListVirtualNodesCommand) .de(de_ListVirtualNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualNodesInput; + output: ListVirtualNodesOutput; + }; + sdk: { + input: ListVirtualNodesCommandInput; + output: ListVirtualNodesCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListVirtualRoutersCommand.ts b/clients/client-app-mesh/src/commands/ListVirtualRoutersCommand.ts index 8a53e52a5246..468589f307df 100644 --- a/clients/client-app-mesh/src/commands/ListVirtualRoutersCommand.ts +++ b/clients/client-app-mesh/src/commands/ListVirtualRoutersCommand.ts @@ -113,4 +113,16 @@ export class ListVirtualRoutersCommand extends $Command .f(void 0, void 0) .ser(se_ListVirtualRoutersCommand) .de(de_ListVirtualRoutersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualRoutersInput; + output: ListVirtualRoutersOutput; + }; + sdk: { + input: ListVirtualRoutersCommandInput; + output: ListVirtualRoutersCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/ListVirtualServicesCommand.ts b/clients/client-app-mesh/src/commands/ListVirtualServicesCommand.ts index d2d6695c5c1c..a91313878174 100644 --- a/clients/client-app-mesh/src/commands/ListVirtualServicesCommand.ts +++ b/clients/client-app-mesh/src/commands/ListVirtualServicesCommand.ts @@ -113,4 +113,16 @@ export class ListVirtualServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListVirtualServicesCommand) .de(de_ListVirtualServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualServicesInput; + output: ListVirtualServicesOutput; + }; + sdk: { + input: ListVirtualServicesCommandInput; + output: ListVirtualServicesCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/TagResourceCommand.ts b/clients/client-app-mesh/src/commands/TagResourceCommand.ts index 0d9ec7b3df63..278f3f95cb8d 100644 --- a/clients/client-app-mesh/src/commands/TagResourceCommand.ts +++ b/clients/client-app-mesh/src/commands/TagResourceCommand.ts @@ -110,4 +110,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UntagResourceCommand.ts b/clients/client-app-mesh/src/commands/UntagResourceCommand.ts index d24b98616392..31ab2d45528e 100644 --- a/clients/client-app-mesh/src/commands/UntagResourceCommand.ts +++ b/clients/client-app-mesh/src/commands/UntagResourceCommand.ts @@ -99,4 +99,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UpdateGatewayRouteCommand.ts b/clients/client-app-mesh/src/commands/UpdateGatewayRouteCommand.ts index 832fb9bc1d9e..514214d05d42 100644 --- a/clients/client-app-mesh/src/commands/UpdateGatewayRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/UpdateGatewayRouteCommand.ts @@ -447,4 +447,16 @@ export class UpdateGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewayRouteCommand) .de(de_UpdateGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewayRouteInput; + output: UpdateGatewayRouteOutput; + }; + sdk: { + input: UpdateGatewayRouteCommandInput; + output: UpdateGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UpdateMeshCommand.ts b/clients/client-app-mesh/src/commands/UpdateMeshCommand.ts index bface721be66..71195ef201db 100644 --- a/clients/client-app-mesh/src/commands/UpdateMeshCommand.ts +++ b/clients/client-app-mesh/src/commands/UpdateMeshCommand.ts @@ -133,4 +133,16 @@ export class UpdateMeshCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMeshCommand) .de(de_UpdateMeshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMeshInput; + output: UpdateMeshOutput; + }; + sdk: { + input: UpdateMeshCommandInput; + output: UpdateMeshCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UpdateRouteCommand.ts b/clients/client-app-mesh/src/commands/UpdateRouteCommand.ts index c8a92029b5ba..5604f75c8e06 100644 --- a/clients/client-app-mesh/src/commands/UpdateRouteCommand.ts +++ b/clients/client-app-mesh/src/commands/UpdateRouteCommand.ts @@ -530,4 +530,16 @@ export class UpdateRouteCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRouteCommand) .de(de_UpdateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRouteInput; + output: UpdateRouteOutput; + }; + sdk: { + input: UpdateRouteCommandInput; + output: UpdateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UpdateVirtualGatewayCommand.ts b/clients/client-app-mesh/src/commands/UpdateVirtualGatewayCommand.ts index 56f860d22e26..595fa5ece13c 100644 --- a/clients/client-app-mesh/src/commands/UpdateVirtualGatewayCommand.ts +++ b/clients/client-app-mesh/src/commands/UpdateVirtualGatewayCommand.ts @@ -364,4 +364,16 @@ export class UpdateVirtualGatewayCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVirtualGatewayCommand) .de(de_UpdateVirtualGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVirtualGatewayInput; + output: UpdateVirtualGatewayOutput; + }; + sdk: { + input: UpdateVirtualGatewayCommandInput; + output: UpdateVirtualGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UpdateVirtualNodeCommand.ts b/clients/client-app-mesh/src/commands/UpdateVirtualNodeCommand.ts index bf7d0cd8b465..0ec929ce112e 100644 --- a/clients/client-app-mesh/src/commands/UpdateVirtualNodeCommand.ts +++ b/clients/client-app-mesh/src/commands/UpdateVirtualNodeCommand.ts @@ -574,4 +574,16 @@ export class UpdateVirtualNodeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVirtualNodeCommand) .de(de_UpdateVirtualNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVirtualNodeInput; + output: UpdateVirtualNodeOutput; + }; + sdk: { + input: UpdateVirtualNodeCommandInput; + output: UpdateVirtualNodeCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UpdateVirtualRouterCommand.ts b/clients/client-app-mesh/src/commands/UpdateVirtualRouterCommand.ts index 95883a82257a..3f9d2124d229 100644 --- a/clients/client-app-mesh/src/commands/UpdateVirtualRouterCommand.ts +++ b/clients/client-app-mesh/src/commands/UpdateVirtualRouterCommand.ts @@ -144,4 +144,16 @@ export class UpdateVirtualRouterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVirtualRouterCommand) .de(de_UpdateVirtualRouterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVirtualRouterInput; + output: UpdateVirtualRouterOutput; + }; + sdk: { + input: UpdateVirtualRouterCommandInput; + output: UpdateVirtualRouterCommandOutput; + }; + }; +} diff --git a/clients/client-app-mesh/src/commands/UpdateVirtualServiceCommand.ts b/clients/client-app-mesh/src/commands/UpdateVirtualServiceCommand.ts index d5262a6ec85e..b59dd9f7f0b8 100644 --- a/clients/client-app-mesh/src/commands/UpdateVirtualServiceCommand.ts +++ b/clients/client-app-mesh/src/commands/UpdateVirtualServiceCommand.ts @@ -144,4 +144,16 @@ export class UpdateVirtualServiceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVirtualServiceCommand) .de(de_UpdateVirtualServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVirtualServiceInput; + output: UpdateVirtualServiceOutput; + }; + sdk: { + input: UpdateVirtualServiceCommandInput; + output: UpdateVirtualServiceCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/package.json b/clients/client-appconfig/package.json index ce5479b9a8a9..56b20c1be805 100644 --- a/clients/client-appconfig/package.json +++ b/clients/client-appconfig/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-appconfig/src/commands/CreateApplicationCommand.ts b/clients/client-appconfig/src/commands/CreateApplicationCommand.ts index 668e85982438..db03d27cb0a2 100644 --- a/clients/client-appconfig/src/commands/CreateApplicationCommand.ts +++ b/clients/client-appconfig/src/commands/CreateApplicationCommand.ts @@ -123,4 +123,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: Application; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/CreateConfigurationProfileCommand.ts b/clients/client-appconfig/src/commands/CreateConfigurationProfileCommand.ts index ac25a9eeb601..d17701f98179 100644 --- a/clients/client-appconfig/src/commands/CreateConfigurationProfileCommand.ts +++ b/clients/client-appconfig/src/commands/CreateConfigurationProfileCommand.ts @@ -193,4 +193,16 @@ export class CreateConfigurationProfileCommand extends $Command .f(CreateConfigurationProfileRequestFilterSensitiveLog, ConfigurationProfileFilterSensitiveLog) .ser(se_CreateConfigurationProfileCommand) .de(de_CreateConfigurationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationProfileRequest; + output: ConfigurationProfile; + }; + sdk: { + input: CreateConfigurationProfileCommandInput; + output: CreateConfigurationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/CreateDeploymentStrategyCommand.ts b/clients/client-appconfig/src/commands/CreateDeploymentStrategyCommand.ts index 8602d596037f..4d1b77530a18 100644 --- a/clients/client-appconfig/src/commands/CreateDeploymentStrategyCommand.ts +++ b/clients/client-appconfig/src/commands/CreateDeploymentStrategyCommand.ts @@ -138,4 +138,16 @@ export class CreateDeploymentStrategyCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentStrategyCommand) .de(de_CreateDeploymentStrategyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentStrategyRequest; + output: DeploymentStrategy; + }; + sdk: { + input: CreateDeploymentStrategyCommandInput; + output: CreateDeploymentStrategyCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/CreateEnvironmentCommand.ts b/clients/client-appconfig/src/commands/CreateEnvironmentCommand.ts index 3777cf421797..dcb65e249def 100644 --- a/clients/client-appconfig/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-appconfig/src/commands/CreateEnvironmentCommand.ts @@ -145,4 +145,16 @@ export class CreateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentRequest; + output: Environment; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/CreateExtensionAssociationCommand.ts b/clients/client-appconfig/src/commands/CreateExtensionAssociationCommand.ts index eb73735c6ec2..07b64cb9f5ee 100644 --- a/clients/client-appconfig/src/commands/CreateExtensionAssociationCommand.ts +++ b/clients/client-appconfig/src/commands/CreateExtensionAssociationCommand.ts @@ -123,4 +123,16 @@ export class CreateExtensionAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateExtensionAssociationCommand) .de(de_CreateExtensionAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExtensionAssociationRequest; + output: ExtensionAssociation; + }; + sdk: { + input: CreateExtensionAssociationCommandInput; + output: CreateExtensionAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/CreateExtensionCommand.ts b/clients/client-appconfig/src/commands/CreateExtensionCommand.ts index 94f275c31a58..6f6476dca16e 100644 --- a/clients/client-appconfig/src/commands/CreateExtensionCommand.ts +++ b/clients/client-appconfig/src/commands/CreateExtensionCommand.ts @@ -164,4 +164,16 @@ export class CreateExtensionCommand extends $Command .f(void 0, void 0) .ser(se_CreateExtensionCommand) .de(de_CreateExtensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExtensionRequest; + output: Extension; + }; + sdk: { + input: CreateExtensionCommandInput; + output: CreateExtensionCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/CreateHostedConfigurationVersionCommand.ts b/clients/client-appconfig/src/commands/CreateHostedConfigurationVersionCommand.ts index d41bb602b027..d537c330d72c 100644 --- a/clients/client-appconfig/src/commands/CreateHostedConfigurationVersionCommand.ts +++ b/clients/client-appconfig/src/commands/CreateHostedConfigurationVersionCommand.ts @@ -172,4 +172,16 @@ export class CreateHostedConfigurationVersionCommand extends $Command .f(CreateHostedConfigurationVersionRequestFilterSensitiveLog, HostedConfigurationVersionFilterSensitiveLog) .ser(se_CreateHostedConfigurationVersionCommand) .de(de_CreateHostedConfigurationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHostedConfigurationVersionRequest; + output: HostedConfigurationVersion; + }; + sdk: { + input: CreateHostedConfigurationVersionCommandInput; + output: CreateHostedConfigurationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/DeleteApplicationCommand.ts b/clients/client-appconfig/src/commands/DeleteApplicationCommand.ts index 9b8c84b07993..d6fb18c14b94 100644 --- a/clients/client-appconfig/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-appconfig/src/commands/DeleteApplicationCommand.ts @@ -96,4 +96,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/DeleteConfigurationProfileCommand.ts b/clients/client-appconfig/src/commands/DeleteConfigurationProfileCommand.ts index 39d2388d24c9..39e9a79a8bee 100644 --- a/clients/client-appconfig/src/commands/DeleteConfigurationProfileCommand.ts +++ b/clients/client-appconfig/src/commands/DeleteConfigurationProfileCommand.ts @@ -105,4 +105,16 @@ export class DeleteConfigurationProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationProfileCommand) .de(de_DeleteConfigurationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationProfileRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationProfileCommandInput; + output: DeleteConfigurationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/DeleteDeploymentStrategyCommand.ts b/clients/client-appconfig/src/commands/DeleteDeploymentStrategyCommand.ts index be7e9cd9cff6..5715fd742216 100644 --- a/clients/client-appconfig/src/commands/DeleteDeploymentStrategyCommand.ts +++ b/clients/client-appconfig/src/commands/DeleteDeploymentStrategyCommand.ts @@ -95,4 +95,16 @@ export class DeleteDeploymentStrategyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeploymentStrategyCommand) .de(de_DeleteDeploymentStrategyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentStrategyRequest; + output: {}; + }; + sdk: { + input: DeleteDeploymentStrategyCommandInput; + output: DeleteDeploymentStrategyCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/DeleteEnvironmentCommand.ts b/clients/client-appconfig/src/commands/DeleteEnvironmentCommand.ts index ee1aa29e7509..aba214a6447b 100644 --- a/clients/client-appconfig/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-appconfig/src/commands/DeleteEnvironmentCommand.ts @@ -104,4 +104,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/DeleteExtensionAssociationCommand.ts b/clients/client-appconfig/src/commands/DeleteExtensionAssociationCommand.ts index e2f2de58a5c7..2993badbcbd5 100644 --- a/clients/client-appconfig/src/commands/DeleteExtensionAssociationCommand.ts +++ b/clients/client-appconfig/src/commands/DeleteExtensionAssociationCommand.ts @@ -85,4 +85,16 @@ export class DeleteExtensionAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExtensionAssociationCommand) .de(de_DeleteExtensionAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExtensionAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteExtensionAssociationCommandInput; + output: DeleteExtensionAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/DeleteExtensionCommand.ts b/clients/client-appconfig/src/commands/DeleteExtensionCommand.ts index 963ee504f3e1..0b3f72db6e02 100644 --- a/clients/client-appconfig/src/commands/DeleteExtensionCommand.ts +++ b/clients/client-appconfig/src/commands/DeleteExtensionCommand.ts @@ -86,4 +86,16 @@ export class DeleteExtensionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExtensionCommand) .de(de_DeleteExtensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExtensionRequest; + output: {}; + }; + sdk: { + input: DeleteExtensionCommandInput; + output: DeleteExtensionCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/DeleteHostedConfigurationVersionCommand.ts b/clients/client-appconfig/src/commands/DeleteHostedConfigurationVersionCommand.ts index 6160d087567a..afe421ce797f 100644 --- a/clients/client-appconfig/src/commands/DeleteHostedConfigurationVersionCommand.ts +++ b/clients/client-appconfig/src/commands/DeleteHostedConfigurationVersionCommand.ts @@ -103,4 +103,16 @@ export class DeleteHostedConfigurationVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHostedConfigurationVersionCommand) .de(de_DeleteHostedConfigurationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHostedConfigurationVersionRequest; + output: {}; + }; + sdk: { + input: DeleteHostedConfigurationVersionCommandInput; + output: DeleteHostedConfigurationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetAccountSettingsCommand.ts b/clients/client-appconfig/src/commands/GetAccountSettingsCommand.ts index 125e83c7b5e9..032799bdc6e1 100644 --- a/clients/client-appconfig/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-appconfig/src/commands/GetAccountSettingsCommand.ts @@ -85,4 +85,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: AccountSettings; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetApplicationCommand.ts b/clients/client-appconfig/src/commands/GetApplicationCommand.ts index d77ff9d7b93a..c979637e56ad 100644 --- a/clients/client-appconfig/src/commands/GetApplicationCommand.ts +++ b/clients/client-appconfig/src/commands/GetApplicationCommand.ts @@ -105,4 +105,16 @@ export class GetApplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: Application; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetConfigurationCommand.ts b/clients/client-appconfig/src/commands/GetConfigurationCommand.ts index df045f8dc03f..92d782d6d158 100644 --- a/clients/client-appconfig/src/commands/GetConfigurationCommand.ts +++ b/clients/client-appconfig/src/commands/GetConfigurationCommand.ts @@ -136,4 +136,16 @@ export class GetConfigurationCommand extends $Command .f(void 0, ConfigurationFilterSensitiveLog) .ser(se_GetConfigurationCommand) .de(de_GetConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationRequest; + output: Configuration; + }; + sdk: { + input: GetConfigurationCommandInput; + output: GetConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetConfigurationProfileCommand.ts b/clients/client-appconfig/src/commands/GetConfigurationProfileCommand.ts index af431ea1fbdd..7fac5f20af34 100644 --- a/clients/client-appconfig/src/commands/GetConfigurationProfileCommand.ts +++ b/clients/client-appconfig/src/commands/GetConfigurationProfileCommand.ts @@ -126,4 +126,16 @@ export class GetConfigurationProfileCommand extends $Command .f(void 0, ConfigurationProfileFilterSensitiveLog) .ser(se_GetConfigurationProfileCommand) .de(de_GetConfigurationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationProfileRequest; + output: ConfigurationProfile; + }; + sdk: { + input: GetConfigurationProfileCommandInput; + output: GetConfigurationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetDeploymentCommand.ts b/clients/client-appconfig/src/commands/GetDeploymentCommand.ts index 27afabf543df..b334a73b3578 100644 --- a/clients/client-appconfig/src/commands/GetDeploymentCommand.ts +++ b/clients/client-appconfig/src/commands/GetDeploymentCommand.ts @@ -213,4 +213,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentRequest; + output: Deployment; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetDeploymentStrategyCommand.ts b/clients/client-appconfig/src/commands/GetDeploymentStrategyCommand.ts index 3c37089c2f37..b98f58ebdfe2 100644 --- a/clients/client-appconfig/src/commands/GetDeploymentStrategyCommand.ts +++ b/clients/client-appconfig/src/commands/GetDeploymentStrategyCommand.ts @@ -119,4 +119,16 @@ export class GetDeploymentStrategyCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentStrategyCommand) .de(de_GetDeploymentStrategyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentStrategyRequest; + output: DeploymentStrategy; + }; + sdk: { + input: GetDeploymentStrategyCommandInput; + output: GetDeploymentStrategyCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetEnvironmentCommand.ts b/clients/client-appconfig/src/commands/GetEnvironmentCommand.ts index 29c9046e6b89..44d9ba0edaf7 100644 --- a/clients/client-appconfig/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-appconfig/src/commands/GetEnvironmentCommand.ts @@ -122,4 +122,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentRequest; + output: Environment; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetExtensionAssociationCommand.ts b/clients/client-appconfig/src/commands/GetExtensionAssociationCommand.ts index aaaefb81b3a5..b3d9c55ed175 100644 --- a/clients/client-appconfig/src/commands/GetExtensionAssociationCommand.ts +++ b/clients/client-appconfig/src/commands/GetExtensionAssociationCommand.ts @@ -95,4 +95,16 @@ export class GetExtensionAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetExtensionAssociationCommand) .de(de_GetExtensionAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExtensionAssociationRequest; + output: ExtensionAssociation; + }; + sdk: { + input: GetExtensionAssociationCommandInput; + output: GetExtensionAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetExtensionCommand.ts b/clients/client-appconfig/src/commands/GetExtensionCommand.ts index 49e9637f2e35..f5a1f4cc4b8a 100644 --- a/clients/client-appconfig/src/commands/GetExtensionCommand.ts +++ b/clients/client-appconfig/src/commands/GetExtensionCommand.ts @@ -108,4 +108,16 @@ export class GetExtensionCommand extends $Command .f(void 0, void 0) .ser(se_GetExtensionCommand) .de(de_GetExtensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExtensionRequest; + output: Extension; + }; + sdk: { + input: GetExtensionCommandInput; + output: GetExtensionCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/GetHostedConfigurationVersionCommand.ts b/clients/client-appconfig/src/commands/GetHostedConfigurationVersionCommand.ts index 05987f1aa230..11aa7a6e85c5 100644 --- a/clients/client-appconfig/src/commands/GetHostedConfigurationVersionCommand.ts +++ b/clients/client-appconfig/src/commands/GetHostedConfigurationVersionCommand.ts @@ -133,4 +133,16 @@ export class GetHostedConfigurationVersionCommand extends $Command .f(void 0, HostedConfigurationVersionFilterSensitiveLog) .ser(se_GetHostedConfigurationVersionCommand) .de(de_GetHostedConfigurationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHostedConfigurationVersionRequest; + output: HostedConfigurationVersion; + }; + sdk: { + input: GetHostedConfigurationVersionCommandInput; + output: GetHostedConfigurationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListApplicationsCommand.ts b/clients/client-appconfig/src/commands/ListApplicationsCommand.ts index aed4036c9337..88edb0ab278c 100644 --- a/clients/client-appconfig/src/commands/ListApplicationsCommand.ts +++ b/clients/client-appconfig/src/commands/ListApplicationsCommand.ts @@ -115,4 +115,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: Applications; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListConfigurationProfilesCommand.ts b/clients/client-appconfig/src/commands/ListConfigurationProfilesCommand.ts index 300ed3d5b07e..f0571ca99381 100644 --- a/clients/client-appconfig/src/commands/ListConfigurationProfilesCommand.ts +++ b/clients/client-appconfig/src/commands/ListConfigurationProfilesCommand.ts @@ -124,4 +124,16 @@ export class ListConfigurationProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationProfilesCommand) .de(de_ListConfigurationProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationProfilesRequest; + output: ConfigurationProfiles; + }; + sdk: { + input: ListConfigurationProfilesCommandInput; + output: ListConfigurationProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListDeploymentStrategiesCommand.ts b/clients/client-appconfig/src/commands/ListDeploymentStrategiesCommand.ts index 9d533239e3be..822dcbb0d2d8 100644 --- a/clients/client-appconfig/src/commands/ListDeploymentStrategiesCommand.ts +++ b/clients/client-appconfig/src/commands/ListDeploymentStrategiesCommand.ts @@ -120,4 +120,16 @@ export class ListDeploymentStrategiesCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentStrategiesCommand) .de(de_ListDeploymentStrategiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentStrategiesRequest; + output: DeploymentStrategies; + }; + sdk: { + input: ListDeploymentStrategiesCommandInput; + output: ListDeploymentStrategiesCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListDeploymentsCommand.ts b/clients/client-appconfig/src/commands/ListDeploymentsCommand.ts index 0278db1cf82a..9c9e33e66317 100644 --- a/clients/client-appconfig/src/commands/ListDeploymentsCommand.ts +++ b/clients/client-appconfig/src/commands/ListDeploymentsCommand.ts @@ -136,4 +136,16 @@ export class ListDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentsCommand) .de(de_ListDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentsRequest; + output: Deployments; + }; + sdk: { + input: ListDeploymentsCommandInput; + output: ListDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListEnvironmentsCommand.ts b/clients/client-appconfig/src/commands/ListEnvironmentsCommand.ts index db2a035aefea..6525d1e8fa96 100644 --- a/clients/client-appconfig/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-appconfig/src/commands/ListEnvironmentsCommand.ts @@ -126,4 +126,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsRequest; + output: Environments; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListExtensionAssociationsCommand.ts b/clients/client-appconfig/src/commands/ListExtensionAssociationsCommand.ts index ae4f81072dca..6946ad5a9deb 100644 --- a/clients/client-appconfig/src/commands/ListExtensionAssociationsCommand.ts +++ b/clients/client-appconfig/src/commands/ListExtensionAssociationsCommand.ts @@ -96,4 +96,16 @@ export class ListExtensionAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListExtensionAssociationsCommand) .de(de_ListExtensionAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExtensionAssociationsRequest; + output: ExtensionAssociations; + }; + sdk: { + input: ListExtensionAssociationsCommandInput; + output: ListExtensionAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListExtensionsCommand.ts b/clients/client-appconfig/src/commands/ListExtensionsCommand.ts index 2f4e2a5b64ae..3252168ad41e 100644 --- a/clients/client-appconfig/src/commands/ListExtensionsCommand.ts +++ b/clients/client-appconfig/src/commands/ListExtensionsCommand.ts @@ -96,4 +96,16 @@ export class ListExtensionsCommand extends $Command .f(void 0, void 0) .ser(se_ListExtensionsCommand) .de(de_ListExtensionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExtensionsRequest; + output: Extensions; + }; + sdk: { + input: ListExtensionsCommandInput; + output: ListExtensionsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListHostedConfigurationVersionsCommand.ts b/clients/client-appconfig/src/commands/ListHostedConfigurationVersionsCommand.ts index b52f37658bdd..95802d2b53c5 100644 --- a/clients/client-appconfig/src/commands/ListHostedConfigurationVersionsCommand.ts +++ b/clients/client-appconfig/src/commands/ListHostedConfigurationVersionsCommand.ts @@ -129,4 +129,16 @@ export class ListHostedConfigurationVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListHostedConfigurationVersionsCommand) .de(de_ListHostedConfigurationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHostedConfigurationVersionsRequest; + output: HostedConfigurationVersions; + }; + sdk: { + input: ListHostedConfigurationVersionsCommandInput; + output: ListHostedConfigurationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ListTagsForResourceCommand.ts b/clients/client-appconfig/src/commands/ListTagsForResourceCommand.ts index 9d8958b26ebf..3abcde33f575 100644 --- a/clients/client-appconfig/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-appconfig/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ResourceTags; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/StartDeploymentCommand.ts b/clients/client-appconfig/src/commands/StartDeploymentCommand.ts index d7ef28766688..6fdc5eabf3c6 100644 --- a/clients/client-appconfig/src/commands/StartDeploymentCommand.ts +++ b/clients/client-appconfig/src/commands/StartDeploymentCommand.ts @@ -194,4 +194,16 @@ export class StartDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StartDeploymentCommand) .de(de_StartDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDeploymentRequest; + output: Deployment; + }; + sdk: { + input: StartDeploymentCommandInput; + output: StartDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/StopDeploymentCommand.ts b/clients/client-appconfig/src/commands/StopDeploymentCommand.ts index 2267e1be648a..a625a4263a54 100644 --- a/clients/client-appconfig/src/commands/StopDeploymentCommand.ts +++ b/clients/client-appconfig/src/commands/StopDeploymentCommand.ts @@ -160,4 +160,16 @@ export class StopDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StopDeploymentCommand) .de(de_StopDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDeploymentRequest; + output: Deployment; + }; + sdk: { + input: StopDeploymentCommandInput; + output: StopDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/TagResourceCommand.ts b/clients/client-appconfig/src/commands/TagResourceCommand.ts index 476ecf925204..b4a329623c81 100644 --- a/clients/client-appconfig/src/commands/TagResourceCommand.ts +++ b/clients/client-appconfig/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UntagResourceCommand.ts b/clients/client-appconfig/src/commands/UntagResourceCommand.ts index 249bc41231ea..36e746158f1d 100644 --- a/clients/client-appconfig/src/commands/UntagResourceCommand.ts +++ b/clients/client-appconfig/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UpdateAccountSettingsCommand.ts b/clients/client-appconfig/src/commands/UpdateAccountSettingsCommand.ts index bfa1da556b3c..27fe505e53d8 100644 --- a/clients/client-appconfig/src/commands/UpdateAccountSettingsCommand.ts +++ b/clients/client-appconfig/src/commands/UpdateAccountSettingsCommand.ts @@ -89,4 +89,16 @@ export class UpdateAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSettingsCommand) .de(de_UpdateAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSettingsRequest; + output: AccountSettings; + }; + sdk: { + input: UpdateAccountSettingsCommandInput; + output: UpdateAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UpdateApplicationCommand.ts b/clients/client-appconfig/src/commands/UpdateApplicationCommand.ts index 50fa72a7de2c..4b3a08163c21 100644 --- a/clients/client-appconfig/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-appconfig/src/commands/UpdateApplicationCommand.ts @@ -110,4 +110,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: Application; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UpdateConfigurationProfileCommand.ts b/clients/client-appconfig/src/commands/UpdateConfigurationProfileCommand.ts index 7530cd9f5d08..94bb7cc9bafb 100644 --- a/clients/client-appconfig/src/commands/UpdateConfigurationProfileCommand.ts +++ b/clients/client-appconfig/src/commands/UpdateConfigurationProfileCommand.ts @@ -139,4 +139,16 @@ export class UpdateConfigurationProfileCommand extends $Command .f(UpdateConfigurationProfileRequestFilterSensitiveLog, ConfigurationProfileFilterSensitiveLog) .ser(se_UpdateConfigurationProfileCommand) .de(de_UpdateConfigurationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationProfileRequest; + output: ConfigurationProfile; + }; + sdk: { + input: UpdateConfigurationProfileCommandInput; + output: UpdateConfigurationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UpdateDeploymentStrategyCommand.ts b/clients/client-appconfig/src/commands/UpdateDeploymentStrategyCommand.ts index 6a92bc2d36d1..5a913c38366b 100644 --- a/clients/client-appconfig/src/commands/UpdateDeploymentStrategyCommand.ts +++ b/clients/client-appconfig/src/commands/UpdateDeploymentStrategyCommand.ts @@ -122,4 +122,16 @@ export class UpdateDeploymentStrategyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeploymentStrategyCommand) .de(de_UpdateDeploymentStrategyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeploymentStrategyRequest; + output: DeploymentStrategy; + }; + sdk: { + input: UpdateDeploymentStrategyCommandInput; + output: UpdateDeploymentStrategyCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UpdateEnvironmentCommand.ts b/clients/client-appconfig/src/commands/UpdateEnvironmentCommand.ts index 62021be20add..ba3096bfe8b0 100644 --- a/clients/client-appconfig/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-appconfig/src/commands/UpdateEnvironmentCommand.ts @@ -127,4 +127,16 @@ export class UpdateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentRequest; + output: Environment; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UpdateExtensionAssociationCommand.ts b/clients/client-appconfig/src/commands/UpdateExtensionAssociationCommand.ts index 1543c440b77d..f3eaa6d631ec 100644 --- a/clients/client-appconfig/src/commands/UpdateExtensionAssociationCommand.ts +++ b/clients/client-appconfig/src/commands/UpdateExtensionAssociationCommand.ts @@ -98,4 +98,16 @@ export class UpdateExtensionAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExtensionAssociationCommand) .de(de_UpdateExtensionAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExtensionAssociationRequest; + output: ExtensionAssociation; + }; + sdk: { + input: UpdateExtensionAssociationCommandInput; + output: UpdateExtensionAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/UpdateExtensionCommand.ts b/clients/client-appconfig/src/commands/UpdateExtensionCommand.ts index 2d75402aec47..e9c79de610ef 100644 --- a/clients/client-appconfig/src/commands/UpdateExtensionCommand.ts +++ b/clients/client-appconfig/src/commands/UpdateExtensionCommand.ts @@ -132,4 +132,16 @@ export class UpdateExtensionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExtensionCommand) .de(de_UpdateExtensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExtensionRequest; + output: Extension; + }; + sdk: { + input: UpdateExtensionCommandInput; + output: UpdateExtensionCommandOutput; + }; + }; +} diff --git a/clients/client-appconfig/src/commands/ValidateConfigurationCommand.ts b/clients/client-appconfig/src/commands/ValidateConfigurationCommand.ts index be160b224b8f..c95adef6238d 100644 --- a/clients/client-appconfig/src/commands/ValidateConfigurationCommand.ts +++ b/clients/client-appconfig/src/commands/ValidateConfigurationCommand.ts @@ -99,4 +99,16 @@ export class ValidateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ValidateConfigurationCommand) .de(de_ValidateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateConfigurationRequest; + output: {}; + }; + sdk: { + input: ValidateConfigurationCommandInput; + output: ValidateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfigdata/package.json b/clients/client-appconfigdata/package.json index bf9c6a5548aa..bb46ca2b3a2c 100644 --- a/clients/client-appconfigdata/package.json +++ b/clients/client-appconfigdata/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-appconfigdata/src/commands/GetLatestConfigurationCommand.ts b/clients/client-appconfigdata/src/commands/GetLatestConfigurationCommand.ts index 483608ef34e3..89f2309d6694 100644 --- a/clients/client-appconfigdata/src/commands/GetLatestConfigurationCommand.ts +++ b/clients/client-appconfigdata/src/commands/GetLatestConfigurationCommand.ts @@ -127,4 +127,16 @@ export class GetLatestConfigurationCommand extends $Command .f(void 0, GetLatestConfigurationResponseFilterSensitiveLog) .ser(se_GetLatestConfigurationCommand) .de(de_GetLatestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLatestConfigurationRequest; + output: GetLatestConfigurationResponse; + }; + sdk: { + input: GetLatestConfigurationCommandInput; + output: GetLatestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-appconfigdata/src/commands/StartConfigurationSessionCommand.ts b/clients/client-appconfigdata/src/commands/StartConfigurationSessionCommand.ts index 983f9e72ea2e..3313f80563fe 100644 --- a/clients/client-appconfigdata/src/commands/StartConfigurationSessionCommand.ts +++ b/clients/client-appconfigdata/src/commands/StartConfigurationSessionCommand.ts @@ -95,4 +95,16 @@ export class StartConfigurationSessionCommand extends $Command .f(void 0, void 0) .ser(se_StartConfigurationSessionCommand) .de(de_StartConfigurationSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartConfigurationSessionRequest; + output: StartConfigurationSessionResponse; + }; + sdk: { + input: StartConfigurationSessionCommandInput; + output: StartConfigurationSessionCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/package.json b/clients/client-appfabric/package.json index dba04f49a976..28a698b57b5b 100644 --- a/clients/client-appfabric/package.json +++ b/clients/client-appfabric/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-appfabric/src/commands/BatchGetUserAccessTasksCommand.ts b/clients/client-appfabric/src/commands/BatchGetUserAccessTasksCommand.ts index 2055541a94e1..f644791b5752 100644 --- a/clients/client-appfabric/src/commands/BatchGetUserAccessTasksCommand.ts +++ b/clients/client-appfabric/src/commands/BatchGetUserAccessTasksCommand.ts @@ -120,4 +120,16 @@ export class BatchGetUserAccessTasksCommand extends $Command .f(void 0, BatchGetUserAccessTasksResponseFilterSensitiveLog) .ser(se_BatchGetUserAccessTasksCommand) .de(de_BatchGetUserAccessTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetUserAccessTasksRequest; + output: BatchGetUserAccessTasksResponse; + }; + sdk: { + input: BatchGetUserAccessTasksCommandInput; + output: BatchGetUserAccessTasksCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/ConnectAppAuthorizationCommand.ts b/clients/client-appfabric/src/commands/ConnectAppAuthorizationCommand.ts index 696e36ed7362..ef0282ac6e3b 100644 --- a/clients/client-appfabric/src/commands/ConnectAppAuthorizationCommand.ts +++ b/clients/client-appfabric/src/commands/ConnectAppAuthorizationCommand.ts @@ -113,4 +113,16 @@ export class ConnectAppAuthorizationCommand extends $Command .f(ConnectAppAuthorizationRequestFilterSensitiveLog, void 0) .ser(se_ConnectAppAuthorizationCommand) .de(de_ConnectAppAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConnectAppAuthorizationRequest; + output: ConnectAppAuthorizationResponse; + }; + sdk: { + input: ConnectAppAuthorizationCommandInput; + output: ConnectAppAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/CreateAppAuthorizationCommand.ts b/clients/client-appfabric/src/commands/CreateAppAuthorizationCommand.ts index 89089a061c78..0f09553e4732 100644 --- a/clients/client-appfabric/src/commands/CreateAppAuthorizationCommand.ts +++ b/clients/client-appfabric/src/commands/CreateAppAuthorizationCommand.ts @@ -140,4 +140,16 @@ export class CreateAppAuthorizationCommand extends $Command .f(CreateAppAuthorizationRequestFilterSensitiveLog, void 0) .ser(se_CreateAppAuthorizationCommand) .de(de_CreateAppAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppAuthorizationRequest; + output: CreateAppAuthorizationResponse; + }; + sdk: { + input: CreateAppAuthorizationCommandInput; + output: CreateAppAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/CreateAppBundleCommand.ts b/clients/client-appfabric/src/commands/CreateAppBundleCommand.ts index b2ff0110a34b..42400e67af6f 100644 --- a/clients/client-appfabric/src/commands/CreateAppBundleCommand.ts +++ b/clients/client-appfabric/src/commands/CreateAppBundleCommand.ts @@ -106,4 +106,16 @@ export class CreateAppBundleCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppBundleCommand) .de(de_CreateAppBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppBundleRequest; + output: CreateAppBundleResponse; + }; + sdk: { + input: CreateAppBundleCommandInput; + output: CreateAppBundleCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/CreateIngestionCommand.ts b/clients/client-appfabric/src/commands/CreateIngestionCommand.ts index 741135f2d06b..1d269669a623 100644 --- a/clients/client-appfabric/src/commands/CreateIngestionCommand.ts +++ b/clients/client-appfabric/src/commands/CreateIngestionCommand.ts @@ -115,4 +115,16 @@ export class CreateIngestionCommand extends $Command .f(void 0, void 0) .ser(se_CreateIngestionCommand) .de(de_CreateIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIngestionRequest; + output: CreateIngestionResponse; + }; + sdk: { + input: CreateIngestionCommandInput; + output: CreateIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/CreateIngestionDestinationCommand.ts b/clients/client-appfabric/src/commands/CreateIngestionDestinationCommand.ts index b01b2ada61d9..c07df639664c 100644 --- a/clients/client-appfabric/src/commands/CreateIngestionDestinationCommand.ts +++ b/clients/client-appfabric/src/commands/CreateIngestionDestinationCommand.ts @@ -150,4 +150,16 @@ export class CreateIngestionDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateIngestionDestinationCommand) .de(de_CreateIngestionDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIngestionDestinationRequest; + output: CreateIngestionDestinationResponse; + }; + sdk: { + input: CreateIngestionDestinationCommandInput; + output: CreateIngestionDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/DeleteAppAuthorizationCommand.ts b/clients/client-appfabric/src/commands/DeleteAppAuthorizationCommand.ts index 7c55fd96b0e8..cbbd83da8e2a 100644 --- a/clients/client-appfabric/src/commands/DeleteAppAuthorizationCommand.ts +++ b/clients/client-appfabric/src/commands/DeleteAppAuthorizationCommand.ts @@ -93,4 +93,16 @@ export class DeleteAppAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppAuthorizationCommand) .de(de_DeleteAppAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppAuthorizationRequest; + output: {}; + }; + sdk: { + input: DeleteAppAuthorizationCommandInput; + output: DeleteAppAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/DeleteAppBundleCommand.ts b/clients/client-appfabric/src/commands/DeleteAppBundleCommand.ts index dd9cde00d0e6..3b6c94e45c98 100644 --- a/clients/client-appfabric/src/commands/DeleteAppBundleCommand.ts +++ b/clients/client-appfabric/src/commands/DeleteAppBundleCommand.ts @@ -92,4 +92,16 @@ export class DeleteAppBundleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppBundleCommand) .de(de_DeleteAppBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppBundleRequest; + output: {}; + }; + sdk: { + input: DeleteAppBundleCommandInput; + output: DeleteAppBundleCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/DeleteIngestionCommand.ts b/clients/client-appfabric/src/commands/DeleteIngestionCommand.ts index 050499018f98..051be64c4a3d 100644 --- a/clients/client-appfabric/src/commands/DeleteIngestionCommand.ts +++ b/clients/client-appfabric/src/commands/DeleteIngestionCommand.ts @@ -93,4 +93,16 @@ export class DeleteIngestionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIngestionCommand) .de(de_DeleteIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIngestionRequest; + output: {}; + }; + sdk: { + input: DeleteIngestionCommandInput; + output: DeleteIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/DeleteIngestionDestinationCommand.ts b/clients/client-appfabric/src/commands/DeleteIngestionDestinationCommand.ts index 8c540e15e39d..c1221d245edd 100644 --- a/clients/client-appfabric/src/commands/DeleteIngestionDestinationCommand.ts +++ b/clients/client-appfabric/src/commands/DeleteIngestionDestinationCommand.ts @@ -97,4 +97,16 @@ export class DeleteIngestionDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIngestionDestinationCommand) .de(de_DeleteIngestionDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIngestionDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteIngestionDestinationCommandInput; + output: DeleteIngestionDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/GetAppAuthorizationCommand.ts b/clients/client-appfabric/src/commands/GetAppAuthorizationCommand.ts index 2f2b3fc428ef..40ca615d9a33 100644 --- a/clients/client-appfabric/src/commands/GetAppAuthorizationCommand.ts +++ b/clients/client-appfabric/src/commands/GetAppAuthorizationCommand.ts @@ -108,4 +108,16 @@ export class GetAppAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_GetAppAuthorizationCommand) .de(de_GetAppAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppAuthorizationRequest; + output: GetAppAuthorizationResponse; + }; + sdk: { + input: GetAppAuthorizationCommandInput; + output: GetAppAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/GetAppBundleCommand.ts b/clients/client-appfabric/src/commands/GetAppBundleCommand.ts index 34b8115a69d0..63f19e831ee1 100644 --- a/clients/client-appfabric/src/commands/GetAppBundleCommand.ts +++ b/clients/client-appfabric/src/commands/GetAppBundleCommand.ts @@ -96,4 +96,16 @@ export class GetAppBundleCommand extends $Command .f(void 0, void 0) .ser(se_GetAppBundleCommand) .de(de_GetAppBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppBundleRequest; + output: GetAppBundleResponse; + }; + sdk: { + input: GetAppBundleCommandInput; + output: GetAppBundleCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/GetIngestionCommand.ts b/clients/client-appfabric/src/commands/GetIngestionCommand.ts index 66d5950d5ee6..3a08fdb03d58 100644 --- a/clients/client-appfabric/src/commands/GetIngestionCommand.ts +++ b/clients/client-appfabric/src/commands/GetIngestionCommand.ts @@ -103,4 +103,16 @@ export class GetIngestionCommand extends $Command .f(void 0, void 0) .ser(se_GetIngestionCommand) .de(de_GetIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIngestionRequest; + output: GetIngestionResponse; + }; + sdk: { + input: GetIngestionCommandInput; + output: GetIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/GetIngestionDestinationCommand.ts b/clients/client-appfabric/src/commands/GetIngestionDestinationCommand.ts index 263d53c27b76..272db80f4379 100644 --- a/clients/client-appfabric/src/commands/GetIngestionDestinationCommand.ts +++ b/clients/client-appfabric/src/commands/GetIngestionDestinationCommand.ts @@ -121,4 +121,16 @@ export class GetIngestionDestinationCommand extends $Command .f(void 0, void 0) .ser(se_GetIngestionDestinationCommand) .de(de_GetIngestionDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIngestionDestinationRequest; + output: GetIngestionDestinationResponse; + }; + sdk: { + input: GetIngestionDestinationCommandInput; + output: GetIngestionDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/ListAppAuthorizationsCommand.ts b/clients/client-appfabric/src/commands/ListAppAuthorizationsCommand.ts index f46ae02da861..d5c2bc3a0406 100644 --- a/clients/client-appfabric/src/commands/ListAppAuthorizationsCommand.ts +++ b/clients/client-appfabric/src/commands/ListAppAuthorizationsCommand.ts @@ -108,4 +108,16 @@ export class ListAppAuthorizationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppAuthorizationsCommand) .de(de_ListAppAuthorizationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppAuthorizationsRequest; + output: ListAppAuthorizationsResponse; + }; + sdk: { + input: ListAppAuthorizationsCommandInput; + output: ListAppAuthorizationsCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/ListAppBundlesCommand.ts b/clients/client-appfabric/src/commands/ListAppBundlesCommand.ts index fe48b82aedbf..f1ff507b0078 100644 --- a/clients/client-appfabric/src/commands/ListAppBundlesCommand.ts +++ b/clients/client-appfabric/src/commands/ListAppBundlesCommand.ts @@ -96,4 +96,16 @@ export class ListAppBundlesCommand extends $Command .f(void 0, void 0) .ser(se_ListAppBundlesCommand) .de(de_ListAppBundlesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppBundlesRequest; + output: ListAppBundlesResponse; + }; + sdk: { + input: ListAppBundlesCommandInput; + output: ListAppBundlesCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/ListIngestionDestinationsCommand.ts b/clients/client-appfabric/src/commands/ListIngestionDestinationsCommand.ts index bf90915f4629..3de93039fcf6 100644 --- a/clients/client-appfabric/src/commands/ListIngestionDestinationsCommand.ts +++ b/clients/client-appfabric/src/commands/ListIngestionDestinationsCommand.ts @@ -101,4 +101,16 @@ export class ListIngestionDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListIngestionDestinationsCommand) .de(de_ListIngestionDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIngestionDestinationsRequest; + output: ListIngestionDestinationsResponse; + }; + sdk: { + input: ListIngestionDestinationsCommandInput; + output: ListIngestionDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/ListIngestionsCommand.ts b/clients/client-appfabric/src/commands/ListIngestionsCommand.ts index 4126884daec6..dbe249562996 100644 --- a/clients/client-appfabric/src/commands/ListIngestionsCommand.ts +++ b/clients/client-appfabric/src/commands/ListIngestionsCommand.ts @@ -103,4 +103,16 @@ export class ListIngestionsCommand extends $Command .f(void 0, void 0) .ser(se_ListIngestionsCommand) .de(de_ListIngestionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIngestionsRequest; + output: ListIngestionsResponse; + }; + sdk: { + input: ListIngestionsCommandInput; + output: ListIngestionsCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/ListTagsForResourceCommand.ts b/clients/client-appfabric/src/commands/ListTagsForResourceCommand.ts index 8207c800bc4a..dce6852ed041 100644 --- a/clients/client-appfabric/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-appfabric/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/StartIngestionCommand.ts b/clients/client-appfabric/src/commands/StartIngestionCommand.ts index 142e2a2f017e..96ec1c390da2 100644 --- a/clients/client-appfabric/src/commands/StartIngestionCommand.ts +++ b/clients/client-appfabric/src/commands/StartIngestionCommand.ts @@ -95,4 +95,16 @@ export class StartIngestionCommand extends $Command .f(void 0, void 0) .ser(se_StartIngestionCommand) .de(de_StartIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartIngestionRequest; + output: {}; + }; + sdk: { + input: StartIngestionCommandInput; + output: StartIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/StartUserAccessTasksCommand.ts b/clients/client-appfabric/src/commands/StartUserAccessTasksCommand.ts index 0d124571ad4a..a53821c1fc3a 100644 --- a/clients/client-appfabric/src/commands/StartUserAccessTasksCommand.ts +++ b/clients/client-appfabric/src/commands/StartUserAccessTasksCommand.ts @@ -110,4 +110,16 @@ export class StartUserAccessTasksCommand extends $Command .f(StartUserAccessTasksRequestFilterSensitiveLog, void 0) .ser(se_StartUserAccessTasksCommand) .de(de_StartUserAccessTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartUserAccessTasksRequest; + output: StartUserAccessTasksResponse; + }; + sdk: { + input: StartUserAccessTasksCommandInput; + output: StartUserAccessTasksCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/StopIngestionCommand.ts b/clients/client-appfabric/src/commands/StopIngestionCommand.ts index c3b5dd319041..6e9c333d9403 100644 --- a/clients/client-appfabric/src/commands/StopIngestionCommand.ts +++ b/clients/client-appfabric/src/commands/StopIngestionCommand.ts @@ -95,4 +95,16 @@ export class StopIngestionCommand extends $Command .f(void 0, void 0) .ser(se_StopIngestionCommand) .de(de_StopIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopIngestionRequest; + output: {}; + }; + sdk: { + input: StopIngestionCommandInput; + output: StopIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/TagResourceCommand.ts b/clients/client-appfabric/src/commands/TagResourceCommand.ts index e9e2e0eec27c..e8bb24ac2493 100644 --- a/clients/client-appfabric/src/commands/TagResourceCommand.ts +++ b/clients/client-appfabric/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/UntagResourceCommand.ts b/clients/client-appfabric/src/commands/UntagResourceCommand.ts index 0ea16d62b7f6..e55a8099485a 100644 --- a/clients/client-appfabric/src/commands/UntagResourceCommand.ts +++ b/clients/client-appfabric/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/UpdateAppAuthorizationCommand.ts b/clients/client-appfabric/src/commands/UpdateAppAuthorizationCommand.ts index ffda8ab6342c..4b25b8afcf3c 100644 --- a/clients/client-appfabric/src/commands/UpdateAppAuthorizationCommand.ts +++ b/clients/client-appfabric/src/commands/UpdateAppAuthorizationCommand.ts @@ -128,4 +128,16 @@ export class UpdateAppAuthorizationCommand extends $Command .f(UpdateAppAuthorizationRequestFilterSensitiveLog, void 0) .ser(se_UpdateAppAuthorizationCommand) .de(de_UpdateAppAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppAuthorizationRequest; + output: UpdateAppAuthorizationResponse; + }; + sdk: { + input: UpdateAppAuthorizationCommandInput; + output: UpdateAppAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-appfabric/src/commands/UpdateIngestionDestinationCommand.ts b/clients/client-appfabric/src/commands/UpdateIngestionDestinationCommand.ts index f94feeca8237..26af44499d1f 100644 --- a/clients/client-appfabric/src/commands/UpdateIngestionDestinationCommand.ts +++ b/clients/client-appfabric/src/commands/UpdateIngestionDestinationCommand.ts @@ -141,4 +141,16 @@ export class UpdateIngestionDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIngestionDestinationCommand) .de(de_UpdateIngestionDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIngestionDestinationRequest; + output: UpdateIngestionDestinationResponse; + }; + sdk: { + input: UpdateIngestionDestinationCommandInput; + output: UpdateIngestionDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/package.json b/clients/client-appflow/package.json index 6c31e2cb5880..7011e994d5e4 100644 --- a/clients/client-appflow/package.json +++ b/clients/client-appflow/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-appflow/src/commands/CancelFlowExecutionsCommand.ts b/clients/client-appflow/src/commands/CancelFlowExecutionsCommand.ts index 221476d0567e..4781ca5de8b2 100644 --- a/clients/client-appflow/src/commands/CancelFlowExecutionsCommand.ts +++ b/clients/client-appflow/src/commands/CancelFlowExecutionsCommand.ts @@ -117,4 +117,16 @@ export class CancelFlowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_CancelFlowExecutionsCommand) .de(de_CancelFlowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelFlowExecutionsRequest; + output: CancelFlowExecutionsResponse; + }; + sdk: { + input: CancelFlowExecutionsCommandInput; + output: CancelFlowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/CreateConnectorProfileCommand.ts b/clients/client-appflow/src/commands/CreateConnectorProfileCommand.ts index ef93e32aa4e8..7262e32c316b 100644 --- a/clients/client-appflow/src/commands/CreateConnectorProfileCommand.ts +++ b/clients/client-appflow/src/commands/CreateConnectorProfileCommand.ts @@ -343,4 +343,16 @@ export class CreateConnectorProfileCommand extends $Command .f(CreateConnectorProfileRequestFilterSensitiveLog, void 0) .ser(se_CreateConnectorProfileCommand) .de(de_CreateConnectorProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorProfileRequest; + output: CreateConnectorProfileResponse; + }; + sdk: { + input: CreateConnectorProfileCommandInput; + output: CreateConnectorProfileCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/CreateFlowCommand.ts b/clients/client-appflow/src/commands/CreateFlowCommand.ts index e26f03ead65b..ae78bbf20088 100644 --- a/clients/client-appflow/src/commands/CreateFlowCommand.ts +++ b/clients/client-appflow/src/commands/CreateFlowCommand.ts @@ -389,4 +389,16 @@ export class CreateFlowCommand extends $Command .f(void 0, void 0) .ser(se_CreateFlowCommand) .de(de_CreateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowRequest; + output: CreateFlowResponse; + }; + sdk: { + input: CreateFlowCommandInput; + output: CreateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DeleteConnectorProfileCommand.ts b/clients/client-appflow/src/commands/DeleteConnectorProfileCommand.ts index 9f539efbf01e..842c97af05df 100644 --- a/clients/client-appflow/src/commands/DeleteConnectorProfileCommand.ts +++ b/clients/client-appflow/src/commands/DeleteConnectorProfileCommand.ts @@ -88,4 +88,16 @@ export class DeleteConnectorProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectorProfileCommand) .de(de_DeleteConnectorProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectorProfileRequest; + output: {}; + }; + sdk: { + input: DeleteConnectorProfileCommandInput; + output: DeleteConnectorProfileCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DeleteFlowCommand.ts b/clients/client-appflow/src/commands/DeleteFlowCommand.ts index 6a9c90179819..7637f4778087 100644 --- a/clients/client-appflow/src/commands/DeleteFlowCommand.ts +++ b/clients/client-appflow/src/commands/DeleteFlowCommand.ts @@ -89,4 +89,16 @@ export class DeleteFlowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowCommand) .de(de_DeleteFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowRequest; + output: {}; + }; + sdk: { + input: DeleteFlowCommandInput; + output: DeleteFlowCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DescribeConnectorCommand.ts b/clients/client-appflow/src/commands/DescribeConnectorCommand.ts index e5a398e9982c..f32423e5ae32 100644 --- a/clients/client-appflow/src/commands/DescribeConnectorCommand.ts +++ b/clients/client-appflow/src/commands/DescribeConnectorCommand.ts @@ -257,4 +257,16 @@ export class DescribeConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectorCommand) .de(de_DescribeConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectorRequest; + output: DescribeConnectorResponse; + }; + sdk: { + input: DescribeConnectorCommandInput; + output: DescribeConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DescribeConnectorEntityCommand.ts b/clients/client-appflow/src/commands/DescribeConnectorEntityCommand.ts index ceb095d9b601..aac81763b0c6 100644 --- a/clients/client-appflow/src/commands/DescribeConnectorEntityCommand.ts +++ b/clients/client-appflow/src/commands/DescribeConnectorEntityCommand.ts @@ -147,4 +147,16 @@ export class DescribeConnectorEntityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectorEntityCommand) .de(de_DescribeConnectorEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectorEntityRequest; + output: DescribeConnectorEntityResponse; + }; + sdk: { + input: DescribeConnectorEntityCommandInput; + output: DescribeConnectorEntityCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DescribeConnectorProfilesCommand.ts b/clients/client-appflow/src/commands/DescribeConnectorProfilesCommand.ts index 86725c721da5..df1f0c9994f4 100644 --- a/clients/client-appflow/src/commands/DescribeConnectorProfilesCommand.ts +++ b/clients/client-appflow/src/commands/DescribeConnectorProfilesCommand.ts @@ -200,4 +200,16 @@ export class DescribeConnectorProfilesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectorProfilesCommand) .de(de_DescribeConnectorProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectorProfilesRequest; + output: DescribeConnectorProfilesResponse; + }; + sdk: { + input: DescribeConnectorProfilesCommandInput; + output: DescribeConnectorProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DescribeConnectorsCommand.ts b/clients/client-appflow/src/commands/DescribeConnectorsCommand.ts index 108e8157e089..f6dca073f448 100644 --- a/clients/client-appflow/src/commands/DescribeConnectorsCommand.ts +++ b/clients/client-appflow/src/commands/DescribeConnectorsCommand.ts @@ -280,4 +280,16 @@ export class DescribeConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectorsCommand) .de(de_DescribeConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectorsRequest; + output: DescribeConnectorsResponse; + }; + sdk: { + input: DescribeConnectorsCommandInput; + output: DescribeConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DescribeFlowCommand.ts b/clients/client-appflow/src/commands/DescribeFlowCommand.ts index 9a1dd4a8ceea..532c27d49243 100644 --- a/clients/client-appflow/src/commands/DescribeFlowCommand.ts +++ b/clients/client-appflow/src/commands/DescribeFlowCommand.ts @@ -392,4 +392,16 @@ export class DescribeFlowCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlowCommand) .de(de_DescribeFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlowRequest; + output: DescribeFlowResponse; + }; + sdk: { + input: DescribeFlowCommandInput; + output: DescribeFlowCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/DescribeFlowExecutionRecordsCommand.ts b/clients/client-appflow/src/commands/DescribeFlowExecutionRecordsCommand.ts index 1e9064624ec4..f0d33e6071f5 100644 --- a/clients/client-appflow/src/commands/DescribeFlowExecutionRecordsCommand.ts +++ b/clients/client-appflow/src/commands/DescribeFlowExecutionRecordsCommand.ts @@ -132,4 +132,16 @@ export class DescribeFlowExecutionRecordsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlowExecutionRecordsCommand) .de(de_DescribeFlowExecutionRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlowExecutionRecordsRequest; + output: DescribeFlowExecutionRecordsResponse; + }; + sdk: { + input: DescribeFlowExecutionRecordsCommandInput; + output: DescribeFlowExecutionRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/ListConnectorEntitiesCommand.ts b/clients/client-appflow/src/commands/ListConnectorEntitiesCommand.ts index 7fd6b99b9238..612b614d3106 100644 --- a/clients/client-appflow/src/commands/ListConnectorEntitiesCommand.ts +++ b/clients/client-appflow/src/commands/ListConnectorEntitiesCommand.ts @@ -111,4 +111,16 @@ export class ListConnectorEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorEntitiesCommand) .de(de_ListConnectorEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorEntitiesRequest; + output: ListConnectorEntitiesResponse; + }; + sdk: { + input: ListConnectorEntitiesCommandInput; + output: ListConnectorEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/ListConnectorsCommand.ts b/clients/client-appflow/src/commands/ListConnectorsCommand.ts index a9ea32d0a809..d0e216149cf7 100644 --- a/clients/client-appflow/src/commands/ListConnectorsCommand.ts +++ b/clients/client-appflow/src/commands/ListConnectorsCommand.ts @@ -107,4 +107,16 @@ export class ListConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorsCommand) .de(de_ListConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorsRequest; + output: ListConnectorsResponse; + }; + sdk: { + input: ListConnectorsCommandInput; + output: ListConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/ListFlowsCommand.ts b/clients/client-appflow/src/commands/ListFlowsCommand.ts index 9aae866a879b..c527f5bd27f1 100644 --- a/clients/client-appflow/src/commands/ListFlowsCommand.ts +++ b/clients/client-appflow/src/commands/ListFlowsCommand.ts @@ -110,4 +110,16 @@ export class ListFlowsCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowsCommand) .de(de_ListFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowsRequest; + output: ListFlowsResponse; + }; + sdk: { + input: ListFlowsCommandInput; + output: ListFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/ListTagsForResourceCommand.ts b/clients/client-appflow/src/commands/ListTagsForResourceCommand.ts index f00d298dfbb7..947b1bd4b31f 100644 --- a/clients/client-appflow/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-appflow/src/commands/ListTagsForResourceCommand.ts @@ -90,4 +90,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/RegisterConnectorCommand.ts b/clients/client-appflow/src/commands/RegisterConnectorCommand.ts index 8666d8768429..7283e4fd14d6 100644 --- a/clients/client-appflow/src/commands/RegisterConnectorCommand.ts +++ b/clients/client-appflow/src/commands/RegisterConnectorCommand.ts @@ -119,4 +119,16 @@ export class RegisterConnectorCommand extends $Command .f(void 0, void 0) .ser(se_RegisterConnectorCommand) .de(de_RegisterConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterConnectorRequest; + output: RegisterConnectorResponse; + }; + sdk: { + input: RegisterConnectorCommandInput; + output: RegisterConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/ResetConnectorMetadataCacheCommand.ts b/clients/client-appflow/src/commands/ResetConnectorMetadataCacheCommand.ts index cfad846869b5..97830ddd80e7 100644 --- a/clients/client-appflow/src/commands/ResetConnectorMetadataCacheCommand.ts +++ b/clients/client-appflow/src/commands/ResetConnectorMetadataCacheCommand.ts @@ -105,4 +105,16 @@ export class ResetConnectorMetadataCacheCommand extends $Command .f(void 0, void 0) .ser(se_ResetConnectorMetadataCacheCommand) .de(de_ResetConnectorMetadataCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetConnectorMetadataCacheRequest; + output: {}; + }; + sdk: { + input: ResetConnectorMetadataCacheCommandInput; + output: ResetConnectorMetadataCacheCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/StartFlowCommand.ts b/clients/client-appflow/src/commands/StartFlowCommand.ts index 9573f1e02e0d..1efc664e71b1 100644 --- a/clients/client-appflow/src/commands/StartFlowCommand.ts +++ b/clients/client-appflow/src/commands/StartFlowCommand.ts @@ -97,4 +97,16 @@ export class StartFlowCommand extends $Command .f(void 0, void 0) .ser(se_StartFlowCommand) .de(de_StartFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFlowRequest; + output: StartFlowResponse; + }; + sdk: { + input: StartFlowCommandInput; + output: StartFlowCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/StopFlowCommand.ts b/clients/client-appflow/src/commands/StopFlowCommand.ts index 68a72ac9fa03..69ecff2310bd 100644 --- a/clients/client-appflow/src/commands/StopFlowCommand.ts +++ b/clients/client-appflow/src/commands/StopFlowCommand.ts @@ -95,4 +95,16 @@ export class StopFlowCommand extends $Command .f(void 0, void 0) .ser(se_StopFlowCommand) .de(de_StopFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopFlowRequest; + output: StopFlowResponse; + }; + sdk: { + input: StopFlowCommandInput; + output: StopFlowCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/TagResourceCommand.ts b/clients/client-appflow/src/commands/TagResourceCommand.ts index 26831919b7e0..b81215bfb2ac 100644 --- a/clients/client-appflow/src/commands/TagResourceCommand.ts +++ b/clients/client-appflow/src/commands/TagResourceCommand.ts @@ -89,4 +89,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/UnregisterConnectorCommand.ts b/clients/client-appflow/src/commands/UnregisterConnectorCommand.ts index eee71cd1deab..0438b6771d63 100644 --- a/clients/client-appflow/src/commands/UnregisterConnectorCommand.ts +++ b/clients/client-appflow/src/commands/UnregisterConnectorCommand.ts @@ -89,4 +89,16 @@ export class UnregisterConnectorCommand extends $Command .f(void 0, void 0) .ser(se_UnregisterConnectorCommand) .de(de_UnregisterConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnregisterConnectorRequest; + output: {}; + }; + sdk: { + input: UnregisterConnectorCommandInput; + output: UnregisterConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/UntagResourceCommand.ts b/clients/client-appflow/src/commands/UntagResourceCommand.ts index a106b65033ae..81977a3f2f8d 100644 --- a/clients/client-appflow/src/commands/UntagResourceCommand.ts +++ b/clients/client-appflow/src/commands/UntagResourceCommand.ts @@ -89,4 +89,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/UpdateConnectorProfileCommand.ts b/clients/client-appflow/src/commands/UpdateConnectorProfileCommand.ts index a2b7bb35120f..fc288e86a346 100644 --- a/clients/client-appflow/src/commands/UpdateConnectorProfileCommand.ts +++ b/clients/client-appflow/src/commands/UpdateConnectorProfileCommand.ts @@ -336,4 +336,16 @@ export class UpdateConnectorProfileCommand extends $Command .f(UpdateConnectorProfileRequestFilterSensitiveLog, void 0) .ser(se_UpdateConnectorProfileCommand) .de(de_UpdateConnectorProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectorProfileRequest; + output: UpdateConnectorProfileResponse; + }; + sdk: { + input: UpdateConnectorProfileCommandInput; + output: UpdateConnectorProfileCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/UpdateConnectorRegistrationCommand.ts b/clients/client-appflow/src/commands/UpdateConnectorRegistrationCommand.ts index ac565e6e0ab5..6febed1ff7b9 100644 --- a/clients/client-appflow/src/commands/UpdateConnectorRegistrationCommand.ts +++ b/clients/client-appflow/src/commands/UpdateConnectorRegistrationCommand.ts @@ -130,4 +130,16 @@ export class UpdateConnectorRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectorRegistrationCommand) .de(de_UpdateConnectorRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectorRegistrationRequest; + output: UpdateConnectorRegistrationResponse; + }; + sdk: { + input: UpdateConnectorRegistrationCommandInput; + output: UpdateConnectorRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-appflow/src/commands/UpdateFlowCommand.ts b/clients/client-appflow/src/commands/UpdateFlowCommand.ts index 063d686c42a3..5696bdf409d2 100644 --- a/clients/client-appflow/src/commands/UpdateFlowCommand.ts +++ b/clients/client-appflow/src/commands/UpdateFlowCommand.ts @@ -380,4 +380,16 @@ export class UpdateFlowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowCommand) .de(de_UpdateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowRequest; + output: UpdateFlowResponse; + }; + sdk: { + input: UpdateFlowCommandInput; + output: UpdateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/package.json b/clients/client-appintegrations/package.json index 11e9027a54de..49145d86a50a 100644 --- a/clients/client-appintegrations/package.json +++ b/clients/client-appintegrations/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-appintegrations/src/commands/CreateApplicationCommand.ts b/clients/client-appintegrations/src/commands/CreateApplicationCommand.ts index 5175c269f767..dd4455ae25e7 100644 --- a/clients/client-appintegrations/src/commands/CreateApplicationCommand.ts +++ b/clients/client-appintegrations/src/commands/CreateApplicationCommand.ts @@ -153,4 +153,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/CreateDataIntegrationAssociationCommand.ts b/clients/client-appintegrations/src/commands/CreateDataIntegrationAssociationCommand.ts index 952b9ebfefbe..025fc28d38a1 100644 --- a/clients/client-appintegrations/src/commands/CreateDataIntegrationAssociationCommand.ts +++ b/clients/client-appintegrations/src/commands/CreateDataIntegrationAssociationCommand.ts @@ -126,4 +126,16 @@ export class CreateDataIntegrationAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataIntegrationAssociationCommand) .de(de_CreateDataIntegrationAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataIntegrationAssociationRequest; + output: CreateDataIntegrationAssociationResponse; + }; + sdk: { + input: CreateDataIntegrationAssociationCommandInput; + output: CreateDataIntegrationAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/CreateDataIntegrationCommand.ts b/clients/client-appintegrations/src/commands/CreateDataIntegrationCommand.ts index 32f64fd321d4..7d3b2ba3d2d7 100644 --- a/clients/client-appintegrations/src/commands/CreateDataIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/CreateDataIntegrationCommand.ts @@ -160,4 +160,16 @@ export class CreateDataIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataIntegrationCommand) .de(de_CreateDataIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataIntegrationRequest; + output: CreateDataIntegrationResponse; + }; + sdk: { + input: CreateDataIntegrationCommandInput; + output: CreateDataIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/CreateEventIntegrationCommand.ts b/clients/client-appintegrations/src/commands/CreateEventIntegrationCommand.ts index a086a39ad73d..601e82178974 100644 --- a/clients/client-appintegrations/src/commands/CreateEventIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/CreateEventIntegrationCommand.ts @@ -107,4 +107,16 @@ export class CreateEventIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventIntegrationCommand) .de(de_CreateEventIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventIntegrationRequest; + output: CreateEventIntegrationResponse; + }; + sdk: { + input: CreateEventIntegrationCommandInput; + output: CreateEventIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/DeleteApplicationCommand.ts b/clients/client-appintegrations/src/commands/DeleteApplicationCommand.ts index 3763d8326e20..c43e96aaa5f8 100644 --- a/clients/client-appintegrations/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-appintegrations/src/commands/DeleteApplicationCommand.ts @@ -102,4 +102,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/DeleteDataIntegrationCommand.ts b/clients/client-appintegrations/src/commands/DeleteDataIntegrationCommand.ts index cb423593ce53..0b4bcbd47b78 100644 --- a/clients/client-appintegrations/src/commands/DeleteDataIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/DeleteDataIntegrationCommand.ts @@ -97,4 +97,16 @@ export class DeleteDataIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataIntegrationCommand) .de(de_DeleteDataIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataIntegrationRequest; + output: {}; + }; + sdk: { + input: DeleteDataIntegrationCommandInput; + output: DeleteDataIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/DeleteEventIntegrationCommand.ts b/clients/client-appintegrations/src/commands/DeleteEventIntegrationCommand.ts index ec6babfd9dd6..4191f9747b52 100644 --- a/clients/client-appintegrations/src/commands/DeleteEventIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/DeleteEventIntegrationCommand.ts @@ -91,4 +91,16 @@ export class DeleteEventIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventIntegrationCommand) .de(de_DeleteEventIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventIntegrationRequest; + output: {}; + }; + sdk: { + input: DeleteEventIntegrationCommandInput; + output: DeleteEventIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/GetApplicationCommand.ts b/clients/client-appintegrations/src/commands/GetApplicationCommand.ts index 1854f0b3a4c7..dccee7f94205 100644 --- a/clients/client-appintegrations/src/commands/GetApplicationCommand.ts +++ b/clients/client-appintegrations/src/commands/GetApplicationCommand.ts @@ -148,4 +148,16 @@ export class GetApplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: GetApplicationResponse; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/GetDataIntegrationCommand.ts b/clients/client-appintegrations/src/commands/GetDataIntegrationCommand.ts index 1f40ee59df5f..38ed1436d9d1 100644 --- a/clients/client-appintegrations/src/commands/GetDataIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/GetDataIntegrationCommand.ts @@ -127,4 +127,16 @@ export class GetDataIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_GetDataIntegrationCommand) .de(de_GetDataIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataIntegrationRequest; + output: GetDataIntegrationResponse; + }; + sdk: { + input: GetDataIntegrationCommandInput; + output: GetDataIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/GetEventIntegrationCommand.ts b/clients/client-appintegrations/src/commands/GetEventIntegrationCommand.ts index 110cc5c6d3b0..d164fd0f766b 100644 --- a/clients/client-appintegrations/src/commands/GetEventIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/GetEventIntegrationCommand.ts @@ -101,4 +101,16 @@ export class GetEventIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_GetEventIntegrationCommand) .de(de_GetEventIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventIntegrationRequest; + output: GetEventIntegrationResponse; + }; + sdk: { + input: GetEventIntegrationCommandInput; + output: GetEventIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/ListApplicationAssociationsCommand.ts b/clients/client-appintegrations/src/commands/ListApplicationAssociationsCommand.ts index a05853f99b14..28e46a631193 100644 --- a/clients/client-appintegrations/src/commands/ListApplicationAssociationsCommand.ts +++ b/clients/client-appintegrations/src/commands/ListApplicationAssociationsCommand.ts @@ -129,4 +129,16 @@ export class ListApplicationAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationAssociationsCommand) .de(de_ListApplicationAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationAssociationsRequest; + output: ListApplicationAssociationsResponse; + }; + sdk: { + input: ListApplicationAssociationsCommandInput; + output: ListApplicationAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/ListApplicationsCommand.ts b/clients/client-appintegrations/src/commands/ListApplicationsCommand.ts index b285e417ee90..d36db69a031c 100644 --- a/clients/client-appintegrations/src/commands/ListApplicationsCommand.ts +++ b/clients/client-appintegrations/src/commands/ListApplicationsCommand.ts @@ -124,4 +124,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/ListDataIntegrationAssociationsCommand.ts b/clients/client-appintegrations/src/commands/ListDataIntegrationAssociationsCommand.ts index e7fa32412a40..811392a2b26b 100644 --- a/clients/client-appintegrations/src/commands/ListDataIntegrationAssociationsCommand.ts +++ b/clients/client-appintegrations/src/commands/ListDataIntegrationAssociationsCommand.ts @@ -128,4 +128,16 @@ export class ListDataIntegrationAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataIntegrationAssociationsCommand) .de(de_ListDataIntegrationAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataIntegrationAssociationsRequest; + output: ListDataIntegrationAssociationsResponse; + }; + sdk: { + input: ListDataIntegrationAssociationsCommandInput; + output: ListDataIntegrationAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/ListDataIntegrationsCommand.ts b/clients/client-appintegrations/src/commands/ListDataIntegrationsCommand.ts index 002f5b7abaae..11bedaa41a3e 100644 --- a/clients/client-appintegrations/src/commands/ListDataIntegrationsCommand.ts +++ b/clients/client-appintegrations/src/commands/ListDataIntegrationsCommand.ts @@ -102,4 +102,16 @@ export class ListDataIntegrationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataIntegrationsCommand) .de(de_ListDataIntegrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataIntegrationsRequest; + output: ListDataIntegrationsResponse; + }; + sdk: { + input: ListDataIntegrationsCommandInput; + output: ListDataIntegrationsCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/ListEventIntegrationAssociationsCommand.ts b/clients/client-appintegrations/src/commands/ListEventIntegrationAssociationsCommand.ts index 189e7aeb4662..2cf99b0a800b 100644 --- a/clients/client-appintegrations/src/commands/ListEventIntegrationAssociationsCommand.ts +++ b/clients/client-appintegrations/src/commands/ListEventIntegrationAssociationsCommand.ts @@ -111,4 +111,16 @@ export class ListEventIntegrationAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventIntegrationAssociationsCommand) .de(de_ListEventIntegrationAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventIntegrationAssociationsRequest; + output: ListEventIntegrationAssociationsResponse; + }; + sdk: { + input: ListEventIntegrationAssociationsCommandInput; + output: ListEventIntegrationAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/ListEventIntegrationsCommand.ts b/clients/client-appintegrations/src/commands/ListEventIntegrationsCommand.ts index 57c5513c7814..9536961f91f3 100644 --- a/clients/client-appintegrations/src/commands/ListEventIntegrationsCommand.ts +++ b/clients/client-appintegrations/src/commands/ListEventIntegrationsCommand.ts @@ -104,4 +104,16 @@ export class ListEventIntegrationsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventIntegrationsCommand) .de(de_ListEventIntegrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventIntegrationsRequest; + output: ListEventIntegrationsResponse; + }; + sdk: { + input: ListEventIntegrationsCommandInput; + output: ListEventIntegrationsCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/ListTagsForResourceCommand.ts b/clients/client-appintegrations/src/commands/ListTagsForResourceCommand.ts index 5b7fedee9da0..62cfea274fd2 100644 --- a/clients/client-appintegrations/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-appintegrations/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/TagResourceCommand.ts b/clients/client-appintegrations/src/commands/TagResourceCommand.ts index 837acb099591..cb84cd83949f 100644 --- a/clients/client-appintegrations/src/commands/TagResourceCommand.ts +++ b/clients/client-appintegrations/src/commands/TagResourceCommand.ts @@ -90,4 +90,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/UntagResourceCommand.ts b/clients/client-appintegrations/src/commands/UntagResourceCommand.ts index c815e9244c9d..7be29563d23e 100644 --- a/clients/client-appintegrations/src/commands/UntagResourceCommand.ts +++ b/clients/client-appintegrations/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/UpdateApplicationCommand.ts b/clients/client-appintegrations/src/commands/UpdateApplicationCommand.ts index 9a22929a961b..66110fe1a177 100644 --- a/clients/client-appintegrations/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-appintegrations/src/commands/UpdateApplicationCommand.ts @@ -131,4 +131,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/UpdateDataIntegrationAssociationCommand.ts b/clients/client-appintegrations/src/commands/UpdateDataIntegrationAssociationCommand.ts index 7f2109cddcf4..e4be498f83ea 100644 --- a/clients/client-appintegrations/src/commands/UpdateDataIntegrationAssociationCommand.ts +++ b/clients/client-appintegrations/src/commands/UpdateDataIntegrationAssociationCommand.ts @@ -113,4 +113,16 @@ export class UpdateDataIntegrationAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataIntegrationAssociationCommand) .de(de_UpdateDataIntegrationAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataIntegrationAssociationRequest; + output: {}; + }; + sdk: { + input: UpdateDataIntegrationAssociationCommandInput; + output: UpdateDataIntegrationAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/UpdateDataIntegrationCommand.ts b/clients/client-appintegrations/src/commands/UpdateDataIntegrationCommand.ts index a9053e8a97e3..a4fe318d41e9 100644 --- a/clients/client-appintegrations/src/commands/UpdateDataIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/UpdateDataIntegrationCommand.ts @@ -97,4 +97,16 @@ export class UpdateDataIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataIntegrationCommand) .de(de_UpdateDataIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataIntegrationRequest; + output: {}; + }; + sdk: { + input: UpdateDataIntegrationCommandInput; + output: UpdateDataIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-appintegrations/src/commands/UpdateEventIntegrationCommand.ts b/clients/client-appintegrations/src/commands/UpdateEventIntegrationCommand.ts index b86751bbe12a..2b5a9223037a 100644 --- a/clients/client-appintegrations/src/commands/UpdateEventIntegrationCommand.ts +++ b/clients/client-appintegrations/src/commands/UpdateEventIntegrationCommand.ts @@ -91,4 +91,16 @@ export class UpdateEventIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventIntegrationCommand) .de(de_UpdateEventIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventIntegrationRequest; + output: {}; + }; + sdk: { + input: UpdateEventIntegrationCommandInput; + output: UpdateEventIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/package.json b/clients/client-application-auto-scaling/package.json index 815abdd7003d..a22b9535a030 100644 --- a/clients/client-application-auto-scaling/package.json +++ b/clients/client-application-auto-scaling/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-application-auto-scaling/src/commands/DeleteScalingPolicyCommand.ts b/clients/client-application-auto-scaling/src/commands/DeleteScalingPolicyCommand.ts index b1c529f62362..f1f461205ee0 100644 --- a/clients/client-application-auto-scaling/src/commands/DeleteScalingPolicyCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/DeleteScalingPolicyCommand.ts @@ -119,4 +119,16 @@ export class DeleteScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScalingPolicyCommand) .de(de_DeleteScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScalingPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteScalingPolicyCommandInput; + output: DeleteScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/DeleteScheduledActionCommand.ts b/clients/client-application-auto-scaling/src/commands/DeleteScheduledActionCommand.ts index b795ebf06be0..ef3ae0bfe363 100644 --- a/clients/client-application-auto-scaling/src/commands/DeleteScheduledActionCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/DeleteScheduledActionCommand.ts @@ -115,4 +115,16 @@ export class DeleteScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduledActionCommand) .de(de_DeleteScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduledActionRequest; + output: {}; + }; + sdk: { + input: DeleteScheduledActionCommandInput; + output: DeleteScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/DeregisterScalableTargetCommand.ts b/clients/client-application-auto-scaling/src/commands/DeregisterScalableTargetCommand.ts index dacd81313d17..5cf3de8990a7 100644 --- a/clients/client-application-auto-scaling/src/commands/DeregisterScalableTargetCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/DeregisterScalableTargetCommand.ts @@ -117,4 +117,16 @@ export class DeregisterScalableTargetCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterScalableTargetCommand) .de(de_DeregisterScalableTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterScalableTargetRequest; + output: {}; + }; + sdk: { + input: DeregisterScalableTargetCommandInput; + output: DeregisterScalableTargetCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/DescribeScalableTargetsCommand.ts b/clients/client-application-auto-scaling/src/commands/DescribeScalableTargetsCommand.ts index e900edbb5671..1ab182178892 100644 --- a/clients/client-application-auto-scaling/src/commands/DescribeScalableTargetsCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/DescribeScalableTargetsCommand.ts @@ -151,4 +151,16 @@ export class DescribeScalableTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalableTargetsCommand) .de(de_DescribeScalableTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalableTargetsRequest; + output: DescribeScalableTargetsResponse; + }; + sdk: { + input: DescribeScalableTargetsCommandInput; + output: DescribeScalableTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts b/clients/client-application-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts index 3be218b0121d..e6dd616018e1 100644 --- a/clients/client-application-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts @@ -158,4 +158,16 @@ export class DescribeScalingActivitiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingActivitiesCommand) .de(de_DescribeScalingActivitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalingActivitiesRequest; + output: DescribeScalingActivitiesResponse; + }; + sdk: { + input: DescribeScalingActivitiesCommandInput; + output: DescribeScalingActivitiesCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/DescribeScalingPoliciesCommand.ts b/clients/client-application-auto-scaling/src/commands/DescribeScalingPoliciesCommand.ts index 798d12c9accb..defd620795a5 100644 --- a/clients/client-application-auto-scaling/src/commands/DescribeScalingPoliciesCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/DescribeScalingPoliciesCommand.ts @@ -228,4 +228,16 @@ export class DescribeScalingPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingPoliciesCommand) .de(de_DescribeScalingPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalingPoliciesRequest; + output: DescribeScalingPoliciesResponse; + }; + sdk: { + input: DescribeScalingPoliciesCommandInput; + output: DescribeScalingPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts b/clients/client-application-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts index 79590be0919f..17451f14da60 100644 --- a/clients/client-application-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts @@ -166,4 +166,16 @@ export class DescribeScheduledActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduledActionsCommand) .de(de_DescribeScheduledActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduledActionsRequest; + output: DescribeScheduledActionsResponse; + }; + sdk: { + input: DescribeScheduledActionsCommandInput; + output: DescribeScheduledActionsCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/ListTagsForResourceCommand.ts b/clients/client-application-auto-scaling/src/commands/ListTagsForResourceCommand.ts index a93be59d4c45..3b7b55330454 100644 --- a/clients/client-application-auto-scaling/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/PutScalingPolicyCommand.ts b/clients/client-application-auto-scaling/src/commands/PutScalingPolicyCommand.ts index bfb58ed29295..f170f45496d9 100644 --- a/clients/client-application-auto-scaling/src/commands/PutScalingPolicyCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/PutScalingPolicyCommand.ts @@ -237,4 +237,16 @@ export class PutScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutScalingPolicyCommand) .de(de_PutScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutScalingPolicyRequest; + output: PutScalingPolicyResponse; + }; + sdk: { + input: PutScalingPolicyCommandInput; + output: PutScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/PutScheduledActionCommand.ts b/clients/client-application-auto-scaling/src/commands/PutScheduledActionCommand.ts index 899457050c14..1e9da73dc23d 100644 --- a/clients/client-application-auto-scaling/src/commands/PutScheduledActionCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/PutScheduledActionCommand.ts @@ -143,4 +143,16 @@ export class PutScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_PutScheduledActionCommand) .de(de_PutScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutScheduledActionRequest; + output: {}; + }; + sdk: { + input: PutScheduledActionCommandInput; + output: PutScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/RegisterScalableTargetCommand.ts b/clients/client-application-auto-scaling/src/commands/RegisterScalableTargetCommand.ts index 1d43690af843..d5bc25b4b936 100644 --- a/clients/client-application-auto-scaling/src/commands/RegisterScalableTargetCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/RegisterScalableTargetCommand.ts @@ -159,4 +159,16 @@ export class RegisterScalableTargetCommand extends $Command .f(void 0, void 0) .ser(se_RegisterScalableTargetCommand) .de(de_RegisterScalableTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterScalableTargetRequest; + output: RegisterScalableTargetResponse; + }; + sdk: { + input: RegisterScalableTargetCommandInput; + output: RegisterScalableTargetCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/TagResourceCommand.ts b/clients/client-application-auto-scaling/src/commands/TagResourceCommand.ts index 50705ec15dc8..dd3cbf062023 100644 --- a/clients/client-application-auto-scaling/src/commands/TagResourceCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/TagResourceCommand.ts @@ -117,4 +117,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-auto-scaling/src/commands/UntagResourceCommand.ts b/clients/client-application-auto-scaling/src/commands/UntagResourceCommand.ts index febc2c68999f..c73d7d4da447 100644 --- a/clients/client-application-auto-scaling/src/commands/UntagResourceCommand.ts +++ b/clients/client-application-auto-scaling/src/commands/UntagResourceCommand.ts @@ -104,4 +104,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/package.json b/clients/client-application-discovery-service/package.json index 57669ff59836..571a3f595cc4 100644 --- a/clients/client-application-discovery-service/package.json +++ b/clients/client-application-discovery-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-application-discovery-service/src/commands/AssociateConfigurationItemsToApplicationCommand.ts b/clients/client-application-discovery-service/src/commands/AssociateConfigurationItemsToApplicationCommand.ts index ea0e9c9d5807..c4268b5f2d59 100644 --- a/clients/client-application-discovery-service/src/commands/AssociateConfigurationItemsToApplicationCommand.ts +++ b/clients/client-application-discovery-service/src/commands/AssociateConfigurationItemsToApplicationCommand.ts @@ -108,4 +108,16 @@ export class AssociateConfigurationItemsToApplicationCommand extends $Command .f(void 0, void 0) .ser(se_AssociateConfigurationItemsToApplicationCommand) .de(de_AssociateConfigurationItemsToApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateConfigurationItemsToApplicationRequest; + output: {}; + }; + sdk: { + input: AssociateConfigurationItemsToApplicationCommandInput; + output: AssociateConfigurationItemsToApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/BatchDeleteAgentsCommand.ts b/clients/client-application-discovery-service/src/commands/BatchDeleteAgentsCommand.ts index 29a8e64d9822..0794116de0a9 100644 --- a/clients/client-application-discovery-service/src/commands/BatchDeleteAgentsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/BatchDeleteAgentsCommand.ts @@ -111,4 +111,16 @@ export class BatchDeleteAgentsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteAgentsCommand) .de(de_BatchDeleteAgentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteAgentsRequest; + output: BatchDeleteAgentsResponse; + }; + sdk: { + input: BatchDeleteAgentsCommandInput; + output: BatchDeleteAgentsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/BatchDeleteImportDataCommand.ts b/clients/client-application-discovery-service/src/commands/BatchDeleteImportDataCommand.ts index 3c754e307da6..aa9261b6643b 100644 --- a/clients/client-application-discovery-service/src/commands/BatchDeleteImportDataCommand.ts +++ b/clients/client-application-discovery-service/src/commands/BatchDeleteImportDataCommand.ts @@ -113,4 +113,16 @@ export class BatchDeleteImportDataCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteImportDataCommand) .de(de_BatchDeleteImportDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteImportDataRequest; + output: BatchDeleteImportDataResponse; + }; + sdk: { + input: BatchDeleteImportDataCommandInput; + output: BatchDeleteImportDataCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/CreateApplicationCommand.ts b/clients/client-application-discovery-service/src/commands/CreateApplicationCommand.ts index b13f5e90e816..d557cc732dcb 100644 --- a/clients/client-application-discovery-service/src/commands/CreateApplicationCommand.ts +++ b/clients/client-application-discovery-service/src/commands/CreateApplicationCommand.ts @@ -99,4 +99,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/CreateTagsCommand.ts b/clients/client-application-discovery-service/src/commands/CreateTagsCommand.ts index 3f684b0c6f73..445ea69dae25 100644 --- a/clients/client-application-discovery-service/src/commands/CreateTagsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/CreateTagsCommand.ts @@ -112,4 +112,16 @@ export class CreateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagsCommand) .de(de_CreateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagsRequest; + output: {}; + }; + sdk: { + input: CreateTagsCommandInput; + output: CreateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DeleteApplicationsCommand.ts b/clients/client-application-discovery-service/src/commands/DeleteApplicationsCommand.ts index 777d4563a648..b44545f7eda5 100644 --- a/clients/client-application-discovery-service/src/commands/DeleteApplicationsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DeleteApplicationsCommand.ts @@ -99,4 +99,16 @@ export class DeleteApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationsCommand) .de(de_DeleteApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationsRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationsCommandInput; + output: DeleteApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DeleteTagsCommand.ts b/clients/client-application-discovery-service/src/commands/DeleteTagsCommand.ts index b492fb45034e..ba782e979364 100644 --- a/clients/client-application-discovery-service/src/commands/DeleteTagsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DeleteTagsCommand.ts @@ -109,4 +109,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsRequest; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeAgentsCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeAgentsCommand.ts index 9287652c0a74..897f13dd5814 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeAgentsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeAgentsCommand.ts @@ -136,4 +136,16 @@ export class DescribeAgentsCommand extends $Command .f(void 0, DescribeAgentsResponseFilterSensitiveLog) .ser(se_DescribeAgentsCommand) .de(de_DescribeAgentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAgentsRequest; + output: DescribeAgentsResponse; + }; + sdk: { + input: DescribeAgentsCommandInput; + output: DescribeAgentsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeBatchDeleteConfigurationTaskCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeBatchDeleteConfigurationTaskCommand.ts index 53e4cdd39220..5be22d7abf69 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeBatchDeleteConfigurationTaskCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeBatchDeleteConfigurationTaskCommand.ts @@ -130,4 +130,16 @@ export class DescribeBatchDeleteConfigurationTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBatchDeleteConfigurationTaskCommand) .de(de_DescribeBatchDeleteConfigurationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBatchDeleteConfigurationTaskRequest; + output: DescribeBatchDeleteConfigurationTaskResponse; + }; + sdk: { + input: DescribeBatchDeleteConfigurationTaskCommandInput; + output: DescribeBatchDeleteConfigurationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeConfigurationsCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeConfigurationsCommand.ts index d5e018d66ee3..1dabcb56a397 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeConfigurationsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeConfigurationsCommand.ts @@ -127,4 +127,16 @@ export class DescribeConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationsCommand) .de(de_DescribeConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationsRequest; + output: DescribeConfigurationsResponse; + }; + sdk: { + input: DescribeConfigurationsCommandInput; + output: DescribeConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeContinuousExportsCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeContinuousExportsCommand.ts index 30f6cd56f439..371cb3cbf65c 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeContinuousExportsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeContinuousExportsCommand.ts @@ -125,4 +125,16 @@ export class DescribeContinuousExportsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContinuousExportsCommand) .de(de_DescribeContinuousExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContinuousExportsRequest; + output: DescribeContinuousExportsResponse; + }; + sdk: { + input: DescribeContinuousExportsCommandInput; + output: DescribeContinuousExportsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeExportConfigurationsCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeExportConfigurationsCommand.ts index f2797b20d461..043fa21cc69e 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeExportConfigurationsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeExportConfigurationsCommand.ts @@ -126,4 +126,16 @@ export class DescribeExportConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportConfigurationsCommand) .de(de_DescribeExportConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportConfigurationsRequest; + output: DescribeExportConfigurationsResponse; + }; + sdk: { + input: DescribeExportConfigurationsCommandInput; + output: DescribeExportConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeExportTasksCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeExportTasksCommand.ts index 1755a53697d9..a1c2ab14d50a 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeExportTasksCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeExportTasksCommand.ts @@ -124,4 +124,16 @@ export class DescribeExportTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportTasksCommand) .de(de_DescribeExportTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportTasksRequest; + output: DescribeExportTasksResponse; + }; + sdk: { + input: DescribeExportTasksCommandInput; + output: DescribeExportTasksCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeImportTasksCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeImportTasksCommand.ts index 6d666be7b343..49b83958b29b 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeImportTasksCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeImportTasksCommand.ts @@ -125,4 +125,16 @@ export class DescribeImportTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImportTasksCommand) .de(de_DescribeImportTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImportTasksRequest; + output: DescribeImportTasksResponse; + }; + sdk: { + input: DescribeImportTasksCommandInput; + output: DescribeImportTasksCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DescribeTagsCommand.ts b/clients/client-application-discovery-service/src/commands/DescribeTagsCommand.ts index af69a628e1de..b1b153249260 100644 --- a/clients/client-application-discovery-service/src/commands/DescribeTagsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DescribeTagsCommand.ts @@ -135,4 +135,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsRequest; + output: DescribeTagsResponse; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/DisassociateConfigurationItemsFromApplicationCommand.ts b/clients/client-application-discovery-service/src/commands/DisassociateConfigurationItemsFromApplicationCommand.ts index 2995b1b057a4..f075b71fc4fa 100644 --- a/clients/client-application-discovery-service/src/commands/DisassociateConfigurationItemsFromApplicationCommand.ts +++ b/clients/client-application-discovery-service/src/commands/DisassociateConfigurationItemsFromApplicationCommand.ts @@ -108,4 +108,16 @@ export class DisassociateConfigurationItemsFromApplicationCommand extends $Comma .f(void 0, void 0) .ser(se_DisassociateConfigurationItemsFromApplicationCommand) .de(de_DisassociateConfigurationItemsFromApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateConfigurationItemsFromApplicationRequest; + output: {}; + }; + sdk: { + input: DisassociateConfigurationItemsFromApplicationCommandInput; + output: DisassociateConfigurationItemsFromApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/ExportConfigurationsCommand.ts b/clients/client-application-discovery-service/src/commands/ExportConfigurationsCommand.ts index f78fbd7c558b..4ea851356f79 100644 --- a/clients/client-application-discovery-service/src/commands/ExportConfigurationsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/ExportConfigurationsCommand.ts @@ -106,4 +106,16 @@ export class ExportConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportConfigurationsCommand) .de(de_ExportConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ExportConfigurationsResponse; + }; + sdk: { + input: ExportConfigurationsCommandInput; + output: ExportConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/GetDiscoverySummaryCommand.ts b/clients/client-application-discovery-service/src/commands/GetDiscoverySummaryCommand.ts index e4ca617607ae..e19f1df861ce 100644 --- a/clients/client-application-discovery-service/src/commands/GetDiscoverySummaryCommand.ts +++ b/clients/client-application-discovery-service/src/commands/GetDiscoverySummaryCommand.ts @@ -137,4 +137,16 @@ export class GetDiscoverySummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetDiscoverySummaryCommand) .de(de_GetDiscoverySummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDiscoverySummaryResponse; + }; + sdk: { + input: GetDiscoverySummaryCommandInput; + output: GetDiscoverySummaryCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/ListConfigurationsCommand.ts b/clients/client-application-discovery-service/src/commands/ListConfigurationsCommand.ts index 9266333bca7a..fbbc37b063aa 100644 --- a/clients/client-application-discovery-service/src/commands/ListConfigurationsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/ListConfigurationsCommand.ts @@ -126,4 +126,16 @@ export class ListConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationsCommand) .de(de_ListConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationsRequest; + output: ListConfigurationsResponse; + }; + sdk: { + input: ListConfigurationsCommandInput; + output: ListConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/ListServerNeighborsCommand.ts b/clients/client-application-discovery-service/src/commands/ListServerNeighborsCommand.ts index ea684dd846cb..dad42bbd6513 100644 --- a/clients/client-application-discovery-service/src/commands/ListServerNeighborsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/ListServerNeighborsCommand.ts @@ -115,4 +115,16 @@ export class ListServerNeighborsCommand extends $Command .f(void 0, void 0) .ser(se_ListServerNeighborsCommand) .de(de_ListServerNeighborsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServerNeighborsRequest; + output: ListServerNeighborsResponse; + }; + sdk: { + input: ListServerNeighborsCommandInput; + output: ListServerNeighborsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/StartBatchDeleteConfigurationTaskCommand.ts b/clients/client-application-discovery-service/src/commands/StartBatchDeleteConfigurationTaskCommand.ts index e6d838df9892..3e5e2ccc91b6 100644 --- a/clients/client-application-discovery-service/src/commands/StartBatchDeleteConfigurationTaskCommand.ts +++ b/clients/client-application-discovery-service/src/commands/StartBatchDeleteConfigurationTaskCommand.ts @@ -117,4 +117,16 @@ export class StartBatchDeleteConfigurationTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartBatchDeleteConfigurationTaskCommand) .de(de_StartBatchDeleteConfigurationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBatchDeleteConfigurationTaskRequest; + output: StartBatchDeleteConfigurationTaskResponse; + }; + sdk: { + input: StartBatchDeleteConfigurationTaskCommandInput; + output: StartBatchDeleteConfigurationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/StartContinuousExportCommand.ts b/clients/client-application-discovery-service/src/commands/StartContinuousExportCommand.ts index 4261194b430e..72ba8bd09cb4 100644 --- a/clients/client-application-discovery-service/src/commands/StartContinuousExportCommand.ts +++ b/clients/client-application-discovery-service/src/commands/StartContinuousExportCommand.ts @@ -115,4 +115,16 @@ export class StartContinuousExportCommand extends $Command .f(void 0, void 0) .ser(se_StartContinuousExportCommand) .de(de_StartContinuousExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: StartContinuousExportResponse; + }; + sdk: { + input: StartContinuousExportCommandInput; + output: StartContinuousExportCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/StartDataCollectionByAgentIdsCommand.ts b/clients/client-application-discovery-service/src/commands/StartDataCollectionByAgentIdsCommand.ts index 2c7892098c07..6c6a31549e7d 100644 --- a/clients/client-application-discovery-service/src/commands/StartDataCollectionByAgentIdsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/StartDataCollectionByAgentIdsCommand.ts @@ -111,4 +111,16 @@ export class StartDataCollectionByAgentIdsCommand extends $Command .f(void 0, void 0) .ser(se_StartDataCollectionByAgentIdsCommand) .de(de_StartDataCollectionByAgentIdsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataCollectionByAgentIdsRequest; + output: StartDataCollectionByAgentIdsResponse; + }; + sdk: { + input: StartDataCollectionByAgentIdsCommandInput; + output: StartDataCollectionByAgentIdsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/StartExportTaskCommand.ts b/clients/client-application-discovery-service/src/commands/StartExportTaskCommand.ts index a5864c391be3..6cdb0cb2579a 100644 --- a/clients/client-application-discovery-service/src/commands/StartExportTaskCommand.ts +++ b/clients/client-application-discovery-service/src/commands/StartExportTaskCommand.ts @@ -158,4 +158,16 @@ export class StartExportTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartExportTaskCommand) .de(de_StartExportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExportTaskRequest; + output: StartExportTaskResponse; + }; + sdk: { + input: StartExportTaskCommandInput; + output: StartExportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/StartImportTaskCommand.ts b/clients/client-application-discovery-service/src/commands/StartImportTaskCommand.ts index c2f0df5619b4..73b6c7e4fa0c 100644 --- a/clients/client-application-discovery-service/src/commands/StartImportTaskCommand.ts +++ b/clients/client-application-discovery-service/src/commands/StartImportTaskCommand.ts @@ -153,4 +153,16 @@ export class StartImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartImportTaskCommand) .de(de_StartImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportTaskRequest; + output: StartImportTaskResponse; + }; + sdk: { + input: StartImportTaskCommandInput; + output: StartImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/StopContinuousExportCommand.ts b/clients/client-application-discovery-service/src/commands/StopContinuousExportCommand.ts index 12ec631e1857..0925b6f4d5fe 100644 --- a/clients/client-application-discovery-service/src/commands/StopContinuousExportCommand.ts +++ b/clients/client-application-discovery-service/src/commands/StopContinuousExportCommand.ts @@ -113,4 +113,16 @@ export class StopContinuousExportCommand extends $Command .f(void 0, void 0) .ser(se_StopContinuousExportCommand) .de(de_StopContinuousExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopContinuousExportRequest; + output: StopContinuousExportResponse; + }; + sdk: { + input: StopContinuousExportCommandInput; + output: StopContinuousExportCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/StopDataCollectionByAgentIdsCommand.ts b/clients/client-application-discovery-service/src/commands/StopDataCollectionByAgentIdsCommand.ts index ef1eed76b117..95b301a2f042 100644 --- a/clients/client-application-discovery-service/src/commands/StopDataCollectionByAgentIdsCommand.ts +++ b/clients/client-application-discovery-service/src/commands/StopDataCollectionByAgentIdsCommand.ts @@ -111,4 +111,16 @@ export class StopDataCollectionByAgentIdsCommand extends $Command .f(void 0, void 0) .ser(se_StopDataCollectionByAgentIdsCommand) .de(de_StopDataCollectionByAgentIdsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDataCollectionByAgentIdsRequest; + output: StopDataCollectionByAgentIdsResponse; + }; + sdk: { + input: StopDataCollectionByAgentIdsCommandInput; + output: StopDataCollectionByAgentIdsCommandOutput; + }; + }; +} diff --git a/clients/client-application-discovery-service/src/commands/UpdateApplicationCommand.ts b/clients/client-application-discovery-service/src/commands/UpdateApplicationCommand.ts index 244bb0684a9c..2a4da72cafb8 100644 --- a/clients/client-application-discovery-service/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-application-discovery-service/src/commands/UpdateApplicationCommand.ts @@ -98,4 +98,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/package.json b/clients/client-application-insights/package.json index 08ce2e7af2f8..82e606b48f6c 100644 --- a/clients/client-application-insights/package.json +++ b/clients/client-application-insights/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-application-insights/src/commands/AddWorkloadCommand.ts b/clients/client-application-insights/src/commands/AddWorkloadCommand.ts index ff9b0e937152..285d206f83e5 100644 --- a/clients/client-application-insights/src/commands/AddWorkloadCommand.ts +++ b/clients/client-application-insights/src/commands/AddWorkloadCommand.ts @@ -104,4 +104,16 @@ export class AddWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_AddWorkloadCommand) .de(de_AddWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddWorkloadRequest; + output: AddWorkloadResponse; + }; + sdk: { + input: AddWorkloadCommandInput; + output: AddWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/CreateApplicationCommand.ts b/clients/client-application-insights/src/commands/CreateApplicationCommand.ts index ba3e58ffe3a5..11d64d9ef205 100644 --- a/clients/client-application-insights/src/commands/CreateApplicationCommand.ts +++ b/clients/client-application-insights/src/commands/CreateApplicationCommand.ts @@ -123,4 +123,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/CreateComponentCommand.ts b/clients/client-application-insights/src/commands/CreateComponentCommand.ts index a6988c8acfb6..59060552a868 100644 --- a/clients/client-application-insights/src/commands/CreateComponentCommand.ts +++ b/clients/client-application-insights/src/commands/CreateComponentCommand.ts @@ -95,4 +95,16 @@ export class CreateComponentCommand extends $Command .f(void 0, void 0) .ser(se_CreateComponentCommand) .de(de_CreateComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComponentRequest; + output: {}; + }; + sdk: { + input: CreateComponentCommandInput; + output: CreateComponentCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/CreateLogPatternCommand.ts b/clients/client-application-insights/src/commands/CreateLogPatternCommand.ts index 2405a7ed495a..3637a85174a1 100644 --- a/clients/client-application-insights/src/commands/CreateLogPatternCommand.ts +++ b/clients/client-application-insights/src/commands/CreateLogPatternCommand.ts @@ -103,4 +103,16 @@ export class CreateLogPatternCommand extends $Command .f(void 0, void 0) .ser(se_CreateLogPatternCommand) .de(de_CreateLogPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLogPatternRequest; + output: CreateLogPatternResponse; + }; + sdk: { + input: CreateLogPatternCommandInput; + output: CreateLogPatternCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DeleteApplicationCommand.ts b/clients/client-application-insights/src/commands/DeleteApplicationCommand.ts index 796382921766..16417d5f4fdc 100644 --- a/clients/client-application-insights/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-application-insights/src/commands/DeleteApplicationCommand.ts @@ -92,4 +92,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DeleteComponentCommand.ts b/clients/client-application-insights/src/commands/DeleteComponentCommand.ts index 5e507f3cf843..48f2a5ade01d 100644 --- a/clients/client-application-insights/src/commands/DeleteComponentCommand.ts +++ b/clients/client-application-insights/src/commands/DeleteComponentCommand.ts @@ -91,4 +91,16 @@ export class DeleteComponentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteComponentCommand) .de(de_DeleteComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComponentRequest; + output: {}; + }; + sdk: { + input: DeleteComponentCommandInput; + output: DeleteComponentCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DeleteLogPatternCommand.ts b/clients/client-application-insights/src/commands/DeleteLogPatternCommand.ts index 04fd347364fc..19e922d05a86 100644 --- a/clients/client-application-insights/src/commands/DeleteLogPatternCommand.ts +++ b/clients/client-application-insights/src/commands/DeleteLogPatternCommand.ts @@ -93,4 +93,16 @@ export class DeleteLogPatternCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLogPatternCommand) .de(de_DeleteLogPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLogPatternRequest; + output: {}; + }; + sdk: { + input: DeleteLogPatternCommandInput; + output: DeleteLogPatternCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeApplicationCommand.ts b/clients/client-application-insights/src/commands/DescribeApplicationCommand.ts index 6ca2c709d777..ac19dd8baecb 100644 --- a/clients/client-application-insights/src/commands/DescribeApplicationCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeApplicationCommand.ts @@ -102,4 +102,16 @@ export class DescribeApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationCommand) .de(de_DescribeApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationRequest; + output: DescribeApplicationResponse; + }; + sdk: { + input: DescribeApplicationCommandInput; + output: DescribeApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeComponentCommand.ts b/clients/client-application-insights/src/commands/DescribeComponentCommand.ts index a901beb562a4..2447eeac6246 100644 --- a/clients/client-application-insights/src/commands/DescribeComponentCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeComponentCommand.ts @@ -108,4 +108,16 @@ export class DescribeComponentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeComponentCommand) .de(de_DescribeComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComponentRequest; + output: DescribeComponentResponse; + }; + sdk: { + input: DescribeComponentCommandInput; + output: DescribeComponentCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeComponentConfigurationCommand.ts b/clients/client-application-insights/src/commands/DescribeComponentConfigurationCommand.ts index 7ee6cf10119d..34c2a9b26fa9 100644 --- a/clients/client-application-insights/src/commands/DescribeComponentConfigurationCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeComponentConfigurationCommand.ts @@ -99,4 +99,16 @@ export class DescribeComponentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeComponentConfigurationCommand) .de(de_DescribeComponentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComponentConfigurationRequest; + output: DescribeComponentConfigurationResponse; + }; + sdk: { + input: DescribeComponentConfigurationCommandInput; + output: DescribeComponentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeComponentConfigurationRecommendationCommand.ts b/clients/client-application-insights/src/commands/DescribeComponentConfigurationRecommendationCommand.ts index 6f751d8cfde2..a5cc79a9034c 100644 --- a/clients/client-application-insights/src/commands/DescribeComponentConfigurationRecommendationCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeComponentConfigurationRecommendationCommand.ts @@ -103,4 +103,16 @@ export class DescribeComponentConfigurationRecommendationCommand extends $Comman .f(void 0, void 0) .ser(se_DescribeComponentConfigurationRecommendationCommand) .de(de_DescribeComponentConfigurationRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComponentConfigurationRecommendationRequest; + output: DescribeComponentConfigurationRecommendationResponse; + }; + sdk: { + input: DescribeComponentConfigurationRecommendationCommandInput; + output: DescribeComponentConfigurationRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeLogPatternCommand.ts b/clients/client-application-insights/src/commands/DescribeLogPatternCommand.ts index 6e9d0007d88e..eef0a462a571 100644 --- a/clients/client-application-insights/src/commands/DescribeLogPatternCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeLogPatternCommand.ts @@ -100,4 +100,16 @@ export class DescribeLogPatternCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLogPatternCommand) .de(de_DescribeLogPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLogPatternRequest; + output: DescribeLogPatternResponse; + }; + sdk: { + input: DescribeLogPatternCommandInput; + output: DescribeLogPatternCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeObservationCommand.ts b/clients/client-application-insights/src/commands/DescribeObservationCommand.ts index fc1b2d8d639e..dcc83eef9933 100644 --- a/clients/client-application-insights/src/commands/DescribeObservationCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeObservationCommand.ts @@ -137,4 +137,16 @@ export class DescribeObservationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeObservationCommand) .de(de_DescribeObservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeObservationRequest; + output: DescribeObservationResponse; + }; + sdk: { + input: DescribeObservationCommandInput; + output: DescribeObservationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeProblemCommand.ts b/clients/client-application-insights/src/commands/DescribeProblemCommand.ts index 7c50d26a7542..b9f76704968b 100644 --- a/clients/client-application-insights/src/commands/DescribeProblemCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeProblemCommand.ts @@ -109,4 +109,16 @@ export class DescribeProblemCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProblemCommand) .de(de_DescribeProblemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProblemRequest; + output: DescribeProblemResponse; + }; + sdk: { + input: DescribeProblemCommandInput; + output: DescribeProblemCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeProblemObservationsCommand.ts b/clients/client-application-insights/src/commands/DescribeProblemObservationsCommand.ts index 0c47b9c93319..1c57562de131 100644 --- a/clients/client-application-insights/src/commands/DescribeProblemObservationsCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeProblemObservationsCommand.ts @@ -143,4 +143,16 @@ export class DescribeProblemObservationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProblemObservationsCommand) .de(de_DescribeProblemObservationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProblemObservationsRequest; + output: DescribeProblemObservationsResponse; + }; + sdk: { + input: DescribeProblemObservationsCommandInput; + output: DescribeProblemObservationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/DescribeWorkloadCommand.ts b/clients/client-application-insights/src/commands/DescribeWorkloadCommand.ts index d515b882750b..c9b9c11cdaab 100644 --- a/clients/client-application-insights/src/commands/DescribeWorkloadCommand.ts +++ b/clients/client-application-insights/src/commands/DescribeWorkloadCommand.ts @@ -99,4 +99,16 @@ export class DescribeWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkloadCommand) .de(de_DescribeWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkloadRequest; + output: DescribeWorkloadResponse; + }; + sdk: { + input: DescribeWorkloadCommandInput; + output: DescribeWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListApplicationsCommand.ts b/clients/client-application-insights/src/commands/ListApplicationsCommand.ts index efc10f4c25c3..e7a95dc108e0 100644 --- a/clients/client-application-insights/src/commands/ListApplicationsCommand.ts +++ b/clients/client-application-insights/src/commands/ListApplicationsCommand.ts @@ -103,4 +103,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListComponentsCommand.ts b/clients/client-application-insights/src/commands/ListComponentsCommand.ts index 2fd3637ec00b..986b4e2993c9 100644 --- a/clients/client-application-insights/src/commands/ListComponentsCommand.ts +++ b/clients/client-application-insights/src/commands/ListComponentsCommand.ts @@ -108,4 +108,16 @@ export class ListComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentsCommand) .de(de_ListComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentsRequest; + output: ListComponentsResponse; + }; + sdk: { + input: ListComponentsCommandInput; + output: ListComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListConfigurationHistoryCommand.ts b/clients/client-application-insights/src/commands/ListConfigurationHistoryCommand.ts index 92502f30b730..9202dba579b8 100644 --- a/clients/client-application-insights/src/commands/ListConfigurationHistoryCommand.ts +++ b/clients/client-application-insights/src/commands/ListConfigurationHistoryCommand.ts @@ -121,4 +121,16 @@ export class ListConfigurationHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationHistoryCommand) .de(de_ListConfigurationHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationHistoryRequest; + output: ListConfigurationHistoryResponse; + }; + sdk: { + input: ListConfigurationHistoryCommandInput; + output: ListConfigurationHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListLogPatternSetsCommand.ts b/clients/client-application-insights/src/commands/ListLogPatternSetsCommand.ts index b79045d34854..da497ab83d1b 100644 --- a/clients/client-application-insights/src/commands/ListLogPatternSetsCommand.ts +++ b/clients/client-application-insights/src/commands/ListLogPatternSetsCommand.ts @@ -98,4 +98,16 @@ export class ListLogPatternSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListLogPatternSetsCommand) .de(de_ListLogPatternSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLogPatternSetsRequest; + output: ListLogPatternSetsResponse; + }; + sdk: { + input: ListLogPatternSetsCommandInput; + output: ListLogPatternSetsCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListLogPatternsCommand.ts b/clients/client-application-insights/src/commands/ListLogPatternsCommand.ts index b89cc883671a..510c4a1e9bd2 100644 --- a/clients/client-application-insights/src/commands/ListLogPatternsCommand.ts +++ b/clients/client-application-insights/src/commands/ListLogPatternsCommand.ts @@ -104,4 +104,16 @@ export class ListLogPatternsCommand extends $Command .f(void 0, void 0) .ser(se_ListLogPatternsCommand) .de(de_ListLogPatternsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLogPatternsRequest; + output: ListLogPatternsResponse; + }; + sdk: { + input: ListLogPatternsCommandInput; + output: ListLogPatternsCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListProblemsCommand.ts b/clients/client-application-insights/src/commands/ListProblemsCommand.ts index 9c16536ef7c9..8f77ba4008bd 100644 --- a/clients/client-application-insights/src/commands/ListProblemsCommand.ts +++ b/clients/client-application-insights/src/commands/ListProblemsCommand.ts @@ -120,4 +120,16 @@ export class ListProblemsCommand extends $Command .f(void 0, void 0) .ser(se_ListProblemsCommand) .de(de_ListProblemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProblemsRequest; + output: ListProblemsResponse; + }; + sdk: { + input: ListProblemsCommandInput; + output: ListProblemsCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListTagsForResourceCommand.ts b/clients/client-application-insights/src/commands/ListTagsForResourceCommand.ts index 0e95ae0a0da3..2720ef24e1b8 100644 --- a/clients/client-application-insights/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-application-insights/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/ListWorkloadsCommand.ts b/clients/client-application-insights/src/commands/ListWorkloadsCommand.ts index 85110e85c98e..108711ad445d 100644 --- a/clients/client-application-insights/src/commands/ListWorkloadsCommand.ts +++ b/clients/client-application-insights/src/commands/ListWorkloadsCommand.ts @@ -103,4 +103,16 @@ export class ListWorkloadsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkloadsCommand) .de(de_ListWorkloadsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkloadsRequest; + output: ListWorkloadsResponse; + }; + sdk: { + input: ListWorkloadsCommandInput; + output: ListWorkloadsCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/RemoveWorkloadCommand.ts b/clients/client-application-insights/src/commands/RemoveWorkloadCommand.ts index 99f8eb749777..134dd2ea5a77 100644 --- a/clients/client-application-insights/src/commands/RemoveWorkloadCommand.ts +++ b/clients/client-application-insights/src/commands/RemoveWorkloadCommand.ts @@ -90,4 +90,16 @@ export class RemoveWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_RemoveWorkloadCommand) .de(de_RemoveWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveWorkloadRequest; + output: {}; + }; + sdk: { + input: RemoveWorkloadCommandInput; + output: RemoveWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/TagResourceCommand.ts b/clients/client-application-insights/src/commands/TagResourceCommand.ts index 9af70ac7ea6d..a152a14dd8dc 100644 --- a/clients/client-application-insights/src/commands/TagResourceCommand.ts +++ b/clients/client-application-insights/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/UntagResourceCommand.ts b/clients/client-application-insights/src/commands/UntagResourceCommand.ts index eba27d1b070b..2ae4574f3e26 100644 --- a/clients/client-application-insights/src/commands/UntagResourceCommand.ts +++ b/clients/client-application-insights/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/UpdateApplicationCommand.ts b/clients/client-application-insights/src/commands/UpdateApplicationCommand.ts index 78f00e73eca0..e4e8effed0de 100644 --- a/clients/client-application-insights/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-application-insights/src/commands/UpdateApplicationCommand.ts @@ -107,4 +107,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: UpdateApplicationResponse; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/UpdateComponentCommand.ts b/clients/client-application-insights/src/commands/UpdateComponentCommand.ts index 4fea934069e3..b0a60c1b6ba9 100644 --- a/clients/client-application-insights/src/commands/UpdateComponentCommand.ts +++ b/clients/client-application-insights/src/commands/UpdateComponentCommand.ts @@ -97,4 +97,16 @@ export class UpdateComponentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateComponentCommand) .de(de_UpdateComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateComponentRequest; + output: {}; + }; + sdk: { + input: UpdateComponentCommandInput; + output: UpdateComponentCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/UpdateComponentConfigurationCommand.ts b/clients/client-application-insights/src/commands/UpdateComponentConfigurationCommand.ts index 4cd6e7e50cb2..723eb0800df9 100644 --- a/clients/client-application-insights/src/commands/UpdateComponentConfigurationCommand.ts +++ b/clients/client-application-insights/src/commands/UpdateComponentConfigurationCommand.ts @@ -103,4 +103,16 @@ export class UpdateComponentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateComponentConfigurationCommand) .de(de_UpdateComponentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateComponentConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateComponentConfigurationCommandInput; + output: UpdateComponentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/UpdateLogPatternCommand.ts b/clients/client-application-insights/src/commands/UpdateLogPatternCommand.ts index 149abe4d9079..2b569cd963ea 100644 --- a/clients/client-application-insights/src/commands/UpdateLogPatternCommand.ts +++ b/clients/client-application-insights/src/commands/UpdateLogPatternCommand.ts @@ -103,4 +103,16 @@ export class UpdateLogPatternCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLogPatternCommand) .de(de_UpdateLogPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLogPatternRequest; + output: UpdateLogPatternResponse; + }; + sdk: { + input: UpdateLogPatternCommandInput; + output: UpdateLogPatternCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/UpdateProblemCommand.ts b/clients/client-application-insights/src/commands/UpdateProblemCommand.ts index fa5bb19145e6..0c0c6c6f6e48 100644 --- a/clients/client-application-insights/src/commands/UpdateProblemCommand.ts +++ b/clients/client-application-insights/src/commands/UpdateProblemCommand.ts @@ -91,4 +91,16 @@ export class UpdateProblemCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProblemCommand) .de(de_UpdateProblemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProblemRequest; + output: {}; + }; + sdk: { + input: UpdateProblemCommandInput; + output: UpdateProblemCommandOutput; + }; + }; +} diff --git a/clients/client-application-insights/src/commands/UpdateWorkloadCommand.ts b/clients/client-application-insights/src/commands/UpdateWorkloadCommand.ts index 04ba8e69bd3c..97b47a23ba9e 100644 --- a/clients/client-application-insights/src/commands/UpdateWorkloadCommand.ts +++ b/clients/client-application-insights/src/commands/UpdateWorkloadCommand.ts @@ -102,4 +102,16 @@ export class UpdateWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkloadCommand) .de(de_UpdateWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkloadRequest; + output: UpdateWorkloadResponse; + }; + sdk: { + input: UpdateWorkloadCommandInput; + output: UpdateWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/package.json b/clients/client-application-signals/package.json index b33a4e84583e..be26b3107958 100644 --- a/clients/client-application-signals/package.json +++ b/clients/client-application-signals/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-application-signals/src/commands/BatchGetServiceLevelObjectiveBudgetReportCommand.ts b/clients/client-application-signals/src/commands/BatchGetServiceLevelObjectiveBudgetReportCommand.ts index 31d5eb0d1120..f2186197b365 100644 --- a/clients/client-application-signals/src/commands/BatchGetServiceLevelObjectiveBudgetReportCommand.ts +++ b/clients/client-application-signals/src/commands/BatchGetServiceLevelObjectiveBudgetReportCommand.ts @@ -269,4 +269,16 @@ export class BatchGetServiceLevelObjectiveBudgetReportCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetServiceLevelObjectiveBudgetReportCommand) .de(de_BatchGetServiceLevelObjectiveBudgetReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetServiceLevelObjectiveBudgetReportInput; + output: BatchGetServiceLevelObjectiveBudgetReportOutput; + }; + sdk: { + input: BatchGetServiceLevelObjectiveBudgetReportCommandInput; + output: BatchGetServiceLevelObjectiveBudgetReportCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/CreateServiceLevelObjectiveCommand.ts b/clients/client-application-signals/src/commands/CreateServiceLevelObjectiveCommand.ts index b720605063d3..ee59a4e0a8a6 100644 --- a/clients/client-application-signals/src/commands/CreateServiceLevelObjectiveCommand.ts +++ b/clients/client-application-signals/src/commands/CreateServiceLevelObjectiveCommand.ts @@ -478,4 +478,16 @@ export class CreateServiceLevelObjectiveCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceLevelObjectiveCommand) .de(de_CreateServiceLevelObjectiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceLevelObjectiveInput; + output: CreateServiceLevelObjectiveOutput; + }; + sdk: { + input: CreateServiceLevelObjectiveCommandInput; + output: CreateServiceLevelObjectiveCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/DeleteServiceLevelObjectiveCommand.ts b/clients/client-application-signals/src/commands/DeleteServiceLevelObjectiveCommand.ts index 1e3c29624144..23f663e22f80 100644 --- a/clients/client-application-signals/src/commands/DeleteServiceLevelObjectiveCommand.ts +++ b/clients/client-application-signals/src/commands/DeleteServiceLevelObjectiveCommand.ts @@ -91,4 +91,16 @@ export class DeleteServiceLevelObjectiveCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceLevelObjectiveCommand) .de(de_DeleteServiceLevelObjectiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceLevelObjectiveInput; + output: {}; + }; + sdk: { + input: DeleteServiceLevelObjectiveCommandInput; + output: DeleteServiceLevelObjectiveCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/GetServiceCommand.ts b/clients/client-application-signals/src/commands/GetServiceCommand.ts index 037a4b5ba62c..d666840a03b9 100644 --- a/clients/client-application-signals/src/commands/GetServiceCommand.ts +++ b/clients/client-application-signals/src/commands/GetServiceCommand.ts @@ -125,4 +125,16 @@ export class GetServiceCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceCommand) .de(de_GetServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceInput; + output: GetServiceOutput; + }; + sdk: { + input: GetServiceCommandInput; + output: GetServiceCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/GetServiceLevelObjectiveCommand.ts b/clients/client-application-signals/src/commands/GetServiceLevelObjectiveCommand.ts index 50d30551213e..962fd3a7ed17 100644 --- a/clients/client-application-signals/src/commands/GetServiceLevelObjectiveCommand.ts +++ b/clients/client-application-signals/src/commands/GetServiceLevelObjectiveCommand.ts @@ -236,4 +236,16 @@ export class GetServiceLevelObjectiveCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceLevelObjectiveCommand) .de(de_GetServiceLevelObjectiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceLevelObjectiveInput; + output: GetServiceLevelObjectiveOutput; + }; + sdk: { + input: GetServiceLevelObjectiveCommandInput; + output: GetServiceLevelObjectiveCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/ListServiceDependenciesCommand.ts b/clients/client-application-signals/src/commands/ListServiceDependenciesCommand.ts index 6b0f155e82ac..c70062576f0d 100644 --- a/clients/client-application-signals/src/commands/ListServiceDependenciesCommand.ts +++ b/clients/client-application-signals/src/commands/ListServiceDependenciesCommand.ts @@ -120,4 +120,16 @@ export class ListServiceDependenciesCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceDependenciesCommand) .de(de_ListServiceDependenciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceDependenciesInput; + output: ListServiceDependenciesOutput; + }; + sdk: { + input: ListServiceDependenciesCommandInput; + output: ListServiceDependenciesCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/ListServiceDependentsCommand.ts b/clients/client-application-signals/src/commands/ListServiceDependentsCommand.ts index 50dfa3ed6793..b40ef35e8df5 100644 --- a/clients/client-application-signals/src/commands/ListServiceDependentsCommand.ts +++ b/clients/client-application-signals/src/commands/ListServiceDependentsCommand.ts @@ -118,4 +118,16 @@ export class ListServiceDependentsCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceDependentsCommand) .de(de_ListServiceDependentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceDependentsInput; + output: ListServiceDependentsOutput; + }; + sdk: { + input: ListServiceDependentsCommandInput; + output: ListServiceDependentsCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/ListServiceLevelObjectivesCommand.ts b/clients/client-application-signals/src/commands/ListServiceLevelObjectivesCommand.ts index 14f632119495..b4a9d8b0da3d 100644 --- a/clients/client-application-signals/src/commands/ListServiceLevelObjectivesCommand.ts +++ b/clients/client-application-signals/src/commands/ListServiceLevelObjectivesCommand.ts @@ -103,4 +103,16 @@ export class ListServiceLevelObjectivesCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceLevelObjectivesCommand) .de(de_ListServiceLevelObjectivesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceLevelObjectivesInput; + output: ListServiceLevelObjectivesOutput; + }; + sdk: { + input: ListServiceLevelObjectivesCommandInput; + output: ListServiceLevelObjectivesCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/ListServiceOperationsCommand.ts b/clients/client-application-signals/src/commands/ListServiceOperationsCommand.ts index 9767dc37406e..d25ba75723c5 100644 --- a/clients/client-application-signals/src/commands/ListServiceOperationsCommand.ts +++ b/clients/client-application-signals/src/commands/ListServiceOperationsCommand.ts @@ -114,4 +114,16 @@ export class ListServiceOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceOperationsCommand) .de(de_ListServiceOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceOperationsInput; + output: ListServiceOperationsOutput; + }; + sdk: { + input: ListServiceOperationsCommandInput; + output: ListServiceOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/ListServicesCommand.ts b/clients/client-application-signals/src/commands/ListServicesCommand.ts index 79a685ac418d..03a26d32b871 100644 --- a/clients/client-application-signals/src/commands/ListServicesCommand.ts +++ b/clients/client-application-signals/src/commands/ListServicesCommand.ts @@ -119,4 +119,16 @@ export class ListServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesInput; + output: ListServicesOutput; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/ListTagsForResourceCommand.ts b/clients/client-application-signals/src/commands/ListTagsForResourceCommand.ts index 8170eb958fab..1ae5da687f05 100644 --- a/clients/client-application-signals/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-application-signals/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/StartDiscoveryCommand.ts b/clients/client-application-signals/src/commands/StartDiscoveryCommand.ts index ce313e42d65f..905f125fac0b 100644 --- a/clients/client-application-signals/src/commands/StartDiscoveryCommand.ts +++ b/clients/client-application-signals/src/commands/StartDiscoveryCommand.ts @@ -129,4 +129,16 @@ export class StartDiscoveryCommand extends $Command .f(void 0, void 0) .ser(se_StartDiscoveryCommand) .de(de_StartDiscoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: StartDiscoveryCommandInput; + output: StartDiscoveryCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/TagResourceCommand.ts b/clients/client-application-signals/src/commands/TagResourceCommand.ts index a32171c39e74..f0b62fe5a3aa 100644 --- a/clients/client-application-signals/src/commands/TagResourceCommand.ts +++ b/clients/client-application-signals/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/UntagResourceCommand.ts b/clients/client-application-signals/src/commands/UntagResourceCommand.ts index bcc1b7e245d8..c943076e205d 100644 --- a/clients/client-application-signals/src/commands/UntagResourceCommand.ts +++ b/clients/client-application-signals/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-application-signals/src/commands/UpdateServiceLevelObjectiveCommand.ts b/clients/client-application-signals/src/commands/UpdateServiceLevelObjectiveCommand.ts index 8f0f3d6e951e..d2b37ea58e4b 100644 --- a/clients/client-application-signals/src/commands/UpdateServiceLevelObjectiveCommand.ts +++ b/clients/client-application-signals/src/commands/UpdateServiceLevelObjectiveCommand.ts @@ -384,4 +384,16 @@ export class UpdateServiceLevelObjectiveCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceLevelObjectiveCommand) .de(de_UpdateServiceLevelObjectiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceLevelObjectiveInput; + output: UpdateServiceLevelObjectiveOutput; + }; + sdk: { + input: UpdateServiceLevelObjectiveCommandInput; + output: UpdateServiceLevelObjectiveCommandOutput; + }; + }; +} diff --git a/clients/client-applicationcostprofiler/package.json b/clients/client-applicationcostprofiler/package.json index ca0c48107778..7a494453712b 100644 --- a/clients/client-applicationcostprofiler/package.json +++ b/clients/client-applicationcostprofiler/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-applicationcostprofiler/src/commands/DeleteReportDefinitionCommand.ts b/clients/client-applicationcostprofiler/src/commands/DeleteReportDefinitionCommand.ts index 93e50e1b0bea..db617ce8e29a 100644 --- a/clients/client-applicationcostprofiler/src/commands/DeleteReportDefinitionCommand.ts +++ b/clients/client-applicationcostprofiler/src/commands/DeleteReportDefinitionCommand.ts @@ -94,4 +94,16 @@ export class DeleteReportDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReportDefinitionCommand) .de(de_DeleteReportDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReportDefinitionRequest; + output: DeleteReportDefinitionResult; + }; + sdk: { + input: DeleteReportDefinitionCommandInput; + output: DeleteReportDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-applicationcostprofiler/src/commands/GetReportDefinitionCommand.ts b/clients/client-applicationcostprofiler/src/commands/GetReportDefinitionCommand.ts index a681c8c7da2f..64b91444441c 100644 --- a/clients/client-applicationcostprofiler/src/commands/GetReportDefinitionCommand.ts +++ b/clients/client-applicationcostprofiler/src/commands/GetReportDefinitionCommand.ts @@ -102,4 +102,16 @@ export class GetReportDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetReportDefinitionCommand) .de(de_GetReportDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReportDefinitionRequest; + output: GetReportDefinitionResult; + }; + sdk: { + input: GetReportDefinitionCommandInput; + output: GetReportDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-applicationcostprofiler/src/commands/ImportApplicationUsageCommand.ts b/clients/client-applicationcostprofiler/src/commands/ImportApplicationUsageCommand.ts index 4d3e06d5feac..0883e88ff76d 100644 --- a/clients/client-applicationcostprofiler/src/commands/ImportApplicationUsageCommand.ts +++ b/clients/client-applicationcostprofiler/src/commands/ImportApplicationUsageCommand.ts @@ -100,4 +100,16 @@ export class ImportApplicationUsageCommand extends $Command .f(void 0, void 0) .ser(se_ImportApplicationUsageCommand) .de(de_ImportApplicationUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportApplicationUsageRequest; + output: ImportApplicationUsageResult; + }; + sdk: { + input: ImportApplicationUsageCommandInput; + output: ImportApplicationUsageCommandOutput; + }; + }; +} diff --git a/clients/client-applicationcostprofiler/src/commands/ListReportDefinitionsCommand.ts b/clients/client-applicationcostprofiler/src/commands/ListReportDefinitionsCommand.ts index 04be33e4fdac..d6dfbcc417ed 100644 --- a/clients/client-applicationcostprofiler/src/commands/ListReportDefinitionsCommand.ts +++ b/clients/client-applicationcostprofiler/src/commands/ListReportDefinitionsCommand.ts @@ -109,4 +109,16 @@ export class ListReportDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListReportDefinitionsCommand) .de(de_ListReportDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReportDefinitionsRequest; + output: ListReportDefinitionsResult; + }; + sdk: { + input: ListReportDefinitionsCommandInput; + output: ListReportDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-applicationcostprofiler/src/commands/PutReportDefinitionCommand.ts b/clients/client-applicationcostprofiler/src/commands/PutReportDefinitionCommand.ts index 7089a13e229c..8e0e87414822 100644 --- a/clients/client-applicationcostprofiler/src/commands/PutReportDefinitionCommand.ts +++ b/clients/client-applicationcostprofiler/src/commands/PutReportDefinitionCommand.ts @@ -103,4 +103,16 @@ export class PutReportDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_PutReportDefinitionCommand) .de(de_PutReportDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutReportDefinitionRequest; + output: PutReportDefinitionResult; + }; + sdk: { + input: PutReportDefinitionCommandInput; + output: PutReportDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-applicationcostprofiler/src/commands/UpdateReportDefinitionCommand.ts b/clients/client-applicationcostprofiler/src/commands/UpdateReportDefinitionCommand.ts index 5cfec2860cbc..0eea7835e6b0 100644 --- a/clients/client-applicationcostprofiler/src/commands/UpdateReportDefinitionCommand.ts +++ b/clients/client-applicationcostprofiler/src/commands/UpdateReportDefinitionCommand.ts @@ -100,4 +100,16 @@ export class UpdateReportDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReportDefinitionCommand) .de(de_UpdateReportDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReportDefinitionRequest; + output: UpdateReportDefinitionResult; + }; + sdk: { + input: UpdateReportDefinitionCommandInput; + output: UpdateReportDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/package.json b/clients/client-apprunner/package.json index 77c7cbbf33c9..e1a2a615d3bf 100644 --- a/clients/client-apprunner/package.json +++ b/clients/client-apprunner/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-apprunner/src/commands/AssociateCustomDomainCommand.ts b/clients/client-apprunner/src/commands/AssociateCustomDomainCommand.ts index 5c9a7ec37816..1c8d3e1c554d 100644 --- a/clients/client-apprunner/src/commands/AssociateCustomDomainCommand.ts +++ b/clients/client-apprunner/src/commands/AssociateCustomDomainCommand.ts @@ -113,4 +113,16 @@ export class AssociateCustomDomainCommand extends $Command .f(void 0, void 0) .ser(se_AssociateCustomDomainCommand) .de(de_AssociateCustomDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateCustomDomainRequest; + output: AssociateCustomDomainResponse; + }; + sdk: { + input: AssociateCustomDomainCommandInput; + output: AssociateCustomDomainCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/CreateAutoScalingConfigurationCommand.ts b/clients/client-apprunner/src/commands/CreateAutoScalingConfigurationCommand.ts index 0dc7faad1a41..f8d0b86db68c 100644 --- a/clients/client-apprunner/src/commands/CreateAutoScalingConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/CreateAutoScalingConfigurationCommand.ts @@ -123,4 +123,16 @@ export class CreateAutoScalingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateAutoScalingConfigurationCommand) .de(de_CreateAutoScalingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAutoScalingConfigurationRequest; + output: CreateAutoScalingConfigurationResponse; + }; + sdk: { + input: CreateAutoScalingConfigurationCommandInput; + output: CreateAutoScalingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/CreateConnectionCommand.ts b/clients/client-apprunner/src/commands/CreateConnectionCommand.ts index 4d2cb2e61b8e..1734b5cda437 100644 --- a/clients/client-apprunner/src/commands/CreateConnectionCommand.ts +++ b/clients/client-apprunner/src/commands/CreateConnectionCommand.ts @@ -105,4 +105,16 @@ export class CreateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionRequest; + output: CreateConnectionResponse; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/CreateObservabilityConfigurationCommand.ts b/clients/client-apprunner/src/commands/CreateObservabilityConfigurationCommand.ts index 192c4fed477e..1eb2201e6913 100644 --- a/clients/client-apprunner/src/commands/CreateObservabilityConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/CreateObservabilityConfigurationCommand.ts @@ -121,4 +121,16 @@ export class CreateObservabilityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateObservabilityConfigurationCommand) .de(de_CreateObservabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateObservabilityConfigurationRequest; + output: CreateObservabilityConfigurationResponse; + }; + sdk: { + input: CreateObservabilityConfigurationCommandInput; + output: CreateObservabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/CreateServiceCommand.ts b/clients/client-apprunner/src/commands/CreateServiceCommand.ts index 263a2ead88b0..8d344f34fb55 100644 --- a/clients/client-apprunner/src/commands/CreateServiceCommand.ts +++ b/clients/client-apprunner/src/commands/CreateServiceCommand.ts @@ -268,4 +268,16 @@ export class CreateServiceCommand extends $Command .f(CreateServiceRequestFilterSensitiveLog, CreateServiceResponseFilterSensitiveLog) .ser(se_CreateServiceCommand) .de(de_CreateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceRequest; + output: CreateServiceResponse; + }; + sdk: { + input: CreateServiceCommandInput; + output: CreateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/CreateVpcConnectorCommand.ts b/clients/client-apprunner/src/commands/CreateVpcConnectorCommand.ts index b13008e9f9b8..90e0b1177d3d 100644 --- a/clients/client-apprunner/src/commands/CreateVpcConnectorCommand.ts +++ b/clients/client-apprunner/src/commands/CreateVpcConnectorCommand.ts @@ -114,4 +114,16 @@ export class CreateVpcConnectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcConnectorCommand) .de(de_CreateVpcConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcConnectorRequest; + output: CreateVpcConnectorResponse; + }; + sdk: { + input: CreateVpcConnectorCommandInput; + output: CreateVpcConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/CreateVpcIngressConnectionCommand.ts b/clients/client-apprunner/src/commands/CreateVpcIngressConnectionCommand.ts index cca452bdf2ba..e362679c0443 100644 --- a/clients/client-apprunner/src/commands/CreateVpcIngressConnectionCommand.ts +++ b/clients/client-apprunner/src/commands/CreateVpcIngressConnectionCommand.ts @@ -115,4 +115,16 @@ export class CreateVpcIngressConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcIngressConnectionCommand) .de(de_CreateVpcIngressConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcIngressConnectionRequest; + output: CreateVpcIngressConnectionResponse; + }; + sdk: { + input: CreateVpcIngressConnectionCommandInput; + output: CreateVpcIngressConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DeleteAutoScalingConfigurationCommand.ts b/clients/client-apprunner/src/commands/DeleteAutoScalingConfigurationCommand.ts index 06f38d4e090f..73c9767f109c 100644 --- a/clients/client-apprunner/src/commands/DeleteAutoScalingConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/DeleteAutoScalingConfigurationCommand.ts @@ -107,4 +107,16 @@ export class DeleteAutoScalingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAutoScalingConfigurationCommand) .de(de_DeleteAutoScalingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAutoScalingConfigurationRequest; + output: DeleteAutoScalingConfigurationResponse; + }; + sdk: { + input: DeleteAutoScalingConfigurationCommandInput; + output: DeleteAutoScalingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DeleteConnectionCommand.ts b/clients/client-apprunner/src/commands/DeleteConnectionCommand.ts index 8122127d03d1..1d219b16ab14 100644 --- a/clients/client-apprunner/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-apprunner/src/commands/DeleteConnectionCommand.ts @@ -93,4 +93,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRequest; + output: DeleteConnectionResponse; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DeleteObservabilityConfigurationCommand.ts b/clients/client-apprunner/src/commands/DeleteObservabilityConfigurationCommand.ts index 2b213dd79bf4..0e2ceca8063e 100644 --- a/clients/client-apprunner/src/commands/DeleteObservabilityConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/DeleteObservabilityConfigurationCommand.ts @@ -103,4 +103,16 @@ export class DeleteObservabilityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteObservabilityConfigurationCommand) .de(de_DeleteObservabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteObservabilityConfigurationRequest; + output: DeleteObservabilityConfigurationResponse; + }; + sdk: { + input: DeleteObservabilityConfigurationCommandInput; + output: DeleteObservabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DeleteServiceCommand.ts b/clients/client-apprunner/src/commands/DeleteServiceCommand.ts index 4f4db42ab45d..3d9731d5298e 100644 --- a/clients/client-apprunner/src/commands/DeleteServiceCommand.ts +++ b/clients/client-apprunner/src/commands/DeleteServiceCommand.ts @@ -192,4 +192,16 @@ export class DeleteServiceCommand extends $Command .f(void 0, DeleteServiceResponseFilterSensitiveLog) .ser(se_DeleteServiceCommand) .de(de_DeleteServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceRequest; + output: DeleteServiceResponse; + }; + sdk: { + input: DeleteServiceCommandInput; + output: DeleteServiceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DeleteVpcConnectorCommand.ts b/clients/client-apprunner/src/commands/DeleteVpcConnectorCommand.ts index 343de2a4de76..c205140dc732 100644 --- a/clients/client-apprunner/src/commands/DeleteVpcConnectorCommand.ts +++ b/clients/client-apprunner/src/commands/DeleteVpcConnectorCommand.ts @@ -100,4 +100,16 @@ export class DeleteVpcConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcConnectorCommand) .de(de_DeleteVpcConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcConnectorRequest; + output: DeleteVpcConnectorResponse; + }; + sdk: { + input: DeleteVpcConnectorCommandInput; + output: DeleteVpcConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DeleteVpcIngressConnectionCommand.ts b/clients/client-apprunner/src/commands/DeleteVpcIngressConnectionCommand.ts index ce1ec835fa7b..cd3394a40cc8 100644 --- a/clients/client-apprunner/src/commands/DeleteVpcIngressConnectionCommand.ts +++ b/clients/client-apprunner/src/commands/DeleteVpcIngressConnectionCommand.ts @@ -125,4 +125,16 @@ export class DeleteVpcIngressConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcIngressConnectionCommand) .de(de_DeleteVpcIngressConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcIngressConnectionRequest; + output: DeleteVpcIngressConnectionResponse; + }; + sdk: { + input: DeleteVpcIngressConnectionCommandInput; + output: DeleteVpcIngressConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DescribeAutoScalingConfigurationCommand.ts b/clients/client-apprunner/src/commands/DescribeAutoScalingConfigurationCommand.ts index 956f5e2531f4..592d5a5619e0 100644 --- a/clients/client-apprunner/src/commands/DescribeAutoScalingConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/DescribeAutoScalingConfigurationCommand.ts @@ -104,4 +104,16 @@ export class DescribeAutoScalingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutoScalingConfigurationCommand) .de(de_DescribeAutoScalingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAutoScalingConfigurationRequest; + output: DescribeAutoScalingConfigurationResponse; + }; + sdk: { + input: DescribeAutoScalingConfigurationCommandInput; + output: DescribeAutoScalingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DescribeCustomDomainsCommand.ts b/clients/client-apprunner/src/commands/DescribeCustomDomainsCommand.ts index 11bc5365da74..1c9fe63956c8 100644 --- a/clients/client-apprunner/src/commands/DescribeCustomDomainsCommand.ts +++ b/clients/client-apprunner/src/commands/DescribeCustomDomainsCommand.ts @@ -112,4 +112,16 @@ export class DescribeCustomDomainsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomDomainsCommand) .de(de_DescribeCustomDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomDomainsRequest; + output: DescribeCustomDomainsResponse; + }; + sdk: { + input: DescribeCustomDomainsCommandInput; + output: DescribeCustomDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DescribeObservabilityConfigurationCommand.ts b/clients/client-apprunner/src/commands/DescribeObservabilityConfigurationCommand.ts index 29d4348bc4ee..6425b6769b64 100644 --- a/clients/client-apprunner/src/commands/DescribeObservabilityConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/DescribeObservabilityConfigurationCommand.ts @@ -105,4 +105,16 @@ export class DescribeObservabilityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeObservabilityConfigurationCommand) .de(de_DescribeObservabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeObservabilityConfigurationRequest; + output: DescribeObservabilityConfigurationResponse; + }; + sdk: { + input: DescribeObservabilityConfigurationCommandInput; + output: DescribeObservabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DescribeServiceCommand.ts b/clients/client-apprunner/src/commands/DescribeServiceCommand.ts index 10d7ab175da9..18ac56280c97 100644 --- a/clients/client-apprunner/src/commands/DescribeServiceCommand.ts +++ b/clients/client-apprunner/src/commands/DescribeServiceCommand.ts @@ -182,4 +182,16 @@ export class DescribeServiceCommand extends $Command .f(void 0, DescribeServiceResponseFilterSensitiveLog) .ser(se_DescribeServiceCommand) .de(de_DescribeServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServiceRequest; + output: DescribeServiceResponse; + }; + sdk: { + input: DescribeServiceCommandInput; + output: DescribeServiceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DescribeVpcConnectorCommand.ts b/clients/client-apprunner/src/commands/DescribeVpcConnectorCommand.ts index 4cdaddb7160d..1645a3343d69 100644 --- a/clients/client-apprunner/src/commands/DescribeVpcConnectorCommand.ts +++ b/clients/client-apprunner/src/commands/DescribeVpcConnectorCommand.ts @@ -99,4 +99,16 @@ export class DescribeVpcConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcConnectorCommand) .de(de_DescribeVpcConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcConnectorRequest; + output: DescribeVpcConnectorResponse; + }; + sdk: { + input: DescribeVpcConnectorCommandInput; + output: DescribeVpcConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DescribeVpcIngressConnectionCommand.ts b/clients/client-apprunner/src/commands/DescribeVpcIngressConnectionCommand.ts index de635a3a4649..32d160679e84 100644 --- a/clients/client-apprunner/src/commands/DescribeVpcIngressConnectionCommand.ts +++ b/clients/client-apprunner/src/commands/DescribeVpcIngressConnectionCommand.ts @@ -104,4 +104,16 @@ export class DescribeVpcIngressConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcIngressConnectionCommand) .de(de_DescribeVpcIngressConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcIngressConnectionRequest; + output: DescribeVpcIngressConnectionResponse; + }; + sdk: { + input: DescribeVpcIngressConnectionCommandInput; + output: DescribeVpcIngressConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/DisassociateCustomDomainCommand.ts b/clients/client-apprunner/src/commands/DisassociateCustomDomainCommand.ts index 71124fd2c21a..e243dcdc6e56 100644 --- a/clients/client-apprunner/src/commands/DisassociateCustomDomainCommand.ts +++ b/clients/client-apprunner/src/commands/DisassociateCustomDomainCommand.ts @@ -114,4 +114,16 @@ export class DisassociateCustomDomainCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateCustomDomainCommand) .de(de_DisassociateCustomDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateCustomDomainRequest; + output: DisassociateCustomDomainResponse; + }; + sdk: { + input: DisassociateCustomDomainCommandInput; + output: DisassociateCustomDomainCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListAutoScalingConfigurationsCommand.ts b/clients/client-apprunner/src/commands/ListAutoScalingConfigurationsCommand.ts index 0ba10a68dc40..6c355e22f087 100644 --- a/clients/client-apprunner/src/commands/ListAutoScalingConfigurationsCommand.ts +++ b/clients/client-apprunner/src/commands/ListAutoScalingConfigurationsCommand.ts @@ -106,4 +106,16 @@ export class ListAutoScalingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAutoScalingConfigurationsCommand) .de(de_ListAutoScalingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAutoScalingConfigurationsRequest; + output: ListAutoScalingConfigurationsResponse; + }; + sdk: { + input: ListAutoScalingConfigurationsCommandInput; + output: ListAutoScalingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListConnectionsCommand.ts b/clients/client-apprunner/src/commands/ListConnectionsCommand.ts index 7beafffd8c5f..537e26eb1f88 100644 --- a/clients/client-apprunner/src/commands/ListConnectionsCommand.ts +++ b/clients/client-apprunner/src/commands/ListConnectionsCommand.ts @@ -94,4 +94,16 @@ export class ListConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectionsCommand) .de(de_ListConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectionsRequest; + output: ListConnectionsResponse; + }; + sdk: { + input: ListConnectionsCommandInput; + output: ListConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListObservabilityConfigurationsCommand.ts b/clients/client-apprunner/src/commands/ListObservabilityConfigurationsCommand.ts index dc75cd6e26b9..cfce226f1999 100644 --- a/clients/client-apprunner/src/commands/ListObservabilityConfigurationsCommand.ts +++ b/clients/client-apprunner/src/commands/ListObservabilityConfigurationsCommand.ts @@ -102,4 +102,16 @@ export class ListObservabilityConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListObservabilityConfigurationsCommand) .de(de_ListObservabilityConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObservabilityConfigurationsRequest; + output: ListObservabilityConfigurationsResponse; + }; + sdk: { + input: ListObservabilityConfigurationsCommandInput; + output: ListObservabilityConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListOperationsCommand.ts b/clients/client-apprunner/src/commands/ListOperationsCommand.ts index 87869517ca3b..b67bb18cc9e4 100644 --- a/clients/client-apprunner/src/commands/ListOperationsCommand.ts +++ b/clients/client-apprunner/src/commands/ListOperationsCommand.ts @@ -101,4 +101,16 @@ export class ListOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListOperationsCommand) .de(de_ListOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOperationsRequest; + output: ListOperationsResponse; + }; + sdk: { + input: ListOperationsCommandInput; + output: ListOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListServicesCommand.ts b/clients/client-apprunner/src/commands/ListServicesCommand.ts index 9aa8cd3aa4bd..7eb67a5ed07d 100644 --- a/clients/client-apprunner/src/commands/ListServicesCommand.ts +++ b/clients/client-apprunner/src/commands/ListServicesCommand.ts @@ -95,4 +95,16 @@ export class ListServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesRequest; + output: ListServicesResponse; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListServicesForAutoScalingConfigurationCommand.ts b/clients/client-apprunner/src/commands/ListServicesForAutoScalingConfigurationCommand.ts index efc3ea49d4bd..0b6cd81a31d9 100644 --- a/clients/client-apprunner/src/commands/ListServicesForAutoScalingConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/ListServicesForAutoScalingConfigurationCommand.ts @@ -100,4 +100,16 @@ export class ListServicesForAutoScalingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesForAutoScalingConfigurationCommand) .de(de_ListServicesForAutoScalingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesForAutoScalingConfigurationRequest; + output: ListServicesForAutoScalingConfigurationResponse; + }; + sdk: { + input: ListServicesForAutoScalingConfigurationCommandInput; + output: ListServicesForAutoScalingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListTagsForResourceCommand.ts b/clients/client-apprunner/src/commands/ListTagsForResourceCommand.ts index 30cdaba60926..78e2f4ac4cee 100644 --- a/clients/client-apprunner/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-apprunner/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListVpcConnectorsCommand.ts b/clients/client-apprunner/src/commands/ListVpcConnectorsCommand.ts index a787b54c9a8e..fb51500888b0 100644 --- a/clients/client-apprunner/src/commands/ListVpcConnectorsCommand.ts +++ b/clients/client-apprunner/src/commands/ListVpcConnectorsCommand.ts @@ -100,4 +100,16 @@ export class ListVpcConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcConnectorsCommand) .de(de_ListVpcConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcConnectorsRequest; + output: ListVpcConnectorsResponse; + }; + sdk: { + input: ListVpcConnectorsCommandInput; + output: ListVpcConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ListVpcIngressConnectionsCommand.ts b/clients/client-apprunner/src/commands/ListVpcIngressConnectionsCommand.ts index 7fc53b2b5cea..721cd5ca2a9e 100644 --- a/clients/client-apprunner/src/commands/ListVpcIngressConnectionsCommand.ts +++ b/clients/client-apprunner/src/commands/ListVpcIngressConnectionsCommand.ts @@ -94,4 +94,16 @@ export class ListVpcIngressConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcIngressConnectionsCommand) .de(de_ListVpcIngressConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcIngressConnectionsRequest; + output: ListVpcIngressConnectionsResponse; + }; + sdk: { + input: ListVpcIngressConnectionsCommandInput; + output: ListVpcIngressConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/PauseServiceCommand.ts b/clients/client-apprunner/src/commands/PauseServiceCommand.ts index 60afa77d8c8a..7e0a2420d4e4 100644 --- a/clients/client-apprunner/src/commands/PauseServiceCommand.ts +++ b/clients/client-apprunner/src/commands/PauseServiceCommand.ts @@ -185,4 +185,16 @@ export class PauseServiceCommand extends $Command .f(void 0, PauseServiceResponseFilterSensitiveLog) .ser(se_PauseServiceCommand) .de(de_PauseServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PauseServiceRequest; + output: PauseServiceResponse; + }; + sdk: { + input: PauseServiceCommandInput; + output: PauseServiceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/ResumeServiceCommand.ts b/clients/client-apprunner/src/commands/ResumeServiceCommand.ts index 6f25b43d6bc0..5fa920fa0889 100644 --- a/clients/client-apprunner/src/commands/ResumeServiceCommand.ts +++ b/clients/client-apprunner/src/commands/ResumeServiceCommand.ts @@ -188,4 +188,16 @@ export class ResumeServiceCommand extends $Command .f(void 0, ResumeServiceResponseFilterSensitiveLog) .ser(se_ResumeServiceCommand) .de(de_ResumeServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeServiceRequest; + output: ResumeServiceResponse; + }; + sdk: { + input: ResumeServiceCommandInput; + output: ResumeServiceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/StartDeploymentCommand.ts b/clients/client-apprunner/src/commands/StartDeploymentCommand.ts index ed996492a606..2f46bfab0084 100644 --- a/clients/client-apprunner/src/commands/StartDeploymentCommand.ts +++ b/clients/client-apprunner/src/commands/StartDeploymentCommand.ts @@ -91,4 +91,16 @@ export class StartDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StartDeploymentCommand) .de(de_StartDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDeploymentRequest; + output: StartDeploymentResponse; + }; + sdk: { + input: StartDeploymentCommandInput; + output: StartDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/TagResourceCommand.ts b/clients/client-apprunner/src/commands/TagResourceCommand.ts index 643eaf356ece..e3e952b59514 100644 --- a/clients/client-apprunner/src/commands/TagResourceCommand.ts +++ b/clients/client-apprunner/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/UntagResourceCommand.ts b/clients/client-apprunner/src/commands/UntagResourceCommand.ts index 9825da0f1132..60e6d4feec1c 100644 --- a/clients/client-apprunner/src/commands/UntagResourceCommand.ts +++ b/clients/client-apprunner/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/UpdateDefaultAutoScalingConfigurationCommand.ts b/clients/client-apprunner/src/commands/UpdateDefaultAutoScalingConfigurationCommand.ts index 9f9ebd21a9b7..dc5bdeb6294b 100644 --- a/clients/client-apprunner/src/commands/UpdateDefaultAutoScalingConfigurationCommand.ts +++ b/clients/client-apprunner/src/commands/UpdateDefaultAutoScalingConfigurationCommand.ts @@ -109,4 +109,16 @@ export class UpdateDefaultAutoScalingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDefaultAutoScalingConfigurationCommand) .de(de_UpdateDefaultAutoScalingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDefaultAutoScalingConfigurationRequest; + output: UpdateDefaultAutoScalingConfigurationResponse; + }; + sdk: { + input: UpdateDefaultAutoScalingConfigurationCommandInput; + output: UpdateDefaultAutoScalingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/UpdateServiceCommand.ts b/clients/client-apprunner/src/commands/UpdateServiceCommand.ts index 9b50dd42166b..b0ec401721f5 100644 --- a/clients/client-apprunner/src/commands/UpdateServiceCommand.ts +++ b/clients/client-apprunner/src/commands/UpdateServiceCommand.ts @@ -264,4 +264,16 @@ export class UpdateServiceCommand extends $Command .f(UpdateServiceRequestFilterSensitiveLog, UpdateServiceResponseFilterSensitiveLog) .ser(se_UpdateServiceCommand) .de(de_UpdateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceRequest; + output: UpdateServiceResponse; + }; + sdk: { + input: UpdateServiceCommandInput; + output: UpdateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-apprunner/src/commands/UpdateVpcIngressConnectionCommand.ts b/clients/client-apprunner/src/commands/UpdateVpcIngressConnectionCommand.ts index 6cfe77654e3c..b6d5bc5bdb80 100644 --- a/clients/client-apprunner/src/commands/UpdateVpcIngressConnectionCommand.ts +++ b/clients/client-apprunner/src/commands/UpdateVpcIngressConnectionCommand.ts @@ -123,4 +123,16 @@ export class UpdateVpcIngressConnectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVpcIngressConnectionCommand) .de(de_UpdateVpcIngressConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVpcIngressConnectionRequest; + output: UpdateVpcIngressConnectionResponse; + }; + sdk: { + input: UpdateVpcIngressConnectionCommandInput; + output: UpdateVpcIngressConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/package.json b/clients/client-appstream/package.json index a47587ad3845..4e7f9a9e6267 100644 --- a/clients/client-appstream/package.json +++ b/clients/client-appstream/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-appstream/src/commands/AssociateAppBlockBuilderAppBlockCommand.ts b/clients/client-appstream/src/commands/AssociateAppBlockBuilderAppBlockCommand.ts index ea879d35d05f..232670518d7f 100644 --- a/clients/client-appstream/src/commands/AssociateAppBlockBuilderAppBlockCommand.ts +++ b/clients/client-appstream/src/commands/AssociateAppBlockBuilderAppBlockCommand.ts @@ -101,4 +101,16 @@ export class AssociateAppBlockBuilderAppBlockCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAppBlockBuilderAppBlockCommand) .de(de_AssociateAppBlockBuilderAppBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAppBlockBuilderAppBlockRequest; + output: AssociateAppBlockBuilderAppBlockResult; + }; + sdk: { + input: AssociateAppBlockBuilderAppBlockCommandInput; + output: AssociateAppBlockBuilderAppBlockCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/AssociateApplicationFleetCommand.ts b/clients/client-appstream/src/commands/AssociateApplicationFleetCommand.ts index 363b0844553f..d196941a646f 100644 --- a/clients/client-appstream/src/commands/AssociateApplicationFleetCommand.ts +++ b/clients/client-appstream/src/commands/AssociateApplicationFleetCommand.ts @@ -96,4 +96,16 @@ export class AssociateApplicationFleetCommand extends $Command .f(void 0, void 0) .ser(se_AssociateApplicationFleetCommand) .de(de_AssociateApplicationFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateApplicationFleetRequest; + output: AssociateApplicationFleetResult; + }; + sdk: { + input: AssociateApplicationFleetCommandInput; + output: AssociateApplicationFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/AssociateApplicationToEntitlementCommand.ts b/clients/client-appstream/src/commands/AssociateApplicationToEntitlementCommand.ts index 2bcc9c3d4181..4746fa2802fc 100644 --- a/clients/client-appstream/src/commands/AssociateApplicationToEntitlementCommand.ts +++ b/clients/client-appstream/src/commands/AssociateApplicationToEntitlementCommand.ts @@ -94,4 +94,16 @@ export class AssociateApplicationToEntitlementCommand extends $Command .f(void 0, void 0) .ser(se_AssociateApplicationToEntitlementCommand) .de(de_AssociateApplicationToEntitlementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateApplicationToEntitlementRequest; + output: {}; + }; + sdk: { + input: AssociateApplicationToEntitlementCommandInput; + output: AssociateApplicationToEntitlementCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/AssociateFleetCommand.ts b/clients/client-appstream/src/commands/AssociateFleetCommand.ts index a5ceb5b36609..9844f6a4320f 100644 --- a/clients/client-appstream/src/commands/AssociateFleetCommand.ts +++ b/clients/client-appstream/src/commands/AssociateFleetCommand.ts @@ -94,4 +94,16 @@ export class AssociateFleetCommand extends $Command .f(void 0, void 0) .ser(se_AssociateFleetCommand) .de(de_AssociateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFleetRequest; + output: {}; + }; + sdk: { + input: AssociateFleetCommandInput; + output: AssociateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/BatchAssociateUserStackCommand.ts b/clients/client-appstream/src/commands/BatchAssociateUserStackCommand.ts index 1f513db726ee..78186fa4edb4 100644 --- a/clients/client-appstream/src/commands/BatchAssociateUserStackCommand.ts +++ b/clients/client-appstream/src/commands/BatchAssociateUserStackCommand.ts @@ -106,4 +106,16 @@ export class BatchAssociateUserStackCommand extends $Command .f(BatchAssociateUserStackRequestFilterSensitiveLog, BatchAssociateUserStackResultFilterSensitiveLog) .ser(se_BatchAssociateUserStackCommand) .de(de_BatchAssociateUserStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateUserStackRequest; + output: BatchAssociateUserStackResult; + }; + sdk: { + input: BatchAssociateUserStackCommandInput; + output: BatchAssociateUserStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/BatchDisassociateUserStackCommand.ts b/clients/client-appstream/src/commands/BatchDisassociateUserStackCommand.ts index 48d82ba2b008..6ccc42b2c612 100644 --- a/clients/client-appstream/src/commands/BatchDisassociateUserStackCommand.ts +++ b/clients/client-appstream/src/commands/BatchDisassociateUserStackCommand.ts @@ -106,4 +106,16 @@ export class BatchDisassociateUserStackCommand extends $Command .f(BatchDisassociateUserStackRequestFilterSensitiveLog, BatchDisassociateUserStackResultFilterSensitiveLog) .ser(se_BatchDisassociateUserStackCommand) .de(de_BatchDisassociateUserStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateUserStackRequest; + output: BatchDisassociateUserStackResult; + }; + sdk: { + input: BatchDisassociateUserStackCommandInput; + output: BatchDisassociateUserStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CopyImageCommand.ts b/clients/client-appstream/src/commands/CopyImageCommand.ts index 3671c42aa8ba..1bfdb5c687bf 100644 --- a/clients/client-appstream/src/commands/CopyImageCommand.ts +++ b/clients/client-appstream/src/commands/CopyImageCommand.ts @@ -98,4 +98,16 @@ export class CopyImageCommand extends $Command .f(void 0, void 0) .ser(se_CopyImageCommand) .de(de_CopyImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyImageRequest; + output: CopyImageResponse; + }; + sdk: { + input: CopyImageCommandInput; + output: CopyImageCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateAppBlockBuilderCommand.ts b/clients/client-appstream/src/commands/CreateAppBlockBuilderCommand.ts index 6065ecb0403c..72d1f51d525d 100644 --- a/clients/client-appstream/src/commands/CreateAppBlockBuilderCommand.ts +++ b/clients/client-appstream/src/commands/CreateAppBlockBuilderCommand.ts @@ -166,4 +166,16 @@ export class CreateAppBlockBuilderCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppBlockBuilderCommand) .de(de_CreateAppBlockBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppBlockBuilderRequest; + output: CreateAppBlockBuilderResult; + }; + sdk: { + input: CreateAppBlockBuilderCommandInput; + output: CreateAppBlockBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateAppBlockBuilderStreamingURLCommand.ts b/clients/client-appstream/src/commands/CreateAppBlockBuilderStreamingURLCommand.ts index 8a1bcccd1dcf..db202a7c8584 100644 --- a/clients/client-appstream/src/commands/CreateAppBlockBuilderStreamingURLCommand.ts +++ b/clients/client-appstream/src/commands/CreateAppBlockBuilderStreamingURLCommand.ts @@ -90,4 +90,16 @@ export class CreateAppBlockBuilderStreamingURLCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppBlockBuilderStreamingURLCommand) .de(de_CreateAppBlockBuilderStreamingURLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppBlockBuilderStreamingURLRequest; + output: CreateAppBlockBuilderStreamingURLResult; + }; + sdk: { + input: CreateAppBlockBuilderStreamingURLCommandInput; + output: CreateAppBlockBuilderStreamingURLCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateAppBlockCommand.ts b/clients/client-appstream/src/commands/CreateAppBlockCommand.ts index dd394db926a0..6ec7ea874929 100644 --- a/clients/client-appstream/src/commands/CreateAppBlockCommand.ts +++ b/clients/client-appstream/src/commands/CreateAppBlockCommand.ts @@ -159,4 +159,16 @@ export class CreateAppBlockCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppBlockCommand) .de(de_CreateAppBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppBlockRequest; + output: CreateAppBlockResult; + }; + sdk: { + input: CreateAppBlockCommandInput; + output: CreateAppBlockCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateApplicationCommand.ts b/clients/client-appstream/src/commands/CreateApplicationCommand.ts index 314471f634a6..c9c32ad2fd31 100644 --- a/clients/client-appstream/src/commands/CreateApplicationCommand.ts +++ b/clients/client-appstream/src/commands/CreateApplicationCommand.ts @@ -142,4 +142,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResult; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateDirectoryConfigCommand.ts b/clients/client-appstream/src/commands/CreateDirectoryConfigCommand.ts index 98fd772b56d8..dc7b99f630bf 100644 --- a/clients/client-appstream/src/commands/CreateDirectoryConfigCommand.ts +++ b/clients/client-appstream/src/commands/CreateDirectoryConfigCommand.ts @@ -125,4 +125,16 @@ export class CreateDirectoryConfigCommand extends $Command .f(CreateDirectoryConfigRequestFilterSensitiveLog, CreateDirectoryConfigResultFilterSensitiveLog) .ser(se_CreateDirectoryConfigCommand) .de(de_CreateDirectoryConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDirectoryConfigRequest; + output: CreateDirectoryConfigResult; + }; + sdk: { + input: CreateDirectoryConfigCommandInput; + output: CreateDirectoryConfigCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateEntitlementCommand.ts b/clients/client-appstream/src/commands/CreateEntitlementCommand.ts index f28153690127..2dd9b3e200ff 100644 --- a/clients/client-appstream/src/commands/CreateEntitlementCommand.ts +++ b/clients/client-appstream/src/commands/CreateEntitlementCommand.ts @@ -116,4 +116,16 @@ export class CreateEntitlementCommand extends $Command .f(void 0, void 0) .ser(se_CreateEntitlementCommand) .de(de_CreateEntitlementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEntitlementRequest; + output: CreateEntitlementResult; + }; + sdk: { + input: CreateEntitlementCommandInput; + output: CreateEntitlementCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateFleetCommand.ts b/clients/client-appstream/src/commands/CreateFleetCommand.ts index 6ca2b1ac9058..aa9cbbc9b629 100644 --- a/clients/client-appstream/src/commands/CreateFleetCommand.ts +++ b/clients/client-appstream/src/commands/CreateFleetCommand.ts @@ -206,4 +206,16 @@ export class CreateFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetRequest; + output: CreateFleetResult; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateImageBuilderCommand.ts b/clients/client-appstream/src/commands/CreateImageBuilderCommand.ts index 195b1c2314e4..ccbb8bd8823d 100644 --- a/clients/client-appstream/src/commands/CreateImageBuilderCommand.ts +++ b/clients/client-appstream/src/commands/CreateImageBuilderCommand.ts @@ -187,4 +187,16 @@ export class CreateImageBuilderCommand extends $Command .f(void 0, void 0) .ser(se_CreateImageBuilderCommand) .de(de_CreateImageBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImageBuilderRequest; + output: CreateImageBuilderResult; + }; + sdk: { + input: CreateImageBuilderCommandInput; + output: CreateImageBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateImageBuilderStreamingURLCommand.ts b/clients/client-appstream/src/commands/CreateImageBuilderStreamingURLCommand.ts index 8ae4e954fdd8..0e9e3087004f 100644 --- a/clients/client-appstream/src/commands/CreateImageBuilderStreamingURLCommand.ts +++ b/clients/client-appstream/src/commands/CreateImageBuilderStreamingURLCommand.ts @@ -90,4 +90,16 @@ export class CreateImageBuilderStreamingURLCommand extends $Command .f(void 0, void 0) .ser(se_CreateImageBuilderStreamingURLCommand) .de(de_CreateImageBuilderStreamingURLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImageBuilderStreamingURLRequest; + output: CreateImageBuilderStreamingURLResult; + }; + sdk: { + input: CreateImageBuilderStreamingURLCommandInput; + output: CreateImageBuilderStreamingURLCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateStackCommand.ts b/clients/client-appstream/src/commands/CreateStackCommand.ts index 390be01d6d9f..308011d9f67e 100644 --- a/clients/client-appstream/src/commands/CreateStackCommand.ts +++ b/clients/client-appstream/src/commands/CreateStackCommand.ts @@ -187,4 +187,16 @@ export class CreateStackCommand extends $Command .f(void 0, void 0) .ser(se_CreateStackCommand) .de(de_CreateStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStackRequest; + output: CreateStackResult; + }; + sdk: { + input: CreateStackCommandInput; + output: CreateStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateStreamingURLCommand.ts b/clients/client-appstream/src/commands/CreateStreamingURLCommand.ts index 3baa0ce424a7..0eb329c566a7 100644 --- a/clients/client-appstream/src/commands/CreateStreamingURLCommand.ts +++ b/clients/client-appstream/src/commands/CreateStreamingURLCommand.ts @@ -95,4 +95,16 @@ export class CreateStreamingURLCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamingURLCommand) .de(de_CreateStreamingURLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamingURLRequest; + output: CreateStreamingURLResult; + }; + sdk: { + input: CreateStreamingURLCommandInput; + output: CreateStreamingURLCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateThemeForStackCommand.ts b/clients/client-appstream/src/commands/CreateThemeForStackCommand.ts index 7f3b56fd5117..db6e6cf28965 100644 --- a/clients/client-appstream/src/commands/CreateThemeForStackCommand.ts +++ b/clients/client-appstream/src/commands/CreateThemeForStackCommand.ts @@ -125,4 +125,16 @@ export class CreateThemeForStackCommand extends $Command .f(void 0, void 0) .ser(se_CreateThemeForStackCommand) .de(de_CreateThemeForStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThemeForStackRequest; + output: CreateThemeForStackResult; + }; + sdk: { + input: CreateThemeForStackCommandInput; + output: CreateThemeForStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateUpdatedImageCommand.ts b/clients/client-appstream/src/commands/CreateUpdatedImageCommand.ts index 0aeb41644fef..1e9c3361a41a 100644 --- a/clients/client-appstream/src/commands/CreateUpdatedImageCommand.ts +++ b/clients/client-appstream/src/commands/CreateUpdatedImageCommand.ts @@ -171,4 +171,16 @@ export class CreateUpdatedImageCommand extends $Command .f(void 0, void 0) .ser(se_CreateUpdatedImageCommand) .de(de_CreateUpdatedImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUpdatedImageRequest; + output: CreateUpdatedImageResult; + }; + sdk: { + input: CreateUpdatedImageCommandInput; + output: CreateUpdatedImageCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateUsageReportSubscriptionCommand.ts b/clients/client-appstream/src/commands/CreateUsageReportSubscriptionCommand.ts index fd914f84b6ee..4e37568e8573 100644 --- a/clients/client-appstream/src/commands/CreateUsageReportSubscriptionCommand.ts +++ b/clients/client-appstream/src/commands/CreateUsageReportSubscriptionCommand.ts @@ -90,4 +90,16 @@ export class CreateUsageReportSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateUsageReportSubscriptionCommand) .de(de_CreateUsageReportSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: CreateUsageReportSubscriptionResult; + }; + sdk: { + input: CreateUsageReportSubscriptionCommandInput; + output: CreateUsageReportSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/CreateUserCommand.ts b/clients/client-appstream/src/commands/CreateUserCommand.ts index 6df84cd10cb5..df03254fe884 100644 --- a/clients/client-appstream/src/commands/CreateUserCommand.ts +++ b/clients/client-appstream/src/commands/CreateUserCommand.ts @@ -94,4 +94,16 @@ export class CreateUserCommand extends $Command .f(CreateUserRequestFilterSensitiveLog, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: {}; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteAppBlockBuilderCommand.ts b/clients/client-appstream/src/commands/DeleteAppBlockBuilderCommand.ts index 469c72ad6883..2198fac246a9 100644 --- a/clients/client-appstream/src/commands/DeleteAppBlockBuilderCommand.ts +++ b/clients/client-appstream/src/commands/DeleteAppBlockBuilderCommand.ts @@ -89,4 +89,16 @@ export class DeleteAppBlockBuilderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppBlockBuilderCommand) .de(de_DeleteAppBlockBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppBlockBuilderRequest; + output: {}; + }; + sdk: { + input: DeleteAppBlockBuilderCommandInput; + output: DeleteAppBlockBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteAppBlockCommand.ts b/clients/client-appstream/src/commands/DeleteAppBlockCommand.ts index a7546ab066a9..0cd51d03591f 100644 --- a/clients/client-appstream/src/commands/DeleteAppBlockCommand.ts +++ b/clients/client-appstream/src/commands/DeleteAppBlockCommand.ts @@ -84,4 +84,16 @@ export class DeleteAppBlockCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppBlockCommand) .de(de_DeleteAppBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppBlockRequest; + output: {}; + }; + sdk: { + input: DeleteAppBlockCommandInput; + output: DeleteAppBlockCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteApplicationCommand.ts b/clients/client-appstream/src/commands/DeleteApplicationCommand.ts index 006ce3cd321b..17f5ed689c2b 100644 --- a/clients/client-appstream/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-appstream/src/commands/DeleteApplicationCommand.ts @@ -87,4 +87,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteDirectoryConfigCommand.ts b/clients/client-appstream/src/commands/DeleteDirectoryConfigCommand.ts index 20a1555b8535..875d2b2e339b 100644 --- a/clients/client-appstream/src/commands/DeleteDirectoryConfigCommand.ts +++ b/clients/client-appstream/src/commands/DeleteDirectoryConfigCommand.ts @@ -81,4 +81,16 @@ export class DeleteDirectoryConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDirectoryConfigCommand) .de(de_DeleteDirectoryConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDirectoryConfigRequest; + output: {}; + }; + sdk: { + input: DeleteDirectoryConfigCommandInput; + output: DeleteDirectoryConfigCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteEntitlementCommand.ts b/clients/client-appstream/src/commands/DeleteEntitlementCommand.ts index 28081095c0a5..c50909181c58 100644 --- a/clients/client-appstream/src/commands/DeleteEntitlementCommand.ts +++ b/clients/client-appstream/src/commands/DeleteEntitlementCommand.ts @@ -88,4 +88,16 @@ export class DeleteEntitlementCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEntitlementCommand) .de(de_DeleteEntitlementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEntitlementRequest; + output: {}; + }; + sdk: { + input: DeleteEntitlementCommandInput; + output: DeleteEntitlementCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteFleetCommand.ts b/clients/client-appstream/src/commands/DeleteFleetCommand.ts index b8d762fb8aef..460c85b8a9a8 100644 --- a/clients/client-appstream/src/commands/DeleteFleetCommand.ts +++ b/clients/client-appstream/src/commands/DeleteFleetCommand.ts @@ -84,4 +84,16 @@ export class DeleteFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetCommand) .de(de_DeleteFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetRequest; + output: {}; + }; + sdk: { + input: DeleteFleetCommandInput; + output: DeleteFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteImageBuilderCommand.ts b/clients/client-appstream/src/commands/DeleteImageBuilderCommand.ts index 79d79f96a27e..79fc4df1cfbe 100644 --- a/clients/client-appstream/src/commands/DeleteImageBuilderCommand.ts +++ b/clients/client-appstream/src/commands/DeleteImageBuilderCommand.ts @@ -133,4 +133,16 @@ export class DeleteImageBuilderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImageBuilderCommand) .de(de_DeleteImageBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImageBuilderRequest; + output: DeleteImageBuilderResult; + }; + sdk: { + input: DeleteImageBuilderCommandInput; + output: DeleteImageBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteImageCommand.ts b/clients/client-appstream/src/commands/DeleteImageCommand.ts index 75a62dcacc28..75500bd97e2f 100644 --- a/clients/client-appstream/src/commands/DeleteImageCommand.ts +++ b/clients/client-appstream/src/commands/DeleteImageCommand.ts @@ -153,4 +153,16 @@ export class DeleteImageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImageCommand) .de(de_DeleteImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImageRequest; + output: DeleteImageResult; + }; + sdk: { + input: DeleteImageCommandInput; + output: DeleteImageCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteImagePermissionsCommand.ts b/clients/client-appstream/src/commands/DeleteImagePermissionsCommand.ts index 4634e882eaa1..a47b8d939de3 100644 --- a/clients/client-appstream/src/commands/DeleteImagePermissionsCommand.ts +++ b/clients/client-appstream/src/commands/DeleteImagePermissionsCommand.ts @@ -82,4 +82,16 @@ export class DeleteImagePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImagePermissionsCommand) .de(de_DeleteImagePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImagePermissionsRequest; + output: {}; + }; + sdk: { + input: DeleteImagePermissionsCommandInput; + output: DeleteImagePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteStackCommand.ts b/clients/client-appstream/src/commands/DeleteStackCommand.ts index 70b0b581a05e..17d54c305501 100644 --- a/clients/client-appstream/src/commands/DeleteStackCommand.ts +++ b/clients/client-appstream/src/commands/DeleteStackCommand.ts @@ -87,4 +87,16 @@ export class DeleteStackCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStackCommand) .de(de_DeleteStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStackRequest; + output: {}; + }; + sdk: { + input: DeleteStackCommandInput; + output: DeleteStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteThemeForStackCommand.ts b/clients/client-appstream/src/commands/DeleteThemeForStackCommand.ts index af5273a03e9d..24489744691c 100644 --- a/clients/client-appstream/src/commands/DeleteThemeForStackCommand.ts +++ b/clients/client-appstream/src/commands/DeleteThemeForStackCommand.ts @@ -84,4 +84,16 @@ export class DeleteThemeForStackCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThemeForStackCommand) .de(de_DeleteThemeForStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThemeForStackRequest; + output: {}; + }; + sdk: { + input: DeleteThemeForStackCommandInput; + output: DeleteThemeForStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteUsageReportSubscriptionCommand.ts b/clients/client-appstream/src/commands/DeleteUsageReportSubscriptionCommand.ts index 93404a81b1cc..2abcf6421709 100644 --- a/clients/client-appstream/src/commands/DeleteUsageReportSubscriptionCommand.ts +++ b/clients/client-appstream/src/commands/DeleteUsageReportSubscriptionCommand.ts @@ -84,4 +84,16 @@ export class DeleteUsageReportSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUsageReportSubscriptionCommand) .de(de_DeleteUsageReportSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteUsageReportSubscriptionCommandInput; + output: DeleteUsageReportSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DeleteUserCommand.ts b/clients/client-appstream/src/commands/DeleteUserCommand.ts index bf65697dcc33..dffcd4a51bf4 100644 --- a/clients/client-appstream/src/commands/DeleteUserCommand.ts +++ b/clients/client-appstream/src/commands/DeleteUserCommand.ts @@ -79,4 +79,16 @@ export class DeleteUserCommand extends $Command .f(DeleteUserRequestFilterSensitiveLog, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeAppBlockBuilderAppBlockAssociationsCommand.ts b/clients/client-appstream/src/commands/DescribeAppBlockBuilderAppBlockAssociationsCommand.ts index 8d5b366ac31e..92e37b84d911 100644 --- a/clients/client-appstream/src/commands/DescribeAppBlockBuilderAppBlockAssociationsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeAppBlockBuilderAppBlockAssociationsCommand.ts @@ -101,4 +101,16 @@ export class DescribeAppBlockBuilderAppBlockAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppBlockBuilderAppBlockAssociationsCommand) .de(de_DescribeAppBlockBuilderAppBlockAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppBlockBuilderAppBlockAssociationsRequest; + output: DescribeAppBlockBuilderAppBlockAssociationsResult; + }; + sdk: { + input: DescribeAppBlockBuilderAppBlockAssociationsCommandInput; + output: DescribeAppBlockBuilderAppBlockAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeAppBlockBuildersCommand.ts b/clients/client-appstream/src/commands/DescribeAppBlockBuildersCommand.ts index deafe90635d5..94f8868f6302 100644 --- a/clients/client-appstream/src/commands/DescribeAppBlockBuildersCommand.ts +++ b/clients/client-appstream/src/commands/DescribeAppBlockBuildersCommand.ts @@ -126,4 +126,16 @@ export class DescribeAppBlockBuildersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppBlockBuildersCommand) .de(de_DescribeAppBlockBuildersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppBlockBuildersRequest; + output: DescribeAppBlockBuildersResult; + }; + sdk: { + input: DescribeAppBlockBuildersCommandInput; + output: DescribeAppBlockBuildersCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeAppBlocksCommand.ts b/clients/client-appstream/src/commands/DescribeAppBlocksCommand.ts index b54b4c34d650..279a1c8d59e6 100644 --- a/clients/client-appstream/src/commands/DescribeAppBlocksCommand.ts +++ b/clients/client-appstream/src/commands/DescribeAppBlocksCommand.ts @@ -126,4 +126,16 @@ export class DescribeAppBlocksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppBlocksCommand) .de(de_DescribeAppBlocksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppBlocksRequest; + output: DescribeAppBlocksResult; + }; + sdk: { + input: DescribeAppBlocksCommandInput; + output: DescribeAppBlocksCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeApplicationFleetAssociationsCommand.ts b/clients/client-appstream/src/commands/DescribeApplicationFleetAssociationsCommand.ts index fd01f6439c34..8e37c2a6d024 100644 --- a/clients/client-appstream/src/commands/DescribeApplicationFleetAssociationsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeApplicationFleetAssociationsCommand.ts @@ -100,4 +100,16 @@ export class DescribeApplicationFleetAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationFleetAssociationsCommand) .de(de_DescribeApplicationFleetAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationFleetAssociationsRequest; + output: DescribeApplicationFleetAssociationsResult; + }; + sdk: { + input: DescribeApplicationFleetAssociationsCommandInput; + output: DescribeApplicationFleetAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeApplicationsCommand.ts b/clients/client-appstream/src/commands/DescribeApplicationsCommand.ts index 381c8d97ae9d..92c141c46390 100644 --- a/clients/client-appstream/src/commands/DescribeApplicationsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeApplicationsCommand.ts @@ -115,4 +115,16 @@ export class DescribeApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationsCommand) .de(de_DescribeApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationsRequest; + output: DescribeApplicationsResult; + }; + sdk: { + input: DescribeApplicationsCommandInput; + output: DescribeApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeDirectoryConfigsCommand.ts b/clients/client-appstream/src/commands/DescribeDirectoryConfigsCommand.ts index 4f80aef33ac7..6f074bb7d6c3 100644 --- a/clients/client-appstream/src/commands/DescribeDirectoryConfigsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeDirectoryConfigsCommand.ts @@ -107,4 +107,16 @@ export class DescribeDirectoryConfigsCommand extends $Command .f(void 0, DescribeDirectoryConfigsResultFilterSensitiveLog) .ser(se_DescribeDirectoryConfigsCommand) .de(de_DescribeDirectoryConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDirectoryConfigsRequest; + output: DescribeDirectoryConfigsResult; + }; + sdk: { + input: DescribeDirectoryConfigsCommandInput; + output: DescribeDirectoryConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeEntitlementsCommand.ts b/clients/client-appstream/src/commands/DescribeEntitlementsCommand.ts index 324c59fd5d05..2d499e35ff19 100644 --- a/clients/client-appstream/src/commands/DescribeEntitlementsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeEntitlementsCommand.ts @@ -105,4 +105,16 @@ export class DescribeEntitlementsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEntitlementsCommand) .de(de_DescribeEntitlementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntitlementsRequest; + output: DescribeEntitlementsResult; + }; + sdk: { + input: DescribeEntitlementsCommandInput; + output: DescribeEntitlementsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeFleetsCommand.ts b/clients/client-appstream/src/commands/DescribeFleetsCommand.ts index 23c6b461af5b..6518419b5953 100644 --- a/clients/client-appstream/src/commands/DescribeFleetsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeFleetsCommand.ts @@ -141,4 +141,16 @@ export class DescribeFleetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetsCommand) .de(de_DescribeFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetsRequest; + output: DescribeFleetsResult; + }; + sdk: { + input: DescribeFleetsCommandInput; + output: DescribeFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeImageBuildersCommand.ts b/clients/client-appstream/src/commands/DescribeImageBuildersCommand.ts index 09e83145e0a0..1007d1fbdd3c 100644 --- a/clients/client-appstream/src/commands/DescribeImageBuildersCommand.ts +++ b/clients/client-appstream/src/commands/DescribeImageBuildersCommand.ts @@ -134,4 +134,16 @@ export class DescribeImageBuildersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageBuildersCommand) .de(de_DescribeImageBuildersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageBuildersRequest; + output: DescribeImageBuildersResult; + }; + sdk: { + input: DescribeImageBuildersCommandInput; + output: DescribeImageBuildersCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeImagePermissionsCommand.ts b/clients/client-appstream/src/commands/DescribeImagePermissionsCommand.ts index a5bf82ee186d..ee9b31a98577 100644 --- a/clients/client-appstream/src/commands/DescribeImagePermissionsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeImagePermissionsCommand.ts @@ -95,4 +95,16 @@ export class DescribeImagePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImagePermissionsCommand) .de(de_DescribeImagePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImagePermissionsRequest; + output: DescribeImagePermissionsResult; + }; + sdk: { + input: DescribeImagePermissionsCommandInput; + output: DescribeImagePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeImagesCommand.ts b/clients/client-appstream/src/commands/DescribeImagesCommand.ts index 36f314e0d7c1..43c82fa96481 100644 --- a/clients/client-appstream/src/commands/DescribeImagesCommand.ts +++ b/clients/client-appstream/src/commands/DescribeImagesCommand.ts @@ -157,4 +157,16 @@ export class DescribeImagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImagesCommand) .de(de_DescribeImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImagesRequest; + output: DescribeImagesResult; + }; + sdk: { + input: DescribeImagesCommandInput; + output: DescribeImagesCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeSessionsCommand.ts b/clients/client-appstream/src/commands/DescribeSessionsCommand.ts index aaf9f00302b3..787120597bec 100644 --- a/clients/client-appstream/src/commands/DescribeSessionsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeSessionsCommand.ts @@ -106,4 +106,16 @@ export class DescribeSessionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSessionsCommand) .de(de_DescribeSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSessionsRequest; + output: DescribeSessionsResult; + }; + sdk: { + input: DescribeSessionsCommandInput; + output: DescribeSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeStacksCommand.ts b/clients/client-appstream/src/commands/DescribeStacksCommand.ts index 919af12f6bc0..77b841a8f462 100644 --- a/clients/client-appstream/src/commands/DescribeStacksCommand.ts +++ b/clients/client-appstream/src/commands/DescribeStacksCommand.ts @@ -133,4 +133,16 @@ export class DescribeStacksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStacksCommand) .de(de_DescribeStacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStacksRequest; + output: DescribeStacksResult; + }; + sdk: { + input: DescribeStacksCommandInput; + output: DescribeStacksCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeThemeForStackCommand.ts b/clients/client-appstream/src/commands/DescribeThemeForStackCommand.ts index a003dbbf8f99..a8dc12c25740 100644 --- a/clients/client-appstream/src/commands/DescribeThemeForStackCommand.ts +++ b/clients/client-appstream/src/commands/DescribeThemeForStackCommand.ts @@ -97,4 +97,16 @@ export class DescribeThemeForStackCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThemeForStackCommand) .de(de_DescribeThemeForStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThemeForStackRequest; + output: DescribeThemeForStackResult; + }; + sdk: { + input: DescribeThemeForStackCommandInput; + output: DescribeThemeForStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeUsageReportSubscriptionsCommand.ts b/clients/client-appstream/src/commands/DescribeUsageReportSubscriptionsCommand.ts index 6bd52e6c8d73..f14ca176b99a 100644 --- a/clients/client-appstream/src/commands/DescribeUsageReportSubscriptionsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeUsageReportSubscriptionsCommand.ts @@ -102,4 +102,16 @@ export class DescribeUsageReportSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUsageReportSubscriptionsCommand) .de(de_DescribeUsageReportSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUsageReportSubscriptionsRequest; + output: DescribeUsageReportSubscriptionsResult; + }; + sdk: { + input: DescribeUsageReportSubscriptionsCommandInput; + output: DescribeUsageReportSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeUserStackAssociationsCommand.ts b/clients/client-appstream/src/commands/DescribeUserStackAssociationsCommand.ts index 8d5325d44b0b..35806f60c6c1 100644 --- a/clients/client-appstream/src/commands/DescribeUserStackAssociationsCommand.ts +++ b/clients/client-appstream/src/commands/DescribeUserStackAssociationsCommand.ts @@ -113,4 +113,16 @@ export class DescribeUserStackAssociationsCommand extends $Command .f(DescribeUserStackAssociationsRequestFilterSensitiveLog, DescribeUserStackAssociationsResultFilterSensitiveLog) .ser(se_DescribeUserStackAssociationsCommand) .de(de_DescribeUserStackAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserStackAssociationsRequest; + output: DescribeUserStackAssociationsResult; + }; + sdk: { + input: DescribeUserStackAssociationsCommandInput; + output: DescribeUserStackAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DescribeUsersCommand.ts b/clients/client-appstream/src/commands/DescribeUsersCommand.ts index d3d50e656138..52c6ea11ca47 100644 --- a/clients/client-appstream/src/commands/DescribeUsersCommand.ts +++ b/clients/client-appstream/src/commands/DescribeUsersCommand.ts @@ -100,4 +100,16 @@ export class DescribeUsersCommand extends $Command .f(void 0, DescribeUsersResultFilterSensitiveLog) .ser(se_DescribeUsersCommand) .de(de_DescribeUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUsersRequest; + output: DescribeUsersResult; + }; + sdk: { + input: DescribeUsersCommandInput; + output: DescribeUsersCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DisableUserCommand.ts b/clients/client-appstream/src/commands/DisableUserCommand.ts index 150d377d8e99..db4612bc7c1f 100644 --- a/clients/client-appstream/src/commands/DisableUserCommand.ts +++ b/clients/client-appstream/src/commands/DisableUserCommand.ts @@ -79,4 +79,16 @@ export class DisableUserCommand extends $Command .f(DisableUserRequestFilterSensitiveLog, void 0) .ser(se_DisableUserCommand) .de(de_DisableUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableUserRequest; + output: {}; + }; + sdk: { + input: DisableUserCommandInput; + output: DisableUserCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DisassociateAppBlockBuilderAppBlockCommand.ts b/clients/client-appstream/src/commands/DisassociateAppBlockBuilderAppBlockCommand.ts index 4b776e6c7371..2454f342523d 100644 --- a/clients/client-appstream/src/commands/DisassociateAppBlockBuilderAppBlockCommand.ts +++ b/clients/client-appstream/src/commands/DisassociateAppBlockBuilderAppBlockCommand.ts @@ -96,4 +96,16 @@ export class DisassociateAppBlockBuilderAppBlockCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAppBlockBuilderAppBlockCommand) .de(de_DisassociateAppBlockBuilderAppBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAppBlockBuilderAppBlockRequest; + output: {}; + }; + sdk: { + input: DisassociateAppBlockBuilderAppBlockCommandInput; + output: DisassociateAppBlockBuilderAppBlockCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DisassociateApplicationFleetCommand.ts b/clients/client-appstream/src/commands/DisassociateApplicationFleetCommand.ts index 3554146e73b0..d6d59821391e 100644 --- a/clients/client-appstream/src/commands/DisassociateApplicationFleetCommand.ts +++ b/clients/client-appstream/src/commands/DisassociateApplicationFleetCommand.ts @@ -90,4 +90,16 @@ export class DisassociateApplicationFleetCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateApplicationFleetCommand) .de(de_DisassociateApplicationFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateApplicationFleetRequest; + output: {}; + }; + sdk: { + input: DisassociateApplicationFleetCommandInput; + output: DisassociateApplicationFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DisassociateApplicationFromEntitlementCommand.ts b/clients/client-appstream/src/commands/DisassociateApplicationFromEntitlementCommand.ts index f5ee76c6fd9b..8bfdbf6b0407 100644 --- a/clients/client-appstream/src/commands/DisassociateApplicationFromEntitlementCommand.ts +++ b/clients/client-appstream/src/commands/DisassociateApplicationFromEntitlementCommand.ts @@ -95,4 +95,16 @@ export class DisassociateApplicationFromEntitlementCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateApplicationFromEntitlementCommand) .de(de_DisassociateApplicationFromEntitlementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateApplicationFromEntitlementRequest; + output: {}; + }; + sdk: { + input: DisassociateApplicationFromEntitlementCommandInput; + output: DisassociateApplicationFromEntitlementCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/DisassociateFleetCommand.ts b/clients/client-appstream/src/commands/DisassociateFleetCommand.ts index f65cde2ff865..8e8386dcba6d 100644 --- a/clients/client-appstream/src/commands/DisassociateFleetCommand.ts +++ b/clients/client-appstream/src/commands/DisassociateFleetCommand.ts @@ -88,4 +88,16 @@ export class DisassociateFleetCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFleetCommand) .de(de_DisassociateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFleetRequest; + output: {}; + }; + sdk: { + input: DisassociateFleetCommandInput; + output: DisassociateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/EnableUserCommand.ts b/clients/client-appstream/src/commands/EnableUserCommand.ts index fb00f567de3d..5ded07bdf7ba 100644 --- a/clients/client-appstream/src/commands/EnableUserCommand.ts +++ b/clients/client-appstream/src/commands/EnableUserCommand.ts @@ -82,4 +82,16 @@ export class EnableUserCommand extends $Command .f(EnableUserRequestFilterSensitiveLog, void 0) .ser(se_EnableUserCommand) .de(de_EnableUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableUserRequest; + output: {}; + }; + sdk: { + input: EnableUserCommandInput; + output: EnableUserCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/ExpireSessionCommand.ts b/clients/client-appstream/src/commands/ExpireSessionCommand.ts index f906669ed435..3b152d6b8b87 100644 --- a/clients/client-appstream/src/commands/ExpireSessionCommand.ts +++ b/clients/client-appstream/src/commands/ExpireSessionCommand.ts @@ -75,4 +75,16 @@ export class ExpireSessionCommand extends $Command .f(void 0, void 0) .ser(se_ExpireSessionCommand) .de(de_ExpireSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExpireSessionRequest; + output: {}; + }; + sdk: { + input: ExpireSessionCommandInput; + output: ExpireSessionCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/ListAssociatedFleetsCommand.ts b/clients/client-appstream/src/commands/ListAssociatedFleetsCommand.ts index c27f1fe11d98..ea7cca57cabe 100644 --- a/clients/client-appstream/src/commands/ListAssociatedFleetsCommand.ts +++ b/clients/client-appstream/src/commands/ListAssociatedFleetsCommand.ts @@ -81,4 +81,16 @@ export class ListAssociatedFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedFleetsCommand) .de(de_ListAssociatedFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedFleetsRequest; + output: ListAssociatedFleetsResult; + }; + sdk: { + input: ListAssociatedFleetsCommandInput; + output: ListAssociatedFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/ListAssociatedStacksCommand.ts b/clients/client-appstream/src/commands/ListAssociatedStacksCommand.ts index 263442be7f5e..476ac13ba94b 100644 --- a/clients/client-appstream/src/commands/ListAssociatedStacksCommand.ts +++ b/clients/client-appstream/src/commands/ListAssociatedStacksCommand.ts @@ -81,4 +81,16 @@ export class ListAssociatedStacksCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedStacksCommand) .de(de_ListAssociatedStacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedStacksRequest; + output: ListAssociatedStacksResult; + }; + sdk: { + input: ListAssociatedStacksCommandInput; + output: ListAssociatedStacksCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/ListEntitledApplicationsCommand.ts b/clients/client-appstream/src/commands/ListEntitledApplicationsCommand.ts index 8caefd3bb564..e43876450152 100644 --- a/clients/client-appstream/src/commands/ListEntitledApplicationsCommand.ts +++ b/clients/client-appstream/src/commands/ListEntitledApplicationsCommand.ts @@ -94,4 +94,16 @@ export class ListEntitledApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListEntitledApplicationsCommand) .de(de_ListEntitledApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntitledApplicationsRequest; + output: ListEntitledApplicationsResult; + }; + sdk: { + input: ListEntitledApplicationsCommandInput; + output: ListEntitledApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/ListTagsForResourceCommand.ts b/clients/client-appstream/src/commands/ListTagsForResourceCommand.ts index 7c1d73a47b86..64d311fa3ae7 100644 --- a/clients/client-appstream/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-appstream/src/commands/ListTagsForResourceCommand.ts @@ -83,4 +83,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/StartAppBlockBuilderCommand.ts b/clients/client-appstream/src/commands/StartAppBlockBuilderCommand.ts index 8faaa23c1ed5..d895295d1f9b 100644 --- a/clients/client-appstream/src/commands/StartAppBlockBuilderCommand.ts +++ b/clients/client-appstream/src/commands/StartAppBlockBuilderCommand.ts @@ -138,4 +138,16 @@ export class StartAppBlockBuilderCommand extends $Command .f(void 0, void 0) .ser(se_StartAppBlockBuilderCommand) .de(de_StartAppBlockBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAppBlockBuilderRequest; + output: StartAppBlockBuilderResult; + }; + sdk: { + input: StartAppBlockBuilderCommandInput; + output: StartAppBlockBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/StartFleetCommand.ts b/clients/client-appstream/src/commands/StartFleetCommand.ts index 45efdd17e321..362daf307b72 100644 --- a/clients/client-appstream/src/commands/StartFleetCommand.ts +++ b/clients/client-appstream/src/commands/StartFleetCommand.ts @@ -99,4 +99,16 @@ export class StartFleetCommand extends $Command .f(void 0, void 0) .ser(se_StartFleetCommand) .de(de_StartFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFleetRequest; + output: {}; + }; + sdk: { + input: StartFleetCommandInput; + output: StartFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/StartImageBuilderCommand.ts b/clients/client-appstream/src/commands/StartImageBuilderCommand.ts index ffccae167a3d..b392ca3fdea0 100644 --- a/clients/client-appstream/src/commands/StartImageBuilderCommand.ts +++ b/clients/client-appstream/src/commands/StartImageBuilderCommand.ts @@ -140,4 +140,16 @@ export class StartImageBuilderCommand extends $Command .f(void 0, void 0) .ser(se_StartImageBuilderCommand) .de(de_StartImageBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImageBuilderRequest; + output: StartImageBuilderResult; + }; + sdk: { + input: StartImageBuilderCommandInput; + output: StartImageBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/StopAppBlockBuilderCommand.ts b/clients/client-appstream/src/commands/StopAppBlockBuilderCommand.ts index edfa90e56d61..d48be68a5cc6 100644 --- a/clients/client-appstream/src/commands/StopAppBlockBuilderCommand.ts +++ b/clients/client-appstream/src/commands/StopAppBlockBuilderCommand.ts @@ -124,4 +124,16 @@ export class StopAppBlockBuilderCommand extends $Command .f(void 0, void 0) .ser(se_StopAppBlockBuilderCommand) .de(de_StopAppBlockBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAppBlockBuilderRequest; + output: StopAppBlockBuilderResult; + }; + sdk: { + input: StopAppBlockBuilderCommandInput; + output: StopAppBlockBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/StopFleetCommand.ts b/clients/client-appstream/src/commands/StopFleetCommand.ts index ba2956eb7e5a..f48b1d2ff064 100644 --- a/clients/client-appstream/src/commands/StopFleetCommand.ts +++ b/clients/client-appstream/src/commands/StopFleetCommand.ts @@ -81,4 +81,16 @@ export class StopFleetCommand extends $Command .f(void 0, void 0) .ser(se_StopFleetCommand) .de(de_StopFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopFleetRequest; + output: {}; + }; + sdk: { + input: StopFleetCommandInput; + output: StopFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/StopImageBuilderCommand.ts b/clients/client-appstream/src/commands/StopImageBuilderCommand.ts index ef183ecb4be1..8d5be575e341 100644 --- a/clients/client-appstream/src/commands/StopImageBuilderCommand.ts +++ b/clients/client-appstream/src/commands/StopImageBuilderCommand.ts @@ -133,4 +133,16 @@ export class StopImageBuilderCommand extends $Command .f(void 0, void 0) .ser(se_StopImageBuilderCommand) .de(de_StopImageBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopImageBuilderRequest; + output: StopImageBuilderResult; + }; + sdk: { + input: StopImageBuilderCommandInput; + output: StopImageBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/TagResourceCommand.ts b/clients/client-appstream/src/commands/TagResourceCommand.ts index 72d3b2cedaf5..c2e5719a3ece 100644 --- a/clients/client-appstream/src/commands/TagResourceCommand.ts +++ b/clients/client-appstream/src/commands/TagResourceCommand.ts @@ -92,4 +92,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UntagResourceCommand.ts b/clients/client-appstream/src/commands/UntagResourceCommand.ts index 7de5aab9f026..1dbbddbe9a09 100644 --- a/clients/client-appstream/src/commands/UntagResourceCommand.ts +++ b/clients/client-appstream/src/commands/UntagResourceCommand.ts @@ -83,4 +83,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateAppBlockBuilderCommand.ts b/clients/client-appstream/src/commands/UpdateAppBlockBuilderCommand.ts index 0fd45e8808c9..97fe050591f6 100644 --- a/clients/client-appstream/src/commands/UpdateAppBlockBuilderCommand.ts +++ b/clients/client-appstream/src/commands/UpdateAppBlockBuilderCommand.ts @@ -170,4 +170,16 @@ export class UpdateAppBlockBuilderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppBlockBuilderCommand) .de(de_UpdateAppBlockBuilderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppBlockBuilderRequest; + output: UpdateAppBlockBuilderResult; + }; + sdk: { + input: UpdateAppBlockBuilderCommandInput; + output: UpdateAppBlockBuilderCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateApplicationCommand.ts b/clients/client-appstream/src/commands/UpdateApplicationCommand.ts index 65283984be7f..889a0320b85a 100644 --- a/clients/client-appstream/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-appstream/src/commands/UpdateApplicationCommand.ts @@ -124,4 +124,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: UpdateApplicationResult; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateDirectoryConfigCommand.ts b/clients/client-appstream/src/commands/UpdateDirectoryConfigCommand.ts index a833ea959ccd..a9c9c65304b1 100644 --- a/clients/client-appstream/src/commands/UpdateDirectoryConfigCommand.ts +++ b/clients/client-appstream/src/commands/UpdateDirectoryConfigCommand.ts @@ -122,4 +122,16 @@ export class UpdateDirectoryConfigCommand extends $Command .f(UpdateDirectoryConfigRequestFilterSensitiveLog, UpdateDirectoryConfigResultFilterSensitiveLog) .ser(se_UpdateDirectoryConfigCommand) .de(de_UpdateDirectoryConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDirectoryConfigRequest; + output: UpdateDirectoryConfigResult; + }; + sdk: { + input: UpdateDirectoryConfigCommandInput; + output: UpdateDirectoryConfigCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateEntitlementCommand.ts b/clients/client-appstream/src/commands/UpdateEntitlementCommand.ts index a16ef3ebdaa6..fe9b55edce4b 100644 --- a/clients/client-appstream/src/commands/UpdateEntitlementCommand.ts +++ b/clients/client-appstream/src/commands/UpdateEntitlementCommand.ts @@ -111,4 +111,16 @@ export class UpdateEntitlementCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEntitlementCommand) .de(de_UpdateEntitlementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEntitlementRequest; + output: UpdateEntitlementResult; + }; + sdk: { + input: UpdateEntitlementCommandInput; + output: UpdateEntitlementCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateFleetCommand.ts b/clients/client-appstream/src/commands/UpdateFleetCommand.ts index d8d407d96a29..1d9ee087e3d9 100644 --- a/clients/client-appstream/src/commands/UpdateFleetCommand.ts +++ b/clients/client-appstream/src/commands/UpdateFleetCommand.ts @@ -227,4 +227,16 @@ export class UpdateFleetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFleetCommand) .de(de_UpdateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetRequest; + output: UpdateFleetResult; + }; + sdk: { + input: UpdateFleetCommandInput; + output: UpdateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateImagePermissionsCommand.ts b/clients/client-appstream/src/commands/UpdateImagePermissionsCommand.ts index 1f80d1043169..0a23b48a462b 100644 --- a/clients/client-appstream/src/commands/UpdateImagePermissionsCommand.ts +++ b/clients/client-appstream/src/commands/UpdateImagePermissionsCommand.ts @@ -89,4 +89,16 @@ export class UpdateImagePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateImagePermissionsCommand) .de(de_UpdateImagePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateImagePermissionsRequest; + output: {}; + }; + sdk: { + input: UpdateImagePermissionsCommandInput; + output: UpdateImagePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateStackCommand.ts b/clients/client-appstream/src/commands/UpdateStackCommand.ts index 93b58f4347e4..97777f9e20b4 100644 --- a/clients/client-appstream/src/commands/UpdateStackCommand.ts +++ b/clients/client-appstream/src/commands/UpdateStackCommand.ts @@ -191,4 +191,16 @@ export class UpdateStackCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStackCommand) .de(de_UpdateStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStackRequest; + output: UpdateStackResult; + }; + sdk: { + input: UpdateStackCommandInput; + output: UpdateStackCommandOutput; + }; + }; +} diff --git a/clients/client-appstream/src/commands/UpdateThemeForStackCommand.ts b/clients/client-appstream/src/commands/UpdateThemeForStackCommand.ts index c52e16376e41..7733a68d77c2 100644 --- a/clients/client-appstream/src/commands/UpdateThemeForStackCommand.ts +++ b/clients/client-appstream/src/commands/UpdateThemeForStackCommand.ts @@ -129,4 +129,16 @@ export class UpdateThemeForStackCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThemeForStackCommand) .de(de_UpdateThemeForStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThemeForStackRequest; + output: UpdateThemeForStackResult; + }; + sdk: { + input: UpdateThemeForStackCommandInput; + output: UpdateThemeForStackCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/package.json b/clients/client-appsync/package.json index 73a372db7b93..3f2db762a521 100644 --- a/clients/client-appsync/package.json +++ b/clients/client-appsync/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-appsync/src/commands/AssociateApiCommand.ts b/clients/client-appsync/src/commands/AssociateApiCommand.ts index 7f45bcc822e4..1be78a37f952 100644 --- a/clients/client-appsync/src/commands/AssociateApiCommand.ts +++ b/clients/client-appsync/src/commands/AssociateApiCommand.ts @@ -96,4 +96,16 @@ export class AssociateApiCommand extends $Command .f(void 0, void 0) .ser(se_AssociateApiCommand) .de(de_AssociateApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateApiRequest; + output: AssociateApiResponse; + }; + sdk: { + input: AssociateApiCommandInput; + output: AssociateApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/AssociateMergedGraphqlApiCommand.ts b/clients/client-appsync/src/commands/AssociateMergedGraphqlApiCommand.ts index df530b765cfe..fcb270aa1358 100644 --- a/clients/client-appsync/src/commands/AssociateMergedGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/AssociateMergedGraphqlApiCommand.ts @@ -116,4 +116,16 @@ export class AssociateMergedGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMergedGraphqlApiCommand) .de(de_AssociateMergedGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMergedGraphqlApiRequest; + output: AssociateMergedGraphqlApiResponse; + }; + sdk: { + input: AssociateMergedGraphqlApiCommandInput; + output: AssociateMergedGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/AssociateSourceGraphqlApiCommand.ts b/clients/client-appsync/src/commands/AssociateSourceGraphqlApiCommand.ts index 58e020c27ab1..f5fdd01a5540 100644 --- a/clients/client-appsync/src/commands/AssociateSourceGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/AssociateSourceGraphqlApiCommand.ts @@ -116,4 +116,16 @@ export class AssociateSourceGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_AssociateSourceGraphqlApiCommand) .de(de_AssociateSourceGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSourceGraphqlApiRequest; + output: AssociateSourceGraphqlApiResponse; + }; + sdk: { + input: AssociateSourceGraphqlApiCommandInput; + output: AssociateSourceGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateApiCacheCommand.ts b/clients/client-appsync/src/commands/CreateApiCacheCommand.ts index d28f288f3480..36fa17a1ba86 100644 --- a/clients/client-appsync/src/commands/CreateApiCacheCommand.ts +++ b/clients/client-appsync/src/commands/CreateApiCacheCommand.ts @@ -108,4 +108,16 @@ export class CreateApiCacheCommand extends $Command .f(void 0, void 0) .ser(se_CreateApiCacheCommand) .de(de_CreateApiCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApiCacheRequest; + output: CreateApiCacheResponse; + }; + sdk: { + input: CreateApiCacheCommandInput; + output: CreateApiCacheCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateApiKeyCommand.ts b/clients/client-appsync/src/commands/CreateApiKeyCommand.ts index caa0098ec7ba..5149742ce258 100644 --- a/clients/client-appsync/src/commands/CreateApiKeyCommand.ts +++ b/clients/client-appsync/src/commands/CreateApiKeyCommand.ts @@ -107,4 +107,16 @@ export class CreateApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreateApiKeyCommand) .de(de_CreateApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApiKeyRequest; + output: CreateApiKeyResponse; + }; + sdk: { + input: CreateApiKeyCommandInput; + output: CreateApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateDataSourceCommand.ts b/clients/client-appsync/src/commands/CreateDataSourceCommand.ts index 3ce6edc1c8b6..1ad92328d506 100644 --- a/clients/client-appsync/src/commands/CreateDataSourceCommand.ts +++ b/clients/client-appsync/src/commands/CreateDataSourceCommand.ts @@ -196,4 +196,16 @@ export class CreateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataSourceCommand) .de(de_CreateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceRequest; + output: CreateDataSourceResponse; + }; + sdk: { + input: CreateDataSourceCommandInput; + output: CreateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateDomainNameCommand.ts b/clients/client-appsync/src/commands/CreateDomainNameCommand.ts index a26cac3b256a..4e9524be2134 100644 --- a/clients/client-appsync/src/commands/CreateDomainNameCommand.ts +++ b/clients/client-appsync/src/commands/CreateDomainNameCommand.ts @@ -95,4 +95,16 @@ export class CreateDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainNameCommand) .de(de_CreateDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainNameRequest; + output: CreateDomainNameResponse; + }; + sdk: { + input: CreateDomainNameCommandInput; + output: CreateDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateFunctionCommand.ts b/clients/client-appsync/src/commands/CreateFunctionCommand.ts index 65e8039f831e..7cee385d12c3 100644 --- a/clients/client-appsync/src/commands/CreateFunctionCommand.ts +++ b/clients/client-appsync/src/commands/CreateFunctionCommand.ts @@ -136,4 +136,16 @@ export class CreateFunctionCommand extends $Command .f(void 0, void 0) .ser(se_CreateFunctionCommand) .de(de_CreateFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFunctionRequest; + output: CreateFunctionResponse; + }; + sdk: { + input: CreateFunctionCommandInput; + output: CreateFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateGraphqlApiCommand.ts b/clients/client-appsync/src/commands/CreateGraphqlApiCommand.ts index 5419bdae63b6..b555ec1b24a9 100644 --- a/clients/client-appsync/src/commands/CreateGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/CreateGraphqlApiCommand.ts @@ -229,4 +229,16 @@ export class CreateGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_CreateGraphqlApiCommand) .de(de_CreateGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGraphqlApiRequest; + output: CreateGraphqlApiResponse; + }; + sdk: { + input: CreateGraphqlApiCommandInput; + output: CreateGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateResolverCommand.ts b/clients/client-appsync/src/commands/CreateResolverCommand.ts index f420dce97744..2051ca05c443 100644 --- a/clients/client-appsync/src/commands/CreateResolverCommand.ts +++ b/clients/client-appsync/src/commands/CreateResolverCommand.ts @@ -160,4 +160,16 @@ export class CreateResolverCommand extends $Command .f(void 0, void 0) .ser(se_CreateResolverCommand) .de(de_CreateResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResolverRequest; + output: CreateResolverResponse; + }; + sdk: { + input: CreateResolverCommandInput; + output: CreateResolverCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/CreateTypeCommand.ts b/clients/client-appsync/src/commands/CreateTypeCommand.ts index 81d8b5abdca4..a631c083190f 100644 --- a/clients/client-appsync/src/commands/CreateTypeCommand.ts +++ b/clients/client-appsync/src/commands/CreateTypeCommand.ts @@ -102,4 +102,16 @@ export class CreateTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateTypeCommand) .de(de_CreateTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTypeRequest; + output: CreateTypeResponse; + }; + sdk: { + input: CreateTypeCommandInput; + output: CreateTypeCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteApiCacheCommand.ts b/clients/client-appsync/src/commands/DeleteApiCacheCommand.ts index ef2104044887..6a63ac058bf1 100644 --- a/clients/client-appsync/src/commands/DeleteApiCacheCommand.ts +++ b/clients/client-appsync/src/commands/DeleteApiCacheCommand.ts @@ -92,4 +92,16 @@ export class DeleteApiCacheCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApiCacheCommand) .de(de_DeleteApiCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApiCacheRequest; + output: {}; + }; + sdk: { + input: DeleteApiCacheCommandInput; + output: DeleteApiCacheCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteApiKeyCommand.ts b/clients/client-appsync/src/commands/DeleteApiKeyCommand.ts index ec7f882fa1cc..a7d7f92846b7 100644 --- a/clients/client-appsync/src/commands/DeleteApiKeyCommand.ts +++ b/clients/client-appsync/src/commands/DeleteApiKeyCommand.ts @@ -89,4 +89,16 @@ export class DeleteApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApiKeyCommand) .de(de_DeleteApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApiKeyRequest; + output: {}; + }; + sdk: { + input: DeleteApiKeyCommandInput; + output: DeleteApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteDataSourceCommand.ts b/clients/client-appsync/src/commands/DeleteDataSourceCommand.ts index 70e6986d12ed..8a0119805824 100644 --- a/clients/client-appsync/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-appsync/src/commands/DeleteDataSourceCommand.ts @@ -93,4 +93,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceRequest; + output: {}; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteDomainNameCommand.ts b/clients/client-appsync/src/commands/DeleteDomainNameCommand.ts index 8f9c14146a31..4ec81d4a66af 100644 --- a/clients/client-appsync/src/commands/DeleteDomainNameCommand.ts +++ b/clients/client-appsync/src/commands/DeleteDomainNameCommand.ts @@ -92,4 +92,16 @@ export class DeleteDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainNameCommand) .de(de_DeleteDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainNameRequest; + output: {}; + }; + sdk: { + input: DeleteDomainNameCommandInput; + output: DeleteDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteFunctionCommand.ts b/clients/client-appsync/src/commands/DeleteFunctionCommand.ts index 6a589432bcc9..6802779b4f53 100644 --- a/clients/client-appsync/src/commands/DeleteFunctionCommand.ts +++ b/clients/client-appsync/src/commands/DeleteFunctionCommand.ts @@ -93,4 +93,16 @@ export class DeleteFunctionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionCommand) .de(de_DeleteFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionCommandInput; + output: DeleteFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteGraphqlApiCommand.ts b/clients/client-appsync/src/commands/DeleteGraphqlApiCommand.ts index 0cafec5d1b3b..1617b054c153 100644 --- a/clients/client-appsync/src/commands/DeleteGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/DeleteGraphqlApiCommand.ts @@ -95,4 +95,16 @@ export class DeleteGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGraphqlApiCommand) .de(de_DeleteGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGraphqlApiRequest; + output: {}; + }; + sdk: { + input: DeleteGraphqlApiCommandInput; + output: DeleteGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteResolverCommand.ts b/clients/client-appsync/src/commands/DeleteResolverCommand.ts index bc6dc8a40698..21ee8fe5af98 100644 --- a/clients/client-appsync/src/commands/DeleteResolverCommand.ts +++ b/clients/client-appsync/src/commands/DeleteResolverCommand.ts @@ -94,4 +94,16 @@ export class DeleteResolverCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResolverCommand) .de(de_DeleteResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResolverRequest; + output: {}; + }; + sdk: { + input: DeleteResolverCommandInput; + output: DeleteResolverCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DeleteTypeCommand.ts b/clients/client-appsync/src/commands/DeleteTypeCommand.ts index 5cc575634f37..4f4c72ee9d22 100644 --- a/clients/client-appsync/src/commands/DeleteTypeCommand.ts +++ b/clients/client-appsync/src/commands/DeleteTypeCommand.ts @@ -93,4 +93,16 @@ export class DeleteTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTypeCommand) .de(de_DeleteTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTypeRequest; + output: {}; + }; + sdk: { + input: DeleteTypeCommandInput; + output: DeleteTypeCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DisassociateApiCommand.ts b/clients/client-appsync/src/commands/DisassociateApiCommand.ts index 4a6665979ab9..c7c1afbc72a8 100644 --- a/clients/client-appsync/src/commands/DisassociateApiCommand.ts +++ b/clients/client-appsync/src/commands/DisassociateApiCommand.ts @@ -92,4 +92,16 @@ export class DisassociateApiCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateApiCommand) .de(de_DisassociateApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateApiRequest; + output: {}; + }; + sdk: { + input: DisassociateApiCommandInput; + output: DisassociateApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DisassociateMergedGraphqlApiCommand.ts b/clients/client-appsync/src/commands/DisassociateMergedGraphqlApiCommand.ts index 12a384f1d3e8..e2690f9c3d4f 100644 --- a/clients/client-appsync/src/commands/DisassociateMergedGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/DisassociateMergedGraphqlApiCommand.ts @@ -101,4 +101,16 @@ export class DisassociateMergedGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMergedGraphqlApiCommand) .de(de_DisassociateMergedGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMergedGraphqlApiRequest; + output: DisassociateMergedGraphqlApiResponse; + }; + sdk: { + input: DisassociateMergedGraphqlApiCommandInput; + output: DisassociateMergedGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/DisassociateSourceGraphqlApiCommand.ts b/clients/client-appsync/src/commands/DisassociateSourceGraphqlApiCommand.ts index 83d2e2b0cafb..f762a011ce81 100644 --- a/clients/client-appsync/src/commands/DisassociateSourceGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/DisassociateSourceGraphqlApiCommand.ts @@ -101,4 +101,16 @@ export class DisassociateSourceGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateSourceGraphqlApiCommand) .de(de_DisassociateSourceGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateSourceGraphqlApiRequest; + output: DisassociateSourceGraphqlApiResponse; + }; + sdk: { + input: DisassociateSourceGraphqlApiCommandInput; + output: DisassociateSourceGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/EvaluateCodeCommand.ts b/clients/client-appsync/src/commands/EvaluateCodeCommand.ts index 80074b0320bd..68338d8786c2 100644 --- a/clients/client-appsync/src/commands/EvaluateCodeCommand.ts +++ b/clients/client-appsync/src/commands/EvaluateCodeCommand.ts @@ -114,4 +114,16 @@ export class EvaluateCodeCommand extends $Command .f(void 0, void 0) .ser(se_EvaluateCodeCommand) .de(de_EvaluateCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EvaluateCodeRequest; + output: EvaluateCodeResponse; + }; + sdk: { + input: EvaluateCodeCommandInput; + output: EvaluateCodeCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/EvaluateMappingTemplateCommand.ts b/clients/client-appsync/src/commands/EvaluateMappingTemplateCommand.ts index f96e2c0a9a71..8869a908a603 100644 --- a/clients/client-appsync/src/commands/EvaluateMappingTemplateCommand.ts +++ b/clients/client-appsync/src/commands/EvaluateMappingTemplateCommand.ts @@ -99,4 +99,16 @@ export class EvaluateMappingTemplateCommand extends $Command .f(void 0, void 0) .ser(se_EvaluateMappingTemplateCommand) .de(de_EvaluateMappingTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EvaluateMappingTemplateRequest; + output: EvaluateMappingTemplateResponse; + }; + sdk: { + input: EvaluateMappingTemplateCommandInput; + output: EvaluateMappingTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/FlushApiCacheCommand.ts b/clients/client-appsync/src/commands/FlushApiCacheCommand.ts index 40d463bcd38f..0d68ef227ab6 100644 --- a/clients/client-appsync/src/commands/FlushApiCacheCommand.ts +++ b/clients/client-appsync/src/commands/FlushApiCacheCommand.ts @@ -92,4 +92,16 @@ export class FlushApiCacheCommand extends $Command .f(void 0, void 0) .ser(se_FlushApiCacheCommand) .de(de_FlushApiCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FlushApiCacheRequest; + output: {}; + }; + sdk: { + input: FlushApiCacheCommandInput; + output: FlushApiCacheCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetApiAssociationCommand.ts b/clients/client-appsync/src/commands/GetApiAssociationCommand.ts index 4a18c5667eed..5bdf81884d43 100644 --- a/clients/client-appsync/src/commands/GetApiAssociationCommand.ts +++ b/clients/client-appsync/src/commands/GetApiAssociationCommand.ts @@ -95,4 +95,16 @@ export class GetApiAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetApiAssociationCommand) .de(de_GetApiAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApiAssociationRequest; + output: GetApiAssociationResponse; + }; + sdk: { + input: GetApiAssociationCommandInput; + output: GetApiAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetApiCacheCommand.ts b/clients/client-appsync/src/commands/GetApiCacheCommand.ts index 8acbd96c5d59..fa99c627a9d2 100644 --- a/clients/client-appsync/src/commands/GetApiCacheCommand.ts +++ b/clients/client-appsync/src/commands/GetApiCacheCommand.ts @@ -102,4 +102,16 @@ export class GetApiCacheCommand extends $Command .f(void 0, void 0) .ser(se_GetApiCacheCommand) .de(de_GetApiCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApiCacheRequest; + output: GetApiCacheResponse; + }; + sdk: { + input: GetApiCacheCommandInput; + output: GetApiCacheCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetDataSourceCommand.ts b/clients/client-appsync/src/commands/GetDataSourceCommand.ts index a605e7c93097..7efa6ffef415 100644 --- a/clients/client-appsync/src/commands/GetDataSourceCommand.ts +++ b/clients/client-appsync/src/commands/GetDataSourceCommand.ts @@ -147,4 +147,16 @@ export class GetDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSourceCommand) .de(de_GetDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceRequest; + output: GetDataSourceResponse; + }; + sdk: { + input: GetDataSourceCommandInput; + output: GetDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetDataSourceIntrospectionCommand.ts b/clients/client-appsync/src/commands/GetDataSourceIntrospectionCommand.ts index 060e6ca7a156..0ee8eb75eea4 100644 --- a/clients/client-appsync/src/commands/GetDataSourceIntrospectionCommand.ts +++ b/clients/client-appsync/src/commands/GetDataSourceIntrospectionCommand.ts @@ -138,4 +138,16 @@ export class GetDataSourceIntrospectionCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSourceIntrospectionCommand) .de(de_GetDataSourceIntrospectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceIntrospectionRequest; + output: GetDataSourceIntrospectionResponse; + }; + sdk: { + input: GetDataSourceIntrospectionCommandInput; + output: GetDataSourceIntrospectionCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetDomainNameCommand.ts b/clients/client-appsync/src/commands/GetDomainNameCommand.ts index 59525c56e677..afd2ea825cf0 100644 --- a/clients/client-appsync/src/commands/GetDomainNameCommand.ts +++ b/clients/client-appsync/src/commands/GetDomainNameCommand.ts @@ -96,4 +96,16 @@ export class GetDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainNameCommand) .de(de_GetDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainNameRequest; + output: GetDomainNameResponse; + }; + sdk: { + input: GetDomainNameCommandInput; + output: GetDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetFunctionCommand.ts b/clients/client-appsync/src/commands/GetFunctionCommand.ts index 489060527bae..adb9e83cdae9 100644 --- a/clients/client-appsync/src/commands/GetFunctionCommand.ts +++ b/clients/client-appsync/src/commands/GetFunctionCommand.ts @@ -110,4 +110,16 @@ export class GetFunctionCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionCommand) .de(de_GetFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionRequest; + output: GetFunctionResponse; + }; + sdk: { + input: GetFunctionCommandInput; + output: GetFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetGraphqlApiCommand.ts b/clients/client-appsync/src/commands/GetGraphqlApiCommand.ts index 3690d638ee2d..c77ada6cfeda 100644 --- a/clients/client-appsync/src/commands/GetGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/GetGraphqlApiCommand.ts @@ -165,4 +165,16 @@ export class GetGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_GetGraphqlApiCommand) .de(de_GetGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGraphqlApiRequest; + output: GetGraphqlApiResponse; + }; + sdk: { + input: GetGraphqlApiCommandInput; + output: GetGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetGraphqlApiEnvironmentVariablesCommand.ts b/clients/client-appsync/src/commands/GetGraphqlApiEnvironmentVariablesCommand.ts index a31f170a104c..3952a7d385e2 100644 --- a/clients/client-appsync/src/commands/GetGraphqlApiEnvironmentVariablesCommand.ts +++ b/clients/client-appsync/src/commands/GetGraphqlApiEnvironmentVariablesCommand.ts @@ -103,4 +103,16 @@ export class GetGraphqlApiEnvironmentVariablesCommand extends $Command .f(void 0, void 0) .ser(se_GetGraphqlApiEnvironmentVariablesCommand) .de(de_GetGraphqlApiEnvironmentVariablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGraphqlApiEnvironmentVariablesRequest; + output: GetGraphqlApiEnvironmentVariablesResponse; + }; + sdk: { + input: GetGraphqlApiEnvironmentVariablesCommandInput; + output: GetGraphqlApiEnvironmentVariablesCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetIntrospectionSchemaCommand.ts b/clients/client-appsync/src/commands/GetIntrospectionSchemaCommand.ts index 3b74e3541888..4b33ced03f1b 100644 --- a/clients/client-appsync/src/commands/GetIntrospectionSchemaCommand.ts +++ b/clients/client-appsync/src/commands/GetIntrospectionSchemaCommand.ts @@ -101,4 +101,16 @@ export class GetIntrospectionSchemaCommand extends $Command .f(void 0, void 0) .ser(se_GetIntrospectionSchemaCommand) .de(de_GetIntrospectionSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntrospectionSchemaRequest; + output: GetIntrospectionSchemaResponse; + }; + sdk: { + input: GetIntrospectionSchemaCommandInput; + output: GetIntrospectionSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetResolverCommand.ts b/clients/client-appsync/src/commands/GetResolverCommand.ts index bc3cefdb7a2f..c1a826c4467b 100644 --- a/clients/client-appsync/src/commands/GetResolverCommand.ts +++ b/clients/client-appsync/src/commands/GetResolverCommand.ts @@ -122,4 +122,16 @@ export class GetResolverCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverCommand) .de(de_GetResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverRequest; + output: GetResolverResponse; + }; + sdk: { + input: GetResolverCommandInput; + output: GetResolverCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetSchemaCreationStatusCommand.ts b/clients/client-appsync/src/commands/GetSchemaCreationStatusCommand.ts index 3ffd0f7dcb84..f380d0c34fb4 100644 --- a/clients/client-appsync/src/commands/GetSchemaCreationStatusCommand.ts +++ b/clients/client-appsync/src/commands/GetSchemaCreationStatusCommand.ts @@ -91,4 +91,16 @@ export class GetSchemaCreationStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaCreationStatusCommand) .de(de_GetSchemaCreationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaCreationStatusRequest; + output: GetSchemaCreationStatusResponse; + }; + sdk: { + input: GetSchemaCreationStatusCommandInput; + output: GetSchemaCreationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetSourceApiAssociationCommand.ts b/clients/client-appsync/src/commands/GetSourceApiAssociationCommand.ts index 0fa67d5acfff..48087e076a08 100644 --- a/clients/client-appsync/src/commands/GetSourceApiAssociationCommand.ts +++ b/clients/client-appsync/src/commands/GetSourceApiAssociationCommand.ts @@ -105,4 +105,16 @@ export class GetSourceApiAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetSourceApiAssociationCommand) .de(de_GetSourceApiAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSourceApiAssociationRequest; + output: GetSourceApiAssociationResponse; + }; + sdk: { + input: GetSourceApiAssociationCommandInput; + output: GetSourceApiAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/GetTypeCommand.ts b/clients/client-appsync/src/commands/GetTypeCommand.ts index c2c363f9fbf5..accaaf24d338 100644 --- a/clients/client-appsync/src/commands/GetTypeCommand.ts +++ b/clients/client-appsync/src/commands/GetTypeCommand.ts @@ -102,4 +102,16 @@ export class GetTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetTypeCommand) .de(de_GetTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTypeRequest; + output: GetTypeResponse; + }; + sdk: { + input: GetTypeCommandInput; + output: GetTypeCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListApiKeysCommand.ts b/clients/client-appsync/src/commands/ListApiKeysCommand.ts index 55df1a8e4572..974496e962ae 100644 --- a/clients/client-appsync/src/commands/ListApiKeysCommand.ts +++ b/clients/client-appsync/src/commands/ListApiKeysCommand.ts @@ -105,4 +105,16 @@ export class ListApiKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListApiKeysCommand) .de(de_ListApiKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApiKeysRequest; + output: ListApiKeysResponse; + }; + sdk: { + input: ListApiKeysCommandInput; + output: ListApiKeysCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListDataSourcesCommand.ts b/clients/client-appsync/src/commands/ListDataSourcesCommand.ts index eaec49ecf1ae..252194a01285 100644 --- a/clients/client-appsync/src/commands/ListDataSourcesCommand.ts +++ b/clients/client-appsync/src/commands/ListDataSourcesCommand.ts @@ -147,4 +147,16 @@ export class ListDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourcesCommand) .de(de_ListDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourcesRequest; + output: ListDataSourcesResponse; + }; + sdk: { + input: ListDataSourcesCommandInput; + output: ListDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListDomainNamesCommand.ts b/clients/client-appsync/src/commands/ListDomainNamesCommand.ts index c5829f0df8f1..cb6341b0a9e6 100644 --- a/clients/client-appsync/src/commands/ListDomainNamesCommand.ts +++ b/clients/client-appsync/src/commands/ListDomainNamesCommand.ts @@ -97,4 +97,16 @@ export class ListDomainNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainNamesCommand) .de(de_ListDomainNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainNamesRequest; + output: ListDomainNamesResponse; + }; + sdk: { + input: ListDomainNamesCommandInput; + output: ListDomainNamesCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListFunctionsCommand.ts b/clients/client-appsync/src/commands/ListFunctionsCommand.ts index bc8e321225a2..18d2311f36f7 100644 --- a/clients/client-appsync/src/commands/ListFunctionsCommand.ts +++ b/clients/client-appsync/src/commands/ListFunctionsCommand.ts @@ -117,4 +117,16 @@ export class ListFunctionsCommand extends $Command .f(void 0, void 0) .ser(se_ListFunctionsCommand) .de(de_ListFunctionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionsRequest; + output: ListFunctionsResponse; + }; + sdk: { + input: ListFunctionsCommandInput; + output: ListFunctionsCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListGraphqlApisCommand.ts b/clients/client-appsync/src/commands/ListGraphqlApisCommand.ts index d3e113d1e2b7..4fff15ea9447 100644 --- a/clients/client-appsync/src/commands/ListGraphqlApisCommand.ts +++ b/clients/client-appsync/src/commands/ListGraphqlApisCommand.ts @@ -165,4 +165,16 @@ export class ListGraphqlApisCommand extends $Command .f(void 0, void 0) .ser(se_ListGraphqlApisCommand) .de(de_ListGraphqlApisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGraphqlApisRequest; + output: ListGraphqlApisResponse; + }; + sdk: { + input: ListGraphqlApisCommandInput; + output: ListGraphqlApisCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListResolversByFunctionCommand.ts b/clients/client-appsync/src/commands/ListResolversByFunctionCommand.ts index 1e2c27a50dcd..407cc948b2a2 100644 --- a/clients/client-appsync/src/commands/ListResolversByFunctionCommand.ts +++ b/clients/client-appsync/src/commands/ListResolversByFunctionCommand.ts @@ -129,4 +129,16 @@ export class ListResolversByFunctionCommand extends $Command .f(void 0, void 0) .ser(se_ListResolversByFunctionCommand) .de(de_ListResolversByFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolversByFunctionRequest; + output: ListResolversByFunctionResponse; + }; + sdk: { + input: ListResolversByFunctionCommandInput; + output: ListResolversByFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListResolversCommand.ts b/clients/client-appsync/src/commands/ListResolversCommand.ts index 7bc3d1b290a3..00241b68fc8e 100644 --- a/clients/client-appsync/src/commands/ListResolversCommand.ts +++ b/clients/client-appsync/src/commands/ListResolversCommand.ts @@ -129,4 +129,16 @@ export class ListResolversCommand extends $Command .f(void 0, void 0) .ser(se_ListResolversCommand) .de(de_ListResolversCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolversRequest; + output: ListResolversResponse; + }; + sdk: { + input: ListResolversCommandInput; + output: ListResolversCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListSourceApiAssociationsCommand.ts b/clients/client-appsync/src/commands/ListSourceApiAssociationsCommand.ts index 5ff52db66c92..b7c31517f8ae 100644 --- a/clients/client-appsync/src/commands/ListSourceApiAssociationsCommand.ts +++ b/clients/client-appsync/src/commands/ListSourceApiAssociationsCommand.ts @@ -103,4 +103,16 @@ export class ListSourceApiAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSourceApiAssociationsCommand) .de(de_ListSourceApiAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSourceApiAssociationsRequest; + output: ListSourceApiAssociationsResponse; + }; + sdk: { + input: ListSourceApiAssociationsCommandInput; + output: ListSourceApiAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListTagsForResourceCommand.ts b/clients/client-appsync/src/commands/ListTagsForResourceCommand.ts index 2dfbdcd0068c..b6c2e96e7569 100644 --- a/clients/client-appsync/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-appsync/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListTypesByAssociationCommand.ts b/clients/client-appsync/src/commands/ListTypesByAssociationCommand.ts index af182bb818d0..45e15a62378a 100644 --- a/clients/client-appsync/src/commands/ListTypesByAssociationCommand.ts +++ b/clients/client-appsync/src/commands/ListTypesByAssociationCommand.ts @@ -107,4 +107,16 @@ export class ListTypesByAssociationCommand extends $Command .f(void 0, void 0) .ser(se_ListTypesByAssociationCommand) .de(de_ListTypesByAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTypesByAssociationRequest; + output: ListTypesByAssociationResponse; + }; + sdk: { + input: ListTypesByAssociationCommandInput; + output: ListTypesByAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/ListTypesCommand.ts b/clients/client-appsync/src/commands/ListTypesCommand.ts index 0f7d882fb412..a9e79e294a97 100644 --- a/clients/client-appsync/src/commands/ListTypesCommand.ts +++ b/clients/client-appsync/src/commands/ListTypesCommand.ts @@ -106,4 +106,16 @@ export class ListTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListTypesCommand) .de(de_ListTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTypesRequest; + output: ListTypesResponse; + }; + sdk: { + input: ListTypesCommandInput; + output: ListTypesCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/PutGraphqlApiEnvironmentVariablesCommand.ts b/clients/client-appsync/src/commands/PutGraphqlApiEnvironmentVariablesCommand.ts index 1d5bb7d85841..b8a235d78a8b 100644 --- a/clients/client-appsync/src/commands/PutGraphqlApiEnvironmentVariablesCommand.ts +++ b/clients/client-appsync/src/commands/PutGraphqlApiEnvironmentVariablesCommand.ts @@ -154,4 +154,16 @@ export class PutGraphqlApiEnvironmentVariablesCommand extends $Command .f(void 0, void 0) .ser(se_PutGraphqlApiEnvironmentVariablesCommand) .de(de_PutGraphqlApiEnvironmentVariablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutGraphqlApiEnvironmentVariablesRequest; + output: PutGraphqlApiEnvironmentVariablesResponse; + }; + sdk: { + input: PutGraphqlApiEnvironmentVariablesCommandInput; + output: PutGraphqlApiEnvironmentVariablesCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/StartDataSourceIntrospectionCommand.ts b/clients/client-appsync/src/commands/StartDataSourceIntrospectionCommand.ts index ea033ca14125..209231300ff7 100644 --- a/clients/client-appsync/src/commands/StartDataSourceIntrospectionCommand.ts +++ b/clients/client-appsync/src/commands/StartDataSourceIntrospectionCommand.ts @@ -102,4 +102,16 @@ export class StartDataSourceIntrospectionCommand extends $Command .f(void 0, void 0) .ser(se_StartDataSourceIntrospectionCommand) .de(de_StartDataSourceIntrospectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataSourceIntrospectionRequest; + output: StartDataSourceIntrospectionResponse; + }; + sdk: { + input: StartDataSourceIntrospectionCommandInput; + output: StartDataSourceIntrospectionCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/StartSchemaCreationCommand.ts b/clients/client-appsync/src/commands/StartSchemaCreationCommand.ts index 1ab9a92d17f8..5462a50041ac 100644 --- a/clients/client-appsync/src/commands/StartSchemaCreationCommand.ts +++ b/clients/client-appsync/src/commands/StartSchemaCreationCommand.ts @@ -97,4 +97,16 @@ export class StartSchemaCreationCommand extends $Command .f(void 0, void 0) .ser(se_StartSchemaCreationCommand) .de(de_StartSchemaCreationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSchemaCreationRequest; + output: StartSchemaCreationResponse; + }; + sdk: { + input: StartSchemaCreationCommandInput; + output: StartSchemaCreationCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/StartSchemaMergeCommand.ts b/clients/client-appsync/src/commands/StartSchemaMergeCommand.ts index 1cc4f7323c49..4eb83b950f3d 100644 --- a/clients/client-appsync/src/commands/StartSchemaMergeCommand.ts +++ b/clients/client-appsync/src/commands/StartSchemaMergeCommand.ts @@ -95,4 +95,16 @@ export class StartSchemaMergeCommand extends $Command .f(void 0, void 0) .ser(se_StartSchemaMergeCommand) .de(de_StartSchemaMergeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSchemaMergeRequest; + output: StartSchemaMergeResponse; + }; + sdk: { + input: StartSchemaMergeCommandInput; + output: StartSchemaMergeCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/TagResourceCommand.ts b/clients/client-appsync/src/commands/TagResourceCommand.ts index e17963efb60f..1137b39c3e1c 100644 --- a/clients/client-appsync/src/commands/TagResourceCommand.ts +++ b/clients/client-appsync/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UntagResourceCommand.ts b/clients/client-appsync/src/commands/UntagResourceCommand.ts index bbc5348ad7db..348456a0d6d8 100644 --- a/clients/client-appsync/src/commands/UntagResourceCommand.ts +++ b/clients/client-appsync/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateApiCacheCommand.ts b/clients/client-appsync/src/commands/UpdateApiCacheCommand.ts index 6fa97dde2078..02654a4e7a1d 100644 --- a/clients/client-appsync/src/commands/UpdateApiCacheCommand.ts +++ b/clients/client-appsync/src/commands/UpdateApiCacheCommand.ts @@ -106,4 +106,16 @@ export class UpdateApiCacheCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApiCacheCommand) .de(de_UpdateApiCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApiCacheRequest; + output: UpdateApiCacheResponse; + }; + sdk: { + input: UpdateApiCacheCommandInput; + output: UpdateApiCacheCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateApiKeyCommand.ts b/clients/client-appsync/src/commands/UpdateApiKeyCommand.ts index a746f19dc998..4fb6a98a02e1 100644 --- a/clients/client-appsync/src/commands/UpdateApiKeyCommand.ts +++ b/clients/client-appsync/src/commands/UpdateApiKeyCommand.ts @@ -105,4 +105,16 @@ export class UpdateApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApiKeyCommand) .de(de_UpdateApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApiKeyRequest; + output: UpdateApiKeyResponse; + }; + sdk: { + input: UpdateApiKeyCommandInput; + output: UpdateApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateDataSourceCommand.ts b/clients/client-appsync/src/commands/UpdateDataSourceCommand.ts index 87cb31873bd5..49764f01f769 100644 --- a/clients/client-appsync/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-appsync/src/commands/UpdateDataSourceCommand.ts @@ -196,4 +196,16 @@ export class UpdateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceRequest; + output: UpdateDataSourceResponse; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateDomainNameCommand.ts b/clients/client-appsync/src/commands/UpdateDomainNameCommand.ts index 42b858f69d0b..a8a6604f840d 100644 --- a/clients/client-appsync/src/commands/UpdateDomainNameCommand.ts +++ b/clients/client-appsync/src/commands/UpdateDomainNameCommand.ts @@ -101,4 +101,16 @@ export class UpdateDomainNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainNameCommand) .de(de_UpdateDomainNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainNameRequest; + output: UpdateDomainNameResponse; + }; + sdk: { + input: UpdateDomainNameCommandInput; + output: UpdateDomainNameCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateFunctionCommand.ts b/clients/client-appsync/src/commands/UpdateFunctionCommand.ts index 085039228580..6b2e1a7845fd 100644 --- a/clients/client-appsync/src/commands/UpdateFunctionCommand.ts +++ b/clients/client-appsync/src/commands/UpdateFunctionCommand.ts @@ -136,4 +136,16 @@ export class UpdateFunctionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFunctionCommand) .de(de_UpdateFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFunctionRequest; + output: UpdateFunctionResponse; + }; + sdk: { + input: UpdateFunctionCommandInput; + output: UpdateFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateGraphqlApiCommand.ts b/clients/client-appsync/src/commands/UpdateGraphqlApiCommand.ts index 02cc7a2fd744..600b86164efb 100644 --- a/clients/client-appsync/src/commands/UpdateGraphqlApiCommand.ts +++ b/clients/client-appsync/src/commands/UpdateGraphqlApiCommand.ts @@ -225,4 +225,16 @@ export class UpdateGraphqlApiCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGraphqlApiCommand) .de(de_UpdateGraphqlApiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGraphqlApiRequest; + output: UpdateGraphqlApiResponse; + }; + sdk: { + input: UpdateGraphqlApiCommandInput; + output: UpdateGraphqlApiCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateResolverCommand.ts b/clients/client-appsync/src/commands/UpdateResolverCommand.ts index ad8329b876a5..ce7d6607f9c5 100644 --- a/clients/client-appsync/src/commands/UpdateResolverCommand.ts +++ b/clients/client-appsync/src/commands/UpdateResolverCommand.ts @@ -158,4 +158,16 @@ export class UpdateResolverCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResolverCommand) .de(de_UpdateResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResolverRequest; + output: UpdateResolverResponse; + }; + sdk: { + input: UpdateResolverCommandInput; + output: UpdateResolverCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateSourceApiAssociationCommand.ts b/clients/client-appsync/src/commands/UpdateSourceApiAssociationCommand.ts index 731ea73e639c..df9d8fac04c9 100644 --- a/clients/client-appsync/src/commands/UpdateSourceApiAssociationCommand.ts +++ b/clients/client-appsync/src/commands/UpdateSourceApiAssociationCommand.ts @@ -113,4 +113,16 @@ export class UpdateSourceApiAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSourceApiAssociationCommand) .de(de_UpdateSourceApiAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSourceApiAssociationRequest; + output: UpdateSourceApiAssociationResponse; + }; + sdk: { + input: UpdateSourceApiAssociationCommandInput; + output: UpdateSourceApiAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-appsync/src/commands/UpdateTypeCommand.ts b/clients/client-appsync/src/commands/UpdateTypeCommand.ts index 10e57ea52254..128731af343c 100644 --- a/clients/client-appsync/src/commands/UpdateTypeCommand.ts +++ b/clients/client-appsync/src/commands/UpdateTypeCommand.ts @@ -103,4 +103,16 @@ export class UpdateTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTypeCommand) .de(de_UpdateTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTypeRequest; + output: UpdateTypeResponse; + }; + sdk: { + input: UpdateTypeCommandInput; + output: UpdateTypeCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/package.json b/clients/client-apptest/package.json index 654bec539a06..b0e4e379e1ff 100644 --- a/clients/client-apptest/package.json +++ b/clients/client-apptest/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-apptest/src/commands/CreateTestCaseCommand.ts b/clients/client-apptest/src/commands/CreateTestCaseCommand.ts index 0187c83d7341..b595f7f4e712 100644 --- a/clients/client-apptest/src/commands/CreateTestCaseCommand.ts +++ b/clients/client-apptest/src/commands/CreateTestCaseCommand.ts @@ -187,4 +187,16 @@ export class CreateTestCaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateTestCaseCommand) .de(de_CreateTestCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTestCaseRequest; + output: CreateTestCaseResponse; + }; + sdk: { + input: CreateTestCaseCommandInput; + output: CreateTestCaseCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/CreateTestConfigurationCommand.ts b/clients/client-apptest/src/commands/CreateTestConfigurationCommand.ts index f2ec367589a3..615494b4dd18 100644 --- a/clients/client-apptest/src/commands/CreateTestConfigurationCommand.ts +++ b/clients/client-apptest/src/commands/CreateTestConfigurationCommand.ts @@ -132,4 +132,16 @@ export class CreateTestConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateTestConfigurationCommand) .de(de_CreateTestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTestConfigurationRequest; + output: CreateTestConfigurationResponse; + }; + sdk: { + input: CreateTestConfigurationCommandInput; + output: CreateTestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/CreateTestSuiteCommand.ts b/clients/client-apptest/src/commands/CreateTestSuiteCommand.ts index e292498eaacd..96ba588cbb88 100644 --- a/clients/client-apptest/src/commands/CreateTestSuiteCommand.ts +++ b/clients/client-apptest/src/commands/CreateTestSuiteCommand.ts @@ -278,4 +278,16 @@ export class CreateTestSuiteCommand extends $Command .f(void 0, void 0) .ser(se_CreateTestSuiteCommand) .de(de_CreateTestSuiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTestSuiteRequest; + output: CreateTestSuiteResponse; + }; + sdk: { + input: CreateTestSuiteCommandInput; + output: CreateTestSuiteCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/DeleteTestCaseCommand.ts b/clients/client-apptest/src/commands/DeleteTestCaseCommand.ts index 79be9755f406..82102786d8ab 100644 --- a/clients/client-apptest/src/commands/DeleteTestCaseCommand.ts +++ b/clients/client-apptest/src/commands/DeleteTestCaseCommand.ts @@ -93,4 +93,16 @@ export class DeleteTestCaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTestCaseCommand) .de(de_DeleteTestCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTestCaseRequest; + output: {}; + }; + sdk: { + input: DeleteTestCaseCommandInput; + output: DeleteTestCaseCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/DeleteTestConfigurationCommand.ts b/clients/client-apptest/src/commands/DeleteTestConfigurationCommand.ts index f62351c6b2c1..52d3b5e5adbc 100644 --- a/clients/client-apptest/src/commands/DeleteTestConfigurationCommand.ts +++ b/clients/client-apptest/src/commands/DeleteTestConfigurationCommand.ts @@ -93,4 +93,16 @@ export class DeleteTestConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTestConfigurationCommand) .de(de_DeleteTestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTestConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteTestConfigurationCommandInput; + output: DeleteTestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/DeleteTestRunCommand.ts b/clients/client-apptest/src/commands/DeleteTestRunCommand.ts index c72841487336..6a03f10faf03 100644 --- a/clients/client-apptest/src/commands/DeleteTestRunCommand.ts +++ b/clients/client-apptest/src/commands/DeleteTestRunCommand.ts @@ -90,4 +90,16 @@ export class DeleteTestRunCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTestRunCommand) .de(de_DeleteTestRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTestRunRequest; + output: {}; + }; + sdk: { + input: DeleteTestRunCommandInput; + output: DeleteTestRunCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/DeleteTestSuiteCommand.ts b/clients/client-apptest/src/commands/DeleteTestSuiteCommand.ts index fb86a439837c..b8b48095eea4 100644 --- a/clients/client-apptest/src/commands/DeleteTestSuiteCommand.ts +++ b/clients/client-apptest/src/commands/DeleteTestSuiteCommand.ts @@ -93,4 +93,16 @@ export class DeleteTestSuiteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTestSuiteCommand) .de(de_DeleteTestSuiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTestSuiteRequest; + output: {}; + }; + sdk: { + input: DeleteTestSuiteCommandInput; + output: DeleteTestSuiteCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/GetTestCaseCommand.ts b/clients/client-apptest/src/commands/GetTestCaseCommand.ts index f4d898a07509..1a3ca3ea5337 100644 --- a/clients/client-apptest/src/commands/GetTestCaseCommand.ts +++ b/clients/client-apptest/src/commands/GetTestCaseCommand.ts @@ -195,4 +195,16 @@ export class GetTestCaseCommand extends $Command .f(void 0, void 0) .ser(se_GetTestCaseCommand) .de(de_GetTestCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestCaseRequest; + output: GetTestCaseResponse; + }; + sdk: { + input: GetTestCaseCommandInput; + output: GetTestCaseCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/GetTestConfigurationCommand.ts b/clients/client-apptest/src/commands/GetTestConfigurationCommand.ts index 85cc68aa8b9e..47728f6df30d 100644 --- a/clients/client-apptest/src/commands/GetTestConfigurationCommand.ts +++ b/clients/client-apptest/src/commands/GetTestConfigurationCommand.ts @@ -140,4 +140,16 @@ export class GetTestConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetTestConfigurationCommand) .de(de_GetTestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestConfigurationRequest; + output: GetTestConfigurationResponse; + }; + sdk: { + input: GetTestConfigurationCommandInput; + output: GetTestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/GetTestRunStepCommand.ts b/clients/client-apptest/src/commands/GetTestRunStepCommand.ts index 4b3c82fad357..08458c3382f6 100644 --- a/clients/client-apptest/src/commands/GetTestRunStepCommand.ts +++ b/clients/client-apptest/src/commands/GetTestRunStepCommand.ts @@ -296,4 +296,16 @@ export class GetTestRunStepCommand extends $Command .f(void 0, void 0) .ser(se_GetTestRunStepCommand) .de(de_GetTestRunStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestRunStepRequest; + output: GetTestRunStepResponse; + }; + sdk: { + input: GetTestRunStepCommandInput; + output: GetTestRunStepCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/GetTestSuiteCommand.ts b/clients/client-apptest/src/commands/GetTestSuiteCommand.ts index 5d75ea36b604..8ad44eafab52 100644 --- a/clients/client-apptest/src/commands/GetTestSuiteCommand.ts +++ b/clients/client-apptest/src/commands/GetTestSuiteCommand.ts @@ -286,4 +286,16 @@ export class GetTestSuiteCommand extends $Command .f(void 0, void 0) .ser(se_GetTestSuiteCommand) .de(de_GetTestSuiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestSuiteRequest; + output: GetTestSuiteResponse; + }; + sdk: { + input: GetTestSuiteCommandInput; + output: GetTestSuiteCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/ListTagsForResourceCommand.ts b/clients/client-apptest/src/commands/ListTagsForResourceCommand.ts index 188653e392f2..40337690620a 100644 --- a/clients/client-apptest/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-apptest/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/ListTestCasesCommand.ts b/clients/client-apptest/src/commands/ListTestCasesCommand.ts index 107790ca7d0f..5f9387906fa1 100644 --- a/clients/client-apptest/src/commands/ListTestCasesCommand.ts +++ b/clients/client-apptest/src/commands/ListTestCasesCommand.ts @@ -108,4 +108,16 @@ export class ListTestCasesCommand extends $Command .f(void 0, void 0) .ser(se_ListTestCasesCommand) .de(de_ListTestCasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestCasesRequest; + output: ListTestCasesResponse; + }; + sdk: { + input: ListTestCasesCommandInput; + output: ListTestCasesCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/ListTestConfigurationsCommand.ts b/clients/client-apptest/src/commands/ListTestConfigurationsCommand.ts index 346660a051a5..25294455f7e1 100644 --- a/clients/client-apptest/src/commands/ListTestConfigurationsCommand.ts +++ b/clients/client-apptest/src/commands/ListTestConfigurationsCommand.ts @@ -108,4 +108,16 @@ export class ListTestConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestConfigurationsCommand) .de(de_ListTestConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestConfigurationsRequest; + output: ListTestConfigurationsResponse; + }; + sdk: { + input: ListTestConfigurationsCommandInput; + output: ListTestConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/ListTestRunStepsCommand.ts b/clients/client-apptest/src/commands/ListTestRunStepsCommand.ts index 6f275ac4c4b2..3f3db8363f82 100644 --- a/clients/client-apptest/src/commands/ListTestRunStepsCommand.ts +++ b/clients/client-apptest/src/commands/ListTestRunStepsCommand.ts @@ -112,4 +112,16 @@ export class ListTestRunStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestRunStepsCommand) .de(de_ListTestRunStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestRunStepsRequest; + output: ListTestRunStepsResponse; + }; + sdk: { + input: ListTestRunStepsCommandInput; + output: ListTestRunStepsCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/ListTestRunTestCasesCommand.ts b/clients/client-apptest/src/commands/ListTestRunTestCasesCommand.ts index c1c4001c3f7b..b089309c66d3 100644 --- a/clients/client-apptest/src/commands/ListTestRunTestCasesCommand.ts +++ b/clients/client-apptest/src/commands/ListTestRunTestCasesCommand.ts @@ -105,4 +105,16 @@ export class ListTestRunTestCasesCommand extends $Command .f(void 0, void 0) .ser(se_ListTestRunTestCasesCommand) .de(de_ListTestRunTestCasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestRunTestCasesRequest; + output: ListTestRunTestCasesResponse; + }; + sdk: { + input: ListTestRunTestCasesCommandInput; + output: ListTestRunTestCasesCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/ListTestRunsCommand.ts b/clients/client-apptest/src/commands/ListTestRunsCommand.ts index 54ba62cc442f..e15fefe4d98c 100644 --- a/clients/client-apptest/src/commands/ListTestRunsCommand.ts +++ b/clients/client-apptest/src/commands/ListTestRunsCommand.ts @@ -111,4 +111,16 @@ export class ListTestRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestRunsCommand) .de(de_ListTestRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestRunsRequest; + output: ListTestRunsResponse; + }; + sdk: { + input: ListTestRunsCommandInput; + output: ListTestRunsCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/ListTestSuitesCommand.ts b/clients/client-apptest/src/commands/ListTestSuitesCommand.ts index 5deb6aec7505..a98e7b38bd16 100644 --- a/clients/client-apptest/src/commands/ListTestSuitesCommand.ts +++ b/clients/client-apptest/src/commands/ListTestSuitesCommand.ts @@ -108,4 +108,16 @@ export class ListTestSuitesCommand extends $Command .f(void 0, void 0) .ser(se_ListTestSuitesCommand) .de(de_ListTestSuitesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestSuitesRequest; + output: ListTestSuitesResponse; + }; + sdk: { + input: ListTestSuitesCommandInput; + output: ListTestSuitesCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/StartTestRunCommand.ts b/clients/client-apptest/src/commands/StartTestRunCommand.ts index d1a1a5abf615..9d623c9f5d38 100644 --- a/clients/client-apptest/src/commands/StartTestRunCommand.ts +++ b/clients/client-apptest/src/commands/StartTestRunCommand.ts @@ -104,4 +104,16 @@ export class StartTestRunCommand extends $Command .f(void 0, void 0) .ser(se_StartTestRunCommand) .de(de_StartTestRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTestRunRequest; + output: StartTestRunResponse; + }; + sdk: { + input: StartTestRunCommandInput; + output: StartTestRunCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/TagResourceCommand.ts b/clients/client-apptest/src/commands/TagResourceCommand.ts index 830d0fb5d386..359dbaf203cc 100644 --- a/clients/client-apptest/src/commands/TagResourceCommand.ts +++ b/clients/client-apptest/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/UntagResourceCommand.ts b/clients/client-apptest/src/commands/UntagResourceCommand.ts index bfc0c07ff978..77fa3f0707e4 100644 --- a/clients/client-apptest/src/commands/UntagResourceCommand.ts +++ b/clients/client-apptest/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/UpdateTestCaseCommand.ts b/clients/client-apptest/src/commands/UpdateTestCaseCommand.ts index 4c87ddeb7b13..1a4f3ab30374 100644 --- a/clients/client-apptest/src/commands/UpdateTestCaseCommand.ts +++ b/clients/client-apptest/src/commands/UpdateTestCaseCommand.ts @@ -183,4 +183,16 @@ export class UpdateTestCaseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTestCaseCommand) .de(de_UpdateTestCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTestCaseRequest; + output: UpdateTestCaseResponse; + }; + sdk: { + input: UpdateTestCaseCommandInput; + output: UpdateTestCaseCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/UpdateTestConfigurationCommand.ts b/clients/client-apptest/src/commands/UpdateTestConfigurationCommand.ts index 33e9d01d5d80..529fb4af6726 100644 --- a/clients/client-apptest/src/commands/UpdateTestConfigurationCommand.ts +++ b/clients/client-apptest/src/commands/UpdateTestConfigurationCommand.ts @@ -128,4 +128,16 @@ export class UpdateTestConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTestConfigurationCommand) .de(de_UpdateTestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTestConfigurationRequest; + output: UpdateTestConfigurationResponse; + }; + sdk: { + input: UpdateTestConfigurationCommandInput; + output: UpdateTestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-apptest/src/commands/UpdateTestSuiteCommand.ts b/clients/client-apptest/src/commands/UpdateTestSuiteCommand.ts index cb23139bc772..eef531a29dcb 100644 --- a/clients/client-apptest/src/commands/UpdateTestSuiteCommand.ts +++ b/clients/client-apptest/src/commands/UpdateTestSuiteCommand.ts @@ -274,4 +274,16 @@ export class UpdateTestSuiteCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTestSuiteCommand) .de(de_UpdateTestSuiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTestSuiteRequest; + output: UpdateTestSuiteResponse; + }; + sdk: { + input: UpdateTestSuiteCommandInput; + output: UpdateTestSuiteCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/package.json b/clients/client-arc-zonal-shift/package.json index c9d451010281..7aa083b20cdc 100644 --- a/clients/client-arc-zonal-shift/package.json +++ b/clients/client-arc-zonal-shift/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-arc-zonal-shift/src/commands/CancelZonalShiftCommand.ts b/clients/client-arc-zonal-shift/src/commands/CancelZonalShiftCommand.ts index 0068a4f75b25..159a9d134050 100644 --- a/clients/client-arc-zonal-shift/src/commands/CancelZonalShiftCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/CancelZonalShiftCommand.ts @@ -104,4 +104,16 @@ export class CancelZonalShiftCommand extends $Command .f(void 0, void 0) .ser(se_CancelZonalShiftCommand) .de(de_CancelZonalShiftCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelZonalShiftRequest; + output: ZonalShift; + }; + sdk: { + input: CancelZonalShiftCommandInput; + output: CancelZonalShiftCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/CreatePracticeRunConfigurationCommand.ts b/clients/client-arc-zonal-shift/src/commands/CreatePracticeRunConfigurationCommand.ts index 1c2a789e0e6d..c4db1b88e3e7 100644 --- a/clients/client-arc-zonal-shift/src/commands/CreatePracticeRunConfigurationCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/CreatePracticeRunConfigurationCommand.ts @@ -150,4 +150,16 @@ export class CreatePracticeRunConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreatePracticeRunConfigurationCommand) .de(de_CreatePracticeRunConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePracticeRunConfigurationRequest; + output: CreatePracticeRunConfigurationResponse; + }; + sdk: { + input: CreatePracticeRunConfigurationCommandInput; + output: CreatePracticeRunConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/DeletePracticeRunConfigurationCommand.ts b/clients/client-arc-zonal-shift/src/commands/DeletePracticeRunConfigurationCommand.ts index 3179a41446ab..1cc2786ea699 100644 --- a/clients/client-arc-zonal-shift/src/commands/DeletePracticeRunConfigurationCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/DeletePracticeRunConfigurationCommand.ts @@ -104,4 +104,16 @@ export class DeletePracticeRunConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeletePracticeRunConfigurationCommand) .de(de_DeletePracticeRunConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePracticeRunConfigurationRequest; + output: DeletePracticeRunConfigurationResponse; + }; + sdk: { + input: DeletePracticeRunConfigurationCommandInput; + output: DeletePracticeRunConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/GetAutoshiftObserverNotificationStatusCommand.ts b/clients/client-arc-zonal-shift/src/commands/GetAutoshiftObserverNotificationStatusCommand.ts index 5c0ab9020626..4b5a4565a0cb 100644 --- a/clients/client-arc-zonal-shift/src/commands/GetAutoshiftObserverNotificationStatusCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/GetAutoshiftObserverNotificationStatusCommand.ts @@ -103,4 +103,16 @@ export class GetAutoshiftObserverNotificationStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetAutoshiftObserverNotificationStatusCommand) .de(de_GetAutoshiftObserverNotificationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAutoshiftObserverNotificationStatusResponse; + }; + sdk: { + input: GetAutoshiftObserverNotificationStatusCommandInput; + output: GetAutoshiftObserverNotificationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/GetManagedResourceCommand.ts b/clients/client-arc-zonal-shift/src/commands/GetManagedResourceCommand.ts index 186ad7abc7ac..78e83a7310a3 100644 --- a/clients/client-arc-zonal-shift/src/commands/GetManagedResourceCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/GetManagedResourceCommand.ts @@ -138,4 +138,16 @@ export class GetManagedResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetManagedResourceCommand) .de(de_GetManagedResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetManagedResourceRequest; + output: GetManagedResourceResponse; + }; + sdk: { + input: GetManagedResourceCommandInput; + output: GetManagedResourceCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/ListAutoshiftsCommand.ts b/clients/client-arc-zonal-shift/src/commands/ListAutoshiftsCommand.ts index 782e060a4f2f..3013ea6b3c59 100644 --- a/clients/client-arc-zonal-shift/src/commands/ListAutoshiftsCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/ListAutoshiftsCommand.ts @@ -102,4 +102,16 @@ export class ListAutoshiftsCommand extends $Command .f(void 0, void 0) .ser(se_ListAutoshiftsCommand) .de(de_ListAutoshiftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAutoshiftsRequest; + output: ListAutoshiftsResponse; + }; + sdk: { + input: ListAutoshiftsCommandInput; + output: ListAutoshiftsCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/ListManagedResourcesCommand.ts b/clients/client-arc-zonal-shift/src/commands/ListManagedResourcesCommand.ts index 0362d60be4ae..1fc4360a072f 100644 --- a/clients/client-arc-zonal-shift/src/commands/ListManagedResourcesCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/ListManagedResourcesCommand.ts @@ -126,4 +126,16 @@ export class ListManagedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedResourcesCommand) .de(de_ListManagedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedResourcesRequest; + output: ListManagedResourcesResponse; + }; + sdk: { + input: ListManagedResourcesCommandInput; + output: ListManagedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/ListZonalShiftsCommand.ts b/clients/client-arc-zonal-shift/src/commands/ListZonalShiftsCommand.ts index 56d790e760f0..85ccc6b65489 100644 --- a/clients/client-arc-zonal-shift/src/commands/ListZonalShiftsCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/ListZonalShiftsCommand.ts @@ -108,4 +108,16 @@ export class ListZonalShiftsCommand extends $Command .f(void 0, void 0) .ser(se_ListZonalShiftsCommand) .de(de_ListZonalShiftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListZonalShiftsRequest; + output: ListZonalShiftsResponse; + }; + sdk: { + input: ListZonalShiftsCommandInput; + output: ListZonalShiftsCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/StartZonalShiftCommand.ts b/clients/client-arc-zonal-shift/src/commands/StartZonalShiftCommand.ts index 944612b493ac..81f3ad717d2d 100644 --- a/clients/client-arc-zonal-shift/src/commands/StartZonalShiftCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/StartZonalShiftCommand.ts @@ -114,4 +114,16 @@ export class StartZonalShiftCommand extends $Command .f(void 0, void 0) .ser(se_StartZonalShiftCommand) .de(de_StartZonalShiftCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartZonalShiftRequest; + output: ZonalShift; + }; + sdk: { + input: StartZonalShiftCommandInput; + output: StartZonalShiftCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/UpdateAutoshiftObserverNotificationStatusCommand.ts b/clients/client-arc-zonal-shift/src/commands/UpdateAutoshiftObserverNotificationStatusCommand.ts index be4d20822f5a..c88dfcd0faae 100644 --- a/clients/client-arc-zonal-shift/src/commands/UpdateAutoshiftObserverNotificationStatusCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/UpdateAutoshiftObserverNotificationStatusCommand.ts @@ -108,4 +108,16 @@ export class UpdateAutoshiftObserverNotificationStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAutoshiftObserverNotificationStatusCommand) .de(de_UpdateAutoshiftObserverNotificationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAutoshiftObserverNotificationStatusRequest; + output: UpdateAutoshiftObserverNotificationStatusResponse; + }; + sdk: { + input: UpdateAutoshiftObserverNotificationStatusCommandInput; + output: UpdateAutoshiftObserverNotificationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/UpdatePracticeRunConfigurationCommand.ts b/clients/client-arc-zonal-shift/src/commands/UpdatePracticeRunConfigurationCommand.ts index 0c5349f85fcc..41bef910563f 100644 --- a/clients/client-arc-zonal-shift/src/commands/UpdatePracticeRunConfigurationCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/UpdatePracticeRunConfigurationCommand.ts @@ -142,4 +142,16 @@ export class UpdatePracticeRunConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePracticeRunConfigurationCommand) .de(de_UpdatePracticeRunConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePracticeRunConfigurationRequest; + output: UpdatePracticeRunConfigurationResponse; + }; + sdk: { + input: UpdatePracticeRunConfigurationCommandInput; + output: UpdatePracticeRunConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/UpdateZonalAutoshiftConfigurationCommand.ts b/clients/client-arc-zonal-shift/src/commands/UpdateZonalAutoshiftConfigurationCommand.ts index 894c6da3ecaa..169c45ec0da2 100644 --- a/clients/client-arc-zonal-shift/src/commands/UpdateZonalAutoshiftConfigurationCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/UpdateZonalAutoshiftConfigurationCommand.ts @@ -112,4 +112,16 @@ export class UpdateZonalAutoshiftConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateZonalAutoshiftConfigurationCommand) .de(de_UpdateZonalAutoshiftConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateZonalAutoshiftConfigurationRequest; + output: UpdateZonalAutoshiftConfigurationResponse; + }; + sdk: { + input: UpdateZonalAutoshiftConfigurationCommandInput; + output: UpdateZonalAutoshiftConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-arc-zonal-shift/src/commands/UpdateZonalShiftCommand.ts b/clients/client-arc-zonal-shift/src/commands/UpdateZonalShiftCommand.ts index bb7d77a20be4..ac37b23a6267 100644 --- a/clients/client-arc-zonal-shift/src/commands/UpdateZonalShiftCommand.ts +++ b/clients/client-arc-zonal-shift/src/commands/UpdateZonalShiftCommand.ts @@ -104,4 +104,16 @@ export class UpdateZonalShiftCommand extends $Command .f(void 0, void 0) .ser(se_UpdateZonalShiftCommand) .de(de_UpdateZonalShiftCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateZonalShiftRequest; + output: ZonalShift; + }; + sdk: { + input: UpdateZonalShiftCommandInput; + output: UpdateZonalShiftCommandOutput; + }; + }; +} diff --git a/clients/client-artifact/package.json b/clients/client-artifact/package.json index 0eb9ce29ab06..b0623342f397 100644 --- a/clients/client-artifact/package.json +++ b/clients/client-artifact/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-artifact/src/commands/GetAccountSettingsCommand.ts b/clients/client-artifact/src/commands/GetAccountSettingsCommand.ts index f9bad7463058..88e3f0533cb0 100644 --- a/clients/client-artifact/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-artifact/src/commands/GetAccountSettingsCommand.ts @@ -114,4 +114,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSettingsResponse; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-artifact/src/commands/GetReportCommand.ts b/clients/client-artifact/src/commands/GetReportCommand.ts index 58b739827275..192a4d7c9512 100644 --- a/clients/client-artifact/src/commands/GetReportCommand.ts +++ b/clients/client-artifact/src/commands/GetReportCommand.ts @@ -120,4 +120,16 @@ export class GetReportCommand extends $Command .f(void 0, void 0) .ser(se_GetReportCommand) .de(de_GetReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReportRequest; + output: GetReportResponse; + }; + sdk: { + input: GetReportCommandInput; + output: GetReportCommandOutput; + }; + }; +} diff --git a/clients/client-artifact/src/commands/GetReportMetadataCommand.ts b/clients/client-artifact/src/commands/GetReportMetadataCommand.ts index db1a9cbdbea7..4019b8457705 100644 --- a/clients/client-artifact/src/commands/GetReportMetadataCommand.ts +++ b/clients/client-artifact/src/commands/GetReportMetadataCommand.ts @@ -149,4 +149,16 @@ export class GetReportMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetReportMetadataCommand) .de(de_GetReportMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReportMetadataRequest; + output: GetReportMetadataResponse; + }; + sdk: { + input: GetReportMetadataCommandInput; + output: GetReportMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-artifact/src/commands/GetTermForReportCommand.ts b/clients/client-artifact/src/commands/GetTermForReportCommand.ts index d3a955a29d10..a0b0b8b088b8 100644 --- a/clients/client-artifact/src/commands/GetTermForReportCommand.ts +++ b/clients/client-artifact/src/commands/GetTermForReportCommand.ts @@ -118,4 +118,16 @@ export class GetTermForReportCommand extends $Command .f(void 0, void 0) .ser(se_GetTermForReportCommand) .de(de_GetTermForReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTermForReportRequest; + output: GetTermForReportResponse; + }; + sdk: { + input: GetTermForReportCommandInput; + output: GetTermForReportCommandOutput; + }; + }; +} diff --git a/clients/client-artifact/src/commands/ListReportsCommand.ts b/clients/client-artifact/src/commands/ListReportsCommand.ts index e1ea16857455..2c6a48073f3d 100644 --- a/clients/client-artifact/src/commands/ListReportsCommand.ts +++ b/clients/client-artifact/src/commands/ListReportsCommand.ts @@ -145,4 +145,16 @@ export class ListReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListReportsCommand) .de(de_ListReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReportsRequest; + output: ListReportsResponse; + }; + sdk: { + input: ListReportsCommandInput; + output: ListReportsCommandOutput; + }; + }; +} diff --git a/clients/client-artifact/src/commands/PutAccountSettingsCommand.ts b/clients/client-artifact/src/commands/PutAccountSettingsCommand.ts index 0441474e3a65..d2b502ff38a9 100644 --- a/clients/client-artifact/src/commands/PutAccountSettingsCommand.ts +++ b/clients/client-artifact/src/commands/PutAccountSettingsCommand.ts @@ -118,4 +118,16 @@ export class PutAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountSettingsCommand) .de(de_PutAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountSettingsRequest; + output: PutAccountSettingsResponse; + }; + sdk: { + input: PutAccountSettingsCommandInput; + output: PutAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/package.json b/clients/client-athena/package.json index 16649e9bcf3b..a0183b2acfc3 100644 --- a/clients/client-athena/package.json +++ b/clients/client-athena/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-athena/src/commands/BatchGetNamedQueryCommand.ts b/clients/client-athena/src/commands/BatchGetNamedQueryCommand.ts index ec5f527ab16d..192ec11871ca 100644 --- a/clients/client-athena/src/commands/BatchGetNamedQueryCommand.ts +++ b/clients/client-athena/src/commands/BatchGetNamedQueryCommand.ts @@ -111,4 +111,16 @@ export class BatchGetNamedQueryCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetNamedQueryCommand) .de(de_BatchGetNamedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetNamedQueryInput; + output: BatchGetNamedQueryOutput; + }; + sdk: { + input: BatchGetNamedQueryCommandInput; + output: BatchGetNamedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/BatchGetPreparedStatementCommand.ts b/clients/client-athena/src/commands/BatchGetPreparedStatementCommand.ts index 93d4385e239d..d13b0cff142e 100644 --- a/clients/client-athena/src/commands/BatchGetPreparedStatementCommand.ts +++ b/clients/client-athena/src/commands/BatchGetPreparedStatementCommand.ts @@ -107,4 +107,16 @@ export class BatchGetPreparedStatementCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetPreparedStatementCommand) .de(de_BatchGetPreparedStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetPreparedStatementInput; + output: BatchGetPreparedStatementOutput; + }; + sdk: { + input: BatchGetPreparedStatementCommandInput; + output: BatchGetPreparedStatementCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/BatchGetQueryExecutionCommand.ts b/clients/client-athena/src/commands/BatchGetQueryExecutionCommand.ts index dabf0393f8ae..d85c72c176fb 100644 --- a/clients/client-athena/src/commands/BatchGetQueryExecutionCommand.ts +++ b/clients/client-athena/src/commands/BatchGetQueryExecutionCommand.ts @@ -165,4 +165,16 @@ export class BatchGetQueryExecutionCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetQueryExecutionCommand) .de(de_BatchGetQueryExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetQueryExecutionInput; + output: BatchGetQueryExecutionOutput; + }; + sdk: { + input: BatchGetQueryExecutionCommandInput; + output: BatchGetQueryExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CancelCapacityReservationCommand.ts b/clients/client-athena/src/commands/CancelCapacityReservationCommand.ts index 3b0efd587647..7b72bc8db19f 100644 --- a/clients/client-athena/src/commands/CancelCapacityReservationCommand.ts +++ b/clients/client-athena/src/commands/CancelCapacityReservationCommand.ts @@ -86,4 +86,16 @@ export class CancelCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_CancelCapacityReservationCommand) .de(de_CancelCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelCapacityReservationInput; + output: {}; + }; + sdk: { + input: CancelCapacityReservationCommandInput; + output: CancelCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CreateCapacityReservationCommand.ts b/clients/client-athena/src/commands/CreateCapacityReservationCommand.ts index e827b688f5fc..894f07051d9a 100644 --- a/clients/client-athena/src/commands/CreateCapacityReservationCommand.ts +++ b/clients/client-athena/src/commands/CreateCapacityReservationCommand.ts @@ -91,4 +91,16 @@ export class CreateCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_CreateCapacityReservationCommand) .de(de_CreateCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCapacityReservationInput; + output: {}; + }; + sdk: { + input: CreateCapacityReservationCommandInput; + output: CreateCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CreateDataCatalogCommand.ts b/clients/client-athena/src/commands/CreateDataCatalogCommand.ts index 91aece41e972..1c9af2931d53 100644 --- a/clients/client-athena/src/commands/CreateDataCatalogCommand.ts +++ b/clients/client-athena/src/commands/CreateDataCatalogCommand.ts @@ -95,4 +95,16 @@ export class CreateDataCatalogCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataCatalogCommand) .de(de_CreateDataCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataCatalogInput; + output: {}; + }; + sdk: { + input: CreateDataCatalogCommandInput; + output: CreateDataCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CreateNamedQueryCommand.ts b/clients/client-athena/src/commands/CreateNamedQueryCommand.ts index 4224def5af82..2c8a84d3bbe4 100644 --- a/clients/client-athena/src/commands/CreateNamedQueryCommand.ts +++ b/clients/client-athena/src/commands/CreateNamedQueryCommand.ts @@ -91,4 +91,16 @@ export class CreateNamedQueryCommand extends $Command .f(void 0, void 0) .ser(se_CreateNamedQueryCommand) .de(de_CreateNamedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNamedQueryInput; + output: CreateNamedQueryOutput; + }; + sdk: { + input: CreateNamedQueryCommandInput; + output: CreateNamedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CreateNotebookCommand.ts b/clients/client-athena/src/commands/CreateNotebookCommand.ts index 389f2ce68528..a28f1d9e7f77 100644 --- a/clients/client-athena/src/commands/CreateNotebookCommand.ts +++ b/clients/client-athena/src/commands/CreateNotebookCommand.ts @@ -92,4 +92,16 @@ export class CreateNotebookCommand extends $Command .f(void 0, void 0) .ser(se_CreateNotebookCommand) .de(de_CreateNotebookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNotebookInput; + output: CreateNotebookOutput; + }; + sdk: { + input: CreateNotebookCommandInput; + output: CreateNotebookCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CreatePreparedStatementCommand.ts b/clients/client-athena/src/commands/CreatePreparedStatementCommand.ts index 3be09f4ffd23..551d56f6bd0d 100644 --- a/clients/client-athena/src/commands/CreatePreparedStatementCommand.ts +++ b/clients/client-athena/src/commands/CreatePreparedStatementCommand.ts @@ -86,4 +86,16 @@ export class CreatePreparedStatementCommand extends $Command .f(void 0, void 0) .ser(se_CreatePreparedStatementCommand) .de(de_CreatePreparedStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePreparedStatementInput; + output: {}; + }; + sdk: { + input: CreatePreparedStatementCommandInput; + output: CreatePreparedStatementCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CreatePresignedNotebookUrlCommand.ts b/clients/client-athena/src/commands/CreatePresignedNotebookUrlCommand.ts index 6077bfb0bc76..f94c2340218a 100644 --- a/clients/client-athena/src/commands/CreatePresignedNotebookUrlCommand.ts +++ b/clients/client-athena/src/commands/CreatePresignedNotebookUrlCommand.ts @@ -94,4 +94,16 @@ export class CreatePresignedNotebookUrlCommand extends $Command .f(void 0, void 0) .ser(se_CreatePresignedNotebookUrlCommand) .de(de_CreatePresignedNotebookUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePresignedNotebookUrlRequest; + output: CreatePresignedNotebookUrlResponse; + }; + sdk: { + input: CreatePresignedNotebookUrlCommandInput; + output: CreatePresignedNotebookUrlCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/CreateWorkGroupCommand.ts b/clients/client-athena/src/commands/CreateWorkGroupCommand.ts index 17bf142d6f3a..af7775b54841 100644 --- a/clients/client-athena/src/commands/CreateWorkGroupCommand.ts +++ b/clients/client-athena/src/commands/CreateWorkGroupCommand.ts @@ -127,4 +127,16 @@ export class CreateWorkGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkGroupCommand) .de(de_CreateWorkGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkGroupInput; + output: {}; + }; + sdk: { + input: CreateWorkGroupCommandInput; + output: CreateWorkGroupCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/DeleteCapacityReservationCommand.ts b/clients/client-athena/src/commands/DeleteCapacityReservationCommand.ts index 2a942b374560..87308e0e1c62 100644 --- a/clients/client-athena/src/commands/DeleteCapacityReservationCommand.ts +++ b/clients/client-athena/src/commands/DeleteCapacityReservationCommand.ts @@ -87,4 +87,16 @@ export class DeleteCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCapacityReservationCommand) .de(de_DeleteCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCapacityReservationInput; + output: {}; + }; + sdk: { + input: DeleteCapacityReservationCommandInput; + output: DeleteCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/DeleteDataCatalogCommand.ts b/clients/client-athena/src/commands/DeleteDataCatalogCommand.ts index edc9788e92e9..fc0e8a0f6bde 100644 --- a/clients/client-athena/src/commands/DeleteDataCatalogCommand.ts +++ b/clients/client-athena/src/commands/DeleteDataCatalogCommand.ts @@ -83,4 +83,16 @@ export class DeleteDataCatalogCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataCatalogCommand) .de(de_DeleteDataCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataCatalogInput; + output: {}; + }; + sdk: { + input: DeleteDataCatalogCommandInput; + output: DeleteDataCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/DeleteNamedQueryCommand.ts b/clients/client-athena/src/commands/DeleteNamedQueryCommand.ts index 480a7b7f1d89..8811ef68df00 100644 --- a/clients/client-athena/src/commands/DeleteNamedQueryCommand.ts +++ b/clients/client-athena/src/commands/DeleteNamedQueryCommand.ts @@ -84,4 +84,16 @@ export class DeleteNamedQueryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNamedQueryCommand) .de(de_DeleteNamedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNamedQueryInput; + output: {}; + }; + sdk: { + input: DeleteNamedQueryCommandInput; + output: DeleteNamedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/DeleteNotebookCommand.ts b/clients/client-athena/src/commands/DeleteNotebookCommand.ts index 8ea21002946f..399f0b1852fc 100644 --- a/clients/client-athena/src/commands/DeleteNotebookCommand.ts +++ b/clients/client-athena/src/commands/DeleteNotebookCommand.ts @@ -86,4 +86,16 @@ export class DeleteNotebookCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotebookCommand) .de(de_DeleteNotebookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNotebookInput; + output: {}; + }; + sdk: { + input: DeleteNotebookCommandInput; + output: DeleteNotebookCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/DeletePreparedStatementCommand.ts b/clients/client-athena/src/commands/DeletePreparedStatementCommand.ts index 1d579ffc5589..c5e7b5ba80ff 100644 --- a/clients/client-athena/src/commands/DeletePreparedStatementCommand.ts +++ b/clients/client-athena/src/commands/DeletePreparedStatementCommand.ts @@ -88,4 +88,16 @@ export class DeletePreparedStatementCommand extends $Command .f(void 0, void 0) .ser(se_DeletePreparedStatementCommand) .de(de_DeletePreparedStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePreparedStatementInput; + output: {}; + }; + sdk: { + input: DeletePreparedStatementCommandInput; + output: DeletePreparedStatementCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/DeleteWorkGroupCommand.ts b/clients/client-athena/src/commands/DeleteWorkGroupCommand.ts index 4050cbceae03..2bd38c31f118 100644 --- a/clients/client-athena/src/commands/DeleteWorkGroupCommand.ts +++ b/clients/client-athena/src/commands/DeleteWorkGroupCommand.ts @@ -85,4 +85,16 @@ export class DeleteWorkGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkGroupCommand) .de(de_DeleteWorkGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkGroupInput; + output: {}; + }; + sdk: { + input: DeleteWorkGroupCommandInput; + output: DeleteWorkGroupCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ExportNotebookCommand.ts b/clients/client-athena/src/commands/ExportNotebookCommand.ts index d46d16a1d3a0..6123cdc5b9d8 100644 --- a/clients/client-athena/src/commands/ExportNotebookCommand.ts +++ b/clients/client-athena/src/commands/ExportNotebookCommand.ts @@ -96,4 +96,16 @@ export class ExportNotebookCommand extends $Command .f(void 0, void 0) .ser(se_ExportNotebookCommand) .de(de_ExportNotebookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportNotebookInput; + output: ExportNotebookOutput; + }; + sdk: { + input: ExportNotebookCommandInput; + output: ExportNotebookCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetCalculationExecutionCodeCommand.ts b/clients/client-athena/src/commands/GetCalculationExecutionCodeCommand.ts index 0a8ec8b59f8d..c51801ffa08f 100644 --- a/clients/client-athena/src/commands/GetCalculationExecutionCodeCommand.ts +++ b/clients/client-athena/src/commands/GetCalculationExecutionCodeCommand.ts @@ -90,4 +90,16 @@ export class GetCalculationExecutionCodeCommand extends $Command .f(void 0, void 0) .ser(se_GetCalculationExecutionCodeCommand) .de(de_GetCalculationExecutionCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCalculationExecutionCodeRequest; + output: GetCalculationExecutionCodeResponse; + }; + sdk: { + input: GetCalculationExecutionCodeCommandInput; + output: GetCalculationExecutionCodeCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetCalculationExecutionCommand.ts b/clients/client-athena/src/commands/GetCalculationExecutionCommand.ts index cce1448ea7ee..c760845b8531 100644 --- a/clients/client-athena/src/commands/GetCalculationExecutionCommand.ts +++ b/clients/client-athena/src/commands/GetCalculationExecutionCommand.ts @@ -107,4 +107,16 @@ export class GetCalculationExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetCalculationExecutionCommand) .de(de_GetCalculationExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCalculationExecutionRequest; + output: GetCalculationExecutionResponse; + }; + sdk: { + input: GetCalculationExecutionCommandInput; + output: GetCalculationExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetCalculationExecutionStatusCommand.ts b/clients/client-athena/src/commands/GetCalculationExecutionStatusCommand.ts index 8e6d719e1331..b7105262b588 100644 --- a/clients/client-athena/src/commands/GetCalculationExecutionStatusCommand.ts +++ b/clients/client-athena/src/commands/GetCalculationExecutionStatusCommand.ts @@ -102,4 +102,16 @@ export class GetCalculationExecutionStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetCalculationExecutionStatusCommand) .de(de_GetCalculationExecutionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCalculationExecutionStatusRequest; + output: GetCalculationExecutionStatusResponse; + }; + sdk: { + input: GetCalculationExecutionStatusCommandInput; + output: GetCalculationExecutionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetCapacityAssignmentConfigurationCommand.ts b/clients/client-athena/src/commands/GetCapacityAssignmentConfigurationCommand.ts index 13611d2bb86f..d057572cd181 100644 --- a/clients/client-athena/src/commands/GetCapacityAssignmentConfigurationCommand.ts +++ b/clients/client-athena/src/commands/GetCapacityAssignmentConfigurationCommand.ts @@ -100,4 +100,16 @@ export class GetCapacityAssignmentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetCapacityAssignmentConfigurationCommand) .de(de_GetCapacityAssignmentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCapacityAssignmentConfigurationInput; + output: GetCapacityAssignmentConfigurationOutput; + }; + sdk: { + input: GetCapacityAssignmentConfigurationCommandInput; + output: GetCapacityAssignmentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetCapacityReservationCommand.ts b/clients/client-athena/src/commands/GetCapacityReservationCommand.ts index 8d7f5f1b696a..9665a83f3fcc 100644 --- a/clients/client-athena/src/commands/GetCapacityReservationCommand.ts +++ b/clients/client-athena/src/commands/GetCapacityReservationCommand.ts @@ -98,4 +98,16 @@ export class GetCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_GetCapacityReservationCommand) .de(de_GetCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCapacityReservationInput; + output: GetCapacityReservationOutput; + }; + sdk: { + input: GetCapacityReservationCommandInput; + output: GetCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetDataCatalogCommand.ts b/clients/client-athena/src/commands/GetDataCatalogCommand.ts index a85177583eb1..fc1b2615ef1a 100644 --- a/clients/client-athena/src/commands/GetDataCatalogCommand.ts +++ b/clients/client-athena/src/commands/GetDataCatalogCommand.ts @@ -93,4 +93,16 @@ export class GetDataCatalogCommand extends $Command .f(void 0, void 0) .ser(se_GetDataCatalogCommand) .de(de_GetDataCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataCatalogInput; + output: GetDataCatalogOutput; + }; + sdk: { + input: GetDataCatalogCommandInput; + output: GetDataCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetDatabaseCommand.ts b/clients/client-athena/src/commands/GetDatabaseCommand.ts index 75636794913d..4598c0f463c4 100644 --- a/clients/client-athena/src/commands/GetDatabaseCommand.ts +++ b/clients/client-athena/src/commands/GetDatabaseCommand.ts @@ -101,4 +101,16 @@ export class GetDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_GetDatabaseCommand) .de(de_GetDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDatabaseInput; + output: GetDatabaseOutput; + }; + sdk: { + input: GetDatabaseCommandInput; + output: GetDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetNamedQueryCommand.ts b/clients/client-athena/src/commands/GetNamedQueryCommand.ts index f4f01755844b..15f633ef3e3c 100644 --- a/clients/client-athena/src/commands/GetNamedQueryCommand.ts +++ b/clients/client-athena/src/commands/GetNamedQueryCommand.ts @@ -93,4 +93,16 @@ export class GetNamedQueryCommand extends $Command .f(void 0, void 0) .ser(se_GetNamedQueryCommand) .de(de_GetNamedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNamedQueryInput; + output: GetNamedQueryOutput; + }; + sdk: { + input: GetNamedQueryCommandInput; + output: GetNamedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetNotebookMetadataCommand.ts b/clients/client-athena/src/commands/GetNotebookMetadataCommand.ts index e7ebbc15b8d6..855863ea28b9 100644 --- a/clients/client-athena/src/commands/GetNotebookMetadataCommand.ts +++ b/clients/client-athena/src/commands/GetNotebookMetadataCommand.ts @@ -95,4 +95,16 @@ export class GetNotebookMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetNotebookMetadataCommand) .de(de_GetNotebookMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNotebookMetadataInput; + output: GetNotebookMetadataOutput; + }; + sdk: { + input: GetNotebookMetadataCommandInput; + output: GetNotebookMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetPreparedStatementCommand.ts b/clients/client-athena/src/commands/GetPreparedStatementCommand.ts index 2327a8204c79..3dcd987c4212 100644 --- a/clients/client-athena/src/commands/GetPreparedStatementCommand.ts +++ b/clients/client-athena/src/commands/GetPreparedStatementCommand.ts @@ -96,4 +96,16 @@ export class GetPreparedStatementCommand extends $Command .f(void 0, void 0) .ser(se_GetPreparedStatementCommand) .de(de_GetPreparedStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPreparedStatementInput; + output: GetPreparedStatementOutput; + }; + sdk: { + input: GetPreparedStatementCommandInput; + output: GetPreparedStatementCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetQueryExecutionCommand.ts b/clients/client-athena/src/commands/GetQueryExecutionCommand.ts index 156cab5b3e7f..4a4aba22322a 100644 --- a/clients/client-athena/src/commands/GetQueryExecutionCommand.ts +++ b/clients/client-athena/src/commands/GetQueryExecutionCommand.ts @@ -151,4 +151,16 @@ export class GetQueryExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryExecutionCommand) .de(de_GetQueryExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryExecutionInput; + output: GetQueryExecutionOutput; + }; + sdk: { + input: GetQueryExecutionCommandInput; + output: GetQueryExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetQueryResultsCommand.ts b/clients/client-athena/src/commands/GetQueryResultsCommand.ts index 881775abdba2..4d97853b32e6 100644 --- a/clients/client-athena/src/commands/GetQueryResultsCommand.ts +++ b/clients/client-athena/src/commands/GetQueryResultsCommand.ts @@ -133,4 +133,16 @@ export class GetQueryResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryResultsCommand) .de(de_GetQueryResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryResultsInput; + output: GetQueryResultsOutput; + }; + sdk: { + input: GetQueryResultsCommandInput; + output: GetQueryResultsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetQueryRuntimeStatisticsCommand.ts b/clients/client-athena/src/commands/GetQueryRuntimeStatisticsCommand.ts index c41b625f3eac..930dac8dca38 100644 --- a/clients/client-athena/src/commands/GetQueryRuntimeStatisticsCommand.ts +++ b/clients/client-athena/src/commands/GetQueryRuntimeStatisticsCommand.ts @@ -149,4 +149,16 @@ export class GetQueryRuntimeStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryRuntimeStatisticsCommand) .de(de_GetQueryRuntimeStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryRuntimeStatisticsInput; + output: GetQueryRuntimeStatisticsOutput; + }; + sdk: { + input: GetQueryRuntimeStatisticsCommandInput; + output: GetQueryRuntimeStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetSessionCommand.ts b/clients/client-athena/src/commands/GetSessionCommand.ts index e37f274d1b27..bd8b0387688f 100644 --- a/clients/client-athena/src/commands/GetSessionCommand.ts +++ b/clients/client-athena/src/commands/GetSessionCommand.ts @@ -124,4 +124,16 @@ export class GetSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetSessionCommand) .de(de_GetSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetSessionStatusCommand.ts b/clients/client-athena/src/commands/GetSessionStatusCommand.ts index 2a25ac3b1996..9b18278858a2 100644 --- a/clients/client-athena/src/commands/GetSessionStatusCommand.ts +++ b/clients/client-athena/src/commands/GetSessionStatusCommand.ts @@ -96,4 +96,16 @@ export class GetSessionStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetSessionStatusCommand) .de(de_GetSessionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionStatusRequest; + output: GetSessionStatusResponse; + }; + sdk: { + input: GetSessionStatusCommandInput; + output: GetSessionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetTableMetadataCommand.ts b/clients/client-athena/src/commands/GetTableMetadataCommand.ts index 9d4dd9e4c5d3..8fa053e019c5 100644 --- a/clients/client-athena/src/commands/GetTableMetadataCommand.ts +++ b/clients/client-athena/src/commands/GetTableMetadataCommand.ts @@ -118,4 +118,16 @@ export class GetTableMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetTableMetadataCommand) .de(de_GetTableMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableMetadataInput; + output: GetTableMetadataOutput; + }; + sdk: { + input: GetTableMetadataCommandInput; + output: GetTableMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/GetWorkGroupCommand.ts b/clients/client-athena/src/commands/GetWorkGroupCommand.ts index b388b57e67a5..718d7c68b1d3 100644 --- a/clients/client-athena/src/commands/GetWorkGroupCommand.ts +++ b/clients/client-athena/src/commands/GetWorkGroupCommand.ts @@ -127,4 +127,16 @@ export class GetWorkGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkGroupCommand) .de(de_GetWorkGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkGroupInput; + output: GetWorkGroupOutput; + }; + sdk: { + input: GetWorkGroupCommandInput; + output: GetWorkGroupCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ImportNotebookCommand.ts b/clients/client-athena/src/commands/ImportNotebookCommand.ts index 6f6b26a54cba..e049fcccc11a 100644 --- a/clients/client-athena/src/commands/ImportNotebookCommand.ts +++ b/clients/client-athena/src/commands/ImportNotebookCommand.ts @@ -98,4 +98,16 @@ export class ImportNotebookCommand extends $Command .f(void 0, void 0) .ser(se_ImportNotebookCommand) .de(de_ImportNotebookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportNotebookInput; + output: ImportNotebookOutput; + }; + sdk: { + input: ImportNotebookCommandInput; + output: ImportNotebookCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListApplicationDPUSizesCommand.ts b/clients/client-athena/src/commands/ListApplicationDPUSizesCommand.ts index ef82d4d063a6..c3c2c0f3a2bb 100644 --- a/clients/client-athena/src/commands/ListApplicationDPUSizesCommand.ts +++ b/clients/client-athena/src/commands/ListApplicationDPUSizesCommand.ts @@ -98,4 +98,16 @@ export class ListApplicationDPUSizesCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationDPUSizesCommand) .de(de_ListApplicationDPUSizesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationDPUSizesInput; + output: ListApplicationDPUSizesOutput; + }; + sdk: { + input: ListApplicationDPUSizesCommandInput; + output: ListApplicationDPUSizesCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListCalculationExecutionsCommand.ts b/clients/client-athena/src/commands/ListCalculationExecutionsCommand.ts index 77f43a304ef8..203d90c2b3c0 100644 --- a/clients/client-athena/src/commands/ListCalculationExecutionsCommand.ts +++ b/clients/client-athena/src/commands/ListCalculationExecutionsCommand.ts @@ -104,4 +104,16 @@ export class ListCalculationExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCalculationExecutionsCommand) .de(de_ListCalculationExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCalculationExecutionsRequest; + output: ListCalculationExecutionsResponse; + }; + sdk: { + input: ListCalculationExecutionsCommandInput; + output: ListCalculationExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListCapacityReservationsCommand.ts b/clients/client-athena/src/commands/ListCapacityReservationsCommand.ts index 3f9e9ec30f4f..f8f3313b3437 100644 --- a/clients/client-athena/src/commands/ListCapacityReservationsCommand.ts +++ b/clients/client-athena/src/commands/ListCapacityReservationsCommand.ts @@ -102,4 +102,16 @@ export class ListCapacityReservationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCapacityReservationsCommand) .de(de_ListCapacityReservationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCapacityReservationsInput; + output: ListCapacityReservationsOutput; + }; + sdk: { + input: ListCapacityReservationsCommandInput; + output: ListCapacityReservationsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListDataCatalogsCommand.ts b/clients/client-athena/src/commands/ListDataCatalogsCommand.ts index 9c18423d2a13..6b7a898e0452 100644 --- a/clients/client-athena/src/commands/ListDataCatalogsCommand.ts +++ b/clients/client-athena/src/commands/ListDataCatalogsCommand.ts @@ -97,4 +97,16 @@ export class ListDataCatalogsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataCatalogsCommand) .de(de_ListDataCatalogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataCatalogsInput; + output: ListDataCatalogsOutput; + }; + sdk: { + input: ListDataCatalogsCommandInput; + output: ListDataCatalogsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListDatabasesCommand.ts b/clients/client-athena/src/commands/ListDatabasesCommand.ts index bc230aa3176d..4b074d2ace81 100644 --- a/clients/client-athena/src/commands/ListDatabasesCommand.ts +++ b/clients/client-athena/src/commands/ListDatabasesCommand.ts @@ -105,4 +105,16 @@ export class ListDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_ListDatabasesCommand) .de(de_ListDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatabasesInput; + output: ListDatabasesOutput; + }; + sdk: { + input: ListDatabasesCommandInput; + output: ListDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListEngineVersionsCommand.ts b/clients/client-athena/src/commands/ListEngineVersionsCommand.ts index a8f9f68fe8e0..352a4164053b 100644 --- a/clients/client-athena/src/commands/ListEngineVersionsCommand.ts +++ b/clients/client-athena/src/commands/ListEngineVersionsCommand.ts @@ -93,4 +93,16 @@ export class ListEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEngineVersionsCommand) .de(de_ListEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEngineVersionsInput; + output: ListEngineVersionsOutput; + }; + sdk: { + input: ListEngineVersionsCommandInput; + output: ListEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListExecutorsCommand.ts b/clients/client-athena/src/commands/ListExecutorsCommand.ts index 15e0b7622b67..ec4e4668d6c4 100644 --- a/clients/client-athena/src/commands/ListExecutorsCommand.ts +++ b/clients/client-athena/src/commands/ListExecutorsCommand.ts @@ -104,4 +104,16 @@ export class ListExecutorsCommand extends $Command .f(void 0, void 0) .ser(se_ListExecutorsCommand) .de(de_ListExecutorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExecutorsRequest; + output: ListExecutorsResponse; + }; + sdk: { + input: ListExecutorsCommandInput; + output: ListExecutorsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListNamedQueriesCommand.ts b/clients/client-athena/src/commands/ListNamedQueriesCommand.ts index aa63949715cf..e4b44637745e 100644 --- a/clients/client-athena/src/commands/ListNamedQueriesCommand.ts +++ b/clients/client-athena/src/commands/ListNamedQueriesCommand.ts @@ -92,4 +92,16 @@ export class ListNamedQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListNamedQueriesCommand) .de(de_ListNamedQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNamedQueriesInput; + output: ListNamedQueriesOutput; + }; + sdk: { + input: ListNamedQueriesCommandInput; + output: ListNamedQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListNotebookMetadataCommand.ts b/clients/client-athena/src/commands/ListNotebookMetadataCommand.ts index 5cfa5a30cde3..6ece71356d6e 100644 --- a/clients/client-athena/src/commands/ListNotebookMetadataCommand.ts +++ b/clients/client-athena/src/commands/ListNotebookMetadataCommand.ts @@ -103,4 +103,16 @@ export class ListNotebookMetadataCommand extends $Command .f(void 0, void 0) .ser(se_ListNotebookMetadataCommand) .de(de_ListNotebookMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotebookMetadataInput; + output: ListNotebookMetadataOutput; + }; + sdk: { + input: ListNotebookMetadataCommandInput; + output: ListNotebookMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListNotebookSessionsCommand.ts b/clients/client-athena/src/commands/ListNotebookSessionsCommand.ts index 587a75a0266b..012369d6b774 100644 --- a/clients/client-athena/src/commands/ListNotebookSessionsCommand.ts +++ b/clients/client-athena/src/commands/ListNotebookSessionsCommand.ts @@ -99,4 +99,16 @@ export class ListNotebookSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListNotebookSessionsCommand) .de(de_ListNotebookSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotebookSessionsRequest; + output: ListNotebookSessionsResponse; + }; + sdk: { + input: ListNotebookSessionsCommandInput; + output: ListNotebookSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListPreparedStatementsCommand.ts b/clients/client-athena/src/commands/ListPreparedStatementsCommand.ts index 741754fc22c6..7c1a46d44607 100644 --- a/clients/client-athena/src/commands/ListPreparedStatementsCommand.ts +++ b/clients/client-athena/src/commands/ListPreparedStatementsCommand.ts @@ -93,4 +93,16 @@ export class ListPreparedStatementsCommand extends $Command .f(void 0, void 0) .ser(se_ListPreparedStatementsCommand) .de(de_ListPreparedStatementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPreparedStatementsInput; + output: ListPreparedStatementsOutput; + }; + sdk: { + input: ListPreparedStatementsCommandInput; + output: ListPreparedStatementsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListQueryExecutionsCommand.ts b/clients/client-athena/src/commands/ListQueryExecutionsCommand.ts index 7049f1bb386c..06d215afb783 100644 --- a/clients/client-athena/src/commands/ListQueryExecutionsCommand.ts +++ b/clients/client-athena/src/commands/ListQueryExecutionsCommand.ts @@ -93,4 +93,16 @@ export class ListQueryExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListQueryExecutionsCommand) .de(de_ListQueryExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueryExecutionsInput; + output: ListQueryExecutionsOutput; + }; + sdk: { + input: ListQueryExecutionsCommandInput; + output: ListQueryExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListSessionsCommand.ts b/clients/client-athena/src/commands/ListSessionsCommand.ts index 1d3d44c1d538..2b1377648707 100644 --- a/clients/client-athena/src/commands/ListSessionsCommand.ts +++ b/clients/client-athena/src/commands/ListSessionsCommand.ts @@ -113,4 +113,16 @@ export class ListSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSessionsCommand) .de(de_ListSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionsRequest; + output: ListSessionsResponse; + }; + sdk: { + input: ListSessionsCommandInput; + output: ListSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListTableMetadataCommand.ts b/clients/client-athena/src/commands/ListTableMetadataCommand.ts index adea277faa9d..a14e287072d9 100644 --- a/clients/client-athena/src/commands/ListTableMetadataCommand.ts +++ b/clients/client-athena/src/commands/ListTableMetadataCommand.ts @@ -123,4 +123,16 @@ export class ListTableMetadataCommand extends $Command .f(void 0, void 0) .ser(se_ListTableMetadataCommand) .de(de_ListTableMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTableMetadataInput; + output: ListTableMetadataOutput; + }; + sdk: { + input: ListTableMetadataCommandInput; + output: ListTableMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListTagsForResourceCommand.ts b/clients/client-athena/src/commands/ListTagsForResourceCommand.ts index 1d6d1197ee74..9ebe4f5849b6 100644 --- a/clients/client-athena/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-athena/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/ListWorkGroupsCommand.ts b/clients/client-athena/src/commands/ListWorkGroupsCommand.ts index c9a07ddb2300..aeed4e3b553f 100644 --- a/clients/client-athena/src/commands/ListWorkGroupsCommand.ts +++ b/clients/client-athena/src/commands/ListWorkGroupsCommand.ts @@ -99,4 +99,16 @@ export class ListWorkGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkGroupsCommand) .de(de_ListWorkGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkGroupsInput; + output: ListWorkGroupsOutput; + }; + sdk: { + input: ListWorkGroupsCommandInput; + output: ListWorkGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/PutCapacityAssignmentConfigurationCommand.ts b/clients/client-athena/src/commands/PutCapacityAssignmentConfigurationCommand.ts index 8c05a8c0ca84..2d4113b766eb 100644 --- a/clients/client-athena/src/commands/PutCapacityAssignmentConfigurationCommand.ts +++ b/clients/client-athena/src/commands/PutCapacityAssignmentConfigurationCommand.ts @@ -97,4 +97,16 @@ export class PutCapacityAssignmentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutCapacityAssignmentConfigurationCommand) .de(de_PutCapacityAssignmentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutCapacityAssignmentConfigurationInput; + output: {}; + }; + sdk: { + input: PutCapacityAssignmentConfigurationCommandInput; + output: PutCapacityAssignmentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/StartCalculationExecutionCommand.ts b/clients/client-athena/src/commands/StartCalculationExecutionCommand.ts index e44b60bb75ff..3931643a6480 100644 --- a/clients/client-athena/src/commands/StartCalculationExecutionCommand.ts +++ b/clients/client-athena/src/commands/StartCalculationExecutionCommand.ts @@ -102,4 +102,16 @@ export class StartCalculationExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartCalculationExecutionCommand) .de(de_StartCalculationExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCalculationExecutionRequest; + output: StartCalculationExecutionResponse; + }; + sdk: { + input: StartCalculationExecutionCommandInput; + output: StartCalculationExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/StartQueryExecutionCommand.ts b/clients/client-athena/src/commands/StartQueryExecutionCommand.ts index dcce37f72964..a24b365783df 100644 --- a/clients/client-athena/src/commands/StartQueryExecutionCommand.ts +++ b/clients/client-athena/src/commands/StartQueryExecutionCommand.ts @@ -119,4 +119,16 @@ export class StartQueryExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartQueryExecutionCommand) .de(de_StartQueryExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartQueryExecutionInput; + output: StartQueryExecutionOutput; + }; + sdk: { + input: StartQueryExecutionCommandInput; + output: StartQueryExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/StartSessionCommand.ts b/clients/client-athena/src/commands/StartSessionCommand.ts index 826ac90a233e..5fef47866743 100644 --- a/clients/client-athena/src/commands/StartSessionCommand.ts +++ b/clients/client-athena/src/commands/StartSessionCommand.ts @@ -111,4 +111,16 @@ export class StartSessionCommand extends $Command .f(void 0, void 0) .ser(se_StartSessionCommand) .de(de_StartSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSessionRequest; + output: StartSessionResponse; + }; + sdk: { + input: StartSessionCommandInput; + output: StartSessionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/StopCalculationExecutionCommand.ts b/clients/client-athena/src/commands/StopCalculationExecutionCommand.ts index ea1c32a9012e..7273e4699d3c 100644 --- a/clients/client-athena/src/commands/StopCalculationExecutionCommand.ts +++ b/clients/client-athena/src/commands/StopCalculationExecutionCommand.ts @@ -97,4 +97,16 @@ export class StopCalculationExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StopCalculationExecutionCommand) .de(de_StopCalculationExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCalculationExecutionRequest; + output: StopCalculationExecutionResponse; + }; + sdk: { + input: StopCalculationExecutionCommandInput; + output: StopCalculationExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/StopQueryExecutionCommand.ts b/clients/client-athena/src/commands/StopQueryExecutionCommand.ts index 2bf141790136..9047f0046a7c 100644 --- a/clients/client-athena/src/commands/StopQueryExecutionCommand.ts +++ b/clients/client-athena/src/commands/StopQueryExecutionCommand.ts @@ -84,4 +84,16 @@ export class StopQueryExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StopQueryExecutionCommand) .de(de_StopQueryExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopQueryExecutionInput; + output: {}; + }; + sdk: { + input: StopQueryExecutionCommandInput; + output: StopQueryExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/TagResourceCommand.ts b/clients/client-athena/src/commands/TagResourceCommand.ts index ca91037accfb..11394e9c95b0 100644 --- a/clients/client-athena/src/commands/TagResourceCommand.ts +++ b/clients/client-athena/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/TerminateSessionCommand.ts b/clients/client-athena/src/commands/TerminateSessionCommand.ts index 19d4290a9d77..eed99ef9899a 100644 --- a/clients/client-athena/src/commands/TerminateSessionCommand.ts +++ b/clients/client-athena/src/commands/TerminateSessionCommand.ts @@ -92,4 +92,16 @@ export class TerminateSessionCommand extends $Command .f(void 0, void 0) .ser(se_TerminateSessionCommand) .de(de_TerminateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateSessionRequest; + output: TerminateSessionResponse; + }; + sdk: { + input: TerminateSessionCommandInput; + output: TerminateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UntagResourceCommand.ts b/clients/client-athena/src/commands/UntagResourceCommand.ts index d5e880f07c75..8940a7b9de41 100644 --- a/clients/client-athena/src/commands/UntagResourceCommand.ts +++ b/clients/client-athena/src/commands/UntagResourceCommand.ts @@ -89,4 +89,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UpdateCapacityReservationCommand.ts b/clients/client-athena/src/commands/UpdateCapacityReservationCommand.ts index 33efd17bdcb8..5e82592fd10d 100644 --- a/clients/client-athena/src/commands/UpdateCapacityReservationCommand.ts +++ b/clients/client-athena/src/commands/UpdateCapacityReservationCommand.ts @@ -85,4 +85,16 @@ export class UpdateCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCapacityReservationCommand) .de(de_UpdateCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCapacityReservationInput; + output: {}; + }; + sdk: { + input: UpdateCapacityReservationCommandInput; + output: UpdateCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UpdateDataCatalogCommand.ts b/clients/client-athena/src/commands/UpdateDataCatalogCommand.ts index bd042e2790f3..335b4069f2bf 100644 --- a/clients/client-athena/src/commands/UpdateDataCatalogCommand.ts +++ b/clients/client-athena/src/commands/UpdateDataCatalogCommand.ts @@ -88,4 +88,16 @@ export class UpdateDataCatalogCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataCatalogCommand) .de(de_UpdateDataCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataCatalogInput; + output: {}; + }; + sdk: { + input: UpdateDataCatalogCommandInput; + output: UpdateDataCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UpdateNamedQueryCommand.ts b/clients/client-athena/src/commands/UpdateNamedQueryCommand.ts index 0be8b3035466..9373c1b202b8 100644 --- a/clients/client-athena/src/commands/UpdateNamedQueryCommand.ts +++ b/clients/client-athena/src/commands/UpdateNamedQueryCommand.ts @@ -87,4 +87,16 @@ export class UpdateNamedQueryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNamedQueryCommand) .de(de_UpdateNamedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNamedQueryInput; + output: {}; + }; + sdk: { + input: UpdateNamedQueryCommandInput; + output: UpdateNamedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UpdateNotebookCommand.ts b/clients/client-athena/src/commands/UpdateNotebookCommand.ts index 247fd7149ced..324b423aae0c 100644 --- a/clients/client-athena/src/commands/UpdateNotebookCommand.ts +++ b/clients/client-athena/src/commands/UpdateNotebookCommand.ts @@ -90,4 +90,16 @@ export class UpdateNotebookCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNotebookCommand) .de(de_UpdateNotebookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotebookInput; + output: {}; + }; + sdk: { + input: UpdateNotebookCommandInput; + output: UpdateNotebookCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UpdateNotebookMetadataCommand.ts b/clients/client-athena/src/commands/UpdateNotebookMetadataCommand.ts index 09ddac41e56b..4b90f74486c7 100644 --- a/clients/client-athena/src/commands/UpdateNotebookMetadataCommand.ts +++ b/clients/client-athena/src/commands/UpdateNotebookMetadataCommand.ts @@ -88,4 +88,16 @@ export class UpdateNotebookMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNotebookMetadataCommand) .de(de_UpdateNotebookMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotebookMetadataInput; + output: {}; + }; + sdk: { + input: UpdateNotebookMetadataCommandInput; + output: UpdateNotebookMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UpdatePreparedStatementCommand.ts b/clients/client-athena/src/commands/UpdatePreparedStatementCommand.ts index 2c6ce9fd9a64..c30c71f2e40f 100644 --- a/clients/client-athena/src/commands/UpdatePreparedStatementCommand.ts +++ b/clients/client-athena/src/commands/UpdatePreparedStatementCommand.ts @@ -89,4 +89,16 @@ export class UpdatePreparedStatementCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePreparedStatementCommand) .de(de_UpdatePreparedStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePreparedStatementInput; + output: {}; + }; + sdk: { + input: UpdatePreparedStatementCommandInput; + output: UpdatePreparedStatementCommandOutput; + }; + }; +} diff --git a/clients/client-athena/src/commands/UpdateWorkGroupCommand.ts b/clients/client-athena/src/commands/UpdateWorkGroupCommand.ts index 4882f22ff661..a7628854ebb7 100644 --- a/clients/client-athena/src/commands/UpdateWorkGroupCommand.ts +++ b/clients/client-athena/src/commands/UpdateWorkGroupCommand.ts @@ -124,4 +124,16 @@ export class UpdateWorkGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkGroupCommand) .de(de_UpdateWorkGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkGroupInput; + output: {}; + }; + sdk: { + input: UpdateWorkGroupCommandInput; + output: UpdateWorkGroupCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/package.json b/clients/client-auditmanager/package.json index b21df508c8ad..86f0f5e83e14 100644 --- a/clients/client-auditmanager/package.json +++ b/clients/client-auditmanager/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-auditmanager/src/commands/AssociateAssessmentReportEvidenceFolderCommand.ts b/clients/client-auditmanager/src/commands/AssociateAssessmentReportEvidenceFolderCommand.ts index 36168fd5d276..e600abf1894b 100644 --- a/clients/client-auditmanager/src/commands/AssociateAssessmentReportEvidenceFolderCommand.ts +++ b/clients/client-auditmanager/src/commands/AssociateAssessmentReportEvidenceFolderCommand.ts @@ -100,4 +100,16 @@ export class AssociateAssessmentReportEvidenceFolderCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAssessmentReportEvidenceFolderCommand) .de(de_AssociateAssessmentReportEvidenceFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAssessmentReportEvidenceFolderRequest; + output: {}; + }; + sdk: { + input: AssociateAssessmentReportEvidenceFolderCommandInput; + output: AssociateAssessmentReportEvidenceFolderCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/BatchAssociateAssessmentReportEvidenceCommand.ts b/clients/client-auditmanager/src/commands/BatchAssociateAssessmentReportEvidenceCommand.ts index d826e7c883a9..3be6efd6afc1 100644 --- a/clients/client-auditmanager/src/commands/BatchAssociateAssessmentReportEvidenceCommand.ts +++ b/clients/client-auditmanager/src/commands/BatchAssociateAssessmentReportEvidenceCommand.ts @@ -114,4 +114,16 @@ export class BatchAssociateAssessmentReportEvidenceCommand extends $Command .f(void 0, void 0) .ser(se_BatchAssociateAssessmentReportEvidenceCommand) .de(de_BatchAssociateAssessmentReportEvidenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateAssessmentReportEvidenceRequest; + output: BatchAssociateAssessmentReportEvidenceResponse; + }; + sdk: { + input: BatchAssociateAssessmentReportEvidenceCommandInput; + output: BatchAssociateAssessmentReportEvidenceCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/BatchCreateDelegationByAssessmentCommand.ts b/clients/client-auditmanager/src/commands/BatchCreateDelegationByAssessmentCommand.ts index ba72b08eeed9..cafec54614ae 100644 --- a/clients/client-auditmanager/src/commands/BatchCreateDelegationByAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/BatchCreateDelegationByAssessmentCommand.ts @@ -138,4 +138,16 @@ export class BatchCreateDelegationByAssessmentCommand extends $Command ) .ser(se_BatchCreateDelegationByAssessmentCommand) .de(de_BatchCreateDelegationByAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateDelegationByAssessmentRequest; + output: BatchCreateDelegationByAssessmentResponse; + }; + sdk: { + input: BatchCreateDelegationByAssessmentCommandInput; + output: BatchCreateDelegationByAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/BatchDeleteDelegationByAssessmentCommand.ts b/clients/client-auditmanager/src/commands/BatchDeleteDelegationByAssessmentCommand.ts index 5a1737e4a21f..e56faed6d2b1 100644 --- a/clients/client-auditmanager/src/commands/BatchDeleteDelegationByAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/BatchDeleteDelegationByAssessmentCommand.ts @@ -109,4 +109,16 @@ export class BatchDeleteDelegationByAssessmentCommand extends $Command .f(void 0, BatchDeleteDelegationByAssessmentResponseFilterSensitiveLog) .ser(se_BatchDeleteDelegationByAssessmentCommand) .de(de_BatchDeleteDelegationByAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteDelegationByAssessmentRequest; + output: BatchDeleteDelegationByAssessmentResponse; + }; + sdk: { + input: BatchDeleteDelegationByAssessmentCommandInput; + output: BatchDeleteDelegationByAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/BatchDisassociateAssessmentReportEvidenceCommand.ts b/clients/client-auditmanager/src/commands/BatchDisassociateAssessmentReportEvidenceCommand.ts index d7f76a123173..3cb8df99d285 100644 --- a/clients/client-auditmanager/src/commands/BatchDisassociateAssessmentReportEvidenceCommand.ts +++ b/clients/client-auditmanager/src/commands/BatchDisassociateAssessmentReportEvidenceCommand.ts @@ -114,4 +114,16 @@ export class BatchDisassociateAssessmentReportEvidenceCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisassociateAssessmentReportEvidenceCommand) .de(de_BatchDisassociateAssessmentReportEvidenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateAssessmentReportEvidenceRequest; + output: BatchDisassociateAssessmentReportEvidenceResponse; + }; + sdk: { + input: BatchDisassociateAssessmentReportEvidenceCommandInput; + output: BatchDisassociateAssessmentReportEvidenceCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/BatchImportEvidenceToAssessmentControlCommand.ts b/clients/client-auditmanager/src/commands/BatchImportEvidenceToAssessmentControlCommand.ts index 87b5c7d562bc..5828ffb4ee67 100644 --- a/clients/client-auditmanager/src/commands/BatchImportEvidenceToAssessmentControlCommand.ts +++ b/clients/client-auditmanager/src/commands/BatchImportEvidenceToAssessmentControlCommand.ts @@ -152,4 +152,16 @@ export class BatchImportEvidenceToAssessmentControlCommand extends $Command ) .ser(se_BatchImportEvidenceToAssessmentControlCommand) .de(de_BatchImportEvidenceToAssessmentControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchImportEvidenceToAssessmentControlRequest; + output: BatchImportEvidenceToAssessmentControlResponse; + }; + sdk: { + input: BatchImportEvidenceToAssessmentControlCommandInput; + output: BatchImportEvidenceToAssessmentControlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/CreateAssessmentCommand.ts b/clients/client-auditmanager/src/commands/CreateAssessmentCommand.ts index 43d09f757b43..61e99dbda1ce 100644 --- a/clients/client-auditmanager/src/commands/CreateAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/CreateAssessmentCommand.ts @@ -253,4 +253,16 @@ export class CreateAssessmentCommand extends $Command .f(CreateAssessmentRequestFilterSensitiveLog, CreateAssessmentResponseFilterSensitiveLog) .ser(se_CreateAssessmentCommand) .de(de_CreateAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssessmentRequest; + output: CreateAssessmentResponse; + }; + sdk: { + input: CreateAssessmentCommandInput; + output: CreateAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/CreateAssessmentFrameworkCommand.ts b/clients/client-auditmanager/src/commands/CreateAssessmentFrameworkCommand.ts index 7f8b3713686a..57681e76766c 100644 --- a/clients/client-auditmanager/src/commands/CreateAssessmentFrameworkCommand.ts +++ b/clients/client-auditmanager/src/commands/CreateAssessmentFrameworkCommand.ts @@ -175,4 +175,16 @@ export class CreateAssessmentFrameworkCommand extends $Command .f(CreateAssessmentFrameworkRequestFilterSensitiveLog, CreateAssessmentFrameworkResponseFilterSensitiveLog) .ser(se_CreateAssessmentFrameworkCommand) .de(de_CreateAssessmentFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssessmentFrameworkRequest; + output: CreateAssessmentFrameworkResponse; + }; + sdk: { + input: CreateAssessmentFrameworkCommandInput; + output: CreateAssessmentFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/CreateAssessmentReportCommand.ts b/clients/client-auditmanager/src/commands/CreateAssessmentReportCommand.ts index 9314e4635c7c..3d805652cc29 100644 --- a/clients/client-auditmanager/src/commands/CreateAssessmentReportCommand.ts +++ b/clients/client-auditmanager/src/commands/CreateAssessmentReportCommand.ts @@ -109,4 +109,16 @@ export class CreateAssessmentReportCommand extends $Command .f(CreateAssessmentReportRequestFilterSensitiveLog, CreateAssessmentReportResponseFilterSensitiveLog) .ser(se_CreateAssessmentReportCommand) .de(de_CreateAssessmentReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssessmentReportRequest; + output: CreateAssessmentReportResponse; + }; + sdk: { + input: CreateAssessmentReportCommandInput; + output: CreateAssessmentReportCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/CreateControlCommand.ts b/clients/client-auditmanager/src/commands/CreateControlCommand.ts index 6bed964ca94d..96d985076aa0 100644 --- a/clients/client-auditmanager/src/commands/CreateControlCommand.ts +++ b/clients/client-auditmanager/src/commands/CreateControlCommand.ts @@ -156,4 +156,16 @@ export class CreateControlCommand extends $Command .f(CreateControlRequestFilterSensitiveLog, CreateControlResponseFilterSensitiveLog) .ser(se_CreateControlCommand) .de(de_CreateControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateControlRequest; + output: CreateControlResponse; + }; + sdk: { + input: CreateControlCommandInput; + output: CreateControlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DeleteAssessmentCommand.ts b/clients/client-auditmanager/src/commands/DeleteAssessmentCommand.ts index 2ea35e12a4fa..b988706a8cc4 100644 --- a/clients/client-auditmanager/src/commands/DeleteAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/DeleteAssessmentCommand.ts @@ -89,4 +89,16 @@ export class DeleteAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssessmentCommand) .de(de_DeleteAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssessmentRequest; + output: {}; + }; + sdk: { + input: DeleteAssessmentCommandInput; + output: DeleteAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkCommand.ts b/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkCommand.ts index c14a45d632bb..41754acf0740 100644 --- a/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkCommand.ts +++ b/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkCommand.ts @@ -89,4 +89,16 @@ export class DeleteAssessmentFrameworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssessmentFrameworkCommand) .de(de_DeleteAssessmentFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssessmentFrameworkRequest; + output: {}; + }; + sdk: { + input: DeleteAssessmentFrameworkCommandInput; + output: DeleteAssessmentFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkShareCommand.ts b/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkShareCommand.ts index 69e905b0ef52..877ee975f40e 100644 --- a/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkShareCommand.ts +++ b/clients/client-auditmanager/src/commands/DeleteAssessmentFrameworkShareCommand.ts @@ -95,4 +95,16 @@ export class DeleteAssessmentFrameworkShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssessmentFrameworkShareCommand) .de(de_DeleteAssessmentFrameworkShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssessmentFrameworkShareRequest; + output: {}; + }; + sdk: { + input: DeleteAssessmentFrameworkShareCommandInput; + output: DeleteAssessmentFrameworkShareCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DeleteAssessmentReportCommand.ts b/clients/client-auditmanager/src/commands/DeleteAssessmentReportCommand.ts index 89fbeabfb5b6..e1b7c156ee52 100644 --- a/clients/client-auditmanager/src/commands/DeleteAssessmentReportCommand.ts +++ b/clients/client-auditmanager/src/commands/DeleteAssessmentReportCommand.ts @@ -111,4 +111,16 @@ export class DeleteAssessmentReportCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssessmentReportCommand) .de(de_DeleteAssessmentReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssessmentReportRequest; + output: {}; + }; + sdk: { + input: DeleteAssessmentReportCommandInput; + output: DeleteAssessmentReportCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DeleteControlCommand.ts b/clients/client-auditmanager/src/commands/DeleteControlCommand.ts index dfc301e3e37e..8b861e3b0704 100644 --- a/clients/client-auditmanager/src/commands/DeleteControlCommand.ts +++ b/clients/client-auditmanager/src/commands/DeleteControlCommand.ts @@ -95,4 +95,16 @@ export class DeleteControlCommand extends $Command .f(void 0, void 0) .ser(se_DeleteControlCommand) .de(de_DeleteControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteControlRequest; + output: {}; + }; + sdk: { + input: DeleteControlCommandInput; + output: DeleteControlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DeregisterAccountCommand.ts b/clients/client-auditmanager/src/commands/DeregisterAccountCommand.ts index b6e19734decb..4f35bfe34ba2 100644 --- a/clients/client-auditmanager/src/commands/DeregisterAccountCommand.ts +++ b/clients/client-auditmanager/src/commands/DeregisterAccountCommand.ts @@ -98,4 +98,16 @@ export class DeregisterAccountCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterAccountCommand) .de(de_DeregisterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeregisterAccountResponse; + }; + sdk: { + input: DeregisterAccountCommandInput; + output: DeregisterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DeregisterOrganizationAdminAccountCommand.ts b/clients/client-auditmanager/src/commands/DeregisterOrganizationAdminAccountCommand.ts index f3b46568f531..c066eb3d1146 100644 --- a/clients/client-auditmanager/src/commands/DeregisterOrganizationAdminAccountCommand.ts +++ b/clients/client-auditmanager/src/commands/DeregisterOrganizationAdminAccountCommand.ts @@ -156,4 +156,16 @@ export class DeregisterOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterOrganizationAdminAccountCommand) .de(de_DeregisterOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: DeregisterOrganizationAdminAccountCommandInput; + output: DeregisterOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/DisassociateAssessmentReportEvidenceFolderCommand.ts b/clients/client-auditmanager/src/commands/DisassociateAssessmentReportEvidenceFolderCommand.ts index 3734f9d51cac..cf84526f953b 100644 --- a/clients/client-auditmanager/src/commands/DisassociateAssessmentReportEvidenceFolderCommand.ts +++ b/clients/client-auditmanager/src/commands/DisassociateAssessmentReportEvidenceFolderCommand.ts @@ -99,4 +99,16 @@ export class DisassociateAssessmentReportEvidenceFolderCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAssessmentReportEvidenceFolderCommand) .de(de_DisassociateAssessmentReportEvidenceFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAssessmentReportEvidenceFolderRequest; + output: {}; + }; + sdk: { + input: DisassociateAssessmentReportEvidenceFolderCommandInput; + output: DisassociateAssessmentReportEvidenceFolderCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetAccountStatusCommand.ts b/clients/client-auditmanager/src/commands/GetAccountStatusCommand.ts index 51dcd5cd455f..cf842ef10d55 100644 --- a/clients/client-auditmanager/src/commands/GetAccountStatusCommand.ts +++ b/clients/client-auditmanager/src/commands/GetAccountStatusCommand.ts @@ -79,4 +79,16 @@ export class GetAccountStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountStatusCommand) .de(de_GetAccountStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountStatusResponse; + }; + sdk: { + input: GetAccountStatusCommandInput; + output: GetAccountStatusCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetAssessmentCommand.ts b/clients/client-auditmanager/src/commands/GetAssessmentCommand.ts index b898ae660dea..7507c6685466 100644 --- a/clients/client-auditmanager/src/commands/GetAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/GetAssessmentCommand.ts @@ -215,4 +215,16 @@ export class GetAssessmentCommand extends $Command .f(void 0, GetAssessmentResponseFilterSensitiveLog) .ser(se_GetAssessmentCommand) .de(de_GetAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssessmentRequest; + output: GetAssessmentResponse; + }; + sdk: { + input: GetAssessmentCommandInput; + output: GetAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetAssessmentFrameworkCommand.ts b/clients/client-auditmanager/src/commands/GetAssessmentFrameworkCommand.ts index 2b256a56ce2c..ebf9b255145d 100644 --- a/clients/client-auditmanager/src/commands/GetAssessmentFrameworkCommand.ts +++ b/clients/client-auditmanager/src/commands/GetAssessmentFrameworkCommand.ts @@ -153,4 +153,16 @@ export class GetAssessmentFrameworkCommand extends $Command .f(void 0, GetAssessmentFrameworkResponseFilterSensitiveLog) .ser(se_GetAssessmentFrameworkCommand) .de(de_GetAssessmentFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssessmentFrameworkRequest; + output: GetAssessmentFrameworkResponse; + }; + sdk: { + input: GetAssessmentFrameworkCommandInput; + output: GetAssessmentFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetAssessmentReportUrlCommand.ts b/clients/client-auditmanager/src/commands/GetAssessmentReportUrlCommand.ts index b99bc4bb11e6..ef97bb2312d1 100644 --- a/clients/client-auditmanager/src/commands/GetAssessmentReportUrlCommand.ts +++ b/clients/client-auditmanager/src/commands/GetAssessmentReportUrlCommand.ts @@ -95,4 +95,16 @@ export class GetAssessmentReportUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetAssessmentReportUrlCommand) .de(de_GetAssessmentReportUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssessmentReportUrlRequest; + output: GetAssessmentReportUrlResponse; + }; + sdk: { + input: GetAssessmentReportUrlCommandInput; + output: GetAssessmentReportUrlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetChangeLogsCommand.ts b/clients/client-auditmanager/src/commands/GetChangeLogsCommand.ts index 5beda1c5c7fe..860b78d1954b 100644 --- a/clients/client-auditmanager/src/commands/GetChangeLogsCommand.ts +++ b/clients/client-auditmanager/src/commands/GetChangeLogsCommand.ts @@ -104,4 +104,16 @@ export class GetChangeLogsCommand extends $Command .f(void 0, void 0) .ser(se_GetChangeLogsCommand) .de(de_GetChangeLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChangeLogsRequest; + output: GetChangeLogsResponse; + }; + sdk: { + input: GetChangeLogsCommandInput; + output: GetChangeLogsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetControlCommand.ts b/clients/client-auditmanager/src/commands/GetControlCommand.ts index 6db4aee72f11..9835e65c0661 100644 --- a/clients/client-auditmanager/src/commands/GetControlCommand.ts +++ b/clients/client-auditmanager/src/commands/GetControlCommand.ts @@ -124,4 +124,16 @@ export class GetControlCommand extends $Command .f(void 0, GetControlResponseFilterSensitiveLog) .ser(se_GetControlCommand) .de(de_GetControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetControlRequest; + output: GetControlResponse; + }; + sdk: { + input: GetControlCommandInput; + output: GetControlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetDelegationsCommand.ts b/clients/client-auditmanager/src/commands/GetDelegationsCommand.ts index b91312358d72..a2a9d36f3647 100644 --- a/clients/client-auditmanager/src/commands/GetDelegationsCommand.ts +++ b/clients/client-auditmanager/src/commands/GetDelegationsCommand.ts @@ -104,4 +104,16 @@ export class GetDelegationsCommand extends $Command .f(void 0, GetDelegationsResponseFilterSensitiveLog) .ser(se_GetDelegationsCommand) .de(de_GetDelegationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDelegationsRequest; + output: GetDelegationsResponse; + }; + sdk: { + input: GetDelegationsCommandInput; + output: GetDelegationsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetEvidenceByEvidenceFolderCommand.ts b/clients/client-auditmanager/src/commands/GetEvidenceByEvidenceFolderCommand.ts index abd4a45522a8..a5ce04479a9e 100644 --- a/clients/client-auditmanager/src/commands/GetEvidenceByEvidenceFolderCommand.ts +++ b/clients/client-auditmanager/src/commands/GetEvidenceByEvidenceFolderCommand.ts @@ -127,4 +127,16 @@ export class GetEvidenceByEvidenceFolderCommand extends $Command .f(void 0, void 0) .ser(se_GetEvidenceByEvidenceFolderCommand) .de(de_GetEvidenceByEvidenceFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvidenceByEvidenceFolderRequest; + output: GetEvidenceByEvidenceFolderResponse; + }; + sdk: { + input: GetEvidenceByEvidenceFolderCommandInput; + output: GetEvidenceByEvidenceFolderCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetEvidenceCommand.ts b/clients/client-auditmanager/src/commands/GetEvidenceCommand.ts index de6426dadc4e..9fdd922f946c 100644 --- a/clients/client-auditmanager/src/commands/GetEvidenceCommand.ts +++ b/clients/client-auditmanager/src/commands/GetEvidenceCommand.ts @@ -118,4 +118,16 @@ export class GetEvidenceCommand extends $Command .f(void 0, void 0) .ser(se_GetEvidenceCommand) .de(de_GetEvidenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvidenceRequest; + output: GetEvidenceResponse; + }; + sdk: { + input: GetEvidenceCommandInput; + output: GetEvidenceCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetEvidenceFileUploadUrlCommand.ts b/clients/client-auditmanager/src/commands/GetEvidenceFileUploadUrlCommand.ts index 0cc18ba8bd4b..42b264be6d37 100644 --- a/clients/client-auditmanager/src/commands/GetEvidenceFileUploadUrlCommand.ts +++ b/clients/client-auditmanager/src/commands/GetEvidenceFileUploadUrlCommand.ts @@ -114,4 +114,16 @@ export class GetEvidenceFileUploadUrlCommand extends $Command .f(GetEvidenceFileUploadUrlRequestFilterSensitiveLog, GetEvidenceFileUploadUrlResponseFilterSensitiveLog) .ser(se_GetEvidenceFileUploadUrlCommand) .de(de_GetEvidenceFileUploadUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvidenceFileUploadUrlRequest; + output: GetEvidenceFileUploadUrlResponse; + }; + sdk: { + input: GetEvidenceFileUploadUrlCommandInput; + output: GetEvidenceFileUploadUrlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetEvidenceFolderCommand.ts b/clients/client-auditmanager/src/commands/GetEvidenceFolderCommand.ts index ceccf5efb9dd..65e287cd07de 100644 --- a/clients/client-auditmanager/src/commands/GetEvidenceFolderCommand.ts +++ b/clients/client-auditmanager/src/commands/GetEvidenceFolderCommand.ts @@ -112,4 +112,16 @@ export class GetEvidenceFolderCommand extends $Command .f(void 0, void 0) .ser(se_GetEvidenceFolderCommand) .de(de_GetEvidenceFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvidenceFolderRequest; + output: GetEvidenceFolderResponse; + }; + sdk: { + input: GetEvidenceFolderCommandInput; + output: GetEvidenceFolderCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentCommand.ts b/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentCommand.ts index d1bb6383d1e9..60d9834c0bea 100644 --- a/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentCommand.ts @@ -120,4 +120,16 @@ export class GetEvidenceFoldersByAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_GetEvidenceFoldersByAssessmentCommand) .de(de_GetEvidenceFoldersByAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvidenceFoldersByAssessmentRequest; + output: GetEvidenceFoldersByAssessmentResponse; + }; + sdk: { + input: GetEvidenceFoldersByAssessmentCommandInput; + output: GetEvidenceFoldersByAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentControlCommand.ts b/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentControlCommand.ts index 5b4c26874474..ce1270ce420c 100644 --- a/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentControlCommand.ts +++ b/clients/client-auditmanager/src/commands/GetEvidenceFoldersByAssessmentControlCommand.ts @@ -127,4 +127,16 @@ export class GetEvidenceFoldersByAssessmentControlCommand extends $Command .f(void 0, void 0) .ser(se_GetEvidenceFoldersByAssessmentControlCommand) .de(de_GetEvidenceFoldersByAssessmentControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvidenceFoldersByAssessmentControlRequest; + output: GetEvidenceFoldersByAssessmentControlResponse; + }; + sdk: { + input: GetEvidenceFoldersByAssessmentControlCommandInput; + output: GetEvidenceFoldersByAssessmentControlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetInsightsByAssessmentCommand.ts b/clients/client-auditmanager/src/commands/GetInsightsByAssessmentCommand.ts index 56930fd096ec..b2f2ede2d5ba 100644 --- a/clients/client-auditmanager/src/commands/GetInsightsByAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/GetInsightsByAssessmentCommand.ts @@ -98,4 +98,16 @@ export class GetInsightsByAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightsByAssessmentCommand) .de(de_GetInsightsByAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightsByAssessmentRequest; + output: GetInsightsByAssessmentResponse; + }; + sdk: { + input: GetInsightsByAssessmentCommandInput; + output: GetInsightsByAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetInsightsCommand.ts b/clients/client-auditmanager/src/commands/GetInsightsCommand.ts index f53c0a222c0e..9e010c586959 100644 --- a/clients/client-auditmanager/src/commands/GetInsightsCommand.ts +++ b/clients/client-auditmanager/src/commands/GetInsightsCommand.ts @@ -91,4 +91,16 @@ export class GetInsightsCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightsCommand) .de(de_GetInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetInsightsResponse; + }; + sdk: { + input: GetInsightsCommandInput; + output: GetInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetOrganizationAdminAccountCommand.ts b/clients/client-auditmanager/src/commands/GetOrganizationAdminAccountCommand.ts index 06935d0260ab..4de917e75574 100644 --- a/clients/client-auditmanager/src/commands/GetOrganizationAdminAccountCommand.ts +++ b/clients/client-auditmanager/src/commands/GetOrganizationAdminAccountCommand.ts @@ -96,4 +96,16 @@ export class GetOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetOrganizationAdminAccountCommand) .de(de_GetOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetOrganizationAdminAccountResponse; + }; + sdk: { + input: GetOrganizationAdminAccountCommandInput; + output: GetOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetServicesInScopeCommand.ts b/clients/client-auditmanager/src/commands/GetServicesInScopeCommand.ts index e14afff7e9f3..9cc3a7b858b7 100644 --- a/clients/client-auditmanager/src/commands/GetServicesInScopeCommand.ts +++ b/clients/client-auditmanager/src/commands/GetServicesInScopeCommand.ts @@ -104,4 +104,16 @@ export class GetServicesInScopeCommand extends $Command .f(void 0, void 0) .ser(se_GetServicesInScopeCommand) .de(de_GetServicesInScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetServicesInScopeResponse; + }; + sdk: { + input: GetServicesInScopeCommandInput; + output: GetServicesInScopeCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/GetSettingsCommand.ts b/clients/client-auditmanager/src/commands/GetSettingsCommand.ts index 4bf2756c2dbe..d294ffd021dc 100644 --- a/clients/client-auditmanager/src/commands/GetSettingsCommand.ts +++ b/clients/client-auditmanager/src/commands/GetSettingsCommand.ts @@ -112,4 +112,16 @@ export class GetSettingsCommand extends $Command .f(void 0, GetSettingsResponseFilterSensitiveLog) .ser(se_GetSettingsCommand) .de(de_GetSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSettingsRequest; + output: GetSettingsResponse; + }; + sdk: { + input: GetSettingsCommandInput; + output: GetSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListAssessmentControlInsightsByControlDomainCommand.ts b/clients/client-auditmanager/src/commands/ListAssessmentControlInsightsByControlDomainCommand.ts index c307f657c141..64bfd051a343 100644 --- a/clients/client-auditmanager/src/commands/ListAssessmentControlInsightsByControlDomainCommand.ts +++ b/clients/client-auditmanager/src/commands/ListAssessmentControlInsightsByControlDomainCommand.ts @@ -123,4 +123,16 @@ export class ListAssessmentControlInsightsByControlDomainCommand extends $Comman .f(void 0, void 0) .ser(se_ListAssessmentControlInsightsByControlDomainCommand) .de(de_ListAssessmentControlInsightsByControlDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentControlInsightsByControlDomainRequest; + output: ListAssessmentControlInsightsByControlDomainResponse; + }; + sdk: { + input: ListAssessmentControlInsightsByControlDomainCommandInput; + output: ListAssessmentControlInsightsByControlDomainCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListAssessmentFrameworkShareRequestsCommand.ts b/clients/client-auditmanager/src/commands/ListAssessmentFrameworkShareRequestsCommand.ts index 6cc291518c21..b03843b44903 100644 --- a/clients/client-auditmanager/src/commands/ListAssessmentFrameworkShareRequestsCommand.ts +++ b/clients/client-auditmanager/src/commands/ListAssessmentFrameworkShareRequestsCommand.ts @@ -118,4 +118,16 @@ export class ListAssessmentFrameworkShareRequestsCommand extends $Command .f(void 0, ListAssessmentFrameworkShareRequestsResponseFilterSensitiveLog) .ser(se_ListAssessmentFrameworkShareRequestsCommand) .de(de_ListAssessmentFrameworkShareRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentFrameworkShareRequestsRequest; + output: ListAssessmentFrameworkShareRequestsResponse; + }; + sdk: { + input: ListAssessmentFrameworkShareRequestsCommandInput; + output: ListAssessmentFrameworkShareRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListAssessmentFrameworksCommand.ts b/clients/client-auditmanager/src/commands/ListAssessmentFrameworksCommand.ts index 4620d31350ef..b11140a834f0 100644 --- a/clients/client-auditmanager/src/commands/ListAssessmentFrameworksCommand.ts +++ b/clients/client-auditmanager/src/commands/ListAssessmentFrameworksCommand.ts @@ -110,4 +110,16 @@ export class ListAssessmentFrameworksCommand extends $Command .f(void 0, ListAssessmentFrameworksResponseFilterSensitiveLog) .ser(se_ListAssessmentFrameworksCommand) .de(de_ListAssessmentFrameworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentFrameworksRequest; + output: ListAssessmentFrameworksResponse; + }; + sdk: { + input: ListAssessmentFrameworksCommandInput; + output: ListAssessmentFrameworksCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListAssessmentReportsCommand.ts b/clients/client-auditmanager/src/commands/ListAssessmentReportsCommand.ts index 42453afa1f0e..6f791eb89cda 100644 --- a/clients/client-auditmanager/src/commands/ListAssessmentReportsCommand.ts +++ b/clients/client-auditmanager/src/commands/ListAssessmentReportsCommand.ts @@ -105,4 +105,16 @@ export class ListAssessmentReportsCommand extends $Command .f(void 0, ListAssessmentReportsResponseFilterSensitiveLog) .ser(se_ListAssessmentReportsCommand) .de(de_ListAssessmentReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentReportsRequest; + output: ListAssessmentReportsResponse; + }; + sdk: { + input: ListAssessmentReportsCommandInput; + output: ListAssessmentReportsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListAssessmentsCommand.ts b/clients/client-auditmanager/src/commands/ListAssessmentsCommand.ts index e27d85e8a992..b4dca8fd7fbf 100644 --- a/clients/client-auditmanager/src/commands/ListAssessmentsCommand.ts +++ b/clients/client-auditmanager/src/commands/ListAssessmentsCommand.ts @@ -125,4 +125,16 @@ export class ListAssessmentsCommand extends $Command .f(void 0, ListAssessmentsResponseFilterSensitiveLog) .ser(se_ListAssessmentsCommand) .de(de_ListAssessmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentsRequest; + output: ListAssessmentsResponse; + }; + sdk: { + input: ListAssessmentsCommandInput; + output: ListAssessmentsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListControlDomainInsightsByAssessmentCommand.ts b/clients/client-auditmanager/src/commands/ListControlDomainInsightsByAssessmentCommand.ts index e40843dec8ec..f449284041de 100644 --- a/clients/client-auditmanager/src/commands/ListControlDomainInsightsByAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/ListControlDomainInsightsByAssessmentCommand.ts @@ -128,4 +128,16 @@ export class ListControlDomainInsightsByAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_ListControlDomainInsightsByAssessmentCommand) .de(de_ListControlDomainInsightsByAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListControlDomainInsightsByAssessmentRequest; + output: ListControlDomainInsightsByAssessmentResponse; + }; + sdk: { + input: ListControlDomainInsightsByAssessmentCommandInput; + output: ListControlDomainInsightsByAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListControlDomainInsightsCommand.ts b/clients/client-auditmanager/src/commands/ListControlDomainInsightsCommand.ts index ad6ba3a8f969..d22998434cac 100644 --- a/clients/client-auditmanager/src/commands/ListControlDomainInsightsCommand.ts +++ b/clients/client-auditmanager/src/commands/ListControlDomainInsightsCommand.ts @@ -119,4 +119,16 @@ export class ListControlDomainInsightsCommand extends $Command .f(void 0, void 0) .ser(se_ListControlDomainInsightsCommand) .de(de_ListControlDomainInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListControlDomainInsightsRequest; + output: ListControlDomainInsightsResponse; + }; + sdk: { + input: ListControlDomainInsightsCommandInput; + output: ListControlDomainInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListControlInsightsByControlDomainCommand.ts b/clients/client-auditmanager/src/commands/ListControlInsightsByControlDomainCommand.ts index 36b4867d1e89..4ac4b9705c42 100644 --- a/clients/client-auditmanager/src/commands/ListControlInsightsByControlDomainCommand.ts +++ b/clients/client-auditmanager/src/commands/ListControlInsightsByControlDomainCommand.ts @@ -120,4 +120,16 @@ export class ListControlInsightsByControlDomainCommand extends $Command .f(void 0, void 0) .ser(se_ListControlInsightsByControlDomainCommand) .de(de_ListControlInsightsByControlDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListControlInsightsByControlDomainRequest; + output: ListControlInsightsByControlDomainResponse; + }; + sdk: { + input: ListControlInsightsByControlDomainCommandInput; + output: ListControlInsightsByControlDomainCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListControlsCommand.ts b/clients/client-auditmanager/src/commands/ListControlsCommand.ts index 713a55889067..7482891cc990 100644 --- a/clients/client-auditmanager/src/commands/ListControlsCommand.ts +++ b/clients/client-auditmanager/src/commands/ListControlsCommand.ts @@ -101,4 +101,16 @@ export class ListControlsCommand extends $Command .f(void 0, void 0) .ser(se_ListControlsCommand) .de(de_ListControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListControlsRequest; + output: ListControlsResponse; + }; + sdk: { + input: ListControlsCommandInput; + output: ListControlsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListKeywordsForDataSourceCommand.ts b/clients/client-auditmanager/src/commands/ListKeywordsForDataSourceCommand.ts index 91f1f1d23e6d..a7f043e1ea1e 100644 --- a/clients/client-auditmanager/src/commands/ListKeywordsForDataSourceCommand.ts +++ b/clients/client-auditmanager/src/commands/ListKeywordsForDataSourceCommand.ts @@ -94,4 +94,16 @@ export class ListKeywordsForDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_ListKeywordsForDataSourceCommand) .de(de_ListKeywordsForDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeywordsForDataSourceRequest; + output: ListKeywordsForDataSourceResponse; + }; + sdk: { + input: ListKeywordsForDataSourceCommandInput; + output: ListKeywordsForDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListNotificationsCommand.ts b/clients/client-auditmanager/src/commands/ListNotificationsCommand.ts index 61f2be171688..477591e9ff9e 100644 --- a/clients/client-auditmanager/src/commands/ListNotificationsCommand.ts +++ b/clients/client-auditmanager/src/commands/ListNotificationsCommand.ts @@ -105,4 +105,16 @@ export class ListNotificationsCommand extends $Command .f(void 0, ListNotificationsResponseFilterSensitiveLog) .ser(se_ListNotificationsCommand) .de(de_ListNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotificationsRequest; + output: ListNotificationsResponse; + }; + sdk: { + input: ListNotificationsCommandInput; + output: ListNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ListTagsForResourceCommand.ts b/clients/client-auditmanager/src/commands/ListTagsForResourceCommand.ts index 7a9b8ad0fe4a..3713ce00138c 100644 --- a/clients/client-auditmanager/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-auditmanager/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/RegisterAccountCommand.ts b/clients/client-auditmanager/src/commands/RegisterAccountCommand.ts index 45d86cf48200..2b98901a6f6d 100644 --- a/clients/client-auditmanager/src/commands/RegisterAccountCommand.ts +++ b/clients/client-auditmanager/src/commands/RegisterAccountCommand.ts @@ -95,4 +95,16 @@ export class RegisterAccountCommand extends $Command .f(void 0, void 0) .ser(se_RegisterAccountCommand) .de(de_RegisterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterAccountRequest; + output: RegisterAccountResponse; + }; + sdk: { + input: RegisterAccountCommandInput; + output: RegisterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/RegisterOrganizationAdminAccountCommand.ts b/clients/client-auditmanager/src/commands/RegisterOrganizationAdminAccountCommand.ts index 8483ddf8995f..bc176e78315c 100644 --- a/clients/client-auditmanager/src/commands/RegisterOrganizationAdminAccountCommand.ts +++ b/clients/client-auditmanager/src/commands/RegisterOrganizationAdminAccountCommand.ts @@ -98,4 +98,16 @@ export class RegisterOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_RegisterOrganizationAdminAccountCommand) .de(de_RegisterOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterOrganizationAdminAccountRequest; + output: RegisterOrganizationAdminAccountResponse; + }; + sdk: { + input: RegisterOrganizationAdminAccountCommandInput; + output: RegisterOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/StartAssessmentFrameworkShareCommand.ts b/clients/client-auditmanager/src/commands/StartAssessmentFrameworkShareCommand.ts index 2a342f916e8b..02b0eeb943b1 100644 --- a/clients/client-auditmanager/src/commands/StartAssessmentFrameworkShareCommand.ts +++ b/clients/client-auditmanager/src/commands/StartAssessmentFrameworkShareCommand.ts @@ -155,4 +155,16 @@ export class StartAssessmentFrameworkShareCommand extends $Command .f(void 0, StartAssessmentFrameworkShareResponseFilterSensitiveLog) .ser(se_StartAssessmentFrameworkShareCommand) .de(de_StartAssessmentFrameworkShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAssessmentFrameworkShareRequest; + output: StartAssessmentFrameworkShareResponse; + }; + sdk: { + input: StartAssessmentFrameworkShareCommandInput; + output: StartAssessmentFrameworkShareCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/TagResourceCommand.ts b/clients/client-auditmanager/src/commands/TagResourceCommand.ts index 863d53bea97a..ef2e1fa7b283 100644 --- a/clients/client-auditmanager/src/commands/TagResourceCommand.ts +++ b/clients/client-auditmanager/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UntagResourceCommand.ts b/clients/client-auditmanager/src/commands/UntagResourceCommand.ts index 8d2cf47d5912..cf4ddd926088 100644 --- a/clients/client-auditmanager/src/commands/UntagResourceCommand.ts +++ b/clients/client-auditmanager/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateAssessmentCommand.ts b/clients/client-auditmanager/src/commands/UpdateAssessmentCommand.ts index 2f9f79288854..38e72f71101d 100644 --- a/clients/client-auditmanager/src/commands/UpdateAssessmentCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateAssessmentCommand.ts @@ -244,4 +244,16 @@ export class UpdateAssessmentCommand extends $Command .f(UpdateAssessmentRequestFilterSensitiveLog, UpdateAssessmentResponseFilterSensitiveLog) .ser(se_UpdateAssessmentCommand) .de(de_UpdateAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssessmentRequest; + output: UpdateAssessmentResponse; + }; + sdk: { + input: UpdateAssessmentCommandInput; + output: UpdateAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateAssessmentControlCommand.ts b/clients/client-auditmanager/src/commands/UpdateAssessmentControlCommand.ts index 7be8e64a47fb..a03fbc3ab0d5 100644 --- a/clients/client-auditmanager/src/commands/UpdateAssessmentControlCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateAssessmentControlCommand.ts @@ -118,4 +118,16 @@ export class UpdateAssessmentControlCommand extends $Command .f(UpdateAssessmentControlRequestFilterSensitiveLog, UpdateAssessmentControlResponseFilterSensitiveLog) .ser(se_UpdateAssessmentControlCommand) .de(de_UpdateAssessmentControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssessmentControlRequest; + output: UpdateAssessmentControlResponse; + }; + sdk: { + input: UpdateAssessmentControlCommandInput; + output: UpdateAssessmentControlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateAssessmentControlSetStatusCommand.ts b/clients/client-auditmanager/src/commands/UpdateAssessmentControlSetStatusCommand.ts index 9ccc55141208..8c025dc92c1d 100644 --- a/clients/client-auditmanager/src/commands/UpdateAssessmentControlSetStatusCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateAssessmentControlSetStatusCommand.ts @@ -155,4 +155,16 @@ export class UpdateAssessmentControlSetStatusCommand extends $Command ) .ser(se_UpdateAssessmentControlSetStatusCommand) .de(de_UpdateAssessmentControlSetStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssessmentControlSetStatusRequest; + output: UpdateAssessmentControlSetStatusResponse; + }; + sdk: { + input: UpdateAssessmentControlSetStatusCommandInput; + output: UpdateAssessmentControlSetStatusCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkCommand.ts b/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkCommand.ts index f5bbc66a423d..00327ea5b119 100644 --- a/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkCommand.ts @@ -168,4 +168,16 @@ export class UpdateAssessmentFrameworkCommand extends $Command .f(UpdateAssessmentFrameworkRequestFilterSensitiveLog, UpdateAssessmentFrameworkResponseFilterSensitiveLog) .ser(se_UpdateAssessmentFrameworkCommand) .de(de_UpdateAssessmentFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssessmentFrameworkRequest; + output: UpdateAssessmentFrameworkResponse; + }; + sdk: { + input: UpdateAssessmentFrameworkCommandInput; + output: UpdateAssessmentFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkShareCommand.ts b/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkShareCommand.ts index 073f2699aa18..c977afb0bdd4 100644 --- a/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkShareCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateAssessmentFrameworkShareCommand.ts @@ -124,4 +124,16 @@ export class UpdateAssessmentFrameworkShareCommand extends $Command .f(void 0, UpdateAssessmentFrameworkShareResponseFilterSensitiveLog) .ser(se_UpdateAssessmentFrameworkShareCommand) .de(de_UpdateAssessmentFrameworkShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssessmentFrameworkShareRequest; + output: UpdateAssessmentFrameworkShareResponse; + }; + sdk: { + input: UpdateAssessmentFrameworkShareCommandInput; + output: UpdateAssessmentFrameworkShareCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateAssessmentStatusCommand.ts b/clients/client-auditmanager/src/commands/UpdateAssessmentStatusCommand.ts index 1bb799342f40..1c5e7cdb9f6b 100644 --- a/clients/client-auditmanager/src/commands/UpdateAssessmentStatusCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateAssessmentStatusCommand.ts @@ -221,4 +221,16 @@ export class UpdateAssessmentStatusCommand extends $Command .f(void 0, UpdateAssessmentStatusResponseFilterSensitiveLog) .ser(se_UpdateAssessmentStatusCommand) .de(de_UpdateAssessmentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssessmentStatusRequest; + output: UpdateAssessmentStatusResponse; + }; + sdk: { + input: UpdateAssessmentStatusCommandInput; + output: UpdateAssessmentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateControlCommand.ts b/clients/client-auditmanager/src/commands/UpdateControlCommand.ts index 482aa5c5f18a..4158eb5cf1d9 100644 --- a/clients/client-auditmanager/src/commands/UpdateControlCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateControlCommand.ts @@ -149,4 +149,16 @@ export class UpdateControlCommand extends $Command .f(UpdateControlRequestFilterSensitiveLog, UpdateControlResponseFilterSensitiveLog) .ser(se_UpdateControlCommand) .de(de_UpdateControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateControlRequest; + output: UpdateControlResponse; + }; + sdk: { + input: UpdateControlCommandInput; + output: UpdateControlCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/UpdateSettingsCommand.ts b/clients/client-auditmanager/src/commands/UpdateSettingsCommand.ts index 488ce08faa1c..3123d1b692a6 100644 --- a/clients/client-auditmanager/src/commands/UpdateSettingsCommand.ts +++ b/clients/client-auditmanager/src/commands/UpdateSettingsCommand.ts @@ -139,4 +139,16 @@ export class UpdateSettingsCommand extends $Command .f(UpdateSettingsRequestFilterSensitiveLog, UpdateSettingsResponseFilterSensitiveLog) .ser(se_UpdateSettingsCommand) .de(de_UpdateSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSettingsRequest; + output: UpdateSettingsResponse; + }; + sdk: { + input: UpdateSettingsCommandInput; + output: UpdateSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-auditmanager/src/commands/ValidateAssessmentReportIntegrityCommand.ts b/clients/client-auditmanager/src/commands/ValidateAssessmentReportIntegrityCommand.ts index 89d2b464712b..0f5d4c33aaca 100644 --- a/clients/client-auditmanager/src/commands/ValidateAssessmentReportIntegrityCommand.ts +++ b/clients/client-auditmanager/src/commands/ValidateAssessmentReportIntegrityCommand.ts @@ -105,4 +105,16 @@ export class ValidateAssessmentReportIntegrityCommand extends $Command .f(void 0, void 0) .ser(se_ValidateAssessmentReportIntegrityCommand) .de(de_ValidateAssessmentReportIntegrityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateAssessmentReportIntegrityRequest; + output: ValidateAssessmentReportIntegrityResponse; + }; + sdk: { + input: ValidateAssessmentReportIntegrityCommandInput; + output: ValidateAssessmentReportIntegrityCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling-plans/package.json b/clients/client-auto-scaling-plans/package.json index 7b1f11cb96cb..431960240590 100644 --- a/clients/client-auto-scaling-plans/package.json +++ b/clients/client-auto-scaling-plans/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-auto-scaling-plans/src/commands/CreateScalingPlanCommand.ts b/clients/client-auto-scaling-plans/src/commands/CreateScalingPlanCommand.ts index 94fd7304e97e..93e700f23240 100644 --- a/clients/client-auto-scaling-plans/src/commands/CreateScalingPlanCommand.ts +++ b/clients/client-auto-scaling-plans/src/commands/CreateScalingPlanCommand.ts @@ -158,4 +158,16 @@ export class CreateScalingPlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateScalingPlanCommand) .de(de_CreateScalingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScalingPlanRequest; + output: CreateScalingPlanResponse; + }; + sdk: { + input: CreateScalingPlanCommandInput; + output: CreateScalingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling-plans/src/commands/DeleteScalingPlanCommand.ts b/clients/client-auto-scaling-plans/src/commands/DeleteScalingPlanCommand.ts index bd689e62eb91..0ff867f157a3 100644 --- a/clients/client-auto-scaling-plans/src/commands/DeleteScalingPlanCommand.ts +++ b/clients/client-auto-scaling-plans/src/commands/DeleteScalingPlanCommand.ts @@ -93,4 +93,16 @@ export class DeleteScalingPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScalingPlanCommand) .de(de_DeleteScalingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScalingPlanRequest; + output: {}; + }; + sdk: { + input: DeleteScalingPlanCommandInput; + output: DeleteScalingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlanResourcesCommand.ts b/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlanResourcesCommand.ts index e3fe62e507b6..606498cd4622 100644 --- a/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlanResourcesCommand.ts +++ b/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlanResourcesCommand.ts @@ -138,4 +138,16 @@ export class DescribeScalingPlanResourcesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingPlanResourcesCommand) .de(de_DescribeScalingPlanResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalingPlanResourcesRequest; + output: DescribeScalingPlanResourcesResponse; + }; + sdk: { + input: DescribeScalingPlanResourcesCommandInput; + output: DescribeScalingPlanResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlansCommand.ts b/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlansCommand.ts index ad0f2a6937d7..e7ebfb8b7505 100644 --- a/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlansCommand.ts +++ b/clients/client-auto-scaling-plans/src/commands/DescribeScalingPlansCommand.ts @@ -185,4 +185,16 @@ export class DescribeScalingPlansCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingPlansCommand) .de(de_DescribeScalingPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalingPlansRequest; + output: DescribeScalingPlansResponse; + }; + sdk: { + input: DescribeScalingPlansCommandInput; + output: DescribeScalingPlansCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling-plans/src/commands/GetScalingPlanResourceForecastDataCommand.ts b/clients/client-auto-scaling-plans/src/commands/GetScalingPlanResourceForecastDataCommand.ts index b2d9dcb9bcee..a1649b7ad8c0 100644 --- a/clients/client-auto-scaling-plans/src/commands/GetScalingPlanResourceForecastDataCommand.ts +++ b/clients/client-auto-scaling-plans/src/commands/GetScalingPlanResourceForecastDataCommand.ts @@ -106,4 +106,16 @@ export class GetScalingPlanResourceForecastDataCommand extends $Command .f(void 0, void 0) .ser(se_GetScalingPlanResourceForecastDataCommand) .de(de_GetScalingPlanResourceForecastDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetScalingPlanResourceForecastDataRequest; + output: GetScalingPlanResourceForecastDataResponse; + }; + sdk: { + input: GetScalingPlanResourceForecastDataCommandInput; + output: GetScalingPlanResourceForecastDataCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling-plans/src/commands/UpdateScalingPlanCommand.ts b/clients/client-auto-scaling-plans/src/commands/UpdateScalingPlanCommand.ts index 507d47aba31c..c2b022817c1d 100644 --- a/clients/client-auto-scaling-plans/src/commands/UpdateScalingPlanCommand.ts +++ b/clients/client-auto-scaling-plans/src/commands/UpdateScalingPlanCommand.ts @@ -158,4 +158,16 @@ export class UpdateScalingPlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScalingPlanCommand) .de(de_UpdateScalingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScalingPlanRequest; + output: {}; + }; + sdk: { + input: UpdateScalingPlanCommandInput; + output: UpdateScalingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/package.json b/clients/client-auto-scaling/package.json index d5a33208d9c6..9e92dde3527a 100644 --- a/clients/client-auto-scaling/package.json +++ b/clients/client-auto-scaling/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-auto-scaling/src/commands/AttachInstancesCommand.ts b/clients/client-auto-scaling/src/commands/AttachInstancesCommand.ts index b7b6f26726d9..0c02e8eff09a 100644 --- a/clients/client-auto-scaling/src/commands/AttachInstancesCommand.ts +++ b/clients/client-auto-scaling/src/commands/AttachInstancesCommand.ts @@ -108,4 +108,16 @@ export class AttachInstancesCommand extends $Command .f(void 0, void 0) .ser(se_AttachInstancesCommand) .de(de_AttachInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachInstancesQuery; + output: {}; + }; + sdk: { + input: AttachInstancesCommandInput; + output: AttachInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/AttachLoadBalancerTargetGroupsCommand.ts b/clients/client-auto-scaling/src/commands/AttachLoadBalancerTargetGroupsCommand.ts index 46a533d90d26..fa5090115cd3 100644 --- a/clients/client-auto-scaling/src/commands/AttachLoadBalancerTargetGroupsCommand.ts +++ b/clients/client-auto-scaling/src/commands/AttachLoadBalancerTargetGroupsCommand.ts @@ -133,4 +133,16 @@ export class AttachLoadBalancerTargetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_AttachLoadBalancerTargetGroupsCommand) .de(de_AttachLoadBalancerTargetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachLoadBalancerTargetGroupsType; + output: {}; + }; + sdk: { + input: AttachLoadBalancerTargetGroupsCommandInput; + output: AttachLoadBalancerTargetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/AttachLoadBalancersCommand.ts b/clients/client-auto-scaling/src/commands/AttachLoadBalancersCommand.ts index ccb034a55048..5bde0d64ca19 100644 --- a/clients/client-auto-scaling/src/commands/AttachLoadBalancersCommand.ts +++ b/clients/client-auto-scaling/src/commands/AttachLoadBalancersCommand.ts @@ -115,4 +115,16 @@ export class AttachLoadBalancersCommand extends $Command .f(void 0, void 0) .ser(se_AttachLoadBalancersCommand) .de(de_AttachLoadBalancersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachLoadBalancersType; + output: {}; + }; + sdk: { + input: AttachLoadBalancersCommandInput; + output: AttachLoadBalancersCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/AttachTrafficSourcesCommand.ts b/clients/client-auto-scaling/src/commands/AttachTrafficSourcesCommand.ts index c4ef0e316045..4698dbc2437b 100644 --- a/clients/client-auto-scaling/src/commands/AttachTrafficSourcesCommand.ts +++ b/clients/client-auto-scaling/src/commands/AttachTrafficSourcesCommand.ts @@ -127,4 +127,16 @@ export class AttachTrafficSourcesCommand extends $Command .f(void 0, void 0) .ser(se_AttachTrafficSourcesCommand) .de(de_AttachTrafficSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachTrafficSourcesType; + output: {}; + }; + sdk: { + input: AttachTrafficSourcesCommandInput; + output: AttachTrafficSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/BatchDeleteScheduledActionCommand.ts b/clients/client-auto-scaling/src/commands/BatchDeleteScheduledActionCommand.ts index 37450be86914..ad60da60dbfd 100644 --- a/clients/client-auto-scaling/src/commands/BatchDeleteScheduledActionCommand.ts +++ b/clients/client-auto-scaling/src/commands/BatchDeleteScheduledActionCommand.ts @@ -90,4 +90,16 @@ export class BatchDeleteScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteScheduledActionCommand) .de(de_BatchDeleteScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteScheduledActionType; + output: BatchDeleteScheduledActionAnswer; + }; + sdk: { + input: BatchDeleteScheduledActionCommandInput; + output: BatchDeleteScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/BatchPutScheduledUpdateGroupActionCommand.ts b/clients/client-auto-scaling/src/commands/BatchPutScheduledUpdateGroupActionCommand.ts index 2bb633f32c0c..1c241981327a 100644 --- a/clients/client-auto-scaling/src/commands/BatchPutScheduledUpdateGroupActionCommand.ts +++ b/clients/client-auto-scaling/src/commands/BatchPutScheduledUpdateGroupActionCommand.ts @@ -113,4 +113,16 @@ export class BatchPutScheduledUpdateGroupActionCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutScheduledUpdateGroupActionCommand) .de(de_BatchPutScheduledUpdateGroupActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutScheduledUpdateGroupActionType; + output: BatchPutScheduledUpdateGroupActionAnswer; + }; + sdk: { + input: BatchPutScheduledUpdateGroupActionCommandInput; + output: BatchPutScheduledUpdateGroupActionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/CancelInstanceRefreshCommand.ts b/clients/client-auto-scaling/src/commands/CancelInstanceRefreshCommand.ts index ec1dfcfc59dc..43ec339572e6 100644 --- a/clients/client-auto-scaling/src/commands/CancelInstanceRefreshCommand.ts +++ b/clients/client-auto-scaling/src/commands/CancelInstanceRefreshCommand.ts @@ -114,4 +114,16 @@ export class CancelInstanceRefreshCommand extends $Command .f(void 0, void 0) .ser(se_CancelInstanceRefreshCommand) .de(de_CancelInstanceRefreshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelInstanceRefreshType; + output: CancelInstanceRefreshAnswer; + }; + sdk: { + input: CancelInstanceRefreshCommandInput; + output: CancelInstanceRefreshCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/CompleteLifecycleActionCommand.ts b/clients/client-auto-scaling/src/commands/CompleteLifecycleActionCommand.ts index cf1f15b0561f..896ed927de35 100644 --- a/clients/client-auto-scaling/src/commands/CompleteLifecycleActionCommand.ts +++ b/clients/client-auto-scaling/src/commands/CompleteLifecycleActionCommand.ts @@ -134,4 +134,16 @@ export class CompleteLifecycleActionCommand extends $Command .f(void 0, void 0) .ser(se_CompleteLifecycleActionCommand) .de(de_CompleteLifecycleActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteLifecycleActionType; + output: {}; + }; + sdk: { + input: CompleteLifecycleActionCommandInput; + output: CompleteLifecycleActionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/CreateAutoScalingGroupCommand.ts b/clients/client-auto-scaling/src/commands/CreateAutoScalingGroupCommand.ts index af60dfb68401..387700a659f2 100644 --- a/clients/client-auto-scaling/src/commands/CreateAutoScalingGroupCommand.ts +++ b/clients/client-auto-scaling/src/commands/CreateAutoScalingGroupCommand.ts @@ -392,4 +392,16 @@ export class CreateAutoScalingGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateAutoScalingGroupCommand) .de(de_CreateAutoScalingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAutoScalingGroupType; + output: {}; + }; + sdk: { + input: CreateAutoScalingGroupCommandInput; + output: CreateAutoScalingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/CreateLaunchConfigurationCommand.ts b/clients/client-auto-scaling/src/commands/CreateLaunchConfigurationCommand.ts index 8421f9d47305..ff7181da12ba 100644 --- a/clients/client-auto-scaling/src/commands/CreateLaunchConfigurationCommand.ts +++ b/clients/client-auto-scaling/src/commands/CreateLaunchConfigurationCommand.ts @@ -160,4 +160,16 @@ export class CreateLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateLaunchConfigurationCommand) .de(de_CreateLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLaunchConfigurationType; + output: {}; + }; + sdk: { + input: CreateLaunchConfigurationCommandInput; + output: CreateLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/CreateOrUpdateTagsCommand.ts b/clients/client-auto-scaling/src/commands/CreateOrUpdateTagsCommand.ts index f528c97fab02..ff5fa77671d4 100644 --- a/clients/client-auto-scaling/src/commands/CreateOrUpdateTagsCommand.ts +++ b/clients/client-auto-scaling/src/commands/CreateOrUpdateTagsCommand.ts @@ -129,4 +129,16 @@ export class CreateOrUpdateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateOrUpdateTagsCommand) .de(de_CreateOrUpdateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOrUpdateTagsType; + output: {}; + }; + sdk: { + input: CreateOrUpdateTagsCommandInput; + output: CreateOrUpdateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeleteAutoScalingGroupCommand.ts b/clients/client-auto-scaling/src/commands/DeleteAutoScalingGroupCommand.ts index 5826e445c126..a89b9a3fba6c 100644 --- a/clients/client-auto-scaling/src/commands/DeleteAutoScalingGroupCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeleteAutoScalingGroupCommand.ts @@ -124,4 +124,16 @@ export class DeleteAutoScalingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAutoScalingGroupCommand) .de(de_DeleteAutoScalingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAutoScalingGroupType; + output: {}; + }; + sdk: { + input: DeleteAutoScalingGroupCommandInput; + output: DeleteAutoScalingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeleteLaunchConfigurationCommand.ts b/clients/client-auto-scaling/src/commands/DeleteLaunchConfigurationCommand.ts index 3b4e196c2d32..edba477b4fc0 100644 --- a/clients/client-auto-scaling/src/commands/DeleteLaunchConfigurationCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeleteLaunchConfigurationCommand.ts @@ -95,4 +95,16 @@ export class DeleteLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchConfigurationCommand) .de(de_DeleteLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LaunchConfigurationNameType; + output: {}; + }; + sdk: { + input: DeleteLaunchConfigurationCommandInput; + output: DeleteLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeleteLifecycleHookCommand.ts b/clients/client-auto-scaling/src/commands/DeleteLifecycleHookCommand.ts index 967ebda7c230..05ae96c0e41d 100644 --- a/clients/client-auto-scaling/src/commands/DeleteLifecycleHookCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeleteLifecycleHookCommand.ts @@ -95,4 +95,16 @@ export class DeleteLifecycleHookCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLifecycleHookCommand) .de(de_DeleteLifecycleHookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLifecycleHookType; + output: {}; + }; + sdk: { + input: DeleteLifecycleHookCommandInput; + output: DeleteLifecycleHookCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeleteNotificationConfigurationCommand.ts b/clients/client-auto-scaling/src/commands/DeleteNotificationConfigurationCommand.ts index 062c36fa2d43..42d0548a9ac1 100644 --- a/clients/client-auto-scaling/src/commands/DeleteNotificationConfigurationCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeleteNotificationConfigurationCommand.ts @@ -95,4 +95,16 @@ export class DeleteNotificationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotificationConfigurationCommand) .de(de_DeleteNotificationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNotificationConfigurationType; + output: {}; + }; + sdk: { + input: DeleteNotificationConfigurationCommandInput; + output: DeleteNotificationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeletePolicyCommand.ts b/clients/client-auto-scaling/src/commands/DeletePolicyCommand.ts index eaa02e322f98..bf581b83d91f 100644 --- a/clients/client-auto-scaling/src/commands/DeletePolicyCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeletePolicyCommand.ts @@ -100,4 +100,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyType; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeleteScheduledActionCommand.ts b/clients/client-auto-scaling/src/commands/DeleteScheduledActionCommand.ts index 92c6266f6aba..2cededce05bc 100644 --- a/clients/client-auto-scaling/src/commands/DeleteScheduledActionCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeleteScheduledActionCommand.ts @@ -92,4 +92,16 @@ export class DeleteScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduledActionCommand) .de(de_DeleteScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduledActionType; + output: {}; + }; + sdk: { + input: DeleteScheduledActionCommandInput; + output: DeleteScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeleteTagsCommand.ts b/clients/client-auto-scaling/src/commands/DeleteTagsCommand.ts index 604233274f65..3a102866cc85 100644 --- a/clients/client-auto-scaling/src/commands/DeleteTagsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeleteTagsCommand.ts @@ -108,4 +108,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsType; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DeleteWarmPoolCommand.ts b/clients/client-auto-scaling/src/commands/DeleteWarmPoolCommand.ts index 7ceea0967fd6..c8f6aed53f1b 100644 --- a/clients/client-auto-scaling/src/commands/DeleteWarmPoolCommand.ts +++ b/clients/client-auto-scaling/src/commands/DeleteWarmPoolCommand.ts @@ -95,4 +95,16 @@ export class DeleteWarmPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWarmPoolCommand) .de(de_DeleteWarmPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWarmPoolType; + output: {}; + }; + sdk: { + input: DeleteWarmPoolCommandInput; + output: DeleteWarmPoolCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeAccountLimitsCommand.ts b/clients/client-auto-scaling/src/commands/DescribeAccountLimitsCommand.ts index 51f4269e413d..277749990610 100644 --- a/clients/client-auto-scaling/src/commands/DescribeAccountLimitsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeAccountLimitsCommand.ts @@ -103,4 +103,16 @@ export class DescribeAccountLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountLimitsCommand) .de(de_DescribeAccountLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountLimitsAnswer; + }; + sdk: { + input: DescribeAccountLimitsCommandInput; + output: DescribeAccountLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeAdjustmentTypesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeAdjustmentTypesCommand.ts index b7092369c30d..442f908dbf12 100644 --- a/clients/client-auto-scaling/src/commands/DescribeAdjustmentTypesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeAdjustmentTypesCommand.ts @@ -126,4 +126,16 @@ export class DescribeAdjustmentTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAdjustmentTypesCommand) .de(de_DescribeAdjustmentTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAdjustmentTypesAnswer; + }; + sdk: { + input: DescribeAdjustmentTypesCommandInput; + output: DescribeAdjustmentTypesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeAutoScalingGroupsCommand.ts b/clients/client-auto-scaling/src/commands/DescribeAutoScalingGroupsCommand.ts index 4a5d2adc1b50..da9b11c02329 100644 --- a/clients/client-auto-scaling/src/commands/DescribeAutoScalingGroupsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeAutoScalingGroupsCommand.ts @@ -359,4 +359,16 @@ export class DescribeAutoScalingGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutoScalingGroupsCommand) .de(de_DescribeAutoScalingGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AutoScalingGroupNamesType; + output: AutoScalingGroupsType; + }; + sdk: { + input: DescribeAutoScalingGroupsCommandInput; + output: DescribeAutoScalingGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeAutoScalingInstancesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeAutoScalingInstancesCommand.ts index 62fe0f9de4ef..b2789d53913e 100644 --- a/clients/client-auto-scaling/src/commands/DescribeAutoScalingInstancesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeAutoScalingInstancesCommand.ts @@ -135,4 +135,16 @@ export class DescribeAutoScalingInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutoScalingInstancesCommand) .de(de_DescribeAutoScalingInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAutoScalingInstancesType; + output: AutoScalingInstancesType; + }; + sdk: { + input: DescribeAutoScalingInstancesCommandInput; + output: DescribeAutoScalingInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeAutoScalingNotificationTypesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeAutoScalingNotificationTypesCommand.ts index 019bf6413de6..d31c7a02f152 100644 --- a/clients/client-auto-scaling/src/commands/DescribeAutoScalingNotificationTypesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeAutoScalingNotificationTypesCommand.ts @@ -106,4 +106,16 @@ export class DescribeAutoScalingNotificationTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutoScalingNotificationTypesCommand) .de(de_DescribeAutoScalingNotificationTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAutoScalingNotificationTypesAnswer; + }; + sdk: { + input: DescribeAutoScalingNotificationTypesCommandInput; + output: DescribeAutoScalingNotificationTypesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeInstanceRefreshesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeInstanceRefreshesCommand.ts index 313eb5628d19..b4854851579d 100644 --- a/clients/client-auto-scaling/src/commands/DescribeInstanceRefreshesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeInstanceRefreshesCommand.ts @@ -318,4 +318,16 @@ export class DescribeInstanceRefreshesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceRefreshesCommand) .de(de_DescribeInstanceRefreshesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceRefreshesType; + output: DescribeInstanceRefreshesAnswer; + }; + sdk: { + input: DescribeInstanceRefreshesCommandInput; + output: DescribeInstanceRefreshesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeLaunchConfigurationsCommand.ts b/clients/client-auto-scaling/src/commands/DescribeLaunchConfigurationsCommand.ts index ca4b0956c50b..cdb582df5feb 100644 --- a/clients/client-auto-scaling/src/commands/DescribeLaunchConfigurationsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeLaunchConfigurationsCommand.ts @@ -172,4 +172,16 @@ export class DescribeLaunchConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLaunchConfigurationsCommand) .de(de_DescribeLaunchConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LaunchConfigurationNamesType; + output: LaunchConfigurationsType; + }; + sdk: { + input: DescribeLaunchConfigurationsCommandInput; + output: DescribeLaunchConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeLifecycleHookTypesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeLifecycleHookTypesCommand.ts index 130ff400d5e3..16a7212d38fe 100644 --- a/clients/client-auto-scaling/src/commands/DescribeLifecycleHookTypesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeLifecycleHookTypesCommand.ts @@ -111,4 +111,16 @@ export class DescribeLifecycleHookTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLifecycleHookTypesCommand) .de(de_DescribeLifecycleHookTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeLifecycleHookTypesAnswer; + }; + sdk: { + input: DescribeLifecycleHookTypesCommandInput; + output: DescribeLifecycleHookTypesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeLifecycleHooksCommand.ts b/clients/client-auto-scaling/src/commands/DescribeLifecycleHooksCommand.ts index 4db1334f47bd..12db0bb9a84c 100644 --- a/clients/client-auto-scaling/src/commands/DescribeLifecycleHooksCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeLifecycleHooksCommand.ts @@ -123,4 +123,16 @@ export class DescribeLifecycleHooksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLifecycleHooksCommand) .de(de_DescribeLifecycleHooksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLifecycleHooksType; + output: DescribeLifecycleHooksAnswer; + }; + sdk: { + input: DescribeLifecycleHooksCommandInput; + output: DescribeLifecycleHooksCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeLoadBalancerTargetGroupsCommand.ts b/clients/client-auto-scaling/src/commands/DescribeLoadBalancerTargetGroupsCommand.ts index a5a04aa3615e..f617a7793712 100644 --- a/clients/client-auto-scaling/src/commands/DescribeLoadBalancerTargetGroupsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeLoadBalancerTargetGroupsCommand.ts @@ -150,4 +150,16 @@ export class DescribeLoadBalancerTargetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancerTargetGroupsCommand) .de(de_DescribeLoadBalancerTargetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBalancerTargetGroupsRequest; + output: DescribeLoadBalancerTargetGroupsResponse; + }; + sdk: { + input: DescribeLoadBalancerTargetGroupsCommandInput; + output: DescribeLoadBalancerTargetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeLoadBalancersCommand.ts b/clients/client-auto-scaling/src/commands/DescribeLoadBalancersCommand.ts index 421b337ff580..f76bf1234926 100644 --- a/clients/client-auto-scaling/src/commands/DescribeLoadBalancersCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeLoadBalancersCommand.ts @@ -143,4 +143,16 @@ export class DescribeLoadBalancersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancersCommand) .de(de_DescribeLoadBalancersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBalancersRequest; + output: DescribeLoadBalancersResponse; + }; + sdk: { + input: DescribeLoadBalancersCommandInput; + output: DescribeLoadBalancersCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeMetricCollectionTypesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeMetricCollectionTypesCommand.ts index f79c28913c9c..667da51f77c6 100644 --- a/clients/client-auto-scaling/src/commands/DescribeMetricCollectionTypesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeMetricCollectionTypesCommand.ts @@ -137,4 +137,16 @@ export class DescribeMetricCollectionTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetricCollectionTypesCommand) .de(de_DescribeMetricCollectionTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeMetricCollectionTypesAnswer; + }; + sdk: { + input: DescribeMetricCollectionTypesCommandInput; + output: DescribeMetricCollectionTypesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeNotificationConfigurationsCommand.ts b/clients/client-auto-scaling/src/commands/DescribeNotificationConfigurationsCommand.ts index 5fac9673647c..9886be99536c 100644 --- a/clients/client-auto-scaling/src/commands/DescribeNotificationConfigurationsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeNotificationConfigurationsCommand.ts @@ -130,4 +130,16 @@ export class DescribeNotificationConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNotificationConfigurationsCommand) .de(de_DescribeNotificationConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotificationConfigurationsType; + output: DescribeNotificationConfigurationsAnswer; + }; + sdk: { + input: DescribeNotificationConfigurationsCommandInput; + output: DescribeNotificationConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribePoliciesCommand.ts b/clients/client-auto-scaling/src/commands/DescribePoliciesCommand.ts index e26e965b96a2..f36e32cc8b62 100644 --- a/clients/client-auto-scaling/src/commands/DescribePoliciesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribePoliciesCommand.ts @@ -281,4 +281,16 @@ export class DescribePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePoliciesCommand) .de(de_DescribePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePoliciesType; + output: PoliciesType; + }; + sdk: { + input: DescribePoliciesCommandInput; + output: DescribePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts index a771a0267249..b6ac3e486fce 100644 --- a/clients/client-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeScalingActivitiesCommand.ts @@ -143,4 +143,16 @@ export class DescribeScalingActivitiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingActivitiesCommand) .de(de_DescribeScalingActivitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalingActivitiesType; + output: ActivitiesType; + }; + sdk: { + input: DescribeScalingActivitiesCommandInput; + output: DescribeScalingActivitiesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeScalingProcessTypesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeScalingProcessTypesCommand.ts index b682b7956cf4..339d0df66d3a 100644 --- a/clients/client-auto-scaling/src/commands/DescribeScalingProcessTypesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeScalingProcessTypesCommand.ts @@ -123,4 +123,16 @@ export class DescribeScalingProcessTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingProcessTypesCommand) .de(de_DescribeScalingProcessTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ProcessesType; + }; + sdk: { + input: DescribeScalingProcessTypesCommandInput; + output: DescribeScalingProcessTypesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts b/clients/client-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts index 550ea9a95ed0..1196828ed05d 100644 --- a/clients/client-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeScheduledActionsCommand.ts @@ -137,4 +137,16 @@ export class DescribeScheduledActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduledActionsCommand) .de(de_DescribeScheduledActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduledActionsType; + output: ScheduledActionsType; + }; + sdk: { + input: DescribeScheduledActionsCommandInput; + output: DescribeScheduledActionsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeTagsCommand.ts b/clients/client-auto-scaling/src/commands/DescribeTagsCommand.ts index a11f14cc0c8c..7e672d917aca 100644 --- a/clients/client-auto-scaling/src/commands/DescribeTagsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeTagsCommand.ts @@ -148,4 +148,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsType; + output: TagsType; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeTerminationPolicyTypesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeTerminationPolicyTypesCommand.ts index 19e0362e495b..113e56ce580f 100644 --- a/clients/client-auto-scaling/src/commands/DescribeTerminationPolicyTypesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeTerminationPolicyTypesCommand.ts @@ -109,4 +109,16 @@ export class DescribeTerminationPolicyTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTerminationPolicyTypesCommand) .de(de_DescribeTerminationPolicyTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeTerminationPolicyTypesAnswer; + }; + sdk: { + input: DescribeTerminationPolicyTypesCommandInput; + output: DescribeTerminationPolicyTypesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeTrafficSourcesCommand.ts b/clients/client-auto-scaling/src/commands/DescribeTrafficSourcesCommand.ts index 38f43c7f7c7b..060c2f7c1771 100644 --- a/clients/client-auto-scaling/src/commands/DescribeTrafficSourcesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeTrafficSourcesCommand.ts @@ -122,4 +122,16 @@ export class DescribeTrafficSourcesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrafficSourcesCommand) .de(de_DescribeTrafficSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrafficSourcesRequest; + output: DescribeTrafficSourcesResponse; + }; + sdk: { + input: DescribeTrafficSourcesCommandInput; + output: DescribeTrafficSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DescribeWarmPoolCommand.ts b/clients/client-auto-scaling/src/commands/DescribeWarmPoolCommand.ts index fc7478c0bf89..608a1f15d2c5 100644 --- a/clients/client-auto-scaling/src/commands/DescribeWarmPoolCommand.ts +++ b/clients/client-auto-scaling/src/commands/DescribeWarmPoolCommand.ts @@ -120,4 +120,16 @@ export class DescribeWarmPoolCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWarmPoolCommand) .de(de_DescribeWarmPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWarmPoolType; + output: DescribeWarmPoolAnswer; + }; + sdk: { + input: DescribeWarmPoolCommandInput; + output: DescribeWarmPoolCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DetachInstancesCommand.ts b/clients/client-auto-scaling/src/commands/DetachInstancesCommand.ts index 93b24f3b8e57..a151a67d6e2b 100644 --- a/clients/client-auto-scaling/src/commands/DetachInstancesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DetachInstancesCommand.ts @@ -140,4 +140,16 @@ export class DetachInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DetachInstancesCommand) .de(de_DetachInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachInstancesQuery; + output: DetachInstancesAnswer; + }; + sdk: { + input: DetachInstancesCommandInput; + output: DetachInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DetachLoadBalancerTargetGroupsCommand.ts b/clients/client-auto-scaling/src/commands/DetachLoadBalancerTargetGroupsCommand.ts index 86c2aba1a783..99d36a3a1566 100644 --- a/clients/client-auto-scaling/src/commands/DetachLoadBalancerTargetGroupsCommand.ts +++ b/clients/client-auto-scaling/src/commands/DetachLoadBalancerTargetGroupsCommand.ts @@ -118,4 +118,16 @@ export class DetachLoadBalancerTargetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DetachLoadBalancerTargetGroupsCommand) .de(de_DetachLoadBalancerTargetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachLoadBalancerTargetGroupsType; + output: {}; + }; + sdk: { + input: DetachLoadBalancerTargetGroupsCommandInput; + output: DetachLoadBalancerTargetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DetachLoadBalancersCommand.ts b/clients/client-auto-scaling/src/commands/DetachLoadBalancersCommand.ts index 807074a11a6a..d281b74ec7aa 100644 --- a/clients/client-auto-scaling/src/commands/DetachLoadBalancersCommand.ts +++ b/clients/client-auto-scaling/src/commands/DetachLoadBalancersCommand.ts @@ -109,4 +109,16 @@ export class DetachLoadBalancersCommand extends $Command .f(void 0, void 0) .ser(se_DetachLoadBalancersCommand) .de(de_DetachLoadBalancersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachLoadBalancersType; + output: {}; + }; + sdk: { + input: DetachLoadBalancersCommandInput; + output: DetachLoadBalancersCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DetachTrafficSourcesCommand.ts b/clients/client-auto-scaling/src/commands/DetachTrafficSourcesCommand.ts index 8aca7ecdea52..39e659545e47 100644 --- a/clients/client-auto-scaling/src/commands/DetachTrafficSourcesCommand.ts +++ b/clients/client-auto-scaling/src/commands/DetachTrafficSourcesCommand.ts @@ -104,4 +104,16 @@ export class DetachTrafficSourcesCommand extends $Command .f(void 0, void 0) .ser(se_DetachTrafficSourcesCommand) .de(de_DetachTrafficSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachTrafficSourcesType; + output: {}; + }; + sdk: { + input: DetachTrafficSourcesCommandInput; + output: DetachTrafficSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/DisableMetricsCollectionCommand.ts b/clients/client-auto-scaling/src/commands/DisableMetricsCollectionCommand.ts index 8920026afaec..2797deb6693d 100644 --- a/clients/client-auto-scaling/src/commands/DisableMetricsCollectionCommand.ts +++ b/clients/client-auto-scaling/src/commands/DisableMetricsCollectionCommand.ts @@ -96,4 +96,16 @@ export class DisableMetricsCollectionCommand extends $Command .f(void 0, void 0) .ser(se_DisableMetricsCollectionCommand) .de(de_DisableMetricsCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableMetricsCollectionQuery; + output: {}; + }; + sdk: { + input: DisableMetricsCollectionCommandInput; + output: DisableMetricsCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/EnableMetricsCollectionCommand.ts b/clients/client-auto-scaling/src/commands/EnableMetricsCollectionCommand.ts index 978998940b37..d5c6e195d839 100644 --- a/clients/client-auto-scaling/src/commands/EnableMetricsCollectionCommand.ts +++ b/clients/client-auto-scaling/src/commands/EnableMetricsCollectionCommand.ts @@ -100,4 +100,16 @@ export class EnableMetricsCollectionCommand extends $Command .f(void 0, void 0) .ser(se_EnableMetricsCollectionCommand) .de(de_EnableMetricsCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableMetricsCollectionQuery; + output: {}; + }; + sdk: { + input: EnableMetricsCollectionCommandInput; + output: EnableMetricsCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/EnterStandbyCommand.ts b/clients/client-auto-scaling/src/commands/EnterStandbyCommand.ts index 2efc126ca61c..ae55249504de 100644 --- a/clients/client-auto-scaling/src/commands/EnterStandbyCommand.ts +++ b/clients/client-auto-scaling/src/commands/EnterStandbyCommand.ts @@ -140,4 +140,16 @@ export class EnterStandbyCommand extends $Command .f(void 0, void 0) .ser(se_EnterStandbyCommand) .de(de_EnterStandbyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnterStandbyQuery; + output: EnterStandbyAnswer; + }; + sdk: { + input: EnterStandbyCommandInput; + output: EnterStandbyCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/ExecutePolicyCommand.ts b/clients/client-auto-scaling/src/commands/ExecutePolicyCommand.ts index 4d14c30c18d7..9cb250511990 100644 --- a/clients/client-auto-scaling/src/commands/ExecutePolicyCommand.ts +++ b/clients/client-auto-scaling/src/commands/ExecutePolicyCommand.ts @@ -102,4 +102,16 @@ export class ExecutePolicyCommand extends $Command .f(void 0, void 0) .ser(se_ExecutePolicyCommand) .de(de_ExecutePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecutePolicyType; + output: {}; + }; + sdk: { + input: ExecutePolicyCommandInput; + output: ExecutePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/ExitStandbyCommand.ts b/clients/client-auto-scaling/src/commands/ExitStandbyCommand.ts index a9bb3b3d9766..e2a342875471 100644 --- a/clients/client-auto-scaling/src/commands/ExitStandbyCommand.ts +++ b/clients/client-auto-scaling/src/commands/ExitStandbyCommand.ts @@ -134,4 +134,16 @@ export class ExitStandbyCommand extends $Command .f(void 0, void 0) .ser(se_ExitStandbyCommand) .de(de_ExitStandbyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExitStandbyQuery; + output: ExitStandbyAnswer; + }; + sdk: { + input: ExitStandbyCommandInput; + output: ExitStandbyCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/GetPredictiveScalingForecastCommand.ts b/clients/client-auto-scaling/src/commands/GetPredictiveScalingForecastCommand.ts index 4f35c9c7f2bb..0e71e3da12e7 100644 --- a/clients/client-auto-scaling/src/commands/GetPredictiveScalingForecastCommand.ts +++ b/clients/client-auto-scaling/src/commands/GetPredictiveScalingForecastCommand.ts @@ -199,4 +199,16 @@ export class GetPredictiveScalingForecastCommand extends $Command .f(void 0, void 0) .ser(se_GetPredictiveScalingForecastCommand) .de(de_GetPredictiveScalingForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPredictiveScalingForecastType; + output: GetPredictiveScalingForecastAnswer; + }; + sdk: { + input: GetPredictiveScalingForecastCommandInput; + output: GetPredictiveScalingForecastCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/PutLifecycleHookCommand.ts b/clients/client-auto-scaling/src/commands/PutLifecycleHookCommand.ts index a866e8399f8a..17bb4c8241eb 100644 --- a/clients/client-auto-scaling/src/commands/PutLifecycleHookCommand.ts +++ b/clients/client-auto-scaling/src/commands/PutLifecycleHookCommand.ts @@ -149,4 +149,16 @@ export class PutLifecycleHookCommand extends $Command .f(void 0, void 0) .ser(se_PutLifecycleHookCommand) .de(de_PutLifecycleHookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLifecycleHookType; + output: {}; + }; + sdk: { + input: PutLifecycleHookCommandInput; + output: PutLifecycleHookCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/PutNotificationConfigurationCommand.ts b/clients/client-auto-scaling/src/commands/PutNotificationConfigurationCommand.ts index db312a874281..31ee61b18052 100644 --- a/clients/client-auto-scaling/src/commands/PutNotificationConfigurationCommand.ts +++ b/clients/client-auto-scaling/src/commands/PutNotificationConfigurationCommand.ts @@ -115,4 +115,16 @@ export class PutNotificationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutNotificationConfigurationCommand) .de(de_PutNotificationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutNotificationConfigurationType; + output: {}; + }; + sdk: { + input: PutNotificationConfigurationCommandInput; + output: PutNotificationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/PutScalingPolicyCommand.ts b/clients/client-auto-scaling/src/commands/PutScalingPolicyCommand.ts index 125b591e8cde..c632da39183d 100644 --- a/clients/client-auto-scaling/src/commands/PutScalingPolicyCommand.ts +++ b/clients/client-auto-scaling/src/commands/PutScalingPolicyCommand.ts @@ -279,4 +279,16 @@ export class PutScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutScalingPolicyCommand) .de(de_PutScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutScalingPolicyType; + output: PolicyARNType; + }; + sdk: { + input: PutScalingPolicyCommandInput; + output: PutScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/PutScheduledUpdateGroupActionCommand.ts b/clients/client-auto-scaling/src/commands/PutScheduledUpdateGroupActionCommand.ts index 118caece4a16..22e66f4863f3 100644 --- a/clients/client-auto-scaling/src/commands/PutScheduledUpdateGroupActionCommand.ts +++ b/clients/client-auto-scaling/src/commands/PutScheduledUpdateGroupActionCommand.ts @@ -123,4 +123,16 @@ export class PutScheduledUpdateGroupActionCommand extends $Command .f(void 0, void 0) .ser(se_PutScheduledUpdateGroupActionCommand) .de(de_PutScheduledUpdateGroupActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutScheduledUpdateGroupActionType; + output: {}; + }; + sdk: { + input: PutScheduledUpdateGroupActionCommandInput; + output: PutScheduledUpdateGroupActionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/PutWarmPoolCommand.ts b/clients/client-auto-scaling/src/commands/PutWarmPoolCommand.ts index 3d25316992e2..e07e79f37448 100644 --- a/clients/client-auto-scaling/src/commands/PutWarmPoolCommand.ts +++ b/clients/client-auto-scaling/src/commands/PutWarmPoolCommand.ts @@ -116,4 +116,16 @@ export class PutWarmPoolCommand extends $Command .f(void 0, void 0) .ser(se_PutWarmPoolCommand) .de(de_PutWarmPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWarmPoolType; + output: {}; + }; + sdk: { + input: PutWarmPoolCommandInput; + output: PutWarmPoolCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/RecordLifecycleActionHeartbeatCommand.ts b/clients/client-auto-scaling/src/commands/RecordLifecycleActionHeartbeatCommand.ts index 2a268a553b60..561d29079957 100644 --- a/clients/client-auto-scaling/src/commands/RecordLifecycleActionHeartbeatCommand.ts +++ b/clients/client-auto-scaling/src/commands/RecordLifecycleActionHeartbeatCommand.ts @@ -136,4 +136,16 @@ export class RecordLifecycleActionHeartbeatCommand extends $Command .f(void 0, void 0) .ser(se_RecordLifecycleActionHeartbeatCommand) .de(de_RecordLifecycleActionHeartbeatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecordLifecycleActionHeartbeatType; + output: {}; + }; + sdk: { + input: RecordLifecycleActionHeartbeatCommandInput; + output: RecordLifecycleActionHeartbeatCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/ResumeProcessesCommand.ts b/clients/client-auto-scaling/src/commands/ResumeProcessesCommand.ts index e59c976bbf08..eacb9071bc8a 100644 --- a/clients/client-auto-scaling/src/commands/ResumeProcessesCommand.ts +++ b/clients/client-auto-scaling/src/commands/ResumeProcessesCommand.ts @@ -102,4 +102,16 @@ export class ResumeProcessesCommand extends $Command .f(void 0, void 0) .ser(se_ResumeProcessesCommand) .de(de_ResumeProcessesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalingProcessQuery; + output: {}; + }; + sdk: { + input: ResumeProcessesCommandInput; + output: ResumeProcessesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/RollbackInstanceRefreshCommand.ts b/clients/client-auto-scaling/src/commands/RollbackInstanceRefreshCommand.ts index ff176f3af498..27eab048c87a 100644 --- a/clients/client-auto-scaling/src/commands/RollbackInstanceRefreshCommand.ts +++ b/clients/client-auto-scaling/src/commands/RollbackInstanceRefreshCommand.ts @@ -119,4 +119,16 @@ export class RollbackInstanceRefreshCommand extends $Command .f(void 0, void 0) .ser(se_RollbackInstanceRefreshCommand) .de(de_RollbackInstanceRefreshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RollbackInstanceRefreshType; + output: RollbackInstanceRefreshAnswer; + }; + sdk: { + input: RollbackInstanceRefreshCommandInput; + output: RollbackInstanceRefreshCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/SetDesiredCapacityCommand.ts b/clients/client-auto-scaling/src/commands/SetDesiredCapacityCommand.ts index 789e0f6391f6..1e6f15991d8a 100644 --- a/clients/client-auto-scaling/src/commands/SetDesiredCapacityCommand.ts +++ b/clients/client-auto-scaling/src/commands/SetDesiredCapacityCommand.ts @@ -103,4 +103,16 @@ export class SetDesiredCapacityCommand extends $Command .f(void 0, void 0) .ser(se_SetDesiredCapacityCommand) .de(de_SetDesiredCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDesiredCapacityType; + output: {}; + }; + sdk: { + input: SetDesiredCapacityCommandInput; + output: SetDesiredCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/SetInstanceHealthCommand.ts b/clients/client-auto-scaling/src/commands/SetInstanceHealthCommand.ts index 62ac6d4948d3..4689366f5856 100644 --- a/clients/client-auto-scaling/src/commands/SetInstanceHealthCommand.ts +++ b/clients/client-auto-scaling/src/commands/SetInstanceHealthCommand.ts @@ -96,4 +96,16 @@ export class SetInstanceHealthCommand extends $Command .f(void 0, void 0) .ser(se_SetInstanceHealthCommand) .de(de_SetInstanceHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetInstanceHealthQuery; + output: {}; + }; + sdk: { + input: SetInstanceHealthCommandInput; + output: SetInstanceHealthCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/SetInstanceProtectionCommand.ts b/clients/client-auto-scaling/src/commands/SetInstanceProtectionCommand.ts index 0beebb269efa..d01d4ca7c27f 100644 --- a/clients/client-auto-scaling/src/commands/SetInstanceProtectionCommand.ts +++ b/clients/client-auto-scaling/src/commands/SetInstanceProtectionCommand.ts @@ -125,4 +125,16 @@ export class SetInstanceProtectionCommand extends $Command .f(void 0, void 0) .ser(se_SetInstanceProtectionCommand) .de(de_SetInstanceProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetInstanceProtectionQuery; + output: {}; + }; + sdk: { + input: SetInstanceProtectionCommandInput; + output: SetInstanceProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/StartInstanceRefreshCommand.ts b/clients/client-auto-scaling/src/commands/StartInstanceRefreshCommand.ts index f97b933c110f..631852e8812a 100644 --- a/clients/client-auto-scaling/src/commands/StartInstanceRefreshCommand.ts +++ b/clients/client-auto-scaling/src/commands/StartInstanceRefreshCommand.ts @@ -264,4 +264,16 @@ export class StartInstanceRefreshCommand extends $Command .f(void 0, void 0) .ser(se_StartInstanceRefreshCommand) .de(de_StartInstanceRefreshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInstanceRefreshType; + output: StartInstanceRefreshAnswer; + }; + sdk: { + input: StartInstanceRefreshCommandInput; + output: StartInstanceRefreshCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/SuspendProcessesCommand.ts b/clients/client-auto-scaling/src/commands/SuspendProcessesCommand.ts index f35f3ebdf79f..e00847a3ce11 100644 --- a/clients/client-auto-scaling/src/commands/SuspendProcessesCommand.ts +++ b/clients/client-auto-scaling/src/commands/SuspendProcessesCommand.ts @@ -105,4 +105,16 @@ export class SuspendProcessesCommand extends $Command .f(void 0, void 0) .ser(se_SuspendProcessesCommand) .de(de_SuspendProcessesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalingProcessQuery; + output: {}; + }; + sdk: { + input: SuspendProcessesCommandInput; + output: SuspendProcessesCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/TerminateInstanceInAutoScalingGroupCommand.ts b/clients/client-auto-scaling/src/commands/TerminateInstanceInAutoScalingGroupCommand.ts index 3107669f40d1..50fc0883d849 100644 --- a/clients/client-auto-scaling/src/commands/TerminateInstanceInAutoScalingGroupCommand.ts +++ b/clients/client-auto-scaling/src/commands/TerminateInstanceInAutoScalingGroupCommand.ts @@ -126,4 +126,16 @@ export class TerminateInstanceInAutoScalingGroupCommand extends $Command .f(void 0, void 0) .ser(se_TerminateInstanceInAutoScalingGroupCommand) .de(de_TerminateInstanceInAutoScalingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateInstanceInAutoScalingGroupType; + output: ActivityType; + }; + sdk: { + input: TerminateInstanceInAutoScalingGroupCommandInput; + output: TerminateInstanceInAutoScalingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-auto-scaling/src/commands/UpdateAutoScalingGroupCommand.ts b/clients/client-auto-scaling/src/commands/UpdateAutoScalingGroupCommand.ts index 77c59cd85ff4..bc32e82e35d7 100644 --- a/clients/client-auto-scaling/src/commands/UpdateAutoScalingGroupCommand.ts +++ b/clients/client-auto-scaling/src/commands/UpdateAutoScalingGroupCommand.ts @@ -271,4 +271,16 @@ export class UpdateAutoScalingGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAutoScalingGroupCommand) .de(de_UpdateAutoScalingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAutoScalingGroupType; + output: {}; + }; + sdk: { + input: UpdateAutoScalingGroupCommandInput; + output: UpdateAutoScalingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/package.json b/clients/client-b2bi/package.json index 3c63ff090feb..5fc6b012f6a4 100644 --- a/clients/client-b2bi/package.json +++ b/clients/client-b2bi/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-b2bi/src/commands/CreateCapabilityCommand.ts b/clients/client-b2bi/src/commands/CreateCapabilityCommand.ts index 2feaa3d4db64..aa7589e2f51b 100644 --- a/clients/client-b2bi/src/commands/CreateCapabilityCommand.ts +++ b/clients/client-b2bi/src/commands/CreateCapabilityCommand.ts @@ -238,4 +238,16 @@ export class CreateCapabilityCommand extends $Command .f(void 0, void 0) .ser(se_CreateCapabilityCommand) .de(de_CreateCapabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCapabilityRequest; + output: CreateCapabilityResponse; + }; + sdk: { + input: CreateCapabilityCommandInput; + output: CreateCapabilityCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/CreatePartnershipCommand.ts b/clients/client-b2bi/src/commands/CreatePartnershipCommand.ts index ec533fe3adfa..1db2b7abf351 100644 --- a/clients/client-b2bi/src/commands/CreatePartnershipCommand.ts +++ b/clients/client-b2bi/src/commands/CreatePartnershipCommand.ts @@ -166,4 +166,16 @@ export class CreatePartnershipCommand extends $Command .f(CreatePartnershipRequestFilterSensitiveLog, CreatePartnershipResponseFilterSensitiveLog) .ser(se_CreatePartnershipCommand) .de(de_CreatePartnershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePartnershipRequest; + output: CreatePartnershipResponse; + }; + sdk: { + input: CreatePartnershipCommandInput; + output: CreatePartnershipCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/CreateProfileCommand.ts b/clients/client-b2bi/src/commands/CreateProfileCommand.ts index 339ce352f2ca..210f811250d4 100644 --- a/clients/client-b2bi/src/commands/CreateProfileCommand.ts +++ b/clients/client-b2bi/src/commands/CreateProfileCommand.ts @@ -158,4 +158,16 @@ export class CreateProfileCommand extends $Command .f(CreateProfileRequestFilterSensitiveLog, CreateProfileResponseFilterSensitiveLog) .ser(se_CreateProfileCommand) .de(de_CreateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileRequest; + output: CreateProfileResponse; + }; + sdk: { + input: CreateProfileCommandInput; + output: CreateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/CreateTransformerCommand.ts b/clients/client-b2bi/src/commands/CreateTransformerCommand.ts index 81eb3bef72b9..4f802fa428b9 100644 --- a/clients/client-b2bi/src/commands/CreateTransformerCommand.ts +++ b/clients/client-b2bi/src/commands/CreateTransformerCommand.ts @@ -174,4 +174,16 @@ export class CreateTransformerCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransformerCommand) .de(de_CreateTransformerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransformerRequest; + output: CreateTransformerResponse; + }; + sdk: { + input: CreateTransformerCommandInput; + output: CreateTransformerCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/DeleteCapabilityCommand.ts b/clients/client-b2bi/src/commands/DeleteCapabilityCommand.ts index d28c135a5315..623a31f30085 100644 --- a/clients/client-b2bi/src/commands/DeleteCapabilityCommand.ts +++ b/clients/client-b2bi/src/commands/DeleteCapabilityCommand.ts @@ -104,4 +104,16 @@ export class DeleteCapabilityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCapabilityCommand) .de(de_DeleteCapabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCapabilityRequest; + output: {}; + }; + sdk: { + input: DeleteCapabilityCommandInput; + output: DeleteCapabilityCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/DeletePartnershipCommand.ts b/clients/client-b2bi/src/commands/DeletePartnershipCommand.ts index bf8131afa951..efff793da413 100644 --- a/clients/client-b2bi/src/commands/DeletePartnershipCommand.ts +++ b/clients/client-b2bi/src/commands/DeletePartnershipCommand.ts @@ -105,4 +105,16 @@ export class DeletePartnershipCommand extends $Command .f(void 0, void 0) .ser(se_DeletePartnershipCommand) .de(de_DeletePartnershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePartnershipRequest; + output: {}; + }; + sdk: { + input: DeletePartnershipCommandInput; + output: DeletePartnershipCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/DeleteProfileCommand.ts b/clients/client-b2bi/src/commands/DeleteProfileCommand.ts index 6c233caa5c2a..71a8f60cdd09 100644 --- a/clients/client-b2bi/src/commands/DeleteProfileCommand.ts +++ b/clients/client-b2bi/src/commands/DeleteProfileCommand.ts @@ -105,4 +105,16 @@ export class DeleteProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileCommand) .de(de_DeleteProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileRequest; + output: {}; + }; + sdk: { + input: DeleteProfileCommandInput; + output: DeleteProfileCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/DeleteTransformerCommand.ts b/clients/client-b2bi/src/commands/DeleteTransformerCommand.ts index 50c1e60f1b69..0b946e4bc157 100644 --- a/clients/client-b2bi/src/commands/DeleteTransformerCommand.ts +++ b/clients/client-b2bi/src/commands/DeleteTransformerCommand.ts @@ -106,4 +106,16 @@ export class DeleteTransformerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransformerCommand) .de(de_DeleteTransformerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransformerRequest; + output: {}; + }; + sdk: { + input: DeleteTransformerCommandInput; + output: DeleteTransformerCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/GetCapabilityCommand.ts b/clients/client-b2bi/src/commands/GetCapabilityCommand.ts index 04d9dd5de603..67d636008a51 100644 --- a/clients/client-b2bi/src/commands/GetCapabilityCommand.ts +++ b/clients/client-b2bi/src/commands/GetCapabilityCommand.ts @@ -168,4 +168,16 @@ export class GetCapabilityCommand extends $Command .f(void 0, void 0) .ser(se_GetCapabilityCommand) .de(de_GetCapabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCapabilityRequest; + output: GetCapabilityResponse; + }; + sdk: { + input: GetCapabilityCommandInput; + output: GetCapabilityCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/GetPartnershipCommand.ts b/clients/client-b2bi/src/commands/GetPartnershipCommand.ts index 837cdea7278d..1ef958305855 100644 --- a/clients/client-b2bi/src/commands/GetPartnershipCommand.ts +++ b/clients/client-b2bi/src/commands/GetPartnershipCommand.ts @@ -135,4 +135,16 @@ export class GetPartnershipCommand extends $Command .f(void 0, GetPartnershipResponseFilterSensitiveLog) .ser(se_GetPartnershipCommand) .de(de_GetPartnershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPartnershipRequest; + output: GetPartnershipResponse; + }; + sdk: { + input: GetPartnershipCommandInput; + output: GetPartnershipCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/GetProfileCommand.ts b/clients/client-b2bi/src/commands/GetProfileCommand.ts index ce64e8f704a8..61467222dcaa 100644 --- a/clients/client-b2bi/src/commands/GetProfileCommand.ts +++ b/clients/client-b2bi/src/commands/GetProfileCommand.ts @@ -126,4 +126,16 @@ export class GetProfileCommand extends $Command .f(void 0, GetProfileResponseFilterSensitiveLog) .ser(se_GetProfileCommand) .de(de_GetProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileRequest; + output: GetProfileResponse; + }; + sdk: { + input: GetProfileCommandInput; + output: GetProfileCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/GetTransformerCommand.ts b/clients/client-b2bi/src/commands/GetTransformerCommand.ts index dfe66701a95a..1d8bc1ac446d 100644 --- a/clients/client-b2bi/src/commands/GetTransformerCommand.ts +++ b/clients/client-b2bi/src/commands/GetTransformerCommand.ts @@ -138,4 +138,16 @@ export class GetTransformerCommand extends $Command .f(void 0, void 0) .ser(se_GetTransformerCommand) .de(de_GetTransformerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransformerRequest; + output: GetTransformerResponse; + }; + sdk: { + input: GetTransformerCommandInput; + output: GetTransformerCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/GetTransformerJobCommand.ts b/clients/client-b2bi/src/commands/GetTransformerJobCommand.ts index 083bb1504a97..321587e00a37 100644 --- a/clients/client-b2bi/src/commands/GetTransformerJobCommand.ts +++ b/clients/client-b2bi/src/commands/GetTransformerJobCommand.ts @@ -124,4 +124,16 @@ export class GetTransformerJobCommand extends $Command .f(void 0, void 0) .ser(se_GetTransformerJobCommand) .de(de_GetTransformerJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransformerJobRequest; + output: GetTransformerJobResponse; + }; + sdk: { + input: GetTransformerJobCommandInput; + output: GetTransformerJobCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/ListCapabilitiesCommand.ts b/clients/client-b2bi/src/commands/ListCapabilitiesCommand.ts index 20f17840d4ec..a14bbb52414e 100644 --- a/clients/client-b2bi/src/commands/ListCapabilitiesCommand.ts +++ b/clients/client-b2bi/src/commands/ListCapabilitiesCommand.ts @@ -125,4 +125,16 @@ export class ListCapabilitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListCapabilitiesCommand) .de(de_ListCapabilitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCapabilitiesRequest; + output: ListCapabilitiesResponse; + }; + sdk: { + input: ListCapabilitiesCommandInput; + output: ListCapabilitiesCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/ListPartnershipsCommand.ts b/clients/client-b2bi/src/commands/ListPartnershipsCommand.ts index 5ac9e18c7522..e2071df2211c 100644 --- a/clients/client-b2bi/src/commands/ListPartnershipsCommand.ts +++ b/clients/client-b2bi/src/commands/ListPartnershipsCommand.ts @@ -139,4 +139,16 @@ export class ListPartnershipsCommand extends $Command .f(void 0, void 0) .ser(se_ListPartnershipsCommand) .de(de_ListPartnershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartnershipsRequest; + output: ListPartnershipsResponse; + }; + sdk: { + input: ListPartnershipsCommandInput; + output: ListPartnershipsCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/ListProfilesCommand.ts b/clients/client-b2bi/src/commands/ListProfilesCommand.ts index 6d434f83613f..6420ebec4409 100644 --- a/clients/client-b2bi/src/commands/ListProfilesCommand.ts +++ b/clients/client-b2bi/src/commands/ListProfilesCommand.ts @@ -129,4 +129,16 @@ export class ListProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfilesCommand) .de(de_ListProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfilesRequest; + output: ListProfilesResponse; + }; + sdk: { + input: ListProfilesCommandInput; + output: ListProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/ListTagsForResourceCommand.ts b/clients/client-b2bi/src/commands/ListTagsForResourceCommand.ts index e015cad9a3bb..775ccc08c0ba 100644 --- a/clients/client-b2bi/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-b2bi/src/commands/ListTagsForResourceCommand.ts @@ -112,4 +112,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/ListTransformersCommand.ts b/clients/client-b2bi/src/commands/ListTransformersCommand.ts index 4a6d9eca2cfa..ab4f6168f4b0 100644 --- a/clients/client-b2bi/src/commands/ListTransformersCommand.ts +++ b/clients/client-b2bi/src/commands/ListTransformersCommand.ts @@ -145,4 +145,16 @@ export class ListTransformersCommand extends $Command .f(void 0, void 0) .ser(se_ListTransformersCommand) .de(de_ListTransformersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTransformersRequest; + output: ListTransformersResponse; + }; + sdk: { + input: ListTransformersCommandInput; + output: ListTransformersCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/StartTransformerJobCommand.ts b/clients/client-b2bi/src/commands/StartTransformerJobCommand.ts index 0af1e754a7a5..ea27fcba1917 100644 --- a/clients/client-b2bi/src/commands/StartTransformerJobCommand.ts +++ b/clients/client-b2bi/src/commands/StartTransformerJobCommand.ts @@ -131,4 +131,16 @@ export class StartTransformerJobCommand extends $Command .f(void 0, void 0) .ser(se_StartTransformerJobCommand) .de(de_StartTransformerJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTransformerJobRequest; + output: StartTransformerJobResponse; + }; + sdk: { + input: StartTransformerJobCommandInput; + output: StartTransformerJobCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/TagResourceCommand.ts b/clients/client-b2bi/src/commands/TagResourceCommand.ts index f1a5c6a573e0..3fbfd2125057 100644 --- a/clients/client-b2bi/src/commands/TagResourceCommand.ts +++ b/clients/client-b2bi/src/commands/TagResourceCommand.ts @@ -111,4 +111,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/TestMappingCommand.ts b/clients/client-b2bi/src/commands/TestMappingCommand.ts index 4e001d686ff2..58da404c4fac 100644 --- a/clients/client-b2bi/src/commands/TestMappingCommand.ts +++ b/clients/client-b2bi/src/commands/TestMappingCommand.ts @@ -112,4 +112,16 @@ export class TestMappingCommand extends $Command .f(void 0, void 0) .ser(se_TestMappingCommand) .de(de_TestMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestMappingRequest; + output: TestMappingResponse; + }; + sdk: { + input: TestMappingCommandInput; + output: TestMappingCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/TestParsingCommand.ts b/clients/client-b2bi/src/commands/TestParsingCommand.ts index 5308d6db3cda..9a0356e5a152 100644 --- a/clients/client-b2bi/src/commands/TestParsingCommand.ts +++ b/clients/client-b2bi/src/commands/TestParsingCommand.ts @@ -128,4 +128,16 @@ export class TestParsingCommand extends $Command .f(void 0, void 0) .ser(se_TestParsingCommand) .de(de_TestParsingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestParsingRequest; + output: TestParsingResponse; + }; + sdk: { + input: TestParsingCommandInput; + output: TestParsingCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/UntagResourceCommand.ts b/clients/client-b2bi/src/commands/UntagResourceCommand.ts index a6214c6c6aa7..f1fd954c6fe0 100644 --- a/clients/client-b2bi/src/commands/UntagResourceCommand.ts +++ b/clients/client-b2bi/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/UpdateCapabilityCommand.ts b/clients/client-b2bi/src/commands/UpdateCapabilityCommand.ts index 2ae6963216b6..db65d5c707ee 100644 --- a/clients/client-b2bi/src/commands/UpdateCapabilityCommand.ts +++ b/clients/client-b2bi/src/commands/UpdateCapabilityCommand.ts @@ -227,4 +227,16 @@ export class UpdateCapabilityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCapabilityCommand) .de(de_UpdateCapabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCapabilityRequest; + output: UpdateCapabilityResponse; + }; + sdk: { + input: UpdateCapabilityCommandInput; + output: UpdateCapabilityCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/UpdatePartnershipCommand.ts b/clients/client-b2bi/src/commands/UpdatePartnershipCommand.ts index 29e5bc76128c..70eece7e57a0 100644 --- a/clients/client-b2bi/src/commands/UpdatePartnershipCommand.ts +++ b/clients/client-b2bi/src/commands/UpdatePartnershipCommand.ts @@ -149,4 +149,16 @@ export class UpdatePartnershipCommand extends $Command .f(void 0, UpdatePartnershipResponseFilterSensitiveLog) .ser(se_UpdatePartnershipCommand) .de(de_UpdatePartnershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePartnershipRequest; + output: UpdatePartnershipResponse; + }; + sdk: { + input: UpdatePartnershipCommandInput; + output: UpdatePartnershipCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/UpdateProfileCommand.ts b/clients/client-b2bi/src/commands/UpdateProfileCommand.ts index 6adb3994c2e0..f0968e2abf7e 100644 --- a/clients/client-b2bi/src/commands/UpdateProfileCommand.ts +++ b/clients/client-b2bi/src/commands/UpdateProfileCommand.ts @@ -146,4 +146,16 @@ export class UpdateProfileCommand extends $Command .f(UpdateProfileRequestFilterSensitiveLog, UpdateProfileResponseFilterSensitiveLog) .ser(se_UpdateProfileCommand) .de(de_UpdateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfileRequest; + output: UpdateProfileResponse; + }; + sdk: { + input: UpdateProfileCommandInput; + output: UpdateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-b2bi/src/commands/UpdateTransformerCommand.ts b/clients/client-b2bi/src/commands/UpdateTransformerCommand.ts index ee4e8182a140..819c1489c09b 100644 --- a/clients/client-b2bi/src/commands/UpdateTransformerCommand.ts +++ b/clients/client-b2bi/src/commands/UpdateTransformerCommand.ts @@ -166,4 +166,16 @@ export class UpdateTransformerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTransformerCommand) .de(de_UpdateTransformerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTransformerRequest; + output: UpdateTransformerResponse; + }; + sdk: { + input: UpdateTransformerCommandInput; + output: UpdateTransformerCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/package.json b/clients/client-backup-gateway/package.json index 2321da4d7ad7..e8460ed0afc1 100644 --- a/clients/client-backup-gateway/package.json +++ b/clients/client-backup-gateway/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-backup-gateway/src/commands/AssociateGatewayToServerCommand.ts b/clients/client-backup-gateway/src/commands/AssociateGatewayToServerCommand.ts index f39fc2a24737..ff99866b9920 100644 --- a/clients/client-backup-gateway/src/commands/AssociateGatewayToServerCommand.ts +++ b/clients/client-backup-gateway/src/commands/AssociateGatewayToServerCommand.ts @@ -92,4 +92,16 @@ export class AssociateGatewayToServerCommand extends $Command .f(void 0, void 0) .ser(se_AssociateGatewayToServerCommand) .de(de_AssociateGatewayToServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateGatewayToServerInput; + output: AssociateGatewayToServerOutput; + }; + sdk: { + input: AssociateGatewayToServerCommandInput; + output: AssociateGatewayToServerCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/CreateGatewayCommand.ts b/clients/client-backup-gateway/src/commands/CreateGatewayCommand.ts index bb0a27daebc1..4f3962e20c8a 100644 --- a/clients/client-backup-gateway/src/commands/CreateGatewayCommand.ts +++ b/clients/client-backup-gateway/src/commands/CreateGatewayCommand.ts @@ -96,4 +96,16 @@ export class CreateGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateGatewayCommand) .de(de_CreateGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGatewayInput; + output: CreateGatewayOutput; + }; + sdk: { + input: CreateGatewayCommandInput; + output: CreateGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/DeleteGatewayCommand.ts b/clients/client-backup-gateway/src/commands/DeleteGatewayCommand.ts index 2760b9ad3bec..5a7f1abca472 100644 --- a/clients/client-backup-gateway/src/commands/DeleteGatewayCommand.ts +++ b/clients/client-backup-gateway/src/commands/DeleteGatewayCommand.ts @@ -90,4 +90,16 @@ export class DeleteGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGatewayCommand) .de(de_DeleteGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGatewayInput; + output: DeleteGatewayOutput; + }; + sdk: { + input: DeleteGatewayCommandInput; + output: DeleteGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/DeleteHypervisorCommand.ts b/clients/client-backup-gateway/src/commands/DeleteHypervisorCommand.ts index 798c6e676adb..a7a79e890d78 100644 --- a/clients/client-backup-gateway/src/commands/DeleteHypervisorCommand.ts +++ b/clients/client-backup-gateway/src/commands/DeleteHypervisorCommand.ts @@ -96,4 +96,16 @@ export class DeleteHypervisorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHypervisorCommand) .de(de_DeleteHypervisorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHypervisorInput; + output: DeleteHypervisorOutput; + }; + sdk: { + input: DeleteHypervisorCommandInput; + output: DeleteHypervisorCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/DisassociateGatewayFromServerCommand.ts b/clients/client-backup-gateway/src/commands/DisassociateGatewayFromServerCommand.ts index c57e50b2f2a9..fbd32fec3e2e 100644 --- a/clients/client-backup-gateway/src/commands/DisassociateGatewayFromServerCommand.ts +++ b/clients/client-backup-gateway/src/commands/DisassociateGatewayFromServerCommand.ts @@ -99,4 +99,16 @@ export class DisassociateGatewayFromServerCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateGatewayFromServerCommand) .de(de_DisassociateGatewayFromServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateGatewayFromServerInput; + output: DisassociateGatewayFromServerOutput; + }; + sdk: { + input: DisassociateGatewayFromServerCommandInput; + output: DisassociateGatewayFromServerCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/GetBandwidthRateLimitScheduleCommand.ts b/clients/client-backup-gateway/src/commands/GetBandwidthRateLimitScheduleCommand.ts index c65c9d8a5941..c9c58a332a41 100644 --- a/clients/client-backup-gateway/src/commands/GetBandwidthRateLimitScheduleCommand.ts +++ b/clients/client-backup-gateway/src/commands/GetBandwidthRateLimitScheduleCommand.ts @@ -110,4 +110,16 @@ export class GetBandwidthRateLimitScheduleCommand extends $Command .f(void 0, void 0) .ser(se_GetBandwidthRateLimitScheduleCommand) .de(de_GetBandwidthRateLimitScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBandwidthRateLimitScheduleInput; + output: GetBandwidthRateLimitScheduleOutput; + }; + sdk: { + input: GetBandwidthRateLimitScheduleCommandInput; + output: GetBandwidthRateLimitScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/GetGatewayCommand.ts b/clients/client-backup-gateway/src/commands/GetGatewayCommand.ts index 78bdce1e78bb..a14a938b6db2 100644 --- a/clients/client-backup-gateway/src/commands/GetGatewayCommand.ts +++ b/clients/client-backup-gateway/src/commands/GetGatewayCommand.ts @@ -105,4 +105,16 @@ export class GetGatewayCommand extends $Command .f(void 0, void 0) .ser(se_GetGatewayCommand) .de(de_GetGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGatewayInput; + output: GetGatewayOutput; + }; + sdk: { + input: GetGatewayCommandInput; + output: GetGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/GetHypervisorCommand.ts b/clients/client-backup-gateway/src/commands/GetHypervisorCommand.ts index 37ca7a80b5c3..99c02a0ad6d6 100644 --- a/clients/client-backup-gateway/src/commands/GetHypervisorCommand.ts +++ b/clients/client-backup-gateway/src/commands/GetHypervisorCommand.ts @@ -102,4 +102,16 @@ export class GetHypervisorCommand extends $Command .f(void 0, void 0) .ser(se_GetHypervisorCommand) .de(de_GetHypervisorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHypervisorInput; + output: GetHypervisorOutput; + }; + sdk: { + input: GetHypervisorCommandInput; + output: GetHypervisorCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/GetHypervisorPropertyMappingsCommand.ts b/clients/client-backup-gateway/src/commands/GetHypervisorPropertyMappingsCommand.ts index 86ff3e25b417..6c4caa1e36ed 100644 --- a/clients/client-backup-gateway/src/commands/GetHypervisorPropertyMappingsCommand.ts +++ b/clients/client-backup-gateway/src/commands/GetHypervisorPropertyMappingsCommand.ts @@ -106,4 +106,16 @@ export class GetHypervisorPropertyMappingsCommand extends $Command .f(void 0, void 0) .ser(se_GetHypervisorPropertyMappingsCommand) .de(de_GetHypervisorPropertyMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHypervisorPropertyMappingsInput; + output: GetHypervisorPropertyMappingsOutput; + }; + sdk: { + input: GetHypervisorPropertyMappingsCommandInput; + output: GetHypervisorPropertyMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/GetVirtualMachineCommand.ts b/clients/client-backup-gateway/src/commands/GetVirtualMachineCommand.ts index e2b2a36d4a01..5ee5923a77b9 100644 --- a/clients/client-backup-gateway/src/commands/GetVirtualMachineCommand.ts +++ b/clients/client-backup-gateway/src/commands/GetVirtualMachineCommand.ts @@ -104,4 +104,16 @@ export class GetVirtualMachineCommand extends $Command .f(void 0, void 0) .ser(se_GetVirtualMachineCommand) .de(de_GetVirtualMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVirtualMachineInput; + output: GetVirtualMachineOutput; + }; + sdk: { + input: GetVirtualMachineCommandInput; + output: GetVirtualMachineCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/ImportHypervisorConfigurationCommand.ts b/clients/client-backup-gateway/src/commands/ImportHypervisorConfigurationCommand.ts index 117aaf57aba3..fb6ab91fd803 100644 --- a/clients/client-backup-gateway/src/commands/ImportHypervisorConfigurationCommand.ts +++ b/clients/client-backup-gateway/src/commands/ImportHypervisorConfigurationCommand.ts @@ -112,4 +112,16 @@ export class ImportHypervisorConfigurationCommand extends $Command .f(ImportHypervisorConfigurationInputFilterSensitiveLog, void 0) .ser(se_ImportHypervisorConfigurationCommand) .de(de_ImportHypervisorConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportHypervisorConfigurationInput; + output: ImportHypervisorConfigurationOutput; + }; + sdk: { + input: ImportHypervisorConfigurationCommandInput; + output: ImportHypervisorConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/ListGatewaysCommand.ts b/clients/client-backup-gateway/src/commands/ListGatewaysCommand.ts index b1e2bdb0915b..6f22f39090ee 100644 --- a/clients/client-backup-gateway/src/commands/ListGatewaysCommand.ts +++ b/clients/client-backup-gateway/src/commands/ListGatewaysCommand.ts @@ -97,4 +97,16 @@ export class ListGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_ListGatewaysCommand) .de(de_ListGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGatewaysInput; + output: ListGatewaysOutput; + }; + sdk: { + input: ListGatewaysCommandInput; + output: ListGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/ListHypervisorsCommand.ts b/clients/client-backup-gateway/src/commands/ListHypervisorsCommand.ts index f47c6f8b4a25..52877cbcd4dd 100644 --- a/clients/client-backup-gateway/src/commands/ListHypervisorsCommand.ts +++ b/clients/client-backup-gateway/src/commands/ListHypervisorsCommand.ts @@ -97,4 +97,16 @@ export class ListHypervisorsCommand extends $Command .f(void 0, void 0) .ser(se_ListHypervisorsCommand) .de(de_ListHypervisorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHypervisorsInput; + output: ListHypervisorsOutput; + }; + sdk: { + input: ListHypervisorsCommandInput; + output: ListHypervisorsCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/ListTagsForResourceCommand.ts b/clients/client-backup-gateway/src/commands/ListTagsForResourceCommand.ts index 2b38dfe6b7bc..a48f647d9a6a 100644 --- a/clients/client-backup-gateway/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-backup-gateway/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/ListVirtualMachinesCommand.ts b/clients/client-backup-gateway/src/commands/ListVirtualMachinesCommand.ts index 8653dac9c072..19dc87e0a2bf 100644 --- a/clients/client-backup-gateway/src/commands/ListVirtualMachinesCommand.ts +++ b/clients/client-backup-gateway/src/commands/ListVirtualMachinesCommand.ts @@ -99,4 +99,16 @@ export class ListVirtualMachinesCommand extends $Command .f(void 0, void 0) .ser(se_ListVirtualMachinesCommand) .de(de_ListVirtualMachinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualMachinesInput; + output: ListVirtualMachinesOutput; + }; + sdk: { + input: ListVirtualMachinesCommandInput; + output: ListVirtualMachinesCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/PutBandwidthRateLimitScheduleCommand.ts b/clients/client-backup-gateway/src/commands/PutBandwidthRateLimitScheduleCommand.ts index 3a6e82832872..42a68edb61dd 100644 --- a/clients/client-backup-gateway/src/commands/PutBandwidthRateLimitScheduleCommand.ts +++ b/clients/client-backup-gateway/src/commands/PutBandwidthRateLimitScheduleCommand.ts @@ -110,4 +110,16 @@ export class PutBandwidthRateLimitScheduleCommand extends $Command .f(void 0, void 0) .ser(se_PutBandwidthRateLimitScheduleCommand) .de(de_PutBandwidthRateLimitScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBandwidthRateLimitScheduleInput; + output: PutBandwidthRateLimitScheduleOutput; + }; + sdk: { + input: PutBandwidthRateLimitScheduleCommandInput; + output: PutBandwidthRateLimitScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/PutHypervisorPropertyMappingsCommand.ts b/clients/client-backup-gateway/src/commands/PutHypervisorPropertyMappingsCommand.ts index a30fb970e1d1..35b50e2a5830 100644 --- a/clients/client-backup-gateway/src/commands/PutHypervisorPropertyMappingsCommand.ts +++ b/clients/client-backup-gateway/src/commands/PutHypervisorPropertyMappingsCommand.ts @@ -112,4 +112,16 @@ export class PutHypervisorPropertyMappingsCommand extends $Command .f(void 0, void 0) .ser(se_PutHypervisorPropertyMappingsCommand) .de(de_PutHypervisorPropertyMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutHypervisorPropertyMappingsInput; + output: PutHypervisorPropertyMappingsOutput; + }; + sdk: { + input: PutHypervisorPropertyMappingsCommandInput; + output: PutHypervisorPropertyMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/PutMaintenanceStartTimeCommand.ts b/clients/client-backup-gateway/src/commands/PutMaintenanceStartTimeCommand.ts index 0b9257409fc8..84d88c803f01 100644 --- a/clients/client-backup-gateway/src/commands/PutMaintenanceStartTimeCommand.ts +++ b/clients/client-backup-gateway/src/commands/PutMaintenanceStartTimeCommand.ts @@ -97,4 +97,16 @@ export class PutMaintenanceStartTimeCommand extends $Command .f(void 0, void 0) .ser(se_PutMaintenanceStartTimeCommand) .de(de_PutMaintenanceStartTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMaintenanceStartTimeInput; + output: PutMaintenanceStartTimeOutput; + }; + sdk: { + input: PutMaintenanceStartTimeCommandInput; + output: PutMaintenanceStartTimeCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/StartVirtualMachinesMetadataSyncCommand.ts b/clients/client-backup-gateway/src/commands/StartVirtualMachinesMetadataSyncCommand.ts index 0dcdf61e002d..b455dd2cb6af 100644 --- a/clients/client-backup-gateway/src/commands/StartVirtualMachinesMetadataSyncCommand.ts +++ b/clients/client-backup-gateway/src/commands/StartVirtualMachinesMetadataSyncCommand.ts @@ -98,4 +98,16 @@ export class StartVirtualMachinesMetadataSyncCommand extends $Command .f(void 0, void 0) .ser(se_StartVirtualMachinesMetadataSyncCommand) .de(de_StartVirtualMachinesMetadataSyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartVirtualMachinesMetadataSyncInput; + output: StartVirtualMachinesMetadataSyncOutput; + }; + sdk: { + input: StartVirtualMachinesMetadataSyncCommandInput; + output: StartVirtualMachinesMetadataSyncCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/TagResourceCommand.ts b/clients/client-backup-gateway/src/commands/TagResourceCommand.ts index 336028ecf21c..49940bc7a53e 100644 --- a/clients/client-backup-gateway/src/commands/TagResourceCommand.ts +++ b/clients/client-backup-gateway/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: TagResourceOutput; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/TestHypervisorConfigurationCommand.ts b/clients/client-backup-gateway/src/commands/TestHypervisorConfigurationCommand.ts index b87d12898a95..02f1c7bf8a8c 100644 --- a/clients/client-backup-gateway/src/commands/TestHypervisorConfigurationCommand.ts +++ b/clients/client-backup-gateway/src/commands/TestHypervisorConfigurationCommand.ts @@ -99,4 +99,16 @@ export class TestHypervisorConfigurationCommand extends $Command .f(TestHypervisorConfigurationInputFilterSensitiveLog, void 0) .ser(se_TestHypervisorConfigurationCommand) .de(de_TestHypervisorConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestHypervisorConfigurationInput; + output: {}; + }; + sdk: { + input: TestHypervisorConfigurationCommandInput; + output: TestHypervisorConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/UntagResourceCommand.ts b/clients/client-backup-gateway/src/commands/UntagResourceCommand.ts index 0ba60221cec2..0e96ed41ac95 100644 --- a/clients/client-backup-gateway/src/commands/UntagResourceCommand.ts +++ b/clients/client-backup-gateway/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: UntagResourceOutput; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/UpdateGatewayInformationCommand.ts b/clients/client-backup-gateway/src/commands/UpdateGatewayInformationCommand.ts index 18ff1904c5b2..7e4cd68c9aae 100644 --- a/clients/client-backup-gateway/src/commands/UpdateGatewayInformationCommand.ts +++ b/clients/client-backup-gateway/src/commands/UpdateGatewayInformationCommand.ts @@ -95,4 +95,16 @@ export class UpdateGatewayInformationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewayInformationCommand) .de(de_UpdateGatewayInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewayInformationInput; + output: UpdateGatewayInformationOutput; + }; + sdk: { + input: UpdateGatewayInformationCommandInput; + output: UpdateGatewayInformationCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts b/clients/client-backup-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts index dab61bf65599..a8d1b789ac56 100644 --- a/clients/client-backup-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts +++ b/clients/client-backup-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts @@ -96,4 +96,16 @@ export class UpdateGatewaySoftwareNowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewaySoftwareNowCommand) .de(de_UpdateGatewaySoftwareNowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewaySoftwareNowInput; + output: UpdateGatewaySoftwareNowOutput; + }; + sdk: { + input: UpdateGatewaySoftwareNowCommandInput; + output: UpdateGatewaySoftwareNowCommandOutput; + }; + }; +} diff --git a/clients/client-backup-gateway/src/commands/UpdateHypervisorCommand.ts b/clients/client-backup-gateway/src/commands/UpdateHypervisorCommand.ts index b4243b98eb17..596e5cf9c752 100644 --- a/clients/client-backup-gateway/src/commands/UpdateHypervisorCommand.ts +++ b/clients/client-backup-gateway/src/commands/UpdateHypervisorCommand.ts @@ -107,4 +107,16 @@ export class UpdateHypervisorCommand extends $Command .f(UpdateHypervisorInputFilterSensitiveLog, void 0) .ser(se_UpdateHypervisorCommand) .de(de_UpdateHypervisorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHypervisorInput; + output: UpdateHypervisorOutput; + }; + sdk: { + input: UpdateHypervisorCommandInput; + output: UpdateHypervisorCommandOutput; + }; + }; +} diff --git a/clients/client-backup/package.json b/clients/client-backup/package.json index 0fd6f17db162..4f6b2c50c794 100644 --- a/clients/client-backup/package.json +++ b/clients/client-backup/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-backup/src/commands/CancelLegalHoldCommand.ts b/clients/client-backup/src/commands/CancelLegalHoldCommand.ts index 659b6ec318f0..ed3728a6b51c 100644 --- a/clients/client-backup/src/commands/CancelLegalHoldCommand.ts +++ b/clients/client-backup/src/commands/CancelLegalHoldCommand.ts @@ -95,4 +95,16 @@ export class CancelLegalHoldCommand extends $Command .f(void 0, void 0) .ser(se_CancelLegalHoldCommand) .de(de_CancelLegalHoldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelLegalHoldInput; + output: {}; + }; + sdk: { + input: CancelLegalHoldCommandInput; + output: CancelLegalHoldCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateBackupPlanCommand.ts b/clients/client-backup/src/commands/CreateBackupPlanCommand.ts index 206c6f378eca..6f1b0b6d31c4 100644 --- a/clients/client-backup/src/commands/CreateBackupPlanCommand.ts +++ b/clients/client-backup/src/commands/CreateBackupPlanCommand.ts @@ -156,4 +156,16 @@ export class CreateBackupPlanCommand extends $Command .f(CreateBackupPlanInputFilterSensitiveLog, void 0) .ser(se_CreateBackupPlanCommand) .de(de_CreateBackupPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackupPlanInput; + output: CreateBackupPlanOutput; + }; + sdk: { + input: CreateBackupPlanCommandInput; + output: CreateBackupPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateBackupSelectionCommand.ts b/clients/client-backup/src/commands/CreateBackupSelectionCommand.ts index 135ba085c428..834681832790 100644 --- a/clients/client-backup/src/commands/CreateBackupSelectionCommand.ts +++ b/clients/client-backup/src/commands/CreateBackupSelectionCommand.ts @@ -141,4 +141,16 @@ export class CreateBackupSelectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateBackupSelectionCommand) .de(de_CreateBackupSelectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackupSelectionInput; + output: CreateBackupSelectionOutput; + }; + sdk: { + input: CreateBackupSelectionCommandInput; + output: CreateBackupSelectionCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateBackupVaultCommand.ts b/clients/client-backup/src/commands/CreateBackupVaultCommand.ts index 726a6aa8e18f..3f5b2914ac2a 100644 --- a/clients/client-backup/src/commands/CreateBackupVaultCommand.ts +++ b/clients/client-backup/src/commands/CreateBackupVaultCommand.ts @@ -111,4 +111,16 @@ export class CreateBackupVaultCommand extends $Command .f(CreateBackupVaultInputFilterSensitiveLog, void 0) .ser(se_CreateBackupVaultCommand) .de(de_CreateBackupVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackupVaultInput; + output: CreateBackupVaultOutput; + }; + sdk: { + input: CreateBackupVaultCommandInput; + output: CreateBackupVaultCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateFrameworkCommand.ts b/clients/client-backup/src/commands/CreateFrameworkCommand.ts index cd534c0728a5..dcbcd16d7cb1 100644 --- a/clients/client-backup/src/commands/CreateFrameworkCommand.ts +++ b/clients/client-backup/src/commands/CreateFrameworkCommand.ts @@ -125,4 +125,16 @@ export class CreateFrameworkCommand extends $Command .f(void 0, void 0) .ser(se_CreateFrameworkCommand) .de(de_CreateFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFrameworkInput; + output: CreateFrameworkOutput; + }; + sdk: { + input: CreateFrameworkCommandInput; + output: CreateFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateLegalHoldCommand.ts b/clients/client-backup/src/commands/CreateLegalHoldCommand.ts index f9c6b1cb8873..5aa816a88a7e 100644 --- a/clients/client-backup/src/commands/CreateLegalHoldCommand.ts +++ b/clients/client-backup/src/commands/CreateLegalHoldCommand.ts @@ -132,4 +132,16 @@ export class CreateLegalHoldCommand extends $Command .f(CreateLegalHoldInputFilterSensitiveLog, void 0) .ser(se_CreateLegalHoldCommand) .de(de_CreateLegalHoldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLegalHoldInput; + output: CreateLegalHoldOutput; + }; + sdk: { + input: CreateLegalHoldCommandInput; + output: CreateLegalHoldCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateLogicallyAirGappedBackupVaultCommand.ts b/clients/client-backup/src/commands/CreateLogicallyAirGappedBackupVaultCommand.ts index 7b9ead56facf..a38858efb47d 100644 --- a/clients/client-backup/src/commands/CreateLogicallyAirGappedBackupVaultCommand.ts +++ b/clients/client-backup/src/commands/CreateLogicallyAirGappedBackupVaultCommand.ts @@ -123,4 +123,16 @@ export class CreateLogicallyAirGappedBackupVaultCommand extends $Command .f(CreateLogicallyAirGappedBackupVaultInputFilterSensitiveLog, void 0) .ser(se_CreateLogicallyAirGappedBackupVaultCommand) .de(de_CreateLogicallyAirGappedBackupVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLogicallyAirGappedBackupVaultInput; + output: CreateLogicallyAirGappedBackupVaultOutput; + }; + sdk: { + input: CreateLogicallyAirGappedBackupVaultCommandInput; + output: CreateLogicallyAirGappedBackupVaultCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateReportPlanCommand.ts b/clients/client-backup/src/commands/CreateReportPlanCommand.ts index 2f8c1d37524c..dba176118a4c 100644 --- a/clients/client-backup/src/commands/CreateReportPlanCommand.ts +++ b/clients/client-backup/src/commands/CreateReportPlanCommand.ts @@ -127,4 +127,16 @@ export class CreateReportPlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateReportPlanCommand) .de(de_CreateReportPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReportPlanInput; + output: CreateReportPlanOutput; + }; + sdk: { + input: CreateReportPlanCommandInput; + output: CreateReportPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateRestoreTestingPlanCommand.ts b/clients/client-backup/src/commands/CreateRestoreTestingPlanCommand.ts index 9ea082d7f54f..ecd3b0d26a87 100644 --- a/clients/client-backup/src/commands/CreateRestoreTestingPlanCommand.ts +++ b/clients/client-backup/src/commands/CreateRestoreTestingPlanCommand.ts @@ -129,4 +129,16 @@ export class CreateRestoreTestingPlanCommand extends $Command .f(CreateRestoreTestingPlanInputFilterSensitiveLog, void 0) .ser(se_CreateRestoreTestingPlanCommand) .de(de_CreateRestoreTestingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRestoreTestingPlanInput; + output: CreateRestoreTestingPlanOutput; + }; + sdk: { + input: CreateRestoreTestingPlanCommandInput; + output: CreateRestoreTestingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/CreateRestoreTestingSelectionCommand.ts b/clients/client-backup/src/commands/CreateRestoreTestingSelectionCommand.ts index d54f0bbc1232..086cbbd78074 100644 --- a/clients/client-backup/src/commands/CreateRestoreTestingSelectionCommand.ts +++ b/clients/client-backup/src/commands/CreateRestoreTestingSelectionCommand.ts @@ -159,4 +159,16 @@ export class CreateRestoreTestingSelectionCommand extends $Command .f(CreateRestoreTestingSelectionInputFilterSensitiveLog, void 0) .ser(se_CreateRestoreTestingSelectionCommand) .de(de_CreateRestoreTestingSelectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRestoreTestingSelectionInput; + output: CreateRestoreTestingSelectionOutput; + }; + sdk: { + input: CreateRestoreTestingSelectionCommandInput; + output: CreateRestoreTestingSelectionCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteBackupPlanCommand.ts b/clients/client-backup/src/commands/DeleteBackupPlanCommand.ts index d8427343675f..401af5318f89 100644 --- a/clients/client-backup/src/commands/DeleteBackupPlanCommand.ts +++ b/clients/client-backup/src/commands/DeleteBackupPlanCommand.ts @@ -99,4 +99,16 @@ export class DeleteBackupPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupPlanCommand) .de(de_DeleteBackupPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupPlanInput; + output: DeleteBackupPlanOutput; + }; + sdk: { + input: DeleteBackupPlanCommandInput; + output: DeleteBackupPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteBackupSelectionCommand.ts b/clients/client-backup/src/commands/DeleteBackupSelectionCommand.ts index 3c8a514466ec..00fcfc54163a 100644 --- a/clients/client-backup/src/commands/DeleteBackupSelectionCommand.ts +++ b/clients/client-backup/src/commands/DeleteBackupSelectionCommand.ts @@ -90,4 +90,16 @@ export class DeleteBackupSelectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupSelectionCommand) .de(de_DeleteBackupSelectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupSelectionInput; + output: {}; + }; + sdk: { + input: DeleteBackupSelectionCommandInput; + output: DeleteBackupSelectionCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteBackupVaultAccessPolicyCommand.ts b/clients/client-backup/src/commands/DeleteBackupVaultAccessPolicyCommand.ts index 66b6ce986aab..3d2ab69fa9cc 100644 --- a/clients/client-backup/src/commands/DeleteBackupVaultAccessPolicyCommand.ts +++ b/clients/client-backup/src/commands/DeleteBackupVaultAccessPolicyCommand.ts @@ -91,4 +91,16 @@ export class DeleteBackupVaultAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupVaultAccessPolicyCommand) .de(de_DeleteBackupVaultAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupVaultAccessPolicyInput; + output: {}; + }; + sdk: { + input: DeleteBackupVaultAccessPolicyCommandInput; + output: DeleteBackupVaultAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteBackupVaultCommand.ts b/clients/client-backup/src/commands/DeleteBackupVaultCommand.ts index 25582f36c5d1..f80f87299abf 100644 --- a/clients/client-backup/src/commands/DeleteBackupVaultCommand.ts +++ b/clients/client-backup/src/commands/DeleteBackupVaultCommand.ts @@ -93,4 +93,16 @@ export class DeleteBackupVaultCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupVaultCommand) .de(de_DeleteBackupVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupVaultInput; + output: {}; + }; + sdk: { + input: DeleteBackupVaultCommandInput; + output: DeleteBackupVaultCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteBackupVaultLockConfigurationCommand.ts b/clients/client-backup/src/commands/DeleteBackupVaultLockConfigurationCommand.ts index 341cc3cac3c3..2e499aa6b586 100644 --- a/clients/client-backup/src/commands/DeleteBackupVaultLockConfigurationCommand.ts +++ b/clients/client-backup/src/commands/DeleteBackupVaultLockConfigurationCommand.ts @@ -100,4 +100,16 @@ export class DeleteBackupVaultLockConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupVaultLockConfigurationCommand) .de(de_DeleteBackupVaultLockConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupVaultLockConfigurationInput; + output: {}; + }; + sdk: { + input: DeleteBackupVaultLockConfigurationCommandInput; + output: DeleteBackupVaultLockConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteBackupVaultNotificationsCommand.ts b/clients/client-backup/src/commands/DeleteBackupVaultNotificationsCommand.ts index 9302748f1ed5..9cc079486ba1 100644 --- a/clients/client-backup/src/commands/DeleteBackupVaultNotificationsCommand.ts +++ b/clients/client-backup/src/commands/DeleteBackupVaultNotificationsCommand.ts @@ -91,4 +91,16 @@ export class DeleteBackupVaultNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupVaultNotificationsCommand) .de(de_DeleteBackupVaultNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupVaultNotificationsInput; + output: {}; + }; + sdk: { + input: DeleteBackupVaultNotificationsCommandInput; + output: DeleteBackupVaultNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteFrameworkCommand.ts b/clients/client-backup/src/commands/DeleteFrameworkCommand.ts index 9c18167dd2f5..80f7fc7b84ce 100644 --- a/clients/client-backup/src/commands/DeleteFrameworkCommand.ts +++ b/clients/client-backup/src/commands/DeleteFrameworkCommand.ts @@ -92,4 +92,16 @@ export class DeleteFrameworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFrameworkCommand) .de(de_DeleteFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFrameworkInput; + output: {}; + }; + sdk: { + input: DeleteFrameworkCommandInput; + output: DeleteFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteRecoveryPointCommand.ts b/clients/client-backup/src/commands/DeleteRecoveryPointCommand.ts index 6feccc68959a..5c753db1675d 100644 --- a/clients/client-backup/src/commands/DeleteRecoveryPointCommand.ts +++ b/clients/client-backup/src/commands/DeleteRecoveryPointCommand.ts @@ -109,4 +109,16 @@ export class DeleteRecoveryPointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecoveryPointCommand) .de(de_DeleteRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecoveryPointInput; + output: {}; + }; + sdk: { + input: DeleteRecoveryPointCommandInput; + output: DeleteRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteReportPlanCommand.ts b/clients/client-backup/src/commands/DeleteReportPlanCommand.ts index 2b7ce765d55d..e91c62f0d459 100644 --- a/clients/client-backup/src/commands/DeleteReportPlanCommand.ts +++ b/clients/client-backup/src/commands/DeleteReportPlanCommand.ts @@ -92,4 +92,16 @@ export class DeleteReportPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReportPlanCommand) .de(de_DeleteReportPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReportPlanInput; + output: {}; + }; + sdk: { + input: DeleteReportPlanCommandInput; + output: DeleteReportPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteRestoreTestingPlanCommand.ts b/clients/client-backup/src/commands/DeleteRestoreTestingPlanCommand.ts index cc96d28cc4ff..3a29eaf93f8f 100644 --- a/clients/client-backup/src/commands/DeleteRestoreTestingPlanCommand.ts +++ b/clients/client-backup/src/commands/DeleteRestoreTestingPlanCommand.ts @@ -84,4 +84,16 @@ export class DeleteRestoreTestingPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRestoreTestingPlanCommand) .de(de_DeleteRestoreTestingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRestoreTestingPlanInput; + output: {}; + }; + sdk: { + input: DeleteRestoreTestingPlanCommandInput; + output: DeleteRestoreTestingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DeleteRestoreTestingSelectionCommand.ts b/clients/client-backup/src/commands/DeleteRestoreTestingSelectionCommand.ts index aff4376714b8..95d183c514a4 100644 --- a/clients/client-backup/src/commands/DeleteRestoreTestingSelectionCommand.ts +++ b/clients/client-backup/src/commands/DeleteRestoreTestingSelectionCommand.ts @@ -88,4 +88,16 @@ export class DeleteRestoreTestingSelectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRestoreTestingSelectionCommand) .de(de_DeleteRestoreTestingSelectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRestoreTestingSelectionInput; + output: {}; + }; + sdk: { + input: DeleteRestoreTestingSelectionCommandInput; + output: DeleteRestoreTestingSelectionCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeBackupJobCommand.ts b/clients/client-backup/src/commands/DescribeBackupJobCommand.ts index f7c2b5faa7c0..847f299f3f9e 100644 --- a/clients/client-backup/src/commands/DescribeBackupJobCommand.ts +++ b/clients/client-backup/src/commands/DescribeBackupJobCommand.ts @@ -128,4 +128,16 @@ export class DescribeBackupJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBackupJobCommand) .de(de_DescribeBackupJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBackupJobInput; + output: DescribeBackupJobOutput; + }; + sdk: { + input: DescribeBackupJobCommandInput; + output: DescribeBackupJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeBackupVaultCommand.ts b/clients/client-backup/src/commands/DescribeBackupVaultCommand.ts index 76ed74abbf5a..4d3ab9c72122 100644 --- a/clients/client-backup/src/commands/DescribeBackupVaultCommand.ts +++ b/clients/client-backup/src/commands/DescribeBackupVaultCommand.ts @@ -102,4 +102,16 @@ export class DescribeBackupVaultCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBackupVaultCommand) .de(de_DescribeBackupVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBackupVaultInput; + output: DescribeBackupVaultOutput; + }; + sdk: { + input: DescribeBackupVaultCommandInput; + output: DescribeBackupVaultCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeCopyJobCommand.ts b/clients/client-backup/src/commands/DescribeCopyJobCommand.ts index f638360a0ef1..98102d55fb4f 100644 --- a/clients/client-backup/src/commands/DescribeCopyJobCommand.ts +++ b/clients/client-backup/src/commands/DescribeCopyJobCommand.ts @@ -120,4 +120,16 @@ export class DescribeCopyJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCopyJobCommand) .de(de_DescribeCopyJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCopyJobInput; + output: DescribeCopyJobOutput; + }; + sdk: { + input: DescribeCopyJobCommandInput; + output: DescribeCopyJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeFrameworkCommand.ts b/clients/client-backup/src/commands/DescribeFrameworkCommand.ts index 7533caacc715..599c39510000 100644 --- a/clients/client-backup/src/commands/DescribeFrameworkCommand.ts +++ b/clients/client-backup/src/commands/DescribeFrameworkCommand.ts @@ -118,4 +118,16 @@ export class DescribeFrameworkCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFrameworkCommand) .de(de_DescribeFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFrameworkInput; + output: DescribeFrameworkOutput; + }; + sdk: { + input: DescribeFrameworkCommandInput; + output: DescribeFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeGlobalSettingsCommand.ts b/clients/client-backup/src/commands/DescribeGlobalSettingsCommand.ts index 280081469fbe..9be72b592606 100644 --- a/clients/client-backup/src/commands/DescribeGlobalSettingsCommand.ts +++ b/clients/client-backup/src/commands/DescribeGlobalSettingsCommand.ts @@ -88,4 +88,16 @@ export class DescribeGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalSettingsCommand) .de(de_DescribeGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeGlobalSettingsOutput; + }; + sdk: { + input: DescribeGlobalSettingsCommandInput; + output: DescribeGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeProtectedResourceCommand.ts b/clients/client-backup/src/commands/DescribeProtectedResourceCommand.ts index 0ba57ea32676..0846272c4a3a 100644 --- a/clients/client-backup/src/commands/DescribeProtectedResourceCommand.ts +++ b/clients/client-backup/src/commands/DescribeProtectedResourceCommand.ts @@ -100,4 +100,16 @@ export class DescribeProtectedResourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProtectedResourceCommand) .de(de_DescribeProtectedResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProtectedResourceInput; + output: DescribeProtectedResourceOutput; + }; + sdk: { + input: DescribeProtectedResourceCommandInput; + output: DescribeProtectedResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeRecoveryPointCommand.ts b/clients/client-backup/src/commands/DescribeRecoveryPointCommand.ts index 51743dc9f86d..e9c051bad130 100644 --- a/clients/client-backup/src/commands/DescribeRecoveryPointCommand.ts +++ b/clients/client-backup/src/commands/DescribeRecoveryPointCommand.ts @@ -128,4 +128,16 @@ export class DescribeRecoveryPointCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecoveryPointCommand) .de(de_DescribeRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecoveryPointInput; + output: DescribeRecoveryPointOutput; + }; + sdk: { + input: DescribeRecoveryPointCommandInput; + output: DescribeRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeRegionSettingsCommand.ts b/clients/client-backup/src/commands/DescribeRegionSettingsCommand.ts index f2f11322f80b..f8a97ef461d3 100644 --- a/clients/client-backup/src/commands/DescribeRegionSettingsCommand.ts +++ b/clients/client-backup/src/commands/DescribeRegionSettingsCommand.ts @@ -87,4 +87,16 @@ export class DescribeRegionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegionSettingsCommand) .de(de_DescribeRegionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeRegionSettingsOutput; + }; + sdk: { + input: DescribeRegionSettingsCommandInput; + output: DescribeRegionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeReportJobCommand.ts b/clients/client-backup/src/commands/DescribeReportJobCommand.ts index f4d92e39b289..120c1a9d2af4 100644 --- a/clients/client-backup/src/commands/DescribeReportJobCommand.ts +++ b/clients/client-backup/src/commands/DescribeReportJobCommand.ts @@ -101,4 +101,16 @@ export class DescribeReportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReportJobCommand) .de(de_DescribeReportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReportJobInput; + output: DescribeReportJobOutput; + }; + sdk: { + input: DescribeReportJobCommandInput; + output: DescribeReportJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeReportPlanCommand.ts b/clients/client-backup/src/commands/DescribeReportPlanCommand.ts index 8eced38e1900..1a816eaaf8a6 100644 --- a/clients/client-backup/src/commands/DescribeReportPlanCommand.ts +++ b/clients/client-backup/src/commands/DescribeReportPlanCommand.ts @@ -121,4 +121,16 @@ export class DescribeReportPlanCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReportPlanCommand) .de(de_DescribeReportPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReportPlanInput; + output: DescribeReportPlanOutput; + }; + sdk: { + input: DescribeReportPlanCommandInput; + output: DescribeReportPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DescribeRestoreJobCommand.ts b/clients/client-backup/src/commands/DescribeRestoreJobCommand.ts index 6fed8bd1119f..aee172996913 100644 --- a/clients/client-backup/src/commands/DescribeRestoreJobCommand.ts +++ b/clients/client-backup/src/commands/DescribeRestoreJobCommand.ts @@ -113,4 +113,16 @@ export class DescribeRestoreJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRestoreJobCommand) .de(de_DescribeRestoreJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRestoreJobInput; + output: DescribeRestoreJobOutput; + }; + sdk: { + input: DescribeRestoreJobCommandInput; + output: DescribeRestoreJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DisassociateRecoveryPointCommand.ts b/clients/client-backup/src/commands/DisassociateRecoveryPointCommand.ts index c2570dbc38ee..bf76f6b0d750 100644 --- a/clients/client-backup/src/commands/DisassociateRecoveryPointCommand.ts +++ b/clients/client-backup/src/commands/DisassociateRecoveryPointCommand.ts @@ -100,4 +100,16 @@ export class DisassociateRecoveryPointCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateRecoveryPointCommand) .de(de_DisassociateRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateRecoveryPointInput; + output: {}; + }; + sdk: { + input: DisassociateRecoveryPointCommandInput; + output: DisassociateRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/DisassociateRecoveryPointFromParentCommand.ts b/clients/client-backup/src/commands/DisassociateRecoveryPointFromParentCommand.ts index 6f49cda6177f..e2eadca9445f 100644 --- a/clients/client-backup/src/commands/DisassociateRecoveryPointFromParentCommand.ts +++ b/clients/client-backup/src/commands/DisassociateRecoveryPointFromParentCommand.ts @@ -97,4 +97,16 @@ export class DisassociateRecoveryPointFromParentCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateRecoveryPointFromParentCommand) .de(de_DisassociateRecoveryPointFromParentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateRecoveryPointFromParentInput; + output: {}; + }; + sdk: { + input: DisassociateRecoveryPointFromParentCommandInput; + output: DisassociateRecoveryPointFromParentCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ExportBackupPlanTemplateCommand.ts b/clients/client-backup/src/commands/ExportBackupPlanTemplateCommand.ts index 6801d380a9e0..dba389021181 100644 --- a/clients/client-backup/src/commands/ExportBackupPlanTemplateCommand.ts +++ b/clients/client-backup/src/commands/ExportBackupPlanTemplateCommand.ts @@ -90,4 +90,16 @@ export class ExportBackupPlanTemplateCommand extends $Command .f(void 0, void 0) .ser(se_ExportBackupPlanTemplateCommand) .de(de_ExportBackupPlanTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportBackupPlanTemplateInput; + output: ExportBackupPlanTemplateOutput; + }; + sdk: { + input: ExportBackupPlanTemplateCommandInput; + output: ExportBackupPlanTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetBackupPlanCommand.ts b/clients/client-backup/src/commands/GetBackupPlanCommand.ts index 5d556abe7f23..06048e55fa91 100644 --- a/clients/client-backup/src/commands/GetBackupPlanCommand.ts +++ b/clients/client-backup/src/commands/GetBackupPlanCommand.ts @@ -147,4 +147,16 @@ export class GetBackupPlanCommand extends $Command .f(void 0, GetBackupPlanOutputFilterSensitiveLog) .ser(se_GetBackupPlanCommand) .de(de_GetBackupPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackupPlanInput; + output: GetBackupPlanOutput; + }; + sdk: { + input: GetBackupPlanCommandInput; + output: GetBackupPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetBackupPlanFromJSONCommand.ts b/clients/client-backup/src/commands/GetBackupPlanFromJSONCommand.ts index 2ac88c0a4c61..8e42c9c94f00 100644 --- a/clients/client-backup/src/commands/GetBackupPlanFromJSONCommand.ts +++ b/clients/client-backup/src/commands/GetBackupPlanFromJSONCommand.ts @@ -139,4 +139,16 @@ export class GetBackupPlanFromJSONCommand extends $Command .f(void 0, GetBackupPlanFromJSONOutputFilterSensitiveLog) .ser(se_GetBackupPlanFromJSONCommand) .de(de_GetBackupPlanFromJSONCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackupPlanFromJSONInput; + output: GetBackupPlanFromJSONOutput; + }; + sdk: { + input: GetBackupPlanFromJSONCommandInput; + output: GetBackupPlanFromJSONCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetBackupPlanFromTemplateCommand.ts b/clients/client-backup/src/commands/GetBackupPlanFromTemplateCommand.ts index 94c30493cf9e..8ca284547a52 100644 --- a/clients/client-backup/src/commands/GetBackupPlanFromTemplateCommand.ts +++ b/clients/client-backup/src/commands/GetBackupPlanFromTemplateCommand.ts @@ -134,4 +134,16 @@ export class GetBackupPlanFromTemplateCommand extends $Command .f(void 0, GetBackupPlanFromTemplateOutputFilterSensitiveLog) .ser(se_GetBackupPlanFromTemplateCommand) .de(de_GetBackupPlanFromTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackupPlanFromTemplateInput; + output: GetBackupPlanFromTemplateOutput; + }; + sdk: { + input: GetBackupPlanFromTemplateCommandInput; + output: GetBackupPlanFromTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetBackupSelectionCommand.ts b/clients/client-backup/src/commands/GetBackupSelectionCommand.ts index eb54a647bb81..b2004a960267 100644 --- a/clients/client-backup/src/commands/GetBackupSelectionCommand.ts +++ b/clients/client-backup/src/commands/GetBackupSelectionCommand.ts @@ -138,4 +138,16 @@ export class GetBackupSelectionCommand extends $Command .f(void 0, void 0) .ser(se_GetBackupSelectionCommand) .de(de_GetBackupSelectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackupSelectionInput; + output: GetBackupSelectionOutput; + }; + sdk: { + input: GetBackupSelectionCommandInput; + output: GetBackupSelectionCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetBackupVaultAccessPolicyCommand.ts b/clients/client-backup/src/commands/GetBackupVaultAccessPolicyCommand.ts index 52361bb95084..20fe917a04f4 100644 --- a/clients/client-backup/src/commands/GetBackupVaultAccessPolicyCommand.ts +++ b/clients/client-backup/src/commands/GetBackupVaultAccessPolicyCommand.ts @@ -93,4 +93,16 @@ export class GetBackupVaultAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetBackupVaultAccessPolicyCommand) .de(de_GetBackupVaultAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackupVaultAccessPolicyInput; + output: GetBackupVaultAccessPolicyOutput; + }; + sdk: { + input: GetBackupVaultAccessPolicyCommandInput; + output: GetBackupVaultAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetBackupVaultNotificationsCommand.ts b/clients/client-backup/src/commands/GetBackupVaultNotificationsCommand.ts index 60bab3254be6..5fb895907b57 100644 --- a/clients/client-backup/src/commands/GetBackupVaultNotificationsCommand.ts +++ b/clients/client-backup/src/commands/GetBackupVaultNotificationsCommand.ts @@ -98,4 +98,16 @@ export class GetBackupVaultNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_GetBackupVaultNotificationsCommand) .de(de_GetBackupVaultNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBackupVaultNotificationsInput; + output: GetBackupVaultNotificationsOutput; + }; + sdk: { + input: GetBackupVaultNotificationsCommandInput; + output: GetBackupVaultNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetLegalHoldCommand.ts b/clients/client-backup/src/commands/GetLegalHoldCommand.ts index 9d1d37c83f9d..6bbd997ad7b1 100644 --- a/clients/client-backup/src/commands/GetLegalHoldCommand.ts +++ b/clients/client-backup/src/commands/GetLegalHoldCommand.ts @@ -111,4 +111,16 @@ export class GetLegalHoldCommand extends $Command .f(void 0, void 0) .ser(se_GetLegalHoldCommand) .de(de_GetLegalHoldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLegalHoldInput; + output: GetLegalHoldOutput; + }; + sdk: { + input: GetLegalHoldCommandInput; + output: GetLegalHoldCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetRecoveryPointRestoreMetadataCommand.ts b/clients/client-backup/src/commands/GetRecoveryPointRestoreMetadataCommand.ts index 5986eb18db0a..9917cd113eb3 100644 --- a/clients/client-backup/src/commands/GetRecoveryPointRestoreMetadataCommand.ts +++ b/clients/client-backup/src/commands/GetRecoveryPointRestoreMetadataCommand.ts @@ -106,4 +106,16 @@ export class GetRecoveryPointRestoreMetadataCommand extends $Command .f(void 0, GetRecoveryPointRestoreMetadataOutputFilterSensitiveLog) .ser(se_GetRecoveryPointRestoreMetadataCommand) .de(de_GetRecoveryPointRestoreMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecoveryPointRestoreMetadataInput; + output: GetRecoveryPointRestoreMetadataOutput; + }; + sdk: { + input: GetRecoveryPointRestoreMetadataCommandInput; + output: GetRecoveryPointRestoreMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetRestoreJobMetadataCommand.ts b/clients/client-backup/src/commands/GetRestoreJobMetadataCommand.ts index b12c5e8a8238..fea5d4beb5d4 100644 --- a/clients/client-backup/src/commands/GetRestoreJobMetadataCommand.ts +++ b/clients/client-backup/src/commands/GetRestoreJobMetadataCommand.ts @@ -97,4 +97,16 @@ export class GetRestoreJobMetadataCommand extends $Command .f(void 0, GetRestoreJobMetadataOutputFilterSensitiveLog) .ser(se_GetRestoreJobMetadataCommand) .de(de_GetRestoreJobMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRestoreJobMetadataInput; + output: GetRestoreJobMetadataOutput; + }; + sdk: { + input: GetRestoreJobMetadataCommandInput; + output: GetRestoreJobMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetRestoreTestingInferredMetadataCommand.ts b/clients/client-backup/src/commands/GetRestoreTestingInferredMetadataCommand.ts index 8f39a94414a3..69e7dfa0e310 100644 --- a/clients/client-backup/src/commands/GetRestoreTestingInferredMetadataCommand.ts +++ b/clients/client-backup/src/commands/GetRestoreTestingInferredMetadataCommand.ts @@ -102,4 +102,16 @@ export class GetRestoreTestingInferredMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetRestoreTestingInferredMetadataCommand) .de(de_GetRestoreTestingInferredMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRestoreTestingInferredMetadataInput; + output: GetRestoreTestingInferredMetadataOutput; + }; + sdk: { + input: GetRestoreTestingInferredMetadataCommandInput; + output: GetRestoreTestingInferredMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetRestoreTestingPlanCommand.ts b/clients/client-backup/src/commands/GetRestoreTestingPlanCommand.ts index 189e2617306b..83844284a20e 100644 --- a/clients/client-backup/src/commands/GetRestoreTestingPlanCommand.ts +++ b/clients/client-backup/src/commands/GetRestoreTestingPlanCommand.ts @@ -108,4 +108,16 @@ export class GetRestoreTestingPlanCommand extends $Command .f(void 0, void 0) .ser(se_GetRestoreTestingPlanCommand) .de(de_GetRestoreTestingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRestoreTestingPlanInput; + output: GetRestoreTestingPlanOutput; + }; + sdk: { + input: GetRestoreTestingPlanCommandInput; + output: GetRestoreTestingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetRestoreTestingSelectionCommand.ts b/clients/client-backup/src/commands/GetRestoreTestingSelectionCommand.ts index 553f8d15fea7..f546c0bd8fe4 100644 --- a/clients/client-backup/src/commands/GetRestoreTestingSelectionCommand.ts +++ b/clients/client-backup/src/commands/GetRestoreTestingSelectionCommand.ts @@ -117,4 +117,16 @@ export class GetRestoreTestingSelectionCommand extends $Command .f(void 0, GetRestoreTestingSelectionOutputFilterSensitiveLog) .ser(se_GetRestoreTestingSelectionCommand) .de(de_GetRestoreTestingSelectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRestoreTestingSelectionInput; + output: GetRestoreTestingSelectionOutput; + }; + sdk: { + input: GetRestoreTestingSelectionCommandInput; + output: GetRestoreTestingSelectionCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/GetSupportedResourceTypesCommand.ts b/clients/client-backup/src/commands/GetSupportedResourceTypesCommand.ts index 4d39b6d87e71..8a9c889b0e8e 100644 --- a/clients/client-backup/src/commands/GetSupportedResourceTypesCommand.ts +++ b/clients/client-backup/src/commands/GetSupportedResourceTypesCommand.ts @@ -80,4 +80,16 @@ export class GetSupportedResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetSupportedResourceTypesCommand) .de(de_GetSupportedResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSupportedResourceTypesOutput; + }; + sdk: { + input: GetSupportedResourceTypesCommandInput; + output: GetSupportedResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListBackupJobSummariesCommand.ts b/clients/client-backup/src/commands/ListBackupJobSummariesCommand.ts index 92a80f5868f0..c3200b8cad46 100644 --- a/clients/client-backup/src/commands/ListBackupJobSummariesCommand.ts +++ b/clients/client-backup/src/commands/ListBackupJobSummariesCommand.ts @@ -110,4 +110,16 @@ export class ListBackupJobSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupJobSummariesCommand) .de(de_ListBackupJobSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupJobSummariesInput; + output: ListBackupJobSummariesOutput; + }; + sdk: { + input: ListBackupJobSummariesCommandInput; + output: ListBackupJobSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListBackupJobsCommand.ts b/clients/client-backup/src/commands/ListBackupJobsCommand.ts index fd2ae247462b..4bc03e61dd28 100644 --- a/clients/client-backup/src/commands/ListBackupJobsCommand.ts +++ b/clients/client-backup/src/commands/ListBackupJobsCommand.ts @@ -133,4 +133,16 @@ export class ListBackupJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupJobsCommand) .de(de_ListBackupJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupJobsInput; + output: ListBackupJobsOutput; + }; + sdk: { + input: ListBackupJobsCommandInput; + output: ListBackupJobsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListBackupPlanTemplatesCommand.ts b/clients/client-backup/src/commands/ListBackupPlanTemplatesCommand.ts index 7389a4227360..68f3004d5e15 100644 --- a/clients/client-backup/src/commands/ListBackupPlanTemplatesCommand.ts +++ b/clients/client-backup/src/commands/ListBackupPlanTemplatesCommand.ts @@ -97,4 +97,16 @@ export class ListBackupPlanTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupPlanTemplatesCommand) .de(de_ListBackupPlanTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupPlanTemplatesInput; + output: ListBackupPlanTemplatesOutput; + }; + sdk: { + input: ListBackupPlanTemplatesCommandInput; + output: ListBackupPlanTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListBackupPlanVersionsCommand.ts b/clients/client-backup/src/commands/ListBackupPlanVersionsCommand.ts index 902a98df00ca..173907501fba 100644 --- a/clients/client-backup/src/commands/ListBackupPlanVersionsCommand.ts +++ b/clients/client-backup/src/commands/ListBackupPlanVersionsCommand.ts @@ -113,4 +113,16 @@ export class ListBackupPlanVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupPlanVersionsCommand) .de(de_ListBackupPlanVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupPlanVersionsInput; + output: ListBackupPlanVersionsOutput; + }; + sdk: { + input: ListBackupPlanVersionsCommandInput; + output: ListBackupPlanVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListBackupPlansCommand.ts b/clients/client-backup/src/commands/ListBackupPlansCommand.ts index f400c4ffb7ce..631fa3263139 100644 --- a/clients/client-backup/src/commands/ListBackupPlansCommand.ts +++ b/clients/client-backup/src/commands/ListBackupPlansCommand.ts @@ -112,4 +112,16 @@ export class ListBackupPlansCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupPlansCommand) .de(de_ListBackupPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupPlansInput; + output: ListBackupPlansOutput; + }; + sdk: { + input: ListBackupPlansCommandInput; + output: ListBackupPlansCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListBackupSelectionsCommand.ts b/clients/client-backup/src/commands/ListBackupSelectionsCommand.ts index b54636a0d0e9..a184ef6c46b9 100644 --- a/clients/client-backup/src/commands/ListBackupSelectionsCommand.ts +++ b/clients/client-backup/src/commands/ListBackupSelectionsCommand.ts @@ -103,4 +103,16 @@ export class ListBackupSelectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupSelectionsCommand) .de(de_ListBackupSelectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupSelectionsInput; + output: ListBackupSelectionsOutput; + }; + sdk: { + input: ListBackupSelectionsCommandInput; + output: ListBackupSelectionsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListBackupVaultsCommand.ts b/clients/client-backup/src/commands/ListBackupVaultsCommand.ts index 7d40ea3c8b63..c369672bda3e 100644 --- a/clients/client-backup/src/commands/ListBackupVaultsCommand.ts +++ b/clients/client-backup/src/commands/ListBackupVaultsCommand.ts @@ -110,4 +110,16 @@ export class ListBackupVaultsCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupVaultsCommand) .de(de_ListBackupVaultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupVaultsInput; + output: ListBackupVaultsOutput; + }; + sdk: { + input: ListBackupVaultsCommandInput; + output: ListBackupVaultsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListCopyJobSummariesCommand.ts b/clients/client-backup/src/commands/ListCopyJobSummariesCommand.ts index ee352f7b5265..0c1ca9a6ad19 100644 --- a/clients/client-backup/src/commands/ListCopyJobSummariesCommand.ts +++ b/clients/client-backup/src/commands/ListCopyJobSummariesCommand.ts @@ -110,4 +110,16 @@ export class ListCopyJobSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListCopyJobSummariesCommand) .de(de_ListCopyJobSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCopyJobSummariesInput; + output: ListCopyJobSummariesOutput; + }; + sdk: { + input: ListCopyJobSummariesCommandInput; + output: ListCopyJobSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListCopyJobsCommand.ts b/clients/client-backup/src/commands/ListCopyJobsCommand.ts index 498a3907b500..fb80b7fe1329 100644 --- a/clients/client-backup/src/commands/ListCopyJobsCommand.ts +++ b/clients/client-backup/src/commands/ListCopyJobsCommand.ts @@ -129,4 +129,16 @@ export class ListCopyJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListCopyJobsCommand) .de(de_ListCopyJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCopyJobsInput; + output: ListCopyJobsOutput; + }; + sdk: { + input: ListCopyJobsCommandInput; + output: ListCopyJobsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListFrameworksCommand.ts b/clients/client-backup/src/commands/ListFrameworksCommand.ts index 816e23fd88b1..10d4562f4a1c 100644 --- a/clients/client-backup/src/commands/ListFrameworksCommand.ts +++ b/clients/client-backup/src/commands/ListFrameworksCommand.ts @@ -95,4 +95,16 @@ export class ListFrameworksCommand extends $Command .f(void 0, void 0) .ser(se_ListFrameworksCommand) .de(de_ListFrameworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFrameworksInput; + output: ListFrameworksOutput; + }; + sdk: { + input: ListFrameworksCommandInput; + output: ListFrameworksCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListLegalHoldsCommand.ts b/clients/client-backup/src/commands/ListLegalHoldsCommand.ts index 9be3664c3f66..0c87cbc9fcdf 100644 --- a/clients/client-backup/src/commands/ListLegalHoldsCommand.ts +++ b/clients/client-backup/src/commands/ListLegalHoldsCommand.ts @@ -96,4 +96,16 @@ export class ListLegalHoldsCommand extends $Command .f(void 0, void 0) .ser(se_ListLegalHoldsCommand) .de(de_ListLegalHoldsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLegalHoldsInput; + output: ListLegalHoldsOutput; + }; + sdk: { + input: ListLegalHoldsCommandInput; + output: ListLegalHoldsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListProtectedResourcesByBackupVaultCommand.ts b/clients/client-backup/src/commands/ListProtectedResourcesByBackupVaultCommand.ts index 0c7e4c1827a1..5b7225ab2daa 100644 --- a/clients/client-backup/src/commands/ListProtectedResourcesByBackupVaultCommand.ts +++ b/clients/client-backup/src/commands/ListProtectedResourcesByBackupVaultCommand.ts @@ -108,4 +108,16 @@ export class ListProtectedResourcesByBackupVaultCommand extends $Command .f(void 0, void 0) .ser(se_ListProtectedResourcesByBackupVaultCommand) .de(de_ListProtectedResourcesByBackupVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProtectedResourcesByBackupVaultInput; + output: ListProtectedResourcesByBackupVaultOutput; + }; + sdk: { + input: ListProtectedResourcesByBackupVaultCommandInput; + output: ListProtectedResourcesByBackupVaultCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListProtectedResourcesCommand.ts b/clients/client-backup/src/commands/ListProtectedResourcesCommand.ts index 9238bbacc3f4..810a4d6ccf54 100644 --- a/clients/client-backup/src/commands/ListProtectedResourcesCommand.ts +++ b/clients/client-backup/src/commands/ListProtectedResourcesCommand.ts @@ -97,4 +97,16 @@ export class ListProtectedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListProtectedResourcesCommand) .de(de_ListProtectedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProtectedResourcesInput; + output: ListProtectedResourcesOutput; + }; + sdk: { + input: ListProtectedResourcesCommandInput; + output: ListProtectedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRecoveryPointsByBackupVaultCommand.ts b/clients/client-backup/src/commands/ListRecoveryPointsByBackupVaultCommand.ts index 2abededd3d9b..4cdbe9118bf8 100644 --- a/clients/client-backup/src/commands/ListRecoveryPointsByBackupVaultCommand.ts +++ b/clients/client-backup/src/commands/ListRecoveryPointsByBackupVaultCommand.ts @@ -143,4 +143,16 @@ export class ListRecoveryPointsByBackupVaultCommand extends $Command .f(void 0, void 0) .ser(se_ListRecoveryPointsByBackupVaultCommand) .de(de_ListRecoveryPointsByBackupVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecoveryPointsByBackupVaultInput; + output: ListRecoveryPointsByBackupVaultOutput; + }; + sdk: { + input: ListRecoveryPointsByBackupVaultCommandInput; + output: ListRecoveryPointsByBackupVaultCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRecoveryPointsByLegalHoldCommand.ts b/clients/client-backup/src/commands/ListRecoveryPointsByLegalHoldCommand.ts index afd7f811584d..67dffea0e287 100644 --- a/clients/client-backup/src/commands/ListRecoveryPointsByLegalHoldCommand.ts +++ b/clients/client-backup/src/commands/ListRecoveryPointsByLegalHoldCommand.ts @@ -103,4 +103,16 @@ export class ListRecoveryPointsByLegalHoldCommand extends $Command .f(void 0, void 0) .ser(se_ListRecoveryPointsByLegalHoldCommand) .de(de_ListRecoveryPointsByLegalHoldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecoveryPointsByLegalHoldInput; + output: ListRecoveryPointsByLegalHoldOutput; + }; + sdk: { + input: ListRecoveryPointsByLegalHoldCommandInput; + output: ListRecoveryPointsByLegalHoldCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRecoveryPointsByResourceCommand.ts b/clients/client-backup/src/commands/ListRecoveryPointsByResourceCommand.ts index 572dd678ca79..358e2760263d 100644 --- a/clients/client-backup/src/commands/ListRecoveryPointsByResourceCommand.ts +++ b/clients/client-backup/src/commands/ListRecoveryPointsByResourceCommand.ts @@ -118,4 +118,16 @@ export class ListRecoveryPointsByResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListRecoveryPointsByResourceCommand) .de(de_ListRecoveryPointsByResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecoveryPointsByResourceInput; + output: ListRecoveryPointsByResourceOutput; + }; + sdk: { + input: ListRecoveryPointsByResourceCommandInput; + output: ListRecoveryPointsByResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListReportJobsCommand.ts b/clients/client-backup/src/commands/ListReportJobsCommand.ts index 1883073cb188..bd74340ccc99 100644 --- a/clients/client-backup/src/commands/ListReportJobsCommand.ts +++ b/clients/client-backup/src/commands/ListReportJobsCommand.ts @@ -109,4 +109,16 @@ export class ListReportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListReportJobsCommand) .de(de_ListReportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReportJobsInput; + output: ListReportJobsOutput; + }; + sdk: { + input: ListReportJobsCommandInput; + output: ListReportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListReportPlansCommand.ts b/clients/client-backup/src/commands/ListReportPlansCommand.ts index 930c1bfcb745..d72d74d2bea4 100644 --- a/clients/client-backup/src/commands/ListReportPlansCommand.ts +++ b/clients/client-backup/src/commands/ListReportPlansCommand.ts @@ -120,4 +120,16 @@ export class ListReportPlansCommand extends $Command .f(void 0, void 0) .ser(se_ListReportPlansCommand) .de(de_ListReportPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReportPlansInput; + output: ListReportPlansOutput; + }; + sdk: { + input: ListReportPlansCommandInput; + output: ListReportPlansCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRestoreJobSummariesCommand.ts b/clients/client-backup/src/commands/ListRestoreJobSummariesCommand.ts index 4d7acd61bbee..329fac033fe4 100644 --- a/clients/client-backup/src/commands/ListRestoreJobSummariesCommand.ts +++ b/clients/client-backup/src/commands/ListRestoreJobSummariesCommand.ts @@ -108,4 +108,16 @@ export class ListRestoreJobSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListRestoreJobSummariesCommand) .de(de_ListRestoreJobSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRestoreJobSummariesInput; + output: ListRestoreJobSummariesOutput; + }; + sdk: { + input: ListRestoreJobSummariesCommandInput; + output: ListRestoreJobSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRestoreJobsByProtectedResourceCommand.ts b/clients/client-backup/src/commands/ListRestoreJobsByProtectedResourceCommand.ts index f262e46d5fd1..d937a15de520 100644 --- a/clients/client-backup/src/commands/ListRestoreJobsByProtectedResourceCommand.ts +++ b/clients/client-backup/src/commands/ListRestoreJobsByProtectedResourceCommand.ts @@ -129,4 +129,16 @@ export class ListRestoreJobsByProtectedResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListRestoreJobsByProtectedResourceCommand) .de(de_ListRestoreJobsByProtectedResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRestoreJobsByProtectedResourceInput; + output: ListRestoreJobsByProtectedResourceOutput; + }; + sdk: { + input: ListRestoreJobsByProtectedResourceCommandInput; + output: ListRestoreJobsByProtectedResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRestoreJobsCommand.ts b/clients/client-backup/src/commands/ListRestoreJobsCommand.ts index f0c390efa6df..3949d0c32c8a 100644 --- a/clients/client-backup/src/commands/ListRestoreJobsCommand.ts +++ b/clients/client-backup/src/commands/ListRestoreJobsCommand.ts @@ -125,4 +125,16 @@ export class ListRestoreJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListRestoreJobsCommand) .de(de_ListRestoreJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRestoreJobsInput; + output: ListRestoreJobsOutput; + }; + sdk: { + input: ListRestoreJobsCommandInput; + output: ListRestoreJobsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRestoreTestingPlansCommand.ts b/clients/client-backup/src/commands/ListRestoreTestingPlansCommand.ts index 1d1ccae7cead..fb4e2cd1e708 100644 --- a/clients/client-backup/src/commands/ListRestoreTestingPlansCommand.ts +++ b/clients/client-backup/src/commands/ListRestoreTestingPlansCommand.ts @@ -97,4 +97,16 @@ export class ListRestoreTestingPlansCommand extends $Command .f(void 0, void 0) .ser(se_ListRestoreTestingPlansCommand) .de(de_ListRestoreTestingPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRestoreTestingPlansInput; + output: ListRestoreTestingPlansOutput; + }; + sdk: { + input: ListRestoreTestingPlansCommandInput; + output: ListRestoreTestingPlansCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListRestoreTestingSelectionsCommand.ts b/clients/client-backup/src/commands/ListRestoreTestingSelectionsCommand.ts index f82dd2eb6636..52d43afbdf68 100644 --- a/clients/client-backup/src/commands/ListRestoreTestingSelectionsCommand.ts +++ b/clients/client-backup/src/commands/ListRestoreTestingSelectionsCommand.ts @@ -105,4 +105,16 @@ export class ListRestoreTestingSelectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRestoreTestingSelectionsCommand) .de(de_ListRestoreTestingSelectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRestoreTestingSelectionsInput; + output: ListRestoreTestingSelectionsOutput; + }; + sdk: { + input: ListRestoreTestingSelectionsCommandInput; + output: ListRestoreTestingSelectionsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/ListTagsCommand.ts b/clients/client-backup/src/commands/ListTagsCommand.ts index cc55c1d1add1..3aa6133803f5 100644 --- a/clients/client-backup/src/commands/ListTagsCommand.ts +++ b/clients/client-backup/src/commands/ListTagsCommand.ts @@ -96,4 +96,16 @@ export class ListTagsCommand extends $Command .f(void 0, ListTagsOutputFilterSensitiveLog) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsInput; + output: ListTagsOutput; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/PutBackupVaultAccessPolicyCommand.ts b/clients/client-backup/src/commands/PutBackupVaultAccessPolicyCommand.ts index b0392e235478..b643c53af965 100644 --- a/clients/client-backup/src/commands/PutBackupVaultAccessPolicyCommand.ts +++ b/clients/client-backup/src/commands/PutBackupVaultAccessPolicyCommand.ts @@ -91,4 +91,16 @@ export class PutBackupVaultAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutBackupVaultAccessPolicyCommand) .de(de_PutBackupVaultAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBackupVaultAccessPolicyInput; + output: {}; + }; + sdk: { + input: PutBackupVaultAccessPolicyCommandInput; + output: PutBackupVaultAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/PutBackupVaultLockConfigurationCommand.ts b/clients/client-backup/src/commands/PutBackupVaultLockConfigurationCommand.ts index edb4445177f0..b046c43d9c55 100644 --- a/clients/client-backup/src/commands/PutBackupVaultLockConfigurationCommand.ts +++ b/clients/client-backup/src/commands/PutBackupVaultLockConfigurationCommand.ts @@ -111,4 +111,16 @@ export class PutBackupVaultLockConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBackupVaultLockConfigurationCommand) .de(de_PutBackupVaultLockConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBackupVaultLockConfigurationInput; + output: {}; + }; + sdk: { + input: PutBackupVaultLockConfigurationCommandInput; + output: PutBackupVaultLockConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/PutBackupVaultNotificationsCommand.ts b/clients/client-backup/src/commands/PutBackupVaultNotificationsCommand.ts index cc81b3b54004..2838079cbd9d 100644 --- a/clients/client-backup/src/commands/PutBackupVaultNotificationsCommand.ts +++ b/clients/client-backup/src/commands/PutBackupVaultNotificationsCommand.ts @@ -95,4 +95,16 @@ export class PutBackupVaultNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_PutBackupVaultNotificationsCommand) .de(de_PutBackupVaultNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBackupVaultNotificationsInput; + output: {}; + }; + sdk: { + input: PutBackupVaultNotificationsCommandInput; + output: PutBackupVaultNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/PutRestoreValidationResultCommand.ts b/clients/client-backup/src/commands/PutRestoreValidationResultCommand.ts index bff8b849bc48..c3e3941e571e 100644 --- a/clients/client-backup/src/commands/PutRestoreValidationResultCommand.ts +++ b/clients/client-backup/src/commands/PutRestoreValidationResultCommand.ts @@ -98,4 +98,16 @@ export class PutRestoreValidationResultCommand extends $Command .f(void 0, void 0) .ser(se_PutRestoreValidationResultCommand) .de(de_PutRestoreValidationResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRestoreValidationResultInput; + output: {}; + }; + sdk: { + input: PutRestoreValidationResultCommandInput; + output: PutRestoreValidationResultCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/StartBackupJobCommand.ts b/clients/client-backup/src/commands/StartBackupJobCommand.ts index 740a815edad6..5eea4e9af550 100644 --- a/clients/client-backup/src/commands/StartBackupJobCommand.ts +++ b/clients/client-backup/src/commands/StartBackupJobCommand.ts @@ -117,4 +117,16 @@ export class StartBackupJobCommand extends $Command .f(StartBackupJobInputFilterSensitiveLog, void 0) .ser(se_StartBackupJobCommand) .de(de_StartBackupJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBackupJobInput; + output: StartBackupJobOutput; + }; + sdk: { + input: StartBackupJobCommandInput; + output: StartBackupJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/StartCopyJobCommand.ts b/clients/client-backup/src/commands/StartCopyJobCommand.ts index a2313734bf67..c50e86fc659d 100644 --- a/clients/client-backup/src/commands/StartCopyJobCommand.ts +++ b/clients/client-backup/src/commands/StartCopyJobCommand.ts @@ -110,4 +110,16 @@ export class StartCopyJobCommand extends $Command .f(void 0, void 0) .ser(se_StartCopyJobCommand) .de(de_StartCopyJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCopyJobInput; + output: StartCopyJobOutput; + }; + sdk: { + input: StartCopyJobCommandInput; + output: StartCopyJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/StartReportJobCommand.ts b/clients/client-backup/src/commands/StartReportJobCommand.ts index 9be3a536ce53..b80cc9495d04 100644 --- a/clients/client-backup/src/commands/StartReportJobCommand.ts +++ b/clients/client-backup/src/commands/StartReportJobCommand.ts @@ -91,4 +91,16 @@ export class StartReportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartReportJobCommand) .de(de_StartReportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReportJobInput; + output: StartReportJobOutput; + }; + sdk: { + input: StartReportJobCommandInput; + output: StartReportJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/StartRestoreJobCommand.ts b/clients/client-backup/src/commands/StartRestoreJobCommand.ts index 8193fedf713d..b43ab8670af8 100644 --- a/clients/client-backup/src/commands/StartRestoreJobCommand.ts +++ b/clients/client-backup/src/commands/StartRestoreJobCommand.ts @@ -105,4 +105,16 @@ export class StartRestoreJobCommand extends $Command .f(StartRestoreJobInputFilterSensitiveLog, void 0) .ser(se_StartRestoreJobCommand) .de(de_StartRestoreJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRestoreJobInput; + output: StartRestoreJobOutput; + }; + sdk: { + input: StartRestoreJobCommandInput; + output: StartRestoreJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/StopBackupJobCommand.ts b/clients/client-backup/src/commands/StopBackupJobCommand.ts index cbe3742d1cf1..26f0bb5bad72 100644 --- a/clients/client-backup/src/commands/StopBackupJobCommand.ts +++ b/clients/client-backup/src/commands/StopBackupJobCommand.ts @@ -96,4 +96,16 @@ export class StopBackupJobCommand extends $Command .f(void 0, void 0) .ser(se_StopBackupJobCommand) .de(de_StopBackupJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopBackupJobInput; + output: {}; + }; + sdk: { + input: StopBackupJobCommandInput; + output: StopBackupJobCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/TagResourceCommand.ts b/clients/client-backup/src/commands/TagResourceCommand.ts index c8671b0ad263..69a0e0a997da 100644 --- a/clients/client-backup/src/commands/TagResourceCommand.ts +++ b/clients/client-backup/src/commands/TagResourceCommand.ts @@ -99,4 +99,16 @@ export class TagResourceCommand extends $Command .f(TagResourceInputFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UntagResourceCommand.ts b/clients/client-backup/src/commands/UntagResourceCommand.ts index 68de9268ac8a..1dcd775177b2 100644 --- a/clients/client-backup/src/commands/UntagResourceCommand.ts +++ b/clients/client-backup/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceInputFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateBackupPlanCommand.ts b/clients/client-backup/src/commands/UpdateBackupPlanCommand.ts index 8ec3edfae756..2e69422a08d9 100644 --- a/clients/client-backup/src/commands/UpdateBackupPlanCommand.ts +++ b/clients/client-backup/src/commands/UpdateBackupPlanCommand.ts @@ -145,4 +145,16 @@ export class UpdateBackupPlanCommand extends $Command .f(UpdateBackupPlanInputFilterSensitiveLog, void 0) .ser(se_UpdateBackupPlanCommand) .de(de_UpdateBackupPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBackupPlanInput; + output: UpdateBackupPlanOutput; + }; + sdk: { + input: UpdateBackupPlanCommandInput; + output: UpdateBackupPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateFrameworkCommand.ts b/clients/client-backup/src/commands/UpdateFrameworkCommand.ts index c28b8dc40eac..f124e198217a 100644 --- a/clients/client-backup/src/commands/UpdateFrameworkCommand.ts +++ b/clients/client-backup/src/commands/UpdateFrameworkCommand.ts @@ -127,4 +127,16 @@ export class UpdateFrameworkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFrameworkCommand) .de(de_UpdateFrameworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFrameworkInput; + output: UpdateFrameworkOutput; + }; + sdk: { + input: UpdateFrameworkCommandInput; + output: UpdateFrameworkCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateGlobalSettingsCommand.ts b/clients/client-backup/src/commands/UpdateGlobalSettingsCommand.ts index 160485cc26d0..fed4e63fcdb2 100644 --- a/clients/client-backup/src/commands/UpdateGlobalSettingsCommand.ts +++ b/clients/client-backup/src/commands/UpdateGlobalSettingsCommand.ts @@ -93,4 +93,16 @@ export class UpdateGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGlobalSettingsCommand) .de(de_UpdateGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlobalSettingsInput; + output: {}; + }; + sdk: { + input: UpdateGlobalSettingsCommandInput; + output: UpdateGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateRecoveryPointLifecycleCommand.ts b/clients/client-backup/src/commands/UpdateRecoveryPointLifecycleCommand.ts index 5c25540c7199..92650765f776 100644 --- a/clients/client-backup/src/commands/UpdateRecoveryPointLifecycleCommand.ts +++ b/clients/client-backup/src/commands/UpdateRecoveryPointLifecycleCommand.ts @@ -130,4 +130,16 @@ export class UpdateRecoveryPointLifecycleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRecoveryPointLifecycleCommand) .de(de_UpdateRecoveryPointLifecycleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecoveryPointLifecycleInput; + output: UpdateRecoveryPointLifecycleOutput; + }; + sdk: { + input: UpdateRecoveryPointLifecycleCommandInput; + output: UpdateRecoveryPointLifecycleCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateRegionSettingsCommand.ts b/clients/client-backup/src/commands/UpdateRegionSettingsCommand.ts index c20612eaa82d..17d3115e995c 100644 --- a/clients/client-backup/src/commands/UpdateRegionSettingsCommand.ts +++ b/clients/client-backup/src/commands/UpdateRegionSettingsCommand.ts @@ -93,4 +93,16 @@ export class UpdateRegionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegionSettingsCommand) .de(de_UpdateRegionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegionSettingsInput; + output: {}; + }; + sdk: { + input: UpdateRegionSettingsCommandInput; + output: UpdateRegionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateReportPlanCommand.ts b/clients/client-backup/src/commands/UpdateReportPlanCommand.ts index 56e867625180..44037630ebf8 100644 --- a/clients/client-backup/src/commands/UpdateReportPlanCommand.ts +++ b/clients/client-backup/src/commands/UpdateReportPlanCommand.ts @@ -121,4 +121,16 @@ export class UpdateReportPlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReportPlanCommand) .de(de_UpdateReportPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReportPlanInput; + output: UpdateReportPlanOutput; + }; + sdk: { + input: UpdateReportPlanCommandInput; + output: UpdateReportPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateRestoreTestingPlanCommand.ts b/clients/client-backup/src/commands/UpdateRestoreTestingPlanCommand.ts index 854877528491..0592d810ea10 100644 --- a/clients/client-backup/src/commands/UpdateRestoreTestingPlanCommand.ts +++ b/clients/client-backup/src/commands/UpdateRestoreTestingPlanCommand.ts @@ -146,4 +146,16 @@ export class UpdateRestoreTestingPlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRestoreTestingPlanCommand) .de(de_UpdateRestoreTestingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRestoreTestingPlanInput; + output: UpdateRestoreTestingPlanOutput; + }; + sdk: { + input: UpdateRestoreTestingPlanCommandInput; + output: UpdateRestoreTestingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-backup/src/commands/UpdateRestoreTestingSelectionCommand.ts b/clients/client-backup/src/commands/UpdateRestoreTestingSelectionCommand.ts index d793f45d0958..2a56947a84f9 100644 --- a/clients/client-backup/src/commands/UpdateRestoreTestingSelectionCommand.ts +++ b/clients/client-backup/src/commands/UpdateRestoreTestingSelectionCommand.ts @@ -135,4 +135,16 @@ export class UpdateRestoreTestingSelectionCommand extends $Command .f(UpdateRestoreTestingSelectionInputFilterSensitiveLog, void 0) .ser(se_UpdateRestoreTestingSelectionCommand) .de(de_UpdateRestoreTestingSelectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRestoreTestingSelectionInput; + output: UpdateRestoreTestingSelectionOutput; + }; + sdk: { + input: UpdateRestoreTestingSelectionCommandInput; + output: UpdateRestoreTestingSelectionCommandOutput; + }; + }; +} diff --git a/clients/client-batch/package.json b/clients/client-batch/package.json index e5aa98b581ed..e57c4079ee57 100644 --- a/clients/client-batch/package.json +++ b/clients/client-batch/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-batch/src/commands/CancelJobCommand.ts b/clients/client-batch/src/commands/CancelJobCommand.ts index 0dc18c3717c3..6158905e0454 100644 --- a/clients/client-batch/src/commands/CancelJobCommand.ts +++ b/clients/client-batch/src/commands/CancelJobCommand.ts @@ -108,4 +108,16 @@ export class CancelJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobCommand) .de(de_CancelJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRequest; + output: {}; + }; + sdk: { + input: CancelJobCommandInput; + output: CancelJobCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/CreateComputeEnvironmentCommand.ts b/clients/client-batch/src/commands/CreateComputeEnvironmentCommand.ts index 4dd406164c69..3237985ee8e2 100644 --- a/clients/client-batch/src/commands/CreateComputeEnvironmentCommand.ts +++ b/clients/client-batch/src/commands/CreateComputeEnvironmentCommand.ts @@ -321,4 +321,16 @@ export class CreateComputeEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateComputeEnvironmentCommand) .de(de_CreateComputeEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComputeEnvironmentRequest; + output: CreateComputeEnvironmentResponse; + }; + sdk: { + input: CreateComputeEnvironmentCommandInput; + output: CreateComputeEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/CreateJobQueueCommand.ts b/clients/client-batch/src/commands/CreateJobQueueCommand.ts index 3256f79b2189..69623a14f14c 100644 --- a/clients/client-batch/src/commands/CreateJobQueueCommand.ts +++ b/clients/client-batch/src/commands/CreateJobQueueCommand.ts @@ -166,4 +166,16 @@ export class CreateJobQueueCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobQueueCommand) .de(de_CreateJobQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobQueueRequest; + output: CreateJobQueueResponse; + }; + sdk: { + input: CreateJobQueueCommandInput; + output: CreateJobQueueCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/CreateSchedulingPolicyCommand.ts b/clients/client-batch/src/commands/CreateSchedulingPolicyCommand.ts index 7d82f681232a..d5e51e44497c 100644 --- a/clients/client-batch/src/commands/CreateSchedulingPolicyCommand.ts +++ b/clients/client-batch/src/commands/CreateSchedulingPolicyCommand.ts @@ -99,4 +99,16 @@ export class CreateSchedulingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateSchedulingPolicyCommand) .de(de_CreateSchedulingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSchedulingPolicyRequest; + output: CreateSchedulingPolicyResponse; + }; + sdk: { + input: CreateSchedulingPolicyCommandInput; + output: CreateSchedulingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DeleteComputeEnvironmentCommand.ts b/clients/client-batch/src/commands/DeleteComputeEnvironmentCommand.ts index 95334dc08df9..ce5e07ce3242 100644 --- a/clients/client-batch/src/commands/DeleteComputeEnvironmentCommand.ts +++ b/clients/client-batch/src/commands/DeleteComputeEnvironmentCommand.ts @@ -100,4 +100,16 @@ export class DeleteComputeEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteComputeEnvironmentCommand) .de(de_DeleteComputeEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComputeEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteComputeEnvironmentCommandInput; + output: DeleteComputeEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DeleteJobQueueCommand.ts b/clients/client-batch/src/commands/DeleteJobQueueCommand.ts index 2a0d99943c55..d48cd2503442 100644 --- a/clients/client-batch/src/commands/DeleteJobQueueCommand.ts +++ b/clients/client-batch/src/commands/DeleteJobQueueCommand.ts @@ -99,4 +99,16 @@ export class DeleteJobQueueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobQueueCommand) .de(de_DeleteJobQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobQueueRequest; + output: {}; + }; + sdk: { + input: DeleteJobQueueCommandInput; + output: DeleteJobQueueCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DeleteSchedulingPolicyCommand.ts b/clients/client-batch/src/commands/DeleteSchedulingPolicyCommand.ts index 8139dae88299..8d5cdc3eb160 100644 --- a/clients/client-batch/src/commands/DeleteSchedulingPolicyCommand.ts +++ b/clients/client-batch/src/commands/DeleteSchedulingPolicyCommand.ts @@ -84,4 +84,16 @@ export class DeleteSchedulingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchedulingPolicyCommand) .de(de_DeleteSchedulingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchedulingPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteSchedulingPolicyCommandInput; + output: DeleteSchedulingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DeregisterJobDefinitionCommand.ts b/clients/client-batch/src/commands/DeregisterJobDefinitionCommand.ts index 5df560135ddc..fb948f523bcf 100644 --- a/clients/client-batch/src/commands/DeregisterJobDefinitionCommand.ts +++ b/clients/client-batch/src/commands/DeregisterJobDefinitionCommand.ts @@ -95,4 +95,16 @@ export class DeregisterJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterJobDefinitionCommand) .de(de_DeregisterJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterJobDefinitionRequest; + output: {}; + }; + sdk: { + input: DeregisterJobDefinitionCommandInput; + output: DeregisterJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DescribeComputeEnvironmentsCommand.ts b/clients/client-batch/src/commands/DescribeComputeEnvironmentsCommand.ts index 5226d497e056..ad6272a84b81 100644 --- a/clients/client-batch/src/commands/DescribeComputeEnvironmentsCommand.ts +++ b/clients/client-batch/src/commands/DescribeComputeEnvironmentsCommand.ts @@ -212,4 +212,16 @@ export class DescribeComputeEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeComputeEnvironmentsCommand) .de(de_DescribeComputeEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComputeEnvironmentsRequest; + output: DescribeComputeEnvironmentsResponse; + }; + sdk: { + input: DescribeComputeEnvironmentsCommandInput; + output: DescribeComputeEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DescribeJobDefinitionsCommand.ts b/clients/client-batch/src/commands/DescribeJobDefinitionsCommand.ts index 654ea120863c..5561dbd93af8 100644 --- a/clients/client-batch/src/commands/DescribeJobDefinitionsCommand.ts +++ b/clients/client-batch/src/commands/DescribeJobDefinitionsCommand.ts @@ -702,4 +702,16 @@ export class DescribeJobDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobDefinitionsCommand) .de(de_DescribeJobDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobDefinitionsRequest; + output: DescribeJobDefinitionsResponse; + }; + sdk: { + input: DescribeJobDefinitionsCommandInput; + output: DescribeJobDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DescribeJobQueuesCommand.ts b/clients/client-batch/src/commands/DescribeJobQueuesCommand.ts index 1c4206d5cea1..9c9a9de77cc7 100644 --- a/clients/client-batch/src/commands/DescribeJobQueuesCommand.ts +++ b/clients/client-batch/src/commands/DescribeJobQueuesCommand.ts @@ -150,4 +150,16 @@ export class DescribeJobQueuesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobQueuesCommand) .de(de_DescribeJobQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobQueuesRequest; + output: DescribeJobQueuesResponse; + }; + sdk: { + input: DescribeJobQueuesCommandInput; + output: DescribeJobQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DescribeJobsCommand.ts b/clients/client-batch/src/commands/DescribeJobsCommand.ts index 63120ad60062..1f648ff4c24d 100644 --- a/clients/client-batch/src/commands/DescribeJobsCommand.ts +++ b/clients/client-batch/src/commands/DescribeJobsCommand.ts @@ -805,4 +805,16 @@ export class DescribeJobsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobsCommand) .de(de_DescribeJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobsRequest; + output: DescribeJobsResponse; + }; + sdk: { + input: DescribeJobsCommandInput; + output: DescribeJobsCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/DescribeSchedulingPoliciesCommand.ts b/clients/client-batch/src/commands/DescribeSchedulingPoliciesCommand.ts index 4df5449d693a..87a12a707c51 100644 --- a/clients/client-batch/src/commands/DescribeSchedulingPoliciesCommand.ts +++ b/clients/client-batch/src/commands/DescribeSchedulingPoliciesCommand.ts @@ -105,4 +105,16 @@ export class DescribeSchedulingPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSchedulingPoliciesCommand) .de(de_DescribeSchedulingPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSchedulingPoliciesRequest; + output: DescribeSchedulingPoliciesResponse; + }; + sdk: { + input: DescribeSchedulingPoliciesCommandInput; + output: DescribeSchedulingPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/GetJobQueueSnapshotCommand.ts b/clients/client-batch/src/commands/GetJobQueueSnapshotCommand.ts index 61fbcda77b6f..0e80f6ed1058 100644 --- a/clients/client-batch/src/commands/GetJobQueueSnapshotCommand.ts +++ b/clients/client-batch/src/commands/GetJobQueueSnapshotCommand.ts @@ -93,4 +93,16 @@ export class GetJobQueueSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_GetJobQueueSnapshotCommand) .de(de_GetJobQueueSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobQueueSnapshotRequest; + output: GetJobQueueSnapshotResponse; + }; + sdk: { + input: GetJobQueueSnapshotCommandInput; + output: GetJobQueueSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/ListJobsCommand.ts b/clients/client-batch/src/commands/ListJobsCommand.ts index d8d2d481dd61..689e97248cf6 100644 --- a/clients/client-batch/src/commands/ListJobsCommand.ts +++ b/clients/client-batch/src/commands/ListJobsCommand.ts @@ -181,4 +181,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResponse; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/ListSchedulingPoliciesCommand.ts b/clients/client-batch/src/commands/ListSchedulingPoliciesCommand.ts index 2897b6886328..419df554b95b 100644 --- a/clients/client-batch/src/commands/ListSchedulingPoliciesCommand.ts +++ b/clients/client-batch/src/commands/ListSchedulingPoliciesCommand.ts @@ -91,4 +91,16 @@ export class ListSchedulingPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListSchedulingPoliciesCommand) .de(de_ListSchedulingPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchedulingPoliciesRequest; + output: ListSchedulingPoliciesResponse; + }; + sdk: { + input: ListSchedulingPoliciesCommandInput; + output: ListSchedulingPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/ListTagsForResourceCommand.ts b/clients/client-batch/src/commands/ListTagsForResourceCommand.ts index d6e756b1e66c..5e222e107416 100644 --- a/clients/client-batch/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-batch/src/commands/ListTagsForResourceCommand.ts @@ -108,4 +108,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/RegisterJobDefinitionCommand.ts b/clients/client-batch/src/commands/RegisterJobDefinitionCommand.ts index 56529ceaf2ba..2446056be25a 100644 --- a/clients/client-batch/src/commands/RegisterJobDefinitionCommand.ts +++ b/clients/client-batch/src/commands/RegisterJobDefinitionCommand.ts @@ -719,4 +719,16 @@ export class RegisterJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_RegisterJobDefinitionCommand) .de(de_RegisterJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterJobDefinitionRequest; + output: RegisterJobDefinitionResponse; + }; + sdk: { + input: RegisterJobDefinitionCommandInput; + output: RegisterJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/SubmitJobCommand.ts b/clients/client-batch/src/commands/SubmitJobCommand.ts index 3db07285b052..9883be081167 100644 --- a/clients/client-batch/src/commands/SubmitJobCommand.ts +++ b/clients/client-batch/src/commands/SubmitJobCommand.ts @@ -337,4 +337,16 @@ export class SubmitJobCommand extends $Command .f(void 0, void 0) .ser(se_SubmitJobCommand) .de(de_SubmitJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitJobRequest; + output: SubmitJobResponse; + }; + sdk: { + input: SubmitJobCommandInput; + output: SubmitJobCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/TagResourceCommand.ts b/clients/client-batch/src/commands/TagResourceCommand.ts index 9e46ba2a47ab..8cdd21e40309 100644 --- a/clients/client-batch/src/commands/TagResourceCommand.ts +++ b/clients/client-batch/src/commands/TagResourceCommand.ts @@ -104,4 +104,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/TerminateJobCommand.ts b/clients/client-batch/src/commands/TerminateJobCommand.ts index 6f10d176d887..39fba96679ae 100644 --- a/clients/client-batch/src/commands/TerminateJobCommand.ts +++ b/clients/client-batch/src/commands/TerminateJobCommand.ts @@ -99,4 +99,16 @@ export class TerminateJobCommand extends $Command .f(void 0, void 0) .ser(se_TerminateJobCommand) .de(de_TerminateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateJobRequest; + output: {}; + }; + sdk: { + input: TerminateJobCommandInput; + output: TerminateJobCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/UntagResourceCommand.ts b/clients/client-batch/src/commands/UntagResourceCommand.ts index 7f74ee6ab67a..3f5afd9d0085 100644 --- a/clients/client-batch/src/commands/UntagResourceCommand.ts +++ b/clients/client-batch/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/UpdateComputeEnvironmentCommand.ts b/clients/client-batch/src/commands/UpdateComputeEnvironmentCommand.ts index 54b73ee5cc72..1c79fd083bb3 100644 --- a/clients/client-batch/src/commands/UpdateComputeEnvironmentCommand.ts +++ b/clients/client-batch/src/commands/UpdateComputeEnvironmentCommand.ts @@ -149,4 +149,16 @@ export class UpdateComputeEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateComputeEnvironmentCommand) .de(de_UpdateComputeEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateComputeEnvironmentRequest; + output: UpdateComputeEnvironmentResponse; + }; + sdk: { + input: UpdateComputeEnvironmentCommandInput; + output: UpdateComputeEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/UpdateJobQueueCommand.ts b/clients/client-batch/src/commands/UpdateJobQueueCommand.ts index e82d674d5903..9436170c87be 100644 --- a/clients/client-batch/src/commands/UpdateJobQueueCommand.ts +++ b/clients/client-batch/src/commands/UpdateJobQueueCommand.ts @@ -121,4 +121,16 @@ export class UpdateJobQueueCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobQueueCommand) .de(de_UpdateJobQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobQueueRequest; + output: UpdateJobQueueResponse; + }; + sdk: { + input: UpdateJobQueueCommandInput; + output: UpdateJobQueueCommandOutput; + }; + }; +} diff --git a/clients/client-batch/src/commands/UpdateSchedulingPolicyCommand.ts b/clients/client-batch/src/commands/UpdateSchedulingPolicyCommand.ts index 66d36fca99c4..87b4161ce80b 100644 --- a/clients/client-batch/src/commands/UpdateSchedulingPolicyCommand.ts +++ b/clients/client-batch/src/commands/UpdateSchedulingPolicyCommand.ts @@ -93,4 +93,16 @@ export class UpdateSchedulingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSchedulingPolicyCommand) .de(de_UpdateSchedulingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSchedulingPolicyRequest; + output: {}; + }; + sdk: { + input: UpdateSchedulingPolicyCommandInput; + output: UpdateSchedulingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/package.json b/clients/client-bcm-data-exports/package.json index 96198c5dc53a..ba86467fca77 100644 --- a/clients/client-bcm-data-exports/package.json +++ b/clients/client-bcm-data-exports/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-bcm-data-exports/src/commands/CreateExportCommand.ts b/clients/client-bcm-data-exports/src/commands/CreateExportCommand.ts index 90b02951dd03..d4978aa7f43d 100644 --- a/clients/client-bcm-data-exports/src/commands/CreateExportCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/CreateExportCommand.ts @@ -142,4 +142,16 @@ export class CreateExportCommand extends $Command .f(void 0, void 0) .ser(se_CreateExportCommand) .de(de_CreateExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExportRequest; + output: CreateExportResponse; + }; + sdk: { + input: CreateExportCommandInput; + output: CreateExportCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/DeleteExportCommand.ts b/clients/client-bcm-data-exports/src/commands/DeleteExportCommand.ts index ccab6c29ae56..124267e7e022 100644 --- a/clients/client-bcm-data-exports/src/commands/DeleteExportCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/DeleteExportCommand.ts @@ -91,4 +91,16 @@ export class DeleteExportCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExportCommand) .de(de_DeleteExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExportRequest; + output: DeleteExportResponse; + }; + sdk: { + input: DeleteExportCommandInput; + output: DeleteExportCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/GetExecutionCommand.ts b/clients/client-bcm-data-exports/src/commands/GetExecutionCommand.ts index fe59d4ff6c46..3dd78e0ea874 100644 --- a/clients/client-bcm-data-exports/src/commands/GetExecutionCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/GetExecutionCommand.ts @@ -128,4 +128,16 @@ export class GetExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetExecutionCommand) .de(de_GetExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExecutionRequest; + output: GetExecutionResponse; + }; + sdk: { + input: GetExecutionCommandInput; + output: GetExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/GetExportCommand.ts b/clients/client-bcm-data-exports/src/commands/GetExportCommand.ts index 8671c9b61e02..0ff1412d55f4 100644 --- a/clients/client-bcm-data-exports/src/commands/GetExportCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/GetExportCommand.ts @@ -126,4 +126,16 @@ export class GetExportCommand extends $Command .f(void 0, void 0) .ser(se_GetExportCommand) .de(de_GetExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExportRequest; + output: GetExportResponse; + }; + sdk: { + input: GetExportCommandInput; + output: GetExportCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/GetTableCommand.ts b/clients/client-bcm-data-exports/src/commands/GetTableCommand.ts index b9310c5f5d9f..382b01bf2c97 100644 --- a/clients/client-bcm-data-exports/src/commands/GetTableCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/GetTableCommand.ts @@ -103,4 +103,16 @@ export class GetTableCommand extends $Command .f(void 0, void 0) .ser(se_GetTableCommand) .de(de_GetTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableRequest; + output: GetTableResponse; + }; + sdk: { + input: GetTableCommandInput; + output: GetTableCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/ListExecutionsCommand.ts b/clients/client-bcm-data-exports/src/commands/ListExecutionsCommand.ts index 851904a787ed..fda08c10211f 100644 --- a/clients/client-bcm-data-exports/src/commands/ListExecutionsCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/ListExecutionsCommand.ts @@ -105,4 +105,16 @@ export class ListExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListExecutionsCommand) .de(de_ListExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExecutionsRequest; + output: ListExecutionsResponse; + }; + sdk: { + input: ListExecutionsCommandInput; + output: ListExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/ListExportsCommand.ts b/clients/client-bcm-data-exports/src/commands/ListExportsCommand.ts index 28108a284e4c..b0bf690ee396 100644 --- a/clients/client-bcm-data-exports/src/commands/ListExportsCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/ListExportsCommand.ts @@ -102,4 +102,16 @@ export class ListExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListExportsCommand) .de(de_ListExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExportsRequest; + output: ListExportsResponse; + }; + sdk: { + input: ListExportsCommandInput; + output: ListExportsCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/ListTablesCommand.ts b/clients/client-bcm-data-exports/src/commands/ListTablesCommand.ts index 4a9c4f92f374..cbbe8f4822e9 100644 --- a/clients/client-bcm-data-exports/src/commands/ListTablesCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/ListTablesCommand.ts @@ -105,4 +105,16 @@ export class ListTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListTablesCommand) .de(de_ListTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTablesRequest; + output: ListTablesResponse; + }; + sdk: { + input: ListTablesCommandInput; + output: ListTablesCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/ListTagsForResourceCommand.ts b/clients/client-bcm-data-exports/src/commands/ListTagsForResourceCommand.ts index b7a379c961b0..fdd003564657 100644 --- a/clients/client-bcm-data-exports/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/TagResourceCommand.ts b/clients/client-bcm-data-exports/src/commands/TagResourceCommand.ts index fc8d3b817d70..fe4e13f288c6 100644 --- a/clients/client-bcm-data-exports/src/commands/TagResourceCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/UntagResourceCommand.ts b/clients/client-bcm-data-exports/src/commands/UntagResourceCommand.ts index 88ef7d332ac5..f132a2219610 100644 --- a/clients/client-bcm-data-exports/src/commands/UntagResourceCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/UntagResourceCommand.ts @@ -92,4 +92,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bcm-data-exports/src/commands/UpdateExportCommand.ts b/clients/client-bcm-data-exports/src/commands/UpdateExportCommand.ts index 8bbd02aa1354..9f1f6717bcbf 100644 --- a/clients/client-bcm-data-exports/src/commands/UpdateExportCommand.ts +++ b/clients/client-bcm-data-exports/src/commands/UpdateExportCommand.ts @@ -121,4 +121,16 @@ export class UpdateExportCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExportCommand) .de(de_UpdateExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExportRequest; + output: UpdateExportResponse; + }; + sdk: { + input: UpdateExportCommandInput; + output: UpdateExportCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent-runtime/package.json b/clients/client-bedrock-agent-runtime/package.json index 59f654392fdb..0280bc68d05d 100644 --- a/clients/client-bedrock-agent-runtime/package.json +++ b/clients/client-bedrock-agent-runtime/package.json @@ -33,33 +33,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-bedrock-agent-runtime/src/commands/DeleteAgentMemoryCommand.ts b/clients/client-bedrock-agent-runtime/src/commands/DeleteAgentMemoryCommand.ts index 4a40f6ff318e..37ec07bbcc6c 100644 --- a/clients/client-bedrock-agent-runtime/src/commands/DeleteAgentMemoryCommand.ts +++ b/clients/client-bedrock-agent-runtime/src/commands/DeleteAgentMemoryCommand.ts @@ -108,4 +108,16 @@ export class DeleteAgentMemoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAgentMemoryCommand) .de(de_DeleteAgentMemoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAgentMemoryRequest; + output: {}; + }; + sdk: { + input: DeleteAgentMemoryCommandInput; + output: DeleteAgentMemoryCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent-runtime/src/commands/GetAgentMemoryCommand.ts b/clients/client-bedrock-agent-runtime/src/commands/GetAgentMemoryCommand.ts index 70bc9f46ce08..41fe396d0b3b 100644 --- a/clients/client-bedrock-agent-runtime/src/commands/GetAgentMemoryCommand.ts +++ b/clients/client-bedrock-agent-runtime/src/commands/GetAgentMemoryCommand.ts @@ -124,4 +124,16 @@ export class GetAgentMemoryCommand extends $Command .f(void 0, void 0) .ser(se_GetAgentMemoryCommand) .de(de_GetAgentMemoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgentMemoryRequest; + output: GetAgentMemoryResponse; + }; + sdk: { + input: GetAgentMemoryCommandInput; + output: GetAgentMemoryCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent-runtime/src/commands/InvokeAgentCommand.ts b/clients/client-bedrock-agent-runtime/src/commands/InvokeAgentCommand.ts index aac993c2f21f..7042557ad040 100644 --- a/clients/client-bedrock-agent-runtime/src/commands/InvokeAgentCommand.ts +++ b/clients/client-bedrock-agent-runtime/src/commands/InvokeAgentCommand.ts @@ -709,4 +709,16 @@ export class InvokeAgentCommand extends $Command .f(InvokeAgentRequestFilterSensitiveLog, InvokeAgentResponseFilterSensitiveLog) .ser(se_InvokeAgentCommand) .de(de_InvokeAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeAgentRequest; + output: InvokeAgentResponse; + }; + sdk: { + input: InvokeAgentCommandInput; + output: InvokeAgentCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent-runtime/src/commands/InvokeFlowCommand.ts b/clients/client-bedrock-agent-runtime/src/commands/InvokeFlowCommand.ts index b044c7a0e33e..dd90f00078ac 100644 --- a/clients/client-bedrock-agent-runtime/src/commands/InvokeFlowCommand.ts +++ b/clients/client-bedrock-agent-runtime/src/commands/InvokeFlowCommand.ts @@ -173,4 +173,16 @@ export class InvokeFlowCommand extends $Command .f(InvokeFlowRequestFilterSensitiveLog, InvokeFlowResponseFilterSensitiveLog) .ser(se_InvokeFlowCommand) .de(de_InvokeFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeFlowRequest; + output: InvokeFlowResponse; + }; + sdk: { + input: InvokeFlowCommandInput; + output: InvokeFlowCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent-runtime/src/commands/RetrieveAndGenerateCommand.ts b/clients/client-bedrock-agent-runtime/src/commands/RetrieveAndGenerateCommand.ts index ad4eaeaf4c87..c91b71e8611d 100644 --- a/clients/client-bedrock-agent-runtime/src/commands/RetrieveAndGenerateCommand.ts +++ b/clients/client-bedrock-agent-runtime/src/commands/RetrieveAndGenerateCommand.ts @@ -294,4 +294,16 @@ export class RetrieveAndGenerateCommand extends $Command .f(RetrieveAndGenerateRequestFilterSensitiveLog, RetrieveAndGenerateResponseFilterSensitiveLog) .ser(se_RetrieveAndGenerateCommand) .de(de_RetrieveAndGenerateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetrieveAndGenerateRequest; + output: RetrieveAndGenerateResponse; + }; + sdk: { + input: RetrieveAndGenerateCommandInput; + output: RetrieveAndGenerateCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent-runtime/src/commands/RetrieveCommand.ts b/clients/client-bedrock-agent-runtime/src/commands/RetrieveCommand.ts index 4015cc25614d..6de7e77db7bf 100644 --- a/clients/client-bedrock-agent-runtime/src/commands/RetrieveCommand.ts +++ b/clients/client-bedrock-agent-runtime/src/commands/RetrieveCommand.ts @@ -204,4 +204,16 @@ export class RetrieveCommand extends $Command .f(RetrieveRequestFilterSensitiveLog, RetrieveResponseFilterSensitiveLog) .ser(se_RetrieveCommand) .de(de_RetrieveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetrieveRequest; + output: RetrieveResponse; + }; + sdk: { + input: RetrieveCommandInput; + output: RetrieveCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/package.json b/clients/client-bedrock-agent/package.json index f624321ba7c4..557b7aedf5c8 100644 --- a/clients/client-bedrock-agent/package.json +++ b/clients/client-bedrock-agent/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-bedrock-agent/src/commands/AssociateAgentKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/AssociateAgentKnowledgeBaseCommand.ts index 0a369a263ecd..1facfc0fd5f1 100644 --- a/clients/client-bedrock-agent/src/commands/AssociateAgentKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/AssociateAgentKnowledgeBaseCommand.ts @@ -115,4 +115,16 @@ export class AssociateAgentKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAgentKnowledgeBaseCommand) .de(de_AssociateAgentKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAgentKnowledgeBaseRequest; + output: AssociateAgentKnowledgeBaseResponse; + }; + sdk: { + input: AssociateAgentKnowledgeBaseCommandInput; + output: AssociateAgentKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateAgentActionGroupCommand.ts b/clients/client-bedrock-agent/src/commands/CreateAgentActionGroupCommand.ts index c21ff6c2d5f0..77483e0040a9 100644 --- a/clients/client-bedrock-agent/src/commands/CreateAgentActionGroupCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateAgentActionGroupCommand.ts @@ -179,4 +179,16 @@ export class CreateAgentActionGroupCommand extends $Command .f(CreateAgentActionGroupRequestFilterSensitiveLog, CreateAgentActionGroupResponseFilterSensitiveLog) .ser(se_CreateAgentActionGroupCommand) .de(de_CreateAgentActionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAgentActionGroupRequest; + output: CreateAgentActionGroupResponse; + }; + sdk: { + input: CreateAgentActionGroupCommandInput; + output: CreateAgentActionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateAgentAliasCommand.ts b/clients/client-bedrock-agent/src/commands/CreateAgentAliasCommand.ts index b415a5449fe3..18178156c389 100644 --- a/clients/client-bedrock-agent/src/commands/CreateAgentAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateAgentAliasCommand.ts @@ -141,4 +141,16 @@ export class CreateAgentAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAgentAliasCommand) .de(de_CreateAgentAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAgentAliasRequest; + output: CreateAgentAliasResponse; + }; + sdk: { + input: CreateAgentAliasCommandInput; + output: CreateAgentAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateAgentCommand.ts b/clients/client-bedrock-agent/src/commands/CreateAgentCommand.ts index d71b6b4484e3..b5cf8f59cee0 100644 --- a/clients/client-bedrock-agent/src/commands/CreateAgentCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateAgentCommand.ts @@ -225,4 +225,16 @@ export class CreateAgentCommand extends $Command .f(CreateAgentRequestFilterSensitiveLog, CreateAgentResponseFilterSensitiveLog) .ser(se_CreateAgentCommand) .de(de_CreateAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAgentRequest; + output: CreateAgentResponse; + }; + sdk: { + input: CreateAgentCommandInput; + output: CreateAgentCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateDataSourceCommand.ts b/clients/client-bedrock-agent/src/commands/CreateDataSourceCommand.ts index 5644991b88c7..a09deaf213ca 100644 --- a/clients/client-bedrock-agent/src/commands/CreateDataSourceCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateDataSourceCommand.ts @@ -440,4 +440,16 @@ export class CreateDataSourceCommand extends $Command .f(CreateDataSourceRequestFilterSensitiveLog, CreateDataSourceResponseFilterSensitiveLog) .ser(se_CreateDataSourceCommand) .de(de_CreateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceRequest; + output: CreateDataSourceResponse; + }; + sdk: { + input: CreateDataSourceCommandInput; + output: CreateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateFlowAliasCommand.ts b/clients/client-bedrock-agent/src/commands/CreateFlowAliasCommand.ts index d9e4e7a83afc..654205a4b39c 100644 --- a/clients/client-bedrock-agent/src/commands/CreateFlowAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateFlowAliasCommand.ts @@ -120,4 +120,16 @@ export class CreateFlowAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateFlowAliasCommand) .de(de_CreateFlowAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowAliasRequest; + output: CreateFlowAliasResponse; + }; + sdk: { + input: CreateFlowAliasCommandInput; + output: CreateFlowAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateFlowCommand.ts b/clients/client-bedrock-agent/src/commands/CreateFlowCommand.ts index 0ced5dade25b..c4279e062dc2 100644 --- a/clients/client-bedrock-agent/src/commands/CreateFlowCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateFlowCommand.ts @@ -340,4 +340,16 @@ export class CreateFlowCommand extends $Command .f(CreateFlowRequestFilterSensitiveLog, CreateFlowResponseFilterSensitiveLog) .ser(se_CreateFlowCommand) .de(de_CreateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowRequest; + output: CreateFlowResponse; + }; + sdk: { + input: CreateFlowCommandInput; + output: CreateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateFlowVersionCommand.ts b/clients/client-bedrock-agent/src/commands/CreateFlowVersionCommand.ts index 4827e370cea0..92a01e0dfe15 100644 --- a/clients/client-bedrock-agent/src/commands/CreateFlowVersionCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateFlowVersionCommand.ts @@ -224,4 +224,16 @@ export class CreateFlowVersionCommand extends $Command .f(void 0, CreateFlowVersionResponseFilterSensitiveLog) .ser(se_CreateFlowVersionCommand) .de(de_CreateFlowVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowVersionRequest; + output: CreateFlowVersionResponse; + }; + sdk: { + input: CreateFlowVersionCommandInput; + output: CreateFlowVersionCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreateKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/CreateKnowledgeBaseCommand.ts index fa60b7ea94e1..e45d1cbfd3d6 100644 --- a/clients/client-bedrock-agent/src/commands/CreateKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreateKnowledgeBaseCommand.ts @@ -278,4 +278,16 @@ export class CreateKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateKnowledgeBaseCommand) .de(de_CreateKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKnowledgeBaseRequest; + output: CreateKnowledgeBaseResponse; + }; + sdk: { + input: CreateKnowledgeBaseCommandInput; + output: CreateKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreatePromptCommand.ts b/clients/client-bedrock-agent/src/commands/CreatePromptCommand.ts index 1e5239ea7837..d2b0b6b01480 100644 --- a/clients/client-bedrock-agent/src/commands/CreatePromptCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreatePromptCommand.ts @@ -183,4 +183,16 @@ export class CreatePromptCommand extends $Command .f(CreatePromptRequestFilterSensitiveLog, CreatePromptResponseFilterSensitiveLog) .ser(se_CreatePromptCommand) .de(de_CreatePromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePromptRequest; + output: CreatePromptResponse; + }; + sdk: { + input: CreatePromptCommandInput; + output: CreatePromptCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/CreatePromptVersionCommand.ts b/clients/client-bedrock-agent/src/commands/CreatePromptVersionCommand.ts index 0a49a26292cf..81477bcbfd26 100644 --- a/clients/client-bedrock-agent/src/commands/CreatePromptVersionCommand.ts +++ b/clients/client-bedrock-agent/src/commands/CreatePromptVersionCommand.ts @@ -149,4 +149,16 @@ export class CreatePromptVersionCommand extends $Command .f(void 0, CreatePromptVersionResponseFilterSensitiveLog) .ser(se_CreatePromptVersionCommand) .de(de_CreatePromptVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePromptVersionRequest; + output: CreatePromptVersionResponse; + }; + sdk: { + input: CreatePromptVersionCommandInput; + output: CreatePromptVersionCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteAgentActionGroupCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteAgentActionGroupCommand.ts index 3d2404b27699..74df3f2665c7 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteAgentActionGroupCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteAgentActionGroupCommand.ts @@ -96,4 +96,16 @@ export class DeleteAgentActionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAgentActionGroupCommand) .de(de_DeleteAgentActionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAgentActionGroupRequest; + output: {}; + }; + sdk: { + input: DeleteAgentActionGroupCommandInput; + output: DeleteAgentActionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteAgentAliasCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteAgentAliasCommand.ts index 0376cb3ed0cd..ca289cf75075 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteAgentAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteAgentAliasCommand.ts @@ -95,4 +95,16 @@ export class DeleteAgentAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAgentAliasCommand) .de(de_DeleteAgentAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAgentAliasRequest; + output: DeleteAgentAliasResponse; + }; + sdk: { + input: DeleteAgentAliasCommandInput; + output: DeleteAgentAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteAgentCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteAgentCommand.ts index 0ba865ace75b..3ff8da5cf771 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteAgentCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteAgentCommand.ts @@ -97,4 +97,16 @@ export class DeleteAgentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAgentCommand) .de(de_DeleteAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAgentRequest; + output: DeleteAgentResponse; + }; + sdk: { + input: DeleteAgentCommandInput; + output: DeleteAgentCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteAgentVersionCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteAgentVersionCommand.ts index 8cb4e660c8d9..2c8b6b855f68 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteAgentVersionCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteAgentVersionCommand.ts @@ -99,4 +99,16 @@ export class DeleteAgentVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAgentVersionCommand) .de(de_DeleteAgentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAgentVersionRequest; + output: DeleteAgentVersionResponse; + }; + sdk: { + input: DeleteAgentVersionCommandInput; + output: DeleteAgentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteDataSourceCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteDataSourceCommand.ts index 9672aa1b038b..2e42b123153e 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteDataSourceCommand.ts @@ -98,4 +98,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceRequest; + output: DeleteDataSourceResponse; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteFlowAliasCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteFlowAliasCommand.ts index 214320dd57c0..9d3a5050572f 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteFlowAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteFlowAliasCommand.ts @@ -97,4 +97,16 @@ export class DeleteFlowAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowAliasCommand) .de(de_DeleteFlowAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowAliasRequest; + output: DeleteFlowAliasResponse; + }; + sdk: { + input: DeleteFlowAliasCommandInput; + output: DeleteFlowAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteFlowCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteFlowCommand.ts index 9e6ed6c736fc..36dfe2888b2f 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteFlowCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteFlowCommand.ts @@ -96,4 +96,16 @@ export class DeleteFlowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowCommand) .de(de_DeleteFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowRequest; + output: DeleteFlowResponse; + }; + sdk: { + input: DeleteFlowCommandInput; + output: DeleteFlowCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteFlowVersionCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteFlowVersionCommand.ts index c3a772dd9eb0..76489f470d15 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteFlowVersionCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteFlowVersionCommand.ts @@ -98,4 +98,16 @@ export class DeleteFlowVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowVersionCommand) .de(de_DeleteFlowVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowVersionRequest; + output: DeleteFlowVersionResponse; + }; + sdk: { + input: DeleteFlowVersionCommandInput; + output: DeleteFlowVersionCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeleteKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/DeleteKnowledgeBaseCommand.ts index d0aa33ab0a39..30da10492f95 100644 --- a/clients/client-bedrock-agent/src/commands/DeleteKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeleteKnowledgeBaseCommand.ts @@ -96,4 +96,16 @@ export class DeleteKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKnowledgeBaseCommand) .de(de_DeleteKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKnowledgeBaseRequest; + output: DeleteKnowledgeBaseResponse; + }; + sdk: { + input: DeleteKnowledgeBaseCommandInput; + output: DeleteKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DeletePromptCommand.ts b/clients/client-bedrock-agent/src/commands/DeletePromptCommand.ts index 59888e8476ce..17fd74bd91e4 100644 --- a/clients/client-bedrock-agent/src/commands/DeletePromptCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DeletePromptCommand.ts @@ -97,4 +97,16 @@ export class DeletePromptCommand extends $Command .f(void 0, void 0) .ser(se_DeletePromptCommand) .de(de_DeletePromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePromptRequest; + output: DeletePromptResponse; + }; + sdk: { + input: DeletePromptCommandInput; + output: DeletePromptCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/DisassociateAgentKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/DisassociateAgentKnowledgeBaseCommand.ts index 426454120b33..089d7dfe07e8 100644 --- a/clients/client-bedrock-agent/src/commands/DisassociateAgentKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/DisassociateAgentKnowledgeBaseCommand.ts @@ -100,4 +100,16 @@ export class DisassociateAgentKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAgentKnowledgeBaseCommand) .de(de_DisassociateAgentKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAgentKnowledgeBaseRequest; + output: {}; + }; + sdk: { + input: DisassociateAgentKnowledgeBaseCommandInput; + output: DisassociateAgentKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetAgentActionGroupCommand.ts b/clients/client-bedrock-agent/src/commands/GetAgentActionGroupCommand.ts index d4fbea13e2b7..285b0bf11865 100644 --- a/clients/client-bedrock-agent/src/commands/GetAgentActionGroupCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetAgentActionGroupCommand.ts @@ -136,4 +136,16 @@ export class GetAgentActionGroupCommand extends $Command .f(void 0, GetAgentActionGroupResponseFilterSensitiveLog) .ser(se_GetAgentActionGroupCommand) .de(de_GetAgentActionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgentActionGroupRequest; + output: GetAgentActionGroupResponse; + }; + sdk: { + input: GetAgentActionGroupCommandInput; + output: GetAgentActionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetAgentAliasCommand.ts b/clients/client-bedrock-agent/src/commands/GetAgentAliasCommand.ts index fa8c6c6e85f3..4f8664c47251 100644 --- a/clients/client-bedrock-agent/src/commands/GetAgentAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetAgentAliasCommand.ts @@ -124,4 +124,16 @@ export class GetAgentAliasCommand extends $Command .f(void 0, void 0) .ser(se_GetAgentAliasCommand) .de(de_GetAgentAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgentAliasRequest; + output: GetAgentAliasResponse; + }; + sdk: { + input: GetAgentAliasCommandInput; + output: GetAgentAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetAgentCommand.ts b/clients/client-bedrock-agent/src/commands/GetAgentCommand.ts index ec748ba2b195..499fc867688b 100644 --- a/clients/client-bedrock-agent/src/commands/GetAgentCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetAgentCommand.ts @@ -145,4 +145,16 @@ export class GetAgentCommand extends $Command .f(void 0, GetAgentResponseFilterSensitiveLog) .ser(se_GetAgentCommand) .de(de_GetAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgentRequest; + output: GetAgentResponse; + }; + sdk: { + input: GetAgentCommandInput; + output: GetAgentCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetAgentKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/GetAgentKnowledgeBaseCommand.ts index f79a2a326bc4..1f1ddc55142e 100644 --- a/clients/client-bedrock-agent/src/commands/GetAgentKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetAgentKnowledgeBaseCommand.ts @@ -102,4 +102,16 @@ export class GetAgentKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_GetAgentKnowledgeBaseCommand) .de(de_GetAgentKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgentKnowledgeBaseRequest; + output: GetAgentKnowledgeBaseResponse; + }; + sdk: { + input: GetAgentKnowledgeBaseCommandInput; + output: GetAgentKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetAgentVersionCommand.ts b/clients/client-bedrock-agent/src/commands/GetAgentVersionCommand.ts index a66418b2ff2a..e32ebe36edaa 100644 --- a/clients/client-bedrock-agent/src/commands/GetAgentVersionCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetAgentVersionCommand.ts @@ -148,4 +148,16 @@ export class GetAgentVersionCommand extends $Command .f(void 0, GetAgentVersionResponseFilterSensitiveLog) .ser(se_GetAgentVersionCommand) .de(de_GetAgentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgentVersionRequest; + output: GetAgentVersionResponse; + }; + sdk: { + input: GetAgentVersionCommandInput; + output: GetAgentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetDataSourceCommand.ts b/clients/client-bedrock-agent/src/commands/GetDataSourceCommand.ts index 460cf3788485..c395eadcf80c 100644 --- a/clients/client-bedrock-agent/src/commands/GetDataSourceCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetDataSourceCommand.ts @@ -268,4 +268,16 @@ export class GetDataSourceCommand extends $Command .f(void 0, GetDataSourceResponseFilterSensitiveLog) .ser(se_GetDataSourceCommand) .de(de_GetDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceRequest; + output: GetDataSourceResponse; + }; + sdk: { + input: GetDataSourceCommandInput; + output: GetDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetFlowAliasCommand.ts b/clients/client-bedrock-agent/src/commands/GetFlowAliasCommand.ts index ed5e30f9171d..bf592fab3019 100644 --- a/clients/client-bedrock-agent/src/commands/GetFlowAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetFlowAliasCommand.ts @@ -104,4 +104,16 @@ export class GetFlowAliasCommand extends $Command .f(void 0, void 0) .ser(se_GetFlowAliasCommand) .de(de_GetFlowAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFlowAliasRequest; + output: GetFlowAliasResponse; + }; + sdk: { + input: GetFlowAliasCommandInput; + output: GetFlowAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetFlowCommand.ts b/clients/client-bedrock-agent/src/commands/GetFlowCommand.ts index ba462cabdcf9..08e53cd2f9d1 100644 --- a/clients/client-bedrock-agent/src/commands/GetFlowCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetFlowCommand.ts @@ -219,4 +219,16 @@ export class GetFlowCommand extends $Command .f(void 0, GetFlowResponseFilterSensitiveLog) .ser(se_GetFlowCommand) .de(de_GetFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFlowRequest; + output: GetFlowResponse; + }; + sdk: { + input: GetFlowCommandInput; + output: GetFlowCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetFlowVersionCommand.ts b/clients/client-bedrock-agent/src/commands/GetFlowVersionCommand.ts index 0de1dce76ab6..2b965edf1c85 100644 --- a/clients/client-bedrock-agent/src/commands/GetFlowVersionCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetFlowVersionCommand.ts @@ -217,4 +217,16 @@ export class GetFlowVersionCommand extends $Command .f(void 0, GetFlowVersionResponseFilterSensitiveLog) .ser(se_GetFlowVersionCommand) .de(de_GetFlowVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFlowVersionRequest; + output: GetFlowVersionResponse; + }; + sdk: { + input: GetFlowVersionCommandInput; + output: GetFlowVersionCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetIngestionJobCommand.ts b/clients/client-bedrock-agent/src/commands/GetIngestionJobCommand.ts index a11e4cf6c3d6..7de955d3e2c2 100644 --- a/clients/client-bedrock-agent/src/commands/GetIngestionJobCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetIngestionJobCommand.ts @@ -114,4 +114,16 @@ export class GetIngestionJobCommand extends $Command .f(void 0, void 0) .ser(se_GetIngestionJobCommand) .de(de_GetIngestionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIngestionJobRequest; + output: GetIngestionJobResponse; + }; + sdk: { + input: GetIngestionJobCommandInput; + output: GetIngestionJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/GetKnowledgeBaseCommand.ts index cc136426cc12..3816f1ff061d 100644 --- a/clients/client-bedrock-agent/src/commands/GetKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetKnowledgeBaseCommand.ts @@ -171,4 +171,16 @@ export class GetKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_GetKnowledgeBaseCommand) .de(de_GetKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKnowledgeBaseRequest; + output: GetKnowledgeBaseResponse; + }; + sdk: { + input: GetKnowledgeBaseCommandInput; + output: GetKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/GetPromptCommand.ts b/clients/client-bedrock-agent/src/commands/GetPromptCommand.ts index 2f3cc6b4e89e..41a8631c004f 100644 --- a/clients/client-bedrock-agent/src/commands/GetPromptCommand.ts +++ b/clients/client-bedrock-agent/src/commands/GetPromptCommand.ts @@ -135,4 +135,16 @@ export class GetPromptCommand extends $Command .f(void 0, GetPromptResponseFilterSensitiveLog) .ser(se_GetPromptCommand) .de(de_GetPromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPromptRequest; + output: GetPromptResponse; + }; + sdk: { + input: GetPromptCommandInput; + output: GetPromptCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListAgentActionGroupsCommand.ts b/clients/client-bedrock-agent/src/commands/ListAgentActionGroupsCommand.ts index 40a5db00f1c5..c8dde18cca57 100644 --- a/clients/client-bedrock-agent/src/commands/ListAgentActionGroupsCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListAgentActionGroupsCommand.ts @@ -104,4 +104,16 @@ export class ListAgentActionGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListAgentActionGroupsCommand) .de(de_ListAgentActionGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgentActionGroupsRequest; + output: ListAgentActionGroupsResponse; + }; + sdk: { + input: ListAgentActionGroupsCommandInput; + output: ListAgentActionGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListAgentAliasesCommand.ts b/clients/client-bedrock-agent/src/commands/ListAgentAliasesCommand.ts index 1775731bb79f..3ca84f669263 100644 --- a/clients/client-bedrock-agent/src/commands/ListAgentAliasesCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListAgentAliasesCommand.ts @@ -110,4 +110,16 @@ export class ListAgentAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAgentAliasesCommand) .de(de_ListAgentAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgentAliasesRequest; + output: ListAgentAliasesResponse; + }; + sdk: { + input: ListAgentAliasesCommandInput; + output: ListAgentAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListAgentKnowledgeBasesCommand.ts b/clients/client-bedrock-agent/src/commands/ListAgentKnowledgeBasesCommand.ts index d2270c310c42..842fa34d4b1a 100644 --- a/clients/client-bedrock-agent/src/commands/ListAgentKnowledgeBasesCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListAgentKnowledgeBasesCommand.ts @@ -103,4 +103,16 @@ export class ListAgentKnowledgeBasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAgentKnowledgeBasesCommand) .de(de_ListAgentKnowledgeBasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgentKnowledgeBasesRequest; + output: ListAgentKnowledgeBasesResponse; + }; + sdk: { + input: ListAgentKnowledgeBasesCommandInput; + output: ListAgentKnowledgeBasesCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListAgentVersionsCommand.ts b/clients/client-bedrock-agent/src/commands/ListAgentVersionsCommand.ts index e8c58d088b44..f3ed1f053a33 100644 --- a/clients/client-bedrock-agent/src/commands/ListAgentVersionsCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListAgentVersionsCommand.ts @@ -108,4 +108,16 @@ export class ListAgentVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAgentVersionsCommand) .de(de_ListAgentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgentVersionsRequest; + output: ListAgentVersionsResponse; + }; + sdk: { + input: ListAgentVersionsCommandInput; + output: ListAgentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListAgentsCommand.ts b/clients/client-bedrock-agent/src/commands/ListAgentsCommand.ts index 96e57806d848..ca44f763f5e5 100644 --- a/clients/client-bedrock-agent/src/commands/ListAgentsCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListAgentsCommand.ts @@ -104,4 +104,16 @@ export class ListAgentsCommand extends $Command .f(void 0, void 0) .ser(se_ListAgentsCommand) .de(de_ListAgentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgentsRequest; + output: ListAgentsResponse; + }; + sdk: { + input: ListAgentsCommandInput; + output: ListAgentsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListDataSourcesCommand.ts b/clients/client-bedrock-agent/src/commands/ListDataSourcesCommand.ts index 78abc2af4651..f598feb72240 100644 --- a/clients/client-bedrock-agent/src/commands/ListDataSourcesCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListDataSourcesCommand.ts @@ -104,4 +104,16 @@ export class ListDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourcesCommand) .de(de_ListDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourcesRequest; + output: ListDataSourcesResponse; + }; + sdk: { + input: ListDataSourcesCommandInput; + output: ListDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListFlowAliasesCommand.ts b/clients/client-bedrock-agent/src/commands/ListFlowAliasesCommand.ts index 77f8a74c4b20..14a70d21b43c 100644 --- a/clients/client-bedrock-agent/src/commands/ListFlowAliasesCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListFlowAliasesCommand.ts @@ -110,4 +110,16 @@ export class ListFlowAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowAliasesCommand) .de(de_ListFlowAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowAliasesRequest; + output: ListFlowAliasesResponse; + }; + sdk: { + input: ListFlowAliasesCommandInput; + output: ListFlowAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListFlowVersionsCommand.ts b/clients/client-bedrock-agent/src/commands/ListFlowVersionsCommand.ts index 399a53220056..be806aa16c54 100644 --- a/clients/client-bedrock-agent/src/commands/ListFlowVersionsCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListFlowVersionsCommand.ts @@ -103,4 +103,16 @@ export class ListFlowVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowVersionsCommand) .de(de_ListFlowVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowVersionsRequest; + output: ListFlowVersionsResponse; + }; + sdk: { + input: ListFlowVersionsCommandInput; + output: ListFlowVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListFlowsCommand.ts b/clients/client-bedrock-agent/src/commands/ListFlowsCommand.ts index 19ebc8de5bd5..148acac1e1bc 100644 --- a/clients/client-bedrock-agent/src/commands/ListFlowsCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListFlowsCommand.ts @@ -102,4 +102,16 @@ export class ListFlowsCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowsCommand) .de(de_ListFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowsRequest; + output: ListFlowsResponse; + }; + sdk: { + input: ListFlowsCommandInput; + output: ListFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListIngestionJobsCommand.ts b/clients/client-bedrock-agent/src/commands/ListIngestionJobsCommand.ts index cc7b2447caea..48fa232fca00 100644 --- a/clients/client-bedrock-agent/src/commands/ListIngestionJobsCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListIngestionJobsCommand.ts @@ -128,4 +128,16 @@ export class ListIngestionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListIngestionJobsCommand) .de(de_ListIngestionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIngestionJobsRequest; + output: ListIngestionJobsResponse; + }; + sdk: { + input: ListIngestionJobsCommandInput; + output: ListIngestionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListKnowledgeBasesCommand.ts b/clients/client-bedrock-agent/src/commands/ListKnowledgeBasesCommand.ts index cea81593d45c..5df65cc58440 100644 --- a/clients/client-bedrock-agent/src/commands/ListKnowledgeBasesCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListKnowledgeBasesCommand.ts @@ -99,4 +99,16 @@ export class ListKnowledgeBasesCommand extends $Command .f(void 0, void 0) .ser(se_ListKnowledgeBasesCommand) .de(de_ListKnowledgeBasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKnowledgeBasesRequest; + output: ListKnowledgeBasesResponse; + }; + sdk: { + input: ListKnowledgeBasesCommandInput; + output: ListKnowledgeBasesCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListPromptsCommand.ts b/clients/client-bedrock-agent/src/commands/ListPromptsCommand.ts index a71d1a900df3..051aa20a771d 100644 --- a/clients/client-bedrock-agent/src/commands/ListPromptsCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListPromptsCommand.ts @@ -105,4 +105,16 @@ export class ListPromptsCommand extends $Command .f(void 0, void 0) .ser(se_ListPromptsCommand) .de(de_ListPromptsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPromptsRequest; + output: ListPromptsResponse; + }; + sdk: { + input: ListPromptsCommandInput; + output: ListPromptsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/ListTagsForResourceCommand.ts b/clients/client-bedrock-agent/src/commands/ListTagsForResourceCommand.ts index 2c811c7bfa54..e40f91557330 100644 --- a/clients/client-bedrock-agent/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-bedrock-agent/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/PrepareAgentCommand.ts b/clients/client-bedrock-agent/src/commands/PrepareAgentCommand.ts index f06f83ca9589..2a8b8686ec04 100644 --- a/clients/client-bedrock-agent/src/commands/PrepareAgentCommand.ts +++ b/clients/client-bedrock-agent/src/commands/PrepareAgentCommand.ts @@ -101,4 +101,16 @@ export class PrepareAgentCommand extends $Command .f(void 0, void 0) .ser(se_PrepareAgentCommand) .de(de_PrepareAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PrepareAgentRequest; + output: PrepareAgentResponse; + }; + sdk: { + input: PrepareAgentCommandInput; + output: PrepareAgentCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/PrepareFlowCommand.ts b/clients/client-bedrock-agent/src/commands/PrepareFlowCommand.ts index f14f612b5d32..2d7eddaab185 100644 --- a/clients/client-bedrock-agent/src/commands/PrepareFlowCommand.ts +++ b/clients/client-bedrock-agent/src/commands/PrepareFlowCommand.ts @@ -99,4 +99,16 @@ export class PrepareFlowCommand extends $Command .f(void 0, void 0) .ser(se_PrepareFlowCommand) .de(de_PrepareFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PrepareFlowRequest; + output: PrepareFlowResponse; + }; + sdk: { + input: PrepareFlowCommandInput; + output: PrepareFlowCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/StartIngestionJobCommand.ts b/clients/client-bedrock-agent/src/commands/StartIngestionJobCommand.ts index 2b5cbdb3f34c..ffff4909c2aa 100644 --- a/clients/client-bedrock-agent/src/commands/StartIngestionJobCommand.ts +++ b/clients/client-bedrock-agent/src/commands/StartIngestionJobCommand.ts @@ -121,4 +121,16 @@ export class StartIngestionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartIngestionJobCommand) .de(de_StartIngestionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartIngestionJobRequest; + output: StartIngestionJobResponse; + }; + sdk: { + input: StartIngestionJobCommandInput; + output: StartIngestionJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/TagResourceCommand.ts b/clients/client-bedrock-agent/src/commands/TagResourceCommand.ts index 3bc577ed3dcf..648fcac6fbda 100644 --- a/clients/client-bedrock-agent/src/commands/TagResourceCommand.ts +++ b/clients/client-bedrock-agent/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UntagResourceCommand.ts b/clients/client-bedrock-agent/src/commands/UntagResourceCommand.ts index 43e97911a829..45167d702e43 100644 --- a/clients/client-bedrock-agent/src/commands/UntagResourceCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateAgentActionGroupCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateAgentActionGroupCommand.ts index 53b10602117c..101d83c52801 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateAgentActionGroupCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateAgentActionGroupCommand.ts @@ -174,4 +174,16 @@ export class UpdateAgentActionGroupCommand extends $Command .f(UpdateAgentActionGroupRequestFilterSensitiveLog, UpdateAgentActionGroupResponseFilterSensitiveLog) .ser(se_UpdateAgentActionGroupCommand) .de(de_UpdateAgentActionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgentActionGroupRequest; + output: UpdateAgentActionGroupResponse; + }; + sdk: { + input: UpdateAgentActionGroupCommandInput; + output: UpdateAgentActionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateAgentAliasCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateAgentAliasCommand.ts index d8026a076232..ed85a5f678e8 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateAgentAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateAgentAliasCommand.ts @@ -138,4 +138,16 @@ export class UpdateAgentAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAgentAliasCommand) .de(de_UpdateAgentAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgentAliasRequest; + output: UpdateAgentAliasResponse; + }; + sdk: { + input: UpdateAgentAliasCommandInput; + output: UpdateAgentAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateAgentCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateAgentCommand.ts index f864641cfb3f..96aa2ef7ecf2 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateAgentCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateAgentCommand.ts @@ -194,4 +194,16 @@ export class UpdateAgentCommand extends $Command .f(UpdateAgentRequestFilterSensitiveLog, UpdateAgentResponseFilterSensitiveLog) .ser(se_UpdateAgentCommand) .de(de_UpdateAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgentRequest; + output: UpdateAgentResponse; + }; + sdk: { + input: UpdateAgentCommandInput; + output: UpdateAgentCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateAgentKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateAgentKnowledgeBaseCommand.ts index a84367fb6c08..def5f7ea5a43 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateAgentKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateAgentKnowledgeBaseCommand.ts @@ -107,4 +107,16 @@ export class UpdateAgentKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAgentKnowledgeBaseCommand) .de(de_UpdateAgentKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgentKnowledgeBaseRequest; + output: UpdateAgentKnowledgeBaseResponse; + }; + sdk: { + input: UpdateAgentKnowledgeBaseCommandInput; + output: UpdateAgentKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateDataSourceCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateDataSourceCommand.ts index 90277396e493..3dbc6b2b312f 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateDataSourceCommand.ts @@ -437,4 +437,16 @@ export class UpdateDataSourceCommand extends $Command .f(UpdateDataSourceRequestFilterSensitiveLog, UpdateDataSourceResponseFilterSensitiveLog) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceRequest; + output: UpdateDataSourceResponse; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateFlowAliasCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateFlowAliasCommand.ts index 9866722bb828..0cbc877fba48 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateFlowAliasCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateFlowAliasCommand.ts @@ -117,4 +117,16 @@ export class UpdateFlowAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowAliasCommand) .de(de_UpdateFlowAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowAliasRequest; + output: UpdateFlowAliasResponse; + }; + sdk: { + input: UpdateFlowAliasCommandInput; + output: UpdateFlowAliasCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateFlowCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateFlowCommand.ts index a324a61adcbf..00e463f1434b 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateFlowCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateFlowCommand.ts @@ -340,4 +340,16 @@ export class UpdateFlowCommand extends $Command .f(UpdateFlowRequestFilterSensitiveLog, UpdateFlowResponseFilterSensitiveLog) .ser(se_UpdateFlowCommand) .de(de_UpdateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowRequest; + output: UpdateFlowResponse; + }; + sdk: { + input: UpdateFlowCommandInput; + output: UpdateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdateKnowledgeBaseCommand.ts b/clients/client-bedrock-agent/src/commands/UpdateKnowledgeBaseCommand.ts index fc32cf5a358e..3efd63c69e40 100644 --- a/clients/client-bedrock-agent/src/commands/UpdateKnowledgeBaseCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdateKnowledgeBaseCommand.ts @@ -263,4 +263,16 @@ export class UpdateKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKnowledgeBaseCommand) .de(de_UpdateKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKnowledgeBaseRequest; + output: UpdateKnowledgeBaseResponse; + }; + sdk: { + input: UpdateKnowledgeBaseCommandInput; + output: UpdateKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-agent/src/commands/UpdatePromptCommand.ts b/clients/client-bedrock-agent/src/commands/UpdatePromptCommand.ts index c86665c9c100..5edd3b94fa6e 100644 --- a/clients/client-bedrock-agent/src/commands/UpdatePromptCommand.ts +++ b/clients/client-bedrock-agent/src/commands/UpdatePromptCommand.ts @@ -183,4 +183,16 @@ export class UpdatePromptCommand extends $Command .f(UpdatePromptRequestFilterSensitiveLog, UpdatePromptResponseFilterSensitiveLog) .ser(se_UpdatePromptCommand) .de(de_UpdatePromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePromptRequest; + output: UpdatePromptResponse; + }; + sdk: { + input: UpdatePromptCommandInput; + output: UpdatePromptCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-runtime/package.json b/clients/client-bedrock-runtime/package.json index a5e608a3c54c..6a0b8361b3ba 100644 --- a/clients/client-bedrock-runtime/package.json +++ b/clients/client-bedrock-runtime/package.json @@ -33,34 +33,34 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-bedrock-runtime/src/commands/ApplyGuardrailCommand.ts b/clients/client-bedrock-runtime/src/commands/ApplyGuardrailCommand.ts index d855f53a69a6..34dbf864f7b0 100644 --- a/clients/client-bedrock-runtime/src/commands/ApplyGuardrailCommand.ts +++ b/clients/client-bedrock-runtime/src/commands/ApplyGuardrailCommand.ts @@ -184,4 +184,16 @@ export class ApplyGuardrailCommand extends $Command .f(void 0, void 0) .ser(se_ApplyGuardrailCommand) .de(de_ApplyGuardrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplyGuardrailRequest; + output: ApplyGuardrailResponse; + }; + sdk: { + input: ApplyGuardrailCommandInput; + output: ApplyGuardrailCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-runtime/src/commands/ConverseCommand.ts b/clients/client-bedrock-runtime/src/commands/ConverseCommand.ts index bd142ff3ba1c..31c905934d0b 100644 --- a/clients/client-bedrock-runtime/src/commands/ConverseCommand.ts +++ b/clients/client-bedrock-runtime/src/commands/ConverseCommand.ts @@ -433,4 +433,16 @@ export class ConverseCommand extends $Command .f(void 0, void 0) .ser(se_ConverseCommand) .de(de_ConverseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConverseRequest; + output: ConverseResponse; + }; + sdk: { + input: ConverseCommandInput; + output: ConverseCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-runtime/src/commands/ConverseStreamCommand.ts b/clients/client-bedrock-runtime/src/commands/ConverseStreamCommand.ts index a7a7052d9568..10d97c4e145d 100644 --- a/clients/client-bedrock-runtime/src/commands/ConverseStreamCommand.ts +++ b/clients/client-bedrock-runtime/src/commands/ConverseStreamCommand.ts @@ -439,4 +439,16 @@ export class ConverseStreamCommand extends $Command .f(void 0, ConverseStreamResponseFilterSensitiveLog) .ser(se_ConverseStreamCommand) .de(de_ConverseStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConverseStreamRequest; + output: ConverseStreamResponse; + }; + sdk: { + input: ConverseStreamCommandInput; + output: ConverseStreamCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-runtime/src/commands/InvokeModelCommand.ts b/clients/client-bedrock-runtime/src/commands/InvokeModelCommand.ts index 3245d3de211d..a555920c8119 100644 --- a/clients/client-bedrock-runtime/src/commands/InvokeModelCommand.ts +++ b/clients/client-bedrock-runtime/src/commands/InvokeModelCommand.ts @@ -141,4 +141,16 @@ export class InvokeModelCommand extends $Command .f(InvokeModelRequestFilterSensitiveLog, InvokeModelResponseFilterSensitiveLog) .ser(se_InvokeModelCommand) .de(de_InvokeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeModelRequest; + output: InvokeModelResponse; + }; + sdk: { + input: InvokeModelCommandInput; + output: InvokeModelCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock-runtime/src/commands/InvokeModelWithResponseStreamCommand.ts b/clients/client-bedrock-runtime/src/commands/InvokeModelWithResponseStreamCommand.ts index 27fd554c84c1..d45aac4e7e80 100644 --- a/clients/client-bedrock-runtime/src/commands/InvokeModelWithResponseStreamCommand.ts +++ b/clients/client-bedrock-runtime/src/commands/InvokeModelWithResponseStreamCommand.ts @@ -177,4 +177,16 @@ export class InvokeModelWithResponseStreamCommand extends $Command .f(InvokeModelWithResponseStreamRequestFilterSensitiveLog, InvokeModelWithResponseStreamResponseFilterSensitiveLog) .ser(se_InvokeModelWithResponseStreamCommand) .de(de_InvokeModelWithResponseStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeModelWithResponseStreamRequest; + output: InvokeModelWithResponseStreamResponse; + }; + sdk: { + input: InvokeModelWithResponseStreamCommandInput; + output: InvokeModelWithResponseStreamCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/package.json b/clients/client-bedrock/package.json index 9034a92b367a..7bca05139b10 100644 --- a/clients/client-bedrock/package.json +++ b/clients/client-bedrock/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-bedrock/src/commands/BatchDeleteEvaluationJobCommand.ts b/clients/client-bedrock/src/commands/BatchDeleteEvaluationJobCommand.ts index cc5329a75c7e..e0a4d650ff76 100644 --- a/clients/client-bedrock/src/commands/BatchDeleteEvaluationJobCommand.ts +++ b/clients/client-bedrock/src/commands/BatchDeleteEvaluationJobCommand.ts @@ -114,4 +114,16 @@ export class BatchDeleteEvaluationJobCommand extends $Command .f(BatchDeleteEvaluationJobRequestFilterSensitiveLog, BatchDeleteEvaluationJobResponseFilterSensitiveLog) .ser(se_BatchDeleteEvaluationJobCommand) .de(de_BatchDeleteEvaluationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteEvaluationJobRequest; + output: BatchDeleteEvaluationJobResponse; + }; + sdk: { + input: BatchDeleteEvaluationJobCommandInput; + output: BatchDeleteEvaluationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateEvaluationJobCommand.ts b/clients/client-bedrock/src/commands/CreateEvaluationJobCommand.ts index 1036f0822902..45158ca96cad 100644 --- a/clients/client-bedrock/src/commands/CreateEvaluationJobCommand.ts +++ b/clients/client-bedrock/src/commands/CreateEvaluationJobCommand.ts @@ -170,4 +170,16 @@ export class CreateEvaluationJobCommand extends $Command .f(CreateEvaluationJobRequestFilterSensitiveLog, void 0) .ser(se_CreateEvaluationJobCommand) .de(de_CreateEvaluationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEvaluationJobRequest; + output: CreateEvaluationJobResponse; + }; + sdk: { + input: CreateEvaluationJobCommandInput; + output: CreateEvaluationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateGuardrailCommand.ts b/clients/client-bedrock/src/commands/CreateGuardrailCommand.ts index 424f53a50442..5e5eb37797b6 100644 --- a/clients/client-bedrock/src/commands/CreateGuardrailCommand.ts +++ b/clients/client-bedrock/src/commands/CreateGuardrailCommand.ts @@ -208,4 +208,16 @@ export class CreateGuardrailCommand extends $Command .f(CreateGuardrailRequestFilterSensitiveLog, void 0) .ser(se_CreateGuardrailCommand) .de(de_CreateGuardrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGuardrailRequest; + output: CreateGuardrailResponse; + }; + sdk: { + input: CreateGuardrailCommandInput; + output: CreateGuardrailCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateGuardrailVersionCommand.ts b/clients/client-bedrock/src/commands/CreateGuardrailVersionCommand.ts index 1d9d38bbbe42..9b7eec531f42 100644 --- a/clients/client-bedrock/src/commands/CreateGuardrailVersionCommand.ts +++ b/clients/client-bedrock/src/commands/CreateGuardrailVersionCommand.ts @@ -106,4 +106,16 @@ export class CreateGuardrailVersionCommand extends $Command .f(CreateGuardrailVersionRequestFilterSensitiveLog, void 0) .ser(se_CreateGuardrailVersionCommand) .de(de_CreateGuardrailVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGuardrailVersionRequest; + output: CreateGuardrailVersionResponse; + }; + sdk: { + input: CreateGuardrailVersionCommandInput; + output: CreateGuardrailVersionCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateModelCopyJobCommand.ts b/clients/client-bedrock/src/commands/CreateModelCopyJobCommand.ts index 370cba501d30..a90c62f20247 100644 --- a/clients/client-bedrock/src/commands/CreateModelCopyJobCommand.ts +++ b/clients/client-bedrock/src/commands/CreateModelCopyJobCommand.ts @@ -99,4 +99,16 @@ export class CreateModelCopyJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCopyJobCommand) .de(de_CreateModelCopyJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelCopyJobRequest; + output: CreateModelCopyJobResponse; + }; + sdk: { + input: CreateModelCopyJobCommandInput; + output: CreateModelCopyJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateModelCustomizationJobCommand.ts b/clients/client-bedrock/src/commands/CreateModelCustomizationJobCommand.ts index e9052600f5d8..20e65e03bc3b 100644 --- a/clients/client-bedrock/src/commands/CreateModelCustomizationJobCommand.ts +++ b/clients/client-bedrock/src/commands/CreateModelCustomizationJobCommand.ts @@ -157,4 +157,16 @@ export class CreateModelCustomizationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCustomizationJobCommand) .de(de_CreateModelCustomizationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelCustomizationJobRequest; + output: CreateModelCustomizationJobResponse; + }; + sdk: { + input: CreateModelCustomizationJobCommandInput; + output: CreateModelCustomizationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateModelImportJobCommand.ts b/clients/client-bedrock/src/commands/CreateModelImportJobCommand.ts index ab289dc5676f..4f5feb2bc771 100644 --- a/clients/client-bedrock/src/commands/CreateModelImportJobCommand.ts +++ b/clients/client-bedrock/src/commands/CreateModelImportJobCommand.ts @@ -133,4 +133,16 @@ export class CreateModelImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelImportJobCommand) .de(de_CreateModelImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelImportJobRequest; + output: CreateModelImportJobResponse; + }; + sdk: { + input: CreateModelImportJobCommandInput; + output: CreateModelImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts b/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts index cb2a42d9290c..7efc9591d70c 100644 --- a/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts +++ b/clients/client-bedrock/src/commands/CreateModelInvocationJobCommand.ts @@ -131,4 +131,16 @@ export class CreateModelInvocationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelInvocationJobCommand) .de(de_CreateModelInvocationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelInvocationJobRequest; + output: CreateModelInvocationJobResponse; + }; + sdk: { + input: CreateModelInvocationJobCommandInput; + output: CreateModelInvocationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/CreateProvisionedModelThroughputCommand.ts b/clients/client-bedrock/src/commands/CreateProvisionedModelThroughputCommand.ts index ca4b665acd40..c1bb2bcbea2f 100644 --- a/clients/client-bedrock/src/commands/CreateProvisionedModelThroughputCommand.ts +++ b/clients/client-bedrock/src/commands/CreateProvisionedModelThroughputCommand.ts @@ -114,4 +114,16 @@ export class CreateProvisionedModelThroughputCommand extends $Command .f(void 0, void 0) .ser(se_CreateProvisionedModelThroughputCommand) .de(de_CreateProvisionedModelThroughputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProvisionedModelThroughputRequest; + output: CreateProvisionedModelThroughputResponse; + }; + sdk: { + input: CreateProvisionedModelThroughputCommandInput; + output: CreateProvisionedModelThroughputCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/DeleteCustomModelCommand.ts b/clients/client-bedrock/src/commands/DeleteCustomModelCommand.ts index 0459d49ccc7b..093b3126cf56 100644 --- a/clients/client-bedrock/src/commands/DeleteCustomModelCommand.ts +++ b/clients/client-bedrock/src/commands/DeleteCustomModelCommand.ts @@ -93,4 +93,16 @@ export class DeleteCustomModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomModelCommand) .de(de_DeleteCustomModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomModelRequest; + output: {}; + }; + sdk: { + input: DeleteCustomModelCommandInput; + output: DeleteCustomModelCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/DeleteGuardrailCommand.ts b/clients/client-bedrock/src/commands/DeleteGuardrailCommand.ts index 3b4fc2046f2b..babbedc9f77c 100644 --- a/clients/client-bedrock/src/commands/DeleteGuardrailCommand.ts +++ b/clients/client-bedrock/src/commands/DeleteGuardrailCommand.ts @@ -102,4 +102,16 @@ export class DeleteGuardrailCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGuardrailCommand) .de(de_DeleteGuardrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGuardrailRequest; + output: {}; + }; + sdk: { + input: DeleteGuardrailCommandInput; + output: DeleteGuardrailCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/DeleteImportedModelCommand.ts b/clients/client-bedrock/src/commands/DeleteImportedModelCommand.ts index 99b80c5a5490..372fd3afa651 100644 --- a/clients/client-bedrock/src/commands/DeleteImportedModelCommand.ts +++ b/clients/client-bedrock/src/commands/DeleteImportedModelCommand.ts @@ -95,4 +95,16 @@ export class DeleteImportedModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImportedModelCommand) .de(de_DeleteImportedModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImportedModelRequest; + output: {}; + }; + sdk: { + input: DeleteImportedModelCommandInput; + output: DeleteImportedModelCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/DeleteModelInvocationLoggingConfigurationCommand.ts b/clients/client-bedrock/src/commands/DeleteModelInvocationLoggingConfigurationCommand.ts index a18e53418c94..81dc6346d2b2 100644 --- a/clients/client-bedrock/src/commands/DeleteModelInvocationLoggingConfigurationCommand.ts +++ b/clients/client-bedrock/src/commands/DeleteModelInvocationLoggingConfigurationCommand.ts @@ -91,4 +91,16 @@ export class DeleteModelInvocationLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelInvocationLoggingConfigurationCommand) .de(de_DeleteModelInvocationLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteModelInvocationLoggingConfigurationCommandInput; + output: DeleteModelInvocationLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/DeleteProvisionedModelThroughputCommand.ts b/clients/client-bedrock/src/commands/DeleteProvisionedModelThroughputCommand.ts index d61f91e5d80f..eba3f8c9bfd8 100644 --- a/clients/client-bedrock/src/commands/DeleteProvisionedModelThroughputCommand.ts +++ b/clients/client-bedrock/src/commands/DeleteProvisionedModelThroughputCommand.ts @@ -98,4 +98,16 @@ export class DeleteProvisionedModelThroughputCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProvisionedModelThroughputCommand) .de(de_DeleteProvisionedModelThroughputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProvisionedModelThroughputRequest; + output: {}; + }; + sdk: { + input: DeleteProvisionedModelThroughputCommandInput; + output: DeleteProvisionedModelThroughputCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetCustomModelCommand.ts b/clients/client-bedrock/src/commands/GetCustomModelCommand.ts index f6c6099aec30..328abb8b14c0 100644 --- a/clients/client-bedrock/src/commands/GetCustomModelCommand.ts +++ b/clients/client-bedrock/src/commands/GetCustomModelCommand.ts @@ -123,4 +123,16 @@ export class GetCustomModelCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomModelCommand) .de(de_GetCustomModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomModelRequest; + output: GetCustomModelResponse; + }; + sdk: { + input: GetCustomModelCommandInput; + output: GetCustomModelCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetEvaluationJobCommand.ts b/clients/client-bedrock/src/commands/GetEvaluationJobCommand.ts index e1f2261baa08..a1d72943c2b6 100644 --- a/clients/client-bedrock/src/commands/GetEvaluationJobCommand.ts +++ b/clients/client-bedrock/src/commands/GetEvaluationJobCommand.ts @@ -167,4 +167,16 @@ export class GetEvaluationJobCommand extends $Command .f(GetEvaluationJobRequestFilterSensitiveLog, GetEvaluationJobResponseFilterSensitiveLog) .ser(se_GetEvaluationJobCommand) .de(de_GetEvaluationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvaluationJobRequest; + output: GetEvaluationJobResponse; + }; + sdk: { + input: GetEvaluationJobCommandInput; + output: GetEvaluationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetFoundationModelCommand.ts b/clients/client-bedrock/src/commands/GetFoundationModelCommand.ts index ced4a39f9149..c32ecc83a672 100644 --- a/clients/client-bedrock/src/commands/GetFoundationModelCommand.ts +++ b/clients/client-bedrock/src/commands/GetFoundationModelCommand.ts @@ -113,4 +113,16 @@ export class GetFoundationModelCommand extends $Command .f(void 0, void 0) .ser(se_GetFoundationModelCommand) .de(de_GetFoundationModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFoundationModelRequest; + output: GetFoundationModelResponse; + }; + sdk: { + input: GetFoundationModelCommandInput; + output: GetFoundationModelCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetGuardrailCommand.ts b/clients/client-bedrock/src/commands/GetGuardrailCommand.ts index 22753006fd64..df701650173a 100644 --- a/clients/client-bedrock/src/commands/GetGuardrailCommand.ts +++ b/clients/client-bedrock/src/commands/GetGuardrailCommand.ts @@ -166,4 +166,16 @@ export class GetGuardrailCommand extends $Command .f(void 0, GetGuardrailResponseFilterSensitiveLog) .ser(se_GetGuardrailCommand) .de(de_GetGuardrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGuardrailRequest; + output: GetGuardrailResponse; + }; + sdk: { + input: GetGuardrailCommandInput; + output: GetGuardrailCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetImportedModelCommand.ts b/clients/client-bedrock/src/commands/GetImportedModelCommand.ts index d422f3ea5c60..3cf181efd857 100644 --- a/clients/client-bedrock/src/commands/GetImportedModelCommand.ts +++ b/clients/client-bedrock/src/commands/GetImportedModelCommand.ts @@ -103,4 +103,16 @@ export class GetImportedModelCommand extends $Command .f(void 0, void 0) .ser(se_GetImportedModelCommand) .de(de_GetImportedModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportedModelRequest; + output: GetImportedModelResponse; + }; + sdk: { + input: GetImportedModelCommandInput; + output: GetImportedModelCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetInferenceProfileCommand.ts b/clients/client-bedrock/src/commands/GetInferenceProfileCommand.ts index e02ab25fd42e..79d04b3a3607 100644 --- a/clients/client-bedrock/src/commands/GetInferenceProfileCommand.ts +++ b/clients/client-bedrock/src/commands/GetInferenceProfileCommand.ts @@ -104,4 +104,16 @@ export class GetInferenceProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetInferenceProfileCommand) .de(de_GetInferenceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInferenceProfileRequest; + output: GetInferenceProfileResponse; + }; + sdk: { + input: GetInferenceProfileCommandInput; + output: GetInferenceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetModelCopyJobCommand.ts b/clients/client-bedrock/src/commands/GetModelCopyJobCommand.ts index a3c8d14a19d1..bd891ec6aaa9 100644 --- a/clients/client-bedrock/src/commands/GetModelCopyJobCommand.ts +++ b/clients/client-bedrock/src/commands/GetModelCopyJobCommand.ts @@ -107,4 +107,16 @@ export class GetModelCopyJobCommand extends $Command .f(void 0, void 0) .ser(se_GetModelCopyJobCommand) .de(de_GetModelCopyJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelCopyJobRequest; + output: GetModelCopyJobResponse; + }; + sdk: { + input: GetModelCopyJobCommandInput; + output: GetModelCopyJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetModelCustomizationJobCommand.ts b/clients/client-bedrock/src/commands/GetModelCustomizationJobCommand.ts index da8cf04f2076..06e9debab0b9 100644 --- a/clients/client-bedrock/src/commands/GetModelCustomizationJobCommand.ts +++ b/clients/client-bedrock/src/commands/GetModelCustomizationJobCommand.ts @@ -138,4 +138,16 @@ export class GetModelCustomizationJobCommand extends $Command .f(void 0, void 0) .ser(se_GetModelCustomizationJobCommand) .de(de_GetModelCustomizationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelCustomizationJobRequest; + output: GetModelCustomizationJobResponse; + }; + sdk: { + input: GetModelCustomizationJobCommandInput; + output: GetModelCustomizationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetModelImportJobCommand.ts b/clients/client-bedrock/src/commands/GetModelImportJobCommand.ts index f4484fd44dc2..f31348860f3a 100644 --- a/clients/client-bedrock/src/commands/GetModelImportJobCommand.ts +++ b/clients/client-bedrock/src/commands/GetModelImportJobCommand.ts @@ -117,4 +117,16 @@ export class GetModelImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetModelImportJobCommand) .de(de_GetModelImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelImportJobRequest; + output: GetModelImportJobResponse; + }; + sdk: { + input: GetModelImportJobCommandInput; + output: GetModelImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts b/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts index f360fd399d21..6dd6120d2300 100644 --- a/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts +++ b/clients/client-bedrock/src/commands/GetModelInvocationJobCommand.ts @@ -130,4 +130,16 @@ export class GetModelInvocationJobCommand extends $Command .f(void 0, GetModelInvocationJobResponseFilterSensitiveLog) .ser(se_GetModelInvocationJobCommand) .de(de_GetModelInvocationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelInvocationJobRequest; + output: GetModelInvocationJobResponse; + }; + sdk: { + input: GetModelInvocationJobCommandInput; + output: GetModelInvocationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetModelInvocationLoggingConfigurationCommand.ts b/clients/client-bedrock/src/commands/GetModelInvocationLoggingConfigurationCommand.ts index db50f1be0854..f0d04f93d3ef 100644 --- a/clients/client-bedrock/src/commands/GetModelInvocationLoggingConfigurationCommand.ts +++ b/clients/client-bedrock/src/commands/GetModelInvocationLoggingConfigurationCommand.ts @@ -109,4 +109,16 @@ export class GetModelInvocationLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetModelInvocationLoggingConfigurationCommand) .de(de_GetModelInvocationLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetModelInvocationLoggingConfigurationResponse; + }; + sdk: { + input: GetModelInvocationLoggingConfigurationCommandInput; + output: GetModelInvocationLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/GetProvisionedModelThroughputCommand.ts b/clients/client-bedrock/src/commands/GetProvisionedModelThroughputCommand.ts index da336bda0b96..56c90537e081 100644 --- a/clients/client-bedrock/src/commands/GetProvisionedModelThroughputCommand.ts +++ b/clients/client-bedrock/src/commands/GetProvisionedModelThroughputCommand.ts @@ -109,4 +109,16 @@ export class GetProvisionedModelThroughputCommand extends $Command .f(void 0, void 0) .ser(se_GetProvisionedModelThroughputCommand) .de(de_GetProvisionedModelThroughputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProvisionedModelThroughputRequest; + output: GetProvisionedModelThroughputResponse; + }; + sdk: { + input: GetProvisionedModelThroughputCommandInput; + output: GetProvisionedModelThroughputCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListCustomModelsCommand.ts b/clients/client-bedrock/src/commands/ListCustomModelsCommand.ts index 4e40f52b36a5..c5f95c52cf36 100644 --- a/clients/client-bedrock/src/commands/ListCustomModelsCommand.ts +++ b/clients/client-bedrock/src/commands/ListCustomModelsCommand.ts @@ -110,4 +110,16 @@ export class ListCustomModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomModelsCommand) .de(de_ListCustomModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomModelsRequest; + output: ListCustomModelsResponse; + }; + sdk: { + input: ListCustomModelsCommandInput; + output: ListCustomModelsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListEvaluationJobsCommand.ts b/clients/client-bedrock/src/commands/ListEvaluationJobsCommand.ts index bae9f309b365..f23a63df1c00 100644 --- a/clients/client-bedrock/src/commands/ListEvaluationJobsCommand.ts +++ b/clients/client-bedrock/src/commands/ListEvaluationJobsCommand.ts @@ -111,4 +111,16 @@ export class ListEvaluationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListEvaluationJobsCommand) .de(de_ListEvaluationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEvaluationJobsRequest; + output: ListEvaluationJobsResponse; + }; + sdk: { + input: ListEvaluationJobsCommandInput; + output: ListEvaluationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListFoundationModelsCommand.ts b/clients/client-bedrock/src/commands/ListFoundationModelsCommand.ts index 2bf73be79ac0..a76c9f97d571 100644 --- a/clients/client-bedrock/src/commands/ListFoundationModelsCommand.ts +++ b/clients/client-bedrock/src/commands/ListFoundationModelsCommand.ts @@ -115,4 +115,16 @@ export class ListFoundationModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListFoundationModelsCommand) .de(de_ListFoundationModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFoundationModelsRequest; + output: ListFoundationModelsResponse; + }; + sdk: { + input: ListFoundationModelsCommandInput; + output: ListFoundationModelsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListGuardrailsCommand.ts b/clients/client-bedrock/src/commands/ListGuardrailsCommand.ts index 3fd70a425a66..211a0bbae928 100644 --- a/clients/client-bedrock/src/commands/ListGuardrailsCommand.ts +++ b/clients/client-bedrock/src/commands/ListGuardrailsCommand.ts @@ -111,4 +111,16 @@ export class ListGuardrailsCommand extends $Command .f(void 0, ListGuardrailsResponseFilterSensitiveLog) .ser(se_ListGuardrailsCommand) .de(de_ListGuardrailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGuardrailsRequest; + output: ListGuardrailsResponse; + }; + sdk: { + input: ListGuardrailsCommandInput; + output: ListGuardrailsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListImportedModelsCommand.ts b/clients/client-bedrock/src/commands/ListImportedModelsCommand.ts index b91f1f09df98..706fbfaa220a 100644 --- a/clients/client-bedrock/src/commands/ListImportedModelsCommand.ts +++ b/clients/client-bedrock/src/commands/ListImportedModelsCommand.ts @@ -104,4 +104,16 @@ export class ListImportedModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportedModelsCommand) .de(de_ListImportedModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportedModelsRequest; + output: ListImportedModelsResponse; + }; + sdk: { + input: ListImportedModelsCommandInput; + output: ListImportedModelsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListInferenceProfilesCommand.ts b/clients/client-bedrock/src/commands/ListInferenceProfilesCommand.ts index 9eba84a6ac43..bb646ff8f42b 100644 --- a/clients/client-bedrock/src/commands/ListInferenceProfilesCommand.ts +++ b/clients/client-bedrock/src/commands/ListInferenceProfilesCommand.ts @@ -107,4 +107,16 @@ export class ListInferenceProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceProfilesCommand) .de(de_ListInferenceProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceProfilesRequest; + output: ListInferenceProfilesResponse; + }; + sdk: { + input: ListInferenceProfilesCommandInput; + output: ListInferenceProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListModelCopyJobsCommand.ts b/clients/client-bedrock/src/commands/ListModelCopyJobsCommand.ts index fe370b66f2bb..ef3c419516cb 100644 --- a/clients/client-bedrock/src/commands/ListModelCopyJobsCommand.ts +++ b/clients/client-bedrock/src/commands/ListModelCopyJobsCommand.ts @@ -122,4 +122,16 @@ export class ListModelCopyJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelCopyJobsCommand) .de(de_ListModelCopyJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelCopyJobsRequest; + output: ListModelCopyJobsResponse; + }; + sdk: { + input: ListModelCopyJobsCommandInput; + output: ListModelCopyJobsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListModelCustomizationJobsCommand.ts b/clients/client-bedrock/src/commands/ListModelCustomizationJobsCommand.ts index 575253fa7fc7..c69b8b95a6ce 100644 --- a/clients/client-bedrock/src/commands/ListModelCustomizationJobsCommand.ts +++ b/clients/client-bedrock/src/commands/ListModelCustomizationJobsCommand.ts @@ -112,4 +112,16 @@ export class ListModelCustomizationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelCustomizationJobsCommand) .de(de_ListModelCustomizationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelCustomizationJobsRequest; + output: ListModelCustomizationJobsResponse; + }; + sdk: { + input: ListModelCustomizationJobsCommandInput; + output: ListModelCustomizationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListModelImportJobsCommand.ts b/clients/client-bedrock/src/commands/ListModelImportJobsCommand.ts index 558443339ef9..06b41d291848 100644 --- a/clients/client-bedrock/src/commands/ListModelImportJobsCommand.ts +++ b/clients/client-bedrock/src/commands/ListModelImportJobsCommand.ts @@ -110,4 +110,16 @@ export class ListModelImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelImportJobsCommand) .de(de_ListModelImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelImportJobsRequest; + output: ListModelImportJobsResponse; + }; + sdk: { + input: ListModelImportJobsCommandInput; + output: ListModelImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts b/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts index 39590fe36980..81ac9a2d2cf9 100644 --- a/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts +++ b/clients/client-bedrock/src/commands/ListModelInvocationJobsCommand.ts @@ -138,4 +138,16 @@ export class ListModelInvocationJobsCommand extends $Command .f(void 0, ListModelInvocationJobsResponseFilterSensitiveLog) .ser(se_ListModelInvocationJobsCommand) .de(de_ListModelInvocationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelInvocationJobsRequest; + output: ListModelInvocationJobsResponse; + }; + sdk: { + input: ListModelInvocationJobsCommandInput; + output: ListModelInvocationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListProvisionedModelThroughputsCommand.ts b/clients/client-bedrock/src/commands/ListProvisionedModelThroughputsCommand.ts index 7bd9eb68f228..9e9f7604d952 100644 --- a/clients/client-bedrock/src/commands/ListProvisionedModelThroughputsCommand.ts +++ b/clients/client-bedrock/src/commands/ListProvisionedModelThroughputsCommand.ts @@ -118,4 +118,16 @@ export class ListProvisionedModelThroughputsCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisionedModelThroughputsCommand) .de(de_ListProvisionedModelThroughputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisionedModelThroughputsRequest; + output: ListProvisionedModelThroughputsResponse; + }; + sdk: { + input: ListProvisionedModelThroughputsCommandInput; + output: ListProvisionedModelThroughputsCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/ListTagsForResourceCommand.ts b/clients/client-bedrock/src/commands/ListTagsForResourceCommand.ts index 29d9ba917ffb..3dba022f80ac 100644 --- a/clients/client-bedrock/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-bedrock/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/PutModelInvocationLoggingConfigurationCommand.ts b/clients/client-bedrock/src/commands/PutModelInvocationLoggingConfigurationCommand.ts index aa8be9c2a003..e97f934313d8 100644 --- a/clients/client-bedrock/src/commands/PutModelInvocationLoggingConfigurationCommand.ts +++ b/clients/client-bedrock/src/commands/PutModelInvocationLoggingConfigurationCommand.ts @@ -112,4 +112,16 @@ export class PutModelInvocationLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutModelInvocationLoggingConfigurationCommand) .de(de_PutModelInvocationLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutModelInvocationLoggingConfigurationRequest; + output: {}; + }; + sdk: { + input: PutModelInvocationLoggingConfigurationCommandInput; + output: PutModelInvocationLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/StopEvaluationJobCommand.ts b/clients/client-bedrock/src/commands/StopEvaluationJobCommand.ts index 3b71ebc427b5..99cd2a6b1785 100644 --- a/clients/client-bedrock/src/commands/StopEvaluationJobCommand.ts +++ b/clients/client-bedrock/src/commands/StopEvaluationJobCommand.ts @@ -97,4 +97,16 @@ export class StopEvaluationJobCommand extends $Command .f(StopEvaluationJobRequestFilterSensitiveLog, void 0) .ser(se_StopEvaluationJobCommand) .de(de_StopEvaluationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEvaluationJobRequest; + output: {}; + }; + sdk: { + input: StopEvaluationJobCommandInput; + output: StopEvaluationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/StopModelCustomizationJobCommand.ts b/clients/client-bedrock/src/commands/StopModelCustomizationJobCommand.ts index 2f8d4e2db757..d0cd71d355ab 100644 --- a/clients/client-bedrock/src/commands/StopModelCustomizationJobCommand.ts +++ b/clients/client-bedrock/src/commands/StopModelCustomizationJobCommand.ts @@ -93,4 +93,16 @@ export class StopModelCustomizationJobCommand extends $Command .f(void 0, void 0) .ser(se_StopModelCustomizationJobCommand) .de(de_StopModelCustomizationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopModelCustomizationJobRequest; + output: {}; + }; + sdk: { + input: StopModelCustomizationJobCommandInput; + output: StopModelCustomizationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/StopModelInvocationJobCommand.ts b/clients/client-bedrock/src/commands/StopModelInvocationJobCommand.ts index 4bdc76113cd8..3510fe1a8070 100644 --- a/clients/client-bedrock/src/commands/StopModelInvocationJobCommand.ts +++ b/clients/client-bedrock/src/commands/StopModelInvocationJobCommand.ts @@ -93,4 +93,16 @@ export class StopModelInvocationJobCommand extends $Command .f(void 0, void 0) .ser(se_StopModelInvocationJobCommand) .de(de_StopModelInvocationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopModelInvocationJobRequest; + output: {}; + }; + sdk: { + input: StopModelInvocationJobCommandInput; + output: StopModelInvocationJobCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/TagResourceCommand.ts b/clients/client-bedrock/src/commands/TagResourceCommand.ts index 69d30fdaf0f2..451d9b4ffd4f 100644 --- a/clients/client-bedrock/src/commands/TagResourceCommand.ts +++ b/clients/client-bedrock/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/UntagResourceCommand.ts b/clients/client-bedrock/src/commands/UntagResourceCommand.ts index b930bf87d3fe..9edd10eb93a5 100644 --- a/clients/client-bedrock/src/commands/UntagResourceCommand.ts +++ b/clients/client-bedrock/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/UpdateGuardrailCommand.ts b/clients/client-bedrock/src/commands/UpdateGuardrailCommand.ts index 0b09753490db..041f6b6ad5b0 100644 --- a/clients/client-bedrock/src/commands/UpdateGuardrailCommand.ts +++ b/clients/client-bedrock/src/commands/UpdateGuardrailCommand.ts @@ -203,4 +203,16 @@ export class UpdateGuardrailCommand extends $Command .f(UpdateGuardrailRequestFilterSensitiveLog, void 0) .ser(se_UpdateGuardrailCommand) .de(de_UpdateGuardrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGuardrailRequest; + output: UpdateGuardrailResponse; + }; + sdk: { + input: UpdateGuardrailCommandInput; + output: UpdateGuardrailCommandOutput; + }; + }; +} diff --git a/clients/client-bedrock/src/commands/UpdateProvisionedModelThroughputCommand.ts b/clients/client-bedrock/src/commands/UpdateProvisionedModelThroughputCommand.ts index 73875fefb37b..1442245aa557 100644 --- a/clients/client-bedrock/src/commands/UpdateProvisionedModelThroughputCommand.ts +++ b/clients/client-bedrock/src/commands/UpdateProvisionedModelThroughputCommand.ts @@ -97,4 +97,16 @@ export class UpdateProvisionedModelThroughputCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProvisionedModelThroughputCommand) .de(de_UpdateProvisionedModelThroughputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProvisionedModelThroughputRequest; + output: {}; + }; + sdk: { + input: UpdateProvisionedModelThroughputCommandInput; + output: UpdateProvisionedModelThroughputCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/package.json b/clients/client-billingconductor/package.json index c20f499fb798..f4fb6dba1a47 100644 --- a/clients/client-billingconductor/package.json +++ b/clients/client-billingconductor/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-billingconductor/src/commands/AssociateAccountsCommand.ts b/clients/client-billingconductor/src/commands/AssociateAccountsCommand.ts index 6504ba71d1d4..16611600ee9b 100644 --- a/clients/client-billingconductor/src/commands/AssociateAccountsCommand.ts +++ b/clients/client-billingconductor/src/commands/AssociateAccountsCommand.ts @@ -110,4 +110,16 @@ export class AssociateAccountsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAccountsCommand) .de(de_AssociateAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAccountsInput; + output: AssociateAccountsOutput; + }; + sdk: { + input: AssociateAccountsCommandInput; + output: AssociateAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/AssociatePricingRulesCommand.ts b/clients/client-billingconductor/src/commands/AssociatePricingRulesCommand.ts index 2a045326dbb6..5a8b8b68eb75 100644 --- a/clients/client-billingconductor/src/commands/AssociatePricingRulesCommand.ts +++ b/clients/client-billingconductor/src/commands/AssociatePricingRulesCommand.ts @@ -108,4 +108,16 @@ export class AssociatePricingRulesCommand extends $Command .f(void 0, void 0) .ser(se_AssociatePricingRulesCommand) .de(de_AssociatePricingRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePricingRulesInput; + output: AssociatePricingRulesOutput; + }; + sdk: { + input: AssociatePricingRulesCommandInput; + output: AssociatePricingRulesCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/BatchAssociateResourcesToCustomLineItemCommand.ts b/clients/client-billingconductor/src/commands/BatchAssociateResourcesToCustomLineItemCommand.ts index 22f8d6cf486c..5b1d6521f209 100644 --- a/clients/client-billingconductor/src/commands/BatchAssociateResourcesToCustomLineItemCommand.ts +++ b/clients/client-billingconductor/src/commands/BatchAssociateResourcesToCustomLineItemCommand.ts @@ -139,4 +139,16 @@ export class BatchAssociateResourcesToCustomLineItemCommand extends $Command .f(void 0, void 0) .ser(se_BatchAssociateResourcesToCustomLineItemCommand) .de(de_BatchAssociateResourcesToCustomLineItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateResourcesToCustomLineItemInput; + output: BatchAssociateResourcesToCustomLineItemOutput; + }; + sdk: { + input: BatchAssociateResourcesToCustomLineItemCommandInput; + output: BatchAssociateResourcesToCustomLineItemCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/BatchDisassociateResourcesFromCustomLineItemCommand.ts b/clients/client-billingconductor/src/commands/BatchDisassociateResourcesFromCustomLineItemCommand.ts index cf7dcbec150d..7e0a0c4f3bf9 100644 --- a/clients/client-billingconductor/src/commands/BatchDisassociateResourcesFromCustomLineItemCommand.ts +++ b/clients/client-billingconductor/src/commands/BatchDisassociateResourcesFromCustomLineItemCommand.ts @@ -135,4 +135,16 @@ export class BatchDisassociateResourcesFromCustomLineItemCommand extends $Comman .f(void 0, void 0) .ser(se_BatchDisassociateResourcesFromCustomLineItemCommand) .de(de_BatchDisassociateResourcesFromCustomLineItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateResourcesFromCustomLineItemInput; + output: BatchDisassociateResourcesFromCustomLineItemOutput; + }; + sdk: { + input: BatchDisassociateResourcesFromCustomLineItemCommandInput; + output: BatchDisassociateResourcesFromCustomLineItemCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/CreateBillingGroupCommand.ts b/clients/client-billingconductor/src/commands/CreateBillingGroupCommand.ts index 4f4a2237f206..fdf6962a1dd2 100644 --- a/clients/client-billingconductor/src/commands/CreateBillingGroupCommand.ts +++ b/clients/client-billingconductor/src/commands/CreateBillingGroupCommand.ts @@ -121,4 +121,16 @@ export class CreateBillingGroupCommand extends $Command .f(CreateBillingGroupInputFilterSensitiveLog, void 0) .ser(se_CreateBillingGroupCommand) .de(de_CreateBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBillingGroupInput; + output: CreateBillingGroupOutput; + }; + sdk: { + input: CreateBillingGroupCommandInput; + output: CreateBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/CreateCustomLineItemCommand.ts b/clients/client-billingconductor/src/commands/CreateCustomLineItemCommand.ts index 06576c334766..dd8a504dee3f 100644 --- a/clients/client-billingconductor/src/commands/CreateCustomLineItemCommand.ts +++ b/clients/client-billingconductor/src/commands/CreateCustomLineItemCommand.ts @@ -138,4 +138,16 @@ export class CreateCustomLineItemCommand extends $Command .f(CreateCustomLineItemInputFilterSensitiveLog, void 0) .ser(se_CreateCustomLineItemCommand) .de(de_CreateCustomLineItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomLineItemInput; + output: CreateCustomLineItemOutput; + }; + sdk: { + input: CreateCustomLineItemCommandInput; + output: CreateCustomLineItemCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/CreatePricingPlanCommand.ts b/clients/client-billingconductor/src/commands/CreatePricingPlanCommand.ts index 4cca906e5146..64994c81a884 100644 --- a/clients/client-billingconductor/src/commands/CreatePricingPlanCommand.ts +++ b/clients/client-billingconductor/src/commands/CreatePricingPlanCommand.ts @@ -117,4 +117,16 @@ export class CreatePricingPlanCommand extends $Command .f(CreatePricingPlanInputFilterSensitiveLog, void 0) .ser(se_CreatePricingPlanCommand) .de(de_CreatePricingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePricingPlanInput; + output: CreatePricingPlanOutput; + }; + sdk: { + input: CreatePricingPlanCommandInput; + output: CreatePricingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/CreatePricingRuleCommand.ts b/clients/client-billingconductor/src/commands/CreatePricingRuleCommand.ts index 5afa4c237706..99037fdc560b 100644 --- a/clients/client-billingconductor/src/commands/CreatePricingRuleCommand.ts +++ b/clients/client-billingconductor/src/commands/CreatePricingRuleCommand.ts @@ -123,4 +123,16 @@ export class CreatePricingRuleCommand extends $Command .f(CreatePricingRuleInputFilterSensitiveLog, void 0) .ser(se_CreatePricingRuleCommand) .de(de_CreatePricingRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePricingRuleInput; + output: CreatePricingRuleOutput; + }; + sdk: { + input: CreatePricingRuleCommandInput; + output: CreatePricingRuleCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/DeleteBillingGroupCommand.ts b/clients/client-billingconductor/src/commands/DeleteBillingGroupCommand.ts index 6f5b4f00d3cb..db51751246f6 100644 --- a/clients/client-billingconductor/src/commands/DeleteBillingGroupCommand.ts +++ b/clients/client-billingconductor/src/commands/DeleteBillingGroupCommand.ts @@ -94,4 +94,16 @@ export class DeleteBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBillingGroupCommand) .de(de_DeleteBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBillingGroupInput; + output: DeleteBillingGroupOutput; + }; + sdk: { + input: DeleteBillingGroupCommandInput; + output: DeleteBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/DeleteCustomLineItemCommand.ts b/clients/client-billingconductor/src/commands/DeleteCustomLineItemCommand.ts index 9ddc5906421f..c3828401716b 100644 --- a/clients/client-billingconductor/src/commands/DeleteCustomLineItemCommand.ts +++ b/clients/client-billingconductor/src/commands/DeleteCustomLineItemCommand.ts @@ -102,4 +102,16 @@ export class DeleteCustomLineItemCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomLineItemCommand) .de(de_DeleteCustomLineItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomLineItemInput; + output: DeleteCustomLineItemOutput; + }; + sdk: { + input: DeleteCustomLineItemCommandInput; + output: DeleteCustomLineItemCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/DeletePricingPlanCommand.ts b/clients/client-billingconductor/src/commands/DeletePricingPlanCommand.ts index dbdf5461685a..9f7eb6cf0787 100644 --- a/clients/client-billingconductor/src/commands/DeletePricingPlanCommand.ts +++ b/clients/client-billingconductor/src/commands/DeletePricingPlanCommand.ts @@ -97,4 +97,16 @@ export class DeletePricingPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeletePricingPlanCommand) .de(de_DeletePricingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePricingPlanInput; + output: DeletePricingPlanOutput; + }; + sdk: { + input: DeletePricingPlanCommandInput; + output: DeletePricingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/DeletePricingRuleCommand.ts b/clients/client-billingconductor/src/commands/DeletePricingRuleCommand.ts index 490fcc03e1b8..d2abf692b402 100644 --- a/clients/client-billingconductor/src/commands/DeletePricingRuleCommand.ts +++ b/clients/client-billingconductor/src/commands/DeletePricingRuleCommand.ts @@ -96,4 +96,16 @@ export class DeletePricingRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeletePricingRuleCommand) .de(de_DeletePricingRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePricingRuleInput; + output: DeletePricingRuleOutput; + }; + sdk: { + input: DeletePricingRuleCommandInput; + output: DeletePricingRuleCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/DisassociateAccountsCommand.ts b/clients/client-billingconductor/src/commands/DisassociateAccountsCommand.ts index a717605e88b4..78d6780967ac 100644 --- a/clients/client-billingconductor/src/commands/DisassociateAccountsCommand.ts +++ b/clients/client-billingconductor/src/commands/DisassociateAccountsCommand.ts @@ -103,4 +103,16 @@ export class DisassociateAccountsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAccountsCommand) .de(de_DisassociateAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAccountsInput; + output: DisassociateAccountsOutput; + }; + sdk: { + input: DisassociateAccountsCommandInput; + output: DisassociateAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/DisassociatePricingRulesCommand.ts b/clients/client-billingconductor/src/commands/DisassociatePricingRulesCommand.ts index 9ea21f66a97e..469ff03c09db 100644 --- a/clients/client-billingconductor/src/commands/DisassociatePricingRulesCommand.ts +++ b/clients/client-billingconductor/src/commands/DisassociatePricingRulesCommand.ts @@ -105,4 +105,16 @@ export class DisassociatePricingRulesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociatePricingRulesCommand) .de(de_DisassociatePricingRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePricingRulesInput; + output: DisassociatePricingRulesOutput; + }; + sdk: { + input: DisassociatePricingRulesCommandInput; + output: DisassociatePricingRulesCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/GetBillingGroupCostReportCommand.ts b/clients/client-billingconductor/src/commands/GetBillingGroupCostReportCommand.ts index 9c5174494e03..6ca7107d2d54 100644 --- a/clients/client-billingconductor/src/commands/GetBillingGroupCostReportCommand.ts +++ b/clients/client-billingconductor/src/commands/GetBillingGroupCostReportCommand.ts @@ -122,4 +122,16 @@ export class GetBillingGroupCostReportCommand extends $Command .f(void 0, void 0) .ser(se_GetBillingGroupCostReportCommand) .de(de_GetBillingGroupCostReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBillingGroupCostReportInput; + output: GetBillingGroupCostReportOutput; + }; + sdk: { + input: GetBillingGroupCostReportCommandInput; + output: GetBillingGroupCostReportCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListAccountAssociationsCommand.ts b/clients/client-billingconductor/src/commands/ListAccountAssociationsCommand.ts index b93e9cb2c391..5d09879a69ec 100644 --- a/clients/client-billingconductor/src/commands/ListAccountAssociationsCommand.ts +++ b/clients/client-billingconductor/src/commands/ListAccountAssociationsCommand.ts @@ -119,4 +119,16 @@ export class ListAccountAssociationsCommand extends $Command .f(void 0, ListAccountAssociationsOutputFilterSensitiveLog) .ser(se_ListAccountAssociationsCommand) .de(de_ListAccountAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountAssociationsInput; + output: ListAccountAssociationsOutput; + }; + sdk: { + input: ListAccountAssociationsCommandInput; + output: ListAccountAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListBillingGroupCostReportsCommand.ts b/clients/client-billingconductor/src/commands/ListBillingGroupCostReportsCommand.ts index 00f8407c179e..3a69c7a5c0b4 100644 --- a/clients/client-billingconductor/src/commands/ListBillingGroupCostReportsCommand.ts +++ b/clients/client-billingconductor/src/commands/ListBillingGroupCostReportsCommand.ts @@ -117,4 +117,16 @@ export class ListBillingGroupCostReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListBillingGroupCostReportsCommand) .de(de_ListBillingGroupCostReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBillingGroupCostReportsInput; + output: ListBillingGroupCostReportsOutput; + }; + sdk: { + input: ListBillingGroupCostReportsCommandInput; + output: ListBillingGroupCostReportsCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListBillingGroupsCommand.ts b/clients/client-billingconductor/src/commands/ListBillingGroupsCommand.ts index 76412e983a77..2630d198befb 100644 --- a/clients/client-billingconductor/src/commands/ListBillingGroupsCommand.ts +++ b/clients/client-billingconductor/src/commands/ListBillingGroupsCommand.ts @@ -131,4 +131,16 @@ export class ListBillingGroupsCommand extends $Command .f(void 0, ListBillingGroupsOutputFilterSensitiveLog) .ser(se_ListBillingGroupsCommand) .de(de_ListBillingGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBillingGroupsInput; + output: ListBillingGroupsOutput; + }; + sdk: { + input: ListBillingGroupsCommandInput; + output: ListBillingGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListCustomLineItemVersionsCommand.ts b/clients/client-billingconductor/src/commands/ListCustomLineItemVersionsCommand.ts index f8dbd642b3f2..f239a6b28053 100644 --- a/clients/client-billingconductor/src/commands/ListCustomLineItemVersionsCommand.ts +++ b/clients/client-billingconductor/src/commands/ListCustomLineItemVersionsCommand.ts @@ -139,4 +139,16 @@ export class ListCustomLineItemVersionsCommand extends $Command .f(void 0, ListCustomLineItemVersionsOutputFilterSensitiveLog) .ser(se_ListCustomLineItemVersionsCommand) .de(de_ListCustomLineItemVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomLineItemVersionsInput; + output: ListCustomLineItemVersionsOutput; + }; + sdk: { + input: ListCustomLineItemVersionsCommandInput; + output: ListCustomLineItemVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListCustomLineItemsCommand.ts b/clients/client-billingconductor/src/commands/ListCustomLineItemsCommand.ts index 93f52428cacc..ebbce38576b7 100644 --- a/clients/client-billingconductor/src/commands/ListCustomLineItemsCommand.ts +++ b/clients/client-billingconductor/src/commands/ListCustomLineItemsCommand.ts @@ -151,4 +151,16 @@ export class ListCustomLineItemsCommand extends $Command .f(ListCustomLineItemsInputFilterSensitiveLog, ListCustomLineItemsOutputFilterSensitiveLog) .ser(se_ListCustomLineItemsCommand) .de(de_ListCustomLineItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomLineItemsInput; + output: ListCustomLineItemsOutput; + }; + sdk: { + input: ListCustomLineItemsCommandInput; + output: ListCustomLineItemsCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListPricingPlansAssociatedWithPricingRuleCommand.ts b/clients/client-billingconductor/src/commands/ListPricingPlansAssociatedWithPricingRuleCommand.ts index 32fc94d7ca5e..4a8745ef706e 100644 --- a/clients/client-billingconductor/src/commands/ListPricingPlansAssociatedWithPricingRuleCommand.ts +++ b/clients/client-billingconductor/src/commands/ListPricingPlansAssociatedWithPricingRuleCommand.ts @@ -115,4 +115,16 @@ export class ListPricingPlansAssociatedWithPricingRuleCommand extends $Command .f(void 0, void 0) .ser(se_ListPricingPlansAssociatedWithPricingRuleCommand) .de(de_ListPricingPlansAssociatedWithPricingRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPricingPlansAssociatedWithPricingRuleInput; + output: ListPricingPlansAssociatedWithPricingRuleOutput; + }; + sdk: { + input: ListPricingPlansAssociatedWithPricingRuleCommandInput; + output: ListPricingPlansAssociatedWithPricingRuleCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListPricingPlansCommand.ts b/clients/client-billingconductor/src/commands/ListPricingPlansCommand.ts index 96e9d95f3a9a..769bf828015f 100644 --- a/clients/client-billingconductor/src/commands/ListPricingPlansCommand.ts +++ b/clients/client-billingconductor/src/commands/ListPricingPlansCommand.ts @@ -115,4 +115,16 @@ export class ListPricingPlansCommand extends $Command .f(void 0, ListPricingPlansOutputFilterSensitiveLog) .ser(se_ListPricingPlansCommand) .de(de_ListPricingPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPricingPlansInput; + output: ListPricingPlansOutput; + }; + sdk: { + input: ListPricingPlansCommandInput; + output: ListPricingPlansCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListPricingRulesAssociatedToPricingPlanCommand.ts b/clients/client-billingconductor/src/commands/ListPricingRulesAssociatedToPricingPlanCommand.ts index 72fd5aa1a86d..894c9e389f05 100644 --- a/clients/client-billingconductor/src/commands/ListPricingRulesAssociatedToPricingPlanCommand.ts +++ b/clients/client-billingconductor/src/commands/ListPricingRulesAssociatedToPricingPlanCommand.ts @@ -115,4 +115,16 @@ export class ListPricingRulesAssociatedToPricingPlanCommand extends $Command .f(void 0, void 0) .ser(se_ListPricingRulesAssociatedToPricingPlanCommand) .de(de_ListPricingRulesAssociatedToPricingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPricingRulesAssociatedToPricingPlanInput; + output: ListPricingRulesAssociatedToPricingPlanOutput; + }; + sdk: { + input: ListPricingRulesAssociatedToPricingPlanCommandInput; + output: ListPricingRulesAssociatedToPricingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListPricingRulesCommand.ts b/clients/client-billingconductor/src/commands/ListPricingRulesCommand.ts index 86385163e0ac..82ddc6a004ac 100644 --- a/clients/client-billingconductor/src/commands/ListPricingRulesCommand.ts +++ b/clients/client-billingconductor/src/commands/ListPricingRulesCommand.ts @@ -128,4 +128,16 @@ export class ListPricingRulesCommand extends $Command .f(void 0, ListPricingRulesOutputFilterSensitiveLog) .ser(se_ListPricingRulesCommand) .de(de_ListPricingRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPricingRulesInput; + output: ListPricingRulesOutput; + }; + sdk: { + input: ListPricingRulesCommandInput; + output: ListPricingRulesCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListResourcesAssociatedToCustomLineItemCommand.ts b/clients/client-billingconductor/src/commands/ListResourcesAssociatedToCustomLineItemCommand.ts index f6c5a8073708..90af76724d82 100644 --- a/clients/client-billingconductor/src/commands/ListResourcesAssociatedToCustomLineItemCommand.ts +++ b/clients/client-billingconductor/src/commands/ListResourcesAssociatedToCustomLineItemCommand.ts @@ -121,4 +121,16 @@ export class ListResourcesAssociatedToCustomLineItemCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesAssociatedToCustomLineItemCommand) .de(de_ListResourcesAssociatedToCustomLineItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesAssociatedToCustomLineItemInput; + output: ListResourcesAssociatedToCustomLineItemOutput; + }; + sdk: { + input: ListResourcesAssociatedToCustomLineItemCommandInput; + output: ListResourcesAssociatedToCustomLineItemCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/ListTagsForResourceCommand.ts b/clients/client-billingconductor/src/commands/ListTagsForResourceCommand.ts index adab98e3b721..67bf16c5f14c 100644 --- a/clients/client-billingconductor/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-billingconductor/src/commands/ListTagsForResourceCommand.ts @@ -100,4 +100,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/TagResourceCommand.ts b/clients/client-billingconductor/src/commands/TagResourceCommand.ts index e42947670b22..60f252830b98 100644 --- a/clients/client-billingconductor/src/commands/TagResourceCommand.ts +++ b/clients/client-billingconductor/src/commands/TagResourceCommand.ts @@ -99,4 +99,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/UntagResourceCommand.ts b/clients/client-billingconductor/src/commands/UntagResourceCommand.ts index 4f4b31268bc9..09b1a60761eb 100644 --- a/clients/client-billingconductor/src/commands/UntagResourceCommand.ts +++ b/clients/client-billingconductor/src/commands/UntagResourceCommand.ts @@ -99,4 +99,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/UpdateBillingGroupCommand.ts b/clients/client-billingconductor/src/commands/UpdateBillingGroupCommand.ts index eeec74324340..37540e9ad11c 100644 --- a/clients/client-billingconductor/src/commands/UpdateBillingGroupCommand.ts +++ b/clients/client-billingconductor/src/commands/UpdateBillingGroupCommand.ts @@ -126,4 +126,16 @@ export class UpdateBillingGroupCommand extends $Command .f(UpdateBillingGroupInputFilterSensitiveLog, UpdateBillingGroupOutputFilterSensitiveLog) .ser(se_UpdateBillingGroupCommand) .de(de_UpdateBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBillingGroupInput; + output: UpdateBillingGroupOutput; + }; + sdk: { + input: UpdateBillingGroupCommandInput; + output: UpdateBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/UpdateCustomLineItemCommand.ts b/clients/client-billingconductor/src/commands/UpdateCustomLineItemCommand.ts index 822ba80776bc..c66cd2ff1dab 100644 --- a/clients/client-billingconductor/src/commands/UpdateCustomLineItemCommand.ts +++ b/clients/client-billingconductor/src/commands/UpdateCustomLineItemCommand.ts @@ -149,4 +149,16 @@ export class UpdateCustomLineItemCommand extends $Command .f(UpdateCustomLineItemInputFilterSensitiveLog, UpdateCustomLineItemOutputFilterSensitiveLog) .ser(se_UpdateCustomLineItemCommand) .de(de_UpdateCustomLineItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomLineItemInput; + output: UpdateCustomLineItemOutput; + }; + sdk: { + input: UpdateCustomLineItemCommandInput; + output: UpdateCustomLineItemCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/UpdatePricingPlanCommand.ts b/clients/client-billingconductor/src/commands/UpdatePricingPlanCommand.ts index 2b67e4fb6e46..97467432fa85 100644 --- a/clients/client-billingconductor/src/commands/UpdatePricingPlanCommand.ts +++ b/clients/client-billingconductor/src/commands/UpdatePricingPlanCommand.ts @@ -112,4 +112,16 @@ export class UpdatePricingPlanCommand extends $Command .f(UpdatePricingPlanInputFilterSensitiveLog, UpdatePricingPlanOutputFilterSensitiveLog) .ser(se_UpdatePricingPlanCommand) .de(de_UpdatePricingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePricingPlanInput; + output: UpdatePricingPlanOutput; + }; + sdk: { + input: UpdatePricingPlanCommandInput; + output: UpdatePricingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-billingconductor/src/commands/UpdatePricingRuleCommand.ts b/clients/client-billingconductor/src/commands/UpdatePricingRuleCommand.ts index 7b9ac48d6392..93c973897cad 100644 --- a/clients/client-billingconductor/src/commands/UpdatePricingRuleCommand.ts +++ b/clients/client-billingconductor/src/commands/UpdatePricingRuleCommand.ts @@ -132,4 +132,16 @@ export class UpdatePricingRuleCommand extends $Command .f(UpdatePricingRuleInputFilterSensitiveLog, UpdatePricingRuleOutputFilterSensitiveLog) .ser(se_UpdatePricingRuleCommand) .de(de_UpdatePricingRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePricingRuleInput; + output: UpdatePricingRuleOutput; + }; + sdk: { + input: UpdatePricingRuleCommandInput; + output: UpdatePricingRuleCommandOutput; + }; + }; +} diff --git a/clients/client-braket/package.json b/clients/client-braket/package.json index f9523f9fe164..ebcb3b20538d 100644 --- a/clients/client-braket/package.json +++ b/clients/client-braket/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-braket/src/commands/CancelJobCommand.ts b/clients/client-braket/src/commands/CancelJobCommand.ts index 0189dd62167b..7da848850283 100644 --- a/clients/client-braket/src/commands/CancelJobCommand.ts +++ b/clients/client-braket/src/commands/CancelJobCommand.ts @@ -97,4 +97,16 @@ export class CancelJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobCommand) .de(de_CancelJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRequest; + output: CancelJobResponse; + }; + sdk: { + input: CancelJobCommandInput; + output: CancelJobCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/CancelQuantumTaskCommand.ts b/clients/client-braket/src/commands/CancelQuantumTaskCommand.ts index 3a1e4ca5d5b8..1e49bded9416 100644 --- a/clients/client-braket/src/commands/CancelQuantumTaskCommand.ts +++ b/clients/client-braket/src/commands/CancelQuantumTaskCommand.ts @@ -98,4 +98,16 @@ export class CancelQuantumTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelQuantumTaskCommand) .de(de_CancelQuantumTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelQuantumTaskRequest; + output: CancelQuantumTaskResponse; + }; + sdk: { + input: CancelQuantumTaskCommandInput; + output: CancelQuantumTaskCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/CreateJobCommand.ts b/clients/client-braket/src/commands/CreateJobCommand.ts index 57a6ade8db59..6a7ee9429ba8 100644 --- a/clients/client-braket/src/commands/CreateJobCommand.ts +++ b/clients/client-braket/src/commands/CreateJobCommand.ts @@ -156,4 +156,16 @@ export class CreateJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResponse; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/CreateQuantumTaskCommand.ts b/clients/client-braket/src/commands/CreateQuantumTaskCommand.ts index c9456bbd1e07..7e8c3accbffb 100644 --- a/clients/client-braket/src/commands/CreateQuantumTaskCommand.ts +++ b/clients/client-braket/src/commands/CreateQuantumTaskCommand.ts @@ -115,4 +115,16 @@ export class CreateQuantumTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateQuantumTaskCommand) .de(de_CreateQuantumTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQuantumTaskRequest; + output: CreateQuantumTaskResponse; + }; + sdk: { + input: CreateQuantumTaskCommandInput; + output: CreateQuantumTaskCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/GetDeviceCommand.ts b/clients/client-braket/src/commands/GetDeviceCommand.ts index 90ba9d9c9197..9de914f25532 100644 --- a/clients/client-braket/src/commands/GetDeviceCommand.ts +++ b/clients/client-braket/src/commands/GetDeviceCommand.ts @@ -114,4 +114,16 @@ export class GetDeviceCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceCommand) .de(de_GetDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceRequest; + output: GetDeviceResponse; + }; + sdk: { + input: GetDeviceCommandInput; + output: GetDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/GetJobCommand.ts b/clients/client-braket/src/commands/GetJobCommand.ts index 3ebcdb096486..4b9f5c207fdb 100644 --- a/clients/client-braket/src/commands/GetJobCommand.ts +++ b/clients/client-braket/src/commands/GetJobCommand.ts @@ -168,4 +168,16 @@ export class GetJobCommand extends $Command .f(void 0, void 0) .ser(se_GetJobCommand) .de(de_GetJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRequest; + output: GetJobResponse; + }; + sdk: { + input: GetJobCommandInput; + output: GetJobCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/GetQuantumTaskCommand.ts b/clients/client-braket/src/commands/GetQuantumTaskCommand.ts index 7d8e9dcd1dd3..2d94fb44adc8 100644 --- a/clients/client-braket/src/commands/GetQuantumTaskCommand.ts +++ b/clients/client-braket/src/commands/GetQuantumTaskCommand.ts @@ -121,4 +121,16 @@ export class GetQuantumTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetQuantumTaskCommand) .de(de_GetQuantumTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQuantumTaskRequest; + output: GetQuantumTaskResponse; + }; + sdk: { + input: GetQuantumTaskCommandInput; + output: GetQuantumTaskCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/ListTagsForResourceCommand.ts b/clients/client-braket/src/commands/ListTagsForResourceCommand.ts index 9d3f91b871e6..8a44f57ea316 100644 --- a/clients/client-braket/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-braket/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/SearchDevicesCommand.ts b/clients/client-braket/src/commands/SearchDevicesCommand.ts index dc41bcbf0267..df596c9463ef 100644 --- a/clients/client-braket/src/commands/SearchDevicesCommand.ts +++ b/clients/client-braket/src/commands/SearchDevicesCommand.ts @@ -108,4 +108,16 @@ export class SearchDevicesCommand extends $Command .f(void 0, void 0) .ser(se_SearchDevicesCommand) .de(de_SearchDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchDevicesRequest; + output: SearchDevicesResponse; + }; + sdk: { + input: SearchDevicesCommandInput; + output: SearchDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/SearchJobsCommand.ts b/clients/client-braket/src/commands/SearchJobsCommand.ts index 3c2e175895f2..a6d7dbd1a8fe 100644 --- a/clients/client-braket/src/commands/SearchJobsCommand.ts +++ b/clients/client-braket/src/commands/SearchJobsCommand.ts @@ -114,4 +114,16 @@ export class SearchJobsCommand extends $Command .f(void 0, void 0) .ser(se_SearchJobsCommand) .de(de_SearchJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchJobsRequest; + output: SearchJobsResponse; + }; + sdk: { + input: SearchJobsCommandInput; + output: SearchJobsCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/SearchQuantumTasksCommand.ts b/clients/client-braket/src/commands/SearchQuantumTasksCommand.ts index 171823be5063..2a2fc665fad8 100644 --- a/clients/client-braket/src/commands/SearchQuantumTasksCommand.ts +++ b/clients/client-braket/src/commands/SearchQuantumTasksCommand.ts @@ -115,4 +115,16 @@ export class SearchQuantumTasksCommand extends $Command .f(void 0, void 0) .ser(se_SearchQuantumTasksCommand) .de(de_SearchQuantumTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchQuantumTasksRequest; + output: SearchQuantumTasksResponse; + }; + sdk: { + input: SearchQuantumTasksCommandInput; + output: SearchQuantumTasksCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/TagResourceCommand.ts b/clients/client-braket/src/commands/TagResourceCommand.ts index ca22deaf156c..52a18fcf4e82 100644 --- a/clients/client-braket/src/commands/TagResourceCommand.ts +++ b/clients/client-braket/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-braket/src/commands/UntagResourceCommand.ts b/clients/client-braket/src/commands/UntagResourceCommand.ts index 52d3cadad9e1..f0b2190b7971 100644 --- a/clients/client-braket/src/commands/UntagResourceCommand.ts +++ b/clients/client-braket/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/package.json b/clients/client-budgets/package.json index fd2c7cfcb4fd..30d7e1c33025 100644 --- a/clients/client-budgets/package.json +++ b/clients/client-budgets/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-budgets/src/commands/CreateBudgetActionCommand.ts b/clients/client-budgets/src/commands/CreateBudgetActionCommand.ts index 6f53fcbc21d4..6b87fa237f82 100644 --- a/clients/client-budgets/src/commands/CreateBudgetActionCommand.ts +++ b/clients/client-budgets/src/commands/CreateBudgetActionCommand.ts @@ -158,4 +158,16 @@ export class CreateBudgetActionCommand extends $Command .f(CreateBudgetActionRequestFilterSensitiveLog, void 0) .ser(se_CreateBudgetActionCommand) .de(de_CreateBudgetActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBudgetActionRequest; + output: CreateBudgetActionResponse; + }; + sdk: { + input: CreateBudgetActionCommandInput; + output: CreateBudgetActionCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/CreateBudgetCommand.ts b/clients/client-budgets/src/commands/CreateBudgetCommand.ts index 9cda4b33fd73..e9d61beb2d38 100644 --- a/clients/client-budgets/src/commands/CreateBudgetCommand.ts +++ b/clients/client-budgets/src/commands/CreateBudgetCommand.ts @@ -179,4 +179,16 @@ export class CreateBudgetCommand extends $Command .f(CreateBudgetRequestFilterSensitiveLog, void 0) .ser(se_CreateBudgetCommand) .de(de_CreateBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBudgetRequest; + output: {}; + }; + sdk: { + input: CreateBudgetCommandInput; + output: CreateBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/CreateNotificationCommand.ts b/clients/client-budgets/src/commands/CreateNotificationCommand.ts index 161168cdeaa4..df63f646d01e 100644 --- a/clients/client-budgets/src/commands/CreateNotificationCommand.ts +++ b/clients/client-budgets/src/commands/CreateNotificationCommand.ts @@ -115,4 +115,16 @@ export class CreateNotificationCommand extends $Command .f(CreateNotificationRequestFilterSensitiveLog, void 0) .ser(se_CreateNotificationCommand) .de(de_CreateNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNotificationRequest; + output: {}; + }; + sdk: { + input: CreateNotificationCommandInput; + output: CreateNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/CreateSubscriberCommand.ts b/clients/client-budgets/src/commands/CreateSubscriberCommand.ts index 9553320e4cfb..5f1ddf0176c9 100644 --- a/clients/client-budgets/src/commands/CreateSubscriberCommand.ts +++ b/clients/client-budgets/src/commands/CreateSubscriberCommand.ts @@ -113,4 +113,16 @@ export class CreateSubscriberCommand extends $Command .f(CreateSubscriberRequestFilterSensitiveLog, void 0) .ser(se_CreateSubscriberCommand) .de(de_CreateSubscriberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriberRequest; + output: {}; + }; + sdk: { + input: CreateSubscriberCommandInput; + output: CreateSubscriberCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DeleteBudgetActionCommand.ts b/clients/client-budgets/src/commands/DeleteBudgetActionCommand.ts index cb8d9c106300..5904f65eff60 100644 --- a/clients/client-budgets/src/commands/DeleteBudgetActionCommand.ts +++ b/clients/client-budgets/src/commands/DeleteBudgetActionCommand.ts @@ -152,4 +152,16 @@ export class DeleteBudgetActionCommand extends $Command .f(void 0, DeleteBudgetActionResponseFilterSensitiveLog) .ser(se_DeleteBudgetActionCommand) .de(de_DeleteBudgetActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBudgetActionRequest; + output: DeleteBudgetActionResponse; + }; + sdk: { + input: DeleteBudgetActionCommandInput; + output: DeleteBudgetActionCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DeleteBudgetCommand.ts b/clients/client-budgets/src/commands/DeleteBudgetCommand.ts index 8ad4408d74d7..8bda54945b90 100644 --- a/clients/client-budgets/src/commands/DeleteBudgetCommand.ts +++ b/clients/client-budgets/src/commands/DeleteBudgetCommand.ts @@ -95,4 +95,16 @@ export class DeleteBudgetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBudgetCommand) .de(de_DeleteBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBudgetRequest; + output: {}; + }; + sdk: { + input: DeleteBudgetCommandInput; + output: DeleteBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DeleteNotificationCommand.ts b/clients/client-budgets/src/commands/DeleteNotificationCommand.ts index 5345f6fcf595..70a546a4d3a1 100644 --- a/clients/client-budgets/src/commands/DeleteNotificationCommand.ts +++ b/clients/client-budgets/src/commands/DeleteNotificationCommand.ts @@ -102,4 +102,16 @@ export class DeleteNotificationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotificationCommand) .de(de_DeleteNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNotificationRequest; + output: {}; + }; + sdk: { + input: DeleteNotificationCommandInput; + output: DeleteNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DeleteSubscriberCommand.ts b/clients/client-budgets/src/commands/DeleteSubscriberCommand.ts index f6eabc1f06dc..cef4fc7c513d 100644 --- a/clients/client-budgets/src/commands/DeleteSubscriberCommand.ts +++ b/clients/client-budgets/src/commands/DeleteSubscriberCommand.ts @@ -110,4 +110,16 @@ export class DeleteSubscriberCommand extends $Command .f(DeleteSubscriberRequestFilterSensitiveLog, void 0) .ser(se_DeleteSubscriberCommand) .de(de_DeleteSubscriberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriberRequest; + output: {}; + }; + sdk: { + input: DeleteSubscriberCommandInput; + output: DeleteSubscriberCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetActionCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetActionCommand.ts index 815860a4f7cf..5219e22029d0 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetActionCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetActionCommand.ts @@ -148,4 +148,16 @@ export class DescribeBudgetActionCommand extends $Command .f(void 0, DescribeBudgetActionResponseFilterSensitiveLog) .ser(se_DescribeBudgetActionCommand) .de(de_DescribeBudgetActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetActionRequest; + output: DescribeBudgetActionResponse; + }; + sdk: { + input: DescribeBudgetActionCommandInput; + output: DescribeBudgetActionCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetActionHistoriesCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetActionHistoriesCommand.ts index 7c5c20f4dcdb..69caaad7cb77 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetActionHistoriesCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetActionHistoriesCommand.ts @@ -171,4 +171,16 @@ export class DescribeBudgetActionHistoriesCommand extends $Command .f(void 0, DescribeBudgetActionHistoriesResponseFilterSensitiveLog) .ser(se_DescribeBudgetActionHistoriesCommand) .de(de_DescribeBudgetActionHistoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetActionHistoriesRequest; + output: DescribeBudgetActionHistoriesResponse; + }; + sdk: { + input: DescribeBudgetActionHistoriesCommandInput; + output: DescribeBudgetActionHistoriesCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetActionsForAccountCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetActionsForAccountCommand.ts index b169393e9ff8..973082e2f786 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetActionsForAccountCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetActionsForAccountCommand.ts @@ -154,4 +154,16 @@ export class DescribeBudgetActionsForAccountCommand extends $Command .f(void 0, DescribeBudgetActionsForAccountResponseFilterSensitiveLog) .ser(se_DescribeBudgetActionsForAccountCommand) .de(de_DescribeBudgetActionsForAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetActionsForAccountRequest; + output: DescribeBudgetActionsForAccountResponse; + }; + sdk: { + input: DescribeBudgetActionsForAccountCommandInput; + output: DescribeBudgetActionsForAccountCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetActionsForBudgetCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetActionsForBudgetCommand.ts index d4bf5c06f49f..e169cf7921e5 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetActionsForBudgetCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetActionsForBudgetCommand.ts @@ -158,4 +158,16 @@ export class DescribeBudgetActionsForBudgetCommand extends $Command .f(void 0, DescribeBudgetActionsForBudgetResponseFilterSensitiveLog) .ser(se_DescribeBudgetActionsForBudgetCommand) .de(de_DescribeBudgetActionsForBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetActionsForBudgetRequest; + output: DescribeBudgetActionsForBudgetResponse; + }; + sdk: { + input: DescribeBudgetActionsForBudgetCommandInput; + output: DescribeBudgetActionsForBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetCommand.ts index d7e239c6d526..45e5c61a9fd0 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetCommand.ts @@ -152,4 +152,16 @@ export class DescribeBudgetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBudgetCommand) .de(de_DescribeBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetRequest; + output: DescribeBudgetResponse; + }; + sdk: { + input: DescribeBudgetCommandInput; + output: DescribeBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetNotificationsForAccountCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetNotificationsForAccountCommand.ts index b0e96ffbaca7..a23d1c302afc 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetNotificationsForAccountCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetNotificationsForAccountCommand.ts @@ -124,4 +124,16 @@ export class DescribeBudgetNotificationsForAccountCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBudgetNotificationsForAccountCommand) .de(de_DescribeBudgetNotificationsForAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetNotificationsForAccountRequest; + output: DescribeBudgetNotificationsForAccountResponse; + }; + sdk: { + input: DescribeBudgetNotificationsForAccountCommandInput; + output: DescribeBudgetNotificationsForAccountCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetPerformanceHistoryCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetPerformanceHistoryCommand.ts index c27d39d1a210..03ef12aeba0e 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetPerformanceHistoryCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetPerformanceHistoryCommand.ts @@ -150,4 +150,16 @@ export class DescribeBudgetPerformanceHistoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBudgetPerformanceHistoryCommand) .de(de_DescribeBudgetPerformanceHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetPerformanceHistoryRequest; + output: DescribeBudgetPerformanceHistoryResponse; + }; + sdk: { + input: DescribeBudgetPerformanceHistoryCommandInput; + output: DescribeBudgetPerformanceHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeBudgetsCommand.ts b/clients/client-budgets/src/commands/DescribeBudgetsCommand.ts index 8dbadb736e46..30f169bfa604 100644 --- a/clients/client-budgets/src/commands/DescribeBudgetsCommand.ts +++ b/clients/client-budgets/src/commands/DescribeBudgetsCommand.ts @@ -162,4 +162,16 @@ export class DescribeBudgetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBudgetsCommand) .de(de_DescribeBudgetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBudgetsRequest; + output: DescribeBudgetsResponse; + }; + sdk: { + input: DescribeBudgetsCommandInput; + output: DescribeBudgetsCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeNotificationsForBudgetCommand.ts b/clients/client-budgets/src/commands/DescribeNotificationsForBudgetCommand.ts index 685fe3e5afcf..ff0885d235ca 100644 --- a/clients/client-budgets/src/commands/DescribeNotificationsForBudgetCommand.ts +++ b/clients/client-budgets/src/commands/DescribeNotificationsForBudgetCommand.ts @@ -116,4 +116,16 @@ export class DescribeNotificationsForBudgetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNotificationsForBudgetCommand) .de(de_DescribeNotificationsForBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotificationsForBudgetRequest; + output: DescribeNotificationsForBudgetResponse; + }; + sdk: { + input: DescribeNotificationsForBudgetCommandInput; + output: DescribeNotificationsForBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/DescribeSubscribersForNotificationCommand.ts b/clients/client-budgets/src/commands/DescribeSubscribersForNotificationCommand.ts index 812d0cc878a4..18f868775f90 100644 --- a/clients/client-budgets/src/commands/DescribeSubscribersForNotificationCommand.ts +++ b/clients/client-budgets/src/commands/DescribeSubscribersForNotificationCommand.ts @@ -124,4 +124,16 @@ export class DescribeSubscribersForNotificationCommand extends $Command .f(void 0, DescribeSubscribersForNotificationResponseFilterSensitiveLog) .ser(se_DescribeSubscribersForNotificationCommand) .de(de_DescribeSubscribersForNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSubscribersForNotificationRequest; + output: DescribeSubscribersForNotificationResponse; + }; + sdk: { + input: DescribeSubscribersForNotificationCommandInput; + output: DescribeSubscribersForNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/ExecuteBudgetActionCommand.ts b/clients/client-budgets/src/commands/ExecuteBudgetActionCommand.ts index 38d4dfc61aca..2e2ca09b593a 100644 --- a/clients/client-budgets/src/commands/ExecuteBudgetActionCommand.ts +++ b/clients/client-budgets/src/commands/ExecuteBudgetActionCommand.ts @@ -105,4 +105,16 @@ export class ExecuteBudgetActionCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteBudgetActionCommand) .de(de_ExecuteBudgetActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteBudgetActionRequest; + output: ExecuteBudgetActionResponse; + }; + sdk: { + input: ExecuteBudgetActionCommandInput; + output: ExecuteBudgetActionCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/ListTagsForResourceCommand.ts b/clients/client-budgets/src/commands/ListTagsForResourceCommand.ts index c04d706b1e4a..5b1861818742 100644 --- a/clients/client-budgets/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-budgets/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/TagResourceCommand.ts b/clients/client-budgets/src/commands/TagResourceCommand.ts index a0768641b01e..be9d836c3f37 100644 --- a/clients/client-budgets/src/commands/TagResourceCommand.ts +++ b/clients/client-budgets/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/UntagResourceCommand.ts b/clients/client-budgets/src/commands/UntagResourceCommand.ts index c7b148385a37..bfcab383eef2 100644 --- a/clients/client-budgets/src/commands/UntagResourceCommand.ts +++ b/clients/client-budgets/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/UpdateBudgetActionCommand.ts b/clients/client-budgets/src/commands/UpdateBudgetActionCommand.ts index 0e3319bf5661..1c2788893488 100644 --- a/clients/client-budgets/src/commands/UpdateBudgetActionCommand.ts +++ b/clients/client-budgets/src/commands/UpdateBudgetActionCommand.ts @@ -239,4 +239,16 @@ export class UpdateBudgetActionCommand extends $Command .f(UpdateBudgetActionRequestFilterSensitiveLog, UpdateBudgetActionResponseFilterSensitiveLog) .ser(se_UpdateBudgetActionCommand) .de(de_UpdateBudgetActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBudgetActionRequest; + output: UpdateBudgetActionResponse; + }; + sdk: { + input: UpdateBudgetActionCommandInput; + output: UpdateBudgetActionCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/UpdateBudgetCommand.ts b/clients/client-budgets/src/commands/UpdateBudgetCommand.ts index 969630873da7..485490894ca8 100644 --- a/clients/client-budgets/src/commands/UpdateBudgetCommand.ts +++ b/clients/client-budgets/src/commands/UpdateBudgetCommand.ts @@ -150,4 +150,16 @@ export class UpdateBudgetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBudgetCommand) .de(de_UpdateBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBudgetRequest; + output: {}; + }; + sdk: { + input: UpdateBudgetCommandInput; + output: UpdateBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/UpdateNotificationCommand.ts b/clients/client-budgets/src/commands/UpdateNotificationCommand.ts index 837354a8436e..cf2176c5fc96 100644 --- a/clients/client-budgets/src/commands/UpdateNotificationCommand.ts +++ b/clients/client-budgets/src/commands/UpdateNotificationCommand.ts @@ -109,4 +109,16 @@ export class UpdateNotificationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNotificationCommand) .de(de_UpdateNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotificationRequest; + output: {}; + }; + sdk: { + input: UpdateNotificationCommandInput; + output: UpdateNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-budgets/src/commands/UpdateSubscriberCommand.ts b/clients/client-budgets/src/commands/UpdateSubscriberCommand.ts index 65ccb7c6cac4..3212bcc05bc6 100644 --- a/clients/client-budgets/src/commands/UpdateSubscriberCommand.ts +++ b/clients/client-budgets/src/commands/UpdateSubscriberCommand.ts @@ -114,4 +114,16 @@ export class UpdateSubscriberCommand extends $Command .f(UpdateSubscriberRequestFilterSensitiveLog, void 0) .ser(se_UpdateSubscriberCommand) .de(de_UpdateSubscriberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriberRequest; + output: {}; + }; + sdk: { + input: UpdateSubscriberCommandInput; + output: UpdateSubscriberCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/package.json b/clients/client-chatbot/package.json index 9527d61397be..92af976164cd 100644 --- a/clients/client-chatbot/package.json +++ b/clients/client-chatbot/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-chatbot/src/commands/CreateChimeWebhookConfigurationCommand.ts b/clients/client-chatbot/src/commands/CreateChimeWebhookConfigurationCommand.ts index 955d96391690..f6840da42183 100644 --- a/clients/client-chatbot/src/commands/CreateChimeWebhookConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/CreateChimeWebhookConfigurationCommand.ts @@ -130,4 +130,16 @@ export class CreateChimeWebhookConfigurationCommand extends $Command .f(CreateChimeWebhookConfigurationRequestFilterSensitiveLog, CreateChimeWebhookConfigurationResultFilterSensitiveLog) .ser(se_CreateChimeWebhookConfigurationCommand) .de(de_CreateChimeWebhookConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChimeWebhookConfigurationRequest; + output: CreateChimeWebhookConfigurationResult; + }; + sdk: { + input: CreateChimeWebhookConfigurationCommandInput; + output: CreateChimeWebhookConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/CreateMicrosoftTeamsChannelConfigurationCommand.ts b/clients/client-chatbot/src/commands/CreateMicrosoftTeamsChannelConfigurationCommand.ts index 3248771cc7c8..72032ab64f65 100644 --- a/clients/client-chatbot/src/commands/CreateMicrosoftTeamsChannelConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/CreateMicrosoftTeamsChannelConfigurationCommand.ts @@ -145,4 +145,16 @@ export class CreateMicrosoftTeamsChannelConfigurationCommand extends $Command .f(CreateTeamsChannelConfigurationRequestFilterSensitiveLog, CreateTeamsChannelConfigurationResultFilterSensitiveLog) .ser(se_CreateMicrosoftTeamsChannelConfigurationCommand) .de(de_CreateMicrosoftTeamsChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTeamsChannelConfigurationRequest; + output: CreateTeamsChannelConfigurationResult; + }; + sdk: { + input: CreateMicrosoftTeamsChannelConfigurationCommandInput; + output: CreateMicrosoftTeamsChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/CreateSlackChannelConfigurationCommand.ts b/clients/client-chatbot/src/commands/CreateSlackChannelConfigurationCommand.ts index 449bef5707d0..4c500c18b275 100644 --- a/clients/client-chatbot/src/commands/CreateSlackChannelConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/CreateSlackChannelConfigurationCommand.ts @@ -142,4 +142,16 @@ export class CreateSlackChannelConfigurationCommand extends $Command .f(CreateSlackChannelConfigurationRequestFilterSensitiveLog, CreateSlackChannelConfigurationResultFilterSensitiveLog) .ser(se_CreateSlackChannelConfigurationCommand) .de(de_CreateSlackChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSlackChannelConfigurationRequest; + output: CreateSlackChannelConfigurationResult; + }; + sdk: { + input: CreateSlackChannelConfigurationCommandInput; + output: CreateSlackChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DeleteChimeWebhookConfigurationCommand.ts b/clients/client-chatbot/src/commands/DeleteChimeWebhookConfigurationCommand.ts index adf438666863..74eba7793be5 100644 --- a/clients/client-chatbot/src/commands/DeleteChimeWebhookConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/DeleteChimeWebhookConfigurationCommand.ts @@ -92,4 +92,16 @@ export class DeleteChimeWebhookConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChimeWebhookConfigurationCommand) .de(de_DeleteChimeWebhookConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChimeWebhookConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteChimeWebhookConfigurationCommandInput; + output: DeleteChimeWebhookConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsChannelConfigurationCommand.ts b/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsChannelConfigurationCommand.ts index 2e396ce7330a..ab96d231af80 100644 --- a/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsChannelConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsChannelConfigurationCommand.ts @@ -92,4 +92,16 @@ export class DeleteMicrosoftTeamsChannelConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMicrosoftTeamsChannelConfigurationCommand) .de(de_DeleteMicrosoftTeamsChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTeamsChannelConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteMicrosoftTeamsChannelConfigurationCommandInput; + output: DeleteMicrosoftTeamsChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsConfiguredTeamCommand.ts b/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsConfiguredTeamCommand.ts index 13e3d898201f..080a46216c18 100644 --- a/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsConfiguredTeamCommand.ts +++ b/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsConfiguredTeamCommand.ts @@ -87,4 +87,16 @@ export class DeleteMicrosoftTeamsConfiguredTeamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMicrosoftTeamsConfiguredTeamCommand) .de(de_DeleteMicrosoftTeamsConfiguredTeamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTeamsConfiguredTeamRequest; + output: {}; + }; + sdk: { + input: DeleteMicrosoftTeamsConfiguredTeamCommandInput; + output: DeleteMicrosoftTeamsConfiguredTeamCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsUserIdentityCommand.ts b/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsUserIdentityCommand.ts index b1e789340d8c..ee58716217bb 100644 --- a/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsUserIdentityCommand.ts +++ b/clients/client-chatbot/src/commands/DeleteMicrosoftTeamsUserIdentityCommand.ts @@ -90,4 +90,16 @@ export class DeleteMicrosoftTeamsUserIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMicrosoftTeamsUserIdentityCommand) .de(de_DeleteMicrosoftTeamsUserIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMicrosoftTeamsUserIdentityRequest; + output: {}; + }; + sdk: { + input: DeleteMicrosoftTeamsUserIdentityCommandInput; + output: DeleteMicrosoftTeamsUserIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DeleteSlackChannelConfigurationCommand.ts b/clients/client-chatbot/src/commands/DeleteSlackChannelConfigurationCommand.ts index b58788b700c0..4bac04e42903 100644 --- a/clients/client-chatbot/src/commands/DeleteSlackChannelConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/DeleteSlackChannelConfigurationCommand.ts @@ -92,4 +92,16 @@ export class DeleteSlackChannelConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlackChannelConfigurationCommand) .de(de_DeleteSlackChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlackChannelConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteSlackChannelConfigurationCommandInput; + output: DeleteSlackChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DeleteSlackUserIdentityCommand.ts b/clients/client-chatbot/src/commands/DeleteSlackUserIdentityCommand.ts index ae5494da7e83..e4fdc08463bd 100644 --- a/clients/client-chatbot/src/commands/DeleteSlackUserIdentityCommand.ts +++ b/clients/client-chatbot/src/commands/DeleteSlackUserIdentityCommand.ts @@ -86,4 +86,16 @@ export class DeleteSlackUserIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlackUserIdentityCommand) .de(de_DeleteSlackUserIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlackUserIdentityRequest; + output: {}; + }; + sdk: { + input: DeleteSlackUserIdentityCommandInput; + output: DeleteSlackUserIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DeleteSlackWorkspaceAuthorizationCommand.ts b/clients/client-chatbot/src/commands/DeleteSlackWorkspaceAuthorizationCommand.ts index d15a9c58ef3f..137c37c2afe6 100644 --- a/clients/client-chatbot/src/commands/DeleteSlackWorkspaceAuthorizationCommand.ts +++ b/clients/client-chatbot/src/commands/DeleteSlackWorkspaceAuthorizationCommand.ts @@ -87,4 +87,16 @@ export class DeleteSlackWorkspaceAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlackWorkspaceAuthorizationCommand) .de(de_DeleteSlackWorkspaceAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlackWorkspaceAuthorizationRequest; + output: {}; + }; + sdk: { + input: DeleteSlackWorkspaceAuthorizationCommandInput; + output: DeleteSlackWorkspaceAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DescribeChimeWebhookConfigurationsCommand.ts b/clients/client-chatbot/src/commands/DescribeChimeWebhookConfigurationsCommand.ts index fcd96f9772cd..1b9e9682b32d 100644 --- a/clients/client-chatbot/src/commands/DescribeChimeWebhookConfigurationsCommand.ts +++ b/clients/client-chatbot/src/commands/DescribeChimeWebhookConfigurationsCommand.ts @@ -115,4 +115,16 @@ export class DescribeChimeWebhookConfigurationsCommand extends $Command .f(void 0, DescribeChimeWebhookConfigurationsResultFilterSensitiveLog) .ser(se_DescribeChimeWebhookConfigurationsCommand) .de(de_DescribeChimeWebhookConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChimeWebhookConfigurationsRequest; + output: DescribeChimeWebhookConfigurationsResult; + }; + sdk: { + input: DescribeChimeWebhookConfigurationsCommandInput; + output: DescribeChimeWebhookConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DescribeSlackChannelConfigurationsCommand.ts b/clients/client-chatbot/src/commands/DescribeSlackChannelConfigurationsCommand.ts index 6674cc3bced5..2213ea234b3b 100644 --- a/clients/client-chatbot/src/commands/DescribeSlackChannelConfigurationsCommand.ts +++ b/clients/client-chatbot/src/commands/DescribeSlackChannelConfigurationsCommand.ts @@ -122,4 +122,16 @@ export class DescribeSlackChannelConfigurationsCommand extends $Command .f(void 0, DescribeSlackChannelConfigurationsResultFilterSensitiveLog) .ser(se_DescribeSlackChannelConfigurationsCommand) .de(de_DescribeSlackChannelConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSlackChannelConfigurationsRequest; + output: DescribeSlackChannelConfigurationsResult; + }; + sdk: { + input: DescribeSlackChannelConfigurationsCommandInput; + output: DescribeSlackChannelConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DescribeSlackUserIdentitiesCommand.ts b/clients/client-chatbot/src/commands/DescribeSlackUserIdentitiesCommand.ts index 0398d792dcbb..61a68f9c47aa 100644 --- a/clients/client-chatbot/src/commands/DescribeSlackUserIdentitiesCommand.ts +++ b/clients/client-chatbot/src/commands/DescribeSlackUserIdentitiesCommand.ts @@ -100,4 +100,16 @@ export class DescribeSlackUserIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSlackUserIdentitiesCommand) .de(de_DescribeSlackUserIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSlackUserIdentitiesRequest; + output: DescribeSlackUserIdentitiesResult; + }; + sdk: { + input: DescribeSlackUserIdentitiesCommandInput; + output: DescribeSlackUserIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/DescribeSlackWorkspacesCommand.ts b/clients/client-chatbot/src/commands/DescribeSlackWorkspacesCommand.ts index 6ce7ba177cea..ba53b81a3d92 100644 --- a/clients/client-chatbot/src/commands/DescribeSlackWorkspacesCommand.ts +++ b/clients/client-chatbot/src/commands/DescribeSlackWorkspacesCommand.ts @@ -93,4 +93,16 @@ export class DescribeSlackWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSlackWorkspacesCommand) .de(de_DescribeSlackWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSlackWorkspacesRequest; + output: DescribeSlackWorkspacesResult; + }; + sdk: { + input: DescribeSlackWorkspacesCommandInput; + output: DescribeSlackWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/GetAccountPreferencesCommand.ts b/clients/client-chatbot/src/commands/GetAccountPreferencesCommand.ts index 774c12d9bd79..feebd474b293 100644 --- a/clients/client-chatbot/src/commands/GetAccountPreferencesCommand.ts +++ b/clients/client-chatbot/src/commands/GetAccountPreferencesCommand.ts @@ -84,4 +84,16 @@ export class GetAccountPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountPreferencesCommand) .de(de_GetAccountPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountPreferencesResult; + }; + sdk: { + input: GetAccountPreferencesCommandInput; + output: GetAccountPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/GetMicrosoftTeamsChannelConfigurationCommand.ts b/clients/client-chatbot/src/commands/GetMicrosoftTeamsChannelConfigurationCommand.ts index aa9a2e1c5980..1afee393e9c7 100644 --- a/clients/client-chatbot/src/commands/GetMicrosoftTeamsChannelConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/GetMicrosoftTeamsChannelConfigurationCommand.ts @@ -118,4 +118,16 @@ export class GetMicrosoftTeamsChannelConfigurationCommand extends $Command .f(void 0, GetTeamsChannelConfigurationResultFilterSensitiveLog) .ser(se_GetMicrosoftTeamsChannelConfigurationCommand) .de(de_GetMicrosoftTeamsChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTeamsChannelConfigurationRequest; + output: GetTeamsChannelConfigurationResult; + }; + sdk: { + input: GetMicrosoftTeamsChannelConfigurationCommandInput; + output: GetMicrosoftTeamsChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/ListMicrosoftTeamsChannelConfigurationsCommand.ts b/clients/client-chatbot/src/commands/ListMicrosoftTeamsChannelConfigurationsCommand.ts index 1c3cf5b0ea82..544705fc83b6 100644 --- a/clients/client-chatbot/src/commands/ListMicrosoftTeamsChannelConfigurationsCommand.ts +++ b/clients/client-chatbot/src/commands/ListMicrosoftTeamsChannelConfigurationsCommand.ts @@ -123,4 +123,16 @@ export class ListMicrosoftTeamsChannelConfigurationsCommand extends $Command .f(void 0, ListTeamsChannelConfigurationsResultFilterSensitiveLog) .ser(se_ListMicrosoftTeamsChannelConfigurationsCommand) .de(de_ListMicrosoftTeamsChannelConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTeamsChannelConfigurationsRequest; + output: ListTeamsChannelConfigurationsResult; + }; + sdk: { + input: ListMicrosoftTeamsChannelConfigurationsCommandInput; + output: ListMicrosoftTeamsChannelConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/ListMicrosoftTeamsConfiguredTeamsCommand.ts b/clients/client-chatbot/src/commands/ListMicrosoftTeamsConfiguredTeamsCommand.ts index 900c83f1602f..aca35ba04a5f 100644 --- a/clients/client-chatbot/src/commands/ListMicrosoftTeamsConfiguredTeamsCommand.ts +++ b/clients/client-chatbot/src/commands/ListMicrosoftTeamsConfiguredTeamsCommand.ts @@ -99,4 +99,16 @@ export class ListMicrosoftTeamsConfiguredTeamsCommand extends $Command .f(void 0, void 0) .ser(se_ListMicrosoftTeamsConfiguredTeamsCommand) .de(de_ListMicrosoftTeamsConfiguredTeamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMicrosoftTeamsConfiguredTeamsRequest; + output: ListMicrosoftTeamsConfiguredTeamsResult; + }; + sdk: { + input: ListMicrosoftTeamsConfiguredTeamsCommandInput; + output: ListMicrosoftTeamsConfiguredTeamsCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/ListMicrosoftTeamsUserIdentitiesCommand.ts b/clients/client-chatbot/src/commands/ListMicrosoftTeamsUserIdentitiesCommand.ts index 3d9428e240ad..78075979b883 100644 --- a/clients/client-chatbot/src/commands/ListMicrosoftTeamsUserIdentitiesCommand.ts +++ b/clients/client-chatbot/src/commands/ListMicrosoftTeamsUserIdentitiesCommand.ts @@ -104,4 +104,16 @@ export class ListMicrosoftTeamsUserIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListMicrosoftTeamsUserIdentitiesCommand) .de(de_ListMicrosoftTeamsUserIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMicrosoftTeamsUserIdentitiesRequest; + output: ListMicrosoftTeamsUserIdentitiesResult; + }; + sdk: { + input: ListMicrosoftTeamsUserIdentitiesCommandInput; + output: ListMicrosoftTeamsUserIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/ListTagsForResourceCommand.ts b/clients/client-chatbot/src/commands/ListTagsForResourceCommand.ts index d4c2bf7a4de2..65fac95ae1ce 100644 --- a/clients/client-chatbot/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-chatbot/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/TagResourceCommand.ts b/clients/client-chatbot/src/commands/TagResourceCommand.ts index 781f3980f626..18a18afbfab2 100644 --- a/clients/client-chatbot/src/commands/TagResourceCommand.ts +++ b/clients/client-chatbot/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/UntagResourceCommand.ts b/clients/client-chatbot/src/commands/UntagResourceCommand.ts index 624c2e37455f..749961689ad1 100644 --- a/clients/client-chatbot/src/commands/UntagResourceCommand.ts +++ b/clients/client-chatbot/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/UpdateAccountPreferencesCommand.ts b/clients/client-chatbot/src/commands/UpdateAccountPreferencesCommand.ts index 9d09164c5677..04500b915a98 100644 --- a/clients/client-chatbot/src/commands/UpdateAccountPreferencesCommand.ts +++ b/clients/client-chatbot/src/commands/UpdateAccountPreferencesCommand.ts @@ -90,4 +90,16 @@ export class UpdateAccountPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountPreferencesCommand) .de(de_UpdateAccountPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountPreferencesRequest; + output: UpdateAccountPreferencesResult; + }; + sdk: { + input: UpdateAccountPreferencesCommandInput; + output: UpdateAccountPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/UpdateChimeWebhookConfigurationCommand.ts b/clients/client-chatbot/src/commands/UpdateChimeWebhookConfigurationCommand.ts index 2eb7f2678a65..bd0738bd8661 100644 --- a/clients/client-chatbot/src/commands/UpdateChimeWebhookConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/UpdateChimeWebhookConfigurationCommand.ts @@ -121,4 +121,16 @@ export class UpdateChimeWebhookConfigurationCommand extends $Command .f(UpdateChimeWebhookConfigurationRequestFilterSensitiveLog, UpdateChimeWebhookConfigurationResultFilterSensitiveLog) .ser(se_UpdateChimeWebhookConfigurationCommand) .de(de_UpdateChimeWebhookConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChimeWebhookConfigurationRequest; + output: UpdateChimeWebhookConfigurationResult; + }; + sdk: { + input: UpdateChimeWebhookConfigurationCommandInput; + output: UpdateChimeWebhookConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/UpdateMicrosoftTeamsChannelConfigurationCommand.ts b/clients/client-chatbot/src/commands/UpdateMicrosoftTeamsChannelConfigurationCommand.ts index d15f841a5b63..577b2a1c9aad 100644 --- a/clients/client-chatbot/src/commands/UpdateMicrosoftTeamsChannelConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/UpdateMicrosoftTeamsChannelConfigurationCommand.ts @@ -133,4 +133,16 @@ export class UpdateMicrosoftTeamsChannelConfigurationCommand extends $Command .f(UpdateTeamsChannelConfigurationRequestFilterSensitiveLog, UpdateTeamsChannelConfigurationResultFilterSensitiveLog) .ser(se_UpdateMicrosoftTeamsChannelConfigurationCommand) .de(de_UpdateMicrosoftTeamsChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTeamsChannelConfigurationRequest; + output: UpdateTeamsChannelConfigurationResult; + }; + sdk: { + input: UpdateMicrosoftTeamsChannelConfigurationCommandInput; + output: UpdateMicrosoftTeamsChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chatbot/src/commands/UpdateSlackChannelConfigurationCommand.ts b/clients/client-chatbot/src/commands/UpdateSlackChannelConfigurationCommand.ts index 002d7b083257..5d3f44200a6b 100644 --- a/clients/client-chatbot/src/commands/UpdateSlackChannelConfigurationCommand.ts +++ b/clients/client-chatbot/src/commands/UpdateSlackChannelConfigurationCommand.ts @@ -132,4 +132,16 @@ export class UpdateSlackChannelConfigurationCommand extends $Command .f(UpdateSlackChannelConfigurationRequestFilterSensitiveLog, UpdateSlackChannelConfigurationResultFilterSensitiveLog) .ser(se_UpdateSlackChannelConfigurationCommand) .de(de_UpdateSlackChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSlackChannelConfigurationRequest; + output: UpdateSlackChannelConfigurationResult; + }; + sdk: { + input: UpdateSlackChannelConfigurationCommandInput; + output: UpdateSlackChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/package.json b/clients/client-chime-sdk-identity/package.json index 90c7841565d8..a9e4a9da89cc 100644 --- a/clients/client-chime-sdk-identity/package.json +++ b/clients/client-chime-sdk-identity/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceAdminCommand.ts b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceAdminCommand.ts index 63d168a7d49c..65c8f07eeba6 100644 --- a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceAdminCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceAdminCommand.ts @@ -126,4 +126,16 @@ export class CreateAppInstanceAdminCommand extends $Command .f(void 0, CreateAppInstanceAdminResponseFilterSensitiveLog) .ser(se_CreateAppInstanceAdminCommand) .de(de_CreateAppInstanceAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppInstanceAdminRequest; + output: CreateAppInstanceAdminResponse; + }; + sdk: { + input: CreateAppInstanceAdminCommandInput; + output: CreateAppInstanceAdminCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceBotCommand.ts b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceBotCommand.ts index 03797bb06b5d..a5e867fd2f4a 100644 --- a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceBotCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceBotCommand.ts @@ -128,4 +128,16 @@ export class CreateAppInstanceBotCommand extends $Command .f(CreateAppInstanceBotRequestFilterSensitiveLog, void 0) .ser(se_CreateAppInstanceBotCommand) .de(de_CreateAppInstanceBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppInstanceBotRequest; + output: CreateAppInstanceBotResponse; + }; + sdk: { + input: CreateAppInstanceBotCommandInput; + output: CreateAppInstanceBotCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceCommand.ts b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceCommand.ts index ba3a96f3e9d7..b77b7bca8205 100644 --- a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceCommand.ts @@ -117,4 +117,16 @@ export class CreateAppInstanceCommand extends $Command .f(CreateAppInstanceRequestFilterSensitiveLog, void 0) .ser(se_CreateAppInstanceCommand) .de(de_CreateAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppInstanceRequest; + output: CreateAppInstanceResponse; + }; + sdk: { + input: CreateAppInstanceCommandInput; + output: CreateAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceUserCommand.ts b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceUserCommand.ts index e648611a088d..69e1f741ff6b 100644 --- a/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/CreateAppInstanceUserCommand.ts @@ -121,4 +121,16 @@ export class CreateAppInstanceUserCommand extends $Command .f(CreateAppInstanceUserRequestFilterSensitiveLog, void 0) .ser(se_CreateAppInstanceUserCommand) .de(de_CreateAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppInstanceUserRequest; + output: CreateAppInstanceUserResponse; + }; + sdk: { + input: CreateAppInstanceUserCommandInput; + output: CreateAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceAdminCommand.ts b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceAdminCommand.ts index 306ef1c0fccc..4b59c239eead 100644 --- a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceAdminCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceAdminCommand.ts @@ -103,4 +103,16 @@ export class DeleteAppInstanceAdminCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceAdminCommand) .de(de_DeleteAppInstanceAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceAdminRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceAdminCommandInput; + output: DeleteAppInstanceAdminCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceBotCommand.ts b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceBotCommand.ts index 78b4b330aab6..6390e62c4c42 100644 --- a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceBotCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceBotCommand.ts @@ -100,4 +100,16 @@ export class DeleteAppInstanceBotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceBotCommand) .de(de_DeleteAppInstanceBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceBotRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceBotCommandInput; + output: DeleteAppInstanceBotCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceCommand.ts b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceCommand.ts index e65a34b12020..14480b48bb33 100644 --- a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceCommand.ts @@ -96,4 +96,16 @@ export class DeleteAppInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceCommand) .de(de_DeleteAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceCommandInput; + output: DeleteAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceUserCommand.ts b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceUserCommand.ts index 8b3211ead19f..07fdd6e75bfb 100644 --- a/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DeleteAppInstanceUserCommand.ts @@ -100,4 +100,16 @@ export class DeleteAppInstanceUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceUserCommand) .de(de_DeleteAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceUserRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceUserCommandInput; + output: DeleteAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DeregisterAppInstanceUserEndpointCommand.ts b/clients/client-chime-sdk-identity/src/commands/DeregisterAppInstanceUserEndpointCommand.ts index d77f732c432c..d70f6bf8bc27 100644 --- a/clients/client-chime-sdk-identity/src/commands/DeregisterAppInstanceUserEndpointCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DeregisterAppInstanceUserEndpointCommand.ts @@ -97,4 +97,16 @@ export class DeregisterAppInstanceUserEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterAppInstanceUserEndpointCommand) .de(de_DeregisterAppInstanceUserEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterAppInstanceUserEndpointRequest; + output: {}; + }; + sdk: { + input: DeregisterAppInstanceUserEndpointCommandInput; + output: DeregisterAppInstanceUserEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceAdminCommand.ts b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceAdminCommand.ts index d91846bdf141..a24fb376cb8e 100644 --- a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceAdminCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceAdminCommand.ts @@ -107,4 +107,16 @@ export class DescribeAppInstanceAdminCommand extends $Command .f(void 0, DescribeAppInstanceAdminResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceAdminCommand) .de(de_DescribeAppInstanceAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceAdminRequest; + output: DescribeAppInstanceAdminResponse; + }; + sdk: { + input: DescribeAppInstanceAdminCommandInput; + output: DescribeAppInstanceAdminCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceBotCommand.ts b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceBotCommand.ts index a1ddcbf66442..28275090987b 100644 --- a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceBotCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceBotCommand.ts @@ -120,4 +120,16 @@ export class DescribeAppInstanceBotCommand extends $Command .f(void 0, DescribeAppInstanceBotResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceBotCommand) .de(de_DescribeAppInstanceBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceBotRequest; + output: DescribeAppInstanceBotResponse; + }; + sdk: { + input: DescribeAppInstanceBotCommandInput; + output: DescribeAppInstanceBotCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceCommand.ts b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceCommand.ts index 93fdd35405ce..2eadefa60c88 100644 --- a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceCommand.ts @@ -105,4 +105,16 @@ export class DescribeAppInstanceCommand extends $Command .f(void 0, DescribeAppInstanceResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceCommand) .de(de_DescribeAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceRequest; + output: DescribeAppInstanceResponse; + }; + sdk: { + input: DescribeAppInstanceCommandInput; + output: DescribeAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserCommand.ts b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserCommand.ts index 9e4c389623dd..b2f222ea915f 100644 --- a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserCommand.ts @@ -109,4 +109,16 @@ export class DescribeAppInstanceUserCommand extends $Command .f(void 0, DescribeAppInstanceUserResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceUserCommand) .de(de_DescribeAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceUserRequest; + output: DescribeAppInstanceUserResponse; + }; + sdk: { + input: DescribeAppInstanceUserCommandInput; + output: DescribeAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserEndpointCommand.ts b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserEndpointCommand.ts index 578adff2cb13..0f287aa78493 100644 --- a/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserEndpointCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/DescribeAppInstanceUserEndpointCommand.ts @@ -122,4 +122,16 @@ export class DescribeAppInstanceUserEndpointCommand extends $Command .f(void 0, DescribeAppInstanceUserEndpointResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceUserEndpointCommand) .de(de_DescribeAppInstanceUserEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceUserEndpointRequest; + output: DescribeAppInstanceUserEndpointResponse; + }; + sdk: { + input: DescribeAppInstanceUserEndpointCommandInput; + output: DescribeAppInstanceUserEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/GetAppInstanceRetentionSettingsCommand.ts b/clients/client-chime-sdk-identity/src/commands/GetAppInstanceRetentionSettingsCommand.ts index 619d20533d9c..571a1ae3f7e3 100644 --- a/clients/client-chime-sdk-identity/src/commands/GetAppInstanceRetentionSettingsCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/GetAppInstanceRetentionSettingsCommand.ts @@ -105,4 +105,16 @@ export class GetAppInstanceRetentionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAppInstanceRetentionSettingsCommand) .de(de_GetAppInstanceRetentionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppInstanceRetentionSettingsRequest; + output: GetAppInstanceRetentionSettingsResponse; + }; + sdk: { + input: GetAppInstanceRetentionSettingsCommandInput; + output: GetAppInstanceRetentionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceAdminsCommand.ts b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceAdminsCommand.ts index 65aae6c397c7..567148c9de51 100644 --- a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceAdminsCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceAdminsCommand.ts @@ -114,4 +114,16 @@ export class ListAppInstanceAdminsCommand extends $Command .f(ListAppInstanceAdminsRequestFilterSensitiveLog, ListAppInstanceAdminsResponseFilterSensitiveLog) .ser(se_ListAppInstanceAdminsCommand) .de(de_ListAppInstanceAdminsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstanceAdminsRequest; + output: ListAppInstanceAdminsResponse; + }; + sdk: { + input: ListAppInstanceAdminsCommandInput; + output: ListAppInstanceAdminsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceBotsCommand.ts b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceBotsCommand.ts index 84d72b7e8ee9..93a761489c1f 100644 --- a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceBotsCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceBotsCommand.ts @@ -113,4 +113,16 @@ export class ListAppInstanceBotsCommand extends $Command .f(ListAppInstanceBotsRequestFilterSensitiveLog, ListAppInstanceBotsResponseFilterSensitiveLog) .ser(se_ListAppInstanceBotsCommand) .de(de_ListAppInstanceBotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstanceBotsRequest; + output: ListAppInstanceBotsResponse; + }; + sdk: { + input: ListAppInstanceBotsCommandInput; + output: ListAppInstanceBotsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUserEndpointsCommand.ts b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUserEndpointsCommand.ts index da4d6c047a4f..ab9fe0f2de4a 100644 --- a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUserEndpointsCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUserEndpointsCommand.ts @@ -120,4 +120,16 @@ export class ListAppInstanceUserEndpointsCommand extends $Command .f(ListAppInstanceUserEndpointsRequestFilterSensitiveLog, ListAppInstanceUserEndpointsResponseFilterSensitiveLog) .ser(se_ListAppInstanceUserEndpointsCommand) .de(de_ListAppInstanceUserEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstanceUserEndpointsRequest; + output: ListAppInstanceUserEndpointsResponse; + }; + sdk: { + input: ListAppInstanceUserEndpointsCommandInput; + output: ListAppInstanceUserEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUsersCommand.ts b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUsersCommand.ts index cb6a7834d175..00f4ef334668 100644 --- a/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUsersCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/ListAppInstanceUsersCommand.ts @@ -111,4 +111,16 @@ export class ListAppInstanceUsersCommand extends $Command .f(ListAppInstanceUsersRequestFilterSensitiveLog, ListAppInstanceUsersResponseFilterSensitiveLog) .ser(se_ListAppInstanceUsersCommand) .de(de_ListAppInstanceUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstanceUsersRequest; + output: ListAppInstanceUsersResponse; + }; + sdk: { + input: ListAppInstanceUsersCommandInput; + output: ListAppInstanceUsersCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/ListAppInstancesCommand.ts b/clients/client-chime-sdk-identity/src/commands/ListAppInstancesCommand.ts index b8dea93bb2b7..c0fe69755e83 100644 --- a/clients/client-chime-sdk-identity/src/commands/ListAppInstancesCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/ListAppInstancesCommand.ts @@ -109,4 +109,16 @@ export class ListAppInstancesCommand extends $Command .f(ListAppInstancesRequestFilterSensitiveLog, ListAppInstancesResponseFilterSensitiveLog) .ser(se_ListAppInstancesCommand) .de(de_ListAppInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstancesRequest; + output: ListAppInstancesResponse; + }; + sdk: { + input: ListAppInstancesCommandInput; + output: ListAppInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/ListTagsForResourceCommand.ts b/clients/client-chime-sdk-identity/src/commands/ListTagsForResourceCommand.ts index 9dc8ab75cb26..8028da4f13e0 100644 --- a/clients/client-chime-sdk-identity/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/ListTagsForResourceCommand.ts @@ -104,4 +104,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/PutAppInstanceRetentionSettingsCommand.ts b/clients/client-chime-sdk-identity/src/commands/PutAppInstanceRetentionSettingsCommand.ts index ac10ef556897..39666b902086 100644 --- a/clients/client-chime-sdk-identity/src/commands/PutAppInstanceRetentionSettingsCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/PutAppInstanceRetentionSettingsCommand.ts @@ -111,4 +111,16 @@ export class PutAppInstanceRetentionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutAppInstanceRetentionSettingsCommand) .de(de_PutAppInstanceRetentionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppInstanceRetentionSettingsRequest; + output: PutAppInstanceRetentionSettingsResponse; + }; + sdk: { + input: PutAppInstanceRetentionSettingsCommandInput; + output: PutAppInstanceRetentionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/PutAppInstanceUserExpirationSettingsCommand.ts b/clients/client-chime-sdk-identity/src/commands/PutAppInstanceUserExpirationSettingsCommand.ts index 0230c5f925cd..04f40e4f2afe 100644 --- a/clients/client-chime-sdk-identity/src/commands/PutAppInstanceUserExpirationSettingsCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/PutAppInstanceUserExpirationSettingsCommand.ts @@ -121,4 +121,16 @@ export class PutAppInstanceUserExpirationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutAppInstanceUserExpirationSettingsCommand) .de(de_PutAppInstanceUserExpirationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppInstanceUserExpirationSettingsRequest; + output: PutAppInstanceUserExpirationSettingsResponse; + }; + sdk: { + input: PutAppInstanceUserExpirationSettingsCommandInput; + output: PutAppInstanceUserExpirationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/RegisterAppInstanceUserEndpointCommand.ts b/clients/client-chime-sdk-identity/src/commands/RegisterAppInstanceUserEndpointCommand.ts index 2e59982c49a2..0dcc789bb453 100644 --- a/clients/client-chime-sdk-identity/src/commands/RegisterAppInstanceUserEndpointCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/RegisterAppInstanceUserEndpointCommand.ts @@ -121,4 +121,16 @@ export class RegisterAppInstanceUserEndpointCommand extends $Command .f(RegisterAppInstanceUserEndpointRequestFilterSensitiveLog, void 0) .ser(se_RegisterAppInstanceUserEndpointCommand) .de(de_RegisterAppInstanceUserEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterAppInstanceUserEndpointRequest; + output: RegisterAppInstanceUserEndpointResponse; + }; + sdk: { + input: RegisterAppInstanceUserEndpointCommandInput; + output: RegisterAppInstanceUserEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/TagResourceCommand.ts b/clients/client-chime-sdk-identity/src/commands/TagResourceCommand.ts index 55d3419b88a6..64eecc09ab87 100644 --- a/clients/client-chime-sdk-identity/src/commands/TagResourceCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/UntagResourceCommand.ts b/clients/client-chime-sdk-identity/src/commands/UntagResourceCommand.ts index 1b56fa6b1376..668fa8ae3a7c 100644 --- a/clients/client-chime-sdk-identity/src/commands/UntagResourceCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceBotCommand.ts b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceBotCommand.ts index 0a16a22a42c6..1a45e53539d0 100644 --- a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceBotCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceBotCommand.ts @@ -120,4 +120,16 @@ export class UpdateAppInstanceBotCommand extends $Command .f(UpdateAppInstanceBotRequestFilterSensitiveLog, void 0) .ser(se_UpdateAppInstanceBotCommand) .de(de_UpdateAppInstanceBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppInstanceBotRequest; + output: UpdateAppInstanceBotResponse; + }; + sdk: { + input: UpdateAppInstanceBotCommandInput; + output: UpdateAppInstanceBotCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceCommand.ts b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceCommand.ts index 1fa43c668a91..2e46d416ae7c 100644 --- a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceCommand.ts @@ -105,4 +105,16 @@ export class UpdateAppInstanceCommand extends $Command .f(UpdateAppInstanceRequestFilterSensitiveLog, void 0) .ser(se_UpdateAppInstanceCommand) .de(de_UpdateAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppInstanceRequest; + output: UpdateAppInstanceResponse; + }; + sdk: { + input: UpdateAppInstanceCommandInput; + output: UpdateAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserCommand.ts b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserCommand.ts index 9b07355d1c2d..ffb5a3399c89 100644 --- a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserCommand.ts @@ -109,4 +109,16 @@ export class UpdateAppInstanceUserCommand extends $Command .f(UpdateAppInstanceUserRequestFilterSensitiveLog, void 0) .ser(se_UpdateAppInstanceUserCommand) .de(de_UpdateAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppInstanceUserRequest; + output: UpdateAppInstanceUserResponse; + }; + sdk: { + input: UpdateAppInstanceUserCommandInput; + output: UpdateAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserEndpointCommand.ts b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserEndpointCommand.ts index 2ea9c664de6f..d3d9f26cfea8 100644 --- a/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserEndpointCommand.ts +++ b/clients/client-chime-sdk-identity/src/commands/UpdateAppInstanceUserEndpointCommand.ts @@ -112,4 +112,16 @@ export class UpdateAppInstanceUserEndpointCommand extends $Command .f(UpdateAppInstanceUserEndpointRequestFilterSensitiveLog, void 0) .ser(se_UpdateAppInstanceUserEndpointCommand) .de(de_UpdateAppInstanceUserEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppInstanceUserEndpointRequest; + output: UpdateAppInstanceUserEndpointResponse; + }; + sdk: { + input: UpdateAppInstanceUserEndpointCommandInput; + output: UpdateAppInstanceUserEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/package.json b/clients/client-chime-sdk-media-pipelines/package.json index aaa3eb4edb20..d0f6dfb45711 100644 --- a/clients/client-chime-sdk-media-pipelines/package.json +++ b/clients/client-chime-sdk-media-pipelines/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaCapturePipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaCapturePipelineCommand.ts index ea798c014753..2b0b397a27ed 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaCapturePipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaCapturePipelineCommand.ts @@ -241,4 +241,16 @@ export class CreateMediaCapturePipelineCommand extends $Command .f(CreateMediaCapturePipelineRequestFilterSensitiveLog, CreateMediaCapturePipelineResponseFilterSensitiveLog) .ser(se_CreateMediaCapturePipelineCommand) .de(de_CreateMediaCapturePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaCapturePipelineRequest; + output: CreateMediaCapturePipelineResponse; + }; + sdk: { + input: CreateMediaCapturePipelineCommandInput; + output: CreateMediaCapturePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaConcatenationPipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaConcatenationPipelineCommand.ts index aa1598ddeeb4..ec879fb56a8d 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaConcatenationPipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaConcatenationPipelineCommand.ts @@ -209,4 +209,16 @@ export class CreateMediaConcatenationPipelineCommand extends $Command ) .ser(se_CreateMediaConcatenationPipelineCommand) .de(de_CreateMediaConcatenationPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaConcatenationPipelineRequest; + output: CreateMediaConcatenationPipelineResponse; + }; + sdk: { + input: CreateMediaConcatenationPipelineCommandInput; + output: CreateMediaConcatenationPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineCommand.ts index 3dbd9d0abb7c..45e868d58cf6 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineCommand.ts @@ -214,4 +214,16 @@ export class CreateMediaInsightsPipelineCommand extends $Command .f(CreateMediaInsightsPipelineRequestFilterSensitiveLog, CreateMediaInsightsPipelineResponseFilterSensitiveLog) .ser(se_CreateMediaInsightsPipelineCommand) .de(de_CreateMediaInsightsPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaInsightsPipelineRequest; + output: CreateMediaInsightsPipelineResponse; + }; + sdk: { + input: CreateMediaInsightsPipelineCommandInput; + output: CreateMediaInsightsPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineConfigurationCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineConfigurationCommand.ts index fb732f871d9c..2693362b2a2e 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineConfigurationCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaInsightsPipelineConfigurationCommand.ts @@ -321,4 +321,16 @@ export class CreateMediaInsightsPipelineConfigurationCommand extends $Command ) .ser(se_CreateMediaInsightsPipelineConfigurationCommand) .de(de_CreateMediaInsightsPipelineConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaInsightsPipelineConfigurationRequest; + output: CreateMediaInsightsPipelineConfigurationResponse; + }; + sdk: { + input: CreateMediaInsightsPipelineConfigurationCommandInput; + output: CreateMediaInsightsPipelineConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaLiveConnectorPipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaLiveConnectorPipelineCommand.ts index 37063cf6bbb9..ac0dcdb7fd1d 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaLiveConnectorPipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaLiveConnectorPipelineCommand.ts @@ -249,4 +249,16 @@ export class CreateMediaLiveConnectorPipelineCommand extends $Command ) .ser(se_CreateMediaLiveConnectorPipelineCommand) .de(de_CreateMediaLiveConnectorPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaLiveConnectorPipelineRequest; + output: CreateMediaLiveConnectorPipelineResponse; + }; + sdk: { + input: CreateMediaLiveConnectorPipelineCommandInput; + output: CreateMediaLiveConnectorPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaPipelineKinesisVideoStreamPoolCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaPipelineKinesisVideoStreamPoolCommand.ts index aee22b6024fb..14d00018ba55 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaPipelineKinesisVideoStreamPoolCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaPipelineKinesisVideoStreamPoolCommand.ts @@ -158,4 +158,16 @@ export class CreateMediaPipelineKinesisVideoStreamPoolCommand extends $Command ) .ser(se_CreateMediaPipelineKinesisVideoStreamPoolCommand) .de(de_CreateMediaPipelineKinesisVideoStreamPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaPipelineKinesisVideoStreamPoolRequest; + output: CreateMediaPipelineKinesisVideoStreamPoolResponse; + }; + sdk: { + input: CreateMediaPipelineKinesisVideoStreamPoolCommandInput; + output: CreateMediaPipelineKinesisVideoStreamPoolCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaStreamPipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaStreamPipelineCommand.ts index f22fd4070113..54d63dd8cf77 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaStreamPipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/CreateMediaStreamPipelineCommand.ts @@ -150,4 +150,16 @@ export class CreateMediaStreamPipelineCommand extends $Command .f(CreateMediaStreamPipelineRequestFilterSensitiveLog, CreateMediaStreamPipelineResponseFilterSensitiveLog) .ser(se_CreateMediaStreamPipelineCommand) .de(de_CreateMediaStreamPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaStreamPipelineRequest; + output: CreateMediaStreamPipelineResponse; + }; + sdk: { + input: CreateMediaStreamPipelineCommandInput; + output: CreateMediaStreamPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaCapturePipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaCapturePipelineCommand.ts index 257827d5b177..2bf1d9ef6796 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaCapturePipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaCapturePipelineCommand.ts @@ -100,4 +100,16 @@ export class DeleteMediaCapturePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMediaCapturePipelineCommand) .de(de_DeleteMediaCapturePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMediaCapturePipelineRequest; + output: {}; + }; + sdk: { + input: DeleteMediaCapturePipelineCommandInput; + output: DeleteMediaCapturePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaInsightsPipelineConfigurationCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaInsightsPipelineConfigurationCommand.ts index 17fe7069cc4c..c043fd979f05 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaInsightsPipelineConfigurationCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaInsightsPipelineConfigurationCommand.ts @@ -108,4 +108,16 @@ export class DeleteMediaInsightsPipelineConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMediaInsightsPipelineConfigurationCommand) .de(de_DeleteMediaInsightsPipelineConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMediaInsightsPipelineConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteMediaInsightsPipelineConfigurationCommandInput; + output: DeleteMediaInsightsPipelineConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineCommand.ts index 84c5cc41cc39..f287504625be 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineCommand.ts @@ -104,4 +104,16 @@ export class DeleteMediaPipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMediaPipelineCommand) .de(de_DeleteMediaPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMediaPipelineRequest; + output: {}; + }; + sdk: { + input: DeleteMediaPipelineCommandInput; + output: DeleteMediaPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineKinesisVideoStreamPoolCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineKinesisVideoStreamPoolCommand.ts index 6d54b75a8e83..b2f714e201dd 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineKinesisVideoStreamPoolCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/DeleteMediaPipelineKinesisVideoStreamPoolCommand.ts @@ -108,4 +108,16 @@ export class DeleteMediaPipelineKinesisVideoStreamPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMediaPipelineKinesisVideoStreamPoolCommand) .de(de_DeleteMediaPipelineKinesisVideoStreamPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMediaPipelineKinesisVideoStreamPoolRequest; + output: {}; + }; + sdk: { + input: DeleteMediaPipelineKinesisVideoStreamPoolCommandInput; + output: DeleteMediaPipelineKinesisVideoStreamPoolCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaCapturePipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaCapturePipelineCommand.ts index f0b0296b8495..8991ded90667 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaCapturePipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaCapturePipelineCommand.ts @@ -173,4 +173,16 @@ export class GetMediaCapturePipelineCommand extends $Command .f(void 0, GetMediaCapturePipelineResponseFilterSensitiveLog) .ser(se_GetMediaCapturePipelineCommand) .de(de_GetMediaCapturePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaCapturePipelineRequest; + output: GetMediaCapturePipelineResponse; + }; + sdk: { + input: GetMediaCapturePipelineCommandInput; + output: GetMediaCapturePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaInsightsPipelineConfigurationCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaInsightsPipelineConfigurationCommand.ts index 9c69d97d69ce..23ac018ff10d 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaInsightsPipelineConfigurationCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaInsightsPipelineConfigurationCommand.ts @@ -212,4 +212,16 @@ export class GetMediaInsightsPipelineConfigurationCommand extends $Command .f(void 0, GetMediaInsightsPipelineConfigurationResponseFilterSensitiveLog) .ser(se_GetMediaInsightsPipelineConfigurationCommand) .de(de_GetMediaInsightsPipelineConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaInsightsPipelineConfigurationRequest; + output: GetMediaInsightsPipelineConfigurationResponse; + }; + sdk: { + input: GetMediaInsightsPipelineConfigurationCommandInput; + output: GetMediaInsightsPipelineConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineCommand.ts index 586d2ae4c596..0d2b3754f100 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineCommand.ts @@ -365,4 +365,16 @@ export class GetMediaPipelineCommand extends $Command .f(void 0, GetMediaPipelineResponseFilterSensitiveLog) .ser(se_GetMediaPipelineCommand) .de(de_GetMediaPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaPipelineRequest; + output: GetMediaPipelineResponse; + }; + sdk: { + input: GetMediaPipelineCommandInput; + output: GetMediaPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineKinesisVideoStreamPoolCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineKinesisVideoStreamPoolCommand.ts index f7ea4273c3e5..d2d6a334e89b 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineKinesisVideoStreamPoolCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/GetMediaPipelineKinesisVideoStreamPoolCommand.ts @@ -124,4 +124,16 @@ export class GetMediaPipelineKinesisVideoStreamPoolCommand extends $Command .f(void 0, GetMediaPipelineKinesisVideoStreamPoolResponseFilterSensitiveLog) .ser(se_GetMediaPipelineKinesisVideoStreamPoolCommand) .de(de_GetMediaPipelineKinesisVideoStreamPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaPipelineKinesisVideoStreamPoolRequest; + output: GetMediaPipelineKinesisVideoStreamPoolResponse; + }; + sdk: { + input: GetMediaPipelineKinesisVideoStreamPoolCommandInput; + output: GetMediaPipelineKinesisVideoStreamPoolCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/GetSpeakerSearchTaskCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/GetSpeakerSearchTaskCommand.ts index fe88f9f6f947..1ef9948fc756 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/GetSpeakerSearchTaskCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/GetSpeakerSearchTaskCommand.ts @@ -108,4 +108,16 @@ export class GetSpeakerSearchTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetSpeakerSearchTaskCommand) .de(de_GetSpeakerSearchTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSpeakerSearchTaskRequest; + output: GetSpeakerSearchTaskResponse; + }; + sdk: { + input: GetSpeakerSearchTaskCommandInput; + output: GetSpeakerSearchTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/GetVoiceToneAnalysisTaskCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/GetVoiceToneAnalysisTaskCommand.ts index ad6fce4c77d6..df1220a45057 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/GetVoiceToneAnalysisTaskCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/GetVoiceToneAnalysisTaskCommand.ts @@ -108,4 +108,16 @@ export class GetVoiceToneAnalysisTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceToneAnalysisTaskCommand) .de(de_GetVoiceToneAnalysisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceToneAnalysisTaskRequest; + output: GetVoiceToneAnalysisTaskResponse; + }; + sdk: { + input: GetVoiceToneAnalysisTaskCommandInput; + output: GetVoiceToneAnalysisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaCapturePipelinesCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaCapturePipelinesCommand.ts index 9c93586cdfc8..c4522a410549 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaCapturePipelinesCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaCapturePipelinesCommand.ts @@ -109,4 +109,16 @@ export class ListMediaCapturePipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListMediaCapturePipelinesCommand) .de(de_ListMediaCapturePipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMediaCapturePipelinesRequest; + output: ListMediaCapturePipelinesResponse; + }; + sdk: { + input: ListMediaCapturePipelinesCommandInput; + output: ListMediaCapturePipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaInsightsPipelineConfigurationsCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaInsightsPipelineConfigurationsCommand.ts index d4d5e2408808..56e0cb1691ad 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaInsightsPipelineConfigurationsCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaInsightsPipelineConfigurationsCommand.ts @@ -120,4 +120,16 @@ export class ListMediaInsightsPipelineConfigurationsCommand extends $Command .f(void 0, ListMediaInsightsPipelineConfigurationsResponseFilterSensitiveLog) .ser(se_ListMediaInsightsPipelineConfigurationsCommand) .de(de_ListMediaInsightsPipelineConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMediaInsightsPipelineConfigurationsRequest; + output: ListMediaInsightsPipelineConfigurationsResponse; + }; + sdk: { + input: ListMediaInsightsPipelineConfigurationsCommandInput; + output: ListMediaInsightsPipelineConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelineKinesisVideoStreamPoolsCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelineKinesisVideoStreamPoolsCommand.ts index 88648b79a3b5..f60f9c45257c 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelineKinesisVideoStreamPoolsCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelineKinesisVideoStreamPoolsCommand.ts @@ -120,4 +120,16 @@ export class ListMediaPipelineKinesisVideoStreamPoolsCommand extends $Command .f(void 0, ListMediaPipelineKinesisVideoStreamPoolsResponseFilterSensitiveLog) .ser(se_ListMediaPipelineKinesisVideoStreamPoolsCommand) .de(de_ListMediaPipelineKinesisVideoStreamPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMediaPipelineKinesisVideoStreamPoolsRequest; + output: ListMediaPipelineKinesisVideoStreamPoolsResponse; + }; + sdk: { + input: ListMediaPipelineKinesisVideoStreamPoolsCommandInput; + output: ListMediaPipelineKinesisVideoStreamPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelinesCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelinesCommand.ts index 58c9dcccfccc..57fef9e9b843 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelinesCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/ListMediaPipelinesCommand.ts @@ -109,4 +109,16 @@ export class ListMediaPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListMediaPipelinesCommand) .de(de_ListMediaPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMediaPipelinesRequest; + output: ListMediaPipelinesResponse; + }; + sdk: { + input: ListMediaPipelinesCommandInput; + output: ListMediaPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/ListTagsForResourceCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/ListTagsForResourceCommand.ts index b27585f42270..a162d6ff49a7 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/ListTagsForResourceCommand.ts @@ -107,4 +107,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/StartSpeakerSearchTaskCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/StartSpeakerSearchTaskCommand.ts index f016c17d126b..410c4e49333a 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/StartSpeakerSearchTaskCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/StartSpeakerSearchTaskCommand.ts @@ -126,4 +126,16 @@ export class StartSpeakerSearchTaskCommand extends $Command .f(StartSpeakerSearchTaskRequestFilterSensitiveLog, void 0) .ser(se_StartSpeakerSearchTaskCommand) .de(de_StartSpeakerSearchTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSpeakerSearchTaskRequest; + output: StartSpeakerSearchTaskResponse; + }; + sdk: { + input: StartSpeakerSearchTaskCommandInput; + output: StartSpeakerSearchTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/StartVoiceToneAnalysisTaskCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/StartVoiceToneAnalysisTaskCommand.ts index 1dccc3e3cff8..0392aa9c569b 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/StartVoiceToneAnalysisTaskCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/StartVoiceToneAnalysisTaskCommand.ts @@ -128,4 +128,16 @@ export class StartVoiceToneAnalysisTaskCommand extends $Command .f(StartVoiceToneAnalysisTaskRequestFilterSensitiveLog, void 0) .ser(se_StartVoiceToneAnalysisTaskCommand) .de(de_StartVoiceToneAnalysisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartVoiceToneAnalysisTaskRequest; + output: StartVoiceToneAnalysisTaskResponse; + }; + sdk: { + input: StartVoiceToneAnalysisTaskCommandInput; + output: StartVoiceToneAnalysisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/StopSpeakerSearchTaskCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/StopSpeakerSearchTaskCommand.ts index ba96c262fb8b..8e13f69f55f2 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/StopSpeakerSearchTaskCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/StopSpeakerSearchTaskCommand.ts @@ -105,4 +105,16 @@ export class StopSpeakerSearchTaskCommand extends $Command .f(void 0, void 0) .ser(se_StopSpeakerSearchTaskCommand) .de(de_StopSpeakerSearchTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSpeakerSearchTaskRequest; + output: {}; + }; + sdk: { + input: StopSpeakerSearchTaskCommandInput; + output: StopSpeakerSearchTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/StopVoiceToneAnalysisTaskCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/StopVoiceToneAnalysisTaskCommand.ts index 1b9086b0d001..debb00639d3c 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/StopVoiceToneAnalysisTaskCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/StopVoiceToneAnalysisTaskCommand.ts @@ -105,4 +105,16 @@ export class StopVoiceToneAnalysisTaskCommand extends $Command .f(void 0, void 0) .ser(se_StopVoiceToneAnalysisTaskCommand) .de(de_StopVoiceToneAnalysisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopVoiceToneAnalysisTaskRequest; + output: {}; + }; + sdk: { + input: StopVoiceToneAnalysisTaskCommandInput; + output: StopVoiceToneAnalysisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/TagResourceCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/TagResourceCommand.ts index c1d681445b47..a1d81375f4ce 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/TagResourceCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/UntagResourceCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/UntagResourceCommand.ts index 40b1de947725..ad72d401781b 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/UntagResourceCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/UntagResourceCommand.ts @@ -103,4 +103,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineConfigurationCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineConfigurationCommand.ts index 15788eb98384..639384fdee96 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineConfigurationCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineConfigurationCommand.ts @@ -314,4 +314,16 @@ export class UpdateMediaInsightsPipelineConfigurationCommand extends $Command ) .ser(se_UpdateMediaInsightsPipelineConfigurationCommand) .de(de_UpdateMediaInsightsPipelineConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMediaInsightsPipelineConfigurationRequest; + output: UpdateMediaInsightsPipelineConfigurationResponse; + }; + sdk: { + input: UpdateMediaInsightsPipelineConfigurationCommandInput; + output: UpdateMediaInsightsPipelineConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineStatusCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineStatusCommand.ts index 711d9428a853..825740e40295 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineStatusCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaInsightsPipelineStatusCommand.ts @@ -108,4 +108,16 @@ export class UpdateMediaInsightsPipelineStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMediaInsightsPipelineStatusCommand) .de(de_UpdateMediaInsightsPipelineStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMediaInsightsPipelineStatusRequest; + output: {}; + }; + sdk: { + input: UpdateMediaInsightsPipelineStatusCommandInput; + output: UpdateMediaInsightsPipelineStatusCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaPipelineKinesisVideoStreamPoolCommand.ts b/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaPipelineKinesisVideoStreamPoolCommand.ts index b8f50d7ad233..8e0130c35983 100644 --- a/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaPipelineKinesisVideoStreamPoolCommand.ts +++ b/clients/client-chime-sdk-media-pipelines/src/commands/UpdateMediaPipelineKinesisVideoStreamPoolCommand.ts @@ -131,4 +131,16 @@ export class UpdateMediaPipelineKinesisVideoStreamPoolCommand extends $Command .f(void 0, UpdateMediaPipelineKinesisVideoStreamPoolResponseFilterSensitiveLog) .ser(se_UpdateMediaPipelineKinesisVideoStreamPoolCommand) .de(de_UpdateMediaPipelineKinesisVideoStreamPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMediaPipelineKinesisVideoStreamPoolRequest; + output: UpdateMediaPipelineKinesisVideoStreamPoolResponse; + }; + sdk: { + input: UpdateMediaPipelineKinesisVideoStreamPoolCommandInput; + output: UpdateMediaPipelineKinesisVideoStreamPoolCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/package.json b/clients/client-chime-sdk-meetings/package.json index 3cfd945fce0c..1052e1da99fa 100644 --- a/clients/client-chime-sdk-meetings/package.json +++ b/clients/client-chime-sdk-meetings/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-chime-sdk-meetings/src/commands/BatchCreateAttendeeCommand.ts b/clients/client-chime-sdk-meetings/src/commands/BatchCreateAttendeeCommand.ts index db41b218538f..7b9ced8651f9 100644 --- a/clients/client-chime-sdk-meetings/src/commands/BatchCreateAttendeeCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/BatchCreateAttendeeCommand.ts @@ -138,4 +138,16 @@ export class BatchCreateAttendeeCommand extends $Command .f(BatchCreateAttendeeRequestFilterSensitiveLog, BatchCreateAttendeeResponseFilterSensitiveLog) .ser(se_BatchCreateAttendeeCommand) .de(de_BatchCreateAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateAttendeeRequest; + output: BatchCreateAttendeeResponse; + }; + sdk: { + input: BatchCreateAttendeeCommandInput; + output: BatchCreateAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/BatchUpdateAttendeeCapabilitiesExceptCommand.ts b/clients/client-chime-sdk-meetings/src/commands/BatchUpdateAttendeeCapabilitiesExceptCommand.ts index d9d03dc50564..2a78db7f99b2 100644 --- a/clients/client-chime-sdk-meetings/src/commands/BatchUpdateAttendeeCapabilitiesExceptCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/BatchUpdateAttendeeCapabilitiesExceptCommand.ts @@ -141,4 +141,16 @@ export class BatchUpdateAttendeeCapabilitiesExceptCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateAttendeeCapabilitiesExceptCommand) .de(de_BatchUpdateAttendeeCapabilitiesExceptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateAttendeeCapabilitiesExceptRequest; + output: {}; + }; + sdk: { + input: BatchUpdateAttendeeCapabilitiesExceptCommandInput; + output: BatchUpdateAttendeeCapabilitiesExceptCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/CreateAttendeeCommand.ts b/clients/client-chime-sdk-meetings/src/commands/CreateAttendeeCommand.ts index a1025b3c5f2f..da5551726e98 100644 --- a/clients/client-chime-sdk-meetings/src/commands/CreateAttendeeCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/CreateAttendeeCommand.ts @@ -129,4 +129,16 @@ export class CreateAttendeeCommand extends $Command .f(CreateAttendeeRequestFilterSensitiveLog, CreateAttendeeResponseFilterSensitiveLog) .ser(se_CreateAttendeeCommand) .de(de_CreateAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAttendeeRequest; + output: CreateAttendeeResponse; + }; + sdk: { + input: CreateAttendeeCommandInput; + output: CreateAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/CreateMeetingCommand.ts b/clients/client-chime-sdk-meetings/src/commands/CreateMeetingCommand.ts index 36ea89132175..252f1d71588b 100644 --- a/clients/client-chime-sdk-meetings/src/commands/CreateMeetingCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/CreateMeetingCommand.ts @@ -178,4 +178,16 @@ export class CreateMeetingCommand extends $Command .f(CreateMeetingRequestFilterSensitiveLog, CreateMeetingResponseFilterSensitiveLog) .ser(se_CreateMeetingCommand) .de(de_CreateMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMeetingRequest; + output: CreateMeetingResponse; + }; + sdk: { + input: CreateMeetingCommandInput; + output: CreateMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/CreateMeetingWithAttendeesCommand.ts b/clients/client-chime-sdk-meetings/src/commands/CreateMeetingWithAttendeesCommand.ts index c46d0dc99be3..f7f34b8d20c5 100644 --- a/clients/client-chime-sdk-meetings/src/commands/CreateMeetingWithAttendeesCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/CreateMeetingWithAttendeesCommand.ts @@ -207,4 +207,16 @@ export class CreateMeetingWithAttendeesCommand extends $Command .f(CreateMeetingWithAttendeesRequestFilterSensitiveLog, CreateMeetingWithAttendeesResponseFilterSensitiveLog) .ser(se_CreateMeetingWithAttendeesCommand) .de(de_CreateMeetingWithAttendeesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMeetingWithAttendeesRequest; + output: CreateMeetingWithAttendeesResponse; + }; + sdk: { + input: CreateMeetingWithAttendeesCommandInput; + output: CreateMeetingWithAttendeesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/DeleteAttendeeCommand.ts b/clients/client-chime-sdk-meetings/src/commands/DeleteAttendeeCommand.ts index e36dc642c2c6..8fc16780e5d3 100644 --- a/clients/client-chime-sdk-meetings/src/commands/DeleteAttendeeCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/DeleteAttendeeCommand.ts @@ -100,4 +100,16 @@ export class DeleteAttendeeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAttendeeCommand) .de(de_DeleteAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAttendeeRequest; + output: {}; + }; + sdk: { + input: DeleteAttendeeCommandInput; + output: DeleteAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/DeleteMeetingCommand.ts b/clients/client-chime-sdk-meetings/src/commands/DeleteMeetingCommand.ts index 5d109aacd3cd..a77612f98071 100644 --- a/clients/client-chime-sdk-meetings/src/commands/DeleteMeetingCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/DeleteMeetingCommand.ts @@ -99,4 +99,16 @@ export class DeleteMeetingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMeetingCommand) .de(de_DeleteMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMeetingRequest; + output: {}; + }; + sdk: { + input: DeleteMeetingCommandInput; + output: DeleteMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/GetAttendeeCommand.ts b/clients/client-chime-sdk-meetings/src/commands/GetAttendeeCommand.ts index 3976c704bebd..9d26cc6aff59 100644 --- a/clients/client-chime-sdk-meetings/src/commands/GetAttendeeCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/GetAttendeeCommand.ts @@ -112,4 +112,16 @@ export class GetAttendeeCommand extends $Command .f(void 0, GetAttendeeResponseFilterSensitiveLog) .ser(se_GetAttendeeCommand) .de(de_GetAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAttendeeRequest; + output: GetAttendeeResponse; + }; + sdk: { + input: GetAttendeeCommandInput; + output: GetAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/GetMeetingCommand.ts b/clients/client-chime-sdk-meetings/src/commands/GetMeetingCommand.ts index 1bf3c925e8cd..a6e2f25cf717 100644 --- a/clients/client-chime-sdk-meetings/src/commands/GetMeetingCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/GetMeetingCommand.ts @@ -134,4 +134,16 @@ export class GetMeetingCommand extends $Command .f(void 0, GetMeetingResponseFilterSensitiveLog) .ser(se_GetMeetingCommand) .de(de_GetMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMeetingRequest; + output: GetMeetingResponse; + }; + sdk: { + input: GetMeetingCommandInput; + output: GetMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/ListAttendeesCommand.ts b/clients/client-chime-sdk-meetings/src/commands/ListAttendeesCommand.ts index 5b3e11b8c40f..ea6d68c98319 100644 --- a/clients/client-chime-sdk-meetings/src/commands/ListAttendeesCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/ListAttendeesCommand.ts @@ -120,4 +120,16 @@ export class ListAttendeesCommand extends $Command .f(void 0, ListAttendeesResponseFilterSensitiveLog) .ser(se_ListAttendeesCommand) .de(de_ListAttendeesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttendeesRequest; + output: ListAttendeesResponse; + }; + sdk: { + input: ListAttendeesCommandInput; + output: ListAttendeesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/ListTagsForResourceCommand.ts b/clients/client-chime-sdk-meetings/src/commands/ListTagsForResourceCommand.ts index be408ba65bed..61f771e96d50 100644 --- a/clients/client-chime-sdk-meetings/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/StartMeetingTranscriptionCommand.ts b/clients/client-chime-sdk-meetings/src/commands/StartMeetingTranscriptionCommand.ts index a1879c413b7f..9c654a487ca8 100644 --- a/clients/client-chime-sdk-meetings/src/commands/StartMeetingTranscriptionCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/StartMeetingTranscriptionCommand.ts @@ -144,4 +144,16 @@ export class StartMeetingTranscriptionCommand extends $Command .f(void 0, void 0) .ser(se_StartMeetingTranscriptionCommand) .de(de_StartMeetingTranscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMeetingTranscriptionRequest; + output: {}; + }; + sdk: { + input: StartMeetingTranscriptionCommandInput; + output: StartMeetingTranscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/StopMeetingTranscriptionCommand.ts b/clients/client-chime-sdk-meetings/src/commands/StopMeetingTranscriptionCommand.ts index 6e50097b3536..0de6e8afed5e 100644 --- a/clients/client-chime-sdk-meetings/src/commands/StopMeetingTranscriptionCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/StopMeetingTranscriptionCommand.ts @@ -109,4 +109,16 @@ export class StopMeetingTranscriptionCommand extends $Command .f(void 0, void 0) .ser(se_StopMeetingTranscriptionCommand) .de(de_StopMeetingTranscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMeetingTranscriptionRequest; + output: {}; + }; + sdk: { + input: StopMeetingTranscriptionCommandInput; + output: StopMeetingTranscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/TagResourceCommand.ts b/clients/client-chime-sdk-meetings/src/commands/TagResourceCommand.ts index f5f32cd23f55..8918674161c8 100644 --- a/clients/client-chime-sdk-meetings/src/commands/TagResourceCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/TagResourceCommand.ts @@ -108,4 +108,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/UntagResourceCommand.ts b/clients/client-chime-sdk-meetings/src/commands/UntagResourceCommand.ts index 09c48eee6670..4b7f3f4a9e2b 100644 --- a/clients/client-chime-sdk-meetings/src/commands/UntagResourceCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/UntagResourceCommand.ts @@ -123,4 +123,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-meetings/src/commands/UpdateAttendeeCapabilitiesCommand.ts b/clients/client-chime-sdk-meetings/src/commands/UpdateAttendeeCapabilitiesCommand.ts index c650d26f93a5..3f6775dff12a 100644 --- a/clients/client-chime-sdk-meetings/src/commands/UpdateAttendeeCapabilitiesCommand.ts +++ b/clients/client-chime-sdk-meetings/src/commands/UpdateAttendeeCapabilitiesCommand.ts @@ -148,4 +148,16 @@ export class UpdateAttendeeCapabilitiesCommand extends $Command .f(void 0, UpdateAttendeeCapabilitiesResponseFilterSensitiveLog) .ser(se_UpdateAttendeeCapabilitiesCommand) .de(de_UpdateAttendeeCapabilitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAttendeeCapabilitiesRequest; + output: UpdateAttendeeCapabilitiesResponse; + }; + sdk: { + input: UpdateAttendeeCapabilitiesCommandInput; + output: UpdateAttendeeCapabilitiesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/package.json b/clients/client-chime-sdk-messaging/package.json index 6753ede7e541..d19d5b22eae9 100644 --- a/clients/client-chime-sdk-messaging/package.json +++ b/clients/client-chime-sdk-messaging/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-chime-sdk-messaging/src/commands/AssociateChannelFlowCommand.ts b/clients/client-chime-sdk-messaging/src/commands/AssociateChannelFlowCommand.ts index 9252036602e1..bb95e00ce6c7 100644 --- a/clients/client-chime-sdk-messaging/src/commands/AssociateChannelFlowCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/AssociateChannelFlowCommand.ts @@ -113,4 +113,16 @@ export class AssociateChannelFlowCommand extends $Command .f(void 0, void 0) .ser(se_AssociateChannelFlowCommand) .de(de_AssociateChannelFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateChannelFlowRequest; + output: {}; + }; + sdk: { + input: AssociateChannelFlowCommandInput; + output: AssociateChannelFlowCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/BatchCreateChannelMembershipCommand.ts b/clients/client-chime-sdk-messaging/src/commands/BatchCreateChannelMembershipCommand.ts index baa443062dad..eff1d87ab7ff 100644 --- a/clients/client-chime-sdk-messaging/src/commands/BatchCreateChannelMembershipCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/BatchCreateChannelMembershipCommand.ts @@ -141,4 +141,16 @@ export class BatchCreateChannelMembershipCommand extends $Command .f(void 0, BatchCreateChannelMembershipResponseFilterSensitiveLog) .ser(se_BatchCreateChannelMembershipCommand) .de(de_BatchCreateChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateChannelMembershipRequest; + output: BatchCreateChannelMembershipResponse; + }; + sdk: { + input: BatchCreateChannelMembershipCommandInput; + output: BatchCreateChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ChannelFlowCallbackCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ChannelFlowCallbackCommand.ts index 228361766e76..11b9ce858e61 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ChannelFlowCallbackCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ChannelFlowCallbackCommand.ts @@ -141,4 +141,16 @@ export class ChannelFlowCallbackCommand extends $Command .f(ChannelFlowCallbackRequestFilterSensitiveLog, void 0) .ser(se_ChannelFlowCallbackCommand) .de(de_ChannelFlowCallbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChannelFlowCallbackRequest; + output: ChannelFlowCallbackResponse; + }; + sdk: { + input: ChannelFlowCallbackCommandInput; + output: ChannelFlowCallbackCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/CreateChannelBanCommand.ts b/clients/client-chime-sdk-messaging/src/commands/CreateChannelBanCommand.ts index 3010a84fb6d5..1614879a105d 100644 --- a/clients/client-chime-sdk-messaging/src/commands/CreateChannelBanCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/CreateChannelBanCommand.ts @@ -126,4 +126,16 @@ export class CreateChannelBanCommand extends $Command .f(void 0, CreateChannelBanResponseFilterSensitiveLog) .ser(se_CreateChannelBanCommand) .de(de_CreateChannelBanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelBanRequest; + output: CreateChannelBanResponse; + }; + sdk: { + input: CreateChannelBanCommandInput; + output: CreateChannelBanCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/CreateChannelCommand.ts b/clients/client-chime-sdk-messaging/src/commands/CreateChannelCommand.ts index 2f8a590dc74f..e8a099e5be20 100644 --- a/clients/client-chime-sdk-messaging/src/commands/CreateChannelCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/CreateChannelCommand.ts @@ -146,4 +146,16 @@ export class CreateChannelCommand extends $Command .f(CreateChannelRequestFilterSensitiveLog, void 0) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/CreateChannelFlowCommand.ts b/clients/client-chime-sdk-messaging/src/commands/CreateChannelFlowCommand.ts index 6612bc545ac0..5387142acb23 100644 --- a/clients/client-chime-sdk-messaging/src/commands/CreateChannelFlowCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/CreateChannelFlowCommand.ts @@ -150,4 +150,16 @@ export class CreateChannelFlowCommand extends $Command .f(CreateChannelFlowRequestFilterSensitiveLog, void 0) .ser(se_CreateChannelFlowCommand) .de(de_CreateChannelFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelFlowRequest; + output: CreateChannelFlowResponse; + }; + sdk: { + input: CreateChannelFlowCommandInput; + output: CreateChannelFlowCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/CreateChannelMembershipCommand.ts b/clients/client-chime-sdk-messaging/src/commands/CreateChannelMembershipCommand.ts index bcb56f69f21f..a5dc53cebc38 100644 --- a/clients/client-chime-sdk-messaging/src/commands/CreateChannelMembershipCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/CreateChannelMembershipCommand.ts @@ -155,4 +155,16 @@ export class CreateChannelMembershipCommand extends $Command .f(void 0, CreateChannelMembershipResponseFilterSensitiveLog) .ser(se_CreateChannelMembershipCommand) .de(de_CreateChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelMembershipRequest; + output: CreateChannelMembershipResponse; + }; + sdk: { + input: CreateChannelMembershipCommandInput; + output: CreateChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/CreateChannelModeratorCommand.ts b/clients/client-chime-sdk-messaging/src/commands/CreateChannelModeratorCommand.ts index 4b0eaa8c628c..37c1b40d312c 100644 --- a/clients/client-chime-sdk-messaging/src/commands/CreateChannelModeratorCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/CreateChannelModeratorCommand.ts @@ -138,4 +138,16 @@ export class CreateChannelModeratorCommand extends $Command .f(void 0, CreateChannelModeratorResponseFilterSensitiveLog) .ser(se_CreateChannelModeratorCommand) .de(de_CreateChannelModeratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelModeratorRequest; + output: CreateChannelModeratorResponse; + }; + sdk: { + input: CreateChannelModeratorCommandInput; + output: CreateChannelModeratorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelBanCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelBanCommand.ts index c8d214a7c5aa..04f87047c9f1 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelBanCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelBanCommand.ts @@ -104,4 +104,16 @@ export class DeleteChannelBanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelBanCommand) .de(de_DeleteChannelBanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelBanRequest; + output: {}; + }; + sdk: { + input: DeleteChannelBanCommandInput; + output: DeleteChannelBanCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelCommand.ts index 5b6c1fbc7d93..dc312799d426 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelCommand.ts @@ -108,4 +108,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelFlowCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelFlowCommand.ts index fd35f1283860..caac7222e1ac 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelFlowCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelFlowCommand.ts @@ -105,4 +105,16 @@ export class DeleteChannelFlowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelFlowCommand) .de(de_DeleteChannelFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelFlowRequest; + output: {}; + }; + sdk: { + input: DeleteChannelFlowCommandInput; + output: DeleteChannelFlowCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMembershipCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMembershipCommand.ts index 2cfb4432c1c5..2a19eb2cfcd9 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMembershipCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMembershipCommand.ts @@ -109,4 +109,16 @@ export class DeleteChannelMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelMembershipCommand) .de(de_DeleteChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelMembershipRequest; + output: {}; + }; + sdk: { + input: DeleteChannelMembershipCommandInput; + output: DeleteChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMessageCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMessageCommand.ts index 2beb482dcf3a..c39cdfcc5477 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMessageCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelMessageCommand.ts @@ -107,4 +107,16 @@ export class DeleteChannelMessageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelMessageCommand) .de(de_DeleteChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelMessageRequest; + output: {}; + }; + sdk: { + input: DeleteChannelMessageCommandInput; + output: DeleteChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelModeratorCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelModeratorCommand.ts index 05424c10923b..789c893bd110 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DeleteChannelModeratorCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DeleteChannelModeratorCommand.ts @@ -104,4 +104,16 @@ export class DeleteChannelModeratorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelModeratorCommand) .de(de_DeleteChannelModeratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelModeratorRequest; + output: {}; + }; + sdk: { + input: DeleteChannelModeratorCommandInput; + output: DeleteChannelModeratorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DeleteMessagingStreamingConfigurationsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DeleteMessagingStreamingConfigurationsCommand.ts index 114536da0fe1..46a7b465bffd 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DeleteMessagingStreamingConfigurationsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DeleteMessagingStreamingConfigurationsCommand.ts @@ -102,4 +102,16 @@ export class DeleteMessagingStreamingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMessagingStreamingConfigurationsCommand) .de(de_DeleteMessagingStreamingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMessagingStreamingConfigurationsRequest; + output: {}; + }; + sdk: { + input: DeleteMessagingStreamingConfigurationsCommandInput; + output: DeleteMessagingStreamingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelBanCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelBanCommand.ts index 39cc0466f644..46bd614d4fab 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelBanCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelBanCommand.ts @@ -124,4 +124,16 @@ export class DescribeChannelBanCommand extends $Command .f(void 0, DescribeChannelBanResponseFilterSensitiveLog) .ser(se_DescribeChannelBanCommand) .de(de_DescribeChannelBanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelBanRequest; + output: DescribeChannelBanResponse; + }; + sdk: { + input: DescribeChannelBanCommandInput; + output: DescribeChannelBanCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelCommand.ts index 752bcae6b9b9..a100aa1a6c59 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelCommand.ts @@ -133,4 +133,16 @@ export class DescribeChannelCommand extends $Command .f(void 0, DescribeChannelResponseFilterSensitiveLog) .ser(se_DescribeChannelCommand) .de(de_DescribeChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelRequest; + output: DescribeChannelResponse; + }; + sdk: { + input: DescribeChannelCommandInput; + output: DescribeChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelFlowCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelFlowCommand.ts index 03af813a9c0b..97656787dc59 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelFlowCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelFlowCommand.ts @@ -121,4 +121,16 @@ export class DescribeChannelFlowCommand extends $Command .f(void 0, DescribeChannelFlowResponseFilterSensitiveLog) .ser(se_DescribeChannelFlowCommand) .de(de_DescribeChannelFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelFlowRequest; + output: DescribeChannelFlowResponse; + }; + sdk: { + input: DescribeChannelFlowCommandInput; + output: DescribeChannelFlowCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipCommand.ts index b003b1c7cfbe..696d19a52c17 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipCommand.ts @@ -128,4 +128,16 @@ export class DescribeChannelMembershipCommand extends $Command .f(void 0, DescribeChannelMembershipResponseFilterSensitiveLog) .ser(se_DescribeChannelMembershipCommand) .de(de_DescribeChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelMembershipRequest; + output: DescribeChannelMembershipResponse; + }; + sdk: { + input: DescribeChannelMembershipCommandInput; + output: DescribeChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts index ba9dbae08d1e..342a761f8db4 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts @@ -131,4 +131,16 @@ export class DescribeChannelMembershipForAppInstanceUserCommand extends $Command .f(void 0, DescribeChannelMembershipForAppInstanceUserResponseFilterSensitiveLog) .ser(se_DescribeChannelMembershipForAppInstanceUserCommand) .de(de_DescribeChannelMembershipForAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelMembershipForAppInstanceUserRequest; + output: DescribeChannelMembershipForAppInstanceUserResponse; + }; + sdk: { + input: DescribeChannelMembershipForAppInstanceUserCommandInput; + output: DescribeChannelMembershipForAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts index 4de75f51f77f..81ead86bfb24 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts @@ -126,4 +126,16 @@ export class DescribeChannelModeratedByAppInstanceUserCommand extends $Command .f(void 0, DescribeChannelModeratedByAppInstanceUserResponseFilterSensitiveLog) .ser(se_DescribeChannelModeratedByAppInstanceUserCommand) .de(de_DescribeChannelModeratedByAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelModeratedByAppInstanceUserRequest; + output: DescribeChannelModeratedByAppInstanceUserResponse; + }; + sdk: { + input: DescribeChannelModeratedByAppInstanceUserCommandInput; + output: DescribeChannelModeratedByAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratorCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratorCommand.ts index ec2497fad45c..be6c7ec6a9b0 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratorCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DescribeChannelModeratorCommand.ts @@ -124,4 +124,16 @@ export class DescribeChannelModeratorCommand extends $Command .f(void 0, DescribeChannelModeratorResponseFilterSensitiveLog) .ser(se_DescribeChannelModeratorCommand) .de(de_DescribeChannelModeratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelModeratorRequest; + output: DescribeChannelModeratorResponse; + }; + sdk: { + input: DescribeChannelModeratorCommandInput; + output: DescribeChannelModeratorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/DisassociateChannelFlowCommand.ts b/clients/client-chime-sdk-messaging/src/commands/DisassociateChannelFlowCommand.ts index 7682339d1bb0..04e68bc0164b 100644 --- a/clients/client-chime-sdk-messaging/src/commands/DisassociateChannelFlowCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/DisassociateChannelFlowCommand.ts @@ -113,4 +113,16 @@ export class DisassociateChannelFlowCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateChannelFlowCommand) .de(de_DisassociateChannelFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateChannelFlowRequest; + output: {}; + }; + sdk: { + input: DisassociateChannelFlowCommandInput; + output: DisassociateChannelFlowCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/GetChannelMembershipPreferencesCommand.ts b/clients/client-chime-sdk-messaging/src/commands/GetChannelMembershipPreferencesCommand.ts index 3649321553cc..8c261748faa9 100644 --- a/clients/client-chime-sdk-messaging/src/commands/GetChannelMembershipPreferencesCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/GetChannelMembershipPreferencesCommand.ts @@ -129,4 +129,16 @@ export class GetChannelMembershipPreferencesCommand extends $Command .f(void 0, GetChannelMembershipPreferencesResponseFilterSensitiveLog) .ser(se_GetChannelMembershipPreferencesCommand) .de(de_GetChannelMembershipPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelMembershipPreferencesRequest; + output: GetChannelMembershipPreferencesResponse; + }; + sdk: { + input: GetChannelMembershipPreferencesCommandInput; + output: GetChannelMembershipPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageCommand.ts b/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageCommand.ts index 508cd70d4c2f..8b5e32363667 100644 --- a/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageCommand.ts @@ -147,4 +147,16 @@ export class GetChannelMessageCommand extends $Command .f(void 0, GetChannelMessageResponseFilterSensitiveLog) .ser(se_GetChannelMessageCommand) .de(de_GetChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelMessageRequest; + output: GetChannelMessageResponse; + }; + sdk: { + input: GetChannelMessageCommandInput; + output: GetChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageStatusCommand.ts b/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageStatusCommand.ts index c2310816f681..830d5a748cf8 100644 --- a/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageStatusCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/GetChannelMessageStatusCommand.ts @@ -140,4 +140,16 @@ export class GetChannelMessageStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelMessageStatusCommand) .de(de_GetChannelMessageStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelMessageStatusRequest; + output: GetChannelMessageStatusResponse; + }; + sdk: { + input: GetChannelMessageStatusCommandInput; + output: GetChannelMessageStatusCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/GetMessagingSessionEndpointCommand.ts b/clients/client-chime-sdk-messaging/src/commands/GetMessagingSessionEndpointCommand.ts index 1bba361a96cd..6a9184432a45 100644 --- a/clients/client-chime-sdk-messaging/src/commands/GetMessagingSessionEndpointCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/GetMessagingSessionEndpointCommand.ts @@ -101,4 +101,16 @@ export class GetMessagingSessionEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetMessagingSessionEndpointCommand) .de(de_GetMessagingSessionEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetMessagingSessionEndpointResponse; + }; + sdk: { + input: GetMessagingSessionEndpointCommandInput; + output: GetMessagingSessionEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/GetMessagingStreamingConfigurationsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/GetMessagingStreamingConfigurationsCommand.ts index 5897e54fea31..42dbaea31e96 100644 --- a/clients/client-chime-sdk-messaging/src/commands/GetMessagingStreamingConfigurationsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/GetMessagingStreamingConfigurationsCommand.ts @@ -116,4 +116,16 @@ export class GetMessagingStreamingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_GetMessagingStreamingConfigurationsCommand) .de(de_GetMessagingStreamingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMessagingStreamingConfigurationsRequest; + output: GetMessagingStreamingConfigurationsResponse; + }; + sdk: { + input: GetMessagingStreamingConfigurationsCommandInput; + output: GetMessagingStreamingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelBansCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelBansCommand.ts index 18ac15320fc5..b27ead9c1f1e 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelBansCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelBansCommand.ts @@ -121,4 +121,16 @@ export class ListChannelBansCommand extends $Command .f(ListChannelBansRequestFilterSensitiveLog, ListChannelBansResponseFilterSensitiveLog) .ser(se_ListChannelBansCommand) .de(de_ListChannelBansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelBansRequest; + output: ListChannelBansResponse; + }; + sdk: { + input: ListChannelBansCommandInput; + output: ListChannelBansCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelFlowsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelFlowsCommand.ts index 3f709c614eb7..06356da5f762 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelFlowsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelFlowsCommand.ts @@ -125,4 +125,16 @@ export class ListChannelFlowsCommand extends $Command .f(ListChannelFlowsRequestFilterSensitiveLog, ListChannelFlowsResponseFilterSensitiveLog) .ser(se_ListChannelFlowsCommand) .de(de_ListChannelFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelFlowsRequest; + output: ListChannelFlowsResponse; + }; + sdk: { + input: ListChannelFlowsCommandInput; + output: ListChannelFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsCommand.ts index 480ca88ffe95..7b8d54cbf5b4 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsCommand.ts @@ -125,4 +125,16 @@ export class ListChannelMembershipsCommand extends $Command .f(ListChannelMembershipsRequestFilterSensitiveLog, ListChannelMembershipsResponseFilterSensitiveLog) .ser(se_ListChannelMembershipsCommand) .de(de_ListChannelMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelMembershipsRequest; + output: ListChannelMembershipsResponse; + }; + sdk: { + input: ListChannelMembershipsCommandInput; + output: ListChannelMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts index e50782d37463..be3620bc14a1 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts @@ -139,4 +139,16 @@ export class ListChannelMembershipsForAppInstanceUserCommand extends $Command ) .ser(se_ListChannelMembershipsForAppInstanceUserCommand) .de(de_ListChannelMembershipsForAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelMembershipsForAppInstanceUserRequest; + output: ListChannelMembershipsForAppInstanceUserResponse; + }; + sdk: { + input: ListChannelMembershipsForAppInstanceUserCommandInput; + output: ListChannelMembershipsForAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelMessagesCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelMessagesCommand.ts index 091337669bbf..4a9997b69164 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelMessagesCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelMessagesCommand.ts @@ -156,4 +156,16 @@ export class ListChannelMessagesCommand extends $Command .f(ListChannelMessagesRequestFilterSensitiveLog, ListChannelMessagesResponseFilterSensitiveLog) .ser(se_ListChannelMessagesCommand) .de(de_ListChannelMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelMessagesRequest; + output: ListChannelMessagesResponse; + }; + sdk: { + input: ListChannelMessagesCommandInput; + output: ListChannelMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelModeratorsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelModeratorsCommand.ts index 725c9d89d93a..8980685840f9 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelModeratorsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelModeratorsCommand.ts @@ -121,4 +121,16 @@ export class ListChannelModeratorsCommand extends $Command .f(ListChannelModeratorsRequestFilterSensitiveLog, ListChannelModeratorsResponseFilterSensitiveLog) .ser(se_ListChannelModeratorsCommand) .de(de_ListChannelModeratorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelModeratorsRequest; + output: ListChannelModeratorsResponse; + }; + sdk: { + input: ListChannelModeratorsCommandInput; + output: ListChannelModeratorsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelsAssociatedWithChannelFlowCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelsAssociatedWithChannelFlowCommand.ts index ac641838e4c8..932c9f85abc3 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelsAssociatedWithChannelFlowCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelsAssociatedWithChannelFlowCommand.ts @@ -124,4 +124,16 @@ export class ListChannelsAssociatedWithChannelFlowCommand extends $Command ) .ser(se_ListChannelsAssociatedWithChannelFlowCommand) .de(de_ListChannelsAssociatedWithChannelFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsAssociatedWithChannelFlowRequest; + output: ListChannelsAssociatedWithChannelFlowResponse; + }; + sdk: { + input: ListChannelsAssociatedWithChannelFlowCommandInput; + output: ListChannelsAssociatedWithChannelFlowCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelsCommand.ts index 8faa7e927454..a926ec88c9cb 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelsCommand.ts @@ -137,4 +137,16 @@ export class ListChannelsCommand extends $Command .f(ListChannelsRequestFilterSensitiveLog, ListChannelsResponseFilterSensitiveLog) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts index a7baa2fc50fe..82e8a03f62b8 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts @@ -133,4 +133,16 @@ export class ListChannelsModeratedByAppInstanceUserCommand extends $Command ) .ser(se_ListChannelsModeratedByAppInstanceUserCommand) .de(de_ListChannelsModeratedByAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsModeratedByAppInstanceUserRequest; + output: ListChannelsModeratedByAppInstanceUserResponse; + }; + sdk: { + input: ListChannelsModeratedByAppInstanceUserCommandInput; + output: ListChannelsModeratedByAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListSubChannelsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListSubChannelsCommand.ts index 4a90ecc81621..9d60c04f675a 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListSubChannelsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListSubChannelsCommand.ts @@ -114,4 +114,16 @@ export class ListSubChannelsCommand extends $Command .f(ListSubChannelsRequestFilterSensitiveLog, ListSubChannelsResponseFilterSensitiveLog) .ser(se_ListSubChannelsCommand) .de(de_ListSubChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubChannelsRequest; + output: ListSubChannelsResponse; + }; + sdk: { + input: ListSubChannelsCommandInput; + output: ListSubChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/ListTagsForResourceCommand.ts b/clients/client-chime-sdk-messaging/src/commands/ListTagsForResourceCommand.ts index 840cadb3bf08..22d640e9e9f9 100644 --- a/clients/client-chime-sdk-messaging/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/ListTagsForResourceCommand.ts @@ -108,4 +108,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/PutChannelExpirationSettingsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/PutChannelExpirationSettingsCommand.ts index 4f4c5ef4d41f..07e46098f7a2 100644 --- a/clients/client-chime-sdk-messaging/src/commands/PutChannelExpirationSettingsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/PutChannelExpirationSettingsCommand.ts @@ -134,4 +134,16 @@ export class PutChannelExpirationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutChannelExpirationSettingsCommand) .de(de_PutChannelExpirationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutChannelExpirationSettingsRequest; + output: PutChannelExpirationSettingsResponse; + }; + sdk: { + input: PutChannelExpirationSettingsCommandInput; + output: PutChannelExpirationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/PutChannelMembershipPreferencesCommand.ts b/clients/client-chime-sdk-messaging/src/commands/PutChannelMembershipPreferencesCommand.ts index 75782c2d661d..2bb672b4e6af 100644 --- a/clients/client-chime-sdk-messaging/src/commands/PutChannelMembershipPreferencesCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/PutChannelMembershipPreferencesCommand.ts @@ -143,4 +143,16 @@ export class PutChannelMembershipPreferencesCommand extends $Command ) .ser(se_PutChannelMembershipPreferencesCommand) .de(de_PutChannelMembershipPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutChannelMembershipPreferencesRequest; + output: PutChannelMembershipPreferencesResponse; + }; + sdk: { + input: PutChannelMembershipPreferencesCommandInput; + output: PutChannelMembershipPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/PutMessagingStreamingConfigurationsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/PutMessagingStreamingConfigurationsCommand.ts index 2ef1362e2c23..beb40c18f8b0 100644 --- a/clients/client-chime-sdk-messaging/src/commands/PutMessagingStreamingConfigurationsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/PutMessagingStreamingConfigurationsCommand.ts @@ -126,4 +126,16 @@ export class PutMessagingStreamingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_PutMessagingStreamingConfigurationsCommand) .de(de_PutMessagingStreamingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMessagingStreamingConfigurationsRequest; + output: PutMessagingStreamingConfigurationsResponse; + }; + sdk: { + input: PutMessagingStreamingConfigurationsCommandInput; + output: PutMessagingStreamingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/RedactChannelMessageCommand.ts b/clients/client-chime-sdk-messaging/src/commands/RedactChannelMessageCommand.ts index 6fd60c90034d..5f6dd2764726 100644 --- a/clients/client-chime-sdk-messaging/src/commands/RedactChannelMessageCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/RedactChannelMessageCommand.ts @@ -114,4 +114,16 @@ export class RedactChannelMessageCommand extends $Command .f(void 0, void 0) .ser(se_RedactChannelMessageCommand) .de(de_RedactChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RedactChannelMessageRequest; + output: RedactChannelMessageResponse; + }; + sdk: { + input: RedactChannelMessageCommandInput; + output: RedactChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/SearchChannelsCommand.ts b/clients/client-chime-sdk-messaging/src/commands/SearchChannelsCommand.ts index 4377a0bf5b52..77fc8bfafd09 100644 --- a/clients/client-chime-sdk-messaging/src/commands/SearchChannelsCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/SearchChannelsCommand.ts @@ -130,4 +130,16 @@ export class SearchChannelsCommand extends $Command .f(SearchChannelsRequestFilterSensitiveLog, SearchChannelsResponseFilterSensitiveLog) .ser(se_SearchChannelsCommand) .de(de_SearchChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchChannelsRequest; + output: SearchChannelsResponse; + }; + sdk: { + input: SearchChannelsCommandInput; + output: SearchChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/SendChannelMessageCommand.ts b/clients/client-chime-sdk-messaging/src/commands/SendChannelMessageCommand.ts index 85175251a010..b65c9d4a5f75 100644 --- a/clients/client-chime-sdk-messaging/src/commands/SendChannelMessageCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/SendChannelMessageCommand.ts @@ -147,4 +147,16 @@ export class SendChannelMessageCommand extends $Command .f(SendChannelMessageRequestFilterSensitiveLog, void 0) .ser(se_SendChannelMessageCommand) .de(de_SendChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendChannelMessageRequest; + output: SendChannelMessageResponse; + }; + sdk: { + input: SendChannelMessageCommandInput; + output: SendChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/TagResourceCommand.ts b/clients/client-chime-sdk-messaging/src/commands/TagResourceCommand.ts index d7afd385c547..a10771e451e2 100644 --- a/clients/client-chime-sdk-messaging/src/commands/TagResourceCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/UntagResourceCommand.ts b/clients/client-chime-sdk-messaging/src/commands/UntagResourceCommand.ts index 9b43312d82d9..f336066d21d3 100644 --- a/clients/client-chime-sdk-messaging/src/commands/UntagResourceCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelCommand.ts b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelCommand.ts index 854588b26eb7..ec7cb264558b 100644 --- a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelCommand.ts @@ -118,4 +118,16 @@ export class UpdateChannelCommand extends $Command .f(UpdateChannelRequestFilterSensitiveLog, void 0) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelFlowCommand.ts b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelFlowCommand.ts index 3164e1373a24..e6a16d6f8d05 100644 --- a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelFlowCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelFlowCommand.ts @@ -121,4 +121,16 @@ export class UpdateChannelFlowCommand extends $Command .f(UpdateChannelFlowRequestFilterSensitiveLog, void 0) .ser(se_UpdateChannelFlowCommand) .de(de_UpdateChannelFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelFlowRequest; + output: UpdateChannelFlowResponse; + }; + sdk: { + input: UpdateChannelFlowCommandInput; + output: UpdateChannelFlowCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelMessageCommand.ts b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelMessageCommand.ts index 19cc7679f8b2..35c04ed3e612 100644 --- a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelMessageCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelMessageCommand.ts @@ -124,4 +124,16 @@ export class UpdateChannelMessageCommand extends $Command .f(UpdateChannelMessageRequestFilterSensitiveLog, void 0) .ser(se_UpdateChannelMessageCommand) .de(de_UpdateChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelMessageRequest; + output: UpdateChannelMessageResponse; + }; + sdk: { + input: UpdateChannelMessageCommandInput; + output: UpdateChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelReadMarkerCommand.ts b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelReadMarkerCommand.ts index 9bfbf8446f6a..8cccaef25fd3 100644 --- a/clients/client-chime-sdk-messaging/src/commands/UpdateChannelReadMarkerCommand.ts +++ b/clients/client-chime-sdk-messaging/src/commands/UpdateChannelReadMarkerCommand.ts @@ -109,4 +109,16 @@ export class UpdateChannelReadMarkerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelReadMarkerCommand) .de(de_UpdateChannelReadMarkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelReadMarkerRequest; + output: UpdateChannelReadMarkerResponse; + }; + sdk: { + input: UpdateChannelReadMarkerCommandInput; + output: UpdateChannelReadMarkerCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/package.json b/clients/client-chime-sdk-voice/package.json index 6f91c14cd003..6242f5a7ae38 100644 --- a/clients/client-chime-sdk-voice/package.json +++ b/clients/client-chime-sdk-voice/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts b/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts index fa5eaf80f885..e5be4124800f 100644 --- a/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts @@ -125,4 +125,16 @@ export class AssociatePhoneNumbersWithVoiceConnectorCommand extends $Command ) .ser(se_AssociatePhoneNumbersWithVoiceConnectorCommand) .de(de_AssociatePhoneNumbersWithVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePhoneNumbersWithVoiceConnectorRequest; + output: AssociatePhoneNumbersWithVoiceConnectorResponse; + }; + sdk: { + input: AssociatePhoneNumbersWithVoiceConnectorCommandInput; + output: AssociatePhoneNumbersWithVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts b/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts index 8a587a0647d9..1a652079792d 100644 --- a/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts @@ -125,4 +125,16 @@ export class AssociatePhoneNumbersWithVoiceConnectorGroupCommand extends $Comman ) .ser(se_AssociatePhoneNumbersWithVoiceConnectorGroupCommand) .de(de_AssociatePhoneNumbersWithVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePhoneNumbersWithVoiceConnectorGroupRequest; + output: AssociatePhoneNumbersWithVoiceConnectorGroupResponse; + }; + sdk: { + input: AssociatePhoneNumbersWithVoiceConnectorGroupCommandInput; + output: AssociatePhoneNumbersWithVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/BatchDeletePhoneNumberCommand.ts b/clients/client-chime-sdk-voice/src/commands/BatchDeletePhoneNumberCommand.ts index 2205206f6c9f..65f58d84cc37 100644 --- a/clients/client-chime-sdk-voice/src/commands/BatchDeletePhoneNumberCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/BatchDeletePhoneNumberCommand.ts @@ -117,4 +117,16 @@ export class BatchDeletePhoneNumberCommand extends $Command .f(void 0, BatchDeletePhoneNumberResponseFilterSensitiveLog) .ser(se_BatchDeletePhoneNumberCommand) .de(de_BatchDeletePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeletePhoneNumberRequest; + output: BatchDeletePhoneNumberResponse; + }; + sdk: { + input: BatchDeletePhoneNumberCommandInput; + output: BatchDeletePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/BatchUpdatePhoneNumberCommand.ts b/clients/client-chime-sdk-voice/src/commands/BatchUpdatePhoneNumberCommand.ts index e8932880ce97..20e502df67e8 100644 --- a/clients/client-chime-sdk-voice/src/commands/BatchUpdatePhoneNumberCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/BatchUpdatePhoneNumberCommand.ts @@ -121,4 +121,16 @@ export class BatchUpdatePhoneNumberCommand extends $Command .f(BatchUpdatePhoneNumberRequestFilterSensitiveLog, BatchUpdatePhoneNumberResponseFilterSensitiveLog) .ser(se_BatchUpdatePhoneNumberCommand) .de(de_BatchUpdatePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdatePhoneNumberRequest; + output: BatchUpdatePhoneNumberResponse; + }; + sdk: { + input: BatchUpdatePhoneNumberCommandInput; + output: BatchUpdatePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreatePhoneNumberOrderCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreatePhoneNumberOrderCommand.ts index 616e2db78111..4778ec8f0acb 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreatePhoneNumberOrderCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreatePhoneNumberOrderCommand.ts @@ -123,4 +123,16 @@ export class CreatePhoneNumberOrderCommand extends $Command .f(CreatePhoneNumberOrderRequestFilterSensitiveLog, CreatePhoneNumberOrderResponseFilterSensitiveLog) .ser(se_CreatePhoneNumberOrderCommand) .de(de_CreatePhoneNumberOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePhoneNumberOrderRequest; + output: CreatePhoneNumberOrderResponse; + }; + sdk: { + input: CreatePhoneNumberOrderCommandInput; + output: CreatePhoneNumberOrderCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateProxySessionCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateProxySessionCommand.ts index 272e38822dfb..6910e007c813 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateProxySessionCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateProxySessionCommand.ts @@ -142,4 +142,16 @@ export class CreateProxySessionCommand extends $Command .f(CreateProxySessionRequestFilterSensitiveLog, CreateProxySessionResponseFilterSensitiveLog) .ser(se_CreateProxySessionCommand) .de(de_CreateProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProxySessionRequest; + output: CreateProxySessionResponse; + }; + sdk: { + input: CreateProxySessionCommandInput; + output: CreateProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCallCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCallCommand.ts index 6de8460b77a6..b4fe25ca0a7a 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCallCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCallCommand.ts @@ -122,4 +122,16 @@ export class CreateSipMediaApplicationCallCommand extends $Command .f(CreateSipMediaApplicationCallRequestFilterSensitiveLog, void 0) .ser(se_CreateSipMediaApplicationCallCommand) .de(de_CreateSipMediaApplicationCallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSipMediaApplicationCallRequest; + output: CreateSipMediaApplicationCallResponse; + }; + sdk: { + input: CreateSipMediaApplicationCallCommandInput; + output: CreateSipMediaApplicationCallCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCommand.ts index df11fe0e9330..47bc178b9335 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateSipMediaApplicationCommand.ts @@ -134,4 +134,16 @@ export class CreateSipMediaApplicationCommand extends $Command .f(CreateSipMediaApplicationRequestFilterSensitiveLog, CreateSipMediaApplicationResponseFilterSensitiveLog) .ser(se_CreateSipMediaApplicationCommand) .de(de_CreateSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSipMediaApplicationRequest; + output: CreateSipMediaApplicationResponse; + }; + sdk: { + input: CreateSipMediaApplicationCommandInput; + output: CreateSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateSipRuleCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateSipRuleCommand.ts index ee06cc17b7a6..55024292b9f7 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateSipRuleCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateSipRuleCommand.ts @@ -130,4 +130,16 @@ export class CreateSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateSipRuleCommand) .de(de_CreateSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSipRuleRequest; + output: CreateSipRuleResponse; + }; + sdk: { + input: CreateSipRuleCommandInput; + output: CreateSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorCommand.ts index 980c08b966f1..5bf9da85879d 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorCommand.ts @@ -125,4 +125,16 @@ export class CreateVoiceConnectorCommand extends $Command .f(CreateVoiceConnectorRequestFilterSensitiveLog, void 0) .ser(se_CreateVoiceConnectorCommand) .de(de_CreateVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVoiceConnectorRequest; + output: CreateVoiceConnectorResponse; + }; + sdk: { + input: CreateVoiceConnectorCommandInput; + output: CreateVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorGroupCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorGroupCommand.ts index ee840893fe04..f6c16db2a067 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorGroupCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateVoiceConnectorGroupCommand.ts @@ -124,4 +124,16 @@ export class CreateVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateVoiceConnectorGroupCommand) .de(de_CreateVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVoiceConnectorGroupRequest; + output: CreateVoiceConnectorGroupResponse; + }; + sdk: { + input: CreateVoiceConnectorGroupCommandInput; + output: CreateVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileCommand.ts index c1dde7f28b8e..ff9072c473a8 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileCommand.ts @@ -127,4 +127,16 @@ export class CreateVoiceProfileCommand extends $Command .f(void 0, CreateVoiceProfileResponseFilterSensitiveLog) .ser(se_CreateVoiceProfileCommand) .de(de_CreateVoiceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVoiceProfileRequest; + output: CreateVoiceProfileResponse; + }; + sdk: { + input: CreateVoiceProfileCommandInput; + output: CreateVoiceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileDomainCommand.ts b/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileDomainCommand.ts index 98ed42373fbe..4b267230b122 100644 --- a/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileDomainCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/CreateVoiceProfileDomainCommand.ts @@ -136,4 +136,16 @@ export class CreateVoiceProfileDomainCommand extends $Command .f(CreateVoiceProfileDomainRequestFilterSensitiveLog, CreateVoiceProfileDomainResponseFilterSensitiveLog) .ser(se_CreateVoiceProfileDomainCommand) .de(de_CreateVoiceProfileDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVoiceProfileDomainRequest; + output: CreateVoiceProfileDomainResponse; + }; + sdk: { + input: CreateVoiceProfileDomainCommandInput; + output: CreateVoiceProfileDomainCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeletePhoneNumberCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeletePhoneNumberCommand.ts index 4e0807d055f5..67c39293baee 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeletePhoneNumberCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeletePhoneNumberCommand.ts @@ -102,4 +102,16 @@ export class DeletePhoneNumberCommand extends $Command .f(DeletePhoneNumberRequestFilterSensitiveLog, void 0) .ser(se_DeletePhoneNumberCommand) .de(de_DeletePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePhoneNumberRequest; + output: {}; + }; + sdk: { + input: DeletePhoneNumberCommandInput; + output: DeletePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteProxySessionCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteProxySessionCommand.ts index 1c19537a1fc8..129e7f354d37 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteProxySessionCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteProxySessionCommand.ts @@ -98,4 +98,16 @@ export class DeleteProxySessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProxySessionCommand) .de(de_DeleteProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProxySessionRequest; + output: {}; + }; + sdk: { + input: DeleteProxySessionCommandInput; + output: DeleteProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteSipMediaApplicationCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteSipMediaApplicationCommand.ts index b01b5c738ba0..45aacc822372 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteSipMediaApplicationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteSipMediaApplicationCommand.ts @@ -99,4 +99,16 @@ export class DeleteSipMediaApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSipMediaApplicationCommand) .de(de_DeleteSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSipMediaApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteSipMediaApplicationCommandInput; + output: DeleteSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteSipRuleCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteSipRuleCommand.ts index 6319a2618ca5..8b9375a1384d 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteSipRuleCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteSipRuleCommand.ts @@ -99,4 +99,16 @@ export class DeleteSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSipRuleCommand) .de(de_DeleteSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSipRuleRequest; + output: {}; + }; + sdk: { + input: DeleteSipRuleCommandInput; + output: DeleteSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorCommand.ts index 55dc0e5111ea..bf7235bb7189 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorCommand.ts @@ -101,4 +101,16 @@ export class DeleteVoiceConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorCommand) .de(de_DeleteVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorCommandInput; + output: DeleteVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts index 45ac88ba7c16..b481de0151e9 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts @@ -101,4 +101,16 @@ export class DeleteVoiceConnectorEmergencyCallingConfigurationCommand extends $C .f(void 0, void 0) .ser(se_DeleteVoiceConnectorEmergencyCallingConfigurationCommand) .de(de_DeleteVoiceConnectorEmergencyCallingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorEmergencyCallingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorEmergencyCallingConfigurationCommandInput; + output: DeleteVoiceConnectorEmergencyCallingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorGroupCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorGroupCommand.ts index 2889bab93980..2053bdaebcf9 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorGroupCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorGroupCommand.ts @@ -101,4 +101,16 @@ export class DeleteVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorGroupCommand) .de(de_DeleteVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorGroupRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorGroupCommandInput; + output: DeleteVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorOriginationCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorOriginationCommand.ts index 9c7153fd9ea9..656a39ab40da 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorOriginationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorOriginationCommand.ts @@ -103,4 +103,16 @@ export class DeleteVoiceConnectorOriginationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorOriginationCommand) .de(de_DeleteVoiceConnectorOriginationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorOriginationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorOriginationCommandInput; + output: DeleteVoiceConnectorOriginationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorProxyCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorProxyCommand.ts index 92b6a821660e..6a77aa21f6a3 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorProxyCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorProxyCommand.ts @@ -96,4 +96,16 @@ export class DeleteVoiceConnectorProxyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorProxyCommand) .de(de_DeleteVoiceConnectorProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorProxyRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorProxyCommandInput; + output: DeleteVoiceConnectorProxyCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts index 68ec1c2074f9..25f4d184fcd6 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts @@ -100,4 +100,16 @@ export class DeleteVoiceConnectorStreamingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorStreamingConfigurationCommand) .de(de_DeleteVoiceConnectorStreamingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorStreamingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorStreamingConfigurationCommandInput; + output: DeleteVoiceConnectorStreamingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCommand.ts index 4877d9b7f58e..9a21ef78e8d1 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCommand.ts @@ -103,4 +103,16 @@ export class DeleteVoiceConnectorTerminationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorTerminationCommand) .de(de_DeleteVoiceConnectorTerminationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorTerminationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorTerminationCommandInput; + output: DeleteVoiceConnectorTerminationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts index 4b875a49d6c9..926dd762e20e 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts @@ -107,4 +107,16 @@ export class DeleteVoiceConnectorTerminationCredentialsCommand extends $Command .f(DeleteVoiceConnectorTerminationCredentialsRequestFilterSensitiveLog, void 0) .ser(se_DeleteVoiceConnectorTerminationCredentialsCommand) .de(de_DeleteVoiceConnectorTerminationCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorTerminationCredentialsRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorTerminationCredentialsCommandInput; + output: DeleteVoiceConnectorTerminationCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileCommand.ts index 9ade58a1153e..8efecf720639 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileCommand.ts @@ -102,4 +102,16 @@ export class DeleteVoiceProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceProfileCommand) .de(de_DeleteVoiceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceProfileRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceProfileCommandInput; + output: DeleteVoiceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileDomainCommand.ts b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileDomainCommand.ts index 815b1ea3e7b5..3784746219dd 100644 --- a/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileDomainCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DeleteVoiceProfileDomainCommand.ts @@ -102,4 +102,16 @@ export class DeleteVoiceProfileDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceProfileDomainCommand) .de(de_DeleteVoiceProfileDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceProfileDomainRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceProfileDomainCommandInput; + output: DeleteVoiceProfileDomainCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts b/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts index 7c2879829afc..c1348470aab3 100644 --- a/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts @@ -122,4 +122,16 @@ export class DisassociatePhoneNumbersFromVoiceConnectorCommand extends $Command ) .ser(se_DisassociatePhoneNumbersFromVoiceConnectorCommand) .de(de_DisassociatePhoneNumbersFromVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePhoneNumbersFromVoiceConnectorRequest; + output: DisassociatePhoneNumbersFromVoiceConnectorResponse; + }; + sdk: { + input: DisassociatePhoneNumbersFromVoiceConnectorCommandInput; + output: DisassociatePhoneNumbersFromVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts b/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts index 2f5a2be647ab..38e1169e630a 100644 --- a/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts @@ -122,4 +122,16 @@ export class DisassociatePhoneNumbersFromVoiceConnectorGroupCommand extends $Com ) .ser(se_DisassociatePhoneNumbersFromVoiceConnectorGroupCommand) .de(de_DisassociatePhoneNumbersFromVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePhoneNumbersFromVoiceConnectorGroupRequest; + output: DisassociatePhoneNumbersFromVoiceConnectorGroupResponse; + }; + sdk: { + input: DisassociatePhoneNumbersFromVoiceConnectorGroupCommandInput; + output: DisassociatePhoneNumbersFromVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetGlobalSettingsCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetGlobalSettingsCommand.ts index 43ac918f51ff..14a0c34f9c07 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetGlobalSettingsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetGlobalSettingsCommand.ts @@ -95,4 +95,16 @@ export class GetGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetGlobalSettingsCommand) .de(de_GetGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetGlobalSettingsResponse; + }; + sdk: { + input: GetGlobalSettingsCommandInput; + output: GetGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberCommand.ts index 415fe908e9ae..1ab2a3aa9c3f 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberCommand.ts @@ -133,4 +133,16 @@ export class GetPhoneNumberCommand extends $Command .f(GetPhoneNumberRequestFilterSensitiveLog, GetPhoneNumberResponseFilterSensitiveLog) .ser(se_GetPhoneNumberCommand) .de(de_GetPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPhoneNumberRequest; + output: GetPhoneNumberResponse; + }; + sdk: { + input: GetPhoneNumberCommandInput; + output: GetPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberOrderCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberOrderCommand.ts index 4b99f890778d..289f0b002633 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberOrderCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberOrderCommand.ts @@ -117,4 +117,16 @@ export class GetPhoneNumberOrderCommand extends $Command .f(void 0, GetPhoneNumberOrderResponseFilterSensitiveLog) .ser(se_GetPhoneNumberOrderCommand) .de(de_GetPhoneNumberOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPhoneNumberOrderRequest; + output: GetPhoneNumberOrderResponse; + }; + sdk: { + input: GetPhoneNumberOrderCommandInput; + output: GetPhoneNumberOrderCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberSettingsCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberSettingsCommand.ts index 97e8652d6946..45317556e52b 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberSettingsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetPhoneNumberSettingsCommand.ts @@ -95,4 +95,16 @@ export class GetPhoneNumberSettingsCommand extends $Command .f(void 0, GetPhoneNumberSettingsResponseFilterSensitiveLog) .ser(se_GetPhoneNumberSettingsCommand) .de(de_GetPhoneNumberSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPhoneNumberSettingsResponse; + }; + sdk: { + input: GetPhoneNumberSettingsCommandInput; + output: GetPhoneNumberSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetProxySessionCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetProxySessionCommand.ts index a5010ae5b99d..e12d5bb6bd49 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetProxySessionCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetProxySessionCommand.ts @@ -127,4 +127,16 @@ export class GetProxySessionCommand extends $Command .f(void 0, GetProxySessionResponseFilterSensitiveLog) .ser(se_GetProxySessionCommand) .de(de_GetProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProxySessionRequest; + output: GetProxySessionResponse; + }; + sdk: { + input: GetProxySessionCommandInput; + output: GetProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationAlexaSkillConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationAlexaSkillConfigurationCommand.ts index 0c4fb5e88f47..969fe7cf3454 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationAlexaSkillConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationAlexaSkillConfigurationCommand.ts @@ -119,4 +119,16 @@ export class GetSipMediaApplicationAlexaSkillConfigurationCommand extends $Comma .f(void 0, GetSipMediaApplicationAlexaSkillConfigurationResponseFilterSensitiveLog) .ser(se_GetSipMediaApplicationAlexaSkillConfigurationCommand) .de(de_GetSipMediaApplicationAlexaSkillConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSipMediaApplicationAlexaSkillConfigurationRequest; + output: GetSipMediaApplicationAlexaSkillConfigurationResponse; + }; + sdk: { + input: GetSipMediaApplicationAlexaSkillConfigurationCommandInput; + output: GetSipMediaApplicationAlexaSkillConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationCommand.ts index 80907f4d6334..42e2591b6442 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationCommand.ts @@ -115,4 +115,16 @@ export class GetSipMediaApplicationCommand extends $Command .f(void 0, GetSipMediaApplicationResponseFilterSensitiveLog) .ser(se_GetSipMediaApplicationCommand) .de(de_GetSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSipMediaApplicationRequest; + output: GetSipMediaApplicationResponse; + }; + sdk: { + input: GetSipMediaApplicationCommandInput; + output: GetSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts index cabd52920196..943903a7c85e 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts @@ -109,4 +109,16 @@ export class GetSipMediaApplicationLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetSipMediaApplicationLoggingConfigurationCommand) .de(de_GetSipMediaApplicationLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSipMediaApplicationLoggingConfigurationRequest; + output: GetSipMediaApplicationLoggingConfigurationResponse; + }; + sdk: { + input: GetSipMediaApplicationLoggingConfigurationCommandInput; + output: GetSipMediaApplicationLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetSipRuleCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetSipRuleCommand.ts index e7323e5064a2..13604e378afb 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetSipRuleCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetSipRuleCommand.ts @@ -114,4 +114,16 @@ export class GetSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetSipRuleCommand) .de(de_GetSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSipRuleRequest; + output: GetSipRuleResponse; + }; + sdk: { + input: GetSipRuleCommandInput; + output: GetSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetSpeakerSearchTaskCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetSpeakerSearchTaskCommand.ts index 31470a5b13c0..d533a6826247 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetSpeakerSearchTaskCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetSpeakerSearchTaskCommand.ts @@ -126,4 +126,16 @@ export class GetSpeakerSearchTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetSpeakerSearchTaskCommand) .de(de_GetSpeakerSearchTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSpeakerSearchTaskRequest; + output: GetSpeakerSearchTaskResponse; + }; + sdk: { + input: GetSpeakerSearchTaskCommandInput; + output: GetSpeakerSearchTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorCommand.ts index 84a6c953d3b7..b8436e3a3b47 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorCommand.ts @@ -108,4 +108,16 @@ export class GetVoiceConnectorCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorCommand) .de(de_GetVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorRequest; + output: GetVoiceConnectorResponse; + }; + sdk: { + input: GetVoiceConnectorCommandInput; + output: GetVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts index 77cc820e7dbe..f6bdc21bf867 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts @@ -116,4 +116,16 @@ export class GetVoiceConnectorEmergencyCallingConfigurationCommand extends $Comm .f(void 0, GetVoiceConnectorEmergencyCallingConfigurationResponseFilterSensitiveLog) .ser(se_GetVoiceConnectorEmergencyCallingConfigurationCommand) .de(de_GetVoiceConnectorEmergencyCallingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorEmergencyCallingConfigurationRequest; + output: GetVoiceConnectorEmergencyCallingConfigurationResponse; + }; + sdk: { + input: GetVoiceConnectorEmergencyCallingConfigurationCommandInput; + output: GetVoiceConnectorEmergencyCallingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorGroupCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorGroupCommand.ts index ef0aa1dcb0a0..d0df565ddc7b 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorGroupCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorGroupCommand.ts @@ -111,4 +111,16 @@ export class GetVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorGroupCommand) .de(de_GetVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorGroupRequest; + output: GetVoiceConnectorGroupResponse; + }; + sdk: { + input: GetVoiceConnectorGroupCommandInput; + output: GetVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts index a5e36cfec879..9396c49bf661 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts @@ -111,4 +111,16 @@ export class GetVoiceConnectorLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorLoggingConfigurationCommand) .de(de_GetVoiceConnectorLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorLoggingConfigurationRequest; + output: GetVoiceConnectorLoggingConfigurationResponse; + }; + sdk: { + input: GetVoiceConnectorLoggingConfigurationCommandInput; + output: GetVoiceConnectorLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorOriginationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorOriginationCommand.ts index 428556dbd6f8..b505b3b28b83 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorOriginationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorOriginationCommand.ts @@ -114,4 +114,16 @@ export class GetVoiceConnectorOriginationCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorOriginationCommand) .de(de_GetVoiceConnectorOriginationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorOriginationRequest; + output: GetVoiceConnectorOriginationResponse; + }; + sdk: { + input: GetVoiceConnectorOriginationCommandInput; + output: GetVoiceConnectorOriginationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorProxyCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorProxyCommand.ts index a6f7fb981810..b6f785f5f513 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorProxyCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorProxyCommand.ts @@ -110,4 +110,16 @@ export class GetVoiceConnectorProxyCommand extends $Command .f(void 0, GetVoiceConnectorProxyResponseFilterSensitiveLog) .ser(se_GetVoiceConnectorProxyCommand) .de(de_GetVoiceConnectorProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorProxyRequest; + output: GetVoiceConnectorProxyResponse; + }; + sdk: { + input: GetVoiceConnectorProxyCommandInput; + output: GetVoiceConnectorProxyCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts index c51bca29fdc5..097f3dea7931 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts @@ -122,4 +122,16 @@ export class GetVoiceConnectorStreamingConfigurationCommand extends $Command .f(void 0, GetVoiceConnectorStreamingConfigurationResponseFilterSensitiveLog) .ser(se_GetVoiceConnectorStreamingConfigurationCommand) .de(de_GetVoiceConnectorStreamingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorStreamingConfigurationRequest; + output: GetVoiceConnectorStreamingConfigurationResponse; + }; + sdk: { + input: GetVoiceConnectorStreamingConfigurationCommandInput; + output: GetVoiceConnectorStreamingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationCommand.ts index b91b5a68f303..49338bfa02b8 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationCommand.ts @@ -117,4 +117,16 @@ export class GetVoiceConnectorTerminationCommand extends $Command .f(void 0, GetVoiceConnectorTerminationResponseFilterSensitiveLog) .ser(se_GetVoiceConnectorTerminationCommand) .de(de_GetVoiceConnectorTerminationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorTerminationRequest; + output: GetVoiceConnectorTerminationResponse; + }; + sdk: { + input: GetVoiceConnectorTerminationCommandInput; + output: GetVoiceConnectorTerminationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationHealthCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationHealthCommand.ts index 9d06084d9d53..7911c8740106 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationHealthCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceConnectorTerminationHealthCommand.ts @@ -111,4 +111,16 @@ export class GetVoiceConnectorTerminationHealthCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorTerminationHealthCommand) .de(de_GetVoiceConnectorTerminationHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorTerminationHealthRequest; + output: GetVoiceConnectorTerminationHealthResponse; + }; + sdk: { + input: GetVoiceConnectorTerminationHealthCommandInput; + output: GetVoiceConnectorTerminationHealthCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileCommand.ts index 66e968042aee..d44413ccf6f1 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileCommand.ts @@ -112,4 +112,16 @@ export class GetVoiceProfileCommand extends $Command .f(void 0, GetVoiceProfileResponseFilterSensitiveLog) .ser(se_GetVoiceProfileCommand) .de(de_GetVoiceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceProfileRequest; + output: GetVoiceProfileResponse; + }; + sdk: { + input: GetVoiceProfileCommandInput; + output: GetVoiceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileDomainCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileDomainCommand.ts index 5f8289327b10..92023af640d1 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileDomainCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceProfileDomainCommand.ts @@ -115,4 +115,16 @@ export class GetVoiceProfileDomainCommand extends $Command .f(void 0, GetVoiceProfileDomainResponseFilterSensitiveLog) .ser(se_GetVoiceProfileDomainCommand) .de(de_GetVoiceProfileDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceProfileDomainRequest; + output: GetVoiceProfileDomainResponse; + }; + sdk: { + input: GetVoiceProfileDomainCommandInput; + output: GetVoiceProfileDomainCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/GetVoiceToneAnalysisTaskCommand.ts b/clients/client-chime-sdk-voice/src/commands/GetVoiceToneAnalysisTaskCommand.ts index 2d7d73709eed..e7f521cf3708 100644 --- a/clients/client-chime-sdk-voice/src/commands/GetVoiceToneAnalysisTaskCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/GetVoiceToneAnalysisTaskCommand.ts @@ -118,4 +118,16 @@ export class GetVoiceToneAnalysisTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceToneAnalysisTaskCommand) .de(de_GetVoiceToneAnalysisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceToneAnalysisTaskRequest; + output: GetVoiceToneAnalysisTaskResponse; + }; + sdk: { + input: GetVoiceToneAnalysisTaskCommandInput; + output: GetVoiceToneAnalysisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListAvailableVoiceConnectorRegionsCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListAvailableVoiceConnectorRegionsCommand.ts index b026b2c34489..84982f5edfe3 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListAvailableVoiceConnectorRegionsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListAvailableVoiceConnectorRegionsCommand.ts @@ -100,4 +100,16 @@ export class ListAvailableVoiceConnectorRegionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableVoiceConnectorRegionsCommand) .de(de_ListAvailableVoiceConnectorRegionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListAvailableVoiceConnectorRegionsResponse; + }; + sdk: { + input: ListAvailableVoiceConnectorRegionsCommandInput; + output: ListAvailableVoiceConnectorRegionsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListPhoneNumberOrdersCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListPhoneNumberOrdersCommand.ts index a37905a8a891..ac39d59eadaa 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListPhoneNumberOrdersCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListPhoneNumberOrdersCommand.ts @@ -116,4 +116,16 @@ export class ListPhoneNumberOrdersCommand extends $Command .f(void 0, ListPhoneNumberOrdersResponseFilterSensitiveLog) .ser(se_ListPhoneNumberOrdersCommand) .de(de_ListPhoneNumberOrdersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPhoneNumberOrdersRequest; + output: ListPhoneNumberOrdersResponse; + }; + sdk: { + input: ListPhoneNumberOrdersCommandInput; + output: ListPhoneNumberOrdersCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListPhoneNumbersCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListPhoneNumbersCommand.ts index e5c5295c26c9..e08d3c265b76 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListPhoneNumbersCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListPhoneNumbersCommand.ts @@ -141,4 +141,16 @@ export class ListPhoneNumbersCommand extends $Command .f(void 0, ListPhoneNumbersResponseFilterSensitiveLog) .ser(se_ListPhoneNumbersCommand) .de(de_ListPhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPhoneNumbersRequest; + output: ListPhoneNumbersResponse; + }; + sdk: { + input: ListPhoneNumbersCommandInput; + output: ListPhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListProxySessionsCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListProxySessionsCommand.ts index 218bc07159e2..23456fd9f876 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListProxySessionsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListProxySessionsCommand.ts @@ -132,4 +132,16 @@ export class ListProxySessionsCommand extends $Command .f(void 0, ListProxySessionsResponseFilterSensitiveLog) .ser(se_ListProxySessionsCommand) .de(de_ListProxySessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProxySessionsRequest; + output: ListProxySessionsResponse; + }; + sdk: { + input: ListProxySessionsCommandInput; + output: ListProxySessionsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListSipMediaApplicationsCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListSipMediaApplicationsCommand.ts index 522548240dd4..1b46765461c9 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListSipMediaApplicationsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListSipMediaApplicationsCommand.ts @@ -115,4 +115,16 @@ export class ListSipMediaApplicationsCommand extends $Command .f(void 0, ListSipMediaApplicationsResponseFilterSensitiveLog) .ser(se_ListSipMediaApplicationsCommand) .de(de_ListSipMediaApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSipMediaApplicationsRequest; + output: ListSipMediaApplicationsResponse; + }; + sdk: { + input: ListSipMediaApplicationsCommandInput; + output: ListSipMediaApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListSipRulesCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListSipRulesCommand.ts index 3ade4259fa3c..a4f48f703a47 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListSipRulesCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListSipRulesCommand.ts @@ -115,4 +115,16 @@ export class ListSipRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListSipRulesCommand) .de(de_ListSipRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSipRulesRequest; + output: ListSipRulesResponse; + }; + sdk: { + input: ListSipRulesCommandInput; + output: ListSipRulesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListSupportedPhoneNumberCountriesCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListSupportedPhoneNumberCountriesCommand.ts index 5054697e51fc..febe855ae62f 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListSupportedPhoneNumberCountriesCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListSupportedPhoneNumberCountriesCommand.ts @@ -113,4 +113,16 @@ export class ListSupportedPhoneNumberCountriesCommand extends $Command .f(void 0, void 0) .ser(se_ListSupportedPhoneNumberCountriesCommand) .de(de_ListSupportedPhoneNumberCountriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSupportedPhoneNumberCountriesRequest; + output: ListSupportedPhoneNumberCountriesResponse; + }; + sdk: { + input: ListSupportedPhoneNumberCountriesCommandInput; + output: ListSupportedPhoneNumberCountriesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListTagsForResourceCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListTagsForResourceCommand.ts index 36aa40782020..365842d76a5b 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListTagsForResourceCommand.ts @@ -105,4 +105,16 @@ export class ListTagsForResourceCommand extends $Command .f(ListTagsForResourceRequestFilterSensitiveLog, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorGroupsCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorGroupsCommand.ts index d53ce449d28c..0c3fdce418e0 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorGroupsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorGroupsCommand.ts @@ -112,4 +112,16 @@ export class ListVoiceConnectorGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListVoiceConnectorGroupsCommand) .de(de_ListVoiceConnectorGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceConnectorGroupsRequest; + output: ListVoiceConnectorGroupsResponse; + }; + sdk: { + input: ListVoiceConnectorGroupsCommandInput; + output: ListVoiceConnectorGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts index 40e8868a7820..4916e5f9143a 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts @@ -110,4 +110,16 @@ export class ListVoiceConnectorTerminationCredentialsCommand extends $Command .f(void 0, ListVoiceConnectorTerminationCredentialsResponseFilterSensitiveLog) .ser(se_ListVoiceConnectorTerminationCredentialsCommand) .de(de_ListVoiceConnectorTerminationCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceConnectorTerminationCredentialsRequest; + output: ListVoiceConnectorTerminationCredentialsResponse; + }; + sdk: { + input: ListVoiceConnectorTerminationCredentialsCommandInput; + output: ListVoiceConnectorTerminationCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorsCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorsCommand.ts index dd533c093c78..ee51578ab86a 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListVoiceConnectorsCommand.ts @@ -109,4 +109,16 @@ export class ListVoiceConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListVoiceConnectorsCommand) .de(de_ListVoiceConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceConnectorsRequest; + output: ListVoiceConnectorsResponse; + }; + sdk: { + input: ListVoiceConnectorsCommandInput; + output: ListVoiceConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListVoiceProfileDomainsCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListVoiceProfileDomainsCommand.ts index 2a50902bc893..87dd27c3c922 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListVoiceProfileDomainsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListVoiceProfileDomainsCommand.ts @@ -114,4 +114,16 @@ export class ListVoiceProfileDomainsCommand extends $Command .f(void 0, ListVoiceProfileDomainsResponseFilterSensitiveLog) .ser(se_ListVoiceProfileDomainsCommand) .de(de_ListVoiceProfileDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceProfileDomainsRequest; + output: ListVoiceProfileDomainsResponse; + }; + sdk: { + input: ListVoiceProfileDomainsCommandInput; + output: ListVoiceProfileDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ListVoiceProfilesCommand.ts b/clients/client-chime-sdk-voice/src/commands/ListVoiceProfilesCommand.ts index f57cfd24f19e..8987d3fcf96b 100644 --- a/clients/client-chime-sdk-voice/src/commands/ListVoiceProfilesCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ListVoiceProfilesCommand.ts @@ -114,4 +114,16 @@ export class ListVoiceProfilesCommand extends $Command .f(void 0, ListVoiceProfilesResponseFilterSensitiveLog) .ser(se_ListVoiceProfilesCommand) .de(de_ListVoiceProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceProfilesRequest; + output: ListVoiceProfilesResponse; + }; + sdk: { + input: ListVoiceProfilesCommandInput; + output: ListVoiceProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationAlexaSkillConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationAlexaSkillConfigurationCommand.ts index fccd05f6ea24..d523a0339aa3 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationAlexaSkillConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationAlexaSkillConfigurationCommand.ts @@ -129,4 +129,16 @@ export class PutSipMediaApplicationAlexaSkillConfigurationCommand extends $Comma ) .ser(se_PutSipMediaApplicationAlexaSkillConfigurationCommand) .de(de_PutSipMediaApplicationAlexaSkillConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSipMediaApplicationAlexaSkillConfigurationRequest; + output: PutSipMediaApplicationAlexaSkillConfigurationResponse; + }; + sdk: { + input: PutSipMediaApplicationAlexaSkillConfigurationCommandInput; + output: PutSipMediaApplicationAlexaSkillConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts index 4e63d5610f1e..f8006aaf5008 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts @@ -112,4 +112,16 @@ export class PutSipMediaApplicationLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutSipMediaApplicationLoggingConfigurationCommand) .de(de_PutSipMediaApplicationLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSipMediaApplicationLoggingConfigurationRequest; + output: PutSipMediaApplicationLoggingConfigurationResponse; + }; + sdk: { + input: PutSipMediaApplicationLoggingConfigurationCommandInput; + output: PutSipMediaApplicationLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts index ac6d59b62220..18394bd36b41 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts @@ -129,4 +129,16 @@ export class PutVoiceConnectorEmergencyCallingConfigurationCommand extends $Comm ) .ser(se_PutVoiceConnectorEmergencyCallingConfigurationCommand) .de(de_PutVoiceConnectorEmergencyCallingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorEmergencyCallingConfigurationRequest; + output: PutVoiceConnectorEmergencyCallingConfigurationResponse; + }; + sdk: { + input: PutVoiceConnectorEmergencyCallingConfigurationCommandInput; + output: PutVoiceConnectorEmergencyCallingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts index d65a93c2dd7b..74b04566bb0a 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts @@ -114,4 +114,16 @@ export class PutVoiceConnectorLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutVoiceConnectorLoggingConfigurationCommand) .de(de_PutVoiceConnectorLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorLoggingConfigurationRequest; + output: PutVoiceConnectorLoggingConfigurationResponse; + }; + sdk: { + input: PutVoiceConnectorLoggingConfigurationCommandInput; + output: PutVoiceConnectorLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorOriginationCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorOriginationCommand.ts index 7965a5918f9c..45443b0c3db3 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorOriginationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorOriginationCommand.ts @@ -126,4 +126,16 @@ export class PutVoiceConnectorOriginationCommand extends $Command .f(void 0, void 0) .ser(se_PutVoiceConnectorOriginationCommand) .de(de_PutVoiceConnectorOriginationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorOriginationRequest; + output: PutVoiceConnectorOriginationResponse; + }; + sdk: { + input: PutVoiceConnectorOriginationCommandInput; + output: PutVoiceConnectorOriginationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorProxyCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorProxyCommand.ts index 5a36c6130cd9..0af8570afd25 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorProxyCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorProxyCommand.ts @@ -119,4 +119,16 @@ export class PutVoiceConnectorProxyCommand extends $Command .f(PutVoiceConnectorProxyRequestFilterSensitiveLog, PutVoiceConnectorProxyResponseFilterSensitiveLog) .ser(se_PutVoiceConnectorProxyCommand) .de(de_PutVoiceConnectorProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorProxyRequest; + output: PutVoiceConnectorProxyResponse; + }; + sdk: { + input: PutVoiceConnectorProxyCommandInput; + output: PutVoiceConnectorProxyCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts index c9d6477b55a1..7f463a80963b 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts @@ -137,4 +137,16 @@ export class PutVoiceConnectorStreamingConfigurationCommand extends $Command ) .ser(se_PutVoiceConnectorStreamingConfigurationCommand) .de(de_PutVoiceConnectorStreamingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorStreamingConfigurationRequest; + output: PutVoiceConnectorStreamingConfigurationResponse; + }; + sdk: { + input: PutVoiceConnectorStreamingConfigurationCommandInput; + output: PutVoiceConnectorStreamingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCommand.ts index 975e133daea2..f62f1635337b 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCommand.ts @@ -132,4 +132,16 @@ export class PutVoiceConnectorTerminationCommand extends $Command .f(PutVoiceConnectorTerminationRequestFilterSensitiveLog, PutVoiceConnectorTerminationResponseFilterSensitiveLog) .ser(se_PutVoiceConnectorTerminationCommand) .de(de_PutVoiceConnectorTerminationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorTerminationRequest; + output: PutVoiceConnectorTerminationResponse; + }; + sdk: { + input: PutVoiceConnectorTerminationCommandInput; + output: PutVoiceConnectorTerminationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts index 04159c788345..bd672023d785 100644 --- a/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts @@ -109,4 +109,16 @@ export class PutVoiceConnectorTerminationCredentialsCommand extends $Command .f(PutVoiceConnectorTerminationCredentialsRequestFilterSensitiveLog, void 0) .ser(se_PutVoiceConnectorTerminationCredentialsCommand) .de(de_PutVoiceConnectorTerminationCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorTerminationCredentialsRequest; + output: {}; + }; + sdk: { + input: PutVoiceConnectorTerminationCredentialsCommandInput; + output: PutVoiceConnectorTerminationCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/RestorePhoneNumberCommand.ts b/clients/client-chime-sdk-voice/src/commands/RestorePhoneNumberCommand.ts index 0b681f202046..216bb414de9e 100644 --- a/clients/client-chime-sdk-voice/src/commands/RestorePhoneNumberCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/RestorePhoneNumberCommand.ts @@ -135,4 +135,16 @@ export class RestorePhoneNumberCommand extends $Command .f(RestorePhoneNumberRequestFilterSensitiveLog, RestorePhoneNumberResponseFilterSensitiveLog) .ser(se_RestorePhoneNumberCommand) .de(de_RestorePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestorePhoneNumberRequest; + output: RestorePhoneNumberResponse; + }; + sdk: { + input: RestorePhoneNumberCommandInput; + output: RestorePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/SearchAvailablePhoneNumbersCommand.ts b/clients/client-chime-sdk-voice/src/commands/SearchAvailablePhoneNumbersCommand.ts index efd113dd0550..badf1f326c4b 100644 --- a/clients/client-chime-sdk-voice/src/commands/SearchAvailablePhoneNumbersCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/SearchAvailablePhoneNumbersCommand.ts @@ -117,4 +117,16 @@ export class SearchAvailablePhoneNumbersCommand extends $Command .f(void 0, SearchAvailablePhoneNumbersResponseFilterSensitiveLog) .ser(se_SearchAvailablePhoneNumbersCommand) .de(de_SearchAvailablePhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchAvailablePhoneNumbersRequest; + output: SearchAvailablePhoneNumbersResponse; + }; + sdk: { + input: SearchAvailablePhoneNumbersCommandInput; + output: SearchAvailablePhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/StartSpeakerSearchTaskCommand.ts b/clients/client-chime-sdk-voice/src/commands/StartSpeakerSearchTaskCommand.ts index 2407e64b0145..da3c122afff7 100644 --- a/clients/client-chime-sdk-voice/src/commands/StartSpeakerSearchTaskCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/StartSpeakerSearchTaskCommand.ts @@ -142,4 +142,16 @@ export class StartSpeakerSearchTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartSpeakerSearchTaskCommand) .de(de_StartSpeakerSearchTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSpeakerSearchTaskRequest; + output: StartSpeakerSearchTaskResponse; + }; + sdk: { + input: StartSpeakerSearchTaskCommandInput; + output: StartSpeakerSearchTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/StartVoiceToneAnalysisTaskCommand.ts b/clients/client-chime-sdk-voice/src/commands/StartVoiceToneAnalysisTaskCommand.ts index ea9791cb3446..adf5dbcd1add 100644 --- a/clients/client-chime-sdk-voice/src/commands/StartVoiceToneAnalysisTaskCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/StartVoiceToneAnalysisTaskCommand.ts @@ -134,4 +134,16 @@ export class StartVoiceToneAnalysisTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartVoiceToneAnalysisTaskCommand) .de(de_StartVoiceToneAnalysisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartVoiceToneAnalysisTaskRequest; + output: StartVoiceToneAnalysisTaskResponse; + }; + sdk: { + input: StartVoiceToneAnalysisTaskCommandInput; + output: StartVoiceToneAnalysisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/StopSpeakerSearchTaskCommand.ts b/clients/client-chime-sdk-voice/src/commands/StopSpeakerSearchTaskCommand.ts index 7275342eb390..e6f0be1fb43f 100644 --- a/clients/client-chime-sdk-voice/src/commands/StopSpeakerSearchTaskCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/StopSpeakerSearchTaskCommand.ts @@ -106,4 +106,16 @@ export class StopSpeakerSearchTaskCommand extends $Command .f(void 0, void 0) .ser(se_StopSpeakerSearchTaskCommand) .de(de_StopSpeakerSearchTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSpeakerSearchTaskRequest; + output: {}; + }; + sdk: { + input: StopSpeakerSearchTaskCommandInput; + output: StopSpeakerSearchTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/StopVoiceToneAnalysisTaskCommand.ts b/clients/client-chime-sdk-voice/src/commands/StopVoiceToneAnalysisTaskCommand.ts index fce7a489bb1b..8ba3d9821d8d 100644 --- a/clients/client-chime-sdk-voice/src/commands/StopVoiceToneAnalysisTaskCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/StopVoiceToneAnalysisTaskCommand.ts @@ -106,4 +106,16 @@ export class StopVoiceToneAnalysisTaskCommand extends $Command .f(void 0, void 0) .ser(se_StopVoiceToneAnalysisTaskCommand) .de(de_StopVoiceToneAnalysisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopVoiceToneAnalysisTaskRequest; + output: {}; + }; + sdk: { + input: StopVoiceToneAnalysisTaskCommandInput; + output: StopVoiceToneAnalysisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/TagResourceCommand.ts b/clients/client-chime-sdk-voice/src/commands/TagResourceCommand.ts index 375942692e9d..5b51cc702151 100644 --- a/clients/client-chime-sdk-voice/src/commands/TagResourceCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UntagResourceCommand.ts b/clients/client-chime-sdk-voice/src/commands/UntagResourceCommand.ts index 2d24727e725b..5a38cf505106 100644 --- a/clients/client-chime-sdk-voice/src/commands/UntagResourceCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateGlobalSettingsCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateGlobalSettingsCommand.ts index 8012c020baca..461550e219cb 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateGlobalSettingsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateGlobalSettingsCommand.ts @@ -95,4 +95,16 @@ export class UpdateGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGlobalSettingsCommand) .de(de_UpdateGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlobalSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateGlobalSettingsCommandInput; + output: UpdateGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberCommand.ts index 0862c74e77f4..57d8476f0833 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberCommand.ts @@ -145,4 +145,16 @@ export class UpdatePhoneNumberCommand extends $Command .f(UpdatePhoneNumberRequestFilterSensitiveLog, UpdatePhoneNumberResponseFilterSensitiveLog) .ser(se_UpdatePhoneNumberCommand) .de(de_UpdatePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePhoneNumberRequest; + output: UpdatePhoneNumberResponse; + }; + sdk: { + input: UpdatePhoneNumberCommandInput; + output: UpdatePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberSettingsCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberSettingsCommand.ts index 52aaf4138910..b252d0f79964 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberSettingsCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdatePhoneNumberSettingsCommand.ts @@ -99,4 +99,16 @@ export class UpdatePhoneNumberSettingsCommand extends $Command .f(UpdatePhoneNumberSettingsRequestFilterSensitiveLog, void 0) .ser(se_UpdatePhoneNumberSettingsCommand) .de(de_UpdatePhoneNumberSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePhoneNumberSettingsRequest; + output: {}; + }; + sdk: { + input: UpdatePhoneNumberSettingsCommandInput; + output: UpdatePhoneNumberSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateProxySessionCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateProxySessionCommand.ts index ed1dd5dba1e5..8e7b66df1dde 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateProxySessionCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateProxySessionCommand.ts @@ -131,4 +131,16 @@ export class UpdateProxySessionCommand extends $Command .f(void 0, UpdateProxySessionResponseFilterSensitiveLog) .ser(se_UpdateProxySessionCommand) .de(de_UpdateProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProxySessionRequest; + output: UpdateProxySessionResponse; + }; + sdk: { + input: UpdateProxySessionCommandInput; + output: UpdateProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCallCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCallCommand.ts index e4c52fb5b772..5866b18ab989 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCallCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCallCommand.ts @@ -118,4 +118,16 @@ export class UpdateSipMediaApplicationCallCommand extends $Command .f(UpdateSipMediaApplicationCallRequestFilterSensitiveLog, void 0) .ser(se_UpdateSipMediaApplicationCallCommand) .de(de_UpdateSipMediaApplicationCallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSipMediaApplicationCallRequest; + output: UpdateSipMediaApplicationCallResponse; + }; + sdk: { + input: UpdateSipMediaApplicationCallCommandInput; + output: UpdateSipMediaApplicationCallCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCommand.ts index aba14b5de5df..0ecf40c33072 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateSipMediaApplicationCommand.ts @@ -124,4 +124,16 @@ export class UpdateSipMediaApplicationCommand extends $Command .f(UpdateSipMediaApplicationRequestFilterSensitiveLog, UpdateSipMediaApplicationResponseFilterSensitiveLog) .ser(se_UpdateSipMediaApplicationCommand) .de(de_UpdateSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSipMediaApplicationRequest; + output: UpdateSipMediaApplicationResponse; + }; + sdk: { + input: UpdateSipMediaApplicationCommandInput; + output: UpdateSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateSipRuleCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateSipRuleCommand.ts index 2f8b89054dd2..034aee23ae4e 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateSipRuleCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateSipRuleCommand.ts @@ -128,4 +128,16 @@ export class UpdateSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSipRuleCommand) .de(de_UpdateSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSipRuleRequest; + output: UpdateSipRuleResponse; + }; + sdk: { + input: UpdateSipRuleCommandInput; + output: UpdateSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorCommand.ts index 4e898cd53c05..21e2d2fe7d3e 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorCommand.ts @@ -109,4 +109,16 @@ export class UpdateVoiceConnectorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVoiceConnectorCommand) .de(de_UpdateVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceConnectorRequest; + output: UpdateVoiceConnectorResponse; + }; + sdk: { + input: UpdateVoiceConnectorCommandInput; + output: UpdateVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorGroupCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorGroupCommand.ts index 71ba5fc99178..cdeadbf4fce4 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorGroupCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceConnectorGroupCommand.ts @@ -120,4 +120,16 @@ export class UpdateVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVoiceConnectorGroupCommand) .de(de_UpdateVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceConnectorGroupRequest; + output: UpdateVoiceConnectorGroupResponse; + }; + sdk: { + input: UpdateVoiceConnectorGroupCommandInput; + output: UpdateVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileCommand.ts index 3ca423fd6a5e..e334da54e0e3 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileCommand.ts @@ -128,4 +128,16 @@ export class UpdateVoiceProfileCommand extends $Command .f(void 0, UpdateVoiceProfileResponseFilterSensitiveLog) .ser(se_UpdateVoiceProfileCommand) .de(de_UpdateVoiceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceProfileRequest; + output: UpdateVoiceProfileResponse; + }; + sdk: { + input: UpdateVoiceProfileCommandInput; + output: UpdateVoiceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileDomainCommand.ts b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileDomainCommand.ts index b698a016478d..1c490af7b17f 100644 --- a/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileDomainCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/UpdateVoiceProfileDomainCommand.ts @@ -117,4 +117,16 @@ export class UpdateVoiceProfileDomainCommand extends $Command .f(void 0, UpdateVoiceProfileDomainResponseFilterSensitiveLog) .ser(se_UpdateVoiceProfileDomainCommand) .de(de_UpdateVoiceProfileDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceProfileDomainRequest; + output: UpdateVoiceProfileDomainResponse; + }; + sdk: { + input: UpdateVoiceProfileDomainCommandInput; + output: UpdateVoiceProfileDomainCommandOutput; + }; + }; +} diff --git a/clients/client-chime-sdk-voice/src/commands/ValidateE911AddressCommand.ts b/clients/client-chime-sdk-voice/src/commands/ValidateE911AddressCommand.ts index 5c2d05cd2856..d8420cb97b7f 100644 --- a/clients/client-chime-sdk-voice/src/commands/ValidateE911AddressCommand.ts +++ b/clients/client-chime-sdk-voice/src/commands/ValidateE911AddressCommand.ts @@ -136,4 +136,16 @@ export class ValidateE911AddressCommand extends $Command .f(ValidateE911AddressRequestFilterSensitiveLog, ValidateE911AddressResponseFilterSensitiveLog) .ser(se_ValidateE911AddressCommand) .de(de_ValidateE911AddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateE911AddressRequest; + output: ValidateE911AddressResponse; + }; + sdk: { + input: ValidateE911AddressCommandInput; + output: ValidateE911AddressCommandOutput; + }; + }; +} diff --git a/clients/client-chime/package.json b/clients/client-chime/package.json index 0030d6f08281..f250f7888dad 100644 --- a/clients/client-chime/package.json +++ b/clients/client-chime/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-chime/src/commands/AssociatePhoneNumberWithUserCommand.ts b/clients/client-chime/src/commands/AssociatePhoneNumberWithUserCommand.ts index ec32ca4e860e..6d65f748dd27 100644 --- a/clients/client-chime/src/commands/AssociatePhoneNumberWithUserCommand.ts +++ b/clients/client-chime/src/commands/AssociatePhoneNumberWithUserCommand.ts @@ -110,4 +110,16 @@ export class AssociatePhoneNumberWithUserCommand extends $Command .f(AssociatePhoneNumberWithUserRequestFilterSensitiveLog, void 0) .ser(se_AssociatePhoneNumberWithUserCommand) .de(de_AssociatePhoneNumberWithUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePhoneNumberWithUserRequest; + output: {}; + }; + sdk: { + input: AssociatePhoneNumberWithUserCommandInput; + output: AssociatePhoneNumberWithUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts b/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts index 3ca755d028c4..8c6c3c893592 100644 --- a/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts +++ b/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorCommand.ts @@ -130,4 +130,16 @@ export class AssociatePhoneNumbersWithVoiceConnectorCommand extends $Command .f(AssociatePhoneNumbersWithVoiceConnectorRequestFilterSensitiveLog, void 0) .ser(se_AssociatePhoneNumbersWithVoiceConnectorCommand) .de(de_AssociatePhoneNumbersWithVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePhoneNumbersWithVoiceConnectorRequest; + output: AssociatePhoneNumbersWithVoiceConnectorResponse; + }; + sdk: { + input: AssociatePhoneNumbersWithVoiceConnectorCommandInput; + output: AssociatePhoneNumbersWithVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts b/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts index 21917bc1a50f..d2042d5942f3 100644 --- a/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts +++ b/clients/client-chime/src/commands/AssociatePhoneNumbersWithVoiceConnectorGroupCommand.ts @@ -130,4 +130,16 @@ export class AssociatePhoneNumbersWithVoiceConnectorGroupCommand extends $Comman .f(AssociatePhoneNumbersWithVoiceConnectorGroupRequestFilterSensitiveLog, void 0) .ser(se_AssociatePhoneNumbersWithVoiceConnectorGroupCommand) .de(de_AssociatePhoneNumbersWithVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePhoneNumbersWithVoiceConnectorGroupRequest; + output: AssociatePhoneNumbersWithVoiceConnectorGroupResponse; + }; + sdk: { + input: AssociatePhoneNumbersWithVoiceConnectorGroupCommandInput; + output: AssociatePhoneNumbersWithVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/AssociateSigninDelegateGroupsWithAccountCommand.ts b/clients/client-chime/src/commands/AssociateSigninDelegateGroupsWithAccountCommand.ts index 54e5ac4b065d..b5728252e407 100644 --- a/clients/client-chime/src/commands/AssociateSigninDelegateGroupsWithAccountCommand.ts +++ b/clients/client-chime/src/commands/AssociateSigninDelegateGroupsWithAccountCommand.ts @@ -110,4 +110,16 @@ export class AssociateSigninDelegateGroupsWithAccountCommand extends $Command .f(void 0, void 0) .ser(se_AssociateSigninDelegateGroupsWithAccountCommand) .de(de_AssociateSigninDelegateGroupsWithAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSigninDelegateGroupsWithAccountRequest; + output: {}; + }; + sdk: { + input: AssociateSigninDelegateGroupsWithAccountCommandInput; + output: AssociateSigninDelegateGroupsWithAccountCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchCreateAttendeeCommand.ts b/clients/client-chime/src/commands/BatchCreateAttendeeCommand.ts index 01cd2c13cd0a..ff3685dc3cfb 100644 --- a/clients/client-chime/src/commands/BatchCreateAttendeeCommand.ts +++ b/clients/client-chime/src/commands/BatchCreateAttendeeCommand.ts @@ -144,4 +144,16 @@ export class BatchCreateAttendeeCommand extends $Command .f(BatchCreateAttendeeRequestFilterSensitiveLog, BatchCreateAttendeeResponseFilterSensitiveLog) .ser(se_BatchCreateAttendeeCommand) .de(de_BatchCreateAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateAttendeeRequest; + output: BatchCreateAttendeeResponse; + }; + sdk: { + input: BatchCreateAttendeeCommandInput; + output: BatchCreateAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchCreateChannelMembershipCommand.ts b/clients/client-chime/src/commands/BatchCreateChannelMembershipCommand.ts index c570f2aeb3e6..00a6909feac2 100644 --- a/clients/client-chime/src/commands/BatchCreateChannelMembershipCommand.ts +++ b/clients/client-chime/src/commands/BatchCreateChannelMembershipCommand.ts @@ -138,4 +138,16 @@ export class BatchCreateChannelMembershipCommand extends $Command .f(void 0, BatchCreateChannelMembershipResponseFilterSensitiveLog) .ser(se_BatchCreateChannelMembershipCommand) .de(de_BatchCreateChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateChannelMembershipRequest; + output: BatchCreateChannelMembershipResponse; + }; + sdk: { + input: BatchCreateChannelMembershipCommandInput; + output: BatchCreateChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchCreateRoomMembershipCommand.ts b/clients/client-chime/src/commands/BatchCreateRoomMembershipCommand.ts index 818eff8669b8..b0e140e553d9 100644 --- a/clients/client-chime/src/commands/BatchCreateRoomMembershipCommand.ts +++ b/clients/client-chime/src/commands/BatchCreateRoomMembershipCommand.ts @@ -112,4 +112,16 @@ export class BatchCreateRoomMembershipCommand extends $Command .f(void 0, void 0) .ser(se_BatchCreateRoomMembershipCommand) .de(de_BatchCreateRoomMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateRoomMembershipRequest; + output: BatchCreateRoomMembershipResponse; + }; + sdk: { + input: BatchCreateRoomMembershipCommandInput; + output: BatchCreateRoomMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchDeletePhoneNumberCommand.ts b/clients/client-chime/src/commands/BatchDeletePhoneNumberCommand.ts index 4fc7beffd73f..3feeaa5014ff 100644 --- a/clients/client-chime/src/commands/BatchDeletePhoneNumberCommand.ts +++ b/clients/client-chime/src/commands/BatchDeletePhoneNumberCommand.ts @@ -113,4 +113,16 @@ export class BatchDeletePhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeletePhoneNumberCommand) .de(de_BatchDeletePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeletePhoneNumberRequest; + output: BatchDeletePhoneNumberResponse; + }; + sdk: { + input: BatchDeletePhoneNumberCommandInput; + output: BatchDeletePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchSuspendUserCommand.ts b/clients/client-chime/src/commands/BatchSuspendUserCommand.ts index 6a6bf5d9ffba..1fb166ed318a 100644 --- a/clients/client-chime/src/commands/BatchSuspendUserCommand.ts +++ b/clients/client-chime/src/commands/BatchSuspendUserCommand.ts @@ -119,4 +119,16 @@ export class BatchSuspendUserCommand extends $Command .f(void 0, void 0) .ser(se_BatchSuspendUserCommand) .de(de_BatchSuspendUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchSuspendUserRequest; + output: BatchSuspendUserResponse; + }; + sdk: { + input: BatchSuspendUserCommandInput; + output: BatchSuspendUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchUnsuspendUserCommand.ts b/clients/client-chime/src/commands/BatchUnsuspendUserCommand.ts index 17a3243eac6b..bcf631a0a9f4 100644 --- a/clients/client-chime/src/commands/BatchUnsuspendUserCommand.ts +++ b/clients/client-chime/src/commands/BatchUnsuspendUserCommand.ts @@ -116,4 +116,16 @@ export class BatchUnsuspendUserCommand extends $Command .f(void 0, void 0) .ser(se_BatchUnsuspendUserCommand) .de(de_BatchUnsuspendUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUnsuspendUserRequest; + output: BatchUnsuspendUserResponse; + }; + sdk: { + input: BatchUnsuspendUserCommandInput; + output: BatchUnsuspendUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchUpdatePhoneNumberCommand.ts b/clients/client-chime/src/commands/BatchUpdatePhoneNumberCommand.ts index 352fe1a7168a..b91fa695beed 100644 --- a/clients/client-chime/src/commands/BatchUpdatePhoneNumberCommand.ts +++ b/clients/client-chime/src/commands/BatchUpdatePhoneNumberCommand.ts @@ -116,4 +116,16 @@ export class BatchUpdatePhoneNumberCommand extends $Command .f(BatchUpdatePhoneNumberRequestFilterSensitiveLog, void 0) .ser(se_BatchUpdatePhoneNumberCommand) .de(de_BatchUpdatePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdatePhoneNumberRequest; + output: BatchUpdatePhoneNumberResponse; + }; + sdk: { + input: BatchUpdatePhoneNumberCommandInput; + output: BatchUpdatePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/BatchUpdateUserCommand.ts b/clients/client-chime/src/commands/BatchUpdateUserCommand.ts index 109369be1d0a..a0d348e66cba 100644 --- a/clients/client-chime/src/commands/BatchUpdateUserCommand.ts +++ b/clients/client-chime/src/commands/BatchUpdateUserCommand.ts @@ -119,4 +119,16 @@ export class BatchUpdateUserCommand extends $Command .f(BatchUpdateUserRequestFilterSensitiveLog, void 0) .ser(se_BatchUpdateUserCommand) .de(de_BatchUpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateUserRequest; + output: BatchUpdateUserResponse; + }; + sdk: { + input: BatchUpdateUserCommandInput; + output: BatchUpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateAccountCommand.ts b/clients/client-chime/src/commands/CreateAccountCommand.ts index 97718920bdca..c250323f176b 100644 --- a/clients/client-chime/src/commands/CreateAccountCommand.ts +++ b/clients/client-chime/src/commands/CreateAccountCommand.ts @@ -117,4 +117,16 @@ export class CreateAccountCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccountCommand) .de(de_CreateAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccountRequest; + output: CreateAccountResponse; + }; + sdk: { + input: CreateAccountCommandInput; + output: CreateAccountCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateAppInstanceAdminCommand.ts b/clients/client-chime/src/commands/CreateAppInstanceAdminCommand.ts index 8ccc81dab249..6d64bd978f50 100644 --- a/clients/client-chime/src/commands/CreateAppInstanceAdminCommand.ts +++ b/clients/client-chime/src/commands/CreateAppInstanceAdminCommand.ts @@ -131,4 +131,16 @@ export class CreateAppInstanceAdminCommand extends $Command .f(void 0, CreateAppInstanceAdminResponseFilterSensitiveLog) .ser(se_CreateAppInstanceAdminCommand) .de(de_CreateAppInstanceAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppInstanceAdminRequest; + output: CreateAppInstanceAdminResponse; + }; + sdk: { + input: CreateAppInstanceAdminCommandInput; + output: CreateAppInstanceAdminCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateAppInstanceCommand.ts b/clients/client-chime/src/commands/CreateAppInstanceCommand.ts index 73ba5a526b6f..63c51b972d5a 100644 --- a/clients/client-chime/src/commands/CreateAppInstanceCommand.ts +++ b/clients/client-chime/src/commands/CreateAppInstanceCommand.ts @@ -124,4 +124,16 @@ export class CreateAppInstanceCommand extends $Command .f(CreateAppInstanceRequestFilterSensitiveLog, void 0) .ser(se_CreateAppInstanceCommand) .de(de_CreateAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppInstanceRequest; + output: CreateAppInstanceResponse; + }; + sdk: { + input: CreateAppInstanceCommandInput; + output: CreateAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateAppInstanceUserCommand.ts b/clients/client-chime/src/commands/CreateAppInstanceUserCommand.ts index 02567d2cf2af..ea0f00985bac 100644 --- a/clients/client-chime/src/commands/CreateAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/CreateAppInstanceUserCommand.ts @@ -126,4 +126,16 @@ export class CreateAppInstanceUserCommand extends $Command .f(CreateAppInstanceUserRequestFilterSensitiveLog, void 0) .ser(se_CreateAppInstanceUserCommand) .de(de_CreateAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppInstanceUserRequest; + output: CreateAppInstanceUserResponse; + }; + sdk: { + input: CreateAppInstanceUserCommandInput; + output: CreateAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateAttendeeCommand.ts b/clients/client-chime/src/commands/CreateAttendeeCommand.ts index a6a271d29533..3c4aec1f71dd 100644 --- a/clients/client-chime/src/commands/CreateAttendeeCommand.ts +++ b/clients/client-chime/src/commands/CreateAttendeeCommand.ts @@ -131,4 +131,16 @@ export class CreateAttendeeCommand extends $Command .f(CreateAttendeeRequestFilterSensitiveLog, CreateAttendeeResponseFilterSensitiveLog) .ser(se_CreateAttendeeCommand) .de(de_CreateAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAttendeeRequest; + output: CreateAttendeeResponse; + }; + sdk: { + input: CreateAttendeeCommandInput; + output: CreateAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateBotCommand.ts b/clients/client-chime/src/commands/CreateBotCommand.ts index a467158e3926..e90ebdb157ab 100644 --- a/clients/client-chime/src/commands/CreateBotCommand.ts +++ b/clients/client-chime/src/commands/CreateBotCommand.ts @@ -118,4 +118,16 @@ export class CreateBotCommand extends $Command .f(CreateBotRequestFilterSensitiveLog, CreateBotResponseFilterSensitiveLog) .ser(se_CreateBotCommand) .de(de_CreateBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBotRequest; + output: CreateBotResponse; + }; + sdk: { + input: CreateBotCommandInput; + output: CreateBotCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateChannelBanCommand.ts b/clients/client-chime/src/commands/CreateChannelBanCommand.ts index 59990f16870f..1c5ac53768d1 100644 --- a/clients/client-chime/src/commands/CreateChannelBanCommand.ts +++ b/clients/client-chime/src/commands/CreateChannelBanCommand.ts @@ -131,4 +131,16 @@ export class CreateChannelBanCommand extends $Command .f(void 0, CreateChannelBanResponseFilterSensitiveLog) .ser(se_CreateChannelBanCommand) .de(de_CreateChannelBanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelBanRequest; + output: CreateChannelBanResponse; + }; + sdk: { + input: CreateChannelBanCommandInput; + output: CreateChannelBanCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateChannelCommand.ts b/clients/client-chime/src/commands/CreateChannelCommand.ts index f937558ddea7..4d21e4374e78 100644 --- a/clients/client-chime/src/commands/CreateChannelCommand.ts +++ b/clients/client-chime/src/commands/CreateChannelCommand.ts @@ -135,4 +135,16 @@ export class CreateChannelCommand extends $Command .f(CreateChannelRequestFilterSensitiveLog, void 0) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateChannelMembershipCommand.ts b/clients/client-chime/src/commands/CreateChannelMembershipCommand.ts index 19fc984ac4b3..e09758e8cd62 100644 --- a/clients/client-chime/src/commands/CreateChannelMembershipCommand.ts +++ b/clients/client-chime/src/commands/CreateChannelMembershipCommand.ts @@ -155,4 +155,16 @@ export class CreateChannelMembershipCommand extends $Command .f(void 0, CreateChannelMembershipResponseFilterSensitiveLog) .ser(se_CreateChannelMembershipCommand) .de(de_CreateChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelMembershipRequest; + output: CreateChannelMembershipResponse; + }; + sdk: { + input: CreateChannelMembershipCommandInput; + output: CreateChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateChannelModeratorCommand.ts b/clients/client-chime/src/commands/CreateChannelModeratorCommand.ts index 1a38c65a5513..11c0e7f7a17f 100644 --- a/clients/client-chime/src/commands/CreateChannelModeratorCommand.ts +++ b/clients/client-chime/src/commands/CreateChannelModeratorCommand.ts @@ -143,4 +143,16 @@ export class CreateChannelModeratorCommand extends $Command .f(void 0, CreateChannelModeratorResponseFilterSensitiveLog) .ser(se_CreateChannelModeratorCommand) .de(de_CreateChannelModeratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelModeratorRequest; + output: CreateChannelModeratorResponse; + }; + sdk: { + input: CreateChannelModeratorCommandInput; + output: CreateChannelModeratorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateMediaCapturePipelineCommand.ts b/clients/client-chime/src/commands/CreateMediaCapturePipelineCommand.ts index 12bbb56637a5..3663132264e2 100644 --- a/clients/client-chime/src/commands/CreateMediaCapturePipelineCommand.ts +++ b/clients/client-chime/src/commands/CreateMediaCapturePipelineCommand.ts @@ -175,4 +175,16 @@ export class CreateMediaCapturePipelineCommand extends $Command .f(CreateMediaCapturePipelineRequestFilterSensitiveLog, CreateMediaCapturePipelineResponseFilterSensitiveLog) .ser(se_CreateMediaCapturePipelineCommand) .de(de_CreateMediaCapturePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMediaCapturePipelineRequest; + output: CreateMediaCapturePipelineResponse; + }; + sdk: { + input: CreateMediaCapturePipelineCommandInput; + output: CreateMediaCapturePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateMeetingCommand.ts b/clients/client-chime/src/commands/CreateMeetingCommand.ts index 3e7e8aceb73e..fb537b6a2890 100644 --- a/clients/client-chime/src/commands/CreateMeetingCommand.ts +++ b/clients/client-chime/src/commands/CreateMeetingCommand.ts @@ -144,4 +144,16 @@ export class CreateMeetingCommand extends $Command .f(CreateMeetingRequestFilterSensitiveLog, CreateMeetingResponseFilterSensitiveLog) .ser(se_CreateMeetingCommand) .de(de_CreateMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMeetingRequest; + output: CreateMeetingResponse; + }; + sdk: { + input: CreateMeetingCommandInput; + output: CreateMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateMeetingDialOutCommand.ts b/clients/client-chime/src/commands/CreateMeetingDialOutCommand.ts index 2b7dd6b8bd0f..527c87a9eb4e 100644 --- a/clients/client-chime/src/commands/CreateMeetingDialOutCommand.ts +++ b/clients/client-chime/src/commands/CreateMeetingDialOutCommand.ts @@ -116,4 +116,16 @@ export class CreateMeetingDialOutCommand extends $Command .f(CreateMeetingDialOutRequestFilterSensitiveLog, void 0) .ser(se_CreateMeetingDialOutCommand) .de(de_CreateMeetingDialOutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMeetingDialOutRequest; + output: CreateMeetingDialOutResponse; + }; + sdk: { + input: CreateMeetingDialOutCommandInput; + output: CreateMeetingDialOutCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateMeetingWithAttendeesCommand.ts b/clients/client-chime/src/commands/CreateMeetingWithAttendeesCommand.ts index 7b2bafae4e50..58da36601719 100644 --- a/clients/client-chime/src/commands/CreateMeetingWithAttendeesCommand.ts +++ b/clients/client-chime/src/commands/CreateMeetingWithAttendeesCommand.ts @@ -174,4 +174,16 @@ export class CreateMeetingWithAttendeesCommand extends $Command .f(CreateMeetingWithAttendeesRequestFilterSensitiveLog, CreateMeetingWithAttendeesResponseFilterSensitiveLog) .ser(se_CreateMeetingWithAttendeesCommand) .de(de_CreateMeetingWithAttendeesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMeetingWithAttendeesRequest; + output: CreateMeetingWithAttendeesResponse; + }; + sdk: { + input: CreateMeetingWithAttendeesCommandInput; + output: CreateMeetingWithAttendeesCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreatePhoneNumberOrderCommand.ts b/clients/client-chime/src/commands/CreatePhoneNumberOrderCommand.ts index 6268a863b2e6..5e17713d6abc 100644 --- a/clients/client-chime/src/commands/CreatePhoneNumberOrderCommand.ts +++ b/clients/client-chime/src/commands/CreatePhoneNumberOrderCommand.ts @@ -122,4 +122,16 @@ export class CreatePhoneNumberOrderCommand extends $Command .f(CreatePhoneNumberOrderRequestFilterSensitiveLog, CreatePhoneNumberOrderResponseFilterSensitiveLog) .ser(se_CreatePhoneNumberOrderCommand) .de(de_CreatePhoneNumberOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePhoneNumberOrderRequest; + output: CreatePhoneNumberOrderResponse; + }; + sdk: { + input: CreatePhoneNumberOrderCommandInput; + output: CreatePhoneNumberOrderCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateProxySessionCommand.ts b/clients/client-chime/src/commands/CreateProxySessionCommand.ts index 90967b1c4a01..ab1206fe93c3 100644 --- a/clients/client-chime/src/commands/CreateProxySessionCommand.ts +++ b/clients/client-chime/src/commands/CreateProxySessionCommand.ts @@ -150,4 +150,16 @@ export class CreateProxySessionCommand extends $Command .f(CreateProxySessionRequestFilterSensitiveLog, CreateProxySessionResponseFilterSensitiveLog) .ser(se_CreateProxySessionCommand) .de(de_CreateProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProxySessionRequest; + output: CreateProxySessionResponse; + }; + sdk: { + input: CreateProxySessionCommandInput; + output: CreateProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateRoomCommand.ts b/clients/client-chime/src/commands/CreateRoomCommand.ts index 743b59f61742..768c8f8fd038 100644 --- a/clients/client-chime/src/commands/CreateRoomCommand.ts +++ b/clients/client-chime/src/commands/CreateRoomCommand.ts @@ -115,4 +115,16 @@ export class CreateRoomCommand extends $Command .f(CreateRoomRequestFilterSensitiveLog, CreateRoomResponseFilterSensitiveLog) .ser(se_CreateRoomCommand) .de(de_CreateRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoomRequest; + output: CreateRoomResponse; + }; + sdk: { + input: CreateRoomCommandInput; + output: CreateRoomCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateRoomMembershipCommand.ts b/clients/client-chime/src/commands/CreateRoomMembershipCommand.ts index 5f7c9b117b10..582e79c6b689 100644 --- a/clients/client-chime/src/commands/CreateRoomMembershipCommand.ts +++ b/clients/client-chime/src/commands/CreateRoomMembershipCommand.ts @@ -124,4 +124,16 @@ export class CreateRoomMembershipCommand extends $Command .f(void 0, CreateRoomMembershipResponseFilterSensitiveLog) .ser(se_CreateRoomMembershipCommand) .de(de_CreateRoomMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoomMembershipRequest; + output: CreateRoomMembershipResponse; + }; + sdk: { + input: CreateRoomMembershipCommandInput; + output: CreateRoomMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateSipMediaApplicationCallCommand.ts b/clients/client-chime/src/commands/CreateSipMediaApplicationCallCommand.ts index 5e05f3271e6c..d10c7573a709 100644 --- a/clients/client-chime/src/commands/CreateSipMediaApplicationCallCommand.ts +++ b/clients/client-chime/src/commands/CreateSipMediaApplicationCallCommand.ts @@ -127,4 +127,16 @@ export class CreateSipMediaApplicationCallCommand extends $Command .f(CreateSipMediaApplicationCallRequestFilterSensitiveLog, void 0) .ser(se_CreateSipMediaApplicationCallCommand) .de(de_CreateSipMediaApplicationCallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSipMediaApplicationCallRequest; + output: CreateSipMediaApplicationCallResponse; + }; + sdk: { + input: CreateSipMediaApplicationCallCommandInput; + output: CreateSipMediaApplicationCallCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateSipMediaApplicationCommand.ts b/clients/client-chime/src/commands/CreateSipMediaApplicationCommand.ts index 7cccdfafca0d..6af8ae4abd77 100644 --- a/clients/client-chime/src/commands/CreateSipMediaApplicationCommand.ts +++ b/clients/client-chime/src/commands/CreateSipMediaApplicationCommand.ts @@ -136,4 +136,16 @@ export class CreateSipMediaApplicationCommand extends $Command .f(CreateSipMediaApplicationRequestFilterSensitiveLog, CreateSipMediaApplicationResponseFilterSensitiveLog) .ser(se_CreateSipMediaApplicationCommand) .de(de_CreateSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSipMediaApplicationRequest; + output: CreateSipMediaApplicationResponse; + }; + sdk: { + input: CreateSipMediaApplicationCommandInput; + output: CreateSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateSipRuleCommand.ts b/clients/client-chime/src/commands/CreateSipRuleCommand.ts index 1dfe564730fe..852c9edb83ee 100644 --- a/clients/client-chime/src/commands/CreateSipRuleCommand.ts +++ b/clients/client-chime/src/commands/CreateSipRuleCommand.ts @@ -139,4 +139,16 @@ export class CreateSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateSipRuleCommand) .de(de_CreateSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSipRuleRequest; + output: CreateSipRuleResponse; + }; + sdk: { + input: CreateSipRuleCommandInput; + output: CreateSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateUserCommand.ts b/clients/client-chime/src/commands/CreateUserCommand.ts index 3333d1cc0aac..d7fae98bf435 100644 --- a/clients/client-chime/src/commands/CreateUserCommand.ts +++ b/clients/client-chime/src/commands/CreateUserCommand.ts @@ -127,4 +127,16 @@ export class CreateUserCommand extends $Command .f(CreateUserRequestFilterSensitiveLog, CreateUserResponseFilterSensitiveLog) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateVoiceConnectorCommand.ts b/clients/client-chime/src/commands/CreateVoiceConnectorCommand.ts index e46c18dc4998..cc3bfc679c95 100644 --- a/clients/client-chime/src/commands/CreateVoiceConnectorCommand.ts +++ b/clients/client-chime/src/commands/CreateVoiceConnectorCommand.ts @@ -124,4 +124,16 @@ export class CreateVoiceConnectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateVoiceConnectorCommand) .de(de_CreateVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVoiceConnectorRequest; + output: CreateVoiceConnectorResponse; + }; + sdk: { + input: CreateVoiceConnectorCommandInput; + output: CreateVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/CreateVoiceConnectorGroupCommand.ts b/clients/client-chime/src/commands/CreateVoiceConnectorGroupCommand.ts index 1369f9d9773c..c90a769df927 100644 --- a/clients/client-chime/src/commands/CreateVoiceConnectorGroupCommand.ts +++ b/clients/client-chime/src/commands/CreateVoiceConnectorGroupCommand.ts @@ -132,4 +132,16 @@ export class CreateVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateVoiceConnectorGroupCommand) .de(de_CreateVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVoiceConnectorGroupRequest; + output: CreateVoiceConnectorGroupResponse; + }; + sdk: { + input: CreateVoiceConnectorGroupCommandInput; + output: CreateVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteAccountCommand.ts b/clients/client-chime/src/commands/DeleteAccountCommand.ts index f6c132ba5232..55113346c963 100644 --- a/clients/client-chime/src/commands/DeleteAccountCommand.ts +++ b/clients/client-chime/src/commands/DeleteAccountCommand.ts @@ -109,4 +109,16 @@ export class DeleteAccountCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountCommand) .de(de_DeleteAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountRequest; + output: {}; + }; + sdk: { + input: DeleteAccountCommandInput; + output: DeleteAccountCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteAppInstanceAdminCommand.ts b/clients/client-chime/src/commands/DeleteAppInstanceAdminCommand.ts index 2979cad8eab2..43dfe051da58 100644 --- a/clients/client-chime/src/commands/DeleteAppInstanceAdminCommand.ts +++ b/clients/client-chime/src/commands/DeleteAppInstanceAdminCommand.ts @@ -108,4 +108,16 @@ export class DeleteAppInstanceAdminCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceAdminCommand) .de(de_DeleteAppInstanceAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceAdminRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceAdminCommandInput; + output: DeleteAppInstanceAdminCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteAppInstanceCommand.ts b/clients/client-chime/src/commands/DeleteAppInstanceCommand.ts index 87e48dc47976..0618f73b5e07 100644 --- a/clients/client-chime/src/commands/DeleteAppInstanceCommand.ts +++ b/clients/client-chime/src/commands/DeleteAppInstanceCommand.ts @@ -103,4 +103,16 @@ export class DeleteAppInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceCommand) .de(de_DeleteAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceCommandInput; + output: DeleteAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteAppInstanceStreamingConfigurationsCommand.ts b/clients/client-chime/src/commands/DeleteAppInstanceStreamingConfigurationsCommand.ts index 82b45d51c7f9..42724d03c85c 100644 --- a/clients/client-chime/src/commands/DeleteAppInstanceStreamingConfigurationsCommand.ts +++ b/clients/client-chime/src/commands/DeleteAppInstanceStreamingConfigurationsCommand.ts @@ -109,4 +109,16 @@ export class DeleteAppInstanceStreamingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceStreamingConfigurationsCommand) .de(de_DeleteAppInstanceStreamingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceStreamingConfigurationsRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceStreamingConfigurationsCommandInput; + output: DeleteAppInstanceStreamingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteAppInstanceUserCommand.ts b/clients/client-chime/src/commands/DeleteAppInstanceUserCommand.ts index 06cc670fc052..4c85d9e47b86 100644 --- a/clients/client-chime/src/commands/DeleteAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/DeleteAppInstanceUserCommand.ts @@ -102,4 +102,16 @@ export class DeleteAppInstanceUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInstanceUserCommand) .de(de_DeleteAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInstanceUserRequest; + output: {}; + }; + sdk: { + input: DeleteAppInstanceUserCommandInput; + output: DeleteAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteAttendeeCommand.ts b/clients/client-chime/src/commands/DeleteAttendeeCommand.ts index fc11432ef8c9..58da7fea4466 100644 --- a/clients/client-chime/src/commands/DeleteAttendeeCommand.ts +++ b/clients/client-chime/src/commands/DeleteAttendeeCommand.ts @@ -109,4 +109,16 @@ export class DeleteAttendeeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAttendeeCommand) .de(de_DeleteAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAttendeeRequest; + output: {}; + }; + sdk: { + input: DeleteAttendeeCommandInput; + output: DeleteAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteChannelBanCommand.ts b/clients/client-chime/src/commands/DeleteChannelBanCommand.ts index fd8d2b0ef026..f1299e0b9aed 100644 --- a/clients/client-chime/src/commands/DeleteChannelBanCommand.ts +++ b/clients/client-chime/src/commands/DeleteChannelBanCommand.ts @@ -109,4 +109,16 @@ export class DeleteChannelBanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelBanCommand) .de(de_DeleteChannelBanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelBanRequest; + output: {}; + }; + sdk: { + input: DeleteChannelBanCommandInput; + output: DeleteChannelBanCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteChannelCommand.ts b/clients/client-chime/src/commands/DeleteChannelCommand.ts index 4e5009598200..f935a5b8ed55 100644 --- a/clients/client-chime/src/commands/DeleteChannelCommand.ts +++ b/clients/client-chime/src/commands/DeleteChannelCommand.ts @@ -109,4 +109,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteChannelMembershipCommand.ts b/clients/client-chime/src/commands/DeleteChannelMembershipCommand.ts index 05f6a98515dd..96e30c8c1c16 100644 --- a/clients/client-chime/src/commands/DeleteChannelMembershipCommand.ts +++ b/clients/client-chime/src/commands/DeleteChannelMembershipCommand.ts @@ -113,4 +113,16 @@ export class DeleteChannelMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelMembershipCommand) .de(de_DeleteChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelMembershipRequest; + output: {}; + }; + sdk: { + input: DeleteChannelMembershipCommandInput; + output: DeleteChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteChannelMessageCommand.ts b/clients/client-chime/src/commands/DeleteChannelMessageCommand.ts index ab20e11a486a..8de37ca0969d 100644 --- a/clients/client-chime/src/commands/DeleteChannelMessageCommand.ts +++ b/clients/client-chime/src/commands/DeleteChannelMessageCommand.ts @@ -111,4 +111,16 @@ export class DeleteChannelMessageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelMessageCommand) .de(de_DeleteChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelMessageRequest; + output: {}; + }; + sdk: { + input: DeleteChannelMessageCommandInput; + output: DeleteChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteChannelModeratorCommand.ts b/clients/client-chime/src/commands/DeleteChannelModeratorCommand.ts index 40c3da7365c9..bf79066b9ad0 100644 --- a/clients/client-chime/src/commands/DeleteChannelModeratorCommand.ts +++ b/clients/client-chime/src/commands/DeleteChannelModeratorCommand.ts @@ -109,4 +109,16 @@ export class DeleteChannelModeratorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelModeratorCommand) .de(de_DeleteChannelModeratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelModeratorRequest; + output: {}; + }; + sdk: { + input: DeleteChannelModeratorCommandInput; + output: DeleteChannelModeratorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteEventsConfigurationCommand.ts b/clients/client-chime/src/commands/DeleteEventsConfigurationCommand.ts index 376734da524b..fbe6e94d8021 100644 --- a/clients/client-chime/src/commands/DeleteEventsConfigurationCommand.ts +++ b/clients/client-chime/src/commands/DeleteEventsConfigurationCommand.ts @@ -94,4 +94,16 @@ export class DeleteEventsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventsConfigurationCommand) .de(de_DeleteEventsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventsConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteEventsConfigurationCommandInput; + output: DeleteEventsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteMediaCapturePipelineCommand.ts b/clients/client-chime/src/commands/DeleteMediaCapturePipelineCommand.ts index d6243cdf12a3..4520ac7d5599 100644 --- a/clients/client-chime/src/commands/DeleteMediaCapturePipelineCommand.ts +++ b/clients/client-chime/src/commands/DeleteMediaCapturePipelineCommand.ts @@ -106,4 +106,16 @@ export class DeleteMediaCapturePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMediaCapturePipelineCommand) .de(de_DeleteMediaCapturePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMediaCapturePipelineRequest; + output: {}; + }; + sdk: { + input: DeleteMediaCapturePipelineCommandInput; + output: DeleteMediaCapturePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteMeetingCommand.ts b/clients/client-chime/src/commands/DeleteMeetingCommand.ts index 514b60ae0b8b..bf8f4899e329 100644 --- a/clients/client-chime/src/commands/DeleteMeetingCommand.ts +++ b/clients/client-chime/src/commands/DeleteMeetingCommand.ts @@ -108,4 +108,16 @@ export class DeleteMeetingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMeetingCommand) .de(de_DeleteMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMeetingRequest; + output: {}; + }; + sdk: { + input: DeleteMeetingCommandInput; + output: DeleteMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeletePhoneNumberCommand.ts b/clients/client-chime/src/commands/DeletePhoneNumberCommand.ts index 0e0af0a028cb..fdd104c3822e 100644 --- a/clients/client-chime/src/commands/DeletePhoneNumberCommand.ts +++ b/clients/client-chime/src/commands/DeletePhoneNumberCommand.ts @@ -101,4 +101,16 @@ export class DeletePhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_DeletePhoneNumberCommand) .de(de_DeletePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePhoneNumberRequest; + output: {}; + }; + sdk: { + input: DeletePhoneNumberCommandInput; + output: DeletePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteProxySessionCommand.ts b/clients/client-chime/src/commands/DeleteProxySessionCommand.ts index 0e7f13206120..98d681eb7a22 100644 --- a/clients/client-chime/src/commands/DeleteProxySessionCommand.ts +++ b/clients/client-chime/src/commands/DeleteProxySessionCommand.ts @@ -106,4 +106,16 @@ export class DeleteProxySessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProxySessionCommand) .de(de_DeleteProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProxySessionRequest; + output: {}; + }; + sdk: { + input: DeleteProxySessionCommandInput; + output: DeleteProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteRoomCommand.ts b/clients/client-chime/src/commands/DeleteRoomCommand.ts index 096941f383a9..231a5105a37b 100644 --- a/clients/client-chime/src/commands/DeleteRoomCommand.ts +++ b/clients/client-chime/src/commands/DeleteRoomCommand.ts @@ -97,4 +97,16 @@ export class DeleteRoomCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoomCommand) .de(de_DeleteRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoomRequest; + output: {}; + }; + sdk: { + input: DeleteRoomCommandInput; + output: DeleteRoomCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteRoomMembershipCommand.ts b/clients/client-chime/src/commands/DeleteRoomMembershipCommand.ts index 9a9bb47238f5..389856c7bd93 100644 --- a/clients/client-chime/src/commands/DeleteRoomMembershipCommand.ts +++ b/clients/client-chime/src/commands/DeleteRoomMembershipCommand.ts @@ -98,4 +98,16 @@ export class DeleteRoomMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoomMembershipCommand) .de(de_DeleteRoomMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoomMembershipRequest; + output: {}; + }; + sdk: { + input: DeleteRoomMembershipCommandInput; + output: DeleteRoomMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteSipMediaApplicationCommand.ts b/clients/client-chime/src/commands/DeleteSipMediaApplicationCommand.ts index 965a6e3667b7..5f1a5b7a717e 100644 --- a/clients/client-chime/src/commands/DeleteSipMediaApplicationCommand.ts +++ b/clients/client-chime/src/commands/DeleteSipMediaApplicationCommand.ts @@ -109,4 +109,16 @@ export class DeleteSipMediaApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSipMediaApplicationCommand) .de(de_DeleteSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSipMediaApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteSipMediaApplicationCommandInput; + output: DeleteSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteSipRuleCommand.ts b/clients/client-chime/src/commands/DeleteSipRuleCommand.ts index 03320ed1c673..0f648aad8f71 100644 --- a/clients/client-chime/src/commands/DeleteSipRuleCommand.ts +++ b/clients/client-chime/src/commands/DeleteSipRuleCommand.ts @@ -109,4 +109,16 @@ export class DeleteSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSipRuleCommand) .de(de_DeleteSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSipRuleRequest; + output: {}; + }; + sdk: { + input: DeleteSipRuleCommandInput; + output: DeleteSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorCommand.ts index c33da5524d59..d116743b37bd 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorCommand.ts @@ -111,4 +111,16 @@ export class DeleteVoiceConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorCommand) .de(de_DeleteVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorCommandInput; + output: DeleteVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts index 05cf52fb670d..30299bb9a01b 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorEmergencyCallingConfigurationCommand.ts @@ -109,4 +109,16 @@ export class DeleteVoiceConnectorEmergencyCallingConfigurationCommand extends $C .f(void 0, void 0) .ser(se_DeleteVoiceConnectorEmergencyCallingConfigurationCommand) .de(de_DeleteVoiceConnectorEmergencyCallingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorEmergencyCallingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorEmergencyCallingConfigurationCommandInput; + output: DeleteVoiceConnectorEmergencyCallingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorGroupCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorGroupCommand.ts index 94773badb591..2f9e3792b6dd 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorGroupCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorGroupCommand.ts @@ -111,4 +111,16 @@ export class DeleteVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorGroupCommand) .de(de_DeleteVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorGroupRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorGroupCommandInput; + output: DeleteVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorOriginationCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorOriginationCommand.ts index afa660565d56..83a8edaaff7c 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorOriginationCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorOriginationCommand.ts @@ -111,4 +111,16 @@ export class DeleteVoiceConnectorOriginationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorOriginationCommand) .de(de_DeleteVoiceConnectorOriginationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorOriginationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorOriginationCommandInput; + output: DeleteVoiceConnectorOriginationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorProxyCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorProxyCommand.ts index fb4ffae197c6..c4c60756dd97 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorProxyCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorProxyCommand.ts @@ -105,4 +105,16 @@ export class DeleteVoiceConnectorProxyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorProxyCommand) .de(de_DeleteVoiceConnectorProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorProxyRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorProxyCommandInput; + output: DeleteVoiceConnectorProxyCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts index ed8dc06bf06b..97152ad9a2f7 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorStreamingConfigurationCommand.ts @@ -109,4 +109,16 @@ export class DeleteVoiceConnectorStreamingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorStreamingConfigurationCommand) .de(de_DeleteVoiceConnectorStreamingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorStreamingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorStreamingConfigurationCommandInput; + output: DeleteVoiceConnectorStreamingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCommand.ts index 875a831931b4..ac787ef1810c 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCommand.ts @@ -111,4 +111,16 @@ export class DeleteVoiceConnectorTerminationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceConnectorTerminationCommand) .de(de_DeleteVoiceConnectorTerminationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorTerminationRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorTerminationCommandInput; + output: DeleteVoiceConnectorTerminationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts b/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts index b2214dd24c61..f3a1c7857c56 100644 --- a/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts +++ b/clients/client-chime/src/commands/DeleteVoiceConnectorTerminationCredentialsCommand.ts @@ -115,4 +115,16 @@ export class DeleteVoiceConnectorTerminationCredentialsCommand extends $Command .f(DeleteVoiceConnectorTerminationCredentialsRequestFilterSensitiveLog, void 0) .ser(se_DeleteVoiceConnectorTerminationCredentialsCommand) .de(de_DeleteVoiceConnectorTerminationCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceConnectorTerminationCredentialsRequest; + output: {}; + }; + sdk: { + input: DeleteVoiceConnectorTerminationCredentialsCommandInput; + output: DeleteVoiceConnectorTerminationCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeAppInstanceAdminCommand.ts b/clients/client-chime/src/commands/DescribeAppInstanceAdminCommand.ts index a66c58da76d3..1b512e1dceb8 100644 --- a/clients/client-chime/src/commands/DescribeAppInstanceAdminCommand.ts +++ b/clients/client-chime/src/commands/DescribeAppInstanceAdminCommand.ts @@ -116,4 +116,16 @@ export class DescribeAppInstanceAdminCommand extends $Command .f(void 0, DescribeAppInstanceAdminResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceAdminCommand) .de(de_DescribeAppInstanceAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceAdminRequest; + output: DescribeAppInstanceAdminResponse; + }; + sdk: { + input: DescribeAppInstanceAdminCommandInput; + output: DescribeAppInstanceAdminCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeAppInstanceCommand.ts b/clients/client-chime/src/commands/DescribeAppInstanceCommand.ts index 7b7bae518706..6882e28f2c63 100644 --- a/clients/client-chime/src/commands/DescribeAppInstanceCommand.ts +++ b/clients/client-chime/src/commands/DescribeAppInstanceCommand.ts @@ -114,4 +114,16 @@ export class DescribeAppInstanceCommand extends $Command .f(void 0, DescribeAppInstanceResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceCommand) .de(de_DescribeAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceRequest; + output: DescribeAppInstanceResponse; + }; + sdk: { + input: DescribeAppInstanceCommandInput; + output: DescribeAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeAppInstanceUserCommand.ts b/clients/client-chime/src/commands/DescribeAppInstanceUserCommand.ts index 6f1178327018..f60cada3e6fd 100644 --- a/clients/client-chime/src/commands/DescribeAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/DescribeAppInstanceUserCommand.ts @@ -114,4 +114,16 @@ export class DescribeAppInstanceUserCommand extends $Command .f(void 0, DescribeAppInstanceUserResponseFilterSensitiveLog) .ser(se_DescribeAppInstanceUserCommand) .de(de_DescribeAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInstanceUserRequest; + output: DescribeAppInstanceUserResponse; + }; + sdk: { + input: DescribeAppInstanceUserCommandInput; + output: DescribeAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeChannelBanCommand.ts b/clients/client-chime/src/commands/DescribeChannelBanCommand.ts index de3d8c4ab3ab..86be942c730d 100644 --- a/clients/client-chime/src/commands/DescribeChannelBanCommand.ts +++ b/clients/client-chime/src/commands/DescribeChannelBanCommand.ts @@ -129,4 +129,16 @@ export class DescribeChannelBanCommand extends $Command .f(void 0, DescribeChannelBanResponseFilterSensitiveLog) .ser(se_DescribeChannelBanCommand) .de(de_DescribeChannelBanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelBanRequest; + output: DescribeChannelBanResponse; + }; + sdk: { + input: DescribeChannelBanCommandInput; + output: DescribeChannelBanCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeChannelCommand.ts b/clients/client-chime/src/commands/DescribeChannelCommand.ts index b10997f808ed..e3ef793aa34b 100644 --- a/clients/client-chime/src/commands/DescribeChannelCommand.ts +++ b/clients/client-chime/src/commands/DescribeChannelCommand.ts @@ -128,4 +128,16 @@ export class DescribeChannelCommand extends $Command .f(void 0, DescribeChannelResponseFilterSensitiveLog) .ser(se_DescribeChannelCommand) .de(de_DescribeChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelRequest; + output: DescribeChannelResponse; + }; + sdk: { + input: DescribeChannelCommandInput; + output: DescribeChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeChannelMembershipCommand.ts b/clients/client-chime/src/commands/DescribeChannelMembershipCommand.ts index 023594cbcfde..1fbb0105ffcb 100644 --- a/clients/client-chime/src/commands/DescribeChannelMembershipCommand.ts +++ b/clients/client-chime/src/commands/DescribeChannelMembershipCommand.ts @@ -131,4 +131,16 @@ export class DescribeChannelMembershipCommand extends $Command .f(void 0, DescribeChannelMembershipResponseFilterSensitiveLog) .ser(se_DescribeChannelMembershipCommand) .de(de_DescribeChannelMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelMembershipRequest; + output: DescribeChannelMembershipResponse; + }; + sdk: { + input: DescribeChannelMembershipCommandInput; + output: DescribeChannelMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts b/clients/client-chime/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts index cc85c0154f42..a9a6a2f5e9e1 100644 --- a/clients/client-chime/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/DescribeChannelMembershipForAppInstanceUserCommand.ts @@ -135,4 +135,16 @@ export class DescribeChannelMembershipForAppInstanceUserCommand extends $Command .f(void 0, DescribeChannelMembershipForAppInstanceUserResponseFilterSensitiveLog) .ser(se_DescribeChannelMembershipForAppInstanceUserCommand) .de(de_DescribeChannelMembershipForAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelMembershipForAppInstanceUserRequest; + output: DescribeChannelMembershipForAppInstanceUserResponse; + }; + sdk: { + input: DescribeChannelMembershipForAppInstanceUserCommandInput; + output: DescribeChannelMembershipForAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts b/clients/client-chime/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts index 3a3143028ce6..5978f01a911b 100644 --- a/clients/client-chime/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/DescribeChannelModeratedByAppInstanceUserCommand.ts @@ -131,4 +131,16 @@ export class DescribeChannelModeratedByAppInstanceUserCommand extends $Command .f(void 0, DescribeChannelModeratedByAppInstanceUserResponseFilterSensitiveLog) .ser(se_DescribeChannelModeratedByAppInstanceUserCommand) .de(de_DescribeChannelModeratedByAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelModeratedByAppInstanceUserRequest; + output: DescribeChannelModeratedByAppInstanceUserResponse; + }; + sdk: { + input: DescribeChannelModeratedByAppInstanceUserCommandInput; + output: DescribeChannelModeratedByAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DescribeChannelModeratorCommand.ts b/clients/client-chime/src/commands/DescribeChannelModeratorCommand.ts index 8cf0b646f342..d0a53471c0c7 100644 --- a/clients/client-chime/src/commands/DescribeChannelModeratorCommand.ts +++ b/clients/client-chime/src/commands/DescribeChannelModeratorCommand.ts @@ -129,4 +129,16 @@ export class DescribeChannelModeratorCommand extends $Command .f(void 0, DescribeChannelModeratorResponseFilterSensitiveLog) .ser(se_DescribeChannelModeratorCommand) .de(de_DescribeChannelModeratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelModeratorRequest; + output: DescribeChannelModeratorResponse; + }; + sdk: { + input: DescribeChannelModeratorCommandInput; + output: DescribeChannelModeratorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DisassociatePhoneNumberFromUserCommand.ts b/clients/client-chime/src/commands/DisassociatePhoneNumberFromUserCommand.ts index 932645c90bee..597c7e660435 100644 --- a/clients/client-chime/src/commands/DisassociatePhoneNumberFromUserCommand.ts +++ b/clients/client-chime/src/commands/DisassociatePhoneNumberFromUserCommand.ts @@ -102,4 +102,16 @@ export class DisassociatePhoneNumberFromUserCommand extends $Command .f(void 0, void 0) .ser(se_DisassociatePhoneNumberFromUserCommand) .de(de_DisassociatePhoneNumberFromUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePhoneNumberFromUserRequest; + output: {}; + }; + sdk: { + input: DisassociatePhoneNumberFromUserCommandInput; + output: DisassociatePhoneNumberFromUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts b/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts index cc77d161e922..666e30270b21 100644 --- a/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts +++ b/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorCommand.ts @@ -126,4 +126,16 @@ export class DisassociatePhoneNumbersFromVoiceConnectorCommand extends $Command .f(DisassociatePhoneNumbersFromVoiceConnectorRequestFilterSensitiveLog, void 0) .ser(se_DisassociatePhoneNumbersFromVoiceConnectorCommand) .de(de_DisassociatePhoneNumbersFromVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePhoneNumbersFromVoiceConnectorRequest; + output: DisassociatePhoneNumbersFromVoiceConnectorResponse; + }; + sdk: { + input: DisassociatePhoneNumbersFromVoiceConnectorCommandInput; + output: DisassociatePhoneNumbersFromVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts b/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts index dfc50eee1a6e..06c699dcb3bf 100644 --- a/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts +++ b/clients/client-chime/src/commands/DisassociatePhoneNumbersFromVoiceConnectorGroupCommand.ts @@ -126,4 +126,16 @@ export class DisassociatePhoneNumbersFromVoiceConnectorGroupCommand extends $Com .f(DisassociatePhoneNumbersFromVoiceConnectorGroupRequestFilterSensitiveLog, void 0) .ser(se_DisassociatePhoneNumbersFromVoiceConnectorGroupCommand) .de(de_DisassociatePhoneNumbersFromVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePhoneNumbersFromVoiceConnectorGroupRequest; + output: DisassociatePhoneNumbersFromVoiceConnectorGroupResponse; + }; + sdk: { + input: DisassociatePhoneNumbersFromVoiceConnectorGroupCommandInput; + output: DisassociatePhoneNumbersFromVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/DisassociateSigninDelegateGroupsFromAccountCommand.ts b/clients/client-chime/src/commands/DisassociateSigninDelegateGroupsFromAccountCommand.ts index 97f5e707e7e3..1c7efda10420 100644 --- a/clients/client-chime/src/commands/DisassociateSigninDelegateGroupsFromAccountCommand.ts +++ b/clients/client-chime/src/commands/DisassociateSigninDelegateGroupsFromAccountCommand.ts @@ -108,4 +108,16 @@ export class DisassociateSigninDelegateGroupsFromAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateSigninDelegateGroupsFromAccountCommand) .de(de_DisassociateSigninDelegateGroupsFromAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateSigninDelegateGroupsFromAccountRequest; + output: {}; + }; + sdk: { + input: DisassociateSigninDelegateGroupsFromAccountCommandInput; + output: DisassociateSigninDelegateGroupsFromAccountCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetAccountCommand.ts b/clients/client-chime/src/commands/GetAccountCommand.ts index d85b0154199c..73ba7546241e 100644 --- a/clients/client-chime/src/commands/GetAccountCommand.ts +++ b/clients/client-chime/src/commands/GetAccountCommand.ts @@ -115,4 +115,16 @@ export class GetAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountCommand) .de(de_GetAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccountRequest; + output: GetAccountResponse; + }; + sdk: { + input: GetAccountCommandInput; + output: GetAccountCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetAccountSettingsCommand.ts b/clients/client-chime/src/commands/GetAccountSettingsCommand.ts index 4e790faa349c..8f9032bbc18e 100644 --- a/clients/client-chime/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-chime/src/commands/GetAccountSettingsCommand.ts @@ -104,4 +104,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccountSettingsRequest; + output: GetAccountSettingsResponse; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetAppInstanceRetentionSettingsCommand.ts b/clients/client-chime/src/commands/GetAppInstanceRetentionSettingsCommand.ts index 2059d0e8ddbf..f5878401e74c 100644 --- a/clients/client-chime/src/commands/GetAppInstanceRetentionSettingsCommand.ts +++ b/clients/client-chime/src/commands/GetAppInstanceRetentionSettingsCommand.ts @@ -117,4 +117,16 @@ export class GetAppInstanceRetentionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAppInstanceRetentionSettingsCommand) .de(de_GetAppInstanceRetentionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppInstanceRetentionSettingsRequest; + output: GetAppInstanceRetentionSettingsResponse; + }; + sdk: { + input: GetAppInstanceRetentionSettingsCommandInput; + output: GetAppInstanceRetentionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetAppInstanceStreamingConfigurationsCommand.ts b/clients/client-chime/src/commands/GetAppInstanceStreamingConfigurationsCommand.ts index e03d5993d179..49012bac3ef6 100644 --- a/clients/client-chime/src/commands/GetAppInstanceStreamingConfigurationsCommand.ts +++ b/clients/client-chime/src/commands/GetAppInstanceStreamingConfigurationsCommand.ts @@ -122,4 +122,16 @@ export class GetAppInstanceStreamingConfigurationsCommand extends $Command .f(void 0, GetAppInstanceStreamingConfigurationsResponseFilterSensitiveLog) .ser(se_GetAppInstanceStreamingConfigurationsCommand) .de(de_GetAppInstanceStreamingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppInstanceStreamingConfigurationsRequest; + output: GetAppInstanceStreamingConfigurationsResponse; + }; + sdk: { + input: GetAppInstanceStreamingConfigurationsCommandInput; + output: GetAppInstanceStreamingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetAttendeeCommand.ts b/clients/client-chime/src/commands/GetAttendeeCommand.ts index 0a255d26f269..4b1988832e24 100644 --- a/clients/client-chime/src/commands/GetAttendeeCommand.ts +++ b/clients/client-chime/src/commands/GetAttendeeCommand.ts @@ -116,4 +116,16 @@ export class GetAttendeeCommand extends $Command .f(void 0, GetAttendeeResponseFilterSensitiveLog) .ser(se_GetAttendeeCommand) .de(de_GetAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAttendeeRequest; + output: GetAttendeeResponse; + }; + sdk: { + input: GetAttendeeCommandInput; + output: GetAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetBotCommand.ts b/clients/client-chime/src/commands/GetBotCommand.ts index cce6a07cb356..0b713a07665e 100644 --- a/clients/client-chime/src/commands/GetBotCommand.ts +++ b/clients/client-chime/src/commands/GetBotCommand.ts @@ -109,4 +109,16 @@ export class GetBotCommand extends $Command .f(void 0, GetBotResponseFilterSensitiveLog) .ser(se_GetBotCommand) .de(de_GetBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotRequest; + output: GetBotResponse; + }; + sdk: { + input: GetBotCommandInput; + output: GetBotCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetChannelMessageCommand.ts b/clients/client-chime/src/commands/GetChannelMessageCommand.ts index 21499208056a..0dd36ba850e6 100644 --- a/clients/client-chime/src/commands/GetChannelMessageCommand.ts +++ b/clients/client-chime/src/commands/GetChannelMessageCommand.ts @@ -133,4 +133,16 @@ export class GetChannelMessageCommand extends $Command .f(void 0, GetChannelMessageResponseFilterSensitiveLog) .ser(se_GetChannelMessageCommand) .de(de_GetChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelMessageRequest; + output: GetChannelMessageResponse; + }; + sdk: { + input: GetChannelMessageCommandInput; + output: GetChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetEventsConfigurationCommand.ts b/clients/client-chime/src/commands/GetEventsConfigurationCommand.ts index d56b661b37db..ad2593b919ce 100644 --- a/clients/client-chime/src/commands/GetEventsConfigurationCommand.ts +++ b/clients/client-chime/src/commands/GetEventsConfigurationCommand.ts @@ -107,4 +107,16 @@ export class GetEventsConfigurationCommand extends $Command .f(void 0, GetEventsConfigurationResponseFilterSensitiveLog) .ser(se_GetEventsConfigurationCommand) .de(de_GetEventsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventsConfigurationRequest; + output: GetEventsConfigurationResponse; + }; + sdk: { + input: GetEventsConfigurationCommandInput; + output: GetEventsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetGlobalSettingsCommand.ts b/clients/client-chime/src/commands/GetGlobalSettingsCommand.ts index c8e122d50e07..5c6ff6a9ad7f 100644 --- a/clients/client-chime/src/commands/GetGlobalSettingsCommand.ts +++ b/clients/client-chime/src/commands/GetGlobalSettingsCommand.ts @@ -99,4 +99,16 @@ export class GetGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetGlobalSettingsCommand) .de(de_GetGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetGlobalSettingsResponse; + }; + sdk: { + input: GetGlobalSettingsCommandInput; + output: GetGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetMediaCapturePipelineCommand.ts b/clients/client-chime/src/commands/GetMediaCapturePipelineCommand.ts index 39aba4b60f25..505b8fc04398 100644 --- a/clients/client-chime/src/commands/GetMediaCapturePipelineCommand.ts +++ b/clients/client-chime/src/commands/GetMediaCapturePipelineCommand.ts @@ -146,4 +146,16 @@ export class GetMediaCapturePipelineCommand extends $Command .f(void 0, GetMediaCapturePipelineResponseFilterSensitiveLog) .ser(se_GetMediaCapturePipelineCommand) .de(de_GetMediaCapturePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaCapturePipelineRequest; + output: GetMediaCapturePipelineResponse; + }; + sdk: { + input: GetMediaCapturePipelineCommandInput; + output: GetMediaCapturePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetMeetingCommand.ts b/clients/client-chime/src/commands/GetMeetingCommand.ts index 4be596ebbd0c..a934f0009473 100644 --- a/clients/client-chime/src/commands/GetMeetingCommand.ts +++ b/clients/client-chime/src/commands/GetMeetingCommand.ts @@ -127,4 +127,16 @@ export class GetMeetingCommand extends $Command .f(void 0, GetMeetingResponseFilterSensitiveLog) .ser(se_GetMeetingCommand) .de(de_GetMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMeetingRequest; + output: GetMeetingResponse; + }; + sdk: { + input: GetMeetingCommandInput; + output: GetMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetMessagingSessionEndpointCommand.ts b/clients/client-chime/src/commands/GetMessagingSessionEndpointCommand.ts index fe4166aded89..a0c81c6ad699 100644 --- a/clients/client-chime/src/commands/GetMessagingSessionEndpointCommand.ts +++ b/clients/client-chime/src/commands/GetMessagingSessionEndpointCommand.ts @@ -106,4 +106,16 @@ export class GetMessagingSessionEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetMessagingSessionEndpointCommand) .de(de_GetMessagingSessionEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetMessagingSessionEndpointResponse; + }; + sdk: { + input: GetMessagingSessionEndpointCommandInput; + output: GetMessagingSessionEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetPhoneNumberCommand.ts b/clients/client-chime/src/commands/GetPhoneNumberCommand.ts index e02d683f3c22..d53c2b7585c5 100644 --- a/clients/client-chime/src/commands/GetPhoneNumberCommand.ts +++ b/clients/client-chime/src/commands/GetPhoneNumberCommand.ts @@ -129,4 +129,16 @@ export class GetPhoneNumberCommand extends $Command .f(void 0, GetPhoneNumberResponseFilterSensitiveLog) .ser(se_GetPhoneNumberCommand) .de(de_GetPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPhoneNumberRequest; + output: GetPhoneNumberResponse; + }; + sdk: { + input: GetPhoneNumberCommandInput; + output: GetPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetPhoneNumberOrderCommand.ts b/clients/client-chime/src/commands/GetPhoneNumberOrderCommand.ts index c6f0020faffb..e88cc72efda3 100644 --- a/clients/client-chime/src/commands/GetPhoneNumberOrderCommand.ts +++ b/clients/client-chime/src/commands/GetPhoneNumberOrderCommand.ts @@ -115,4 +115,16 @@ export class GetPhoneNumberOrderCommand extends $Command .f(void 0, GetPhoneNumberOrderResponseFilterSensitiveLog) .ser(se_GetPhoneNumberOrderCommand) .de(de_GetPhoneNumberOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPhoneNumberOrderRequest; + output: GetPhoneNumberOrderResponse; + }; + sdk: { + input: GetPhoneNumberOrderCommandInput; + output: GetPhoneNumberOrderCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetPhoneNumberSettingsCommand.ts b/clients/client-chime/src/commands/GetPhoneNumberSettingsCommand.ts index 68a7419b2da4..4294f7c31ac1 100644 --- a/clients/client-chime/src/commands/GetPhoneNumberSettingsCommand.ts +++ b/clients/client-chime/src/commands/GetPhoneNumberSettingsCommand.ts @@ -94,4 +94,16 @@ export class GetPhoneNumberSettingsCommand extends $Command .f(void 0, GetPhoneNumberSettingsResponseFilterSensitiveLog) .ser(se_GetPhoneNumberSettingsCommand) .de(de_GetPhoneNumberSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPhoneNumberSettingsResponse; + }; + sdk: { + input: GetPhoneNumberSettingsCommandInput; + output: GetPhoneNumberSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetProxySessionCommand.ts b/clients/client-chime/src/commands/GetProxySessionCommand.ts index 405fcff95574..7ae98eeccb42 100644 --- a/clients/client-chime/src/commands/GetProxySessionCommand.ts +++ b/clients/client-chime/src/commands/GetProxySessionCommand.ts @@ -136,4 +136,16 @@ export class GetProxySessionCommand extends $Command .f(void 0, GetProxySessionResponseFilterSensitiveLog) .ser(se_GetProxySessionCommand) .de(de_GetProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProxySessionRequest; + output: GetProxySessionResponse; + }; + sdk: { + input: GetProxySessionCommandInput; + output: GetProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetRetentionSettingsCommand.ts b/clients/client-chime/src/commands/GetRetentionSettingsCommand.ts index c5f8951a5e4d..9b0901fc0aac 100644 --- a/clients/client-chime/src/commands/GetRetentionSettingsCommand.ts +++ b/clients/client-chime/src/commands/GetRetentionSettingsCommand.ts @@ -110,4 +110,16 @@ export class GetRetentionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetRetentionSettingsCommand) .de(de_GetRetentionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRetentionSettingsRequest; + output: GetRetentionSettingsResponse; + }; + sdk: { + input: GetRetentionSettingsCommandInput; + output: GetRetentionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetRoomCommand.ts b/clients/client-chime/src/commands/GetRoomCommand.ts index 8e39c0fbd02c..c0b68f41d366 100644 --- a/clients/client-chime/src/commands/GetRoomCommand.ts +++ b/clients/client-chime/src/commands/GetRoomCommand.ts @@ -106,4 +106,16 @@ export class GetRoomCommand extends $Command .f(void 0, GetRoomResponseFilterSensitiveLog) .ser(se_GetRoomCommand) .de(de_GetRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRoomRequest; + output: GetRoomResponse; + }; + sdk: { + input: GetRoomCommandInput; + output: GetRoomCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetSipMediaApplicationCommand.ts b/clients/client-chime/src/commands/GetSipMediaApplicationCommand.ts index 62d966c88f3a..db3d1537e8f1 100644 --- a/clients/client-chime/src/commands/GetSipMediaApplicationCommand.ts +++ b/clients/client-chime/src/commands/GetSipMediaApplicationCommand.ts @@ -122,4 +122,16 @@ export class GetSipMediaApplicationCommand extends $Command .f(void 0, GetSipMediaApplicationResponseFilterSensitiveLog) .ser(se_GetSipMediaApplicationCommand) .de(de_GetSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSipMediaApplicationRequest; + output: GetSipMediaApplicationResponse; + }; + sdk: { + input: GetSipMediaApplicationCommandInput; + output: GetSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts b/clients/client-chime/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts index f515cac646c8..e87e47a5dabd 100644 --- a/clients/client-chime/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/GetSipMediaApplicationLoggingConfigurationCommand.ts @@ -118,4 +118,16 @@ export class GetSipMediaApplicationLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetSipMediaApplicationLoggingConfigurationCommand) .de(de_GetSipMediaApplicationLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSipMediaApplicationLoggingConfigurationRequest; + output: GetSipMediaApplicationLoggingConfigurationResponse; + }; + sdk: { + input: GetSipMediaApplicationLoggingConfigurationCommandInput; + output: GetSipMediaApplicationLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetSipRuleCommand.ts b/clients/client-chime/src/commands/GetSipRuleCommand.ts index 2c6fb31ed372..8f9f92589c67 100644 --- a/clients/client-chime/src/commands/GetSipRuleCommand.ts +++ b/clients/client-chime/src/commands/GetSipRuleCommand.ts @@ -122,4 +122,16 @@ export class GetSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetSipRuleCommand) .de(de_GetSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSipRuleRequest; + output: GetSipRuleResponse; + }; + sdk: { + input: GetSipRuleCommandInput; + output: GetSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetUserCommand.ts b/clients/client-chime/src/commands/GetUserCommand.ts index 95753205dac3..f426fe565a9b 100644 --- a/clients/client-chime/src/commands/GetUserCommand.ts +++ b/clients/client-chime/src/commands/GetUserCommand.ts @@ -120,4 +120,16 @@ export class GetUserCommand extends $Command .f(void 0, GetUserResponseFilterSensitiveLog) .ser(se_GetUserCommand) .de(de_GetUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserRequest; + output: GetUserResponse; + }; + sdk: { + input: GetUserCommandInput; + output: GetUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetUserSettingsCommand.ts b/clients/client-chime/src/commands/GetUserSettingsCommand.ts index b34c5987002a..3278c2125b20 100644 --- a/clients/client-chime/src/commands/GetUserSettingsCommand.ts +++ b/clients/client-chime/src/commands/GetUserSettingsCommand.ts @@ -105,4 +105,16 @@ export class GetUserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetUserSettingsCommand) .de(de_GetUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserSettingsRequest; + output: GetUserSettingsResponse; + }; + sdk: { + input: GetUserSettingsCommandInput; + output: GetUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorCommand.ts index ab80bccf6407..82118ab0320c 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorCommand.ts @@ -116,4 +116,16 @@ export class GetVoiceConnectorCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorCommand) .de(de_GetVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorRequest; + output: GetVoiceConnectorResponse; + }; + sdk: { + input: GetVoiceConnectorCommandInput; + output: GetVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts index 5daea800f36e..2757330d7739 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorEmergencyCallingConfigurationCommand.ts @@ -125,4 +125,16 @@ export class GetVoiceConnectorEmergencyCallingConfigurationCommand extends $Comm .f(void 0, GetVoiceConnectorEmergencyCallingConfigurationResponseFilterSensitiveLog) .ser(se_GetVoiceConnectorEmergencyCallingConfigurationCommand) .de(de_GetVoiceConnectorEmergencyCallingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorEmergencyCallingConfigurationRequest; + output: GetVoiceConnectorEmergencyCallingConfigurationResponse; + }; + sdk: { + input: GetVoiceConnectorEmergencyCallingConfigurationCommandInput; + output: GetVoiceConnectorEmergencyCallingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorGroupCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorGroupCommand.ts index 27ba1aac7f6a..600346b5e363 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorGroupCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorGroupCommand.ts @@ -120,4 +120,16 @@ export class GetVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorGroupCommand) .de(de_GetVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorGroupRequest; + output: GetVoiceConnectorGroupResponse; + }; + sdk: { + input: GetVoiceConnectorGroupCommandInput; + output: GetVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts index 71ba027ca40d..0c09ec318b93 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorLoggingConfigurationCommand.ts @@ -120,4 +120,16 @@ export class GetVoiceConnectorLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorLoggingConfigurationCommand) .de(de_GetVoiceConnectorLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorLoggingConfigurationRequest; + output: GetVoiceConnectorLoggingConfigurationResponse; + }; + sdk: { + input: GetVoiceConnectorLoggingConfigurationCommandInput; + output: GetVoiceConnectorLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorOriginationCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorOriginationCommand.ts index d81f546f848f..050acfbdc053 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorOriginationCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorOriginationCommand.ts @@ -123,4 +123,16 @@ export class GetVoiceConnectorOriginationCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorOriginationCommand) .de(de_GetVoiceConnectorOriginationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorOriginationRequest; + output: GetVoiceConnectorOriginationResponse; + }; + sdk: { + input: GetVoiceConnectorOriginationCommandInput; + output: GetVoiceConnectorOriginationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorProxyCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorProxyCommand.ts index 556c1c4b7072..fce8e14b8c89 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorProxyCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorProxyCommand.ts @@ -118,4 +118,16 @@ export class GetVoiceConnectorProxyCommand extends $Command .f(void 0, GetVoiceConnectorProxyResponseFilterSensitiveLog) .ser(se_GetVoiceConnectorProxyCommand) .de(de_GetVoiceConnectorProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorProxyRequest; + output: GetVoiceConnectorProxyResponse; + }; + sdk: { + input: GetVoiceConnectorProxyCommandInput; + output: GetVoiceConnectorProxyCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts index a030e8ac2c86..7fea37b0f06a 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorStreamingConfigurationCommand.ts @@ -126,4 +126,16 @@ export class GetVoiceConnectorStreamingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorStreamingConfigurationCommand) .de(de_GetVoiceConnectorStreamingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorStreamingConfigurationRequest; + output: GetVoiceConnectorStreamingConfigurationResponse; + }; + sdk: { + input: GetVoiceConnectorStreamingConfigurationCommandInput; + output: GetVoiceConnectorStreamingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorTerminationCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorTerminationCommand.ts index 556738dbd30e..84d4e72c0194 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorTerminationCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorTerminationCommand.ts @@ -126,4 +126,16 @@ export class GetVoiceConnectorTerminationCommand extends $Command .f(void 0, GetVoiceConnectorTerminationResponseFilterSensitiveLog) .ser(se_GetVoiceConnectorTerminationCommand) .de(de_GetVoiceConnectorTerminationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorTerminationRequest; + output: GetVoiceConnectorTerminationResponse; + }; + sdk: { + input: GetVoiceConnectorTerminationCommandInput; + output: GetVoiceConnectorTerminationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/GetVoiceConnectorTerminationHealthCommand.ts b/clients/client-chime/src/commands/GetVoiceConnectorTerminationHealthCommand.ts index 1a7c17c27d6b..6968984e0401 100644 --- a/clients/client-chime/src/commands/GetVoiceConnectorTerminationHealthCommand.ts +++ b/clients/client-chime/src/commands/GetVoiceConnectorTerminationHealthCommand.ts @@ -119,4 +119,16 @@ export class GetVoiceConnectorTerminationHealthCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceConnectorTerminationHealthCommand) .de(de_GetVoiceConnectorTerminationHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceConnectorTerminationHealthRequest; + output: GetVoiceConnectorTerminationHealthResponse; + }; + sdk: { + input: GetVoiceConnectorTerminationHealthCommandInput; + output: GetVoiceConnectorTerminationHealthCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/InviteUsersCommand.ts b/clients/client-chime/src/commands/InviteUsersCommand.ts index c7538cde5ab5..3dbf3d3411c4 100644 --- a/clients/client-chime/src/commands/InviteUsersCommand.ts +++ b/clients/client-chime/src/commands/InviteUsersCommand.ts @@ -116,4 +116,16 @@ export class InviteUsersCommand extends $Command .f(InviteUsersRequestFilterSensitiveLog, InviteUsersResponseFilterSensitiveLog) .ser(se_InviteUsersCommand) .de(de_InviteUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InviteUsersRequest; + output: InviteUsersResponse; + }; + sdk: { + input: InviteUsersCommandInput; + output: InviteUsersCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListAccountsCommand.ts b/clients/client-chime/src/commands/ListAccountsCommand.ts index 782dbba9a409..23177658ab59 100644 --- a/clients/client-chime/src/commands/ListAccountsCommand.ts +++ b/clients/client-chime/src/commands/ListAccountsCommand.ts @@ -122,4 +122,16 @@ export class ListAccountsCommand extends $Command .f(ListAccountsRequestFilterSensitiveLog, void 0) .ser(se_ListAccountsCommand) .de(de_ListAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountsRequest; + output: ListAccountsResponse; + }; + sdk: { + input: ListAccountsCommandInput; + output: ListAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListAppInstanceAdminsCommand.ts b/clients/client-chime/src/commands/ListAppInstanceAdminsCommand.ts index d9b900b2aebc..274d4f89e2ff 100644 --- a/clients/client-chime/src/commands/ListAppInstanceAdminsCommand.ts +++ b/clients/client-chime/src/commands/ListAppInstanceAdminsCommand.ts @@ -120,4 +120,16 @@ export class ListAppInstanceAdminsCommand extends $Command .f(ListAppInstanceAdminsRequestFilterSensitiveLog, ListAppInstanceAdminsResponseFilterSensitiveLog) .ser(se_ListAppInstanceAdminsCommand) .de(de_ListAppInstanceAdminsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstanceAdminsRequest; + output: ListAppInstanceAdminsResponse; + }; + sdk: { + input: ListAppInstanceAdminsCommandInput; + output: ListAppInstanceAdminsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListAppInstanceUsersCommand.ts b/clients/client-chime/src/commands/ListAppInstanceUsersCommand.ts index 082e68fb8326..288755d012c6 100644 --- a/clients/client-chime/src/commands/ListAppInstanceUsersCommand.ts +++ b/clients/client-chime/src/commands/ListAppInstanceUsersCommand.ts @@ -121,4 +121,16 @@ export class ListAppInstanceUsersCommand extends $Command .f(ListAppInstanceUsersRequestFilterSensitiveLog, ListAppInstanceUsersResponseFilterSensitiveLog) .ser(se_ListAppInstanceUsersCommand) .de(de_ListAppInstanceUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstanceUsersRequest; + output: ListAppInstanceUsersResponse; + }; + sdk: { + input: ListAppInstanceUsersCommandInput; + output: ListAppInstanceUsersCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListAppInstancesCommand.ts b/clients/client-chime/src/commands/ListAppInstancesCommand.ts index 8e64ed7b3ad2..2c9f4be08466 100644 --- a/clients/client-chime/src/commands/ListAppInstancesCommand.ts +++ b/clients/client-chime/src/commands/ListAppInstancesCommand.ts @@ -117,4 +117,16 @@ export class ListAppInstancesCommand extends $Command .f(ListAppInstancesRequestFilterSensitiveLog, ListAppInstancesResponseFilterSensitiveLog) .ser(se_ListAppInstancesCommand) .de(de_ListAppInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInstancesRequest; + output: ListAppInstancesResponse; + }; + sdk: { + input: ListAppInstancesCommandInput; + output: ListAppInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListAttendeeTagsCommand.ts b/clients/client-chime/src/commands/ListAttendeeTagsCommand.ts index 42b0ffd6292f..88a4f2b53c42 100644 --- a/clients/client-chime/src/commands/ListAttendeeTagsCommand.ts +++ b/clients/client-chime/src/commands/ListAttendeeTagsCommand.ts @@ -113,4 +113,16 @@ export class ListAttendeeTagsCommand extends $Command .f(void 0, ListAttendeeTagsResponseFilterSensitiveLog) .ser(se_ListAttendeeTagsCommand) .de(de_ListAttendeeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttendeeTagsRequest; + output: ListAttendeeTagsResponse; + }; + sdk: { + input: ListAttendeeTagsCommandInput; + output: ListAttendeeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListAttendeesCommand.ts b/clients/client-chime/src/commands/ListAttendeesCommand.ts index 9831647b625d..6ec904955fc7 100644 --- a/clients/client-chime/src/commands/ListAttendeesCommand.ts +++ b/clients/client-chime/src/commands/ListAttendeesCommand.ts @@ -124,4 +124,16 @@ export class ListAttendeesCommand extends $Command .f(void 0, ListAttendeesResponseFilterSensitiveLog) .ser(se_ListAttendeesCommand) .de(de_ListAttendeesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttendeesRequest; + output: ListAttendeesResponse; + }; + sdk: { + input: ListAttendeesCommandInput; + output: ListAttendeesCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListBotsCommand.ts b/clients/client-chime/src/commands/ListBotsCommand.ts index 5c5f0fcf7468..735ea3bf3b7d 100644 --- a/clients/client-chime/src/commands/ListBotsCommand.ts +++ b/clients/client-chime/src/commands/ListBotsCommand.ts @@ -113,4 +113,16 @@ export class ListBotsCommand extends $Command .f(void 0, ListBotsResponseFilterSensitiveLog) .ser(se_ListBotsCommand) .de(de_ListBotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotsRequest; + output: ListBotsResponse; + }; + sdk: { + input: ListBotsCommandInput; + output: ListBotsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListChannelBansCommand.ts b/clients/client-chime/src/commands/ListChannelBansCommand.ts index f1abd34596b3..8ae85526a706 100644 --- a/clients/client-chime/src/commands/ListChannelBansCommand.ts +++ b/clients/client-chime/src/commands/ListChannelBansCommand.ts @@ -126,4 +126,16 @@ export class ListChannelBansCommand extends $Command .f(ListChannelBansRequestFilterSensitiveLog, ListChannelBansResponseFilterSensitiveLog) .ser(se_ListChannelBansCommand) .de(de_ListChannelBansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelBansRequest; + output: ListChannelBansResponse; + }; + sdk: { + input: ListChannelBansCommandInput; + output: ListChannelBansCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListChannelMembershipsCommand.ts b/clients/client-chime/src/commands/ListChannelMembershipsCommand.ts index b4433d6d0e8d..05a622ca52d3 100644 --- a/clients/client-chime/src/commands/ListChannelMembershipsCommand.ts +++ b/clients/client-chime/src/commands/ListChannelMembershipsCommand.ts @@ -127,4 +127,16 @@ export class ListChannelMembershipsCommand extends $Command .f(ListChannelMembershipsRequestFilterSensitiveLog, ListChannelMembershipsResponseFilterSensitiveLog) .ser(se_ListChannelMembershipsCommand) .de(de_ListChannelMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelMembershipsRequest; + output: ListChannelMembershipsResponse; + }; + sdk: { + input: ListChannelMembershipsCommandInput; + output: ListChannelMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts b/clients/client-chime/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts index 16e17c2c2819..4088faef295e 100644 --- a/clients/client-chime/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/ListChannelMembershipsForAppInstanceUserCommand.ts @@ -143,4 +143,16 @@ export class ListChannelMembershipsForAppInstanceUserCommand extends $Command ) .ser(se_ListChannelMembershipsForAppInstanceUserCommand) .de(de_ListChannelMembershipsForAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelMembershipsForAppInstanceUserRequest; + output: ListChannelMembershipsForAppInstanceUserResponse; + }; + sdk: { + input: ListChannelMembershipsForAppInstanceUserCommandInput; + output: ListChannelMembershipsForAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListChannelMessagesCommand.ts b/clients/client-chime/src/commands/ListChannelMessagesCommand.ts index 80451195b404..e8b1bff444e4 100644 --- a/clients/client-chime/src/commands/ListChannelMessagesCommand.ts +++ b/clients/client-chime/src/commands/ListChannelMessagesCommand.ts @@ -142,4 +142,16 @@ export class ListChannelMessagesCommand extends $Command .f(ListChannelMessagesRequestFilterSensitiveLog, ListChannelMessagesResponseFilterSensitiveLog) .ser(se_ListChannelMessagesCommand) .de(de_ListChannelMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelMessagesRequest; + output: ListChannelMessagesResponse; + }; + sdk: { + input: ListChannelMessagesCommandInput; + output: ListChannelMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListChannelModeratorsCommand.ts b/clients/client-chime/src/commands/ListChannelModeratorsCommand.ts index 1d9e651d02af..ee91688f6bf2 100644 --- a/clients/client-chime/src/commands/ListChannelModeratorsCommand.ts +++ b/clients/client-chime/src/commands/ListChannelModeratorsCommand.ts @@ -126,4 +126,16 @@ export class ListChannelModeratorsCommand extends $Command .f(ListChannelModeratorsRequestFilterSensitiveLog, ListChannelModeratorsResponseFilterSensitiveLog) .ser(se_ListChannelModeratorsCommand) .de(de_ListChannelModeratorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelModeratorsRequest; + output: ListChannelModeratorsResponse; + }; + sdk: { + input: ListChannelModeratorsCommandInput; + output: ListChannelModeratorsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListChannelsCommand.ts b/clients/client-chime/src/commands/ListChannelsCommand.ts index ba3574b8f2d4..93a0f7b1e521 100644 --- a/clients/client-chime/src/commands/ListChannelsCommand.ts +++ b/clients/client-chime/src/commands/ListChannelsCommand.ts @@ -142,4 +142,16 @@ export class ListChannelsCommand extends $Command .f(ListChannelsRequestFilterSensitiveLog, ListChannelsResponseFilterSensitiveLog) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts b/clients/client-chime/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts index 1a77bd71d724..29d4c6dd6759 100644 --- a/clients/client-chime/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/ListChannelsModeratedByAppInstanceUserCommand.ts @@ -138,4 +138,16 @@ export class ListChannelsModeratedByAppInstanceUserCommand extends $Command ) .ser(se_ListChannelsModeratedByAppInstanceUserCommand) .de(de_ListChannelsModeratedByAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsModeratedByAppInstanceUserRequest; + output: ListChannelsModeratedByAppInstanceUserResponse; + }; + sdk: { + input: ListChannelsModeratedByAppInstanceUserCommandInput; + output: ListChannelsModeratedByAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListMediaCapturePipelinesCommand.ts b/clients/client-chime/src/commands/ListMediaCapturePipelinesCommand.ts index e19acd450172..b54f1bf38547 100644 --- a/clients/client-chime/src/commands/ListMediaCapturePipelinesCommand.ts +++ b/clients/client-chime/src/commands/ListMediaCapturePipelinesCommand.ts @@ -146,4 +146,16 @@ export class ListMediaCapturePipelinesCommand extends $Command .f(void 0, ListMediaCapturePipelinesResponseFilterSensitiveLog) .ser(se_ListMediaCapturePipelinesCommand) .de(de_ListMediaCapturePipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMediaCapturePipelinesRequest; + output: ListMediaCapturePipelinesResponse; + }; + sdk: { + input: ListMediaCapturePipelinesCommandInput; + output: ListMediaCapturePipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListMeetingTagsCommand.ts b/clients/client-chime/src/commands/ListMeetingTagsCommand.ts index 309df67ebaef..99baabccb07f 100644 --- a/clients/client-chime/src/commands/ListMeetingTagsCommand.ts +++ b/clients/client-chime/src/commands/ListMeetingTagsCommand.ts @@ -116,4 +116,16 @@ export class ListMeetingTagsCommand extends $Command .f(void 0, ListMeetingTagsResponseFilterSensitiveLog) .ser(se_ListMeetingTagsCommand) .de(de_ListMeetingTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMeetingTagsRequest; + output: ListMeetingTagsResponse; + }; + sdk: { + input: ListMeetingTagsCommandInput; + output: ListMeetingTagsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListMeetingsCommand.ts b/clients/client-chime/src/commands/ListMeetingsCommand.ts index 0261d6dcaede..188fb35a11c3 100644 --- a/clients/client-chime/src/commands/ListMeetingsCommand.ts +++ b/clients/client-chime/src/commands/ListMeetingsCommand.ts @@ -121,4 +121,16 @@ export class ListMeetingsCommand extends $Command .f(void 0, ListMeetingsResponseFilterSensitiveLog) .ser(se_ListMeetingsCommand) .de(de_ListMeetingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMeetingsRequest; + output: ListMeetingsResponse; + }; + sdk: { + input: ListMeetingsCommandInput; + output: ListMeetingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListPhoneNumberOrdersCommand.ts b/clients/client-chime/src/commands/ListPhoneNumberOrdersCommand.ts index f9b310abeceb..7d304adfef3c 100644 --- a/clients/client-chime/src/commands/ListPhoneNumberOrdersCommand.ts +++ b/clients/client-chime/src/commands/ListPhoneNumberOrdersCommand.ts @@ -115,4 +115,16 @@ export class ListPhoneNumberOrdersCommand extends $Command .f(void 0, ListPhoneNumberOrdersResponseFilterSensitiveLog) .ser(se_ListPhoneNumberOrdersCommand) .de(de_ListPhoneNumberOrdersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPhoneNumberOrdersRequest; + output: ListPhoneNumberOrdersResponse; + }; + sdk: { + input: ListPhoneNumberOrdersCommandInput; + output: ListPhoneNumberOrdersCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListPhoneNumbersCommand.ts b/clients/client-chime/src/commands/ListPhoneNumbersCommand.ts index 82f242fbde35..10f37dd5a91a 100644 --- a/clients/client-chime/src/commands/ListPhoneNumbersCommand.ts +++ b/clients/client-chime/src/commands/ListPhoneNumbersCommand.ts @@ -137,4 +137,16 @@ export class ListPhoneNumbersCommand extends $Command .f(void 0, ListPhoneNumbersResponseFilterSensitiveLog) .ser(se_ListPhoneNumbersCommand) .de(de_ListPhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPhoneNumbersRequest; + output: ListPhoneNumbersResponse; + }; + sdk: { + input: ListPhoneNumbersCommandInput; + output: ListPhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListProxySessionsCommand.ts b/clients/client-chime/src/commands/ListProxySessionsCommand.ts index 304c9e7e9875..cc787dfbf774 100644 --- a/clients/client-chime/src/commands/ListProxySessionsCommand.ts +++ b/clients/client-chime/src/commands/ListProxySessionsCommand.ts @@ -141,4 +141,16 @@ export class ListProxySessionsCommand extends $Command .f(void 0, ListProxySessionsResponseFilterSensitiveLog) .ser(se_ListProxySessionsCommand) .de(de_ListProxySessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProxySessionsRequest; + output: ListProxySessionsResponse; + }; + sdk: { + input: ListProxySessionsCommandInput; + output: ListProxySessionsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListRoomMembershipsCommand.ts b/clients/client-chime/src/commands/ListRoomMembershipsCommand.ts index a2faaaab4555..917ec8b3fbd9 100644 --- a/clients/client-chime/src/commands/ListRoomMembershipsCommand.ts +++ b/clients/client-chime/src/commands/ListRoomMembershipsCommand.ts @@ -121,4 +121,16 @@ export class ListRoomMembershipsCommand extends $Command .f(void 0, ListRoomMembershipsResponseFilterSensitiveLog) .ser(se_ListRoomMembershipsCommand) .de(de_ListRoomMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoomMembershipsRequest; + output: ListRoomMembershipsResponse; + }; + sdk: { + input: ListRoomMembershipsCommandInput; + output: ListRoomMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListRoomsCommand.ts b/clients/client-chime/src/commands/ListRoomsCommand.ts index 9da01a3bba4c..605ce84f0ee8 100644 --- a/clients/client-chime/src/commands/ListRoomsCommand.ts +++ b/clients/client-chime/src/commands/ListRoomsCommand.ts @@ -111,4 +111,16 @@ export class ListRoomsCommand extends $Command .f(void 0, ListRoomsResponseFilterSensitiveLog) .ser(se_ListRoomsCommand) .de(de_ListRoomsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoomsRequest; + output: ListRoomsResponse; + }; + sdk: { + input: ListRoomsCommandInput; + output: ListRoomsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListSipMediaApplicationsCommand.ts b/clients/client-chime/src/commands/ListSipMediaApplicationsCommand.ts index eae65e0f8154..51b870cfe408 100644 --- a/clients/client-chime/src/commands/ListSipMediaApplicationsCommand.ts +++ b/clients/client-chime/src/commands/ListSipMediaApplicationsCommand.ts @@ -123,4 +123,16 @@ export class ListSipMediaApplicationsCommand extends $Command .f(void 0, ListSipMediaApplicationsResponseFilterSensitiveLog) .ser(se_ListSipMediaApplicationsCommand) .de(de_ListSipMediaApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSipMediaApplicationsRequest; + output: ListSipMediaApplicationsResponse; + }; + sdk: { + input: ListSipMediaApplicationsCommandInput; + output: ListSipMediaApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListSipRulesCommand.ts b/clients/client-chime/src/commands/ListSipRulesCommand.ts index 74beeb4e1a2f..90c977b81ef3 100644 --- a/clients/client-chime/src/commands/ListSipRulesCommand.ts +++ b/clients/client-chime/src/commands/ListSipRulesCommand.ts @@ -124,4 +124,16 @@ export class ListSipRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListSipRulesCommand) .de(de_ListSipRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSipRulesRequest; + output: ListSipRulesResponse; + }; + sdk: { + input: ListSipRulesCommandInput; + output: ListSipRulesCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListSupportedPhoneNumberCountriesCommand.ts b/clients/client-chime/src/commands/ListSupportedPhoneNumberCountriesCommand.ts index 8732649058ca..81e7488aa60f 100644 --- a/clients/client-chime/src/commands/ListSupportedPhoneNumberCountriesCommand.ts +++ b/clients/client-chime/src/commands/ListSupportedPhoneNumberCountriesCommand.ts @@ -113,4 +113,16 @@ export class ListSupportedPhoneNumberCountriesCommand extends $Command .f(void 0, void 0) .ser(se_ListSupportedPhoneNumberCountriesCommand) .de(de_ListSupportedPhoneNumberCountriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSupportedPhoneNumberCountriesRequest; + output: ListSupportedPhoneNumberCountriesResponse; + }; + sdk: { + input: ListSupportedPhoneNumberCountriesCommandInput; + output: ListSupportedPhoneNumberCountriesCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListTagsForResourceCommand.ts b/clients/client-chime/src/commands/ListTagsForResourceCommand.ts index f26962cce8aa..b00fb03198f4 100644 --- a/clients/client-chime/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-chime/src/commands/ListTagsForResourceCommand.ts @@ -122,4 +122,16 @@ export class ListTagsForResourceCommand extends $Command .f(ListTagsForResourceRequestFilterSensitiveLog, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListUsersCommand.ts b/clients/client-chime/src/commands/ListUsersCommand.ts index 7b5aa27d8001..03d40bdf4455 100644 --- a/clients/client-chime/src/commands/ListUsersCommand.ts +++ b/clients/client-chime/src/commands/ListUsersCommand.ts @@ -128,4 +128,16 @@ export class ListUsersCommand extends $Command .f(ListUsersRequestFilterSensitiveLog, ListUsersResponseFilterSensitiveLog) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListVoiceConnectorGroupsCommand.ts b/clients/client-chime/src/commands/ListVoiceConnectorGroupsCommand.ts index c1bfc47e56b8..ebfba3e465df 100644 --- a/clients/client-chime/src/commands/ListVoiceConnectorGroupsCommand.ts +++ b/clients/client-chime/src/commands/ListVoiceConnectorGroupsCommand.ts @@ -120,4 +120,16 @@ export class ListVoiceConnectorGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListVoiceConnectorGroupsCommand) .de(de_ListVoiceConnectorGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceConnectorGroupsRequest; + output: ListVoiceConnectorGroupsResponse; + }; + sdk: { + input: ListVoiceConnectorGroupsCommandInput; + output: ListVoiceConnectorGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts b/clients/client-chime/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts index 15c460a9e19d..486a8239cf78 100644 --- a/clients/client-chime/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts +++ b/clients/client-chime/src/commands/ListVoiceConnectorTerminationCredentialsCommand.ts @@ -119,4 +119,16 @@ export class ListVoiceConnectorTerminationCredentialsCommand extends $Command .f(void 0, ListVoiceConnectorTerminationCredentialsResponseFilterSensitiveLog) .ser(se_ListVoiceConnectorTerminationCredentialsCommand) .de(de_ListVoiceConnectorTerminationCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceConnectorTerminationCredentialsRequest; + output: ListVoiceConnectorTerminationCredentialsResponse; + }; + sdk: { + input: ListVoiceConnectorTerminationCredentialsCommandInput; + output: ListVoiceConnectorTerminationCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ListVoiceConnectorsCommand.ts b/clients/client-chime/src/commands/ListVoiceConnectorsCommand.ts index ede7040742e5..bedbaca04f6e 100644 --- a/clients/client-chime/src/commands/ListVoiceConnectorsCommand.ts +++ b/clients/client-chime/src/commands/ListVoiceConnectorsCommand.ts @@ -117,4 +117,16 @@ export class ListVoiceConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListVoiceConnectorsCommand) .de(de_ListVoiceConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVoiceConnectorsRequest; + output: ListVoiceConnectorsResponse; + }; + sdk: { + input: ListVoiceConnectorsCommandInput; + output: ListVoiceConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/LogoutUserCommand.ts b/clients/client-chime/src/commands/LogoutUserCommand.ts index 7740cb80e0cb..5c79847b2cf5 100644 --- a/clients/client-chime/src/commands/LogoutUserCommand.ts +++ b/clients/client-chime/src/commands/LogoutUserCommand.ts @@ -97,4 +97,16 @@ export class LogoutUserCommand extends $Command .f(void 0, void 0) .ser(se_LogoutUserCommand) .de(de_LogoutUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LogoutUserRequest; + output: {}; + }; + sdk: { + input: LogoutUserCommandInput; + output: LogoutUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutAppInstanceRetentionSettingsCommand.ts b/clients/client-chime/src/commands/PutAppInstanceRetentionSettingsCommand.ts index 7f92f730d518..8ee9aad8b163 100644 --- a/clients/client-chime/src/commands/PutAppInstanceRetentionSettingsCommand.ts +++ b/clients/client-chime/src/commands/PutAppInstanceRetentionSettingsCommand.ts @@ -126,4 +126,16 @@ export class PutAppInstanceRetentionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutAppInstanceRetentionSettingsCommand) .de(de_PutAppInstanceRetentionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppInstanceRetentionSettingsRequest; + output: PutAppInstanceRetentionSettingsResponse; + }; + sdk: { + input: PutAppInstanceRetentionSettingsCommandInput; + output: PutAppInstanceRetentionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutAppInstanceStreamingConfigurationsCommand.ts b/clients/client-chime/src/commands/PutAppInstanceStreamingConfigurationsCommand.ts index 9d8d4fedf913..20701d845b7e 100644 --- a/clients/client-chime/src/commands/PutAppInstanceStreamingConfigurationsCommand.ts +++ b/clients/client-chime/src/commands/PutAppInstanceStreamingConfigurationsCommand.ts @@ -132,4 +132,16 @@ export class PutAppInstanceStreamingConfigurationsCommand extends $Command ) .ser(se_PutAppInstanceStreamingConfigurationsCommand) .de(de_PutAppInstanceStreamingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppInstanceStreamingConfigurationsRequest; + output: PutAppInstanceStreamingConfigurationsResponse; + }; + sdk: { + input: PutAppInstanceStreamingConfigurationsCommandInput; + output: PutAppInstanceStreamingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutEventsConfigurationCommand.ts b/clients/client-chime/src/commands/PutEventsConfigurationCommand.ts index fe9f03cfad68..e629a9ef76bc 100644 --- a/clients/client-chime/src/commands/PutEventsConfigurationCommand.ts +++ b/clients/client-chime/src/commands/PutEventsConfigurationCommand.ts @@ -112,4 +112,16 @@ export class PutEventsConfigurationCommand extends $Command .f(PutEventsConfigurationRequestFilterSensitiveLog, PutEventsConfigurationResponseFilterSensitiveLog) .ser(se_PutEventsConfigurationCommand) .de(de_PutEventsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventsConfigurationRequest; + output: PutEventsConfigurationResponse; + }; + sdk: { + input: PutEventsConfigurationCommandInput; + output: PutEventsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutRetentionSettingsCommand.ts b/clients/client-chime/src/commands/PutRetentionSettingsCommand.ts index e74abb7f411e..ba97adb5035b 100644 --- a/clients/client-chime/src/commands/PutRetentionSettingsCommand.ts +++ b/clients/client-chime/src/commands/PutRetentionSettingsCommand.ts @@ -129,4 +129,16 @@ export class PutRetentionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutRetentionSettingsCommand) .de(de_PutRetentionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRetentionSettingsRequest; + output: PutRetentionSettingsResponse; + }; + sdk: { + input: PutRetentionSettingsCommandInput; + output: PutRetentionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts b/clients/client-chime/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts index 5d08e99ca653..2545dc87e271 100644 --- a/clients/client-chime/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/PutSipMediaApplicationLoggingConfigurationCommand.ts @@ -121,4 +121,16 @@ export class PutSipMediaApplicationLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutSipMediaApplicationLoggingConfigurationCommand) .de(de_PutSipMediaApplicationLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSipMediaApplicationLoggingConfigurationRequest; + output: PutSipMediaApplicationLoggingConfigurationResponse; + }; + sdk: { + input: PutSipMediaApplicationLoggingConfigurationCommandInput; + output: PutSipMediaApplicationLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts b/clients/client-chime/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts index ed7cf9646486..f5367708103d 100644 --- a/clients/client-chime/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/PutVoiceConnectorEmergencyCallingConfigurationCommand.ts @@ -139,4 +139,16 @@ export class PutVoiceConnectorEmergencyCallingConfigurationCommand extends $Comm ) .ser(se_PutVoiceConnectorEmergencyCallingConfigurationCommand) .de(de_PutVoiceConnectorEmergencyCallingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorEmergencyCallingConfigurationRequest; + output: PutVoiceConnectorEmergencyCallingConfigurationResponse; + }; + sdk: { + input: PutVoiceConnectorEmergencyCallingConfigurationCommandInput; + output: PutVoiceConnectorEmergencyCallingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts b/clients/client-chime/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts index 3ff44dd3b4d7..883adf5d3d43 100644 --- a/clients/client-chime/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/PutVoiceConnectorLoggingConfigurationCommand.ts @@ -124,4 +124,16 @@ export class PutVoiceConnectorLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutVoiceConnectorLoggingConfigurationCommand) .de(de_PutVoiceConnectorLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorLoggingConfigurationRequest; + output: PutVoiceConnectorLoggingConfigurationResponse; + }; + sdk: { + input: PutVoiceConnectorLoggingConfigurationCommandInput; + output: PutVoiceConnectorLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutVoiceConnectorOriginationCommand.ts b/clients/client-chime/src/commands/PutVoiceConnectorOriginationCommand.ts index ca1e518082ab..3e36f7ff6aec 100644 --- a/clients/client-chime/src/commands/PutVoiceConnectorOriginationCommand.ts +++ b/clients/client-chime/src/commands/PutVoiceConnectorOriginationCommand.ts @@ -138,4 +138,16 @@ export class PutVoiceConnectorOriginationCommand extends $Command .f(void 0, void 0) .ser(se_PutVoiceConnectorOriginationCommand) .de(de_PutVoiceConnectorOriginationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorOriginationRequest; + output: PutVoiceConnectorOriginationResponse; + }; + sdk: { + input: PutVoiceConnectorOriginationCommandInput; + output: PutVoiceConnectorOriginationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutVoiceConnectorProxyCommand.ts b/clients/client-chime/src/commands/PutVoiceConnectorProxyCommand.ts index 6eb6cc3b23e2..62f3ac35a0ce 100644 --- a/clients/client-chime/src/commands/PutVoiceConnectorProxyCommand.ts +++ b/clients/client-chime/src/commands/PutVoiceConnectorProxyCommand.ts @@ -128,4 +128,16 @@ export class PutVoiceConnectorProxyCommand extends $Command .f(PutVoiceConnectorProxyRequestFilterSensitiveLog, PutVoiceConnectorProxyResponseFilterSensitiveLog) .ser(se_PutVoiceConnectorProxyCommand) .de(de_PutVoiceConnectorProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorProxyRequest; + output: PutVoiceConnectorProxyResponse; + }; + sdk: { + input: PutVoiceConnectorProxyCommandInput; + output: PutVoiceConnectorProxyCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts b/clients/client-chime/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts index ef1a7cbdba78..dc792aba1c83 100644 --- a/clients/client-chime/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts +++ b/clients/client-chime/src/commands/PutVoiceConnectorStreamingConfigurationCommand.ts @@ -135,4 +135,16 @@ export class PutVoiceConnectorStreamingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutVoiceConnectorStreamingConfigurationCommand) .de(de_PutVoiceConnectorStreamingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorStreamingConfigurationRequest; + output: PutVoiceConnectorStreamingConfigurationResponse; + }; + sdk: { + input: PutVoiceConnectorStreamingConfigurationCommandInput; + output: PutVoiceConnectorStreamingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutVoiceConnectorTerminationCommand.ts b/clients/client-chime/src/commands/PutVoiceConnectorTerminationCommand.ts index a032f4d56ba9..55c9dacc4020 100644 --- a/clients/client-chime/src/commands/PutVoiceConnectorTerminationCommand.ts +++ b/clients/client-chime/src/commands/PutVoiceConnectorTerminationCommand.ts @@ -144,4 +144,16 @@ export class PutVoiceConnectorTerminationCommand extends $Command .f(PutVoiceConnectorTerminationRequestFilterSensitiveLog, PutVoiceConnectorTerminationResponseFilterSensitiveLog) .ser(se_PutVoiceConnectorTerminationCommand) .de(de_PutVoiceConnectorTerminationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorTerminationRequest; + output: PutVoiceConnectorTerminationResponse; + }; + sdk: { + input: PutVoiceConnectorTerminationCommandInput; + output: PutVoiceConnectorTerminationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts b/clients/client-chime/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts index f36c411d60db..2d12d7c62186 100644 --- a/clients/client-chime/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts +++ b/clients/client-chime/src/commands/PutVoiceConnectorTerminationCredentialsCommand.ts @@ -118,4 +118,16 @@ export class PutVoiceConnectorTerminationCredentialsCommand extends $Command .f(PutVoiceConnectorTerminationCredentialsRequestFilterSensitiveLog, void 0) .ser(se_PutVoiceConnectorTerminationCredentialsCommand) .de(de_PutVoiceConnectorTerminationCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVoiceConnectorTerminationCredentialsRequest; + output: {}; + }; + sdk: { + input: PutVoiceConnectorTerminationCredentialsCommandInput; + output: PutVoiceConnectorTerminationCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/RedactChannelMessageCommand.ts b/clients/client-chime/src/commands/RedactChannelMessageCommand.ts index 0093badbdf26..589a107ea1b4 100644 --- a/clients/client-chime/src/commands/RedactChannelMessageCommand.ts +++ b/clients/client-chime/src/commands/RedactChannelMessageCommand.ts @@ -113,4 +113,16 @@ export class RedactChannelMessageCommand extends $Command .f(void 0, void 0) .ser(se_RedactChannelMessageCommand) .de(de_RedactChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RedactChannelMessageRequest; + output: RedactChannelMessageResponse; + }; + sdk: { + input: RedactChannelMessageCommandInput; + output: RedactChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/RedactConversationMessageCommand.ts b/clients/client-chime/src/commands/RedactConversationMessageCommand.ts index c64e2a01ede8..2033bd299f13 100644 --- a/clients/client-chime/src/commands/RedactConversationMessageCommand.ts +++ b/clients/client-chime/src/commands/RedactConversationMessageCommand.ts @@ -98,4 +98,16 @@ export class RedactConversationMessageCommand extends $Command .f(void 0, void 0) .ser(se_RedactConversationMessageCommand) .de(de_RedactConversationMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RedactConversationMessageRequest; + output: {}; + }; + sdk: { + input: RedactConversationMessageCommandInput; + output: RedactConversationMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/RedactRoomMessageCommand.ts b/clients/client-chime/src/commands/RedactRoomMessageCommand.ts index 3d3ef1c331b9..134833dff005 100644 --- a/clients/client-chime/src/commands/RedactRoomMessageCommand.ts +++ b/clients/client-chime/src/commands/RedactRoomMessageCommand.ts @@ -98,4 +98,16 @@ export class RedactRoomMessageCommand extends $Command .f(void 0, void 0) .ser(se_RedactRoomMessageCommand) .de(de_RedactRoomMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RedactRoomMessageRequest; + output: {}; + }; + sdk: { + input: RedactRoomMessageCommandInput; + output: RedactRoomMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/RegenerateSecurityTokenCommand.ts b/clients/client-chime/src/commands/RegenerateSecurityTokenCommand.ts index d3e734889ce8..f8b62dd3eacd 100644 --- a/clients/client-chime/src/commands/RegenerateSecurityTokenCommand.ts +++ b/clients/client-chime/src/commands/RegenerateSecurityTokenCommand.ts @@ -113,4 +113,16 @@ export class RegenerateSecurityTokenCommand extends $Command .f(void 0, RegenerateSecurityTokenResponseFilterSensitiveLog) .ser(se_RegenerateSecurityTokenCommand) .de(de_RegenerateSecurityTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegenerateSecurityTokenRequest; + output: RegenerateSecurityTokenResponse; + }; + sdk: { + input: RegenerateSecurityTokenCommandInput; + output: RegenerateSecurityTokenCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ResetPersonalPINCommand.ts b/clients/client-chime/src/commands/ResetPersonalPINCommand.ts index 1fc1fbc95a5d..121b4100e61a 100644 --- a/clients/client-chime/src/commands/ResetPersonalPINCommand.ts +++ b/clients/client-chime/src/commands/ResetPersonalPINCommand.ts @@ -121,4 +121,16 @@ export class ResetPersonalPINCommand extends $Command .f(void 0, ResetPersonalPINResponseFilterSensitiveLog) .ser(se_ResetPersonalPINCommand) .de(de_ResetPersonalPINCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetPersonalPINRequest; + output: ResetPersonalPINResponse; + }; + sdk: { + input: ResetPersonalPINCommandInput; + output: ResetPersonalPINCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/RestorePhoneNumberCommand.ts b/clients/client-chime/src/commands/RestorePhoneNumberCommand.ts index 90372ee64eca..23c388a2899a 100644 --- a/clients/client-chime/src/commands/RestorePhoneNumberCommand.ts +++ b/clients/client-chime/src/commands/RestorePhoneNumberCommand.ts @@ -133,4 +133,16 @@ export class RestorePhoneNumberCommand extends $Command .f(void 0, RestorePhoneNumberResponseFilterSensitiveLog) .ser(se_RestorePhoneNumberCommand) .de(de_RestorePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestorePhoneNumberRequest; + output: RestorePhoneNumberResponse; + }; + sdk: { + input: RestorePhoneNumberCommandInput; + output: RestorePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/SearchAvailablePhoneNumbersCommand.ts b/clients/client-chime/src/commands/SearchAvailablePhoneNumbersCommand.ts index 6f8f653e1528..e742a8d44244 100644 --- a/clients/client-chime/src/commands/SearchAvailablePhoneNumbersCommand.ts +++ b/clients/client-chime/src/commands/SearchAvailablePhoneNumbersCommand.ts @@ -121,4 +121,16 @@ export class SearchAvailablePhoneNumbersCommand extends $Command .f(void 0, SearchAvailablePhoneNumbersResponseFilterSensitiveLog) .ser(se_SearchAvailablePhoneNumbersCommand) .de(de_SearchAvailablePhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchAvailablePhoneNumbersRequest; + output: SearchAvailablePhoneNumbersResponse; + }; + sdk: { + input: SearchAvailablePhoneNumbersCommandInput; + output: SearchAvailablePhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/SendChannelMessageCommand.ts b/clients/client-chime/src/commands/SendChannelMessageCommand.ts index 4000a52588d0..7dc8c910e6ea 100644 --- a/clients/client-chime/src/commands/SendChannelMessageCommand.ts +++ b/clients/client-chime/src/commands/SendChannelMessageCommand.ts @@ -126,4 +126,16 @@ export class SendChannelMessageCommand extends $Command .f(SendChannelMessageRequestFilterSensitiveLog, void 0) .ser(se_SendChannelMessageCommand) .de(de_SendChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendChannelMessageRequest; + output: SendChannelMessageResponse; + }; + sdk: { + input: SendChannelMessageCommandInput; + output: SendChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/StartMeetingTranscriptionCommand.ts b/clients/client-chime/src/commands/StartMeetingTranscriptionCommand.ts index 6d1c237d0ce7..460ed5c83d40 100644 --- a/clients/client-chime/src/commands/StartMeetingTranscriptionCommand.ts +++ b/clients/client-chime/src/commands/StartMeetingTranscriptionCommand.ts @@ -150,4 +150,16 @@ export class StartMeetingTranscriptionCommand extends $Command .f(void 0, void 0) .ser(se_StartMeetingTranscriptionCommand) .de(de_StartMeetingTranscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMeetingTranscriptionRequest; + output: {}; + }; + sdk: { + input: StartMeetingTranscriptionCommandInput; + output: StartMeetingTranscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/StopMeetingTranscriptionCommand.ts b/clients/client-chime/src/commands/StopMeetingTranscriptionCommand.ts index 33e892d97d58..17123c197536 100644 --- a/clients/client-chime/src/commands/StopMeetingTranscriptionCommand.ts +++ b/clients/client-chime/src/commands/StopMeetingTranscriptionCommand.ts @@ -108,4 +108,16 @@ export class StopMeetingTranscriptionCommand extends $Command .f(void 0, void 0) .ser(se_StopMeetingTranscriptionCommand) .de(de_StopMeetingTranscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMeetingTranscriptionRequest; + output: {}; + }; + sdk: { + input: StopMeetingTranscriptionCommandInput; + output: StopMeetingTranscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/TagAttendeeCommand.ts b/clients/client-chime/src/commands/TagAttendeeCommand.ts index 930751e9e8c6..dbd417bb56aa 100644 --- a/clients/client-chime/src/commands/TagAttendeeCommand.ts +++ b/clients/client-chime/src/commands/TagAttendeeCommand.ts @@ -111,4 +111,16 @@ export class TagAttendeeCommand extends $Command .f(TagAttendeeRequestFilterSensitiveLog, void 0) .ser(se_TagAttendeeCommand) .de(de_TagAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagAttendeeRequest; + output: {}; + }; + sdk: { + input: TagAttendeeCommandInput; + output: TagAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/TagMeetingCommand.ts b/clients/client-chime/src/commands/TagMeetingCommand.ts index c042676e4ca8..a32fc31b41e8 100644 --- a/clients/client-chime/src/commands/TagMeetingCommand.ts +++ b/clients/client-chime/src/commands/TagMeetingCommand.ts @@ -114,4 +114,16 @@ export class TagMeetingCommand extends $Command .f(TagMeetingRequestFilterSensitiveLog, void 0) .ser(se_TagMeetingCommand) .de(de_TagMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagMeetingRequest; + output: {}; + }; + sdk: { + input: TagMeetingCommandInput; + output: TagMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/TagResourceCommand.ts b/clients/client-chime/src/commands/TagResourceCommand.ts index 726ab9c93b89..ea3f844f4391 100644 --- a/clients/client-chime/src/commands/TagResourceCommand.ts +++ b/clients/client-chime/src/commands/TagResourceCommand.ts @@ -108,4 +108,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UntagAttendeeCommand.ts b/clients/client-chime/src/commands/UntagAttendeeCommand.ts index a85407273e3a..1e231ca22a23 100644 --- a/clients/client-chime/src/commands/UntagAttendeeCommand.ts +++ b/clients/client-chime/src/commands/UntagAttendeeCommand.ts @@ -105,4 +105,16 @@ export class UntagAttendeeCommand extends $Command .f(UntagAttendeeRequestFilterSensitiveLog, void 0) .ser(se_UntagAttendeeCommand) .de(de_UntagAttendeeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagAttendeeRequest; + output: {}; + }; + sdk: { + input: UntagAttendeeCommandInput; + output: UntagAttendeeCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UntagMeetingCommand.ts b/clients/client-chime/src/commands/UntagMeetingCommand.ts index d2093bb9ec38..d4b1b054ca91 100644 --- a/clients/client-chime/src/commands/UntagMeetingCommand.ts +++ b/clients/client-chime/src/commands/UntagMeetingCommand.ts @@ -108,4 +108,16 @@ export class UntagMeetingCommand extends $Command .f(UntagMeetingRequestFilterSensitiveLog, void 0) .ser(se_UntagMeetingCommand) .de(de_UntagMeetingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagMeetingRequest; + output: {}; + }; + sdk: { + input: UntagMeetingCommandInput; + output: UntagMeetingCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UntagResourceCommand.ts b/clients/client-chime/src/commands/UntagResourceCommand.ts index 3413e69f9a9b..99ea91289d15 100644 --- a/clients/client-chime/src/commands/UntagResourceCommand.ts +++ b/clients/client-chime/src/commands/UntagResourceCommand.ts @@ -106,4 +106,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateAccountCommand.ts b/clients/client-chime/src/commands/UpdateAccountCommand.ts index 6e465d48fc55..04c480c9f389 100644 --- a/clients/client-chime/src/commands/UpdateAccountCommand.ts +++ b/clients/client-chime/src/commands/UpdateAccountCommand.ts @@ -116,4 +116,16 @@ export class UpdateAccountCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountCommand) .de(de_UpdateAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountRequest; + output: UpdateAccountResponse; + }; + sdk: { + input: UpdateAccountCommandInput; + output: UpdateAccountCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateAccountSettingsCommand.ts b/clients/client-chime/src/commands/UpdateAccountSettingsCommand.ts index 7998761549e9..726fd7346fd5 100644 --- a/clients/client-chime/src/commands/UpdateAccountSettingsCommand.ts +++ b/clients/client-chime/src/commands/UpdateAccountSettingsCommand.ts @@ -108,4 +108,16 @@ export class UpdateAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSettingsCommand) .de(de_UpdateAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateAccountSettingsCommandInput; + output: UpdateAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateAppInstanceCommand.ts b/clients/client-chime/src/commands/UpdateAppInstanceCommand.ts index 064dac84e833..aa6b5b08952f 100644 --- a/clients/client-chime/src/commands/UpdateAppInstanceCommand.ts +++ b/clients/client-chime/src/commands/UpdateAppInstanceCommand.ts @@ -114,4 +114,16 @@ export class UpdateAppInstanceCommand extends $Command .f(UpdateAppInstanceRequestFilterSensitiveLog, void 0) .ser(se_UpdateAppInstanceCommand) .de(de_UpdateAppInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppInstanceRequest; + output: UpdateAppInstanceResponse; + }; + sdk: { + input: UpdateAppInstanceCommandInput; + output: UpdateAppInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateAppInstanceUserCommand.ts b/clients/client-chime/src/commands/UpdateAppInstanceUserCommand.ts index 3fe51052ae46..f907ec32f924 100644 --- a/clients/client-chime/src/commands/UpdateAppInstanceUserCommand.ts +++ b/clients/client-chime/src/commands/UpdateAppInstanceUserCommand.ts @@ -114,4 +114,16 @@ export class UpdateAppInstanceUserCommand extends $Command .f(UpdateAppInstanceUserRequestFilterSensitiveLog, void 0) .ser(se_UpdateAppInstanceUserCommand) .de(de_UpdateAppInstanceUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppInstanceUserRequest; + output: UpdateAppInstanceUserResponse; + }; + sdk: { + input: UpdateAppInstanceUserCommandInput; + output: UpdateAppInstanceUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateBotCommand.ts b/clients/client-chime/src/commands/UpdateBotCommand.ts index 0b40a881c26e..7fc8a0927a68 100644 --- a/clients/client-chime/src/commands/UpdateBotCommand.ts +++ b/clients/client-chime/src/commands/UpdateBotCommand.ts @@ -110,4 +110,16 @@ export class UpdateBotCommand extends $Command .f(void 0, UpdateBotResponseFilterSensitiveLog) .ser(se_UpdateBotCommand) .de(de_UpdateBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBotRequest; + output: UpdateBotResponse; + }; + sdk: { + input: UpdateBotCommandInput; + output: UpdateBotCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateChannelCommand.ts b/clients/client-chime/src/commands/UpdateChannelCommand.ts index addce7692105..24add62f7002 100644 --- a/clients/client-chime/src/commands/UpdateChannelCommand.ts +++ b/clients/client-chime/src/commands/UpdateChannelCommand.ts @@ -123,4 +123,16 @@ export class UpdateChannelCommand extends $Command .f(UpdateChannelRequestFilterSensitiveLog, void 0) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateChannelMessageCommand.ts b/clients/client-chime/src/commands/UpdateChannelMessageCommand.ts index 874e1673d230..57bf352d8f9f 100644 --- a/clients/client-chime/src/commands/UpdateChannelMessageCommand.ts +++ b/clients/client-chime/src/commands/UpdateChannelMessageCommand.ts @@ -122,4 +122,16 @@ export class UpdateChannelMessageCommand extends $Command .f(UpdateChannelMessageRequestFilterSensitiveLog, void 0) .ser(se_UpdateChannelMessageCommand) .de(de_UpdateChannelMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelMessageRequest; + output: UpdateChannelMessageResponse; + }; + sdk: { + input: UpdateChannelMessageCommandInput; + output: UpdateChannelMessageCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateChannelReadMarkerCommand.ts b/clients/client-chime/src/commands/UpdateChannelReadMarkerCommand.ts index 2ee317b6d941..07cb63e02885 100644 --- a/clients/client-chime/src/commands/UpdateChannelReadMarkerCommand.ts +++ b/clients/client-chime/src/commands/UpdateChannelReadMarkerCommand.ts @@ -114,4 +114,16 @@ export class UpdateChannelReadMarkerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelReadMarkerCommand) .de(de_UpdateChannelReadMarkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelReadMarkerRequest; + output: UpdateChannelReadMarkerResponse; + }; + sdk: { + input: UpdateChannelReadMarkerCommandInput; + output: UpdateChannelReadMarkerCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateGlobalSettingsCommand.ts b/clients/client-chime/src/commands/UpdateGlobalSettingsCommand.ts index 37c2d36f5a24..7832e4c138cd 100644 --- a/clients/client-chime/src/commands/UpdateGlobalSettingsCommand.ts +++ b/clients/client-chime/src/commands/UpdateGlobalSettingsCommand.ts @@ -98,4 +98,16 @@ export class UpdateGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGlobalSettingsCommand) .de(de_UpdateGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlobalSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateGlobalSettingsCommandInput; + output: UpdateGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdatePhoneNumberCommand.ts b/clients/client-chime/src/commands/UpdatePhoneNumberCommand.ts index 22bb53d25198..1334f334e814 100644 --- a/clients/client-chime/src/commands/UpdatePhoneNumberCommand.ts +++ b/clients/client-chime/src/commands/UpdatePhoneNumberCommand.ts @@ -138,4 +138,16 @@ export class UpdatePhoneNumberCommand extends $Command .f(UpdatePhoneNumberRequestFilterSensitiveLog, UpdatePhoneNumberResponseFilterSensitiveLog) .ser(se_UpdatePhoneNumberCommand) .de(de_UpdatePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePhoneNumberRequest; + output: UpdatePhoneNumberResponse; + }; + sdk: { + input: UpdatePhoneNumberCommandInput; + output: UpdatePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdatePhoneNumberSettingsCommand.ts b/clients/client-chime/src/commands/UpdatePhoneNumberSettingsCommand.ts index 1e4155989f98..63d3670258ec 100644 --- a/clients/client-chime/src/commands/UpdatePhoneNumberSettingsCommand.ts +++ b/clients/client-chime/src/commands/UpdatePhoneNumberSettingsCommand.ts @@ -98,4 +98,16 @@ export class UpdatePhoneNumberSettingsCommand extends $Command .f(UpdatePhoneNumberSettingsRequestFilterSensitiveLog, void 0) .ser(se_UpdatePhoneNumberSettingsCommand) .de(de_UpdatePhoneNumberSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePhoneNumberSettingsRequest; + output: {}; + }; + sdk: { + input: UpdatePhoneNumberSettingsCommandInput; + output: UpdatePhoneNumberSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateProxySessionCommand.ts b/clients/client-chime/src/commands/UpdateProxySessionCommand.ts index 661978cc0d38..88081cc0079a 100644 --- a/clients/client-chime/src/commands/UpdateProxySessionCommand.ts +++ b/clients/client-chime/src/commands/UpdateProxySessionCommand.ts @@ -140,4 +140,16 @@ export class UpdateProxySessionCommand extends $Command .f(void 0, UpdateProxySessionResponseFilterSensitiveLog) .ser(se_UpdateProxySessionCommand) .de(de_UpdateProxySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProxySessionRequest; + output: UpdateProxySessionResponse; + }; + sdk: { + input: UpdateProxySessionCommandInput; + output: UpdateProxySessionCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateRoomCommand.ts b/clients/client-chime/src/commands/UpdateRoomCommand.ts index e18cf0cea722..9270893349db 100644 --- a/clients/client-chime/src/commands/UpdateRoomCommand.ts +++ b/clients/client-chime/src/commands/UpdateRoomCommand.ts @@ -112,4 +112,16 @@ export class UpdateRoomCommand extends $Command .f(UpdateRoomRequestFilterSensitiveLog, UpdateRoomResponseFilterSensitiveLog) .ser(se_UpdateRoomCommand) .de(de_UpdateRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoomRequest; + output: UpdateRoomResponse; + }; + sdk: { + input: UpdateRoomCommandInput; + output: UpdateRoomCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateRoomMembershipCommand.ts b/clients/client-chime/src/commands/UpdateRoomMembershipCommand.ts index 2cf8ab9bc2c5..c5851f107f6d 100644 --- a/clients/client-chime/src/commands/UpdateRoomMembershipCommand.ts +++ b/clients/client-chime/src/commands/UpdateRoomMembershipCommand.ts @@ -120,4 +120,16 @@ export class UpdateRoomMembershipCommand extends $Command .f(void 0, UpdateRoomMembershipResponseFilterSensitiveLog) .ser(se_UpdateRoomMembershipCommand) .de(de_UpdateRoomMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoomMembershipRequest; + output: UpdateRoomMembershipResponse; + }; + sdk: { + input: UpdateRoomMembershipCommandInput; + output: UpdateRoomMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateSipMediaApplicationCallCommand.ts b/clients/client-chime/src/commands/UpdateSipMediaApplicationCallCommand.ts index 3aea80ca067d..f27ade732487 100644 --- a/clients/client-chime/src/commands/UpdateSipMediaApplicationCallCommand.ts +++ b/clients/client-chime/src/commands/UpdateSipMediaApplicationCallCommand.ts @@ -126,4 +126,16 @@ export class UpdateSipMediaApplicationCallCommand extends $Command .f(UpdateSipMediaApplicationCallRequestFilterSensitiveLog, void 0) .ser(se_UpdateSipMediaApplicationCallCommand) .de(de_UpdateSipMediaApplicationCallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSipMediaApplicationCallRequest; + output: UpdateSipMediaApplicationCallResponse; + }; + sdk: { + input: UpdateSipMediaApplicationCallCommandInput; + output: UpdateSipMediaApplicationCallCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateSipMediaApplicationCommand.ts b/clients/client-chime/src/commands/UpdateSipMediaApplicationCommand.ts index f2a13061282a..8afa42262ff1 100644 --- a/clients/client-chime/src/commands/UpdateSipMediaApplicationCommand.ts +++ b/clients/client-chime/src/commands/UpdateSipMediaApplicationCommand.ts @@ -133,4 +133,16 @@ export class UpdateSipMediaApplicationCommand extends $Command .f(UpdateSipMediaApplicationRequestFilterSensitiveLog, UpdateSipMediaApplicationResponseFilterSensitiveLog) .ser(se_UpdateSipMediaApplicationCommand) .de(de_UpdateSipMediaApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSipMediaApplicationRequest; + output: UpdateSipMediaApplicationResponse; + }; + sdk: { + input: UpdateSipMediaApplicationCommandInput; + output: UpdateSipMediaApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateSipRuleCommand.ts b/clients/client-chime/src/commands/UpdateSipRuleCommand.ts index 0512c8a4ad71..de68cdae4da9 100644 --- a/clients/client-chime/src/commands/UpdateSipRuleCommand.ts +++ b/clients/client-chime/src/commands/UpdateSipRuleCommand.ts @@ -138,4 +138,16 @@ export class UpdateSipRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSipRuleCommand) .de(de_UpdateSipRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSipRuleRequest; + output: UpdateSipRuleResponse; + }; + sdk: { + input: UpdateSipRuleCommandInput; + output: UpdateSipRuleCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateUserCommand.ts b/clients/client-chime/src/commands/UpdateUserCommand.ts index 7d67121bd7aa..4856fdd984dc 100644 --- a/clients/client-chime/src/commands/UpdateUserCommand.ts +++ b/clients/client-chime/src/commands/UpdateUserCommand.ts @@ -127,4 +127,16 @@ export class UpdateUserCommand extends $Command .f(UpdateUserRequestFilterSensitiveLog, UpdateUserResponseFilterSensitiveLog) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: UpdateUserResponse; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateUserSettingsCommand.ts b/clients/client-chime/src/commands/UpdateUserSettingsCommand.ts index 84a9217c24bf..4451eab6e5c3 100644 --- a/clients/client-chime/src/commands/UpdateUserSettingsCommand.ts +++ b/clients/client-chime/src/commands/UpdateUserSettingsCommand.ts @@ -104,4 +104,16 @@ export class UpdateUserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserSettingsCommand) .de(de_UpdateUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateUserSettingsCommandInput; + output: UpdateUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateVoiceConnectorCommand.ts b/clients/client-chime/src/commands/UpdateVoiceConnectorCommand.ts index 493a40f8ccd2..270ecb76d60b 100644 --- a/clients/client-chime/src/commands/UpdateVoiceConnectorCommand.ts +++ b/clients/client-chime/src/commands/UpdateVoiceConnectorCommand.ts @@ -118,4 +118,16 @@ export class UpdateVoiceConnectorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVoiceConnectorCommand) .de(de_UpdateVoiceConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceConnectorRequest; + output: UpdateVoiceConnectorResponse; + }; + sdk: { + input: UpdateVoiceConnectorCommandInput; + output: UpdateVoiceConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/UpdateVoiceConnectorGroupCommand.ts b/clients/client-chime/src/commands/UpdateVoiceConnectorGroupCommand.ts index 0998ef82525c..44e0c2e11859 100644 --- a/clients/client-chime/src/commands/UpdateVoiceConnectorGroupCommand.ts +++ b/clients/client-chime/src/commands/UpdateVoiceConnectorGroupCommand.ts @@ -131,4 +131,16 @@ export class UpdateVoiceConnectorGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVoiceConnectorGroupCommand) .de(de_UpdateVoiceConnectorGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceConnectorGroupRequest; + output: UpdateVoiceConnectorGroupResponse; + }; + sdk: { + input: UpdateVoiceConnectorGroupCommandInput; + output: UpdateVoiceConnectorGroupCommandOutput; + }; + }; +} diff --git a/clients/client-chime/src/commands/ValidateE911AddressCommand.ts b/clients/client-chime/src/commands/ValidateE911AddressCommand.ts index 51473d2c9fe2..c4f0a5375f2d 100644 --- a/clients/client-chime/src/commands/ValidateE911AddressCommand.ts +++ b/clients/client-chime/src/commands/ValidateE911AddressCommand.ts @@ -145,4 +145,16 @@ export class ValidateE911AddressCommand extends $Command .f(ValidateE911AddressRequestFilterSensitiveLog, ValidateE911AddressResponseFilterSensitiveLog) .ser(se_ValidateE911AddressCommand) .de(de_ValidateE911AddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateE911AddressRequest; + output: ValidateE911AddressResponse; + }; + sdk: { + input: ValidateE911AddressCommandInput; + output: ValidateE911AddressCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/package.json b/clients/client-cleanrooms/package.json index c766ab0959b5..890ad2b99a80 100644 --- a/clients/client-cleanrooms/package.json +++ b/clients/client-cleanrooms/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cleanrooms/src/commands/BatchGetCollaborationAnalysisTemplateCommand.ts b/clients/client-cleanrooms/src/commands/BatchGetCollaborationAnalysisTemplateCommand.ts index 1c541e84dd21..5bce821e5c21 100644 --- a/clients/client-cleanrooms/src/commands/BatchGetCollaborationAnalysisTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/BatchGetCollaborationAnalysisTemplateCommand.ts @@ -151,4 +151,16 @@ export class BatchGetCollaborationAnalysisTemplateCommand extends $Command .f(void 0, BatchGetCollaborationAnalysisTemplateOutputFilterSensitiveLog) .ser(se_BatchGetCollaborationAnalysisTemplateCommand) .de(de_BatchGetCollaborationAnalysisTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetCollaborationAnalysisTemplateInput; + output: BatchGetCollaborationAnalysisTemplateOutput; + }; + sdk: { + input: BatchGetCollaborationAnalysisTemplateCommandInput; + output: BatchGetCollaborationAnalysisTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/BatchGetSchemaAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/BatchGetSchemaAnalysisRuleCommand.ts index c61f63df3855..8d1cf09c1f68 100644 --- a/clients/client-cleanrooms/src/commands/BatchGetSchemaAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/BatchGetSchemaAnalysisRuleCommand.ts @@ -191,4 +191,16 @@ export class BatchGetSchemaAnalysisRuleCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetSchemaAnalysisRuleCommand) .de(de_BatchGetSchemaAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetSchemaAnalysisRuleInput; + output: BatchGetSchemaAnalysisRuleOutput; + }; + sdk: { + input: BatchGetSchemaAnalysisRuleCommandInput; + output: BatchGetSchemaAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/BatchGetSchemaCommand.ts b/clients/client-cleanrooms/src/commands/BatchGetSchemaCommand.ts index 13e986fa17fb..1af90a9bd70e 100644 --- a/clients/client-cleanrooms/src/commands/BatchGetSchemaCommand.ts +++ b/clients/client-cleanrooms/src/commands/BatchGetSchemaCommand.ts @@ -155,4 +155,16 @@ export class BatchGetSchemaCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetSchemaCommand) .de(de_BatchGetSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetSchemaInput; + output: BatchGetSchemaOutput; + }; + sdk: { + input: BatchGetSchemaCommandInput; + output: BatchGetSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateAnalysisTemplateCommand.ts b/clients/client-cleanrooms/src/commands/CreateAnalysisTemplateCommand.ts index 8aefd703cb67..09915baf810a 100644 --- a/clients/client-cleanrooms/src/commands/CreateAnalysisTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateAnalysisTemplateCommand.ts @@ -157,4 +157,16 @@ export class CreateAnalysisTemplateCommand extends $Command .f(CreateAnalysisTemplateInputFilterSensitiveLog, CreateAnalysisTemplateOutputFilterSensitiveLog) .ser(se_CreateAnalysisTemplateCommand) .de(de_CreateAnalysisTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnalysisTemplateInput; + output: CreateAnalysisTemplateOutput; + }; + sdk: { + input: CreateAnalysisTemplateCommandInput; + output: CreateAnalysisTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateCollaborationCommand.ts b/clients/client-cleanrooms/src/commands/CreateCollaborationCommand.ts index fa21c7aa0bd4..e9a446d479c9 100644 --- a/clients/client-cleanrooms/src/commands/CreateCollaborationCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateCollaborationCommand.ts @@ -145,4 +145,16 @@ export class CreateCollaborationCommand extends $Command .f(void 0, void 0) .ser(se_CreateCollaborationCommand) .de(de_CreateCollaborationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCollaborationInput; + output: CreateCollaborationOutput; + }; + sdk: { + input: CreateCollaborationCommandInput; + output: CreateCollaborationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateConfiguredAudienceModelAssociationCommand.ts b/clients/client-cleanrooms/src/commands/CreateConfiguredAudienceModelAssociationCommand.ts index f0b12f903bb0..412ad1151858 100644 --- a/clients/client-cleanrooms/src/commands/CreateConfiguredAudienceModelAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateConfiguredAudienceModelAssociationCommand.ts @@ -127,4 +127,16 @@ export class CreateConfiguredAudienceModelAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfiguredAudienceModelAssociationCommand) .de(de_CreateConfiguredAudienceModelAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfiguredAudienceModelAssociationInput; + output: CreateConfiguredAudienceModelAssociationOutput; + }; + sdk: { + input: CreateConfiguredAudienceModelAssociationCommandInput; + output: CreateConfiguredAudienceModelAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateConfiguredTableAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/CreateConfiguredTableAnalysisRuleCommand.ts index 23a1595d1ff4..5d950e431db2 100644 --- a/clients/client-cleanrooms/src/commands/CreateConfiguredTableAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateConfiguredTableAnalysisRuleCommand.ts @@ -240,4 +240,16 @@ export class CreateConfiguredTableAnalysisRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfiguredTableAnalysisRuleCommand) .de(de_CreateConfiguredTableAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfiguredTableAnalysisRuleInput; + output: CreateConfiguredTableAnalysisRuleOutput; + }; + sdk: { + input: CreateConfiguredTableAnalysisRuleCommandInput; + output: CreateConfiguredTableAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationAnalysisRuleCommand.ts index 76a8ec22e9c4..a371f8f8fa19 100644 --- a/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationAnalysisRuleCommand.ts @@ -169,4 +169,16 @@ export class CreateConfiguredTableAssociationAnalysisRuleCommand extends $Comman .f(void 0, void 0) .ser(se_CreateConfiguredTableAssociationAnalysisRuleCommand) .de(de_CreateConfiguredTableAssociationAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfiguredTableAssociationAnalysisRuleInput; + output: CreateConfiguredTableAssociationAnalysisRuleOutput; + }; + sdk: { + input: CreateConfiguredTableAssociationAnalysisRuleCommandInput; + output: CreateConfiguredTableAssociationAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationCommand.ts b/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationCommand.ts index a50c2b614e9a..821ea31971a6 100644 --- a/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateConfiguredTableAssociationCommand.ts @@ -126,4 +126,16 @@ export class CreateConfiguredTableAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfiguredTableAssociationCommand) .de(de_CreateConfiguredTableAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfiguredTableAssociationInput; + output: CreateConfiguredTableAssociationOutput; + }; + sdk: { + input: CreateConfiguredTableAssociationCommandInput; + output: CreateConfiguredTableAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateConfiguredTableCommand.ts b/clients/client-cleanrooms/src/commands/CreateConfiguredTableCommand.ts index 80ed0403efd7..ccd7a1ac0b3f 100644 --- a/clients/client-cleanrooms/src/commands/CreateConfiguredTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateConfiguredTableCommand.ts @@ -132,4 +132,16 @@ export class CreateConfiguredTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfiguredTableCommand) .de(de_CreateConfiguredTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfiguredTableInput; + output: CreateConfiguredTableOutput; + }; + sdk: { + input: CreateConfiguredTableCommandInput; + output: CreateConfiguredTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateIdMappingTableCommand.ts b/clients/client-cleanrooms/src/commands/CreateIdMappingTableCommand.ts index 5ebcc3a4610c..213af76181d9 100644 --- a/clients/client-cleanrooms/src/commands/CreateIdMappingTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateIdMappingTableCommand.ts @@ -132,4 +132,16 @@ export class CreateIdMappingTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateIdMappingTableCommand) .de(de_CreateIdMappingTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdMappingTableInput; + output: CreateIdMappingTableOutput; + }; + sdk: { + input: CreateIdMappingTableCommandInput; + output: CreateIdMappingTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateIdNamespaceAssociationCommand.ts b/clients/client-cleanrooms/src/commands/CreateIdNamespaceAssociationCommand.ts index 5b344954af99..65473189050d 100644 --- a/clients/client-cleanrooms/src/commands/CreateIdNamespaceAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateIdNamespaceAssociationCommand.ts @@ -139,4 +139,16 @@ export class CreateIdNamespaceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateIdNamespaceAssociationCommand) .de(de_CreateIdNamespaceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdNamespaceAssociationInput; + output: CreateIdNamespaceAssociationOutput; + }; + sdk: { + input: CreateIdNamespaceAssociationCommandInput; + output: CreateIdNamespaceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreateMembershipCommand.ts b/clients/client-cleanrooms/src/commands/CreateMembershipCommand.ts index b398c87c512c..6800037e6db8 100644 --- a/clients/client-cleanrooms/src/commands/CreateMembershipCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreateMembershipCommand.ts @@ -148,4 +148,16 @@ export class CreateMembershipCommand extends $Command .f(void 0, void 0) .ser(se_CreateMembershipCommand) .de(de_CreateMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMembershipInput; + output: CreateMembershipOutput; + }; + sdk: { + input: CreateMembershipCommandInput; + output: CreateMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/CreatePrivacyBudgetTemplateCommand.ts b/clients/client-cleanrooms/src/commands/CreatePrivacyBudgetTemplateCommand.ts index 10bc04bcbf84..3cf83836b44c 100644 --- a/clients/client-cleanrooms/src/commands/CreatePrivacyBudgetTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/CreatePrivacyBudgetTemplateCommand.ts @@ -126,4 +126,16 @@ export class CreatePrivacyBudgetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreatePrivacyBudgetTemplateCommand) .de(de_CreatePrivacyBudgetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePrivacyBudgetTemplateInput; + output: CreatePrivacyBudgetTemplateOutput; + }; + sdk: { + input: CreatePrivacyBudgetTemplateCommandInput; + output: CreatePrivacyBudgetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteAnalysisTemplateCommand.ts b/clients/client-cleanrooms/src/commands/DeleteAnalysisTemplateCommand.ts index 95e5fa32ec83..397347e7fb91 100644 --- a/clients/client-cleanrooms/src/commands/DeleteAnalysisTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteAnalysisTemplateCommand.ts @@ -91,4 +91,16 @@ export class DeleteAnalysisTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnalysisTemplateCommand) .de(de_DeleteAnalysisTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnalysisTemplateInput; + output: {}; + }; + sdk: { + input: DeleteAnalysisTemplateCommandInput; + output: DeleteAnalysisTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteCollaborationCommand.ts b/clients/client-cleanrooms/src/commands/DeleteCollaborationCommand.ts index a3aba31800c5..3bc151cc287e 100644 --- a/clients/client-cleanrooms/src/commands/DeleteCollaborationCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteCollaborationCommand.ts @@ -87,4 +87,16 @@ export class DeleteCollaborationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCollaborationCommand) .de(de_DeleteCollaborationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCollaborationInput; + output: {}; + }; + sdk: { + input: DeleteCollaborationCommandInput; + output: DeleteCollaborationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteConfiguredAudienceModelAssociationCommand.ts b/clients/client-cleanrooms/src/commands/DeleteConfiguredAudienceModelAssociationCommand.ts index 35f89cf4164e..b148d89d3331 100644 --- a/clients/client-cleanrooms/src/commands/DeleteConfiguredAudienceModelAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteConfiguredAudienceModelAssociationCommand.ts @@ -100,4 +100,16 @@ export class DeleteConfiguredAudienceModelAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfiguredAudienceModelAssociationCommand) .de(de_DeleteConfiguredAudienceModelAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfiguredAudienceModelAssociationInput; + output: {}; + }; + sdk: { + input: DeleteConfiguredAudienceModelAssociationCommandInput; + output: DeleteConfiguredAudienceModelAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAnalysisRuleCommand.ts index 666a110c69e7..979bdfad573d 100644 --- a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAnalysisRuleCommand.ts @@ -99,4 +99,16 @@ export class DeleteConfiguredTableAnalysisRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfiguredTableAnalysisRuleCommand) .de(de_DeleteConfiguredTableAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfiguredTableAnalysisRuleInput; + output: {}; + }; + sdk: { + input: DeleteConfiguredTableAnalysisRuleCommandInput; + output: DeleteConfiguredTableAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationAnalysisRuleCommand.ts index 3b9d1ce50876..b26533e10c4a 100644 --- a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationAnalysisRuleCommand.ts @@ -105,4 +105,16 @@ export class DeleteConfiguredTableAssociationAnalysisRuleCommand extends $Comman .f(void 0, void 0) .ser(se_DeleteConfiguredTableAssociationAnalysisRuleCommand) .de(de_DeleteConfiguredTableAssociationAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfiguredTableAssociationAnalysisRuleInput; + output: {}; + }; + sdk: { + input: DeleteConfiguredTableAssociationAnalysisRuleCommandInput; + output: DeleteConfiguredTableAssociationAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationCommand.ts b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationCommand.ts index 88549b352209..06e95857502d 100644 --- a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableAssociationCommand.ts @@ -99,4 +99,16 @@ export class DeleteConfiguredTableAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfiguredTableAssociationCommand) .de(de_DeleteConfiguredTableAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfiguredTableAssociationInput; + output: {}; + }; + sdk: { + input: DeleteConfiguredTableAssociationCommandInput; + output: DeleteConfiguredTableAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableCommand.ts b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableCommand.ts index 1302df6be140..74f29605d3cd 100644 --- a/clients/client-cleanrooms/src/commands/DeleteConfiguredTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteConfiguredTableCommand.ts @@ -93,4 +93,16 @@ export class DeleteConfiguredTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfiguredTableCommand) .de(de_DeleteConfiguredTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfiguredTableInput; + output: {}; + }; + sdk: { + input: DeleteConfiguredTableCommandInput; + output: DeleteConfiguredTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteIdMappingTableCommand.ts b/clients/client-cleanrooms/src/commands/DeleteIdMappingTableCommand.ts index cc240f975a69..07f4960efeef 100644 --- a/clients/client-cleanrooms/src/commands/DeleteIdMappingTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteIdMappingTableCommand.ts @@ -91,4 +91,16 @@ export class DeleteIdMappingTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdMappingTableCommand) .de(de_DeleteIdMappingTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdMappingTableInput; + output: {}; + }; + sdk: { + input: DeleteIdMappingTableCommandInput; + output: DeleteIdMappingTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteIdNamespaceAssociationCommand.ts b/clients/client-cleanrooms/src/commands/DeleteIdNamespaceAssociationCommand.ts index d520110a72db..84f63b53beea 100644 --- a/clients/client-cleanrooms/src/commands/DeleteIdNamespaceAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteIdNamespaceAssociationCommand.ts @@ -96,4 +96,16 @@ export class DeleteIdNamespaceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdNamespaceAssociationCommand) .de(de_DeleteIdNamespaceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdNamespaceAssociationInput; + output: {}; + }; + sdk: { + input: DeleteIdNamespaceAssociationCommandInput; + output: DeleteIdNamespaceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteMemberCommand.ts b/clients/client-cleanrooms/src/commands/DeleteMemberCommand.ts index e2872b6ac7cb..9ec8d6b80ea9 100644 --- a/clients/client-cleanrooms/src/commands/DeleteMemberCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteMemberCommand.ts @@ -96,4 +96,16 @@ export class DeleteMemberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMemberCommand) .de(de_DeleteMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMemberInput; + output: {}; + }; + sdk: { + input: DeleteMemberCommandInput; + output: DeleteMemberCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeleteMembershipCommand.ts b/clients/client-cleanrooms/src/commands/DeleteMembershipCommand.ts index fce59d8b34af..b318e3944b04 100644 --- a/clients/client-cleanrooms/src/commands/DeleteMembershipCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeleteMembershipCommand.ts @@ -93,4 +93,16 @@ export class DeleteMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMembershipCommand) .de(de_DeleteMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMembershipInput; + output: {}; + }; + sdk: { + input: DeleteMembershipCommandInput; + output: DeleteMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/DeletePrivacyBudgetTemplateCommand.ts b/clients/client-cleanrooms/src/commands/DeletePrivacyBudgetTemplateCommand.ts index b5c732848bff..77f46c200d06 100644 --- a/clients/client-cleanrooms/src/commands/DeletePrivacyBudgetTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/DeletePrivacyBudgetTemplateCommand.ts @@ -94,4 +94,16 @@ export class DeletePrivacyBudgetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeletePrivacyBudgetTemplateCommand) .de(de_DeletePrivacyBudgetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePrivacyBudgetTemplateInput; + output: {}; + }; + sdk: { + input: DeletePrivacyBudgetTemplateCommandInput; + output: DeletePrivacyBudgetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetAnalysisTemplateCommand.ts b/clients/client-cleanrooms/src/commands/GetAnalysisTemplateCommand.ts index f7bb70d1e970..958a319e4769 100644 --- a/clients/client-cleanrooms/src/commands/GetAnalysisTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetAnalysisTemplateCommand.ts @@ -135,4 +135,16 @@ export class GetAnalysisTemplateCommand extends $Command .f(void 0, GetAnalysisTemplateOutputFilterSensitiveLog) .ser(se_GetAnalysisTemplateCommand) .de(de_GetAnalysisTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnalysisTemplateInput; + output: GetAnalysisTemplateOutput; + }; + sdk: { + input: GetAnalysisTemplateCommandInput; + output: GetAnalysisTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetCollaborationAnalysisTemplateCommand.ts b/clients/client-cleanrooms/src/commands/GetCollaborationAnalysisTemplateCommand.ts index b778a5831960..e886f5810e06 100644 --- a/clients/client-cleanrooms/src/commands/GetCollaborationAnalysisTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetCollaborationAnalysisTemplateCommand.ts @@ -139,4 +139,16 @@ export class GetCollaborationAnalysisTemplateCommand extends $Command .f(void 0, GetCollaborationAnalysisTemplateOutputFilterSensitiveLog) .ser(se_GetCollaborationAnalysisTemplateCommand) .de(de_GetCollaborationAnalysisTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCollaborationAnalysisTemplateInput; + output: GetCollaborationAnalysisTemplateOutput; + }; + sdk: { + input: GetCollaborationAnalysisTemplateCommandInput; + output: GetCollaborationAnalysisTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetCollaborationCommand.ts b/clients/client-cleanrooms/src/commands/GetCollaborationCommand.ts index b47166e36351..6647fdd38876 100644 --- a/clients/client-cleanrooms/src/commands/GetCollaborationCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetCollaborationCommand.ts @@ -108,4 +108,16 @@ export class GetCollaborationCommand extends $Command .f(void 0, void 0) .ser(se_GetCollaborationCommand) .de(de_GetCollaborationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCollaborationInput; + output: GetCollaborationOutput; + }; + sdk: { + input: GetCollaborationCommandInput; + output: GetCollaborationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetCollaborationConfiguredAudienceModelAssociationCommand.ts b/clients/client-cleanrooms/src/commands/GetCollaborationConfiguredAudienceModelAssociationCommand.ts index e24c145cd136..5f4a1e25c6d7 100644 --- a/clients/client-cleanrooms/src/commands/GetCollaborationConfiguredAudienceModelAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetCollaborationConfiguredAudienceModelAssociationCommand.ts @@ -113,4 +113,16 @@ export class GetCollaborationConfiguredAudienceModelAssociationCommand extends $ .f(void 0, void 0) .ser(se_GetCollaborationConfiguredAudienceModelAssociationCommand) .de(de_GetCollaborationConfiguredAudienceModelAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCollaborationConfiguredAudienceModelAssociationInput; + output: GetCollaborationConfiguredAudienceModelAssociationOutput; + }; + sdk: { + input: GetCollaborationConfiguredAudienceModelAssociationCommandInput; + output: GetCollaborationConfiguredAudienceModelAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetCollaborationIdNamespaceAssociationCommand.ts b/clients/client-cleanrooms/src/commands/GetCollaborationIdNamespaceAssociationCommand.ts index e8df308aa66b..ab882f171523 100644 --- a/clients/client-cleanrooms/src/commands/GetCollaborationIdNamespaceAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetCollaborationIdNamespaceAssociationCommand.ts @@ -125,4 +125,16 @@ export class GetCollaborationIdNamespaceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetCollaborationIdNamespaceAssociationCommand) .de(de_GetCollaborationIdNamespaceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCollaborationIdNamespaceAssociationInput; + output: GetCollaborationIdNamespaceAssociationOutput; + }; + sdk: { + input: GetCollaborationIdNamespaceAssociationCommandInput; + output: GetCollaborationIdNamespaceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetCollaborationPrivacyBudgetTemplateCommand.ts b/clients/client-cleanrooms/src/commands/GetCollaborationPrivacyBudgetTemplateCommand.ts index a61ac1902a17..31710d565132 100644 --- a/clients/client-cleanrooms/src/commands/GetCollaborationPrivacyBudgetTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetCollaborationPrivacyBudgetTemplateCommand.ts @@ -117,4 +117,16 @@ export class GetCollaborationPrivacyBudgetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetCollaborationPrivacyBudgetTemplateCommand) .de(de_GetCollaborationPrivacyBudgetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCollaborationPrivacyBudgetTemplateInput; + output: GetCollaborationPrivacyBudgetTemplateOutput; + }; + sdk: { + input: GetCollaborationPrivacyBudgetTemplateCommandInput; + output: GetCollaborationPrivacyBudgetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetConfiguredAudienceModelAssociationCommand.ts b/clients/client-cleanrooms/src/commands/GetConfiguredAudienceModelAssociationCommand.ts index 2d79eb3cdaa5..4514e0443f67 100644 --- a/clients/client-cleanrooms/src/commands/GetConfiguredAudienceModelAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetConfiguredAudienceModelAssociationCommand.ts @@ -114,4 +114,16 @@ export class GetConfiguredAudienceModelAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetConfiguredAudienceModelAssociationCommand) .de(de_GetConfiguredAudienceModelAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfiguredAudienceModelAssociationInput; + output: GetConfiguredAudienceModelAssociationOutput; + }; + sdk: { + input: GetConfiguredAudienceModelAssociationCommandInput; + output: GetConfiguredAudienceModelAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetConfiguredTableAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/GetConfiguredTableAnalysisRuleCommand.ts index 4b3656351b13..872551542eca 100644 --- a/clients/client-cleanrooms/src/commands/GetConfiguredTableAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetConfiguredTableAnalysisRuleCommand.ts @@ -170,4 +170,16 @@ export class GetConfiguredTableAnalysisRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetConfiguredTableAnalysisRuleCommand) .de(de_GetConfiguredTableAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfiguredTableAnalysisRuleInput; + output: GetConfiguredTableAnalysisRuleOutput; + }; + sdk: { + input: GetConfiguredTableAnalysisRuleCommandInput; + output: GetConfiguredTableAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationAnalysisRuleCommand.ts index 4811f722a63d..fb5465d545a3 100644 --- a/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationAnalysisRuleCommand.ts @@ -140,4 +140,16 @@ export class GetConfiguredTableAssociationAnalysisRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetConfiguredTableAssociationAnalysisRuleCommand) .de(de_GetConfiguredTableAssociationAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfiguredTableAssociationAnalysisRuleInput; + output: GetConfiguredTableAssociationAnalysisRuleOutput; + }; + sdk: { + input: GetConfiguredTableAssociationAnalysisRuleCommandInput; + output: GetConfiguredTableAssociationAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationCommand.ts b/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationCommand.ts index e7e3c56161ad..17a95ce10dd8 100644 --- a/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetConfiguredTableAssociationCommand.ts @@ -113,4 +113,16 @@ export class GetConfiguredTableAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetConfiguredTableAssociationCommand) .de(de_GetConfiguredTableAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfiguredTableAssociationInput; + output: GetConfiguredTableAssociationOutput; + }; + sdk: { + input: GetConfiguredTableAssociationCommandInput; + output: GetConfiguredTableAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetConfiguredTableCommand.ts b/clients/client-cleanrooms/src/commands/GetConfiguredTableCommand.ts index 603671f18dd9..1a40190fe8f3 100644 --- a/clients/client-cleanrooms/src/commands/GetConfiguredTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetConfiguredTableCommand.ts @@ -112,4 +112,16 @@ export class GetConfiguredTableCommand extends $Command .f(void 0, void 0) .ser(se_GetConfiguredTableCommand) .de(de_GetConfiguredTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfiguredTableInput; + output: GetConfiguredTableOutput; + }; + sdk: { + input: GetConfiguredTableCommandInput; + output: GetConfiguredTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetIdMappingTableCommand.ts b/clients/client-cleanrooms/src/commands/GetIdMappingTableCommand.ts index 428cddfd3d19..f162f9b3244b 100644 --- a/clients/client-cleanrooms/src/commands/GetIdMappingTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetIdMappingTableCommand.ts @@ -117,4 +117,16 @@ export class GetIdMappingTableCommand extends $Command .f(void 0, void 0) .ser(se_GetIdMappingTableCommand) .de(de_GetIdMappingTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdMappingTableInput; + output: GetIdMappingTableOutput; + }; + sdk: { + input: GetIdMappingTableCommandInput; + output: GetIdMappingTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetIdNamespaceAssociationCommand.ts b/clients/client-cleanrooms/src/commands/GetIdNamespaceAssociationCommand.ts index e07d5d9cbdc9..0826dee8c3d0 100644 --- a/clients/client-cleanrooms/src/commands/GetIdNamespaceAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetIdNamespaceAssociationCommand.ts @@ -117,4 +117,16 @@ export class GetIdNamespaceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetIdNamespaceAssociationCommand) .de(de_GetIdNamespaceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdNamespaceAssociationInput; + output: GetIdNamespaceAssociationOutput; + }; + sdk: { + input: GetIdNamespaceAssociationCommandInput; + output: GetIdNamespaceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetMembershipCommand.ts b/clients/client-cleanrooms/src/commands/GetMembershipCommand.ts index 1757d06f2f10..de3bf549a7de 100644 --- a/clients/client-cleanrooms/src/commands/GetMembershipCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetMembershipCommand.ts @@ -122,4 +122,16 @@ export class GetMembershipCommand extends $Command .f(void 0, void 0) .ser(se_GetMembershipCommand) .de(de_GetMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMembershipInput; + output: GetMembershipOutput; + }; + sdk: { + input: GetMembershipCommandInput; + output: GetMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetPrivacyBudgetTemplateCommand.ts b/clients/client-cleanrooms/src/commands/GetPrivacyBudgetTemplateCommand.ts index 5f392a6613ec..e5e68153cc65 100644 --- a/clients/client-cleanrooms/src/commands/GetPrivacyBudgetTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetPrivacyBudgetTemplateCommand.ts @@ -110,4 +110,16 @@ export class GetPrivacyBudgetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetPrivacyBudgetTemplateCommand) .de(de_GetPrivacyBudgetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPrivacyBudgetTemplateInput; + output: GetPrivacyBudgetTemplateOutput; + }; + sdk: { + input: GetPrivacyBudgetTemplateCommandInput; + output: GetPrivacyBudgetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetProtectedQueryCommand.ts b/clients/client-cleanrooms/src/commands/GetProtectedQueryCommand.ts index 68d98d94b643..8c96055437ae 100644 --- a/clients/client-cleanrooms/src/commands/GetProtectedQueryCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetProtectedQueryCommand.ts @@ -152,4 +152,16 @@ export class GetProtectedQueryCommand extends $Command .f(void 0, GetProtectedQueryOutputFilterSensitiveLog) .ser(se_GetProtectedQueryCommand) .de(de_GetProtectedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProtectedQueryInput; + output: GetProtectedQueryOutput; + }; + sdk: { + input: GetProtectedQueryCommandInput; + output: GetProtectedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetSchemaAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/GetSchemaAnalysisRuleCommand.ts index 8f2902605876..d3d266f2f61c 100644 --- a/clients/client-cleanrooms/src/commands/GetSchemaAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetSchemaAnalysisRuleCommand.ts @@ -177,4 +177,16 @@ export class GetSchemaAnalysisRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaAnalysisRuleCommand) .de(de_GetSchemaAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaAnalysisRuleInput; + output: GetSchemaAnalysisRuleOutput; + }; + sdk: { + input: GetSchemaAnalysisRuleCommandInput; + output: GetSchemaAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/GetSchemaCommand.ts b/clients/client-cleanrooms/src/commands/GetSchemaCommand.ts index 0665c1fb7e4a..f2b217c37f59 100644 --- a/clients/client-cleanrooms/src/commands/GetSchemaCommand.ts +++ b/clients/client-cleanrooms/src/commands/GetSchemaCommand.ts @@ -144,4 +144,16 @@ export class GetSchemaCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaCommand) .de(de_GetSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaInput; + output: GetSchemaOutput; + }; + sdk: { + input: GetSchemaCommandInput; + output: GetSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListAnalysisTemplatesCommand.ts b/clients/client-cleanrooms/src/commands/ListAnalysisTemplatesCommand.ts index 3a05ae674e0c..0668ca2d6a3f 100644 --- a/clients/client-cleanrooms/src/commands/ListAnalysisTemplatesCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListAnalysisTemplatesCommand.ts @@ -108,4 +108,16 @@ export class ListAnalysisTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListAnalysisTemplatesCommand) .de(de_ListAnalysisTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnalysisTemplatesInput; + output: ListAnalysisTemplatesOutput; + }; + sdk: { + input: ListAnalysisTemplatesCommandInput; + output: ListAnalysisTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListCollaborationAnalysisTemplatesCommand.ts b/clients/client-cleanrooms/src/commands/ListCollaborationAnalysisTemplatesCommand.ts index e71a0340f511..31a6ea35a9f3 100644 --- a/clients/client-cleanrooms/src/commands/ListCollaborationAnalysisTemplatesCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListCollaborationAnalysisTemplatesCommand.ts @@ -112,4 +112,16 @@ export class ListCollaborationAnalysisTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCollaborationAnalysisTemplatesCommand) .de(de_ListCollaborationAnalysisTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollaborationAnalysisTemplatesInput; + output: ListCollaborationAnalysisTemplatesOutput; + }; + sdk: { + input: ListCollaborationAnalysisTemplatesCommandInput; + output: ListCollaborationAnalysisTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListCollaborationConfiguredAudienceModelAssociationsCommand.ts b/clients/client-cleanrooms/src/commands/ListCollaborationConfiguredAudienceModelAssociationsCommand.ts index 941e6a01393c..2ab7ea2c4d43 100644 --- a/clients/client-cleanrooms/src/commands/ListCollaborationConfiguredAudienceModelAssociationsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListCollaborationConfiguredAudienceModelAssociationsCommand.ts @@ -116,4 +116,16 @@ export class ListCollaborationConfiguredAudienceModelAssociationsCommand extends .f(void 0, void 0) .ser(se_ListCollaborationConfiguredAudienceModelAssociationsCommand) .de(de_ListCollaborationConfiguredAudienceModelAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollaborationConfiguredAudienceModelAssociationsInput; + output: ListCollaborationConfiguredAudienceModelAssociationsOutput; + }; + sdk: { + input: ListCollaborationConfiguredAudienceModelAssociationsCommandInput; + output: ListCollaborationConfiguredAudienceModelAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListCollaborationIdNamespaceAssociationsCommand.ts b/clients/client-cleanrooms/src/commands/ListCollaborationIdNamespaceAssociationsCommand.ts index 81bbd6a90fa9..e32399f04d04 100644 --- a/clients/client-cleanrooms/src/commands/ListCollaborationIdNamespaceAssociationsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListCollaborationIdNamespaceAssociationsCommand.ts @@ -123,4 +123,16 @@ export class ListCollaborationIdNamespaceAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCollaborationIdNamespaceAssociationsCommand) .de(de_ListCollaborationIdNamespaceAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollaborationIdNamespaceAssociationsInput; + output: ListCollaborationIdNamespaceAssociationsOutput; + }; + sdk: { + input: ListCollaborationIdNamespaceAssociationsCommandInput; + output: ListCollaborationIdNamespaceAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetTemplatesCommand.ts b/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetTemplatesCommand.ts index 99f1e13622ac..5356be18b373 100644 --- a/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetTemplatesCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetTemplatesCommand.ts @@ -115,4 +115,16 @@ export class ListCollaborationPrivacyBudgetTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCollaborationPrivacyBudgetTemplatesCommand) .de(de_ListCollaborationPrivacyBudgetTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollaborationPrivacyBudgetTemplatesInput; + output: ListCollaborationPrivacyBudgetTemplatesOutput; + }; + sdk: { + input: ListCollaborationPrivacyBudgetTemplatesCommandInput; + output: ListCollaborationPrivacyBudgetTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetsCommand.ts b/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetsCommand.ts index 7a4d3ef08999..e43cd209d56e 100644 --- a/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListCollaborationPrivacyBudgetsCommand.ts @@ -125,4 +125,16 @@ export class ListCollaborationPrivacyBudgetsCommand extends $Command .f(void 0, void 0) .ser(se_ListCollaborationPrivacyBudgetsCommand) .de(de_ListCollaborationPrivacyBudgetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollaborationPrivacyBudgetsInput; + output: ListCollaborationPrivacyBudgetsOutput; + }; + sdk: { + input: ListCollaborationPrivacyBudgetsCommandInput; + output: ListCollaborationPrivacyBudgetsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListCollaborationsCommand.ts b/clients/client-cleanrooms/src/commands/ListCollaborationsCommand.ts index 4febdc5464b7..d12cea743aec 100644 --- a/clients/client-cleanrooms/src/commands/ListCollaborationsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListCollaborationsCommand.ts @@ -105,4 +105,16 @@ export class ListCollaborationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCollaborationsCommand) .de(de_ListCollaborationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollaborationsInput; + output: ListCollaborationsOutput; + }; + sdk: { + input: ListCollaborationsCommandInput; + output: ListCollaborationsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListConfiguredAudienceModelAssociationsCommand.ts b/clients/client-cleanrooms/src/commands/ListConfiguredAudienceModelAssociationsCommand.ts index 21929e7eaa50..5e9f85489054 100644 --- a/clients/client-cleanrooms/src/commands/ListConfiguredAudienceModelAssociationsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListConfiguredAudienceModelAssociationsCommand.ts @@ -118,4 +118,16 @@ export class ListConfiguredAudienceModelAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfiguredAudienceModelAssociationsCommand) .de(de_ListConfiguredAudienceModelAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfiguredAudienceModelAssociationsInput; + output: ListConfiguredAudienceModelAssociationsOutput; + }; + sdk: { + input: ListConfiguredAudienceModelAssociationsCommandInput; + output: ListConfiguredAudienceModelAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListConfiguredTableAssociationsCommand.ts b/clients/client-cleanrooms/src/commands/ListConfiguredTableAssociationsCommand.ts index fb900a9fadd8..4143bbf50784 100644 --- a/clients/client-cleanrooms/src/commands/ListConfiguredTableAssociationsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListConfiguredTableAssociationsCommand.ts @@ -111,4 +111,16 @@ export class ListConfiguredTableAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfiguredTableAssociationsCommand) .de(de_ListConfiguredTableAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfiguredTableAssociationsInput; + output: ListConfiguredTableAssociationsOutput; + }; + sdk: { + input: ListConfiguredTableAssociationsCommandInput; + output: ListConfiguredTableAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListConfiguredTablesCommand.ts b/clients/client-cleanrooms/src/commands/ListConfiguredTablesCommand.ts index 177d1c8743e0..17a39a927323 100644 --- a/clients/client-cleanrooms/src/commands/ListConfiguredTablesCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListConfiguredTablesCommand.ts @@ -103,4 +103,16 @@ export class ListConfiguredTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListConfiguredTablesCommand) .de(de_ListConfiguredTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfiguredTablesInput; + output: ListConfiguredTablesOutput; + }; + sdk: { + input: ListConfiguredTablesCommandInput; + output: ListConfiguredTablesCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListIdMappingTablesCommand.ts b/clients/client-cleanrooms/src/commands/ListIdMappingTablesCommand.ts index fb89a94b31b9..ffe574c5fb1d 100644 --- a/clients/client-cleanrooms/src/commands/ListIdMappingTablesCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListIdMappingTablesCommand.ts @@ -112,4 +112,16 @@ export class ListIdMappingTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListIdMappingTablesCommand) .de(de_ListIdMappingTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdMappingTablesInput; + output: ListIdMappingTablesOutput; + }; + sdk: { + input: ListIdMappingTablesCommandInput; + output: ListIdMappingTablesCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListIdNamespaceAssociationsCommand.ts b/clients/client-cleanrooms/src/commands/ListIdNamespaceAssociationsCommand.ts index 11fd229ea2ed..e0c53bb44309 100644 --- a/clients/client-cleanrooms/src/commands/ListIdNamespaceAssociationsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListIdNamespaceAssociationsCommand.ts @@ -118,4 +118,16 @@ export class ListIdNamespaceAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListIdNamespaceAssociationsCommand) .de(de_ListIdNamespaceAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdNamespaceAssociationsInput; + output: ListIdNamespaceAssociationsOutput; + }; + sdk: { + input: ListIdNamespaceAssociationsCommandInput; + output: ListIdNamespaceAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListMembersCommand.ts b/clients/client-cleanrooms/src/commands/ListMembersCommand.ts index 2595f51ea1f1..ef31aa874aa6 100644 --- a/clients/client-cleanrooms/src/commands/ListMembersCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListMembersCommand.ts @@ -113,4 +113,16 @@ export class ListMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListMembersCommand) .de(de_ListMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembersInput; + output: ListMembersOutput; + }; + sdk: { + input: ListMembersCommandInput; + output: ListMembersCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListMembershipsCommand.ts b/clients/client-cleanrooms/src/commands/ListMembershipsCommand.ts index 885e997efc47..bdb24c20fcaa 100644 --- a/clients/client-cleanrooms/src/commands/ListMembershipsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListMembershipsCommand.ts @@ -113,4 +113,16 @@ export class ListMembershipsCommand extends $Command .f(void 0, void 0) .ser(se_ListMembershipsCommand) .de(de_ListMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembershipsInput; + output: ListMembershipsOutput; + }; + sdk: { + input: ListMembershipsCommandInput; + output: ListMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListPrivacyBudgetTemplatesCommand.ts b/clients/client-cleanrooms/src/commands/ListPrivacyBudgetTemplatesCommand.ts index 36ed5dc4f03f..c552471164ae 100644 --- a/clients/client-cleanrooms/src/commands/ListPrivacyBudgetTemplatesCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListPrivacyBudgetTemplatesCommand.ts @@ -107,4 +107,16 @@ export class ListPrivacyBudgetTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListPrivacyBudgetTemplatesCommand) .de(de_ListPrivacyBudgetTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrivacyBudgetTemplatesInput; + output: ListPrivacyBudgetTemplatesOutput; + }; + sdk: { + input: ListPrivacyBudgetTemplatesCommandInput; + output: ListPrivacyBudgetTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListPrivacyBudgetsCommand.ts b/clients/client-cleanrooms/src/commands/ListPrivacyBudgetsCommand.ts index 145d37cfb192..497feef6b037 100644 --- a/clients/client-cleanrooms/src/commands/ListPrivacyBudgetsCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListPrivacyBudgetsCommand.ts @@ -121,4 +121,16 @@ export class ListPrivacyBudgetsCommand extends $Command .f(void 0, void 0) .ser(se_ListPrivacyBudgetsCommand) .de(de_ListPrivacyBudgetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrivacyBudgetsInput; + output: ListPrivacyBudgetsOutput; + }; + sdk: { + input: ListPrivacyBudgetsCommandInput; + output: ListPrivacyBudgetsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListProtectedQueriesCommand.ts b/clients/client-cleanrooms/src/commands/ListProtectedQueriesCommand.ts index af9cad92289b..71a601dc70d6 100644 --- a/clients/client-cleanrooms/src/commands/ListProtectedQueriesCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListProtectedQueriesCommand.ts @@ -116,4 +116,16 @@ export class ListProtectedQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListProtectedQueriesCommand) .de(de_ListProtectedQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProtectedQueriesInput; + output: ListProtectedQueriesOutput; + }; + sdk: { + input: ListProtectedQueriesCommandInput; + output: ListProtectedQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListSchemasCommand.ts b/clients/client-cleanrooms/src/commands/ListSchemasCommand.ts index c293492e151c..b23100911cd7 100644 --- a/clients/client-cleanrooms/src/commands/ListSchemasCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListSchemasCommand.ts @@ -110,4 +110,16 @@ export class ListSchemasCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemasCommand) .de(de_ListSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemasInput; + output: ListSchemasOutput; + }; + sdk: { + input: ListSchemasCommandInput; + output: ListSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/ListTagsForResourceCommand.ts b/clients/client-cleanrooms/src/commands/ListTagsForResourceCommand.ts index cb05647fc3ad..4d68d43d0c47 100644 --- a/clients/client-cleanrooms/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cleanrooms/src/commands/ListTagsForResourceCommand.ts @@ -85,4 +85,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/PopulateIdMappingTableCommand.ts b/clients/client-cleanrooms/src/commands/PopulateIdMappingTableCommand.ts index 928b05292aed..4dd41ffd2e58 100644 --- a/clients/client-cleanrooms/src/commands/PopulateIdMappingTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/PopulateIdMappingTableCommand.ts @@ -96,4 +96,16 @@ export class PopulateIdMappingTableCommand extends $Command .f(void 0, void 0) .ser(se_PopulateIdMappingTableCommand) .de(de_PopulateIdMappingTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PopulateIdMappingTableInput; + output: PopulateIdMappingTableOutput; + }; + sdk: { + input: PopulateIdMappingTableCommandInput; + output: PopulateIdMappingTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/PreviewPrivacyImpactCommand.ts b/clients/client-cleanrooms/src/commands/PreviewPrivacyImpactCommand.ts index 3de9add0871e..f3bfc5adc186 100644 --- a/clients/client-cleanrooms/src/commands/PreviewPrivacyImpactCommand.ts +++ b/clients/client-cleanrooms/src/commands/PreviewPrivacyImpactCommand.ts @@ -107,4 +107,16 @@ export class PreviewPrivacyImpactCommand extends $Command .f(void 0, void 0) .ser(se_PreviewPrivacyImpactCommand) .de(de_PreviewPrivacyImpactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PreviewPrivacyImpactInput; + output: PreviewPrivacyImpactOutput; + }; + sdk: { + input: PreviewPrivacyImpactCommandInput; + output: PreviewPrivacyImpactCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/StartProtectedQueryCommand.ts b/clients/client-cleanrooms/src/commands/StartProtectedQueryCommand.ts index 3b435f1ea1f3..8f16dc509921 100644 --- a/clients/client-cleanrooms/src/commands/StartProtectedQueryCommand.ts +++ b/clients/client-cleanrooms/src/commands/StartProtectedQueryCommand.ts @@ -175,4 +175,16 @@ export class StartProtectedQueryCommand extends $Command .f(StartProtectedQueryInputFilterSensitiveLog, StartProtectedQueryOutputFilterSensitiveLog) .ser(se_StartProtectedQueryCommand) .de(de_StartProtectedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartProtectedQueryInput; + output: StartProtectedQueryOutput; + }; + sdk: { + input: StartProtectedQueryCommandInput; + output: StartProtectedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/TagResourceCommand.ts b/clients/client-cleanrooms/src/commands/TagResourceCommand.ts index 61e443119a16..a056b71bb7e5 100644 --- a/clients/client-cleanrooms/src/commands/TagResourceCommand.ts +++ b/clients/client-cleanrooms/src/commands/TagResourceCommand.ts @@ -84,4 +84,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UntagResourceCommand.ts b/clients/client-cleanrooms/src/commands/UntagResourceCommand.ts index 27ad21107054..272e061794cb 100644 --- a/clients/client-cleanrooms/src/commands/UntagResourceCommand.ts +++ b/clients/client-cleanrooms/src/commands/UntagResourceCommand.ts @@ -84,4 +84,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateAnalysisTemplateCommand.ts b/clients/client-cleanrooms/src/commands/UpdateAnalysisTemplateCommand.ts index c2142a9cfaec..3898a93bda2a 100644 --- a/clients/client-cleanrooms/src/commands/UpdateAnalysisTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateAnalysisTemplateCommand.ts @@ -136,4 +136,16 @@ export class UpdateAnalysisTemplateCommand extends $Command .f(void 0, UpdateAnalysisTemplateOutputFilterSensitiveLog) .ser(se_UpdateAnalysisTemplateCommand) .de(de_UpdateAnalysisTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnalysisTemplateInput; + output: UpdateAnalysisTemplateOutput; + }; + sdk: { + input: UpdateAnalysisTemplateCommandInput; + output: UpdateAnalysisTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateCollaborationCommand.ts b/clients/client-cleanrooms/src/commands/UpdateCollaborationCommand.ts index c827fe66ceb8..558a0fbdea76 100644 --- a/clients/client-cleanrooms/src/commands/UpdateCollaborationCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateCollaborationCommand.ts @@ -110,4 +110,16 @@ export class UpdateCollaborationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCollaborationCommand) .de(de_UpdateCollaborationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCollaborationInput; + output: UpdateCollaborationOutput; + }; + sdk: { + input: UpdateCollaborationCommandInput; + output: UpdateCollaborationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateConfiguredAudienceModelAssociationCommand.ts b/clients/client-cleanrooms/src/commands/UpdateConfiguredAudienceModelAssociationCommand.ts index c46c98648c48..01b1aa053275 100644 --- a/clients/client-cleanrooms/src/commands/UpdateConfiguredAudienceModelAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateConfiguredAudienceModelAssociationCommand.ts @@ -117,4 +117,16 @@ export class UpdateConfiguredAudienceModelAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfiguredAudienceModelAssociationCommand) .de(de_UpdateConfiguredAudienceModelAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfiguredAudienceModelAssociationInput; + output: UpdateConfiguredAudienceModelAssociationOutput; + }; + sdk: { + input: UpdateConfiguredAudienceModelAssociationCommandInput; + output: UpdateConfiguredAudienceModelAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAnalysisRuleCommand.ts index d7b9367fe256..99518720eb66 100644 --- a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAnalysisRuleCommand.ts @@ -239,4 +239,16 @@ export class UpdateConfiguredTableAnalysisRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfiguredTableAnalysisRuleCommand) .de(de_UpdateConfiguredTableAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfiguredTableAnalysisRuleInput; + output: UpdateConfiguredTableAnalysisRuleOutput; + }; + sdk: { + input: UpdateConfiguredTableAnalysisRuleCommandInput; + output: UpdateConfiguredTableAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationAnalysisRuleCommand.ts b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationAnalysisRuleCommand.ts index 6894a95d7d04..d10a68ab7cd0 100644 --- a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationAnalysisRuleCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationAnalysisRuleCommand.ts @@ -171,4 +171,16 @@ export class UpdateConfiguredTableAssociationAnalysisRuleCommand extends $Comman .f(void 0, void 0) .ser(se_UpdateConfiguredTableAssociationAnalysisRuleCommand) .de(de_UpdateConfiguredTableAssociationAnalysisRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfiguredTableAssociationAnalysisRuleInput; + output: UpdateConfiguredTableAssociationAnalysisRuleOutput; + }; + sdk: { + input: UpdateConfiguredTableAssociationAnalysisRuleCommandInput; + output: UpdateConfiguredTableAssociationAnalysisRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationCommand.ts b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationCommand.ts index 8d7a202b0964..8261c503c9a4 100644 --- a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableAssociationCommand.ts @@ -118,4 +118,16 @@ export class UpdateConfiguredTableAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfiguredTableAssociationCommand) .de(de_UpdateConfiguredTableAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfiguredTableAssociationInput; + output: UpdateConfiguredTableAssociationOutput; + }; + sdk: { + input: UpdateConfiguredTableAssociationCommandInput; + output: UpdateConfiguredTableAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableCommand.ts b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableCommand.ts index 0d8515acc4f7..1b197a53317e 100644 --- a/clients/client-cleanrooms/src/commands/UpdateConfiguredTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateConfiguredTableCommand.ts @@ -117,4 +117,16 @@ export class UpdateConfiguredTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfiguredTableCommand) .de(de_UpdateConfiguredTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfiguredTableInput; + output: UpdateConfiguredTableOutput; + }; + sdk: { + input: UpdateConfiguredTableCommandInput; + output: UpdateConfiguredTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateIdMappingTableCommand.ts b/clients/client-cleanrooms/src/commands/UpdateIdMappingTableCommand.ts index 6856cef06ef2..ce61d3e45ae8 100644 --- a/clients/client-cleanrooms/src/commands/UpdateIdMappingTableCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateIdMappingTableCommand.ts @@ -119,4 +119,16 @@ export class UpdateIdMappingTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdMappingTableCommand) .de(de_UpdateIdMappingTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdMappingTableInput; + output: UpdateIdMappingTableOutput; + }; + sdk: { + input: UpdateIdMappingTableCommandInput; + output: UpdateIdMappingTableCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateIdNamespaceAssociationCommand.ts b/clients/client-cleanrooms/src/commands/UpdateIdNamespaceAssociationCommand.ts index 725d19c07d62..e02a32670f24 100644 --- a/clients/client-cleanrooms/src/commands/UpdateIdNamespaceAssociationCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateIdNamespaceAssociationCommand.ts @@ -127,4 +127,16 @@ export class UpdateIdNamespaceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdNamespaceAssociationCommand) .de(de_UpdateIdNamespaceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdNamespaceAssociationInput; + output: UpdateIdNamespaceAssociationOutput; + }; + sdk: { + input: UpdateIdNamespaceAssociationCommandInput; + output: UpdateIdNamespaceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateMembershipCommand.ts b/clients/client-cleanrooms/src/commands/UpdateMembershipCommand.ts index 99ed8979e499..cef4f64cd676 100644 --- a/clients/client-cleanrooms/src/commands/UpdateMembershipCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateMembershipCommand.ts @@ -136,4 +136,16 @@ export class UpdateMembershipCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMembershipCommand) .de(de_UpdateMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMembershipInput; + output: UpdateMembershipOutput; + }; + sdk: { + input: UpdateMembershipCommandInput; + output: UpdateMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdatePrivacyBudgetTemplateCommand.ts b/clients/client-cleanrooms/src/commands/UpdatePrivacyBudgetTemplateCommand.ts index c5c9028db88e..acfab3d0b61d 100644 --- a/clients/client-cleanrooms/src/commands/UpdatePrivacyBudgetTemplateCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdatePrivacyBudgetTemplateCommand.ts @@ -123,4 +123,16 @@ export class UpdatePrivacyBudgetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePrivacyBudgetTemplateCommand) .de(de_UpdatePrivacyBudgetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePrivacyBudgetTemplateInput; + output: UpdatePrivacyBudgetTemplateOutput; + }; + sdk: { + input: UpdatePrivacyBudgetTemplateCommandInput; + output: UpdatePrivacyBudgetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cleanrooms/src/commands/UpdateProtectedQueryCommand.ts b/clients/client-cleanrooms/src/commands/UpdateProtectedQueryCommand.ts index 7b19755b9ce0..3f05ab343cd2 100644 --- a/clients/client-cleanrooms/src/commands/UpdateProtectedQueryCommand.ts +++ b/clients/client-cleanrooms/src/commands/UpdateProtectedQueryCommand.ts @@ -153,4 +153,16 @@ export class UpdateProtectedQueryCommand extends $Command .f(void 0, UpdateProtectedQueryOutputFilterSensitiveLog) .ser(se_UpdateProtectedQueryCommand) .de(de_UpdateProtectedQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProtectedQueryInput; + output: UpdateProtectedQueryOutput; + }; + sdk: { + input: UpdateProtectedQueryCommandInput; + output: UpdateProtectedQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/package.json b/clients/client-cleanroomsml/package.json index 6b799356892e..a07425935bc9 100644 --- a/clients/client-cleanroomsml/package.json +++ b/clients/client-cleanroomsml/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cleanroomsml/src/commands/CreateAudienceModelCommand.ts b/clients/client-cleanroomsml/src/commands/CreateAudienceModelCommand.ts index 96e5c3419657..7b7f53fd9aea 100644 --- a/clients/client-cleanroomsml/src/commands/CreateAudienceModelCommand.ts +++ b/clients/client-cleanroomsml/src/commands/CreateAudienceModelCommand.ts @@ -100,4 +100,16 @@ export class CreateAudienceModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateAudienceModelCommand) .de(de_CreateAudienceModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAudienceModelRequest; + output: CreateAudienceModelResponse; + }; + sdk: { + input: CreateAudienceModelCommandInput; + output: CreateAudienceModelCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/CreateConfiguredAudienceModelCommand.ts b/clients/client-cleanroomsml/src/commands/CreateConfiguredAudienceModelCommand.ts index cc1c74e9140f..d98f63319fbd 100644 --- a/clients/client-cleanroomsml/src/commands/CreateConfiguredAudienceModelCommand.ts +++ b/clients/client-cleanroomsml/src/commands/CreateConfiguredAudienceModelCommand.ts @@ -121,4 +121,16 @@ export class CreateConfiguredAudienceModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfiguredAudienceModelCommand) .de(de_CreateConfiguredAudienceModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfiguredAudienceModelRequest; + output: CreateConfiguredAudienceModelResponse; + }; + sdk: { + input: CreateConfiguredAudienceModelCommandInput; + output: CreateConfiguredAudienceModelCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/CreateTrainingDatasetCommand.ts b/clients/client-cleanroomsml/src/commands/CreateTrainingDatasetCommand.ts index 2515926d7954..1293bcef4450 100644 --- a/clients/client-cleanroomsml/src/commands/CreateTrainingDatasetCommand.ts +++ b/clients/client-cleanroomsml/src/commands/CreateTrainingDatasetCommand.ts @@ -113,4 +113,16 @@ export class CreateTrainingDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrainingDatasetCommand) .de(de_CreateTrainingDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrainingDatasetRequest; + output: CreateTrainingDatasetResponse; + }; + sdk: { + input: CreateTrainingDatasetCommandInput; + output: CreateTrainingDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/DeleteAudienceGenerationJobCommand.ts b/clients/client-cleanroomsml/src/commands/DeleteAudienceGenerationJobCommand.ts index cb19a325e0a4..6c80c0c589f0 100644 --- a/clients/client-cleanroomsml/src/commands/DeleteAudienceGenerationJobCommand.ts +++ b/clients/client-cleanroomsml/src/commands/DeleteAudienceGenerationJobCommand.ts @@ -90,4 +90,16 @@ export class DeleteAudienceGenerationJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAudienceGenerationJobCommand) .de(de_DeleteAudienceGenerationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAudienceGenerationJobRequest; + output: {}; + }; + sdk: { + input: DeleteAudienceGenerationJobCommandInput; + output: DeleteAudienceGenerationJobCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/DeleteAudienceModelCommand.ts b/clients/client-cleanroomsml/src/commands/DeleteAudienceModelCommand.ts index ad22e2c7107c..43321d196c34 100644 --- a/clients/client-cleanroomsml/src/commands/DeleteAudienceModelCommand.ts +++ b/clients/client-cleanroomsml/src/commands/DeleteAudienceModelCommand.ts @@ -87,4 +87,16 @@ export class DeleteAudienceModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAudienceModelCommand) .de(de_DeleteAudienceModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAudienceModelRequest; + output: {}; + }; + sdk: { + input: DeleteAudienceModelCommandInput; + output: DeleteAudienceModelCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelCommand.ts b/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelCommand.ts index 5afdd2a60e9e..e3a3a45a37cb 100644 --- a/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelCommand.ts +++ b/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelCommand.ts @@ -90,4 +90,16 @@ export class DeleteConfiguredAudienceModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfiguredAudienceModelCommand) .de(de_DeleteConfiguredAudienceModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfiguredAudienceModelRequest; + output: {}; + }; + sdk: { + input: DeleteConfiguredAudienceModelCommandInput; + output: DeleteConfiguredAudienceModelCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelPolicyCommand.ts b/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelPolicyCommand.ts index 28fe62d23416..cdb31d24d58f 100644 --- a/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelPolicyCommand.ts +++ b/clients/client-cleanroomsml/src/commands/DeleteConfiguredAudienceModelPolicyCommand.ts @@ -87,4 +87,16 @@ export class DeleteConfiguredAudienceModelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfiguredAudienceModelPolicyCommand) .de(de_DeleteConfiguredAudienceModelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfiguredAudienceModelPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteConfiguredAudienceModelPolicyCommandInput; + output: DeleteConfiguredAudienceModelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/DeleteTrainingDatasetCommand.ts b/clients/client-cleanroomsml/src/commands/DeleteTrainingDatasetCommand.ts index 9d396f9d1c36..31c06a7ead4e 100644 --- a/clients/client-cleanroomsml/src/commands/DeleteTrainingDatasetCommand.ts +++ b/clients/client-cleanroomsml/src/commands/DeleteTrainingDatasetCommand.ts @@ -87,4 +87,16 @@ export class DeleteTrainingDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrainingDatasetCommand) .de(de_DeleteTrainingDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrainingDatasetRequest; + output: {}; + }; + sdk: { + input: DeleteTrainingDatasetCommandInput; + output: DeleteTrainingDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/GetAudienceGenerationJobCommand.ts b/clients/client-cleanroomsml/src/commands/GetAudienceGenerationJobCommand.ts index b9762498defc..b53da5e25aa0 100644 --- a/clients/client-cleanroomsml/src/commands/GetAudienceGenerationJobCommand.ts +++ b/clients/client-cleanroomsml/src/commands/GetAudienceGenerationJobCommand.ts @@ -132,4 +132,16 @@ export class GetAudienceGenerationJobCommand extends $Command .f(void 0, GetAudienceGenerationJobResponseFilterSensitiveLog) .ser(se_GetAudienceGenerationJobCommand) .de(de_GetAudienceGenerationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAudienceGenerationJobRequest; + output: GetAudienceGenerationJobResponse; + }; + sdk: { + input: GetAudienceGenerationJobCommandInput; + output: GetAudienceGenerationJobCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/GetAudienceModelCommand.ts b/clients/client-cleanroomsml/src/commands/GetAudienceModelCommand.ts index 1fbb917f53d9..eae3476f0165 100644 --- a/clients/client-cleanroomsml/src/commands/GetAudienceModelCommand.ts +++ b/clients/client-cleanroomsml/src/commands/GetAudienceModelCommand.ts @@ -102,4 +102,16 @@ export class GetAudienceModelCommand extends $Command .f(void 0, void 0) .ser(se_GetAudienceModelCommand) .de(de_GetAudienceModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAudienceModelRequest; + output: GetAudienceModelResponse; + }; + sdk: { + input: GetAudienceModelCommandInput; + output: GetAudienceModelCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelCommand.ts b/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelCommand.ts index c758a74b6bc2..e2a3b4598239 100644 --- a/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelCommand.ts +++ b/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelCommand.ts @@ -114,4 +114,16 @@ export class GetConfiguredAudienceModelCommand extends $Command .f(void 0, void 0) .ser(se_GetConfiguredAudienceModelCommand) .de(de_GetConfiguredAudienceModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfiguredAudienceModelRequest; + output: GetConfiguredAudienceModelResponse; + }; + sdk: { + input: GetConfiguredAudienceModelCommandInput; + output: GetConfiguredAudienceModelCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelPolicyCommand.ts b/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelPolicyCommand.ts index d8d5c5f68e06..e57e416aa706 100644 --- a/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelPolicyCommand.ts +++ b/clients/client-cleanroomsml/src/commands/GetConfiguredAudienceModelPolicyCommand.ts @@ -93,4 +93,16 @@ export class GetConfiguredAudienceModelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetConfiguredAudienceModelPolicyCommand) .de(de_GetConfiguredAudienceModelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfiguredAudienceModelPolicyRequest; + output: GetConfiguredAudienceModelPolicyResponse; + }; + sdk: { + input: GetConfiguredAudienceModelPolicyCommandInput; + output: GetConfiguredAudienceModelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/GetTrainingDatasetCommand.ts b/clients/client-cleanroomsml/src/commands/GetTrainingDatasetCommand.ts index 77be7319e49f..053526403381 100644 --- a/clients/client-cleanroomsml/src/commands/GetTrainingDatasetCommand.ts +++ b/clients/client-cleanroomsml/src/commands/GetTrainingDatasetCommand.ts @@ -117,4 +117,16 @@ export class GetTrainingDatasetCommand extends $Command .f(void 0, void 0) .ser(se_GetTrainingDatasetCommand) .de(de_GetTrainingDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrainingDatasetRequest; + output: GetTrainingDatasetResponse; + }; + sdk: { + input: GetTrainingDatasetCommandInput; + output: GetTrainingDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/ListAudienceExportJobsCommand.ts b/clients/client-cleanroomsml/src/commands/ListAudienceExportJobsCommand.ts index 1da63c2d81ad..7a1a3bc6944c 100644 --- a/clients/client-cleanroomsml/src/commands/ListAudienceExportJobsCommand.ts +++ b/clients/client-cleanroomsml/src/commands/ListAudienceExportJobsCommand.ts @@ -104,4 +104,16 @@ export class ListAudienceExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListAudienceExportJobsCommand) .de(de_ListAudienceExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAudienceExportJobsRequest; + output: ListAudienceExportJobsResponse; + }; + sdk: { + input: ListAudienceExportJobsCommandInput; + output: ListAudienceExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/ListAudienceGenerationJobsCommand.ts b/clients/client-cleanroomsml/src/commands/ListAudienceGenerationJobsCommand.ts index 4f305b799a3d..99089b78866e 100644 --- a/clients/client-cleanroomsml/src/commands/ListAudienceGenerationJobsCommand.ts +++ b/clients/client-cleanroomsml/src/commands/ListAudienceGenerationJobsCommand.ts @@ -99,4 +99,16 @@ export class ListAudienceGenerationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListAudienceGenerationJobsCommand) .de(de_ListAudienceGenerationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAudienceGenerationJobsRequest; + output: ListAudienceGenerationJobsResponse; + }; + sdk: { + input: ListAudienceGenerationJobsCommandInput; + output: ListAudienceGenerationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/ListAudienceModelsCommand.ts b/clients/client-cleanroomsml/src/commands/ListAudienceModelsCommand.ts index e83ba1c866f0..aeddd132c754 100644 --- a/clients/client-cleanroomsml/src/commands/ListAudienceModelsCommand.ts +++ b/clients/client-cleanroomsml/src/commands/ListAudienceModelsCommand.ts @@ -95,4 +95,16 @@ export class ListAudienceModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListAudienceModelsCommand) .de(de_ListAudienceModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAudienceModelsRequest; + output: ListAudienceModelsResponse; + }; + sdk: { + input: ListAudienceModelsCommandInput; + output: ListAudienceModelsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/ListConfiguredAudienceModelsCommand.ts b/clients/client-cleanroomsml/src/commands/ListConfiguredAudienceModelsCommand.ts index 09667ed18b91..1397e2de89b1 100644 --- a/clients/client-cleanroomsml/src/commands/ListConfiguredAudienceModelsCommand.ts +++ b/clients/client-cleanroomsml/src/commands/ListConfiguredAudienceModelsCommand.ts @@ -108,4 +108,16 @@ export class ListConfiguredAudienceModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfiguredAudienceModelsCommand) .de(de_ListConfiguredAudienceModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfiguredAudienceModelsRequest; + output: ListConfiguredAudienceModelsResponse; + }; + sdk: { + input: ListConfiguredAudienceModelsCommandInput; + output: ListConfiguredAudienceModelsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/ListTagsForResourceCommand.ts b/clients/client-cleanroomsml/src/commands/ListTagsForResourceCommand.ts index bfc05a42f538..fcc8aca64d5b 100644 --- a/clients/client-cleanroomsml/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cleanroomsml/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/ListTrainingDatasetsCommand.ts b/clients/client-cleanroomsml/src/commands/ListTrainingDatasetsCommand.ts index 651d0f0efab0..2d63de641633 100644 --- a/clients/client-cleanroomsml/src/commands/ListTrainingDatasetsCommand.ts +++ b/clients/client-cleanroomsml/src/commands/ListTrainingDatasetsCommand.ts @@ -94,4 +94,16 @@ export class ListTrainingDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrainingDatasetsCommand) .de(de_ListTrainingDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrainingDatasetsRequest; + output: ListTrainingDatasetsResponse; + }; + sdk: { + input: ListTrainingDatasetsCommandInput; + output: ListTrainingDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/PutConfiguredAudienceModelPolicyCommand.ts b/clients/client-cleanroomsml/src/commands/PutConfiguredAudienceModelPolicyCommand.ts index 72050dda30eb..53b28a6544e7 100644 --- a/clients/client-cleanroomsml/src/commands/PutConfiguredAudienceModelPolicyCommand.ts +++ b/clients/client-cleanroomsml/src/commands/PutConfiguredAudienceModelPolicyCommand.ts @@ -95,4 +95,16 @@ export class PutConfiguredAudienceModelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutConfiguredAudienceModelPolicyCommand) .de(de_PutConfiguredAudienceModelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfiguredAudienceModelPolicyRequest; + output: PutConfiguredAudienceModelPolicyResponse; + }; + sdk: { + input: PutConfiguredAudienceModelPolicyCommandInput; + output: PutConfiguredAudienceModelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/StartAudienceExportJobCommand.ts b/clients/client-cleanroomsml/src/commands/StartAudienceExportJobCommand.ts index ede7ddc2fb04..90f2dd84f292 100644 --- a/clients/client-cleanroomsml/src/commands/StartAudienceExportJobCommand.ts +++ b/clients/client-cleanroomsml/src/commands/StartAudienceExportJobCommand.ts @@ -96,4 +96,16 @@ export class StartAudienceExportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartAudienceExportJobCommand) .de(de_StartAudienceExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAudienceExportJobRequest; + output: {}; + }; + sdk: { + input: StartAudienceExportJobCommandInput; + output: StartAudienceExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/StartAudienceGenerationJobCommand.ts b/clients/client-cleanroomsml/src/commands/StartAudienceGenerationJobCommand.ts index dc2395d07429..7d7adb13c1fd 100644 --- a/clients/client-cleanroomsml/src/commands/StartAudienceGenerationJobCommand.ts +++ b/clients/client-cleanroomsml/src/commands/StartAudienceGenerationJobCommand.ts @@ -116,4 +116,16 @@ export class StartAudienceGenerationJobCommand extends $Command .f(StartAudienceGenerationJobRequestFilterSensitiveLog, void 0) .ser(se_StartAudienceGenerationJobCommand) .de(de_StartAudienceGenerationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAudienceGenerationJobRequest; + output: StartAudienceGenerationJobResponse; + }; + sdk: { + input: StartAudienceGenerationJobCommandInput; + output: StartAudienceGenerationJobCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/TagResourceCommand.ts b/clients/client-cleanroomsml/src/commands/TagResourceCommand.ts index bce77f331f00..f791bbd6e802 100644 --- a/clients/client-cleanroomsml/src/commands/TagResourceCommand.ts +++ b/clients/client-cleanroomsml/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/UntagResourceCommand.ts b/clients/client-cleanroomsml/src/commands/UntagResourceCommand.ts index 28374b8e7c98..afdbea1ce603 100644 --- a/clients/client-cleanroomsml/src/commands/UntagResourceCommand.ts +++ b/clients/client-cleanroomsml/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cleanroomsml/src/commands/UpdateConfiguredAudienceModelCommand.ts b/clients/client-cleanroomsml/src/commands/UpdateConfiguredAudienceModelCommand.ts index 8ca9224372fb..bfdfee49a139 100644 --- a/clients/client-cleanroomsml/src/commands/UpdateConfiguredAudienceModelCommand.ts +++ b/clients/client-cleanroomsml/src/commands/UpdateConfiguredAudienceModelCommand.ts @@ -114,4 +114,16 @@ export class UpdateConfiguredAudienceModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfiguredAudienceModelCommand) .de(de_UpdateConfiguredAudienceModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfiguredAudienceModelRequest; + output: UpdateConfiguredAudienceModelResponse; + }; + sdk: { + input: UpdateConfiguredAudienceModelCommandInput; + output: UpdateConfiguredAudienceModelCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/package.json b/clients/client-cloud9/package.json index 7e9d0009a8a2..f9a1921f49ab 100644 --- a/clients/client-cloud9/package.json +++ b/clients/client-cloud9/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloud9/src/commands/CreateEnvironmentEC2Command.ts b/clients/client-cloud9/src/commands/CreateEnvironmentEC2Command.ts index 577ad10eb17c..610888bd9bbb 100644 --- a/clients/client-cloud9/src/commands/CreateEnvironmentEC2Command.ts +++ b/clients/client-cloud9/src/commands/CreateEnvironmentEC2Command.ts @@ -140,4 +140,16 @@ export class CreateEnvironmentEC2Command extends $Command .f(CreateEnvironmentEC2RequestFilterSensitiveLog, void 0) .ser(se_CreateEnvironmentEC2Command) .de(de_CreateEnvironmentEC2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentEC2Request; + output: CreateEnvironmentEC2Result; + }; + sdk: { + input: CreateEnvironmentEC2CommandInput; + output: CreateEnvironmentEC2CommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/CreateEnvironmentMembershipCommand.ts b/clients/client-cloud9/src/commands/CreateEnvironmentMembershipCommand.ts index 5f44ec2aa2de..48cae2a7b3e1 100644 --- a/clients/client-cloud9/src/commands/CreateEnvironmentMembershipCommand.ts +++ b/clients/client-cloud9/src/commands/CreateEnvironmentMembershipCommand.ts @@ -129,4 +129,16 @@ export class CreateEnvironmentMembershipCommand extends $Command .f(void 0, void 0) .ser(se_CreateEnvironmentMembershipCommand) .de(de_CreateEnvironmentMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentMembershipRequest; + output: CreateEnvironmentMembershipResult; + }; + sdk: { + input: CreateEnvironmentMembershipCommandInput; + output: CreateEnvironmentMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/DeleteEnvironmentCommand.ts b/clients/client-cloud9/src/commands/DeleteEnvironmentCommand.ts index 2331d3e9ed06..ed95c28ed6db 100644 --- a/clients/client-cloud9/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-cloud9/src/commands/DeleteEnvironmentCommand.ts @@ -108,4 +108,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/DeleteEnvironmentMembershipCommand.ts b/clients/client-cloud9/src/commands/DeleteEnvironmentMembershipCommand.ts index dc52b01422ec..d27d122b6ec5 100644 --- a/clients/client-cloud9/src/commands/DeleteEnvironmentMembershipCommand.ts +++ b/clients/client-cloud9/src/commands/DeleteEnvironmentMembershipCommand.ts @@ -109,4 +109,16 @@ export class DeleteEnvironmentMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentMembershipCommand) .de(de_DeleteEnvironmentMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentMembershipRequest; + output: {}; + }; + sdk: { + input: DeleteEnvironmentMembershipCommandInput; + output: DeleteEnvironmentMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/DescribeEnvironmentMembershipsCommand.ts b/clients/client-cloud9/src/commands/DescribeEnvironmentMembershipsCommand.ts index 14191ac54325..2d351f159c1c 100644 --- a/clients/client-cloud9/src/commands/DescribeEnvironmentMembershipsCommand.ts +++ b/clients/client-cloud9/src/commands/DescribeEnvironmentMembershipsCommand.ts @@ -204,4 +204,16 @@ export class DescribeEnvironmentMembershipsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEnvironmentMembershipsCommand) .de(de_DescribeEnvironmentMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentMembershipsRequest; + output: DescribeEnvironmentMembershipsResult; + }; + sdk: { + input: DescribeEnvironmentMembershipsCommandInput; + output: DescribeEnvironmentMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/DescribeEnvironmentStatusCommand.ts b/clients/client-cloud9/src/commands/DescribeEnvironmentStatusCommand.ts index 90314bac1e09..ea8b696a4247 100644 --- a/clients/client-cloud9/src/commands/DescribeEnvironmentStatusCommand.ts +++ b/clients/client-cloud9/src/commands/DescribeEnvironmentStatusCommand.ts @@ -116,4 +116,16 @@ export class DescribeEnvironmentStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEnvironmentStatusCommand) .de(de_DescribeEnvironmentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentStatusRequest; + output: DescribeEnvironmentStatusResult; + }; + sdk: { + input: DescribeEnvironmentStatusCommandInput; + output: DescribeEnvironmentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/DescribeEnvironmentsCommand.ts b/clients/client-cloud9/src/commands/DescribeEnvironmentsCommand.ts index 78434de7af83..b3e78a4d33e8 100644 --- a/clients/client-cloud9/src/commands/DescribeEnvironmentsCommand.ts +++ b/clients/client-cloud9/src/commands/DescribeEnvironmentsCommand.ts @@ -162,4 +162,16 @@ export class DescribeEnvironmentsCommand extends $Command .f(void 0, DescribeEnvironmentsResultFilterSensitiveLog) .ser(se_DescribeEnvironmentsCommand) .de(de_DescribeEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentsRequest; + output: DescribeEnvironmentsResult; + }; + sdk: { + input: DescribeEnvironmentsCommandInput; + output: DescribeEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/ListEnvironmentsCommand.ts b/clients/client-cloud9/src/commands/ListEnvironmentsCommand.ts index 3f0351b00ccb..32817b0da915 100644 --- a/clients/client-cloud9/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-cloud9/src/commands/ListEnvironmentsCommand.ts @@ -119,4 +119,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsRequest; + output: ListEnvironmentsResult; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/ListTagsForResourceCommand.ts b/clients/client-cloud9/src/commands/ListTagsForResourceCommand.ts index 405158b90666..91ce19ad0e73 100644 --- a/clients/client-cloud9/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cloud9/src/commands/ListTagsForResourceCommand.ts @@ -95,4 +95,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/TagResourceCommand.ts b/clients/client-cloud9/src/commands/TagResourceCommand.ts index 5d5bda82c663..66d541a239fb 100644 --- a/clients/client-cloud9/src/commands/TagResourceCommand.ts +++ b/clients/client-cloud9/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/UntagResourceCommand.ts b/clients/client-cloud9/src/commands/UntagResourceCommand.ts index 743736a19216..a5b116ebad86 100644 --- a/clients/client-cloud9/src/commands/UntagResourceCommand.ts +++ b/clients/client-cloud9/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/UpdateEnvironmentCommand.ts b/clients/client-cloud9/src/commands/UpdateEnvironmentCommand.ts index 7e8019238c0f..f0e546df94c8 100644 --- a/clients/client-cloud9/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-cloud9/src/commands/UpdateEnvironmentCommand.ts @@ -116,4 +116,16 @@ export class UpdateEnvironmentCommand extends $Command .f(UpdateEnvironmentRequestFilterSensitiveLog, void 0) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentRequest; + output: {}; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-cloud9/src/commands/UpdateEnvironmentMembershipCommand.ts b/clients/client-cloud9/src/commands/UpdateEnvironmentMembershipCommand.ts index a7af91922d60..a2f5eaa2390c 100644 --- a/clients/client-cloud9/src/commands/UpdateEnvironmentMembershipCommand.ts +++ b/clients/client-cloud9/src/commands/UpdateEnvironmentMembershipCommand.ts @@ -130,4 +130,16 @@ export class UpdateEnvironmentMembershipCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnvironmentMembershipCommand) .de(de_UpdateEnvironmentMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentMembershipRequest; + output: UpdateEnvironmentMembershipResult; + }; + sdk: { + input: UpdateEnvironmentMembershipCommandInput; + output: UpdateEnvironmentMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/package.json b/clients/client-cloudcontrol/package.json index 148dcf8b071a..41dde62d7128 100644 --- a/clients/client-cloudcontrol/package.json +++ b/clients/client-cloudcontrol/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-cloudcontrol/src/commands/CancelResourceRequestCommand.ts b/clients/client-cloudcontrol/src/commands/CancelResourceRequestCommand.ts index 6cd4e1548a1a..354bcfef5007 100644 --- a/clients/client-cloudcontrol/src/commands/CancelResourceRequestCommand.ts +++ b/clients/client-cloudcontrol/src/commands/CancelResourceRequestCommand.ts @@ -101,4 +101,16 @@ export class CancelResourceRequestCommand extends $Command .f(void 0, CancelResourceRequestOutputFilterSensitiveLog) .ser(se_CancelResourceRequestCommand) .de(de_CancelResourceRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelResourceRequestInput; + output: CancelResourceRequestOutput; + }; + sdk: { + input: CancelResourceRequestCommandInput; + output: CancelResourceRequestCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/src/commands/CreateResourceCommand.ts b/clients/client-cloudcontrol/src/commands/CreateResourceCommand.ts index 960e6257d0c3..0093284b7d3c 100644 --- a/clients/client-cloudcontrol/src/commands/CreateResourceCommand.ts +++ b/clients/client-cloudcontrol/src/commands/CreateResourceCommand.ts @@ -174,4 +174,16 @@ export class CreateResourceCommand extends $Command .f(CreateResourceInputFilterSensitiveLog, CreateResourceOutputFilterSensitiveLog) .ser(se_CreateResourceCommand) .de(de_CreateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceInput; + output: CreateResourceOutput; + }; + sdk: { + input: CreateResourceCommandInput; + output: CreateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/src/commands/DeleteResourceCommand.ts b/clients/client-cloudcontrol/src/commands/DeleteResourceCommand.ts index 69a3456e5c2b..95f6ae34f4e8 100644 --- a/clients/client-cloudcontrol/src/commands/DeleteResourceCommand.ts +++ b/clients/client-cloudcontrol/src/commands/DeleteResourceCommand.ts @@ -169,4 +169,16 @@ export class DeleteResourceCommand extends $Command .f(void 0, DeleteResourceOutputFilterSensitiveLog) .ser(se_DeleteResourceCommand) .de(de_DeleteResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceInput; + output: DeleteResourceOutput; + }; + sdk: { + input: DeleteResourceCommandInput; + output: DeleteResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/src/commands/GetResourceCommand.ts b/clients/client-cloudcontrol/src/commands/GetResourceCommand.ts index c1a082cd9ceb..3d3ecfde8a5b 100644 --- a/clients/client-cloudcontrol/src/commands/GetResourceCommand.ts +++ b/clients/client-cloudcontrol/src/commands/GetResourceCommand.ts @@ -152,4 +152,16 @@ export class GetResourceCommand extends $Command .f(void 0, GetResourceOutputFilterSensitiveLog) .ser(se_GetResourceCommand) .de(de_GetResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceInput; + output: GetResourceOutput; + }; + sdk: { + input: GetResourceCommandInput; + output: GetResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/src/commands/GetResourceRequestStatusCommand.ts b/clients/client-cloudcontrol/src/commands/GetResourceRequestStatusCommand.ts index 60efa8f47028..51e3759f2c8a 100644 --- a/clients/client-cloudcontrol/src/commands/GetResourceRequestStatusCommand.ts +++ b/clients/client-cloudcontrol/src/commands/GetResourceRequestStatusCommand.ts @@ -97,4 +97,16 @@ export class GetResourceRequestStatusCommand extends $Command .f(void 0, GetResourceRequestStatusOutputFilterSensitiveLog) .ser(se_GetResourceRequestStatusCommand) .de(de_GetResourceRequestStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceRequestStatusInput; + output: GetResourceRequestStatusOutput; + }; + sdk: { + input: GetResourceRequestStatusCommandInput; + output: GetResourceRequestStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/src/commands/ListResourceRequestsCommand.ts b/clients/client-cloudcontrol/src/commands/ListResourceRequestsCommand.ts index fe332de94e54..64bd74140c96 100644 --- a/clients/client-cloudcontrol/src/commands/ListResourceRequestsCommand.ts +++ b/clients/client-cloudcontrol/src/commands/ListResourceRequestsCommand.ts @@ -109,4 +109,16 @@ export class ListResourceRequestsCommand extends $Command .f(void 0, ListResourceRequestsOutputFilterSensitiveLog) .ser(se_ListResourceRequestsCommand) .de(de_ListResourceRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceRequestsInput; + output: ListResourceRequestsOutput; + }; + sdk: { + input: ListResourceRequestsCommandInput; + output: ListResourceRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/src/commands/ListResourcesCommand.ts b/clients/client-cloudcontrol/src/commands/ListResourcesCommand.ts index 85cc64b979a6..532da1a0c99a 100644 --- a/clients/client-cloudcontrol/src/commands/ListResourcesCommand.ts +++ b/clients/client-cloudcontrol/src/commands/ListResourcesCommand.ts @@ -161,4 +161,16 @@ export class ListResourcesCommand extends $Command .f(ListResourcesInputFilterSensitiveLog, ListResourcesOutputFilterSensitiveLog) .ser(se_ListResourcesCommand) .de(de_ListResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesInput; + output: ListResourcesOutput; + }; + sdk: { + input: ListResourcesCommandInput; + output: ListResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudcontrol/src/commands/UpdateResourceCommand.ts b/clients/client-cloudcontrol/src/commands/UpdateResourceCommand.ts index 3468ed60d06c..7bbc5d5f2089 100644 --- a/clients/client-cloudcontrol/src/commands/UpdateResourceCommand.ts +++ b/clients/client-cloudcontrol/src/commands/UpdateResourceCommand.ts @@ -182,4 +182,16 @@ export class UpdateResourceCommand extends $Command .f(UpdateResourceInputFilterSensitiveLog, UpdateResourceOutputFilterSensitiveLog) .ser(se_UpdateResourceCommand) .de(de_UpdateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceInput; + output: UpdateResourceOutput; + }; + sdk: { + input: UpdateResourceCommandInput; + output: UpdateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/package.json b/clients/client-clouddirectory/package.json index 52374a92db50..292c7d408777 100644 --- a/clients/client-clouddirectory/package.json +++ b/clients/client-clouddirectory/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-clouddirectory/src/commands/AddFacetToObjectCommand.ts b/clients/client-clouddirectory/src/commands/AddFacetToObjectCommand.ts index bfc7165cb48c..a64201ed502c 100644 --- a/clients/client-clouddirectory/src/commands/AddFacetToObjectCommand.ts +++ b/clients/client-clouddirectory/src/commands/AddFacetToObjectCommand.ts @@ -127,4 +127,16 @@ export class AddFacetToObjectCommand extends $Command .f(void 0, void 0) .ser(se_AddFacetToObjectCommand) .de(de_AddFacetToObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddFacetToObjectRequest; + output: {}; + }; + sdk: { + input: AddFacetToObjectCommandInput; + output: AddFacetToObjectCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ApplySchemaCommand.ts b/clients/client-clouddirectory/src/commands/ApplySchemaCommand.ts index 88d50696f753..2a7958bc0d7c 100644 --- a/clients/client-clouddirectory/src/commands/ApplySchemaCommand.ts +++ b/clients/client-clouddirectory/src/commands/ApplySchemaCommand.ts @@ -110,4 +110,16 @@ export class ApplySchemaCommand extends $Command .f(void 0, void 0) .ser(se_ApplySchemaCommand) .de(de_ApplySchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplySchemaRequest; + output: ApplySchemaResponse; + }; + sdk: { + input: ApplySchemaCommandInput; + output: ApplySchemaCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/AttachObjectCommand.ts b/clients/client-clouddirectory/src/commands/AttachObjectCommand.ts index 664436d6a54e..78c50ce353b0 100644 --- a/clients/client-clouddirectory/src/commands/AttachObjectCommand.ts +++ b/clients/client-clouddirectory/src/commands/AttachObjectCommand.ts @@ -131,4 +131,16 @@ export class AttachObjectCommand extends $Command .f(void 0, void 0) .ser(se_AttachObjectCommand) .de(de_AttachObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachObjectRequest; + output: AttachObjectResponse; + }; + sdk: { + input: AttachObjectCommandInput; + output: AttachObjectCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/AttachPolicyCommand.ts b/clients/client-clouddirectory/src/commands/AttachPolicyCommand.ts index 3d5340b2de73..2663bd0aff48 100644 --- a/clients/client-clouddirectory/src/commands/AttachPolicyCommand.ts +++ b/clients/client-clouddirectory/src/commands/AttachPolicyCommand.ts @@ -110,4 +110,16 @@ export class AttachPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AttachPolicyCommand) .de(de_AttachPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachPolicyRequest; + output: {}; + }; + sdk: { + input: AttachPolicyCommandInput; + output: AttachPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/AttachToIndexCommand.ts b/clients/client-clouddirectory/src/commands/AttachToIndexCommand.ts index 7070ad05679b..7da866e2cfcf 100644 --- a/clients/client-clouddirectory/src/commands/AttachToIndexCommand.ts +++ b/clients/client-clouddirectory/src/commands/AttachToIndexCommand.ts @@ -122,4 +122,16 @@ export class AttachToIndexCommand extends $Command .f(void 0, void 0) .ser(se_AttachToIndexCommand) .de(de_AttachToIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachToIndexRequest; + output: AttachToIndexResponse; + }; + sdk: { + input: AttachToIndexCommandInput; + output: AttachToIndexCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/AttachTypedLinkCommand.ts b/clients/client-clouddirectory/src/commands/AttachTypedLinkCommand.ts index 40f6a76bc7bf..af143edadd22 100644 --- a/clients/client-clouddirectory/src/commands/AttachTypedLinkCommand.ts +++ b/clients/client-clouddirectory/src/commands/AttachTypedLinkCommand.ts @@ -155,4 +155,16 @@ export class AttachTypedLinkCommand extends $Command .f(void 0, void 0) .ser(se_AttachTypedLinkCommand) .de(de_AttachTypedLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachTypedLinkRequest; + output: AttachTypedLinkResponse; + }; + sdk: { + input: AttachTypedLinkCommandInput; + output: AttachTypedLinkCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/BatchReadCommand.ts b/clients/client-clouddirectory/src/commands/BatchReadCommand.ts index 8a42f2849f72..e951c25989e2 100644 --- a/clients/client-clouddirectory/src/commands/BatchReadCommand.ts +++ b/clients/client-clouddirectory/src/commands/BatchReadCommand.ts @@ -500,4 +500,16 @@ export class BatchReadCommand extends $Command .f(void 0, void 0) .ser(se_BatchReadCommand) .de(de_BatchReadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchReadRequest; + output: BatchReadResponse; + }; + sdk: { + input: BatchReadCommandInput; + output: BatchReadCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/BatchWriteCommand.ts b/clients/client-clouddirectory/src/commands/BatchWriteCommand.ts index 59bcd7fcc27f..9d9f589d83cb 100644 --- a/clients/client-clouddirectory/src/commands/BatchWriteCommand.ts +++ b/clients/client-clouddirectory/src/commands/BatchWriteCommand.ts @@ -366,4 +366,16 @@ export class BatchWriteCommand extends $Command .f(void 0, void 0) .ser(se_BatchWriteCommand) .de(de_BatchWriteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchWriteRequest; + output: BatchWriteResponse; + }; + sdk: { + input: BatchWriteCommandInput; + output: BatchWriteCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/CreateDirectoryCommand.ts b/clients/client-clouddirectory/src/commands/CreateDirectoryCommand.ts index 2d0c6a5411f1..946f13466990 100644 --- a/clients/client-clouddirectory/src/commands/CreateDirectoryCommand.ts +++ b/clients/client-clouddirectory/src/commands/CreateDirectoryCommand.ts @@ -110,4 +110,16 @@ export class CreateDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateDirectoryCommand) .de(de_CreateDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDirectoryRequest; + output: CreateDirectoryResponse; + }; + sdk: { + input: CreateDirectoryCommandInput; + output: CreateDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/CreateFacetCommand.ts b/clients/client-clouddirectory/src/commands/CreateFacetCommand.ts index 2493f967f06d..d9224d4bcd38 100644 --- a/clients/client-clouddirectory/src/commands/CreateFacetCommand.ts +++ b/clients/client-clouddirectory/src/commands/CreateFacetCommand.ts @@ -140,4 +140,16 @@ export class CreateFacetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFacetCommand) .de(de_CreateFacetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFacetRequest; + output: {}; + }; + sdk: { + input: CreateFacetCommandInput; + output: CreateFacetCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/CreateIndexCommand.ts b/clients/client-clouddirectory/src/commands/CreateIndexCommand.ts index eb01e7f91c68..5a38d3077b19 100644 --- a/clients/client-clouddirectory/src/commands/CreateIndexCommand.ts +++ b/clients/client-clouddirectory/src/commands/CreateIndexCommand.ts @@ -125,4 +125,16 @@ export class CreateIndexCommand extends $Command .f(void 0, void 0) .ser(se_CreateIndexCommand) .de(de_CreateIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIndexRequest; + output: CreateIndexResponse; + }; + sdk: { + input: CreateIndexCommandInput; + output: CreateIndexCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/CreateObjectCommand.ts b/clients/client-clouddirectory/src/commands/CreateObjectCommand.ts index eb6a576d246d..5c7030ea8e75 100644 --- a/clients/client-clouddirectory/src/commands/CreateObjectCommand.ts +++ b/clients/client-clouddirectory/src/commands/CreateObjectCommand.ts @@ -142,4 +142,16 @@ export class CreateObjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateObjectCommand) .de(de_CreateObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateObjectRequest; + output: CreateObjectResponse; + }; + sdk: { + input: CreateObjectCommandInput; + output: CreateObjectCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/CreateSchemaCommand.ts b/clients/client-clouddirectory/src/commands/CreateSchemaCommand.ts index 2117e848283a..cd6b36874a6b 100644 --- a/clients/client-clouddirectory/src/commands/CreateSchemaCommand.ts +++ b/clients/client-clouddirectory/src/commands/CreateSchemaCommand.ts @@ -120,4 +120,16 @@ export class CreateSchemaCommand extends $Command .f(void 0, void 0) .ser(se_CreateSchemaCommand) .de(de_CreateSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSchemaRequest; + output: CreateSchemaResponse; + }; + sdk: { + input: CreateSchemaCommandInput; + output: CreateSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/CreateTypedLinkFacetCommand.ts b/clients/client-clouddirectory/src/commands/CreateTypedLinkFacetCommand.ts index 3d771a2e4eab..c3b49b9ad9ba 100644 --- a/clients/client-clouddirectory/src/commands/CreateTypedLinkFacetCommand.ts +++ b/clients/client-clouddirectory/src/commands/CreateTypedLinkFacetCommand.ts @@ -136,4 +136,16 @@ export class CreateTypedLinkFacetCommand extends $Command .f(void 0, void 0) .ser(se_CreateTypedLinkFacetCommand) .de(de_CreateTypedLinkFacetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTypedLinkFacetRequest; + output: {}; + }; + sdk: { + input: CreateTypedLinkFacetCommandInput; + output: CreateTypedLinkFacetCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DeleteDirectoryCommand.ts b/clients/client-clouddirectory/src/commands/DeleteDirectoryCommand.ts index 6b2ebe8611d1..3e7a0f38b03e 100644 --- a/clients/client-clouddirectory/src/commands/DeleteDirectoryCommand.ts +++ b/clients/client-clouddirectory/src/commands/DeleteDirectoryCommand.ts @@ -108,4 +108,16 @@ export class DeleteDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDirectoryCommand) .de(de_DeleteDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDirectoryRequest; + output: DeleteDirectoryResponse; + }; + sdk: { + input: DeleteDirectoryCommandInput; + output: DeleteDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DeleteFacetCommand.ts b/clients/client-clouddirectory/src/commands/DeleteFacetCommand.ts index 321ae6298f9e..fa2a8233d3f7 100644 --- a/clients/client-clouddirectory/src/commands/DeleteFacetCommand.ts +++ b/clients/client-clouddirectory/src/commands/DeleteFacetCommand.ts @@ -107,4 +107,16 @@ export class DeleteFacetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFacetCommand) .de(de_DeleteFacetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFacetRequest; + output: {}; + }; + sdk: { + input: DeleteFacetCommandInput; + output: DeleteFacetCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DeleteObjectCommand.ts b/clients/client-clouddirectory/src/commands/DeleteObjectCommand.ts index e6b1f312ee1e..52abfcb4a20e 100644 --- a/clients/client-clouddirectory/src/commands/DeleteObjectCommand.ts +++ b/clients/client-clouddirectory/src/commands/DeleteObjectCommand.ts @@ -108,4 +108,16 @@ export class DeleteObjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteObjectCommand) .de(de_DeleteObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteObjectRequest; + output: {}; + }; + sdk: { + input: DeleteObjectCommandInput; + output: DeleteObjectCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DeleteSchemaCommand.ts b/clients/client-clouddirectory/src/commands/DeleteSchemaCommand.ts index e49a2e338f99..5b10d484a65b 100644 --- a/clients/client-clouddirectory/src/commands/DeleteSchemaCommand.ts +++ b/clients/client-clouddirectory/src/commands/DeleteSchemaCommand.ts @@ -103,4 +103,16 @@ export class DeleteSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchemaCommand) .de(de_DeleteSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchemaRequest; + output: DeleteSchemaResponse; + }; + sdk: { + input: DeleteSchemaCommandInput; + output: DeleteSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DeleteTypedLinkFacetCommand.ts b/clients/client-clouddirectory/src/commands/DeleteTypedLinkFacetCommand.ts index 50001bca92c8..7d89401b7b6d 100644 --- a/clients/client-clouddirectory/src/commands/DeleteTypedLinkFacetCommand.ts +++ b/clients/client-clouddirectory/src/commands/DeleteTypedLinkFacetCommand.ts @@ -101,4 +101,16 @@ export class DeleteTypedLinkFacetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTypedLinkFacetCommand) .de(de_DeleteTypedLinkFacetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTypedLinkFacetRequest; + output: {}; + }; + sdk: { + input: DeleteTypedLinkFacetCommandInput; + output: DeleteTypedLinkFacetCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DetachFromIndexCommand.ts b/clients/client-clouddirectory/src/commands/DetachFromIndexCommand.ts index e60d99239338..6b89f3dbc17c 100644 --- a/clients/client-clouddirectory/src/commands/DetachFromIndexCommand.ts +++ b/clients/client-clouddirectory/src/commands/DetachFromIndexCommand.ts @@ -114,4 +114,16 @@ export class DetachFromIndexCommand extends $Command .f(void 0, void 0) .ser(se_DetachFromIndexCommand) .de(de_DetachFromIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachFromIndexRequest; + output: DetachFromIndexResponse; + }; + sdk: { + input: DetachFromIndexCommandInput; + output: DetachFromIndexCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DetachObjectCommand.ts b/clients/client-clouddirectory/src/commands/DetachObjectCommand.ts index cf34876ee891..d93c289b00ea 100644 --- a/clients/client-clouddirectory/src/commands/DetachObjectCommand.ts +++ b/clients/client-clouddirectory/src/commands/DetachObjectCommand.ts @@ -111,4 +111,16 @@ export class DetachObjectCommand extends $Command .f(void 0, void 0) .ser(se_DetachObjectCommand) .de(de_DetachObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachObjectRequest; + output: DetachObjectResponse; + }; + sdk: { + input: DetachObjectCommandInput; + output: DetachObjectCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DetachPolicyCommand.ts b/clients/client-clouddirectory/src/commands/DetachPolicyCommand.ts index 94e888c31f78..821583c2a507 100644 --- a/clients/client-clouddirectory/src/commands/DetachPolicyCommand.ts +++ b/clients/client-clouddirectory/src/commands/DetachPolicyCommand.ts @@ -109,4 +109,16 @@ export class DetachPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DetachPolicyCommand) .de(de_DetachPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachPolicyRequest; + output: {}; + }; + sdk: { + input: DetachPolicyCommandInput; + output: DetachPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DetachTypedLinkCommand.ts b/clients/client-clouddirectory/src/commands/DetachTypedLinkCommand.ts index 652b925a2fab..0951da255e97 100644 --- a/clients/client-clouddirectory/src/commands/DetachTypedLinkCommand.ts +++ b/clients/client-clouddirectory/src/commands/DetachTypedLinkCommand.ts @@ -128,4 +128,16 @@ export class DetachTypedLinkCommand extends $Command .f(void 0, void 0) .ser(se_DetachTypedLinkCommand) .de(de_DetachTypedLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachTypedLinkRequest; + output: {}; + }; + sdk: { + input: DetachTypedLinkCommandInput; + output: DetachTypedLinkCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/DisableDirectoryCommand.ts b/clients/client-clouddirectory/src/commands/DisableDirectoryCommand.ts index 32aa546299cf..bbb7089f20cc 100644 --- a/clients/client-clouddirectory/src/commands/DisableDirectoryCommand.ts +++ b/clients/client-clouddirectory/src/commands/DisableDirectoryCommand.ts @@ -104,4 +104,16 @@ export class DisableDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_DisableDirectoryCommand) .de(de_DisableDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableDirectoryRequest; + output: DisableDirectoryResponse; + }; + sdk: { + input: DisableDirectoryCommandInput; + output: DisableDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/EnableDirectoryCommand.ts b/clients/client-clouddirectory/src/commands/EnableDirectoryCommand.ts index d6e4c5ca3bff..190b1a1bace1 100644 --- a/clients/client-clouddirectory/src/commands/EnableDirectoryCommand.ts +++ b/clients/client-clouddirectory/src/commands/EnableDirectoryCommand.ts @@ -104,4 +104,16 @@ export class EnableDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_EnableDirectoryCommand) .de(de_EnableDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableDirectoryRequest; + output: EnableDirectoryResponse; + }; + sdk: { + input: EnableDirectoryCommandInput; + output: EnableDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetAppliedSchemaVersionCommand.ts b/clients/client-clouddirectory/src/commands/GetAppliedSchemaVersionCommand.ts index 73ff37ac4d0b..7d34caaad775 100644 --- a/clients/client-clouddirectory/src/commands/GetAppliedSchemaVersionCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetAppliedSchemaVersionCommand.ts @@ -99,4 +99,16 @@ export class GetAppliedSchemaVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetAppliedSchemaVersionCommand) .de(de_GetAppliedSchemaVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppliedSchemaVersionRequest; + output: GetAppliedSchemaVersionResponse; + }; + sdk: { + input: GetAppliedSchemaVersionCommandInput; + output: GetAppliedSchemaVersionCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetDirectoryCommand.ts b/clients/client-clouddirectory/src/commands/GetDirectoryCommand.ts index 18050ab90a77..60cfdfbc1c11 100644 --- a/clients/client-clouddirectory/src/commands/GetDirectoryCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetDirectoryCommand.ts @@ -101,4 +101,16 @@ export class GetDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_GetDirectoryCommand) .de(de_GetDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDirectoryRequest; + output: GetDirectoryResponse; + }; + sdk: { + input: GetDirectoryCommandInput; + output: GetDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetFacetCommand.ts b/clients/client-clouddirectory/src/commands/GetFacetCommand.ts index 42c0ae4195d7..a0a6adb7e71e 100644 --- a/clients/client-clouddirectory/src/commands/GetFacetCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetFacetCommand.ts @@ -108,4 +108,16 @@ export class GetFacetCommand extends $Command .f(void 0, void 0) .ser(se_GetFacetCommand) .de(de_GetFacetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFacetRequest; + output: GetFacetResponse; + }; + sdk: { + input: GetFacetCommandInput; + output: GetFacetCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetLinkAttributesCommand.ts b/clients/client-clouddirectory/src/commands/GetLinkAttributesCommand.ts index d27c05c995ae..8567be613e11 100644 --- a/clients/client-clouddirectory/src/commands/GetLinkAttributesCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetLinkAttributesCommand.ts @@ -149,4 +149,16 @@ export class GetLinkAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetLinkAttributesCommand) .de(de_GetLinkAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLinkAttributesRequest; + output: GetLinkAttributesResponse; + }; + sdk: { + input: GetLinkAttributesCommandInput; + output: GetLinkAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetObjectAttributesCommand.ts b/clients/client-clouddirectory/src/commands/GetObjectAttributesCommand.ts index 31d7df03e52b..0dde0d195830 100644 --- a/clients/client-clouddirectory/src/commands/GetObjectAttributesCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetObjectAttributesCommand.ts @@ -132,4 +132,16 @@ export class GetObjectAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetObjectAttributesCommand) .de(de_GetObjectAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectAttributesRequest; + output: GetObjectAttributesResponse; + }; + sdk: { + input: GetObjectAttributesCommandInput; + output: GetObjectAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetObjectInformationCommand.ts b/clients/client-clouddirectory/src/commands/GetObjectInformationCommand.ts index aa5313cbc79f..5884449c692e 100644 --- a/clients/client-clouddirectory/src/commands/GetObjectInformationCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetObjectInformationCommand.ts @@ -112,4 +112,16 @@ export class GetObjectInformationCommand extends $Command .f(void 0, void 0) .ser(se_GetObjectInformationCommand) .de(de_GetObjectInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectInformationRequest; + output: GetObjectInformationResponse; + }; + sdk: { + input: GetObjectInformationCommandInput; + output: GetObjectInformationCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetSchemaAsJsonCommand.ts b/clients/client-clouddirectory/src/commands/GetSchemaAsJsonCommand.ts index 1ac2c89718e3..bcd7136b97f3 100644 --- a/clients/client-clouddirectory/src/commands/GetSchemaAsJsonCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetSchemaAsJsonCommand.ts @@ -100,4 +100,16 @@ export class GetSchemaAsJsonCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaAsJsonCommand) .de(de_GetSchemaAsJsonCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaAsJsonRequest; + output: GetSchemaAsJsonResponse; + }; + sdk: { + input: GetSchemaAsJsonCommandInput; + output: GetSchemaAsJsonCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/GetTypedLinkFacetInformationCommand.ts b/clients/client-clouddirectory/src/commands/GetTypedLinkFacetInformationCommand.ts index 64c7c21fba16..48ed0dba8b83 100644 --- a/clients/client-clouddirectory/src/commands/GetTypedLinkFacetInformationCommand.ts +++ b/clients/client-clouddirectory/src/commands/GetTypedLinkFacetInformationCommand.ts @@ -113,4 +113,16 @@ export class GetTypedLinkFacetInformationCommand extends $Command .f(void 0, void 0) .ser(se_GetTypedLinkFacetInformationCommand) .de(de_GetTypedLinkFacetInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTypedLinkFacetInformationRequest; + output: GetTypedLinkFacetInformationResponse; + }; + sdk: { + input: GetTypedLinkFacetInformationCommandInput; + output: GetTypedLinkFacetInformationCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListAppliedSchemaArnsCommand.ts b/clients/client-clouddirectory/src/commands/ListAppliedSchemaArnsCommand.ts index 8d4edf29a11e..ba9c8aeb5ce7 100644 --- a/clients/client-clouddirectory/src/commands/ListAppliedSchemaArnsCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListAppliedSchemaArnsCommand.ts @@ -108,4 +108,16 @@ export class ListAppliedSchemaArnsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppliedSchemaArnsCommand) .de(de_ListAppliedSchemaArnsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppliedSchemaArnsRequest; + output: ListAppliedSchemaArnsResponse; + }; + sdk: { + input: ListAppliedSchemaArnsCommandInput; + output: ListAppliedSchemaArnsCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListAttachedIndicesCommand.ts b/clients/client-clouddirectory/src/commands/ListAttachedIndicesCommand.ts index c573aae32dbd..f0da2498e18c 100644 --- a/clients/client-clouddirectory/src/commands/ListAttachedIndicesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListAttachedIndicesCommand.ts @@ -129,4 +129,16 @@ export class ListAttachedIndicesCommand extends $Command .f(void 0, void 0) .ser(se_ListAttachedIndicesCommand) .de(de_ListAttachedIndicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttachedIndicesRequest; + output: ListAttachedIndicesResponse; + }; + sdk: { + input: ListAttachedIndicesCommandInput; + output: ListAttachedIndicesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListDevelopmentSchemaArnsCommand.ts b/clients/client-clouddirectory/src/commands/ListDevelopmentSchemaArnsCommand.ts index ceb8515a577d..2d86dfb0f781 100644 --- a/clients/client-clouddirectory/src/commands/ListDevelopmentSchemaArnsCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListDevelopmentSchemaArnsCommand.ts @@ -107,4 +107,16 @@ export class ListDevelopmentSchemaArnsCommand extends $Command .f(void 0, void 0) .ser(se_ListDevelopmentSchemaArnsCommand) .de(de_ListDevelopmentSchemaArnsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevelopmentSchemaArnsRequest; + output: ListDevelopmentSchemaArnsResponse; + }; + sdk: { + input: ListDevelopmentSchemaArnsCommandInput; + output: ListDevelopmentSchemaArnsCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListDirectoriesCommand.ts b/clients/client-clouddirectory/src/commands/ListDirectoriesCommand.ts index 67bbd686a099..77ce27e34a09 100644 --- a/clients/client-clouddirectory/src/commands/ListDirectoriesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListDirectoriesCommand.ts @@ -109,4 +109,16 @@ export class ListDirectoriesCommand extends $Command .f(void 0, void 0) .ser(se_ListDirectoriesCommand) .de(de_ListDirectoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDirectoriesRequest; + output: ListDirectoriesResponse; + }; + sdk: { + input: ListDirectoriesCommandInput; + output: ListDirectoriesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListFacetAttributesCommand.ts b/clients/client-clouddirectory/src/commands/ListFacetAttributesCommand.ts index a84b9f6bcf45..9a840f72c8d6 100644 --- a/clients/client-clouddirectory/src/commands/ListFacetAttributesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListFacetAttributesCommand.ts @@ -137,4 +137,16 @@ export class ListFacetAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ListFacetAttributesCommand) .de(de_ListFacetAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFacetAttributesRequest; + output: ListFacetAttributesResponse; + }; + sdk: { + input: ListFacetAttributesCommandInput; + output: ListFacetAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListFacetNamesCommand.ts b/clients/client-clouddirectory/src/commands/ListFacetNamesCommand.ts index 4ea66b3fe454..5af81c82a641 100644 --- a/clients/client-clouddirectory/src/commands/ListFacetNamesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListFacetNamesCommand.ts @@ -107,4 +107,16 @@ export class ListFacetNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListFacetNamesCommand) .de(de_ListFacetNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFacetNamesRequest; + output: ListFacetNamesResponse; + }; + sdk: { + input: ListFacetNamesCommandInput; + output: ListFacetNamesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListIncomingTypedLinksCommand.ts b/clients/client-clouddirectory/src/commands/ListIncomingTypedLinksCommand.ts index d3f568d47e42..1dd394db7f64 100644 --- a/clients/client-clouddirectory/src/commands/ListIncomingTypedLinksCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListIncomingTypedLinksCommand.ts @@ -170,4 +170,16 @@ export class ListIncomingTypedLinksCommand extends $Command .f(void 0, void 0) .ser(se_ListIncomingTypedLinksCommand) .de(de_ListIncomingTypedLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIncomingTypedLinksRequest; + output: ListIncomingTypedLinksResponse; + }; + sdk: { + input: ListIncomingTypedLinksCommandInput; + output: ListIncomingTypedLinksCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListIndexCommand.ts b/clients/client-clouddirectory/src/commands/ListIndexCommand.ts index 69ee796f7dfa..7f2738105b14 100644 --- a/clients/client-clouddirectory/src/commands/ListIndexCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListIndexCommand.ts @@ -166,4 +166,16 @@ export class ListIndexCommand extends $Command .f(void 0, void 0) .ser(se_ListIndexCommand) .de(de_ListIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIndexRequest; + output: ListIndexResponse; + }; + sdk: { + input: ListIndexCommandInput; + output: ListIndexCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListManagedSchemaArnsCommand.ts b/clients/client-clouddirectory/src/commands/ListManagedSchemaArnsCommand.ts index 2e71aede17f4..46baa4afbac8 100644 --- a/clients/client-clouddirectory/src/commands/ListManagedSchemaArnsCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListManagedSchemaArnsCommand.ts @@ -101,4 +101,16 @@ export class ListManagedSchemaArnsCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedSchemaArnsCommand) .de(de_ListManagedSchemaArnsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedSchemaArnsRequest; + output: ListManagedSchemaArnsResponse; + }; + sdk: { + input: ListManagedSchemaArnsCommandInput; + output: ListManagedSchemaArnsCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListObjectAttributesCommand.ts b/clients/client-clouddirectory/src/commands/ListObjectAttributesCommand.ts index 0137185d3908..9777b508e14a 100644 --- a/clients/client-clouddirectory/src/commands/ListObjectAttributesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListObjectAttributesCommand.ts @@ -136,4 +136,16 @@ export class ListObjectAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectAttributesCommand) .de(de_ListObjectAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectAttributesRequest; + output: ListObjectAttributesResponse; + }; + sdk: { + input: ListObjectAttributesCommandInput; + output: ListObjectAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListObjectChildrenCommand.ts b/clients/client-clouddirectory/src/commands/ListObjectChildrenCommand.ts index 543c475e6582..a52b118daf9b 100644 --- a/clients/client-clouddirectory/src/commands/ListObjectChildrenCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListObjectChildrenCommand.ts @@ -119,4 +119,16 @@ export class ListObjectChildrenCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectChildrenCommand) .de(de_ListObjectChildrenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectChildrenRequest; + output: ListObjectChildrenResponse; + }; + sdk: { + input: ListObjectChildrenCommandInput; + output: ListObjectChildrenCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListObjectParentPathsCommand.ts b/clients/client-clouddirectory/src/commands/ListObjectParentPathsCommand.ts index 9c76c0c9385d..e3dd1ca7432c 100644 --- a/clients/client-clouddirectory/src/commands/ListObjectParentPathsCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListObjectParentPathsCommand.ts @@ -125,4 +125,16 @@ export class ListObjectParentPathsCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectParentPathsCommand) .de(de_ListObjectParentPathsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectParentPathsRequest; + output: ListObjectParentPathsResponse; + }; + sdk: { + input: ListObjectParentPathsCommandInput; + output: ListObjectParentPathsCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListObjectParentsCommand.ts b/clients/client-clouddirectory/src/commands/ListObjectParentsCommand.ts index 7b2c67974cd0..89625ec5bd54 100644 --- a/clients/client-clouddirectory/src/commands/ListObjectParentsCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListObjectParentsCommand.ts @@ -125,4 +125,16 @@ export class ListObjectParentsCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectParentsCommand) .de(de_ListObjectParentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectParentsRequest; + output: ListObjectParentsResponse; + }; + sdk: { + input: ListObjectParentsCommandInput; + output: ListObjectParentsCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListObjectPoliciesCommand.ts b/clients/client-clouddirectory/src/commands/ListObjectPoliciesCommand.ts index 56c04e922522..12a10895e5c3 100644 --- a/clients/client-clouddirectory/src/commands/ListObjectPoliciesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListObjectPoliciesCommand.ts @@ -114,4 +114,16 @@ export class ListObjectPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectPoliciesCommand) .de(de_ListObjectPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectPoliciesRequest; + output: ListObjectPoliciesResponse; + }; + sdk: { + input: ListObjectPoliciesCommandInput; + output: ListObjectPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListOutgoingTypedLinksCommand.ts b/clients/client-clouddirectory/src/commands/ListOutgoingTypedLinksCommand.ts index 87d9902c6813..f146f5c3e3fe 100644 --- a/clients/client-clouddirectory/src/commands/ListOutgoingTypedLinksCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListOutgoingTypedLinksCommand.ts @@ -170,4 +170,16 @@ export class ListOutgoingTypedLinksCommand extends $Command .f(void 0, void 0) .ser(se_ListOutgoingTypedLinksCommand) .de(de_ListOutgoingTypedLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOutgoingTypedLinksRequest; + output: ListOutgoingTypedLinksResponse; + }; + sdk: { + input: ListOutgoingTypedLinksCommandInput; + output: ListOutgoingTypedLinksCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListPolicyAttachmentsCommand.ts b/clients/client-clouddirectory/src/commands/ListPolicyAttachmentsCommand.ts index 157e94c0f2de..e443b9059296 100644 --- a/clients/client-clouddirectory/src/commands/ListPolicyAttachmentsCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListPolicyAttachmentsCommand.ts @@ -117,4 +117,16 @@ export class ListPolicyAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListPolicyAttachmentsCommand) .de(de_ListPolicyAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyAttachmentsRequest; + output: ListPolicyAttachmentsResponse; + }; + sdk: { + input: ListPolicyAttachmentsCommandInput; + output: ListPolicyAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListPublishedSchemaArnsCommand.ts b/clients/client-clouddirectory/src/commands/ListPublishedSchemaArnsCommand.ts index 8b19454d5b52..bc45026aa92f 100644 --- a/clients/client-clouddirectory/src/commands/ListPublishedSchemaArnsCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListPublishedSchemaArnsCommand.ts @@ -107,4 +107,16 @@ export class ListPublishedSchemaArnsCommand extends $Command .f(void 0, void 0) .ser(se_ListPublishedSchemaArnsCommand) .de(de_ListPublishedSchemaArnsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPublishedSchemaArnsRequest; + output: ListPublishedSchemaArnsResponse; + }; + sdk: { + input: ListPublishedSchemaArnsCommandInput; + output: ListPublishedSchemaArnsCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListTagsForResourceCommand.ts b/clients/client-clouddirectory/src/commands/ListTagsForResourceCommand.ts index d191c1d6dd45..288f6a9f8cfc 100644 --- a/clients/client-clouddirectory/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListTagsForResourceCommand.ts @@ -112,4 +112,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListTypedLinkFacetAttributesCommand.ts b/clients/client-clouddirectory/src/commands/ListTypedLinkFacetAttributesCommand.ts index 7d56c284c1ba..b9e588c81979 100644 --- a/clients/client-clouddirectory/src/commands/ListTypedLinkFacetAttributesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListTypedLinkFacetAttributesCommand.ts @@ -136,4 +136,16 @@ export class ListTypedLinkFacetAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ListTypedLinkFacetAttributesCommand) .de(de_ListTypedLinkFacetAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTypedLinkFacetAttributesRequest; + output: ListTypedLinkFacetAttributesResponse; + }; + sdk: { + input: ListTypedLinkFacetAttributesCommandInput; + output: ListTypedLinkFacetAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/ListTypedLinkFacetNamesCommand.ts b/clients/client-clouddirectory/src/commands/ListTypedLinkFacetNamesCommand.ts index c93e7dd84e9e..cfd888bb9d54 100644 --- a/clients/client-clouddirectory/src/commands/ListTypedLinkFacetNamesCommand.ts +++ b/clients/client-clouddirectory/src/commands/ListTypedLinkFacetNamesCommand.ts @@ -108,4 +108,16 @@ export class ListTypedLinkFacetNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListTypedLinkFacetNamesCommand) .de(de_ListTypedLinkFacetNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTypedLinkFacetNamesRequest; + output: ListTypedLinkFacetNamesResponse; + }; + sdk: { + input: ListTypedLinkFacetNamesCommandInput; + output: ListTypedLinkFacetNamesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/LookupPolicyCommand.ts b/clients/client-clouddirectory/src/commands/LookupPolicyCommand.ts index 0fb7d1596e1f..7a294f9d6119 100644 --- a/clients/client-clouddirectory/src/commands/LookupPolicyCommand.ts +++ b/clients/client-clouddirectory/src/commands/LookupPolicyCommand.ts @@ -127,4 +127,16 @@ export class LookupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_LookupPolicyCommand) .de(de_LookupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LookupPolicyRequest; + output: LookupPolicyResponse; + }; + sdk: { + input: LookupPolicyCommandInput; + output: LookupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/PublishSchemaCommand.ts b/clients/client-clouddirectory/src/commands/PublishSchemaCommand.ts index 74fcdda777ad..66b176d12dd5 100644 --- a/clients/client-clouddirectory/src/commands/PublishSchemaCommand.ts +++ b/clients/client-clouddirectory/src/commands/PublishSchemaCommand.ts @@ -105,4 +105,16 @@ export class PublishSchemaCommand extends $Command .f(void 0, void 0) .ser(se_PublishSchemaCommand) .de(de_PublishSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishSchemaRequest; + output: PublishSchemaResponse; + }; + sdk: { + input: PublishSchemaCommandInput; + output: PublishSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/PutSchemaFromJsonCommand.ts b/clients/client-clouddirectory/src/commands/PutSchemaFromJsonCommand.ts index 3b50264670fa..26527fb10665 100644 --- a/clients/client-clouddirectory/src/commands/PutSchemaFromJsonCommand.ts +++ b/clients/client-clouddirectory/src/commands/PutSchemaFromJsonCommand.ts @@ -103,4 +103,16 @@ export class PutSchemaFromJsonCommand extends $Command .f(void 0, void 0) .ser(se_PutSchemaFromJsonCommand) .de(de_PutSchemaFromJsonCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSchemaFromJsonRequest; + output: PutSchemaFromJsonResponse; + }; + sdk: { + input: PutSchemaFromJsonCommandInput; + output: PutSchemaFromJsonCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/RemoveFacetFromObjectCommand.ts b/clients/client-clouddirectory/src/commands/RemoveFacetFromObjectCommand.ts index 4f1fc3d718f0..5ddd477cce71 100644 --- a/clients/client-clouddirectory/src/commands/RemoveFacetFromObjectCommand.ts +++ b/clients/client-clouddirectory/src/commands/RemoveFacetFromObjectCommand.ts @@ -111,4 +111,16 @@ export class RemoveFacetFromObjectCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFacetFromObjectCommand) .de(de_RemoveFacetFromObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFacetFromObjectRequest; + output: {}; + }; + sdk: { + input: RemoveFacetFromObjectCommandInput; + output: RemoveFacetFromObjectCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/TagResourceCommand.ts b/clients/client-clouddirectory/src/commands/TagResourceCommand.ts index 3265599365c6..98dd57b42c6c 100644 --- a/clients/client-clouddirectory/src/commands/TagResourceCommand.ts +++ b/clients/client-clouddirectory/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UntagResourceCommand.ts b/clients/client-clouddirectory/src/commands/UntagResourceCommand.ts index 07a090e6f966..1c75eb776686 100644 --- a/clients/client-clouddirectory/src/commands/UntagResourceCommand.ts +++ b/clients/client-clouddirectory/src/commands/UntagResourceCommand.ts @@ -103,4 +103,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UpdateFacetCommand.ts b/clients/client-clouddirectory/src/commands/UpdateFacetCommand.ts index dbdc66452c27..51b14ec7c83d 100644 --- a/clients/client-clouddirectory/src/commands/UpdateFacetCommand.ts +++ b/clients/client-clouddirectory/src/commands/UpdateFacetCommand.ts @@ -156,4 +156,16 @@ export class UpdateFacetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFacetCommand) .de(de_UpdateFacetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFacetRequest; + output: {}; + }; + sdk: { + input: UpdateFacetCommandInput; + output: UpdateFacetCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UpdateLinkAttributesCommand.ts b/clients/client-clouddirectory/src/commands/UpdateLinkAttributesCommand.ts index 563bb4ca2b5a..add16f40bd69 100644 --- a/clients/client-clouddirectory/src/commands/UpdateLinkAttributesCommand.ts +++ b/clients/client-clouddirectory/src/commands/UpdateLinkAttributesCommand.ts @@ -147,4 +147,16 @@ export class UpdateLinkAttributesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLinkAttributesCommand) .de(de_UpdateLinkAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLinkAttributesRequest; + output: {}; + }; + sdk: { + input: UpdateLinkAttributesCommandInput; + output: UpdateLinkAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UpdateObjectAttributesCommand.ts b/clients/client-clouddirectory/src/commands/UpdateObjectAttributesCommand.ts index 9147a1f7a9b2..0e509a860ef1 100644 --- a/clients/client-clouddirectory/src/commands/UpdateObjectAttributesCommand.ts +++ b/clients/client-clouddirectory/src/commands/UpdateObjectAttributesCommand.ts @@ -132,4 +132,16 @@ export class UpdateObjectAttributesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateObjectAttributesCommand) .de(de_UpdateObjectAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateObjectAttributesRequest; + output: UpdateObjectAttributesResponse; + }; + sdk: { + input: UpdateObjectAttributesCommandInput; + output: UpdateObjectAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UpdateSchemaCommand.ts b/clients/client-clouddirectory/src/commands/UpdateSchemaCommand.ts index 9646cb4cb277..46afd6cbf86a 100644 --- a/clients/client-clouddirectory/src/commands/UpdateSchemaCommand.ts +++ b/clients/client-clouddirectory/src/commands/UpdateSchemaCommand.ts @@ -101,4 +101,16 @@ export class UpdateSchemaCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSchemaCommand) .de(de_UpdateSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSchemaRequest; + output: UpdateSchemaResponse; + }; + sdk: { + input: UpdateSchemaCommandInput; + output: UpdateSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UpdateTypedLinkFacetCommand.ts b/clients/client-clouddirectory/src/commands/UpdateTypedLinkFacetCommand.ts index 56f887fa0c46..28129da05f0e 100644 --- a/clients/client-clouddirectory/src/commands/UpdateTypedLinkFacetCommand.ts +++ b/clients/client-clouddirectory/src/commands/UpdateTypedLinkFacetCommand.ts @@ -141,4 +141,16 @@ export class UpdateTypedLinkFacetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTypedLinkFacetCommand) .de(de_UpdateTypedLinkFacetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTypedLinkFacetRequest; + output: {}; + }; + sdk: { + input: UpdateTypedLinkFacetCommandInput; + output: UpdateTypedLinkFacetCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UpgradeAppliedSchemaCommand.ts b/clients/client-clouddirectory/src/commands/UpgradeAppliedSchemaCommand.ts index de129ee1d5b6..aa51b7c09ab4 100644 --- a/clients/client-clouddirectory/src/commands/UpgradeAppliedSchemaCommand.ts +++ b/clients/client-clouddirectory/src/commands/UpgradeAppliedSchemaCommand.ts @@ -110,4 +110,16 @@ export class UpgradeAppliedSchemaCommand extends $Command .f(void 0, void 0) .ser(se_UpgradeAppliedSchemaCommand) .de(de_UpgradeAppliedSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpgradeAppliedSchemaRequest; + output: UpgradeAppliedSchemaResponse; + }; + sdk: { + input: UpgradeAppliedSchemaCommandInput; + output: UpgradeAppliedSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-clouddirectory/src/commands/UpgradePublishedSchemaCommand.ts b/clients/client-clouddirectory/src/commands/UpgradePublishedSchemaCommand.ts index 97dd8ff7f838..5a445992f228 100644 --- a/clients/client-clouddirectory/src/commands/UpgradePublishedSchemaCommand.ts +++ b/clients/client-clouddirectory/src/commands/UpgradePublishedSchemaCommand.ts @@ -109,4 +109,16 @@ export class UpgradePublishedSchemaCommand extends $Command .f(void 0, void 0) .ser(se_UpgradePublishedSchemaCommand) .de(de_UpgradePublishedSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpgradePublishedSchemaRequest; + output: UpgradePublishedSchemaResponse; + }; + sdk: { + input: UpgradePublishedSchemaCommandInput; + output: UpgradePublishedSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/package.json b/clients/client-cloudformation/package.json index cc7bfa98db39..019d4226a2fe 100644 --- a/clients/client-cloudformation/package.json +++ b/clients/client-cloudformation/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-cloudformation/src/commands/ActivateOrganizationsAccessCommand.ts b/clients/client-cloudformation/src/commands/ActivateOrganizationsAccessCommand.ts index aabe8ec7a12a..c43f20d7961e 100644 --- a/clients/client-cloudformation/src/commands/ActivateOrganizationsAccessCommand.ts +++ b/clients/client-cloudformation/src/commands/ActivateOrganizationsAccessCommand.ts @@ -81,4 +81,16 @@ export class ActivateOrganizationsAccessCommand extends $Command .f(void 0, void 0) .ser(se_ActivateOrganizationsAccessCommand) .de(de_ActivateOrganizationsAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: ActivateOrganizationsAccessCommandInput; + output: ActivateOrganizationsAccessCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ActivateTypeCommand.ts b/clients/client-cloudformation/src/commands/ActivateTypeCommand.ts index 575429ad95aa..32a15513c0d7 100644 --- a/clients/client-cloudformation/src/commands/ActivateTypeCommand.ts +++ b/clients/client-cloudformation/src/commands/ActivateTypeCommand.ts @@ -100,4 +100,16 @@ export class ActivateTypeCommand extends $Command .f(void 0, void 0) .ser(se_ActivateTypeCommand) .de(de_ActivateTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateTypeInput; + output: ActivateTypeOutput; + }; + sdk: { + input: ActivateTypeCommandInput; + output: ActivateTypeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/BatchDescribeTypeConfigurationsCommand.ts b/clients/client-cloudformation/src/commands/BatchDescribeTypeConfigurationsCommand.ts index 6b13c90f9dac..db047b7a853d 100644 --- a/clients/client-cloudformation/src/commands/BatchDescribeTypeConfigurationsCommand.ts +++ b/clients/client-cloudformation/src/commands/BatchDescribeTypeConfigurationsCommand.ts @@ -131,4 +131,16 @@ export class BatchDescribeTypeConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDescribeTypeConfigurationsCommand) .de(de_BatchDescribeTypeConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDescribeTypeConfigurationsInput; + output: BatchDescribeTypeConfigurationsOutput; + }; + sdk: { + input: BatchDescribeTypeConfigurationsCommandInput; + output: BatchDescribeTypeConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/CancelUpdateStackCommand.ts b/clients/client-cloudformation/src/commands/CancelUpdateStackCommand.ts index 373f4b6f7ce3..fb2a768c921d 100644 --- a/clients/client-cloudformation/src/commands/CancelUpdateStackCommand.ts +++ b/clients/client-cloudformation/src/commands/CancelUpdateStackCommand.ts @@ -83,4 +83,16 @@ export class CancelUpdateStackCommand extends $Command .f(void 0, void 0) .ser(se_CancelUpdateStackCommand) .de(de_CancelUpdateStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelUpdateStackInput; + output: {}; + }; + sdk: { + input: CancelUpdateStackCommandInput; + output: CancelUpdateStackCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ContinueUpdateRollbackCommand.ts b/clients/client-cloudformation/src/commands/ContinueUpdateRollbackCommand.ts index 926cb35958de..0188138e6a9a 100644 --- a/clients/client-cloudformation/src/commands/ContinueUpdateRollbackCommand.ts +++ b/clients/client-cloudformation/src/commands/ContinueUpdateRollbackCommand.ts @@ -90,4 +90,16 @@ export class ContinueUpdateRollbackCommand extends $Command .f(void 0, void 0) .ser(se_ContinueUpdateRollbackCommand) .de(de_ContinueUpdateRollbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ContinueUpdateRollbackInput; + output: {}; + }; + sdk: { + input: ContinueUpdateRollbackCommandInput; + output: ContinueUpdateRollbackCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/CreateChangeSetCommand.ts b/clients/client-cloudformation/src/commands/CreateChangeSetCommand.ts index 7c8730ef2030..e18ef1750227 100644 --- a/clients/client-cloudformation/src/commands/CreateChangeSetCommand.ts +++ b/clients/client-cloudformation/src/commands/CreateChangeSetCommand.ts @@ -153,4 +153,16 @@ export class CreateChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateChangeSetCommand) .de(de_CreateChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChangeSetInput; + output: CreateChangeSetOutput; + }; + sdk: { + input: CreateChangeSetCommandInput; + output: CreateChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/CreateGeneratedTemplateCommand.ts b/clients/client-cloudformation/src/commands/CreateGeneratedTemplateCommand.ts index 6c5e207da80d..bb9885365234 100644 --- a/clients/client-cloudformation/src/commands/CreateGeneratedTemplateCommand.ts +++ b/clients/client-cloudformation/src/commands/CreateGeneratedTemplateCommand.ts @@ -135,4 +135,16 @@ export class CreateGeneratedTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateGeneratedTemplateCommand) .de(de_CreateGeneratedTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGeneratedTemplateInput; + output: CreateGeneratedTemplateOutput; + }; + sdk: { + input: CreateGeneratedTemplateCommandInput; + output: CreateGeneratedTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/CreateStackCommand.ts b/clients/client-cloudformation/src/commands/CreateStackCommand.ts index d146f262a018..b62659b0aa97 100644 --- a/clients/client-cloudformation/src/commands/CreateStackCommand.ts +++ b/clients/client-cloudformation/src/commands/CreateStackCommand.ts @@ -135,4 +135,16 @@ export class CreateStackCommand extends $Command .f(void 0, void 0) .ser(se_CreateStackCommand) .de(de_CreateStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStackInput; + output: CreateStackOutput; + }; + sdk: { + input: CreateStackCommandInput; + output: CreateStackCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/CreateStackInstancesCommand.ts b/clients/client-cloudformation/src/commands/CreateStackInstancesCommand.ts index b22d27fa449c..33f8ef935486 100644 --- a/clients/client-cloudformation/src/commands/CreateStackInstancesCommand.ts +++ b/clients/client-cloudformation/src/commands/CreateStackInstancesCommand.ts @@ -138,4 +138,16 @@ export class CreateStackInstancesCommand extends $Command .f(void 0, void 0) .ser(se_CreateStackInstancesCommand) .de(de_CreateStackInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStackInstancesInput; + output: CreateStackInstancesOutput; + }; + sdk: { + input: CreateStackInstancesCommandInput; + output: CreateStackInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/CreateStackSetCommand.ts b/clients/client-cloudformation/src/commands/CreateStackSetCommand.ts index 65e7d9cfeef4..67dbec8995f2 100644 --- a/clients/client-cloudformation/src/commands/CreateStackSetCommand.ts +++ b/clients/client-cloudformation/src/commands/CreateStackSetCommand.ts @@ -121,4 +121,16 @@ export class CreateStackSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateStackSetCommand) .de(de_CreateStackSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStackSetInput; + output: CreateStackSetOutput; + }; + sdk: { + input: CreateStackSetCommandInput; + output: CreateStackSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeactivateOrganizationsAccessCommand.ts b/clients/client-cloudformation/src/commands/DeactivateOrganizationsAccessCommand.ts index ab979ecc2edf..78a495722985 100644 --- a/clients/client-cloudformation/src/commands/DeactivateOrganizationsAccessCommand.ts +++ b/clients/client-cloudformation/src/commands/DeactivateOrganizationsAccessCommand.ts @@ -85,4 +85,16 @@ export class DeactivateOrganizationsAccessCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateOrganizationsAccessCommand) .de(de_DeactivateOrganizationsAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeactivateOrganizationsAccessCommandInput; + output: DeactivateOrganizationsAccessCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeactivateTypeCommand.ts b/clients/client-cloudformation/src/commands/DeactivateTypeCommand.ts index 326442adb7e5..680cef312299 100644 --- a/clients/client-cloudformation/src/commands/DeactivateTypeCommand.ts +++ b/clients/client-cloudformation/src/commands/DeactivateTypeCommand.ts @@ -86,4 +86,16 @@ export class DeactivateTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateTypeCommand) .de(de_DeactivateTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateTypeInput; + output: {}; + }; + sdk: { + input: DeactivateTypeCommandInput; + output: DeactivateTypeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeleteChangeSetCommand.ts b/clients/client-cloudformation/src/commands/DeleteChangeSetCommand.ts index 99927c13ed99..49143df4a583 100644 --- a/clients/client-cloudformation/src/commands/DeleteChangeSetCommand.ts +++ b/clients/client-cloudformation/src/commands/DeleteChangeSetCommand.ts @@ -84,4 +84,16 @@ export class DeleteChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChangeSetCommand) .de(de_DeleteChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChangeSetInput; + output: {}; + }; + sdk: { + input: DeleteChangeSetCommandInput; + output: DeleteChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeleteGeneratedTemplateCommand.ts b/clients/client-cloudformation/src/commands/DeleteGeneratedTemplateCommand.ts index 7fe6874700b6..f1122586bfbd 100644 --- a/clients/client-cloudformation/src/commands/DeleteGeneratedTemplateCommand.ts +++ b/clients/client-cloudformation/src/commands/DeleteGeneratedTemplateCommand.ts @@ -94,4 +94,16 @@ export class DeleteGeneratedTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGeneratedTemplateCommand) .de(de_DeleteGeneratedTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGeneratedTemplateInput; + output: {}; + }; + sdk: { + input: DeleteGeneratedTemplateCommandInput; + output: DeleteGeneratedTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeleteStackCommand.ts b/clients/client-cloudformation/src/commands/DeleteStackCommand.ts index c670ce1f92f3..f842217f208c 100644 --- a/clients/client-cloudformation/src/commands/DeleteStackCommand.ts +++ b/clients/client-cloudformation/src/commands/DeleteStackCommand.ts @@ -85,4 +85,16 @@ export class DeleteStackCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStackCommand) .de(de_DeleteStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStackInput; + output: {}; + }; + sdk: { + input: DeleteStackCommandInput; + output: DeleteStackCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeleteStackInstancesCommand.ts b/clients/client-cloudformation/src/commands/DeleteStackInstancesCommand.ts index 6af7ff697285..a69893b16431 100644 --- a/clients/client-cloudformation/src/commands/DeleteStackInstancesCommand.ts +++ b/clients/client-cloudformation/src/commands/DeleteStackInstancesCommand.ts @@ -123,4 +123,16 @@ export class DeleteStackInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStackInstancesCommand) .de(de_DeleteStackInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStackInstancesInput; + output: DeleteStackInstancesOutput; + }; + sdk: { + input: DeleteStackInstancesCommandInput; + output: DeleteStackInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeleteStackSetCommand.ts b/clients/client-cloudformation/src/commands/DeleteStackSetCommand.ts index b8554584ff48..2edb136a371d 100644 --- a/clients/client-cloudformation/src/commands/DeleteStackSetCommand.ts +++ b/clients/client-cloudformation/src/commands/DeleteStackSetCommand.ts @@ -85,4 +85,16 @@ export class DeleteStackSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStackSetCommand) .de(de_DeleteStackSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStackSetInput; + output: {}; + }; + sdk: { + input: DeleteStackSetCommandInput; + output: DeleteStackSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DeregisterTypeCommand.ts b/clients/client-cloudformation/src/commands/DeregisterTypeCommand.ts index 5df31978d132..124432a2d6d4 100644 --- a/clients/client-cloudformation/src/commands/DeregisterTypeCommand.ts +++ b/clients/client-cloudformation/src/commands/DeregisterTypeCommand.ts @@ -92,4 +92,16 @@ export class DeregisterTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterTypeCommand) .de(de_DeregisterTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTypeInput; + output: {}; + }; + sdk: { + input: DeregisterTypeCommandInput; + output: DeregisterTypeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeAccountLimitsCommand.ts b/clients/client-cloudformation/src/commands/DescribeAccountLimitsCommand.ts index 4c6a2084d8aa..f3c6beb7abf9 100644 --- a/clients/client-cloudformation/src/commands/DescribeAccountLimitsCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeAccountLimitsCommand.ts @@ -85,4 +85,16 @@ export class DescribeAccountLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountLimitsCommand) .de(de_DescribeAccountLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountLimitsInput; + output: DescribeAccountLimitsOutput; + }; + sdk: { + input: DescribeAccountLimitsCommandInput; + output: DescribeAccountLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeChangeSetCommand.ts b/clients/client-cloudformation/src/commands/DescribeChangeSetCommand.ts index f3faae32727f..c28404579166 100644 --- a/clients/client-cloudformation/src/commands/DescribeChangeSetCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeChangeSetCommand.ts @@ -169,4 +169,16 @@ export class DescribeChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeChangeSetCommand) .de(de_DescribeChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChangeSetInput; + output: DescribeChangeSetOutput; + }; + sdk: { + input: DescribeChangeSetCommandInput; + output: DescribeChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeChangeSetHooksCommand.ts b/clients/client-cloudformation/src/commands/DescribeChangeSetHooksCommand.ts index 9e13c93490b3..95e7bbbcef99 100644 --- a/clients/client-cloudformation/src/commands/DescribeChangeSetHooksCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeChangeSetHooksCommand.ts @@ -107,4 +107,16 @@ export class DescribeChangeSetHooksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeChangeSetHooksCommand) .de(de_DescribeChangeSetHooksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChangeSetHooksInput; + output: DescribeChangeSetHooksOutput; + }; + sdk: { + input: DescribeChangeSetHooksCommandInput; + output: DescribeChangeSetHooksCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeGeneratedTemplateCommand.ts b/clients/client-cloudformation/src/commands/DescribeGeneratedTemplateCommand.ts index 9d76bddfa650..75f0df747a5e 100644 --- a/clients/client-cloudformation/src/commands/DescribeGeneratedTemplateCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeGeneratedTemplateCommand.ts @@ -154,4 +154,16 @@ export class DescribeGeneratedTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGeneratedTemplateCommand) .de(de_DescribeGeneratedTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGeneratedTemplateInput; + output: DescribeGeneratedTemplateOutput; + }; + sdk: { + input: DescribeGeneratedTemplateCommandInput; + output: DescribeGeneratedTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeOrganizationsAccessCommand.ts b/clients/client-cloudformation/src/commands/DescribeOrganizationsAccessCommand.ts index 07cac5aca0ed..2d2a073741ed 100644 --- a/clients/client-cloudformation/src/commands/DescribeOrganizationsAccessCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeOrganizationsAccessCommand.ts @@ -85,4 +85,16 @@ export class DescribeOrganizationsAccessCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationsAccessCommand) .de(de_DescribeOrganizationsAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationsAccessInput; + output: DescribeOrganizationsAccessOutput; + }; + sdk: { + input: DescribeOrganizationsAccessCommandInput; + output: DescribeOrganizationsAccessCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribePublisherCommand.ts b/clients/client-cloudformation/src/commands/DescribePublisherCommand.ts index 5365d6e04999..4389043ef51e 100644 --- a/clients/client-cloudformation/src/commands/DescribePublisherCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribePublisherCommand.ts @@ -100,4 +100,16 @@ export class DescribePublisherCommand extends $Command .f(void 0, void 0) .ser(se_DescribePublisherCommand) .de(de_DescribePublisherCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePublisherInput; + output: DescribePublisherOutput; + }; + sdk: { + input: DescribePublisherCommandInput; + output: DescribePublisherCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeResourceScanCommand.ts b/clients/client-cloudformation/src/commands/DescribeResourceScanCommand.ts index d224eddc4ce5..f0696b9a02d7 100644 --- a/clients/client-cloudformation/src/commands/DescribeResourceScanCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeResourceScanCommand.ts @@ -187,4 +187,16 @@ export class DescribeResourceScanCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourceScanCommand) .de(de_DescribeResourceScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourceScanInput; + output: DescribeResourceScanOutput; + }; + sdk: { + input: DescribeResourceScanCommandInput; + output: DescribeResourceScanCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackDriftDetectionStatusCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackDriftDetectionStatusCommand.ts index df85f63813d2..2c07b0a36c2a 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackDriftDetectionStatusCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackDriftDetectionStatusCommand.ts @@ -96,4 +96,16 @@ export class DescribeStackDriftDetectionStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackDriftDetectionStatusCommand) .de(de_DescribeStackDriftDetectionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackDriftDetectionStatusInput; + output: DescribeStackDriftDetectionStatusOutput; + }; + sdk: { + input: DescribeStackDriftDetectionStatusCommandInput; + output: DescribeStackDriftDetectionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackEventsCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackEventsCommand.ts index df94b5d0800b..d3c8d297251a 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackEventsCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackEventsCommand.ts @@ -105,4 +105,16 @@ export class DescribeStackEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackEventsCommand) .de(de_DescribeStackEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackEventsInput; + output: DescribeStackEventsOutput; + }; + sdk: { + input: DescribeStackEventsCommandInput; + output: DescribeStackEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackInstanceCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackInstanceCommand.ts index 69d9e242e0fc..9f5a094afbe0 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackInstanceCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackInstanceCommand.ts @@ -110,4 +110,16 @@ export class DescribeStackInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackInstanceCommand) .de(de_DescribeStackInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackInstanceInput; + output: DescribeStackInstanceOutput; + }; + sdk: { + input: DescribeStackInstanceCommandInput; + output: DescribeStackInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackResourceCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackResourceCommand.ts index 019f5d528f32..1976e641cba5 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackResourceCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackResourceCommand.ts @@ -99,4 +99,16 @@ export class DescribeStackResourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackResourceCommand) .de(de_DescribeStackResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackResourceInput; + output: DescribeStackResourceOutput; + }; + sdk: { + input: DescribeStackResourceCommandInput; + output: DescribeStackResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackResourceDriftsCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackResourceDriftsCommand.ts index 2638970cbfd3..5d1729383f01 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackResourceDriftsCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackResourceDriftsCommand.ts @@ -118,4 +118,16 @@ export class DescribeStackResourceDriftsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackResourceDriftsCommand) .de(de_DescribeStackResourceDriftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackResourceDriftsInput; + output: DescribeStackResourceDriftsOutput; + }; + sdk: { + input: DescribeStackResourceDriftsCommandInput; + output: DescribeStackResourceDriftsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackResourcesCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackResourcesCommand.ts index 5b37ffc012e2..07aeeee4f16c 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackResourcesCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackResourcesCommand.ts @@ -114,4 +114,16 @@ export class DescribeStackResourcesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackResourcesCommand) .de(de_DescribeStackResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackResourcesInput; + output: DescribeStackResourcesOutput; + }; + sdk: { + input: DescribeStackResourcesCommandInput; + output: DescribeStackResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackSetCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackSetCommand.ts index ae88fbf14e21..affe16fbf877 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackSetCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackSetCommand.ts @@ -131,4 +131,16 @@ export class DescribeStackSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackSetCommand) .de(de_DescribeStackSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackSetInput; + output: DescribeStackSetOutput; + }; + sdk: { + input: DescribeStackSetCommandInput; + output: DescribeStackSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStackSetOperationCommand.ts b/clients/client-cloudformation/src/commands/DescribeStackSetOperationCommand.ts index d435cda5e13a..259e180d4589 100644 --- a/clients/client-cloudformation/src/commands/DescribeStackSetOperationCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStackSetOperationCommand.ts @@ -130,4 +130,16 @@ export class DescribeStackSetOperationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackSetOperationCommand) .de(de_DescribeStackSetOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackSetOperationInput; + output: DescribeStackSetOperationOutput; + }; + sdk: { + input: DescribeStackSetOperationCommandInput; + output: DescribeStackSetOperationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeStacksCommand.ts b/clients/client-cloudformation/src/commands/DescribeStacksCommand.ts index eb1399025baf..0994a687a884 100644 --- a/clients/client-cloudformation/src/commands/DescribeStacksCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeStacksCommand.ts @@ -146,4 +146,16 @@ export class DescribeStacksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStacksCommand) .de(de_DescribeStacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStacksInput; + output: DescribeStacksOutput; + }; + sdk: { + input: DescribeStacksCommandInput; + output: DescribeStacksCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeTypeCommand.ts b/clients/client-cloudformation/src/commands/DescribeTypeCommand.ts index c5a57f36af95..ff128ef4abfd 100644 --- a/clients/client-cloudformation/src/commands/DescribeTypeCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeTypeCommand.ts @@ -128,4 +128,16 @@ export class DescribeTypeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTypeCommand) .de(de_DescribeTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTypeInput; + output: DescribeTypeOutput; + }; + sdk: { + input: DescribeTypeCommandInput; + output: DescribeTypeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DescribeTypeRegistrationCommand.ts b/clients/client-cloudformation/src/commands/DescribeTypeRegistrationCommand.ts index c57444c46eee..d09d3e416256 100644 --- a/clients/client-cloudformation/src/commands/DescribeTypeRegistrationCommand.ts +++ b/clients/client-cloudformation/src/commands/DescribeTypeRegistrationCommand.ts @@ -87,4 +87,16 @@ export class DescribeTypeRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTypeRegistrationCommand) .de(de_DescribeTypeRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTypeRegistrationInput; + output: DescribeTypeRegistrationOutput; + }; + sdk: { + input: DescribeTypeRegistrationCommandInput; + output: DescribeTypeRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DetectStackDriftCommand.ts b/clients/client-cloudformation/src/commands/DetectStackDriftCommand.ts index ffe9e42399d4..d93ab0f2a5f0 100644 --- a/clients/client-cloudformation/src/commands/DetectStackDriftCommand.ts +++ b/clients/client-cloudformation/src/commands/DetectStackDriftCommand.ts @@ -96,4 +96,16 @@ export class DetectStackDriftCommand extends $Command .f(void 0, void 0) .ser(se_DetectStackDriftCommand) .de(de_DetectStackDriftCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectStackDriftInput; + output: DetectStackDriftOutput; + }; + sdk: { + input: DetectStackDriftCommandInput; + output: DetectStackDriftCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DetectStackResourceDriftCommand.ts b/clients/client-cloudformation/src/commands/DetectStackResourceDriftCommand.ts index 62a11ae67013..1b9c52f00320 100644 --- a/clients/client-cloudformation/src/commands/DetectStackResourceDriftCommand.ts +++ b/clients/client-cloudformation/src/commands/DetectStackResourceDriftCommand.ts @@ -114,4 +114,16 @@ export class DetectStackResourceDriftCommand extends $Command .f(void 0, void 0) .ser(se_DetectStackResourceDriftCommand) .de(de_DetectStackResourceDriftCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectStackResourceDriftInput; + output: DetectStackResourceDriftOutput; + }; + sdk: { + input: DetectStackResourceDriftCommandInput; + output: DetectStackResourceDriftCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/DetectStackSetDriftCommand.ts b/clients/client-cloudformation/src/commands/DetectStackSetDriftCommand.ts index 18b2425d1c65..89cee8cea170 100644 --- a/clients/client-cloudformation/src/commands/DetectStackSetDriftCommand.ts +++ b/clients/client-cloudformation/src/commands/DetectStackSetDriftCommand.ts @@ -127,4 +127,16 @@ export class DetectStackSetDriftCommand extends $Command .f(void 0, void 0) .ser(se_DetectStackSetDriftCommand) .de(de_DetectStackSetDriftCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectStackSetDriftInput; + output: DetectStackSetDriftOutput; + }; + sdk: { + input: DetectStackSetDriftCommandInput; + output: DetectStackSetDriftCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/EstimateTemplateCostCommand.ts b/clients/client-cloudformation/src/commands/EstimateTemplateCostCommand.ts index 253eac6b834b..fda5777ecc68 100644 --- a/clients/client-cloudformation/src/commands/EstimateTemplateCostCommand.ts +++ b/clients/client-cloudformation/src/commands/EstimateTemplateCostCommand.ts @@ -87,4 +87,16 @@ export class EstimateTemplateCostCommand extends $Command .f(void 0, void 0) .ser(se_EstimateTemplateCostCommand) .de(de_EstimateTemplateCostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EstimateTemplateCostInput; + output: EstimateTemplateCostOutput; + }; + sdk: { + input: EstimateTemplateCostCommandInput; + output: EstimateTemplateCostCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ExecuteChangeSetCommand.ts b/clients/client-cloudformation/src/commands/ExecuteChangeSetCommand.ts index 3e21e2a35504..72b662981646 100644 --- a/clients/client-cloudformation/src/commands/ExecuteChangeSetCommand.ts +++ b/clients/client-cloudformation/src/commands/ExecuteChangeSetCommand.ts @@ -101,4 +101,16 @@ export class ExecuteChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteChangeSetCommand) .de(de_ExecuteChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteChangeSetInput; + output: {}; + }; + sdk: { + input: ExecuteChangeSetCommandInput; + output: ExecuteChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/GetGeneratedTemplateCommand.ts b/clients/client-cloudformation/src/commands/GetGeneratedTemplateCommand.ts index 5995dfda7937..500af1041681 100644 --- a/clients/client-cloudformation/src/commands/GetGeneratedTemplateCommand.ts +++ b/clients/client-cloudformation/src/commands/GetGeneratedTemplateCommand.ts @@ -119,4 +119,16 @@ export class GetGeneratedTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetGeneratedTemplateCommand) .de(de_GetGeneratedTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGeneratedTemplateInput; + output: GetGeneratedTemplateOutput; + }; + sdk: { + input: GetGeneratedTemplateCommandInput; + output: GetGeneratedTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/GetStackPolicyCommand.ts b/clients/client-cloudformation/src/commands/GetStackPolicyCommand.ts index cc595a93da3f..0cdd944fbcc0 100644 --- a/clients/client-cloudformation/src/commands/GetStackPolicyCommand.ts +++ b/clients/client-cloudformation/src/commands/GetStackPolicyCommand.ts @@ -78,4 +78,16 @@ export class GetStackPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetStackPolicyCommand) .de(de_GetStackPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStackPolicyInput; + output: GetStackPolicyOutput; + }; + sdk: { + input: GetStackPolicyCommandInput; + output: GetStackPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/GetTemplateCommand.ts b/clients/client-cloudformation/src/commands/GetTemplateCommand.ts index 5b5f4fd366e4..7eaa36a22aaf 100644 --- a/clients/client-cloudformation/src/commands/GetTemplateCommand.ts +++ b/clients/client-cloudformation/src/commands/GetTemplateCommand.ts @@ -91,4 +91,16 @@ export class GetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateCommand) .de(de_GetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateInput; + output: GetTemplateOutput; + }; + sdk: { + input: GetTemplateCommandInput; + output: GetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/GetTemplateSummaryCommand.ts b/clients/client-cloudformation/src/commands/GetTemplateSummaryCommand.ts index 1d1e559f0eb4..611729b7fa10 100644 --- a/clients/client-cloudformation/src/commands/GetTemplateSummaryCommand.ts +++ b/clients/client-cloudformation/src/commands/GetTemplateSummaryCommand.ts @@ -135,4 +135,16 @@ export class GetTemplateSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateSummaryCommand) .de(de_GetTemplateSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateSummaryInput; + output: GetTemplateSummaryOutput; + }; + sdk: { + input: GetTemplateSummaryCommandInput; + output: GetTemplateSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ImportStacksToStackSetCommand.ts b/clients/client-cloudformation/src/commands/ImportStacksToStackSetCommand.ts index 15cda49a278c..4ff110c73c04 100644 --- a/clients/client-cloudformation/src/commands/ImportStacksToStackSetCommand.ts +++ b/clients/client-cloudformation/src/commands/ImportStacksToStackSetCommand.ts @@ -123,4 +123,16 @@ export class ImportStacksToStackSetCommand extends $Command .f(void 0, void 0) .ser(se_ImportStacksToStackSetCommand) .de(de_ImportStacksToStackSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportStacksToStackSetInput; + output: ImportStacksToStackSetOutput; + }; + sdk: { + input: ImportStacksToStackSetCommandInput; + output: ImportStacksToStackSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListChangeSetsCommand.ts b/clients/client-cloudformation/src/commands/ListChangeSetsCommand.ts index 81d4646de802..7a522c1109a5 100644 --- a/clients/client-cloudformation/src/commands/ListChangeSetsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListChangeSetsCommand.ts @@ -96,4 +96,16 @@ export class ListChangeSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListChangeSetsCommand) .de(de_ListChangeSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChangeSetsInput; + output: ListChangeSetsOutput; + }; + sdk: { + input: ListChangeSetsCommandInput; + output: ListChangeSetsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListExportsCommand.ts b/clients/client-cloudformation/src/commands/ListExportsCommand.ts index cd320344cc36..1f9e113195f4 100644 --- a/clients/client-cloudformation/src/commands/ListExportsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListExportsCommand.ts @@ -88,4 +88,16 @@ export class ListExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListExportsCommand) .de(de_ListExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExportsInput; + output: ListExportsOutput; + }; + sdk: { + input: ListExportsCommandInput; + output: ListExportsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListGeneratedTemplatesCommand.ts b/clients/client-cloudformation/src/commands/ListGeneratedTemplatesCommand.ts index b2ef4372013f..3215454acf45 100644 --- a/clients/client-cloudformation/src/commands/ListGeneratedTemplatesCommand.ts +++ b/clients/client-cloudformation/src/commands/ListGeneratedTemplatesCommand.ts @@ -131,4 +131,16 @@ export class ListGeneratedTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListGeneratedTemplatesCommand) .de(de_ListGeneratedTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGeneratedTemplatesInput; + output: ListGeneratedTemplatesOutput; + }; + sdk: { + input: ListGeneratedTemplatesCommandInput; + output: ListGeneratedTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListImportsCommand.ts b/clients/client-cloudformation/src/commands/ListImportsCommand.ts index 5716255dcae5..fad7e1e263fb 100644 --- a/clients/client-cloudformation/src/commands/ListImportsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListImportsCommand.ts @@ -84,4 +84,16 @@ export class ListImportsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportsCommand) .de(de_ListImportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportsInput; + output: ListImportsOutput; + }; + sdk: { + input: ListImportsCommandInput; + output: ListImportsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListResourceScanRelatedResourcesCommand.ts b/clients/client-cloudformation/src/commands/ListResourceScanRelatedResourcesCommand.ts index 846ec620296a..2e2aca6de56c 100644 --- a/clients/client-cloudformation/src/commands/ListResourceScanRelatedResourcesCommand.ts +++ b/clients/client-cloudformation/src/commands/ListResourceScanRelatedResourcesCommand.ts @@ -169,4 +169,16 @@ export class ListResourceScanRelatedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceScanRelatedResourcesCommand) .de(de_ListResourceScanRelatedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceScanRelatedResourcesInput; + output: ListResourceScanRelatedResourcesOutput; + }; + sdk: { + input: ListResourceScanRelatedResourcesCommandInput; + output: ListResourceScanRelatedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListResourceScanResourcesCommand.ts b/clients/client-cloudformation/src/commands/ListResourceScanResourcesCommand.ts index d37ea3137f3f..f5b9d7554c7e 100644 --- a/clients/client-cloudformation/src/commands/ListResourceScanResourcesCommand.ts +++ b/clients/client-cloudformation/src/commands/ListResourceScanResourcesCommand.ts @@ -166,4 +166,16 @@ export class ListResourceScanResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceScanResourcesCommand) .de(de_ListResourceScanResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceScanResourcesInput; + output: ListResourceScanResourcesOutput; + }; + sdk: { + input: ListResourceScanResourcesCommandInput; + output: ListResourceScanResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListResourceScansCommand.ts b/clients/client-cloudformation/src/commands/ListResourceScansCommand.ts index abc89b68078f..49947721f9ab 100644 --- a/clients/client-cloudformation/src/commands/ListResourceScansCommand.ts +++ b/clients/client-cloudformation/src/commands/ListResourceScansCommand.ts @@ -116,4 +116,16 @@ export class ListResourceScansCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceScansCommand) .de(de_ListResourceScansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceScansInput; + output: ListResourceScansOutput; + }; + sdk: { + input: ListResourceScansCommandInput; + output: ListResourceScansCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStackInstanceResourceDriftsCommand.ts b/clients/client-cloudformation/src/commands/ListStackInstanceResourceDriftsCommand.ts index 23d4e65866d2..20f856e91cef 100644 --- a/clients/client-cloudformation/src/commands/ListStackInstanceResourceDriftsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStackInstanceResourceDriftsCommand.ts @@ -129,4 +129,16 @@ export class ListStackInstanceResourceDriftsCommand extends $Command .f(void 0, void 0) .ser(se_ListStackInstanceResourceDriftsCommand) .de(de_ListStackInstanceResourceDriftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackInstanceResourceDriftsInput; + output: ListStackInstanceResourceDriftsOutput; + }; + sdk: { + input: ListStackInstanceResourceDriftsCommandInput; + output: ListStackInstanceResourceDriftsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStackInstancesCommand.ts b/clients/client-cloudformation/src/commands/ListStackInstancesCommand.ts index 8a4d42e9ac02..c64a994339d3 100644 --- a/clients/client-cloudformation/src/commands/ListStackInstancesCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStackInstancesCommand.ts @@ -110,4 +110,16 @@ export class ListStackInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListStackInstancesCommand) .de(de_ListStackInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackInstancesInput; + output: ListStackInstancesOutput; + }; + sdk: { + input: ListStackInstancesCommandInput; + output: ListStackInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStackResourcesCommand.ts b/clients/client-cloudformation/src/commands/ListStackResourcesCommand.ts index d340e73064a7..de9f2a804930 100644 --- a/clients/client-cloudformation/src/commands/ListStackResourcesCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStackResourcesCommand.ts @@ -98,4 +98,16 @@ export class ListStackResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListStackResourcesCommand) .de(de_ListStackResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackResourcesInput; + output: ListStackResourcesOutput; + }; + sdk: { + input: ListStackResourcesCommandInput; + output: ListStackResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStackSetAutoDeploymentTargetsCommand.ts b/clients/client-cloudformation/src/commands/ListStackSetAutoDeploymentTargetsCommand.ts index 323380b8993b..188f5ba7c28a 100644 --- a/clients/client-cloudformation/src/commands/ListStackSetAutoDeploymentTargetsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStackSetAutoDeploymentTargetsCommand.ts @@ -96,4 +96,16 @@ export class ListStackSetAutoDeploymentTargetsCommand extends $Command .f(void 0, void 0) .ser(se_ListStackSetAutoDeploymentTargetsCommand) .de(de_ListStackSetAutoDeploymentTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackSetAutoDeploymentTargetsInput; + output: ListStackSetAutoDeploymentTargetsOutput; + }; + sdk: { + input: ListStackSetAutoDeploymentTargetsCommandInput; + output: ListStackSetAutoDeploymentTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStackSetOperationResultsCommand.ts b/clients/client-cloudformation/src/commands/ListStackSetOperationResultsCommand.ts index 61b9b4c60b51..b4a42930ae1a 100644 --- a/clients/client-cloudformation/src/commands/ListStackSetOperationResultsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStackSetOperationResultsCommand.ts @@ -108,4 +108,16 @@ export class ListStackSetOperationResultsCommand extends $Command .f(void 0, void 0) .ser(se_ListStackSetOperationResultsCommand) .de(de_ListStackSetOperationResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackSetOperationResultsInput; + output: ListStackSetOperationResultsOutput; + }; + sdk: { + input: ListStackSetOperationResultsCommandInput; + output: ListStackSetOperationResultsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStackSetOperationsCommand.ts b/clients/client-cloudformation/src/commands/ListStackSetOperationsCommand.ts index 9a7631f52650..97010ef604ce 100644 --- a/clients/client-cloudformation/src/commands/ListStackSetOperationsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStackSetOperationsCommand.ts @@ -107,4 +107,16 @@ export class ListStackSetOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListStackSetOperationsCommand) .de(de_ListStackSetOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackSetOperationsInput; + output: ListStackSetOperationsOutput; + }; + sdk: { + input: ListStackSetOperationsCommandInput; + output: ListStackSetOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStackSetsCommand.ts b/clients/client-cloudformation/src/commands/ListStackSetsCommand.ts index 6ef4bcb7976f..9f0e87e0f2ba 100644 --- a/clients/client-cloudformation/src/commands/ListStackSetsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStackSetsCommand.ts @@ -114,4 +114,16 @@ export class ListStackSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListStackSetsCommand) .de(de_ListStackSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackSetsInput; + output: ListStackSetsOutput; + }; + sdk: { + input: ListStackSetsCommandInput; + output: ListStackSetsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListStacksCommand.ts b/clients/client-cloudformation/src/commands/ListStacksCommand.ts index 52b86d50d22b..14c1c95cdc1f 100644 --- a/clients/client-cloudformation/src/commands/ListStacksCommand.ts +++ b/clients/client-cloudformation/src/commands/ListStacksCommand.ts @@ -101,4 +101,16 @@ export class ListStacksCommand extends $Command .f(void 0, void 0) .ser(se_ListStacksCommand) .de(de_ListStacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStacksInput; + output: ListStacksOutput; + }; + sdk: { + input: ListStacksCommandInput; + output: ListStacksCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListTypeRegistrationsCommand.ts b/clients/client-cloudformation/src/commands/ListTypeRegistrationsCommand.ts index 80bf8b765e71..6dc5e723e972 100644 --- a/clients/client-cloudformation/src/commands/ListTypeRegistrationsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListTypeRegistrationsCommand.ts @@ -88,4 +88,16 @@ export class ListTypeRegistrationsCommand extends $Command .f(void 0, void 0) .ser(se_ListTypeRegistrationsCommand) .de(de_ListTypeRegistrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTypeRegistrationsInput; + output: ListTypeRegistrationsOutput; + }; + sdk: { + input: ListTypeRegistrationsCommandInput; + output: ListTypeRegistrationsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListTypeVersionsCommand.ts b/clients/client-cloudformation/src/commands/ListTypeVersionsCommand.ts index 58aa39b67518..fe594c4f9765 100644 --- a/clients/client-cloudformation/src/commands/ListTypeVersionsCommand.ts +++ b/clients/client-cloudformation/src/commands/ListTypeVersionsCommand.ts @@ -98,4 +98,16 @@ export class ListTypeVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTypeVersionsCommand) .de(de_ListTypeVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTypeVersionsInput; + output: ListTypeVersionsOutput; + }; + sdk: { + input: ListTypeVersionsCommandInput; + output: ListTypeVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ListTypesCommand.ts b/clients/client-cloudformation/src/commands/ListTypesCommand.ts index 1417a8112606..e6c944d8d1b1 100644 --- a/clients/client-cloudformation/src/commands/ListTypesCommand.ts +++ b/clients/client-cloudformation/src/commands/ListTypesCommand.ts @@ -107,4 +107,16 @@ export class ListTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListTypesCommand) .de(de_ListTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTypesInput; + output: ListTypesOutput; + }; + sdk: { + input: ListTypesCommandInput; + output: ListTypesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/PublishTypeCommand.ts b/clients/client-cloudformation/src/commands/PublishTypeCommand.ts index 1e2ed6e90239..333daec8ac18 100644 --- a/clients/client-cloudformation/src/commands/PublishTypeCommand.ts +++ b/clients/client-cloudformation/src/commands/PublishTypeCommand.ts @@ -90,4 +90,16 @@ export class PublishTypeCommand extends $Command .f(void 0, void 0) .ser(se_PublishTypeCommand) .de(de_PublishTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishTypeInput; + output: PublishTypeOutput; + }; + sdk: { + input: PublishTypeCommandInput; + output: PublishTypeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/RecordHandlerProgressCommand.ts b/clients/client-cloudformation/src/commands/RecordHandlerProgressCommand.ts index a3d63ec288b7..8e794679a8ab 100644 --- a/clients/client-cloudformation/src/commands/RecordHandlerProgressCommand.ts +++ b/clients/client-cloudformation/src/commands/RecordHandlerProgressCommand.ts @@ -91,4 +91,16 @@ export class RecordHandlerProgressCommand extends $Command .f(void 0, void 0) .ser(se_RecordHandlerProgressCommand) .de(de_RecordHandlerProgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecordHandlerProgressInput; + output: {}; + }; + sdk: { + input: RecordHandlerProgressCommandInput; + output: RecordHandlerProgressCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/RegisterPublisherCommand.ts b/clients/client-cloudformation/src/commands/RegisterPublisherCommand.ts index 038e6c7245db..a0734fe621b1 100644 --- a/clients/client-cloudformation/src/commands/RegisterPublisherCommand.ts +++ b/clients/client-cloudformation/src/commands/RegisterPublisherCommand.ts @@ -85,4 +85,16 @@ export class RegisterPublisherCommand extends $Command .f(void 0, void 0) .ser(se_RegisterPublisherCommand) .de(de_RegisterPublisherCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterPublisherInput; + output: RegisterPublisherOutput; + }; + sdk: { + input: RegisterPublisherCommandInput; + output: RegisterPublisherCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/RegisterTypeCommand.ts b/clients/client-cloudformation/src/commands/RegisterTypeCommand.ts index 08a0ff6fc81a..e52cc42f4c81 100644 --- a/clients/client-cloudformation/src/commands/RegisterTypeCommand.ts +++ b/clients/client-cloudformation/src/commands/RegisterTypeCommand.ts @@ -108,4 +108,16 @@ export class RegisterTypeCommand extends $Command .f(void 0, void 0) .ser(se_RegisterTypeCommand) .de(de_RegisterTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTypeInput; + output: RegisterTypeOutput; + }; + sdk: { + input: RegisterTypeCommandInput; + output: RegisterTypeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/RollbackStackCommand.ts b/clients/client-cloudformation/src/commands/RollbackStackCommand.ts index e3e1b4f13981..c7546acdcb67 100644 --- a/clients/client-cloudformation/src/commands/RollbackStackCommand.ts +++ b/clients/client-cloudformation/src/commands/RollbackStackCommand.ts @@ -115,4 +115,16 @@ export class RollbackStackCommand extends $Command .f(void 0, void 0) .ser(se_RollbackStackCommand) .de(de_RollbackStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RollbackStackInput; + output: RollbackStackOutput; + }; + sdk: { + input: RollbackStackCommandInput; + output: RollbackStackCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/SetStackPolicyCommand.ts b/clients/client-cloudformation/src/commands/SetStackPolicyCommand.ts index 6e169614da71..c0dcacf749c7 100644 --- a/clients/client-cloudformation/src/commands/SetStackPolicyCommand.ts +++ b/clients/client-cloudformation/src/commands/SetStackPolicyCommand.ts @@ -77,4 +77,16 @@ export class SetStackPolicyCommand extends $Command .f(void 0, void 0) .ser(se_SetStackPolicyCommand) .de(de_SetStackPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetStackPolicyInput; + output: {}; + }; + sdk: { + input: SetStackPolicyCommandInput; + output: SetStackPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/SetTypeConfigurationCommand.ts b/clients/client-cloudformation/src/commands/SetTypeConfigurationCommand.ts index aee370b62ca8..ebe45e75a7fe 100644 --- a/clients/client-cloudformation/src/commands/SetTypeConfigurationCommand.ts +++ b/clients/client-cloudformation/src/commands/SetTypeConfigurationCommand.ts @@ -95,4 +95,16 @@ export class SetTypeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_SetTypeConfigurationCommand) .de(de_SetTypeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTypeConfigurationInput; + output: SetTypeConfigurationOutput; + }; + sdk: { + input: SetTypeConfigurationCommandInput; + output: SetTypeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/SetTypeDefaultVersionCommand.ts b/clients/client-cloudformation/src/commands/SetTypeDefaultVersionCommand.ts index 2ccdfaafb725..c75e8df426b2 100644 --- a/clients/client-cloudformation/src/commands/SetTypeDefaultVersionCommand.ts +++ b/clients/client-cloudformation/src/commands/SetTypeDefaultVersionCommand.ts @@ -84,4 +84,16 @@ export class SetTypeDefaultVersionCommand extends $Command .f(void 0, void 0) .ser(se_SetTypeDefaultVersionCommand) .de(de_SetTypeDefaultVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTypeDefaultVersionInput; + output: {}; + }; + sdk: { + input: SetTypeDefaultVersionCommandInput; + output: SetTypeDefaultVersionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/SignalResourceCommand.ts b/clients/client-cloudformation/src/commands/SignalResourceCommand.ts index e54584fff941..57755fab161f 100644 --- a/clients/client-cloudformation/src/commands/SignalResourceCommand.ts +++ b/clients/client-cloudformation/src/commands/SignalResourceCommand.ts @@ -82,4 +82,16 @@ export class SignalResourceCommand extends $Command .f(void 0, void 0) .ser(se_SignalResourceCommand) .de(de_SignalResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SignalResourceInput; + output: {}; + }; + sdk: { + input: SignalResourceCommandInput; + output: SignalResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/StartResourceScanCommand.ts b/clients/client-cloudformation/src/commands/StartResourceScanCommand.ts index 13cce4b42797..bd100f2a5580 100644 --- a/clients/client-cloudformation/src/commands/StartResourceScanCommand.ts +++ b/clients/client-cloudformation/src/commands/StartResourceScanCommand.ts @@ -110,4 +110,16 @@ export class StartResourceScanCommand extends $Command .f(void 0, void 0) .ser(se_StartResourceScanCommand) .de(de_StartResourceScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartResourceScanInput; + output: StartResourceScanOutput; + }; + sdk: { + input: StartResourceScanCommandInput; + output: StartResourceScanCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/StopStackSetOperationCommand.ts b/clients/client-cloudformation/src/commands/StopStackSetOperationCommand.ts index 001cc21ea723..b8326702829c 100644 --- a/clients/client-cloudformation/src/commands/StopStackSetOperationCommand.ts +++ b/clients/client-cloudformation/src/commands/StopStackSetOperationCommand.ts @@ -87,4 +87,16 @@ export class StopStackSetOperationCommand extends $Command .f(void 0, void 0) .ser(se_StopStackSetOperationCommand) .de(de_StopStackSetOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopStackSetOperationInput; + output: {}; + }; + sdk: { + input: StopStackSetOperationCommandInput; + output: StopStackSetOperationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/TestTypeCommand.ts b/clients/client-cloudformation/src/commands/TestTypeCommand.ts index 5889c818c0d7..e346f3ee579f 100644 --- a/clients/client-cloudformation/src/commands/TestTypeCommand.ts +++ b/clients/client-cloudformation/src/commands/TestTypeCommand.ts @@ -108,4 +108,16 @@ export class TestTypeCommand extends $Command .f(void 0, void 0) .ser(se_TestTypeCommand) .de(de_TestTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestTypeInput; + output: TestTypeOutput; + }; + sdk: { + input: TestTypeCommandInput; + output: TestTypeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/UpdateGeneratedTemplateCommand.ts b/clients/client-cloudformation/src/commands/UpdateGeneratedTemplateCommand.ts index 6e64dbb197f9..6b780afe2b82 100644 --- a/clients/client-cloudformation/src/commands/UpdateGeneratedTemplateCommand.ts +++ b/clients/client-cloudformation/src/commands/UpdateGeneratedTemplateCommand.ts @@ -175,4 +175,16 @@ export class UpdateGeneratedTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGeneratedTemplateCommand) .de(de_UpdateGeneratedTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGeneratedTemplateInput; + output: UpdateGeneratedTemplateOutput; + }; + sdk: { + input: UpdateGeneratedTemplateCommandInput; + output: UpdateGeneratedTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/UpdateStackCommand.ts b/clients/client-cloudformation/src/commands/UpdateStackCommand.ts index 4b3f231ee9ef..6acf03d8d683 100644 --- a/clients/client-cloudformation/src/commands/UpdateStackCommand.ts +++ b/clients/client-cloudformation/src/commands/UpdateStackCommand.ts @@ -131,4 +131,16 @@ export class UpdateStackCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStackCommand) .de(de_UpdateStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStackInput; + output: UpdateStackOutput; + }; + sdk: { + input: UpdateStackCommandInput; + output: UpdateStackCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/UpdateStackInstancesCommand.ts b/clients/client-cloudformation/src/commands/UpdateStackInstancesCommand.ts index b6500f0fe21b..6773786ee06a 100644 --- a/clients/client-cloudformation/src/commands/UpdateStackInstancesCommand.ts +++ b/clients/client-cloudformation/src/commands/UpdateStackInstancesCommand.ts @@ -144,4 +144,16 @@ export class UpdateStackInstancesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStackInstancesCommand) .de(de_UpdateStackInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStackInstancesInput; + output: UpdateStackInstancesOutput; + }; + sdk: { + input: UpdateStackInstancesCommandInput; + output: UpdateStackInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/UpdateStackSetCommand.ts b/clients/client-cloudformation/src/commands/UpdateStackSetCommand.ts index 3873446fbcbd..23ef0a64c5c5 100644 --- a/clients/client-cloudformation/src/commands/UpdateStackSetCommand.ts +++ b/clients/client-cloudformation/src/commands/UpdateStackSetCommand.ts @@ -158,4 +158,16 @@ export class UpdateStackSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStackSetCommand) .de(de_UpdateStackSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStackSetInput; + output: UpdateStackSetOutput; + }; + sdk: { + input: UpdateStackSetCommandInput; + output: UpdateStackSetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/UpdateTerminationProtectionCommand.ts b/clients/client-cloudformation/src/commands/UpdateTerminationProtectionCommand.ts index 9ae70783d5fe..bbfc29f6ab85 100644 --- a/clients/client-cloudformation/src/commands/UpdateTerminationProtectionCommand.ts +++ b/clients/client-cloudformation/src/commands/UpdateTerminationProtectionCommand.ts @@ -83,4 +83,16 @@ export class UpdateTerminationProtectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTerminationProtectionCommand) .de(de_UpdateTerminationProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTerminationProtectionInput; + output: UpdateTerminationProtectionOutput; + }; + sdk: { + input: UpdateTerminationProtectionCommandInput; + output: UpdateTerminationProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudformation/src/commands/ValidateTemplateCommand.ts b/clients/client-cloudformation/src/commands/ValidateTemplateCommand.ts index ba68da256345..0407ae5ed484 100644 --- a/clients/client-cloudformation/src/commands/ValidateTemplateCommand.ts +++ b/clients/client-cloudformation/src/commands/ValidateTemplateCommand.ts @@ -95,4 +95,16 @@ export class ValidateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_ValidateTemplateCommand) .de(de_ValidateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateTemplateInput; + output: ValidateTemplateOutput; + }; + sdk: { + input: ValidateTemplateCommandInput; + output: ValidateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront-keyvaluestore/package.json b/clients/client-cloudfront-keyvaluestore/package.json index 47bd387f4d85..cf4874f69601 100644 --- a/clients/client-cloudfront-keyvaluestore/package.json +++ b/clients/client-cloudfront-keyvaluestore/package.json @@ -34,30 +34,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudfront-keyvaluestore/src/commands/DeleteKeyCommand.ts b/clients/client-cloudfront-keyvaluestore/src/commands/DeleteKeyCommand.ts index 5d393522269c..966aca1c820e 100644 --- a/clients/client-cloudfront-keyvaluestore/src/commands/DeleteKeyCommand.ts +++ b/clients/client-cloudfront-keyvaluestore/src/commands/DeleteKeyCommand.ts @@ -106,4 +106,16 @@ export class DeleteKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyCommand) .de(de_DeleteKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyRequest; + output: DeleteKeyResponse; + }; + sdk: { + input: DeleteKeyCommandInput; + output: DeleteKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront-keyvaluestore/src/commands/DescribeKeyValueStoreCommand.ts b/clients/client-cloudfront-keyvaluestore/src/commands/DescribeKeyValueStoreCommand.ts index 574755e06995..9a147fe5f7cf 100644 --- a/clients/client-cloudfront-keyvaluestore/src/commands/DescribeKeyValueStoreCommand.ts +++ b/clients/client-cloudfront-keyvaluestore/src/commands/DescribeKeyValueStoreCommand.ts @@ -103,4 +103,16 @@ export class DescribeKeyValueStoreCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKeyValueStoreCommand) .de(de_DescribeKeyValueStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeyValueStoreRequest; + output: DescribeKeyValueStoreResponse; + }; + sdk: { + input: DescribeKeyValueStoreCommandInput; + output: DescribeKeyValueStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront-keyvaluestore/src/commands/GetKeyCommand.ts b/clients/client-cloudfront-keyvaluestore/src/commands/GetKeyCommand.ts index a6cd17409e0c..f9c5147a43b9 100644 --- a/clients/client-cloudfront-keyvaluestore/src/commands/GetKeyCommand.ts +++ b/clients/client-cloudfront-keyvaluestore/src/commands/GetKeyCommand.ts @@ -100,4 +100,16 @@ export class GetKeyCommand extends $Command .f(void 0, GetKeyResponseFilterSensitiveLog) .ser(se_GetKeyCommand) .de(de_GetKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyRequest; + output: GetKeyResponse; + }; + sdk: { + input: GetKeyCommandInput; + output: GetKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront-keyvaluestore/src/commands/ListKeysCommand.ts b/clients/client-cloudfront-keyvaluestore/src/commands/ListKeysCommand.ts index 43323fae8c04..418e0a27f6e9 100644 --- a/clients/client-cloudfront-keyvaluestore/src/commands/ListKeysCommand.ts +++ b/clients/client-cloudfront-keyvaluestore/src/commands/ListKeysCommand.ts @@ -107,4 +107,16 @@ export class ListKeysCommand extends $Command .f(void 0, ListKeysResponseFilterSensitiveLog) .ser(se_ListKeysCommand) .de(de_ListKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeysRequest; + output: ListKeysResponse; + }; + sdk: { + input: ListKeysCommandInput; + output: ListKeysCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront-keyvaluestore/src/commands/PutKeyCommand.ts b/clients/client-cloudfront-keyvaluestore/src/commands/PutKeyCommand.ts index 0263938c47ea..bcc2b5395f70 100644 --- a/clients/client-cloudfront-keyvaluestore/src/commands/PutKeyCommand.ts +++ b/clients/client-cloudfront-keyvaluestore/src/commands/PutKeyCommand.ts @@ -107,4 +107,16 @@ export class PutKeyCommand extends $Command .f(PutKeyRequestFilterSensitiveLog, void 0) .ser(se_PutKeyCommand) .de(de_PutKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutKeyRequest; + output: PutKeyResponse; + }; + sdk: { + input: PutKeyCommandInput; + output: PutKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront-keyvaluestore/src/commands/UpdateKeysCommand.ts b/clients/client-cloudfront-keyvaluestore/src/commands/UpdateKeysCommand.ts index 71b1954e12a0..9365abdc47db 100644 --- a/clients/client-cloudfront-keyvaluestore/src/commands/UpdateKeysCommand.ts +++ b/clients/client-cloudfront-keyvaluestore/src/commands/UpdateKeysCommand.ts @@ -116,4 +116,16 @@ export class UpdateKeysCommand extends $Command .f(UpdateKeysRequestFilterSensitiveLog, void 0) .ser(se_UpdateKeysCommand) .de(de_UpdateKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKeysRequest; + output: UpdateKeysResponse; + }; + sdk: { + input: UpdateKeysCommandInput; + output: UpdateKeysCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/package.json b/clients/client-cloudfront/package.json index a229e0643c59..507aae85a595 100644 --- a/clients/client-cloudfront/package.json +++ b/clients/client-cloudfront/package.json @@ -34,33 +34,33 @@ "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", "@aws-sdk/xml-builder": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-cloudfront/src/commands/AssociateAliasCommand.ts b/clients/client-cloudfront/src/commands/AssociateAliasCommand.ts index 744a85114eb6..1dbae513c092 100644 --- a/clients/client-cloudfront/src/commands/AssociateAliasCommand.ts +++ b/clients/client-cloudfront/src/commands/AssociateAliasCommand.ts @@ -101,4 +101,16 @@ export class AssociateAliasCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAliasCommand) .de(de_AssociateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAliasRequest; + output: {}; + }; + sdk: { + input: AssociateAliasCommandInput; + output: AssociateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CopyDistributionCommand.ts b/clients/client-cloudfront/src/commands/CopyDistributionCommand.ts index b7c6a168aa62..b995c0142f56 100644 --- a/clients/client-cloudfront/src/commands/CopyDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/CopyDistributionCommand.ts @@ -673,4 +673,16 @@ export class CopyDistributionCommand extends $Command .f(void 0, CopyDistributionResultFilterSensitiveLog) .ser(se_CopyDistributionCommand) .de(de_CopyDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDistributionRequest; + output: CopyDistributionResult; + }; + sdk: { + input: CopyDistributionCommandInput; + output: CopyDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateCachePolicyCommand.ts b/clients/client-cloudfront/src/commands/CreateCachePolicyCommand.ts index 15330b3480f7..8e4b5240c905 100644 --- a/clients/client-cloudfront/src/commands/CreateCachePolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateCachePolicyCommand.ts @@ -213,4 +213,16 @@ export class CreateCachePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateCachePolicyCommand) .de(de_CreateCachePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCachePolicyRequest; + output: CreateCachePolicyResult; + }; + sdk: { + input: CreateCachePolicyCommandInput; + output: CreateCachePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateCloudFrontOriginAccessIdentityCommand.ts b/clients/client-cloudfront/src/commands/CreateCloudFrontOriginAccessIdentityCommand.ts index 1c1fbe930a85..8585c6b73b8f 100644 --- a/clients/client-cloudfront/src/commands/CreateCloudFrontOriginAccessIdentityCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateCloudFrontOriginAccessIdentityCommand.ts @@ -123,4 +123,16 @@ export class CreateCloudFrontOriginAccessIdentityCommand extends $Command .f(void 0, void 0) .ser(se_CreateCloudFrontOriginAccessIdentityCommand) .de(de_CreateCloudFrontOriginAccessIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCloudFrontOriginAccessIdentityRequest; + output: CreateCloudFrontOriginAccessIdentityResult; + }; + sdk: { + input: CreateCloudFrontOriginAccessIdentityCommandInput; + output: CreateCloudFrontOriginAccessIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateContinuousDeploymentPolicyCommand.ts b/clients/client-cloudfront/src/commands/CreateContinuousDeploymentPolicyCommand.ts index 0762e61aedc9..5f2d7c68e319 100644 --- a/clients/client-cloudfront/src/commands/CreateContinuousDeploymentPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateContinuousDeploymentPolicyCommand.ts @@ -160,4 +160,16 @@ export class CreateContinuousDeploymentPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateContinuousDeploymentPolicyCommand) .de(de_CreateContinuousDeploymentPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContinuousDeploymentPolicyRequest; + output: CreateContinuousDeploymentPolicyResult; + }; + sdk: { + input: CreateContinuousDeploymentPolicyCommandInput; + output: CreateContinuousDeploymentPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateDistributionCommand.ts b/clients/client-cloudfront/src/commands/CreateDistributionCommand.ts index f425386f48a3..30eb816ad5f7 100644 --- a/clients/client-cloudfront/src/commands/CreateDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateDistributionCommand.ts @@ -937,4 +937,16 @@ export class CreateDistributionCommand extends $Command .f(CreateDistributionRequestFilterSensitiveLog, CreateDistributionResultFilterSensitiveLog) .ser(se_CreateDistributionCommand) .de(de_CreateDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDistributionRequest; + output: CreateDistributionResult; + }; + sdk: { + input: CreateDistributionCommandInput; + output: CreateDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateDistributionWithTagsCommand.ts b/clients/client-cloudfront/src/commands/CreateDistributionWithTagsCommand.ts index 21af42204849..3496bb310f6e 100644 --- a/clients/client-cloudfront/src/commands/CreateDistributionWithTagsCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateDistributionWithTagsCommand.ts @@ -963,4 +963,16 @@ export class CreateDistributionWithTagsCommand extends $Command .f(CreateDistributionWithTagsRequestFilterSensitiveLog, CreateDistributionWithTagsResultFilterSensitiveLog) .ser(se_CreateDistributionWithTagsCommand) .de(de_CreateDistributionWithTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDistributionWithTagsRequest; + output: CreateDistributionWithTagsResult; + }; + sdk: { + input: CreateDistributionWithTagsCommandInput; + output: CreateDistributionWithTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionConfigCommand.ts b/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionConfigCommand.ts index 4e0e51c81445..342e1e0ac076 100644 --- a/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionConfigCommand.ts @@ -172,4 +172,16 @@ export class CreateFieldLevelEncryptionConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateFieldLevelEncryptionConfigCommand) .de(de_CreateFieldLevelEncryptionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFieldLevelEncryptionConfigRequest; + output: CreateFieldLevelEncryptionConfigResult; + }; + sdk: { + input: CreateFieldLevelEncryptionConfigCommandInput; + output: CreateFieldLevelEncryptionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionProfileCommand.ts b/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionProfileCommand.ts index 20730b4322f7..e9d5a40a3738 100644 --- a/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionProfileCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateFieldLevelEncryptionProfileCommand.ts @@ -153,4 +153,16 @@ export class CreateFieldLevelEncryptionProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateFieldLevelEncryptionProfileCommand) .de(de_CreateFieldLevelEncryptionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFieldLevelEncryptionProfileRequest; + output: CreateFieldLevelEncryptionProfileResult; + }; + sdk: { + input: CreateFieldLevelEncryptionProfileCommandInput; + output: CreateFieldLevelEncryptionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateFunctionCommand.ts b/clients/client-cloudfront/src/commands/CreateFunctionCommand.ts index f58c6da753b4..87462648758f 100644 --- a/clients/client-cloudfront/src/commands/CreateFunctionCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateFunctionCommand.ts @@ -199,4 +199,16 @@ export class CreateFunctionCommand extends $Command .f(CreateFunctionRequestFilterSensitiveLog, void 0) .ser(se_CreateFunctionCommand) .de(de_CreateFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFunctionRequest; + output: CreateFunctionResult; + }; + sdk: { + input: CreateFunctionCommandInput; + output: CreateFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateInvalidationCommand.ts b/clients/client-cloudfront/src/commands/CreateInvalidationCommand.ts index 836bc029dbe2..d8960b185916 100644 --- a/clients/client-cloudfront/src/commands/CreateInvalidationCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateInvalidationCommand.ts @@ -124,4 +124,16 @@ export class CreateInvalidationCommand extends $Command .f(void 0, void 0) .ser(se_CreateInvalidationCommand) .de(de_CreateInvalidationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInvalidationRequest; + output: CreateInvalidationResult; + }; + sdk: { + input: CreateInvalidationCommandInput; + output: CreateInvalidationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateKeyGroupCommand.ts b/clients/client-cloudfront/src/commands/CreateKeyGroupCommand.ts index 0299fb0fcd02..31341ce90189 100644 --- a/clients/client-cloudfront/src/commands/CreateKeyGroupCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateKeyGroupCommand.ts @@ -120,4 +120,16 @@ export class CreateKeyGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateKeyGroupCommand) .de(de_CreateKeyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyGroupRequest; + output: CreateKeyGroupResult; + }; + sdk: { + input: CreateKeyGroupCommandInput; + output: CreateKeyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateKeyValueStoreCommand.ts b/clients/client-cloudfront/src/commands/CreateKeyValueStoreCommand.ts index 5723bf9a858c..3c7ddb870eb5 100644 --- a/clients/client-cloudfront/src/commands/CreateKeyValueStoreCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateKeyValueStoreCommand.ts @@ -140,4 +140,16 @@ export class CreateKeyValueStoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateKeyValueStoreCommand) .de(de_CreateKeyValueStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyValueStoreRequest; + output: CreateKeyValueStoreResult; + }; + sdk: { + input: CreateKeyValueStoreCommandInput; + output: CreateKeyValueStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateMonitoringSubscriptionCommand.ts b/clients/client-cloudfront/src/commands/CreateMonitoringSubscriptionCommand.ts index 1e2997e2c96d..c28c44f812d1 100644 --- a/clients/client-cloudfront/src/commands/CreateMonitoringSubscriptionCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateMonitoringSubscriptionCommand.ts @@ -106,4 +106,16 @@ export class CreateMonitoringSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateMonitoringSubscriptionCommand) .de(de_CreateMonitoringSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMonitoringSubscriptionRequest; + output: CreateMonitoringSubscriptionResult; + }; + sdk: { + input: CreateMonitoringSubscriptionCommandInput; + output: CreateMonitoringSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateOriginAccessControlCommand.ts b/clients/client-cloudfront/src/commands/CreateOriginAccessControlCommand.ts index f1cfe1b3e9d9..dea55f63f0ce 100644 --- a/clients/client-cloudfront/src/commands/CreateOriginAccessControlCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateOriginAccessControlCommand.ts @@ -112,4 +112,16 @@ export class CreateOriginAccessControlCommand extends $Command .f(void 0, void 0) .ser(se_CreateOriginAccessControlCommand) .de(de_CreateOriginAccessControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOriginAccessControlRequest; + output: CreateOriginAccessControlResult; + }; + sdk: { + input: CreateOriginAccessControlCommandInput; + output: CreateOriginAccessControlCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateOriginRequestPolicyCommand.ts b/clients/client-cloudfront/src/commands/CreateOriginRequestPolicyCommand.ts index 113dfbc48d59..94c87425d5f4 100644 --- a/clients/client-cloudfront/src/commands/CreateOriginRequestPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateOriginRequestPolicyCommand.ts @@ -204,4 +204,16 @@ export class CreateOriginRequestPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateOriginRequestPolicyCommand) .de(de_CreateOriginRequestPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOriginRequestPolicyRequest; + output: CreateOriginRequestPolicyResult; + }; + sdk: { + input: CreateOriginRequestPolicyCommandInput; + output: CreateOriginRequestPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreatePublicKeyCommand.ts b/clients/client-cloudfront/src/commands/CreatePublicKeyCommand.ts index 66e96c86a6dc..1af7e24386b0 100644 --- a/clients/client-cloudfront/src/commands/CreatePublicKeyCommand.ts +++ b/clients/client-cloudfront/src/commands/CreatePublicKeyCommand.ts @@ -103,4 +103,16 @@ export class CreatePublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreatePublicKeyCommand) .de(de_CreatePublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePublicKeyRequest; + output: CreatePublicKeyResult; + }; + sdk: { + input: CreatePublicKeyCommandInput; + output: CreatePublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateRealtimeLogConfigCommand.ts b/clients/client-cloudfront/src/commands/CreateRealtimeLogConfigCommand.ts index b267a8fc1e87..a6f144d0eaf0 100644 --- a/clients/client-cloudfront/src/commands/CreateRealtimeLogConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateRealtimeLogConfigCommand.ts @@ -126,4 +126,16 @@ export class CreateRealtimeLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateRealtimeLogConfigCommand) .de(de_CreateRealtimeLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRealtimeLogConfigRequest; + output: CreateRealtimeLogConfigResult; + }; + sdk: { + input: CreateRealtimeLogConfigCommandInput; + output: CreateRealtimeLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateResponseHeadersPolicyCommand.ts b/clients/client-cloudfront/src/commands/CreateResponseHeadersPolicyCommand.ts index 6c45731b6e17..e9a5b2f67ed8 100644 --- a/clients/client-cloudfront/src/commands/CreateResponseHeadersPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateResponseHeadersPolicyCommand.ts @@ -298,4 +298,16 @@ export class CreateResponseHeadersPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateResponseHeadersPolicyCommand) .de(de_CreateResponseHeadersPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResponseHeadersPolicyRequest; + output: CreateResponseHeadersPolicyResult; + }; + sdk: { + input: CreateResponseHeadersPolicyCommandInput; + output: CreateResponseHeadersPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateStreamingDistributionCommand.ts b/clients/client-cloudfront/src/commands/CreateStreamingDistributionCommand.ts index 368bd4ed4682..b411c4c9d311 100644 --- a/clients/client-cloudfront/src/commands/CreateStreamingDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateStreamingDistributionCommand.ts @@ -200,4 +200,16 @@ export class CreateStreamingDistributionCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamingDistributionCommand) .de(de_CreateStreamingDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamingDistributionRequest; + output: CreateStreamingDistributionResult; + }; + sdk: { + input: CreateStreamingDistributionCommandInput; + output: CreateStreamingDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/CreateStreamingDistributionWithTagsCommand.ts b/clients/client-cloudfront/src/commands/CreateStreamingDistributionWithTagsCommand.ts index 2cf1d16774d1..2aff95c93431 100644 --- a/clients/client-cloudfront/src/commands/CreateStreamingDistributionWithTagsCommand.ts +++ b/clients/client-cloudfront/src/commands/CreateStreamingDistributionWithTagsCommand.ts @@ -221,4 +221,16 @@ export class CreateStreamingDistributionWithTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamingDistributionWithTagsCommand) .de(de_CreateStreamingDistributionWithTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamingDistributionWithTagsRequest; + output: CreateStreamingDistributionWithTagsResult; + }; + sdk: { + input: CreateStreamingDistributionWithTagsCommandInput; + output: CreateStreamingDistributionWithTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteCachePolicyCommand.ts b/clients/client-cloudfront/src/commands/DeleteCachePolicyCommand.ts index fc6aaefae7e5..627e68c364a2 100644 --- a/clients/client-cloudfront/src/commands/DeleteCachePolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteCachePolicyCommand.ts @@ -102,4 +102,16 @@ export class DeleteCachePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCachePolicyCommand) .de(de_DeleteCachePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCachePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteCachePolicyCommandInput; + output: DeleteCachePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteCloudFrontOriginAccessIdentityCommand.ts b/clients/client-cloudfront/src/commands/DeleteCloudFrontOriginAccessIdentityCommand.ts index 3a4f07f28597..cb170813c975 100644 --- a/clients/client-cloudfront/src/commands/DeleteCloudFrontOriginAccessIdentityCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteCloudFrontOriginAccessIdentityCommand.ts @@ -95,4 +95,16 @@ export class DeleteCloudFrontOriginAccessIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCloudFrontOriginAccessIdentityCommand) .de(de_DeleteCloudFrontOriginAccessIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCloudFrontOriginAccessIdentityRequest; + output: {}; + }; + sdk: { + input: DeleteCloudFrontOriginAccessIdentityCommandInput; + output: DeleteCloudFrontOriginAccessIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteContinuousDeploymentPolicyCommand.ts b/clients/client-cloudfront/src/commands/DeleteContinuousDeploymentPolicyCommand.ts index f3cffd70c53a..1e4896c776cd 100644 --- a/clients/client-cloudfront/src/commands/DeleteContinuousDeploymentPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteContinuousDeploymentPolicyCommand.ts @@ -102,4 +102,16 @@ export class DeleteContinuousDeploymentPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContinuousDeploymentPolicyCommand) .de(de_DeleteContinuousDeploymentPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContinuousDeploymentPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteContinuousDeploymentPolicyCommandInput; + output: DeleteContinuousDeploymentPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteDistributionCommand.ts b/clients/client-cloudfront/src/commands/DeleteDistributionCommand.ts index 6e474af8b93a..463952f60442 100644 --- a/clients/client-cloudfront/src/commands/DeleteDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteDistributionCommand.ts @@ -93,4 +93,16 @@ export class DeleteDistributionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDistributionCommand) .de(de_DeleteDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDistributionRequest; + output: {}; + }; + sdk: { + input: DeleteDistributionCommandInput; + output: DeleteDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionConfigCommand.ts b/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionConfigCommand.ts index 9732ec3f7252..f2898ad90c27 100644 --- a/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionConfigCommand.ts @@ -95,4 +95,16 @@ export class DeleteFieldLevelEncryptionConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFieldLevelEncryptionConfigCommand) .de(de_DeleteFieldLevelEncryptionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFieldLevelEncryptionConfigRequest; + output: {}; + }; + sdk: { + input: DeleteFieldLevelEncryptionConfigCommandInput; + output: DeleteFieldLevelEncryptionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionProfileCommand.ts b/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionProfileCommand.ts index 88e4d3717224..18a3af8aadbc 100644 --- a/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionProfileCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteFieldLevelEncryptionProfileCommand.ts @@ -95,4 +95,16 @@ export class DeleteFieldLevelEncryptionProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFieldLevelEncryptionProfileCommand) .de(de_DeleteFieldLevelEncryptionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFieldLevelEncryptionProfileRequest; + output: {}; + }; + sdk: { + input: DeleteFieldLevelEncryptionProfileCommandInput; + output: DeleteFieldLevelEncryptionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteFunctionCommand.ts b/clients/client-cloudfront/src/commands/DeleteFunctionCommand.ts index 76c74103b359..e33dabbf6e30 100644 --- a/clients/client-cloudfront/src/commands/DeleteFunctionCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteFunctionCommand.ts @@ -99,4 +99,16 @@ export class DeleteFunctionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionCommand) .de(de_DeleteFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionCommandInput; + output: DeleteFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteKeyGroupCommand.ts b/clients/client-cloudfront/src/commands/DeleteKeyGroupCommand.ts index 7dc8ec21a897..32308aa19a53 100644 --- a/clients/client-cloudfront/src/commands/DeleteKeyGroupCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteKeyGroupCommand.ts @@ -95,4 +95,16 @@ export class DeleteKeyGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyGroupCommand) .de(de_DeleteKeyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyGroupRequest; + output: {}; + }; + sdk: { + input: DeleteKeyGroupCommandInput; + output: DeleteKeyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteKeyValueStoreCommand.ts b/clients/client-cloudfront/src/commands/DeleteKeyValueStoreCommand.ts index 725b83d68b42..53cf6323e4b6 100644 --- a/clients/client-cloudfront/src/commands/DeleteKeyValueStoreCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteKeyValueStoreCommand.ts @@ -107,4 +107,16 @@ export class DeleteKeyValueStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyValueStoreCommand) .de(de_DeleteKeyValueStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyValueStoreRequest; + output: {}; + }; + sdk: { + input: DeleteKeyValueStoreCommandInput; + output: DeleteKeyValueStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteMonitoringSubscriptionCommand.ts b/clients/client-cloudfront/src/commands/DeleteMonitoringSubscriptionCommand.ts index 933677ac4894..8907ad4a8621 100644 --- a/clients/client-cloudfront/src/commands/DeleteMonitoringSubscriptionCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteMonitoringSubscriptionCommand.ts @@ -92,4 +92,16 @@ export class DeleteMonitoringSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMonitoringSubscriptionCommand) .de(de_DeleteMonitoringSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMonitoringSubscriptionRequest; + output: {}; + }; + sdk: { + input: DeleteMonitoringSubscriptionCommandInput; + output: DeleteMonitoringSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteOriginAccessControlCommand.ts b/clients/client-cloudfront/src/commands/DeleteOriginAccessControlCommand.ts index 693b729eb60f..89aa7a46a28b 100644 --- a/clients/client-cloudfront/src/commands/DeleteOriginAccessControlCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteOriginAccessControlCommand.ts @@ -96,4 +96,16 @@ export class DeleteOriginAccessControlCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOriginAccessControlCommand) .de(de_DeleteOriginAccessControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOriginAccessControlRequest; + output: {}; + }; + sdk: { + input: DeleteOriginAccessControlCommandInput; + output: DeleteOriginAccessControlCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteOriginRequestPolicyCommand.ts b/clients/client-cloudfront/src/commands/DeleteOriginRequestPolicyCommand.ts index 48ccb5d32ca0..b6c31c9608ef 100644 --- a/clients/client-cloudfront/src/commands/DeleteOriginRequestPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteOriginRequestPolicyCommand.ts @@ -102,4 +102,16 @@ export class DeleteOriginRequestPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOriginRequestPolicyCommand) .de(de_DeleteOriginRequestPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOriginRequestPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteOriginRequestPolicyCommandInput; + output: DeleteOriginRequestPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeletePublicKeyCommand.ts b/clients/client-cloudfront/src/commands/DeletePublicKeyCommand.ts index f8f63c4fc4c6..34a5ea0b6a6b 100644 --- a/clients/client-cloudfront/src/commands/DeletePublicKeyCommand.ts +++ b/clients/client-cloudfront/src/commands/DeletePublicKeyCommand.ts @@ -92,4 +92,16 @@ export class DeletePublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePublicKeyCommand) .de(de_DeletePublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePublicKeyRequest; + output: {}; + }; + sdk: { + input: DeletePublicKeyCommandInput; + output: DeletePublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteRealtimeLogConfigCommand.ts b/clients/client-cloudfront/src/commands/DeleteRealtimeLogConfigCommand.ts index adfc589d5ec6..b10f5c5477c8 100644 --- a/clients/client-cloudfront/src/commands/DeleteRealtimeLogConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteRealtimeLogConfigCommand.ts @@ -95,4 +95,16 @@ export class DeleteRealtimeLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRealtimeLogConfigCommand) .de(de_DeleteRealtimeLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRealtimeLogConfigRequest; + output: {}; + }; + sdk: { + input: DeleteRealtimeLogConfigCommandInput; + output: DeleteRealtimeLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteResponseHeadersPolicyCommand.ts b/clients/client-cloudfront/src/commands/DeleteResponseHeadersPolicyCommand.ts index 25339699fd81..62f22cc66688 100644 --- a/clients/client-cloudfront/src/commands/DeleteResponseHeadersPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteResponseHeadersPolicyCommand.ts @@ -102,4 +102,16 @@ export class DeleteResponseHeadersPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResponseHeadersPolicyCommand) .de(de_DeleteResponseHeadersPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResponseHeadersPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResponseHeadersPolicyCommandInput; + output: DeleteResponseHeadersPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DeleteStreamingDistributionCommand.ts b/clients/client-cloudfront/src/commands/DeleteStreamingDistributionCommand.ts index 9a56138c0ca7..2b19db6fc661 100644 --- a/clients/client-cloudfront/src/commands/DeleteStreamingDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/DeleteStreamingDistributionCommand.ts @@ -141,4 +141,16 @@ export class DeleteStreamingDistributionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStreamingDistributionCommand) .de(de_DeleteStreamingDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamingDistributionRequest; + output: {}; + }; + sdk: { + input: DeleteStreamingDistributionCommandInput; + output: DeleteStreamingDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DescribeFunctionCommand.ts b/clients/client-cloudfront/src/commands/DescribeFunctionCommand.ts index 344630f1e8a2..54a9716342ac 100644 --- a/clients/client-cloudfront/src/commands/DescribeFunctionCommand.ts +++ b/clients/client-cloudfront/src/commands/DescribeFunctionCommand.ts @@ -110,4 +110,16 @@ export class DescribeFunctionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFunctionCommand) .de(de_DescribeFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFunctionRequest; + output: DescribeFunctionResult; + }; + sdk: { + input: DescribeFunctionCommandInput; + output: DescribeFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/DescribeKeyValueStoreCommand.ts b/clients/client-cloudfront/src/commands/DescribeKeyValueStoreCommand.ts index b815162b6a4b..63f4088b1f06 100644 --- a/clients/client-cloudfront/src/commands/DescribeKeyValueStoreCommand.ts +++ b/clients/client-cloudfront/src/commands/DescribeKeyValueStoreCommand.ts @@ -121,4 +121,16 @@ export class DescribeKeyValueStoreCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKeyValueStoreCommand) .de(de_DescribeKeyValueStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeyValueStoreRequest; + output: DescribeKeyValueStoreResult; + }; + sdk: { + input: DescribeKeyValueStoreCommandInput; + output: DescribeKeyValueStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetCachePolicyCommand.ts b/clients/client-cloudfront/src/commands/GetCachePolicyCommand.ts index 1f4409dc5865..b911a7d7f219 100644 --- a/clients/client-cloudfront/src/commands/GetCachePolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/GetCachePolicyCommand.ts @@ -138,4 +138,16 @@ export class GetCachePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetCachePolicyCommand) .de(de_GetCachePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCachePolicyRequest; + output: GetCachePolicyResult; + }; + sdk: { + input: GetCachePolicyCommandInput; + output: GetCachePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetCachePolicyConfigCommand.ts b/clients/client-cloudfront/src/commands/GetCachePolicyConfigCommand.ts index 7e05d3252c03..e054d1440784 100644 --- a/clients/client-cloudfront/src/commands/GetCachePolicyConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetCachePolicyConfigCommand.ts @@ -126,4 +126,16 @@ export class GetCachePolicyConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetCachePolicyConfigCommand) .de(de_GetCachePolicyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCachePolicyConfigRequest; + output: GetCachePolicyConfigResult; + }; + sdk: { + input: GetCachePolicyConfigCommandInput; + output: GetCachePolicyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityCommand.ts b/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityCommand.ts index b63ee59ba217..680d48a79957 100644 --- a/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityCommand.ts +++ b/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityCommand.ts @@ -96,4 +96,16 @@ export class GetCloudFrontOriginAccessIdentityCommand extends $Command .f(void 0, void 0) .ser(se_GetCloudFrontOriginAccessIdentityCommand) .de(de_GetCloudFrontOriginAccessIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCloudFrontOriginAccessIdentityRequest; + output: GetCloudFrontOriginAccessIdentityResult; + }; + sdk: { + input: GetCloudFrontOriginAccessIdentityCommandInput; + output: GetCloudFrontOriginAccessIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityConfigCommand.ts b/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityConfigCommand.ts index 7fdcabfb85f2..bc4925a18135 100644 --- a/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetCloudFrontOriginAccessIdentityConfigCommand.ts @@ -96,4 +96,16 @@ export class GetCloudFrontOriginAccessIdentityConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetCloudFrontOriginAccessIdentityConfigCommand) .de(de_GetCloudFrontOriginAccessIdentityConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCloudFrontOriginAccessIdentityConfigRequest; + output: GetCloudFrontOriginAccessIdentityConfigResult; + }; + sdk: { + input: GetCloudFrontOriginAccessIdentityConfigCommandInput; + output: GetCloudFrontOriginAccessIdentityConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyCommand.ts b/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyCommand.ts index 079962ad58f3..bfb6bcf86180 100644 --- a/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyCommand.ts @@ -116,4 +116,16 @@ export class GetContinuousDeploymentPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetContinuousDeploymentPolicyCommand) .de(de_GetContinuousDeploymentPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContinuousDeploymentPolicyRequest; + output: GetContinuousDeploymentPolicyResult; + }; + sdk: { + input: GetContinuousDeploymentPolicyCommandInput; + output: GetContinuousDeploymentPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyConfigCommand.ts b/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyConfigCommand.ts index b2aff4215894..b7f74887208b 100644 --- a/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetContinuousDeploymentPolicyConfigCommand.ts @@ -114,4 +114,16 @@ export class GetContinuousDeploymentPolicyConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetContinuousDeploymentPolicyConfigCommand) .de(de_GetContinuousDeploymentPolicyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContinuousDeploymentPolicyConfigRequest; + output: GetContinuousDeploymentPolicyConfigResult; + }; + sdk: { + input: GetContinuousDeploymentPolicyConfigCommandInput; + output: GetContinuousDeploymentPolicyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetDistributionCommand.ts b/clients/client-cloudfront/src/commands/GetDistributionCommand.ts index 22a889edc64e..7370bb7a0bf0 100644 --- a/clients/client-cloudfront/src/commands/GetDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/GetDistributionCommand.ts @@ -418,4 +418,16 @@ export class GetDistributionCommand extends $Command .f(void 0, GetDistributionResultFilterSensitiveLog) .ser(se_GetDistributionCommand) .de(de_GetDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDistributionRequest; + output: GetDistributionResult; + }; + sdk: { + input: GetDistributionCommandInput; + output: GetDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetDistributionConfigCommand.ts b/clients/client-cloudfront/src/commands/GetDistributionConfigCommand.ts index 21f57cd74994..01e7cd29ffd7 100644 --- a/clients/client-cloudfront/src/commands/GetDistributionConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetDistributionConfigCommand.ts @@ -374,4 +374,16 @@ export class GetDistributionConfigCommand extends $Command .f(void 0, GetDistributionConfigResultFilterSensitiveLog) .ser(se_GetDistributionConfigCommand) .de(de_GetDistributionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDistributionConfigRequest; + output: GetDistributionConfigResult; + }; + sdk: { + input: GetDistributionConfigCommandInput; + output: GetDistributionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionCommand.ts b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionCommand.ts index fb96a80bbce9..0c621b49a78d 100644 --- a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionCommand.ts +++ b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionCommand.ts @@ -116,4 +116,16 @@ export class GetFieldLevelEncryptionCommand extends $Command .f(void 0, void 0) .ser(se_GetFieldLevelEncryptionCommand) .de(de_GetFieldLevelEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFieldLevelEncryptionRequest; + output: GetFieldLevelEncryptionResult; + }; + sdk: { + input: GetFieldLevelEncryptionCommandInput; + output: GetFieldLevelEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionConfigCommand.ts b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionConfigCommand.ts index 2978e1ae52ba..c2156740a0cb 100644 --- a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionConfigCommand.ts @@ -117,4 +117,16 @@ export class GetFieldLevelEncryptionConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetFieldLevelEncryptionConfigCommand) .de(de_GetFieldLevelEncryptionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFieldLevelEncryptionConfigRequest; + output: GetFieldLevelEncryptionConfigResult; + }; + sdk: { + input: GetFieldLevelEncryptionConfigCommandInput; + output: GetFieldLevelEncryptionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileCommand.ts b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileCommand.ts index b399eadd2630..3f4631a525c1 100644 --- a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileCommand.ts +++ b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileCommand.ts @@ -112,4 +112,16 @@ export class GetFieldLevelEncryptionProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetFieldLevelEncryptionProfileCommand) .de(de_GetFieldLevelEncryptionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFieldLevelEncryptionProfileRequest; + output: GetFieldLevelEncryptionProfileResult; + }; + sdk: { + input: GetFieldLevelEncryptionProfileCommandInput; + output: GetFieldLevelEncryptionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileConfigCommand.ts b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileConfigCommand.ts index f1458c5d4c20..a892e0dc3a04 100644 --- a/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetFieldLevelEncryptionProfileConfigCommand.ts @@ -111,4 +111,16 @@ export class GetFieldLevelEncryptionProfileConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetFieldLevelEncryptionProfileConfigCommand) .de(de_GetFieldLevelEncryptionProfileConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFieldLevelEncryptionProfileConfigRequest; + output: GetFieldLevelEncryptionProfileConfigResult; + }; + sdk: { + input: GetFieldLevelEncryptionProfileConfigCommandInput; + output: GetFieldLevelEncryptionProfileConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetFunctionCommand.ts b/clients/client-cloudfront/src/commands/GetFunctionCommand.ts index 136ae6268d94..11966d49c6d4 100644 --- a/clients/client-cloudfront/src/commands/GetFunctionCommand.ts +++ b/clients/client-cloudfront/src/commands/GetFunctionCommand.ts @@ -97,4 +97,16 @@ export class GetFunctionCommand extends $Command .f(void 0, GetFunctionResultFilterSensitiveLog) .ser(se_GetFunctionCommand) .de(de_GetFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionRequest; + output: GetFunctionResult; + }; + sdk: { + input: GetFunctionCommandInput; + output: GetFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetInvalidationCommand.ts b/clients/client-cloudfront/src/commands/GetInvalidationCommand.ts index e294412a305b..b8dc0bc502d9 100644 --- a/clients/client-cloudfront/src/commands/GetInvalidationCommand.ts +++ b/clients/client-cloudfront/src/commands/GetInvalidationCommand.ts @@ -100,4 +100,16 @@ export class GetInvalidationCommand extends $Command .f(void 0, void 0) .ser(se_GetInvalidationCommand) .de(de_GetInvalidationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInvalidationRequest; + output: GetInvalidationResult; + }; + sdk: { + input: GetInvalidationCommandInput; + output: GetInvalidationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetKeyGroupCommand.ts b/clients/client-cloudfront/src/commands/GetKeyGroupCommand.ts index bc46aa82f45c..850ba3b4bdcb 100644 --- a/clients/client-cloudfront/src/commands/GetKeyGroupCommand.ts +++ b/clients/client-cloudfront/src/commands/GetKeyGroupCommand.ts @@ -97,4 +97,16 @@ export class GetKeyGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyGroupCommand) .de(de_GetKeyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyGroupRequest; + output: GetKeyGroupResult; + }; + sdk: { + input: GetKeyGroupCommandInput; + output: GetKeyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetKeyGroupConfigCommand.ts b/clients/client-cloudfront/src/commands/GetKeyGroupConfigCommand.ts index 367d398304c2..4ff7c749dbb1 100644 --- a/clients/client-cloudfront/src/commands/GetKeyGroupConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetKeyGroupConfigCommand.ts @@ -92,4 +92,16 @@ export class GetKeyGroupConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyGroupConfigCommand) .de(de_GetKeyGroupConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyGroupConfigRequest; + output: GetKeyGroupConfigResult; + }; + sdk: { + input: GetKeyGroupConfigCommandInput; + output: GetKeyGroupConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetMonitoringSubscriptionCommand.ts b/clients/client-cloudfront/src/commands/GetMonitoringSubscriptionCommand.ts index 052a02c1e634..e423699e56c2 100644 --- a/clients/client-cloudfront/src/commands/GetMonitoringSubscriptionCommand.ts +++ b/clients/client-cloudfront/src/commands/GetMonitoringSubscriptionCommand.ts @@ -94,4 +94,16 @@ export class GetMonitoringSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_GetMonitoringSubscriptionCommand) .de(de_GetMonitoringSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMonitoringSubscriptionRequest; + output: GetMonitoringSubscriptionResult; + }; + sdk: { + input: GetMonitoringSubscriptionCommandInput; + output: GetMonitoringSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetOriginAccessControlCommand.ts b/clients/client-cloudfront/src/commands/GetOriginAccessControlCommand.ts index 9445ebb3692e..80b946771c49 100644 --- a/clients/client-cloudfront/src/commands/GetOriginAccessControlCommand.ts +++ b/clients/client-cloudfront/src/commands/GetOriginAccessControlCommand.ts @@ -93,4 +93,16 @@ export class GetOriginAccessControlCommand extends $Command .f(void 0, void 0) .ser(se_GetOriginAccessControlCommand) .de(de_GetOriginAccessControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOriginAccessControlRequest; + output: GetOriginAccessControlResult; + }; + sdk: { + input: GetOriginAccessControlCommandInput; + output: GetOriginAccessControlCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetOriginAccessControlConfigCommand.ts b/clients/client-cloudfront/src/commands/GetOriginAccessControlConfigCommand.ts index 41dff94710d6..3af791e3e4d3 100644 --- a/clients/client-cloudfront/src/commands/GetOriginAccessControlConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetOriginAccessControlConfigCommand.ts @@ -95,4 +95,16 @@ export class GetOriginAccessControlConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetOriginAccessControlConfigCommand) .de(de_GetOriginAccessControlConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOriginAccessControlConfigRequest; + output: GetOriginAccessControlConfigResult; + }; + sdk: { + input: GetOriginAccessControlConfigCommandInput; + output: GetOriginAccessControlConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetOriginRequestPolicyCommand.ts b/clients/client-cloudfront/src/commands/GetOriginRequestPolicyCommand.ts index d11b8bb56030..1d0834d1b381 100644 --- a/clients/client-cloudfront/src/commands/GetOriginRequestPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/GetOriginRequestPolicyCommand.ts @@ -132,4 +132,16 @@ export class GetOriginRequestPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetOriginRequestPolicyCommand) .de(de_GetOriginRequestPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOriginRequestPolicyRequest; + output: GetOriginRequestPolicyResult; + }; + sdk: { + input: GetOriginRequestPolicyCommandInput; + output: GetOriginRequestPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetOriginRequestPolicyConfigCommand.ts b/clients/client-cloudfront/src/commands/GetOriginRequestPolicyConfigCommand.ts index 87cab81c1d99..871ef1fd38c6 100644 --- a/clients/client-cloudfront/src/commands/GetOriginRequestPolicyConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetOriginRequestPolicyConfigCommand.ts @@ -125,4 +125,16 @@ export class GetOriginRequestPolicyConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetOriginRequestPolicyConfigCommand) .de(de_GetOriginRequestPolicyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOriginRequestPolicyConfigRequest; + output: GetOriginRequestPolicyConfigResult; + }; + sdk: { + input: GetOriginRequestPolicyConfigCommandInput; + output: GetOriginRequestPolicyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetPublicKeyCommand.ts b/clients/client-cloudfront/src/commands/GetPublicKeyCommand.ts index 3b58637692ae..1f5f19c01d81 100644 --- a/clients/client-cloudfront/src/commands/GetPublicKeyCommand.ts +++ b/clients/client-cloudfront/src/commands/GetPublicKeyCommand.ts @@ -93,4 +93,16 @@ export class GetPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetPublicKeyCommand) .de(de_GetPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicKeyRequest; + output: GetPublicKeyResult; + }; + sdk: { + input: GetPublicKeyCommandInput; + output: GetPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetPublicKeyConfigCommand.ts b/clients/client-cloudfront/src/commands/GetPublicKeyConfigCommand.ts index a914bc070f71..6075caca187d 100644 --- a/clients/client-cloudfront/src/commands/GetPublicKeyConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetPublicKeyConfigCommand.ts @@ -89,4 +89,16 @@ export class GetPublicKeyConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetPublicKeyConfigCommand) .de(de_GetPublicKeyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicKeyConfigRequest; + output: GetPublicKeyConfigResult; + }; + sdk: { + input: GetPublicKeyConfigCommandInput; + output: GetPublicKeyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetRealtimeLogConfigCommand.ts b/clients/client-cloudfront/src/commands/GetRealtimeLogConfigCommand.ts index e7ce089ee0e7..935e3db0a8d1 100644 --- a/clients/client-cloudfront/src/commands/GetRealtimeLogConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetRealtimeLogConfigCommand.ts @@ -106,4 +106,16 @@ export class GetRealtimeLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetRealtimeLogConfigCommand) .de(de_GetRealtimeLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRealtimeLogConfigRequest; + output: GetRealtimeLogConfigResult; + }; + sdk: { + input: GetRealtimeLogConfigCommandInput; + output: GetRealtimeLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyCommand.ts b/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyCommand.ts index abd8cf8c4a7e..6d1384734497 100644 --- a/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyCommand.ts @@ -178,4 +178,16 @@ export class GetResponseHeadersPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResponseHeadersPolicyCommand) .de(de_GetResponseHeadersPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResponseHeadersPolicyRequest; + output: GetResponseHeadersPolicyResult; + }; + sdk: { + input: GetResponseHeadersPolicyCommandInput; + output: GetResponseHeadersPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyConfigCommand.ts b/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyConfigCommand.ts index abd17c6656e5..a89779cdf9be 100644 --- a/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetResponseHeadersPolicyConfigCommand.ts @@ -178,4 +178,16 @@ export class GetResponseHeadersPolicyConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetResponseHeadersPolicyConfigCommand) .de(de_GetResponseHeadersPolicyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResponseHeadersPolicyConfigRequest; + output: GetResponseHeadersPolicyConfigResult; + }; + sdk: { + input: GetResponseHeadersPolicyConfigCommandInput; + output: GetResponseHeadersPolicyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetStreamingDistributionCommand.ts b/clients/client-cloudfront/src/commands/GetStreamingDistributionCommand.ts index 65613f0a70d3..f7f40f7f177f 100644 --- a/clients/client-cloudfront/src/commands/GetStreamingDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/GetStreamingDistributionCommand.ts @@ -134,4 +134,16 @@ export class GetStreamingDistributionCommand extends $Command .f(void 0, void 0) .ser(se_GetStreamingDistributionCommand) .de(de_GetStreamingDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamingDistributionRequest; + output: GetStreamingDistributionResult; + }; + sdk: { + input: GetStreamingDistributionCommandInput; + output: GetStreamingDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/GetStreamingDistributionConfigCommand.ts b/clients/client-cloudfront/src/commands/GetStreamingDistributionConfigCommand.ts index 2f8b863dd2bc..5dd9ee42c320 100644 --- a/clients/client-cloudfront/src/commands/GetStreamingDistributionConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/GetStreamingDistributionConfigCommand.ts @@ -116,4 +116,16 @@ export class GetStreamingDistributionConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetStreamingDistributionConfigCommand) .de(de_GetStreamingDistributionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamingDistributionConfigRequest; + output: GetStreamingDistributionConfigResult; + }; + sdk: { + input: GetStreamingDistributionConfigCommandInput; + output: GetStreamingDistributionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListCachePoliciesCommand.ts b/clients/client-cloudfront/src/commands/ListCachePoliciesCommand.ts index 9d4e1fec3f83..64aec0d3ee38 100644 --- a/clients/client-cloudfront/src/commands/ListCachePoliciesCommand.ts +++ b/clients/client-cloudfront/src/commands/ListCachePoliciesCommand.ts @@ -146,4 +146,16 @@ export class ListCachePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListCachePoliciesCommand) .de(de_ListCachePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCachePoliciesRequest; + output: ListCachePoliciesResult; + }; + sdk: { + input: ListCachePoliciesCommandInput; + output: ListCachePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListCloudFrontOriginAccessIdentitiesCommand.ts b/clients/client-cloudfront/src/commands/ListCloudFrontOriginAccessIdentitiesCommand.ts index 408eee1ba950..032bb4cefc3f 100644 --- a/clients/client-cloudfront/src/commands/ListCloudFrontOriginAccessIdentitiesCommand.ts +++ b/clients/client-cloudfront/src/commands/ListCloudFrontOriginAccessIdentitiesCommand.ts @@ -102,4 +102,16 @@ export class ListCloudFrontOriginAccessIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListCloudFrontOriginAccessIdentitiesCommand) .de(de_ListCloudFrontOriginAccessIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCloudFrontOriginAccessIdentitiesRequest; + output: ListCloudFrontOriginAccessIdentitiesResult; + }; + sdk: { + input: ListCloudFrontOriginAccessIdentitiesCommandInput; + output: ListCloudFrontOriginAccessIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListConflictingAliasesCommand.ts b/clients/client-cloudfront/src/commands/ListConflictingAliasesCommand.ts index 0229fdef605e..b6ffe349a5e8 100644 --- a/clients/client-cloudfront/src/commands/ListConflictingAliasesCommand.ts +++ b/clients/client-cloudfront/src/commands/ListConflictingAliasesCommand.ts @@ -119,4 +119,16 @@ export class ListConflictingAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListConflictingAliasesCommand) .de(de_ListConflictingAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConflictingAliasesRequest; + output: ListConflictingAliasesResult; + }; + sdk: { + input: ListConflictingAliasesCommandInput; + output: ListConflictingAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListContinuousDeploymentPoliciesCommand.ts b/clients/client-cloudfront/src/commands/ListContinuousDeploymentPoliciesCommand.ts index 1fd511fbfab1..fc8f946e4be2 100644 --- a/clients/client-cloudfront/src/commands/ListContinuousDeploymentPoliciesCommand.ts +++ b/clients/client-cloudfront/src/commands/ListContinuousDeploymentPoliciesCommand.ts @@ -132,4 +132,16 @@ export class ListContinuousDeploymentPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListContinuousDeploymentPoliciesCommand) .de(de_ListContinuousDeploymentPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContinuousDeploymentPoliciesRequest; + output: ListContinuousDeploymentPoliciesResult; + }; + sdk: { + input: ListContinuousDeploymentPoliciesCommandInput; + output: ListContinuousDeploymentPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListDistributionsByCachePolicyIdCommand.ts b/clients/client-cloudfront/src/commands/ListDistributionsByCachePolicyIdCommand.ts index e97872ed6038..c3c60ea499d2 100644 --- a/clients/client-cloudfront/src/commands/ListDistributionsByCachePolicyIdCommand.ts +++ b/clients/client-cloudfront/src/commands/ListDistributionsByCachePolicyIdCommand.ts @@ -108,4 +108,16 @@ export class ListDistributionsByCachePolicyIdCommand extends $Command .f(void 0, void 0) .ser(se_ListDistributionsByCachePolicyIdCommand) .de(de_ListDistributionsByCachePolicyIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionsByCachePolicyIdRequest; + output: ListDistributionsByCachePolicyIdResult; + }; + sdk: { + input: ListDistributionsByCachePolicyIdCommandInput; + output: ListDistributionsByCachePolicyIdCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListDistributionsByKeyGroupCommand.ts b/clients/client-cloudfront/src/commands/ListDistributionsByKeyGroupCommand.ts index 2f2862621705..f721719f230b 100644 --- a/clients/client-cloudfront/src/commands/ListDistributionsByKeyGroupCommand.ts +++ b/clients/client-cloudfront/src/commands/ListDistributionsByKeyGroupCommand.ts @@ -100,4 +100,16 @@ export class ListDistributionsByKeyGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListDistributionsByKeyGroupCommand) .de(de_ListDistributionsByKeyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionsByKeyGroupRequest; + output: ListDistributionsByKeyGroupResult; + }; + sdk: { + input: ListDistributionsByKeyGroupCommandInput; + output: ListDistributionsByKeyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListDistributionsByOriginRequestPolicyIdCommand.ts b/clients/client-cloudfront/src/commands/ListDistributionsByOriginRequestPolicyIdCommand.ts index 2529855e2e0e..18495934ae3d 100644 --- a/clients/client-cloudfront/src/commands/ListDistributionsByOriginRequestPolicyIdCommand.ts +++ b/clients/client-cloudfront/src/commands/ListDistributionsByOriginRequestPolicyIdCommand.ts @@ -112,4 +112,16 @@ export class ListDistributionsByOriginRequestPolicyIdCommand extends $Command .f(void 0, void 0) .ser(se_ListDistributionsByOriginRequestPolicyIdCommand) .de(de_ListDistributionsByOriginRequestPolicyIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionsByOriginRequestPolicyIdRequest; + output: ListDistributionsByOriginRequestPolicyIdResult; + }; + sdk: { + input: ListDistributionsByOriginRequestPolicyIdCommandInput; + output: ListDistributionsByOriginRequestPolicyIdCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListDistributionsByRealtimeLogConfigCommand.ts b/clients/client-cloudfront/src/commands/ListDistributionsByRealtimeLogConfigCommand.ts index 72e59281983b..9aaf185bde71 100644 --- a/clients/client-cloudfront/src/commands/ListDistributionsByRealtimeLogConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/ListDistributionsByRealtimeLogConfigCommand.ts @@ -398,4 +398,16 @@ export class ListDistributionsByRealtimeLogConfigCommand extends $Command .f(void 0, ListDistributionsByRealtimeLogConfigResultFilterSensitiveLog) .ser(se_ListDistributionsByRealtimeLogConfigCommand) .de(de_ListDistributionsByRealtimeLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionsByRealtimeLogConfigRequest; + output: ListDistributionsByRealtimeLogConfigResult; + }; + sdk: { + input: ListDistributionsByRealtimeLogConfigCommandInput; + output: ListDistributionsByRealtimeLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListDistributionsByResponseHeadersPolicyIdCommand.ts b/clients/client-cloudfront/src/commands/ListDistributionsByResponseHeadersPolicyIdCommand.ts index 6351d6a5e724..d6efc8404d80 100644 --- a/clients/client-cloudfront/src/commands/ListDistributionsByResponseHeadersPolicyIdCommand.ts +++ b/clients/client-cloudfront/src/commands/ListDistributionsByResponseHeadersPolicyIdCommand.ts @@ -112,4 +112,16 @@ export class ListDistributionsByResponseHeadersPolicyIdCommand extends $Command .f(void 0, void 0) .ser(se_ListDistributionsByResponseHeadersPolicyIdCommand) .de(de_ListDistributionsByResponseHeadersPolicyIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionsByResponseHeadersPolicyIdRequest; + output: ListDistributionsByResponseHeadersPolicyIdResult; + }; + sdk: { + input: ListDistributionsByResponseHeadersPolicyIdCommandInput; + output: ListDistributionsByResponseHeadersPolicyIdCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListDistributionsByWebACLIdCommand.ts b/clients/client-cloudfront/src/commands/ListDistributionsByWebACLIdCommand.ts index 4e4ede1fa8e5..3cc5bc3b4016 100644 --- a/clients/client-cloudfront/src/commands/ListDistributionsByWebACLIdCommand.ts +++ b/clients/client-cloudfront/src/commands/ListDistributionsByWebACLIdCommand.ts @@ -390,4 +390,16 @@ export class ListDistributionsByWebACLIdCommand extends $Command .f(void 0, ListDistributionsByWebACLIdResultFilterSensitiveLog) .ser(se_ListDistributionsByWebACLIdCommand) .de(de_ListDistributionsByWebACLIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionsByWebACLIdRequest; + output: ListDistributionsByWebACLIdResult; + }; + sdk: { + input: ListDistributionsByWebACLIdCommandInput; + output: ListDistributionsByWebACLIdCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListDistributionsCommand.ts b/clients/client-cloudfront/src/commands/ListDistributionsCommand.ts index d4a38f5b2096..968ff5d9b7e3 100644 --- a/clients/client-cloudfront/src/commands/ListDistributionsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListDistributionsCommand.ts @@ -382,4 +382,16 @@ export class ListDistributionsCommand extends $Command .f(void 0, ListDistributionsResultFilterSensitiveLog) .ser(se_ListDistributionsCommand) .de(de_ListDistributionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionsRequest; + output: ListDistributionsResult; + }; + sdk: { + input: ListDistributionsCommandInput; + output: ListDistributionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionConfigsCommand.ts b/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionConfigsCommand.ts index 3d88420e903c..a1817dd6332d 100644 --- a/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionConfigsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionConfigsCommand.ts @@ -123,4 +123,16 @@ export class ListFieldLevelEncryptionConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListFieldLevelEncryptionConfigsCommand) .de(de_ListFieldLevelEncryptionConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFieldLevelEncryptionConfigsRequest; + output: ListFieldLevelEncryptionConfigsResult; + }; + sdk: { + input: ListFieldLevelEncryptionConfigsCommandInput; + output: ListFieldLevelEncryptionConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionProfilesCommand.ts b/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionProfilesCommand.ts index 4f61d3f48e51..2b322041c423 100644 --- a/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionProfilesCommand.ts +++ b/clients/client-cloudfront/src/commands/ListFieldLevelEncryptionProfilesCommand.ts @@ -114,4 +114,16 @@ export class ListFieldLevelEncryptionProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListFieldLevelEncryptionProfilesCommand) .de(de_ListFieldLevelEncryptionProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFieldLevelEncryptionProfilesRequest; + output: ListFieldLevelEncryptionProfilesResult; + }; + sdk: { + input: ListFieldLevelEncryptionProfilesCommandInput; + output: ListFieldLevelEncryptionProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListFunctionsCommand.ts b/clients/client-cloudfront/src/commands/ListFunctionsCommand.ts index 54b57882f697..0d6c9f22231f 100644 --- a/clients/client-cloudfront/src/commands/ListFunctionsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListFunctionsCommand.ts @@ -120,4 +120,16 @@ export class ListFunctionsCommand extends $Command .f(void 0, void 0) .ser(se_ListFunctionsCommand) .de(de_ListFunctionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionsRequest; + output: ListFunctionsResult; + }; + sdk: { + input: ListFunctionsCommandInput; + output: ListFunctionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListInvalidationsCommand.ts b/clients/client-cloudfront/src/commands/ListInvalidationsCommand.ts index 59a7bf63b41f..8b5439e1da22 100644 --- a/clients/client-cloudfront/src/commands/ListInvalidationsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListInvalidationsCommand.ts @@ -101,4 +101,16 @@ export class ListInvalidationsCommand extends $Command .f(void 0, void 0) .ser(se_ListInvalidationsCommand) .de(de_ListInvalidationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInvalidationsRequest; + output: ListInvalidationsResult; + }; + sdk: { + input: ListInvalidationsCommandInput; + output: ListInvalidationsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListKeyGroupsCommand.ts b/clients/client-cloudfront/src/commands/ListKeyGroupsCommand.ts index 42c237aa8b3e..23873bd40a24 100644 --- a/clients/client-cloudfront/src/commands/ListKeyGroupsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListKeyGroupsCommand.ts @@ -105,4 +105,16 @@ export class ListKeyGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListKeyGroupsCommand) .de(de_ListKeyGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeyGroupsRequest; + output: ListKeyGroupsResult; + }; + sdk: { + input: ListKeyGroupsCommandInput; + output: ListKeyGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListKeyValueStoresCommand.ts b/clients/client-cloudfront/src/commands/ListKeyValueStoresCommand.ts index 357fb116679a..73aad5414f4b 100644 --- a/clients/client-cloudfront/src/commands/ListKeyValueStoresCommand.ts +++ b/clients/client-cloudfront/src/commands/ListKeyValueStoresCommand.ts @@ -134,4 +134,16 @@ export class ListKeyValueStoresCommand extends $Command .f(void 0, void 0) .ser(se_ListKeyValueStoresCommand) .de(de_ListKeyValueStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeyValueStoresRequest; + output: ListKeyValueStoresResult; + }; + sdk: { + input: ListKeyValueStoresCommandInput; + output: ListKeyValueStoresCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListOriginAccessControlsCommand.ts b/clients/client-cloudfront/src/commands/ListOriginAccessControlsCommand.ts index 4e0ebd645a97..c69ca555de3b 100644 --- a/clients/client-cloudfront/src/commands/ListOriginAccessControlsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListOriginAccessControlsCommand.ts @@ -102,4 +102,16 @@ export class ListOriginAccessControlsCommand extends $Command .f(void 0, void 0) .ser(se_ListOriginAccessControlsCommand) .de(de_ListOriginAccessControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOriginAccessControlsRequest; + output: ListOriginAccessControlsResult; + }; + sdk: { + input: ListOriginAccessControlsCommandInput; + output: ListOriginAccessControlsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListOriginRequestPoliciesCommand.ts b/clients/client-cloudfront/src/commands/ListOriginRequestPoliciesCommand.ts index d11b6fac25ec..d113737bbce3 100644 --- a/clients/client-cloudfront/src/commands/ListOriginRequestPoliciesCommand.ts +++ b/clients/client-cloudfront/src/commands/ListOriginRequestPoliciesCommand.ts @@ -139,4 +139,16 @@ export class ListOriginRequestPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListOriginRequestPoliciesCommand) .de(de_ListOriginRequestPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOriginRequestPoliciesRequest; + output: ListOriginRequestPoliciesResult; + }; + sdk: { + input: ListOriginRequestPoliciesCommandInput; + output: ListOriginRequestPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListPublicKeysCommand.ts b/clients/client-cloudfront/src/commands/ListPublicKeysCommand.ts index e3c47c7f72b4..7b9f0367b806 100644 --- a/clients/client-cloudfront/src/commands/ListPublicKeysCommand.ts +++ b/clients/client-cloudfront/src/commands/ListPublicKeysCommand.ts @@ -94,4 +94,16 @@ export class ListPublicKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListPublicKeysCommand) .de(de_ListPublicKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPublicKeysRequest; + output: ListPublicKeysResult; + }; + sdk: { + input: ListPublicKeysCommandInput; + output: ListPublicKeysCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListRealtimeLogConfigsCommand.ts b/clients/client-cloudfront/src/commands/ListRealtimeLogConfigsCommand.ts index 27b023c669de..3048e0850073 100644 --- a/clients/client-cloudfront/src/commands/ListRealtimeLogConfigsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListRealtimeLogConfigsCommand.ts @@ -116,4 +116,16 @@ export class ListRealtimeLogConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListRealtimeLogConfigsCommand) .de(de_ListRealtimeLogConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRealtimeLogConfigsRequest; + output: ListRealtimeLogConfigsResult; + }; + sdk: { + input: ListRealtimeLogConfigsCommandInput; + output: ListRealtimeLogConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListResponseHeadersPoliciesCommand.ts b/clients/client-cloudfront/src/commands/ListResponseHeadersPoliciesCommand.ts index dde2879dfb87..19153d67520f 100644 --- a/clients/client-cloudfront/src/commands/ListResponseHeadersPoliciesCommand.ts +++ b/clients/client-cloudfront/src/commands/ListResponseHeadersPoliciesCommand.ts @@ -192,4 +192,16 @@ export class ListResponseHeadersPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListResponseHeadersPoliciesCommand) .de(de_ListResponseHeadersPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResponseHeadersPoliciesRequest; + output: ListResponseHeadersPoliciesResult; + }; + sdk: { + input: ListResponseHeadersPoliciesCommandInput; + output: ListResponseHeadersPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListStreamingDistributionsCommand.ts b/clients/client-cloudfront/src/commands/ListStreamingDistributionsCommand.ts index 26a0836cca82..ff291a3f57db 100644 --- a/clients/client-cloudfront/src/commands/ListStreamingDistributionsCommand.ts +++ b/clients/client-cloudfront/src/commands/ListStreamingDistributionsCommand.ts @@ -116,4 +116,16 @@ export class ListStreamingDistributionsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamingDistributionsCommand) .de(de_ListStreamingDistributionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamingDistributionsRequest; + output: ListStreamingDistributionsResult; + }; + sdk: { + input: ListStreamingDistributionsCommandInput; + output: ListStreamingDistributionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/ListTagsForResourceCommand.ts b/clients/client-cloudfront/src/commands/ListTagsForResourceCommand.ts index 93963390b0bc..bfc088d5c9e8 100644 --- a/clients/client-cloudfront/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cloudfront/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/PublishFunctionCommand.ts b/clients/client-cloudfront/src/commands/PublishFunctionCommand.ts index 12bf674e2f26..2660363774f5 100644 --- a/clients/client-cloudfront/src/commands/PublishFunctionCommand.ts +++ b/clients/client-cloudfront/src/commands/PublishFunctionCommand.ts @@ -124,4 +124,16 @@ export class PublishFunctionCommand extends $Command .f(void 0, void 0) .ser(se_PublishFunctionCommand) .de(de_PublishFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishFunctionRequest; + output: PublishFunctionResult; + }; + sdk: { + input: PublishFunctionCommandInput; + output: PublishFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/TagResourceCommand.ts b/clients/client-cloudfront/src/commands/TagResourceCommand.ts index fb8c3c5dc639..e82e5ba528b0 100644 --- a/clients/client-cloudfront/src/commands/TagResourceCommand.ts +++ b/clients/client-cloudfront/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/TestFunctionCommand.ts b/clients/client-cloudfront/src/commands/TestFunctionCommand.ts index 7978acb2480a..2c9f76f85c19 100644 --- a/clients/client-cloudfront/src/commands/TestFunctionCommand.ts +++ b/clients/client-cloudfront/src/commands/TestFunctionCommand.ts @@ -138,4 +138,16 @@ export class TestFunctionCommand extends $Command .f(TestFunctionRequestFilterSensitiveLog, TestFunctionResultFilterSensitiveLog) .ser(se_TestFunctionCommand) .de(de_TestFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestFunctionRequest; + output: TestFunctionResult; + }; + sdk: { + input: TestFunctionCommandInput; + output: TestFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UntagResourceCommand.ts b/clients/client-cloudfront/src/commands/UntagResourceCommand.ts index bbeba2272634..69fc5492c74b 100644 --- a/clients/client-cloudfront/src/commands/UntagResourceCommand.ts +++ b/clients/client-cloudfront/src/commands/UntagResourceCommand.ts @@ -92,4 +92,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateCachePolicyCommand.ts b/clients/client-cloudfront/src/commands/UpdateCachePolicyCommand.ts index c530853aa75b..c4c295ea7076 100644 --- a/clients/client-cloudfront/src/commands/UpdateCachePolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateCachePolicyCommand.ts @@ -217,4 +217,16 @@ export class UpdateCachePolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCachePolicyCommand) .de(de_UpdateCachePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCachePolicyRequest; + output: UpdateCachePolicyResult; + }; + sdk: { + input: UpdateCachePolicyCommandInput; + output: UpdateCachePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateCloudFrontOriginAccessIdentityCommand.ts b/clients/client-cloudfront/src/commands/UpdateCloudFrontOriginAccessIdentityCommand.ts index 57484d28d6a7..e17566079f9d 100644 --- a/clients/client-cloudfront/src/commands/UpdateCloudFrontOriginAccessIdentityCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateCloudFrontOriginAccessIdentityCommand.ts @@ -125,4 +125,16 @@ export class UpdateCloudFrontOriginAccessIdentityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCloudFrontOriginAccessIdentityCommand) .de(de_UpdateCloudFrontOriginAccessIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCloudFrontOriginAccessIdentityRequest; + output: UpdateCloudFrontOriginAccessIdentityResult; + }; + sdk: { + input: UpdateCloudFrontOriginAccessIdentityCommandInput; + output: UpdateCloudFrontOriginAccessIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateContinuousDeploymentPolicyCommand.ts b/clients/client-cloudfront/src/commands/UpdateContinuousDeploymentPolicyCommand.ts index 99c216eb9e65..5d19902c0b18 100644 --- a/clients/client-cloudfront/src/commands/UpdateContinuousDeploymentPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateContinuousDeploymentPolicyCommand.ts @@ -177,4 +177,16 @@ export class UpdateContinuousDeploymentPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContinuousDeploymentPolicyCommand) .de(de_UpdateContinuousDeploymentPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContinuousDeploymentPolicyRequest; + output: UpdateContinuousDeploymentPolicyResult; + }; + sdk: { + input: UpdateContinuousDeploymentPolicyCommandInput; + output: UpdateContinuousDeploymentPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateDistributionCommand.ts b/clients/client-cloudfront/src/commands/UpdateDistributionCommand.ts index e1e383480aef..0f9970c586e4 100644 --- a/clients/client-cloudfront/src/commands/UpdateDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateDistributionCommand.ts @@ -974,4 +974,16 @@ export class UpdateDistributionCommand extends $Command .f(UpdateDistributionRequestFilterSensitiveLog, UpdateDistributionResultFilterSensitiveLog) .ser(se_UpdateDistributionCommand) .de(de_UpdateDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDistributionRequest; + output: UpdateDistributionResult; + }; + sdk: { + input: UpdateDistributionCommandInput; + output: UpdateDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateDistributionWithStagingConfigCommand.ts b/clients/client-cloudfront/src/commands/UpdateDistributionWithStagingConfigCommand.ts index 516fbe6b9b00..8438153207e8 100644 --- a/clients/client-cloudfront/src/commands/UpdateDistributionWithStagingConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateDistributionWithStagingConfigCommand.ts @@ -661,4 +661,16 @@ export class UpdateDistributionWithStagingConfigCommand extends $Command .f(void 0, UpdateDistributionWithStagingConfigResultFilterSensitiveLog) .ser(se_UpdateDistributionWithStagingConfigCommand) .de(de_UpdateDistributionWithStagingConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDistributionWithStagingConfigRequest; + output: UpdateDistributionWithStagingConfigResult; + }; + sdk: { + input: UpdateDistributionWithStagingConfigCommandInput; + output: UpdateDistributionWithStagingConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionConfigCommand.ts b/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionConfigCommand.ts index cc8d59c9294f..7ca875ed0f37 100644 --- a/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionConfigCommand.ts @@ -182,4 +182,16 @@ export class UpdateFieldLevelEncryptionConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFieldLevelEncryptionConfigCommand) .de(de_UpdateFieldLevelEncryptionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFieldLevelEncryptionConfigRequest; + output: UpdateFieldLevelEncryptionConfigResult; + }; + sdk: { + input: UpdateFieldLevelEncryptionConfigCommandInput; + output: UpdateFieldLevelEncryptionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionProfileCommand.ts b/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionProfileCommand.ts index 9462c2bbbc89..d384789e8dcd 100644 --- a/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionProfileCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateFieldLevelEncryptionProfileCommand.ts @@ -167,4 +167,16 @@ export class UpdateFieldLevelEncryptionProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFieldLevelEncryptionProfileCommand) .de(de_UpdateFieldLevelEncryptionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFieldLevelEncryptionProfileRequest; + output: UpdateFieldLevelEncryptionProfileResult; + }; + sdk: { + input: UpdateFieldLevelEncryptionProfileCommandInput; + output: UpdateFieldLevelEncryptionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateFunctionCommand.ts b/clients/client-cloudfront/src/commands/UpdateFunctionCommand.ts index 7a5f42e9cb85..9624f16a5526 100644 --- a/clients/client-cloudfront/src/commands/UpdateFunctionCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateFunctionCommand.ts @@ -194,4 +194,16 @@ export class UpdateFunctionCommand extends $Command .f(UpdateFunctionRequestFilterSensitiveLog, void 0) .ser(se_UpdateFunctionCommand) .de(de_UpdateFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFunctionRequest; + output: UpdateFunctionResult; + }; + sdk: { + input: UpdateFunctionCommandInput; + output: UpdateFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateKeyGroupCommand.ts b/clients/client-cloudfront/src/commands/UpdateKeyGroupCommand.ts index d66ecbdfce82..2c12663b2e0f 100644 --- a/clients/client-cloudfront/src/commands/UpdateKeyGroupCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateKeyGroupCommand.ts @@ -135,4 +135,16 @@ export class UpdateKeyGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKeyGroupCommand) .de(de_UpdateKeyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKeyGroupRequest; + output: UpdateKeyGroupResult; + }; + sdk: { + input: UpdateKeyGroupCommandInput; + output: UpdateKeyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateKeyValueStoreCommand.ts b/clients/client-cloudfront/src/commands/UpdateKeyValueStoreCommand.ts index eb4d7d86a19e..894839bf91ce 100644 --- a/clients/client-cloudfront/src/commands/UpdateKeyValueStoreCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateKeyValueStoreCommand.ts @@ -132,4 +132,16 @@ export class UpdateKeyValueStoreCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKeyValueStoreCommand) .de(de_UpdateKeyValueStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKeyValueStoreRequest; + output: UpdateKeyValueStoreResult; + }; + sdk: { + input: UpdateKeyValueStoreCommandInput; + output: UpdateKeyValueStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateOriginAccessControlCommand.ts b/clients/client-cloudfront/src/commands/UpdateOriginAccessControlCommand.ts index 9ab4090df0dc..c527d4985117 100644 --- a/clients/client-cloudfront/src/commands/UpdateOriginAccessControlCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateOriginAccessControlCommand.ts @@ -117,4 +117,16 @@ export class UpdateOriginAccessControlCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOriginAccessControlCommand) .de(de_UpdateOriginAccessControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOriginAccessControlRequest; + output: UpdateOriginAccessControlResult; + }; + sdk: { + input: UpdateOriginAccessControlCommandInput; + output: UpdateOriginAccessControlCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateOriginRequestPolicyCommand.ts b/clients/client-cloudfront/src/commands/UpdateOriginRequestPolicyCommand.ts index 3b338a2f2a98..ac31e443c244 100644 --- a/clients/client-cloudfront/src/commands/UpdateOriginRequestPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateOriginRequestPolicyCommand.ts @@ -205,4 +205,16 @@ export class UpdateOriginRequestPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOriginRequestPolicyCommand) .de(de_UpdateOriginRequestPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOriginRequestPolicyRequest; + output: UpdateOriginRequestPolicyResult; + }; + sdk: { + input: UpdateOriginRequestPolicyCommandInput; + output: UpdateOriginRequestPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdatePublicKeyCommand.ts b/clients/client-cloudfront/src/commands/UpdatePublicKeyCommand.ts index 2eaf51fe2ec7..a75008ce07f9 100644 --- a/clients/client-cloudfront/src/commands/UpdatePublicKeyCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdatePublicKeyCommand.ts @@ -117,4 +117,16 @@ export class UpdatePublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePublicKeyCommand) .de(de_UpdatePublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePublicKeyRequest; + output: UpdatePublicKeyResult; + }; + sdk: { + input: UpdatePublicKeyCommandInput; + output: UpdatePublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateRealtimeLogConfigCommand.ts b/clients/client-cloudfront/src/commands/UpdateRealtimeLogConfigCommand.ts index 588afc6f60a1..2601e6586faa 100644 --- a/clients/client-cloudfront/src/commands/UpdateRealtimeLogConfigCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateRealtimeLogConfigCommand.ts @@ -136,4 +136,16 @@ export class UpdateRealtimeLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRealtimeLogConfigCommand) .de(de_UpdateRealtimeLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRealtimeLogConfigRequest; + output: UpdateRealtimeLogConfigResult; + }; + sdk: { + input: UpdateRealtimeLogConfigCommandInput; + output: UpdateRealtimeLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateResponseHeadersPolicyCommand.ts b/clients/client-cloudfront/src/commands/UpdateResponseHeadersPolicyCommand.ts index da27cfa294cd..38b693ee5011 100644 --- a/clients/client-cloudfront/src/commands/UpdateResponseHeadersPolicyCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateResponseHeadersPolicyCommand.ts @@ -314,4 +314,16 @@ export class UpdateResponseHeadersPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResponseHeadersPolicyCommand) .de(de_UpdateResponseHeadersPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResponseHeadersPolicyRequest; + output: UpdateResponseHeadersPolicyResult; + }; + sdk: { + input: UpdateResponseHeadersPolicyCommandInput; + output: UpdateResponseHeadersPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudfront/src/commands/UpdateStreamingDistributionCommand.ts b/clients/client-cloudfront/src/commands/UpdateStreamingDistributionCommand.ts index 944933b3238c..e57c3873ed34 100644 --- a/clients/client-cloudfront/src/commands/UpdateStreamingDistributionCommand.ts +++ b/clients/client-cloudfront/src/commands/UpdateStreamingDistributionCommand.ts @@ -201,4 +201,16 @@ export class UpdateStreamingDistributionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStreamingDistributionCommand) .de(de_UpdateStreamingDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStreamingDistributionRequest; + output: UpdateStreamingDistributionResult; + }; + sdk: { + input: UpdateStreamingDistributionCommandInput; + output: UpdateStreamingDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/package.json b/clients/client-cloudhsm-v2/package.json index 7b7a9a902863..7649fe69b651 100644 --- a/clients/client-cloudhsm-v2/package.json +++ b/clients/client-cloudhsm-v2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudhsm-v2/src/commands/CopyBackupToRegionCommand.ts b/clients/client-cloudhsm-v2/src/commands/CopyBackupToRegionCommand.ts index 1ab81cb8a4d9..e4da51b5ffec 100644 --- a/clients/client-cloudhsm-v2/src/commands/CopyBackupToRegionCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/CopyBackupToRegionCommand.ts @@ -112,4 +112,16 @@ export class CopyBackupToRegionCommand extends $Command .f(void 0, void 0) .ser(se_CopyBackupToRegionCommand) .de(de_CopyBackupToRegionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyBackupToRegionRequest; + output: CopyBackupToRegionResponse; + }; + sdk: { + input: CopyBackupToRegionCommandInput; + output: CopyBackupToRegionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/CreateClusterCommand.ts b/clients/client-cloudhsm-v2/src/commands/CreateClusterCommand.ts index 8c1c0da195a4..10fb7fcdca2f 100644 --- a/clients/client-cloudhsm-v2/src/commands/CreateClusterCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/CreateClusterCommand.ts @@ -160,4 +160,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/CreateHsmCommand.ts b/clients/client-cloudhsm-v2/src/commands/CreateHsmCommand.ts index eaf377a9c754..c326559cf3c4 100644 --- a/clients/client-cloudhsm-v2/src/commands/CreateHsmCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/CreateHsmCommand.ts @@ -109,4 +109,16 @@ export class CreateHsmCommand extends $Command .f(void 0, void 0) .ser(se_CreateHsmCommand) .de(de_CreateHsmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHsmRequest; + output: CreateHsmResponse; + }; + sdk: { + input: CreateHsmCommandInput; + output: CreateHsmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/DeleteBackupCommand.ts b/clients/client-cloudhsm-v2/src/commands/DeleteBackupCommand.ts index 284467517adb..71025b005ddc 100644 --- a/clients/client-cloudhsm-v2/src/commands/DeleteBackupCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/DeleteBackupCommand.ts @@ -119,4 +119,16 @@ export class DeleteBackupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupCommand) .de(de_DeleteBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupRequest; + output: DeleteBackupResponse; + }; + sdk: { + input: DeleteBackupCommandInput; + output: DeleteBackupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/DeleteClusterCommand.ts b/clients/client-cloudhsm-v2/src/commands/DeleteClusterCommand.ts index 5d9426e84fae..8a175ee80fda 100644 --- a/clients/client-cloudhsm-v2/src/commands/DeleteClusterCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/DeleteClusterCommand.ts @@ -145,4 +145,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/DeleteHsmCommand.ts b/clients/client-cloudhsm-v2/src/commands/DeleteHsmCommand.ts index 145d2b2251d0..a83478edbc6c 100644 --- a/clients/client-cloudhsm-v2/src/commands/DeleteHsmCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/DeleteHsmCommand.ts @@ -102,4 +102,16 @@ export class DeleteHsmCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHsmCommand) .de(de_DeleteHsmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHsmRequest; + output: DeleteHsmResponse; + }; + sdk: { + input: DeleteHsmCommandInput; + output: DeleteHsmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-cloudhsm-v2/src/commands/DeleteResourcePolicyCommand.ts index 3ece226b1c91..b942d65af86d 100644 --- a/clients/client-cloudhsm-v2/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/DeleteResourcePolicyCommand.ts @@ -100,4 +100,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: DeleteResourcePolicyResponse; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/DescribeBackupsCommand.ts b/clients/client-cloudhsm-v2/src/commands/DescribeBackupsCommand.ts index 1ff002ef7901..eef9a0b56e75 100644 --- a/clients/client-cloudhsm-v2/src/commands/DescribeBackupsCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/DescribeBackupsCommand.ts @@ -136,4 +136,16 @@ export class DescribeBackupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBackupsCommand) .de(de_DescribeBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBackupsRequest; + output: DescribeBackupsResponse; + }; + sdk: { + input: DescribeBackupsCommandInput; + output: DescribeBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/DescribeClustersCommand.ts b/clients/client-cloudhsm-v2/src/commands/DescribeClustersCommand.ts index 3483119e033b..f676da81eaa4 100644 --- a/clients/client-cloudhsm-v2/src/commands/DescribeClustersCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/DescribeClustersCommand.ts @@ -154,4 +154,16 @@ export class DescribeClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClustersCommand) .de(de_DescribeClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClustersRequest; + output: DescribeClustersResponse; + }; + sdk: { + input: DescribeClustersCommandInput; + output: DescribeClustersCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/GetResourcePolicyCommand.ts b/clients/client-cloudhsm-v2/src/commands/GetResourcePolicyCommand.ts index 96f6f2e770c5..b0705091d8a0 100644 --- a/clients/client-cloudhsm-v2/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/GetResourcePolicyCommand.ts @@ -97,4 +97,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/InitializeClusterCommand.ts b/clients/client-cloudhsm-v2/src/commands/InitializeClusterCommand.ts index 1128432a507b..4b0b16c3e961 100644 --- a/clients/client-cloudhsm-v2/src/commands/InitializeClusterCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/InitializeClusterCommand.ts @@ -103,4 +103,16 @@ export class InitializeClusterCommand extends $Command .f(void 0, void 0) .ser(se_InitializeClusterCommand) .de(de_InitializeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitializeClusterRequest; + output: InitializeClusterResponse; + }; + sdk: { + input: InitializeClusterCommandInput; + output: InitializeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/ListTagsCommand.ts b/clients/client-cloudhsm-v2/src/commands/ListTagsCommand.ts index 811630779af0..dfdc4d493d41 100644 --- a/clients/client-cloudhsm-v2/src/commands/ListTagsCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/ListTagsCommand.ts @@ -113,4 +113,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/ModifyBackupAttributesCommand.ts b/clients/client-cloudhsm-v2/src/commands/ModifyBackupAttributesCommand.ts index 97f9491010d2..9fdd9744e61a 100644 --- a/clients/client-cloudhsm-v2/src/commands/ModifyBackupAttributesCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/ModifyBackupAttributesCommand.ts @@ -118,4 +118,16 @@ export class ModifyBackupAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyBackupAttributesCommand) .de(de_ModifyBackupAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyBackupAttributesRequest; + output: ModifyBackupAttributesResponse; + }; + sdk: { + input: ModifyBackupAttributesCommandInput; + output: ModifyBackupAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/ModifyClusterCommand.ts b/clients/client-cloudhsm-v2/src/commands/ModifyClusterCommand.ts index 99e7cbca4064..8cde48bf9be8 100644 --- a/clients/client-cloudhsm-v2/src/commands/ModifyClusterCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/ModifyClusterCommand.ts @@ -145,4 +145,16 @@ export class ModifyClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClusterCommand) .de(de_ModifyClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterRequest; + output: ModifyClusterResponse; + }; + sdk: { + input: ModifyClusterCommandInput; + output: ModifyClusterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/PutResourcePolicyCommand.ts b/clients/client-cloudhsm-v2/src/commands/PutResourcePolicyCommand.ts index 907f1762cf08..87af037629af 100644 --- a/clients/client-cloudhsm-v2/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/PutResourcePolicyCommand.ts @@ -116,4 +116,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/RestoreBackupCommand.ts b/clients/client-cloudhsm-v2/src/commands/RestoreBackupCommand.ts index 367c24652b63..ddd857635284 100644 --- a/clients/client-cloudhsm-v2/src/commands/RestoreBackupCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/RestoreBackupCommand.ts @@ -119,4 +119,16 @@ export class RestoreBackupCommand extends $Command .f(void 0, void 0) .ser(se_RestoreBackupCommand) .de(de_RestoreBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreBackupRequest; + output: RestoreBackupResponse; + }; + sdk: { + input: RestoreBackupCommandInput; + output: RestoreBackupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/TagResourceCommand.ts b/clients/client-cloudhsm-v2/src/commands/TagResourceCommand.ts index b4c4013b33da..b1ed04179336 100644 --- a/clients/client-cloudhsm-v2/src/commands/TagResourceCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/TagResourceCommand.ts @@ -104,4 +104,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm-v2/src/commands/UntagResourceCommand.ts b/clients/client-cloudhsm-v2/src/commands/UntagResourceCommand.ts index 731381cb7c21..f98de1352de2 100644 --- a/clients/client-cloudhsm-v2/src/commands/UntagResourceCommand.ts +++ b/clients/client-cloudhsm-v2/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/package.json b/clients/client-cloudhsm/package.json index 934acc8bd168..91b3803bd789 100644 --- a/clients/client-cloudhsm/package.json +++ b/clients/client-cloudhsm/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudhsm/src/commands/AddTagsToResourceCommand.ts b/clients/client-cloudhsm/src/commands/AddTagsToResourceCommand.ts index b39f5fb363ba..f007924fbffb 100644 --- a/clients/client-cloudhsm/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-cloudhsm/src/commands/AddTagsToResourceCommand.ts @@ -106,4 +106,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceRequest; + output: AddTagsToResourceResponse; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/CreateHapgCommand.ts b/clients/client-cloudhsm/src/commands/CreateHapgCommand.ts index 2ef4479ca18d..4469568d48a8 100644 --- a/clients/client-cloudhsm/src/commands/CreateHapgCommand.ts +++ b/clients/client-cloudhsm/src/commands/CreateHapgCommand.ts @@ -99,4 +99,16 @@ export class CreateHapgCommand extends $Command .f(void 0, void 0) .ser(se_CreateHapgCommand) .de(de_CreateHapgCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHapgRequest; + output: CreateHapgResponse; + }; + sdk: { + input: CreateHapgCommandInput; + output: CreateHapgCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/CreateHsmCommand.ts b/clients/client-cloudhsm/src/commands/CreateHsmCommand.ts index c68fa06eb41e..b5aa032c7a4c 100644 --- a/clients/client-cloudhsm/src/commands/CreateHsmCommand.ts +++ b/clients/client-cloudhsm/src/commands/CreateHsmCommand.ts @@ -114,4 +114,16 @@ export class CreateHsmCommand extends $Command .f(void 0, void 0) .ser(se_CreateHsmCommand) .de(de_CreateHsmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHsmRequest; + output: CreateHsmResponse; + }; + sdk: { + input: CreateHsmCommandInput; + output: CreateHsmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/CreateLunaClientCommand.ts b/clients/client-cloudhsm/src/commands/CreateLunaClientCommand.ts index 54031d33c8d3..00720d38adc9 100644 --- a/clients/client-cloudhsm/src/commands/CreateLunaClientCommand.ts +++ b/clients/client-cloudhsm/src/commands/CreateLunaClientCommand.ts @@ -99,4 +99,16 @@ export class CreateLunaClientCommand extends $Command .f(void 0, void 0) .ser(se_CreateLunaClientCommand) .de(de_CreateLunaClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLunaClientRequest; + output: CreateLunaClientResponse; + }; + sdk: { + input: CreateLunaClientCommandInput; + output: CreateLunaClientCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/DeleteHapgCommand.ts b/clients/client-cloudhsm/src/commands/DeleteHapgCommand.ts index e21bad589741..e0c0d6e0c5d4 100644 --- a/clients/client-cloudhsm/src/commands/DeleteHapgCommand.ts +++ b/clients/client-cloudhsm/src/commands/DeleteHapgCommand.ts @@ -98,4 +98,16 @@ export class DeleteHapgCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHapgCommand) .de(de_DeleteHapgCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHapgRequest; + output: DeleteHapgResponse; + }; + sdk: { + input: DeleteHapgCommandInput; + output: DeleteHapgCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/DeleteHsmCommand.ts b/clients/client-cloudhsm/src/commands/DeleteHsmCommand.ts index 656518448be7..8d9e41849d2a 100644 --- a/clients/client-cloudhsm/src/commands/DeleteHsmCommand.ts +++ b/clients/client-cloudhsm/src/commands/DeleteHsmCommand.ts @@ -99,4 +99,16 @@ export class DeleteHsmCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHsmCommand) .de(de_DeleteHsmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHsmRequest; + output: DeleteHsmResponse; + }; + sdk: { + input: DeleteHsmCommandInput; + output: DeleteHsmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/DeleteLunaClientCommand.ts b/clients/client-cloudhsm/src/commands/DeleteLunaClientCommand.ts index 19e8819bfe9b..f1184210e45e 100644 --- a/clients/client-cloudhsm/src/commands/DeleteLunaClientCommand.ts +++ b/clients/client-cloudhsm/src/commands/DeleteLunaClientCommand.ts @@ -98,4 +98,16 @@ export class DeleteLunaClientCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLunaClientCommand) .de(de_DeleteLunaClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLunaClientRequest; + output: DeleteLunaClientResponse; + }; + sdk: { + input: DeleteLunaClientCommandInput; + output: DeleteLunaClientCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/DescribeHapgCommand.ts b/clients/client-cloudhsm/src/commands/DescribeHapgCommand.ts index 6ac9628002f0..238a046c16f6 100644 --- a/clients/client-cloudhsm/src/commands/DescribeHapgCommand.ts +++ b/clients/client-cloudhsm/src/commands/DescribeHapgCommand.ts @@ -114,4 +114,16 @@ export class DescribeHapgCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHapgCommand) .de(de_DescribeHapgCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHapgRequest; + output: DescribeHapgResponse; + }; + sdk: { + input: DescribeHapgCommandInput; + output: DescribeHapgCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/DescribeHsmCommand.ts b/clients/client-cloudhsm/src/commands/DescribeHsmCommand.ts index 1298ec8a4e94..958535edb02b 100644 --- a/clients/client-cloudhsm/src/commands/DescribeHsmCommand.ts +++ b/clients/client-cloudhsm/src/commands/DescribeHsmCommand.ts @@ -122,4 +122,16 @@ export class DescribeHsmCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHsmCommand) .de(de_DescribeHsmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHsmRequest; + output: DescribeHsmResponse; + }; + sdk: { + input: DescribeHsmCommandInput; + output: DescribeHsmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/DescribeLunaClientCommand.ts b/clients/client-cloudhsm/src/commands/DescribeLunaClientCommand.ts index 8cf4e3abb66a..312ce4ca0d68 100644 --- a/clients/client-cloudhsm/src/commands/DescribeLunaClientCommand.ts +++ b/clients/client-cloudhsm/src/commands/DescribeLunaClientCommand.ts @@ -103,4 +103,16 @@ export class DescribeLunaClientCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLunaClientCommand) .de(de_DescribeLunaClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLunaClientRequest; + output: DescribeLunaClientResponse; + }; + sdk: { + input: DescribeLunaClientCommandInput; + output: DescribeLunaClientCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/GetConfigCommand.ts b/clients/client-cloudhsm/src/commands/GetConfigCommand.ts index a3305921553a..521317ed909d 100644 --- a/clients/client-cloudhsm/src/commands/GetConfigCommand.ts +++ b/clients/client-cloudhsm/src/commands/GetConfigCommand.ts @@ -105,4 +105,16 @@ export class GetConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigCommand) .de(de_GetConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigRequest; + output: GetConfigResponse; + }; + sdk: { + input: GetConfigCommandInput; + output: GetConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ListAvailableZonesCommand.ts b/clients/client-cloudhsm/src/commands/ListAvailableZonesCommand.ts index 41f8c36271b9..2c04124612d4 100644 --- a/clients/client-cloudhsm/src/commands/ListAvailableZonesCommand.ts +++ b/clients/client-cloudhsm/src/commands/ListAvailableZonesCommand.ts @@ -98,4 +98,16 @@ export class ListAvailableZonesCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableZonesCommand) .de(de_ListAvailableZonesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListAvailableZonesResponse; + }; + sdk: { + input: ListAvailableZonesCommandInput; + output: ListAvailableZonesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ListHapgsCommand.ts b/clients/client-cloudhsm/src/commands/ListHapgsCommand.ts index 4a39ccabb651..d5488690693f 100644 --- a/clients/client-cloudhsm/src/commands/ListHapgsCommand.ts +++ b/clients/client-cloudhsm/src/commands/ListHapgsCommand.ts @@ -105,4 +105,16 @@ export class ListHapgsCommand extends $Command .f(void 0, void 0) .ser(se_ListHapgsCommand) .de(de_ListHapgsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHapgsRequest; + output: ListHapgsResponse; + }; + sdk: { + input: ListHapgsCommandInput; + output: ListHapgsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ListHsmsCommand.ts b/clients/client-cloudhsm/src/commands/ListHsmsCommand.ts index b5f3aebb7787..382f863fde16 100644 --- a/clients/client-cloudhsm/src/commands/ListHsmsCommand.ts +++ b/clients/client-cloudhsm/src/commands/ListHsmsCommand.ts @@ -106,4 +106,16 @@ export class ListHsmsCommand extends $Command .f(void 0, void 0) .ser(se_ListHsmsCommand) .de(de_ListHsmsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHsmsRequest; + output: ListHsmsResponse; + }; + sdk: { + input: ListHsmsCommandInput; + output: ListHsmsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ListLunaClientsCommand.ts b/clients/client-cloudhsm/src/commands/ListLunaClientsCommand.ts index b02e683c0702..d4f9b00dbe8f 100644 --- a/clients/client-cloudhsm/src/commands/ListLunaClientsCommand.ts +++ b/clients/client-cloudhsm/src/commands/ListLunaClientsCommand.ts @@ -105,4 +105,16 @@ export class ListLunaClientsCommand extends $Command .f(void 0, void 0) .ser(se_ListLunaClientsCommand) .de(de_ListLunaClientsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLunaClientsRequest; + output: ListLunaClientsResponse; + }; + sdk: { + input: ListLunaClientsCommandInput; + output: ListLunaClientsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ListTagsForResourceCommand.ts b/clients/client-cloudhsm/src/commands/ListTagsForResourceCommand.ts index f450bfdc65b4..7bc6d2185715 100644 --- a/clients/client-cloudhsm/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cloudhsm/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ModifyHapgCommand.ts b/clients/client-cloudhsm/src/commands/ModifyHapgCommand.ts index 8e16fbe54da9..b71ca06fd60a 100644 --- a/clients/client-cloudhsm/src/commands/ModifyHapgCommand.ts +++ b/clients/client-cloudhsm/src/commands/ModifyHapgCommand.ts @@ -102,4 +102,16 @@ export class ModifyHapgCommand extends $Command .f(void 0, void 0) .ser(se_ModifyHapgCommand) .de(de_ModifyHapgCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyHapgRequest; + output: ModifyHapgResponse; + }; + sdk: { + input: ModifyHapgCommandInput; + output: ModifyHapgCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ModifyHsmCommand.ts b/clients/client-cloudhsm/src/commands/ModifyHsmCommand.ts index fa2c5cda1fab..41f310eab14a 100644 --- a/clients/client-cloudhsm/src/commands/ModifyHsmCommand.ts +++ b/clients/client-cloudhsm/src/commands/ModifyHsmCommand.ts @@ -109,4 +109,16 @@ export class ModifyHsmCommand extends $Command .f(void 0, void 0) .ser(se_ModifyHsmCommand) .de(de_ModifyHsmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyHsmRequest; + output: ModifyHsmResponse; + }; + sdk: { + input: ModifyHsmCommandInput; + output: ModifyHsmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/ModifyLunaClientCommand.ts b/clients/client-cloudhsm/src/commands/ModifyLunaClientCommand.ts index ae60769cd9bb..342b2a31e3c4 100644 --- a/clients/client-cloudhsm/src/commands/ModifyLunaClientCommand.ts +++ b/clients/client-cloudhsm/src/commands/ModifyLunaClientCommand.ts @@ -95,4 +95,16 @@ export class ModifyLunaClientCommand extends $Command .f(void 0, void 0) .ser(se_ModifyLunaClientCommand) .de(de_ModifyLunaClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyLunaClientRequest; + output: ModifyLunaClientResponse; + }; + sdk: { + input: ModifyLunaClientCommandInput; + output: ModifyLunaClientCommandOutput; + }; + }; +} diff --git a/clients/client-cloudhsm/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-cloudhsm/src/commands/RemoveTagsFromResourceCommand.ts index b0f77023aa26..bfaa7890f48e 100644 --- a/clients/client-cloudhsm/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-cloudhsm/src/commands/RemoveTagsFromResourceCommand.ts @@ -103,4 +103,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceRequest; + output: RemoveTagsFromResourceResponse; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch-domain/package.json b/clients/client-cloudsearch-domain/package.json index 41093b3adead..5a8a409fd889 100644 --- a/clients/client-cloudsearch-domain/package.json +++ b/clients/client-cloudsearch-domain/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudsearch-domain/src/commands/SearchCommand.ts b/clients/client-cloudsearch-domain/src/commands/SearchCommand.ts index d0231f4d0e26..df792faa28ed 100644 --- a/clients/client-cloudsearch-domain/src/commands/SearchCommand.ts +++ b/clients/client-cloudsearch-domain/src/commands/SearchCommand.ts @@ -151,4 +151,16 @@ export class SearchCommand extends $Command .f(void 0, void 0) .ser(se_SearchCommand) .de(de_SearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchRequest; + output: SearchResponse; + }; + sdk: { + input: SearchCommandInput; + output: SearchCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch-domain/src/commands/SuggestCommand.ts b/clients/client-cloudsearch-domain/src/commands/SuggestCommand.ts index 36d26d904523..1b5e988a6390 100644 --- a/clients/client-cloudsearch-domain/src/commands/SuggestCommand.ts +++ b/clients/client-cloudsearch-domain/src/commands/SuggestCommand.ts @@ -103,4 +103,16 @@ export class SuggestCommand extends $Command .f(void 0, void 0) .ser(se_SuggestCommand) .de(de_SuggestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SuggestRequest; + output: SuggestResponse; + }; + sdk: { + input: SuggestCommandInput; + output: SuggestCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch-domain/src/commands/UploadDocumentsCommand.ts b/clients/client-cloudsearch-domain/src/commands/UploadDocumentsCommand.ts index d69e789bf983..e4870e65dec1 100644 --- a/clients/client-cloudsearch-domain/src/commands/UploadDocumentsCommand.ts +++ b/clients/client-cloudsearch-domain/src/commands/UploadDocumentsCommand.ts @@ -102,4 +102,16 @@ export class UploadDocumentsCommand extends $Command .f(UploadDocumentsRequestFilterSensitiveLog, void 0) .ser(se_UploadDocumentsCommand) .de(de_UploadDocumentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadDocumentsRequest; + output: UploadDocumentsResponse; + }; + sdk: { + input: UploadDocumentsCommandInput; + output: UploadDocumentsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/package.json b/clients/client-cloudsearch/package.json index 17ccc32029bf..2b96fabd01a3 100644 --- a/clients/client-cloudsearch/package.json +++ b/clients/client-cloudsearch/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudsearch/src/commands/BuildSuggestersCommand.ts b/clients/client-cloudsearch/src/commands/BuildSuggestersCommand.ts index 689a6f5ddfdb..3dc379cdde11 100644 --- a/clients/client-cloudsearch/src/commands/BuildSuggestersCommand.ts +++ b/clients/client-cloudsearch/src/commands/BuildSuggestersCommand.ts @@ -92,4 +92,16 @@ export class BuildSuggestersCommand extends $Command .f(void 0, void 0) .ser(se_BuildSuggestersCommand) .de(de_BuildSuggestersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BuildSuggestersRequest; + output: BuildSuggestersResponse; + }; + sdk: { + input: BuildSuggestersCommandInput; + output: BuildSuggestersCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/CreateDomainCommand.ts b/clients/client-cloudsearch/src/commands/CreateDomainCommand.ts index 88732242feb9..5be1f1dc9648 100644 --- a/clients/client-cloudsearch/src/commands/CreateDomainCommand.ts +++ b/clients/client-cloudsearch/src/commands/CreateDomainCommand.ts @@ -115,4 +115,16 @@ export class CreateDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResponse; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DefineAnalysisSchemeCommand.ts b/clients/client-cloudsearch/src/commands/DefineAnalysisSchemeCommand.ts index ab361a19c556..cd91a9184dd1 100644 --- a/clients/client-cloudsearch/src/commands/DefineAnalysisSchemeCommand.ts +++ b/clients/client-cloudsearch/src/commands/DefineAnalysisSchemeCommand.ts @@ -126,4 +126,16 @@ export class DefineAnalysisSchemeCommand extends $Command .f(void 0, void 0) .ser(se_DefineAnalysisSchemeCommand) .de(de_DefineAnalysisSchemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DefineAnalysisSchemeRequest; + output: DefineAnalysisSchemeResponse; + }; + sdk: { + input: DefineAnalysisSchemeCommandInput; + output: DefineAnalysisSchemeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DefineExpressionCommand.ts b/clients/client-cloudsearch/src/commands/DefineExpressionCommand.ts index a83546cddff0..c02fcc543291 100644 --- a/clients/client-cloudsearch/src/commands/DefineExpressionCommand.ts +++ b/clients/client-cloudsearch/src/commands/DefineExpressionCommand.ts @@ -112,4 +112,16 @@ export class DefineExpressionCommand extends $Command .f(void 0, void 0) .ser(se_DefineExpressionCommand) .de(de_DefineExpressionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DefineExpressionRequest; + output: DefineExpressionResponse; + }; + sdk: { + input: DefineExpressionCommandInput; + output: DefineExpressionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DefineIndexFieldCommand.ts b/clients/client-cloudsearch/src/commands/DefineIndexFieldCommand.ts index a9fc0869ec42..89b8cec633d0 100644 --- a/clients/client-cloudsearch/src/commands/DefineIndexFieldCommand.ts +++ b/clients/client-cloudsearch/src/commands/DefineIndexFieldCommand.ts @@ -278,4 +278,16 @@ export class DefineIndexFieldCommand extends $Command .f(void 0, void 0) .ser(se_DefineIndexFieldCommand) .de(de_DefineIndexFieldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DefineIndexFieldRequest; + output: DefineIndexFieldResponse; + }; + sdk: { + input: DefineIndexFieldCommandInput; + output: DefineIndexFieldCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DefineSuggesterCommand.ts b/clients/client-cloudsearch/src/commands/DefineSuggesterCommand.ts index 5efa81369a32..d8ad01fb79f5 100644 --- a/clients/client-cloudsearch/src/commands/DefineSuggesterCommand.ts +++ b/clients/client-cloudsearch/src/commands/DefineSuggesterCommand.ts @@ -120,4 +120,16 @@ export class DefineSuggesterCommand extends $Command .f(void 0, void 0) .ser(se_DefineSuggesterCommand) .de(de_DefineSuggesterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DefineSuggesterRequest; + output: DefineSuggesterResponse; + }; + sdk: { + input: DefineSuggesterCommandInput; + output: DefineSuggesterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DeleteAnalysisSchemeCommand.ts b/clients/client-cloudsearch/src/commands/DeleteAnalysisSchemeCommand.ts index 291bb4232069..91d2b003fc76 100644 --- a/clients/client-cloudsearch/src/commands/DeleteAnalysisSchemeCommand.ts +++ b/clients/client-cloudsearch/src/commands/DeleteAnalysisSchemeCommand.ts @@ -113,4 +113,16 @@ export class DeleteAnalysisSchemeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnalysisSchemeCommand) .de(de_DeleteAnalysisSchemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnalysisSchemeRequest; + output: DeleteAnalysisSchemeResponse; + }; + sdk: { + input: DeleteAnalysisSchemeCommandInput; + output: DeleteAnalysisSchemeCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DeleteDomainCommand.ts b/clients/client-cloudsearch/src/commands/DeleteDomainCommand.ts index e1b3ea01fc37..01d05adc3705 100644 --- a/clients/client-cloudsearch/src/commands/DeleteDomainCommand.ts +++ b/clients/client-cloudsearch/src/commands/DeleteDomainCommand.ts @@ -106,4 +106,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: DeleteDomainResponse; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DeleteExpressionCommand.ts b/clients/client-cloudsearch/src/commands/DeleteExpressionCommand.ts index c5da53333a1e..99644d6ab020 100644 --- a/clients/client-cloudsearch/src/commands/DeleteExpressionCommand.ts +++ b/clients/client-cloudsearch/src/commands/DeleteExpressionCommand.ts @@ -106,4 +106,16 @@ export class DeleteExpressionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExpressionCommand) .de(de_DeleteExpressionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExpressionRequest; + output: DeleteExpressionResponse; + }; + sdk: { + input: DeleteExpressionCommandInput; + output: DeleteExpressionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DeleteIndexFieldCommand.ts b/clients/client-cloudsearch/src/commands/DeleteIndexFieldCommand.ts index 6c8211cd9644..b7c4ed39243d 100644 --- a/clients/client-cloudsearch/src/commands/DeleteIndexFieldCommand.ts +++ b/clients/client-cloudsearch/src/commands/DeleteIndexFieldCommand.ts @@ -189,4 +189,16 @@ export class DeleteIndexFieldCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIndexFieldCommand) .de(de_DeleteIndexFieldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIndexFieldRequest; + output: DeleteIndexFieldResponse; + }; + sdk: { + input: DeleteIndexFieldCommandInput; + output: DeleteIndexFieldCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DeleteSuggesterCommand.ts b/clients/client-cloudsearch/src/commands/DeleteSuggesterCommand.ts index 0e28c806cbbe..c4296c48e953 100644 --- a/clients/client-cloudsearch/src/commands/DeleteSuggesterCommand.ts +++ b/clients/client-cloudsearch/src/commands/DeleteSuggesterCommand.ts @@ -110,4 +110,16 @@ export class DeleteSuggesterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSuggesterCommand) .de(de_DeleteSuggesterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSuggesterRequest; + output: DeleteSuggesterResponse; + }; + sdk: { + input: DeleteSuggesterCommandInput; + output: DeleteSuggesterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeAnalysisSchemesCommand.ts b/clients/client-cloudsearch/src/commands/DescribeAnalysisSchemesCommand.ts index 67b54ac81346..06a04f3cdd79 100644 --- a/clients/client-cloudsearch/src/commands/DescribeAnalysisSchemesCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeAnalysisSchemesCommand.ts @@ -112,4 +112,16 @@ export class DescribeAnalysisSchemesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAnalysisSchemesCommand) .de(de_DescribeAnalysisSchemesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnalysisSchemesRequest; + output: DescribeAnalysisSchemesResponse; + }; + sdk: { + input: DescribeAnalysisSchemesCommandInput; + output: DescribeAnalysisSchemesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeAvailabilityOptionsCommand.ts b/clients/client-cloudsearch/src/commands/DescribeAvailabilityOptionsCommand.ts index 691ce855fac5..397a4085b06b 100644 --- a/clients/client-cloudsearch/src/commands/DescribeAvailabilityOptionsCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeAvailabilityOptionsCommand.ts @@ -108,4 +108,16 @@ export class DescribeAvailabilityOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAvailabilityOptionsCommand) .de(de_DescribeAvailabilityOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAvailabilityOptionsRequest; + output: DescribeAvailabilityOptionsResponse; + }; + sdk: { + input: DescribeAvailabilityOptionsCommandInput; + output: DescribeAvailabilityOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeDomainEndpointOptionsCommand.ts b/clients/client-cloudsearch/src/commands/DescribeDomainEndpointOptionsCommand.ts index 7b3c1fd7d6cd..6e2ab8364ad5 100644 --- a/clients/client-cloudsearch/src/commands/DescribeDomainEndpointOptionsCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeDomainEndpointOptionsCommand.ts @@ -111,4 +111,16 @@ export class DescribeDomainEndpointOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainEndpointOptionsCommand) .de(de_DescribeDomainEndpointOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainEndpointOptionsRequest; + output: DescribeDomainEndpointOptionsResponse; + }; + sdk: { + input: DescribeDomainEndpointOptionsCommandInput; + output: DescribeDomainEndpointOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeDomainsCommand.ts b/clients/client-cloudsearch/src/commands/DescribeDomainsCommand.ts index 258a564b4146..0d408bf8161e 100644 --- a/clients/client-cloudsearch/src/commands/DescribeDomainsCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeDomainsCommand.ts @@ -111,4 +111,16 @@ export class DescribeDomainsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainsCommand) .de(de_DescribeDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainsRequest; + output: DescribeDomainsResponse; + }; + sdk: { + input: DescribeDomainsCommandInput; + output: DescribeDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeExpressionsCommand.ts b/clients/client-cloudsearch/src/commands/DescribeExpressionsCommand.ts index 32911e9fb0a5..d97387dc5a78 100644 --- a/clients/client-cloudsearch/src/commands/DescribeExpressionsCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeExpressionsCommand.ts @@ -105,4 +105,16 @@ export class DescribeExpressionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExpressionsCommand) .de(de_DescribeExpressionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExpressionsRequest; + output: DescribeExpressionsResponse; + }; + sdk: { + input: DescribeExpressionsCommandInput; + output: DescribeExpressionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeIndexFieldsCommand.ts b/clients/client-cloudsearch/src/commands/DescribeIndexFieldsCommand.ts index 30d2091a68f8..cfae4b02d6f4 100644 --- a/clients/client-cloudsearch/src/commands/DescribeIndexFieldsCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeIndexFieldsCommand.ts @@ -190,4 +190,16 @@ export class DescribeIndexFieldsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIndexFieldsCommand) .de(de_DescribeIndexFieldsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIndexFieldsRequest; + output: DescribeIndexFieldsResponse; + }; + sdk: { + input: DescribeIndexFieldsCommandInput; + output: DescribeIndexFieldsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeScalingParametersCommand.ts b/clients/client-cloudsearch/src/commands/DescribeScalingParametersCommand.ts index b21d5f7d4b70..e12ffcdcdf3e 100644 --- a/clients/client-cloudsearch/src/commands/DescribeScalingParametersCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeScalingParametersCommand.ts @@ -100,4 +100,16 @@ export class DescribeScalingParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingParametersCommand) .de(de_DescribeScalingParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalingParametersRequest; + output: DescribeScalingParametersResponse; + }; + sdk: { + input: DescribeScalingParametersCommandInput; + output: DescribeScalingParametersCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeServiceAccessPoliciesCommand.ts b/clients/client-cloudsearch/src/commands/DescribeServiceAccessPoliciesCommand.ts index 583b6bc89497..905bb14cec2d 100644 --- a/clients/client-cloudsearch/src/commands/DescribeServiceAccessPoliciesCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeServiceAccessPoliciesCommand.ts @@ -103,4 +103,16 @@ export class DescribeServiceAccessPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServiceAccessPoliciesCommand) .de(de_DescribeServiceAccessPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServiceAccessPoliciesRequest; + output: DescribeServiceAccessPoliciesResponse; + }; + sdk: { + input: DescribeServiceAccessPoliciesCommandInput; + output: DescribeServiceAccessPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/DescribeSuggestersCommand.ts b/clients/client-cloudsearch/src/commands/DescribeSuggestersCommand.ts index b0b92949e16b..8db70992ebf1 100644 --- a/clients/client-cloudsearch/src/commands/DescribeSuggestersCommand.ts +++ b/clients/client-cloudsearch/src/commands/DescribeSuggestersCommand.ts @@ -109,4 +109,16 @@ export class DescribeSuggestersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSuggestersCommand) .de(de_DescribeSuggestersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSuggestersRequest; + output: DescribeSuggestersResponse; + }; + sdk: { + input: DescribeSuggestersCommandInput; + output: DescribeSuggestersCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/IndexDocumentsCommand.ts b/clients/client-cloudsearch/src/commands/IndexDocumentsCommand.ts index c2ea3ccdc8fc..af08c473adf0 100644 --- a/clients/client-cloudsearch/src/commands/IndexDocumentsCommand.ts +++ b/clients/client-cloudsearch/src/commands/IndexDocumentsCommand.ts @@ -92,4 +92,16 @@ export class IndexDocumentsCommand extends $Command .f(void 0, void 0) .ser(se_IndexDocumentsCommand) .de(de_IndexDocumentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IndexDocumentsRequest; + output: IndexDocumentsResponse; + }; + sdk: { + input: IndexDocumentsCommandInput; + output: IndexDocumentsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/ListDomainNamesCommand.ts b/clients/client-cloudsearch/src/commands/ListDomainNamesCommand.ts index 3ed9f7679610..8f336b3c2e41 100644 --- a/clients/client-cloudsearch/src/commands/ListDomainNamesCommand.ts +++ b/clients/client-cloudsearch/src/commands/ListDomainNamesCommand.ts @@ -80,4 +80,16 @@ export class ListDomainNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainNamesCommand) .de(de_ListDomainNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListDomainNamesResponse; + }; + sdk: { + input: ListDomainNamesCommandInput; + output: ListDomainNamesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/UpdateAvailabilityOptionsCommand.ts b/clients/client-cloudsearch/src/commands/UpdateAvailabilityOptionsCommand.ts index 04a63638e3ee..9f24931ad2ff 100644 --- a/clients/client-cloudsearch/src/commands/UpdateAvailabilityOptionsCommand.ts +++ b/clients/client-cloudsearch/src/commands/UpdateAvailabilityOptionsCommand.ts @@ -109,4 +109,16 @@ export class UpdateAvailabilityOptionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAvailabilityOptionsCommand) .de(de_UpdateAvailabilityOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAvailabilityOptionsRequest; + output: UpdateAvailabilityOptionsResponse; + }; + sdk: { + input: UpdateAvailabilityOptionsCommandInput; + output: UpdateAvailabilityOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/UpdateDomainEndpointOptionsCommand.ts b/clients/client-cloudsearch/src/commands/UpdateDomainEndpointOptionsCommand.ts index ccb648121e76..94708c96b383 100644 --- a/clients/client-cloudsearch/src/commands/UpdateDomainEndpointOptionsCommand.ts +++ b/clients/client-cloudsearch/src/commands/UpdateDomainEndpointOptionsCommand.ts @@ -117,4 +117,16 @@ export class UpdateDomainEndpointOptionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainEndpointOptionsCommand) .de(de_UpdateDomainEndpointOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainEndpointOptionsRequest; + output: UpdateDomainEndpointOptionsResponse; + }; + sdk: { + input: UpdateDomainEndpointOptionsCommandInput; + output: UpdateDomainEndpointOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/UpdateScalingParametersCommand.ts b/clients/client-cloudsearch/src/commands/UpdateScalingParametersCommand.ts index 59de9afe72b6..96c9f0e15894 100644 --- a/clients/client-cloudsearch/src/commands/UpdateScalingParametersCommand.ts +++ b/clients/client-cloudsearch/src/commands/UpdateScalingParametersCommand.ts @@ -114,4 +114,16 @@ export class UpdateScalingParametersCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScalingParametersCommand) .de(de_UpdateScalingParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScalingParametersRequest; + output: UpdateScalingParametersResponse; + }; + sdk: { + input: UpdateScalingParametersCommandInput; + output: UpdateScalingParametersCommandOutput; + }; + }; +} diff --git a/clients/client-cloudsearch/src/commands/UpdateServiceAccessPoliciesCommand.ts b/clients/client-cloudsearch/src/commands/UpdateServiceAccessPoliciesCommand.ts index 248b2cbadc46..70934200d4ff 100644 --- a/clients/client-cloudsearch/src/commands/UpdateServiceAccessPoliciesCommand.ts +++ b/clients/client-cloudsearch/src/commands/UpdateServiceAccessPoliciesCommand.ts @@ -110,4 +110,16 @@ export class UpdateServiceAccessPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceAccessPoliciesCommand) .de(de_UpdateServiceAccessPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceAccessPoliciesRequest; + output: UpdateServiceAccessPoliciesResponse; + }; + sdk: { + input: UpdateServiceAccessPoliciesCommandInput; + output: UpdateServiceAccessPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail-data/package.json b/clients/client-cloudtrail-data/package.json index 85f5b64263f1..c09e95fc9343 100644 --- a/clients/client-cloudtrail-data/package.json +++ b/clients/client-cloudtrail-data/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudtrail-data/src/commands/PutAuditEventsCommand.ts b/clients/client-cloudtrail-data/src/commands/PutAuditEventsCommand.ts index 89ca7e32e5af..3318fad1abec 100644 --- a/clients/client-cloudtrail-data/src/commands/PutAuditEventsCommand.ts +++ b/clients/client-cloudtrail-data/src/commands/PutAuditEventsCommand.ts @@ -120,4 +120,16 @@ export class PutAuditEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutAuditEventsCommand) .de(de_PutAuditEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAuditEventsRequest; + output: PutAuditEventsResponse; + }; + sdk: { + input: PutAuditEventsCommandInput; + output: PutAuditEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/package.json b/clients/client-cloudtrail/package.json index 9e0edf0c38c0..b7c35b971a82 100644 --- a/clients/client-cloudtrail/package.json +++ b/clients/client-cloudtrail/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudtrail/src/commands/AddTagsCommand.ts b/clients/client-cloudtrail/src/commands/AddTagsCommand.ts index 8511ee72fa43..c0638e74f290 100644 --- a/clients/client-cloudtrail/src/commands/AddTagsCommand.ts +++ b/clients/client-cloudtrail/src/commands/AddTagsCommand.ts @@ -173,4 +173,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsRequest; + output: {}; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/CancelQueryCommand.ts b/clients/client-cloudtrail/src/commands/CancelQueryCommand.ts index ca4b560687ed..6acfdfa9a940 100644 --- a/clients/client-cloudtrail/src/commands/CancelQueryCommand.ts +++ b/clients/client-cloudtrail/src/commands/CancelQueryCommand.ts @@ -120,4 +120,16 @@ export class CancelQueryCommand extends $Command .f(void 0, void 0) .ser(se_CancelQueryCommand) .de(de_CancelQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelQueryRequest; + output: CancelQueryResponse; + }; + sdk: { + input: CancelQueryCommandInput; + output: CancelQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/CreateChannelCommand.ts b/clients/client-cloudtrail/src/commands/CreateChannelCommand.ts index 5ad022cfed7a..2315d4b76efd 100644 --- a/clients/client-cloudtrail/src/commands/CreateChannelCommand.ts +++ b/clients/client-cloudtrail/src/commands/CreateChannelCommand.ts @@ -150,4 +150,16 @@ export class CreateChannelCommand extends $Command .f(void 0, void 0) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/CreateEventDataStoreCommand.ts b/clients/client-cloudtrail/src/commands/CreateEventDataStoreCommand.ts index e892a01dc00b..75ee1ff2c43a 100644 --- a/clients/client-cloudtrail/src/commands/CreateEventDataStoreCommand.ts +++ b/clients/client-cloudtrail/src/commands/CreateEventDataStoreCommand.ts @@ -256,4 +256,16 @@ export class CreateEventDataStoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventDataStoreCommand) .de(de_CreateEventDataStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventDataStoreRequest; + output: CreateEventDataStoreResponse; + }; + sdk: { + input: CreateEventDataStoreCommandInput; + output: CreateEventDataStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/CreateTrailCommand.ts b/clients/client-cloudtrail/src/commands/CreateTrailCommand.ts index 212ea168da8c..5cf4cbd68dcc 100644 --- a/clients/client-cloudtrail/src/commands/CreateTrailCommand.ts +++ b/clients/client-cloudtrail/src/commands/CreateTrailCommand.ts @@ -250,4 +250,16 @@ export class CreateTrailCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrailCommand) .de(de_CreateTrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrailRequest; + output: CreateTrailResponse; + }; + sdk: { + input: CreateTrailCommandInput; + output: CreateTrailCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DeleteChannelCommand.ts b/clients/client-cloudtrail/src/commands/DeleteChannelCommand.ts index 7fffdcc3f64d..dea117363b95 100644 --- a/clients/client-cloudtrail/src/commands/DeleteChannelCommand.ts +++ b/clients/client-cloudtrail/src/commands/DeleteChannelCommand.ts @@ -88,4 +88,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DeleteEventDataStoreCommand.ts b/clients/client-cloudtrail/src/commands/DeleteEventDataStoreCommand.ts index 4ecc5efd13ef..8e5966439a17 100644 --- a/clients/client-cloudtrail/src/commands/DeleteEventDataStoreCommand.ts +++ b/clients/client-cloudtrail/src/commands/DeleteEventDataStoreCommand.ts @@ -142,4 +142,16 @@ export class DeleteEventDataStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventDataStoreCommand) .de(de_DeleteEventDataStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventDataStoreRequest; + output: {}; + }; + sdk: { + input: DeleteEventDataStoreCommandInput; + output: DeleteEventDataStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-cloudtrail/src/commands/DeleteResourcePolicyCommand.ts index 4ed73e628aa0..1aba2ccf9585 100644 --- a/clients/client-cloudtrail/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-cloudtrail/src/commands/DeleteResourcePolicyCommand.ts @@ -100,4 +100,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DeleteTrailCommand.ts b/clients/client-cloudtrail/src/commands/DeleteTrailCommand.ts index e5c1daa34bab..1ba53cc673e6 100644 --- a/clients/client-cloudtrail/src/commands/DeleteTrailCommand.ts +++ b/clients/client-cloudtrail/src/commands/DeleteTrailCommand.ts @@ -149,4 +149,16 @@ export class DeleteTrailCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrailCommand) .de(de_DeleteTrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrailRequest; + output: {}; + }; + sdk: { + input: DeleteTrailCommandInput; + output: DeleteTrailCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DeregisterOrganizationDelegatedAdminCommand.ts b/clients/client-cloudtrail/src/commands/DeregisterOrganizationDelegatedAdminCommand.ts index c8b039abfeaf..b54be998004c 100644 --- a/clients/client-cloudtrail/src/commands/DeregisterOrganizationDelegatedAdminCommand.ts +++ b/clients/client-cloudtrail/src/commands/DeregisterOrganizationDelegatedAdminCommand.ts @@ -128,4 +128,16 @@ export class DeregisterOrganizationDelegatedAdminCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterOrganizationDelegatedAdminCommand) .de(de_DeregisterOrganizationDelegatedAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterOrganizationDelegatedAdminRequest; + output: {}; + }; + sdk: { + input: DeregisterOrganizationDelegatedAdminCommandInput; + output: DeregisterOrganizationDelegatedAdminCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DescribeQueryCommand.ts b/clients/client-cloudtrail/src/commands/DescribeQueryCommand.ts index 8f35f3fba6fc..3deb71023574 100644 --- a/clients/client-cloudtrail/src/commands/DescribeQueryCommand.ts +++ b/clients/client-cloudtrail/src/commands/DescribeQueryCommand.ts @@ -122,4 +122,16 @@ export class DescribeQueryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeQueryCommand) .de(de_DescribeQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeQueryRequest; + output: DescribeQueryResponse; + }; + sdk: { + input: DescribeQueryCommandInput; + output: DescribeQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DescribeTrailsCommand.ts b/clients/client-cloudtrail/src/commands/DescribeTrailsCommand.ts index c6690bc1b6ab..8e6d67fe8d5f 100644 --- a/clients/client-cloudtrail/src/commands/DescribeTrailsCommand.ts +++ b/clients/client-cloudtrail/src/commands/DescribeTrailsCommand.ts @@ -144,4 +144,16 @@ export class DescribeTrailsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrailsCommand) .de(de_DescribeTrailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrailsRequest; + output: DescribeTrailsResponse; + }; + sdk: { + input: DescribeTrailsCommandInput; + output: DescribeTrailsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/DisableFederationCommand.ts b/clients/client-cloudtrail/src/commands/DisableFederationCommand.ts index b83f56d6596d..1347f003319e 100644 --- a/clients/client-cloudtrail/src/commands/DisableFederationCommand.ts +++ b/clients/client-cloudtrail/src/commands/DisableFederationCommand.ts @@ -138,4 +138,16 @@ export class DisableFederationCommand extends $Command .f(void 0, void 0) .ser(se_DisableFederationCommand) .de(de_DisableFederationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableFederationRequest; + output: DisableFederationResponse; + }; + sdk: { + input: DisableFederationCommandInput; + output: DisableFederationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/EnableFederationCommand.ts b/clients/client-cloudtrail/src/commands/EnableFederationCommand.ts index 8b9e7c99ff8b..9c2090847105 100644 --- a/clients/client-cloudtrail/src/commands/EnableFederationCommand.ts +++ b/clients/client-cloudtrail/src/commands/EnableFederationCommand.ts @@ -152,4 +152,16 @@ export class EnableFederationCommand extends $Command .f(void 0, void 0) .ser(se_EnableFederationCommand) .de(de_EnableFederationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableFederationRequest; + output: EnableFederationResponse; + }; + sdk: { + input: EnableFederationCommandInput; + output: EnableFederationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetChannelCommand.ts b/clients/client-cloudtrail/src/commands/GetChannelCommand.ts index a1d1ed8d4fb9..e42cb4d2312e 100644 --- a/clients/client-cloudtrail/src/commands/GetChannelCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetChannelCommand.ts @@ -135,4 +135,16 @@ export class GetChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelCommand) .de(de_GetChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelRequest; + output: GetChannelResponse; + }; + sdk: { + input: GetChannelCommandInput; + output: GetChannelCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetEventDataStoreCommand.ts b/clients/client-cloudtrail/src/commands/GetEventDataStoreCommand.ts index 867c96a1b77c..1e4bf9a8e462 100644 --- a/clients/client-cloudtrail/src/commands/GetEventDataStoreCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetEventDataStoreCommand.ts @@ -142,4 +142,16 @@ export class GetEventDataStoreCommand extends $Command .f(void 0, void 0) .ser(se_GetEventDataStoreCommand) .de(de_GetEventDataStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventDataStoreRequest; + output: GetEventDataStoreResponse; + }; + sdk: { + input: GetEventDataStoreCommandInput; + output: GetEventDataStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetEventSelectorsCommand.ts b/clients/client-cloudtrail/src/commands/GetEventSelectorsCommand.ts index 55d162d084b4..a032423a5391 100644 --- a/clients/client-cloudtrail/src/commands/GetEventSelectorsCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetEventSelectorsCommand.ts @@ -195,4 +195,16 @@ export class GetEventSelectorsCommand extends $Command .f(void 0, void 0) .ser(se_GetEventSelectorsCommand) .de(de_GetEventSelectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventSelectorsRequest; + output: GetEventSelectorsResponse; + }; + sdk: { + input: GetEventSelectorsCommandInput; + output: GetEventSelectorsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetImportCommand.ts b/clients/client-cloudtrail/src/commands/GetImportCommand.ts index 10e656b22657..ba3d6251dd9d 100644 --- a/clients/client-cloudtrail/src/commands/GetImportCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetImportCommand.ts @@ -111,4 +111,16 @@ export class GetImportCommand extends $Command .f(void 0, void 0) .ser(se_GetImportCommand) .de(de_GetImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportRequest; + output: GetImportResponse; + }; + sdk: { + input: GetImportCommandInput; + output: GetImportCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetInsightSelectorsCommand.ts b/clients/client-cloudtrail/src/commands/GetInsightSelectorsCommand.ts index 0d5d920d0b3d..48628917a841 100644 --- a/clients/client-cloudtrail/src/commands/GetInsightSelectorsCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetInsightSelectorsCommand.ts @@ -157,4 +157,16 @@ export class GetInsightSelectorsCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightSelectorsCommand) .de(de_GetInsightSelectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightSelectorsRequest; + output: GetInsightSelectorsResponse; + }; + sdk: { + input: GetInsightSelectorsCommandInput; + output: GetInsightSelectorsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetQueryResultsCommand.ts b/clients/client-cloudtrail/src/commands/GetQueryResultsCommand.ts index 6ba036238efb..a2f37f85624b 100644 --- a/clients/client-cloudtrail/src/commands/GetQueryResultsCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetQueryResultsCommand.ts @@ -132,4 +132,16 @@ export class GetQueryResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryResultsCommand) .de(de_GetQueryResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryResultsRequest; + output: GetQueryResultsResponse; + }; + sdk: { + input: GetQueryResultsCommandInput; + output: GetQueryResultsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetResourcePolicyCommand.ts b/clients/client-cloudtrail/src/commands/GetResourcePolicyCommand.ts index 6636ce5478e2..a51f2c81c19a 100644 --- a/clients/client-cloudtrail/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetResourcePolicyCommand.ts @@ -103,4 +103,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetTrailCommand.ts b/clients/client-cloudtrail/src/commands/GetTrailCommand.ts index bba0ea078504..85b6f630536f 100644 --- a/clients/client-cloudtrail/src/commands/GetTrailCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetTrailCommand.ts @@ -137,4 +137,16 @@ export class GetTrailCommand extends $Command .f(void 0, void 0) .ser(se_GetTrailCommand) .de(de_GetTrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrailRequest; + output: GetTrailResponse; + }; + sdk: { + input: GetTrailCommandInput; + output: GetTrailCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/GetTrailStatusCommand.ts b/clients/client-cloudtrail/src/commands/GetTrailStatusCommand.ts index 382f62d9dad3..c8b2db229538 100644 --- a/clients/client-cloudtrail/src/commands/GetTrailStatusCommand.ts +++ b/clients/client-cloudtrail/src/commands/GetTrailStatusCommand.ts @@ -140,4 +140,16 @@ export class GetTrailStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetTrailStatusCommand) .de(de_GetTrailStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrailStatusRequest; + output: GetTrailStatusResponse; + }; + sdk: { + input: GetTrailStatusCommandInput; + output: GetTrailStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListChannelsCommand.ts b/clients/client-cloudtrail/src/commands/ListChannelsCommand.ts index fffc165c6ac5..d63596a4a68e 100644 --- a/clients/client-cloudtrail/src/commands/ListChannelsCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListChannelsCommand.ts @@ -95,4 +95,16 @@ export class ListChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListEventDataStoresCommand.ts b/clients/client-cloudtrail/src/commands/ListEventDataStoresCommand.ts index b7104bef8099..8a9e64cc7246 100644 --- a/clients/client-cloudtrail/src/commands/ListEventDataStoresCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListEventDataStoresCommand.ts @@ -135,4 +135,16 @@ export class ListEventDataStoresCommand extends $Command .f(void 0, void 0) .ser(se_ListEventDataStoresCommand) .de(de_ListEventDataStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventDataStoresRequest; + output: ListEventDataStoresResponse; + }; + sdk: { + input: ListEventDataStoresCommandInput; + output: ListEventDataStoresCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListImportFailuresCommand.ts b/clients/client-cloudtrail/src/commands/ListImportFailuresCommand.ts index 3cdb4a315720..f645bff71782 100644 --- a/clients/client-cloudtrail/src/commands/ListImportFailuresCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListImportFailuresCommand.ts @@ -101,4 +101,16 @@ export class ListImportFailuresCommand extends $Command .f(void 0, void 0) .ser(se_ListImportFailuresCommand) .de(de_ListImportFailuresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportFailuresRequest; + output: ListImportFailuresResponse; + }; + sdk: { + input: ListImportFailuresCommandInput; + output: ListImportFailuresCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListImportsCommand.ts b/clients/client-cloudtrail/src/commands/ListImportsCommand.ts index 599ec978e703..b7ce8b03b103 100644 --- a/clients/client-cloudtrail/src/commands/ListImportsCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListImportsCommand.ts @@ -109,4 +109,16 @@ export class ListImportsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportsCommand) .de(de_ListImportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportsRequest; + output: ListImportsResponse; + }; + sdk: { + input: ListImportsCommandInput; + output: ListImportsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListInsightsMetricDataCommand.ts b/clients/client-cloudtrail/src/commands/ListInsightsMetricDataCommand.ts index 43abc5d31002..e2be0729112b 100644 --- a/clients/client-cloudtrail/src/commands/ListInsightsMetricDataCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListInsightsMetricDataCommand.ts @@ -121,4 +121,16 @@ export class ListInsightsMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_ListInsightsMetricDataCommand) .de(de_ListInsightsMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInsightsMetricDataRequest; + output: ListInsightsMetricDataResponse; + }; + sdk: { + input: ListInsightsMetricDataCommandInput; + output: ListInsightsMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListPublicKeysCommand.ts b/clients/client-cloudtrail/src/commands/ListPublicKeysCommand.ts index 9b92565e5789..1385ed5a83c0 100644 --- a/clients/client-cloudtrail/src/commands/ListPublicKeysCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListPublicKeysCommand.ts @@ -108,4 +108,16 @@ export class ListPublicKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListPublicKeysCommand) .de(de_ListPublicKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPublicKeysRequest; + output: ListPublicKeysResponse; + }; + sdk: { + input: ListPublicKeysCommandInput; + output: ListPublicKeysCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListQueriesCommand.ts b/clients/client-cloudtrail/src/commands/ListQueriesCommand.ts index f5a432295563..2859b1fe9e72 100644 --- a/clients/client-cloudtrail/src/commands/ListQueriesCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListQueriesCommand.ts @@ -133,4 +133,16 @@ export class ListQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueriesCommand) .de(de_ListQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueriesRequest; + output: ListQueriesResponse; + }; + sdk: { + input: ListQueriesCommandInput; + output: ListQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListTagsCommand.ts b/clients/client-cloudtrail/src/commands/ListTagsCommand.ts index 925cad7e5d70..3d090fc9da1b 100644 --- a/clients/client-cloudtrail/src/commands/ListTagsCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListTagsCommand.ts @@ -158,4 +158,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/ListTrailsCommand.ts b/clients/client-cloudtrail/src/commands/ListTrailsCommand.ts index d96626dc3a7e..7fa82cf8e422 100644 --- a/clients/client-cloudtrail/src/commands/ListTrailsCommand.ts +++ b/clients/client-cloudtrail/src/commands/ListTrailsCommand.ts @@ -90,4 +90,16 @@ export class ListTrailsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrailsCommand) .de(de_ListTrailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrailsRequest; + output: ListTrailsResponse; + }; + sdk: { + input: ListTrailsCommandInput; + output: ListTrailsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/LookupEventsCommand.ts b/clients/client-cloudtrail/src/commands/LookupEventsCommand.ts index 01ed998b4349..1d7f9011413b 100644 --- a/clients/client-cloudtrail/src/commands/LookupEventsCommand.ts +++ b/clients/client-cloudtrail/src/commands/LookupEventsCommand.ts @@ -181,4 +181,16 @@ export class LookupEventsCommand extends $Command .f(void 0, void 0) .ser(se_LookupEventsCommand) .de(de_LookupEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LookupEventsRequest; + output: LookupEventsResponse; + }; + sdk: { + input: LookupEventsCommandInput; + output: LookupEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/PutEventSelectorsCommand.ts b/clients/client-cloudtrail/src/commands/PutEventSelectorsCommand.ts index 87113bc7c7ae..330fbd822d4b 100644 --- a/clients/client-cloudtrail/src/commands/PutEventSelectorsCommand.ts +++ b/clients/client-cloudtrail/src/commands/PutEventSelectorsCommand.ts @@ -309,4 +309,16 @@ export class PutEventSelectorsCommand extends $Command .f(void 0, void 0) .ser(se_PutEventSelectorsCommand) .de(de_PutEventSelectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventSelectorsRequest; + output: PutEventSelectorsResponse; + }; + sdk: { + input: PutEventSelectorsCommandInput; + output: PutEventSelectorsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/PutInsightSelectorsCommand.ts b/clients/client-cloudtrail/src/commands/PutInsightSelectorsCommand.ts index ed5df3f337ca..fbcc9329cba8 100644 --- a/clients/client-cloudtrail/src/commands/PutInsightSelectorsCommand.ts +++ b/clients/client-cloudtrail/src/commands/PutInsightSelectorsCommand.ts @@ -199,4 +199,16 @@ export class PutInsightSelectorsCommand extends $Command .f(void 0, void 0) .ser(se_PutInsightSelectorsCommand) .de(de_PutInsightSelectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutInsightSelectorsRequest; + output: PutInsightSelectorsResponse; + }; + sdk: { + input: PutInsightSelectorsCommandInput; + output: PutInsightSelectorsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/PutResourcePolicyCommand.ts b/clients/client-cloudtrail/src/commands/PutResourcePolicyCommand.ts index dc0cfe71bae3..ccd0910f8287 100644 --- a/clients/client-cloudtrail/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-cloudtrail/src/commands/PutResourcePolicyCommand.ts @@ -124,4 +124,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/RegisterOrganizationDelegatedAdminCommand.ts b/clients/client-cloudtrail/src/commands/RegisterOrganizationDelegatedAdminCommand.ts index cd7a79a3d133..97059f361af0 100644 --- a/clients/client-cloudtrail/src/commands/RegisterOrganizationDelegatedAdminCommand.ts +++ b/clients/client-cloudtrail/src/commands/RegisterOrganizationDelegatedAdminCommand.ts @@ -136,4 +136,16 @@ export class RegisterOrganizationDelegatedAdminCommand extends $Command .f(void 0, void 0) .ser(se_RegisterOrganizationDelegatedAdminCommand) .de(de_RegisterOrganizationDelegatedAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterOrganizationDelegatedAdminRequest; + output: {}; + }; + sdk: { + input: RegisterOrganizationDelegatedAdminCommandInput; + output: RegisterOrganizationDelegatedAdminCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/RemoveTagsCommand.ts b/clients/client-cloudtrail/src/commands/RemoveTagsCommand.ts index 90da43962b96..b09d489e61dc 100644 --- a/clients/client-cloudtrail/src/commands/RemoveTagsCommand.ts +++ b/clients/client-cloudtrail/src/commands/RemoveTagsCommand.ts @@ -157,4 +157,16 @@ export class RemoveTagsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsCommand) .de(de_RemoveTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsRequest; + output: {}; + }; + sdk: { + input: RemoveTagsCommandInput; + output: RemoveTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/RestoreEventDataStoreCommand.ts b/clients/client-cloudtrail/src/commands/RestoreEventDataStoreCommand.ts index 44b7582e75e5..a1e9fce47a39 100644 --- a/clients/client-cloudtrail/src/commands/RestoreEventDataStoreCommand.ts +++ b/clients/client-cloudtrail/src/commands/RestoreEventDataStoreCommand.ts @@ -165,4 +165,16 @@ export class RestoreEventDataStoreCommand extends $Command .f(void 0, void 0) .ser(se_RestoreEventDataStoreCommand) .de(de_RestoreEventDataStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreEventDataStoreRequest; + output: RestoreEventDataStoreResponse; + }; + sdk: { + input: RestoreEventDataStoreCommandInput; + output: RestoreEventDataStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/StartEventDataStoreIngestionCommand.ts b/clients/client-cloudtrail/src/commands/StartEventDataStoreIngestionCommand.ts index 04b5a870bee2..3c07997623ea 100644 --- a/clients/client-cloudtrail/src/commands/StartEventDataStoreIngestionCommand.ts +++ b/clients/client-cloudtrail/src/commands/StartEventDataStoreIngestionCommand.ts @@ -118,4 +118,16 @@ export class StartEventDataStoreIngestionCommand extends $Command .f(void 0, void 0) .ser(se_StartEventDataStoreIngestionCommand) .de(de_StartEventDataStoreIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEventDataStoreIngestionRequest; + output: {}; + }; + sdk: { + input: StartEventDataStoreIngestionCommandInput; + output: StartEventDataStoreIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/StartImportCommand.ts b/clients/client-cloudtrail/src/commands/StartImportCommand.ts index 2ff82ba67b5a..4edc0588731e 100644 --- a/clients/client-cloudtrail/src/commands/StartImportCommand.ts +++ b/clients/client-cloudtrail/src/commands/StartImportCommand.ts @@ -161,4 +161,16 @@ export class StartImportCommand extends $Command .f(void 0, void 0) .ser(se_StartImportCommand) .de(de_StartImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportRequest; + output: StartImportResponse; + }; + sdk: { + input: StartImportCommandInput; + output: StartImportCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/StartLoggingCommand.ts b/clients/client-cloudtrail/src/commands/StartLoggingCommand.ts index 98b6320d23fc..e8bafc59aa0c 100644 --- a/clients/client-cloudtrail/src/commands/StartLoggingCommand.ts +++ b/clients/client-cloudtrail/src/commands/StartLoggingCommand.ts @@ -150,4 +150,16 @@ export class StartLoggingCommand extends $Command .f(void 0, void 0) .ser(se_StartLoggingCommand) .de(de_StartLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartLoggingRequest; + output: {}; + }; + sdk: { + input: StartLoggingCommandInput; + output: StartLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/StartQueryCommand.ts b/clients/client-cloudtrail/src/commands/StartQueryCommand.ts index a0c580ba6acf..53079e4b8377 100644 --- a/clients/client-cloudtrail/src/commands/StartQueryCommand.ts +++ b/clients/client-cloudtrail/src/commands/StartQueryCommand.ts @@ -136,4 +136,16 @@ export class StartQueryCommand extends $Command .f(void 0, void 0) .ser(se_StartQueryCommand) .de(de_StartQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartQueryRequest; + output: StartQueryResponse; + }; + sdk: { + input: StartQueryCommandInput; + output: StartQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/StopEventDataStoreIngestionCommand.ts b/clients/client-cloudtrail/src/commands/StopEventDataStoreIngestionCommand.ts index 70bfd053ea49..bed5d7347606 100644 --- a/clients/client-cloudtrail/src/commands/StopEventDataStoreIngestionCommand.ts +++ b/clients/client-cloudtrail/src/commands/StopEventDataStoreIngestionCommand.ts @@ -115,4 +115,16 @@ export class StopEventDataStoreIngestionCommand extends $Command .f(void 0, void 0) .ser(se_StopEventDataStoreIngestionCommand) .de(de_StopEventDataStoreIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEventDataStoreIngestionRequest; + output: {}; + }; + sdk: { + input: StopEventDataStoreIngestionCommandInput; + output: StopEventDataStoreIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/StopImportCommand.ts b/clients/client-cloudtrail/src/commands/StopImportCommand.ts index 698a817119d6..cd6795d6e6a8 100644 --- a/clients/client-cloudtrail/src/commands/StopImportCommand.ts +++ b/clients/client-cloudtrail/src/commands/StopImportCommand.ts @@ -111,4 +111,16 @@ export class StopImportCommand extends $Command .f(void 0, void 0) .ser(se_StopImportCommand) .de(de_StopImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopImportRequest; + output: StopImportResponse; + }; + sdk: { + input: StopImportCommandInput; + output: StopImportCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/StopLoggingCommand.ts b/clients/client-cloudtrail/src/commands/StopLoggingCommand.ts index 2b90c32b2d4a..7e9f590b080d 100644 --- a/clients/client-cloudtrail/src/commands/StopLoggingCommand.ts +++ b/clients/client-cloudtrail/src/commands/StopLoggingCommand.ts @@ -153,4 +153,16 @@ export class StopLoggingCommand extends $Command .f(void 0, void 0) .ser(se_StopLoggingCommand) .de(de_StopLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopLoggingRequest; + output: {}; + }; + sdk: { + input: StopLoggingCommandInput; + output: StopLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/UpdateChannelCommand.ts b/clients/client-cloudtrail/src/commands/UpdateChannelCommand.ts index 8f0311324097..02a074885e95 100644 --- a/clients/client-cloudtrail/src/commands/UpdateChannelCommand.ts +++ b/clients/client-cloudtrail/src/commands/UpdateChannelCommand.ts @@ -127,4 +127,16 @@ export class UpdateChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/UpdateEventDataStoreCommand.ts b/clients/client-cloudtrail/src/commands/UpdateEventDataStoreCommand.ts index 71acf60aa0e2..cf148d0bda0f 100644 --- a/clients/client-cloudtrail/src/commands/UpdateEventDataStoreCommand.ts +++ b/clients/client-cloudtrail/src/commands/UpdateEventDataStoreCommand.ts @@ -267,4 +267,16 @@ export class UpdateEventDataStoreCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventDataStoreCommand) .de(de_UpdateEventDataStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventDataStoreRequest; + output: UpdateEventDataStoreResponse; + }; + sdk: { + input: UpdateEventDataStoreCommandInput; + output: UpdateEventDataStoreCommandOutput; + }; + }; +} diff --git a/clients/client-cloudtrail/src/commands/UpdateTrailCommand.ts b/clients/client-cloudtrail/src/commands/UpdateTrailCommand.ts index d62b1f227181..5f64d65c21d7 100644 --- a/clients/client-cloudtrail/src/commands/UpdateTrailCommand.ts +++ b/clients/client-cloudtrail/src/commands/UpdateTrailCommand.ts @@ -282,4 +282,16 @@ export class UpdateTrailCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrailCommand) .de(de_UpdateTrailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrailRequest; + output: UpdateTrailResponse; + }; + sdk: { + input: UpdateTrailCommandInput; + output: UpdateTrailCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/package.json b/clients/client-cloudwatch-events/package.json index 6cf4813401ca..3bb82ca7e61f 100644 --- a/clients/client-cloudwatch-events/package.json +++ b/clients/client-cloudwatch-events/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cloudwatch-events/src/commands/ActivateEventSourceCommand.ts b/clients/client-cloudwatch-events/src/commands/ActivateEventSourceCommand.ts index 9f45f8b62e42..67061923ad88 100644 --- a/clients/client-cloudwatch-events/src/commands/ActivateEventSourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ActivateEventSourceCommand.ts @@ -91,4 +91,16 @@ export class ActivateEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_ActivateEventSourceCommand) .de(de_ActivateEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateEventSourceRequest; + output: {}; + }; + sdk: { + input: ActivateEventSourceCommandInput; + output: ActivateEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/CancelReplayCommand.ts b/clients/client-cloudwatch-events/src/commands/CancelReplayCommand.ts index 98d0209f5765..5b17cc5c3beb 100644 --- a/clients/client-cloudwatch-events/src/commands/CancelReplayCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/CancelReplayCommand.ts @@ -92,4 +92,16 @@ export class CancelReplayCommand extends $Command .f(void 0, void 0) .ser(se_CancelReplayCommand) .de(de_CancelReplayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelReplayRequest; + output: CancelReplayResponse; + }; + sdk: { + input: CancelReplayCommandInput; + output: CancelReplayCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/CreateApiDestinationCommand.ts b/clients/client-cloudwatch-events/src/commands/CreateApiDestinationCommand.ts index acf7dffb0bef..1a152287f29e 100644 --- a/clients/client-cloudwatch-events/src/commands/CreateApiDestinationCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/CreateApiDestinationCommand.ts @@ -99,4 +99,16 @@ export class CreateApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApiDestinationCommand) .de(de_CreateApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApiDestinationRequest; + output: CreateApiDestinationResponse; + }; + sdk: { + input: CreateApiDestinationCommandInput; + output: CreateApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/CreateArchiveCommand.ts b/clients/client-cloudwatch-events/src/commands/CreateArchiveCommand.ts index 1622cbe30e98..eb169e7988d3 100644 --- a/clients/client-cloudwatch-events/src/commands/CreateArchiveCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/CreateArchiveCommand.ts @@ -107,4 +107,16 @@ export class CreateArchiveCommand extends $Command .f(void 0, void 0) .ser(se_CreateArchiveCommand) .de(de_CreateArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateArchiveRequest; + output: CreateArchiveResponse; + }; + sdk: { + input: CreateArchiveCommandInput; + output: CreateArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/CreateConnectionCommand.ts b/clients/client-cloudwatch-events/src/commands/CreateConnectionCommand.ts index f39ee2211052..4fa6ca143752 100644 --- a/clients/client-cloudwatch-events/src/commands/CreateConnectionCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/CreateConnectionCommand.ts @@ -161,4 +161,16 @@ export class CreateConnectionCommand extends $Command .f(CreateConnectionRequestFilterSensitiveLog, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionRequest; + output: CreateConnectionResponse; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/CreateEventBusCommand.ts b/clients/client-cloudwatch-events/src/commands/CreateEventBusCommand.ts index b70ac9c9cc01..f617f9102c7a 100644 --- a/clients/client-cloudwatch-events/src/commands/CreateEventBusCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/CreateEventBusCommand.ts @@ -108,4 +108,16 @@ export class CreateEventBusCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventBusCommand) .de(de_CreateEventBusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventBusRequest; + output: CreateEventBusResponse; + }; + sdk: { + input: CreateEventBusCommandInput; + output: CreateEventBusCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/CreatePartnerEventSourceCommand.ts b/clients/client-cloudwatch-events/src/commands/CreatePartnerEventSourceCommand.ts index c38c5ad7da77..ebf414d9672a 100644 --- a/clients/client-cloudwatch-events/src/commands/CreatePartnerEventSourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/CreatePartnerEventSourceCommand.ts @@ -117,4 +117,16 @@ export class CreatePartnerEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreatePartnerEventSourceCommand) .de(de_CreatePartnerEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePartnerEventSourceRequest; + output: CreatePartnerEventSourceResponse; + }; + sdk: { + input: CreatePartnerEventSourceCommandInput; + output: CreatePartnerEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeactivateEventSourceCommand.ts b/clients/client-cloudwatch-events/src/commands/DeactivateEventSourceCommand.ts index f3ae0c0fbdb4..bf36ab20e396 100644 --- a/clients/client-cloudwatch-events/src/commands/DeactivateEventSourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeactivateEventSourceCommand.ts @@ -94,4 +94,16 @@ export class DeactivateEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateEventSourceCommand) .de(de_DeactivateEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateEventSourceRequest; + output: {}; + }; + sdk: { + input: DeactivateEventSourceCommandInput; + output: DeactivateEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeauthorizeConnectionCommand.ts b/clients/client-cloudwatch-events/src/commands/DeauthorizeConnectionCommand.ts index e8026f95a471..f1ca601d1c5b 100644 --- a/clients/client-cloudwatch-events/src/commands/DeauthorizeConnectionCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeauthorizeConnectionCommand.ts @@ -91,4 +91,16 @@ export class DeauthorizeConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeauthorizeConnectionCommand) .de(de_DeauthorizeConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeauthorizeConnectionRequest; + output: DeauthorizeConnectionResponse; + }; + sdk: { + input: DeauthorizeConnectionCommandInput; + output: DeauthorizeConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeleteApiDestinationCommand.ts b/clients/client-cloudwatch-events/src/commands/DeleteApiDestinationCommand.ts index e743ed4cdb56..d8ad15c5afd5 100644 --- a/clients/client-cloudwatch-events/src/commands/DeleteApiDestinationCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeleteApiDestinationCommand.ts @@ -84,4 +84,16 @@ export class DeleteApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApiDestinationCommand) .de(de_DeleteApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApiDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteApiDestinationCommandInput; + output: DeleteApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeleteArchiveCommand.ts b/clients/client-cloudwatch-events/src/commands/DeleteArchiveCommand.ts index 471aef262fd6..5f3068c3951a 100644 --- a/clients/client-cloudwatch-events/src/commands/DeleteArchiveCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeleteArchiveCommand.ts @@ -84,4 +84,16 @@ export class DeleteArchiveCommand extends $Command .f(void 0, void 0) .ser(se_DeleteArchiveCommand) .de(de_DeleteArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteArchiveRequest; + output: {}; + }; + sdk: { + input: DeleteArchiveCommandInput; + output: DeleteArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeleteConnectionCommand.ts b/clients/client-cloudwatch-events/src/commands/DeleteConnectionCommand.ts index 6a6f90d8ebc0..9e81d22e095a 100644 --- a/clients/client-cloudwatch-events/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeleteConnectionCommand.ts @@ -90,4 +90,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRequest; + output: DeleteConnectionResponse; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeleteEventBusCommand.ts b/clients/client-cloudwatch-events/src/commands/DeleteEventBusCommand.ts index 0d4a1f4dd745..2a7eeb2f4566 100644 --- a/clients/client-cloudwatch-events/src/commands/DeleteEventBusCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeleteEventBusCommand.ts @@ -82,4 +82,16 @@ export class DeleteEventBusCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventBusCommand) .de(de_DeleteEventBusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventBusRequest; + output: {}; + }; + sdk: { + input: DeleteEventBusCommandInput; + output: DeleteEventBusCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeletePartnerEventSourceCommand.ts b/clients/client-cloudwatch-events/src/commands/DeletePartnerEventSourceCommand.ts index 0ff84ff8fa65..2c2c7563f27d 100644 --- a/clients/client-cloudwatch-events/src/commands/DeletePartnerEventSourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeletePartnerEventSourceCommand.ts @@ -89,4 +89,16 @@ export class DeletePartnerEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeletePartnerEventSourceCommand) .de(de_DeletePartnerEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePartnerEventSourceRequest; + output: {}; + }; + sdk: { + input: DeletePartnerEventSourceCommandInput; + output: DeletePartnerEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DeleteRuleCommand.ts b/clients/client-cloudwatch-events/src/commands/DeleteRuleCommand.ts index f4dcfa0d2701..20fd3c5e9abb 100644 --- a/clients/client-cloudwatch-events/src/commands/DeleteRuleCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DeleteRuleCommand.ts @@ -104,4 +104,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: {}; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribeApiDestinationCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribeApiDestinationCommand.ts index 1e0dffe05107..b57f02c57647 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribeApiDestinationCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribeApiDestinationCommand.ts @@ -92,4 +92,16 @@ export class DescribeApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApiDestinationCommand) .de(de_DescribeApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApiDestinationRequest; + output: DescribeApiDestinationResponse; + }; + sdk: { + input: DescribeApiDestinationCommandInput; + output: DescribeApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribeArchiveCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribeArchiveCommand.ts index b8e864cad478..3ec5c2ac7445 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribeArchiveCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribeArchiveCommand.ts @@ -96,4 +96,16 @@ export class DescribeArchiveCommand extends $Command .f(void 0, void 0) .ser(se_DescribeArchiveCommand) .de(de_DescribeArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeArchiveRequest; + output: DescribeArchiveResponse; + }; + sdk: { + input: DescribeArchiveCommandInput; + output: DescribeArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribeConnectionCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribeConnectionCommand.ts index 7409804a535a..be02fbce2811 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribeConnectionCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribeConnectionCommand.ts @@ -157,4 +157,16 @@ export class DescribeConnectionCommand extends $Command .f(void 0, DescribeConnectionResponseFilterSensitiveLog) .ser(se_DescribeConnectionCommand) .de(de_DescribeConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionRequest; + output: DescribeConnectionResponse; + }; + sdk: { + input: DescribeConnectionCommandInput; + output: DescribeConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribeEventBusCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribeEventBusCommand.ts index 250bc34902a5..4db57d278760 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribeEventBusCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribeEventBusCommand.ts @@ -91,4 +91,16 @@ export class DescribeEventBusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventBusCommand) .de(de_DescribeEventBusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventBusRequest; + output: DescribeEventBusResponse; + }; + sdk: { + input: DescribeEventBusCommandInput; + output: DescribeEventBusCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribeEventSourceCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribeEventSourceCommand.ts index 0c11cf395c4a..a9db7217835b 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribeEventSourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribeEventSourceCommand.ts @@ -92,4 +92,16 @@ export class DescribeEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSourceCommand) .de(de_DescribeEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventSourceRequest; + output: DescribeEventSourceResponse; + }; + sdk: { + input: DescribeEventSourceCommandInput; + output: DescribeEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribePartnerEventSourceCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribePartnerEventSourceCommand.ts index 59460087b7e7..ace5dd5602b5 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribePartnerEventSourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribePartnerEventSourceCommand.ts @@ -90,4 +90,16 @@ export class DescribePartnerEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribePartnerEventSourceCommand) .de(de_DescribePartnerEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePartnerEventSourceRequest; + output: DescribePartnerEventSourceResponse; + }; + sdk: { + input: DescribePartnerEventSourceCommandInput; + output: DescribePartnerEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribeReplayCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribeReplayCommand.ts index 95c6777bfb8c..5bb0583a2713 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribeReplayCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribeReplayCommand.ts @@ -107,4 +107,16 @@ export class DescribeReplayCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplayCommand) .de(de_DescribeReplayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplayRequest; + output: DescribeReplayResponse; + }; + sdk: { + input: DescribeReplayCommandInput; + output: DescribeReplayCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DescribeRuleCommand.ts b/clients/client-cloudwatch-events/src/commands/DescribeRuleCommand.ts index 7999dbb5f82c..e5b11481755a 100644 --- a/clients/client-cloudwatch-events/src/commands/DescribeRuleCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DescribeRuleCommand.ts @@ -95,4 +95,16 @@ export class DescribeRuleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuleCommand) .de(de_DescribeRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuleRequest; + output: DescribeRuleResponse; + }; + sdk: { + input: DescribeRuleCommandInput; + output: DescribeRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/DisableRuleCommand.ts b/clients/client-cloudwatch-events/src/commands/DisableRuleCommand.ts index e0742a55bc87..fdaad713dc62 100644 --- a/clients/client-cloudwatch-events/src/commands/DisableRuleCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/DisableRuleCommand.ts @@ -96,4 +96,16 @@ export class DisableRuleCommand extends $Command .f(void 0, void 0) .ser(se_DisableRuleCommand) .de(de_DisableRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableRuleRequest; + output: {}; + }; + sdk: { + input: DisableRuleCommandInput; + output: DisableRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/EnableRuleCommand.ts b/clients/client-cloudwatch-events/src/commands/EnableRuleCommand.ts index c727f9574e4f..fec7a814108e 100644 --- a/clients/client-cloudwatch-events/src/commands/EnableRuleCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/EnableRuleCommand.ts @@ -95,4 +95,16 @@ export class EnableRuleCommand extends $Command .f(void 0, void 0) .ser(se_EnableRuleCommand) .de(de_EnableRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableRuleRequest; + output: {}; + }; + sdk: { + input: EnableRuleCommandInput; + output: EnableRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListApiDestinationsCommand.ts b/clients/client-cloudwatch-events/src/commands/ListApiDestinationsCommand.ts index 4adb6802a3a5..027bf492e888 100644 --- a/clients/client-cloudwatch-events/src/commands/ListApiDestinationsCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListApiDestinationsCommand.ts @@ -96,4 +96,16 @@ export class ListApiDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApiDestinationsCommand) .de(de_ListApiDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApiDestinationsRequest; + output: ListApiDestinationsResponse; + }; + sdk: { + input: ListApiDestinationsCommandInput; + output: ListApiDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListArchivesCommand.ts b/clients/client-cloudwatch-events/src/commands/ListArchivesCommand.ts index 1ff56393795a..7ad6ca7f7cd6 100644 --- a/clients/client-cloudwatch-events/src/commands/ListArchivesCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListArchivesCommand.ts @@ -100,4 +100,16 @@ export class ListArchivesCommand extends $Command .f(void 0, void 0) .ser(se_ListArchivesCommand) .de(de_ListArchivesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArchivesRequest; + output: ListArchivesResponse; + }; + sdk: { + input: ListArchivesCommandInput; + output: ListArchivesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListConnectionsCommand.ts b/clients/client-cloudwatch-events/src/commands/ListConnectionsCommand.ts index 8483e7ad509f..810f5f6ca94d 100644 --- a/clients/client-cloudwatch-events/src/commands/ListConnectionsCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListConnectionsCommand.ts @@ -95,4 +95,16 @@ export class ListConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectionsCommand) .de(de_ListConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectionsRequest; + output: ListConnectionsResponse; + }; + sdk: { + input: ListConnectionsCommandInput; + output: ListConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListEventBusesCommand.ts b/clients/client-cloudwatch-events/src/commands/ListEventBusesCommand.ts index 20eb18d5a0ce..c59c828d0734 100644 --- a/clients/client-cloudwatch-events/src/commands/ListEventBusesCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListEventBusesCommand.ts @@ -90,4 +90,16 @@ export class ListEventBusesCommand extends $Command .f(void 0, void 0) .ser(se_ListEventBusesCommand) .de(de_ListEventBusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventBusesRequest; + output: ListEventBusesResponse; + }; + sdk: { + input: ListEventBusesCommandInput; + output: ListEventBusesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListEventSourcesCommand.ts b/clients/client-cloudwatch-events/src/commands/ListEventSourcesCommand.ts index 3e14a56c2374..ca57506b991e 100644 --- a/clients/client-cloudwatch-events/src/commands/ListEventSourcesCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListEventSourcesCommand.ts @@ -96,4 +96,16 @@ export class ListEventSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListEventSourcesCommand) .de(de_ListEventSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventSourcesRequest; + output: ListEventSourcesResponse; + }; + sdk: { + input: ListEventSourcesCommandInput; + output: ListEventSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourceAccountsCommand.ts b/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourceAccountsCommand.ts index 11851c5f125c..f957c18cb212 100644 --- a/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourceAccountsCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourceAccountsCommand.ts @@ -103,4 +103,16 @@ export class ListPartnerEventSourceAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListPartnerEventSourceAccountsCommand) .de(de_ListPartnerEventSourceAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartnerEventSourceAccountsRequest; + output: ListPartnerEventSourceAccountsResponse; + }; + sdk: { + input: ListPartnerEventSourceAccountsCommandInput; + output: ListPartnerEventSourceAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourcesCommand.ts b/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourcesCommand.ts index 6c48c4da0c9d..6070436ef00d 100644 --- a/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourcesCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListPartnerEventSourcesCommand.ts @@ -92,4 +92,16 @@ export class ListPartnerEventSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListPartnerEventSourcesCommand) .de(de_ListPartnerEventSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartnerEventSourcesRequest; + output: ListPartnerEventSourcesResponse; + }; + sdk: { + input: ListPartnerEventSourcesCommandInput; + output: ListPartnerEventSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListReplaysCommand.ts b/clients/client-cloudwatch-events/src/commands/ListReplaysCommand.ts index 08c41b556aab..aa7136c0d6cf 100644 --- a/clients/client-cloudwatch-events/src/commands/ListReplaysCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListReplaysCommand.ts @@ -98,4 +98,16 @@ export class ListReplaysCommand extends $Command .f(void 0, void 0) .ser(se_ListReplaysCommand) .de(de_ListReplaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReplaysRequest; + output: ListReplaysResponse; + }; + sdk: { + input: ListReplaysCommandInput; + output: ListReplaysCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListRuleNamesByTargetCommand.ts b/clients/client-cloudwatch-events/src/commands/ListRuleNamesByTargetCommand.ts index cb13d82976f8..7a14366a170e 100644 --- a/clients/client-cloudwatch-events/src/commands/ListRuleNamesByTargetCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListRuleNamesByTargetCommand.ts @@ -90,4 +90,16 @@ export class ListRuleNamesByTargetCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleNamesByTargetCommand) .de(de_ListRuleNamesByTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleNamesByTargetRequest; + output: ListRuleNamesByTargetResponse; + }; + sdk: { + input: ListRuleNamesByTargetCommandInput; + output: ListRuleNamesByTargetCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListRulesCommand.ts b/clients/client-cloudwatch-events/src/commands/ListRulesCommand.ts index 2b3524eb71cc..31660601db4b 100644 --- a/clients/client-cloudwatch-events/src/commands/ListRulesCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListRulesCommand.ts @@ -102,4 +102,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListTagsForResourceCommand.ts b/clients/client-cloudwatch-events/src/commands/ListTagsForResourceCommand.ts index 7442d298ac01..55e130eaad7f 100644 --- a/clients/client-cloudwatch-events/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/ListTargetsByRuleCommand.ts b/clients/client-cloudwatch-events/src/commands/ListTargetsByRuleCommand.ts index 45b764170cf5..7e9552312d70 100644 --- a/clients/client-cloudwatch-events/src/commands/ListTargetsByRuleCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/ListTargetsByRuleCommand.ts @@ -208,4 +208,16 @@ export class ListTargetsByRuleCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetsByRuleCommand) .de(de_ListTargetsByRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetsByRuleRequest; + output: ListTargetsByRuleResponse; + }; + sdk: { + input: ListTargetsByRuleCommandInput; + output: ListTargetsByRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/PutEventsCommand.ts b/clients/client-cloudwatch-events/src/commands/PutEventsCommand.ts index 851a45eacdc0..dcbad4367d9c 100644 --- a/clients/client-cloudwatch-events/src/commands/PutEventsCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/PutEventsCommand.ts @@ -99,4 +99,16 @@ export class PutEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutEventsCommand) .de(de_PutEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventsRequest; + output: PutEventsResponse; + }; + sdk: { + input: PutEventsCommandInput; + output: PutEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/PutPartnerEventsCommand.ts b/clients/client-cloudwatch-events/src/commands/PutPartnerEventsCommand.ts index 7c55f1974582..33ee6e14fbe0 100644 --- a/clients/client-cloudwatch-events/src/commands/PutPartnerEventsCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/PutPartnerEventsCommand.ts @@ -101,4 +101,16 @@ export class PutPartnerEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutPartnerEventsCommand) .de(de_PutPartnerEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPartnerEventsRequest; + output: PutPartnerEventsResponse; + }; + sdk: { + input: PutPartnerEventsCommandInput; + output: PutPartnerEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/PutPermissionCommand.ts b/clients/client-cloudwatch-events/src/commands/PutPermissionCommand.ts index 875b791c1dfb..eea0dd562628 100644 --- a/clients/client-cloudwatch-events/src/commands/PutPermissionCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/PutPermissionCommand.ts @@ -115,4 +115,16 @@ export class PutPermissionCommand extends $Command .f(void 0, void 0) .ser(se_PutPermissionCommand) .de(de_PutPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPermissionRequest; + output: {}; + }; + sdk: { + input: PutPermissionCommandInput; + output: PutPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/PutRuleCommand.ts b/clients/client-cloudwatch-events/src/commands/PutRuleCommand.ts index 566b8f14604c..2f2e60e56c4f 100644 --- a/clients/client-cloudwatch-events/src/commands/PutRuleCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/PutRuleCommand.ts @@ -152,4 +152,16 @@ export class PutRuleCommand extends $Command .f(void 0, void 0) .ser(se_PutRuleCommand) .de(de_PutRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRuleRequest; + output: PutRuleResponse; + }; + sdk: { + input: PutRuleCommandInput; + output: PutRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/PutTargetsCommand.ts b/clients/client-cloudwatch-events/src/commands/PutTargetsCommand.ts index 9c0b0da26d75..791ce179ea19 100644 --- a/clients/client-cloudwatch-events/src/commands/PutTargetsCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/PutTargetsCommand.ts @@ -380,4 +380,16 @@ export class PutTargetsCommand extends $Command .f(void 0, void 0) .ser(se_PutTargetsCommand) .de(de_PutTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutTargetsRequest; + output: PutTargetsResponse; + }; + sdk: { + input: PutTargetsCommandInput; + output: PutTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/RemovePermissionCommand.ts b/clients/client-cloudwatch-events/src/commands/RemovePermissionCommand.ts index b295329eea9d..90d16f868450 100644 --- a/clients/client-cloudwatch-events/src/commands/RemovePermissionCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/RemovePermissionCommand.ts @@ -92,4 +92,16 @@ export class RemovePermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemovePermissionCommand) .de(de_RemovePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemovePermissionRequest; + output: {}; + }; + sdk: { + input: RemovePermissionCommandInput; + output: RemovePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/RemoveTargetsCommand.ts b/clients/client-cloudwatch-events/src/commands/RemoveTargetsCommand.ts index e788247f746e..8f945bf0c9cd 100644 --- a/clients/client-cloudwatch-events/src/commands/RemoveTargetsCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/RemoveTargetsCommand.ts @@ -112,4 +112,16 @@ export class RemoveTargetsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTargetsCommand) .de(de_RemoveTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTargetsRequest; + output: RemoveTargetsResponse; + }; + sdk: { + input: RemoveTargetsCommandInput; + output: RemoveTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/StartReplayCommand.ts b/clients/client-cloudwatch-events/src/commands/StartReplayCommand.ts index 039dad23ce74..30bfc8f5270d 100644 --- a/clients/client-cloudwatch-events/src/commands/StartReplayCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/StartReplayCommand.ts @@ -114,4 +114,16 @@ export class StartReplayCommand extends $Command .f(void 0, void 0) .ser(se_StartReplayCommand) .de(de_StartReplayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplayRequest; + output: StartReplayResponse; + }; + sdk: { + input: StartReplayCommandInput; + output: StartReplayCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/TagResourceCommand.ts b/clients/client-cloudwatch-events/src/commands/TagResourceCommand.ts index ff88c2c2bbb2..70a94efb4403 100644 --- a/clients/client-cloudwatch-events/src/commands/TagResourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/TagResourceCommand.ts @@ -108,4 +108,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/TestEventPatternCommand.ts b/clients/client-cloudwatch-events/src/commands/TestEventPatternCommand.ts index 1c91cf729c9c..3169c547a9c2 100644 --- a/clients/client-cloudwatch-events/src/commands/TestEventPatternCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/TestEventPatternCommand.ts @@ -88,4 +88,16 @@ export class TestEventPatternCommand extends $Command .f(void 0, void 0) .ser(se_TestEventPatternCommand) .de(de_TestEventPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestEventPatternRequest; + output: TestEventPatternResponse; + }; + sdk: { + input: TestEventPatternCommandInput; + output: TestEventPatternCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/UntagResourceCommand.ts b/clients/client-cloudwatch-events/src/commands/UntagResourceCommand.ts index 450e07d4ddb4..821dec61e162 100644 --- a/clients/client-cloudwatch-events/src/commands/UntagResourceCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/UpdateApiDestinationCommand.ts b/clients/client-cloudwatch-events/src/commands/UpdateApiDestinationCommand.ts index f166c9106044..9ae4b3d9513b 100644 --- a/clients/client-cloudwatch-events/src/commands/UpdateApiDestinationCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/UpdateApiDestinationCommand.ts @@ -98,4 +98,16 @@ export class UpdateApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApiDestinationCommand) .de(de_UpdateApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApiDestinationRequest; + output: UpdateApiDestinationResponse; + }; + sdk: { + input: UpdateApiDestinationCommandInput; + output: UpdateApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/UpdateArchiveCommand.ts b/clients/client-cloudwatch-events/src/commands/UpdateArchiveCommand.ts index e5f35865e9c0..f0f21e7caa00 100644 --- a/clients/client-cloudwatch-events/src/commands/UpdateArchiveCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/UpdateArchiveCommand.ts @@ -99,4 +99,16 @@ export class UpdateArchiveCommand extends $Command .f(void 0, void 0) .ser(se_UpdateArchiveCommand) .de(de_UpdateArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateArchiveRequest; + output: UpdateArchiveResponse; + }; + sdk: { + input: UpdateArchiveCommandInput; + output: UpdateArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-events/src/commands/UpdateConnectionCommand.ts b/clients/client-cloudwatch-events/src/commands/UpdateConnectionCommand.ts index 9a53eaf1c266..da8aea5c9090 100644 --- a/clients/client-cloudwatch-events/src/commands/UpdateConnectionCommand.ts +++ b/clients/client-cloudwatch-events/src/commands/UpdateConnectionCommand.ts @@ -164,4 +164,16 @@ export class UpdateConnectionCommand extends $Command .f(UpdateConnectionRequestFilterSensitiveLog, void 0) .ser(se_UpdateConnectionCommand) .de(de_UpdateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectionRequest; + output: UpdateConnectionResponse; + }; + sdk: { + input: UpdateConnectionCommandInput; + output: UpdateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/package.json b/clients/client-cloudwatch-logs/package.json index 8e51e3635864..d8064ed042e3 100644 --- a/clients/client-cloudwatch-logs/package.json +++ b/clients/client-cloudwatch-logs/package.json @@ -33,33 +33,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-cloudwatch-logs/src/commands/AssociateKmsKeyCommand.ts b/clients/client-cloudwatch-logs/src/commands/AssociateKmsKeyCommand.ts index 0edd9fc63a12..2ce41a29e3b3 100644 --- a/clients/client-cloudwatch-logs/src/commands/AssociateKmsKeyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/AssociateKmsKeyCommand.ts @@ -132,4 +132,16 @@ export class AssociateKmsKeyCommand extends $Command .f(void 0, void 0) .ser(se_AssociateKmsKeyCommand) .de(de_AssociateKmsKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateKmsKeyRequest; + output: {}; + }; + sdk: { + input: AssociateKmsKeyCommandInput; + output: AssociateKmsKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/CancelExportTaskCommand.ts b/clients/client-cloudwatch-logs/src/commands/CancelExportTaskCommand.ts index fa56d7fefee5..38966a26a5f6 100644 --- a/clients/client-cloudwatch-logs/src/commands/CancelExportTaskCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/CancelExportTaskCommand.ts @@ -88,4 +88,16 @@ export class CancelExportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelExportTaskCommand) .de(de_CancelExportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelExportTaskRequest; + output: {}; + }; + sdk: { + input: CancelExportTaskCommandInput; + output: CancelExportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/CreateDeliveryCommand.ts b/clients/client-cloudwatch-logs/src/commands/CreateDeliveryCommand.ts index 32cb2c183003..1b82f15d880c 100644 --- a/clients/client-cloudwatch-logs/src/commands/CreateDeliveryCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/CreateDeliveryCommand.ts @@ -162,4 +162,16 @@ export class CreateDeliveryCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeliveryCommand) .de(de_CreateDeliveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeliveryRequest; + output: CreateDeliveryResponse; + }; + sdk: { + input: CreateDeliveryCommandInput; + output: CreateDeliveryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/CreateExportTaskCommand.ts b/clients/client-cloudwatch-logs/src/commands/CreateExportTaskCommand.ts index 5340af8234f2..d7327b269aa7 100644 --- a/clients/client-cloudwatch-logs/src/commands/CreateExportTaskCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/CreateExportTaskCommand.ts @@ -120,4 +120,16 @@ export class CreateExportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateExportTaskCommand) .de(de_CreateExportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExportTaskRequest; + output: CreateExportTaskResponse; + }; + sdk: { + input: CreateExportTaskCommandInput; + output: CreateExportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/CreateLogAnomalyDetectorCommand.ts b/clients/client-cloudwatch-logs/src/commands/CreateLogAnomalyDetectorCommand.ts index f2a0e85af0dc..c4314e4d42d2 100644 --- a/clients/client-cloudwatch-logs/src/commands/CreateLogAnomalyDetectorCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/CreateLogAnomalyDetectorCommand.ts @@ -133,4 +133,16 @@ export class CreateLogAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateLogAnomalyDetectorCommand) .de(de_CreateLogAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLogAnomalyDetectorRequest; + output: CreateLogAnomalyDetectorResponse; + }; + sdk: { + input: CreateLogAnomalyDetectorCommandInput; + output: CreateLogAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/CreateLogGroupCommand.ts b/clients/client-cloudwatch-logs/src/commands/CreateLogGroupCommand.ts index 43ce4cbb4c4d..ed44a493f63b 100644 --- a/clients/client-cloudwatch-logs/src/commands/CreateLogGroupCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/CreateLogGroupCommand.ts @@ -127,4 +127,16 @@ export class CreateLogGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateLogGroupCommand) .de(de_CreateLogGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLogGroupRequest; + output: {}; + }; + sdk: { + input: CreateLogGroupCommandInput; + output: CreateLogGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/CreateLogStreamCommand.ts b/clients/client-cloudwatch-logs/src/commands/CreateLogStreamCommand.ts index f79243dac100..44135fd34033 100644 --- a/clients/client-cloudwatch-logs/src/commands/CreateLogStreamCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/CreateLogStreamCommand.ts @@ -104,4 +104,16 @@ export class CreateLogStreamCommand extends $Command .f(void 0, void 0) .ser(se_CreateLogStreamCommand) .de(de_CreateLogStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLogStreamRequest; + output: {}; + }; + sdk: { + input: CreateLogStreamCommandInput; + output: CreateLogStreamCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteAccountPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteAccountPolicyCommand.ts index 21833032864c..6ebba6175a74 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteAccountPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteAccountPolicyCommand.ts @@ -101,4 +101,16 @@ export class DeleteAccountPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountPolicyCommand) .de(de_DeleteAccountPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteAccountPolicyCommandInput; + output: DeleteAccountPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteDataProtectionPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteDataProtectionPolicyCommand.ts index 8f7d3a474b2b..610bd2f77ce1 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteDataProtectionPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteDataProtectionPolicyCommand.ts @@ -88,4 +88,16 @@ export class DeleteDataProtectionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataProtectionPolicyCommand) .de(de_DeleteDataProtectionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataProtectionPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteDataProtectionPolicyCommandInput; + output: DeleteDataProtectionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryCommand.ts index b4563567182f..3de9b1716964 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryCommand.ts @@ -95,4 +95,16 @@ export class DeleteDeliveryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeliveryCommand) .de(de_DeleteDeliveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeliveryRequest; + output: {}; + }; + sdk: { + input: DeleteDeliveryCommandInput; + output: DeleteDeliveryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationCommand.ts index 67a01df7508c..d5e41e27a128 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationCommand.ts @@ -96,4 +96,16 @@ export class DeleteDeliveryDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeliveryDestinationCommand) .de(de_DeleteDeliveryDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeliveryDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteDeliveryDestinationCommandInput; + output: DeleteDeliveryDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationPolicyCommand.ts index c649f1201ea6..c2536b3062e0 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteDeliveryDestinationPolicyCommand.ts @@ -91,4 +91,16 @@ export class DeleteDeliveryDestinationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeliveryDestinationPolicyCommand) .de(de_DeleteDeliveryDestinationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeliveryDestinationPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteDeliveryDestinationPolicyCommandInput; + output: DeleteDeliveryDestinationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteDeliverySourceCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteDeliverySourceCommand.ts index c477bee1618e..c0a1b86d445e 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteDeliverySourceCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteDeliverySourceCommand.ts @@ -96,4 +96,16 @@ export class DeleteDeliverySourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeliverySourceCommand) .de(de_DeleteDeliverySourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeliverySourceRequest; + output: {}; + }; + sdk: { + input: DeleteDeliverySourceCommandInput; + output: DeleteDeliverySourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteDestinationCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteDestinationCommand.ts index c6c6f04bed36..1646a729d1c2 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteDestinationCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteDestinationCommand.ts @@ -89,4 +89,16 @@ export class DeleteDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDestinationCommand) .de(de_DeleteDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteDestinationCommandInput; + output: DeleteDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteLogAnomalyDetectorCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteLogAnomalyDetectorCommand.ts index cfc00832b7a2..2c016d7d4d12 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteLogAnomalyDetectorCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteLogAnomalyDetectorCommand.ts @@ -87,4 +87,16 @@ export class DeleteLogAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLogAnomalyDetectorCommand) .de(de_DeleteLogAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLogAnomalyDetectorRequest; + output: {}; + }; + sdk: { + input: DeleteLogAnomalyDetectorCommandInput; + output: DeleteLogAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteLogGroupCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteLogGroupCommand.ts index 55074e0941d4..d4b06b0c100a 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteLogGroupCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteLogGroupCommand.ts @@ -88,4 +88,16 @@ export class DeleteLogGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLogGroupCommand) .de(de_DeleteLogGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLogGroupRequest; + output: {}; + }; + sdk: { + input: DeleteLogGroupCommandInput; + output: DeleteLogGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteLogStreamCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteLogStreamCommand.ts index 0d616f90165e..51bf2a5a7a79 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteLogStreamCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteLogStreamCommand.ts @@ -89,4 +89,16 @@ export class DeleteLogStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLogStreamCommand) .de(de_DeleteLogStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLogStreamRequest; + output: {}; + }; + sdk: { + input: DeleteLogStreamCommandInput; + output: DeleteLogStreamCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteMetricFilterCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteMetricFilterCommand.ts index 5b6e743c9955..893395fb48a5 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteMetricFilterCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteMetricFilterCommand.ts @@ -88,4 +88,16 @@ export class DeleteMetricFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMetricFilterCommand) .de(de_DeleteMetricFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMetricFilterRequest; + output: {}; + }; + sdk: { + input: DeleteMetricFilterCommandInput; + output: DeleteMetricFilterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteQueryDefinitionCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteQueryDefinitionCommand.ts index c792f70ad0e7..4c95a3839e55 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteQueryDefinitionCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteQueryDefinitionCommand.ts @@ -90,4 +90,16 @@ export class DeleteQueryDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueryDefinitionCommand) .de(de_DeleteQueryDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueryDefinitionRequest; + output: DeleteQueryDefinitionResponse; + }; + sdk: { + input: DeleteQueryDefinitionCommandInput; + output: DeleteQueryDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteResourcePolicyCommand.ts index 9815416cb598..5406437aa987 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteResourcePolicyCommand.ts @@ -85,4 +85,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteRetentionPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteRetentionPolicyCommand.ts index b95af15225d5..b95de3abae66 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteRetentionPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteRetentionPolicyCommand.ts @@ -88,4 +88,16 @@ export class DeleteRetentionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRetentionPolicyCommand) .de(de_DeleteRetentionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRetentionPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteRetentionPolicyCommandInput; + output: DeleteRetentionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DeleteSubscriptionFilterCommand.ts b/clients/client-cloudwatch-logs/src/commands/DeleteSubscriptionFilterCommand.ts index f4336c9fddeb..be57105c5e6e 100644 --- a/clients/client-cloudwatch-logs/src/commands/DeleteSubscriptionFilterCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DeleteSubscriptionFilterCommand.ts @@ -88,4 +88,16 @@ export class DeleteSubscriptionFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriptionFilterCommand) .de(de_DeleteSubscriptionFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriptionFilterRequest; + output: {}; + }; + sdk: { + input: DeleteSubscriptionFilterCommandInput; + output: DeleteSubscriptionFilterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeAccountPoliciesCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeAccountPoliciesCommand.ts index 4b9d7fc20eb7..1faa1f85b1ab 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeAccountPoliciesCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeAccountPoliciesCommand.ts @@ -103,4 +103,16 @@ export class DescribeAccountPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountPoliciesCommand) .de(de_DescribeAccountPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountPoliciesRequest; + output: DescribeAccountPoliciesResponse; + }; + sdk: { + input: DescribeAccountPoliciesCommandInput; + output: DescribeAccountPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeConfigurationTemplatesCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeConfigurationTemplatesCommand.ts index a07e8736ae4c..b5f2f6e8d0c4 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeConfigurationTemplatesCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeConfigurationTemplatesCommand.ts @@ -140,4 +140,16 @@ export class DescribeConfigurationTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationTemplatesCommand) .de(de_DescribeConfigurationTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationTemplatesRequest; + output: DescribeConfigurationTemplatesResponse; + }; + sdk: { + input: DescribeConfigurationTemplatesCommandInput; + output: DescribeConfigurationTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeDeliveriesCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeDeliveriesCommand.ts index 7a655883e464..bf402eeb693f 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeDeliveriesCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeDeliveriesCommand.ts @@ -123,4 +123,16 @@ export class DescribeDeliveriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeliveriesCommand) .de(de_DescribeDeliveriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeliveriesRequest; + output: DescribeDeliveriesResponse; + }; + sdk: { + input: DescribeDeliveriesCommandInput; + output: DescribeDeliveriesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeDeliveryDestinationsCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeDeliveryDestinationsCommand.ts index 9844abb505d5..68f26bf5ff71 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeDeliveryDestinationsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeDeliveryDestinationsCommand.ts @@ -109,4 +109,16 @@ export class DescribeDeliveryDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeliveryDestinationsCommand) .de(de_DescribeDeliveryDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeliveryDestinationsRequest; + output: DescribeDeliveryDestinationsResponse; + }; + sdk: { + input: DescribeDeliveryDestinationsCommandInput; + output: DescribeDeliveryDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeDeliverySourcesCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeDeliverySourcesCommand.ts index 4162ad4b3b92..f393b5cc9ae0 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeDeliverySourcesCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeDeliverySourcesCommand.ts @@ -104,4 +104,16 @@ export class DescribeDeliverySourcesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeliverySourcesCommand) .de(de_DescribeDeliverySourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeliverySourcesRequest; + output: DescribeDeliverySourcesResponse; + }; + sdk: { + input: DescribeDeliverySourcesCommandInput; + output: DescribeDeliverySourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeDestinationsCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeDestinationsCommand.ts index 9e2d4d387bb8..7ef085d2c284 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeDestinationsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeDestinationsCommand.ts @@ -95,4 +95,16 @@ export class DescribeDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDestinationsCommand) .de(de_DescribeDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDestinationsRequest; + output: DescribeDestinationsResponse; + }; + sdk: { + input: DescribeDestinationsCommandInput; + output: DescribeDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeExportTasksCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeExportTasksCommand.ts index d32088b90f6a..fe18d82f0585 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeExportTasksCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeExportTasksCommand.ts @@ -106,4 +106,16 @@ export class DescribeExportTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportTasksCommand) .de(de_DescribeExportTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportTasksRequest; + output: DescribeExportTasksResponse; + }; + sdk: { + input: DescribeExportTasksCommandInput; + output: DescribeExportTasksCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeLogGroupsCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeLogGroupsCommand.ts index e81d3e4387e0..5c17f2ec0428 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeLogGroupsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeLogGroupsCommand.ts @@ -119,4 +119,16 @@ export class DescribeLogGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLogGroupsCommand) .de(de_DescribeLogGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLogGroupsRequest; + output: DescribeLogGroupsResponse; + }; + sdk: { + input: DescribeLogGroupsCommandInput; + output: DescribeLogGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeLogStreamsCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeLogStreamsCommand.ts index eb4d6d139dd9..d4d32a334101 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeLogStreamsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeLogStreamsCommand.ts @@ -113,4 +113,16 @@ export class DescribeLogStreamsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLogStreamsCommand) .de(de_DescribeLogStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLogStreamsRequest; + output: DescribeLogStreamsResponse; + }; + sdk: { + input: DescribeLogStreamsCommandInput; + output: DescribeLogStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeMetricFiltersCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeMetricFiltersCommand.ts index 9335a1fd18ca..31b679562b0d 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeMetricFiltersCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeMetricFiltersCommand.ts @@ -113,4 +113,16 @@ export class DescribeMetricFiltersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetricFiltersCommand) .de(de_DescribeMetricFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetricFiltersRequest; + output: DescribeMetricFiltersResponse; + }; + sdk: { + input: DescribeMetricFiltersCommandInput; + output: DescribeMetricFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeQueriesCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeQueriesCommand.ts index 855c0b7b0ca7..db7949f98549 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeQueriesCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeQueriesCommand.ts @@ -100,4 +100,16 @@ export class DescribeQueriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeQueriesCommand) .de(de_DescribeQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeQueriesRequest; + output: DescribeQueriesResponse; + }; + sdk: { + input: DescribeQueriesCommandInput; + output: DescribeQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeQueryDefinitionsCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeQueryDefinitionsCommand.ts index 17ae4e1b1307..f239bf414fdf 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeQueryDefinitionsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeQueryDefinitionsCommand.ts @@ -99,4 +99,16 @@ export class DescribeQueryDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeQueryDefinitionsCommand) .de(de_DescribeQueryDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeQueryDefinitionsRequest; + output: DescribeQueryDefinitionsResponse; + }; + sdk: { + input: DescribeQueryDefinitionsCommandInput; + output: DescribeQueryDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeResourcePoliciesCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeResourcePoliciesCommand.ts index a217ab81735d..d4e0c295796a 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeResourcePoliciesCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeResourcePoliciesCommand.ts @@ -91,4 +91,16 @@ export class DescribeResourcePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourcePoliciesCommand) .de(de_DescribeResourcePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourcePoliciesRequest; + output: DescribeResourcePoliciesResponse; + }; + sdk: { + input: DescribeResourcePoliciesCommandInput; + output: DescribeResourcePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DescribeSubscriptionFiltersCommand.ts b/clients/client-cloudwatch-logs/src/commands/DescribeSubscriptionFiltersCommand.ts index f8fea47eeda6..1d344f0eea87 100644 --- a/clients/client-cloudwatch-logs/src/commands/DescribeSubscriptionFiltersCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DescribeSubscriptionFiltersCommand.ts @@ -103,4 +103,16 @@ export class DescribeSubscriptionFiltersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSubscriptionFiltersCommand) .de(de_DescribeSubscriptionFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSubscriptionFiltersRequest; + output: DescribeSubscriptionFiltersResponse; + }; + sdk: { + input: DescribeSubscriptionFiltersCommandInput; + output: DescribeSubscriptionFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/DisassociateKmsKeyCommand.ts b/clients/client-cloudwatch-logs/src/commands/DisassociateKmsKeyCommand.ts index 3e4a0209b1e7..354789a7f6c7 100644 --- a/clients/client-cloudwatch-logs/src/commands/DisassociateKmsKeyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/DisassociateKmsKeyCommand.ts @@ -110,4 +110,16 @@ export class DisassociateKmsKeyCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateKmsKeyCommand) .de(de_DisassociateKmsKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateKmsKeyRequest; + output: {}; + }; + sdk: { + input: DisassociateKmsKeyCommandInput; + output: DisassociateKmsKeyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/FilterLogEventsCommand.ts b/clients/client-cloudwatch-logs/src/commands/FilterLogEventsCommand.ts index a3f568aa4145..6d01cd27f8fb 100644 --- a/clients/client-cloudwatch-logs/src/commands/FilterLogEventsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/FilterLogEventsCommand.ts @@ -128,4 +128,16 @@ export class FilterLogEventsCommand extends $Command .f(void 0, void 0) .ser(se_FilterLogEventsCommand) .de(de_FilterLogEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FilterLogEventsRequest; + output: FilterLogEventsResponse; + }; + sdk: { + input: FilterLogEventsCommandInput; + output: FilterLogEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetDataProtectionPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetDataProtectionPolicyCommand.ts index 891445067f48..401d88546f3c 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetDataProtectionPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetDataProtectionPolicyCommand.ts @@ -91,4 +91,16 @@ export class GetDataProtectionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetDataProtectionPolicyCommand) .de(de_GetDataProtectionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataProtectionPolicyRequest; + output: GetDataProtectionPolicyResponse; + }; + sdk: { + input: GetDataProtectionPolicyCommandInput; + output: GetDataProtectionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetDeliveryCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetDeliveryCommand.ts index db86e644e384..ceaaaf2b3254 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetDeliveryCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetDeliveryCommand.ts @@ -123,4 +123,16 @@ export class GetDeliveryCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliveryCommand) .de(de_GetDeliveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeliveryRequest; + output: GetDeliveryResponse; + }; + sdk: { + input: GetDeliveryCommandInput; + output: GetDeliveryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationCommand.ts index 0d395748d9b6..e62dc2feb3de 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationCommand.ts @@ -103,4 +103,16 @@ export class GetDeliveryDestinationCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliveryDestinationCommand) .de(de_GetDeliveryDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeliveryDestinationRequest; + output: GetDeliveryDestinationResponse; + }; + sdk: { + input: GetDeliveryDestinationCommandInput; + output: GetDeliveryDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationPolicyCommand.ts index 1bf1635c38f7..4e2606a8c8b2 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetDeliveryDestinationPolicyCommand.ts @@ -95,4 +95,16 @@ export class GetDeliveryDestinationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliveryDestinationPolicyCommand) .de(de_GetDeliveryDestinationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeliveryDestinationPolicyRequest; + output: GetDeliveryDestinationPolicyResponse; + }; + sdk: { + input: GetDeliveryDestinationPolicyCommandInput; + output: GetDeliveryDestinationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetDeliverySourceCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetDeliverySourceCommand.ts index be0324e8ee91..5143261fa848 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetDeliverySourceCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetDeliverySourceCommand.ts @@ -103,4 +103,16 @@ export class GetDeliverySourceCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliverySourceCommand) .de(de_GetDeliverySourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeliverySourceRequest; + output: GetDeliverySourceResponse; + }; + sdk: { + input: GetDeliverySourceCommandInput; + output: GetDeliverySourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetLogAnomalyDetectorCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetLogAnomalyDetectorCommand.ts index 005de4b3b78d..b74581ee588f 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetLogAnomalyDetectorCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetLogAnomalyDetectorCommand.ts @@ -99,4 +99,16 @@ export class GetLogAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_GetLogAnomalyDetectorCommand) .de(de_GetLogAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLogAnomalyDetectorRequest; + output: GetLogAnomalyDetectorResponse; + }; + sdk: { + input: GetLogAnomalyDetectorCommandInput; + output: GetLogAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetLogEventsCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetLogEventsCommand.ts index 9c1c797d8ac2..c4a234218178 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetLogEventsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetLogEventsCommand.ts @@ -112,4 +112,16 @@ export class GetLogEventsCommand extends $Command .f(void 0, void 0) .ser(se_GetLogEventsCommand) .de(de_GetLogEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLogEventsRequest; + output: GetLogEventsResponse; + }; + sdk: { + input: GetLogEventsCommandInput; + output: GetLogEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetLogGroupFieldsCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetLogGroupFieldsCommand.ts index d8c67be4f328..6cb3979ce51a 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetLogGroupFieldsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetLogGroupFieldsCommand.ts @@ -110,4 +110,16 @@ export class GetLogGroupFieldsCommand extends $Command .f(void 0, void 0) .ser(se_GetLogGroupFieldsCommand) .de(de_GetLogGroupFieldsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLogGroupFieldsRequest; + output: GetLogGroupFieldsResponse; + }; + sdk: { + input: GetLogGroupFieldsCommandInput; + output: GetLogGroupFieldsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetLogRecordCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetLogRecordCommand.ts index 7cda3d5277ac..4026b13e424e 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetLogRecordCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetLogRecordCommand.ts @@ -95,4 +95,16 @@ export class GetLogRecordCommand extends $Command .f(void 0, void 0) .ser(se_GetLogRecordCommand) .de(de_GetLogRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLogRecordRequest; + output: GetLogRecordResponse; + }; + sdk: { + input: GetLogRecordCommandInput; + output: GetLogRecordCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/GetQueryResultsCommand.ts b/clients/client-cloudwatch-logs/src/commands/GetQueryResultsCommand.ts index 3aff822acf67..a4b85123ad81 100644 --- a/clients/client-cloudwatch-logs/src/commands/GetQueryResultsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/GetQueryResultsCommand.ts @@ -113,4 +113,16 @@ export class GetQueryResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryResultsCommand) .de(de_GetQueryResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryResultsRequest; + output: GetQueryResultsResponse; + }; + sdk: { + input: GetQueryResultsCommandInput; + output: GetQueryResultsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/ListAnomaliesCommand.ts b/clients/client-cloudwatch-logs/src/commands/ListAnomaliesCommand.ts index 6ca7dd840020..360bf4d4a154 100644 --- a/clients/client-cloudwatch-logs/src/commands/ListAnomaliesCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/ListAnomaliesCommand.ts @@ -134,4 +134,16 @@ export class ListAnomaliesCommand extends $Command .f(void 0, void 0) .ser(se_ListAnomaliesCommand) .de(de_ListAnomaliesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnomaliesRequest; + output: ListAnomaliesResponse; + }; + sdk: { + input: ListAnomaliesCommandInput; + output: ListAnomaliesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/ListLogAnomalyDetectorsCommand.ts b/clients/client-cloudwatch-logs/src/commands/ListLogAnomalyDetectorsCommand.ts index 519e906c6c77..bc5f9512e9dc 100644 --- a/clients/client-cloudwatch-logs/src/commands/ListLogAnomalyDetectorsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/ListLogAnomalyDetectorsCommand.ts @@ -107,4 +107,16 @@ export class ListLogAnomalyDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListLogAnomalyDetectorsCommand) .de(de_ListLogAnomalyDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLogAnomalyDetectorsRequest; + output: ListLogAnomalyDetectorsResponse; + }; + sdk: { + input: ListLogAnomalyDetectorsCommandInput; + output: ListLogAnomalyDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/ListTagsForResourceCommand.ts b/clients/client-cloudwatch-logs/src/commands/ListTagsForResourceCommand.ts index f7f4ffc7bdbc..c93088b0c2c3 100644 --- a/clients/client-cloudwatch-logs/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/ListTagsLogGroupCommand.ts b/clients/client-cloudwatch-logs/src/commands/ListTagsLogGroupCommand.ts index 3c496c704b90..84c544c9d37b 100644 --- a/clients/client-cloudwatch-logs/src/commands/ListTagsLogGroupCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/ListTagsLogGroupCommand.ts @@ -91,4 +91,16 @@ export class ListTagsLogGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsLogGroupCommand) .de(de_ListTagsLogGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsLogGroupRequest; + output: ListTagsLogGroupResponse; + }; + sdk: { + input: ListTagsLogGroupCommandInput; + output: ListTagsLogGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutAccountPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutAccountPolicyCommand.ts index 431206561b9c..e6cbda7335ec 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutAccountPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutAccountPolicyCommand.ts @@ -161,4 +161,16 @@ export class PutAccountPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountPolicyCommand) .de(de_PutAccountPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountPolicyRequest; + output: PutAccountPolicyResponse; + }; + sdk: { + input: PutAccountPolicyCommandInput; + output: PutAccountPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutDataProtectionPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutDataProtectionPolicyCommand.ts index b200bb52d39f..268f2e3274bc 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutDataProtectionPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutDataProtectionPolicyCommand.ts @@ -115,4 +115,16 @@ export class PutDataProtectionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutDataProtectionPolicyCommand) .de(de_PutDataProtectionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDataProtectionPolicyRequest; + output: PutDataProtectionPolicyResponse; + }; + sdk: { + input: PutDataProtectionPolicyCommandInput; + output: PutDataProtectionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationCommand.ts index 2011c396459d..662d75bc5b25 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationCommand.ts @@ -149,4 +149,16 @@ export class PutDeliveryDestinationCommand extends $Command .f(void 0, void 0) .ser(se_PutDeliveryDestinationCommand) .de(de_PutDeliveryDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDeliveryDestinationRequest; + output: PutDeliveryDestinationResponse; + }; + sdk: { + input: PutDeliveryDestinationCommandInput; + output: PutDeliveryDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationPolicyCommand.ts index 43ee6e9f04c0..8ec6fe6e6a67 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutDeliveryDestinationPolicyCommand.ts @@ -127,4 +127,16 @@ export class PutDeliveryDestinationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutDeliveryDestinationPolicyCommand) .de(de_PutDeliveryDestinationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDeliveryDestinationPolicyRequest; + output: PutDeliveryDestinationPolicyResponse; + }; + sdk: { + input: PutDeliveryDestinationPolicyCommandInput; + output: PutDeliveryDestinationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutDeliverySourceCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutDeliverySourceCommand.ts index 61ad5f99f33b..18937aa1c8ac 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutDeliverySourceCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutDeliverySourceCommand.ts @@ -146,4 +146,16 @@ export class PutDeliverySourceCommand extends $Command .f(void 0, void 0) .ser(se_PutDeliverySourceCommand) .de(de_PutDeliverySourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDeliverySourceRequest; + output: PutDeliverySourceResponse; + }; + sdk: { + input: PutDeliverySourceCommandInput; + output: PutDeliverySourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutDestinationCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutDestinationCommand.ts index 7a4a6dae5149..0aeb3235b08b 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutDestinationCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutDestinationCommand.ts @@ -107,4 +107,16 @@ export class PutDestinationCommand extends $Command .f(void 0, void 0) .ser(se_PutDestinationCommand) .de(de_PutDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDestinationRequest; + output: PutDestinationResponse; + }; + sdk: { + input: PutDestinationCommandInput; + output: PutDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutDestinationPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutDestinationPolicyCommand.ts index 11f43aa5a0c7..f518a9c05d82 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutDestinationPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutDestinationPolicyCommand.ts @@ -88,4 +88,16 @@ export class PutDestinationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutDestinationPolicyCommand) .de(de_PutDestinationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDestinationPolicyRequest; + output: {}; + }; + sdk: { + input: PutDestinationPolicyCommandInput; + output: PutDestinationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutLogEventsCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutLogEventsCommand.ts index d56cb3caa266..1913e820a560 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutLogEventsCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutLogEventsCommand.ts @@ -183,4 +183,16 @@ export class PutLogEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutLogEventsCommand) .de(de_PutLogEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLogEventsRequest; + output: PutLogEventsResponse; + }; + sdk: { + input: PutLogEventsCommandInput; + output: PutLogEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutMetricFilterCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutMetricFilterCommand.ts index 446c4a8ec2f1..d52dfccbc29b 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutMetricFilterCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutMetricFilterCommand.ts @@ -131,4 +131,16 @@ export class PutMetricFilterCommand extends $Command .f(void 0, void 0) .ser(se_PutMetricFilterCommand) .de(de_PutMetricFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMetricFilterRequest; + output: {}; + }; + sdk: { + input: PutMetricFilterCommandInput; + output: PutMetricFilterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutQueryDefinitionCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutQueryDefinitionCommand.ts index 07e79089ba6c..70808d481a71 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutQueryDefinitionCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutQueryDefinitionCommand.ts @@ -105,4 +105,16 @@ export class PutQueryDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_PutQueryDefinitionCommand) .de(de_PutQueryDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutQueryDefinitionRequest; + output: PutQueryDefinitionResponse; + }; + sdk: { + input: PutQueryDefinitionCommandInput; + output: PutQueryDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutResourcePolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutResourcePolicyCommand.ts index 447e32f7d0c1..b1b66bda5b09 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutResourcePolicyCommand.ts @@ -93,4 +93,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutRetentionPolicyCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutRetentionPolicyCommand.ts index 3c75f266854e..be66063a875b 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutRetentionPolicyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutRetentionPolicyCommand.ts @@ -106,4 +106,16 @@ export class PutRetentionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutRetentionPolicyCommand) .de(de_PutRetentionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRetentionPolicyRequest; + output: {}; + }; + sdk: { + input: PutRetentionPolicyCommandInput; + output: PutRetentionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/PutSubscriptionFilterCommand.ts b/clients/client-cloudwatch-logs/src/commands/PutSubscriptionFilterCommand.ts index ad784ef2a89e..72b16426f7f1 100644 --- a/clients/client-cloudwatch-logs/src/commands/PutSubscriptionFilterCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/PutSubscriptionFilterCommand.ts @@ -130,4 +130,16 @@ export class PutSubscriptionFilterCommand extends $Command .f(void 0, void 0) .ser(se_PutSubscriptionFilterCommand) .de(de_PutSubscriptionFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSubscriptionFilterRequest; + output: {}; + }; + sdk: { + input: PutSubscriptionFilterCommandInput; + output: PutSubscriptionFilterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/StartLiveTailCommand.ts b/clients/client-cloudwatch-logs/src/commands/StartLiveTailCommand.ts index 083db9c47336..e7b77603dbd8 100644 --- a/clients/client-cloudwatch-logs/src/commands/StartLiveTailCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/StartLiveTailCommand.ts @@ -187,4 +187,16 @@ export class StartLiveTailCommand extends $Command .f(void 0, StartLiveTailResponseFilterSensitiveLog) .ser(se_StartLiveTailCommand) .de(de_StartLiveTailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartLiveTailRequest; + output: StartLiveTailResponse; + }; + sdk: { + input: StartLiveTailCommandInput; + output: StartLiveTailCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/StartQueryCommand.ts b/clients/client-cloudwatch-logs/src/commands/StartQueryCommand.ts index 86ac9d080ac5..00806109cb26 100644 --- a/clients/client-cloudwatch-logs/src/commands/StartQueryCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/StartQueryCommand.ts @@ -126,4 +126,16 @@ export class StartQueryCommand extends $Command .f(void 0, void 0) .ser(se_StartQueryCommand) .de(de_StartQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartQueryRequest; + output: StartQueryResponse; + }; + sdk: { + input: StartQueryCommandInput; + output: StartQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/StopQueryCommand.ts b/clients/client-cloudwatch-logs/src/commands/StopQueryCommand.ts index 850b5b01749b..5010bd19a51e 100644 --- a/clients/client-cloudwatch-logs/src/commands/StopQueryCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/StopQueryCommand.ts @@ -87,4 +87,16 @@ export class StopQueryCommand extends $Command .f(void 0, void 0) .ser(se_StopQueryCommand) .de(de_StopQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopQueryRequest; + output: StopQueryResponse; + }; + sdk: { + input: StopQueryCommandInput; + output: StopQueryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/TagLogGroupCommand.ts b/clients/client-cloudwatch-logs/src/commands/TagLogGroupCommand.ts index 6571368a2658..d6a4274327f2 100644 --- a/clients/client-cloudwatch-logs/src/commands/TagLogGroupCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/TagLogGroupCommand.ts @@ -99,4 +99,16 @@ export class TagLogGroupCommand extends $Command .f(void 0, void 0) .ser(se_TagLogGroupCommand) .de(de_TagLogGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagLogGroupRequest; + output: {}; + }; + sdk: { + input: TagLogGroupCommandInput; + output: TagLogGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/TagResourceCommand.ts b/clients/client-cloudwatch-logs/src/commands/TagResourceCommand.ts index 0cb543c42e74..6101f770ebfc 100644 --- a/clients/client-cloudwatch-logs/src/commands/TagResourceCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/TestMetricFilterCommand.ts b/clients/client-cloudwatch-logs/src/commands/TestMetricFilterCommand.ts index 59a07851ff6d..61dea6ba286a 100644 --- a/clients/client-cloudwatch-logs/src/commands/TestMetricFilterCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/TestMetricFilterCommand.ts @@ -95,4 +95,16 @@ export class TestMetricFilterCommand extends $Command .f(void 0, void 0) .ser(se_TestMetricFilterCommand) .de(de_TestMetricFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestMetricFilterRequest; + output: TestMetricFilterResponse; + }; + sdk: { + input: TestMetricFilterCommandInput; + output: TestMetricFilterCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/UntagLogGroupCommand.ts b/clients/client-cloudwatch-logs/src/commands/UntagLogGroupCommand.ts index 7203ae71db83..996d647100e5 100644 --- a/clients/client-cloudwatch-logs/src/commands/UntagLogGroupCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/UntagLogGroupCommand.ts @@ -93,4 +93,16 @@ export class UntagLogGroupCommand extends $Command .f(void 0, void 0) .ser(se_UntagLogGroupCommand) .de(de_UntagLogGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagLogGroupRequest; + output: {}; + }; + sdk: { + input: UntagLogGroupCommandInput; + output: UntagLogGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/UntagResourceCommand.ts b/clients/client-cloudwatch-logs/src/commands/UntagResourceCommand.ts index 06c4cc5c7db0..acb4529f6cf0 100644 --- a/clients/client-cloudwatch-logs/src/commands/UntagResourceCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/UpdateAnomalyCommand.ts b/clients/client-cloudwatch-logs/src/commands/UpdateAnomalyCommand.ts index 40b4d817f518..ded16722abd6 100644 --- a/clients/client-cloudwatch-logs/src/commands/UpdateAnomalyCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/UpdateAnomalyCommand.ts @@ -102,4 +102,16 @@ export class UpdateAnomalyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnomalyCommand) .de(de_UpdateAnomalyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnomalyRequest; + output: {}; + }; + sdk: { + input: UpdateAnomalyCommandInput; + output: UpdateAnomalyCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/UpdateDeliveryConfigurationCommand.ts b/clients/client-cloudwatch-logs/src/commands/UpdateDeliveryConfigurationCommand.ts index 8ccc0eafec1d..e26253c2351e 100644 --- a/clients/client-cloudwatch-logs/src/commands/UpdateDeliveryConfigurationCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/UpdateDeliveryConfigurationCommand.ts @@ -105,4 +105,16 @@ export class UpdateDeliveryConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeliveryConfigurationCommand) .de(de_UpdateDeliveryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeliveryConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateDeliveryConfigurationCommandInput; + output: UpdateDeliveryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch-logs/src/commands/UpdateLogAnomalyDetectorCommand.ts b/clients/client-cloudwatch-logs/src/commands/UpdateLogAnomalyDetectorCommand.ts index 77c8a4918adb..55694b950a09 100644 --- a/clients/client-cloudwatch-logs/src/commands/UpdateLogAnomalyDetectorCommand.ts +++ b/clients/client-cloudwatch-logs/src/commands/UpdateLogAnomalyDetectorCommand.ts @@ -91,4 +91,16 @@ export class UpdateLogAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLogAnomalyDetectorCommand) .de(de_UpdateLogAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLogAnomalyDetectorRequest; + output: {}; + }; + sdk: { + input: UpdateLogAnomalyDetectorCommandInput; + output: UpdateLogAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/package.json b/clients/client-cloudwatch/package.json index 5a7ff59f5c6b..b31c2cc5f3bb 100644 --- a/clients/client-cloudwatch/package.json +++ b/clients/client-cloudwatch/package.json @@ -33,33 +33,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-compression": "^3.0.8", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-compression": "^3.0.10", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-cloudwatch/src/commands/DeleteAlarmsCommand.ts b/clients/client-cloudwatch/src/commands/DeleteAlarmsCommand.ts index 7d7cb7168b57..109fe7c263e9 100644 --- a/clients/client-cloudwatch/src/commands/DeleteAlarmsCommand.ts +++ b/clients/client-cloudwatch/src/commands/DeleteAlarmsCommand.ts @@ -97,4 +97,16 @@ export class DeleteAlarmsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAlarmsCommand) .de(de_DeleteAlarmsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAlarmsInput; + output: {}; + }; + sdk: { + input: DeleteAlarmsCommandInput; + output: DeleteAlarmsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DeleteAnomalyDetectorCommand.ts b/clients/client-cloudwatch/src/commands/DeleteAnomalyDetectorCommand.ts index 904ac6cd3413..cc6a72db2174 100644 --- a/clients/client-cloudwatch/src/commands/DeleteAnomalyDetectorCommand.ts +++ b/clients/client-cloudwatch/src/commands/DeleteAnomalyDetectorCommand.ts @@ -140,4 +140,16 @@ export class DeleteAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnomalyDetectorCommand) .de(de_DeleteAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnomalyDetectorInput; + output: {}; + }; + sdk: { + input: DeleteAnomalyDetectorCommandInput; + output: DeleteAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DeleteDashboardsCommand.ts b/clients/client-cloudwatch/src/commands/DeleteDashboardsCommand.ts index f9a8097f40f3..dbc129c10ec7 100644 --- a/clients/client-cloudwatch/src/commands/DeleteDashboardsCommand.ts +++ b/clients/client-cloudwatch/src/commands/DeleteDashboardsCommand.ts @@ -88,4 +88,16 @@ export class DeleteDashboardsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDashboardsCommand) .de(de_DeleteDashboardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDashboardsInput; + output: {}; + }; + sdk: { + input: DeleteDashboardsCommandInput; + output: DeleteDashboardsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DeleteInsightRulesCommand.ts b/clients/client-cloudwatch/src/commands/DeleteInsightRulesCommand.ts index 8ef3ecb1a19e..8a8f726b8191 100644 --- a/clients/client-cloudwatch/src/commands/DeleteInsightRulesCommand.ts +++ b/clients/client-cloudwatch/src/commands/DeleteInsightRulesCommand.ts @@ -95,4 +95,16 @@ export class DeleteInsightRulesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInsightRulesCommand) .de(de_DeleteInsightRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInsightRulesInput; + output: DeleteInsightRulesOutput; + }; + sdk: { + input: DeleteInsightRulesCommandInput; + output: DeleteInsightRulesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DeleteMetricStreamCommand.ts b/clients/client-cloudwatch/src/commands/DeleteMetricStreamCommand.ts index fdd575c6a6d6..0ab0fc6939cb 100644 --- a/clients/client-cloudwatch/src/commands/DeleteMetricStreamCommand.ts +++ b/clients/client-cloudwatch/src/commands/DeleteMetricStreamCommand.ts @@ -84,4 +84,16 @@ export class DeleteMetricStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMetricStreamCommand) .de(de_DeleteMetricStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMetricStreamInput; + output: {}; + }; + sdk: { + input: DeleteMetricStreamCommandInput; + output: DeleteMetricStreamCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DescribeAlarmHistoryCommand.ts b/clients/client-cloudwatch/src/commands/DescribeAlarmHistoryCommand.ts index 658907836e07..bf5deaee7d62 100644 --- a/clients/client-cloudwatch/src/commands/DescribeAlarmHistoryCommand.ts +++ b/clients/client-cloudwatch/src/commands/DescribeAlarmHistoryCommand.ts @@ -104,4 +104,16 @@ export class DescribeAlarmHistoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlarmHistoryCommand) .de(de_DescribeAlarmHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlarmHistoryInput; + output: DescribeAlarmHistoryOutput; + }; + sdk: { + input: DescribeAlarmHistoryCommandInput; + output: DescribeAlarmHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DescribeAlarmsCommand.ts b/clients/client-cloudwatch/src/commands/DescribeAlarmsCommand.ts index 9c57ac98779b..5091f1c49e11 100644 --- a/clients/client-cloudwatch/src/commands/DescribeAlarmsCommand.ts +++ b/clients/client-cloudwatch/src/commands/DescribeAlarmsCommand.ts @@ -191,4 +191,16 @@ export class DescribeAlarmsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlarmsCommand) .de(de_DescribeAlarmsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlarmsInput; + output: DescribeAlarmsOutput; + }; + sdk: { + input: DescribeAlarmsCommandInput; + output: DescribeAlarmsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DescribeAlarmsForMetricCommand.ts b/clients/client-cloudwatch/src/commands/DescribeAlarmsForMetricCommand.ts index e13331b52b55..5d8e5de390e3 100644 --- a/clients/client-cloudwatch/src/commands/DescribeAlarmsForMetricCommand.ts +++ b/clients/client-cloudwatch/src/commands/DescribeAlarmsForMetricCommand.ts @@ -159,4 +159,16 @@ export class DescribeAlarmsForMetricCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlarmsForMetricCommand) .de(de_DescribeAlarmsForMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlarmsForMetricInput; + output: DescribeAlarmsForMetricOutput; + }; + sdk: { + input: DescribeAlarmsForMetricCommandInput; + output: DescribeAlarmsForMetricCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DescribeAnomalyDetectorsCommand.ts b/clients/client-cloudwatch/src/commands/DescribeAnomalyDetectorsCommand.ts index f9d5b56b503a..547ed2227bd7 100644 --- a/clients/client-cloudwatch/src/commands/DescribeAnomalyDetectorsCommand.ts +++ b/clients/client-cloudwatch/src/commands/DescribeAnomalyDetectorsCommand.ts @@ -167,4 +167,16 @@ export class DescribeAnomalyDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAnomalyDetectorsCommand) .de(de_DescribeAnomalyDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnomalyDetectorsInput; + output: DescribeAnomalyDetectorsOutput; + }; + sdk: { + input: DescribeAnomalyDetectorsCommandInput; + output: DescribeAnomalyDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DescribeInsightRulesCommand.ts b/clients/client-cloudwatch/src/commands/DescribeInsightRulesCommand.ts index 95f407bab616..f3e11be8ee5e 100644 --- a/clients/client-cloudwatch/src/commands/DescribeInsightRulesCommand.ts +++ b/clients/client-cloudwatch/src/commands/DescribeInsightRulesCommand.ts @@ -92,4 +92,16 @@ export class DescribeInsightRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInsightRulesCommand) .de(de_DescribeInsightRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInsightRulesInput; + output: DescribeInsightRulesOutput; + }; + sdk: { + input: DescribeInsightRulesCommandInput; + output: DescribeInsightRulesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DisableAlarmActionsCommand.ts b/clients/client-cloudwatch/src/commands/DisableAlarmActionsCommand.ts index 88dc6c0730ec..cc3933498d0d 100644 --- a/clients/client-cloudwatch/src/commands/DisableAlarmActionsCommand.ts +++ b/clients/client-cloudwatch/src/commands/DisableAlarmActionsCommand.ts @@ -78,4 +78,16 @@ export class DisableAlarmActionsCommand extends $Command .f(void 0, void 0) .ser(se_DisableAlarmActionsCommand) .de(de_DisableAlarmActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableAlarmActionsInput; + output: {}; + }; + sdk: { + input: DisableAlarmActionsCommandInput; + output: DisableAlarmActionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/DisableInsightRulesCommand.ts b/clients/client-cloudwatch/src/commands/DisableInsightRulesCommand.ts index 014361938271..772721a76951 100644 --- a/clients/client-cloudwatch/src/commands/DisableInsightRulesCommand.ts +++ b/clients/client-cloudwatch/src/commands/DisableInsightRulesCommand.ts @@ -93,4 +93,16 @@ export class DisableInsightRulesCommand extends $Command .f(void 0, void 0) .ser(se_DisableInsightRulesCommand) .de(de_DisableInsightRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableInsightRulesInput; + output: DisableInsightRulesOutput; + }; + sdk: { + input: DisableInsightRulesCommandInput; + output: DisableInsightRulesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/EnableAlarmActionsCommand.ts b/clients/client-cloudwatch/src/commands/EnableAlarmActionsCommand.ts index a995f29a1a7b..12a7cbb163eb 100644 --- a/clients/client-cloudwatch/src/commands/EnableAlarmActionsCommand.ts +++ b/clients/client-cloudwatch/src/commands/EnableAlarmActionsCommand.ts @@ -77,4 +77,16 @@ export class EnableAlarmActionsCommand extends $Command .f(void 0, void 0) .ser(se_EnableAlarmActionsCommand) .de(de_EnableAlarmActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableAlarmActionsInput; + output: {}; + }; + sdk: { + input: EnableAlarmActionsCommandInput; + output: EnableAlarmActionsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/EnableInsightRulesCommand.ts b/clients/client-cloudwatch/src/commands/EnableInsightRulesCommand.ts index d92841009e8f..0a065ed98ba0 100644 --- a/clients/client-cloudwatch/src/commands/EnableInsightRulesCommand.ts +++ b/clients/client-cloudwatch/src/commands/EnableInsightRulesCommand.ts @@ -95,4 +95,16 @@ export class EnableInsightRulesCommand extends $Command .f(void 0, void 0) .ser(se_EnableInsightRulesCommand) .de(de_EnableInsightRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableInsightRulesInput; + output: EnableInsightRulesOutput; + }; + sdk: { + input: EnableInsightRulesCommandInput; + output: EnableInsightRulesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/GetDashboardCommand.ts b/clients/client-cloudwatch/src/commands/GetDashboardCommand.ts index 32756664d9b9..38839a749f05 100644 --- a/clients/client-cloudwatch/src/commands/GetDashboardCommand.ts +++ b/clients/client-cloudwatch/src/commands/GetDashboardCommand.ts @@ -91,4 +91,16 @@ export class GetDashboardCommand extends $Command .f(void 0, void 0) .ser(se_GetDashboardCommand) .de(de_GetDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDashboardInput; + output: GetDashboardOutput; + }; + sdk: { + input: GetDashboardCommandInput; + output: GetDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/GetInsightRuleReportCommand.ts b/clients/client-cloudwatch/src/commands/GetInsightRuleReportCommand.ts index 4e5b650928d5..92897cf30cac 100644 --- a/clients/client-cloudwatch/src/commands/GetInsightRuleReportCommand.ts +++ b/clients/client-cloudwatch/src/commands/GetInsightRuleReportCommand.ts @@ -161,4 +161,16 @@ export class GetInsightRuleReportCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightRuleReportCommand) .de(de_GetInsightRuleReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightRuleReportInput; + output: GetInsightRuleReportOutput; + }; + sdk: { + input: GetInsightRuleReportCommandInput; + output: GetInsightRuleReportCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/GetMetricDataCommand.ts b/clients/client-cloudwatch/src/commands/GetMetricDataCommand.ts index e9ad8592e75f..3e4874418573 100644 --- a/clients/client-cloudwatch/src/commands/GetMetricDataCommand.ts +++ b/clients/client-cloudwatch/src/commands/GetMetricDataCommand.ts @@ -184,4 +184,16 @@ export class GetMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricDataCommand) .de(de_GetMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricDataInput; + output: GetMetricDataOutput; + }; + sdk: { + input: GetMetricDataCommandInput; + output: GetMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/GetMetricStatisticsCommand.ts b/clients/client-cloudwatch/src/commands/GetMetricStatisticsCommand.ts index 4cbe13c4581c..f7e0bcec575f 100644 --- a/clients/client-cloudwatch/src/commands/GetMetricStatisticsCommand.ts +++ b/clients/client-cloudwatch/src/commands/GetMetricStatisticsCommand.ts @@ -166,4 +166,16 @@ export class GetMetricStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricStatisticsCommand) .de(de_GetMetricStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricStatisticsInput; + output: GetMetricStatisticsOutput; + }; + sdk: { + input: GetMetricStatisticsCommandInput; + output: GetMetricStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/GetMetricStreamCommand.ts b/clients/client-cloudwatch/src/commands/GetMetricStreamCommand.ts index 9b3ef512e6b9..b1b9c4ae47ac 100644 --- a/clients/client-cloudwatch/src/commands/GetMetricStreamCommand.ts +++ b/clients/client-cloudwatch/src/commands/GetMetricStreamCommand.ts @@ -129,4 +129,16 @@ export class GetMetricStreamCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricStreamCommand) .de(de_GetMetricStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricStreamInput; + output: GetMetricStreamOutput; + }; + sdk: { + input: GetMetricStreamCommandInput; + output: GetMetricStreamCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/GetMetricWidgetImageCommand.ts b/clients/client-cloudwatch/src/commands/GetMetricWidgetImageCommand.ts index 2905a2d5c107..e56815fdb7bb 100644 --- a/clients/client-cloudwatch/src/commands/GetMetricWidgetImageCommand.ts +++ b/clients/client-cloudwatch/src/commands/GetMetricWidgetImageCommand.ts @@ -93,4 +93,16 @@ export class GetMetricWidgetImageCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricWidgetImageCommand) .de(de_GetMetricWidgetImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricWidgetImageInput; + output: GetMetricWidgetImageOutput; + }; + sdk: { + input: GetMetricWidgetImageCommandInput; + output: GetMetricWidgetImageCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/ListDashboardsCommand.ts b/clients/client-cloudwatch/src/commands/ListDashboardsCommand.ts index 8d0a570aac7c..3de7cd4a0079 100644 --- a/clients/client-cloudwatch/src/commands/ListDashboardsCommand.ts +++ b/clients/client-cloudwatch/src/commands/ListDashboardsCommand.ts @@ -100,4 +100,16 @@ export class ListDashboardsCommand extends $Command .f(void 0, void 0) .ser(se_ListDashboardsCommand) .de(de_ListDashboardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDashboardsInput; + output: ListDashboardsOutput; + }; + sdk: { + input: ListDashboardsCommandInput; + output: ListDashboardsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/ListManagedInsightRulesCommand.ts b/clients/client-cloudwatch/src/commands/ListManagedInsightRulesCommand.ts index 11c9745a7d21..72c63480b802 100644 --- a/clients/client-cloudwatch/src/commands/ListManagedInsightRulesCommand.ts +++ b/clients/client-cloudwatch/src/commands/ListManagedInsightRulesCommand.ts @@ -104,4 +104,16 @@ export class ListManagedInsightRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedInsightRulesCommand) .de(de_ListManagedInsightRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedInsightRulesInput; + output: ListManagedInsightRulesOutput; + }; + sdk: { + input: ListManagedInsightRulesCommandInput; + output: ListManagedInsightRulesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/ListMetricStreamsCommand.ts b/clients/client-cloudwatch/src/commands/ListMetricStreamsCommand.ts index e15693e333e2..c57154c0ec57 100644 --- a/clients/client-cloudwatch/src/commands/ListMetricStreamsCommand.ts +++ b/clients/client-cloudwatch/src/commands/ListMetricStreamsCommand.ts @@ -101,4 +101,16 @@ export class ListMetricStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListMetricStreamsCommand) .de(de_ListMetricStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetricStreamsInput; + output: ListMetricStreamsOutput; + }; + sdk: { + input: ListMetricStreamsCommandInput; + output: ListMetricStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/ListMetricsCommand.ts b/clients/client-cloudwatch/src/commands/ListMetricsCommand.ts index 87c6bfddf471..b794a8a5fb15 100644 --- a/clients/client-cloudwatch/src/commands/ListMetricsCommand.ts +++ b/clients/client-cloudwatch/src/commands/ListMetricsCommand.ts @@ -121,4 +121,16 @@ export class ListMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListMetricsCommand) .de(de_ListMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetricsInput; + output: ListMetricsOutput; + }; + sdk: { + input: ListMetricsCommandInput; + output: ListMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/ListTagsForResourceCommand.ts b/clients/client-cloudwatch/src/commands/ListTagsForResourceCommand.ts index 452450613add..d7578d06927d 100644 --- a/clients/client-cloudwatch/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cloudwatch/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutAnomalyDetectorCommand.ts b/clients/client-cloudwatch/src/commands/PutAnomalyDetectorCommand.ts index c9ca323bb9d8..72e67eec3032 100644 --- a/clients/client-cloudwatch/src/commands/PutAnomalyDetectorCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutAnomalyDetectorCommand.ts @@ -149,4 +149,16 @@ export class PutAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_PutAnomalyDetectorCommand) .de(de_PutAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAnomalyDetectorInput; + output: {}; + }; + sdk: { + input: PutAnomalyDetectorCommandInput; + output: PutAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutCompositeAlarmCommand.ts b/clients/client-cloudwatch/src/commands/PutCompositeAlarmCommand.ts index b968e076c298..19bcc4cc16e1 100644 --- a/clients/client-cloudwatch/src/commands/PutCompositeAlarmCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutCompositeAlarmCommand.ts @@ -150,4 +150,16 @@ export class PutCompositeAlarmCommand extends $Command .f(void 0, void 0) .ser(se_PutCompositeAlarmCommand) .de(de_PutCompositeAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutCompositeAlarmInput; + output: {}; + }; + sdk: { + input: PutCompositeAlarmCommandInput; + output: PutCompositeAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutDashboardCommand.ts b/clients/client-cloudwatch/src/commands/PutDashboardCommand.ts index 994823a91803..d8a94facb709 100644 --- a/clients/client-cloudwatch/src/commands/PutDashboardCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutDashboardCommand.ts @@ -102,4 +102,16 @@ export class PutDashboardCommand extends $Command .f(void 0, void 0) .ser(se_PutDashboardCommand) .de(de_PutDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDashboardInput; + output: PutDashboardOutput; + }; + sdk: { + input: PutDashboardCommandInput; + output: PutDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutInsightRuleCommand.ts b/clients/client-cloudwatch/src/commands/PutInsightRuleCommand.ts index dcfa7fa59e75..3b7bbd6a1347 100644 --- a/clients/client-cloudwatch/src/commands/PutInsightRuleCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutInsightRuleCommand.ts @@ -96,4 +96,16 @@ export class PutInsightRuleCommand extends $Command .f(void 0, void 0) .ser(se_PutInsightRuleCommand) .de(de_PutInsightRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutInsightRuleInput; + output: {}; + }; + sdk: { + input: PutInsightRuleCommandInput; + output: PutInsightRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutManagedInsightRulesCommand.ts b/clients/client-cloudwatch/src/commands/PutManagedInsightRulesCommand.ts index 35ac7cc57855..0a1966c9df01 100644 --- a/clients/client-cloudwatch/src/commands/PutManagedInsightRulesCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutManagedInsightRulesCommand.ts @@ -117,4 +117,16 @@ export class PutManagedInsightRulesCommand extends $Command .f(void 0, void 0) .ser(se_PutManagedInsightRulesCommand) .de(de_PutManagedInsightRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutManagedInsightRulesInput; + output: PutManagedInsightRulesOutput; + }; + sdk: { + input: PutManagedInsightRulesCommandInput; + output: PutManagedInsightRulesCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutMetricAlarmCommand.ts b/clients/client-cloudwatch/src/commands/PutMetricAlarmCommand.ts index c427d0bdc6a4..383c43abd1b9 100644 --- a/clients/client-cloudwatch/src/commands/PutMetricAlarmCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutMetricAlarmCommand.ts @@ -191,4 +191,16 @@ export class PutMetricAlarmCommand extends $Command .f(void 0, void 0) .ser(se_PutMetricAlarmCommand) .de(de_PutMetricAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMetricAlarmInput; + output: {}; + }; + sdk: { + input: PutMetricAlarmCommandInput; + output: PutMetricAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutMetricDataCommand.ts b/clients/client-cloudwatch/src/commands/PutMetricDataCommand.ts index 58a9f012d68b..64de4c41b347 100644 --- a/clients/client-cloudwatch/src/commands/PutMetricDataCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutMetricDataCommand.ts @@ -160,4 +160,16 @@ export class PutMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_PutMetricDataCommand) .de(de_PutMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMetricDataInput; + output: {}; + }; + sdk: { + input: PutMetricDataCommandInput; + output: PutMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/PutMetricStreamCommand.ts b/clients/client-cloudwatch/src/commands/PutMetricStreamCommand.ts index e3e4d5a3bf45..d2121c57e17e 100644 --- a/clients/client-cloudwatch/src/commands/PutMetricStreamCommand.ts +++ b/clients/client-cloudwatch/src/commands/PutMetricStreamCommand.ts @@ -164,4 +164,16 @@ export class PutMetricStreamCommand extends $Command .f(void 0, void 0) .ser(se_PutMetricStreamCommand) .de(de_PutMetricStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMetricStreamInput; + output: PutMetricStreamOutput; + }; + sdk: { + input: PutMetricStreamCommandInput; + output: PutMetricStreamCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/SetAlarmStateCommand.ts b/clients/client-cloudwatch/src/commands/SetAlarmStateCommand.ts index 5888953b89de..bca453bfa76d 100644 --- a/clients/client-cloudwatch/src/commands/SetAlarmStateCommand.ts +++ b/clients/client-cloudwatch/src/commands/SetAlarmStateCommand.ts @@ -99,4 +99,16 @@ export class SetAlarmStateCommand extends $Command .f(void 0, void 0) .ser(se_SetAlarmStateCommand) .de(de_SetAlarmStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetAlarmStateInput; + output: {}; + }; + sdk: { + input: SetAlarmStateCommandInput; + output: SetAlarmStateCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/StartMetricStreamsCommand.ts b/clients/client-cloudwatch/src/commands/StartMetricStreamsCommand.ts index 3d686a8da530..9cdb2a013718 100644 --- a/clients/client-cloudwatch/src/commands/StartMetricStreamsCommand.ts +++ b/clients/client-cloudwatch/src/commands/StartMetricStreamsCommand.ts @@ -86,4 +86,16 @@ export class StartMetricStreamsCommand extends $Command .f(void 0, void 0) .ser(se_StartMetricStreamsCommand) .de(de_StartMetricStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMetricStreamsInput; + output: {}; + }; + sdk: { + input: StartMetricStreamsCommandInput; + output: StartMetricStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/StopMetricStreamsCommand.ts b/clients/client-cloudwatch/src/commands/StopMetricStreamsCommand.ts index 333e8aaf2472..47f305cac9da 100644 --- a/clients/client-cloudwatch/src/commands/StopMetricStreamsCommand.ts +++ b/clients/client-cloudwatch/src/commands/StopMetricStreamsCommand.ts @@ -86,4 +86,16 @@ export class StopMetricStreamsCommand extends $Command .f(void 0, void 0) .ser(se_StopMetricStreamsCommand) .de(de_StopMetricStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMetricStreamsInput; + output: {}; + }; + sdk: { + input: StopMetricStreamsCommandInput; + output: StopMetricStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/TagResourceCommand.ts b/clients/client-cloudwatch/src/commands/TagResourceCommand.ts index a28473ef94db..32d982dd0be5 100644 --- a/clients/client-cloudwatch/src/commands/TagResourceCommand.ts +++ b/clients/client-cloudwatch/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cloudwatch/src/commands/UntagResourceCommand.ts b/clients/client-cloudwatch/src/commands/UntagResourceCommand.ts index 239a5c9baf2a..641fb9a53e1a 100644 --- a/clients/client-cloudwatch/src/commands/UntagResourceCommand.ts +++ b/clients/client-cloudwatch/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/package.json b/clients/client-codeartifact/package.json index 696b3f308bef..42a9f43a6964 100644 --- a/clients/client-codeartifact/package.json +++ b/clients/client-codeartifact/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-codeartifact/src/commands/AssociateExternalConnectionCommand.ts b/clients/client-codeartifact/src/commands/AssociateExternalConnectionCommand.ts index 51230fbc2f73..6bdcae4b39d5 100644 --- a/clients/client-codeartifact/src/commands/AssociateExternalConnectionCommand.ts +++ b/clients/client-codeartifact/src/commands/AssociateExternalConnectionCommand.ts @@ -140,4 +140,16 @@ export class AssociateExternalConnectionCommand extends $Command .f(void 0, void 0) .ser(se_AssociateExternalConnectionCommand) .de(de_AssociateExternalConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateExternalConnectionRequest; + output: AssociateExternalConnectionResult; + }; + sdk: { + input: AssociateExternalConnectionCommandInput; + output: AssociateExternalConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/CopyPackageVersionsCommand.ts b/clients/client-codeartifact/src/commands/CopyPackageVersionsCommand.ts index f88cc5ed23c8..58f704061e3c 100644 --- a/clients/client-codeartifact/src/commands/CopyPackageVersionsCommand.ts +++ b/clients/client-codeartifact/src/commands/CopyPackageVersionsCommand.ts @@ -142,4 +142,16 @@ export class CopyPackageVersionsCommand extends $Command .f(void 0, void 0) .ser(se_CopyPackageVersionsCommand) .de(de_CopyPackageVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyPackageVersionsRequest; + output: CopyPackageVersionsResult; + }; + sdk: { + input: CopyPackageVersionsCommandInput; + output: CopyPackageVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/CreateDomainCommand.ts b/clients/client-codeartifact/src/commands/CreateDomainCommand.ts index 9b51e6d56141..958cece8b6a6 100644 --- a/clients/client-codeartifact/src/commands/CreateDomainCommand.ts +++ b/clients/client-codeartifact/src/commands/CreateDomainCommand.ts @@ -136,4 +136,16 @@ export class CreateDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResult; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/CreatePackageGroupCommand.ts b/clients/client-codeartifact/src/commands/CreatePackageGroupCommand.ts index 00dae15509f1..c5328621cf54 100644 --- a/clients/client-codeartifact/src/commands/CreatePackageGroupCommand.ts +++ b/clients/client-codeartifact/src/commands/CreatePackageGroupCommand.ts @@ -147,4 +147,16 @@ export class CreatePackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreatePackageGroupCommand) .de(de_CreatePackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackageGroupRequest; + output: CreatePackageGroupResult; + }; + sdk: { + input: CreatePackageGroupCommandInput; + output: CreatePackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/CreateRepositoryCommand.ts b/clients/client-codeartifact/src/commands/CreateRepositoryCommand.ts index d7721e6ef91e..f799384a0c0b 100644 --- a/clients/client-codeartifact/src/commands/CreateRepositoryCommand.ts +++ b/clients/client-codeartifact/src/commands/CreateRepositoryCommand.ts @@ -146,4 +146,16 @@ export class CreateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryCommand) .de(de_CreateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryRequest; + output: CreateRepositoryResult; + }; + sdk: { + input: CreateRepositoryCommandInput; + output: CreateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DeleteDomainCommand.ts b/clients/client-codeartifact/src/commands/DeleteDomainCommand.ts index 41c2c15ec3e2..c47ae7d81c00 100644 --- a/clients/client-codeartifact/src/commands/DeleteDomainCommand.ts +++ b/clients/client-codeartifact/src/commands/DeleteDomainCommand.ts @@ -114,4 +114,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: DeleteDomainResult; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DeleteDomainPermissionsPolicyCommand.ts b/clients/client-codeartifact/src/commands/DeleteDomainPermissionsPolicyCommand.ts index abc927cae559..353220054fe2 100644 --- a/clients/client-codeartifact/src/commands/DeleteDomainPermissionsPolicyCommand.ts +++ b/clients/client-codeartifact/src/commands/DeleteDomainPermissionsPolicyCommand.ts @@ -118,4 +118,16 @@ export class DeleteDomainPermissionsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainPermissionsPolicyCommand) .de(de_DeleteDomainPermissionsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainPermissionsPolicyRequest; + output: DeleteDomainPermissionsPolicyResult; + }; + sdk: { + input: DeleteDomainPermissionsPolicyCommandInput; + output: DeleteDomainPermissionsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DeletePackageCommand.ts b/clients/client-codeartifact/src/commands/DeletePackageCommand.ts index 6f66acb0bbe8..8ab9721adabd 100644 --- a/clients/client-codeartifact/src/commands/DeletePackageCommand.ts +++ b/clients/client-codeartifact/src/commands/DeletePackageCommand.ts @@ -121,4 +121,16 @@ export class DeletePackageCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageCommand) .de(de_DeletePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageRequest; + output: DeletePackageResult; + }; + sdk: { + input: DeletePackageCommandInput; + output: DeletePackageCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DeletePackageGroupCommand.ts b/clients/client-codeartifact/src/commands/DeletePackageGroupCommand.ts index 7a7e673d37ca..318133f77958 100644 --- a/clients/client-codeartifact/src/commands/DeletePackageGroupCommand.ts +++ b/clients/client-codeartifact/src/commands/DeletePackageGroupCommand.ts @@ -141,4 +141,16 @@ export class DeletePackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageGroupCommand) .de(de_DeletePackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageGroupRequest; + output: DeletePackageGroupResult; + }; + sdk: { + input: DeletePackageGroupCommandInput; + output: DeletePackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DeletePackageVersionsCommand.ts b/clients/client-codeartifact/src/commands/DeletePackageVersionsCommand.ts index f2f1f397de0f..085e3d799cb6 100644 --- a/clients/client-codeartifact/src/commands/DeletePackageVersionsCommand.ts +++ b/clients/client-codeartifact/src/commands/DeletePackageVersionsCommand.ts @@ -129,4 +129,16 @@ export class DeletePackageVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageVersionsCommand) .de(de_DeletePackageVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageVersionsRequest; + output: DeletePackageVersionsResult; + }; + sdk: { + input: DeletePackageVersionsCommandInput; + output: DeletePackageVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DeleteRepositoryCommand.ts b/clients/client-codeartifact/src/commands/DeleteRepositoryCommand.ts index 1701ea64c0eb..56a7f2298285 100644 --- a/clients/client-codeartifact/src/commands/DeleteRepositoryCommand.ts +++ b/clients/client-codeartifact/src/commands/DeleteRepositoryCommand.ts @@ -129,4 +129,16 @@ export class DeleteRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryCommand) .de(de_DeleteRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryRequest; + output: DeleteRepositoryResult; + }; + sdk: { + input: DeleteRepositoryCommandInput; + output: DeleteRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DeleteRepositoryPermissionsPolicyCommand.ts b/clients/client-codeartifact/src/commands/DeleteRepositoryPermissionsPolicyCommand.ts index b1e9a01db201..43f1795f53f2 100644 --- a/clients/client-codeartifact/src/commands/DeleteRepositoryPermissionsPolicyCommand.ts +++ b/clients/client-codeartifact/src/commands/DeleteRepositoryPermissionsPolicyCommand.ts @@ -126,4 +126,16 @@ export class DeleteRepositoryPermissionsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryPermissionsPolicyCommand) .de(de_DeleteRepositoryPermissionsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryPermissionsPolicyRequest; + output: DeleteRepositoryPermissionsPolicyResult; + }; + sdk: { + input: DeleteRepositoryPermissionsPolicyCommandInput; + output: DeleteRepositoryPermissionsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DescribeDomainCommand.ts b/clients/client-codeartifact/src/commands/DescribeDomainCommand.ts index dc5381ef2e8e..44c556ac446d 100644 --- a/clients/client-codeartifact/src/commands/DescribeDomainCommand.ts +++ b/clients/client-codeartifact/src/commands/DescribeDomainCommand.ts @@ -115,4 +115,16 @@ export class DescribeDomainCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainCommand) .de(de_DescribeDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainRequest; + output: DescribeDomainResult; + }; + sdk: { + input: DescribeDomainCommandInput; + output: DescribeDomainCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DescribePackageCommand.ts b/clients/client-codeartifact/src/commands/DescribePackageCommand.ts index b8d0e99d015a..918027e02609 100644 --- a/clients/client-codeartifact/src/commands/DescribePackageCommand.ts +++ b/clients/client-codeartifact/src/commands/DescribePackageCommand.ts @@ -117,4 +117,16 @@ export class DescribePackageCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackageCommand) .de(de_DescribePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackageRequest; + output: DescribePackageResult; + }; + sdk: { + input: DescribePackageCommandInput; + output: DescribePackageCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DescribePackageGroupCommand.ts b/clients/client-codeartifact/src/commands/DescribePackageGroupCommand.ts index 263bf47c1d30..d16c3fe6304a 100644 --- a/clients/client-codeartifact/src/commands/DescribePackageGroupCommand.ts +++ b/clients/client-codeartifact/src/commands/DescribePackageGroupCommand.ts @@ -128,4 +128,16 @@ export class DescribePackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackageGroupCommand) .de(de_DescribePackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackageGroupRequest; + output: DescribePackageGroupResult; + }; + sdk: { + input: DescribePackageGroupCommandInput; + output: DescribePackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DescribePackageVersionCommand.ts b/clients/client-codeartifact/src/commands/DescribePackageVersionCommand.ts index bdd13b77f713..423534740630 100644 --- a/clients/client-codeartifact/src/commands/DescribePackageVersionCommand.ts +++ b/clients/client-codeartifact/src/commands/DescribePackageVersionCommand.ts @@ -140,4 +140,16 @@ export class DescribePackageVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackageVersionCommand) .de(de_DescribePackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackageVersionRequest; + output: DescribePackageVersionResult; + }; + sdk: { + input: DescribePackageVersionCommandInput; + output: DescribePackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DescribeRepositoryCommand.ts b/clients/client-codeartifact/src/commands/DescribeRepositoryCommand.ts index 620876fc0a07..f4b28bc73832 100644 --- a/clients/client-codeartifact/src/commands/DescribeRepositoryCommand.ts +++ b/clients/client-codeartifact/src/commands/DescribeRepositoryCommand.ts @@ -125,4 +125,16 @@ export class DescribeRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRepositoryCommand) .de(de_DescribeRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRepositoryRequest; + output: DescribeRepositoryResult; + }; + sdk: { + input: DescribeRepositoryCommandInput; + output: DescribeRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DisassociateExternalConnectionCommand.ts b/clients/client-codeartifact/src/commands/DisassociateExternalConnectionCommand.ts index af781efc1e02..fe8ee08909ca 100644 --- a/clients/client-codeartifact/src/commands/DisassociateExternalConnectionCommand.ts +++ b/clients/client-codeartifact/src/commands/DisassociateExternalConnectionCommand.ts @@ -140,4 +140,16 @@ export class DisassociateExternalConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateExternalConnectionCommand) .de(de_DisassociateExternalConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateExternalConnectionRequest; + output: DisassociateExternalConnectionResult; + }; + sdk: { + input: DisassociateExternalConnectionCommandInput; + output: DisassociateExternalConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/DisposePackageVersionsCommand.ts b/clients/client-codeartifact/src/commands/DisposePackageVersionsCommand.ts index b3ee3c1eee96..0d4afa834ef5 100644 --- a/clients/client-codeartifact/src/commands/DisposePackageVersionsCommand.ts +++ b/clients/client-codeartifact/src/commands/DisposePackageVersionsCommand.ts @@ -139,4 +139,16 @@ export class DisposePackageVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DisposePackageVersionsCommand) .de(de_DisposePackageVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisposePackageVersionsRequest; + output: DisposePackageVersionsResult; + }; + sdk: { + input: DisposePackageVersionsCommandInput; + output: DisposePackageVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/GetAssociatedPackageGroupCommand.ts b/clients/client-codeartifact/src/commands/GetAssociatedPackageGroupCommand.ts index c584adcf3c99..fed00ea79b4d 100644 --- a/clients/client-codeartifact/src/commands/GetAssociatedPackageGroupCommand.ts +++ b/clients/client-codeartifact/src/commands/GetAssociatedPackageGroupCommand.ts @@ -130,4 +130,16 @@ export class GetAssociatedPackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetAssociatedPackageGroupCommand) .de(de_GetAssociatedPackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssociatedPackageGroupRequest; + output: GetAssociatedPackageGroupResult; + }; + sdk: { + input: GetAssociatedPackageGroupCommandInput; + output: GetAssociatedPackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/GetAuthorizationTokenCommand.ts b/clients/client-codeartifact/src/commands/GetAuthorizationTokenCommand.ts index ae84bb3604ea..a3e57d10dff7 100644 --- a/clients/client-codeartifact/src/commands/GetAuthorizationTokenCommand.ts +++ b/clients/client-codeartifact/src/commands/GetAuthorizationTokenCommand.ts @@ -127,4 +127,16 @@ export class GetAuthorizationTokenCommand extends $Command .f(void 0, GetAuthorizationTokenResultFilterSensitiveLog) .ser(se_GetAuthorizationTokenCommand) .de(de_GetAuthorizationTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAuthorizationTokenRequest; + output: GetAuthorizationTokenResult; + }; + sdk: { + input: GetAuthorizationTokenCommandInput; + output: GetAuthorizationTokenCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/GetDomainPermissionsPolicyCommand.ts b/clients/client-codeartifact/src/commands/GetDomainPermissionsPolicyCommand.ts index 114644d5172d..0f40e71d7fbb 100644 --- a/clients/client-codeartifact/src/commands/GetDomainPermissionsPolicyCommand.ts +++ b/clients/client-codeartifact/src/commands/GetDomainPermissionsPolicyCommand.ts @@ -114,4 +114,16 @@ export class GetDomainPermissionsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainPermissionsPolicyCommand) .de(de_GetDomainPermissionsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainPermissionsPolicyRequest; + output: GetDomainPermissionsPolicyResult; + }; + sdk: { + input: GetDomainPermissionsPolicyCommandInput; + output: GetDomainPermissionsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/GetPackageVersionAssetCommand.ts b/clients/client-codeartifact/src/commands/GetPackageVersionAssetCommand.ts index 4775810ab2d7..2c7f6420e17c 100644 --- a/clients/client-codeartifact/src/commands/GetPackageVersionAssetCommand.ts +++ b/clients/client-codeartifact/src/commands/GetPackageVersionAssetCommand.ts @@ -128,4 +128,16 @@ export class GetPackageVersionAssetCommand extends $Command .f(void 0, GetPackageVersionAssetResultFilterSensitiveLog) .ser(se_GetPackageVersionAssetCommand) .de(de_GetPackageVersionAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPackageVersionAssetRequest; + output: GetPackageVersionAssetResult; + }; + sdk: { + input: GetPackageVersionAssetCommandInput; + output: GetPackageVersionAssetCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/GetPackageVersionReadmeCommand.ts b/clients/client-codeartifact/src/commands/GetPackageVersionReadmeCommand.ts index b3f39a50513b..19616adb316f 100644 --- a/clients/client-codeartifact/src/commands/GetPackageVersionReadmeCommand.ts +++ b/clients/client-codeartifact/src/commands/GetPackageVersionReadmeCommand.ts @@ -116,4 +116,16 @@ export class GetPackageVersionReadmeCommand extends $Command .f(void 0, void 0) .ser(se_GetPackageVersionReadmeCommand) .de(de_GetPackageVersionReadmeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPackageVersionReadmeRequest; + output: GetPackageVersionReadmeResult; + }; + sdk: { + input: GetPackageVersionReadmeCommandInput; + output: GetPackageVersionReadmeCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/GetRepositoryEndpointCommand.ts b/clients/client-codeartifact/src/commands/GetRepositoryEndpointCommand.ts index ce9bfe056191..d5187090891f 100644 --- a/clients/client-codeartifact/src/commands/GetRepositoryEndpointCommand.ts +++ b/clients/client-codeartifact/src/commands/GetRepositoryEndpointCommand.ts @@ -148,4 +148,16 @@ export class GetRepositoryEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryEndpointCommand) .de(de_GetRepositoryEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryEndpointRequest; + output: GetRepositoryEndpointResult; + }; + sdk: { + input: GetRepositoryEndpointCommandInput; + output: GetRepositoryEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/GetRepositoryPermissionsPolicyCommand.ts b/clients/client-codeartifact/src/commands/GetRepositoryPermissionsPolicyCommand.ts index 86e2589a6d36..58ee89ef5ee8 100644 --- a/clients/client-codeartifact/src/commands/GetRepositoryPermissionsPolicyCommand.ts +++ b/clients/client-codeartifact/src/commands/GetRepositoryPermissionsPolicyCommand.ts @@ -113,4 +113,16 @@ export class GetRepositoryPermissionsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryPermissionsPolicyCommand) .de(de_GetRepositoryPermissionsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryPermissionsPolicyRequest; + output: GetRepositoryPermissionsPolicyResult; + }; + sdk: { + input: GetRepositoryPermissionsPolicyCommandInput; + output: GetRepositoryPermissionsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListAllowedRepositoriesForGroupCommand.ts b/clients/client-codeartifact/src/commands/ListAllowedRepositoriesForGroupCommand.ts index 14d794bf0a85..7614a06a765e 100644 --- a/clients/client-codeartifact/src/commands/ListAllowedRepositoriesForGroupCommand.ts +++ b/clients/client-codeartifact/src/commands/ListAllowedRepositoriesForGroupCommand.ts @@ -120,4 +120,16 @@ export class ListAllowedRepositoriesForGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListAllowedRepositoriesForGroupCommand) .de(de_ListAllowedRepositoriesForGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAllowedRepositoriesForGroupRequest; + output: ListAllowedRepositoriesForGroupResult; + }; + sdk: { + input: ListAllowedRepositoriesForGroupCommandInput; + output: ListAllowedRepositoriesForGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListAssociatedPackagesCommand.ts b/clients/client-codeartifact/src/commands/ListAssociatedPackagesCommand.ts index 0bcef78ebddd..65dec9587534 100644 --- a/clients/client-codeartifact/src/commands/ListAssociatedPackagesCommand.ts +++ b/clients/client-codeartifact/src/commands/ListAssociatedPackagesCommand.ts @@ -110,4 +110,16 @@ export class ListAssociatedPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedPackagesCommand) .de(de_ListAssociatedPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedPackagesRequest; + output: ListAssociatedPackagesResult; + }; + sdk: { + input: ListAssociatedPackagesCommandInput; + output: ListAssociatedPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListDomainsCommand.ts b/clients/client-codeartifact/src/commands/ListDomainsCommand.ts index dbbe1185a027..81e67091a255 100644 --- a/clients/client-codeartifact/src/commands/ListDomainsCommand.ts +++ b/clients/client-codeartifact/src/commands/ListDomainsCommand.ts @@ -108,4 +108,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResult; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListPackageGroupsCommand.ts b/clients/client-codeartifact/src/commands/ListPackageGroupsCommand.ts index 32836297eac7..399470cc7004 100644 --- a/clients/client-codeartifact/src/commands/ListPackageGroupsCommand.ts +++ b/clients/client-codeartifact/src/commands/ListPackageGroupsCommand.ts @@ -132,4 +132,16 @@ export class ListPackageGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListPackageGroupsCommand) .de(de_ListPackageGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackageGroupsRequest; + output: ListPackageGroupsResult; + }; + sdk: { + input: ListPackageGroupsCommandInput; + output: ListPackageGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListPackageVersionAssetsCommand.ts b/clients/client-codeartifact/src/commands/ListPackageVersionAssetsCommand.ts index 7f415fcfb953..da852bbb774e 100644 --- a/clients/client-codeartifact/src/commands/ListPackageVersionAssetsCommand.ts +++ b/clients/client-codeartifact/src/commands/ListPackageVersionAssetsCommand.ts @@ -126,4 +126,16 @@ export class ListPackageVersionAssetsCommand extends $Command .f(void 0, void 0) .ser(se_ListPackageVersionAssetsCommand) .de(de_ListPackageVersionAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackageVersionAssetsRequest; + output: ListPackageVersionAssetsResult; + }; + sdk: { + input: ListPackageVersionAssetsCommandInput; + output: ListPackageVersionAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListPackageVersionDependenciesCommand.ts b/clients/client-codeartifact/src/commands/ListPackageVersionDependenciesCommand.ts index 86dfcd3e28f5..d81ae4b24300 100644 --- a/clients/client-codeartifact/src/commands/ListPackageVersionDependenciesCommand.ts +++ b/clients/client-codeartifact/src/commands/ListPackageVersionDependenciesCommand.ts @@ -131,4 +131,16 @@ export class ListPackageVersionDependenciesCommand extends $Command .f(void 0, void 0) .ser(se_ListPackageVersionDependenciesCommand) .de(de_ListPackageVersionDependenciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackageVersionDependenciesRequest; + output: ListPackageVersionDependenciesResult; + }; + sdk: { + input: ListPackageVersionDependenciesCommandInput; + output: ListPackageVersionDependenciesCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListPackageVersionsCommand.ts b/clients/client-codeartifact/src/commands/ListPackageVersionsCommand.ts index 5877d7ac181e..7c0170ab9a0b 100644 --- a/clients/client-codeartifact/src/commands/ListPackageVersionsCommand.ts +++ b/clients/client-codeartifact/src/commands/ListPackageVersionsCommand.ts @@ -132,4 +132,16 @@ export class ListPackageVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPackageVersionsCommand) .de(de_ListPackageVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackageVersionsRequest; + output: ListPackageVersionsResult; + }; + sdk: { + input: ListPackageVersionsCommandInput; + output: ListPackageVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListPackagesCommand.ts b/clients/client-codeartifact/src/commands/ListPackagesCommand.ts index 125b8838a849..51ea6b1658c1 100644 --- a/clients/client-codeartifact/src/commands/ListPackagesCommand.ts +++ b/clients/client-codeartifact/src/commands/ListPackagesCommand.ts @@ -126,4 +126,16 @@ export class ListPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListPackagesCommand) .de(de_ListPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackagesRequest; + output: ListPackagesResult; + }; + sdk: { + input: ListPackagesCommandInput; + output: ListPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListRepositoriesCommand.ts b/clients/client-codeartifact/src/commands/ListRepositoriesCommand.ts index 9923b2d14c69..c37a2b213a52 100644 --- a/clients/client-codeartifact/src/commands/ListRepositoriesCommand.ts +++ b/clients/client-codeartifact/src/commands/ListRepositoriesCommand.ts @@ -113,4 +113,16 @@ export class ListRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoriesCommand) .de(de_ListRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoriesRequest; + output: ListRepositoriesResult; + }; + sdk: { + input: ListRepositoriesCommandInput; + output: ListRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListRepositoriesInDomainCommand.ts b/clients/client-codeartifact/src/commands/ListRepositoriesInDomainCommand.ts index 06793d36fdcb..5b0b9e1504eb 100644 --- a/clients/client-codeartifact/src/commands/ListRepositoriesInDomainCommand.ts +++ b/clients/client-codeartifact/src/commands/ListRepositoriesInDomainCommand.ts @@ -121,4 +121,16 @@ export class ListRepositoriesInDomainCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoriesInDomainCommand) .de(de_ListRepositoriesInDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoriesInDomainRequest; + output: ListRepositoriesInDomainResult; + }; + sdk: { + input: ListRepositoriesInDomainCommandInput; + output: ListRepositoriesInDomainCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListSubPackageGroupsCommand.ts b/clients/client-codeartifact/src/commands/ListSubPackageGroupsCommand.ts index 40464f8ff672..446d2695a41e 100644 --- a/clients/client-codeartifact/src/commands/ListSubPackageGroupsCommand.ts +++ b/clients/client-codeartifact/src/commands/ListSubPackageGroupsCommand.ts @@ -135,4 +135,16 @@ export class ListSubPackageGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubPackageGroupsCommand) .de(de_ListSubPackageGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubPackageGroupsRequest; + output: ListSubPackageGroupsResult; + }; + sdk: { + input: ListSubPackageGroupsCommandInput; + output: ListSubPackageGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/ListTagsForResourceCommand.ts b/clients/client-codeartifact/src/commands/ListTagsForResourceCommand.ts index facc71bbc2c4..3c0e41d31a4f 100644 --- a/clients/client-codeartifact/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codeartifact/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/PublishPackageVersionCommand.ts b/clients/client-codeartifact/src/commands/PublishPackageVersionCommand.ts index 20f4dc7b95a2..d30fd4fd1852 100644 --- a/clients/client-codeartifact/src/commands/PublishPackageVersionCommand.ts +++ b/clients/client-codeartifact/src/commands/PublishPackageVersionCommand.ts @@ -148,4 +148,16 @@ export class PublishPackageVersionCommand extends $Command .f(PublishPackageVersionRequestFilterSensitiveLog, void 0) .ser(se_PublishPackageVersionCommand) .de(de_PublishPackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishPackageVersionRequest; + output: PublishPackageVersionResult; + }; + sdk: { + input: PublishPackageVersionCommandInput; + output: PublishPackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/PutDomainPermissionsPolicyCommand.ts b/clients/client-codeartifact/src/commands/PutDomainPermissionsPolicyCommand.ts index b9ec78192bb9..f6410dbc757c 100644 --- a/clients/client-codeartifact/src/commands/PutDomainPermissionsPolicyCommand.ts +++ b/clients/client-codeartifact/src/commands/PutDomainPermissionsPolicyCommand.ts @@ -124,4 +124,16 @@ export class PutDomainPermissionsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutDomainPermissionsPolicyCommand) .de(de_PutDomainPermissionsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDomainPermissionsPolicyRequest; + output: PutDomainPermissionsPolicyResult; + }; + sdk: { + input: PutDomainPermissionsPolicyCommandInput; + output: PutDomainPermissionsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/PutPackageOriginConfigurationCommand.ts b/clients/client-codeartifact/src/commands/PutPackageOriginConfigurationCommand.ts index 215e0f04d9cf..a4621c03033d 100644 --- a/clients/client-codeartifact/src/commands/PutPackageOriginConfigurationCommand.ts +++ b/clients/client-codeartifact/src/commands/PutPackageOriginConfigurationCommand.ts @@ -127,4 +127,16 @@ export class PutPackageOriginConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutPackageOriginConfigurationCommand) .de(de_PutPackageOriginConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPackageOriginConfigurationRequest; + output: PutPackageOriginConfigurationResult; + }; + sdk: { + input: PutPackageOriginConfigurationCommandInput; + output: PutPackageOriginConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/PutRepositoryPermissionsPolicyCommand.ts b/clients/client-codeartifact/src/commands/PutRepositoryPermissionsPolicyCommand.ts index 678167cdf59e..06a2978e5f21 100644 --- a/clients/client-codeartifact/src/commands/PutRepositoryPermissionsPolicyCommand.ts +++ b/clients/client-codeartifact/src/commands/PutRepositoryPermissionsPolicyCommand.ts @@ -130,4 +130,16 @@ export class PutRepositoryPermissionsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutRepositoryPermissionsPolicyCommand) .de(de_PutRepositoryPermissionsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRepositoryPermissionsPolicyRequest; + output: PutRepositoryPermissionsPolicyResult; + }; + sdk: { + input: PutRepositoryPermissionsPolicyCommandInput; + output: PutRepositoryPermissionsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/TagResourceCommand.ts b/clients/client-codeartifact/src/commands/TagResourceCommand.ts index 29a50fd9d982..d49532a56d32 100644 --- a/clients/client-codeartifact/src/commands/TagResourceCommand.ts +++ b/clients/client-codeartifact/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/UntagResourceCommand.ts b/clients/client-codeartifact/src/commands/UntagResourceCommand.ts index 1aba58e7f641..c78f988c016c 100644 --- a/clients/client-codeartifact/src/commands/UntagResourceCommand.ts +++ b/clients/client-codeartifact/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/UpdatePackageGroupCommand.ts b/clients/client-codeartifact/src/commands/UpdatePackageGroupCommand.ts index 79de64c66381..daccf24259bb 100644 --- a/clients/client-codeartifact/src/commands/UpdatePackageGroupCommand.ts +++ b/clients/client-codeartifact/src/commands/UpdatePackageGroupCommand.ts @@ -135,4 +135,16 @@ export class UpdatePackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePackageGroupCommand) .de(de_UpdatePackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageGroupRequest; + output: UpdatePackageGroupResult; + }; + sdk: { + input: UpdatePackageGroupCommandInput; + output: UpdatePackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/UpdatePackageGroupOriginConfigurationCommand.ts b/clients/client-codeartifact/src/commands/UpdatePackageGroupOriginConfigurationCommand.ts index 7a515eb11123..729243edb275 100644 --- a/clients/client-codeartifact/src/commands/UpdatePackageGroupOriginConfigurationCommand.ts +++ b/clients/client-codeartifact/src/commands/UpdatePackageGroupOriginConfigurationCommand.ts @@ -168,4 +168,16 @@ export class UpdatePackageGroupOriginConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePackageGroupOriginConfigurationCommand) .de(de_UpdatePackageGroupOriginConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageGroupOriginConfigurationRequest; + output: UpdatePackageGroupOriginConfigurationResult; + }; + sdk: { + input: UpdatePackageGroupOriginConfigurationCommandInput; + output: UpdatePackageGroupOriginConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/UpdatePackageVersionsStatusCommand.ts b/clients/client-codeartifact/src/commands/UpdatePackageVersionsStatusCommand.ts index 80679a0ec69b..461284314a75 100644 --- a/clients/client-codeartifact/src/commands/UpdatePackageVersionsStatusCommand.ts +++ b/clients/client-codeartifact/src/commands/UpdatePackageVersionsStatusCommand.ts @@ -137,4 +137,16 @@ export class UpdatePackageVersionsStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePackageVersionsStatusCommand) .de(de_UpdatePackageVersionsStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageVersionsStatusRequest; + output: UpdatePackageVersionsStatusResult; + }; + sdk: { + input: UpdatePackageVersionsStatusCommandInput; + output: UpdatePackageVersionsStatusCommandOutput; + }; + }; +} diff --git a/clients/client-codeartifact/src/commands/UpdateRepositoryCommand.ts b/clients/client-codeartifact/src/commands/UpdateRepositoryCommand.ts index 230712ab22a5..f78a9031d418 100644 --- a/clients/client-codeartifact/src/commands/UpdateRepositoryCommand.ts +++ b/clients/client-codeartifact/src/commands/UpdateRepositoryCommand.ts @@ -140,4 +140,16 @@ export class UpdateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRepositoryCommand) .de(de_UpdateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRepositoryRequest; + output: UpdateRepositoryResult; + }; + sdk: { + input: UpdateRepositoryCommandInput; + output: UpdateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/package.json b/clients/client-codebuild/package.json index 1cbfa6250309..7de7657ba48c 100644 --- a/clients/client-codebuild/package.json +++ b/clients/client-codebuild/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-codebuild/src/commands/BatchDeleteBuildsCommand.ts b/clients/client-codebuild/src/commands/BatchDeleteBuildsCommand.ts index e97bbebe65e2..2c5611a6b29a 100644 --- a/clients/client-codebuild/src/commands/BatchDeleteBuildsCommand.ts +++ b/clients/client-codebuild/src/commands/BatchDeleteBuildsCommand.ts @@ -90,4 +90,16 @@ export class BatchDeleteBuildsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteBuildsCommand) .de(de_BatchDeleteBuildsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteBuildsInput; + output: BatchDeleteBuildsOutput; + }; + sdk: { + input: BatchDeleteBuildsCommandInput; + output: BatchDeleteBuildsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/BatchGetBuildBatchesCommand.ts b/clients/client-codebuild/src/commands/BatchGetBuildBatchesCommand.ts index 7e8983490ba7..bc3ca3a66e5b 100644 --- a/clients/client-codebuild/src/commands/BatchGetBuildBatchesCommand.ts +++ b/clients/client-codebuild/src/commands/BatchGetBuildBatchesCommand.ts @@ -301,4 +301,16 @@ export class BatchGetBuildBatchesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetBuildBatchesCommand) .de(de_BatchGetBuildBatchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetBuildBatchesInput; + output: BatchGetBuildBatchesOutput; + }; + sdk: { + input: BatchGetBuildBatchesCommandInput; + output: BatchGetBuildBatchesCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/BatchGetBuildsCommand.ts b/clients/client-codebuild/src/commands/BatchGetBuildsCommand.ts index 6bddf15a59ba..71f3087d1137 100644 --- a/clients/client-codebuild/src/commands/BatchGetBuildsCommand.ts +++ b/clients/client-codebuild/src/commands/BatchGetBuildsCommand.ts @@ -271,4 +271,16 @@ export class BatchGetBuildsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetBuildsCommand) .de(de_BatchGetBuildsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetBuildsInput; + output: BatchGetBuildsOutput; + }; + sdk: { + input: BatchGetBuildsCommandInput; + output: BatchGetBuildsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/BatchGetFleetsCommand.ts b/clients/client-codebuild/src/commands/BatchGetFleetsCommand.ts index 54555510e2c0..487264a11771 100644 --- a/clients/client-codebuild/src/commands/BatchGetFleetsCommand.ts +++ b/clients/client-codebuild/src/commands/BatchGetFleetsCommand.ts @@ -130,4 +130,16 @@ export class BatchGetFleetsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetFleetsCommand) .de(de_BatchGetFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetFleetsInput; + output: BatchGetFleetsOutput; + }; + sdk: { + input: BatchGetFleetsCommandInput; + output: BatchGetFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts b/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts index 11d98b4c7a6d..06f5c443449c 100644 --- a/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts +++ b/clients/client-codebuild/src/commands/BatchGetProjectsCommand.ts @@ -281,4 +281,16 @@ export class BatchGetProjectsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetProjectsCommand) .de(de_BatchGetProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetProjectsInput; + output: BatchGetProjectsOutput; + }; + sdk: { + input: BatchGetProjectsCommandInput; + output: BatchGetProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/BatchGetReportGroupsCommand.ts b/clients/client-codebuild/src/commands/BatchGetReportGroupsCommand.ts index b7f61610d6d1..08ddafd65411 100644 --- a/clients/client-codebuild/src/commands/BatchGetReportGroupsCommand.ts +++ b/clients/client-codebuild/src/commands/BatchGetReportGroupsCommand.ts @@ -113,4 +113,16 @@ export class BatchGetReportGroupsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetReportGroupsCommand) .de(de_BatchGetReportGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetReportGroupsInput; + output: BatchGetReportGroupsOutput; + }; + sdk: { + input: BatchGetReportGroupsCommandInput; + output: BatchGetReportGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/BatchGetReportsCommand.ts b/clients/client-codebuild/src/commands/BatchGetReportsCommand.ts index 9b3a27bb1268..f0608154c0fd 100644 --- a/clients/client-codebuild/src/commands/BatchGetReportsCommand.ts +++ b/clients/client-codebuild/src/commands/BatchGetReportsCommand.ts @@ -125,4 +125,16 @@ export class BatchGetReportsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetReportsCommand) .de(de_BatchGetReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetReportsInput; + output: BatchGetReportsOutput; + }; + sdk: { + input: BatchGetReportsCommandInput; + output: BatchGetReportsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/CreateFleetCommand.ts b/clients/client-codebuild/src/commands/CreateFleetCommand.ts index 4585155d8eef..73f14a81a4de 100644 --- a/clients/client-codebuild/src/commands/CreateFleetCommand.ts +++ b/clients/client-codebuild/src/commands/CreateFleetCommand.ts @@ -161,4 +161,16 @@ export class CreateFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetInput; + output: CreateFleetOutput; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/CreateProjectCommand.ts b/clients/client-codebuild/src/commands/CreateProjectCommand.ts index e5956755b0c2..321920218d62 100644 --- a/clients/client-codebuild/src/commands/CreateProjectCommand.ts +++ b/clients/client-codebuild/src/commands/CreateProjectCommand.ts @@ -441,4 +441,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectInput; + output: CreateProjectOutput; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/CreateReportGroupCommand.ts b/clients/client-codebuild/src/commands/CreateReportGroupCommand.ts index bc0f68db4fe4..bbb382b92eb2 100644 --- a/clients/client-codebuild/src/commands/CreateReportGroupCommand.ts +++ b/clients/client-codebuild/src/commands/CreateReportGroupCommand.ts @@ -131,4 +131,16 @@ export class CreateReportGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateReportGroupCommand) .de(de_CreateReportGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReportGroupInput; + output: CreateReportGroupOutput; + }; + sdk: { + input: CreateReportGroupCommandInput; + output: CreateReportGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/CreateWebhookCommand.ts b/clients/client-codebuild/src/commands/CreateWebhookCommand.ts index 115aaa8a57d6..56e7986c4069 100644 --- a/clients/client-codebuild/src/commands/CreateWebhookCommand.ts +++ b/clients/client-codebuild/src/commands/CreateWebhookCommand.ts @@ -139,4 +139,16 @@ export class CreateWebhookCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebhookCommand) .de(de_CreateWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebhookInput; + output: CreateWebhookOutput; + }; + sdk: { + input: CreateWebhookCommandInput; + output: CreateWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteBuildBatchCommand.ts b/clients/client-codebuild/src/commands/DeleteBuildBatchCommand.ts index 5b81b892446e..147362afc184 100644 --- a/clients/client-codebuild/src/commands/DeleteBuildBatchCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteBuildBatchCommand.ts @@ -89,4 +89,16 @@ export class DeleteBuildBatchCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBuildBatchCommand) .de(de_DeleteBuildBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBuildBatchInput; + output: DeleteBuildBatchOutput; + }; + sdk: { + input: DeleteBuildBatchCommandInput; + output: DeleteBuildBatchCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteFleetCommand.ts b/clients/client-codebuild/src/commands/DeleteFleetCommand.ts index 6981a6ecf2b9..db80f59d179f 100644 --- a/clients/client-codebuild/src/commands/DeleteFleetCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteFleetCommand.ts @@ -78,4 +78,16 @@ export class DeleteFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetCommand) .de(de_DeleteFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetInput; + output: {}; + }; + sdk: { + input: DeleteFleetCommandInput; + output: DeleteFleetCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteProjectCommand.ts b/clients/client-codebuild/src/commands/DeleteProjectCommand.ts index 056226a532ec..ff8f554bb328 100644 --- a/clients/client-codebuild/src/commands/DeleteProjectCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteProjectCommand.ts @@ -79,4 +79,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectInput; + output: {}; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteReportCommand.ts b/clients/client-codebuild/src/commands/DeleteReportCommand.ts index 8babbe0a8042..3ceda123831f 100644 --- a/clients/client-codebuild/src/commands/DeleteReportCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteReportCommand.ts @@ -80,4 +80,16 @@ export class DeleteReportCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReportCommand) .de(de_DeleteReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReportInput; + output: {}; + }; + sdk: { + input: DeleteReportCommandInput; + output: DeleteReportCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteReportGroupCommand.ts b/clients/client-codebuild/src/commands/DeleteReportGroupCommand.ts index 33ba848ee5cf..7e6e3e6f293c 100644 --- a/clients/client-codebuild/src/commands/DeleteReportGroupCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteReportGroupCommand.ts @@ -79,4 +79,16 @@ export class DeleteReportGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReportGroupCommand) .de(de_DeleteReportGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReportGroupInput; + output: {}; + }; + sdk: { + input: DeleteReportGroupCommandInput; + output: DeleteReportGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-codebuild/src/commands/DeleteResourcePolicyCommand.ts index bab0e41f4ac0..df9e0f28d36c 100644 --- a/clients/client-codebuild/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteResourcePolicyCommand.ts @@ -78,4 +78,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyInput; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteSourceCredentialsCommand.ts b/clients/client-codebuild/src/commands/DeleteSourceCredentialsCommand.ts index 5859933e2fe2..52739ce62599 100644 --- a/clients/client-codebuild/src/commands/DeleteSourceCredentialsCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteSourceCredentialsCommand.ts @@ -83,4 +83,16 @@ export class DeleteSourceCredentialsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSourceCredentialsCommand) .de(de_DeleteSourceCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSourceCredentialsInput; + output: DeleteSourceCredentialsOutput; + }; + sdk: { + input: DeleteSourceCredentialsCommandInput; + output: DeleteSourceCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DeleteWebhookCommand.ts b/clients/client-codebuild/src/commands/DeleteWebhookCommand.ts index 3d2df31f0298..a4f7a013aaa1 100644 --- a/clients/client-codebuild/src/commands/DeleteWebhookCommand.ts +++ b/clients/client-codebuild/src/commands/DeleteWebhookCommand.ts @@ -86,4 +86,16 @@ export class DeleteWebhookCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWebhookCommand) .de(de_DeleteWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWebhookInput; + output: {}; + }; + sdk: { + input: DeleteWebhookCommandInput; + output: DeleteWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DescribeCodeCoveragesCommand.ts b/clients/client-codebuild/src/commands/DescribeCodeCoveragesCommand.ts index 05509a99fcf5..7eb8e80f3bf6 100644 --- a/clients/client-codebuild/src/commands/DescribeCodeCoveragesCommand.ts +++ b/clients/client-codebuild/src/commands/DescribeCodeCoveragesCommand.ts @@ -100,4 +100,16 @@ export class DescribeCodeCoveragesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCodeCoveragesCommand) .de(de_DescribeCodeCoveragesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCodeCoveragesInput; + output: DescribeCodeCoveragesOutput; + }; + sdk: { + input: DescribeCodeCoveragesCommandInput; + output: DescribeCodeCoveragesCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/DescribeTestCasesCommand.ts b/clients/client-codebuild/src/commands/DescribeTestCasesCommand.ts index 0f46a4149203..0a2057c50f09 100644 --- a/clients/client-codebuild/src/commands/DescribeTestCasesCommand.ts +++ b/clients/client-codebuild/src/commands/DescribeTestCasesCommand.ts @@ -103,4 +103,16 @@ export class DescribeTestCasesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTestCasesCommand) .de(de_DescribeTestCasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTestCasesInput; + output: DescribeTestCasesOutput; + }; + sdk: { + input: DescribeTestCasesCommandInput; + output: DescribeTestCasesCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/GetReportGroupTrendCommand.ts b/clients/client-codebuild/src/commands/GetReportGroupTrendCommand.ts index 5165e1060d77..a23c3e00bbb8 100644 --- a/clients/client-codebuild/src/commands/GetReportGroupTrendCommand.ts +++ b/clients/client-codebuild/src/commands/GetReportGroupTrendCommand.ts @@ -95,4 +95,16 @@ export class GetReportGroupTrendCommand extends $Command .f(void 0, void 0) .ser(se_GetReportGroupTrendCommand) .de(de_GetReportGroupTrendCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReportGroupTrendInput; + output: GetReportGroupTrendOutput; + }; + sdk: { + input: GetReportGroupTrendCommandInput; + output: GetReportGroupTrendCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/GetResourcePolicyCommand.ts b/clients/client-codebuild/src/commands/GetResourcePolicyCommand.ts index adddd6f151da..ab60926eaa8d 100644 --- a/clients/client-codebuild/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-codebuild/src/commands/GetResourcePolicyCommand.ts @@ -83,4 +83,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyInput; + output: GetResourcePolicyOutput; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ImportSourceCredentialsCommand.ts b/clients/client-codebuild/src/commands/ImportSourceCredentialsCommand.ts index abc62824c7b6..7bb5b69eb43b 100644 --- a/clients/client-codebuild/src/commands/ImportSourceCredentialsCommand.ts +++ b/clients/client-codebuild/src/commands/ImportSourceCredentialsCommand.ts @@ -96,4 +96,16 @@ export class ImportSourceCredentialsCommand extends $Command .f(ImportSourceCredentialsInputFilterSensitiveLog, void 0) .ser(se_ImportSourceCredentialsCommand) .de(de_ImportSourceCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportSourceCredentialsInput; + output: ImportSourceCredentialsOutput; + }; + sdk: { + input: ImportSourceCredentialsCommandInput; + output: ImportSourceCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/InvalidateProjectCacheCommand.ts b/clients/client-codebuild/src/commands/InvalidateProjectCacheCommand.ts index 3ea0ebe26b6a..58fe0eaec2e8 100644 --- a/clients/client-codebuild/src/commands/InvalidateProjectCacheCommand.ts +++ b/clients/client-codebuild/src/commands/InvalidateProjectCacheCommand.ts @@ -81,4 +81,16 @@ export class InvalidateProjectCacheCommand extends $Command .f(void 0, void 0) .ser(se_InvalidateProjectCacheCommand) .de(de_InvalidateProjectCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvalidateProjectCacheInput; + output: {}; + }; + sdk: { + input: InvalidateProjectCacheCommandInput; + output: InvalidateProjectCacheCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListBuildBatchesCommand.ts b/clients/client-codebuild/src/commands/ListBuildBatchesCommand.ts index 0f2118c94bc9..b3d353767d17 100644 --- a/clients/client-codebuild/src/commands/ListBuildBatchesCommand.ts +++ b/clients/client-codebuild/src/commands/ListBuildBatchesCommand.ts @@ -88,4 +88,16 @@ export class ListBuildBatchesCommand extends $Command .f(void 0, void 0) .ser(se_ListBuildBatchesCommand) .de(de_ListBuildBatchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBuildBatchesInput; + output: ListBuildBatchesOutput; + }; + sdk: { + input: ListBuildBatchesCommandInput; + output: ListBuildBatchesCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListBuildBatchesForProjectCommand.ts b/clients/client-codebuild/src/commands/ListBuildBatchesForProjectCommand.ts index d7772ad8c08b..669a56941f48 100644 --- a/clients/client-codebuild/src/commands/ListBuildBatchesForProjectCommand.ts +++ b/clients/client-codebuild/src/commands/ListBuildBatchesForProjectCommand.ts @@ -92,4 +92,16 @@ export class ListBuildBatchesForProjectCommand extends $Command .f(void 0, void 0) .ser(se_ListBuildBatchesForProjectCommand) .de(de_ListBuildBatchesForProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBuildBatchesForProjectInput; + output: ListBuildBatchesForProjectOutput; + }; + sdk: { + input: ListBuildBatchesForProjectCommandInput; + output: ListBuildBatchesForProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListBuildsCommand.ts b/clients/client-codebuild/src/commands/ListBuildsCommand.ts index 688d0ed6c520..157afb20a454 100644 --- a/clients/client-codebuild/src/commands/ListBuildsCommand.ts +++ b/clients/client-codebuild/src/commands/ListBuildsCommand.ts @@ -84,4 +84,16 @@ export class ListBuildsCommand extends $Command .f(void 0, void 0) .ser(se_ListBuildsCommand) .de(de_ListBuildsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBuildsInput; + output: ListBuildsOutput; + }; + sdk: { + input: ListBuildsCommandInput; + output: ListBuildsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListBuildsForProjectCommand.ts b/clients/client-codebuild/src/commands/ListBuildsForProjectCommand.ts index eb7bcc72a0e8..65520d3fd827 100644 --- a/clients/client-codebuild/src/commands/ListBuildsForProjectCommand.ts +++ b/clients/client-codebuild/src/commands/ListBuildsForProjectCommand.ts @@ -89,4 +89,16 @@ export class ListBuildsForProjectCommand extends $Command .f(void 0, void 0) .ser(se_ListBuildsForProjectCommand) .de(de_ListBuildsForProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBuildsForProjectInput; + output: ListBuildsForProjectOutput; + }; + sdk: { + input: ListBuildsForProjectCommandInput; + output: ListBuildsForProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListCuratedEnvironmentImagesCommand.ts b/clients/client-codebuild/src/commands/ListCuratedEnvironmentImagesCommand.ts index 7cb8b152d955..d9f63664bda2 100644 --- a/clients/client-codebuild/src/commands/ListCuratedEnvironmentImagesCommand.ts +++ b/clients/client-codebuild/src/commands/ListCuratedEnvironmentImagesCommand.ts @@ -98,4 +98,16 @@ export class ListCuratedEnvironmentImagesCommand extends $Command .f(void 0, void 0) .ser(se_ListCuratedEnvironmentImagesCommand) .de(de_ListCuratedEnvironmentImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListCuratedEnvironmentImagesOutput; + }; + sdk: { + input: ListCuratedEnvironmentImagesCommandInput; + output: ListCuratedEnvironmentImagesCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListFleetsCommand.ts b/clients/client-codebuild/src/commands/ListFleetsCommand.ts index 4ed0840cfa6b..9e14941986e0 100644 --- a/clients/client-codebuild/src/commands/ListFleetsCommand.ts +++ b/clients/client-codebuild/src/commands/ListFleetsCommand.ts @@ -86,4 +86,16 @@ export class ListFleetsCommand extends $Command .f(ListFleetsInputFilterSensitiveLog, void 0) .ser(se_ListFleetsCommand) .de(de_ListFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetsInput; + output: ListFleetsOutput; + }; + sdk: { + input: ListFleetsCommandInput; + output: ListFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListProjectsCommand.ts b/clients/client-codebuild/src/commands/ListProjectsCommand.ts index 7f72acc1aac0..148c17b8b050 100644 --- a/clients/client-codebuild/src/commands/ListProjectsCommand.ts +++ b/clients/client-codebuild/src/commands/ListProjectsCommand.ts @@ -86,4 +86,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsInput; + output: ListProjectsOutput; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListReportGroupsCommand.ts b/clients/client-codebuild/src/commands/ListReportGroupsCommand.ts index fd3ae84fe898..25529cf87924 100644 --- a/clients/client-codebuild/src/commands/ListReportGroupsCommand.ts +++ b/clients/client-codebuild/src/commands/ListReportGroupsCommand.ts @@ -88,4 +88,16 @@ export class ListReportGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListReportGroupsCommand) .de(de_ListReportGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReportGroupsInput; + output: ListReportGroupsOutput; + }; + sdk: { + input: ListReportGroupsCommandInput; + output: ListReportGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListReportsCommand.ts b/clients/client-codebuild/src/commands/ListReportsCommand.ts index 61705f84d2e1..559e3c5935f0 100644 --- a/clients/client-codebuild/src/commands/ListReportsCommand.ts +++ b/clients/client-codebuild/src/commands/ListReportsCommand.ts @@ -90,4 +90,16 @@ export class ListReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListReportsCommand) .de(de_ListReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReportsInput; + output: ListReportsOutput; + }; + sdk: { + input: ListReportsCommandInput; + output: ListReportsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListReportsForReportGroupCommand.ts b/clients/client-codebuild/src/commands/ListReportsForReportGroupCommand.ts index 5cd082ccdcb1..2464313d34f4 100644 --- a/clients/client-codebuild/src/commands/ListReportsForReportGroupCommand.ts +++ b/clients/client-codebuild/src/commands/ListReportsForReportGroupCommand.ts @@ -94,4 +94,16 @@ export class ListReportsForReportGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListReportsForReportGroupCommand) .de(de_ListReportsForReportGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReportsForReportGroupInput; + output: ListReportsForReportGroupOutput; + }; + sdk: { + input: ListReportsForReportGroupCommandInput; + output: ListReportsForReportGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListSharedProjectsCommand.ts b/clients/client-codebuild/src/commands/ListSharedProjectsCommand.ts index aab78f6b755f..ff8077db2713 100644 --- a/clients/client-codebuild/src/commands/ListSharedProjectsCommand.ts +++ b/clients/client-codebuild/src/commands/ListSharedProjectsCommand.ts @@ -86,4 +86,16 @@ export class ListSharedProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListSharedProjectsCommand) .de(de_ListSharedProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSharedProjectsInput; + output: ListSharedProjectsOutput; + }; + sdk: { + input: ListSharedProjectsCommandInput; + output: ListSharedProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListSharedReportGroupsCommand.ts b/clients/client-codebuild/src/commands/ListSharedReportGroupsCommand.ts index f42c7d5a5139..c9b6ab49072f 100644 --- a/clients/client-codebuild/src/commands/ListSharedReportGroupsCommand.ts +++ b/clients/client-codebuild/src/commands/ListSharedReportGroupsCommand.ts @@ -87,4 +87,16 @@ export class ListSharedReportGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListSharedReportGroupsCommand) .de(de_ListSharedReportGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSharedReportGroupsInput; + output: ListSharedReportGroupsOutput; + }; + sdk: { + input: ListSharedReportGroupsCommandInput; + output: ListSharedReportGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/ListSourceCredentialsCommand.ts b/clients/client-codebuild/src/commands/ListSourceCredentialsCommand.ts index 8a3158b991ec..8eb78f62555d 100644 --- a/clients/client-codebuild/src/commands/ListSourceCredentialsCommand.ts +++ b/clients/client-codebuild/src/commands/ListSourceCredentialsCommand.ts @@ -85,4 +85,16 @@ export class ListSourceCredentialsCommand extends $Command .f(void 0, void 0) .ser(se_ListSourceCredentialsCommand) .de(de_ListSourceCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListSourceCredentialsOutput; + }; + sdk: { + input: ListSourceCredentialsCommandInput; + output: ListSourceCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/PutResourcePolicyCommand.ts b/clients/client-codebuild/src/commands/PutResourcePolicyCommand.ts index d5731f267d32..89fac7d314c8 100644 --- a/clients/client-codebuild/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-codebuild/src/commands/PutResourcePolicyCommand.ts @@ -85,4 +85,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyInput; + output: PutResourcePolicyOutput; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/RetryBuildBatchCommand.ts b/clients/client-codebuild/src/commands/RetryBuildBatchCommand.ts index c5c8ad7824fb..97dc4ec687f0 100644 --- a/clients/client-codebuild/src/commands/RetryBuildBatchCommand.ts +++ b/clients/client-codebuild/src/commands/RetryBuildBatchCommand.ts @@ -299,4 +299,16 @@ export class RetryBuildBatchCommand extends $Command .f(void 0, void 0) .ser(se_RetryBuildBatchCommand) .de(de_RetryBuildBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetryBuildBatchInput; + output: RetryBuildBatchOutput; + }; + sdk: { + input: RetryBuildBatchCommandInput; + output: RetryBuildBatchCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/RetryBuildCommand.ts b/clients/client-codebuild/src/commands/RetryBuildCommand.ts index e34683179434..53dc71f5c4f0 100644 --- a/clients/client-codebuild/src/commands/RetryBuildCommand.ts +++ b/clients/client-codebuild/src/commands/RetryBuildCommand.ts @@ -271,4 +271,16 @@ export class RetryBuildCommand extends $Command .f(void 0, void 0) .ser(se_RetryBuildCommand) .de(de_RetryBuildCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetryBuildInput; + output: RetryBuildOutput; + }; + sdk: { + input: RetryBuildCommandInput; + output: RetryBuildCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/StartBuildBatchCommand.ts b/clients/client-codebuild/src/commands/StartBuildBatchCommand.ts index fd4df9c428f2..5562d693c114 100644 --- a/clients/client-codebuild/src/commands/StartBuildBatchCommand.ts +++ b/clients/client-codebuild/src/commands/StartBuildBatchCommand.ts @@ -420,4 +420,16 @@ export class StartBuildBatchCommand extends $Command .f(void 0, void 0) .ser(se_StartBuildBatchCommand) .de(de_StartBuildBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBuildBatchInput; + output: StartBuildBatchOutput; + }; + sdk: { + input: StartBuildBatchCommandInput; + output: StartBuildBatchCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/StartBuildCommand.ts b/clients/client-codebuild/src/commands/StartBuildCommand.ts index a8224c595e31..678526ded28c 100644 --- a/clients/client-codebuild/src/commands/StartBuildCommand.ts +++ b/clients/client-codebuild/src/commands/StartBuildCommand.ts @@ -391,4 +391,16 @@ export class StartBuildCommand extends $Command .f(void 0, void 0) .ser(se_StartBuildCommand) .de(de_StartBuildCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBuildInput; + output: StartBuildOutput; + }; + sdk: { + input: StartBuildCommandInput; + output: StartBuildCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/StopBuildBatchCommand.ts b/clients/client-codebuild/src/commands/StopBuildBatchCommand.ts index d822c71d6a9e..4f4bb8ca8952 100644 --- a/clients/client-codebuild/src/commands/StopBuildBatchCommand.ts +++ b/clients/client-codebuild/src/commands/StopBuildBatchCommand.ts @@ -297,4 +297,16 @@ export class StopBuildBatchCommand extends $Command .f(void 0, void 0) .ser(se_StopBuildBatchCommand) .de(de_StopBuildBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopBuildBatchInput; + output: StopBuildBatchOutput; + }; + sdk: { + input: StopBuildBatchCommandInput; + output: StopBuildBatchCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/StopBuildCommand.ts b/clients/client-codebuild/src/commands/StopBuildCommand.ts index 21c674621546..5b36b4163ecd 100644 --- a/clients/client-codebuild/src/commands/StopBuildCommand.ts +++ b/clients/client-codebuild/src/commands/StopBuildCommand.ts @@ -267,4 +267,16 @@ export class StopBuildCommand extends $Command .f(void 0, void 0) .ser(se_StopBuildCommand) .de(de_StopBuildCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopBuildInput; + output: StopBuildOutput; + }; + sdk: { + input: StopBuildCommandInput; + output: StopBuildCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/UpdateFleetCommand.ts b/clients/client-codebuild/src/commands/UpdateFleetCommand.ts index 155cdbf5533a..bb439e74a764 100644 --- a/clients/client-codebuild/src/commands/UpdateFleetCommand.ts +++ b/clients/client-codebuild/src/commands/UpdateFleetCommand.ts @@ -160,4 +160,16 @@ export class UpdateFleetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFleetCommand) .de(de_UpdateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetInput; + output: UpdateFleetOutput; + }; + sdk: { + input: UpdateFleetCommandInput; + output: UpdateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/UpdateProjectCommand.ts b/clients/client-codebuild/src/commands/UpdateProjectCommand.ts index e3c13efe21da..46cf650b903d 100644 --- a/clients/client-codebuild/src/commands/UpdateProjectCommand.ts +++ b/clients/client-codebuild/src/commands/UpdateProjectCommand.ts @@ -437,4 +437,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectInput; + output: UpdateProjectOutput; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/UpdateProjectVisibilityCommand.ts b/clients/client-codebuild/src/commands/UpdateProjectVisibilityCommand.ts index f020c3494c45..47f05f97830b 100644 --- a/clients/client-codebuild/src/commands/UpdateProjectVisibilityCommand.ts +++ b/clients/client-codebuild/src/commands/UpdateProjectVisibilityCommand.ts @@ -123,4 +123,16 @@ export class UpdateProjectVisibilityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectVisibilityCommand) .de(de_UpdateProjectVisibilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectVisibilityInput; + output: UpdateProjectVisibilityOutput; + }; + sdk: { + input: UpdateProjectVisibilityCommandInput; + output: UpdateProjectVisibilityCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/UpdateReportGroupCommand.ts b/clients/client-codebuild/src/commands/UpdateReportGroupCommand.ts index 6a99c3817857..40f8bc21308d 100644 --- a/clients/client-codebuild/src/commands/UpdateReportGroupCommand.ts +++ b/clients/client-codebuild/src/commands/UpdateReportGroupCommand.ts @@ -126,4 +126,16 @@ export class UpdateReportGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReportGroupCommand) .de(de_UpdateReportGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReportGroupInput; + output: UpdateReportGroupOutput; + }; + sdk: { + input: UpdateReportGroupCommandInput; + output: UpdateReportGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts b/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts index 29ca1efb7cc5..f4a3fffff363 100644 --- a/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts +++ b/clients/client-codebuild/src/commands/UpdateWebhookCommand.ts @@ -124,4 +124,16 @@ export class UpdateWebhookCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWebhookCommand) .de(de_UpdateWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWebhookInput; + output: UpdateWebhookOutput; + }; + sdk: { + input: UpdateWebhookCommandInput; + output: UpdateWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/package.json b/clients/client-codecatalyst/package.json index b9e26b1096af..c77ff09e44dd 100644 --- a/clients/client-codecatalyst/package.json +++ b/clients/client-codecatalyst/package.json @@ -31,30 +31,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-codecatalyst/src/commands/CreateAccessTokenCommand.ts b/clients/client-codecatalyst/src/commands/CreateAccessTokenCommand.ts index c4fbc3374e34..f295feef600c 100644 --- a/clients/client-codecatalyst/src/commands/CreateAccessTokenCommand.ts +++ b/clients/client-codecatalyst/src/commands/CreateAccessTokenCommand.ts @@ -109,4 +109,16 @@ export class CreateAccessTokenCommand extends $Command .f(void 0, CreateAccessTokenResponseFilterSensitiveLog) .ser(se_CreateAccessTokenCommand) .de(de_CreateAccessTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessTokenRequest; + output: CreateAccessTokenResponse; + }; + sdk: { + input: CreateAccessTokenCommandInput; + output: CreateAccessTokenCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/CreateDevEnvironmentCommand.ts b/clients/client-codecatalyst/src/commands/CreateDevEnvironmentCommand.ts index 586303001781..512921a7599d 100644 --- a/clients/client-codecatalyst/src/commands/CreateDevEnvironmentCommand.ts +++ b/clients/client-codecatalyst/src/commands/CreateDevEnvironmentCommand.ts @@ -126,4 +126,16 @@ export class CreateDevEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDevEnvironmentCommand) .de(de_CreateDevEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDevEnvironmentRequest; + output: CreateDevEnvironmentResponse; + }; + sdk: { + input: CreateDevEnvironmentCommandInput; + output: CreateDevEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/CreateProjectCommand.ts b/clients/client-codecatalyst/src/commands/CreateProjectCommand.ts index a6a73e3db1b6..b7541956f0fc 100644 --- a/clients/client-codecatalyst/src/commands/CreateProjectCommand.ts +++ b/clients/client-codecatalyst/src/commands/CreateProjectCommand.ts @@ -102,4 +102,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: CreateProjectResponse; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/CreateSourceRepositoryBranchCommand.ts b/clients/client-codecatalyst/src/commands/CreateSourceRepositoryBranchCommand.ts index 46594bf52bd0..a500ff1e2876 100644 --- a/clients/client-codecatalyst/src/commands/CreateSourceRepositoryBranchCommand.ts +++ b/clients/client-codecatalyst/src/commands/CreateSourceRepositoryBranchCommand.ts @@ -112,4 +112,16 @@ export class CreateSourceRepositoryBranchCommand extends $Command .f(void 0, void 0) .ser(se_CreateSourceRepositoryBranchCommand) .de(de_CreateSourceRepositoryBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSourceRepositoryBranchRequest; + output: CreateSourceRepositoryBranchResponse; + }; + sdk: { + input: CreateSourceRepositoryBranchCommandInput; + output: CreateSourceRepositoryBranchCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/CreateSourceRepositoryCommand.ts b/clients/client-codecatalyst/src/commands/CreateSourceRepositoryCommand.ts index 82e68ac7c80f..d7ae0a669097 100644 --- a/clients/client-codecatalyst/src/commands/CreateSourceRepositoryCommand.ts +++ b/clients/client-codecatalyst/src/commands/CreateSourceRepositoryCommand.ts @@ -104,4 +104,16 @@ export class CreateSourceRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateSourceRepositoryCommand) .de(de_CreateSourceRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSourceRepositoryRequest; + output: CreateSourceRepositoryResponse; + }; + sdk: { + input: CreateSourceRepositoryCommandInput; + output: CreateSourceRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/DeleteAccessTokenCommand.ts b/clients/client-codecatalyst/src/commands/DeleteAccessTokenCommand.ts index 3f30d7513a6b..e37fd3fa1c67 100644 --- a/clients/client-codecatalyst/src/commands/DeleteAccessTokenCommand.ts +++ b/clients/client-codecatalyst/src/commands/DeleteAccessTokenCommand.ts @@ -95,4 +95,16 @@ export class DeleteAccessTokenCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessTokenCommand) .de(de_DeleteAccessTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessTokenRequest; + output: {}; + }; + sdk: { + input: DeleteAccessTokenCommandInput; + output: DeleteAccessTokenCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/DeleteDevEnvironmentCommand.ts b/clients/client-codecatalyst/src/commands/DeleteDevEnvironmentCommand.ts index 97964fbb9647..7f07c78f6c60 100644 --- a/clients/client-codecatalyst/src/commands/DeleteDevEnvironmentCommand.ts +++ b/clients/client-codecatalyst/src/commands/DeleteDevEnvironmentCommand.ts @@ -101,4 +101,16 @@ export class DeleteDevEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDevEnvironmentCommand) .de(de_DeleteDevEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDevEnvironmentRequest; + output: DeleteDevEnvironmentResponse; + }; + sdk: { + input: DeleteDevEnvironmentCommandInput; + output: DeleteDevEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/DeleteProjectCommand.ts b/clients/client-codecatalyst/src/commands/DeleteProjectCommand.ts index dd184c0574fd..d6a4e60b5902 100644 --- a/clients/client-codecatalyst/src/commands/DeleteProjectCommand.ts +++ b/clients/client-codecatalyst/src/commands/DeleteProjectCommand.ts @@ -100,4 +100,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: DeleteProjectResponse; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/DeleteSourceRepositoryCommand.ts b/clients/client-codecatalyst/src/commands/DeleteSourceRepositoryCommand.ts index d578fbc18a4a..6790d18094c9 100644 --- a/clients/client-codecatalyst/src/commands/DeleteSourceRepositoryCommand.ts +++ b/clients/client-codecatalyst/src/commands/DeleteSourceRepositoryCommand.ts @@ -101,4 +101,16 @@ export class DeleteSourceRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSourceRepositoryCommand) .de(de_DeleteSourceRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSourceRepositoryRequest; + output: DeleteSourceRepositoryResponse; + }; + sdk: { + input: DeleteSourceRepositoryCommandInput; + output: DeleteSourceRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/DeleteSpaceCommand.ts b/clients/client-codecatalyst/src/commands/DeleteSpaceCommand.ts index 2ce650d89937..f637df8bebfc 100644 --- a/clients/client-codecatalyst/src/commands/DeleteSpaceCommand.ts +++ b/clients/client-codecatalyst/src/commands/DeleteSpaceCommand.ts @@ -101,4 +101,16 @@ export class DeleteSpaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSpaceCommand) .de(de_DeleteSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSpaceRequest; + output: DeleteSpaceResponse; + }; + sdk: { + input: DeleteSpaceCommandInput; + output: DeleteSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetDevEnvironmentCommand.ts b/clients/client-codecatalyst/src/commands/GetDevEnvironmentCommand.ts index 0775a5174ed2..ab21ed5d34b1 100644 --- a/clients/client-codecatalyst/src/commands/GetDevEnvironmentCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetDevEnvironmentCommand.ts @@ -124,4 +124,16 @@ export class GetDevEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_GetDevEnvironmentCommand) .de(de_GetDevEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevEnvironmentRequest; + output: GetDevEnvironmentResponse; + }; + sdk: { + input: GetDevEnvironmentCommandInput; + output: GetDevEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetProjectCommand.ts b/clients/client-codecatalyst/src/commands/GetProjectCommand.ts index 4e680246f0e0..328ca76e17aa 100644 --- a/clients/client-codecatalyst/src/commands/GetProjectCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetProjectCommand.ts @@ -101,4 +101,16 @@ export class GetProjectCommand extends $Command .f(void 0, void 0) .ser(se_GetProjectCommand) .de(de_GetProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProjectRequest; + output: GetProjectResponse; + }; + sdk: { + input: GetProjectCommandInput; + output: GetProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetSourceRepositoryCloneUrlsCommand.ts b/clients/client-codecatalyst/src/commands/GetSourceRepositoryCloneUrlsCommand.ts index 6b56ee76c6f5..0658cd29cb33 100644 --- a/clients/client-codecatalyst/src/commands/GetSourceRepositoryCloneUrlsCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetSourceRepositoryCloneUrlsCommand.ts @@ -105,4 +105,16 @@ export class GetSourceRepositoryCloneUrlsCommand extends $Command .f(void 0, void 0) .ser(se_GetSourceRepositoryCloneUrlsCommand) .de(de_GetSourceRepositoryCloneUrlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSourceRepositoryCloneUrlsRequest; + output: GetSourceRepositoryCloneUrlsResponse; + }; + sdk: { + input: GetSourceRepositoryCloneUrlsCommandInput; + output: GetSourceRepositoryCloneUrlsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetSourceRepositoryCommand.ts b/clients/client-codecatalyst/src/commands/GetSourceRepositoryCommand.ts index c5359d275801..ef4f0548b442 100644 --- a/clients/client-codecatalyst/src/commands/GetSourceRepositoryCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetSourceRepositoryCommand.ts @@ -104,4 +104,16 @@ export class GetSourceRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_GetSourceRepositoryCommand) .de(de_GetSourceRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSourceRepositoryRequest; + output: GetSourceRepositoryResponse; + }; + sdk: { + input: GetSourceRepositoryCommandInput; + output: GetSourceRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetSpaceCommand.ts b/clients/client-codecatalyst/src/commands/GetSpaceCommand.ts index 54f0c94e3411..d996067ff3ef 100644 --- a/clients/client-codecatalyst/src/commands/GetSpaceCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetSpaceCommand.ts @@ -100,4 +100,16 @@ export class GetSpaceCommand extends $Command .f(void 0, void 0) .ser(se_GetSpaceCommand) .de(de_GetSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSpaceRequest; + output: GetSpaceResponse; + }; + sdk: { + input: GetSpaceCommandInput; + output: GetSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetSubscriptionCommand.ts b/clients/client-codecatalyst/src/commands/GetSubscriptionCommand.ts index e46bebd3e1cf..f165ec40fa0a 100644 --- a/clients/client-codecatalyst/src/commands/GetSubscriptionCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetSubscriptionCommand.ts @@ -101,4 +101,16 @@ export class GetSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_GetSubscriptionCommand) .de(de_GetSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionRequest; + output: GetSubscriptionResponse; + }; + sdk: { + input: GetSubscriptionCommandInput; + output: GetSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetUserDetailsCommand.ts b/clients/client-codecatalyst/src/commands/GetUserDetailsCommand.ts index a82b84ec3e1e..d451b7c81403 100644 --- a/clients/client-codecatalyst/src/commands/GetUserDetailsCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetUserDetailsCommand.ts @@ -105,4 +105,16 @@ export class GetUserDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetUserDetailsCommand) .de(de_GetUserDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserDetailsRequest; + output: GetUserDetailsResponse; + }; + sdk: { + input: GetUserDetailsCommandInput; + output: GetUserDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetWorkflowCommand.ts b/clients/client-codecatalyst/src/commands/GetWorkflowCommand.ts index 85030dfed439..90075153b8f4 100644 --- a/clients/client-codecatalyst/src/commands/GetWorkflowCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetWorkflowCommand.ts @@ -111,4 +111,16 @@ export class GetWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowCommand) .de(de_GetWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRequest; + output: GetWorkflowResponse; + }; + sdk: { + input: GetWorkflowCommandInput; + output: GetWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/GetWorkflowRunCommand.ts b/clients/client-codecatalyst/src/commands/GetWorkflowRunCommand.ts index 7512c093cd73..410301bacbc1 100644 --- a/clients/client-codecatalyst/src/commands/GetWorkflowRunCommand.ts +++ b/clients/client-codecatalyst/src/commands/GetWorkflowRunCommand.ts @@ -109,4 +109,16 @@ export class GetWorkflowRunCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowRunCommand) .de(de_GetWorkflowRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRunRequest; + output: GetWorkflowRunResponse; + }; + sdk: { + input: GetWorkflowRunCommandInput; + output: GetWorkflowRunCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListAccessTokensCommand.ts b/clients/client-codecatalyst/src/commands/ListAccessTokensCommand.ts index a256a063b0d8..3dc59b393315 100644 --- a/clients/client-codecatalyst/src/commands/ListAccessTokensCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListAccessTokensCommand.ts @@ -105,4 +105,16 @@ export class ListAccessTokensCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessTokensCommand) .de(de_ListAccessTokensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessTokensRequest; + output: ListAccessTokensResponse; + }; + sdk: { + input: ListAccessTokensCommandInput; + output: ListAccessTokensCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListDevEnvironmentSessionsCommand.ts b/clients/client-codecatalyst/src/commands/ListDevEnvironmentSessionsCommand.ts index e525309d7891..55d3add74435 100644 --- a/clients/client-codecatalyst/src/commands/ListDevEnvironmentSessionsCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListDevEnvironmentSessionsCommand.ts @@ -110,4 +110,16 @@ export class ListDevEnvironmentSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDevEnvironmentSessionsCommand) .de(de_ListDevEnvironmentSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevEnvironmentSessionsRequest; + output: ListDevEnvironmentSessionsResponse; + }; + sdk: { + input: ListDevEnvironmentSessionsCommandInput; + output: ListDevEnvironmentSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListDevEnvironmentsCommand.ts b/clients/client-codecatalyst/src/commands/ListDevEnvironmentsCommand.ts index 5bf0d8471b90..35759d6e0a0c 100644 --- a/clients/client-codecatalyst/src/commands/ListDevEnvironmentsCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListDevEnvironmentsCommand.ts @@ -139,4 +139,16 @@ export class ListDevEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDevEnvironmentsCommand) .de(de_ListDevEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevEnvironmentsRequest; + output: ListDevEnvironmentsResponse; + }; + sdk: { + input: ListDevEnvironmentsCommandInput; + output: ListDevEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListEventLogsCommand.ts b/clients/client-codecatalyst/src/commands/ListEventLogsCommand.ts index f456e1d3a942..a3caaea2589e 100644 --- a/clients/client-codecatalyst/src/commands/ListEventLogsCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListEventLogsCommand.ts @@ -144,4 +144,16 @@ export class ListEventLogsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventLogsCommand) .de(de_ListEventLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventLogsRequest; + output: ListEventLogsResponse; + }; + sdk: { + input: ListEventLogsCommandInput; + output: ListEventLogsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListProjectsCommand.ts b/clients/client-codecatalyst/src/commands/ListProjectsCommand.ts index ecf6a1b50d5b..5396803a2b31 100644 --- a/clients/client-codecatalyst/src/commands/ListProjectsCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListProjectsCommand.ts @@ -115,4 +115,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsRequest; + output: ListProjectsResponse; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListSourceRepositoriesCommand.ts b/clients/client-codecatalyst/src/commands/ListSourceRepositoriesCommand.ts index 3a5a126e6da1..1f6b00db3822 100644 --- a/clients/client-codecatalyst/src/commands/ListSourceRepositoriesCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListSourceRepositoriesCommand.ts @@ -109,4 +109,16 @@ export class ListSourceRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_ListSourceRepositoriesCommand) .de(de_ListSourceRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSourceRepositoriesRequest; + output: ListSourceRepositoriesResponse; + }; + sdk: { + input: ListSourceRepositoriesCommandInput; + output: ListSourceRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListSourceRepositoryBranchesCommand.ts b/clients/client-codecatalyst/src/commands/ListSourceRepositoryBranchesCommand.ts index 1a0e9f540513..45f917111ec1 100644 --- a/clients/client-codecatalyst/src/commands/ListSourceRepositoryBranchesCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListSourceRepositoryBranchesCommand.ts @@ -114,4 +114,16 @@ export class ListSourceRepositoryBranchesCommand extends $Command .f(void 0, void 0) .ser(se_ListSourceRepositoryBranchesCommand) .de(de_ListSourceRepositoryBranchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSourceRepositoryBranchesRequest; + output: ListSourceRepositoryBranchesResponse; + }; + sdk: { + input: ListSourceRepositoryBranchesCommandInput; + output: ListSourceRepositoryBranchesCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListSpacesCommand.ts b/clients/client-codecatalyst/src/commands/ListSpacesCommand.ts index 8ca6e45c6817..ad8b679ab875 100644 --- a/clients/client-codecatalyst/src/commands/ListSpacesCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListSpacesCommand.ts @@ -105,4 +105,16 @@ export class ListSpacesCommand extends $Command .f(void 0, void 0) .ser(se_ListSpacesCommand) .de(de_ListSpacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSpacesRequest; + output: ListSpacesResponse; + }; + sdk: { + input: ListSpacesCommandInput; + output: ListSpacesCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListWorkflowRunsCommand.ts b/clients/client-codecatalyst/src/commands/ListWorkflowRunsCommand.ts index 2129d2c77465..83a383a7293d 100644 --- a/clients/client-codecatalyst/src/commands/ListWorkflowRunsCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListWorkflowRunsCommand.ts @@ -118,4 +118,16 @@ export class ListWorkflowRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowRunsCommand) .de(de_ListWorkflowRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowRunsRequest; + output: ListWorkflowRunsResponse; + }; + sdk: { + input: ListWorkflowRunsCommandInput; + output: ListWorkflowRunsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/ListWorkflowsCommand.ts b/clients/client-codecatalyst/src/commands/ListWorkflowsCommand.ts index ff88bb299450..fa5e3d1f4b68 100644 --- a/clients/client-codecatalyst/src/commands/ListWorkflowsCommand.ts +++ b/clients/client-codecatalyst/src/commands/ListWorkflowsCommand.ts @@ -118,4 +118,16 @@ export class ListWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowsCommand) .de(de_ListWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowsRequest; + output: ListWorkflowsResponse; + }; + sdk: { + input: ListWorkflowsCommandInput; + output: ListWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/StartDevEnvironmentCommand.ts b/clients/client-codecatalyst/src/commands/StartDevEnvironmentCommand.ts index b729c2fdb4ee..81709d09af96 100644 --- a/clients/client-codecatalyst/src/commands/StartDevEnvironmentCommand.ts +++ b/clients/client-codecatalyst/src/commands/StartDevEnvironmentCommand.ts @@ -110,4 +110,16 @@ export class StartDevEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_StartDevEnvironmentCommand) .de(de_StartDevEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDevEnvironmentRequest; + output: StartDevEnvironmentResponse; + }; + sdk: { + input: StartDevEnvironmentCommandInput; + output: StartDevEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/StartDevEnvironmentSessionCommand.ts b/clients/client-codecatalyst/src/commands/StartDevEnvironmentSessionCommand.ts index 13c13df8eea3..860080ca385e 100644 --- a/clients/client-codecatalyst/src/commands/StartDevEnvironmentSessionCommand.ts +++ b/clients/client-codecatalyst/src/commands/StartDevEnvironmentSessionCommand.ts @@ -119,4 +119,16 @@ export class StartDevEnvironmentSessionCommand extends $Command .f(void 0, StartDevEnvironmentSessionResponseFilterSensitiveLog) .ser(se_StartDevEnvironmentSessionCommand) .de(de_StartDevEnvironmentSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDevEnvironmentSessionRequest; + output: StartDevEnvironmentSessionResponse; + }; + sdk: { + input: StartDevEnvironmentSessionCommandInput; + output: StartDevEnvironmentSessionCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/StartWorkflowRunCommand.ts b/clients/client-codecatalyst/src/commands/StartWorkflowRunCommand.ts index 4416bc7246bb..f6dace81899d 100644 --- a/clients/client-codecatalyst/src/commands/StartWorkflowRunCommand.ts +++ b/clients/client-codecatalyst/src/commands/StartWorkflowRunCommand.ts @@ -103,4 +103,16 @@ export class StartWorkflowRunCommand extends $Command .f(void 0, void 0) .ser(se_StartWorkflowRunCommand) .de(de_StartWorkflowRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartWorkflowRunRequest; + output: StartWorkflowRunResponse; + }; + sdk: { + input: StartWorkflowRunCommandInput; + output: StartWorkflowRunCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/StopDevEnvironmentCommand.ts b/clients/client-codecatalyst/src/commands/StopDevEnvironmentCommand.ts index 5b7bcfd03395..a9dff2710b1d 100644 --- a/clients/client-codecatalyst/src/commands/StopDevEnvironmentCommand.ts +++ b/clients/client-codecatalyst/src/commands/StopDevEnvironmentCommand.ts @@ -102,4 +102,16 @@ export class StopDevEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_StopDevEnvironmentCommand) .de(de_StopDevEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDevEnvironmentRequest; + output: StopDevEnvironmentResponse; + }; + sdk: { + input: StopDevEnvironmentCommandInput; + output: StopDevEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/StopDevEnvironmentSessionCommand.ts b/clients/client-codecatalyst/src/commands/StopDevEnvironmentSessionCommand.ts index 5807a977fb3c..00140c113ff8 100644 --- a/clients/client-codecatalyst/src/commands/StopDevEnvironmentSessionCommand.ts +++ b/clients/client-codecatalyst/src/commands/StopDevEnvironmentSessionCommand.ts @@ -103,4 +103,16 @@ export class StopDevEnvironmentSessionCommand extends $Command .f(void 0, void 0) .ser(se_StopDevEnvironmentSessionCommand) .de(de_StopDevEnvironmentSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDevEnvironmentSessionRequest; + output: StopDevEnvironmentSessionResponse; + }; + sdk: { + input: StopDevEnvironmentSessionCommandInput; + output: StopDevEnvironmentSessionCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/UpdateDevEnvironmentCommand.ts b/clients/client-codecatalyst/src/commands/UpdateDevEnvironmentCommand.ts index 814bdc633aeb..898d1f24b235 100644 --- a/clients/client-codecatalyst/src/commands/UpdateDevEnvironmentCommand.ts +++ b/clients/client-codecatalyst/src/commands/UpdateDevEnvironmentCommand.ts @@ -121,4 +121,16 @@ export class UpdateDevEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDevEnvironmentCommand) .de(de_UpdateDevEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDevEnvironmentRequest; + output: UpdateDevEnvironmentResponse; + }; + sdk: { + input: UpdateDevEnvironmentCommandInput; + output: UpdateDevEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/UpdateProjectCommand.ts b/clients/client-codecatalyst/src/commands/UpdateProjectCommand.ts index 0af2f4a09970..b2c8a6332fb5 100644 --- a/clients/client-codecatalyst/src/commands/UpdateProjectCommand.ts +++ b/clients/client-codecatalyst/src/commands/UpdateProjectCommand.ts @@ -102,4 +102,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectRequest; + output: UpdateProjectResponse; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/UpdateSpaceCommand.ts b/clients/client-codecatalyst/src/commands/UpdateSpaceCommand.ts index dc21315c61c5..4fb3e89bf8f1 100644 --- a/clients/client-codecatalyst/src/commands/UpdateSpaceCommand.ts +++ b/clients/client-codecatalyst/src/commands/UpdateSpaceCommand.ts @@ -100,4 +100,16 @@ export class UpdateSpaceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSpaceCommand) .de(de_UpdateSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSpaceRequest; + output: UpdateSpaceResponse; + }; + sdk: { + input: UpdateSpaceCommandInput; + output: UpdateSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-codecatalyst/src/commands/VerifySessionCommand.ts b/clients/client-codecatalyst/src/commands/VerifySessionCommand.ts index bccb11169a6e..159a080b971c 100644 --- a/clients/client-codecatalyst/src/commands/VerifySessionCommand.ts +++ b/clients/client-codecatalyst/src/commands/VerifySessionCommand.ts @@ -95,4 +95,16 @@ export class VerifySessionCommand extends $Command .f(void 0, void 0) .ser(se_VerifySessionCommand) .de(de_VerifySessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: VerifySessionResponse; + }; + sdk: { + input: VerifySessionCommandInput; + output: VerifySessionCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/package.json b/clients/client-codecommit/package.json index db97b9a6172d..f3d01d3c28c3 100644 --- a/clients/client-codecommit/package.json +++ b/clients/client-codecommit/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-codecommit/src/commands/AssociateApprovalRuleTemplateWithRepositoryCommand.ts b/clients/client-codecommit/src/commands/AssociateApprovalRuleTemplateWithRepositoryCommand.ts index 0564cabff421..1b0602bfafab 100644 --- a/clients/client-codecommit/src/commands/AssociateApprovalRuleTemplateWithRepositoryCommand.ts +++ b/clients/client-codecommit/src/commands/AssociateApprovalRuleTemplateWithRepositoryCommand.ts @@ -131,4 +131,16 @@ export class AssociateApprovalRuleTemplateWithRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_AssociateApprovalRuleTemplateWithRepositoryCommand) .de(de_AssociateApprovalRuleTemplateWithRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateApprovalRuleTemplateWithRepositoryInput; + output: {}; + }; + sdk: { + input: AssociateApprovalRuleTemplateWithRepositoryCommandInput; + output: AssociateApprovalRuleTemplateWithRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/BatchAssociateApprovalRuleTemplateWithRepositoriesCommand.ts b/clients/client-codecommit/src/commands/BatchAssociateApprovalRuleTemplateWithRepositoriesCommand.ts index ac79b967d01c..0d3b36a6de0e 100644 --- a/clients/client-codecommit/src/commands/BatchAssociateApprovalRuleTemplateWithRepositoriesCommand.ts +++ b/clients/client-codecommit/src/commands/BatchAssociateApprovalRuleTemplateWithRepositoriesCommand.ts @@ -131,4 +131,16 @@ export class BatchAssociateApprovalRuleTemplateWithRepositoriesCommand extends $ .f(void 0, void 0) .ser(se_BatchAssociateApprovalRuleTemplateWithRepositoriesCommand) .de(de_BatchAssociateApprovalRuleTemplateWithRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateApprovalRuleTemplateWithRepositoriesInput; + output: BatchAssociateApprovalRuleTemplateWithRepositoriesOutput; + }; + sdk: { + input: BatchAssociateApprovalRuleTemplateWithRepositoriesCommandInput; + output: BatchAssociateApprovalRuleTemplateWithRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/BatchDescribeMergeConflictsCommand.ts b/clients/client-codecommit/src/commands/BatchDescribeMergeConflictsCommand.ts index a16c3f7e6992..3cca18e60098 100644 --- a/clients/client-codecommit/src/commands/BatchDescribeMergeConflictsCommand.ts +++ b/clients/client-codecommit/src/commands/BatchDescribeMergeConflictsCommand.ts @@ -222,4 +222,16 @@ export class BatchDescribeMergeConflictsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDescribeMergeConflictsCommand) .de(de_BatchDescribeMergeConflictsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDescribeMergeConflictsInput; + output: BatchDescribeMergeConflictsOutput; + }; + sdk: { + input: BatchDescribeMergeConflictsCommandInput; + output: BatchDescribeMergeConflictsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/BatchDisassociateApprovalRuleTemplateFromRepositoriesCommand.ts b/clients/client-codecommit/src/commands/BatchDisassociateApprovalRuleTemplateFromRepositoriesCommand.ts index c2b8618ddd78..ce453f5aef13 100644 --- a/clients/client-codecommit/src/commands/BatchDisassociateApprovalRuleTemplateFromRepositoriesCommand.ts +++ b/clients/client-codecommit/src/commands/BatchDisassociateApprovalRuleTemplateFromRepositoriesCommand.ts @@ -131,4 +131,16 @@ export class BatchDisassociateApprovalRuleTemplateFromRepositoriesCommand extend .f(void 0, void 0) .ser(se_BatchDisassociateApprovalRuleTemplateFromRepositoriesCommand) .de(de_BatchDisassociateApprovalRuleTemplateFromRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateApprovalRuleTemplateFromRepositoriesInput; + output: BatchDisassociateApprovalRuleTemplateFromRepositoriesOutput; + }; + sdk: { + input: BatchDisassociateApprovalRuleTemplateFromRepositoriesCommandInput; + output: BatchDisassociateApprovalRuleTemplateFromRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/BatchGetCommitsCommand.ts b/clients/client-codecommit/src/commands/BatchGetCommitsCommand.ts index 05ff60f4b4ec..4669e7dcd34b 100644 --- a/clients/client-codecommit/src/commands/BatchGetCommitsCommand.ts +++ b/clients/client-codecommit/src/commands/BatchGetCommitsCommand.ts @@ -142,4 +142,16 @@ export class BatchGetCommitsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetCommitsCommand) .de(de_BatchGetCommitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetCommitsInput; + output: BatchGetCommitsOutput; + }; + sdk: { + input: BatchGetCommitsCommandInput; + output: BatchGetCommitsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/BatchGetRepositoriesCommand.ts b/clients/client-codecommit/src/commands/BatchGetRepositoriesCommand.ts index a4b7bac2a819..32af7c1cb18b 100644 --- a/clients/client-codecommit/src/commands/BatchGetRepositoriesCommand.ts +++ b/clients/client-codecommit/src/commands/BatchGetRepositoriesCommand.ts @@ -140,4 +140,16 @@ export class BatchGetRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetRepositoriesCommand) .de(de_BatchGetRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetRepositoriesInput; + output: BatchGetRepositoriesOutput; + }; + sdk: { + input: BatchGetRepositoriesCommandInput; + output: BatchGetRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/CreateApprovalRuleTemplateCommand.ts b/clients/client-codecommit/src/commands/CreateApprovalRuleTemplateCommand.ts index c04c1ce2aca1..4fc0805898c8 100644 --- a/clients/client-codecommit/src/commands/CreateApprovalRuleTemplateCommand.ts +++ b/clients/client-codecommit/src/commands/CreateApprovalRuleTemplateCommand.ts @@ -119,4 +119,16 @@ export class CreateApprovalRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateApprovalRuleTemplateCommand) .de(de_CreateApprovalRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApprovalRuleTemplateInput; + output: CreateApprovalRuleTemplateOutput; + }; + sdk: { + input: CreateApprovalRuleTemplateCommandInput; + output: CreateApprovalRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/CreateBranchCommand.ts b/clients/client-codecommit/src/commands/CreateBranchCommand.ts index 9c7cd5e2bff4..041da3c31c28 100644 --- a/clients/client-codecommit/src/commands/CreateBranchCommand.ts +++ b/clients/client-codecommit/src/commands/CreateBranchCommand.ts @@ -129,4 +129,16 @@ export class CreateBranchCommand extends $Command .f(void 0, void 0) .ser(se_CreateBranchCommand) .de(de_CreateBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBranchInput; + output: {}; + }; + sdk: { + input: CreateBranchCommandInput; + output: CreateBranchCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/CreateCommitCommand.ts b/clients/client-codecommit/src/commands/CreateCommitCommand.ts index 60a85100739a..6884c71b3a82 100644 --- a/clients/client-codecommit/src/commands/CreateCommitCommand.ts +++ b/clients/client-codecommit/src/commands/CreateCommitCommand.ts @@ -265,4 +265,16 @@ export class CreateCommitCommand extends $Command .f(void 0, void 0) .ser(se_CreateCommitCommand) .de(de_CreateCommitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCommitInput; + output: CreateCommitOutput; + }; + sdk: { + input: CreateCommitCommandInput; + output: CreateCommitCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/CreatePullRequestApprovalRuleCommand.ts b/clients/client-codecommit/src/commands/CreatePullRequestApprovalRuleCommand.ts index f893ebe8d8c5..320e1c6ec334 100644 --- a/clients/client-codecommit/src/commands/CreatePullRequestApprovalRuleCommand.ts +++ b/clients/client-codecommit/src/commands/CreatePullRequestApprovalRuleCommand.ts @@ -142,4 +142,16 @@ export class CreatePullRequestApprovalRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreatePullRequestApprovalRuleCommand) .de(de_CreatePullRequestApprovalRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePullRequestApprovalRuleInput; + output: CreatePullRequestApprovalRuleOutput; + }; + sdk: { + input: CreatePullRequestApprovalRuleCommandInput; + output: CreatePullRequestApprovalRuleCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/CreatePullRequestCommand.ts b/clients/client-codecommit/src/commands/CreatePullRequestCommand.ts index b7a0809e0c59..24c2620f2638 100644 --- a/clients/client-codecommit/src/commands/CreatePullRequestCommand.ts +++ b/clients/client-codecommit/src/commands/CreatePullRequestCommand.ts @@ -218,4 +218,16 @@ export class CreatePullRequestCommand extends $Command .f(void 0, void 0) .ser(se_CreatePullRequestCommand) .de(de_CreatePullRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePullRequestInput; + output: CreatePullRequestOutput; + }; + sdk: { + input: CreatePullRequestCommandInput; + output: CreatePullRequestCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/CreateRepositoryCommand.ts b/clients/client-codecommit/src/commands/CreateRepositoryCommand.ts index 81e34f30510e..4fa609c458fc 100644 --- a/clients/client-codecommit/src/commands/CreateRepositoryCommand.ts +++ b/clients/client-codecommit/src/commands/CreateRepositoryCommand.ts @@ -151,4 +151,16 @@ export class CreateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryCommand) .de(de_CreateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryInput; + output: CreateRepositoryOutput; + }; + sdk: { + input: CreateRepositoryCommandInput; + output: CreateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/CreateUnreferencedMergeCommitCommand.ts b/clients/client-codecommit/src/commands/CreateUnreferencedMergeCommitCommand.ts index c9f11ded3a0f..d2dfd0f5b842 100644 --- a/clients/client-codecommit/src/commands/CreateUnreferencedMergeCommitCommand.ts +++ b/clients/client-codecommit/src/commands/CreateUnreferencedMergeCommitCommand.ts @@ -240,4 +240,16 @@ export class CreateUnreferencedMergeCommitCommand extends $Command .f(void 0, void 0) .ser(se_CreateUnreferencedMergeCommitCommand) .de(de_CreateUnreferencedMergeCommitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUnreferencedMergeCommitInput; + output: CreateUnreferencedMergeCommitOutput; + }; + sdk: { + input: CreateUnreferencedMergeCommitCommandInput; + output: CreateUnreferencedMergeCommitCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DeleteApprovalRuleTemplateCommand.ts b/clients/client-codecommit/src/commands/DeleteApprovalRuleTemplateCommand.ts index 2b1ca7d31500..a58cb6a5201a 100644 --- a/clients/client-codecommit/src/commands/DeleteApprovalRuleTemplateCommand.ts +++ b/clients/client-codecommit/src/commands/DeleteApprovalRuleTemplateCommand.ts @@ -89,4 +89,16 @@ export class DeleteApprovalRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApprovalRuleTemplateCommand) .de(de_DeleteApprovalRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApprovalRuleTemplateInput; + output: DeleteApprovalRuleTemplateOutput; + }; + sdk: { + input: DeleteApprovalRuleTemplateCommandInput; + output: DeleteApprovalRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DeleteBranchCommand.ts b/clients/client-codecommit/src/commands/DeleteBranchCommand.ts index 3e389af826ce..da02d4b6c864 100644 --- a/clients/client-codecommit/src/commands/DeleteBranchCommand.ts +++ b/clients/client-codecommit/src/commands/DeleteBranchCommand.ts @@ -119,4 +119,16 @@ export class DeleteBranchCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBranchCommand) .de(de_DeleteBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBranchInput; + output: DeleteBranchOutput; + }; + sdk: { + input: DeleteBranchCommandInput; + output: DeleteBranchCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DeleteCommentContentCommand.ts b/clients/client-codecommit/src/commands/DeleteCommentContentCommand.ts index af2ff5f5edc8..344c99d2dd70 100644 --- a/clients/client-codecommit/src/commands/DeleteCommentContentCommand.ts +++ b/clients/client-codecommit/src/commands/DeleteCommentContentCommand.ts @@ -105,4 +105,16 @@ export class DeleteCommentContentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCommentContentCommand) .de(de_DeleteCommentContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCommentContentInput; + output: DeleteCommentContentOutput; + }; + sdk: { + input: DeleteCommentContentCommandInput; + output: DeleteCommentContentCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DeleteFileCommand.ts b/clients/client-codecommit/src/commands/DeleteFileCommand.ts index 3f803045c6ea..3214f71ca8ff 100644 --- a/clients/client-codecommit/src/commands/DeleteFileCommand.ts +++ b/clients/client-codecommit/src/commands/DeleteFileCommand.ts @@ -166,4 +166,16 @@ export class DeleteFileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFileCommand) .de(de_DeleteFileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFileInput; + output: DeleteFileOutput; + }; + sdk: { + input: DeleteFileCommandInput; + output: DeleteFileCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DeletePullRequestApprovalRuleCommand.ts b/clients/client-codecommit/src/commands/DeletePullRequestApprovalRuleCommand.ts index 1f5e3b908fc1..9518caabf48f 100644 --- a/clients/client-codecommit/src/commands/DeletePullRequestApprovalRuleCommand.ts +++ b/clients/client-codecommit/src/commands/DeletePullRequestApprovalRuleCommand.ts @@ -122,4 +122,16 @@ export class DeletePullRequestApprovalRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeletePullRequestApprovalRuleCommand) .de(de_DeletePullRequestApprovalRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePullRequestApprovalRuleInput; + output: DeletePullRequestApprovalRuleOutput; + }; + sdk: { + input: DeletePullRequestApprovalRuleCommandInput; + output: DeletePullRequestApprovalRuleCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DeleteRepositoryCommand.ts b/clients/client-codecommit/src/commands/DeleteRepositoryCommand.ts index 7bc7afc7cbfa..a690f16dd6e0 100644 --- a/clients/client-codecommit/src/commands/DeleteRepositoryCommand.ts +++ b/clients/client-codecommit/src/commands/DeleteRepositoryCommand.ts @@ -108,4 +108,16 @@ export class DeleteRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryCommand) .de(de_DeleteRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryInput; + output: DeleteRepositoryOutput; + }; + sdk: { + input: DeleteRepositoryCommandInput; + output: DeleteRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DescribeMergeConflictsCommand.ts b/clients/client-codecommit/src/commands/DescribeMergeConflictsCommand.ts index 87b75373272e..bdc3d565abf4 100644 --- a/clients/client-codecommit/src/commands/DescribeMergeConflictsCommand.ts +++ b/clients/client-codecommit/src/commands/DescribeMergeConflictsCommand.ts @@ -217,4 +217,16 @@ export class DescribeMergeConflictsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMergeConflictsCommand) .de(de_DescribeMergeConflictsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMergeConflictsInput; + output: DescribeMergeConflictsOutput; + }; + sdk: { + input: DescribeMergeConflictsCommandInput; + output: DescribeMergeConflictsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DescribePullRequestEventsCommand.ts b/clients/client-codecommit/src/commands/DescribePullRequestEventsCommand.ts index e21bd2404ecc..517c1ce689a0 100644 --- a/clients/client-codecommit/src/commands/DescribePullRequestEventsCommand.ts +++ b/clients/client-codecommit/src/commands/DescribePullRequestEventsCommand.ts @@ -167,4 +167,16 @@ export class DescribePullRequestEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePullRequestEventsCommand) .de(de_DescribePullRequestEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePullRequestEventsInput; + output: DescribePullRequestEventsOutput; + }; + sdk: { + input: DescribePullRequestEventsCommandInput; + output: DescribePullRequestEventsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/DisassociateApprovalRuleTemplateFromRepositoryCommand.ts b/clients/client-codecommit/src/commands/DisassociateApprovalRuleTemplateFromRepositoryCommand.ts index d1c8af39a96e..ac63fc11ab39 100644 --- a/clients/client-codecommit/src/commands/DisassociateApprovalRuleTemplateFromRepositoryCommand.ts +++ b/clients/client-codecommit/src/commands/DisassociateApprovalRuleTemplateFromRepositoryCommand.ts @@ -124,4 +124,16 @@ export class DisassociateApprovalRuleTemplateFromRepositoryCommand extends $Comm .f(void 0, void 0) .ser(se_DisassociateApprovalRuleTemplateFromRepositoryCommand) .de(de_DisassociateApprovalRuleTemplateFromRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateApprovalRuleTemplateFromRepositoryInput; + output: {}; + }; + sdk: { + input: DisassociateApprovalRuleTemplateFromRepositoryCommandInput; + output: DisassociateApprovalRuleTemplateFromRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/EvaluatePullRequestApprovalRulesCommand.ts b/clients/client-codecommit/src/commands/EvaluatePullRequestApprovalRulesCommand.ts index 48f70b36518c..6d679b05e3ab 100644 --- a/clients/client-codecommit/src/commands/EvaluatePullRequestApprovalRulesCommand.ts +++ b/clients/client-codecommit/src/commands/EvaluatePullRequestApprovalRulesCommand.ts @@ -125,4 +125,16 @@ export class EvaluatePullRequestApprovalRulesCommand extends $Command .f(void 0, void 0) .ser(se_EvaluatePullRequestApprovalRulesCommand) .de(de_EvaluatePullRequestApprovalRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EvaluatePullRequestApprovalRulesInput; + output: EvaluatePullRequestApprovalRulesOutput; + }; + sdk: { + input: EvaluatePullRequestApprovalRulesCommandInput; + output: EvaluatePullRequestApprovalRulesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetApprovalRuleTemplateCommand.ts b/clients/client-codecommit/src/commands/GetApprovalRuleTemplateCommand.ts index e02e80149fc8..560828edfaea 100644 --- a/clients/client-codecommit/src/commands/GetApprovalRuleTemplateCommand.ts +++ b/clients/client-codecommit/src/commands/GetApprovalRuleTemplateCommand.ts @@ -98,4 +98,16 @@ export class GetApprovalRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetApprovalRuleTemplateCommand) .de(de_GetApprovalRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApprovalRuleTemplateInput; + output: GetApprovalRuleTemplateOutput; + }; + sdk: { + input: GetApprovalRuleTemplateCommandInput; + output: GetApprovalRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetBlobCommand.ts b/clients/client-codecommit/src/commands/GetBlobCommand.ts index 1ea4edc515d3..975dc274295c 100644 --- a/clients/client-codecommit/src/commands/GetBlobCommand.ts +++ b/clients/client-codecommit/src/commands/GetBlobCommand.ts @@ -120,4 +120,16 @@ export class GetBlobCommand extends $Command .f(void 0, void 0) .ser(se_GetBlobCommand) .de(de_GetBlobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlobInput; + output: GetBlobOutput; + }; + sdk: { + input: GetBlobCommandInput; + output: GetBlobCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetBranchCommand.ts b/clients/client-codecommit/src/commands/GetBranchCommand.ts index eefad7020182..9d84ec787b05 100644 --- a/clients/client-codecommit/src/commands/GetBranchCommand.ts +++ b/clients/client-codecommit/src/commands/GetBranchCommand.ts @@ -119,4 +119,16 @@ export class GetBranchCommand extends $Command .f(void 0, void 0) .ser(se_GetBranchCommand) .de(de_GetBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBranchInput; + output: GetBranchOutput; + }; + sdk: { + input: GetBranchCommandInput; + output: GetBranchCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetCommentCommand.ts b/clients/client-codecommit/src/commands/GetCommentCommand.ts index eaf758b4fba9..f4d43cd7d1d3 100644 --- a/clients/client-codecommit/src/commands/GetCommentCommand.ts +++ b/clients/client-codecommit/src/commands/GetCommentCommand.ts @@ -124,4 +124,16 @@ export class GetCommentCommand extends $Command .f(void 0, void 0) .ser(se_GetCommentCommand) .de(de_GetCommentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCommentInput; + output: GetCommentOutput; + }; + sdk: { + input: GetCommentCommandInput; + output: GetCommentCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetCommentReactionsCommand.ts b/clients/client-codecommit/src/commands/GetCommentReactionsCommand.ts index 6de16170f5eb..895abdebb511 100644 --- a/clients/client-codecommit/src/commands/GetCommentReactionsCommand.ts +++ b/clients/client-codecommit/src/commands/GetCommentReactionsCommand.ts @@ -115,4 +115,16 @@ export class GetCommentReactionsCommand extends $Command .f(void 0, void 0) .ser(se_GetCommentReactionsCommand) .de(de_GetCommentReactionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCommentReactionsInput; + output: GetCommentReactionsOutput; + }; + sdk: { + input: GetCommentReactionsCommandInput; + output: GetCommentReactionsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetCommentsForComparedCommitCommand.ts b/clients/client-codecommit/src/commands/GetCommentsForComparedCommitCommand.ts index bec5264159ea..dc078b0b9bea 100644 --- a/clients/client-codecommit/src/commands/GetCommentsForComparedCommitCommand.ts +++ b/clients/client-codecommit/src/commands/GetCommentsForComparedCommitCommand.ts @@ -166,4 +166,16 @@ export class GetCommentsForComparedCommitCommand extends $Command .f(void 0, void 0) .ser(se_GetCommentsForComparedCommitCommand) .de(de_GetCommentsForComparedCommitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCommentsForComparedCommitInput; + output: GetCommentsForComparedCommitOutput; + }; + sdk: { + input: GetCommentsForComparedCommitCommandInput; + output: GetCommentsForComparedCommitCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetCommentsForPullRequestCommand.ts b/clients/client-codecommit/src/commands/GetCommentsForPullRequestCommand.ts index 9067a2618e63..e2d2c807fa6d 100644 --- a/clients/client-codecommit/src/commands/GetCommentsForPullRequestCommand.ts +++ b/clients/client-codecommit/src/commands/GetCommentsForPullRequestCommand.ts @@ -175,4 +175,16 @@ export class GetCommentsForPullRequestCommand extends $Command .f(void 0, void 0) .ser(se_GetCommentsForPullRequestCommand) .de(de_GetCommentsForPullRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCommentsForPullRequestInput; + output: GetCommentsForPullRequestOutput; + }; + sdk: { + input: GetCommentsForPullRequestCommandInput; + output: GetCommentsForPullRequestCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetCommitCommand.ts b/clients/client-codecommit/src/commands/GetCommitCommand.ts index aabeb1856b5d..f7386dcee738 100644 --- a/clients/client-codecommit/src/commands/GetCommitCommand.ts +++ b/clients/client-codecommit/src/commands/GetCommitCommand.ts @@ -134,4 +134,16 @@ export class GetCommitCommand extends $Command .f(void 0, void 0) .ser(se_GetCommitCommand) .de(de_GetCommitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCommitInput; + output: GetCommitOutput; + }; + sdk: { + input: GetCommitCommandInput; + output: GetCommitCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetDifferencesCommand.ts b/clients/client-codecommit/src/commands/GetDifferencesCommand.ts index 9bb3f84ddeab..8b207646cb51 100644 --- a/clients/client-codecommit/src/commands/GetDifferencesCommand.ts +++ b/clients/client-codecommit/src/commands/GetDifferencesCommand.ts @@ -153,4 +153,16 @@ export class GetDifferencesCommand extends $Command .f(void 0, void 0) .ser(se_GetDifferencesCommand) .de(de_GetDifferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDifferencesInput; + output: GetDifferencesOutput; + }; + sdk: { + input: GetDifferencesCommandInput; + output: GetDifferencesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetFileCommand.ts b/clients/client-codecommit/src/commands/GetFileCommand.ts index c214e368f92d..8d93bea8b7b6 100644 --- a/clients/client-codecommit/src/commands/GetFileCommand.ts +++ b/clients/client-codecommit/src/commands/GetFileCommand.ts @@ -133,4 +133,16 @@ export class GetFileCommand extends $Command .f(void 0, void 0) .ser(se_GetFileCommand) .de(de_GetFileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFileInput; + output: GetFileOutput; + }; + sdk: { + input: GetFileCommandInput; + output: GetFileCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetFolderCommand.ts b/clients/client-codecommit/src/commands/GetFolderCommand.ts index e40dcac2e55e..2504f7424080 100644 --- a/clients/client-codecommit/src/commands/GetFolderCommand.ts +++ b/clients/client-codecommit/src/commands/GetFolderCommand.ts @@ -156,4 +156,16 @@ export class GetFolderCommand extends $Command .f(void 0, void 0) .ser(se_GetFolderCommand) .de(de_GetFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFolderInput; + output: GetFolderOutput; + }; + sdk: { + input: GetFolderCommandInput; + output: GetFolderCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetMergeCommitCommand.ts b/clients/client-codecommit/src/commands/GetMergeCommitCommand.ts index 8073fa10e656..6caee4e7c913 100644 --- a/clients/client-codecommit/src/commands/GetMergeCommitCommand.ts +++ b/clients/client-codecommit/src/commands/GetMergeCommitCommand.ts @@ -128,4 +128,16 @@ export class GetMergeCommitCommand extends $Command .f(void 0, void 0) .ser(se_GetMergeCommitCommand) .de(de_GetMergeCommitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMergeCommitInput; + output: GetMergeCommitOutput; + }; + sdk: { + input: GetMergeCommitCommandInput; + output: GetMergeCommitCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetMergeConflictsCommand.ts b/clients/client-codecommit/src/commands/GetMergeConflictsCommand.ts index 22759cf35706..58da53f0267d 100644 --- a/clients/client-codecommit/src/commands/GetMergeConflictsCommand.ts +++ b/clients/client-codecommit/src/commands/GetMergeConflictsCommand.ts @@ -193,4 +193,16 @@ export class GetMergeConflictsCommand extends $Command .f(void 0, void 0) .ser(se_GetMergeConflictsCommand) .de(de_GetMergeConflictsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMergeConflictsInput; + output: GetMergeConflictsOutput; + }; + sdk: { + input: GetMergeConflictsCommandInput; + output: GetMergeConflictsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetMergeOptionsCommand.ts b/clients/client-codecommit/src/commands/GetMergeOptionsCommand.ts index fd5775f64361..52f539066770 100644 --- a/clients/client-codecommit/src/commands/GetMergeOptionsCommand.ts +++ b/clients/client-codecommit/src/commands/GetMergeOptionsCommand.ts @@ -142,4 +142,16 @@ export class GetMergeOptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetMergeOptionsCommand) .de(de_GetMergeOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMergeOptionsInput; + output: GetMergeOptionsOutput; + }; + sdk: { + input: GetMergeOptionsCommandInput; + output: GetMergeOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetPullRequestApprovalStatesCommand.ts b/clients/client-codecommit/src/commands/GetPullRequestApprovalStatesCommand.ts index 7d2be39fd749..e68b754c8fbb 100644 --- a/clients/client-codecommit/src/commands/GetPullRequestApprovalStatesCommand.ts +++ b/clients/client-codecommit/src/commands/GetPullRequestApprovalStatesCommand.ts @@ -119,4 +119,16 @@ export class GetPullRequestApprovalStatesCommand extends $Command .f(void 0, void 0) .ser(se_GetPullRequestApprovalStatesCommand) .de(de_GetPullRequestApprovalStatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPullRequestApprovalStatesInput; + output: GetPullRequestApprovalStatesOutput; + }; + sdk: { + input: GetPullRequestApprovalStatesCommandInput; + output: GetPullRequestApprovalStatesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetPullRequestCommand.ts b/clients/client-codecommit/src/commands/GetPullRequestCommand.ts index a53d2abb80ba..f4be27bd26c1 100644 --- a/clients/client-codecommit/src/commands/GetPullRequestCommand.ts +++ b/clients/client-codecommit/src/commands/GetPullRequestCommand.ts @@ -142,4 +142,16 @@ export class GetPullRequestCommand extends $Command .f(void 0, void 0) .ser(se_GetPullRequestCommand) .de(de_GetPullRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPullRequestInput; + output: GetPullRequestOutput; + }; + sdk: { + input: GetPullRequestCommandInput; + output: GetPullRequestCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetPullRequestOverrideStateCommand.ts b/clients/client-codecommit/src/commands/GetPullRequestOverrideStateCommand.ts index ecfab130ef04..66465b958b6c 100644 --- a/clients/client-codecommit/src/commands/GetPullRequestOverrideStateCommand.ts +++ b/clients/client-codecommit/src/commands/GetPullRequestOverrideStateCommand.ts @@ -110,4 +110,16 @@ export class GetPullRequestOverrideStateCommand extends $Command .f(void 0, void 0) .ser(se_GetPullRequestOverrideStateCommand) .de(de_GetPullRequestOverrideStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPullRequestOverrideStateInput; + output: GetPullRequestOverrideStateOutput; + }; + sdk: { + input: GetPullRequestOverrideStateCommandInput; + output: GetPullRequestOverrideStateCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetRepositoryCommand.ts b/clients/client-codecommit/src/commands/GetRepositoryCommand.ts index 628950cb9a35..98b1c7e81b65 100644 --- a/clients/client-codecommit/src/commands/GetRepositoryCommand.ts +++ b/clients/client-codecommit/src/commands/GetRepositoryCommand.ts @@ -125,4 +125,16 @@ export class GetRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryCommand) .de(de_GetRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryInput; + output: GetRepositoryOutput; + }; + sdk: { + input: GetRepositoryCommandInput; + output: GetRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/GetRepositoryTriggersCommand.ts b/clients/client-codecommit/src/commands/GetRepositoryTriggersCommand.ts index 8255084ab431..b31611b5e9b0 100644 --- a/clients/client-codecommit/src/commands/GetRepositoryTriggersCommand.ts +++ b/clients/client-codecommit/src/commands/GetRepositoryTriggersCommand.ts @@ -119,4 +119,16 @@ export class GetRepositoryTriggersCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryTriggersCommand) .de(de_GetRepositoryTriggersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryTriggersInput; + output: GetRepositoryTriggersOutput; + }; + sdk: { + input: GetRepositoryTriggersCommandInput; + output: GetRepositoryTriggersCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListApprovalRuleTemplatesCommand.ts b/clients/client-codecommit/src/commands/ListApprovalRuleTemplatesCommand.ts index 8255bc96111c..27faf8b08e09 100644 --- a/clients/client-codecommit/src/commands/ListApprovalRuleTemplatesCommand.ts +++ b/clients/client-codecommit/src/commands/ListApprovalRuleTemplatesCommand.ts @@ -88,4 +88,16 @@ export class ListApprovalRuleTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListApprovalRuleTemplatesCommand) .de(de_ListApprovalRuleTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApprovalRuleTemplatesInput; + output: ListApprovalRuleTemplatesOutput; + }; + sdk: { + input: ListApprovalRuleTemplatesCommandInput; + output: ListApprovalRuleTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListAssociatedApprovalRuleTemplatesForRepositoryCommand.ts b/clients/client-codecommit/src/commands/ListAssociatedApprovalRuleTemplatesForRepositoryCommand.ts index 25f3e78eadd4..75736d8d342e 100644 --- a/clients/client-codecommit/src/commands/ListAssociatedApprovalRuleTemplatesForRepositoryCommand.ts +++ b/clients/client-codecommit/src/commands/ListAssociatedApprovalRuleTemplatesForRepositoryCommand.ts @@ -126,4 +126,16 @@ export class ListAssociatedApprovalRuleTemplatesForRepositoryCommand extends $Co .f(void 0, void 0) .ser(se_ListAssociatedApprovalRuleTemplatesForRepositoryCommand) .de(de_ListAssociatedApprovalRuleTemplatesForRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedApprovalRuleTemplatesForRepositoryInput; + output: ListAssociatedApprovalRuleTemplatesForRepositoryOutput; + }; + sdk: { + input: ListAssociatedApprovalRuleTemplatesForRepositoryCommandInput; + output: ListAssociatedApprovalRuleTemplatesForRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListBranchesCommand.ts b/clients/client-codecommit/src/commands/ListBranchesCommand.ts index 0ec1d4fa5a52..03fd01292a5d 100644 --- a/clients/client-codecommit/src/commands/ListBranchesCommand.ts +++ b/clients/client-codecommit/src/commands/ListBranchesCommand.ts @@ -113,4 +113,16 @@ export class ListBranchesCommand extends $Command .f(void 0, void 0) .ser(se_ListBranchesCommand) .de(de_ListBranchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBranchesInput; + output: ListBranchesOutput; + }; + sdk: { + input: ListBranchesCommandInput; + output: ListBranchesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListFileCommitHistoryCommand.ts b/clients/client-codecommit/src/commands/ListFileCommitHistoryCommand.ts index 2cdc1269a886..2b27dd3b27a4 100644 --- a/clients/client-codecommit/src/commands/ListFileCommitHistoryCommand.ts +++ b/clients/client-codecommit/src/commands/ListFileCommitHistoryCommand.ts @@ -158,4 +158,16 @@ export class ListFileCommitHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListFileCommitHistoryCommand) .de(de_ListFileCommitHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFileCommitHistoryRequest; + output: ListFileCommitHistoryResponse; + }; + sdk: { + input: ListFileCommitHistoryCommandInput; + output: ListFileCommitHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListPullRequestsCommand.ts b/clients/client-codecommit/src/commands/ListPullRequestsCommand.ts index 17b4d9d820a1..75106028b884 100644 --- a/clients/client-codecommit/src/commands/ListPullRequestsCommand.ts +++ b/clients/client-codecommit/src/commands/ListPullRequestsCommand.ts @@ -129,4 +129,16 @@ export class ListPullRequestsCommand extends $Command .f(void 0, void 0) .ser(se_ListPullRequestsCommand) .de(de_ListPullRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPullRequestsInput; + output: ListPullRequestsOutput; + }; + sdk: { + input: ListPullRequestsCommandInput; + output: ListPullRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListRepositoriesCommand.ts b/clients/client-codecommit/src/commands/ListRepositoriesCommand.ts index 625ddc436734..7904c3276f18 100644 --- a/clients/client-codecommit/src/commands/ListRepositoriesCommand.ts +++ b/clients/client-codecommit/src/commands/ListRepositoriesCommand.ts @@ -94,4 +94,16 @@ export class ListRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoriesCommand) .de(de_ListRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoriesInput; + output: ListRepositoriesOutput; + }; + sdk: { + input: ListRepositoriesCommandInput; + output: ListRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListRepositoriesForApprovalRuleTemplateCommand.ts b/clients/client-codecommit/src/commands/ListRepositoriesForApprovalRuleTemplateCommand.ts index 1da5d0a15b15..2f3b60228437 100644 --- a/clients/client-codecommit/src/commands/ListRepositoriesForApprovalRuleTemplateCommand.ts +++ b/clients/client-codecommit/src/commands/ListRepositoriesForApprovalRuleTemplateCommand.ts @@ -124,4 +124,16 @@ export class ListRepositoriesForApprovalRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoriesForApprovalRuleTemplateCommand) .de(de_ListRepositoriesForApprovalRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoriesForApprovalRuleTemplateInput; + output: ListRepositoriesForApprovalRuleTemplateOutput; + }; + sdk: { + input: ListRepositoriesForApprovalRuleTemplateCommandInput; + output: ListRepositoriesForApprovalRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/ListTagsForResourceCommand.ts b/clients/client-codecommit/src/commands/ListTagsForResourceCommand.ts index 99c0e3b4fbfc..e06357ea858d 100644 --- a/clients/client-codecommit/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codecommit/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/MergeBranchesByFastForwardCommand.ts b/clients/client-codecommit/src/commands/MergeBranchesByFastForwardCommand.ts index 1be0a83920b2..0b541c621bec 100644 --- a/clients/client-codecommit/src/commands/MergeBranchesByFastForwardCommand.ts +++ b/clients/client-codecommit/src/commands/MergeBranchesByFastForwardCommand.ts @@ -145,4 +145,16 @@ export class MergeBranchesByFastForwardCommand extends $Command .f(void 0, void 0) .ser(se_MergeBranchesByFastForwardCommand) .de(de_MergeBranchesByFastForwardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergeBranchesByFastForwardInput; + output: MergeBranchesByFastForwardOutput; + }; + sdk: { + input: MergeBranchesByFastForwardCommandInput; + output: MergeBranchesByFastForwardCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/MergeBranchesBySquashCommand.ts b/clients/client-codecommit/src/commands/MergeBranchesBySquashCommand.ts index dab1829e07ee..43a509ecec53 100644 --- a/clients/client-codecommit/src/commands/MergeBranchesBySquashCommand.ts +++ b/clients/client-codecommit/src/commands/MergeBranchesBySquashCommand.ts @@ -238,4 +238,16 @@ export class MergeBranchesBySquashCommand extends $Command .f(void 0, void 0) .ser(se_MergeBranchesBySquashCommand) .de(de_MergeBranchesBySquashCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergeBranchesBySquashInput; + output: MergeBranchesBySquashOutput; + }; + sdk: { + input: MergeBranchesBySquashCommandInput; + output: MergeBranchesBySquashCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/MergeBranchesByThreeWayCommand.ts b/clients/client-codecommit/src/commands/MergeBranchesByThreeWayCommand.ts index 8d9de48ff48d..b97181809257 100644 --- a/clients/client-codecommit/src/commands/MergeBranchesByThreeWayCommand.ts +++ b/clients/client-codecommit/src/commands/MergeBranchesByThreeWayCommand.ts @@ -238,4 +238,16 @@ export class MergeBranchesByThreeWayCommand extends $Command .f(void 0, void 0) .ser(se_MergeBranchesByThreeWayCommand) .de(de_MergeBranchesByThreeWayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergeBranchesByThreeWayInput; + output: MergeBranchesByThreeWayOutput; + }; + sdk: { + input: MergeBranchesByThreeWayCommandInput; + output: MergeBranchesByThreeWayCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/MergePullRequestByFastForwardCommand.ts b/clients/client-codecommit/src/commands/MergePullRequestByFastForwardCommand.ts index 1cfdd0f9f869..9e14cd78d3ed 100644 --- a/clients/client-codecommit/src/commands/MergePullRequestByFastForwardCommand.ts +++ b/clients/client-codecommit/src/commands/MergePullRequestByFastForwardCommand.ts @@ -189,4 +189,16 @@ export class MergePullRequestByFastForwardCommand extends $Command .f(void 0, void 0) .ser(se_MergePullRequestByFastForwardCommand) .de(de_MergePullRequestByFastForwardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergePullRequestByFastForwardInput; + output: MergePullRequestByFastForwardOutput; + }; + sdk: { + input: MergePullRequestByFastForwardCommandInput; + output: MergePullRequestByFastForwardCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/MergePullRequestBySquashCommand.ts b/clients/client-codecommit/src/commands/MergePullRequestBySquashCommand.ts index 5da4bea97a64..750fb2247f18 100644 --- a/clients/client-codecommit/src/commands/MergePullRequestBySquashCommand.ts +++ b/clients/client-codecommit/src/commands/MergePullRequestBySquashCommand.ts @@ -274,4 +274,16 @@ export class MergePullRequestBySquashCommand extends $Command .f(void 0, void 0) .ser(se_MergePullRequestBySquashCommand) .de(de_MergePullRequestBySquashCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergePullRequestBySquashInput; + output: MergePullRequestBySquashOutput; + }; + sdk: { + input: MergePullRequestBySquashCommandInput; + output: MergePullRequestBySquashCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/MergePullRequestByThreeWayCommand.ts b/clients/client-codecommit/src/commands/MergePullRequestByThreeWayCommand.ts index eaeb12137c40..8ae4c6cfcd00 100644 --- a/clients/client-codecommit/src/commands/MergePullRequestByThreeWayCommand.ts +++ b/clients/client-codecommit/src/commands/MergePullRequestByThreeWayCommand.ts @@ -274,4 +274,16 @@ export class MergePullRequestByThreeWayCommand extends $Command .f(void 0, void 0) .ser(se_MergePullRequestByThreeWayCommand) .de(de_MergePullRequestByThreeWayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergePullRequestByThreeWayInput; + output: MergePullRequestByThreeWayOutput; + }; + sdk: { + input: MergePullRequestByThreeWayCommandInput; + output: MergePullRequestByThreeWayCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/OverridePullRequestApprovalRulesCommand.ts b/clients/client-codecommit/src/commands/OverridePullRequestApprovalRulesCommand.ts index 07a61494766e..d9983fb888da 100644 --- a/clients/client-codecommit/src/commands/OverridePullRequestApprovalRulesCommand.ts +++ b/clients/client-codecommit/src/commands/OverridePullRequestApprovalRulesCommand.ts @@ -125,4 +125,16 @@ export class OverridePullRequestApprovalRulesCommand extends $Command .f(void 0, void 0) .ser(se_OverridePullRequestApprovalRulesCommand) .de(de_OverridePullRequestApprovalRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OverridePullRequestApprovalRulesInput; + output: {}; + }; + sdk: { + input: OverridePullRequestApprovalRulesCommandInput; + output: OverridePullRequestApprovalRulesCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/PostCommentForComparedCommitCommand.ts b/clients/client-codecommit/src/commands/PostCommentForComparedCommitCommand.ts index f62202077684..e185fb31571a 100644 --- a/clients/client-codecommit/src/commands/PostCommentForComparedCommitCommand.ts +++ b/clients/client-codecommit/src/commands/PostCommentForComparedCommitCommand.ts @@ -196,4 +196,16 @@ export class PostCommentForComparedCommitCommand extends $Command .f(void 0, void 0) .ser(se_PostCommentForComparedCommitCommand) .de(de_PostCommentForComparedCommitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostCommentForComparedCommitInput; + output: PostCommentForComparedCommitOutput; + }; + sdk: { + input: PostCommentForComparedCommitCommandInput; + output: PostCommentForComparedCommitCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/PostCommentForPullRequestCommand.ts b/clients/client-codecommit/src/commands/PostCommentForPullRequestCommand.ts index 79cbdb07948a..dbb8fd3d6e75 100644 --- a/clients/client-codecommit/src/commands/PostCommentForPullRequestCommand.ts +++ b/clients/client-codecommit/src/commands/PostCommentForPullRequestCommand.ts @@ -205,4 +205,16 @@ export class PostCommentForPullRequestCommand extends $Command .f(void 0, void 0) .ser(se_PostCommentForPullRequestCommand) .de(de_PostCommentForPullRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostCommentForPullRequestInput; + output: PostCommentForPullRequestOutput; + }; + sdk: { + input: PostCommentForPullRequestCommandInput; + output: PostCommentForPullRequestCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/PostCommentReplyCommand.ts b/clients/client-codecommit/src/commands/PostCommentReplyCommand.ts index 04188e9c587a..51b29e389c00 100644 --- a/clients/client-codecommit/src/commands/PostCommentReplyCommand.ts +++ b/clients/client-codecommit/src/commands/PostCommentReplyCommand.ts @@ -124,4 +124,16 @@ export class PostCommentReplyCommand extends $Command .f(void 0, void 0) .ser(se_PostCommentReplyCommand) .de(de_PostCommentReplyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostCommentReplyInput; + output: PostCommentReplyOutput; + }; + sdk: { + input: PostCommentReplyCommandInput; + output: PostCommentReplyCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/PutCommentReactionCommand.ts b/clients/client-codecommit/src/commands/PutCommentReactionCommand.ts index 4e95fecebcf0..3a763cdb18b9 100644 --- a/clients/client-codecommit/src/commands/PutCommentReactionCommand.ts +++ b/clients/client-codecommit/src/commands/PutCommentReactionCommand.ts @@ -99,4 +99,16 @@ export class PutCommentReactionCommand extends $Command .f(void 0, void 0) .ser(se_PutCommentReactionCommand) .de(de_PutCommentReactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutCommentReactionInput; + output: {}; + }; + sdk: { + input: PutCommentReactionCommandInput; + output: PutCommentReactionCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/PutFileCommand.ts b/clients/client-codecommit/src/commands/PutFileCommand.ts index 5c0fa31f127d..41c871b969fc 100644 --- a/clients/client-codecommit/src/commands/PutFileCommand.ts +++ b/clients/client-codecommit/src/commands/PutFileCommand.ts @@ -195,4 +195,16 @@ export class PutFileCommand extends $Command .f(void 0, void 0) .ser(se_PutFileCommand) .de(de_PutFileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFileInput; + output: PutFileOutput; + }; + sdk: { + input: PutFileCommandInput; + output: PutFileCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/PutRepositoryTriggersCommand.ts b/clients/client-codecommit/src/commands/PutRepositoryTriggersCommand.ts index 0692af93e1d9..3eb0424081d4 100644 --- a/clients/client-codecommit/src/commands/PutRepositoryTriggersCommand.ts +++ b/clients/client-codecommit/src/commands/PutRepositoryTriggersCommand.ts @@ -162,4 +162,16 @@ export class PutRepositoryTriggersCommand extends $Command .f(void 0, void 0) .ser(se_PutRepositoryTriggersCommand) .de(de_PutRepositoryTriggersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRepositoryTriggersInput; + output: PutRepositoryTriggersOutput; + }; + sdk: { + input: PutRepositoryTriggersCommandInput; + output: PutRepositoryTriggersCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/TagResourceCommand.ts b/clients/client-codecommit/src/commands/TagResourceCommand.ts index c0e924334f67..0ce828798050 100644 --- a/clients/client-codecommit/src/commands/TagResourceCommand.ts +++ b/clients/client-codecommit/src/commands/TagResourceCommand.ts @@ -116,4 +116,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/TestRepositoryTriggersCommand.ts b/clients/client-codecommit/src/commands/TestRepositoryTriggersCommand.ts index f578eebdc963..e3e08e826d3a 100644 --- a/clients/client-codecommit/src/commands/TestRepositoryTriggersCommand.ts +++ b/clients/client-codecommit/src/commands/TestRepositoryTriggersCommand.ts @@ -172,4 +172,16 @@ export class TestRepositoryTriggersCommand extends $Command .f(void 0, void 0) .ser(se_TestRepositoryTriggersCommand) .de(de_TestRepositoryTriggersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestRepositoryTriggersInput; + output: TestRepositoryTriggersOutput; + }; + sdk: { + input: TestRepositoryTriggersCommandInput; + output: TestRepositoryTriggersCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UntagResourceCommand.ts b/clients/client-codecommit/src/commands/UntagResourceCommand.ts index 115dc1c2999c..1944b54fd243 100644 --- a/clients/client-codecommit/src/commands/UntagResourceCommand.ts +++ b/clients/client-codecommit/src/commands/UntagResourceCommand.ts @@ -115,4 +115,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateContentCommand.ts b/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateContentCommand.ts index adcb345bf72e..288ee339e81d 100644 --- a/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateContentCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateContentCommand.ts @@ -116,4 +116,16 @@ export class UpdateApprovalRuleTemplateContentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApprovalRuleTemplateContentCommand) .de(de_UpdateApprovalRuleTemplateContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApprovalRuleTemplateContentInput; + output: UpdateApprovalRuleTemplateContentOutput; + }; + sdk: { + input: UpdateApprovalRuleTemplateContentCommandInput; + output: UpdateApprovalRuleTemplateContentCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateDescriptionCommand.ts b/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateDescriptionCommand.ts index c4539faf3eb1..c314f8d5b3d6 100644 --- a/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateDescriptionCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateDescriptionCommand.ts @@ -112,4 +112,16 @@ export class UpdateApprovalRuleTemplateDescriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApprovalRuleTemplateDescriptionCommand) .de(de_UpdateApprovalRuleTemplateDescriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApprovalRuleTemplateDescriptionInput; + output: UpdateApprovalRuleTemplateDescriptionOutput; + }; + sdk: { + input: UpdateApprovalRuleTemplateDescriptionCommandInput; + output: UpdateApprovalRuleTemplateDescriptionCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateNameCommand.ts b/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateNameCommand.ts index 5d89726a9664..42c5fda3e886 100644 --- a/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateNameCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateApprovalRuleTemplateNameCommand.ts @@ -109,4 +109,16 @@ export class UpdateApprovalRuleTemplateNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApprovalRuleTemplateNameCommand) .de(de_UpdateApprovalRuleTemplateNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApprovalRuleTemplateNameInput; + output: UpdateApprovalRuleTemplateNameOutput; + }; + sdk: { + input: UpdateApprovalRuleTemplateNameCommandInput; + output: UpdateApprovalRuleTemplateNameCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateCommentCommand.ts b/clients/client-codecommit/src/commands/UpdateCommentCommand.ts index e3d104c0888e..5fb1697a16fb 100644 --- a/clients/client-codecommit/src/commands/UpdateCommentCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateCommentCommand.ts @@ -115,4 +115,16 @@ export class UpdateCommentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCommentCommand) .de(de_UpdateCommentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCommentInput; + output: UpdateCommentOutput; + }; + sdk: { + input: UpdateCommentCommandInput; + output: UpdateCommentCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateDefaultBranchCommand.ts b/clients/client-codecommit/src/commands/UpdateDefaultBranchCommand.ts index 7907c404d5aa..78dadd67878c 100644 --- a/clients/client-codecommit/src/commands/UpdateDefaultBranchCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateDefaultBranchCommand.ts @@ -117,4 +117,16 @@ export class UpdateDefaultBranchCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDefaultBranchCommand) .de(de_UpdateDefaultBranchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDefaultBranchInput; + output: {}; + }; + sdk: { + input: UpdateDefaultBranchCommandInput; + output: UpdateDefaultBranchCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdatePullRequestApprovalRuleContentCommand.ts b/clients/client-codecommit/src/commands/UpdatePullRequestApprovalRuleContentCommand.ts index 1495bcc56fc9..2bc98fe83d8e 100644 --- a/clients/client-codecommit/src/commands/UpdatePullRequestApprovalRuleContentCommand.ts +++ b/clients/client-codecommit/src/commands/UpdatePullRequestApprovalRuleContentCommand.ts @@ -150,4 +150,16 @@ export class UpdatePullRequestApprovalRuleContentCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePullRequestApprovalRuleContentCommand) .de(de_UpdatePullRequestApprovalRuleContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePullRequestApprovalRuleContentInput; + output: UpdatePullRequestApprovalRuleContentOutput; + }; + sdk: { + input: UpdatePullRequestApprovalRuleContentCommandInput; + output: UpdatePullRequestApprovalRuleContentCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdatePullRequestApprovalStateCommand.ts b/clients/client-codecommit/src/commands/UpdatePullRequestApprovalStateCommand.ts index 4979a52bcab5..e764b7192435 100644 --- a/clients/client-codecommit/src/commands/UpdatePullRequestApprovalStateCommand.ts +++ b/clients/client-codecommit/src/commands/UpdatePullRequestApprovalStateCommand.ts @@ -129,4 +129,16 @@ export class UpdatePullRequestApprovalStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePullRequestApprovalStateCommand) .de(de_UpdatePullRequestApprovalStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePullRequestApprovalStateInput; + output: {}; + }; + sdk: { + input: UpdatePullRequestApprovalStateCommandInput; + output: UpdatePullRequestApprovalStateCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdatePullRequestDescriptionCommand.ts b/clients/client-codecommit/src/commands/UpdatePullRequestDescriptionCommand.ts index 7448345c235c..b7bc927941ec 100644 --- a/clients/client-codecommit/src/commands/UpdatePullRequestDescriptionCommand.ts +++ b/clients/client-codecommit/src/commands/UpdatePullRequestDescriptionCommand.ts @@ -140,4 +140,16 @@ export class UpdatePullRequestDescriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePullRequestDescriptionCommand) .de(de_UpdatePullRequestDescriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePullRequestDescriptionInput; + output: UpdatePullRequestDescriptionOutput; + }; + sdk: { + input: UpdatePullRequestDescriptionCommandInput; + output: UpdatePullRequestDescriptionCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdatePullRequestStatusCommand.ts b/clients/client-codecommit/src/commands/UpdatePullRequestStatusCommand.ts index 67afd331092e..a0104684c656 100644 --- a/clients/client-codecommit/src/commands/UpdatePullRequestStatusCommand.ts +++ b/clients/client-codecommit/src/commands/UpdatePullRequestStatusCommand.ts @@ -152,4 +152,16 @@ export class UpdatePullRequestStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePullRequestStatusCommand) .de(de_UpdatePullRequestStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePullRequestStatusInput; + output: UpdatePullRequestStatusOutput; + }; + sdk: { + input: UpdatePullRequestStatusCommandInput; + output: UpdatePullRequestStatusCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdatePullRequestTitleCommand.ts b/clients/client-codecommit/src/commands/UpdatePullRequestTitleCommand.ts index c592f781d30f..fb6fbee8064d 100644 --- a/clients/client-codecommit/src/commands/UpdatePullRequestTitleCommand.ts +++ b/clients/client-codecommit/src/commands/UpdatePullRequestTitleCommand.ts @@ -137,4 +137,16 @@ export class UpdatePullRequestTitleCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePullRequestTitleCommand) .de(de_UpdatePullRequestTitleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePullRequestTitleInput; + output: UpdatePullRequestTitleOutput; + }; + sdk: { + input: UpdatePullRequestTitleCommandInput; + output: UpdatePullRequestTitleCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateRepositoryDescriptionCommand.ts b/clients/client-codecommit/src/commands/UpdateRepositoryDescriptionCommand.ts index e5fff133ce5f..dbab9a8a6b6f 100644 --- a/clients/client-codecommit/src/commands/UpdateRepositoryDescriptionCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateRepositoryDescriptionCommand.ts @@ -115,4 +115,16 @@ export class UpdateRepositoryDescriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRepositoryDescriptionCommand) .de(de_UpdateRepositoryDescriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRepositoryDescriptionInput; + output: {}; + }; + sdk: { + input: UpdateRepositoryDescriptionCommandInput; + output: UpdateRepositoryDescriptionCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateRepositoryEncryptionKeyCommand.ts b/clients/client-codecommit/src/commands/UpdateRepositoryEncryptionKeyCommand.ts index 43b2e050e8ad..aee6ea98e923 100644 --- a/clients/client-codecommit/src/commands/UpdateRepositoryEncryptionKeyCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateRepositoryEncryptionKeyCommand.ts @@ -124,4 +124,16 @@ export class UpdateRepositoryEncryptionKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRepositoryEncryptionKeyCommand) .de(de_UpdateRepositoryEncryptionKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRepositoryEncryptionKeyInput; + output: UpdateRepositoryEncryptionKeyOutput; + }; + sdk: { + input: UpdateRepositoryEncryptionKeyCommandInput; + output: UpdateRepositoryEncryptionKeyCommandOutput; + }; + }; +} diff --git a/clients/client-codecommit/src/commands/UpdateRepositoryNameCommand.ts b/clients/client-codecommit/src/commands/UpdateRepositoryNameCommand.ts index 4eb3e05d1559..79b060ca9de9 100644 --- a/clients/client-codecommit/src/commands/UpdateRepositoryNameCommand.ts +++ b/clients/client-codecommit/src/commands/UpdateRepositoryNameCommand.ts @@ -97,4 +97,16 @@ export class UpdateRepositoryNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRepositoryNameCommand) .de(de_UpdateRepositoryNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRepositoryNameInput; + output: {}; + }; + sdk: { + input: UpdateRepositoryNameCommandInput; + output: UpdateRepositoryNameCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/package.json b/clients/client-codeconnections/package.json index 09667b65e5fa..9ee29d4473c8 100644 --- a/clients/client-codeconnections/package.json +++ b/clients/client-codeconnections/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-codeconnections/src/commands/CreateConnectionCommand.ts b/clients/client-codeconnections/src/commands/CreateConnectionCommand.ts index 9fe54bc818ff..f612b7a2d69c 100644 --- a/clients/client-codeconnections/src/commands/CreateConnectionCommand.ts +++ b/clients/client-codeconnections/src/commands/CreateConnectionCommand.ts @@ -102,4 +102,16 @@ export class CreateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionInput; + output: CreateConnectionOutput; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/CreateHostCommand.ts b/clients/client-codeconnections/src/commands/CreateHostCommand.ts index 50f33be76ca9..460e051eab07 100644 --- a/clients/client-codeconnections/src/commands/CreateHostCommand.ts +++ b/clients/client-codeconnections/src/commands/CreateHostCommand.ts @@ -111,4 +111,16 @@ export class CreateHostCommand extends $Command .f(void 0, void 0) .ser(se_CreateHostCommand) .de(de_CreateHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHostInput; + output: CreateHostOutput; + }; + sdk: { + input: CreateHostCommandInput; + output: CreateHostCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/CreateRepositoryLinkCommand.ts b/clients/client-codeconnections/src/commands/CreateRepositoryLinkCommand.ts index 42c66a564aa1..939f4cacaf4f 100644 --- a/clients/client-codeconnections/src/commands/CreateRepositoryLinkCommand.ts +++ b/clients/client-codeconnections/src/commands/CreateRepositoryLinkCommand.ts @@ -115,4 +115,16 @@ export class CreateRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryLinkCommand) .de(de_CreateRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryLinkInput; + output: CreateRepositoryLinkOutput; + }; + sdk: { + input: CreateRepositoryLinkCommandInput; + output: CreateRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts b/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts index f07875976eab..07ce2733bfef 100644 --- a/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts +++ b/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts @@ -119,4 +119,16 @@ export class CreateSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSyncConfigurationCommand) .de(de_CreateSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSyncConfigurationInput; + output: CreateSyncConfigurationOutput; + }; + sdk: { + input: CreateSyncConfigurationCommandInput; + output: CreateSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/DeleteConnectionCommand.ts b/clients/client-codeconnections/src/commands/DeleteConnectionCommand.ts index 0c08a1981d01..ff976d86e585 100644 --- a/clients/client-codeconnections/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-codeconnections/src/commands/DeleteConnectionCommand.ts @@ -78,4 +78,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionInput; + output: {}; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/DeleteHostCommand.ts b/clients/client-codeconnections/src/commands/DeleteHostCommand.ts index 37e0010572d2..cfcd25503337 100644 --- a/clients/client-codeconnections/src/commands/DeleteHostCommand.ts +++ b/clients/client-codeconnections/src/commands/DeleteHostCommand.ts @@ -84,4 +84,16 @@ export class DeleteHostCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHostCommand) .de(de_DeleteHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHostInput; + output: {}; + }; + sdk: { + input: DeleteHostCommandInput; + output: DeleteHostCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/DeleteRepositoryLinkCommand.ts b/clients/client-codeconnections/src/commands/DeleteRepositoryLinkCommand.ts index 6c1f4aaf9694..26fc7d3afb75 100644 --- a/clients/client-codeconnections/src/commands/DeleteRepositoryLinkCommand.ts +++ b/clients/client-codeconnections/src/commands/DeleteRepositoryLinkCommand.ts @@ -99,4 +99,16 @@ export class DeleteRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryLinkCommand) .de(de_DeleteRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryLinkInput; + output: {}; + }; + sdk: { + input: DeleteRepositoryLinkCommandInput; + output: DeleteRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/DeleteSyncConfigurationCommand.ts b/clients/client-codeconnections/src/commands/DeleteSyncConfigurationCommand.ts index 75c9586b7604..05483f645ca3 100644 --- a/clients/client-codeconnections/src/commands/DeleteSyncConfigurationCommand.ts +++ b/clients/client-codeconnections/src/commands/DeleteSyncConfigurationCommand.ts @@ -94,4 +94,16 @@ export class DeleteSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSyncConfigurationCommand) .de(de_DeleteSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSyncConfigurationInput; + output: {}; + }; + sdk: { + input: DeleteSyncConfigurationCommandInput; + output: DeleteSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/GetConnectionCommand.ts b/clients/client-codeconnections/src/commands/GetConnectionCommand.ts index 02e29387b15a..fe5dffe0a5f7 100644 --- a/clients/client-codeconnections/src/commands/GetConnectionCommand.ts +++ b/clients/client-codeconnections/src/commands/GetConnectionCommand.ts @@ -90,4 +90,16 @@ export class GetConnectionCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionCommand) .de(de_GetConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionInput; + output: GetConnectionOutput; + }; + sdk: { + input: GetConnectionCommandInput; + output: GetConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/GetHostCommand.ts b/clients/client-codeconnections/src/commands/GetHostCommand.ts index 9c17c27e0381..550e40fbea99 100644 --- a/clients/client-codeconnections/src/commands/GetHostCommand.ts +++ b/clients/client-codeconnections/src/commands/GetHostCommand.ts @@ -97,4 +97,16 @@ export class GetHostCommand extends $Command .f(void 0, void 0) .ser(se_GetHostCommand) .de(de_GetHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHostInput; + output: GetHostOutput; + }; + sdk: { + input: GetHostCommandInput; + output: GetHostCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/GetRepositoryLinkCommand.ts b/clients/client-codeconnections/src/commands/GetRepositoryLinkCommand.ts index 9381f2869edf..fd4c17a98c37 100644 --- a/clients/client-codeconnections/src/commands/GetRepositoryLinkCommand.ts +++ b/clients/client-codeconnections/src/commands/GetRepositoryLinkCommand.ts @@ -104,4 +104,16 @@ export class GetRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryLinkCommand) .de(de_GetRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryLinkInput; + output: GetRepositoryLinkOutput; + }; + sdk: { + input: GetRepositoryLinkCommandInput; + output: GetRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/GetRepositorySyncStatusCommand.ts b/clients/client-codeconnections/src/commands/GetRepositorySyncStatusCommand.ts index 15d616b86d56..1b7dd1461b90 100644 --- a/clients/client-codeconnections/src/commands/GetRepositorySyncStatusCommand.ts +++ b/clients/client-codeconnections/src/commands/GetRepositorySyncStatusCommand.ts @@ -106,4 +106,16 @@ export class GetRepositorySyncStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositorySyncStatusCommand) .de(de_GetRepositorySyncStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositorySyncStatusInput; + output: GetRepositorySyncStatusOutput; + }; + sdk: { + input: GetRepositorySyncStatusCommandInput; + output: GetRepositorySyncStatusCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/GetResourceSyncStatusCommand.ts b/clients/client-codeconnections/src/commands/GetResourceSyncStatusCommand.ts index 7131e1ffd23b..c581e1e42961 100644 --- a/clients/client-codeconnections/src/commands/GetResourceSyncStatusCommand.ts +++ b/clients/client-codeconnections/src/commands/GetResourceSyncStatusCommand.ts @@ -159,4 +159,16 @@ export class GetResourceSyncStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceSyncStatusCommand) .de(de_GetResourceSyncStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceSyncStatusInput; + output: GetResourceSyncStatusOutput; + }; + sdk: { + input: GetResourceSyncStatusCommandInput; + output: GetResourceSyncStatusCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/GetSyncBlockerSummaryCommand.ts b/clients/client-codeconnections/src/commands/GetSyncBlockerSummaryCommand.ts index 28d77faf04c2..d91336d4d281 100644 --- a/clients/client-codeconnections/src/commands/GetSyncBlockerSummaryCommand.ts +++ b/clients/client-codeconnections/src/commands/GetSyncBlockerSummaryCommand.ts @@ -113,4 +113,16 @@ export class GetSyncBlockerSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetSyncBlockerSummaryCommand) .de(de_GetSyncBlockerSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSyncBlockerSummaryInput; + output: GetSyncBlockerSummaryOutput; + }; + sdk: { + input: GetSyncBlockerSummaryCommandInput; + output: GetSyncBlockerSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts b/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts index 0bdbc7b2cf87..a008d5760a37 100644 --- a/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts +++ b/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts @@ -105,4 +105,16 @@ export class GetSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetSyncConfigurationCommand) .de(de_GetSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSyncConfigurationInput; + output: GetSyncConfigurationOutput; + }; + sdk: { + input: GetSyncConfigurationCommandInput; + output: GetSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/ListConnectionsCommand.ts b/clients/client-codeconnections/src/commands/ListConnectionsCommand.ts index 66a0f8de817b..5f069bc00451 100644 --- a/clients/client-codeconnections/src/commands/ListConnectionsCommand.ts +++ b/clients/client-codeconnections/src/commands/ListConnectionsCommand.ts @@ -93,4 +93,16 @@ export class ListConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectionsCommand) .de(de_ListConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectionsInput; + output: ListConnectionsOutput; + }; + sdk: { + input: ListConnectionsCommandInput; + output: ListConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/ListHostsCommand.ts b/clients/client-codeconnections/src/commands/ListHostsCommand.ts index abd217312c9c..eec08330f9a5 100644 --- a/clients/client-codeconnections/src/commands/ListHostsCommand.ts +++ b/clients/client-codeconnections/src/commands/ListHostsCommand.ts @@ -98,4 +98,16 @@ export class ListHostsCommand extends $Command .f(void 0, void 0) .ser(se_ListHostsCommand) .de(de_ListHostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHostsInput; + output: ListHostsOutput; + }; + sdk: { + input: ListHostsCommandInput; + output: ListHostsCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/ListRepositoryLinksCommand.ts b/clients/client-codeconnections/src/commands/ListRepositoryLinksCommand.ts index bdd7350a0510..077924621de1 100644 --- a/clients/client-codeconnections/src/commands/ListRepositoryLinksCommand.ts +++ b/clients/client-codeconnections/src/commands/ListRepositoryLinksCommand.ts @@ -107,4 +107,16 @@ export class ListRepositoryLinksCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoryLinksCommand) .de(de_ListRepositoryLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoryLinksInput; + output: ListRepositoryLinksOutput; + }; + sdk: { + input: ListRepositoryLinksCommandInput; + output: ListRepositoryLinksCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/ListRepositorySyncDefinitionsCommand.ts b/clients/client-codeconnections/src/commands/ListRepositorySyncDefinitionsCommand.ts index d04b40247fb1..c7b0b68ff0c1 100644 --- a/clients/client-codeconnections/src/commands/ListRepositorySyncDefinitionsCommand.ts +++ b/clients/client-codeconnections/src/commands/ListRepositorySyncDefinitionsCommand.ts @@ -106,4 +106,16 @@ export class ListRepositorySyncDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositorySyncDefinitionsCommand) .de(de_ListRepositorySyncDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositorySyncDefinitionsInput; + output: ListRepositorySyncDefinitionsOutput; + }; + sdk: { + input: ListRepositorySyncDefinitionsCommandInput; + output: ListRepositorySyncDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts b/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts index cf7e72217d41..0c859d16c18a 100644 --- a/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts +++ b/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts @@ -110,4 +110,16 @@ export class ListSyncConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSyncConfigurationsCommand) .de(de_ListSyncConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSyncConfigurationsInput; + output: ListSyncConfigurationsOutput; + }; + sdk: { + input: ListSyncConfigurationsCommandInput; + output: ListSyncConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/ListTagsForResourceCommand.ts b/clients/client-codeconnections/src/commands/ListTagsForResourceCommand.ts index a2e9120f58a0..544935daf5c5 100644 --- a/clients/client-codeconnections/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codeconnections/src/commands/ListTagsForResourceCommand.ts @@ -85,4 +85,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/TagResourceCommand.ts b/clients/client-codeconnections/src/commands/TagResourceCommand.ts index a72c3d0720d6..f661f246c431 100644 --- a/clients/client-codeconnections/src/commands/TagResourceCommand.ts +++ b/clients/client-codeconnections/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/UntagResourceCommand.ts b/clients/client-codeconnections/src/commands/UntagResourceCommand.ts index 0c4db545985b..f2b5b1459f06 100644 --- a/clients/client-codeconnections/src/commands/UntagResourceCommand.ts +++ b/clients/client-codeconnections/src/commands/UntagResourceCommand.ts @@ -81,4 +81,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/UpdateHostCommand.ts b/clients/client-codeconnections/src/commands/UpdateHostCommand.ts index c00cf1483098..cd0b78d484df 100644 --- a/clients/client-codeconnections/src/commands/UpdateHostCommand.ts +++ b/clients/client-codeconnections/src/commands/UpdateHostCommand.ts @@ -98,4 +98,16 @@ export class UpdateHostCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHostCommand) .de(de_UpdateHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHostInput; + output: {}; + }; + sdk: { + input: UpdateHostCommandInput; + output: UpdateHostCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/UpdateRepositoryLinkCommand.ts b/clients/client-codeconnections/src/commands/UpdateRepositoryLinkCommand.ts index 91dcc41748de..44945c639fdf 100644 --- a/clients/client-codeconnections/src/commands/UpdateRepositoryLinkCommand.ts +++ b/clients/client-codeconnections/src/commands/UpdateRepositoryLinkCommand.ts @@ -110,4 +110,16 @@ export class UpdateRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRepositoryLinkCommand) .de(de_UpdateRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRepositoryLinkInput; + output: UpdateRepositoryLinkOutput; + }; + sdk: { + input: UpdateRepositoryLinkCommandInput; + output: UpdateRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/UpdateSyncBlockerCommand.ts b/clients/client-codeconnections/src/commands/UpdateSyncBlockerCommand.ts index d70a48e192b8..ebe2893ee731 100644 --- a/clients/client-codeconnections/src/commands/UpdateSyncBlockerCommand.ts +++ b/clients/client-codeconnections/src/commands/UpdateSyncBlockerCommand.ts @@ -117,4 +117,16 @@ export class UpdateSyncBlockerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSyncBlockerCommand) .de(de_UpdateSyncBlockerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSyncBlockerInput; + output: UpdateSyncBlockerOutput; + }; + sdk: { + input: UpdateSyncBlockerCommandInput; + output: UpdateSyncBlockerCommandOutput; + }; + }; +} diff --git a/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts b/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts index 9eef708d0ac5..2d5ea6880dd2 100644 --- a/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts +++ b/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts @@ -117,4 +117,16 @@ export class UpdateSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSyncConfigurationCommand) .de(de_UpdateSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSyncConfigurationInput; + output: UpdateSyncConfigurationOutput; + }; + sdk: { + input: UpdateSyncConfigurationCommandInput; + output: UpdateSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/package.json b/clients/client-codedeploy/package.json index 8868ee3ba84d..7a46f0f94954 100644 --- a/clients/client-codedeploy/package.json +++ b/clients/client-codedeploy/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-codedeploy/src/commands/AddTagsToOnPremisesInstancesCommand.ts b/clients/client-codedeploy/src/commands/AddTagsToOnPremisesInstancesCommand.ts index 7c96790025da..4d7d9d67f5fa 100644 --- a/clients/client-codedeploy/src/commands/AddTagsToOnPremisesInstancesCommand.ts +++ b/clients/client-codedeploy/src/commands/AddTagsToOnPremisesInstancesCommand.ts @@ -108,4 +108,16 @@ export class AddTagsToOnPremisesInstancesCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToOnPremisesInstancesCommand) .de(de_AddTagsToOnPremisesInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToOnPremisesInstancesInput; + output: {}; + }; + sdk: { + input: AddTagsToOnPremisesInstancesCommandInput; + output: AddTagsToOnPremisesInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/BatchGetApplicationRevisionsCommand.ts b/clients/client-codedeploy/src/commands/BatchGetApplicationRevisionsCommand.ts index 4389806b9a70..32884949aa0c 100644 --- a/clients/client-codedeploy/src/commands/BatchGetApplicationRevisionsCommand.ts +++ b/clients/client-codedeploy/src/commands/BatchGetApplicationRevisionsCommand.ts @@ -161,4 +161,16 @@ export class BatchGetApplicationRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetApplicationRevisionsCommand) .de(de_BatchGetApplicationRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetApplicationRevisionsInput; + output: BatchGetApplicationRevisionsOutput; + }; + sdk: { + input: BatchGetApplicationRevisionsCommandInput; + output: BatchGetApplicationRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/BatchGetApplicationsCommand.ts b/clients/client-codedeploy/src/commands/BatchGetApplicationsCommand.ts index f0c1b63b8b35..4f2947fd1592 100644 --- a/clients/client-codedeploy/src/commands/BatchGetApplicationsCommand.ts +++ b/clients/client-codedeploy/src/commands/BatchGetApplicationsCommand.ts @@ -101,4 +101,16 @@ export class BatchGetApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetApplicationsCommand) .de(de_BatchGetApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetApplicationsInput; + output: BatchGetApplicationsOutput; + }; + sdk: { + input: BatchGetApplicationsCommandInput; + output: BatchGetApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/BatchGetDeploymentGroupsCommand.ts b/clients/client-codedeploy/src/commands/BatchGetDeploymentGroupsCommand.ts index 9bd27be9cfab..0e52dbf6bb56 100644 --- a/clients/client-codedeploy/src/commands/BatchGetDeploymentGroupsCommand.ts +++ b/clients/client-codedeploy/src/commands/BatchGetDeploymentGroupsCommand.ts @@ -268,4 +268,16 @@ export class BatchGetDeploymentGroupsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetDeploymentGroupsCommand) .de(de_BatchGetDeploymentGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDeploymentGroupsInput; + output: BatchGetDeploymentGroupsOutput; + }; + sdk: { + input: BatchGetDeploymentGroupsCommandInput; + output: BatchGetDeploymentGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/BatchGetDeploymentInstancesCommand.ts b/clients/client-codedeploy/src/commands/BatchGetDeploymentInstancesCommand.ts index e133304355e5..de281a4506a2 100644 --- a/clients/client-codedeploy/src/commands/BatchGetDeploymentInstancesCommand.ts +++ b/clients/client-codedeploy/src/commands/BatchGetDeploymentInstancesCommand.ts @@ -133,4 +133,16 @@ export class BatchGetDeploymentInstancesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetDeploymentInstancesCommand) .de(de_BatchGetDeploymentInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDeploymentInstancesInput; + output: BatchGetDeploymentInstancesOutput; + }; + sdk: { + input: BatchGetDeploymentInstancesCommandInput; + output: BatchGetDeploymentInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/BatchGetDeploymentTargetsCommand.ts b/clients/client-codedeploy/src/commands/BatchGetDeploymentTargetsCommand.ts index e842f2d442ef..fa988b7e5c2d 100644 --- a/clients/client-codedeploy/src/commands/BatchGetDeploymentTargetsCommand.ts +++ b/clients/client-codedeploy/src/commands/BatchGetDeploymentTargetsCommand.ts @@ -247,4 +247,16 @@ export class BatchGetDeploymentTargetsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetDeploymentTargetsCommand) .de(de_BatchGetDeploymentTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDeploymentTargetsInput; + output: BatchGetDeploymentTargetsOutput; + }; + sdk: { + input: BatchGetDeploymentTargetsCommandInput; + output: BatchGetDeploymentTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/BatchGetDeploymentsCommand.ts b/clients/client-codedeploy/src/commands/BatchGetDeploymentsCommand.ts index 915856c13513..74b8f1fe1868 100644 --- a/clients/client-codedeploy/src/commands/BatchGetDeploymentsCommand.ts +++ b/clients/client-codedeploy/src/commands/BatchGetDeploymentsCommand.ts @@ -265,4 +265,16 @@ export class BatchGetDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetDeploymentsCommand) .de(de_BatchGetDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDeploymentsInput; + output: BatchGetDeploymentsOutput; + }; + sdk: { + input: BatchGetDeploymentsCommandInput; + output: BatchGetDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/BatchGetOnPremisesInstancesCommand.ts b/clients/client-codedeploy/src/commands/BatchGetOnPremisesInstancesCommand.ts index 693db3b91d5f..c7ff4878abbc 100644 --- a/clients/client-codedeploy/src/commands/BatchGetOnPremisesInstancesCommand.ts +++ b/clients/client-codedeploy/src/commands/BatchGetOnPremisesInstancesCommand.ts @@ -104,4 +104,16 @@ export class BatchGetOnPremisesInstancesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetOnPremisesInstancesCommand) .de(de_BatchGetOnPremisesInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetOnPremisesInstancesInput; + output: BatchGetOnPremisesInstancesOutput; + }; + sdk: { + input: BatchGetOnPremisesInstancesCommandInput; + output: BatchGetOnPremisesInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ContinueDeploymentCommand.ts b/clients/client-codedeploy/src/commands/ContinueDeploymentCommand.ts index 24659b9f5391..44b6c5142969 100644 --- a/clients/client-codedeploy/src/commands/ContinueDeploymentCommand.ts +++ b/clients/client-codedeploy/src/commands/ContinueDeploymentCommand.ts @@ -104,4 +104,16 @@ export class ContinueDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_ContinueDeploymentCommand) .de(de_ContinueDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ContinueDeploymentInput; + output: {}; + }; + sdk: { + input: ContinueDeploymentCommandInput; + output: ContinueDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/CreateApplicationCommand.ts b/clients/client-codedeploy/src/commands/CreateApplicationCommand.ts index 374812847fa2..a6674fbb623c 100644 --- a/clients/client-codedeploy/src/commands/CreateApplicationCommand.ts +++ b/clients/client-codedeploy/src/commands/CreateApplicationCommand.ts @@ -103,4 +103,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationInput; + output: CreateApplicationOutput; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/CreateDeploymentCommand.ts b/clients/client-codedeploy/src/commands/CreateDeploymentCommand.ts index 85e2bf4b89f6..bf92ad5b7f65 100644 --- a/clients/client-codedeploy/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-codedeploy/src/commands/CreateDeploymentCommand.ts @@ -266,4 +266,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentInput; + output: CreateDeploymentOutput; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/CreateDeploymentConfigCommand.ts b/clients/client-codedeploy/src/commands/CreateDeploymentConfigCommand.ts index e65c05ecb907..777a5d5cd137 100644 --- a/clients/client-codedeploy/src/commands/CreateDeploymentConfigCommand.ts +++ b/clients/client-codedeploy/src/commands/CreateDeploymentConfigCommand.ts @@ -126,4 +126,16 @@ export class CreateDeploymentConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentConfigCommand) .de(de_CreateDeploymentConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentConfigInput; + output: CreateDeploymentConfigOutput; + }; + sdk: { + input: CreateDeploymentConfigCommandInput; + output: CreateDeploymentConfigCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/CreateDeploymentGroupCommand.ts b/clients/client-codedeploy/src/commands/CreateDeploymentGroupCommand.ts index bb6b50bda3c3..0ba3592e19e6 100644 --- a/clients/client-codedeploy/src/commands/CreateDeploymentGroupCommand.ts +++ b/clients/client-codedeploy/src/commands/CreateDeploymentGroupCommand.ts @@ -335,4 +335,16 @@ export class CreateDeploymentGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentGroupCommand) .de(de_CreateDeploymentGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentGroupInput; + output: CreateDeploymentGroupOutput; + }; + sdk: { + input: CreateDeploymentGroupCommandInput; + output: CreateDeploymentGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/DeleteApplicationCommand.ts b/clients/client-codedeploy/src/commands/DeleteApplicationCommand.ts index 27fb9d2c87c1..b35a2aa3a88f 100644 --- a/clients/client-codedeploy/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-codedeploy/src/commands/DeleteApplicationCommand.ts @@ -86,4 +86,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationInput; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/DeleteDeploymentConfigCommand.ts b/clients/client-codedeploy/src/commands/DeleteDeploymentConfigCommand.ts index 95ea3bb6b801..d8bc70192dbc 100644 --- a/clients/client-codedeploy/src/commands/DeleteDeploymentConfigCommand.ts +++ b/clients/client-codedeploy/src/commands/DeleteDeploymentConfigCommand.ts @@ -91,4 +91,16 @@ export class DeleteDeploymentConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeploymentConfigCommand) .de(de_DeleteDeploymentConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentConfigInput; + output: {}; + }; + sdk: { + input: DeleteDeploymentConfigCommandInput; + output: DeleteDeploymentConfigCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/DeleteDeploymentGroupCommand.ts b/clients/client-codedeploy/src/commands/DeleteDeploymentGroupCommand.ts index 4a4c1a867ecb..853c08073d2c 100644 --- a/clients/client-codedeploy/src/commands/DeleteDeploymentGroupCommand.ts +++ b/clients/client-codedeploy/src/commands/DeleteDeploymentGroupCommand.ts @@ -101,4 +101,16 @@ export class DeleteDeploymentGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeploymentGroupCommand) .de(de_DeleteDeploymentGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentGroupInput; + output: DeleteDeploymentGroupOutput; + }; + sdk: { + input: DeleteDeploymentGroupCommandInput; + output: DeleteDeploymentGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/DeleteGitHubAccountTokenCommand.ts b/clients/client-codedeploy/src/commands/DeleteGitHubAccountTokenCommand.ts index 4ccbd46e432f..d85cd095f3ba 100644 --- a/clients/client-codedeploy/src/commands/DeleteGitHubAccountTokenCommand.ts +++ b/clients/client-codedeploy/src/commands/DeleteGitHubAccountTokenCommand.ts @@ -92,4 +92,16 @@ export class DeleteGitHubAccountTokenCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGitHubAccountTokenCommand) .de(de_DeleteGitHubAccountTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGitHubAccountTokenInput; + output: DeleteGitHubAccountTokenOutput; + }; + sdk: { + input: DeleteGitHubAccountTokenCommandInput; + output: DeleteGitHubAccountTokenCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/DeleteResourcesByExternalIdCommand.ts b/clients/client-codedeploy/src/commands/DeleteResourcesByExternalIdCommand.ts index e5f13e8a53ef..fd7d2d1957af 100644 --- a/clients/client-codedeploy/src/commands/DeleteResourcesByExternalIdCommand.ts +++ b/clients/client-codedeploy/src/commands/DeleteResourcesByExternalIdCommand.ts @@ -82,4 +82,16 @@ export class DeleteResourcesByExternalIdCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcesByExternalIdCommand) .de(de_DeleteResourcesByExternalIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcesByExternalIdInput; + output: {}; + }; + sdk: { + input: DeleteResourcesByExternalIdCommandInput; + output: DeleteResourcesByExternalIdCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/DeregisterOnPremisesInstanceCommand.ts b/clients/client-codedeploy/src/commands/DeregisterOnPremisesInstanceCommand.ts index 4b1f35d0a2e4..036b6f27f075 100644 --- a/clients/client-codedeploy/src/commands/DeregisterOnPremisesInstanceCommand.ts +++ b/clients/client-codedeploy/src/commands/DeregisterOnPremisesInstanceCommand.ts @@ -84,4 +84,16 @@ export class DeregisterOnPremisesInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterOnPremisesInstanceCommand) .de(de_DeregisterOnPremisesInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterOnPremisesInstanceInput; + output: {}; + }; + sdk: { + input: DeregisterOnPremisesInstanceCommandInput; + output: DeregisterOnPremisesInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetApplicationCommand.ts b/clients/client-codedeploy/src/commands/GetApplicationCommand.ts index 93720e3f7329..822c1ba6ba4a 100644 --- a/clients/client-codedeploy/src/commands/GetApplicationCommand.ts +++ b/clients/client-codedeploy/src/commands/GetApplicationCommand.ts @@ -93,4 +93,16 @@ export class GetApplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationInput; + output: GetApplicationOutput; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetApplicationRevisionCommand.ts b/clients/client-codedeploy/src/commands/GetApplicationRevisionCommand.ts index e9d8a4ad6b34..ac34e7ff6a1b 100644 --- a/clients/client-codedeploy/src/commands/GetApplicationRevisionCommand.ts +++ b/clients/client-codedeploy/src/commands/GetApplicationRevisionCommand.ts @@ -148,4 +148,16 @@ export class GetApplicationRevisionCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationRevisionCommand) .de(de_GetApplicationRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRevisionInput; + output: GetApplicationRevisionOutput; + }; + sdk: { + input: GetApplicationRevisionCommandInput; + output: GetApplicationRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetDeploymentCommand.ts b/clients/client-codedeploy/src/commands/GetDeploymentCommand.ts index 4db87b025c27..17d60c7d8dd3 100644 --- a/clients/client-codedeploy/src/commands/GetDeploymentCommand.ts +++ b/clients/client-codedeploy/src/commands/GetDeploymentCommand.ts @@ -266,4 +266,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentInput; + output: GetDeploymentOutput; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetDeploymentConfigCommand.ts b/clients/client-codedeploy/src/commands/GetDeploymentConfigCommand.ts index 6eab734e7d29..03137e7d0b2e 100644 --- a/clients/client-codedeploy/src/commands/GetDeploymentConfigCommand.ts +++ b/clients/client-codedeploy/src/commands/GetDeploymentConfigCommand.ts @@ -117,4 +117,16 @@ export class GetDeploymentConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentConfigCommand) .de(de_GetDeploymentConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentConfigInput; + output: GetDeploymentConfigOutput; + }; + sdk: { + input: GetDeploymentConfigCommandInput; + output: GetDeploymentConfigCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetDeploymentGroupCommand.ts b/clients/client-codedeploy/src/commands/GetDeploymentGroupCommand.ts index eaf44c3a401a..e9cdef8480fb 100644 --- a/clients/client-codedeploy/src/commands/GetDeploymentGroupCommand.ts +++ b/clients/client-codedeploy/src/commands/GetDeploymentGroupCommand.ts @@ -264,4 +264,16 @@ export class GetDeploymentGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentGroupCommand) .de(de_GetDeploymentGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentGroupInput; + output: GetDeploymentGroupOutput; + }; + sdk: { + input: GetDeploymentGroupCommandInput; + output: GetDeploymentGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetDeploymentInstanceCommand.ts b/clients/client-codedeploy/src/commands/GetDeploymentInstanceCommand.ts index e34543b98275..c74ba54873a9 100644 --- a/clients/client-codedeploy/src/commands/GetDeploymentInstanceCommand.ts +++ b/clients/client-codedeploy/src/commands/GetDeploymentInstanceCommand.ts @@ -121,4 +121,16 @@ export class GetDeploymentInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentInstanceCommand) .de(de_GetDeploymentInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentInstanceInput; + output: GetDeploymentInstanceOutput; + }; + sdk: { + input: GetDeploymentInstanceCommandInput; + output: GetDeploymentInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetDeploymentTargetCommand.ts b/clients/client-codedeploy/src/commands/GetDeploymentTargetCommand.ts index af28079755c0..2fd0fece69cb 100644 --- a/clients/client-codedeploy/src/commands/GetDeploymentTargetCommand.ts +++ b/clients/client-codedeploy/src/commands/GetDeploymentTargetCommand.ts @@ -211,4 +211,16 @@ export class GetDeploymentTargetCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentTargetCommand) .de(de_GetDeploymentTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentTargetInput; + output: GetDeploymentTargetOutput; + }; + sdk: { + input: GetDeploymentTargetCommandInput; + output: GetDeploymentTargetCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/GetOnPremisesInstanceCommand.ts b/clients/client-codedeploy/src/commands/GetOnPremisesInstanceCommand.ts index 18701e6a8124..8e4b2049a126 100644 --- a/clients/client-codedeploy/src/commands/GetOnPremisesInstanceCommand.ts +++ b/clients/client-codedeploy/src/commands/GetOnPremisesInstanceCommand.ts @@ -99,4 +99,16 @@ export class GetOnPremisesInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetOnPremisesInstanceCommand) .de(de_GetOnPremisesInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOnPremisesInstanceInput; + output: GetOnPremisesInstanceOutput; + }; + sdk: { + input: GetOnPremisesInstanceCommandInput; + output: GetOnPremisesInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListApplicationRevisionsCommand.ts b/clients/client-codedeploy/src/commands/ListApplicationRevisionsCommand.ts index bd12547936a7..e94ef10a6105 100644 --- a/clients/client-codedeploy/src/commands/ListApplicationRevisionsCommand.ts +++ b/clients/client-codedeploy/src/commands/ListApplicationRevisionsCommand.ts @@ -138,4 +138,16 @@ export class ListApplicationRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationRevisionsCommand) .de(de_ListApplicationRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationRevisionsInput; + output: ListApplicationRevisionsOutput; + }; + sdk: { + input: ListApplicationRevisionsCommandInput; + output: ListApplicationRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListApplicationsCommand.ts b/clients/client-codedeploy/src/commands/ListApplicationsCommand.ts index 08446edb906c..e24b6d15f894 100644 --- a/clients/client-codedeploy/src/commands/ListApplicationsCommand.ts +++ b/clients/client-codedeploy/src/commands/ListApplicationsCommand.ts @@ -83,4 +83,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsInput; + output: ListApplicationsOutput; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListDeploymentConfigsCommand.ts b/clients/client-codedeploy/src/commands/ListDeploymentConfigsCommand.ts index 23e7d4578220..5e0c6a4358f5 100644 --- a/clients/client-codedeploy/src/commands/ListDeploymentConfigsCommand.ts +++ b/clients/client-codedeploy/src/commands/ListDeploymentConfigsCommand.ts @@ -83,4 +83,16 @@ export class ListDeploymentConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentConfigsCommand) .de(de_ListDeploymentConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentConfigsInput; + output: ListDeploymentConfigsOutput; + }; + sdk: { + input: ListDeploymentConfigsCommandInput; + output: ListDeploymentConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListDeploymentGroupsCommand.ts b/clients/client-codedeploy/src/commands/ListDeploymentGroupsCommand.ts index 648a0a4a777f..cb8ffc34b9a5 100644 --- a/clients/client-codedeploy/src/commands/ListDeploymentGroupsCommand.ts +++ b/clients/client-codedeploy/src/commands/ListDeploymentGroupsCommand.ts @@ -95,4 +95,16 @@ export class ListDeploymentGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentGroupsCommand) .de(de_ListDeploymentGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentGroupsInput; + output: ListDeploymentGroupsOutput; + }; + sdk: { + input: ListDeploymentGroupsCommandInput; + output: ListDeploymentGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListDeploymentInstancesCommand.ts b/clients/client-codedeploy/src/commands/ListDeploymentInstancesCommand.ts index a25b26d69cbd..d15a1fd646eb 100644 --- a/clients/client-codedeploy/src/commands/ListDeploymentInstancesCommand.ts +++ b/clients/client-codedeploy/src/commands/ListDeploymentInstancesCommand.ts @@ -128,4 +128,16 @@ export class ListDeploymentInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentInstancesCommand) .de(de_ListDeploymentInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentInstancesInput; + output: ListDeploymentInstancesOutput; + }; + sdk: { + input: ListDeploymentInstancesCommandInput; + output: ListDeploymentInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListDeploymentTargetsCommand.ts b/clients/client-codedeploy/src/commands/ListDeploymentTargetsCommand.ts index 9510bd5adb18..5323d3e0816f 100644 --- a/clients/client-codedeploy/src/commands/ListDeploymentTargetsCommand.ts +++ b/clients/client-codedeploy/src/commands/ListDeploymentTargetsCommand.ts @@ -116,4 +116,16 @@ export class ListDeploymentTargetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentTargetsCommand) .de(de_ListDeploymentTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentTargetsInput; + output: ListDeploymentTargetsOutput; + }; + sdk: { + input: ListDeploymentTargetsCommandInput; + output: ListDeploymentTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListDeploymentsCommand.ts b/clients/client-codedeploy/src/commands/ListDeploymentsCommand.ts index 80d09825e063..43b2e3df9dce 100644 --- a/clients/client-codedeploy/src/commands/ListDeploymentsCommand.ts +++ b/clients/client-codedeploy/src/commands/ListDeploymentsCommand.ts @@ -125,4 +125,16 @@ export class ListDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentsCommand) .de(de_ListDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentsInput; + output: ListDeploymentsOutput; + }; + sdk: { + input: ListDeploymentsCommandInput; + output: ListDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListGitHubAccountTokenNamesCommand.ts b/clients/client-codedeploy/src/commands/ListGitHubAccountTokenNamesCommand.ts index b1b882877d73..b6a1832a4835 100644 --- a/clients/client-codedeploy/src/commands/ListGitHubAccountTokenNamesCommand.ts +++ b/clients/client-codedeploy/src/commands/ListGitHubAccountTokenNamesCommand.ts @@ -89,4 +89,16 @@ export class ListGitHubAccountTokenNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListGitHubAccountTokenNamesCommand) .de(de_ListGitHubAccountTokenNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGitHubAccountTokenNamesInput; + output: ListGitHubAccountTokenNamesOutput; + }; + sdk: { + input: ListGitHubAccountTokenNamesCommandInput; + output: ListGitHubAccountTokenNamesCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListOnPremisesInstancesCommand.ts b/clients/client-codedeploy/src/commands/ListOnPremisesInstancesCommand.ts index 398dc8ca9409..504127a9379f 100644 --- a/clients/client-codedeploy/src/commands/ListOnPremisesInstancesCommand.ts +++ b/clients/client-codedeploy/src/commands/ListOnPremisesInstancesCommand.ts @@ -100,4 +100,16 @@ export class ListOnPremisesInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListOnPremisesInstancesCommand) .de(de_ListOnPremisesInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOnPremisesInstancesInput; + output: ListOnPremisesInstancesOutput; + }; + sdk: { + input: ListOnPremisesInstancesCommandInput; + output: ListOnPremisesInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/ListTagsForResourceCommand.ts b/clients/client-codedeploy/src/commands/ListTagsForResourceCommand.ts index 66d45428b89b..7bf103a97c44 100644 --- a/clients/client-codedeploy/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codedeploy/src/commands/ListTagsForResourceCommand.ts @@ -95,4 +95,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/PutLifecycleEventHookExecutionStatusCommand.ts b/clients/client-codedeploy/src/commands/PutLifecycleEventHookExecutionStatusCommand.ts index b867a877fead..46fd1701a5a2 100644 --- a/clients/client-codedeploy/src/commands/PutLifecycleEventHookExecutionStatusCommand.ts +++ b/clients/client-codedeploy/src/commands/PutLifecycleEventHookExecutionStatusCommand.ts @@ -120,4 +120,16 @@ export class PutLifecycleEventHookExecutionStatusCommand extends $Command .f(void 0, void 0) .ser(se_PutLifecycleEventHookExecutionStatusCommand) .de(de_PutLifecycleEventHookExecutionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLifecycleEventHookExecutionStatusInput; + output: PutLifecycleEventHookExecutionStatusOutput; + }; + sdk: { + input: PutLifecycleEventHookExecutionStatusCommandInput; + output: PutLifecycleEventHookExecutionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/RegisterApplicationRevisionCommand.ts b/clients/client-codedeploy/src/commands/RegisterApplicationRevisionCommand.ts index 8a2d4ca9d443..ba71c00f4790 100644 --- a/clients/client-codedeploy/src/commands/RegisterApplicationRevisionCommand.ts +++ b/clients/client-codedeploy/src/commands/RegisterApplicationRevisionCommand.ts @@ -116,4 +116,16 @@ export class RegisterApplicationRevisionCommand extends $Command .f(void 0, void 0) .ser(se_RegisterApplicationRevisionCommand) .de(de_RegisterApplicationRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterApplicationRevisionInput; + output: {}; + }; + sdk: { + input: RegisterApplicationRevisionCommandInput; + output: RegisterApplicationRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/RegisterOnPremisesInstanceCommand.ts b/clients/client-codedeploy/src/commands/RegisterOnPremisesInstanceCommand.ts index 443774ea2fcf..c12284d5d599 100644 --- a/clients/client-codedeploy/src/commands/RegisterOnPremisesInstanceCommand.ts +++ b/clients/client-codedeploy/src/commands/RegisterOnPremisesInstanceCommand.ts @@ -112,4 +112,16 @@ export class RegisterOnPremisesInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RegisterOnPremisesInstanceCommand) .de(de_RegisterOnPremisesInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterOnPremisesInstanceInput; + output: {}; + }; + sdk: { + input: RegisterOnPremisesInstanceCommandInput; + output: RegisterOnPremisesInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/RemoveTagsFromOnPremisesInstancesCommand.ts b/clients/client-codedeploy/src/commands/RemoveTagsFromOnPremisesInstancesCommand.ts index 88a611adef4e..a2bcf2436da1 100644 --- a/clients/client-codedeploy/src/commands/RemoveTagsFromOnPremisesInstancesCommand.ts +++ b/clients/client-codedeploy/src/commands/RemoveTagsFromOnPremisesInstancesCommand.ts @@ -108,4 +108,16 @@ export class RemoveTagsFromOnPremisesInstancesCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromOnPremisesInstancesCommand) .de(de_RemoveTagsFromOnPremisesInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromOnPremisesInstancesInput; + output: {}; + }; + sdk: { + input: RemoveTagsFromOnPremisesInstancesCommandInput; + output: RemoveTagsFromOnPremisesInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/SkipWaitTimeForInstanceTerminationCommand.ts b/clients/client-codedeploy/src/commands/SkipWaitTimeForInstanceTerminationCommand.ts index b833136801e2..efbccb8149aa 100644 --- a/clients/client-codedeploy/src/commands/SkipWaitTimeForInstanceTerminationCommand.ts +++ b/clients/client-codedeploy/src/commands/SkipWaitTimeForInstanceTerminationCommand.ts @@ -99,4 +99,16 @@ export class SkipWaitTimeForInstanceTerminationCommand extends $Command .f(void 0, void 0) .ser(se_SkipWaitTimeForInstanceTerminationCommand) .de(de_SkipWaitTimeForInstanceTerminationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SkipWaitTimeForInstanceTerminationInput; + output: {}; + }; + sdk: { + input: SkipWaitTimeForInstanceTerminationCommandInput; + output: SkipWaitTimeForInstanceTerminationCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/StopDeploymentCommand.ts b/clients/client-codedeploy/src/commands/StopDeploymentCommand.ts index 0fe7680bf90b..6ec718df7edb 100644 --- a/clients/client-codedeploy/src/commands/StopDeploymentCommand.ts +++ b/clients/client-codedeploy/src/commands/StopDeploymentCommand.ts @@ -98,4 +98,16 @@ export class StopDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StopDeploymentCommand) .de(de_StopDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDeploymentInput; + output: StopDeploymentOutput; + }; + sdk: { + input: StopDeploymentCommandInput; + output: StopDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/TagResourceCommand.ts b/clients/client-codedeploy/src/commands/TagResourceCommand.ts index 92765003b27e..5410777c6689 100644 --- a/clients/client-codedeploy/src/commands/TagResourceCommand.ts +++ b/clients/client-codedeploy/src/commands/TagResourceCommand.ts @@ -108,4 +108,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/UntagResourceCommand.ts b/clients/client-codedeploy/src/commands/UntagResourceCommand.ts index f66deca69239..d7ffd14cb317 100644 --- a/clients/client-codedeploy/src/commands/UntagResourceCommand.ts +++ b/clients/client-codedeploy/src/commands/UntagResourceCommand.ts @@ -106,4 +106,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/UpdateApplicationCommand.ts b/clients/client-codedeploy/src/commands/UpdateApplicationCommand.ts index cbd496e3e51d..1246be1faae4 100644 --- a/clients/client-codedeploy/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-codedeploy/src/commands/UpdateApplicationCommand.ts @@ -89,4 +89,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationInput; + output: {}; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-codedeploy/src/commands/UpdateDeploymentGroupCommand.ts b/clients/client-codedeploy/src/commands/UpdateDeploymentGroupCommand.ts index 52c1a8343f8d..2ce3438e1533 100644 --- a/clients/client-codedeploy/src/commands/UpdateDeploymentGroupCommand.ts +++ b/clients/client-codedeploy/src/commands/UpdateDeploymentGroupCommand.ts @@ -331,4 +331,16 @@ export class UpdateDeploymentGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeploymentGroupCommand) .de(de_UpdateDeploymentGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeploymentGroupInput; + output: UpdateDeploymentGroupOutput; + }; + sdk: { + input: UpdateDeploymentGroupCommandInput; + output: UpdateDeploymentGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/package.json b/clients/client-codeguru-reviewer/package.json index e622e71d65ea..46b3af9cc459 100644 --- a/clients/client-codeguru-reviewer/package.json +++ b/clients/client-codeguru-reviewer/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-codeguru-reviewer/src/commands/AssociateRepositoryCommand.ts b/clients/client-codeguru-reviewer/src/commands/AssociateRepositoryCommand.ts index cd3749c4fa01..5196289d8e8d 100644 --- a/clients/client-codeguru-reviewer/src/commands/AssociateRepositoryCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/AssociateRepositoryCommand.ts @@ -164,4 +164,16 @@ export class AssociateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_AssociateRepositoryCommand) .de(de_AssociateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateRepositoryRequest; + output: AssociateRepositoryResponse; + }; + sdk: { + input: AssociateRepositoryCommandInput; + output: AssociateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/CreateCodeReviewCommand.ts b/clients/client-codeguru-reviewer/src/commands/CreateCodeReviewCommand.ts index e41f0db1ff8e..6889b6aa4fba 100644 --- a/clients/client-codeguru-reviewer/src/commands/CreateCodeReviewCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/CreateCodeReviewCommand.ts @@ -200,4 +200,16 @@ export class CreateCodeReviewCommand extends $Command .f(void 0, void 0) .ser(se_CreateCodeReviewCommand) .de(de_CreateCodeReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCodeReviewRequest; + output: CreateCodeReviewResponse; + }; + sdk: { + input: CreateCodeReviewCommandInput; + output: CreateCodeReviewCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/DescribeCodeReviewCommand.ts b/clients/client-codeguru-reviewer/src/commands/DescribeCodeReviewCommand.ts index 9b609f55976d..a5b15dad5956 100644 --- a/clients/client-codeguru-reviewer/src/commands/DescribeCodeReviewCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/DescribeCodeReviewCommand.ts @@ -147,4 +147,16 @@ export class DescribeCodeReviewCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCodeReviewCommand) .de(de_DescribeCodeReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCodeReviewRequest; + output: DescribeCodeReviewResponse; + }; + sdk: { + input: DescribeCodeReviewCommandInput; + output: DescribeCodeReviewCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/DescribeRecommendationFeedbackCommand.ts b/clients/client-codeguru-reviewer/src/commands/DescribeRecommendationFeedbackCommand.ts index 906277958d8f..b94cabf562fd 100644 --- a/clients/client-codeguru-reviewer/src/commands/DescribeRecommendationFeedbackCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/DescribeRecommendationFeedbackCommand.ts @@ -108,4 +108,16 @@ export class DescribeRecommendationFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecommendationFeedbackCommand) .de(de_DescribeRecommendationFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecommendationFeedbackRequest; + output: DescribeRecommendationFeedbackResponse; + }; + sdk: { + input: DescribeRecommendationFeedbackCommandInput; + output: DescribeRecommendationFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/DescribeRepositoryAssociationCommand.ts b/clients/client-codeguru-reviewer/src/commands/DescribeRepositoryAssociationCommand.ts index bcd32b4c040b..3a255341226d 100644 --- a/clients/client-codeguru-reviewer/src/commands/DescribeRepositoryAssociationCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/DescribeRepositoryAssociationCommand.ts @@ -123,4 +123,16 @@ export class DescribeRepositoryAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRepositoryAssociationCommand) .de(de_DescribeRepositoryAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRepositoryAssociationRequest; + output: DescribeRepositoryAssociationResponse; + }; + sdk: { + input: DescribeRepositoryAssociationCommandInput; + output: DescribeRepositoryAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/DisassociateRepositoryCommand.ts b/clients/client-codeguru-reviewer/src/commands/DisassociateRepositoryCommand.ts index 02c9d712f29e..fd86b4f3e552 100644 --- a/clients/client-codeguru-reviewer/src/commands/DisassociateRepositoryCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/DisassociateRepositoryCommand.ts @@ -122,4 +122,16 @@ export class DisassociateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateRepositoryCommand) .de(de_DisassociateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateRepositoryRequest; + output: DisassociateRepositoryResponse; + }; + sdk: { + input: DisassociateRepositoryCommandInput; + output: DisassociateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/ListCodeReviewsCommand.ts b/clients/client-codeguru-reviewer/src/commands/ListCodeReviewsCommand.ts index 173bde655b2b..cd3c0ab1a781 100644 --- a/clients/client-codeguru-reviewer/src/commands/ListCodeReviewsCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/ListCodeReviewsCommand.ts @@ -152,4 +152,16 @@ export class ListCodeReviewsCommand extends $Command .f(void 0, void 0) .ser(se_ListCodeReviewsCommand) .de(de_ListCodeReviewsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCodeReviewsRequest; + output: ListCodeReviewsResponse; + }; + sdk: { + input: ListCodeReviewsCommandInput; + output: ListCodeReviewsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/ListRecommendationFeedbackCommand.ts b/clients/client-codeguru-reviewer/src/commands/ListRecommendationFeedbackCommand.ts index 599417400347..89a2a8de51f0 100644 --- a/clients/client-codeguru-reviewer/src/commands/ListRecommendationFeedbackCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/ListRecommendationFeedbackCommand.ts @@ -110,4 +110,16 @@ export class ListRecommendationFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationFeedbackCommand) .de(de_ListRecommendationFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationFeedbackRequest; + output: ListRecommendationFeedbackResponse; + }; + sdk: { + input: ListRecommendationFeedbackCommandInput; + output: ListRecommendationFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/ListRecommendationsCommand.ts b/clients/client-codeguru-reviewer/src/commands/ListRecommendationsCommand.ts index 4d6ecc841ea0..fe80ca5b7916 100644 --- a/clients/client-codeguru-reviewer/src/commands/ListRecommendationsCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/ListRecommendationsCommand.ts @@ -114,4 +114,16 @@ export class ListRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationsCommand) .de(de_ListRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationsRequest; + output: ListRecommendationsResponse; + }; + sdk: { + input: ListRecommendationsCommandInput; + output: ListRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/ListRepositoryAssociationsCommand.ts b/clients/client-codeguru-reviewer/src/commands/ListRepositoryAssociationsCommand.ts index e0c999083258..3d30e9d6dd80 100644 --- a/clients/client-codeguru-reviewer/src/commands/ListRepositoryAssociationsCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/ListRepositoryAssociationsCommand.ts @@ -112,4 +112,16 @@ export class ListRepositoryAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoryAssociationsCommand) .de(de_ListRepositoryAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoryAssociationsRequest; + output: ListRepositoryAssociationsResponse; + }; + sdk: { + input: ListRepositoryAssociationsCommandInput; + output: ListRepositoryAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/ListTagsForResourceCommand.ts b/clients/client-codeguru-reviewer/src/commands/ListTagsForResourceCommand.ts index a8f608ca8295..83b86e4948cb 100644 --- a/clients/client-codeguru-reviewer/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/PutRecommendationFeedbackCommand.ts b/clients/client-codeguru-reviewer/src/commands/PutRecommendationFeedbackCommand.ts index 68d9c0d44a74..7ad5e2ac947b 100644 --- a/clients/client-codeguru-reviewer/src/commands/PutRecommendationFeedbackCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/PutRecommendationFeedbackCommand.ts @@ -95,4 +95,16 @@ export class PutRecommendationFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_PutRecommendationFeedbackCommand) .de(de_PutRecommendationFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRecommendationFeedbackRequest; + output: {}; + }; + sdk: { + input: PutRecommendationFeedbackCommandInput; + output: PutRecommendationFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/TagResourceCommand.ts b/clients/client-codeguru-reviewer/src/commands/TagResourceCommand.ts index 81e544a0e00a..d047920f0c63 100644 --- a/clients/client-codeguru-reviewer/src/commands/TagResourceCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-reviewer/src/commands/UntagResourceCommand.ts b/clients/client-codeguru-reviewer/src/commands/UntagResourceCommand.ts index 4290e94b99e3..b8aa9d5a4524 100644 --- a/clients/client-codeguru-reviewer/src/commands/UntagResourceCommand.ts +++ b/clients/client-codeguru-reviewer/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/package.json b/clients/client-codeguru-security/package.json index ee74ae2de8fa..ab2a3c4d8b2d 100644 --- a/clients/client-codeguru-security/package.json +++ b/clients/client-codeguru-security/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-codeguru-security/src/commands/BatchGetFindingsCommand.ts b/clients/client-codeguru-security/src/commands/BatchGetFindingsCommand.ts index 4b2bdae9517f..43614f06a568 100644 --- a/clients/client-codeguru-security/src/commands/BatchGetFindingsCommand.ts +++ b/clients/client-codeguru-security/src/commands/BatchGetFindingsCommand.ts @@ -158,4 +158,16 @@ export class BatchGetFindingsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetFindingsCommand) .de(de_BatchGetFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetFindingsRequest; + output: BatchGetFindingsResponse; + }; + sdk: { + input: BatchGetFindingsCommandInput; + output: BatchGetFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/CreateScanCommand.ts b/clients/client-codeguru-security/src/commands/CreateScanCommand.ts index 9eb93543fd1c..cc00b1dbb8ba 100644 --- a/clients/client-codeguru-security/src/commands/CreateScanCommand.ts +++ b/clients/client-codeguru-security/src/commands/CreateScanCommand.ts @@ -112,4 +112,16 @@ export class CreateScanCommand extends $Command .f(void 0, void 0) .ser(se_CreateScanCommand) .de(de_CreateScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScanRequest; + output: CreateScanResponse; + }; + sdk: { + input: CreateScanCommandInput; + output: CreateScanCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/CreateUploadUrlCommand.ts b/clients/client-codeguru-security/src/commands/CreateUploadUrlCommand.ts index 83b4e7a80907..be9337de602c 100644 --- a/clients/client-codeguru-security/src/commands/CreateUploadUrlCommand.ts +++ b/clients/client-codeguru-security/src/commands/CreateUploadUrlCommand.ts @@ -100,4 +100,16 @@ export class CreateUploadUrlCommand extends $Command .f(void 0, CreateUploadUrlResponseFilterSensitiveLog) .ser(se_CreateUploadUrlCommand) .de(de_CreateUploadUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUploadUrlRequest; + output: CreateUploadUrlResponse; + }; + sdk: { + input: CreateUploadUrlCommandInput; + output: CreateUploadUrlCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/GetAccountConfigurationCommand.ts b/clients/client-codeguru-security/src/commands/GetAccountConfigurationCommand.ts index 7b4de4a77d56..c18746ace2f9 100644 --- a/clients/client-codeguru-security/src/commands/GetAccountConfigurationCommand.ts +++ b/clients/client-codeguru-security/src/commands/GetAccountConfigurationCommand.ts @@ -89,4 +89,16 @@ export class GetAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountConfigurationCommand) .de(de_GetAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountConfigurationResponse; + }; + sdk: { + input: GetAccountConfigurationCommandInput; + output: GetAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/GetFindingsCommand.ts b/clients/client-codeguru-security/src/commands/GetFindingsCommand.ts index ad051c507730..456ae7ad3555 100644 --- a/clients/client-codeguru-security/src/commands/GetFindingsCommand.ts +++ b/clients/client-codeguru-security/src/commands/GetFindingsCommand.ts @@ -157,4 +157,16 @@ export class GetFindingsCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsCommand) .de(de_GetFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsRequest; + output: GetFindingsResponse; + }; + sdk: { + input: GetFindingsCommandInput; + output: GetFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/GetMetricsSummaryCommand.ts b/clients/client-codeguru-security/src/commands/GetMetricsSummaryCommand.ts index 6ffaa30cf3ac..667067557448 100644 --- a/clients/client-codeguru-security/src/commands/GetMetricsSummaryCommand.ts +++ b/clients/client-codeguru-security/src/commands/GetMetricsSummaryCommand.ts @@ -118,4 +118,16 @@ export class GetMetricsSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricsSummaryCommand) .de(de_GetMetricsSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricsSummaryRequest; + output: GetMetricsSummaryResponse; + }; + sdk: { + input: GetMetricsSummaryCommandInput; + output: GetMetricsSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/GetScanCommand.ts b/clients/client-codeguru-security/src/commands/GetScanCommand.ts index 3489637472c4..280ce5f31d30 100644 --- a/clients/client-codeguru-security/src/commands/GetScanCommand.ts +++ b/clients/client-codeguru-security/src/commands/GetScanCommand.ts @@ -101,4 +101,16 @@ export class GetScanCommand extends $Command .f(void 0, void 0) .ser(se_GetScanCommand) .de(de_GetScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetScanRequest; + output: GetScanResponse; + }; + sdk: { + input: GetScanCommandInput; + output: GetScanCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/ListFindingsMetricsCommand.ts b/clients/client-codeguru-security/src/commands/ListFindingsMetricsCommand.ts index 74c13f16c224..b95767654d79 100644 --- a/clients/client-codeguru-security/src/commands/ListFindingsMetricsCommand.ts +++ b/clients/client-codeguru-security/src/commands/ListFindingsMetricsCommand.ts @@ -125,4 +125,16 @@ export class ListFindingsMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsMetricsCommand) .de(de_ListFindingsMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsMetricsRequest; + output: ListFindingsMetricsResponse; + }; + sdk: { + input: ListFindingsMetricsCommandInput; + output: ListFindingsMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/ListScansCommand.ts b/clients/client-codeguru-security/src/commands/ListScansCommand.ts index 8b416b8d761d..26e808952a16 100644 --- a/clients/client-codeguru-security/src/commands/ListScansCommand.ts +++ b/clients/client-codeguru-security/src/commands/ListScansCommand.ts @@ -101,4 +101,16 @@ export class ListScansCommand extends $Command .f(void 0, void 0) .ser(se_ListScansCommand) .de(de_ListScansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScansRequest; + output: ListScansResponse; + }; + sdk: { + input: ListScansCommandInput; + output: ListScansCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/ListTagsForResourceCommand.ts b/clients/client-codeguru-security/src/commands/ListTagsForResourceCommand.ts index c10a86a4b888..d5b6e4ffceb2 100644 --- a/clients/client-codeguru-security/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codeguru-security/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/TagResourceCommand.ts b/clients/client-codeguru-security/src/commands/TagResourceCommand.ts index 001d783fe858..349768772164 100644 --- a/clients/client-codeguru-security/src/commands/TagResourceCommand.ts +++ b/clients/client-codeguru-security/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/UntagResourceCommand.ts b/clients/client-codeguru-security/src/commands/UntagResourceCommand.ts index 97ed87e7ec40..0604f7d7f4d6 100644 --- a/clients/client-codeguru-security/src/commands/UntagResourceCommand.ts +++ b/clients/client-codeguru-security/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguru-security/src/commands/UpdateAccountConfigurationCommand.ts b/clients/client-codeguru-security/src/commands/UpdateAccountConfigurationCommand.ts index c6946fd15ea8..e8d294594725 100644 --- a/clients/client-codeguru-security/src/commands/UpdateAccountConfigurationCommand.ts +++ b/clients/client-codeguru-security/src/commands/UpdateAccountConfigurationCommand.ts @@ -96,4 +96,16 @@ export class UpdateAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountConfigurationCommand) .de(de_UpdateAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountConfigurationRequest; + output: UpdateAccountConfigurationResponse; + }; + sdk: { + input: UpdateAccountConfigurationCommandInput; + output: UpdateAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/package.json b/clients/client-codeguruprofiler/package.json index df4eff7ab18f..e904de8885a8 100644 --- a/clients/client-codeguruprofiler/package.json +++ b/clients/client-codeguruprofiler/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-codeguruprofiler/src/commands/AddNotificationChannelsCommand.ts b/clients/client-codeguruprofiler/src/commands/AddNotificationChannelsCommand.ts index 2e9e81d4d1c3..dccaa21facf1 100644 --- a/clients/client-codeguruprofiler/src/commands/AddNotificationChannelsCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/AddNotificationChannelsCommand.ts @@ -120,4 +120,16 @@ export class AddNotificationChannelsCommand extends $Command .f(void 0, void 0) .ser(se_AddNotificationChannelsCommand) .de(de_AddNotificationChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddNotificationChannelsRequest; + output: AddNotificationChannelsResponse; + }; + sdk: { + input: AddNotificationChannelsCommandInput; + output: AddNotificationChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/BatchGetFrameMetricDataCommand.ts b/clients/client-codeguruprofiler/src/commands/BatchGetFrameMetricDataCommand.ts index 7a8cd36674c7..e24552c186da 100644 --- a/clients/client-codeguruprofiler/src/commands/BatchGetFrameMetricDataCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/BatchGetFrameMetricDataCommand.ts @@ -132,4 +132,16 @@ export class BatchGetFrameMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetFrameMetricDataCommand) .de(de_BatchGetFrameMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetFrameMetricDataRequest; + output: BatchGetFrameMetricDataResponse; + }; + sdk: { + input: BatchGetFrameMetricDataCommandInput; + output: BatchGetFrameMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/ConfigureAgentCommand.ts b/clients/client-codeguruprofiler/src/commands/ConfigureAgentCommand.ts index 130e679d2b1a..16522d556389 100644 --- a/clients/client-codeguruprofiler/src/commands/ConfigureAgentCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/ConfigureAgentCommand.ts @@ -103,4 +103,16 @@ export class ConfigureAgentCommand extends $Command .f(void 0, void 0) .ser(se_ConfigureAgentCommand) .de(de_ConfigureAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfigureAgentRequest; + output: ConfigureAgentResponse; + }; + sdk: { + input: ConfigureAgentCommandInput; + output: ConfigureAgentCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/CreateProfilingGroupCommand.ts b/clients/client-codeguruprofiler/src/commands/CreateProfilingGroupCommand.ts index 23a77e446db6..99e92c6a0978 100644 --- a/clients/client-codeguruprofiler/src/commands/CreateProfilingGroupCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/CreateProfilingGroupCommand.ts @@ -126,4 +126,16 @@ export class CreateProfilingGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateProfilingGroupCommand) .de(de_CreateProfilingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfilingGroupRequest; + output: CreateProfilingGroupResponse; + }; + sdk: { + input: CreateProfilingGroupCommandInput; + output: CreateProfilingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/DeleteProfilingGroupCommand.ts b/clients/client-codeguruprofiler/src/commands/DeleteProfilingGroupCommand.ts index 8165be0e0dac..40b0d777d7f1 100644 --- a/clients/client-codeguruprofiler/src/commands/DeleteProfilingGroupCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/DeleteProfilingGroupCommand.ts @@ -93,4 +93,16 @@ export class DeleteProfilingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfilingGroupCommand) .de(de_DeleteProfilingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfilingGroupRequest; + output: {}; + }; + sdk: { + input: DeleteProfilingGroupCommandInput; + output: DeleteProfilingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/DescribeProfilingGroupCommand.ts b/clients/client-codeguruprofiler/src/commands/DescribeProfilingGroupCommand.ts index 025f44998787..344e385ebd1b 100644 --- a/clients/client-codeguruprofiler/src/commands/DescribeProfilingGroupCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/DescribeProfilingGroupCommand.ts @@ -114,4 +114,16 @@ export class DescribeProfilingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProfilingGroupCommand) .de(de_DescribeProfilingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProfilingGroupRequest; + output: DescribeProfilingGroupResponse; + }; + sdk: { + input: DescribeProfilingGroupCommandInput; + output: DescribeProfilingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/GetFindingsReportAccountSummaryCommand.ts b/clients/client-codeguruprofiler/src/commands/GetFindingsReportAccountSummaryCommand.ts index 869ab05ad16e..85b9b096d54a 100644 --- a/clients/client-codeguruprofiler/src/commands/GetFindingsReportAccountSummaryCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/GetFindingsReportAccountSummaryCommand.ts @@ -108,4 +108,16 @@ export class GetFindingsReportAccountSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsReportAccountSummaryCommand) .de(de_GetFindingsReportAccountSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsReportAccountSummaryRequest; + output: GetFindingsReportAccountSummaryResponse; + }; + sdk: { + input: GetFindingsReportAccountSummaryCommandInput; + output: GetFindingsReportAccountSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/GetNotificationConfigurationCommand.ts b/clients/client-codeguruprofiler/src/commands/GetNotificationConfigurationCommand.ts index cb80e48bd801..38a7864fa83a 100644 --- a/clients/client-codeguruprofiler/src/commands/GetNotificationConfigurationCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/GetNotificationConfigurationCommand.ts @@ -104,4 +104,16 @@ export class GetNotificationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetNotificationConfigurationCommand) .de(de_GetNotificationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNotificationConfigurationRequest; + output: GetNotificationConfigurationResponse; + }; + sdk: { + input: GetNotificationConfigurationCommandInput; + output: GetNotificationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/GetPolicyCommand.ts b/clients/client-codeguruprofiler/src/commands/GetPolicyCommand.ts index df5e91ea005b..19fcc4e496af 100644 --- a/clients/client-codeguruprofiler/src/commands/GetPolicyCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/GetPolicyCommand.ts @@ -89,4 +89,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyRequest; + output: GetPolicyResponse; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/GetProfileCommand.ts b/clients/client-codeguruprofiler/src/commands/GetProfileCommand.ts index bed225d88c36..318c800f82c7 100644 --- a/clients/client-codeguruprofiler/src/commands/GetProfileCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/GetProfileCommand.ts @@ -175,4 +175,16 @@ export class GetProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetProfileCommand) .de(de_GetProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileRequest; + output: GetProfileResponse; + }; + sdk: { + input: GetProfileCommandInput; + output: GetProfileCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/GetRecommendationsCommand.ts b/clients/client-codeguruprofiler/src/commands/GetRecommendationsCommand.ts index c2df67595baf..9d2bee687887 100644 --- a/clients/client-codeguruprofiler/src/commands/GetRecommendationsCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/GetRecommendationsCommand.ts @@ -157,4 +157,16 @@ export class GetRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetRecommendationsCommand) .de(de_GetRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationsRequest; + output: GetRecommendationsResponse; + }; + sdk: { + input: GetRecommendationsCommandInput; + output: GetRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/ListFindingsReportsCommand.ts b/clients/client-codeguruprofiler/src/commands/ListFindingsReportsCommand.ts index 2c33bcf45e18..23efbcba5062 100644 --- a/clients/client-codeguruprofiler/src/commands/ListFindingsReportsCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/ListFindingsReportsCommand.ts @@ -103,4 +103,16 @@ export class ListFindingsReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsReportsCommand) .de(de_ListFindingsReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsReportsRequest; + output: ListFindingsReportsResponse; + }; + sdk: { + input: ListFindingsReportsCommandInput; + output: ListFindingsReportsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/ListProfileTimesCommand.ts b/clients/client-codeguruprofiler/src/commands/ListProfileTimesCommand.ts index 4eb581cd743f..f6ec31b847a0 100644 --- a/clients/client-codeguruprofiler/src/commands/ListProfileTimesCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/ListProfileTimesCommand.ts @@ -101,4 +101,16 @@ export class ListProfileTimesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfileTimesCommand) .de(de_ListProfileTimesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileTimesRequest; + output: ListProfileTimesResponse; + }; + sdk: { + input: ListProfileTimesCommandInput; + output: ListProfileTimesCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/ListProfilingGroupsCommand.ts b/clients/client-codeguruprofiler/src/commands/ListProfilingGroupsCommand.ts index 34baa8029bf0..a208dcedccc0 100644 --- a/clients/client-codeguruprofiler/src/commands/ListProfilingGroupsCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/ListProfilingGroupsCommand.ts @@ -117,4 +117,16 @@ export class ListProfilingGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListProfilingGroupsCommand) .de(de_ListProfilingGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfilingGroupsRequest; + output: ListProfilingGroupsResponse; + }; + sdk: { + input: ListProfilingGroupsCommandInput; + output: ListProfilingGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/ListTagsForResourceCommand.ts b/clients/client-codeguruprofiler/src/commands/ListTagsForResourceCommand.ts index 5216ac313f17..7bcb6ddbe639 100644 --- a/clients/client-codeguruprofiler/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/ListTagsForResourceCommand.ts @@ -90,4 +90,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/PostAgentProfileCommand.ts b/clients/client-codeguruprofiler/src/commands/PostAgentProfileCommand.ts index 5a320da0f711..7fe201664fa2 100644 --- a/clients/client-codeguruprofiler/src/commands/PostAgentProfileCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/PostAgentProfileCommand.ts @@ -103,4 +103,16 @@ export class PostAgentProfileCommand extends $Command .f(void 0, void 0) .ser(se_PostAgentProfileCommand) .de(de_PostAgentProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostAgentProfileRequest; + output: {}; + }; + sdk: { + input: PostAgentProfileCommandInput; + output: PostAgentProfileCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/PutPermissionCommand.ts b/clients/client-codeguruprofiler/src/commands/PutPermissionCommand.ts index 33232d19e9ba..2ba2d67afe3c 100644 --- a/clients/client-codeguruprofiler/src/commands/PutPermissionCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/PutPermissionCommand.ts @@ -126,4 +126,16 @@ export class PutPermissionCommand extends $Command .f(void 0, void 0) .ser(se_PutPermissionCommand) .de(de_PutPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPermissionRequest; + output: PutPermissionResponse; + }; + sdk: { + input: PutPermissionCommandInput; + output: PutPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/RemoveNotificationChannelCommand.ts b/clients/client-codeguruprofiler/src/commands/RemoveNotificationChannelCommand.ts index 450141fdfa70..42b802bc6e76 100644 --- a/clients/client-codeguruprofiler/src/commands/RemoveNotificationChannelCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/RemoveNotificationChannelCommand.ts @@ -100,4 +100,16 @@ export class RemoveNotificationChannelCommand extends $Command .f(void 0, void 0) .ser(se_RemoveNotificationChannelCommand) .de(de_RemoveNotificationChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveNotificationChannelRequest; + output: RemoveNotificationChannelResponse; + }; + sdk: { + input: RemoveNotificationChannelCommandInput; + output: RemoveNotificationChannelCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/RemovePermissionCommand.ts b/clients/client-codeguruprofiler/src/commands/RemovePermissionCommand.ts index 5e26029c0705..e11e59dd33e8 100644 --- a/clients/client-codeguruprofiler/src/commands/RemovePermissionCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/RemovePermissionCommand.ts @@ -106,4 +106,16 @@ export class RemovePermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemovePermissionCommand) .de(de_RemovePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemovePermissionRequest; + output: RemovePermissionResponse; + }; + sdk: { + input: RemovePermissionCommandInput; + output: RemovePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/SubmitFeedbackCommand.ts b/clients/client-codeguruprofiler/src/commands/SubmitFeedbackCommand.ts index ff49a5eb17f0..4458790693d2 100644 --- a/clients/client-codeguruprofiler/src/commands/SubmitFeedbackCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/SubmitFeedbackCommand.ts @@ -91,4 +91,16 @@ export class SubmitFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_SubmitFeedbackCommand) .de(de_SubmitFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitFeedbackRequest; + output: {}; + }; + sdk: { + input: SubmitFeedbackCommandInput; + output: SubmitFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/TagResourceCommand.ts b/clients/client-codeguruprofiler/src/commands/TagResourceCommand.ts index b9b225964587..140f9508f48e 100644 --- a/clients/client-codeguruprofiler/src/commands/TagResourceCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/TagResourceCommand.ts @@ -89,4 +89,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/UntagResourceCommand.ts b/clients/client-codeguruprofiler/src/commands/UntagResourceCommand.ts index 0bbdd1f16679..42045906868c 100644 --- a/clients/client-codeguruprofiler/src/commands/UntagResourceCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/UntagResourceCommand.ts @@ -89,4 +89,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codeguruprofiler/src/commands/UpdateProfilingGroupCommand.ts b/clients/client-codeguruprofiler/src/commands/UpdateProfilingGroupCommand.ts index b2e7b5e5fddc..825045fd864e 100644 --- a/clients/client-codeguruprofiler/src/commands/UpdateProfilingGroupCommand.ts +++ b/clients/client-codeguruprofiler/src/commands/UpdateProfilingGroupCommand.ts @@ -118,4 +118,16 @@ export class UpdateProfilingGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProfilingGroupCommand) .de(de_UpdateProfilingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfilingGroupRequest; + output: UpdateProfilingGroupResponse; + }; + sdk: { + input: UpdateProfilingGroupCommandInput; + output: UpdateProfilingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/package.json b/clients/client-codepipeline/package.json index 9d3650d52f4a..09347828841a 100644 --- a/clients/client-codepipeline/package.json +++ b/clients/client-codepipeline/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-codepipeline/src/commands/AcknowledgeJobCommand.ts b/clients/client-codepipeline/src/commands/AcknowledgeJobCommand.ts index 79a19ebcb6e5..30aa47a4aff1 100644 --- a/clients/client-codepipeline/src/commands/AcknowledgeJobCommand.ts +++ b/clients/client-codepipeline/src/commands/AcknowledgeJobCommand.ts @@ -88,4 +88,16 @@ export class AcknowledgeJobCommand extends $Command .f(void 0, void 0) .ser(se_AcknowledgeJobCommand) .de(de_AcknowledgeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcknowledgeJobInput; + output: AcknowledgeJobOutput; + }; + sdk: { + input: AcknowledgeJobCommandInput; + output: AcknowledgeJobCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/AcknowledgeThirdPartyJobCommand.ts b/clients/client-codepipeline/src/commands/AcknowledgeThirdPartyJobCommand.ts index 767eb9d77c39..6ae887d6392d 100644 --- a/clients/client-codepipeline/src/commands/AcknowledgeThirdPartyJobCommand.ts +++ b/clients/client-codepipeline/src/commands/AcknowledgeThirdPartyJobCommand.ts @@ -92,4 +92,16 @@ export class AcknowledgeThirdPartyJobCommand extends $Command .f(void 0, void 0) .ser(se_AcknowledgeThirdPartyJobCommand) .de(de_AcknowledgeThirdPartyJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcknowledgeThirdPartyJobInput; + output: AcknowledgeThirdPartyJobOutput; + }; + sdk: { + input: AcknowledgeThirdPartyJobCommandInput; + output: AcknowledgeThirdPartyJobCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/CreateCustomActionTypeCommand.ts b/clients/client-codepipeline/src/commands/CreateCustomActionTypeCommand.ts index 6e77aee2fd8a..f511aab39324 100644 --- a/clients/client-codepipeline/src/commands/CreateCustomActionTypeCommand.ts +++ b/clients/client-codepipeline/src/commands/CreateCustomActionTypeCommand.ts @@ -165,4 +165,16 @@ export class CreateCustomActionTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomActionTypeCommand) .de(de_CreateCustomActionTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomActionTypeInput; + output: CreateCustomActionTypeOutput; + }; + sdk: { + input: CreateCustomActionTypeCommandInput; + output: CreateCustomActionTypeCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/CreatePipelineCommand.ts b/clients/client-codepipeline/src/commands/CreatePipelineCommand.ts index 970b60cd2a54..7d0cf9aa7f59 100644 --- a/clients/client-codepipeline/src/commands/CreatePipelineCommand.ts +++ b/clients/client-codepipeline/src/commands/CreatePipelineCommand.ts @@ -562,4 +562,16 @@ export class CreatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_CreatePipelineCommand) .de(de_CreatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePipelineInput; + output: CreatePipelineOutput; + }; + sdk: { + input: CreatePipelineCommandInput; + output: CreatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/DeleteCustomActionTypeCommand.ts b/clients/client-codepipeline/src/commands/DeleteCustomActionTypeCommand.ts index c7ca7eee857d..91da1cf4e71e 100644 --- a/clients/client-codepipeline/src/commands/DeleteCustomActionTypeCommand.ts +++ b/clients/client-codepipeline/src/commands/DeleteCustomActionTypeCommand.ts @@ -91,4 +91,16 @@ export class DeleteCustomActionTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomActionTypeCommand) .de(de_DeleteCustomActionTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomActionTypeInput; + output: {}; + }; + sdk: { + input: DeleteCustomActionTypeCommandInput; + output: DeleteCustomActionTypeCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/DeletePipelineCommand.ts b/clients/client-codepipeline/src/commands/DeletePipelineCommand.ts index 277fbc68d7f1..b5e284fa4bd9 100644 --- a/clients/client-codepipeline/src/commands/DeletePipelineCommand.ts +++ b/clients/client-codepipeline/src/commands/DeletePipelineCommand.ts @@ -81,4 +81,16 @@ export class DeletePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeletePipelineCommand) .de(de_DeletePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePipelineInput; + output: {}; + }; + sdk: { + input: DeletePipelineCommandInput; + output: DeletePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/DeleteWebhookCommand.ts b/clients/client-codepipeline/src/commands/DeleteWebhookCommand.ts index 765672f387f4..205c1097bc99 100644 --- a/clients/client-codepipeline/src/commands/DeleteWebhookCommand.ts +++ b/clients/client-codepipeline/src/commands/DeleteWebhookCommand.ts @@ -84,4 +84,16 @@ export class DeleteWebhookCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWebhookCommand) .de(de_DeleteWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWebhookInput; + output: {}; + }; + sdk: { + input: DeleteWebhookCommandInput; + output: DeleteWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/DeregisterWebhookWithThirdPartyCommand.ts b/clients/client-codepipeline/src/commands/DeregisterWebhookWithThirdPartyCommand.ts index c16b127648e1..9b2d349fb417 100644 --- a/clients/client-codepipeline/src/commands/DeregisterWebhookWithThirdPartyCommand.ts +++ b/clients/client-codepipeline/src/commands/DeregisterWebhookWithThirdPartyCommand.ts @@ -89,4 +89,16 @@ export class DeregisterWebhookWithThirdPartyCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterWebhookWithThirdPartyCommand) .de(de_DeregisterWebhookWithThirdPartyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterWebhookWithThirdPartyInput; + output: {}; + }; + sdk: { + input: DeregisterWebhookWithThirdPartyCommandInput; + output: DeregisterWebhookWithThirdPartyCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/DisableStageTransitionCommand.ts b/clients/client-codepipeline/src/commands/DisableStageTransitionCommand.ts index f525cccf9aca..5bbeb785cebb 100644 --- a/clients/client-codepipeline/src/commands/DisableStageTransitionCommand.ts +++ b/clients/client-codepipeline/src/commands/DisableStageTransitionCommand.ts @@ -88,4 +88,16 @@ export class DisableStageTransitionCommand extends $Command .f(void 0, void 0) .ser(se_DisableStageTransitionCommand) .de(de_DisableStageTransitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableStageTransitionInput; + output: {}; + }; + sdk: { + input: DisableStageTransitionCommandInput; + output: DisableStageTransitionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/EnableStageTransitionCommand.ts b/clients/client-codepipeline/src/commands/EnableStageTransitionCommand.ts index 29d42aca9d90..cfcef069539c 100644 --- a/clients/client-codepipeline/src/commands/EnableStageTransitionCommand.ts +++ b/clients/client-codepipeline/src/commands/EnableStageTransitionCommand.ts @@ -86,4 +86,16 @@ export class EnableStageTransitionCommand extends $Command .f(void 0, void 0) .ser(se_EnableStageTransitionCommand) .de(de_EnableStageTransitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableStageTransitionInput; + output: {}; + }; + sdk: { + input: EnableStageTransitionCommandInput; + output: EnableStageTransitionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/GetActionTypeCommand.ts b/clients/client-codepipeline/src/commands/GetActionTypeCommand.ts index 12c98a777900..f37cfdd67084 100644 --- a/clients/client-codepipeline/src/commands/GetActionTypeCommand.ts +++ b/clients/client-codepipeline/src/commands/GetActionTypeCommand.ts @@ -143,4 +143,16 @@ export class GetActionTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetActionTypeCommand) .de(de_GetActionTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetActionTypeInput; + output: GetActionTypeOutput; + }; + sdk: { + input: GetActionTypeCommandInput; + output: GetActionTypeCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/GetJobDetailsCommand.ts b/clients/client-codepipeline/src/commands/GetJobDetailsCommand.ts index e463972d9cc2..f9ec7ae2d1c2 100644 --- a/clients/client-codepipeline/src/commands/GetJobDetailsCommand.ts +++ b/clients/client-codepipeline/src/commands/GetJobDetailsCommand.ts @@ -153,4 +153,16 @@ export class GetJobDetailsCommand extends $Command .f(void 0, GetJobDetailsOutputFilterSensitiveLog) .ser(se_GetJobDetailsCommand) .de(de_GetJobDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobDetailsInput; + output: GetJobDetailsOutput; + }; + sdk: { + input: GetJobDetailsCommandInput; + output: GetJobDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/GetPipelineCommand.ts b/clients/client-codepipeline/src/commands/GetPipelineCommand.ts index a1450294c8b5..c546be7a59b1 100644 --- a/clients/client-codepipeline/src/commands/GetPipelineCommand.ts +++ b/clients/client-codepipeline/src/commands/GetPipelineCommand.ts @@ -314,4 +314,16 @@ export class GetPipelineCommand extends $Command .f(void 0, void 0) .ser(se_GetPipelineCommand) .de(de_GetPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPipelineInput; + output: GetPipelineOutput; + }; + sdk: { + input: GetPipelineCommandInput; + output: GetPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/GetPipelineExecutionCommand.ts b/clients/client-codepipeline/src/commands/GetPipelineExecutionCommand.ts index f08cbdd0a86a..ea6f1957c598 100644 --- a/clients/client-codepipeline/src/commands/GetPipelineExecutionCommand.ts +++ b/clients/client-codepipeline/src/commands/GetPipelineExecutionCommand.ts @@ -121,4 +121,16 @@ export class GetPipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetPipelineExecutionCommand) .de(de_GetPipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPipelineExecutionInput; + output: GetPipelineExecutionOutput; + }; + sdk: { + input: GetPipelineExecutionCommandInput; + output: GetPipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/GetPipelineStateCommand.ts b/clients/client-codepipeline/src/commands/GetPipelineStateCommand.ts index 7b4f06f4db55..577d402ecaf0 100644 --- a/clients/client-codepipeline/src/commands/GetPipelineStateCommand.ts +++ b/clients/client-codepipeline/src/commands/GetPipelineStateCommand.ts @@ -270,4 +270,16 @@ export class GetPipelineStateCommand extends $Command .f(void 0, void 0) .ser(se_GetPipelineStateCommand) .de(de_GetPipelineStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPipelineStateInput; + output: GetPipelineStateOutput; + }; + sdk: { + input: GetPipelineStateCommandInput; + output: GetPipelineStateCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/GetThirdPartyJobDetailsCommand.ts b/clients/client-codepipeline/src/commands/GetThirdPartyJobDetailsCommand.ts index 2247927038a9..b679d1e2ff7e 100644 --- a/clients/client-codepipeline/src/commands/GetThirdPartyJobDetailsCommand.ts +++ b/clients/client-codepipeline/src/commands/GetThirdPartyJobDetailsCommand.ts @@ -165,4 +165,16 @@ export class GetThirdPartyJobDetailsCommand extends $Command .f(void 0, GetThirdPartyJobDetailsOutputFilterSensitiveLog) .ser(se_GetThirdPartyJobDetailsCommand) .de(de_GetThirdPartyJobDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetThirdPartyJobDetailsInput; + output: GetThirdPartyJobDetailsOutput; + }; + sdk: { + input: GetThirdPartyJobDetailsCommandInput; + output: GetThirdPartyJobDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListActionExecutionsCommand.ts b/clients/client-codepipeline/src/commands/ListActionExecutionsCommand.ts index 78b8cb73b76d..2abcdeed1614 100644 --- a/clients/client-codepipeline/src/commands/ListActionExecutionsCommand.ts +++ b/clients/client-codepipeline/src/commands/ListActionExecutionsCommand.ts @@ -162,4 +162,16 @@ export class ListActionExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListActionExecutionsCommand) .de(de_ListActionExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActionExecutionsInput; + output: ListActionExecutionsOutput; + }; + sdk: { + input: ListActionExecutionsCommandInput; + output: ListActionExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListActionTypesCommand.ts b/clients/client-codepipeline/src/commands/ListActionTypesCommand.ts index c293e5e25600..f5b64842a2b7 100644 --- a/clients/client-codepipeline/src/commands/ListActionTypesCommand.ts +++ b/clients/client-codepipeline/src/commands/ListActionTypesCommand.ts @@ -122,4 +122,16 @@ export class ListActionTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListActionTypesCommand) .de(de_ListActionTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActionTypesInput; + output: ListActionTypesOutput; + }; + sdk: { + input: ListActionTypesCommandInput; + output: ListActionTypesCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListPipelineExecutionsCommand.ts b/clients/client-codepipeline/src/commands/ListPipelineExecutionsCommand.ts index dc16e24f29a7..26579950d00a 100644 --- a/clients/client-codepipeline/src/commands/ListPipelineExecutionsCommand.ts +++ b/clients/client-codepipeline/src/commands/ListPipelineExecutionsCommand.ts @@ -128,4 +128,16 @@ export class ListPipelineExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelineExecutionsCommand) .de(de_ListPipelineExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelineExecutionsInput; + output: ListPipelineExecutionsOutput; + }; + sdk: { + input: ListPipelineExecutionsCommandInput; + output: ListPipelineExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListPipelinesCommand.ts b/clients/client-codepipeline/src/commands/ListPipelinesCommand.ts index 274c85103b78..e2660031a0dc 100644 --- a/clients/client-codepipeline/src/commands/ListPipelinesCommand.ts +++ b/clients/client-codepipeline/src/commands/ListPipelinesCommand.ts @@ -95,4 +95,16 @@ export class ListPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelinesCommand) .de(de_ListPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelinesInput; + output: ListPipelinesOutput; + }; + sdk: { + input: ListPipelinesCommandInput; + output: ListPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListRuleExecutionsCommand.ts b/clients/client-codepipeline/src/commands/ListRuleExecutionsCommand.ts index 09905bd9510b..8aa61208dc52 100644 --- a/clients/client-codepipeline/src/commands/ListRuleExecutionsCommand.ts +++ b/clients/client-codepipeline/src/commands/ListRuleExecutionsCommand.ts @@ -149,4 +149,16 @@ export class ListRuleExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleExecutionsCommand) .de(de_ListRuleExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleExecutionsInput; + output: ListRuleExecutionsOutput; + }; + sdk: { + input: ListRuleExecutionsCommandInput; + output: ListRuleExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListRuleTypesCommand.ts b/clients/client-codepipeline/src/commands/ListRuleTypesCommand.ts index ad7108a5590a..0cf1ab4d1c8e 100644 --- a/clients/client-codepipeline/src/commands/ListRuleTypesCommand.ts +++ b/clients/client-codepipeline/src/commands/ListRuleTypesCommand.ts @@ -115,4 +115,16 @@ export class ListRuleTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleTypesCommand) .de(de_ListRuleTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleTypesInput; + output: ListRuleTypesOutput; + }; + sdk: { + input: ListRuleTypesCommandInput; + output: ListRuleTypesCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListTagsForResourceCommand.ts b/clients/client-codepipeline/src/commands/ListTagsForResourceCommand.ts index fa0f617d57f4..40c0d561aa97 100644 --- a/clients/client-codepipeline/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codepipeline/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/ListWebhooksCommand.ts b/clients/client-codepipeline/src/commands/ListWebhooksCommand.ts index 4116aff05bf1..ee570ce97b4e 100644 --- a/clients/client-codepipeline/src/commands/ListWebhooksCommand.ts +++ b/clients/client-codepipeline/src/commands/ListWebhooksCommand.ts @@ -121,4 +121,16 @@ export class ListWebhooksCommand extends $Command .f(void 0, void 0) .ser(se_ListWebhooksCommand) .de(de_ListWebhooksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebhooksInput; + output: ListWebhooksOutput; + }; + sdk: { + input: ListWebhooksCommandInput; + output: ListWebhooksCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/OverrideStageConditionCommand.ts b/clients/client-codepipeline/src/commands/OverrideStageConditionCommand.ts index 64bdf3a2269b..345f1b4387e8 100644 --- a/clients/client-codepipeline/src/commands/OverrideStageConditionCommand.ts +++ b/clients/client-codepipeline/src/commands/OverrideStageConditionCommand.ts @@ -102,4 +102,16 @@ export class OverrideStageConditionCommand extends $Command .f(void 0, void 0) .ser(se_OverrideStageConditionCommand) .de(de_OverrideStageConditionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OverrideStageConditionInput; + output: {}; + }; + sdk: { + input: OverrideStageConditionCommandInput; + output: OverrideStageConditionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PollForJobsCommand.ts b/clients/client-codepipeline/src/commands/PollForJobsCommand.ts index 58895874d567..0432c55db534 100644 --- a/clients/client-codepipeline/src/commands/PollForJobsCommand.ts +++ b/clients/client-codepipeline/src/commands/PollForJobsCommand.ts @@ -168,4 +168,16 @@ export class PollForJobsCommand extends $Command .f(void 0, PollForJobsOutputFilterSensitiveLog) .ser(se_PollForJobsCommand) .de(de_PollForJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PollForJobsInput; + output: PollForJobsOutput; + }; + sdk: { + input: PollForJobsCommandInput; + output: PollForJobsCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PollForThirdPartyJobsCommand.ts b/clients/client-codepipeline/src/commands/PollForThirdPartyJobsCommand.ts index 8b883295a65e..38756b74489d 100644 --- a/clients/client-codepipeline/src/commands/PollForThirdPartyJobsCommand.ts +++ b/clients/client-codepipeline/src/commands/PollForThirdPartyJobsCommand.ts @@ -100,4 +100,16 @@ export class PollForThirdPartyJobsCommand extends $Command .f(void 0, void 0) .ser(se_PollForThirdPartyJobsCommand) .de(de_PollForThirdPartyJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PollForThirdPartyJobsInput; + output: PollForThirdPartyJobsOutput; + }; + sdk: { + input: PollForThirdPartyJobsCommandInput; + output: PollForThirdPartyJobsCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PutActionRevisionCommand.ts b/clients/client-codepipeline/src/commands/PutActionRevisionCommand.ts index 490f238f2e59..eded3b97abf8 100644 --- a/clients/client-codepipeline/src/commands/PutActionRevisionCommand.ts +++ b/clients/client-codepipeline/src/commands/PutActionRevisionCommand.ts @@ -101,4 +101,16 @@ export class PutActionRevisionCommand extends $Command .f(void 0, void 0) .ser(se_PutActionRevisionCommand) .de(de_PutActionRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutActionRevisionInput; + output: PutActionRevisionOutput; + }; + sdk: { + input: PutActionRevisionCommandInput; + output: PutActionRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PutApprovalResultCommand.ts b/clients/client-codepipeline/src/commands/PutApprovalResultCommand.ts index b60a6073c58a..fd51347ea070 100644 --- a/clients/client-codepipeline/src/commands/PutApprovalResultCommand.ts +++ b/clients/client-codepipeline/src/commands/PutApprovalResultCommand.ts @@ -103,4 +103,16 @@ export class PutApprovalResultCommand extends $Command .f(void 0, void 0) .ser(se_PutApprovalResultCommand) .de(de_PutApprovalResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutApprovalResultInput; + output: PutApprovalResultOutput; + }; + sdk: { + input: PutApprovalResultCommandInput; + output: PutApprovalResultCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PutJobFailureResultCommand.ts b/clients/client-codepipeline/src/commands/PutJobFailureResultCommand.ts index a1d0932adc1a..46b2586696f3 100644 --- a/clients/client-codepipeline/src/commands/PutJobFailureResultCommand.ts +++ b/clients/client-codepipeline/src/commands/PutJobFailureResultCommand.ts @@ -90,4 +90,16 @@ export class PutJobFailureResultCommand extends $Command .f(void 0, void 0) .ser(se_PutJobFailureResultCommand) .de(de_PutJobFailureResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutJobFailureResultInput; + output: {}; + }; + sdk: { + input: PutJobFailureResultCommandInput; + output: PutJobFailureResultCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PutJobSuccessResultCommand.ts b/clients/client-codepipeline/src/commands/PutJobSuccessResultCommand.ts index 30f4ba6e51e9..fc79b3847db0 100644 --- a/clients/client-codepipeline/src/commands/PutJobSuccessResultCommand.ts +++ b/clients/client-codepipeline/src/commands/PutJobSuccessResultCommand.ts @@ -103,4 +103,16 @@ export class PutJobSuccessResultCommand extends $Command .f(void 0, void 0) .ser(se_PutJobSuccessResultCommand) .de(de_PutJobSuccessResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutJobSuccessResultInput; + output: {}; + }; + sdk: { + input: PutJobSuccessResultCommandInput; + output: PutJobSuccessResultCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PutThirdPartyJobFailureResultCommand.ts b/clients/client-codepipeline/src/commands/PutThirdPartyJobFailureResultCommand.ts index 5d20e6c91e9e..6c3ab9a983b5 100644 --- a/clients/client-codepipeline/src/commands/PutThirdPartyJobFailureResultCommand.ts +++ b/clients/client-codepipeline/src/commands/PutThirdPartyJobFailureResultCommand.ts @@ -97,4 +97,16 @@ export class PutThirdPartyJobFailureResultCommand extends $Command .f(void 0, void 0) .ser(se_PutThirdPartyJobFailureResultCommand) .de(de_PutThirdPartyJobFailureResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutThirdPartyJobFailureResultInput; + output: {}; + }; + sdk: { + input: PutThirdPartyJobFailureResultCommandInput; + output: PutThirdPartyJobFailureResultCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PutThirdPartyJobSuccessResultCommand.ts b/clients/client-codepipeline/src/commands/PutThirdPartyJobSuccessResultCommand.ts index 1dd136bb4d6a..60da05a70b7a 100644 --- a/clients/client-codepipeline/src/commands/PutThirdPartyJobSuccessResultCommand.ts +++ b/clients/client-codepipeline/src/commands/PutThirdPartyJobSuccessResultCommand.ts @@ -104,4 +104,16 @@ export class PutThirdPartyJobSuccessResultCommand extends $Command .f(void 0, void 0) .ser(se_PutThirdPartyJobSuccessResultCommand) .de(de_PutThirdPartyJobSuccessResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutThirdPartyJobSuccessResultInput; + output: {}; + }; + sdk: { + input: PutThirdPartyJobSuccessResultCommandInput; + output: PutThirdPartyJobSuccessResultCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/PutWebhookCommand.ts b/clients/client-codepipeline/src/commands/PutWebhookCommand.ts index 87af18cd347c..3c17d4e6abd5 100644 --- a/clients/client-codepipeline/src/commands/PutWebhookCommand.ts +++ b/clients/client-codepipeline/src/commands/PutWebhookCommand.ts @@ -170,4 +170,16 @@ export class PutWebhookCommand extends $Command .f(void 0, void 0) .ser(se_PutWebhookCommand) .de(de_PutWebhookCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWebhookInput; + output: PutWebhookOutput; + }; + sdk: { + input: PutWebhookCommandInput; + output: PutWebhookCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/RegisterWebhookWithThirdPartyCommand.ts b/clients/client-codepipeline/src/commands/RegisterWebhookWithThirdPartyCommand.ts index d26714bdc573..a5af20e7a86f 100644 --- a/clients/client-codepipeline/src/commands/RegisterWebhookWithThirdPartyCommand.ts +++ b/clients/client-codepipeline/src/commands/RegisterWebhookWithThirdPartyCommand.ts @@ -88,4 +88,16 @@ export class RegisterWebhookWithThirdPartyCommand extends $Command .f(void 0, void 0) .ser(se_RegisterWebhookWithThirdPartyCommand) .de(de_RegisterWebhookWithThirdPartyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterWebhookWithThirdPartyInput; + output: {}; + }; + sdk: { + input: RegisterWebhookWithThirdPartyCommandInput; + output: RegisterWebhookWithThirdPartyCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/RetryStageExecutionCommand.ts b/clients/client-codepipeline/src/commands/RetryStageExecutionCommand.ts index 86f19361fa9b..2169ed94cfd8 100644 --- a/clients/client-codepipeline/src/commands/RetryStageExecutionCommand.ts +++ b/clients/client-codepipeline/src/commands/RetryStageExecutionCommand.ts @@ -113,4 +113,16 @@ export class RetryStageExecutionCommand extends $Command .f(void 0, void 0) .ser(se_RetryStageExecutionCommand) .de(de_RetryStageExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetryStageExecutionInput; + output: RetryStageExecutionOutput; + }; + sdk: { + input: RetryStageExecutionCommandInput; + output: RetryStageExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/RollbackStageCommand.ts b/clients/client-codepipeline/src/commands/RollbackStageCommand.ts index 1f252f439c01..37958195baf7 100644 --- a/clients/client-codepipeline/src/commands/RollbackStageCommand.ts +++ b/clients/client-codepipeline/src/commands/RollbackStageCommand.ts @@ -105,4 +105,16 @@ export class RollbackStageCommand extends $Command .f(void 0, void 0) .ser(se_RollbackStageCommand) .de(de_RollbackStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RollbackStageInput; + output: RollbackStageOutput; + }; + sdk: { + input: RollbackStageCommandInput; + output: RollbackStageCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/StartPipelineExecutionCommand.ts b/clients/client-codepipeline/src/commands/StartPipelineExecutionCommand.ts index 6be74e809d4f..ee646beb90fc 100644 --- a/clients/client-codepipeline/src/commands/StartPipelineExecutionCommand.ts +++ b/clients/client-codepipeline/src/commands/StartPipelineExecutionCommand.ts @@ -105,4 +105,16 @@ export class StartPipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartPipelineExecutionCommand) .de(de_StartPipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPipelineExecutionInput; + output: StartPipelineExecutionOutput; + }; + sdk: { + input: StartPipelineExecutionCommandInput; + output: StartPipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/StopPipelineExecutionCommand.ts b/clients/client-codepipeline/src/commands/StopPipelineExecutionCommand.ts index ed0f9b1a85f8..138045951b54 100644 --- a/clients/client-codepipeline/src/commands/StopPipelineExecutionCommand.ts +++ b/clients/client-codepipeline/src/commands/StopPipelineExecutionCommand.ts @@ -106,4 +106,16 @@ export class StopPipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StopPipelineExecutionCommand) .de(de_StopPipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopPipelineExecutionInput; + output: StopPipelineExecutionOutput; + }; + sdk: { + input: StopPipelineExecutionCommandInput; + output: StopPipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/TagResourceCommand.ts b/clients/client-codepipeline/src/commands/TagResourceCommand.ts index 6cf874ff2f7f..973d033d2631 100644 --- a/clients/client-codepipeline/src/commands/TagResourceCommand.ts +++ b/clients/client-codepipeline/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/UntagResourceCommand.ts b/clients/client-codepipeline/src/commands/UntagResourceCommand.ts index fb531739f661..34131f1cd3e3 100644 --- a/clients/client-codepipeline/src/commands/UntagResourceCommand.ts +++ b/clients/client-codepipeline/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/UpdateActionTypeCommand.ts b/clients/client-codepipeline/src/commands/UpdateActionTypeCommand.ts index e41f13728d7f..301bf6e520ab 100644 --- a/clients/client-codepipeline/src/commands/UpdateActionTypeCommand.ts +++ b/clients/client-codepipeline/src/commands/UpdateActionTypeCommand.ts @@ -142,4 +142,16 @@ export class UpdateActionTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateActionTypeCommand) .de(de_UpdateActionTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateActionTypeInput; + output: {}; + }; + sdk: { + input: UpdateActionTypeCommandInput; + output: UpdateActionTypeCommandOutput; + }; + }; +} diff --git a/clients/client-codepipeline/src/commands/UpdatePipelineCommand.ts b/clients/client-codepipeline/src/commands/UpdatePipelineCommand.ts index 61dfd18c7f6a..483888abc74d 100644 --- a/clients/client-codepipeline/src/commands/UpdatePipelineCommand.ts +++ b/clients/client-codepipeline/src/commands/UpdatePipelineCommand.ts @@ -535,4 +535,16 @@ export class UpdatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineCommand) .de(de_UpdatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineInput; + output: UpdatePipelineOutput; + }; + sdk: { + input: UpdatePipelineCommandInput; + output: UpdatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/package.json b/clients/client-codestar-connections/package.json index 39a5666a0b1e..950da57572d9 100644 --- a/clients/client-codestar-connections/package.json +++ b/clients/client-codestar-connections/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-codestar-connections/src/commands/CreateConnectionCommand.ts b/clients/client-codestar-connections/src/commands/CreateConnectionCommand.ts index 29f61ca15a72..b3b20b7dcf86 100644 --- a/clients/client-codestar-connections/src/commands/CreateConnectionCommand.ts +++ b/clients/client-codestar-connections/src/commands/CreateConnectionCommand.ts @@ -106,4 +106,16 @@ export class CreateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionInput; + output: CreateConnectionOutput; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/CreateHostCommand.ts b/clients/client-codestar-connections/src/commands/CreateHostCommand.ts index 845e66989005..076a6faa873b 100644 --- a/clients/client-codestar-connections/src/commands/CreateHostCommand.ts +++ b/clients/client-codestar-connections/src/commands/CreateHostCommand.ts @@ -115,4 +115,16 @@ export class CreateHostCommand extends $Command .f(void 0, void 0) .ser(se_CreateHostCommand) .de(de_CreateHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHostInput; + output: CreateHostOutput; + }; + sdk: { + input: CreateHostCommandInput; + output: CreateHostCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/CreateRepositoryLinkCommand.ts b/clients/client-codestar-connections/src/commands/CreateRepositoryLinkCommand.ts index dceaaea5e1d2..6a581701669f 100644 --- a/clients/client-codestar-connections/src/commands/CreateRepositoryLinkCommand.ts +++ b/clients/client-codestar-connections/src/commands/CreateRepositoryLinkCommand.ts @@ -119,4 +119,16 @@ export class CreateRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryLinkCommand) .de(de_CreateRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryLinkInput; + output: CreateRepositoryLinkOutput; + }; + sdk: { + input: CreateRepositoryLinkCommandInput; + output: CreateRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/CreateSyncConfigurationCommand.ts b/clients/client-codestar-connections/src/commands/CreateSyncConfigurationCommand.ts index 0fcce363cbb6..9fef0715b91a 100644 --- a/clients/client-codestar-connections/src/commands/CreateSyncConfigurationCommand.ts +++ b/clients/client-codestar-connections/src/commands/CreateSyncConfigurationCommand.ts @@ -123,4 +123,16 @@ export class CreateSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSyncConfigurationCommand) .de(de_CreateSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSyncConfigurationInput; + output: CreateSyncConfigurationOutput; + }; + sdk: { + input: CreateSyncConfigurationCommandInput; + output: CreateSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/DeleteConnectionCommand.ts b/clients/client-codestar-connections/src/commands/DeleteConnectionCommand.ts index ab7e952a90e8..b1e9449a296d 100644 --- a/clients/client-codestar-connections/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-codestar-connections/src/commands/DeleteConnectionCommand.ts @@ -82,4 +82,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionInput; + output: {}; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/DeleteHostCommand.ts b/clients/client-codestar-connections/src/commands/DeleteHostCommand.ts index 079f783fbf36..348e26d68dc3 100644 --- a/clients/client-codestar-connections/src/commands/DeleteHostCommand.ts +++ b/clients/client-codestar-connections/src/commands/DeleteHostCommand.ts @@ -88,4 +88,16 @@ export class DeleteHostCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHostCommand) .de(de_DeleteHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHostInput; + output: {}; + }; + sdk: { + input: DeleteHostCommandInput; + output: DeleteHostCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/DeleteRepositoryLinkCommand.ts b/clients/client-codestar-connections/src/commands/DeleteRepositoryLinkCommand.ts index bd8061fc5f25..639bc25b1440 100644 --- a/clients/client-codestar-connections/src/commands/DeleteRepositoryLinkCommand.ts +++ b/clients/client-codestar-connections/src/commands/DeleteRepositoryLinkCommand.ts @@ -103,4 +103,16 @@ export class DeleteRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryLinkCommand) .de(de_DeleteRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryLinkInput; + output: {}; + }; + sdk: { + input: DeleteRepositoryLinkCommandInput; + output: DeleteRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/DeleteSyncConfigurationCommand.ts b/clients/client-codestar-connections/src/commands/DeleteSyncConfigurationCommand.ts index b14532835372..d609af171c66 100644 --- a/clients/client-codestar-connections/src/commands/DeleteSyncConfigurationCommand.ts +++ b/clients/client-codestar-connections/src/commands/DeleteSyncConfigurationCommand.ts @@ -98,4 +98,16 @@ export class DeleteSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSyncConfigurationCommand) .de(de_DeleteSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSyncConfigurationInput; + output: {}; + }; + sdk: { + input: DeleteSyncConfigurationCommandInput; + output: DeleteSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/GetConnectionCommand.ts b/clients/client-codestar-connections/src/commands/GetConnectionCommand.ts index 585a426b6c0d..2d9f7b209941 100644 --- a/clients/client-codestar-connections/src/commands/GetConnectionCommand.ts +++ b/clients/client-codestar-connections/src/commands/GetConnectionCommand.ts @@ -94,4 +94,16 @@ export class GetConnectionCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionCommand) .de(de_GetConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionInput; + output: GetConnectionOutput; + }; + sdk: { + input: GetConnectionCommandInput; + output: GetConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/GetHostCommand.ts b/clients/client-codestar-connections/src/commands/GetHostCommand.ts index 4a5d3fb97833..f8595590f797 100644 --- a/clients/client-codestar-connections/src/commands/GetHostCommand.ts +++ b/clients/client-codestar-connections/src/commands/GetHostCommand.ts @@ -101,4 +101,16 @@ export class GetHostCommand extends $Command .f(void 0, void 0) .ser(se_GetHostCommand) .de(de_GetHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHostInput; + output: GetHostOutput; + }; + sdk: { + input: GetHostCommandInput; + output: GetHostCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/GetRepositoryLinkCommand.ts b/clients/client-codestar-connections/src/commands/GetRepositoryLinkCommand.ts index 5bdbdd175aaa..e3798f8b37f3 100644 --- a/clients/client-codestar-connections/src/commands/GetRepositoryLinkCommand.ts +++ b/clients/client-codestar-connections/src/commands/GetRepositoryLinkCommand.ts @@ -108,4 +108,16 @@ export class GetRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryLinkCommand) .de(de_GetRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryLinkInput; + output: GetRepositoryLinkOutput; + }; + sdk: { + input: GetRepositoryLinkCommandInput; + output: GetRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/GetRepositorySyncStatusCommand.ts b/clients/client-codestar-connections/src/commands/GetRepositorySyncStatusCommand.ts index ddbb6a0c99d8..955fc4101973 100644 --- a/clients/client-codestar-connections/src/commands/GetRepositorySyncStatusCommand.ts +++ b/clients/client-codestar-connections/src/commands/GetRepositorySyncStatusCommand.ts @@ -110,4 +110,16 @@ export class GetRepositorySyncStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositorySyncStatusCommand) .de(de_GetRepositorySyncStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositorySyncStatusInput; + output: GetRepositorySyncStatusOutput; + }; + sdk: { + input: GetRepositorySyncStatusCommandInput; + output: GetRepositorySyncStatusCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/GetResourceSyncStatusCommand.ts b/clients/client-codestar-connections/src/commands/GetResourceSyncStatusCommand.ts index 38ccaa72e28b..c19f6f255b47 100644 --- a/clients/client-codestar-connections/src/commands/GetResourceSyncStatusCommand.ts +++ b/clients/client-codestar-connections/src/commands/GetResourceSyncStatusCommand.ts @@ -163,4 +163,16 @@ export class GetResourceSyncStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceSyncStatusCommand) .de(de_GetResourceSyncStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceSyncStatusInput; + output: GetResourceSyncStatusOutput; + }; + sdk: { + input: GetResourceSyncStatusCommandInput; + output: GetResourceSyncStatusCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/GetSyncBlockerSummaryCommand.ts b/clients/client-codestar-connections/src/commands/GetSyncBlockerSummaryCommand.ts index f9992884a973..b500529a5124 100644 --- a/clients/client-codestar-connections/src/commands/GetSyncBlockerSummaryCommand.ts +++ b/clients/client-codestar-connections/src/commands/GetSyncBlockerSummaryCommand.ts @@ -117,4 +117,16 @@ export class GetSyncBlockerSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetSyncBlockerSummaryCommand) .de(de_GetSyncBlockerSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSyncBlockerSummaryInput; + output: GetSyncBlockerSummaryOutput; + }; + sdk: { + input: GetSyncBlockerSummaryCommandInput; + output: GetSyncBlockerSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/GetSyncConfigurationCommand.ts b/clients/client-codestar-connections/src/commands/GetSyncConfigurationCommand.ts index 32da93127d3a..f2230c8196f4 100644 --- a/clients/client-codestar-connections/src/commands/GetSyncConfigurationCommand.ts +++ b/clients/client-codestar-connections/src/commands/GetSyncConfigurationCommand.ts @@ -109,4 +109,16 @@ export class GetSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetSyncConfigurationCommand) .de(de_GetSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSyncConfigurationInput; + output: GetSyncConfigurationOutput; + }; + sdk: { + input: GetSyncConfigurationCommandInput; + output: GetSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/ListConnectionsCommand.ts b/clients/client-codestar-connections/src/commands/ListConnectionsCommand.ts index 6ae10682bb92..bd25482b3eeb 100644 --- a/clients/client-codestar-connections/src/commands/ListConnectionsCommand.ts +++ b/clients/client-codestar-connections/src/commands/ListConnectionsCommand.ts @@ -97,4 +97,16 @@ export class ListConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectionsCommand) .de(de_ListConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectionsInput; + output: ListConnectionsOutput; + }; + sdk: { + input: ListConnectionsCommandInput; + output: ListConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/ListHostsCommand.ts b/clients/client-codestar-connections/src/commands/ListHostsCommand.ts index a6ad5b5546a3..219fc6ba7559 100644 --- a/clients/client-codestar-connections/src/commands/ListHostsCommand.ts +++ b/clients/client-codestar-connections/src/commands/ListHostsCommand.ts @@ -102,4 +102,16 @@ export class ListHostsCommand extends $Command .f(void 0, void 0) .ser(se_ListHostsCommand) .de(de_ListHostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHostsInput; + output: ListHostsOutput; + }; + sdk: { + input: ListHostsCommandInput; + output: ListHostsCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/ListRepositoryLinksCommand.ts b/clients/client-codestar-connections/src/commands/ListRepositoryLinksCommand.ts index 66b89ee9b0bf..a5f9827706b2 100644 --- a/clients/client-codestar-connections/src/commands/ListRepositoryLinksCommand.ts +++ b/clients/client-codestar-connections/src/commands/ListRepositoryLinksCommand.ts @@ -111,4 +111,16 @@ export class ListRepositoryLinksCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoryLinksCommand) .de(de_ListRepositoryLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoryLinksInput; + output: ListRepositoryLinksOutput; + }; + sdk: { + input: ListRepositoryLinksCommandInput; + output: ListRepositoryLinksCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/ListRepositorySyncDefinitionsCommand.ts b/clients/client-codestar-connections/src/commands/ListRepositorySyncDefinitionsCommand.ts index cbb7c11f257d..cdbbef372a89 100644 --- a/clients/client-codestar-connections/src/commands/ListRepositorySyncDefinitionsCommand.ts +++ b/clients/client-codestar-connections/src/commands/ListRepositorySyncDefinitionsCommand.ts @@ -110,4 +110,16 @@ export class ListRepositorySyncDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositorySyncDefinitionsCommand) .de(de_ListRepositorySyncDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositorySyncDefinitionsInput; + output: ListRepositorySyncDefinitionsOutput; + }; + sdk: { + input: ListRepositorySyncDefinitionsCommandInput; + output: ListRepositorySyncDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/ListSyncConfigurationsCommand.ts b/clients/client-codestar-connections/src/commands/ListSyncConfigurationsCommand.ts index 1c7140bc9417..1feaad45acf4 100644 --- a/clients/client-codestar-connections/src/commands/ListSyncConfigurationsCommand.ts +++ b/clients/client-codestar-connections/src/commands/ListSyncConfigurationsCommand.ts @@ -114,4 +114,16 @@ export class ListSyncConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSyncConfigurationsCommand) .de(de_ListSyncConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSyncConfigurationsInput; + output: ListSyncConfigurationsOutput; + }; + sdk: { + input: ListSyncConfigurationsCommandInput; + output: ListSyncConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/ListTagsForResourceCommand.ts b/clients/client-codestar-connections/src/commands/ListTagsForResourceCommand.ts index 4a6877d1972b..7752d144c5d1 100644 --- a/clients/client-codestar-connections/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codestar-connections/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/TagResourceCommand.ts b/clients/client-codestar-connections/src/commands/TagResourceCommand.ts index 00e8904f982f..e6e108c0ae42 100644 --- a/clients/client-codestar-connections/src/commands/TagResourceCommand.ts +++ b/clients/client-codestar-connections/src/commands/TagResourceCommand.ts @@ -92,4 +92,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/UntagResourceCommand.ts b/clients/client-codestar-connections/src/commands/UntagResourceCommand.ts index 9af01e1cfa04..c2791939e5fb 100644 --- a/clients/client-codestar-connections/src/commands/UntagResourceCommand.ts +++ b/clients/client-codestar-connections/src/commands/UntagResourceCommand.ts @@ -85,4 +85,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/UpdateHostCommand.ts b/clients/client-codestar-connections/src/commands/UpdateHostCommand.ts index e68f76f388c2..9590510ff491 100644 --- a/clients/client-codestar-connections/src/commands/UpdateHostCommand.ts +++ b/clients/client-codestar-connections/src/commands/UpdateHostCommand.ts @@ -102,4 +102,16 @@ export class UpdateHostCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHostCommand) .de(de_UpdateHostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHostInput; + output: {}; + }; + sdk: { + input: UpdateHostCommandInput; + output: UpdateHostCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/UpdateRepositoryLinkCommand.ts b/clients/client-codestar-connections/src/commands/UpdateRepositoryLinkCommand.ts index b0a88e312a06..371a5cc4927d 100644 --- a/clients/client-codestar-connections/src/commands/UpdateRepositoryLinkCommand.ts +++ b/clients/client-codestar-connections/src/commands/UpdateRepositoryLinkCommand.ts @@ -114,4 +114,16 @@ export class UpdateRepositoryLinkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRepositoryLinkCommand) .de(de_UpdateRepositoryLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRepositoryLinkInput; + output: UpdateRepositoryLinkOutput; + }; + sdk: { + input: UpdateRepositoryLinkCommandInput; + output: UpdateRepositoryLinkCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/UpdateSyncBlockerCommand.ts b/clients/client-codestar-connections/src/commands/UpdateSyncBlockerCommand.ts index 369e620ed210..d05f7b54c5db 100644 --- a/clients/client-codestar-connections/src/commands/UpdateSyncBlockerCommand.ts +++ b/clients/client-codestar-connections/src/commands/UpdateSyncBlockerCommand.ts @@ -121,4 +121,16 @@ export class UpdateSyncBlockerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSyncBlockerCommand) .de(de_UpdateSyncBlockerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSyncBlockerInput; + output: UpdateSyncBlockerOutput; + }; + sdk: { + input: UpdateSyncBlockerCommandInput; + output: UpdateSyncBlockerCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-connections/src/commands/UpdateSyncConfigurationCommand.ts b/clients/client-codestar-connections/src/commands/UpdateSyncConfigurationCommand.ts index 3f9d0f880da7..43a1f97d6fc2 100644 --- a/clients/client-codestar-connections/src/commands/UpdateSyncConfigurationCommand.ts +++ b/clients/client-codestar-connections/src/commands/UpdateSyncConfigurationCommand.ts @@ -121,4 +121,16 @@ export class UpdateSyncConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSyncConfigurationCommand) .de(de_UpdateSyncConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSyncConfigurationInput; + output: UpdateSyncConfigurationOutput; + }; + sdk: { + input: UpdateSyncConfigurationCommandInput; + output: UpdateSyncConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/package.json b/clients/client-codestar-notifications/package.json index 06671dd8e622..9f67906dc84e 100644 --- a/clients/client-codestar-notifications/package.json +++ b/clients/client-codestar-notifications/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-codestar-notifications/src/commands/CreateNotificationRuleCommand.ts b/clients/client-codestar-notifications/src/commands/CreateNotificationRuleCommand.ts index 886c3d98f2c9..332035c12ee5 100644 --- a/clients/client-codestar-notifications/src/commands/CreateNotificationRuleCommand.ts +++ b/clients/client-codestar-notifications/src/commands/CreateNotificationRuleCommand.ts @@ -126,4 +126,16 @@ export class CreateNotificationRuleCommand extends $Command .f(CreateNotificationRuleRequestFilterSensitiveLog, void 0) .ser(se_CreateNotificationRuleCommand) .de(de_CreateNotificationRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNotificationRuleRequest; + output: CreateNotificationRuleResult; + }; + sdk: { + input: CreateNotificationRuleCommandInput; + output: CreateNotificationRuleCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/DeleteNotificationRuleCommand.ts b/clients/client-codestar-notifications/src/commands/DeleteNotificationRuleCommand.ts index 7e16d0442e7a..f4bc9052583b 100644 --- a/clients/client-codestar-notifications/src/commands/DeleteNotificationRuleCommand.ts +++ b/clients/client-codestar-notifications/src/commands/DeleteNotificationRuleCommand.ts @@ -93,4 +93,16 @@ export class DeleteNotificationRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotificationRuleCommand) .de(de_DeleteNotificationRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNotificationRuleRequest; + output: DeleteNotificationRuleResult; + }; + sdk: { + input: DeleteNotificationRuleCommandInput; + output: DeleteNotificationRuleCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/DeleteTargetCommand.ts b/clients/client-codestar-notifications/src/commands/DeleteTargetCommand.ts index bdbba55b4a80..2e6a32e2ff00 100644 --- a/clients/client-codestar-notifications/src/commands/DeleteTargetCommand.ts +++ b/clients/client-codestar-notifications/src/commands/DeleteTargetCommand.ts @@ -83,4 +83,16 @@ export class DeleteTargetCommand extends $Command .f(DeleteTargetRequestFilterSensitiveLog, void 0) .ser(se_DeleteTargetCommand) .de(de_DeleteTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTargetRequest; + output: {}; + }; + sdk: { + input: DeleteTargetCommandInput; + output: DeleteTargetCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/DescribeNotificationRuleCommand.ts b/clients/client-codestar-notifications/src/commands/DescribeNotificationRuleCommand.ts index 2f2ce2098d73..1809130a46f2 100644 --- a/clients/client-codestar-notifications/src/commands/DescribeNotificationRuleCommand.ts +++ b/clients/client-codestar-notifications/src/commands/DescribeNotificationRuleCommand.ts @@ -116,4 +116,16 @@ export class DescribeNotificationRuleCommand extends $Command .f(void 0, DescribeNotificationRuleResultFilterSensitiveLog) .ser(se_DescribeNotificationRuleCommand) .de(de_DescribeNotificationRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotificationRuleRequest; + output: DescribeNotificationRuleResult; + }; + sdk: { + input: DescribeNotificationRuleCommandInput; + output: DescribeNotificationRuleCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/ListEventTypesCommand.ts b/clients/client-codestar-notifications/src/commands/ListEventTypesCommand.ts index fcbea61c37c4..6409ec8ee7f0 100644 --- a/clients/client-codestar-notifications/src/commands/ListEventTypesCommand.ts +++ b/clients/client-codestar-notifications/src/commands/ListEventTypesCommand.ts @@ -102,4 +102,16 @@ export class ListEventTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListEventTypesCommand) .de(de_ListEventTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventTypesRequest; + output: ListEventTypesResult; + }; + sdk: { + input: ListEventTypesCommandInput; + output: ListEventTypesCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/ListNotificationRulesCommand.ts b/clients/client-codestar-notifications/src/commands/ListNotificationRulesCommand.ts index 5181a83aa4c2..5891dffcbc60 100644 --- a/clients/client-codestar-notifications/src/commands/ListNotificationRulesCommand.ts +++ b/clients/client-codestar-notifications/src/commands/ListNotificationRulesCommand.ts @@ -100,4 +100,16 @@ export class ListNotificationRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListNotificationRulesCommand) .de(de_ListNotificationRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotificationRulesRequest; + output: ListNotificationRulesResult; + }; + sdk: { + input: ListNotificationRulesCommandInput; + output: ListNotificationRulesCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/ListTagsForResourceCommand.ts b/clients/client-codestar-notifications/src/commands/ListTagsForResourceCommand.ts index 9b546aff2501..e0f0fce88c55 100644 --- a/clients/client-codestar-notifications/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-codestar-notifications/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/ListTargetsCommand.ts b/clients/client-codestar-notifications/src/commands/ListTargetsCommand.ts index 713ca20bebdc..9c60cd821c69 100644 --- a/clients/client-codestar-notifications/src/commands/ListTargetsCommand.ts +++ b/clients/client-codestar-notifications/src/commands/ListTargetsCommand.ts @@ -101,4 +101,16 @@ export class ListTargetsCommand extends $Command .f(void 0, ListTargetsResultFilterSensitiveLog) .ser(se_ListTargetsCommand) .de(de_ListTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetsRequest; + output: ListTargetsResult; + }; + sdk: { + input: ListTargetsCommandInput; + output: ListTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/SubscribeCommand.ts b/clients/client-codestar-notifications/src/commands/SubscribeCommand.ts index d57ff070c2b0..94039cf96dcc 100644 --- a/clients/client-codestar-notifications/src/commands/SubscribeCommand.ts +++ b/clients/client-codestar-notifications/src/commands/SubscribeCommand.ts @@ -97,4 +97,16 @@ export class SubscribeCommand extends $Command .f(SubscribeRequestFilterSensitiveLog, void 0) .ser(se_SubscribeCommand) .de(de_SubscribeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubscribeRequest; + output: SubscribeResult; + }; + sdk: { + input: SubscribeCommandInput; + output: SubscribeCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/TagResourceCommand.ts b/clients/client-codestar-notifications/src/commands/TagResourceCommand.ts index 2e8d96334230..440dc3b26786 100644 --- a/clients/client-codestar-notifications/src/commands/TagResourceCommand.ts +++ b/clients/client-codestar-notifications/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: TagResourceResult; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/UnsubscribeCommand.ts b/clients/client-codestar-notifications/src/commands/UnsubscribeCommand.ts index 1078d5f8243c..eb87f014f02c 100644 --- a/clients/client-codestar-notifications/src/commands/UnsubscribeCommand.ts +++ b/clients/client-codestar-notifications/src/commands/UnsubscribeCommand.ts @@ -87,4 +87,16 @@ export class UnsubscribeCommand extends $Command .f(UnsubscribeRequestFilterSensitiveLog, void 0) .ser(se_UnsubscribeCommand) .de(de_UnsubscribeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnsubscribeRequest; + output: UnsubscribeResult; + }; + sdk: { + input: UnsubscribeCommandInput; + output: UnsubscribeCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/UntagResourceCommand.ts b/clients/client-codestar-notifications/src/commands/UntagResourceCommand.ts index 3c3eb4e1b448..282f2acd2162 100644 --- a/clients/client-codestar-notifications/src/commands/UntagResourceCommand.ts +++ b/clients/client-codestar-notifications/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-codestar-notifications/src/commands/UpdateNotificationRuleCommand.ts b/clients/client-codestar-notifications/src/commands/UpdateNotificationRuleCommand.ts index fa780f033113..becb02d59d3c 100644 --- a/clients/client-codestar-notifications/src/commands/UpdateNotificationRuleCommand.ts +++ b/clients/client-codestar-notifications/src/commands/UpdateNotificationRuleCommand.ts @@ -109,4 +109,16 @@ export class UpdateNotificationRuleCommand extends $Command .f(UpdateNotificationRuleRequestFilterSensitiveLog, void 0) .ser(se_UpdateNotificationRuleCommand) .de(de_UpdateNotificationRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotificationRuleRequest; + output: {}; + }; + sdk: { + input: UpdateNotificationRuleCommandInput; + output: UpdateNotificationRuleCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/package.json b/clients/client-cognito-identity-provider/package.json index 7adaff1f0916..70b182da53c1 100644 --- a/clients/client-cognito-identity-provider/package.json +++ b/clients/client-cognito-identity-provider/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cognito-identity-provider/src/commands/AddCustomAttributesCommand.ts b/clients/client-cognito-identity-provider/src/commands/AddCustomAttributesCommand.ts index c26bbb335db1..0577edd774ca 100644 --- a/clients/client-cognito-identity-provider/src/commands/AddCustomAttributesCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AddCustomAttributesCommand.ts @@ -138,4 +138,16 @@ export class AddCustomAttributesCommand extends $Command .f(void 0, void 0) .ser(se_AddCustomAttributesCommand) .de(de_AddCustomAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddCustomAttributesRequest; + output: {}; + }; + sdk: { + input: AddCustomAttributesCommandInput; + output: AddCustomAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminAddUserToGroupCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminAddUserToGroupCommand.ts index 5fd1e9e5cf70..6b2ee5ad011c 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminAddUserToGroupCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminAddUserToGroupCommand.ts @@ -124,4 +124,16 @@ export class AdminAddUserToGroupCommand extends $Command .f(AdminAddUserToGroupRequestFilterSensitiveLog, void 0) .ser(se_AdminAddUserToGroupCommand) .de(de_AdminAddUserToGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminAddUserToGroupRequest; + output: {}; + }; + sdk: { + input: AdminAddUserToGroupCommandInput; + output: AdminAddUserToGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminConfirmSignUpCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminConfirmSignUpCommand.ts index 5aee979a9aed..3c9aaa8027f7 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminConfirmSignUpCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminConfirmSignUpCommand.ts @@ -152,4 +152,16 @@ export class AdminConfirmSignUpCommand extends $Command .f(AdminConfirmSignUpRequestFilterSensitiveLog, void 0) .ser(se_AdminConfirmSignUpCommand) .de(de_AdminConfirmSignUpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminConfirmSignUpRequest; + output: {}; + }; + sdk: { + input: AdminConfirmSignUpCommandInput; + output: AdminConfirmSignUpCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminCreateUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminCreateUserCommand.ts index 27815cee94df..d9479780a715 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminCreateUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminCreateUserCommand.ts @@ -291,4 +291,16 @@ export class AdminCreateUserCommand extends $Command .f(AdminCreateUserRequestFilterSensitiveLog, AdminCreateUserResponseFilterSensitiveLog) .ser(se_AdminCreateUserCommand) .de(de_AdminCreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminCreateUserRequest; + output: AdminCreateUserResponse; + }; + sdk: { + input: AdminCreateUserCommandInput; + output: AdminCreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserAttributesCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserAttributesCommand.ts index 666d7161b590..3aa826b2c30f 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserAttributesCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserAttributesCommand.ts @@ -129,4 +129,16 @@ export class AdminDeleteUserAttributesCommand extends $Command .f(AdminDeleteUserAttributesRequestFilterSensitiveLog, void 0) .ser(se_AdminDeleteUserAttributesCommand) .de(de_AdminDeleteUserAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminDeleteUserAttributesRequest; + output: {}; + }; + sdk: { + input: AdminDeleteUserAttributesCommandInput; + output: AdminDeleteUserAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserCommand.ts index 76791efbea77..0153827092ff 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminDeleteUserCommand.ts @@ -121,4 +121,16 @@ export class AdminDeleteUserCommand extends $Command .f(AdminDeleteUserRequestFilterSensitiveLog, void 0) .ser(se_AdminDeleteUserCommand) .de(de_AdminDeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminDeleteUserRequest; + output: {}; + }; + sdk: { + input: AdminDeleteUserCommandInput; + output: AdminDeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminDisableProviderForUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminDisableProviderForUserCommand.ts index 2958ff571ffb..13a45fe4fdbb 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminDisableProviderForUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminDisableProviderForUserCommand.ts @@ -159,4 +159,16 @@ export class AdminDisableProviderForUserCommand extends $Command .f(void 0, void 0) .ser(se_AdminDisableProviderForUserCommand) .de(de_AdminDisableProviderForUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminDisableProviderForUserRequest; + output: {}; + }; + sdk: { + input: AdminDisableProviderForUserCommandInput; + output: AdminDisableProviderForUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminDisableUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminDisableUserCommand.ts index 345ac5de9336..4eee52f181cb 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminDisableUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminDisableUserCommand.ts @@ -127,4 +127,16 @@ export class AdminDisableUserCommand extends $Command .f(AdminDisableUserRequestFilterSensitiveLog, void 0) .ser(se_AdminDisableUserCommand) .de(de_AdminDisableUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminDisableUserRequest; + output: {}; + }; + sdk: { + input: AdminDisableUserCommandInput; + output: AdminDisableUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminEnableUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminEnableUserCommand.ts index 01e6ea3ede34..762bd756c40e 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminEnableUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminEnableUserCommand.ts @@ -125,4 +125,16 @@ export class AdminEnableUserCommand extends $Command .f(AdminEnableUserRequestFilterSensitiveLog, void 0) .ser(se_AdminEnableUserCommand) .de(de_AdminEnableUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminEnableUserRequest; + output: {}; + }; + sdk: { + input: AdminEnableUserCommandInput; + output: AdminEnableUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminForgetDeviceCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminForgetDeviceCommand.ts index 3c65e32c308c..ce10e9e8ee9a 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminForgetDeviceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminForgetDeviceCommand.ts @@ -125,4 +125,16 @@ export class AdminForgetDeviceCommand extends $Command .f(AdminForgetDeviceRequestFilterSensitiveLog, void 0) .ser(se_AdminForgetDeviceCommand) .de(de_AdminForgetDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminForgetDeviceRequest; + output: {}; + }; + sdk: { + input: AdminForgetDeviceCommandInput; + output: AdminForgetDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminGetDeviceCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminGetDeviceCommand.ts index 56eda156d445..30bb01093e61 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminGetDeviceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminGetDeviceCommand.ts @@ -140,4 +140,16 @@ export class AdminGetDeviceCommand extends $Command .f(AdminGetDeviceRequestFilterSensitiveLog, AdminGetDeviceResponseFilterSensitiveLog) .ser(se_AdminGetDeviceCommand) .de(de_AdminGetDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminGetDeviceRequest; + output: AdminGetDeviceResponse; + }; + sdk: { + input: AdminGetDeviceCommandInput; + output: AdminGetDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminGetUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminGetUserCommand.ts index de68e68efc3d..66f3f6fef715 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminGetUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminGetUserCommand.ts @@ -149,4 +149,16 @@ export class AdminGetUserCommand extends $Command .f(AdminGetUserRequestFilterSensitiveLog, AdminGetUserResponseFilterSensitiveLog) .ser(se_AdminGetUserCommand) .de(de_AdminGetUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminGetUserRequest; + output: AdminGetUserResponse; + }; + sdk: { + input: AdminGetUserCommandInput; + output: AdminGetUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminInitiateAuthCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminInitiateAuthCommand.ts index dbe99a0fd1c7..58b3f6b788e4 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminInitiateAuthCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminInitiateAuthCommand.ts @@ -220,4 +220,16 @@ export class AdminInitiateAuthCommand extends $Command .f(AdminInitiateAuthRequestFilterSensitiveLog, AdminInitiateAuthResponseFilterSensitiveLog) .ser(se_AdminInitiateAuthCommand) .de(de_AdminInitiateAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminInitiateAuthRequest; + output: AdminInitiateAuthResponse; + }; + sdk: { + input: AdminInitiateAuthCommandInput; + output: AdminInitiateAuthCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminLinkProviderForUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminLinkProviderForUserCommand.ts index a778df6e4b39..b37a439a1f15 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminLinkProviderForUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminLinkProviderForUserCommand.ts @@ -157,4 +157,16 @@ export class AdminLinkProviderForUserCommand extends $Command .f(void 0, void 0) .ser(se_AdminLinkProviderForUserCommand) .de(de_AdminLinkProviderForUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminLinkProviderForUserRequest; + output: {}; + }; + sdk: { + input: AdminLinkProviderForUserCommandInput; + output: AdminLinkProviderForUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminListDevicesCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminListDevicesCommand.ts index cdb6220d8e86..41e8cc8d0064 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminListDevicesCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminListDevicesCommand.ts @@ -144,4 +144,16 @@ export class AdminListDevicesCommand extends $Command .f(AdminListDevicesRequestFilterSensitiveLog, AdminListDevicesResponseFilterSensitiveLog) .ser(se_AdminListDevicesCommand) .de(de_AdminListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminListDevicesRequest; + output: AdminListDevicesResponse; + }; + sdk: { + input: AdminListDevicesCommandInput; + output: AdminListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminListGroupsForUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminListGroupsForUserCommand.ts index 901acd2b9b9f..f6dfe0dd0306 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminListGroupsForUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminListGroupsForUserCommand.ts @@ -140,4 +140,16 @@ export class AdminListGroupsForUserCommand extends $Command .f(AdminListGroupsForUserRequestFilterSensitiveLog, void 0) .ser(se_AdminListGroupsForUserCommand) .de(de_AdminListGroupsForUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminListGroupsForUserRequest; + output: AdminListGroupsForUserResponse; + }; + sdk: { + input: AdminListGroupsForUserCommandInput; + output: AdminListGroupsForUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminListUserAuthEventsCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminListUserAuthEventsCommand.ts index 40857c11d896..a006ef475a92 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminListUserAuthEventsCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminListUserAuthEventsCommand.ts @@ -164,4 +164,16 @@ export class AdminListUserAuthEventsCommand extends $Command .f(AdminListUserAuthEventsRequestFilterSensitiveLog, void 0) .ser(se_AdminListUserAuthEventsCommand) .de(de_AdminListUserAuthEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminListUserAuthEventsRequest; + output: AdminListUserAuthEventsResponse; + }; + sdk: { + input: AdminListUserAuthEventsCommandInput; + output: AdminListUserAuthEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminRemoveUserFromGroupCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminRemoveUserFromGroupCommand.ts index 27682afd6a33..5d6643dd06c7 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminRemoveUserFromGroupCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminRemoveUserFromGroupCommand.ts @@ -122,4 +122,16 @@ export class AdminRemoveUserFromGroupCommand extends $Command .f(AdminRemoveUserFromGroupRequestFilterSensitiveLog, void 0) .ser(se_AdminRemoveUserFromGroupCommand) .de(de_AdminRemoveUserFromGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminRemoveUserFromGroupRequest; + output: {}; + }; + sdk: { + input: AdminRemoveUserFromGroupCommandInput; + output: AdminRemoveUserFromGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminResetUserPasswordCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminResetUserPasswordCommand.ts index d024bea40d04..3b2b3b183fd9 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminResetUserPasswordCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminResetUserPasswordCommand.ts @@ -185,4 +185,16 @@ export class AdminResetUserPasswordCommand extends $Command .f(AdminResetUserPasswordRequestFilterSensitiveLog, void 0) .ser(se_AdminResetUserPasswordCommand) .de(de_AdminResetUserPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminResetUserPasswordRequest; + output: {}; + }; + sdk: { + input: AdminResetUserPasswordCommandInput; + output: AdminResetUserPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminRespondToAuthChallengeCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminRespondToAuthChallengeCommand.ts index abdef5eee632..eba9b83da479 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminRespondToAuthChallengeCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminRespondToAuthChallengeCommand.ts @@ -254,4 +254,16 @@ export class AdminRespondToAuthChallengeCommand extends $Command .f(AdminRespondToAuthChallengeRequestFilterSensitiveLog, AdminRespondToAuthChallengeResponseFilterSensitiveLog) .ser(se_AdminRespondToAuthChallengeCommand) .de(de_AdminRespondToAuthChallengeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminRespondToAuthChallengeRequest; + output: AdminRespondToAuthChallengeResponse; + }; + sdk: { + input: AdminRespondToAuthChallengeCommandInput; + output: AdminRespondToAuthChallengeCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminSetUserMFAPreferenceCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminSetUserMFAPreferenceCommand.ts index 9d54f555fdb3..3f8eabf180c0 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminSetUserMFAPreferenceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminSetUserMFAPreferenceCommand.ts @@ -143,4 +143,16 @@ export class AdminSetUserMFAPreferenceCommand extends $Command .f(AdminSetUserMFAPreferenceRequestFilterSensitiveLog, void 0) .ser(se_AdminSetUserMFAPreferenceCommand) .de(de_AdminSetUserMFAPreferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminSetUserMFAPreferenceRequest; + output: {}; + }; + sdk: { + input: AdminSetUserMFAPreferenceCommandInput; + output: AdminSetUserMFAPreferenceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminSetUserPasswordCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminSetUserPasswordCommand.ts index 89ffbb0b8ebb..8ad081fb4953 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminSetUserPasswordCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminSetUserPasswordCommand.ts @@ -154,4 +154,16 @@ export class AdminSetUserPasswordCommand extends $Command .f(AdminSetUserPasswordRequestFilterSensitiveLog, void 0) .ser(se_AdminSetUserPasswordCommand) .de(de_AdminSetUserPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminSetUserPasswordRequest; + output: {}; + }; + sdk: { + input: AdminSetUserPasswordCommandInput; + output: AdminSetUserPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminSetUserSettingsCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminSetUserSettingsCommand.ts index b64e7b982450..90a46b924a8b 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminSetUserSettingsCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminSetUserSettingsCommand.ts @@ -130,4 +130,16 @@ export class AdminSetUserSettingsCommand extends $Command .f(AdminSetUserSettingsRequestFilterSensitiveLog, void 0) .ser(se_AdminSetUserSettingsCommand) .de(de_AdminSetUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminSetUserSettingsRequest; + output: {}; + }; + sdk: { + input: AdminSetUserSettingsCommandInput; + output: AdminSetUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminUpdateAuthEventFeedbackCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminUpdateAuthEventFeedbackCommand.ts index 4b367d62df29..4dfdbbed5b25 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminUpdateAuthEventFeedbackCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminUpdateAuthEventFeedbackCommand.ts @@ -137,4 +137,16 @@ export class AdminUpdateAuthEventFeedbackCommand extends $Command .f(AdminUpdateAuthEventFeedbackRequestFilterSensitiveLog, void 0) .ser(se_AdminUpdateAuthEventFeedbackCommand) .de(de_AdminUpdateAuthEventFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminUpdateAuthEventFeedbackRequest; + output: {}; + }; + sdk: { + input: AdminUpdateAuthEventFeedbackCommandInput; + output: AdminUpdateAuthEventFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminUpdateDeviceStatusCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminUpdateDeviceStatusCommand.ts index 48eafdd47aa0..221d7ee9da38 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminUpdateDeviceStatusCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminUpdateDeviceStatusCommand.ts @@ -130,4 +130,16 @@ export class AdminUpdateDeviceStatusCommand extends $Command .f(AdminUpdateDeviceStatusRequestFilterSensitiveLog, void 0) .ser(se_AdminUpdateDeviceStatusCommand) .de(de_AdminUpdateDeviceStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminUpdateDeviceStatusRequest; + output: {}; + }; + sdk: { + input: AdminUpdateDeviceStatusCommandInput; + output: AdminUpdateDeviceStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminUpdateUserAttributesCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminUpdateUserAttributesCommand.ts index c3b2d66380ca..94fbd0ee83f0 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminUpdateUserAttributesCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminUpdateUserAttributesCommand.ts @@ -189,4 +189,16 @@ export class AdminUpdateUserAttributesCommand extends $Command .f(AdminUpdateUserAttributesRequestFilterSensitiveLog, void 0) .ser(se_AdminUpdateUserAttributesCommand) .de(de_AdminUpdateUserAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminUpdateUserAttributesRequest; + output: {}; + }; + sdk: { + input: AdminUpdateUserAttributesCommandInput; + output: AdminUpdateUserAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AdminUserGlobalSignOutCommand.ts b/clients/client-cognito-identity-provider/src/commands/AdminUserGlobalSignOutCommand.ts index b9c3c95e34a1..2e9106ab8ebd 100644 --- a/clients/client-cognito-identity-provider/src/commands/AdminUserGlobalSignOutCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AdminUserGlobalSignOutCommand.ts @@ -148,4 +148,16 @@ export class AdminUserGlobalSignOutCommand extends $Command .f(AdminUserGlobalSignOutRequestFilterSensitiveLog, void 0) .ser(se_AdminUserGlobalSignOutCommand) .de(de_AdminUserGlobalSignOutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdminUserGlobalSignOutRequest; + output: {}; + }; + sdk: { + input: AdminUserGlobalSignOutCommandInput; + output: AdminUserGlobalSignOutCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/AssociateSoftwareTokenCommand.ts b/clients/client-cognito-identity-provider/src/commands/AssociateSoftwareTokenCommand.ts index fcb4540d4751..431addf27810 100644 --- a/clients/client-cognito-identity-provider/src/commands/AssociateSoftwareTokenCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/AssociateSoftwareTokenCommand.ts @@ -136,4 +136,16 @@ export class AssociateSoftwareTokenCommand extends $Command .f(AssociateSoftwareTokenRequestFilterSensitiveLog, AssociateSoftwareTokenResponseFilterSensitiveLog) .ser(se_AssociateSoftwareTokenCommand) .de(de_AssociateSoftwareTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSoftwareTokenRequest; + output: AssociateSoftwareTokenResponse; + }; + sdk: { + input: AssociateSoftwareTokenCommandInput; + output: AssociateSoftwareTokenCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ChangePasswordCommand.ts b/clients/client-cognito-identity-provider/src/commands/ChangePasswordCommand.ts index fa8ddbc2d5a3..53c59c3afa35 100644 --- a/clients/client-cognito-identity-provider/src/commands/ChangePasswordCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ChangePasswordCommand.ts @@ -134,4 +134,16 @@ export class ChangePasswordCommand extends $Command .f(ChangePasswordRequestFilterSensitiveLog, void 0) .ser(se_ChangePasswordCommand) .de(de_ChangePasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangePasswordRequest; + output: {}; + }; + sdk: { + input: ChangePasswordCommandInput; + output: ChangePasswordCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ConfirmDeviceCommand.ts b/clients/client-cognito-identity-provider/src/commands/ConfirmDeviceCommand.ts index d8a4caed7237..f6ee9f2f2f1c 100644 --- a/clients/client-cognito-identity-provider/src/commands/ConfirmDeviceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ConfirmDeviceCommand.ts @@ -143,4 +143,16 @@ export class ConfirmDeviceCommand extends $Command .f(ConfirmDeviceRequestFilterSensitiveLog, void 0) .ser(se_ConfirmDeviceCommand) .de(de_ConfirmDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmDeviceRequest; + output: ConfirmDeviceResponse; + }; + sdk: { + input: ConfirmDeviceCommandInput; + output: ConfirmDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ConfirmForgotPasswordCommand.ts b/clients/client-cognito-identity-provider/src/commands/ConfirmForgotPasswordCommand.ts index cb2e3fd8babe..2175300daeb4 100644 --- a/clients/client-cognito-identity-provider/src/commands/ConfirmForgotPasswordCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ConfirmForgotPasswordCommand.ts @@ -164,4 +164,16 @@ export class ConfirmForgotPasswordCommand extends $Command .f(ConfirmForgotPasswordRequestFilterSensitiveLog, void 0) .ser(se_ConfirmForgotPasswordCommand) .de(de_ConfirmForgotPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmForgotPasswordRequest; + output: {}; + }; + sdk: { + input: ConfirmForgotPasswordCommandInput; + output: ConfirmForgotPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ConfirmSignUpCommand.ts b/clients/client-cognito-identity-provider/src/commands/ConfirmSignUpCommand.ts index 2245cc41d57c..005570f9fe69 100644 --- a/clients/client-cognito-identity-provider/src/commands/ConfirmSignUpCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ConfirmSignUpCommand.ts @@ -172,4 +172,16 @@ export class ConfirmSignUpCommand extends $Command .f(ConfirmSignUpRequestFilterSensitiveLog, void 0) .ser(se_ConfirmSignUpCommand) .de(de_ConfirmSignUpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmSignUpRequest; + output: {}; + }; + sdk: { + input: ConfirmSignUpCommandInput; + output: ConfirmSignUpCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/CreateGroupCommand.ts b/clients/client-cognito-identity-provider/src/commands/CreateGroupCommand.ts index b756b9418b3d..aa5348a8fb1d 100644 --- a/clients/client-cognito-identity-provider/src/commands/CreateGroupCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/CreateGroupCommand.ts @@ -139,4 +139,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResponse; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/CreateIdentityProviderCommand.ts b/clients/client-cognito-identity-provider/src/commands/CreateIdentityProviderCommand.ts index edf85ced34e9..914fa916d97f 100644 --- a/clients/client-cognito-identity-provider/src/commands/CreateIdentityProviderCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/CreateIdentityProviderCommand.ts @@ -154,4 +154,16 @@ export class CreateIdentityProviderCommand extends $Command .f(void 0, void 0) .ser(se_CreateIdentityProviderCommand) .de(de_CreateIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdentityProviderRequest; + output: CreateIdentityProviderResponse; + }; + sdk: { + input: CreateIdentityProviderCommandInput; + output: CreateIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/CreateResourceServerCommand.ts b/clients/client-cognito-identity-provider/src/commands/CreateResourceServerCommand.ts index 965ed7eccf08..9eb4edc49bdc 100644 --- a/clients/client-cognito-identity-provider/src/commands/CreateResourceServerCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/CreateResourceServerCommand.ts @@ -141,4 +141,16 @@ export class CreateResourceServerCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceServerCommand) .de(de_CreateResourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceServerRequest; + output: CreateResourceServerResponse; + }; + sdk: { + input: CreateResourceServerCommandInput; + output: CreateResourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/CreateUserImportJobCommand.ts b/clients/client-cognito-identity-provider/src/commands/CreateUserImportJobCommand.ts index 2515d1081410..2bb108e02400 100644 --- a/clients/client-cognito-identity-provider/src/commands/CreateUserImportJobCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/CreateUserImportJobCommand.ts @@ -142,4 +142,16 @@ export class CreateUserImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserImportJobCommand) .de(de_CreateUserImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserImportJobRequest; + output: CreateUserImportJobResponse; + }; + sdk: { + input: CreateUserImportJobCommandInput; + output: CreateUserImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/CreateUserPoolClientCommand.ts b/clients/client-cognito-identity-provider/src/commands/CreateUserPoolClientCommand.ts index 7fb2a5b8d53e..6233eec1002b 100644 --- a/clients/client-cognito-identity-provider/src/commands/CreateUserPoolClientCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/CreateUserPoolClientCommand.ts @@ -365,4 +365,16 @@ export class CreateUserPoolClientCommand extends $Command .f(void 0, CreateUserPoolClientResponseFilterSensitiveLog) .ser(se_CreateUserPoolClientCommand) .de(de_CreateUserPoolClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserPoolClientRequest; + output: CreateUserPoolClientResponse; + }; + sdk: { + input: CreateUserPoolClientCommandInput; + output: CreateUserPoolClientCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/CreateUserPoolCommand.ts b/clients/client-cognito-identity-provider/src/commands/CreateUserPoolCommand.ts index 101197b80459..b692a7c42340 100644 --- a/clients/client-cognito-identity-provider/src/commands/CreateUserPoolCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/CreateUserPoolCommand.ts @@ -877,4 +877,16 @@ export class CreateUserPoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserPoolCommand) .de(de_CreateUserPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserPoolRequest; + output: CreateUserPoolResponse; + }; + sdk: { + input: CreateUserPoolCommandInput; + output: CreateUserPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/CreateUserPoolDomainCommand.ts b/clients/client-cognito-identity-provider/src/commands/CreateUserPoolDomainCommand.ts index b823f1f4d1c7..99b9d5aee225 100644 --- a/clients/client-cognito-identity-provider/src/commands/CreateUserPoolDomainCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/CreateUserPoolDomainCommand.ts @@ -123,4 +123,16 @@ export class CreateUserPoolDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserPoolDomainCommand) .de(de_CreateUserPoolDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserPoolDomainRequest; + output: CreateUserPoolDomainResponse; + }; + sdk: { + input: CreateUserPoolDomainCommandInput; + output: CreateUserPoolDomainCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteGroupCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteGroupCommand.ts index 37b2cc9063a1..df3d2487c529 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteGroupCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteGroupCommand.ts @@ -99,4 +99,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteIdentityProviderCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteIdentityProviderCommand.ts index 8356118903c3..61c0ebf32d27 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteIdentityProviderCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteIdentityProviderCommand.ts @@ -105,4 +105,16 @@ export class DeleteIdentityProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentityProviderCommand) .de(de_DeleteIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentityProviderRequest; + output: {}; + }; + sdk: { + input: DeleteIdentityProviderCommandInput; + output: DeleteIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteResourceServerCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteResourceServerCommand.ts index 7f8d4d6c3665..3fdaa64bcf5d 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteResourceServerCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteResourceServerCommand.ts @@ -98,4 +98,16 @@ export class DeleteResourceServerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceServerCommand) .de(de_DeleteResourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceServerRequest; + output: {}; + }; + sdk: { + input: DeleteResourceServerCommandInput; + output: DeleteResourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteUserAttributesCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteUserAttributesCommand.ts index 2cbf5292928c..91f4780c8833 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteUserAttributesCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteUserAttributesCommand.ts @@ -124,4 +124,16 @@ export class DeleteUserAttributesCommand extends $Command .f(DeleteUserAttributesRequestFilterSensitiveLog, void 0) .ser(se_DeleteUserAttributesCommand) .de(de_DeleteUserAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserAttributesRequest; + output: {}; + }; + sdk: { + input: DeleteUserAttributesCommandInput; + output: DeleteUserAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteUserCommand.ts index b41940cb4a39..7d383e302a6f 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteUserCommand.ts @@ -117,4 +117,16 @@ export class DeleteUserCommand extends $Command .f(DeleteUserRequestFilterSensitiveLog, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolClientCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolClientCommand.ts index 646d44a78d27..d327c70af345 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolClientCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolClientCommand.ts @@ -102,4 +102,16 @@ export class DeleteUserPoolClientCommand extends $Command .f(DeleteUserPoolClientRequestFilterSensitiveLog, void 0) .ser(se_DeleteUserPoolClientCommand) .de(de_DeleteUserPoolClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserPoolClientRequest; + output: {}; + }; + sdk: { + input: DeleteUserPoolClientCommandInput; + output: DeleteUserPoolClientCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolCommand.ts index 8d0918a4e105..1e7ad46813dd 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolCommand.ts @@ -101,4 +101,16 @@ export class DeleteUserPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserPoolCommand) .de(de_DeleteUserPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserPoolRequest; + output: {}; + }; + sdk: { + input: DeleteUserPoolCommandInput; + output: DeleteUserPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolDomainCommand.ts b/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolDomainCommand.ts index 642459183442..e177ab57d604 100644 --- a/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolDomainCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DeleteUserPoolDomainCommand.ts @@ -94,4 +94,16 @@ export class DeleteUserPoolDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserPoolDomainCommand) .de(de_DeleteUserPoolDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserPoolDomainRequest; + output: {}; + }; + sdk: { + input: DeleteUserPoolDomainCommandInput; + output: DeleteUserPoolDomainCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DescribeIdentityProviderCommand.ts b/clients/client-cognito-identity-provider/src/commands/DescribeIdentityProviderCommand.ts index 0d69298c4073..0d4caca7c451 100644 --- a/clients/client-cognito-identity-provider/src/commands/DescribeIdentityProviderCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DescribeIdentityProviderCommand.ts @@ -115,4 +115,16 @@ export class DescribeIdentityProviderCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityProviderCommand) .de(de_DescribeIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityProviderRequest; + output: DescribeIdentityProviderResponse; + }; + sdk: { + input: DescribeIdentityProviderCommandInput; + output: DescribeIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DescribeResourceServerCommand.ts b/clients/client-cognito-identity-provider/src/commands/DescribeResourceServerCommand.ts index ef95b4fe0de4..2c65c721ebed 100644 --- a/clients/client-cognito-identity-provider/src/commands/DescribeResourceServerCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DescribeResourceServerCommand.ts @@ -110,4 +110,16 @@ export class DescribeResourceServerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourceServerCommand) .de(de_DescribeResourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourceServerRequest; + output: DescribeResourceServerResponse; + }; + sdk: { + input: DescribeResourceServerCommandInput; + output: DescribeResourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DescribeRiskConfigurationCommand.ts b/clients/client-cognito-identity-provider/src/commands/DescribeRiskConfigurationCommand.ts index 390beb8033bc..5c37396ae64c 100644 --- a/clients/client-cognito-identity-provider/src/commands/DescribeRiskConfigurationCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DescribeRiskConfigurationCommand.ts @@ -164,4 +164,16 @@ export class DescribeRiskConfigurationCommand extends $Command .f(DescribeRiskConfigurationRequestFilterSensitiveLog, DescribeRiskConfigurationResponseFilterSensitiveLog) .ser(se_DescribeRiskConfigurationCommand) .de(de_DescribeRiskConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRiskConfigurationRequest; + output: DescribeRiskConfigurationResponse; + }; + sdk: { + input: DescribeRiskConfigurationCommandInput; + output: DescribeRiskConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DescribeUserImportJobCommand.ts b/clients/client-cognito-identity-provider/src/commands/DescribeUserImportJobCommand.ts index 1f6d0911201e..56c1ff73e386 100644 --- a/clients/client-cognito-identity-provider/src/commands/DescribeUserImportJobCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DescribeUserImportJobCommand.ts @@ -114,4 +114,16 @@ export class DescribeUserImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserImportJobCommand) .de(de_DescribeUserImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserImportJobRequest; + output: DescribeUserImportJobResponse; + }; + sdk: { + input: DescribeUserImportJobCommandInput; + output: DescribeUserImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolClientCommand.ts b/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolClientCommand.ts index 320affb7aa18..b68bdb4530b7 100644 --- a/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolClientCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolClientCommand.ts @@ -178,4 +178,16 @@ export class DescribeUserPoolClientCommand extends $Command .f(DescribeUserPoolClientRequestFilterSensitiveLog, DescribeUserPoolClientResponseFilterSensitiveLog) .ser(se_DescribeUserPoolClientCommand) .de(de_DescribeUserPoolClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserPoolClientRequest; + output: DescribeUserPoolClientResponse; + }; + sdk: { + input: DescribeUserPoolClientCommandInput; + output: DescribeUserPoolClientCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolCommand.ts b/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolCommand.ts index a461573df64f..b9ff553e5f2d 100644 --- a/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolCommand.ts @@ -260,4 +260,16 @@ export class DescribeUserPoolCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserPoolCommand) .de(de_DescribeUserPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserPoolRequest; + output: DescribeUserPoolResponse; + }; + sdk: { + input: DescribeUserPoolCommandInput; + output: DescribeUserPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolDomainCommand.ts b/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolDomainCommand.ts index 692514cbe9b7..993c4a4409fd 100644 --- a/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolDomainCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/DescribeUserPoolDomainCommand.ts @@ -106,4 +106,16 @@ export class DescribeUserPoolDomainCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserPoolDomainCommand) .de(de_DescribeUserPoolDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserPoolDomainRequest; + output: DescribeUserPoolDomainResponse; + }; + sdk: { + input: DescribeUserPoolDomainCommandInput; + output: DescribeUserPoolDomainCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ForgetDeviceCommand.ts b/clients/client-cognito-identity-provider/src/commands/ForgetDeviceCommand.ts index b0e75c737286..2a5d255d0f2a 100644 --- a/clients/client-cognito-identity-provider/src/commands/ForgetDeviceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ForgetDeviceCommand.ts @@ -122,4 +122,16 @@ export class ForgetDeviceCommand extends $Command .f(ForgetDeviceRequestFilterSensitiveLog, void 0) .ser(se_ForgetDeviceCommand) .de(de_ForgetDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ForgetDeviceRequest; + output: {}; + }; + sdk: { + input: ForgetDeviceCommandInput; + output: ForgetDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ForgotPasswordCommand.ts b/clients/client-cognito-identity-provider/src/commands/ForgotPasswordCommand.ts index 4a963b6bfbe4..be5e30841fa0 100644 --- a/clients/client-cognito-identity-provider/src/commands/ForgotPasswordCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ForgotPasswordCommand.ts @@ -193,4 +193,16 @@ export class ForgotPasswordCommand extends $Command .f(ForgotPasswordRequestFilterSensitiveLog, void 0) .ser(se_ForgotPasswordCommand) .de(de_ForgotPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ForgotPasswordRequest; + output: ForgotPasswordResponse; + }; + sdk: { + input: ForgotPasswordCommandInput; + output: ForgotPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetCSVHeaderCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetCSVHeaderCommand.ts index 48e187feb15e..47a2fa4d097f 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetCSVHeaderCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetCSVHeaderCommand.ts @@ -103,4 +103,16 @@ export class GetCSVHeaderCommand extends $Command .f(void 0, void 0) .ser(se_GetCSVHeaderCommand) .de(de_GetCSVHeaderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCSVHeaderRequest; + output: GetCSVHeaderResponse; + }; + sdk: { + input: GetCSVHeaderCommandInput; + output: GetCSVHeaderCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetDeviceCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetDeviceCommand.ts index 232b96d2dd3d..ffe435ccd33d 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetDeviceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetDeviceCommand.ts @@ -139,4 +139,16 @@ export class GetDeviceCommand extends $Command .f(GetDeviceRequestFilterSensitiveLog, GetDeviceResponseFilterSensitiveLog) .ser(se_GetDeviceCommand) .de(de_GetDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceRequest; + output: GetDeviceResponse; + }; + sdk: { + input: GetDeviceCommandInput; + output: GetDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetGroupCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetGroupCommand.ts index 5ceeb586f1bb..dd72e29c5bf1 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetGroupCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetGroupCommand.ts @@ -109,4 +109,16 @@ export class GetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCommand) .de(de_GetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupRequest; + output: GetGroupResponse; + }; + sdk: { + input: GetGroupCommandInput; + output: GetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetIdentityProviderByIdentifierCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetIdentityProviderByIdentifierCommand.ts index e1aecb5b092c..6b00402b0c03 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetIdentityProviderByIdentifierCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetIdentityProviderByIdentifierCommand.ts @@ -120,4 +120,16 @@ export class GetIdentityProviderByIdentifierCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityProviderByIdentifierCommand) .de(de_GetIdentityProviderByIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityProviderByIdentifierRequest; + output: GetIdentityProviderByIdentifierResponse; + }; + sdk: { + input: GetIdentityProviderByIdentifierCommandInput; + output: GetIdentityProviderByIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetLogDeliveryConfigurationCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetLogDeliveryConfigurationCommand.ts index 542eb16c2e43..529c9835f334 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetLogDeliveryConfigurationCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetLogDeliveryConfigurationCommand.ts @@ -118,4 +118,16 @@ export class GetLogDeliveryConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLogDeliveryConfigurationCommand) .de(de_GetLogDeliveryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLogDeliveryConfigurationRequest; + output: GetLogDeliveryConfigurationResponse; + }; + sdk: { + input: GetLogDeliveryConfigurationCommandInput; + output: GetLogDeliveryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetSigningCertificateCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetSigningCertificateCommand.ts index a2cded5f71a8..64945a057f19 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetSigningCertificateCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetSigningCertificateCommand.ts @@ -96,4 +96,16 @@ export class GetSigningCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetSigningCertificateCommand) .de(de_GetSigningCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSigningCertificateRequest; + output: GetSigningCertificateResponse; + }; + sdk: { + input: GetSigningCertificateCommandInput; + output: GetSigningCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetUICustomizationCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetUICustomizationCommand.ts index 2bb231469834..1c81cefd9f2f 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetUICustomizationCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetUICustomizationCommand.ts @@ -117,4 +117,16 @@ export class GetUICustomizationCommand extends $Command .f(GetUICustomizationRequestFilterSensitiveLog, GetUICustomizationResponseFilterSensitiveLog) .ser(se_GetUICustomizationCommand) .de(de_GetUICustomizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUICustomizationRequest; + output: GetUICustomizationResponse; + }; + sdk: { + input: GetUICustomizationCommandInput; + output: GetUICustomizationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetUserAttributeVerificationCodeCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetUserAttributeVerificationCodeCommand.ts index 16a52e84be86..acf352f458b1 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetUserAttributeVerificationCodeCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetUserAttributeVerificationCodeCommand.ts @@ -188,4 +188,16 @@ export class GetUserAttributeVerificationCodeCommand extends $Command .f(GetUserAttributeVerificationCodeRequestFilterSensitiveLog, void 0) .ser(se_GetUserAttributeVerificationCodeCommand) .de(de_GetUserAttributeVerificationCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserAttributeVerificationCodeRequest; + output: GetUserAttributeVerificationCodeResponse; + }; + sdk: { + input: GetUserAttributeVerificationCodeCommandInput; + output: GetUserAttributeVerificationCodeCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetUserCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetUserCommand.ts index 46668b403045..eec89bc7d6af 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetUserCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetUserCommand.ts @@ -140,4 +140,16 @@ export class GetUserCommand extends $Command .f(GetUserRequestFilterSensitiveLog, GetUserResponseFilterSensitiveLog) .ser(se_GetUserCommand) .de(de_GetUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserRequest; + output: GetUserResponse; + }; + sdk: { + input: GetUserCommandInput; + output: GetUserCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GetUserPoolMfaConfigCommand.ts b/clients/client-cognito-identity-provider/src/commands/GetUserPoolMfaConfigCommand.ts index 2dcba20e352d..9f944e455c39 100644 --- a/clients/client-cognito-identity-provider/src/commands/GetUserPoolMfaConfigCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GetUserPoolMfaConfigCommand.ts @@ -114,4 +114,16 @@ export class GetUserPoolMfaConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetUserPoolMfaConfigCommand) .de(de_GetUserPoolMfaConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserPoolMfaConfigRequest; + output: GetUserPoolMfaConfigResponse; + }; + sdk: { + input: GetUserPoolMfaConfigCommandInput; + output: GetUserPoolMfaConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/GlobalSignOutCommand.ts b/clients/client-cognito-identity-provider/src/commands/GlobalSignOutCommand.ts index ac268231391f..8d31f1c1b12e 100644 --- a/clients/client-cognito-identity-provider/src/commands/GlobalSignOutCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/GlobalSignOutCommand.ts @@ -141,4 +141,16 @@ export class GlobalSignOutCommand extends $Command .f(GlobalSignOutRequestFilterSensitiveLog, void 0) .ser(se_GlobalSignOutCommand) .de(de_GlobalSignOutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GlobalSignOutRequest; + output: {}; + }; + sdk: { + input: GlobalSignOutCommandInput; + output: GlobalSignOutCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/InitiateAuthCommand.ts b/clients/client-cognito-identity-provider/src/commands/InitiateAuthCommand.ts index b41bcbb5e1b6..99e39ffc6321 100644 --- a/clients/client-cognito-identity-provider/src/commands/InitiateAuthCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/InitiateAuthCommand.ts @@ -235,4 +235,16 @@ export class InitiateAuthCommand extends $Command .f(InitiateAuthRequestFilterSensitiveLog, InitiateAuthResponseFilterSensitiveLog) .ser(se_InitiateAuthCommand) .de(de_InitiateAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateAuthRequest; + output: InitiateAuthResponse; + }; + sdk: { + input: InitiateAuthCommandInput; + output: InitiateAuthCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListDevicesCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListDevicesCommand.ts index a80e595d1e10..fc2e49bfda02 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListDevicesCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListDevicesCommand.ts @@ -144,4 +144,16 @@ export class ListDevicesCommand extends $Command .f(ListDevicesRequestFilterSensitiveLog, ListDevicesResponseFilterSensitiveLog) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesRequest; + output: ListDevicesResponse; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListGroupsCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListGroupsCommand.ts index 379cb64549f4..cddcf95c6faa 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListGroupsCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListGroupsCommand.ts @@ -132,4 +132,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListIdentityProvidersCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListIdentityProvidersCommand.ts index 01f9d7ecaf68..041a2f468ac8 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListIdentityProvidersCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListIdentityProvidersCommand.ts @@ -129,4 +129,16 @@ export class ListIdentityProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityProvidersCommand) .de(de_ListIdentityProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityProvidersRequest; + output: ListIdentityProvidersResponse; + }; + sdk: { + input: ListIdentityProvidersCommandInput; + output: ListIdentityProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListResourceServersCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListResourceServersCommand.ts index 6c825f029112..f4c2d2029e27 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListResourceServersCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListResourceServersCommand.ts @@ -134,4 +134,16 @@ export class ListResourceServersCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceServersCommand) .de(de_ListResourceServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceServersRequest; + output: ListResourceServersResponse; + }; + sdk: { + input: ListResourceServersCommandInput; + output: ListResourceServersCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListTagsForResourceCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListTagsForResourceCommand.ts index 7258822705da..17f6bcafd5db 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListTagsForResourceCommand.ts @@ -104,4 +104,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListUserImportJobsCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListUserImportJobsCommand.ts index 30a38ab46ca6..add38d4e8568 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListUserImportJobsCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListUserImportJobsCommand.ts @@ -138,4 +138,16 @@ export class ListUserImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListUserImportJobsCommand) .de(de_ListUserImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserImportJobsRequest; + output: ListUserImportJobsResponse; + }; + sdk: { + input: ListUserImportJobsCommandInput; + output: ListUserImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListUserPoolClientsCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListUserPoolClientsCommand.ts index 83ef092d6972..a8f74e22e155 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListUserPoolClientsCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListUserPoolClientsCommand.ts @@ -132,4 +132,16 @@ export class ListUserPoolClientsCommand extends $Command .f(void 0, ListUserPoolClientsResponseFilterSensitiveLog) .ser(se_ListUserPoolClientsCommand) .de(de_ListUserPoolClientsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserPoolClientsRequest; + output: ListUserPoolClientsResponse; + }; + sdk: { + input: ListUserPoolClientsCommandInput; + output: ListUserPoolClientsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListUserPoolsCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListUserPoolsCommand.ts index 8a46544ae9fd..d4d10d93581a 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListUserPoolsCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListUserPoolsCommand.ts @@ -150,4 +150,16 @@ export class ListUserPoolsCommand extends $Command .f(void 0, void 0) .ser(se_ListUserPoolsCommand) .de(de_ListUserPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserPoolsRequest; + output: ListUserPoolsResponse; + }; + sdk: { + input: ListUserPoolsCommandInput; + output: ListUserPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListUsersCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListUsersCommand.ts index b754798e6e33..103abba18d71 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListUsersCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListUsersCommand.ts @@ -222,4 +222,16 @@ export class ListUsersCommand extends $Command .f(void 0, ListUsersResponseFilterSensitiveLog) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ListUsersInGroupCommand.ts b/clients/client-cognito-identity-provider/src/commands/ListUsersInGroupCommand.ts index c22e844455e6..f5b9415a2f3a 100644 --- a/clients/client-cognito-identity-provider/src/commands/ListUsersInGroupCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ListUsersInGroupCommand.ts @@ -147,4 +147,16 @@ export class ListUsersInGroupCommand extends $Command .f(void 0, ListUsersInGroupResponseFilterSensitiveLog) .ser(se_ListUsersInGroupCommand) .de(de_ListUsersInGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersInGroupRequest; + output: ListUsersInGroupResponse; + }; + sdk: { + input: ListUsersInGroupCommandInput; + output: ListUsersInGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/ResendConfirmationCodeCommand.ts b/clients/client-cognito-identity-provider/src/commands/ResendConfirmationCodeCommand.ts index d0ff9774ecc3..8879356dcf41 100644 --- a/clients/client-cognito-identity-provider/src/commands/ResendConfirmationCodeCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/ResendConfirmationCodeCommand.ts @@ -183,4 +183,16 @@ export class ResendConfirmationCodeCommand extends $Command .f(ResendConfirmationCodeRequestFilterSensitiveLog, void 0) .ser(se_ResendConfirmationCodeCommand) .de(de_ResendConfirmationCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResendConfirmationCodeRequest; + output: ResendConfirmationCodeResponse; + }; + sdk: { + input: ResendConfirmationCodeCommandInput; + output: ResendConfirmationCodeCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/RespondToAuthChallengeCommand.ts b/clients/client-cognito-identity-provider/src/commands/RespondToAuthChallengeCommand.ts index 80ae6171dac9..a20e2e65cfa2 100644 --- a/clients/client-cognito-identity-provider/src/commands/RespondToAuthChallengeCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/RespondToAuthChallengeCommand.ts @@ -229,4 +229,16 @@ export class RespondToAuthChallengeCommand extends $Command .f(RespondToAuthChallengeRequestFilterSensitiveLog, RespondToAuthChallengeResponseFilterSensitiveLog) .ser(se_RespondToAuthChallengeCommand) .de(de_RespondToAuthChallengeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RespondToAuthChallengeRequest; + output: RespondToAuthChallengeResponse; + }; + sdk: { + input: RespondToAuthChallengeCommandInput; + output: RespondToAuthChallengeCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/RevokeTokenCommand.ts b/clients/client-cognito-identity-provider/src/commands/RevokeTokenCommand.ts index b8c83b3aa4e3..6a46991e504d 100644 --- a/clients/client-cognito-identity-provider/src/commands/RevokeTokenCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/RevokeTokenCommand.ts @@ -115,4 +115,16 @@ export class RevokeTokenCommand extends $Command .f(RevokeTokenRequestFilterSensitiveLog, void 0) .ser(se_RevokeTokenCommand) .de(de_RevokeTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeTokenRequest; + output: {}; + }; + sdk: { + input: RevokeTokenCommandInput; + output: RevokeTokenCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/SetLogDeliveryConfigurationCommand.ts b/clients/client-cognito-identity-provider/src/commands/SetLogDeliveryConfigurationCommand.ts index dd821338d84a..c2a585397e13 100644 --- a/clients/client-cognito-identity-provider/src/commands/SetLogDeliveryConfigurationCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/SetLogDeliveryConfigurationCommand.ts @@ -134,4 +134,16 @@ export class SetLogDeliveryConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_SetLogDeliveryConfigurationCommand) .de(de_SetLogDeliveryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetLogDeliveryConfigurationRequest; + output: SetLogDeliveryConfigurationResponse; + }; + sdk: { + input: SetLogDeliveryConfigurationCommandInput; + output: SetLogDeliveryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/SetRiskConfigurationCommand.ts b/clients/client-cognito-identity-provider/src/commands/SetRiskConfigurationCommand.ts index a114f2624c6f..4cbb2b5b6c87 100644 --- a/clients/client-cognito-identity-provider/src/commands/SetRiskConfigurationCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/SetRiskConfigurationCommand.ts @@ -228,4 +228,16 @@ export class SetRiskConfigurationCommand extends $Command .f(SetRiskConfigurationRequestFilterSensitiveLog, SetRiskConfigurationResponseFilterSensitiveLog) .ser(se_SetRiskConfigurationCommand) .de(de_SetRiskConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetRiskConfigurationRequest; + output: SetRiskConfigurationResponse; + }; + sdk: { + input: SetRiskConfigurationCommandInput; + output: SetRiskConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/SetUICustomizationCommand.ts b/clients/client-cognito-identity-provider/src/commands/SetUICustomizationCommand.ts index 245dc2534be4..44300fb56f7c 100644 --- a/clients/client-cognito-identity-provider/src/commands/SetUICustomizationCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/SetUICustomizationCommand.ts @@ -127,4 +127,16 @@ export class SetUICustomizationCommand extends $Command .f(SetUICustomizationRequestFilterSensitiveLog, SetUICustomizationResponseFilterSensitiveLog) .ser(se_SetUICustomizationCommand) .de(de_SetUICustomizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetUICustomizationRequest; + output: SetUICustomizationResponse; + }; + sdk: { + input: SetUICustomizationCommandInput; + output: SetUICustomizationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/SetUserMFAPreferenceCommand.ts b/clients/client-cognito-identity-provider/src/commands/SetUserMFAPreferenceCommand.ts index 8cc29173418d..9a931d70d49c 100644 --- a/clients/client-cognito-identity-provider/src/commands/SetUserMFAPreferenceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/SetUserMFAPreferenceCommand.ts @@ -137,4 +137,16 @@ export class SetUserMFAPreferenceCommand extends $Command .f(SetUserMFAPreferenceRequestFilterSensitiveLog, void 0) .ser(se_SetUserMFAPreferenceCommand) .de(de_SetUserMFAPreferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetUserMFAPreferenceRequest; + output: {}; + }; + sdk: { + input: SetUserMFAPreferenceCommandInput; + output: SetUserMFAPreferenceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/SetUserPoolMfaConfigCommand.ts b/clients/client-cognito-identity-provider/src/commands/SetUserPoolMfaConfigCommand.ts index f09da6f9a4a3..f63dab15dee1 100644 --- a/clients/client-cognito-identity-provider/src/commands/SetUserPoolMfaConfigCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/SetUserPoolMfaConfigCommand.ts @@ -161,4 +161,16 @@ export class SetUserPoolMfaConfigCommand extends $Command .f(void 0, void 0) .ser(se_SetUserPoolMfaConfigCommand) .de(de_SetUserPoolMfaConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetUserPoolMfaConfigRequest; + output: SetUserPoolMfaConfigResponse; + }; + sdk: { + input: SetUserPoolMfaConfigCommandInput; + output: SetUserPoolMfaConfigCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/SetUserSettingsCommand.ts b/clients/client-cognito-identity-provider/src/commands/SetUserSettingsCommand.ts index e4925be6746e..8145f217bb6c 100644 --- a/clients/client-cognito-identity-provider/src/commands/SetUserSettingsCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/SetUserSettingsCommand.ts @@ -126,4 +126,16 @@ export class SetUserSettingsCommand extends $Command .f(SetUserSettingsRequestFilterSensitiveLog, void 0) .ser(se_SetUserSettingsCommand) .de(de_SetUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetUserSettingsRequest; + output: {}; + }; + sdk: { + input: SetUserSettingsCommandInput; + output: SetUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/SignUpCommand.ts b/clients/client-cognito-identity-provider/src/commands/SignUpCommand.ts index a58f4e90c3a9..e528f4960bdb 100644 --- a/clients/client-cognito-identity-provider/src/commands/SignUpCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/SignUpCommand.ts @@ -198,4 +198,16 @@ export class SignUpCommand extends $Command .f(SignUpRequestFilterSensitiveLog, void 0) .ser(se_SignUpCommand) .de(de_SignUpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SignUpRequest; + output: SignUpResponse; + }; + sdk: { + input: SignUpCommandInput; + output: SignUpCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/StartUserImportJobCommand.ts b/clients/client-cognito-identity-provider/src/commands/StartUserImportJobCommand.ts index 6c97485b6264..417b3c08dc9e 100644 --- a/clients/client-cognito-identity-provider/src/commands/StartUserImportJobCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/StartUserImportJobCommand.ts @@ -117,4 +117,16 @@ export class StartUserImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartUserImportJobCommand) .de(de_StartUserImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartUserImportJobRequest; + output: StartUserImportJobResponse; + }; + sdk: { + input: StartUserImportJobCommandInput; + output: StartUserImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/StopUserImportJobCommand.ts b/clients/client-cognito-identity-provider/src/commands/StopUserImportJobCommand.ts index b6e4e1b863a2..e9a9d271172a 100644 --- a/clients/client-cognito-identity-provider/src/commands/StopUserImportJobCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/StopUserImportJobCommand.ts @@ -117,4 +117,16 @@ export class StopUserImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StopUserImportJobCommand) .de(de_StopUserImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopUserImportJobRequest; + output: StopUserImportJobResponse; + }; + sdk: { + input: StopUserImportJobCommandInput; + output: StopUserImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/TagResourceCommand.ts b/clients/client-cognito-identity-provider/src/commands/TagResourceCommand.ts index 09cee6ead6a6..fc448a4268da 100644 --- a/clients/client-cognito-identity-provider/src/commands/TagResourceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/TagResourceCommand.ts @@ -113,4 +113,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UntagResourceCommand.ts b/clients/client-cognito-identity-provider/src/commands/UntagResourceCommand.ts index a30f0e5dcec2..f4d4243c3783 100644 --- a/clients/client-cognito-identity-provider/src/commands/UntagResourceCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateAuthEventFeedbackCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateAuthEventFeedbackCommand.ts index 3f631b84cc1e..ff04f2f9b560 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateAuthEventFeedbackCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateAuthEventFeedbackCommand.ts @@ -119,4 +119,16 @@ export class UpdateAuthEventFeedbackCommand extends $Command .f(UpdateAuthEventFeedbackRequestFilterSensitiveLog, void 0) .ser(se_UpdateAuthEventFeedbackCommand) .de(de_UpdateAuthEventFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAuthEventFeedbackRequest; + output: {}; + }; + sdk: { + input: UpdateAuthEventFeedbackCommandInput; + output: UpdateAuthEventFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateDeviceStatusCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateDeviceStatusCommand.ts index 7a312de27a79..ec363c84f0b3 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateDeviceStatusCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateDeviceStatusCommand.ts @@ -127,4 +127,16 @@ export class UpdateDeviceStatusCommand extends $Command .f(UpdateDeviceStatusRequestFilterSensitiveLog, void 0) .ser(se_UpdateDeviceStatusCommand) .de(de_UpdateDeviceStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceStatusRequest; + output: {}; + }; + sdk: { + input: UpdateDeviceStatusCommandInput; + output: UpdateDeviceStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateGroupCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateGroupCommand.ts index 8edc48ec0555..12d64dae5195 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateGroupCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateGroupCommand.ts @@ -131,4 +131,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: UpdateGroupResponse; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateIdentityProviderCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateIdentityProviderCommand.ts index decca5022045..306e32342a48 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateIdentityProviderCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateIdentityProviderCommand.ts @@ -151,4 +151,16 @@ export class UpdateIdentityProviderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdentityProviderCommand) .de(de_UpdateIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdentityProviderRequest; + output: UpdateIdentityProviderResponse; + }; + sdk: { + input: UpdateIdentityProviderCommandInput; + output: UpdateIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateResourceServerCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateResourceServerCommand.ts index f31d718be13d..40493e9fc8d6 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateResourceServerCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateResourceServerCommand.ts @@ -141,4 +141,16 @@ export class UpdateResourceServerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceServerCommand) .de(de_UpdateResourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceServerRequest; + output: UpdateResourceServerResponse; + }; + sdk: { + input: UpdateResourceServerCommandInput; + output: UpdateResourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateUserAttributesCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateUserAttributesCommand.ts index 644566e30500..e9423589c40a 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateUserAttributesCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateUserAttributesCommand.ts @@ -202,4 +202,16 @@ export class UpdateUserAttributesCommand extends $Command .f(UpdateUserAttributesRequestFilterSensitiveLog, void 0) .ser(se_UpdateUserAttributesCommand) .de(de_UpdateUserAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserAttributesRequest; + output: UpdateUserAttributesResponse; + }; + sdk: { + input: UpdateUserAttributesCommandInput; + output: UpdateUserAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolClientCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolClientCommand.ts index 7576fb63d2b8..f6986ee80b56 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolClientCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolClientCommand.ts @@ -239,4 +239,16 @@ export class UpdateUserPoolClientCommand extends $Command .f(UpdateUserPoolClientRequestFilterSensitiveLog, UpdateUserPoolClientResponseFilterSensitiveLog) .ser(se_UpdateUserPoolClientCommand) .de(de_UpdateUserPoolClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserPoolClientRequest; + output: UpdateUserPoolClientResponse; + }; + sdk: { + input: UpdateUserPoolClientCommandInput; + output: UpdateUserPoolClientCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolCommand.ts index 2bfc29d3e0a8..80d391d10a11 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolCommand.ts @@ -263,4 +263,16 @@ export class UpdateUserPoolCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserPoolCommand) .de(de_UpdateUserPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserPoolRequest; + output: {}; + }; + sdk: { + input: UpdateUserPoolCommandInput; + output: UpdateUserPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolDomainCommand.ts b/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolDomainCommand.ts index 7896bf69e870..3f753adf200d 100644 --- a/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolDomainCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/UpdateUserPoolDomainCommand.ts @@ -141,4 +141,16 @@ export class UpdateUserPoolDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserPoolDomainCommand) .de(de_UpdateUserPoolDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserPoolDomainRequest; + output: UpdateUserPoolDomainResponse; + }; + sdk: { + input: UpdateUserPoolDomainCommandInput; + output: UpdateUserPoolDomainCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/VerifySoftwareTokenCommand.ts b/clients/client-cognito-identity-provider/src/commands/VerifySoftwareTokenCommand.ts index 09914a21f1d6..0cab1f5407fb 100644 --- a/clients/client-cognito-identity-provider/src/commands/VerifySoftwareTokenCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/VerifySoftwareTokenCommand.ts @@ -144,4 +144,16 @@ export class VerifySoftwareTokenCommand extends $Command .f(VerifySoftwareTokenRequestFilterSensitiveLog, VerifySoftwareTokenResponseFilterSensitiveLog) .ser(se_VerifySoftwareTokenCommand) .de(de_VerifySoftwareTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifySoftwareTokenRequest; + output: VerifySoftwareTokenResponse; + }; + sdk: { + input: VerifySoftwareTokenCommandInput; + output: VerifySoftwareTokenCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity-provider/src/commands/VerifyUserAttributeCommand.ts b/clients/client-cognito-identity-provider/src/commands/VerifyUserAttributeCommand.ts index 8a3fcb6cd791..5b2139ad1670 100644 --- a/clients/client-cognito-identity-provider/src/commands/VerifyUserAttributeCommand.ts +++ b/clients/client-cognito-identity-provider/src/commands/VerifyUserAttributeCommand.ts @@ -144,4 +144,16 @@ export class VerifyUserAttributeCommand extends $Command .f(VerifyUserAttributeRequestFilterSensitiveLog, void 0) .ser(se_VerifyUserAttributeCommand) .de(de_VerifyUserAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyUserAttributeRequest; + output: {}; + }; + sdk: { + input: VerifyUserAttributeCommandInput; + output: VerifyUserAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/package.json b/clients/client-cognito-identity/package.json index e32a03b10f11..2e67b83bebfa 100644 --- a/clients/client-cognito-identity/package.json +++ b/clients/client-cognito-identity/package.json @@ -34,30 +34,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cognito-identity/src/commands/CreateIdentityPoolCommand.ts b/clients/client-cognito-identity/src/commands/CreateIdentityPoolCommand.ts index 44a2afc4b084..c03a50cf4487 100644 --- a/clients/client-cognito-identity/src/commands/CreateIdentityPoolCommand.ts +++ b/clients/client-cognito-identity/src/commands/CreateIdentityPoolCommand.ts @@ -167,4 +167,16 @@ export class CreateIdentityPoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateIdentityPoolCommand) .de(de_CreateIdentityPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdentityPoolInput; + output: IdentityPool; + }; + sdk: { + input: CreateIdentityPoolCommandInput; + output: CreateIdentityPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/DeleteIdentitiesCommand.ts b/clients/client-cognito-identity/src/commands/DeleteIdentitiesCommand.ts index 858d38b1b056..ba51fce4438c 100644 --- a/clients/client-cognito-identity/src/commands/DeleteIdentitiesCommand.ts +++ b/clients/client-cognito-identity/src/commands/DeleteIdentitiesCommand.ts @@ -95,4 +95,16 @@ export class DeleteIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentitiesCommand) .de(de_DeleteIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentitiesInput; + output: DeleteIdentitiesResponse; + }; + sdk: { + input: DeleteIdentitiesCommandInput; + output: DeleteIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/DeleteIdentityPoolCommand.ts b/clients/client-cognito-identity/src/commands/DeleteIdentityPoolCommand.ts index 8676bcc343e8..ea6aafebe5e0 100644 --- a/clients/client-cognito-identity/src/commands/DeleteIdentityPoolCommand.ts +++ b/clients/client-cognito-identity/src/commands/DeleteIdentityPoolCommand.ts @@ -93,4 +93,16 @@ export class DeleteIdentityPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentityPoolCommand) .de(de_DeleteIdentityPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentityPoolInput; + output: {}; + }; + sdk: { + input: DeleteIdentityPoolCommandInput; + output: DeleteIdentityPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/DescribeIdentityCommand.ts b/clients/client-cognito-identity/src/commands/DescribeIdentityCommand.ts index 23afcabf8c40..f38a733213f1 100644 --- a/clients/client-cognito-identity/src/commands/DescribeIdentityCommand.ts +++ b/clients/client-cognito-identity/src/commands/DescribeIdentityCommand.ts @@ -100,4 +100,16 @@ export class DescribeIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityCommand) .de(de_DescribeIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityInput; + output: IdentityDescription; + }; + sdk: { + input: DescribeIdentityCommandInput; + output: DescribeIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/DescribeIdentityPoolCommand.ts b/clients/client-cognito-identity/src/commands/DescribeIdentityPoolCommand.ts index 9b875a929a00..ccb0bd0416fa 100644 --- a/clients/client-cognito-identity/src/commands/DescribeIdentityPoolCommand.ts +++ b/clients/client-cognito-identity/src/commands/DescribeIdentityPoolCommand.ts @@ -118,4 +118,16 @@ export class DescribeIdentityPoolCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityPoolCommand) .de(de_DescribeIdentityPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityPoolInput; + output: IdentityPool; + }; + sdk: { + input: DescribeIdentityPoolCommandInput; + output: DescribeIdentityPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/GetCredentialsForIdentityCommand.ts b/clients/client-cognito-identity/src/commands/GetCredentialsForIdentityCommand.ts index 37c119645e56..e4c4ff1c2656 100644 --- a/clients/client-cognito-identity/src/commands/GetCredentialsForIdentityCommand.ts +++ b/clients/client-cognito-identity/src/commands/GetCredentialsForIdentityCommand.ts @@ -124,4 +124,16 @@ export class GetCredentialsForIdentityCommand extends $Command .f(GetCredentialsForIdentityInputFilterSensitiveLog, GetCredentialsForIdentityResponseFilterSensitiveLog) .ser(se_GetCredentialsForIdentityCommand) .de(de_GetCredentialsForIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCredentialsForIdentityInput; + output: GetCredentialsForIdentityResponse; + }; + sdk: { + input: GetCredentialsForIdentityCommandInput; + output: GetCredentialsForIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/GetIdCommand.ts b/clients/client-cognito-identity/src/commands/GetIdCommand.ts index 99a9dd3af99b..5f021a7772f0 100644 --- a/clients/client-cognito-identity/src/commands/GetIdCommand.ts +++ b/clients/client-cognito-identity/src/commands/GetIdCommand.ts @@ -110,4 +110,16 @@ export class GetIdCommand extends $Command .f(GetIdInputFilterSensitiveLog, void 0) .ser(se_GetIdCommand) .de(de_GetIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdInput; + output: GetIdResponse; + }; + sdk: { + input: GetIdCommandInput; + output: GetIdCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/GetIdentityPoolRolesCommand.ts b/clients/client-cognito-identity/src/commands/GetIdentityPoolRolesCommand.ts index d138f1505672..5caaa7bc3c60 100644 --- a/clients/client-cognito-identity/src/commands/GetIdentityPoolRolesCommand.ts +++ b/clients/client-cognito-identity/src/commands/GetIdentityPoolRolesCommand.ts @@ -117,4 +117,16 @@ export class GetIdentityPoolRolesCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityPoolRolesCommand) .de(de_GetIdentityPoolRolesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityPoolRolesInput; + output: GetIdentityPoolRolesResponse; + }; + sdk: { + input: GetIdentityPoolRolesCommandInput; + output: GetIdentityPoolRolesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/GetOpenIdTokenCommand.ts b/clients/client-cognito-identity/src/commands/GetOpenIdTokenCommand.ts index b81ff9305f20..0853241e0992 100644 --- a/clients/client-cognito-identity/src/commands/GetOpenIdTokenCommand.ts +++ b/clients/client-cognito-identity/src/commands/GetOpenIdTokenCommand.ts @@ -114,4 +114,16 @@ export class GetOpenIdTokenCommand extends $Command .f(GetOpenIdTokenInputFilterSensitiveLog, GetOpenIdTokenResponseFilterSensitiveLog) .ser(se_GetOpenIdTokenCommand) .de(de_GetOpenIdTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOpenIdTokenInput; + output: GetOpenIdTokenResponse; + }; + sdk: { + input: GetOpenIdTokenCommandInput; + output: GetOpenIdTokenCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/GetOpenIdTokenForDeveloperIdentityCommand.ts b/clients/client-cognito-identity/src/commands/GetOpenIdTokenForDeveloperIdentityCommand.ts index 869abfb64681..3b2342f46b79 100644 --- a/clients/client-cognito-identity/src/commands/GetOpenIdTokenForDeveloperIdentityCommand.ts +++ b/clients/client-cognito-identity/src/commands/GetOpenIdTokenForDeveloperIdentityCommand.ts @@ -135,4 +135,16 @@ export class GetOpenIdTokenForDeveloperIdentityCommand extends $Command ) .ser(se_GetOpenIdTokenForDeveloperIdentityCommand) .de(de_GetOpenIdTokenForDeveloperIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOpenIdTokenForDeveloperIdentityInput; + output: GetOpenIdTokenForDeveloperIdentityResponse; + }; + sdk: { + input: GetOpenIdTokenForDeveloperIdentityCommandInput; + output: GetOpenIdTokenForDeveloperIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/GetPrincipalTagAttributeMapCommand.ts b/clients/client-cognito-identity/src/commands/GetPrincipalTagAttributeMapCommand.ts index 8c8cfc013bfb..21c25b3cab0b 100644 --- a/clients/client-cognito-identity/src/commands/GetPrincipalTagAttributeMapCommand.ts +++ b/clients/client-cognito-identity/src/commands/GetPrincipalTagAttributeMapCommand.ts @@ -101,4 +101,16 @@ export class GetPrincipalTagAttributeMapCommand extends $Command .f(void 0, void 0) .ser(se_GetPrincipalTagAttributeMapCommand) .de(de_GetPrincipalTagAttributeMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPrincipalTagAttributeMapInput; + output: GetPrincipalTagAttributeMapResponse; + }; + sdk: { + input: GetPrincipalTagAttributeMapCommandInput; + output: GetPrincipalTagAttributeMapCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/ListIdentitiesCommand.ts b/clients/client-cognito-identity/src/commands/ListIdentitiesCommand.ts index 73038f3be5cb..fa35e52f94f0 100644 --- a/clients/client-cognito-identity/src/commands/ListIdentitiesCommand.ts +++ b/clients/client-cognito-identity/src/commands/ListIdentitiesCommand.ts @@ -108,4 +108,16 @@ export class ListIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentitiesCommand) .de(de_ListIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentitiesInput; + output: ListIdentitiesResponse; + }; + sdk: { + input: ListIdentitiesCommandInput; + output: ListIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/ListIdentityPoolsCommand.ts b/clients/client-cognito-identity/src/commands/ListIdentityPoolsCommand.ts index e4f7e44d814e..b666a18ac9d9 100644 --- a/clients/client-cognito-identity/src/commands/ListIdentityPoolsCommand.ts +++ b/clients/client-cognito-identity/src/commands/ListIdentityPoolsCommand.ts @@ -101,4 +101,16 @@ export class ListIdentityPoolsCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityPoolsCommand) .de(de_ListIdentityPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityPoolsInput; + output: ListIdentityPoolsResponse; + }; + sdk: { + input: ListIdentityPoolsCommandInput; + output: ListIdentityPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/ListTagsForResourceCommand.ts b/clients/client-cognito-identity/src/commands/ListTagsForResourceCommand.ts index f9a6a2317f4c..28f599e200a1 100644 --- a/clients/client-cognito-identity/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cognito-identity/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/LookupDeveloperIdentityCommand.ts b/clients/client-cognito-identity/src/commands/LookupDeveloperIdentityCommand.ts index 55edcfe3e7e3..657c648d1541 100644 --- a/clients/client-cognito-identity/src/commands/LookupDeveloperIdentityCommand.ts +++ b/clients/client-cognito-identity/src/commands/LookupDeveloperIdentityCommand.ts @@ -121,4 +121,16 @@ export class LookupDeveloperIdentityCommand extends $Command .f(void 0, void 0) .ser(se_LookupDeveloperIdentityCommand) .de(de_LookupDeveloperIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LookupDeveloperIdentityInput; + output: LookupDeveloperIdentityResponse; + }; + sdk: { + input: LookupDeveloperIdentityCommandInput; + output: LookupDeveloperIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/MergeDeveloperIdentitiesCommand.ts b/clients/client-cognito-identity/src/commands/MergeDeveloperIdentitiesCommand.ts index f7b8c1a60193..b9ebb30c2116 100644 --- a/clients/client-cognito-identity/src/commands/MergeDeveloperIdentitiesCommand.ts +++ b/clients/client-cognito-identity/src/commands/MergeDeveloperIdentitiesCommand.ts @@ -112,4 +112,16 @@ export class MergeDeveloperIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_MergeDeveloperIdentitiesCommand) .de(de_MergeDeveloperIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergeDeveloperIdentitiesInput; + output: MergeDeveloperIdentitiesResponse; + }; + sdk: { + input: MergeDeveloperIdentitiesCommandInput; + output: MergeDeveloperIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/SetIdentityPoolRolesCommand.ts b/clients/client-cognito-identity/src/commands/SetIdentityPoolRolesCommand.ts index 94aa6ea90105..9b41b8da9bdf 100644 --- a/clients/client-cognito-identity/src/commands/SetIdentityPoolRolesCommand.ts +++ b/clients/client-cognito-identity/src/commands/SetIdentityPoolRolesCommand.ts @@ -118,4 +118,16 @@ export class SetIdentityPoolRolesCommand extends $Command .f(void 0, void 0) .ser(se_SetIdentityPoolRolesCommand) .de(de_SetIdentityPoolRolesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIdentityPoolRolesInput; + output: {}; + }; + sdk: { + input: SetIdentityPoolRolesCommandInput; + output: SetIdentityPoolRolesCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/SetPrincipalTagAttributeMapCommand.ts b/clients/client-cognito-identity/src/commands/SetPrincipalTagAttributeMapCommand.ts index 181449390742..5a132c9ccb1c 100644 --- a/clients/client-cognito-identity/src/commands/SetPrincipalTagAttributeMapCommand.ts +++ b/clients/client-cognito-identity/src/commands/SetPrincipalTagAttributeMapCommand.ts @@ -105,4 +105,16 @@ export class SetPrincipalTagAttributeMapCommand extends $Command .f(void 0, void 0) .ser(se_SetPrincipalTagAttributeMapCommand) .de(de_SetPrincipalTagAttributeMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetPrincipalTagAttributeMapInput; + output: SetPrincipalTagAttributeMapResponse; + }; + sdk: { + input: SetPrincipalTagAttributeMapCommandInput; + output: SetPrincipalTagAttributeMapCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/TagResourceCommand.ts b/clients/client-cognito-identity/src/commands/TagResourceCommand.ts index 2669895549aa..d0660df1f611 100644 --- a/clients/client-cognito-identity/src/commands/TagResourceCommand.ts +++ b/clients/client-cognito-identity/src/commands/TagResourceCommand.ts @@ -108,4 +108,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/UnlinkDeveloperIdentityCommand.ts b/clients/client-cognito-identity/src/commands/UnlinkDeveloperIdentityCommand.ts index 5214a8b05b52..5e766e8c97bd 100644 --- a/clients/client-cognito-identity/src/commands/UnlinkDeveloperIdentityCommand.ts +++ b/clients/client-cognito-identity/src/commands/UnlinkDeveloperIdentityCommand.ts @@ -102,4 +102,16 @@ export class UnlinkDeveloperIdentityCommand extends $Command .f(void 0, void 0) .ser(se_UnlinkDeveloperIdentityCommand) .de(de_UnlinkDeveloperIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnlinkDeveloperIdentityInput; + output: {}; + }; + sdk: { + input: UnlinkDeveloperIdentityCommandInput; + output: UnlinkDeveloperIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/UnlinkIdentityCommand.ts b/clients/client-cognito-identity/src/commands/UnlinkIdentityCommand.ts index 925d4a9e84d1..aace960e6e11 100644 --- a/clients/client-cognito-identity/src/commands/UnlinkIdentityCommand.ts +++ b/clients/client-cognito-identity/src/commands/UnlinkIdentityCommand.ts @@ -108,4 +108,16 @@ export class UnlinkIdentityCommand extends $Command .f(UnlinkIdentityInputFilterSensitiveLog, void 0) .ser(se_UnlinkIdentityCommand) .de(de_UnlinkIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnlinkIdentityInput; + output: {}; + }; + sdk: { + input: UnlinkIdentityCommandInput; + output: UnlinkIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/UntagResourceCommand.ts b/clients/client-cognito-identity/src/commands/UntagResourceCommand.ts index eb3add728f0a..72400e40c326 100644 --- a/clients/client-cognito-identity/src/commands/UntagResourceCommand.ts +++ b/clients/client-cognito-identity/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-identity/src/commands/UpdateIdentityPoolCommand.ts b/clients/client-cognito-identity/src/commands/UpdateIdentityPoolCommand.ts index 550101ff0ff2..2d48108eedd1 100644 --- a/clients/client-cognito-identity/src/commands/UpdateIdentityPoolCommand.ts +++ b/clients/client-cognito-identity/src/commands/UpdateIdentityPoolCommand.ts @@ -150,4 +150,16 @@ export class UpdateIdentityPoolCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdentityPoolCommand) .de(de_UpdateIdentityPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IdentityPool; + output: IdentityPool; + }; + sdk: { + input: UpdateIdentityPoolCommandInput; + output: UpdateIdentityPoolCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/package.json b/clients/client-cognito-sync/package.json index 6736d22a36b5..9a996ec12f92 100644 --- a/clients/client-cognito-sync/package.json +++ b/clients/client-cognito-sync/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cognito-sync/src/commands/BulkPublishCommand.ts b/clients/client-cognito-sync/src/commands/BulkPublishCommand.ts index 6f18c3d88b58..2b07b981bc86 100644 --- a/clients/client-cognito-sync/src/commands/BulkPublishCommand.ts +++ b/clients/client-cognito-sync/src/commands/BulkPublishCommand.ts @@ -99,4 +99,16 @@ export class BulkPublishCommand extends $Command .f(void 0, void 0) .ser(se_BulkPublishCommand) .de(de_BulkPublishCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BulkPublishRequest; + output: BulkPublishResponse; + }; + sdk: { + input: BulkPublishCommandInput; + output: BulkPublishCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/DeleteDatasetCommand.ts b/clients/client-cognito-sync/src/commands/DeleteDatasetCommand.ts index d18e52fbdc75..8b1a3571d5fc 100644 --- a/clients/client-cognito-sync/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-cognito-sync/src/commands/DeleteDatasetCommand.ts @@ -115,4 +115,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: DeleteDatasetResponse; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/DescribeDatasetCommand.ts b/clients/client-cognito-sync/src/commands/DescribeDatasetCommand.ts index a2996bf90aeb..d8c0c8769989 100644 --- a/clients/client-cognito-sync/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-cognito-sync/src/commands/DescribeDatasetCommand.ts @@ -110,4 +110,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/DescribeIdentityPoolUsageCommand.ts b/clients/client-cognito-sync/src/commands/DescribeIdentityPoolUsageCommand.ts index 642646458829..e0d45cd1d824 100644 --- a/clients/client-cognito-sync/src/commands/DescribeIdentityPoolUsageCommand.ts +++ b/clients/client-cognito-sync/src/commands/DescribeIdentityPoolUsageCommand.ts @@ -150,4 +150,16 @@ export class DescribeIdentityPoolUsageCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityPoolUsageCommand) .de(de_DescribeIdentityPoolUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityPoolUsageRequest; + output: DescribeIdentityPoolUsageResponse; + }; + sdk: { + input: DescribeIdentityPoolUsageCommandInput; + output: DescribeIdentityPoolUsageCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/DescribeIdentityUsageCommand.ts b/clients/client-cognito-sync/src/commands/DescribeIdentityUsageCommand.ts index bc66f93e4e50..09e86c3432c9 100644 --- a/clients/client-cognito-sync/src/commands/DescribeIdentityUsageCommand.ts +++ b/clients/client-cognito-sync/src/commands/DescribeIdentityUsageCommand.ts @@ -153,4 +153,16 @@ export class DescribeIdentityUsageCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityUsageCommand) .de(de_DescribeIdentityUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityUsageRequest; + output: DescribeIdentityUsageResponse; + }; + sdk: { + input: DescribeIdentityUsageCommandInput; + output: DescribeIdentityUsageCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/GetBulkPublishDetailsCommand.ts b/clients/client-cognito-sync/src/commands/GetBulkPublishDetailsCommand.ts index 91273b3efecd..bde691d1a1e6 100644 --- a/clients/client-cognito-sync/src/commands/GetBulkPublishDetailsCommand.ts +++ b/clients/client-cognito-sync/src/commands/GetBulkPublishDetailsCommand.ts @@ -97,4 +97,16 @@ export class GetBulkPublishDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetBulkPublishDetailsCommand) .de(de_GetBulkPublishDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBulkPublishDetailsRequest; + output: GetBulkPublishDetailsResponse; + }; + sdk: { + input: GetBulkPublishDetailsCommandInput; + output: GetBulkPublishDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/GetCognitoEventsCommand.ts b/clients/client-cognito-sync/src/commands/GetCognitoEventsCommand.ts index 9caf2beeac60..f797bbedd7a4 100644 --- a/clients/client-cognito-sync/src/commands/GetCognitoEventsCommand.ts +++ b/clients/client-cognito-sync/src/commands/GetCognitoEventsCommand.ts @@ -99,4 +99,16 @@ export class GetCognitoEventsCommand extends $Command .f(void 0, void 0) .ser(se_GetCognitoEventsCommand) .de(de_GetCognitoEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCognitoEventsRequest; + output: GetCognitoEventsResponse; + }; + sdk: { + input: GetCognitoEventsCommandInput; + output: GetCognitoEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/GetIdentityPoolConfigurationCommand.ts b/clients/client-cognito-sync/src/commands/GetIdentityPoolConfigurationCommand.ts index 9adbb5f65578..f6e4028b605a 100644 --- a/clients/client-cognito-sync/src/commands/GetIdentityPoolConfigurationCommand.ts +++ b/clients/client-cognito-sync/src/commands/GetIdentityPoolConfigurationCommand.ts @@ -159,4 +159,16 @@ export class GetIdentityPoolConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityPoolConfigurationCommand) .de(de_GetIdentityPoolConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityPoolConfigurationRequest; + output: GetIdentityPoolConfigurationResponse; + }; + sdk: { + input: GetIdentityPoolConfigurationCommandInput; + output: GetIdentityPoolConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/ListDatasetsCommand.ts b/clients/client-cognito-sync/src/commands/ListDatasetsCommand.ts index 11c47cdb9e85..10d64e20a40c 100644 --- a/clients/client-cognito-sync/src/commands/ListDatasetsCommand.ts +++ b/clients/client-cognito-sync/src/commands/ListDatasetsCommand.ts @@ -166,4 +166,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/ListIdentityPoolUsageCommand.ts b/clients/client-cognito-sync/src/commands/ListIdentityPoolUsageCommand.ts index 01d132ba197f..8311efc3a537 100644 --- a/clients/client-cognito-sync/src/commands/ListIdentityPoolUsageCommand.ts +++ b/clients/client-cognito-sync/src/commands/ListIdentityPoolUsageCommand.ts @@ -162,4 +162,16 @@ export class ListIdentityPoolUsageCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityPoolUsageCommand) .de(de_ListIdentityPoolUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityPoolUsageRequest; + output: ListIdentityPoolUsageResponse; + }; + sdk: { + input: ListIdentityPoolUsageCommandInput; + output: ListIdentityPoolUsageCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/ListRecordsCommand.ts b/clients/client-cognito-sync/src/commands/ListRecordsCommand.ts index 621462828f6b..0032768f9dcd 100644 --- a/clients/client-cognito-sync/src/commands/ListRecordsCommand.ts +++ b/clients/client-cognito-sync/src/commands/ListRecordsCommand.ts @@ -173,4 +173,16 @@ export class ListRecordsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecordsCommand) .de(de_ListRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecordsRequest; + output: ListRecordsResponse; + }; + sdk: { + input: ListRecordsCommandInput; + output: ListRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/RegisterDeviceCommand.ts b/clients/client-cognito-sync/src/commands/RegisterDeviceCommand.ts index eae1a87bbc23..368cb35ec2b4 100644 --- a/clients/client-cognito-sync/src/commands/RegisterDeviceCommand.ts +++ b/clients/client-cognito-sync/src/commands/RegisterDeviceCommand.ts @@ -146,4 +146,16 @@ export class RegisterDeviceCommand extends $Command .f(void 0, void 0) .ser(se_RegisterDeviceCommand) .de(de_RegisterDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDeviceRequest; + output: RegisterDeviceResponse; + }; + sdk: { + input: RegisterDeviceCommandInput; + output: RegisterDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/SetCognitoEventsCommand.ts b/clients/client-cognito-sync/src/commands/SetCognitoEventsCommand.ts index c1eb9498e33c..750e692bf0e3 100644 --- a/clients/client-cognito-sync/src/commands/SetCognitoEventsCommand.ts +++ b/clients/client-cognito-sync/src/commands/SetCognitoEventsCommand.ts @@ -98,4 +98,16 @@ export class SetCognitoEventsCommand extends $Command .f(void 0, void 0) .ser(se_SetCognitoEventsCommand) .de(de_SetCognitoEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetCognitoEventsRequest; + output: {}; + }; + sdk: { + input: SetCognitoEventsCommandInput; + output: SetCognitoEventsCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/SetIdentityPoolConfigurationCommand.ts b/clients/client-cognito-sync/src/commands/SetIdentityPoolConfigurationCommand.ts index d7b161bb51a2..5d2f38a91ef5 100644 --- a/clients/client-cognito-sync/src/commands/SetIdentityPoolConfigurationCommand.ts +++ b/clients/client-cognito-sync/src/commands/SetIdentityPoolConfigurationCommand.ts @@ -177,4 +177,16 @@ export class SetIdentityPoolConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_SetIdentityPoolConfigurationCommand) .de(de_SetIdentityPoolConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIdentityPoolConfigurationRequest; + output: SetIdentityPoolConfigurationResponse; + }; + sdk: { + input: SetIdentityPoolConfigurationCommandInput; + output: SetIdentityPoolConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/SubscribeToDatasetCommand.ts b/clients/client-cognito-sync/src/commands/SubscribeToDatasetCommand.ts index 6e574e406334..69e59eaa5e2d 100644 --- a/clients/client-cognito-sync/src/commands/SubscribeToDatasetCommand.ts +++ b/clients/client-cognito-sync/src/commands/SubscribeToDatasetCommand.ts @@ -143,4 +143,16 @@ export class SubscribeToDatasetCommand extends $Command .f(void 0, void 0) .ser(se_SubscribeToDatasetCommand) .de(de_SubscribeToDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubscribeToDatasetRequest; + output: {}; + }; + sdk: { + input: SubscribeToDatasetCommandInput; + output: SubscribeToDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/UnsubscribeFromDatasetCommand.ts b/clients/client-cognito-sync/src/commands/UnsubscribeFromDatasetCommand.ts index 4c9e2ea7eb39..1f9349c79bbf 100644 --- a/clients/client-cognito-sync/src/commands/UnsubscribeFromDatasetCommand.ts +++ b/clients/client-cognito-sync/src/commands/UnsubscribeFromDatasetCommand.ts @@ -144,4 +144,16 @@ export class UnsubscribeFromDatasetCommand extends $Command .f(void 0, void 0) .ser(se_UnsubscribeFromDatasetCommand) .de(de_UnsubscribeFromDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnsubscribeFromDatasetRequest; + output: {}; + }; + sdk: { + input: UnsubscribeFromDatasetCommandInput; + output: UnsubscribeFromDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-cognito-sync/src/commands/UpdateRecordsCommand.ts b/clients/client-cognito-sync/src/commands/UpdateRecordsCommand.ts index af55a2d6cf52..b23287bb331c 100644 --- a/clients/client-cognito-sync/src/commands/UpdateRecordsCommand.ts +++ b/clients/client-cognito-sync/src/commands/UpdateRecordsCommand.ts @@ -136,4 +136,16 @@ export class UpdateRecordsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRecordsCommand) .de(de_UpdateRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecordsRequest; + output: UpdateRecordsResponse; + }; + sdk: { + input: UpdateRecordsCommandInput; + output: UpdateRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/package.json b/clients/client-comprehend/package.json index 865b661686fe..88b34b17638d 100644 --- a/clients/client-comprehend/package.json +++ b/clients/client-comprehend/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-comprehend/src/commands/BatchDetectDominantLanguageCommand.ts b/clients/client-comprehend/src/commands/BatchDetectDominantLanguageCommand.ts index 81e31e4f500c..da1f266c677c 100644 --- a/clients/client-comprehend/src/commands/BatchDetectDominantLanguageCommand.ts +++ b/clients/client-comprehend/src/commands/BatchDetectDominantLanguageCommand.ts @@ -118,4 +118,16 @@ export class BatchDetectDominantLanguageCommand extends $Command .f(BatchDetectDominantLanguageRequestFilterSensitiveLog, BatchDetectDominantLanguageResponseFilterSensitiveLog) .ser(se_BatchDetectDominantLanguageCommand) .de(de_BatchDetectDominantLanguageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDetectDominantLanguageRequest; + output: BatchDetectDominantLanguageResponse; + }; + sdk: { + input: BatchDetectDominantLanguageCommandInput; + output: BatchDetectDominantLanguageCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/BatchDetectEntitiesCommand.ts b/clients/client-comprehend/src/commands/BatchDetectEntitiesCommand.ts index 9880434f591a..16a62acfd71e 100644 --- a/clients/client-comprehend/src/commands/BatchDetectEntitiesCommand.ts +++ b/clients/client-comprehend/src/commands/BatchDetectEntitiesCommand.ts @@ -140,4 +140,16 @@ export class BatchDetectEntitiesCommand extends $Command .f(BatchDetectEntitiesRequestFilterSensitiveLog, BatchDetectEntitiesResponseFilterSensitiveLog) .ser(se_BatchDetectEntitiesCommand) .de(de_BatchDetectEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDetectEntitiesRequest; + output: BatchDetectEntitiesResponse; + }; + sdk: { + input: BatchDetectEntitiesCommandInput; + output: BatchDetectEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/BatchDetectKeyPhrasesCommand.ts b/clients/client-comprehend/src/commands/BatchDetectKeyPhrasesCommand.ts index b6f17e0f287d..ee6dede6af1a 100644 --- a/clients/client-comprehend/src/commands/BatchDetectKeyPhrasesCommand.ts +++ b/clients/client-comprehend/src/commands/BatchDetectKeyPhrasesCommand.ts @@ -122,4 +122,16 @@ export class BatchDetectKeyPhrasesCommand extends $Command .f(BatchDetectKeyPhrasesRequestFilterSensitiveLog, BatchDetectKeyPhrasesResponseFilterSensitiveLog) .ser(se_BatchDetectKeyPhrasesCommand) .de(de_BatchDetectKeyPhrasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDetectKeyPhrasesRequest; + output: BatchDetectKeyPhrasesResponse; + }; + sdk: { + input: BatchDetectKeyPhrasesCommandInput; + output: BatchDetectKeyPhrasesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/BatchDetectSentimentCommand.ts b/clients/client-comprehend/src/commands/BatchDetectSentimentCommand.ts index c48082b0ad04..6c11e03b528f 100644 --- a/clients/client-comprehend/src/commands/BatchDetectSentimentCommand.ts +++ b/clients/client-comprehend/src/commands/BatchDetectSentimentCommand.ts @@ -123,4 +123,16 @@ export class BatchDetectSentimentCommand extends $Command .f(BatchDetectSentimentRequestFilterSensitiveLog, BatchDetectSentimentResponseFilterSensitiveLog) .ser(se_BatchDetectSentimentCommand) .de(de_BatchDetectSentimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDetectSentimentRequest; + output: BatchDetectSentimentResponse; + }; + sdk: { + input: BatchDetectSentimentCommandInput; + output: BatchDetectSentimentCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/BatchDetectSyntaxCommand.ts b/clients/client-comprehend/src/commands/BatchDetectSyntaxCommand.ts index 369b0a12fc4d..d298aa7ea29d 100644 --- a/clients/client-comprehend/src/commands/BatchDetectSyntaxCommand.ts +++ b/clients/client-comprehend/src/commands/BatchDetectSyntaxCommand.ts @@ -129,4 +129,16 @@ export class BatchDetectSyntaxCommand extends $Command .f(BatchDetectSyntaxRequestFilterSensitiveLog, BatchDetectSyntaxResponseFilterSensitiveLog) .ser(se_BatchDetectSyntaxCommand) .de(de_BatchDetectSyntaxCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDetectSyntaxRequest; + output: BatchDetectSyntaxResponse; + }; + sdk: { + input: BatchDetectSyntaxCommandInput; + output: BatchDetectSyntaxCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/BatchDetectTargetedSentimentCommand.ts b/clients/client-comprehend/src/commands/BatchDetectTargetedSentimentCommand.ts index 0a19bfaaa597..46d2f4b94846 100644 --- a/clients/client-comprehend/src/commands/BatchDetectTargetedSentimentCommand.ts +++ b/clients/client-comprehend/src/commands/BatchDetectTargetedSentimentCommand.ts @@ -147,4 +147,16 @@ export class BatchDetectTargetedSentimentCommand extends $Command .f(BatchDetectTargetedSentimentRequestFilterSensitiveLog, BatchDetectTargetedSentimentResponseFilterSensitiveLog) .ser(se_BatchDetectTargetedSentimentCommand) .de(de_BatchDetectTargetedSentimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDetectTargetedSentimentRequest; + output: BatchDetectTargetedSentimentResponse; + }; + sdk: { + input: BatchDetectTargetedSentimentCommandInput; + output: BatchDetectTargetedSentimentCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ClassifyDocumentCommand.ts b/clients/client-comprehend/src/commands/ClassifyDocumentCommand.ts index a09bdc9907e5..12f4081f248b 100644 --- a/clients/client-comprehend/src/commands/ClassifyDocumentCommand.ts +++ b/clients/client-comprehend/src/commands/ClassifyDocumentCommand.ts @@ -169,4 +169,16 @@ export class ClassifyDocumentCommand extends $Command .f(ClassifyDocumentRequestFilterSensitiveLog, ClassifyDocumentResponseFilterSensitiveLog) .ser(se_ClassifyDocumentCommand) .de(de_ClassifyDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ClassifyDocumentRequest; + output: ClassifyDocumentResponse; + }; + sdk: { + input: ClassifyDocumentCommandInput; + output: ClassifyDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ContainsPiiEntitiesCommand.ts b/clients/client-comprehend/src/commands/ContainsPiiEntitiesCommand.ts index 87d3af96bbe4..36f9ee708a3d 100644 --- a/clients/client-comprehend/src/commands/ContainsPiiEntitiesCommand.ts +++ b/clients/client-comprehend/src/commands/ContainsPiiEntitiesCommand.ts @@ -99,4 +99,16 @@ export class ContainsPiiEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_ContainsPiiEntitiesCommand) .de(de_ContainsPiiEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ContainsPiiEntitiesRequest; + output: ContainsPiiEntitiesResponse; + }; + sdk: { + input: ContainsPiiEntitiesCommandInput; + output: ContainsPiiEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/CreateDatasetCommand.ts b/clients/client-comprehend/src/commands/CreateDatasetCommand.ts index 10348dc4a1bd..7542947a4d93 100644 --- a/clients/client-comprehend/src/commands/CreateDatasetCommand.ts +++ b/clients/client-comprehend/src/commands/CreateDatasetCommand.ts @@ -144,4 +144,16 @@ export class CreateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/CreateDocumentClassifierCommand.ts b/clients/client-comprehend/src/commands/CreateDocumentClassifierCommand.ts index d43c00dacb6d..1d1205afd87f 100644 --- a/clients/client-comprehend/src/commands/CreateDocumentClassifierCommand.ts +++ b/clients/client-comprehend/src/commands/CreateDocumentClassifierCommand.ts @@ -170,4 +170,16 @@ export class CreateDocumentClassifierCommand extends $Command .f(void 0, void 0) .ser(se_CreateDocumentClassifierCommand) .de(de_CreateDocumentClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDocumentClassifierRequest; + output: CreateDocumentClassifierResponse; + }; + sdk: { + input: CreateDocumentClassifierCommandInput; + output: CreateDocumentClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/CreateEndpointCommand.ts b/clients/client-comprehend/src/commands/CreateEndpointCommand.ts index 06513037527f..bacbe175e956 100644 --- a/clients/client-comprehend/src/commands/CreateEndpointCommand.ts +++ b/clients/client-comprehend/src/commands/CreateEndpointCommand.ts @@ -120,4 +120,16 @@ export class CreateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointCommand) .de(de_CreateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointRequest; + output: CreateEndpointResponse; + }; + sdk: { + input: CreateEndpointCommandInput; + output: CreateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/CreateEntityRecognizerCommand.ts b/clients/client-comprehend/src/commands/CreateEntityRecognizerCommand.ts index f49e07b8c5b8..8ae4cc8dfecf 100644 --- a/clients/client-comprehend/src/commands/CreateEntityRecognizerCommand.ts +++ b/clients/client-comprehend/src/commands/CreateEntityRecognizerCommand.ts @@ -163,4 +163,16 @@ export class CreateEntityRecognizerCommand extends $Command .f(void 0, void 0) .ser(se_CreateEntityRecognizerCommand) .de(de_CreateEntityRecognizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEntityRecognizerRequest; + output: CreateEntityRecognizerResponse; + }; + sdk: { + input: CreateEntityRecognizerCommandInput; + output: CreateEntityRecognizerCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/CreateFlywheelCommand.ts b/clients/client-comprehend/src/commands/CreateFlywheelCommand.ts index 3744ebdcdf1d..51f51a69a9f5 100644 --- a/clients/client-comprehend/src/commands/CreateFlywheelCommand.ts +++ b/clients/client-comprehend/src/commands/CreateFlywheelCommand.ts @@ -166,4 +166,16 @@ export class CreateFlywheelCommand extends $Command .f(void 0, void 0) .ser(se_CreateFlywheelCommand) .de(de_CreateFlywheelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlywheelRequest; + output: CreateFlywheelResponse; + }; + sdk: { + input: CreateFlywheelCommandInput; + output: CreateFlywheelCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DeleteDocumentClassifierCommand.ts b/clients/client-comprehend/src/commands/DeleteDocumentClassifierCommand.ts index df412ca7bff0..1a0d58e233c6 100644 --- a/clients/client-comprehend/src/commands/DeleteDocumentClassifierCommand.ts +++ b/clients/client-comprehend/src/commands/DeleteDocumentClassifierCommand.ts @@ -101,4 +101,16 @@ export class DeleteDocumentClassifierCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDocumentClassifierCommand) .de(de_DeleteDocumentClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDocumentClassifierRequest; + output: {}; + }; + sdk: { + input: DeleteDocumentClassifierCommandInput; + output: DeleteDocumentClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DeleteEndpointCommand.ts b/clients/client-comprehend/src/commands/DeleteEndpointCommand.ts index c98776d3cad0..d1fabffab657 100644 --- a/clients/client-comprehend/src/commands/DeleteEndpointCommand.ts +++ b/clients/client-comprehend/src/commands/DeleteEndpointCommand.ts @@ -93,4 +93,16 @@ export class DeleteEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointCommand) .de(de_DeleteEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointRequest; + output: {}; + }; + sdk: { + input: DeleteEndpointCommandInput; + output: DeleteEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DeleteEntityRecognizerCommand.ts b/clients/client-comprehend/src/commands/DeleteEntityRecognizerCommand.ts index fbcae040c207..56e2d6a76905 100644 --- a/clients/client-comprehend/src/commands/DeleteEntityRecognizerCommand.ts +++ b/clients/client-comprehend/src/commands/DeleteEntityRecognizerCommand.ts @@ -101,4 +101,16 @@ export class DeleteEntityRecognizerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEntityRecognizerCommand) .de(de_DeleteEntityRecognizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEntityRecognizerRequest; + output: {}; + }; + sdk: { + input: DeleteEntityRecognizerCommandInput; + output: DeleteEntityRecognizerCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DeleteFlywheelCommand.ts b/clients/client-comprehend/src/commands/DeleteFlywheelCommand.ts index 6d3c7dd94a29..d8d6cb3c7603 100644 --- a/clients/client-comprehend/src/commands/DeleteFlywheelCommand.ts +++ b/clients/client-comprehend/src/commands/DeleteFlywheelCommand.ts @@ -98,4 +98,16 @@ export class DeleteFlywheelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlywheelCommand) .de(de_DeleteFlywheelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlywheelRequest; + output: {}; + }; + sdk: { + input: DeleteFlywheelCommandInput; + output: DeleteFlywheelCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-comprehend/src/commands/DeleteResourcePolicyCommand.ts index bf102f8851b1..950145a4c6d4 100644 --- a/clients/client-comprehend/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-comprehend/src/commands/DeleteResourcePolicyCommand.ts @@ -85,4 +85,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeDatasetCommand.ts b/clients/client-comprehend/src/commands/DescribeDatasetCommand.ts index 052edc30f6f9..e61dbb4ff03c 100644 --- a/clients/client-comprehend/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeDatasetCommand.ts @@ -102,4 +102,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeDocumentClassificationJobCommand.ts b/clients/client-comprehend/src/commands/DescribeDocumentClassificationJobCommand.ts index 80dcc2e08ed0..92961bec7829 100644 --- a/clients/client-comprehend/src/commands/DescribeDocumentClassificationJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeDocumentClassificationJobCommand.ts @@ -133,4 +133,16 @@ export class DescribeDocumentClassificationJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDocumentClassificationJobCommand) .de(de_DescribeDocumentClassificationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDocumentClassificationJobRequest; + output: DescribeDocumentClassificationJobResponse; + }; + sdk: { + input: DescribeDocumentClassificationJobCommandInput; + output: DescribeDocumentClassificationJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeDocumentClassifierCommand.ts b/clients/client-comprehend/src/commands/DescribeDocumentClassifierCommand.ts index bae1a6605ba9..7c1a8dada567 100644 --- a/clients/client-comprehend/src/commands/DescribeDocumentClassifierCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeDocumentClassifierCommand.ts @@ -167,4 +167,16 @@ export class DescribeDocumentClassifierCommand extends $Command .f(void 0, DescribeDocumentClassifierResponseFilterSensitiveLog) .ser(se_DescribeDocumentClassifierCommand) .de(de_DescribeDocumentClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDocumentClassifierRequest; + output: DescribeDocumentClassifierResponse; + }; + sdk: { + input: DescribeDocumentClassifierCommandInput; + output: DescribeDocumentClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeDominantLanguageDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribeDominantLanguageDetectionJobCommand.ts index 855bfbdd5967..6ecd07fa239e 100644 --- a/clients/client-comprehend/src/commands/DescribeDominantLanguageDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeDominantLanguageDetectionJobCommand.ts @@ -131,4 +131,16 @@ export class DescribeDominantLanguageDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDominantLanguageDetectionJobCommand) .de(de_DescribeDominantLanguageDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDominantLanguageDetectionJobRequest; + output: DescribeDominantLanguageDetectionJobResponse; + }; + sdk: { + input: DescribeDominantLanguageDetectionJobCommandInput; + output: DescribeDominantLanguageDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeEndpointCommand.ts b/clients/client-comprehend/src/commands/DescribeEndpointCommand.ts index a8e7d2f3103f..0a09e4b52844 100644 --- a/clients/client-comprehend/src/commands/DescribeEndpointCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeEndpointCommand.ts @@ -104,4 +104,16 @@ export class DescribeEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointCommand) .de(de_DescribeEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointRequest; + output: DescribeEndpointResponse; + }; + sdk: { + input: DescribeEndpointCommandInput; + output: DescribeEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeEntitiesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribeEntitiesDetectionJobCommand.ts index 7b18fe4417b2..e78353aeb857 100644 --- a/clients/client-comprehend/src/commands/DescribeEntitiesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeEntitiesDetectionJobCommand.ts @@ -131,4 +131,16 @@ export class DescribeEntitiesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEntitiesDetectionJobCommand) .de(de_DescribeEntitiesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntitiesDetectionJobRequest; + output: DescribeEntitiesDetectionJobResponse; + }; + sdk: { + input: DescribeEntitiesDetectionJobCommandInput; + output: DescribeEntitiesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeEntityRecognizerCommand.ts b/clients/client-comprehend/src/commands/DescribeEntityRecognizerCommand.ts index fe14c42729b4..ab16579d1f27 100644 --- a/clients/client-comprehend/src/commands/DescribeEntityRecognizerCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeEntityRecognizerCommand.ts @@ -172,4 +172,16 @@ export class DescribeEntityRecognizerCommand extends $Command .f(void 0, DescribeEntityRecognizerResponseFilterSensitiveLog) .ser(se_DescribeEntityRecognizerCommand) .de(de_DescribeEntityRecognizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntityRecognizerRequest; + output: DescribeEntityRecognizerResponse; + }; + sdk: { + input: DescribeEntityRecognizerCommandInput; + output: DescribeEntityRecognizerCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeEventsDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribeEventsDetectionJobCommand.ts index e604ec547a40..bf4c28c57719 100644 --- a/clients/client-comprehend/src/commands/DescribeEventsDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeEventsDetectionJobCommand.ts @@ -117,4 +117,16 @@ export class DescribeEventsDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsDetectionJobCommand) .de(de_DescribeEventsDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsDetectionJobRequest; + output: DescribeEventsDetectionJobResponse; + }; + sdk: { + input: DescribeEventsDetectionJobCommandInput; + output: DescribeEventsDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeFlywheelCommand.ts b/clients/client-comprehend/src/commands/DescribeFlywheelCommand.ts index 8da4ab2509bb..07a8b7e70f77 100644 --- a/clients/client-comprehend/src/commands/DescribeFlywheelCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeFlywheelCommand.ts @@ -130,4 +130,16 @@ export class DescribeFlywheelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlywheelCommand) .de(de_DescribeFlywheelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlywheelRequest; + output: DescribeFlywheelResponse; + }; + sdk: { + input: DescribeFlywheelCommandInput; + output: DescribeFlywheelCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeFlywheelIterationCommand.ts b/clients/client-comprehend/src/commands/DescribeFlywheelIterationCommand.ts index bd77085eeb50..f909d217b870 100644 --- a/clients/client-comprehend/src/commands/DescribeFlywheelIterationCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeFlywheelIterationCommand.ts @@ -114,4 +114,16 @@ export class DescribeFlywheelIterationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlywheelIterationCommand) .de(de_DescribeFlywheelIterationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlywheelIterationRequest; + output: DescribeFlywheelIterationResponse; + }; + sdk: { + input: DescribeFlywheelIterationCommandInput; + output: DescribeFlywheelIterationCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeKeyPhrasesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribeKeyPhrasesDetectionJobCommand.ts index 3388928333e3..4d628bb0c598 100644 --- a/clients/client-comprehend/src/commands/DescribeKeyPhrasesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeKeyPhrasesDetectionJobCommand.ts @@ -129,4 +129,16 @@ export class DescribeKeyPhrasesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKeyPhrasesDetectionJobCommand) .de(de_DescribeKeyPhrasesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeyPhrasesDetectionJobRequest; + output: DescribeKeyPhrasesDetectionJobResponse; + }; + sdk: { + input: DescribeKeyPhrasesDetectionJobCommandInput; + output: DescribeKeyPhrasesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribePiiEntitiesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribePiiEntitiesDetectionJobCommand.ts index 3727b720655f..11717ef3715e 100644 --- a/clients/client-comprehend/src/commands/DescribePiiEntitiesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribePiiEntitiesDetectionJobCommand.ts @@ -128,4 +128,16 @@ export class DescribePiiEntitiesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribePiiEntitiesDetectionJobCommand) .de(de_DescribePiiEntitiesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePiiEntitiesDetectionJobRequest; + output: DescribePiiEntitiesDetectionJobResponse; + }; + sdk: { + input: DescribePiiEntitiesDetectionJobCommandInput; + output: DescribePiiEntitiesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeResourcePolicyCommand.ts b/clients/client-comprehend/src/commands/DescribeResourcePolicyCommand.ts index 3f1e07ab94d3..77cd27875890 100644 --- a/clients/client-comprehend/src/commands/DescribeResourcePolicyCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeResourcePolicyCommand.ts @@ -90,4 +90,16 @@ export class DescribeResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourcePolicyCommand) .de(de_DescribeResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourcePolicyRequest; + output: DescribeResourcePolicyResponse; + }; + sdk: { + input: DescribeResourcePolicyCommandInput; + output: DescribeResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeSentimentDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribeSentimentDetectionJobCommand.ts index 75964b26cb3b..16a7955f55b4 100644 --- a/clients/client-comprehend/src/commands/DescribeSentimentDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeSentimentDetectionJobCommand.ts @@ -129,4 +129,16 @@ export class DescribeSentimentDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSentimentDetectionJobCommand) .de(de_DescribeSentimentDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSentimentDetectionJobRequest; + output: DescribeSentimentDetectionJobResponse; + }; + sdk: { + input: DescribeSentimentDetectionJobCommandInput; + output: DescribeSentimentDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeTargetedSentimentDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribeTargetedSentimentDetectionJobCommand.ts index fb1e42fb16aa..5442dbe5565d 100644 --- a/clients/client-comprehend/src/commands/DescribeTargetedSentimentDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeTargetedSentimentDetectionJobCommand.ts @@ -133,4 +133,16 @@ export class DescribeTargetedSentimentDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTargetedSentimentDetectionJobCommand) .de(de_DescribeTargetedSentimentDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTargetedSentimentDetectionJobRequest; + output: DescribeTargetedSentimentDetectionJobResponse; + }; + sdk: { + input: DescribeTargetedSentimentDetectionJobCommandInput; + output: DescribeTargetedSentimentDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DescribeTopicsDetectionJobCommand.ts b/clients/client-comprehend/src/commands/DescribeTopicsDetectionJobCommand.ts index 3e339ad88c02..8f5590a3d822 100644 --- a/clients/client-comprehend/src/commands/DescribeTopicsDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/DescribeTopicsDetectionJobCommand.ts @@ -124,4 +124,16 @@ export class DescribeTopicsDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTopicsDetectionJobCommand) .de(de_DescribeTopicsDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTopicsDetectionJobRequest; + output: DescribeTopicsDetectionJobResponse; + }; + sdk: { + input: DescribeTopicsDetectionJobCommandInput; + output: DescribeTopicsDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectDominantLanguageCommand.ts b/clients/client-comprehend/src/commands/DetectDominantLanguageCommand.ts index 6c62f681b0d1..663149df9f0b 100644 --- a/clients/client-comprehend/src/commands/DetectDominantLanguageCommand.ts +++ b/clients/client-comprehend/src/commands/DetectDominantLanguageCommand.ts @@ -97,4 +97,16 @@ export class DetectDominantLanguageCommand extends $Command .f(DetectDominantLanguageRequestFilterSensitiveLog, DetectDominantLanguageResponseFilterSensitiveLog) .ser(se_DetectDominantLanguageCommand) .de(de_DetectDominantLanguageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectDominantLanguageRequest; + output: DetectDominantLanguageResponse; + }; + sdk: { + input: DetectDominantLanguageCommandInput; + output: DetectDominantLanguageCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectEntitiesCommand.ts b/clients/client-comprehend/src/commands/DetectEntitiesCommand.ts index 78370ebfb2c9..4f6f898e7064 100644 --- a/clients/client-comprehend/src/commands/DetectEntitiesCommand.ts +++ b/clients/client-comprehend/src/commands/DetectEntitiesCommand.ts @@ -199,4 +199,16 @@ export class DetectEntitiesCommand extends $Command .f(DetectEntitiesRequestFilterSensitiveLog, DetectEntitiesResponseFilterSensitiveLog) .ser(se_DetectEntitiesCommand) .de(de_DetectEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectEntitiesRequest; + output: DetectEntitiesResponse; + }; + sdk: { + input: DetectEntitiesCommandInput; + output: DetectEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectKeyPhrasesCommand.ts b/clients/client-comprehend/src/commands/DetectKeyPhrasesCommand.ts index b262fc756d13..43450160015b 100644 --- a/clients/client-comprehend/src/commands/DetectKeyPhrasesCommand.ts +++ b/clients/client-comprehend/src/commands/DetectKeyPhrasesCommand.ts @@ -104,4 +104,16 @@ export class DetectKeyPhrasesCommand extends $Command .f(DetectKeyPhrasesRequestFilterSensitiveLog, DetectKeyPhrasesResponseFilterSensitiveLog) .ser(se_DetectKeyPhrasesCommand) .de(de_DetectKeyPhrasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectKeyPhrasesRequest; + output: DetectKeyPhrasesResponse; + }; + sdk: { + input: DetectKeyPhrasesCommandInput; + output: DetectKeyPhrasesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectPiiEntitiesCommand.ts b/clients/client-comprehend/src/commands/DetectPiiEntitiesCommand.ts index feb4c6af5738..5e936f833054 100644 --- a/clients/client-comprehend/src/commands/DetectPiiEntitiesCommand.ts +++ b/clients/client-comprehend/src/commands/DetectPiiEntitiesCommand.ts @@ -100,4 +100,16 @@ export class DetectPiiEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_DetectPiiEntitiesCommand) .de(de_DetectPiiEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectPiiEntitiesRequest; + output: DetectPiiEntitiesResponse; + }; + sdk: { + input: DetectPiiEntitiesCommandInput; + output: DetectPiiEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectSentimentCommand.ts b/clients/client-comprehend/src/commands/DetectSentimentCommand.ts index d728127a41f5..c6980c024d6b 100644 --- a/clients/client-comprehend/src/commands/DetectSentimentCommand.ts +++ b/clients/client-comprehend/src/commands/DetectSentimentCommand.ts @@ -104,4 +104,16 @@ export class DetectSentimentCommand extends $Command .f(DetectSentimentRequestFilterSensitiveLog, DetectSentimentResponseFilterSensitiveLog) .ser(se_DetectSentimentCommand) .de(de_DetectSentimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectSentimentRequest; + output: DetectSentimentResponse; + }; + sdk: { + input: DetectSentimentCommandInput; + output: DetectSentimentCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectSyntaxCommand.ts b/clients/client-comprehend/src/commands/DetectSyntaxCommand.ts index 86b611574202..abe8231bd78e 100644 --- a/clients/client-comprehend/src/commands/DetectSyntaxCommand.ts +++ b/clients/client-comprehend/src/commands/DetectSyntaxCommand.ts @@ -111,4 +111,16 @@ export class DetectSyntaxCommand extends $Command .f(DetectSyntaxRequestFilterSensitiveLog, DetectSyntaxResponseFilterSensitiveLog) .ser(se_DetectSyntaxCommand) .de(de_DetectSyntaxCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectSyntaxRequest; + output: DetectSyntaxResponse; + }; + sdk: { + input: DetectSyntaxCommandInput; + output: DetectSyntaxCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectTargetedSentimentCommand.ts b/clients/client-comprehend/src/commands/DetectTargetedSentimentCommand.ts index d386caf13c13..6977288f9080 100644 --- a/clients/client-comprehend/src/commands/DetectTargetedSentimentCommand.ts +++ b/clients/client-comprehend/src/commands/DetectTargetedSentimentCommand.ts @@ -123,4 +123,16 @@ export class DetectTargetedSentimentCommand extends $Command .f(DetectTargetedSentimentRequestFilterSensitiveLog, DetectTargetedSentimentResponseFilterSensitiveLog) .ser(se_DetectTargetedSentimentCommand) .de(de_DetectTargetedSentimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectTargetedSentimentRequest; + output: DetectTargetedSentimentResponse; + }; + sdk: { + input: DetectTargetedSentimentCommandInput; + output: DetectTargetedSentimentCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/DetectToxicContentCommand.ts b/clients/client-comprehend/src/commands/DetectToxicContentCommand.ts index b79d9cb9885a..4e8a8e81d0f4 100644 --- a/clients/client-comprehend/src/commands/DetectToxicContentCommand.ts +++ b/clients/client-comprehend/src/commands/DetectToxicContentCommand.ts @@ -113,4 +113,16 @@ export class DetectToxicContentCommand extends $Command .f(DetectToxicContentRequestFilterSensitiveLog, void 0) .ser(se_DetectToxicContentCommand) .de(de_DetectToxicContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectToxicContentRequest; + output: DetectToxicContentResponse; + }; + sdk: { + input: DetectToxicContentCommandInput; + output: DetectToxicContentCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ImportModelCommand.ts b/clients/client-comprehend/src/commands/ImportModelCommand.ts index 9a127d232c04..82fd59cb7772 100644 --- a/clients/client-comprehend/src/commands/ImportModelCommand.ts +++ b/clients/client-comprehend/src/commands/ImportModelCommand.ts @@ -125,4 +125,16 @@ export class ImportModelCommand extends $Command .f(void 0, void 0) .ser(se_ImportModelCommand) .de(de_ImportModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportModelRequest; + output: ImportModelResponse; + }; + sdk: { + input: ImportModelCommandInput; + output: ImportModelCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListDatasetsCommand.ts b/clients/client-comprehend/src/commands/ListDatasetsCommand.ts index 36c7fe3a61bb..6fa287768a28 100644 --- a/clients/client-comprehend/src/commands/ListDatasetsCommand.ts +++ b/clients/client-comprehend/src/commands/ListDatasetsCommand.ts @@ -116,4 +116,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListDocumentClassificationJobsCommand.ts b/clients/client-comprehend/src/commands/ListDocumentClassificationJobsCommand.ts index a95d0c9f670b..4dcf6db8f3b8 100644 --- a/clients/client-comprehend/src/commands/ListDocumentClassificationJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListDocumentClassificationJobsCommand.ts @@ -140,4 +140,16 @@ export class ListDocumentClassificationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDocumentClassificationJobsCommand) .de(de_ListDocumentClassificationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDocumentClassificationJobsRequest; + output: ListDocumentClassificationJobsResponse; + }; + sdk: { + input: ListDocumentClassificationJobsCommandInput; + output: ListDocumentClassificationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListDocumentClassifierSummariesCommand.ts b/clients/client-comprehend/src/commands/ListDocumentClassifierSummariesCommand.ts index d8662c5feeaf..a297e0ff6a3c 100644 --- a/clients/client-comprehend/src/commands/ListDocumentClassifierSummariesCommand.ts +++ b/clients/client-comprehend/src/commands/ListDocumentClassifierSummariesCommand.ts @@ -101,4 +101,16 @@ export class ListDocumentClassifierSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListDocumentClassifierSummariesCommand) .de(de_ListDocumentClassifierSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDocumentClassifierSummariesRequest; + output: ListDocumentClassifierSummariesResponse; + }; + sdk: { + input: ListDocumentClassifierSummariesCommandInput; + output: ListDocumentClassifierSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListDocumentClassifiersCommand.ts b/clients/client-comprehend/src/commands/ListDocumentClassifiersCommand.ts index 25e9a075a11a..8c9802bcb09d 100644 --- a/clients/client-comprehend/src/commands/ListDocumentClassifiersCommand.ts +++ b/clients/client-comprehend/src/commands/ListDocumentClassifiersCommand.ts @@ -178,4 +178,16 @@ export class ListDocumentClassifiersCommand extends $Command .f(void 0, ListDocumentClassifiersResponseFilterSensitiveLog) .ser(se_ListDocumentClassifiersCommand) .de(de_ListDocumentClassifiersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDocumentClassifiersRequest; + output: ListDocumentClassifiersResponse; + }; + sdk: { + input: ListDocumentClassifiersCommandInput; + output: ListDocumentClassifiersCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListDominantLanguageDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListDominantLanguageDetectionJobsCommand.ts index 59d0546c4286..8f3c5b317f2e 100644 --- a/clients/client-comprehend/src/commands/ListDominantLanguageDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListDominantLanguageDetectionJobsCommand.ts @@ -141,4 +141,16 @@ export class ListDominantLanguageDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDominantLanguageDetectionJobsCommand) .de(de_ListDominantLanguageDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDominantLanguageDetectionJobsRequest; + output: ListDominantLanguageDetectionJobsResponse; + }; + sdk: { + input: ListDominantLanguageDetectionJobsCommandInput; + output: ListDominantLanguageDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListEndpointsCommand.ts b/clients/client-comprehend/src/commands/ListEndpointsCommand.ts index 7b8f08da676f..a9b39b0ddde3 100644 --- a/clients/client-comprehend/src/commands/ListEndpointsCommand.ts +++ b/clients/client-comprehend/src/commands/ListEndpointsCommand.ts @@ -110,4 +110,16 @@ export class ListEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointsCommand) .de(de_ListEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointsRequest; + output: ListEndpointsResponse; + }; + sdk: { + input: ListEndpointsCommandInput; + output: ListEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListEntitiesDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListEntitiesDetectionJobsCommand.ts index 46a0c3961285..df0aeaf740be 100644 --- a/clients/client-comprehend/src/commands/ListEntitiesDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListEntitiesDetectionJobsCommand.ts @@ -136,4 +136,16 @@ export class ListEntitiesDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListEntitiesDetectionJobsCommand) .de(de_ListEntitiesDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntitiesDetectionJobsRequest; + output: ListEntitiesDetectionJobsResponse; + }; + sdk: { + input: ListEntitiesDetectionJobsCommandInput; + output: ListEntitiesDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListEntityRecognizerSummariesCommand.ts b/clients/client-comprehend/src/commands/ListEntityRecognizerSummariesCommand.ts index fb4a4833063c..6a432cb4aa48 100644 --- a/clients/client-comprehend/src/commands/ListEntityRecognizerSummariesCommand.ts +++ b/clients/client-comprehend/src/commands/ListEntityRecognizerSummariesCommand.ts @@ -101,4 +101,16 @@ export class ListEntityRecognizerSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListEntityRecognizerSummariesCommand) .de(de_ListEntityRecognizerSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntityRecognizerSummariesRequest; + output: ListEntityRecognizerSummariesResponse; + }; + sdk: { + input: ListEntityRecognizerSummariesCommandInput; + output: ListEntityRecognizerSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListEntityRecognizersCommand.ts b/clients/client-comprehend/src/commands/ListEntityRecognizersCommand.ts index cd9dffb4cdab..2140739f3cea 100644 --- a/clients/client-comprehend/src/commands/ListEntityRecognizersCommand.ts +++ b/clients/client-comprehend/src/commands/ListEntityRecognizersCommand.ts @@ -187,4 +187,16 @@ export class ListEntityRecognizersCommand extends $Command .f(void 0, ListEntityRecognizersResponseFilterSensitiveLog) .ser(se_ListEntityRecognizersCommand) .de(de_ListEntityRecognizersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntityRecognizersRequest; + output: ListEntityRecognizersResponse; + }; + sdk: { + input: ListEntityRecognizersCommandInput; + output: ListEntityRecognizersCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListEventsDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListEventsDetectionJobsCommand.ts index a357e8b1142a..4d9487776c56 100644 --- a/clients/client-comprehend/src/commands/ListEventsDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListEventsDetectionJobsCommand.ts @@ -128,4 +128,16 @@ export class ListEventsDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventsDetectionJobsCommand) .de(de_ListEventsDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventsDetectionJobsRequest; + output: ListEventsDetectionJobsResponse; + }; + sdk: { + input: ListEventsDetectionJobsCommandInput; + output: ListEventsDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListFlywheelIterationHistoryCommand.ts b/clients/client-comprehend/src/commands/ListFlywheelIterationHistoryCommand.ts index 83321dd3f615..9161a8d730f6 100644 --- a/clients/client-comprehend/src/commands/ListFlywheelIterationHistoryCommand.ts +++ b/clients/client-comprehend/src/commands/ListFlywheelIterationHistoryCommand.ts @@ -131,4 +131,16 @@ export class ListFlywheelIterationHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListFlywheelIterationHistoryCommand) .de(de_ListFlywheelIterationHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlywheelIterationHistoryRequest; + output: ListFlywheelIterationHistoryResponse; + }; + sdk: { + input: ListFlywheelIterationHistoryCommandInput; + output: ListFlywheelIterationHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListFlywheelsCommand.ts b/clients/client-comprehend/src/commands/ListFlywheelsCommand.ts index c11252c06f06..ce061c6b18e1 100644 --- a/clients/client-comprehend/src/commands/ListFlywheelsCommand.ts +++ b/clients/client-comprehend/src/commands/ListFlywheelsCommand.ts @@ -109,4 +109,16 @@ export class ListFlywheelsCommand extends $Command .f(void 0, void 0) .ser(se_ListFlywheelsCommand) .de(de_ListFlywheelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlywheelsRequest; + output: ListFlywheelsResponse; + }; + sdk: { + input: ListFlywheelsCommandInput; + output: ListFlywheelsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListKeyPhrasesDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListKeyPhrasesDetectionJobsCommand.ts index b374cf7dfc63..4193351d4959 100644 --- a/clients/client-comprehend/src/commands/ListKeyPhrasesDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListKeyPhrasesDetectionJobsCommand.ts @@ -136,4 +136,16 @@ export class ListKeyPhrasesDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListKeyPhrasesDetectionJobsCommand) .de(de_ListKeyPhrasesDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeyPhrasesDetectionJobsRequest; + output: ListKeyPhrasesDetectionJobsResponse; + }; + sdk: { + input: ListKeyPhrasesDetectionJobsCommandInput; + output: ListKeyPhrasesDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListPiiEntitiesDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListPiiEntitiesDetectionJobsCommand.ts index 63d6ad5f2458..2b3d5babe795 100644 --- a/clients/client-comprehend/src/commands/ListPiiEntitiesDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListPiiEntitiesDetectionJobsCommand.ts @@ -138,4 +138,16 @@ export class ListPiiEntitiesDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListPiiEntitiesDetectionJobsCommand) .de(de_ListPiiEntitiesDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPiiEntitiesDetectionJobsRequest; + output: ListPiiEntitiesDetectionJobsResponse; + }; + sdk: { + input: ListPiiEntitiesDetectionJobsCommandInput; + output: ListPiiEntitiesDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListSentimentDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListSentimentDetectionJobsCommand.ts index b94dabc0e724..374742cda1dd 100644 --- a/clients/client-comprehend/src/commands/ListSentimentDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListSentimentDetectionJobsCommand.ts @@ -134,4 +134,16 @@ export class ListSentimentDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListSentimentDetectionJobsCommand) .de(de_ListSentimentDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSentimentDetectionJobsRequest; + output: ListSentimentDetectionJobsResponse; + }; + sdk: { + input: ListSentimentDetectionJobsCommandInput; + output: ListSentimentDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListTagsForResourceCommand.ts b/clients/client-comprehend/src/commands/ListTagsForResourceCommand.ts index d30488f5af26..b79dc571a44b 100644 --- a/clients/client-comprehend/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-comprehend/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListTargetedSentimentDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListTargetedSentimentDetectionJobsCommand.ts index dd632d2865ad..9e9e5ee98f9e 100644 --- a/clients/client-comprehend/src/commands/ListTargetedSentimentDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListTargetedSentimentDetectionJobsCommand.ts @@ -142,4 +142,16 @@ export class ListTargetedSentimentDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetedSentimentDetectionJobsCommand) .de(de_ListTargetedSentimentDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetedSentimentDetectionJobsRequest; + output: ListTargetedSentimentDetectionJobsResponse; + }; + sdk: { + input: ListTargetedSentimentDetectionJobsCommandInput; + output: ListTargetedSentimentDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/ListTopicsDetectionJobsCommand.ts b/clients/client-comprehend/src/commands/ListTopicsDetectionJobsCommand.ts index ddf3f5ef72de..cf4f53a545b2 100644 --- a/clients/client-comprehend/src/commands/ListTopicsDetectionJobsCommand.ts +++ b/clients/client-comprehend/src/commands/ListTopicsDetectionJobsCommand.ts @@ -134,4 +134,16 @@ export class ListTopicsDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListTopicsDetectionJobsCommand) .de(de_ListTopicsDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTopicsDetectionJobsRequest; + output: ListTopicsDetectionJobsResponse; + }; + sdk: { + input: ListTopicsDetectionJobsCommandInput; + output: ListTopicsDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/PutResourcePolicyCommand.ts b/clients/client-comprehend/src/commands/PutResourcePolicyCommand.ts index fe2c92378e2c..376c9ffe320f 100644 --- a/clients/client-comprehend/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-comprehend/src/commands/PutResourcePolicyCommand.ts @@ -90,4 +90,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartDocumentClassificationJobCommand.ts b/clients/client-comprehend/src/commands/StartDocumentClassificationJobCommand.ts index ae23a2b835fc..256dc4085ff4 100644 --- a/clients/client-comprehend/src/commands/StartDocumentClassificationJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartDocumentClassificationJobCommand.ts @@ -150,4 +150,16 @@ export class StartDocumentClassificationJobCommand extends $Command .f(void 0, void 0) .ser(se_StartDocumentClassificationJobCommand) .de(de_StartDocumentClassificationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDocumentClassificationJobRequest; + output: StartDocumentClassificationJobResponse; + }; + sdk: { + input: StartDocumentClassificationJobCommandInput; + output: StartDocumentClassificationJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartDominantLanguageDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartDominantLanguageDetectionJobCommand.ts index 92f29c9e04c5..e57616a73e94 100644 --- a/clients/client-comprehend/src/commands/StartDominantLanguageDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartDominantLanguageDetectionJobCommand.ts @@ -143,4 +143,16 @@ export class StartDominantLanguageDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartDominantLanguageDetectionJobCommand) .de(de_StartDominantLanguageDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDominantLanguageDetectionJobRequest; + output: StartDominantLanguageDetectionJobResponse; + }; + sdk: { + input: StartDominantLanguageDetectionJobCommandInput; + output: StartDominantLanguageDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartEntitiesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartEntitiesDetectionJobCommand.ts index 98176755e108..0774c110faed 100644 --- a/clients/client-comprehend/src/commands/StartEntitiesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartEntitiesDetectionJobCommand.ts @@ -148,4 +148,16 @@ export class StartEntitiesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartEntitiesDetectionJobCommand) .de(de_StartEntitiesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEntitiesDetectionJobRequest; + output: StartEntitiesDetectionJobResponse; + }; + sdk: { + input: StartEntitiesDetectionJobCommandInput; + output: StartEntitiesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartEventsDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartEventsDetectionJobCommand.ts index cfca8dffcefb..a5a5348a56dd 100644 --- a/clients/client-comprehend/src/commands/StartEventsDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartEventsDetectionJobCommand.ts @@ -128,4 +128,16 @@ export class StartEventsDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartEventsDetectionJobCommand) .de(de_StartEventsDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEventsDetectionJobRequest; + output: StartEventsDetectionJobResponse; + }; + sdk: { + input: StartEventsDetectionJobCommandInput; + output: StartEventsDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartFlywheelIterationCommand.ts b/clients/client-comprehend/src/commands/StartFlywheelIterationCommand.ts index bd4855efdb5f..f3c3cc81376b 100644 --- a/clients/client-comprehend/src/commands/StartFlywheelIterationCommand.ts +++ b/clients/client-comprehend/src/commands/StartFlywheelIterationCommand.ts @@ -97,4 +97,16 @@ export class StartFlywheelIterationCommand extends $Command .f(void 0, void 0) .ser(se_StartFlywheelIterationCommand) .de(de_StartFlywheelIterationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFlywheelIterationRequest; + output: StartFlywheelIterationResponse; + }; + sdk: { + input: StartFlywheelIterationCommandInput; + output: StartFlywheelIterationCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartKeyPhrasesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartKeyPhrasesDetectionJobCommand.ts index b1d6bc4d002b..d24a969419de 100644 --- a/clients/client-comprehend/src/commands/StartKeyPhrasesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartKeyPhrasesDetectionJobCommand.ts @@ -138,4 +138,16 @@ export class StartKeyPhrasesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartKeyPhrasesDetectionJobCommand) .de(de_StartKeyPhrasesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartKeyPhrasesDetectionJobRequest; + output: StartKeyPhrasesDetectionJobResponse; + }; + sdk: { + input: StartKeyPhrasesDetectionJobCommandInput; + output: StartKeyPhrasesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartPiiEntitiesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartPiiEntitiesDetectionJobCommand.ts index cd1fb43eedbc..785f6a80912a 100644 --- a/clients/client-comprehend/src/commands/StartPiiEntitiesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartPiiEntitiesDetectionJobCommand.ts @@ -138,4 +138,16 @@ export class StartPiiEntitiesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartPiiEntitiesDetectionJobCommand) .de(de_StartPiiEntitiesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPiiEntitiesDetectionJobRequest; + output: StartPiiEntitiesDetectionJobResponse; + }; + sdk: { + input: StartPiiEntitiesDetectionJobCommandInput; + output: StartPiiEntitiesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartSentimentDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartSentimentDetectionJobCommand.ts index 124234a971b3..7e70d9dd709e 100644 --- a/clients/client-comprehend/src/commands/StartSentimentDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartSentimentDetectionJobCommand.ts @@ -136,4 +136,16 @@ export class StartSentimentDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartSentimentDetectionJobCommand) .de(de_StartSentimentDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSentimentDetectionJobRequest; + output: StartSentimentDetectionJobResponse; + }; + sdk: { + input: StartSentimentDetectionJobCommandInput; + output: StartSentimentDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartTargetedSentimentDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartTargetedSentimentDetectionJobCommand.ts index 9669d48828a9..199d308f7858 100644 --- a/clients/client-comprehend/src/commands/StartTargetedSentimentDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartTargetedSentimentDetectionJobCommand.ts @@ -144,4 +144,16 @@ export class StartTargetedSentimentDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartTargetedSentimentDetectionJobCommand) .de(de_StartTargetedSentimentDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTargetedSentimentDetectionJobRequest; + output: StartTargetedSentimentDetectionJobResponse; + }; + sdk: { + input: StartTargetedSentimentDetectionJobCommandInput; + output: StartTargetedSentimentDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StartTopicsDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StartTopicsDetectionJobCommand.ts index 62c5b69191ab..50bc2967356c 100644 --- a/clients/client-comprehend/src/commands/StartTopicsDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StartTopicsDetectionJobCommand.ts @@ -135,4 +135,16 @@ export class StartTopicsDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartTopicsDetectionJobCommand) .de(de_StartTopicsDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTopicsDetectionJobRequest; + output: StartTopicsDetectionJobResponse; + }; + sdk: { + input: StartTopicsDetectionJobCommandInput; + output: StartTopicsDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopDominantLanguageDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StopDominantLanguageDetectionJobCommand.ts index 59b516b44bb0..49d2902ac7d0 100644 --- a/clients/client-comprehend/src/commands/StopDominantLanguageDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StopDominantLanguageDetectionJobCommand.ts @@ -101,4 +101,16 @@ export class StopDominantLanguageDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopDominantLanguageDetectionJobCommand) .de(de_StopDominantLanguageDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDominantLanguageDetectionJobRequest; + output: StopDominantLanguageDetectionJobResponse; + }; + sdk: { + input: StopDominantLanguageDetectionJobCommandInput; + output: StopDominantLanguageDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopEntitiesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StopEntitiesDetectionJobCommand.ts index 8748a1b7bd37..4739d88351a5 100644 --- a/clients/client-comprehend/src/commands/StopEntitiesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StopEntitiesDetectionJobCommand.ts @@ -96,4 +96,16 @@ export class StopEntitiesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopEntitiesDetectionJobCommand) .de(de_StopEntitiesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEntitiesDetectionJobRequest; + output: StopEntitiesDetectionJobResponse; + }; + sdk: { + input: StopEntitiesDetectionJobCommandInput; + output: StopEntitiesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopEventsDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StopEventsDetectionJobCommand.ts index cb8ab72301c7..640305283846 100644 --- a/clients/client-comprehend/src/commands/StopEventsDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StopEventsDetectionJobCommand.ts @@ -87,4 +87,16 @@ export class StopEventsDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopEventsDetectionJobCommand) .de(de_StopEventsDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEventsDetectionJobRequest; + output: StopEventsDetectionJobResponse; + }; + sdk: { + input: StopEventsDetectionJobCommandInput; + output: StopEventsDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopKeyPhrasesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StopKeyPhrasesDetectionJobCommand.ts index 668fcf457c2d..9a492003e5b7 100644 --- a/clients/client-comprehend/src/commands/StopKeyPhrasesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StopKeyPhrasesDetectionJobCommand.ts @@ -96,4 +96,16 @@ export class StopKeyPhrasesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopKeyPhrasesDetectionJobCommand) .de(de_StopKeyPhrasesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopKeyPhrasesDetectionJobRequest; + output: StopKeyPhrasesDetectionJobResponse; + }; + sdk: { + input: StopKeyPhrasesDetectionJobCommandInput; + output: StopKeyPhrasesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopPiiEntitiesDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StopPiiEntitiesDetectionJobCommand.ts index 4d98be73c1ed..a719371d702e 100644 --- a/clients/client-comprehend/src/commands/StopPiiEntitiesDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StopPiiEntitiesDetectionJobCommand.ts @@ -89,4 +89,16 @@ export class StopPiiEntitiesDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopPiiEntitiesDetectionJobCommand) .de(de_StopPiiEntitiesDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopPiiEntitiesDetectionJobRequest; + output: StopPiiEntitiesDetectionJobResponse; + }; + sdk: { + input: StopPiiEntitiesDetectionJobCommandInput; + output: StopPiiEntitiesDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopSentimentDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StopSentimentDetectionJobCommand.ts index 1d3bda2f8e3b..ac3218da7a07 100644 --- a/clients/client-comprehend/src/commands/StopSentimentDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StopSentimentDetectionJobCommand.ts @@ -96,4 +96,16 @@ export class StopSentimentDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopSentimentDetectionJobCommand) .de(de_StopSentimentDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSentimentDetectionJobRequest; + output: StopSentimentDetectionJobResponse; + }; + sdk: { + input: StopSentimentDetectionJobCommandInput; + output: StopSentimentDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopTargetedSentimentDetectionJobCommand.ts b/clients/client-comprehend/src/commands/StopTargetedSentimentDetectionJobCommand.ts index 34fd8f61eb48..e5d6a9b7e371 100644 --- a/clients/client-comprehend/src/commands/StopTargetedSentimentDetectionJobCommand.ts +++ b/clients/client-comprehend/src/commands/StopTargetedSentimentDetectionJobCommand.ts @@ -104,4 +104,16 @@ export class StopTargetedSentimentDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopTargetedSentimentDetectionJobCommand) .de(de_StopTargetedSentimentDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTargetedSentimentDetectionJobRequest; + output: StopTargetedSentimentDetectionJobResponse; + }; + sdk: { + input: StopTargetedSentimentDetectionJobCommandInput; + output: StopTargetedSentimentDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopTrainingDocumentClassifierCommand.ts b/clients/client-comprehend/src/commands/StopTrainingDocumentClassifierCommand.ts index c0b755f0c15a..e1db258e476f 100644 --- a/clients/client-comprehend/src/commands/StopTrainingDocumentClassifierCommand.ts +++ b/clients/client-comprehend/src/commands/StopTrainingDocumentClassifierCommand.ts @@ -97,4 +97,16 @@ export class StopTrainingDocumentClassifierCommand extends $Command .f(void 0, void 0) .ser(se_StopTrainingDocumentClassifierCommand) .de(de_StopTrainingDocumentClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTrainingDocumentClassifierRequest; + output: {}; + }; + sdk: { + input: StopTrainingDocumentClassifierCommandInput; + output: StopTrainingDocumentClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/StopTrainingEntityRecognizerCommand.ts b/clients/client-comprehend/src/commands/StopTrainingEntityRecognizerCommand.ts index 51e949f61c5e..325738aa7c96 100644 --- a/clients/client-comprehend/src/commands/StopTrainingEntityRecognizerCommand.ts +++ b/clients/client-comprehend/src/commands/StopTrainingEntityRecognizerCommand.ts @@ -97,4 +97,16 @@ export class StopTrainingEntityRecognizerCommand extends $Command .f(void 0, void 0) .ser(se_StopTrainingEntityRecognizerCommand) .de(de_StopTrainingEntityRecognizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTrainingEntityRecognizerRequest; + output: {}; + }; + sdk: { + input: StopTrainingEntityRecognizerCommandInput; + output: StopTrainingEntityRecognizerCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/TagResourceCommand.ts b/clients/client-comprehend/src/commands/TagResourceCommand.ts index 7420ecb2d143..39bd5ed5e8c0 100644 --- a/clients/client-comprehend/src/commands/TagResourceCommand.ts +++ b/clients/client-comprehend/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/UntagResourceCommand.ts b/clients/client-comprehend/src/commands/UntagResourceCommand.ts index 1c0f8ad20595..1513fd61f64a 100644 --- a/clients/client-comprehend/src/commands/UntagResourceCommand.ts +++ b/clients/client-comprehend/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/UpdateEndpointCommand.ts b/clients/client-comprehend/src/commands/UpdateEndpointCommand.ts index 209d6ec36353..8e565fc08fc9 100644 --- a/clients/client-comprehend/src/commands/UpdateEndpointCommand.ts +++ b/clients/client-comprehend/src/commands/UpdateEndpointCommand.ts @@ -106,4 +106,16 @@ export class UpdateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointCommand) .de(de_UpdateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointRequest; + output: UpdateEndpointResponse; + }; + sdk: { + input: UpdateEndpointCommandInput; + output: UpdateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-comprehend/src/commands/UpdateFlywheelCommand.ts b/clients/client-comprehend/src/commands/UpdateFlywheelCommand.ts index c93701ed0006..c150115d4286 100644 --- a/clients/client-comprehend/src/commands/UpdateFlywheelCommand.ts +++ b/clients/client-comprehend/src/commands/UpdateFlywheelCommand.ts @@ -147,4 +147,16 @@ export class UpdateFlywheelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlywheelCommand) .de(de_UpdateFlywheelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlywheelRequest; + output: UpdateFlywheelResponse; + }; + sdk: { + input: UpdateFlywheelCommandInput; + output: UpdateFlywheelCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/package.json b/clients/client-comprehendmedical/package.json index 35608b7fbedb..d1b86e661236 100644 --- a/clients/client-comprehendmedical/package.json +++ b/clients/client-comprehendmedical/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-comprehendmedical/src/commands/DescribeEntitiesDetectionV2JobCommand.ts b/clients/client-comprehendmedical/src/commands/DescribeEntitiesDetectionV2JobCommand.ts index 372ac42e3af4..3dae3672dd59 100644 --- a/clients/client-comprehendmedical/src/commands/DescribeEntitiesDetectionV2JobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/DescribeEntitiesDetectionV2JobCommand.ts @@ -124,4 +124,16 @@ export class DescribeEntitiesDetectionV2JobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEntitiesDetectionV2JobCommand) .de(de_DescribeEntitiesDetectionV2JobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntitiesDetectionV2JobRequest; + output: DescribeEntitiesDetectionV2JobResponse; + }; + sdk: { + input: DescribeEntitiesDetectionV2JobCommandInput; + output: DescribeEntitiesDetectionV2JobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/DescribeICD10CMInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/DescribeICD10CMInferenceJobCommand.ts index a2ff5c2549ca..5f16209c09ff 100644 --- a/clients/client-comprehendmedical/src/commands/DescribeICD10CMInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/DescribeICD10CMInferenceJobCommand.ts @@ -121,4 +121,16 @@ export class DescribeICD10CMInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeICD10CMInferenceJobCommand) .de(de_DescribeICD10CMInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeICD10CMInferenceJobRequest; + output: DescribeICD10CMInferenceJobResponse; + }; + sdk: { + input: DescribeICD10CMInferenceJobCommandInput; + output: DescribeICD10CMInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/DescribePHIDetectionJobCommand.ts b/clients/client-comprehendmedical/src/commands/DescribePHIDetectionJobCommand.ts index 81c8e52324d7..2f7634d60868 100644 --- a/clients/client-comprehendmedical/src/commands/DescribePHIDetectionJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/DescribePHIDetectionJobCommand.ts @@ -119,4 +119,16 @@ export class DescribePHIDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribePHIDetectionJobCommand) .de(de_DescribePHIDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePHIDetectionJobRequest; + output: DescribePHIDetectionJobResponse; + }; + sdk: { + input: DescribePHIDetectionJobCommandInput; + output: DescribePHIDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/DescribeRxNormInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/DescribeRxNormInferenceJobCommand.ts index 0b2eb7e2d0a7..48abbcc78412 100644 --- a/clients/client-comprehendmedical/src/commands/DescribeRxNormInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/DescribeRxNormInferenceJobCommand.ts @@ -119,4 +119,16 @@ export class DescribeRxNormInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRxNormInferenceJobCommand) .de(de_DescribeRxNormInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRxNormInferenceJobRequest; + output: DescribeRxNormInferenceJobResponse; + }; + sdk: { + input: DescribeRxNormInferenceJobCommandInput; + output: DescribeRxNormInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/DescribeSNOMEDCTInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/DescribeSNOMEDCTInferenceJobCommand.ts index a788ce9111ff..c9bab8774155 100644 --- a/clients/client-comprehendmedical/src/commands/DescribeSNOMEDCTInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/DescribeSNOMEDCTInferenceJobCommand.ts @@ -125,4 +125,16 @@ export class DescribeSNOMEDCTInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSNOMEDCTInferenceJobCommand) .de(de_DescribeSNOMEDCTInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSNOMEDCTInferenceJobRequest; + output: DescribeSNOMEDCTInferenceJobResponse; + }; + sdk: { + input: DescribeSNOMEDCTInferenceJobCommandInput; + output: DescribeSNOMEDCTInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/DetectEntitiesCommand.ts b/clients/client-comprehendmedical/src/commands/DetectEntitiesCommand.ts index 99096415d805..b394ecfa19ba 100644 --- a/clients/client-comprehendmedical/src/commands/DetectEntitiesCommand.ts +++ b/clients/client-comprehendmedical/src/commands/DetectEntitiesCommand.ts @@ -164,4 +164,16 @@ export class DetectEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_DetectEntitiesCommand) .de(de_DetectEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectEntitiesRequest; + output: DetectEntitiesResponse; + }; + sdk: { + input: DetectEntitiesCommandInput; + output: DetectEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/DetectEntitiesV2Command.ts b/clients/client-comprehendmedical/src/commands/DetectEntitiesV2Command.ts index 7133e91cc5e2..ab2748d71823 100644 --- a/clients/client-comprehendmedical/src/commands/DetectEntitiesV2Command.ts +++ b/clients/client-comprehendmedical/src/commands/DetectEntitiesV2Command.ts @@ -169,4 +169,16 @@ export class DetectEntitiesV2Command extends $Command .f(void 0, void 0) .ser(se_DetectEntitiesV2Command) .de(de_DetectEntitiesV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectEntitiesV2Request; + output: DetectEntitiesV2Response; + }; + sdk: { + input: DetectEntitiesV2CommandInput; + output: DetectEntitiesV2CommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/DetectPHICommand.ts b/clients/client-comprehendmedical/src/commands/DetectPHICommand.ts index 2a1296528194..148fd54b12aa 100644 --- a/clients/client-comprehendmedical/src/commands/DetectPHICommand.ts +++ b/clients/client-comprehendmedical/src/commands/DetectPHICommand.ts @@ -144,4 +144,16 @@ export class DetectPHICommand extends $Command .f(void 0, void 0) .ser(se_DetectPHICommand) .de(de_DetectPHICommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectPHIRequest; + output: DetectPHIResponse; + }; + sdk: { + input: DetectPHICommandInput; + output: DetectPHICommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/InferICD10CMCommand.ts b/clients/client-comprehendmedical/src/commands/InferICD10CMCommand.ts index 114d6ec4369d..e632584d0457 100644 --- a/clients/client-comprehendmedical/src/commands/InferICD10CMCommand.ts +++ b/clients/client-comprehendmedical/src/commands/InferICD10CMCommand.ts @@ -152,4 +152,16 @@ export class InferICD10CMCommand extends $Command .f(void 0, void 0) .ser(se_InferICD10CMCommand) .de(de_InferICD10CMCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InferICD10CMRequest; + output: InferICD10CMResponse; + }; + sdk: { + input: InferICD10CMCommandInput; + output: InferICD10CMCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/InferRxNormCommand.ts b/clients/client-comprehendmedical/src/commands/InferRxNormCommand.ts index 7b0ea6a90c97..5bdd723506bc 100644 --- a/clients/client-comprehendmedical/src/commands/InferRxNormCommand.ts +++ b/clients/client-comprehendmedical/src/commands/InferRxNormCommand.ts @@ -149,4 +149,16 @@ export class InferRxNormCommand extends $Command .f(void 0, void 0) .ser(se_InferRxNormCommand) .de(de_InferRxNormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InferRxNormRequest; + output: InferRxNormResponse; + }; + sdk: { + input: InferRxNormCommandInput; + output: InferRxNormCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/InferSNOMEDCTCommand.ts b/clients/client-comprehendmedical/src/commands/InferSNOMEDCTCommand.ts index aad7fd35e001..a1f3d0c5eb4c 100644 --- a/clients/client-comprehendmedical/src/commands/InferSNOMEDCTCommand.ts +++ b/clients/client-comprehendmedical/src/commands/InferSNOMEDCTCommand.ts @@ -165,4 +165,16 @@ export class InferSNOMEDCTCommand extends $Command .f(void 0, void 0) .ser(se_InferSNOMEDCTCommand) .de(de_InferSNOMEDCTCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InferSNOMEDCTRequest; + output: InferSNOMEDCTResponse; + }; + sdk: { + input: InferSNOMEDCTCommandInput; + output: InferSNOMEDCTCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/ListEntitiesDetectionV2JobsCommand.ts b/clients/client-comprehendmedical/src/commands/ListEntitiesDetectionV2JobsCommand.ts index eb7ff50bba23..5d89454d7416 100644 --- a/clients/client-comprehendmedical/src/commands/ListEntitiesDetectionV2JobsCommand.ts +++ b/clients/client-comprehendmedical/src/commands/ListEntitiesDetectionV2JobsCommand.ts @@ -130,4 +130,16 @@ export class ListEntitiesDetectionV2JobsCommand extends $Command .f(void 0, void 0) .ser(se_ListEntitiesDetectionV2JobsCommand) .de(de_ListEntitiesDetectionV2JobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntitiesDetectionV2JobsRequest; + output: ListEntitiesDetectionV2JobsResponse; + }; + sdk: { + input: ListEntitiesDetectionV2JobsCommandInput; + output: ListEntitiesDetectionV2JobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/ListICD10CMInferenceJobsCommand.ts b/clients/client-comprehendmedical/src/commands/ListICD10CMInferenceJobsCommand.ts index d835a040c27f..d9b09dfc58d5 100644 --- a/clients/client-comprehendmedical/src/commands/ListICD10CMInferenceJobsCommand.ts +++ b/clients/client-comprehendmedical/src/commands/ListICD10CMInferenceJobsCommand.ts @@ -128,4 +128,16 @@ export class ListICD10CMInferenceJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListICD10CMInferenceJobsCommand) .de(de_ListICD10CMInferenceJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListICD10CMInferenceJobsRequest; + output: ListICD10CMInferenceJobsResponse; + }; + sdk: { + input: ListICD10CMInferenceJobsCommandInput; + output: ListICD10CMInferenceJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/ListPHIDetectionJobsCommand.ts b/clients/client-comprehendmedical/src/commands/ListPHIDetectionJobsCommand.ts index 2fa2dcad9ae5..f01761a08061 100644 --- a/clients/client-comprehendmedical/src/commands/ListPHIDetectionJobsCommand.ts +++ b/clients/client-comprehendmedical/src/commands/ListPHIDetectionJobsCommand.ts @@ -129,4 +129,16 @@ export class ListPHIDetectionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListPHIDetectionJobsCommand) .de(de_ListPHIDetectionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPHIDetectionJobsRequest; + output: ListPHIDetectionJobsResponse; + }; + sdk: { + input: ListPHIDetectionJobsCommandInput; + output: ListPHIDetectionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/ListRxNormInferenceJobsCommand.ts b/clients/client-comprehendmedical/src/commands/ListRxNormInferenceJobsCommand.ts index b621f0a40d3f..a53619f90e3f 100644 --- a/clients/client-comprehendmedical/src/commands/ListRxNormInferenceJobsCommand.ts +++ b/clients/client-comprehendmedical/src/commands/ListRxNormInferenceJobsCommand.ts @@ -128,4 +128,16 @@ export class ListRxNormInferenceJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListRxNormInferenceJobsCommand) .de(de_ListRxNormInferenceJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRxNormInferenceJobsRequest; + output: ListRxNormInferenceJobsResponse; + }; + sdk: { + input: ListRxNormInferenceJobsCommandInput; + output: ListRxNormInferenceJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/ListSNOMEDCTInferenceJobsCommand.ts b/clients/client-comprehendmedical/src/commands/ListSNOMEDCTInferenceJobsCommand.ts index f236ea5156f4..8ad74982165e 100644 --- a/clients/client-comprehendmedical/src/commands/ListSNOMEDCTInferenceJobsCommand.ts +++ b/clients/client-comprehendmedical/src/commands/ListSNOMEDCTInferenceJobsCommand.ts @@ -130,4 +130,16 @@ export class ListSNOMEDCTInferenceJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListSNOMEDCTInferenceJobsCommand) .de(de_ListSNOMEDCTInferenceJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSNOMEDCTInferenceJobsRequest; + output: ListSNOMEDCTInferenceJobsResponse; + }; + sdk: { + input: ListSNOMEDCTInferenceJobsCommandInput; + output: ListSNOMEDCTInferenceJobsCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StartEntitiesDetectionV2JobCommand.ts b/clients/client-comprehendmedical/src/commands/StartEntitiesDetectionV2JobCommand.ts index 6fd84df2dc06..1d59b8a3e35f 100644 --- a/clients/client-comprehendmedical/src/commands/StartEntitiesDetectionV2JobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StartEntitiesDetectionV2JobCommand.ts @@ -112,4 +112,16 @@ export class StartEntitiesDetectionV2JobCommand extends $Command .f(void 0, void 0) .ser(se_StartEntitiesDetectionV2JobCommand) .de(de_StartEntitiesDetectionV2JobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEntitiesDetectionV2JobRequest; + output: StartEntitiesDetectionV2JobResponse; + }; + sdk: { + input: StartEntitiesDetectionV2JobCommandInput; + output: StartEntitiesDetectionV2JobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StartICD10CMInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/StartICD10CMInferenceJobCommand.ts index bb2cb854391a..2d4df34d4d31 100644 --- a/clients/client-comprehendmedical/src/commands/StartICD10CMInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StartICD10CMInferenceJobCommand.ts @@ -111,4 +111,16 @@ export class StartICD10CMInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_StartICD10CMInferenceJobCommand) .de(de_StartICD10CMInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartICD10CMInferenceJobRequest; + output: StartICD10CMInferenceJobResponse; + }; + sdk: { + input: StartICD10CMInferenceJobCommandInput; + output: StartICD10CMInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StartPHIDetectionJobCommand.ts b/clients/client-comprehendmedical/src/commands/StartPHIDetectionJobCommand.ts index fc8e23dcca8e..0f219b894fdc 100644 --- a/clients/client-comprehendmedical/src/commands/StartPHIDetectionJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StartPHIDetectionJobCommand.ts @@ -110,4 +110,16 @@ export class StartPHIDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartPHIDetectionJobCommand) .de(de_StartPHIDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPHIDetectionJobRequest; + output: StartPHIDetectionJobResponse; + }; + sdk: { + input: StartPHIDetectionJobCommandInput; + output: StartPHIDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StartRxNormInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/StartRxNormInferenceJobCommand.ts index c47fb36b7029..80d2c227c713 100644 --- a/clients/client-comprehendmedical/src/commands/StartRxNormInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StartRxNormInferenceJobCommand.ts @@ -111,4 +111,16 @@ export class StartRxNormInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_StartRxNormInferenceJobCommand) .de(de_StartRxNormInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRxNormInferenceJobRequest; + output: StartRxNormInferenceJobResponse; + }; + sdk: { + input: StartRxNormInferenceJobCommandInput; + output: StartRxNormInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StartSNOMEDCTInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/StartSNOMEDCTInferenceJobCommand.ts index 1002b062accc..c0ba22ce9bf9 100644 --- a/clients/client-comprehendmedical/src/commands/StartSNOMEDCTInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StartSNOMEDCTInferenceJobCommand.ts @@ -111,4 +111,16 @@ export class StartSNOMEDCTInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_StartSNOMEDCTInferenceJobCommand) .de(de_StartSNOMEDCTInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSNOMEDCTInferenceJobRequest; + output: StartSNOMEDCTInferenceJobResponse; + }; + sdk: { + input: StartSNOMEDCTInferenceJobCommandInput; + output: StartSNOMEDCTInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StopEntitiesDetectionV2JobCommand.ts b/clients/client-comprehendmedical/src/commands/StopEntitiesDetectionV2JobCommand.ts index 25dc9fbeaabe..8561dc7e7ec0 100644 --- a/clients/client-comprehendmedical/src/commands/StopEntitiesDetectionV2JobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StopEntitiesDetectionV2JobCommand.ts @@ -92,4 +92,16 @@ export class StopEntitiesDetectionV2JobCommand extends $Command .f(void 0, void 0) .ser(se_StopEntitiesDetectionV2JobCommand) .de(de_StopEntitiesDetectionV2JobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEntitiesDetectionV2JobRequest; + output: StopEntitiesDetectionV2JobResponse; + }; + sdk: { + input: StopEntitiesDetectionV2JobCommandInput; + output: StopEntitiesDetectionV2JobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StopICD10CMInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/StopICD10CMInferenceJobCommand.ts index ded07879cb7a..9804631be6f6 100644 --- a/clients/client-comprehendmedical/src/commands/StopICD10CMInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StopICD10CMInferenceJobCommand.ts @@ -92,4 +92,16 @@ export class StopICD10CMInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_StopICD10CMInferenceJobCommand) .de(de_StopICD10CMInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopICD10CMInferenceJobRequest; + output: StopICD10CMInferenceJobResponse; + }; + sdk: { + input: StopICD10CMInferenceJobCommandInput; + output: StopICD10CMInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StopPHIDetectionJobCommand.ts b/clients/client-comprehendmedical/src/commands/StopPHIDetectionJobCommand.ts index df81d2fabadb..1a44bb1c4240 100644 --- a/clients/client-comprehendmedical/src/commands/StopPHIDetectionJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StopPHIDetectionJobCommand.ts @@ -92,4 +92,16 @@ export class StopPHIDetectionJobCommand extends $Command .f(void 0, void 0) .ser(se_StopPHIDetectionJobCommand) .de(de_StopPHIDetectionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopPHIDetectionJobRequest; + output: StopPHIDetectionJobResponse; + }; + sdk: { + input: StopPHIDetectionJobCommandInput; + output: StopPHIDetectionJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StopRxNormInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/StopRxNormInferenceJobCommand.ts index fd44d3770f54..8e219c7f1eb9 100644 --- a/clients/client-comprehendmedical/src/commands/StopRxNormInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StopRxNormInferenceJobCommand.ts @@ -92,4 +92,16 @@ export class StopRxNormInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_StopRxNormInferenceJobCommand) .de(de_StopRxNormInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopRxNormInferenceJobRequest; + output: StopRxNormInferenceJobResponse; + }; + sdk: { + input: StopRxNormInferenceJobCommandInput; + output: StopRxNormInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-comprehendmedical/src/commands/StopSNOMEDCTInferenceJobCommand.ts b/clients/client-comprehendmedical/src/commands/StopSNOMEDCTInferenceJobCommand.ts index 9b927227b08d..bfef4484e1c0 100644 --- a/clients/client-comprehendmedical/src/commands/StopSNOMEDCTInferenceJobCommand.ts +++ b/clients/client-comprehendmedical/src/commands/StopSNOMEDCTInferenceJobCommand.ts @@ -99,4 +99,16 @@ export class StopSNOMEDCTInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_StopSNOMEDCTInferenceJobCommand) .de(de_StopSNOMEDCTInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSNOMEDCTInferenceJobRequest; + output: StopSNOMEDCTInferenceJobResponse; + }; + sdk: { + input: StopSNOMEDCTInferenceJobCommandInput; + output: StopSNOMEDCTInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/package.json b/clients/client-compute-optimizer/package.json index 15edf3210ecc..28e16209b533 100644 --- a/clients/client-compute-optimizer/package.json +++ b/clients/client-compute-optimizer/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-compute-optimizer/src/commands/DeleteRecommendationPreferencesCommand.ts b/clients/client-compute-optimizer/src/commands/DeleteRecommendationPreferencesCommand.ts index 5d03f4426b48..c9845ffad0c9 100644 --- a/clients/client-compute-optimizer/src/commands/DeleteRecommendationPreferencesCommand.ts +++ b/clients/client-compute-optimizer/src/commands/DeleteRecommendationPreferencesCommand.ts @@ -115,4 +115,16 @@ export class DeleteRecommendationPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecommendationPreferencesCommand) .de(de_DeleteRecommendationPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecommendationPreferencesRequest; + output: {}; + }; + sdk: { + input: DeleteRecommendationPreferencesCommandInput; + output: DeleteRecommendationPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/DescribeRecommendationExportJobsCommand.ts b/clients/client-compute-optimizer/src/commands/DescribeRecommendationExportJobsCommand.ts index c317cbd3f6fb..4ce6f62cf5e0 100644 --- a/clients/client-compute-optimizer/src/commands/DescribeRecommendationExportJobsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/DescribeRecommendationExportJobsCommand.ts @@ -139,4 +139,16 @@ export class DescribeRecommendationExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecommendationExportJobsCommand) .de(de_DescribeRecommendationExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecommendationExportJobsRequest; + output: DescribeRecommendationExportJobsResponse; + }; + sdk: { + input: DescribeRecommendationExportJobsCommandInput; + output: DescribeRecommendationExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/ExportAutoScalingGroupRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/ExportAutoScalingGroupRecommendationsCommand.ts index e9f2a06a6f26..491a035437cd 100644 --- a/clients/client-compute-optimizer/src/commands/ExportAutoScalingGroupRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/ExportAutoScalingGroupRecommendationsCommand.ts @@ -145,4 +145,16 @@ export class ExportAutoScalingGroupRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportAutoScalingGroupRecommendationsCommand) .de(de_ExportAutoScalingGroupRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportAutoScalingGroupRecommendationsRequest; + output: ExportAutoScalingGroupRecommendationsResponse; + }; + sdk: { + input: ExportAutoScalingGroupRecommendationsCommandInput; + output: ExportAutoScalingGroupRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/ExportEBSVolumeRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/ExportEBSVolumeRecommendationsCommand.ts index ca27e73b0224..2e3c6a3c53de 100644 --- a/clients/client-compute-optimizer/src/commands/ExportEBSVolumeRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/ExportEBSVolumeRecommendationsCommand.ts @@ -136,4 +136,16 @@ export class ExportEBSVolumeRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportEBSVolumeRecommendationsCommand) .de(de_ExportEBSVolumeRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportEBSVolumeRecommendationsRequest; + output: ExportEBSVolumeRecommendationsResponse; + }; + sdk: { + input: ExportEBSVolumeRecommendationsCommandInput; + output: ExportEBSVolumeRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/ExportEC2InstanceRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/ExportEC2InstanceRecommendationsCommand.ts index 8d3f5e75fa11..012e70c9a32f 100644 --- a/clients/client-compute-optimizer/src/commands/ExportEC2InstanceRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/ExportEC2InstanceRecommendationsCommand.ts @@ -141,4 +141,16 @@ export class ExportEC2InstanceRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportEC2InstanceRecommendationsCommand) .de(de_ExportEC2InstanceRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportEC2InstanceRecommendationsRequest; + output: ExportEC2InstanceRecommendationsResponse; + }; + sdk: { + input: ExportEC2InstanceRecommendationsCommandInput; + output: ExportEC2InstanceRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/ExportECSServiceRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/ExportECSServiceRecommendationsCommand.ts index 8e8d1c356875..3f92c83b08a9 100644 --- a/clients/client-compute-optimizer/src/commands/ExportECSServiceRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/ExportECSServiceRecommendationsCommand.ts @@ -138,4 +138,16 @@ export class ExportECSServiceRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportECSServiceRecommendationsCommand) .de(de_ExportECSServiceRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportECSServiceRecommendationsRequest; + output: ExportECSServiceRecommendationsResponse; + }; + sdk: { + input: ExportECSServiceRecommendationsCommandInput; + output: ExportECSServiceRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/ExportLambdaFunctionRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/ExportLambdaFunctionRecommendationsCommand.ts index 4ea583f5d620..a1d1adcce9f9 100644 --- a/clients/client-compute-optimizer/src/commands/ExportLambdaFunctionRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/ExportLambdaFunctionRecommendationsCommand.ts @@ -139,4 +139,16 @@ export class ExportLambdaFunctionRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportLambdaFunctionRecommendationsCommand) .de(de_ExportLambdaFunctionRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportLambdaFunctionRecommendationsRequest; + output: ExportLambdaFunctionRecommendationsResponse; + }; + sdk: { + input: ExportLambdaFunctionRecommendationsCommandInput; + output: ExportLambdaFunctionRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/ExportLicenseRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/ExportLicenseRecommendationsCommand.ts index 662f020d8f7f..57da62dc754a 100644 --- a/clients/client-compute-optimizer/src/commands/ExportLicenseRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/ExportLicenseRecommendationsCommand.ts @@ -138,4 +138,16 @@ export class ExportLicenseRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportLicenseRecommendationsCommand) .de(de_ExportLicenseRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportLicenseRecommendationsRequest; + output: ExportLicenseRecommendationsResponse; + }; + sdk: { + input: ExportLicenseRecommendationsCommandInput; + output: ExportLicenseRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/ExportRDSDatabaseRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/ExportRDSDatabaseRecommendationsCommand.ts index a586822ea580..3c1ee0d1ac80 100644 --- a/clients/client-compute-optimizer/src/commands/ExportRDSDatabaseRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/ExportRDSDatabaseRecommendationsCommand.ts @@ -143,4 +143,16 @@ export class ExportRDSDatabaseRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ExportRDSDatabaseRecommendationsCommand) .de(de_ExportRDSDatabaseRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportRDSDatabaseRecommendationsRequest; + output: ExportRDSDatabaseRecommendationsResponse; + }; + sdk: { + input: ExportRDSDatabaseRecommendationsCommandInput; + output: ExportRDSDatabaseRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetAutoScalingGroupRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/GetAutoScalingGroupRecommendationsCommand.ts index afc7881c3459..5bde3ed06fbb 100644 --- a/clients/client-compute-optimizer/src/commands/GetAutoScalingGroupRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetAutoScalingGroupRecommendationsCommand.ts @@ -255,4 +255,16 @@ export class GetAutoScalingGroupRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetAutoScalingGroupRecommendationsCommand) .de(de_GetAutoScalingGroupRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAutoScalingGroupRecommendationsRequest; + output: GetAutoScalingGroupRecommendationsResponse; + }; + sdk: { + input: GetAutoScalingGroupRecommendationsCommandInput; + output: GetAutoScalingGroupRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetEBSVolumeRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/GetEBSVolumeRecommendationsCommand.ts index 4d11ae93c6ff..49635ae38d00 100644 --- a/clients/client-compute-optimizer/src/commands/GetEBSVolumeRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetEBSVolumeRecommendationsCommand.ts @@ -196,4 +196,16 @@ export class GetEBSVolumeRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetEBSVolumeRecommendationsCommand) .de(de_GetEBSVolumeRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEBSVolumeRecommendationsRequest; + output: GetEBSVolumeRecommendationsResponse; + }; + sdk: { + input: GetEBSVolumeRecommendationsCommandInput; + output: GetEBSVolumeRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetEC2InstanceRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/GetEC2InstanceRecommendationsCommand.ts index 7526891c5999..29445071ad6f 100644 --- a/clients/client-compute-optimizer/src/commands/GetEC2InstanceRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetEC2InstanceRecommendationsCommand.ts @@ -266,4 +266,16 @@ export class GetEC2InstanceRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetEC2InstanceRecommendationsCommand) .de(de_GetEC2InstanceRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEC2InstanceRecommendationsRequest; + output: GetEC2InstanceRecommendationsResponse; + }; + sdk: { + input: GetEC2InstanceRecommendationsCommandInput; + output: GetEC2InstanceRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetEC2RecommendationProjectedMetricsCommand.ts b/clients/client-compute-optimizer/src/commands/GetEC2RecommendationProjectedMetricsCommand.ts index fa3322ef086b..7630f119b8d6 100644 --- a/clients/client-compute-optimizer/src/commands/GetEC2RecommendationProjectedMetricsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetEC2RecommendationProjectedMetricsCommand.ts @@ -142,4 +142,16 @@ export class GetEC2RecommendationProjectedMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetEC2RecommendationProjectedMetricsCommand) .de(de_GetEC2RecommendationProjectedMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEC2RecommendationProjectedMetricsRequest; + output: GetEC2RecommendationProjectedMetricsResponse; + }; + sdk: { + input: GetEC2RecommendationProjectedMetricsCommandInput; + output: GetEC2RecommendationProjectedMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationProjectedMetricsCommand.ts b/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationProjectedMetricsCommand.ts index 876804e29888..2d309b413e3f 100644 --- a/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationProjectedMetricsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationProjectedMetricsCommand.ts @@ -136,4 +136,16 @@ export class GetECSServiceRecommendationProjectedMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetECSServiceRecommendationProjectedMetricsCommand) .de(de_GetECSServiceRecommendationProjectedMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetECSServiceRecommendationProjectedMetricsRequest; + output: GetECSServiceRecommendationProjectedMetricsResponse; + }; + sdk: { + input: GetECSServiceRecommendationProjectedMetricsCommandInput; + output: GetECSServiceRecommendationProjectedMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationsCommand.ts index 2abf06ce3e1e..f28342164eb5 100644 --- a/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetECSServiceRecommendationsCommand.ts @@ -224,4 +224,16 @@ export class GetECSServiceRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetECSServiceRecommendationsCommand) .de(de_GetECSServiceRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetECSServiceRecommendationsRequest; + output: GetECSServiceRecommendationsResponse; + }; + sdk: { + input: GetECSServiceRecommendationsCommandInput; + output: GetECSServiceRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetEffectiveRecommendationPreferencesCommand.ts b/clients/client-compute-optimizer/src/commands/GetEffectiveRecommendationPreferencesCommand.ts index a3a241fe4d8d..e80ab13f3d51 100644 --- a/clients/client-compute-optimizer/src/commands/GetEffectiveRecommendationPreferencesCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetEffectiveRecommendationPreferencesCommand.ts @@ -143,4 +143,16 @@ export class GetEffectiveRecommendationPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_GetEffectiveRecommendationPreferencesCommand) .de(de_GetEffectiveRecommendationPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEffectiveRecommendationPreferencesRequest; + output: GetEffectiveRecommendationPreferencesResponse; + }; + sdk: { + input: GetEffectiveRecommendationPreferencesCommandInput; + output: GetEffectiveRecommendationPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusCommand.ts b/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusCommand.ts index 1ec006b47b48..356fb9458468 100644 --- a/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusCommand.ts @@ -102,4 +102,16 @@ export class GetEnrollmentStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetEnrollmentStatusCommand) .de(de_GetEnrollmentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetEnrollmentStatusResponse; + }; + sdk: { + input: GetEnrollmentStatusCommandInput; + output: GetEnrollmentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusesForOrganizationCommand.ts b/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusesForOrganizationCommand.ts index b9c46ddbb76a..f41989aa2b26 100644 --- a/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusesForOrganizationCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetEnrollmentStatusesForOrganizationCommand.ts @@ -123,4 +123,16 @@ export class GetEnrollmentStatusesForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_GetEnrollmentStatusesForOrganizationCommand) .de(de_GetEnrollmentStatusesForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnrollmentStatusesForOrganizationRequest; + output: GetEnrollmentStatusesForOrganizationResponse; + }; + sdk: { + input: GetEnrollmentStatusesForOrganizationCommandInput; + output: GetEnrollmentStatusesForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetLambdaFunctionRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/GetLambdaFunctionRecommendationsCommand.ts index 7ce0c7755eab..bb836258f3c1 100644 --- a/clients/client-compute-optimizer/src/commands/GetLambdaFunctionRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetLambdaFunctionRecommendationsCommand.ts @@ -187,4 +187,16 @@ export class GetLambdaFunctionRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetLambdaFunctionRecommendationsCommand) .de(de_GetLambdaFunctionRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLambdaFunctionRecommendationsRequest; + output: GetLambdaFunctionRecommendationsResponse; + }; + sdk: { + input: GetLambdaFunctionRecommendationsCommandInput; + output: GetLambdaFunctionRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetLicenseRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/GetLicenseRecommendationsCommand.ts index e127ea997abd..12d51f7e1df5 100644 --- a/clients/client-compute-optimizer/src/commands/GetLicenseRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetLicenseRecommendationsCommand.ts @@ -176,4 +176,16 @@ export class GetLicenseRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetLicenseRecommendationsCommand) .de(de_GetLicenseRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLicenseRecommendationsRequest; + output: GetLicenseRecommendationsResponse; + }; + sdk: { + input: GetLicenseRecommendationsCommandInput; + output: GetLicenseRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationProjectedMetricsCommand.ts b/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationProjectedMetricsCommand.ts index 1fcfe76b3877..1a8fceaa4108 100644 --- a/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationProjectedMetricsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationProjectedMetricsCommand.ts @@ -138,4 +138,16 @@ export class GetRDSDatabaseRecommendationProjectedMetricsCommand extends $Comman .f(void 0, void 0) .ser(se_GetRDSDatabaseRecommendationProjectedMetricsCommand) .de(de_GetRDSDatabaseRecommendationProjectedMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRDSDatabaseRecommendationProjectedMetricsRequest; + output: GetRDSDatabaseRecommendationProjectedMetricsResponse; + }; + sdk: { + input: GetRDSDatabaseRecommendationProjectedMetricsCommandInput; + output: GetRDSDatabaseRecommendationProjectedMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationsCommand.ts b/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationsCommand.ts index 9483d6d96db0..3b4cb2a33a87 100644 --- a/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationsCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetRDSDatabaseRecommendationsCommand.ts @@ -245,4 +245,16 @@ export class GetRDSDatabaseRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetRDSDatabaseRecommendationsCommand) .de(de_GetRDSDatabaseRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRDSDatabaseRecommendationsRequest; + output: GetRDSDatabaseRecommendationsResponse; + }; + sdk: { + input: GetRDSDatabaseRecommendationsCommandInput; + output: GetRDSDatabaseRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetRecommendationPreferencesCommand.ts b/clients/client-compute-optimizer/src/commands/GetRecommendationPreferencesCommand.ts index c752755f87c6..3c53683e7639 100644 --- a/clients/client-compute-optimizer/src/commands/GetRecommendationPreferencesCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetRecommendationPreferencesCommand.ts @@ -159,4 +159,16 @@ export class GetRecommendationPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_GetRecommendationPreferencesCommand) .de(de_GetRecommendationPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationPreferencesRequest; + output: GetRecommendationPreferencesResponse; + }; + sdk: { + input: GetRecommendationPreferencesCommandInput; + output: GetRecommendationPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/GetRecommendationSummariesCommand.ts b/clients/client-compute-optimizer/src/commands/GetRecommendationSummariesCommand.ts index ac1a0b9cc4d9..2a66eae2da40 100644 --- a/clients/client-compute-optimizer/src/commands/GetRecommendationSummariesCommand.ts +++ b/clients/client-compute-optimizer/src/commands/GetRecommendationSummariesCommand.ts @@ -169,4 +169,16 @@ export class GetRecommendationSummariesCommand extends $Command .f(void 0, void 0) .ser(se_GetRecommendationSummariesCommand) .de(de_GetRecommendationSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationSummariesRequest; + output: GetRecommendationSummariesResponse; + }; + sdk: { + input: GetRecommendationSummariesCommandInput; + output: GetRecommendationSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/PutRecommendationPreferencesCommand.ts b/clients/client-compute-optimizer/src/commands/PutRecommendationPreferencesCommand.ts index fc184a96d0b3..5948bbb07559 100644 --- a/clients/client-compute-optimizer/src/commands/PutRecommendationPreferencesCommand.ts +++ b/clients/client-compute-optimizer/src/commands/PutRecommendationPreferencesCommand.ts @@ -140,4 +140,16 @@ export class PutRecommendationPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_PutRecommendationPreferencesCommand) .de(de_PutRecommendationPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRecommendationPreferencesRequest; + output: {}; + }; + sdk: { + input: PutRecommendationPreferencesCommandInput; + output: PutRecommendationPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-compute-optimizer/src/commands/UpdateEnrollmentStatusCommand.ts b/clients/client-compute-optimizer/src/commands/UpdateEnrollmentStatusCommand.ts index 071c441fac53..a56dd8e680b6 100644 --- a/clients/client-compute-optimizer/src/commands/UpdateEnrollmentStatusCommand.ts +++ b/clients/client-compute-optimizer/src/commands/UpdateEnrollmentStatusCommand.ts @@ -105,4 +105,16 @@ export class UpdateEnrollmentStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnrollmentStatusCommand) .de(de_UpdateEnrollmentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnrollmentStatusRequest; + output: UpdateEnrollmentStatusResponse; + }; + sdk: { + input: UpdateEnrollmentStatusCommandInput; + output: UpdateEnrollmentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/package.json b/clients/client-config-service/package.json index 49126efcf54a..7357c5cdec11 100644 --- a/clients/client-config-service/package.json +++ b/clients/client-config-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-config-service/src/commands/BatchGetAggregateResourceConfigCommand.ts b/clients/client-config-service/src/commands/BatchGetAggregateResourceConfigCommand.ts index d140e0539df0..f0272c65c7cc 100644 --- a/clients/client-config-service/src/commands/BatchGetAggregateResourceConfigCommand.ts +++ b/clients/client-config-service/src/commands/BatchGetAggregateResourceConfigCommand.ts @@ -140,4 +140,16 @@ export class BatchGetAggregateResourceConfigCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetAggregateResourceConfigCommand) .de(de_BatchGetAggregateResourceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetAggregateResourceConfigRequest; + output: BatchGetAggregateResourceConfigResponse; + }; + sdk: { + input: BatchGetAggregateResourceConfigCommandInput; + output: BatchGetAggregateResourceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/BatchGetResourceConfigCommand.ts b/clients/client-config-service/src/commands/BatchGetResourceConfigCommand.ts index 4b8bac8f4f69..99dee6f6f694 100644 --- a/clients/client-config-service/src/commands/BatchGetResourceConfigCommand.ts +++ b/clients/client-config-service/src/commands/BatchGetResourceConfigCommand.ts @@ -137,4 +137,16 @@ export class BatchGetResourceConfigCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetResourceConfigCommand) .de(de_BatchGetResourceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetResourceConfigRequest; + output: BatchGetResourceConfigResponse; + }; + sdk: { + input: BatchGetResourceConfigCommandInput; + output: BatchGetResourceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteAggregationAuthorizationCommand.ts b/clients/client-config-service/src/commands/DeleteAggregationAuthorizationCommand.ts index a7f7e1f8d949..ea0c79fae811 100644 --- a/clients/client-config-service/src/commands/DeleteAggregationAuthorizationCommand.ts +++ b/clients/client-config-service/src/commands/DeleteAggregationAuthorizationCommand.ts @@ -84,4 +84,16 @@ export class DeleteAggregationAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAggregationAuthorizationCommand) .de(de_DeleteAggregationAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAggregationAuthorizationRequest; + output: {}; + }; + sdk: { + input: DeleteAggregationAuthorizationCommandInput; + output: DeleteAggregationAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteConfigRuleCommand.ts b/clients/client-config-service/src/commands/DeleteConfigRuleCommand.ts index 290fa08599ea..0509b1039f56 100644 --- a/clients/client-config-service/src/commands/DeleteConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/DeleteConfigRuleCommand.ts @@ -112,4 +112,16 @@ export class DeleteConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigRuleCommand) .de(de_DeleteConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigRuleRequest; + output: {}; + }; + sdk: { + input: DeleteConfigRuleCommandInput; + output: DeleteConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteConfigurationAggregatorCommand.ts b/clients/client-config-service/src/commands/DeleteConfigurationAggregatorCommand.ts index a97d58c44660..b531021c63c3 100644 --- a/clients/client-config-service/src/commands/DeleteConfigurationAggregatorCommand.ts +++ b/clients/client-config-service/src/commands/DeleteConfigurationAggregatorCommand.ts @@ -82,4 +82,16 @@ export class DeleteConfigurationAggregatorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationAggregatorCommand) .de(de_DeleteConfigurationAggregatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationAggregatorRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationAggregatorCommandInput; + output: DeleteConfigurationAggregatorCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteConfigurationRecorderCommand.ts b/clients/client-config-service/src/commands/DeleteConfigurationRecorderCommand.ts index 4dcbfdc68be6..76764e741a21 100644 --- a/clients/client-config-service/src/commands/DeleteConfigurationRecorderCommand.ts +++ b/clients/client-config-service/src/commands/DeleteConfigurationRecorderCommand.ts @@ -88,4 +88,16 @@ export class DeleteConfigurationRecorderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationRecorderCommand) .de(de_DeleteConfigurationRecorderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationRecorderRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationRecorderCommandInput; + output: DeleteConfigurationRecorderCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteConformancePackCommand.ts b/clients/client-config-service/src/commands/DeleteConformancePackCommand.ts index 01fca50d9221..540d78ad0f95 100644 --- a/clients/client-config-service/src/commands/DeleteConformancePackCommand.ts +++ b/clients/client-config-service/src/commands/DeleteConformancePackCommand.ts @@ -107,4 +107,16 @@ export class DeleteConformancePackCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConformancePackCommand) .de(de_DeleteConformancePackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConformancePackRequest; + output: {}; + }; + sdk: { + input: DeleteConformancePackCommandInput; + output: DeleteConformancePackCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteDeliveryChannelCommand.ts b/clients/client-config-service/src/commands/DeleteDeliveryChannelCommand.ts index 231786496a19..465ce9fb604f 100644 --- a/clients/client-config-service/src/commands/DeleteDeliveryChannelCommand.ts +++ b/clients/client-config-service/src/commands/DeleteDeliveryChannelCommand.ts @@ -85,4 +85,16 @@ export class DeleteDeliveryChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeliveryChannelCommand) .de(de_DeleteDeliveryChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeliveryChannelRequest; + output: {}; + }; + sdk: { + input: DeleteDeliveryChannelCommandInput; + output: DeleteDeliveryChannelCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteEvaluationResultsCommand.ts b/clients/client-config-service/src/commands/DeleteEvaluationResultsCommand.ts index 3e1d5b9e4315..433d0880ccf0 100644 --- a/clients/client-config-service/src/commands/DeleteEvaluationResultsCommand.ts +++ b/clients/client-config-service/src/commands/DeleteEvaluationResultsCommand.ts @@ -107,4 +107,16 @@ export class DeleteEvaluationResultsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEvaluationResultsCommand) .de(de_DeleteEvaluationResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEvaluationResultsRequest; + output: {}; + }; + sdk: { + input: DeleteEvaluationResultsCommandInput; + output: DeleteEvaluationResultsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteOrganizationConfigRuleCommand.ts b/clients/client-config-service/src/commands/DeleteOrganizationConfigRuleCommand.ts index cda4b2204b6f..76afe37fd65e 100644 --- a/clients/client-config-service/src/commands/DeleteOrganizationConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/DeleteOrganizationConfigRuleCommand.ts @@ -133,4 +133,16 @@ export class DeleteOrganizationConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOrganizationConfigRuleCommand) .de(de_DeleteOrganizationConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOrganizationConfigRuleRequest; + output: {}; + }; + sdk: { + input: DeleteOrganizationConfigRuleCommandInput; + output: DeleteOrganizationConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteOrganizationConformancePackCommand.ts b/clients/client-config-service/src/commands/DeleteOrganizationConformancePackCommand.ts index 74aa3b7e0c14..dc75cc2b937e 100644 --- a/clients/client-config-service/src/commands/DeleteOrganizationConformancePackCommand.ts +++ b/clients/client-config-service/src/commands/DeleteOrganizationConformancePackCommand.ts @@ -135,4 +135,16 @@ export class DeleteOrganizationConformancePackCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOrganizationConformancePackCommand) .de(de_DeleteOrganizationConformancePackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOrganizationConformancePackRequest; + output: {}; + }; + sdk: { + input: DeleteOrganizationConformancePackCommandInput; + output: DeleteOrganizationConformancePackCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeletePendingAggregationRequestCommand.ts b/clients/client-config-service/src/commands/DeletePendingAggregationRequestCommand.ts index 230898df1b73..204140fd154f 100644 --- a/clients/client-config-service/src/commands/DeletePendingAggregationRequestCommand.ts +++ b/clients/client-config-service/src/commands/DeletePendingAggregationRequestCommand.ts @@ -84,4 +84,16 @@ export class DeletePendingAggregationRequestCommand extends $Command .f(void 0, void 0) .ser(se_DeletePendingAggregationRequestCommand) .de(de_DeletePendingAggregationRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePendingAggregationRequestRequest; + output: {}; + }; + sdk: { + input: DeletePendingAggregationRequestCommandInput; + output: DeletePendingAggregationRequestCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteRemediationConfigurationCommand.ts b/clients/client-config-service/src/commands/DeleteRemediationConfigurationCommand.ts index b74a199ae37b..d1bc5617a7ea 100644 --- a/clients/client-config-service/src/commands/DeleteRemediationConfigurationCommand.ts +++ b/clients/client-config-service/src/commands/DeleteRemediationConfigurationCommand.ts @@ -116,4 +116,16 @@ export class DeleteRemediationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRemediationConfigurationCommand) .de(de_DeleteRemediationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRemediationConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteRemediationConfigurationCommandInput; + output: DeleteRemediationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteRemediationExceptionsCommand.ts b/clients/client-config-service/src/commands/DeleteRemediationExceptionsCommand.ts index f697676e4dd7..08ac426ee440 100644 --- a/clients/client-config-service/src/commands/DeleteRemediationExceptionsCommand.ts +++ b/clients/client-config-service/src/commands/DeleteRemediationExceptionsCommand.ts @@ -102,4 +102,16 @@ export class DeleteRemediationExceptionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRemediationExceptionsCommand) .de(de_DeleteRemediationExceptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRemediationExceptionsRequest; + output: DeleteRemediationExceptionsResponse; + }; + sdk: { + input: DeleteRemediationExceptionsCommandInput; + output: DeleteRemediationExceptionsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteResourceConfigCommand.ts b/clients/client-config-service/src/commands/DeleteResourceConfigCommand.ts index 3ab3e068b2ce..04051139bd68 100644 --- a/clients/client-config-service/src/commands/DeleteResourceConfigCommand.ts +++ b/clients/client-config-service/src/commands/DeleteResourceConfigCommand.ts @@ -85,4 +85,16 @@ export class DeleteResourceConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceConfigCommand) .de(de_DeleteResourceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceConfigRequest; + output: {}; + }; + sdk: { + input: DeleteResourceConfigCommandInput; + output: DeleteResourceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteRetentionConfigurationCommand.ts b/clients/client-config-service/src/commands/DeleteRetentionConfigurationCommand.ts index cba601dfe292..04cf757c6ff8 100644 --- a/clients/client-config-service/src/commands/DeleteRetentionConfigurationCommand.ts +++ b/clients/client-config-service/src/commands/DeleteRetentionConfigurationCommand.ts @@ -85,4 +85,16 @@ export class DeleteRetentionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRetentionConfigurationCommand) .de(de_DeleteRetentionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRetentionConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteRetentionConfigurationCommandInput; + output: DeleteRetentionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeleteStoredQueryCommand.ts b/clients/client-config-service/src/commands/DeleteStoredQueryCommand.ts index 0a5b2757c5e7..b0dfab436dcd 100644 --- a/clients/client-config-service/src/commands/DeleteStoredQueryCommand.ts +++ b/clients/client-config-service/src/commands/DeleteStoredQueryCommand.ts @@ -83,4 +83,16 @@ export class DeleteStoredQueryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStoredQueryCommand) .de(de_DeleteStoredQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStoredQueryRequest; + output: {}; + }; + sdk: { + input: DeleteStoredQueryCommandInput; + output: DeleteStoredQueryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DeliverConfigSnapshotCommand.ts b/clients/client-config-service/src/commands/DeliverConfigSnapshotCommand.ts index 66bb2baff151..937da9d6b6b3 100644 --- a/clients/client-config-service/src/commands/DeliverConfigSnapshotCommand.ts +++ b/clients/client-config-service/src/commands/DeliverConfigSnapshotCommand.ts @@ -105,4 +105,16 @@ export class DeliverConfigSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeliverConfigSnapshotCommand) .de(de_DeliverConfigSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeliverConfigSnapshotRequest; + output: DeliverConfigSnapshotResponse; + }; + sdk: { + input: DeliverConfigSnapshotCommandInput; + output: DeliverConfigSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeAggregateComplianceByConfigRulesCommand.ts b/clients/client-config-service/src/commands/DescribeAggregateComplianceByConfigRulesCommand.ts index 0d81e6533323..5bd4b242bb82 100644 --- a/clients/client-config-service/src/commands/DescribeAggregateComplianceByConfigRulesCommand.ts +++ b/clients/client-config-service/src/commands/DescribeAggregateComplianceByConfigRulesCommand.ts @@ -131,4 +131,16 @@ export class DescribeAggregateComplianceByConfigRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAggregateComplianceByConfigRulesCommand) .de(de_DescribeAggregateComplianceByConfigRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAggregateComplianceByConfigRulesRequest; + output: DescribeAggregateComplianceByConfigRulesResponse; + }; + sdk: { + input: DescribeAggregateComplianceByConfigRulesCommandInput; + output: DescribeAggregateComplianceByConfigRulesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeAggregateComplianceByConformancePacksCommand.ts b/clients/client-config-service/src/commands/DescribeAggregateComplianceByConformancePacksCommand.ts index 0ef707145f2e..b17362f38ba5 100644 --- a/clients/client-config-service/src/commands/DescribeAggregateComplianceByConformancePacksCommand.ts +++ b/clients/client-config-service/src/commands/DescribeAggregateComplianceByConformancePacksCommand.ts @@ -127,4 +127,16 @@ export class DescribeAggregateComplianceByConformancePacksCommand extends $Comma .f(void 0, void 0) .ser(se_DescribeAggregateComplianceByConformancePacksCommand) .de(de_DescribeAggregateComplianceByConformancePacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAggregateComplianceByConformancePacksRequest; + output: DescribeAggregateComplianceByConformancePacksResponse; + }; + sdk: { + input: DescribeAggregateComplianceByConformancePacksCommandInput; + output: DescribeAggregateComplianceByConformancePacksCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeAggregationAuthorizationsCommand.ts b/clients/client-config-service/src/commands/DescribeAggregationAuthorizationsCommand.ts index 95854220b891..2e8c0d05f614 100644 --- a/clients/client-config-service/src/commands/DescribeAggregationAuthorizationsCommand.ts +++ b/clients/client-config-service/src/commands/DescribeAggregationAuthorizationsCommand.ts @@ -107,4 +107,16 @@ export class DescribeAggregationAuthorizationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAggregationAuthorizationsCommand) .de(de_DescribeAggregationAuthorizationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAggregationAuthorizationsRequest; + output: DescribeAggregationAuthorizationsResponse; + }; + sdk: { + input: DescribeAggregationAuthorizationsCommandInput; + output: DescribeAggregationAuthorizationsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeComplianceByConfigRuleCommand.ts b/clients/client-config-service/src/commands/DescribeComplianceByConfigRuleCommand.ts index a5c944849575..b51e4194a16b 100644 --- a/clients/client-config-service/src/commands/DescribeComplianceByConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/DescribeComplianceByConfigRuleCommand.ts @@ -144,4 +144,16 @@ export class DescribeComplianceByConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeComplianceByConfigRuleCommand) .de(de_DescribeComplianceByConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComplianceByConfigRuleRequest; + output: DescribeComplianceByConfigRuleResponse; + }; + sdk: { + input: DescribeComplianceByConfigRuleCommandInput; + output: DescribeComplianceByConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeComplianceByResourceCommand.ts b/clients/client-config-service/src/commands/DescribeComplianceByResourceCommand.ts index 6faa851dbaf4..d90c21e01ca8 100644 --- a/clients/client-config-service/src/commands/DescribeComplianceByResourceCommand.ts +++ b/clients/client-config-service/src/commands/DescribeComplianceByResourceCommand.ts @@ -142,4 +142,16 @@ export class DescribeComplianceByResourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeComplianceByResourceCommand) .de(de_DescribeComplianceByResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComplianceByResourceRequest; + output: DescribeComplianceByResourceResponse; + }; + sdk: { + input: DescribeComplianceByResourceCommandInput; + output: DescribeComplianceByResourceCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConfigRuleEvaluationStatusCommand.ts b/clients/client-config-service/src/commands/DescribeConfigRuleEvaluationStatusCommand.ts index 0117eaaacafb..a89e55c89409 100644 --- a/clients/client-config-service/src/commands/DescribeConfigRuleEvaluationStatusCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConfigRuleEvaluationStatusCommand.ts @@ -121,4 +121,16 @@ export class DescribeConfigRuleEvaluationStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigRuleEvaluationStatusCommand) .de(de_DescribeConfigRuleEvaluationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigRuleEvaluationStatusRequest; + output: DescribeConfigRuleEvaluationStatusResponse; + }; + sdk: { + input: DescribeConfigRuleEvaluationStatusCommandInput; + output: DescribeConfigRuleEvaluationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConfigRulesCommand.ts b/clients/client-config-service/src/commands/DescribeConfigRulesCommand.ts index 6ce01ebd0f4d..34028ae602e0 100644 --- a/clients/client-config-service/src/commands/DescribeConfigRulesCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConfigRulesCommand.ts @@ -136,4 +136,16 @@ export class DescribeConfigRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigRulesCommand) .de(de_DescribeConfigRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigRulesRequest; + output: DescribeConfigRulesResponse; + }; + sdk: { + input: DescribeConfigRulesCommandInput; + output: DescribeConfigRulesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConfigurationAggregatorSourcesStatusCommand.ts b/clients/client-config-service/src/commands/DescribeConfigurationAggregatorSourcesStatusCommand.ts index bd091e565975..320367edbecf 100644 --- a/clients/client-config-service/src/commands/DescribeConfigurationAggregatorSourcesStatusCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConfigurationAggregatorSourcesStatusCommand.ts @@ -118,4 +118,16 @@ export class DescribeConfigurationAggregatorSourcesStatusCommand extends $Comman .f(void 0, void 0) .ser(se_DescribeConfigurationAggregatorSourcesStatusCommand) .de(de_DescribeConfigurationAggregatorSourcesStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationAggregatorSourcesStatusRequest; + output: DescribeConfigurationAggregatorSourcesStatusResponse; + }; + sdk: { + input: DescribeConfigurationAggregatorSourcesStatusCommandInput; + output: DescribeConfigurationAggregatorSourcesStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConfigurationAggregatorsCommand.ts b/clients/client-config-service/src/commands/DescribeConfigurationAggregatorsCommand.ts index ac6695cf5186..ffc4ae753494 100644 --- a/clients/client-config-service/src/commands/DescribeConfigurationAggregatorsCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConfigurationAggregatorsCommand.ts @@ -131,4 +131,16 @@ export class DescribeConfigurationAggregatorsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationAggregatorsCommand) .de(de_DescribeConfigurationAggregatorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationAggregatorsRequest; + output: DescribeConfigurationAggregatorsResponse; + }; + sdk: { + input: DescribeConfigurationAggregatorsCommandInput; + output: DescribeConfigurationAggregatorsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConfigurationRecorderStatusCommand.ts b/clients/client-config-service/src/commands/DescribeConfigurationRecorderStatusCommand.ts index d7800e1058ff..d0ca3666944d 100644 --- a/clients/client-config-service/src/commands/DescribeConfigurationRecorderStatusCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConfigurationRecorderStatusCommand.ts @@ -109,4 +109,16 @@ export class DescribeConfigurationRecorderStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationRecorderStatusCommand) .de(de_DescribeConfigurationRecorderStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationRecorderStatusRequest; + output: DescribeConfigurationRecorderStatusResponse; + }; + sdk: { + input: DescribeConfigurationRecorderStatusCommandInput; + output: DescribeConfigurationRecorderStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConfigurationRecordersCommand.ts b/clients/client-config-service/src/commands/DescribeConfigurationRecordersCommand.ts index 44acf621040f..d684148aa6bc 100644 --- a/clients/client-config-service/src/commands/DescribeConfigurationRecordersCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConfigurationRecordersCommand.ts @@ -126,4 +126,16 @@ export class DescribeConfigurationRecordersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationRecordersCommand) .de(de_DescribeConfigurationRecordersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationRecordersRequest; + output: DescribeConfigurationRecordersResponse; + }; + sdk: { + input: DescribeConfigurationRecordersCommandInput; + output: DescribeConfigurationRecordersCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConformancePackComplianceCommand.ts b/clients/client-config-service/src/commands/DescribeConformancePackComplianceCommand.ts index 4d8ee0c6579a..d83407f5c91f 100644 --- a/clients/client-config-service/src/commands/DescribeConformancePackComplianceCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConformancePackComplianceCommand.ts @@ -124,4 +124,16 @@ export class DescribeConformancePackComplianceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConformancePackComplianceCommand) .de(de_DescribeConformancePackComplianceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConformancePackComplianceRequest; + output: DescribeConformancePackComplianceResponse; + }; + sdk: { + input: DescribeConformancePackComplianceCommandInput; + output: DescribeConformancePackComplianceCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConformancePackStatusCommand.ts b/clients/client-config-service/src/commands/DescribeConformancePackStatusCommand.ts index 6f95ffbbbdfb..34e08e004041 100644 --- a/clients/client-config-service/src/commands/DescribeConformancePackStatusCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConformancePackStatusCommand.ts @@ -113,4 +113,16 @@ export class DescribeConformancePackStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConformancePackStatusCommand) .de(de_DescribeConformancePackStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConformancePackStatusRequest; + output: DescribeConformancePackStatusResponse; + }; + sdk: { + input: DescribeConformancePackStatusCommandInput; + output: DescribeConformancePackStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeConformancePacksCommand.ts b/clients/client-config-service/src/commands/DescribeConformancePacksCommand.ts index 6625a906be9d..42c623e4e474 100644 --- a/clients/client-config-service/src/commands/DescribeConformancePacksCommand.ts +++ b/clients/client-config-service/src/commands/DescribeConformancePacksCommand.ts @@ -117,4 +117,16 @@ export class DescribeConformancePacksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConformancePacksCommand) .de(de_DescribeConformancePacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConformancePacksRequest; + output: DescribeConformancePacksResponse; + }; + sdk: { + input: DescribeConformancePacksCommandInput; + output: DescribeConformancePacksCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeDeliveryChannelStatusCommand.ts b/clients/client-config-service/src/commands/DescribeDeliveryChannelStatusCommand.ts index 33f53d724089..65db0f3ef785 100644 --- a/clients/client-config-service/src/commands/DescribeDeliveryChannelStatusCommand.ts +++ b/clients/client-config-service/src/commands/DescribeDeliveryChannelStatusCommand.ts @@ -121,4 +121,16 @@ export class DescribeDeliveryChannelStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeliveryChannelStatusCommand) .de(de_DescribeDeliveryChannelStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeliveryChannelStatusRequest; + output: DescribeDeliveryChannelStatusResponse; + }; + sdk: { + input: DescribeDeliveryChannelStatusCommandInput; + output: DescribeDeliveryChannelStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeDeliveryChannelsCommand.ts b/clients/client-config-service/src/commands/DescribeDeliveryChannelsCommand.ts index 161390e7088c..1dfd5dab68ab 100644 --- a/clients/client-config-service/src/commands/DescribeDeliveryChannelsCommand.ts +++ b/clients/client-config-service/src/commands/DescribeDeliveryChannelsCommand.ts @@ -100,4 +100,16 @@ export class DescribeDeliveryChannelsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeliveryChannelsCommand) .de(de_DescribeDeliveryChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeliveryChannelsRequest; + output: DescribeDeliveryChannelsResponse; + }; + sdk: { + input: DescribeDeliveryChannelsCommandInput; + output: DescribeDeliveryChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeOrganizationConfigRuleStatusesCommand.ts b/clients/client-config-service/src/commands/DescribeOrganizationConfigRuleStatusesCommand.ts index 2717f7f836d7..bbbf8c6aa266 100644 --- a/clients/client-config-service/src/commands/DescribeOrganizationConfigRuleStatusesCommand.ts +++ b/clients/client-config-service/src/commands/DescribeOrganizationConfigRuleStatusesCommand.ts @@ -138,4 +138,16 @@ export class DescribeOrganizationConfigRuleStatusesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConfigRuleStatusesCommand) .de(de_DescribeOrganizationConfigRuleStatusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationConfigRuleStatusesRequest; + output: DescribeOrganizationConfigRuleStatusesResponse; + }; + sdk: { + input: DescribeOrganizationConfigRuleStatusesCommandInput; + output: DescribeOrganizationConfigRuleStatusesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeOrganizationConfigRulesCommand.ts b/clients/client-config-service/src/commands/DescribeOrganizationConfigRulesCommand.ts index 40ff61e39e4f..ea2cef64c30d 100644 --- a/clients/client-config-service/src/commands/DescribeOrganizationConfigRulesCommand.ts +++ b/clients/client-config-service/src/commands/DescribeOrganizationConfigRulesCommand.ts @@ -191,4 +191,16 @@ export class DescribeOrganizationConfigRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConfigRulesCommand) .de(de_DescribeOrganizationConfigRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationConfigRulesRequest; + output: DescribeOrganizationConfigRulesResponse; + }; + sdk: { + input: DescribeOrganizationConfigRulesCommandInput; + output: DescribeOrganizationConfigRulesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeOrganizationConformancePackStatusesCommand.ts b/clients/client-config-service/src/commands/DescribeOrganizationConformancePackStatusesCommand.ts index d308680e3841..0124501bf5f7 100644 --- a/clients/client-config-service/src/commands/DescribeOrganizationConformancePackStatusesCommand.ts +++ b/clients/client-config-service/src/commands/DescribeOrganizationConformancePackStatusesCommand.ts @@ -139,4 +139,16 @@ export class DescribeOrganizationConformancePackStatusesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConformancePackStatusesCommand) .de(de_DescribeOrganizationConformancePackStatusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationConformancePackStatusesRequest; + output: DescribeOrganizationConformancePackStatusesResponse; + }; + sdk: { + input: DescribeOrganizationConformancePackStatusesCommandInput; + output: DescribeOrganizationConformancePackStatusesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeOrganizationConformancePacksCommand.ts b/clients/client-config-service/src/commands/DescribeOrganizationConformancePacksCommand.ts index 49647017c16e..ef29bee21756 100644 --- a/clients/client-config-service/src/commands/DescribeOrganizationConformancePacksCommand.ts +++ b/clients/client-config-service/src/commands/DescribeOrganizationConformancePacksCommand.ts @@ -158,4 +158,16 @@ export class DescribeOrganizationConformancePacksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConformancePacksCommand) .de(de_DescribeOrganizationConformancePacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationConformancePacksRequest; + output: DescribeOrganizationConformancePacksResponse; + }; + sdk: { + input: DescribeOrganizationConformancePacksCommandInput; + output: DescribeOrganizationConformancePacksCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribePendingAggregationRequestsCommand.ts b/clients/client-config-service/src/commands/DescribePendingAggregationRequestsCommand.ts index 052531d23f71..f0dd21584df3 100644 --- a/clients/client-config-service/src/commands/DescribePendingAggregationRequestsCommand.ts +++ b/clients/client-config-service/src/commands/DescribePendingAggregationRequestsCommand.ts @@ -104,4 +104,16 @@ export class DescribePendingAggregationRequestsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePendingAggregationRequestsCommand) .de(de_DescribePendingAggregationRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePendingAggregationRequestsRequest; + output: DescribePendingAggregationRequestsResponse; + }; + sdk: { + input: DescribePendingAggregationRequestsCommandInput; + output: DescribePendingAggregationRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeRemediationConfigurationsCommand.ts b/clients/client-config-service/src/commands/DescribeRemediationConfigurationsCommand.ts index 27958b25a44b..b95db8d0eb6e 100644 --- a/clients/client-config-service/src/commands/DescribeRemediationConfigurationsCommand.ts +++ b/clients/client-config-service/src/commands/DescribeRemediationConfigurationsCommand.ts @@ -118,4 +118,16 @@ export class DescribeRemediationConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRemediationConfigurationsCommand) .de(de_DescribeRemediationConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRemediationConfigurationsRequest; + output: DescribeRemediationConfigurationsResponse; + }; + sdk: { + input: DescribeRemediationConfigurationsCommandInput; + output: DescribeRemediationConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeRemediationExceptionsCommand.ts b/clients/client-config-service/src/commands/DescribeRemediationExceptionsCommand.ts index 1be94182e7b6..166b2b2900be 100644 --- a/clients/client-config-service/src/commands/DescribeRemediationExceptionsCommand.ts +++ b/clients/client-config-service/src/commands/DescribeRemediationExceptionsCommand.ts @@ -115,4 +115,16 @@ export class DescribeRemediationExceptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRemediationExceptionsCommand) .de(de_DescribeRemediationExceptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRemediationExceptionsRequest; + output: DescribeRemediationExceptionsResponse; + }; + sdk: { + input: DescribeRemediationExceptionsCommandInput; + output: DescribeRemediationExceptionsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeRemediationExecutionStatusCommand.ts b/clients/client-config-service/src/commands/DescribeRemediationExecutionStatusCommand.ts index 1209624b732d..eb959f7020de 100644 --- a/clients/client-config-service/src/commands/DescribeRemediationExecutionStatusCommand.ts +++ b/clients/client-config-service/src/commands/DescribeRemediationExecutionStatusCommand.ts @@ -126,4 +126,16 @@ export class DescribeRemediationExecutionStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRemediationExecutionStatusCommand) .de(de_DescribeRemediationExecutionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRemediationExecutionStatusRequest; + output: DescribeRemediationExecutionStatusResponse; + }; + sdk: { + input: DescribeRemediationExecutionStatusCommandInput; + output: DescribeRemediationExecutionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/DescribeRetentionConfigurationsCommand.ts b/clients/client-config-service/src/commands/DescribeRetentionConfigurationsCommand.ts index e61b74b62f5d..78cd2cd6e600 100644 --- a/clients/client-config-service/src/commands/DescribeRetentionConfigurationsCommand.ts +++ b/clients/client-config-service/src/commands/DescribeRetentionConfigurationsCommand.ts @@ -110,4 +110,16 @@ export class DescribeRetentionConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRetentionConfigurationsCommand) .de(de_DescribeRetentionConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRetentionConfigurationsRequest; + output: DescribeRetentionConfigurationsResponse; + }; + sdk: { + input: DescribeRetentionConfigurationsCommandInput; + output: DescribeRetentionConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetAggregateComplianceDetailsByConfigRuleCommand.ts b/clients/client-config-service/src/commands/GetAggregateComplianceDetailsByConfigRuleCommand.ts index db8f41c60d09..505ef04af17d 100644 --- a/clients/client-config-service/src/commands/GetAggregateComplianceDetailsByConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/GetAggregateComplianceDetailsByConfigRuleCommand.ts @@ -136,4 +136,16 @@ export class GetAggregateComplianceDetailsByConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetAggregateComplianceDetailsByConfigRuleCommand) .de(de_GetAggregateComplianceDetailsByConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAggregateComplianceDetailsByConfigRuleRequest; + output: GetAggregateComplianceDetailsByConfigRuleResponse; + }; + sdk: { + input: GetAggregateComplianceDetailsByConfigRuleCommandInput; + output: GetAggregateComplianceDetailsByConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetAggregateConfigRuleComplianceSummaryCommand.ts b/clients/client-config-service/src/commands/GetAggregateConfigRuleComplianceSummaryCommand.ts index bbab8e0c9a37..d96f0cfb835e 100644 --- a/clients/client-config-service/src/commands/GetAggregateConfigRuleComplianceSummaryCommand.ts +++ b/clients/client-config-service/src/commands/GetAggregateConfigRuleComplianceSummaryCommand.ts @@ -132,4 +132,16 @@ export class GetAggregateConfigRuleComplianceSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetAggregateConfigRuleComplianceSummaryCommand) .de(de_GetAggregateConfigRuleComplianceSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAggregateConfigRuleComplianceSummaryRequest; + output: GetAggregateConfigRuleComplianceSummaryResponse; + }; + sdk: { + input: GetAggregateConfigRuleComplianceSummaryCommandInput; + output: GetAggregateConfigRuleComplianceSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetAggregateConformancePackComplianceSummaryCommand.ts b/clients/client-config-service/src/commands/GetAggregateConformancePackComplianceSummaryCommand.ts index 49e4b610452c..12acf8f5f910 100644 --- a/clients/client-config-service/src/commands/GetAggregateConformancePackComplianceSummaryCommand.ts +++ b/clients/client-config-service/src/commands/GetAggregateConformancePackComplianceSummaryCommand.ts @@ -122,4 +122,16 @@ export class GetAggregateConformancePackComplianceSummaryCommand extends $Comman .f(void 0, void 0) .ser(se_GetAggregateConformancePackComplianceSummaryCommand) .de(de_GetAggregateConformancePackComplianceSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAggregateConformancePackComplianceSummaryRequest; + output: GetAggregateConformancePackComplianceSummaryResponse; + }; + sdk: { + input: GetAggregateConformancePackComplianceSummaryCommandInput; + output: GetAggregateConformancePackComplianceSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetAggregateDiscoveredResourceCountsCommand.ts b/clients/client-config-service/src/commands/GetAggregateDiscoveredResourceCountsCommand.ts index 6331ecf39490..6a37ab0215be 100644 --- a/clients/client-config-service/src/commands/GetAggregateDiscoveredResourceCountsCommand.ts +++ b/clients/client-config-service/src/commands/GetAggregateDiscoveredResourceCountsCommand.ts @@ -119,4 +119,16 @@ export class GetAggregateDiscoveredResourceCountsCommand extends $Command .f(void 0, void 0) .ser(se_GetAggregateDiscoveredResourceCountsCommand) .de(de_GetAggregateDiscoveredResourceCountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAggregateDiscoveredResourceCountsRequest; + output: GetAggregateDiscoveredResourceCountsResponse; + }; + sdk: { + input: GetAggregateDiscoveredResourceCountsCommandInput; + output: GetAggregateDiscoveredResourceCountsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetAggregateResourceConfigCommand.ts b/clients/client-config-service/src/commands/GetAggregateResourceConfigCommand.ts index dec0443efe33..2caca298f82f 100644 --- a/clients/client-config-service/src/commands/GetAggregateResourceConfigCommand.ts +++ b/clients/client-config-service/src/commands/GetAggregateResourceConfigCommand.ts @@ -133,4 +133,16 @@ export class GetAggregateResourceConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetAggregateResourceConfigCommand) .de(de_GetAggregateResourceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAggregateResourceConfigRequest; + output: GetAggregateResourceConfigResponse; + }; + sdk: { + input: GetAggregateResourceConfigCommandInput; + output: GetAggregateResourceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetComplianceDetailsByConfigRuleCommand.ts b/clients/client-config-service/src/commands/GetComplianceDetailsByConfigRuleCommand.ts index 41022ee4b708..01f14032c944 100644 --- a/clients/client-config-service/src/commands/GetComplianceDetailsByConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/GetComplianceDetailsByConfigRuleCommand.ts @@ -121,4 +121,16 @@ export class GetComplianceDetailsByConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetComplianceDetailsByConfigRuleCommand) .de(de_GetComplianceDetailsByConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComplianceDetailsByConfigRuleRequest; + output: GetComplianceDetailsByConfigRuleResponse; + }; + sdk: { + input: GetComplianceDetailsByConfigRuleCommandInput; + output: GetComplianceDetailsByConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetComplianceDetailsByResourceCommand.ts b/clients/client-config-service/src/commands/GetComplianceDetailsByResourceCommand.ts index 071cd04201d4..9117b969f670 100644 --- a/clients/client-config-service/src/commands/GetComplianceDetailsByResourceCommand.ts +++ b/clients/client-config-service/src/commands/GetComplianceDetailsByResourceCommand.ts @@ -114,4 +114,16 @@ export class GetComplianceDetailsByResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetComplianceDetailsByResourceCommand) .de(de_GetComplianceDetailsByResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComplianceDetailsByResourceRequest; + output: GetComplianceDetailsByResourceResponse; + }; + sdk: { + input: GetComplianceDetailsByResourceCommandInput; + output: GetComplianceDetailsByResourceCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetComplianceSummaryByConfigRuleCommand.ts b/clients/client-config-service/src/commands/GetComplianceSummaryByConfigRuleCommand.ts index 41878385db79..0d3459fde50e 100644 --- a/clients/client-config-service/src/commands/GetComplianceSummaryByConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/GetComplianceSummaryByConfigRuleCommand.ts @@ -91,4 +91,16 @@ export class GetComplianceSummaryByConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetComplianceSummaryByConfigRuleCommand) .de(de_GetComplianceSummaryByConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetComplianceSummaryByConfigRuleResponse; + }; + sdk: { + input: GetComplianceSummaryByConfigRuleCommandInput; + output: GetComplianceSummaryByConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetComplianceSummaryByResourceTypeCommand.ts b/clients/client-config-service/src/commands/GetComplianceSummaryByResourceTypeCommand.ts index c08e3128bfec..5085c259d0b0 100644 --- a/clients/client-config-service/src/commands/GetComplianceSummaryByResourceTypeCommand.ts +++ b/clients/client-config-service/src/commands/GetComplianceSummaryByResourceTypeCommand.ts @@ -109,4 +109,16 @@ export class GetComplianceSummaryByResourceTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetComplianceSummaryByResourceTypeCommand) .de(de_GetComplianceSummaryByResourceTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComplianceSummaryByResourceTypeRequest; + output: GetComplianceSummaryByResourceTypeResponse; + }; + sdk: { + input: GetComplianceSummaryByResourceTypeCommandInput; + output: GetComplianceSummaryByResourceTypeCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetConformancePackComplianceDetailsCommand.ts b/clients/client-config-service/src/commands/GetConformancePackComplianceDetailsCommand.ts index 2f25ed2934cd..30342323ad80 100644 --- a/clients/client-config-service/src/commands/GetConformancePackComplianceDetailsCommand.ts +++ b/clients/client-config-service/src/commands/GetConformancePackComplianceDetailsCommand.ts @@ -134,4 +134,16 @@ export class GetConformancePackComplianceDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetConformancePackComplianceDetailsCommand) .de(de_GetConformancePackComplianceDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConformancePackComplianceDetailsRequest; + output: GetConformancePackComplianceDetailsResponse; + }; + sdk: { + input: GetConformancePackComplianceDetailsCommandInput; + output: GetConformancePackComplianceDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetConformancePackComplianceSummaryCommand.ts b/clients/client-config-service/src/commands/GetConformancePackComplianceSummaryCommand.ts index 35982373c49f..55b756632564 100644 --- a/clients/client-config-service/src/commands/GetConformancePackComplianceSummaryCommand.ts +++ b/clients/client-config-service/src/commands/GetConformancePackComplianceSummaryCommand.ts @@ -106,4 +106,16 @@ export class GetConformancePackComplianceSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetConformancePackComplianceSummaryCommand) .de(de_GetConformancePackComplianceSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConformancePackComplianceSummaryRequest; + output: GetConformancePackComplianceSummaryResponse; + }; + sdk: { + input: GetConformancePackComplianceSummaryCommandInput; + output: GetConformancePackComplianceSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetCustomRulePolicyCommand.ts b/clients/client-config-service/src/commands/GetCustomRulePolicyCommand.ts index e8382deeb114..113c3a940e25 100644 --- a/clients/client-config-service/src/commands/GetCustomRulePolicyCommand.ts +++ b/clients/client-config-service/src/commands/GetCustomRulePolicyCommand.ts @@ -80,4 +80,16 @@ export class GetCustomRulePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomRulePolicyCommand) .de(de_GetCustomRulePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomRulePolicyRequest; + output: GetCustomRulePolicyResponse; + }; + sdk: { + input: GetCustomRulePolicyCommandInput; + output: GetCustomRulePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetDiscoveredResourceCountsCommand.ts b/clients/client-config-service/src/commands/GetDiscoveredResourceCountsCommand.ts index f1dfe9a22bbe..1dafbc02649c 100644 --- a/clients/client-config-service/src/commands/GetDiscoveredResourceCountsCommand.ts +++ b/clients/client-config-service/src/commands/GetDiscoveredResourceCountsCommand.ts @@ -160,4 +160,16 @@ export class GetDiscoveredResourceCountsCommand extends $Command .f(void 0, void 0) .ser(se_GetDiscoveredResourceCountsCommand) .de(de_GetDiscoveredResourceCountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDiscoveredResourceCountsRequest; + output: GetDiscoveredResourceCountsResponse; + }; + sdk: { + input: GetDiscoveredResourceCountsCommandInput; + output: GetDiscoveredResourceCountsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetOrganizationConfigRuleDetailedStatusCommand.ts b/clients/client-config-service/src/commands/GetOrganizationConfigRuleDetailedStatusCommand.ts index 6c317fda464b..98b17bf0f63f 100644 --- a/clients/client-config-service/src/commands/GetOrganizationConfigRuleDetailedStatusCommand.ts +++ b/clients/client-config-service/src/commands/GetOrganizationConfigRuleDetailedStatusCommand.ts @@ -134,4 +134,16 @@ export class GetOrganizationConfigRuleDetailedStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetOrganizationConfigRuleDetailedStatusCommand) .de(de_GetOrganizationConfigRuleDetailedStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOrganizationConfigRuleDetailedStatusRequest; + output: GetOrganizationConfigRuleDetailedStatusResponse; + }; + sdk: { + input: GetOrganizationConfigRuleDetailedStatusCommandInput; + output: GetOrganizationConfigRuleDetailedStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetOrganizationConformancePackDetailedStatusCommand.ts b/clients/client-config-service/src/commands/GetOrganizationConformancePackDetailedStatusCommand.ts index f6f9e30d5540..4797795da766 100644 --- a/clients/client-config-service/src/commands/GetOrganizationConformancePackDetailedStatusCommand.ts +++ b/clients/client-config-service/src/commands/GetOrganizationConformancePackDetailedStatusCommand.ts @@ -135,4 +135,16 @@ export class GetOrganizationConformancePackDetailedStatusCommand extends $Comman .f(void 0, void 0) .ser(se_GetOrganizationConformancePackDetailedStatusCommand) .de(de_GetOrganizationConformancePackDetailedStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOrganizationConformancePackDetailedStatusRequest; + output: GetOrganizationConformancePackDetailedStatusResponse; + }; + sdk: { + input: GetOrganizationConformancePackDetailedStatusCommandInput; + output: GetOrganizationConformancePackDetailedStatusCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetOrganizationCustomRulePolicyCommand.ts b/clients/client-config-service/src/commands/GetOrganizationCustomRulePolicyCommand.ts index 41a0854542ec..7bc243654cda 100644 --- a/clients/client-config-service/src/commands/GetOrganizationCustomRulePolicyCommand.ts +++ b/clients/client-config-service/src/commands/GetOrganizationCustomRulePolicyCommand.ts @@ -106,4 +106,16 @@ export class GetOrganizationCustomRulePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetOrganizationCustomRulePolicyCommand) .de(de_GetOrganizationCustomRulePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOrganizationCustomRulePolicyRequest; + output: GetOrganizationCustomRulePolicyResponse; + }; + sdk: { + input: GetOrganizationCustomRulePolicyCommandInput; + output: GetOrganizationCustomRulePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetResourceConfigHistoryCommand.ts b/clients/client-config-service/src/commands/GetResourceConfigHistoryCommand.ts index 6cd2d579f29a..7cfb84f2131a 100644 --- a/clients/client-config-service/src/commands/GetResourceConfigHistoryCommand.ts +++ b/clients/client-config-service/src/commands/GetResourceConfigHistoryCommand.ts @@ -169,4 +169,16 @@ export class GetResourceConfigHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceConfigHistoryCommand) .de(de_GetResourceConfigHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceConfigHistoryRequest; + output: GetResourceConfigHistoryResponse; + }; + sdk: { + input: GetResourceConfigHistoryCommandInput; + output: GetResourceConfigHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetResourceEvaluationSummaryCommand.ts b/clients/client-config-service/src/commands/GetResourceEvaluationSummaryCommand.ts index eb8aca6916bd..9e79d8112f5d 100644 --- a/clients/client-config-service/src/commands/GetResourceEvaluationSummaryCommand.ts +++ b/clients/client-config-service/src/commands/GetResourceEvaluationSummaryCommand.ts @@ -107,4 +107,16 @@ export class GetResourceEvaluationSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceEvaluationSummaryCommand) .de(de_GetResourceEvaluationSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceEvaluationSummaryRequest; + output: GetResourceEvaluationSummaryResponse; + }; + sdk: { + input: GetResourceEvaluationSummaryCommandInput; + output: GetResourceEvaluationSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/GetStoredQueryCommand.ts b/clients/client-config-service/src/commands/GetStoredQueryCommand.ts index 22de8bde8dcc..1920cdeaf311 100644 --- a/clients/client-config-service/src/commands/GetStoredQueryCommand.ts +++ b/clients/client-config-service/src/commands/GetStoredQueryCommand.ts @@ -91,4 +91,16 @@ export class GetStoredQueryCommand extends $Command .f(void 0, void 0) .ser(se_GetStoredQueryCommand) .de(de_GetStoredQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStoredQueryRequest; + output: GetStoredQueryResponse; + }; + sdk: { + input: GetStoredQueryCommandInput; + output: GetStoredQueryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/ListAggregateDiscoveredResourcesCommand.ts b/clients/client-config-service/src/commands/ListAggregateDiscoveredResourcesCommand.ts index a00cc65aa64f..2fa5a2c9cd06 100644 --- a/clients/client-config-service/src/commands/ListAggregateDiscoveredResourcesCommand.ts +++ b/clients/client-config-service/src/commands/ListAggregateDiscoveredResourcesCommand.ts @@ -119,4 +119,16 @@ export class ListAggregateDiscoveredResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListAggregateDiscoveredResourcesCommand) .de(de_ListAggregateDiscoveredResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAggregateDiscoveredResourcesRequest; + output: ListAggregateDiscoveredResourcesResponse; + }; + sdk: { + input: ListAggregateDiscoveredResourcesCommandInput; + output: ListAggregateDiscoveredResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/ListConformancePackComplianceScoresCommand.ts b/clients/client-config-service/src/commands/ListConformancePackComplianceScoresCommand.ts index 9ff32b2f35c8..58fb57a6ea9a 100644 --- a/clients/client-config-service/src/commands/ListConformancePackComplianceScoresCommand.ts +++ b/clients/client-config-service/src/commands/ListConformancePackComplianceScoresCommand.ts @@ -118,4 +118,16 @@ export class ListConformancePackComplianceScoresCommand extends $Command .f(void 0, void 0) .ser(se_ListConformancePackComplianceScoresCommand) .de(de_ListConformancePackComplianceScoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConformancePackComplianceScoresRequest; + output: ListConformancePackComplianceScoresResponse; + }; + sdk: { + input: ListConformancePackComplianceScoresCommandInput; + output: ListConformancePackComplianceScoresCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/ListDiscoveredResourcesCommand.ts b/clients/client-config-service/src/commands/ListDiscoveredResourcesCommand.ts index d4920934c06c..da3f3f75326b 100644 --- a/clients/client-config-service/src/commands/ListDiscoveredResourcesCommand.ts +++ b/clients/client-config-service/src/commands/ListDiscoveredResourcesCommand.ts @@ -126,4 +126,16 @@ export class ListDiscoveredResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDiscoveredResourcesCommand) .de(de_ListDiscoveredResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDiscoveredResourcesRequest; + output: ListDiscoveredResourcesResponse; + }; + sdk: { + input: ListDiscoveredResourcesCommandInput; + output: ListDiscoveredResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/ListResourceEvaluationsCommand.ts b/clients/client-config-service/src/commands/ListResourceEvaluationsCommand.ts index 24f625c62aa8..caa9346194a8 100644 --- a/clients/client-config-service/src/commands/ListResourceEvaluationsCommand.ts +++ b/clients/client-config-service/src/commands/ListResourceEvaluationsCommand.ts @@ -106,4 +106,16 @@ export class ListResourceEvaluationsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceEvaluationsCommand) .de(de_ListResourceEvaluationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceEvaluationsRequest; + output: ListResourceEvaluationsResponse; + }; + sdk: { + input: ListResourceEvaluationsCommandInput; + output: ListResourceEvaluationsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/ListStoredQueriesCommand.ts b/clients/client-config-service/src/commands/ListStoredQueriesCommand.ts index c6303595251f..2a4fc26bdd11 100644 --- a/clients/client-config-service/src/commands/ListStoredQueriesCommand.ts +++ b/clients/client-config-service/src/commands/ListStoredQueriesCommand.ts @@ -96,4 +96,16 @@ export class ListStoredQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListStoredQueriesCommand) .de(de_ListStoredQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStoredQueriesRequest; + output: ListStoredQueriesResponse; + }; + sdk: { + input: ListStoredQueriesCommandInput; + output: ListStoredQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/ListTagsForResourceCommand.ts b/clients/client-config-service/src/commands/ListTagsForResourceCommand.ts index a62c537a6812..c7dc7d42cf03 100644 --- a/clients/client-config-service/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-config-service/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutAggregationAuthorizationCommand.ts b/clients/client-config-service/src/commands/PutAggregationAuthorizationCommand.ts index c4dd3f012f37..71612c6de88b 100644 --- a/clients/client-config-service/src/commands/PutAggregationAuthorizationCommand.ts +++ b/clients/client-config-service/src/commands/PutAggregationAuthorizationCommand.ts @@ -101,4 +101,16 @@ export class PutAggregationAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_PutAggregationAuthorizationCommand) .de(de_PutAggregationAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAggregationAuthorizationRequest; + output: PutAggregationAuthorizationResponse; + }; + sdk: { + input: PutAggregationAuthorizationCommandInput; + output: PutAggregationAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutConfigRuleCommand.ts b/clients/client-config-service/src/commands/PutConfigRuleCommand.ts index 575947219bdf..92f7b24d2dad 100644 --- a/clients/client-config-service/src/commands/PutConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/PutConfigRuleCommand.ts @@ -226,4 +226,16 @@ export class PutConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigRuleCommand) .de(de_PutConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigRuleRequest; + output: {}; + }; + sdk: { + input: PutConfigRuleCommandInput; + output: PutConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutConfigurationAggregatorCommand.ts b/clients/client-config-service/src/commands/PutConfigurationAggregatorCommand.ts index 4396ec6d8f14..18671e076c3d 100644 --- a/clients/client-config-service/src/commands/PutConfigurationAggregatorCommand.ts +++ b/clients/client-config-service/src/commands/PutConfigurationAggregatorCommand.ts @@ -185,4 +185,16 @@ export class PutConfigurationAggregatorCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationAggregatorCommand) .de(de_PutConfigurationAggregatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationAggregatorRequest; + output: PutConfigurationAggregatorResponse; + }; + sdk: { + input: PutConfigurationAggregatorCommandInput; + output: PutConfigurationAggregatorCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutConfigurationRecorderCommand.ts b/clients/client-config-service/src/commands/PutConfigurationRecorderCommand.ts index d30b9091b27a..e709be66fbc2 100644 --- a/clients/client-config-service/src/commands/PutConfigurationRecorderCommand.ts +++ b/clients/client-config-service/src/commands/PutConfigurationRecorderCommand.ts @@ -159,4 +159,16 @@ export class PutConfigurationRecorderCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationRecorderCommand) .de(de_PutConfigurationRecorderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationRecorderRequest; + output: {}; + }; + sdk: { + input: PutConfigurationRecorderCommandInput; + output: PutConfigurationRecorderCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutConformancePackCommand.ts b/clients/client-config-service/src/commands/PutConformancePackCommand.ts index f3bf1594cba3..f8f7c33709a6 100644 --- a/clients/client-config-service/src/commands/PutConformancePackCommand.ts +++ b/clients/client-config-service/src/commands/PutConformancePackCommand.ts @@ -163,4 +163,16 @@ export class PutConformancePackCommand extends $Command .f(void 0, void 0) .ser(se_PutConformancePackCommand) .de(de_PutConformancePackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConformancePackRequest; + output: PutConformancePackResponse; + }; + sdk: { + input: PutConformancePackCommandInput; + output: PutConformancePackCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutDeliveryChannelCommand.ts b/clients/client-config-service/src/commands/PutDeliveryChannelCommand.ts index ea0d89c257bf..a844973d8ecf 100644 --- a/clients/client-config-service/src/commands/PutDeliveryChannelCommand.ts +++ b/clients/client-config-service/src/commands/PutDeliveryChannelCommand.ts @@ -128,4 +128,16 @@ export class PutDeliveryChannelCommand extends $Command .f(void 0, void 0) .ser(se_PutDeliveryChannelCommand) .de(de_PutDeliveryChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDeliveryChannelRequest; + output: {}; + }; + sdk: { + input: PutDeliveryChannelCommandInput; + output: PutDeliveryChannelCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutEvaluationsCommand.ts b/clients/client-config-service/src/commands/PutEvaluationsCommand.ts index f29fcc9df1e9..58c636f90fa3 100644 --- a/clients/client-config-service/src/commands/PutEvaluationsCommand.ts +++ b/clients/client-config-service/src/commands/PutEvaluationsCommand.ts @@ -107,4 +107,16 @@ export class PutEvaluationsCommand extends $Command .f(void 0, void 0) .ser(se_PutEvaluationsCommand) .de(de_PutEvaluationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEvaluationsRequest; + output: PutEvaluationsResponse; + }; + sdk: { + input: PutEvaluationsCommandInput; + output: PutEvaluationsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutExternalEvaluationCommand.ts b/clients/client-config-service/src/commands/PutExternalEvaluationCommand.ts index 9979b98f8fcd..228d7c2292f2 100644 --- a/clients/client-config-service/src/commands/PutExternalEvaluationCommand.ts +++ b/clients/client-config-service/src/commands/PutExternalEvaluationCommand.ts @@ -90,4 +90,16 @@ export class PutExternalEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_PutExternalEvaluationCommand) .de(de_PutExternalEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutExternalEvaluationRequest; + output: {}; + }; + sdk: { + input: PutExternalEvaluationCommandInput; + output: PutExternalEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutOrganizationConfigRuleCommand.ts b/clients/client-config-service/src/commands/PutOrganizationConfigRuleCommand.ts index 672275621ec0..4a7876592ed2 100644 --- a/clients/client-config-service/src/commands/PutOrganizationConfigRuleCommand.ts +++ b/clients/client-config-service/src/commands/PutOrganizationConfigRuleCommand.ts @@ -252,4 +252,16 @@ export class PutOrganizationConfigRuleCommand extends $Command .f(void 0, void 0) .ser(se_PutOrganizationConfigRuleCommand) .de(de_PutOrganizationConfigRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutOrganizationConfigRuleRequest; + output: PutOrganizationConfigRuleResponse; + }; + sdk: { + input: PutOrganizationConfigRuleCommandInput; + output: PutOrganizationConfigRuleCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutOrganizationConformancePackCommand.ts b/clients/client-config-service/src/commands/PutOrganizationConformancePackCommand.ts index b961a6544b1d..a55b506e38f0 100644 --- a/clients/client-config-service/src/commands/PutOrganizationConformancePackCommand.ts +++ b/clients/client-config-service/src/commands/PutOrganizationConformancePackCommand.ts @@ -205,4 +205,16 @@ export class PutOrganizationConformancePackCommand extends $Command .f(void 0, void 0) .ser(se_PutOrganizationConformancePackCommand) .de(de_PutOrganizationConformancePackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutOrganizationConformancePackRequest; + output: PutOrganizationConformancePackResponse; + }; + sdk: { + input: PutOrganizationConformancePackCommandInput; + output: PutOrganizationConformancePackCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutRemediationConfigurationsCommand.ts b/clients/client-config-service/src/commands/PutRemediationConfigurationsCommand.ts index 61aee94c2c91..69dbd77f6065 100644 --- a/clients/client-config-service/src/commands/PutRemediationConfigurationsCommand.ts +++ b/clients/client-config-service/src/commands/PutRemediationConfigurationsCommand.ts @@ -208,4 +208,16 @@ export class PutRemediationConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_PutRemediationConfigurationsCommand) .de(de_PutRemediationConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRemediationConfigurationsRequest; + output: PutRemediationConfigurationsResponse; + }; + sdk: { + input: PutRemediationConfigurationsCommandInput; + output: PutRemediationConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutRemediationExceptionsCommand.ts b/clients/client-config-service/src/commands/PutRemediationExceptionsCommand.ts index e7209b5c26ba..5816fdbeb63d 100644 --- a/clients/client-config-service/src/commands/PutRemediationExceptionsCommand.ts +++ b/clients/client-config-service/src/commands/PutRemediationExceptionsCommand.ts @@ -163,4 +163,16 @@ export class PutRemediationExceptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutRemediationExceptionsCommand) .de(de_PutRemediationExceptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRemediationExceptionsRequest; + output: PutRemediationExceptionsResponse; + }; + sdk: { + input: PutRemediationExceptionsCommandInput; + output: PutRemediationExceptionsCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutResourceConfigCommand.ts b/clients/client-config-service/src/commands/PutResourceConfigCommand.ts index f65524596c12..0312ebabf0b0 100644 --- a/clients/client-config-service/src/commands/PutResourceConfigCommand.ts +++ b/clients/client-config-service/src/commands/PutResourceConfigCommand.ts @@ -129,4 +129,16 @@ export class PutResourceConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutResourceConfigCommand) .de(de_PutResourceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourceConfigRequest; + output: {}; + }; + sdk: { + input: PutResourceConfigCommandInput; + output: PutResourceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutRetentionConfigurationCommand.ts b/clients/client-config-service/src/commands/PutRetentionConfigurationCommand.ts index ae6d09c7ab23..82acb94f6372 100644 --- a/clients/client-config-service/src/commands/PutRetentionConfigurationCommand.ts +++ b/clients/client-config-service/src/commands/PutRetentionConfigurationCommand.ts @@ -97,4 +97,16 @@ export class PutRetentionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutRetentionConfigurationCommand) .de(de_PutRetentionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRetentionConfigurationRequest; + output: PutRetentionConfigurationResponse; + }; + sdk: { + input: PutRetentionConfigurationCommandInput; + output: PutRetentionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/PutStoredQueryCommand.ts b/clients/client-config-service/src/commands/PutStoredQueryCommand.ts index 96851c9ef3ac..b75066c4b527 100644 --- a/clients/client-config-service/src/commands/PutStoredQueryCommand.ts +++ b/clients/client-config-service/src/commands/PutStoredQueryCommand.ts @@ -109,4 +109,16 @@ export class PutStoredQueryCommand extends $Command .f(void 0, void 0) .ser(se_PutStoredQueryCommand) .de(de_PutStoredQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutStoredQueryRequest; + output: PutStoredQueryResponse; + }; + sdk: { + input: PutStoredQueryCommandInput; + output: PutStoredQueryCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/SelectAggregateResourceConfigCommand.ts b/clients/client-config-service/src/commands/SelectAggregateResourceConfigCommand.ts index 06f2ef318b0b..203d46afdd11 100644 --- a/clients/client-config-service/src/commands/SelectAggregateResourceConfigCommand.ts +++ b/clients/client-config-service/src/commands/SelectAggregateResourceConfigCommand.ts @@ -121,4 +121,16 @@ export class SelectAggregateResourceConfigCommand extends $Command .f(void 0, void 0) .ser(se_SelectAggregateResourceConfigCommand) .de(de_SelectAggregateResourceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SelectAggregateResourceConfigRequest; + output: SelectAggregateResourceConfigResponse; + }; + sdk: { + input: SelectAggregateResourceConfigCommandInput; + output: SelectAggregateResourceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/SelectResourceConfigCommand.ts b/clients/client-config-service/src/commands/SelectResourceConfigCommand.ts index 90e6794de0b9..652d5fe05b74 100644 --- a/clients/client-config-service/src/commands/SelectResourceConfigCommand.ts +++ b/clients/client-config-service/src/commands/SelectResourceConfigCommand.ts @@ -104,4 +104,16 @@ export class SelectResourceConfigCommand extends $Command .f(void 0, void 0) .ser(se_SelectResourceConfigCommand) .de(de_SelectResourceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SelectResourceConfigRequest; + output: SelectResourceConfigResponse; + }; + sdk: { + input: SelectResourceConfigCommandInput; + output: SelectResourceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/StartConfigRulesEvaluationCommand.ts b/clients/client-config-service/src/commands/StartConfigRulesEvaluationCommand.ts index 6ecfd56f778c..6a49c45306fc 100644 --- a/clients/client-config-service/src/commands/StartConfigRulesEvaluationCommand.ts +++ b/clients/client-config-service/src/commands/StartConfigRulesEvaluationCommand.ts @@ -163,4 +163,16 @@ export class StartConfigRulesEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_StartConfigRulesEvaluationCommand) .de(de_StartConfigRulesEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartConfigRulesEvaluationRequest; + output: {}; + }; + sdk: { + input: StartConfigRulesEvaluationCommandInput; + output: StartConfigRulesEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/StartConfigurationRecorderCommand.ts b/clients/client-config-service/src/commands/StartConfigurationRecorderCommand.ts index 52d62bba35d0..a6a11ff54f3f 100644 --- a/clients/client-config-service/src/commands/StartConfigurationRecorderCommand.ts +++ b/clients/client-config-service/src/commands/StartConfigurationRecorderCommand.ts @@ -86,4 +86,16 @@ export class StartConfigurationRecorderCommand extends $Command .f(void 0, void 0) .ser(se_StartConfigurationRecorderCommand) .de(de_StartConfigurationRecorderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartConfigurationRecorderRequest; + output: {}; + }; + sdk: { + input: StartConfigurationRecorderCommandInput; + output: StartConfigurationRecorderCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/StartRemediationExecutionCommand.ts b/clients/client-config-service/src/commands/StartRemediationExecutionCommand.ts index 080e8812fba5..10e1538f5351 100644 --- a/clients/client-config-service/src/commands/StartRemediationExecutionCommand.ts +++ b/clients/client-config-service/src/commands/StartRemediationExecutionCommand.ts @@ -122,4 +122,16 @@ export class StartRemediationExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartRemediationExecutionCommand) .de(de_StartRemediationExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRemediationExecutionRequest; + output: StartRemediationExecutionResponse; + }; + sdk: { + input: StartRemediationExecutionCommandInput; + output: StartRemediationExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/StartResourceEvaluationCommand.ts b/clients/client-config-service/src/commands/StartResourceEvaluationCommand.ts index 9eff1a6dead6..e95b440b2eb3 100644 --- a/clients/client-config-service/src/commands/StartResourceEvaluationCommand.ts +++ b/clients/client-config-service/src/commands/StartResourceEvaluationCommand.ts @@ -105,4 +105,16 @@ export class StartResourceEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_StartResourceEvaluationCommand) .de(de_StartResourceEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartResourceEvaluationRequest; + output: StartResourceEvaluationResponse; + }; + sdk: { + input: StartResourceEvaluationCommandInput; + output: StartResourceEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/StopConfigurationRecorderCommand.ts b/clients/client-config-service/src/commands/StopConfigurationRecorderCommand.ts index f7276bc58765..79d56dc7a011 100644 --- a/clients/client-config-service/src/commands/StopConfigurationRecorderCommand.ts +++ b/clients/client-config-service/src/commands/StopConfigurationRecorderCommand.ts @@ -79,4 +79,16 @@ export class StopConfigurationRecorderCommand extends $Command .f(void 0, void 0) .ser(se_StopConfigurationRecorderCommand) .de(de_StopConfigurationRecorderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopConfigurationRecorderRequest; + output: {}; + }; + sdk: { + input: StopConfigurationRecorderCommandInput; + output: StopConfigurationRecorderCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/TagResourceCommand.ts b/clients/client-config-service/src/commands/TagResourceCommand.ts index a9343493e0df..5d0e9d6c3933 100644 --- a/clients/client-config-service/src/commands/TagResourceCommand.ts +++ b/clients/client-config-service/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-config-service/src/commands/UntagResourceCommand.ts b/clients/client-config-service/src/commands/UntagResourceCommand.ts index 33e7fefc76d8..520a54d5523b 100644 --- a/clients/client-config-service/src/commands/UntagResourceCommand.ts +++ b/clients/client-config-service/src/commands/UntagResourceCommand.ts @@ -86,4 +86,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connect-contact-lens/package.json b/clients/client-connect-contact-lens/package.json index 40ceb51557d3..9f63ee3f41f2 100644 --- a/clients/client-connect-contact-lens/package.json +++ b/clients/client-connect-contact-lens/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-connect-contact-lens/src/commands/ListRealtimeContactAnalysisSegmentsCommand.ts b/clients/client-connect-contact-lens/src/commands/ListRealtimeContactAnalysisSegmentsCommand.ts index 3a3d4427b39f..32268c64138f 100644 --- a/clients/client-connect-contact-lens/src/commands/ListRealtimeContactAnalysisSegmentsCommand.ts +++ b/clients/client-connect-contact-lens/src/commands/ListRealtimeContactAnalysisSegmentsCommand.ts @@ -148,4 +148,16 @@ export class ListRealtimeContactAnalysisSegmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListRealtimeContactAnalysisSegmentsCommand) .de(de_ListRealtimeContactAnalysisSegmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRealtimeContactAnalysisSegmentsRequest; + output: ListRealtimeContactAnalysisSegmentsResponse; + }; + sdk: { + input: ListRealtimeContactAnalysisSegmentsCommandInput; + output: ListRealtimeContactAnalysisSegmentsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/package.json b/clients/client-connect/package.json index 7d4b1f0afe9b..7910191ecfa1 100644 --- a/clients/client-connect/package.json +++ b/clients/client-connect/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-connect/src/commands/ActivateEvaluationFormCommand.ts b/clients/client-connect/src/commands/ActivateEvaluationFormCommand.ts index 2077f3e8fec1..a58c1eda6a9f 100644 --- a/clients/client-connect/src/commands/ActivateEvaluationFormCommand.ts +++ b/clients/client-connect/src/commands/ActivateEvaluationFormCommand.ts @@ -97,4 +97,16 @@ export class ActivateEvaluationFormCommand extends $Command .f(void 0, void 0) .ser(se_ActivateEvaluationFormCommand) .de(de_ActivateEvaluationFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateEvaluationFormRequest; + output: ActivateEvaluationFormResponse; + }; + sdk: { + input: ActivateEvaluationFormCommandInput; + output: ActivateEvaluationFormCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateAnalyticsDataSetCommand.ts b/clients/client-connect/src/commands/AssociateAnalyticsDataSetCommand.ts index b8b348a44c7e..bf2300addb7a 100644 --- a/clients/client-connect/src/commands/AssociateAnalyticsDataSetCommand.ts +++ b/clients/client-connect/src/commands/AssociateAnalyticsDataSetCommand.ts @@ -99,4 +99,16 @@ export class AssociateAnalyticsDataSetCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAnalyticsDataSetCommand) .de(de_AssociateAnalyticsDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAnalyticsDataSetRequest; + output: AssociateAnalyticsDataSetResponse; + }; + sdk: { + input: AssociateAnalyticsDataSetCommandInput; + output: AssociateAnalyticsDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateApprovedOriginCommand.ts b/clients/client-connect/src/commands/AssociateApprovedOriginCommand.ts index 8b63c72e8a7f..6a11ec2d61aa 100644 --- a/clients/client-connect/src/commands/AssociateApprovedOriginCommand.ts +++ b/clients/client-connect/src/commands/AssociateApprovedOriginCommand.ts @@ -98,4 +98,16 @@ export class AssociateApprovedOriginCommand extends $Command .f(void 0, void 0) .ser(se_AssociateApprovedOriginCommand) .de(de_AssociateApprovedOriginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateApprovedOriginRequest; + output: {}; + }; + sdk: { + input: AssociateApprovedOriginCommandInput; + output: AssociateApprovedOriginCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateBotCommand.ts b/clients/client-connect/src/commands/AssociateBotCommand.ts index 8521c18c4371..5317896435ba 100644 --- a/clients/client-connect/src/commands/AssociateBotCommand.ts +++ b/clients/client-connect/src/commands/AssociateBotCommand.ts @@ -105,4 +105,16 @@ export class AssociateBotCommand extends $Command .f(void 0, void 0) .ser(se_AssociateBotCommand) .de(de_AssociateBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateBotRequest; + output: {}; + }; + sdk: { + input: AssociateBotCommandInput; + output: AssociateBotCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateDefaultVocabularyCommand.ts b/clients/client-connect/src/commands/AssociateDefaultVocabularyCommand.ts index cd7a14b6cba0..71fcc4f8ca6b 100644 --- a/clients/client-connect/src/commands/AssociateDefaultVocabularyCommand.ts +++ b/clients/client-connect/src/commands/AssociateDefaultVocabularyCommand.ts @@ -93,4 +93,16 @@ export class AssociateDefaultVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDefaultVocabularyCommand) .de(de_AssociateDefaultVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDefaultVocabularyRequest; + output: {}; + }; + sdk: { + input: AssociateDefaultVocabularyCommandInput; + output: AssociateDefaultVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateFlowCommand.ts b/clients/client-connect/src/commands/AssociateFlowCommand.ts index 0a1fb2b5cd9b..43557bff0a0f 100644 --- a/clients/client-connect/src/commands/AssociateFlowCommand.ts +++ b/clients/client-connect/src/commands/AssociateFlowCommand.ts @@ -96,4 +96,16 @@ export class AssociateFlowCommand extends $Command .f(void 0, void 0) .ser(se_AssociateFlowCommand) .de(de_AssociateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFlowRequest; + output: {}; + }; + sdk: { + input: AssociateFlowCommandInput; + output: AssociateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateInstanceStorageConfigCommand.ts b/clients/client-connect/src/commands/AssociateInstanceStorageConfigCommand.ts index d4eac84e124e..bfdfa2e43dc3 100644 --- a/clients/client-connect/src/commands/AssociateInstanceStorageConfigCommand.ts +++ b/clients/client-connect/src/commands/AssociateInstanceStorageConfigCommand.ts @@ -133,4 +133,16 @@ export class AssociateInstanceStorageConfigCommand extends $Command .f(void 0, void 0) .ser(se_AssociateInstanceStorageConfigCommand) .de(de_AssociateInstanceStorageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateInstanceStorageConfigRequest; + output: AssociateInstanceStorageConfigResponse; + }; + sdk: { + input: AssociateInstanceStorageConfigCommandInput; + output: AssociateInstanceStorageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateLambdaFunctionCommand.ts b/clients/client-connect/src/commands/AssociateLambdaFunctionCommand.ts index d50dcc265298..961c89fc0444 100644 --- a/clients/client-connect/src/commands/AssociateLambdaFunctionCommand.ts +++ b/clients/client-connect/src/commands/AssociateLambdaFunctionCommand.ts @@ -99,4 +99,16 @@ export class AssociateLambdaFunctionCommand extends $Command .f(void 0, void 0) .ser(se_AssociateLambdaFunctionCommand) .de(de_AssociateLambdaFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateLambdaFunctionRequest; + output: {}; + }; + sdk: { + input: AssociateLambdaFunctionCommandInput; + output: AssociateLambdaFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateLexBotCommand.ts b/clients/client-connect/src/commands/AssociateLexBotCommand.ts index 24b9bfbc4663..59ceea41dc9b 100644 --- a/clients/client-connect/src/commands/AssociateLexBotCommand.ts +++ b/clients/client-connect/src/commands/AssociateLexBotCommand.ts @@ -102,4 +102,16 @@ export class AssociateLexBotCommand extends $Command .f(void 0, void 0) .ser(se_AssociateLexBotCommand) .de(de_AssociateLexBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateLexBotRequest; + output: {}; + }; + sdk: { + input: AssociateLexBotCommandInput; + output: AssociateLexBotCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociatePhoneNumberContactFlowCommand.ts b/clients/client-connect/src/commands/AssociatePhoneNumberContactFlowCommand.ts index 69eb822f0782..0b24d581e075 100644 --- a/clients/client-connect/src/commands/AssociatePhoneNumberContactFlowCommand.ts +++ b/clients/client-connect/src/commands/AssociatePhoneNumberContactFlowCommand.ts @@ -106,4 +106,16 @@ export class AssociatePhoneNumberContactFlowCommand extends $Command .f(void 0, void 0) .ser(se_AssociatePhoneNumberContactFlowCommand) .de(de_AssociatePhoneNumberContactFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePhoneNumberContactFlowRequest; + output: {}; + }; + sdk: { + input: AssociatePhoneNumberContactFlowCommandInput; + output: AssociatePhoneNumberContactFlowCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateQueueQuickConnectsCommand.ts b/clients/client-connect/src/commands/AssociateQueueQuickConnectsCommand.ts index 012790cf4aaf..ea49ca813a25 100644 --- a/clients/client-connect/src/commands/AssociateQueueQuickConnectsCommand.ts +++ b/clients/client-connect/src/commands/AssociateQueueQuickConnectsCommand.ts @@ -101,4 +101,16 @@ export class AssociateQueueQuickConnectsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateQueueQuickConnectsCommand) .de(de_AssociateQueueQuickConnectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateQueueQuickConnectsRequest; + output: {}; + }; + sdk: { + input: AssociateQueueQuickConnectsCommandInput; + output: AssociateQueueQuickConnectsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateRoutingProfileQueuesCommand.ts b/clients/client-connect/src/commands/AssociateRoutingProfileQueuesCommand.ts index 5a1486651fe8..c89a3a572bf4 100644 --- a/clients/client-connect/src/commands/AssociateRoutingProfileQueuesCommand.ts +++ b/clients/client-connect/src/commands/AssociateRoutingProfileQueuesCommand.ts @@ -104,4 +104,16 @@ export class AssociateRoutingProfileQueuesCommand extends $Command .f(void 0, void 0) .ser(se_AssociateRoutingProfileQueuesCommand) .de(de_AssociateRoutingProfileQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateRoutingProfileQueuesRequest; + output: {}; + }; + sdk: { + input: AssociateRoutingProfileQueuesCommandInput; + output: AssociateRoutingProfileQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateSecurityKeyCommand.ts b/clients/client-connect/src/commands/AssociateSecurityKeyCommand.ts index aafd95d4ede7..a227bd6951bc 100644 --- a/clients/client-connect/src/commands/AssociateSecurityKeyCommand.ts +++ b/clients/client-connect/src/commands/AssociateSecurityKeyCommand.ts @@ -100,4 +100,16 @@ export class AssociateSecurityKeyCommand extends $Command .f(void 0, void 0) .ser(se_AssociateSecurityKeyCommand) .de(de_AssociateSecurityKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSecurityKeyRequest; + output: AssociateSecurityKeyResponse; + }; + sdk: { + input: AssociateSecurityKeyCommandInput; + output: AssociateSecurityKeyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateTrafficDistributionGroupUserCommand.ts b/clients/client-connect/src/commands/AssociateTrafficDistributionGroupUserCommand.ts index 07fa56d0ead3..e0c1fdfb249d 100644 --- a/clients/client-connect/src/commands/AssociateTrafficDistributionGroupUserCommand.ts +++ b/clients/client-connect/src/commands/AssociateTrafficDistributionGroupUserCommand.ts @@ -104,4 +104,16 @@ export class AssociateTrafficDistributionGroupUserCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTrafficDistributionGroupUserCommand) .de(de_AssociateTrafficDistributionGroupUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTrafficDistributionGroupUserRequest; + output: {}; + }; + sdk: { + input: AssociateTrafficDistributionGroupUserCommandInput; + output: AssociateTrafficDistributionGroupUserCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/AssociateUserProficienciesCommand.ts b/clients/client-connect/src/commands/AssociateUserProficienciesCommand.ts index 7de2db07721f..8ca26358cb0b 100644 --- a/clients/client-connect/src/commands/AssociateUserProficienciesCommand.ts +++ b/clients/client-connect/src/commands/AssociateUserProficienciesCommand.ts @@ -98,4 +98,16 @@ export class AssociateUserProficienciesCommand extends $Command .f(void 0, void 0) .ser(se_AssociateUserProficienciesCommand) .de(de_AssociateUserProficienciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateUserProficienciesRequest; + output: {}; + }; + sdk: { + input: AssociateUserProficienciesCommandInput; + output: AssociateUserProficienciesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/BatchAssociateAnalyticsDataSetCommand.ts b/clients/client-connect/src/commands/BatchAssociateAnalyticsDataSetCommand.ts index 9180162aeb24..0f277ecfc56f 100644 --- a/clients/client-connect/src/commands/BatchAssociateAnalyticsDataSetCommand.ts +++ b/clients/client-connect/src/commands/BatchAssociateAnalyticsDataSetCommand.ts @@ -116,4 +116,16 @@ export class BatchAssociateAnalyticsDataSetCommand extends $Command .f(void 0, void 0) .ser(se_BatchAssociateAnalyticsDataSetCommand) .de(de_BatchAssociateAnalyticsDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateAnalyticsDataSetRequest; + output: BatchAssociateAnalyticsDataSetResponse; + }; + sdk: { + input: BatchAssociateAnalyticsDataSetCommandInput; + output: BatchAssociateAnalyticsDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/BatchDisassociateAnalyticsDataSetCommand.ts b/clients/client-connect/src/commands/BatchDisassociateAnalyticsDataSetCommand.ts index d7b21bca519d..25be105baf73 100644 --- a/clients/client-connect/src/commands/BatchDisassociateAnalyticsDataSetCommand.ts +++ b/clients/client-connect/src/commands/BatchDisassociateAnalyticsDataSetCommand.ts @@ -114,4 +114,16 @@ export class BatchDisassociateAnalyticsDataSetCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisassociateAnalyticsDataSetCommand) .de(de_BatchDisassociateAnalyticsDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateAnalyticsDataSetRequest; + output: BatchDisassociateAnalyticsDataSetResponse; + }; + sdk: { + input: BatchDisassociateAnalyticsDataSetCommandInput; + output: BatchDisassociateAnalyticsDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/BatchGetAttachedFileMetadataCommand.ts b/clients/client-connect/src/commands/BatchGetAttachedFileMetadataCommand.ts index 9f69cfee17fa..a5adeb9edad7 100644 --- a/clients/client-connect/src/commands/BatchGetAttachedFileMetadataCommand.ts +++ b/clients/client-connect/src/commands/BatchGetAttachedFileMetadataCommand.ts @@ -128,4 +128,16 @@ export class BatchGetAttachedFileMetadataCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetAttachedFileMetadataCommand) .de(de_BatchGetAttachedFileMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetAttachedFileMetadataRequest; + output: BatchGetAttachedFileMetadataResponse; + }; + sdk: { + input: BatchGetAttachedFileMetadataCommandInput; + output: BatchGetAttachedFileMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/BatchGetFlowAssociationCommand.ts b/clients/client-connect/src/commands/BatchGetFlowAssociationCommand.ts index 3679cd931679..9d9bd537eec9 100644 --- a/clients/client-connect/src/commands/BatchGetFlowAssociationCommand.ts +++ b/clients/client-connect/src/commands/BatchGetFlowAssociationCommand.ts @@ -105,4 +105,16 @@ export class BatchGetFlowAssociationCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetFlowAssociationCommand) .de(de_BatchGetFlowAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetFlowAssociationRequest; + output: BatchGetFlowAssociationResponse; + }; + sdk: { + input: BatchGetFlowAssociationCommandInput; + output: BatchGetFlowAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/BatchPutContactCommand.ts b/clients/client-connect/src/commands/BatchPutContactCommand.ts index cbc9d711e9e0..7a8e39b0c078 100644 --- a/clients/client-connect/src/commands/BatchPutContactCommand.ts +++ b/clients/client-connect/src/commands/BatchPutContactCommand.ts @@ -136,4 +136,16 @@ export class BatchPutContactCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutContactCommand) .de(de_BatchPutContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutContactRequest; + output: BatchPutContactResponse; + }; + sdk: { + input: BatchPutContactCommandInput; + output: BatchPutContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ClaimPhoneNumberCommand.ts b/clients/client-connect/src/commands/ClaimPhoneNumberCommand.ts index b953936d1c7d..799f910ecc32 100644 --- a/clients/client-connect/src/commands/ClaimPhoneNumberCommand.ts +++ b/clients/client-connect/src/commands/ClaimPhoneNumberCommand.ts @@ -126,4 +126,16 @@ export class ClaimPhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_ClaimPhoneNumberCommand) .de(de_ClaimPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ClaimPhoneNumberRequest; + output: ClaimPhoneNumberResponse; + }; + sdk: { + input: ClaimPhoneNumberCommandInput; + output: ClaimPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CompleteAttachedFileUploadCommand.ts b/clients/client-connect/src/commands/CompleteAttachedFileUploadCommand.ts index f6c03c257ad8..ced724dc9927 100644 --- a/clients/client-connect/src/commands/CompleteAttachedFileUploadCommand.ts +++ b/clients/client-connect/src/commands/CompleteAttachedFileUploadCommand.ts @@ -93,4 +93,16 @@ export class CompleteAttachedFileUploadCommand extends $Command .f(void 0, void 0) .ser(se_CompleteAttachedFileUploadCommand) .de(de_CompleteAttachedFileUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteAttachedFileUploadRequest; + output: {}; + }; + sdk: { + input: CompleteAttachedFileUploadCommandInput; + output: CompleteAttachedFileUploadCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateAgentStatusCommand.ts b/clients/client-connect/src/commands/CreateAgentStatusCommand.ts index 11f8deb4707f..5168af5e3f3d 100644 --- a/clients/client-connect/src/commands/CreateAgentStatusCommand.ts +++ b/clients/client-connect/src/commands/CreateAgentStatusCommand.ts @@ -107,4 +107,16 @@ export class CreateAgentStatusCommand extends $Command .f(void 0, void 0) .ser(se_CreateAgentStatusCommand) .de(de_CreateAgentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAgentStatusRequest; + output: CreateAgentStatusResponse; + }; + sdk: { + input: CreateAgentStatusCommandInput; + output: CreateAgentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateContactFlowCommand.ts b/clients/client-connect/src/commands/CreateContactFlowCommand.ts index 3784f6cde79a..61ff951d4375 100644 --- a/clients/client-connect/src/commands/CreateContactFlowCommand.ts +++ b/clients/client-connect/src/commands/CreateContactFlowCommand.ts @@ -112,4 +112,16 @@ export class CreateContactFlowCommand extends $Command .f(void 0, void 0) .ser(se_CreateContactFlowCommand) .de(de_CreateContactFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContactFlowRequest; + output: CreateContactFlowResponse; + }; + sdk: { + input: CreateContactFlowCommandInput; + output: CreateContactFlowCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateContactFlowModuleCommand.ts b/clients/client-connect/src/commands/CreateContactFlowModuleCommand.ts index 7d2ff52d7e68..16d90ac18a74 100644 --- a/clients/client-connect/src/commands/CreateContactFlowModuleCommand.ts +++ b/clients/client-connect/src/commands/CreateContactFlowModuleCommand.ts @@ -115,4 +115,16 @@ export class CreateContactFlowModuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateContactFlowModuleCommand) .de(de_CreateContactFlowModuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContactFlowModuleRequest; + output: CreateContactFlowModuleResponse; + }; + sdk: { + input: CreateContactFlowModuleCommandInput; + output: CreateContactFlowModuleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateEvaluationFormCommand.ts b/clients/client-connect/src/commands/CreateEvaluationFormCommand.ts index a0da52f55bfd..55151ac2445e 100644 --- a/clients/client-connect/src/commands/CreateEvaluationFormCommand.ts +++ b/clients/client-connect/src/commands/CreateEvaluationFormCommand.ts @@ -228,4 +228,16 @@ export class CreateEvaluationFormCommand extends $Command .f(void 0, void 0) .ser(se_CreateEvaluationFormCommand) .de(de_CreateEvaluationFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEvaluationFormRequest; + output: CreateEvaluationFormResponse; + }; + sdk: { + input: CreateEvaluationFormCommandInput; + output: CreateEvaluationFormCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateHoursOfOperationCommand.ts b/clients/client-connect/src/commands/CreateHoursOfOperationCommand.ts index ed775ee8433c..c8055b4944b7 100644 --- a/clients/client-connect/src/commands/CreateHoursOfOperationCommand.ts +++ b/clients/client-connect/src/commands/CreateHoursOfOperationCommand.ts @@ -119,4 +119,16 @@ export class CreateHoursOfOperationCommand extends $Command .f(void 0, void 0) .ser(se_CreateHoursOfOperationCommand) .de(de_CreateHoursOfOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHoursOfOperationRequest; + output: CreateHoursOfOperationResponse; + }; + sdk: { + input: CreateHoursOfOperationCommandInput; + output: CreateHoursOfOperationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateInstanceCommand.ts b/clients/client-connect/src/commands/CreateInstanceCommand.ts index 5cf09c18fab2..5f9b8b7fd46e 100644 --- a/clients/client-connect/src/commands/CreateInstanceCommand.ts +++ b/clients/client-connect/src/commands/CreateInstanceCommand.ts @@ -113,4 +113,16 @@ export class CreateInstanceCommand extends $Command .f(CreateInstanceRequestFilterSensitiveLog, void 0) .ser(se_CreateInstanceCommand) .de(de_CreateInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceRequest; + output: CreateInstanceResponse; + }; + sdk: { + input: CreateInstanceCommandInput; + output: CreateInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateIntegrationAssociationCommand.ts b/clients/client-connect/src/commands/CreateIntegrationAssociationCommand.ts index 4f48686544e8..1e9821a6bca7 100644 --- a/clients/client-connect/src/commands/CreateIntegrationAssociationCommand.ts +++ b/clients/client-connect/src/commands/CreateIntegrationAssociationCommand.ts @@ -107,4 +107,16 @@ export class CreateIntegrationAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateIntegrationAssociationCommand) .de(de_CreateIntegrationAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIntegrationAssociationRequest; + output: CreateIntegrationAssociationResponse; + }; + sdk: { + input: CreateIntegrationAssociationCommandInput; + output: CreateIntegrationAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateParticipantCommand.ts b/clients/client-connect/src/commands/CreateParticipantCommand.ts index cf172f2f7d05..c4ad9f9a184b 100644 --- a/clients/client-connect/src/commands/CreateParticipantCommand.ts +++ b/clients/client-connect/src/commands/CreateParticipantCommand.ts @@ -103,4 +103,16 @@ export class CreateParticipantCommand extends $Command .f(void 0, void 0) .ser(se_CreateParticipantCommand) .de(de_CreateParticipantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateParticipantRequest; + output: CreateParticipantResponse; + }; + sdk: { + input: CreateParticipantCommandInput; + output: CreateParticipantCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreatePersistentContactAssociationCommand.ts b/clients/client-connect/src/commands/CreatePersistentContactAssociationCommand.ts index 88eb164e8a8d..5e4550643904 100644 --- a/clients/client-connect/src/commands/CreatePersistentContactAssociationCommand.ts +++ b/clients/client-connect/src/commands/CreatePersistentContactAssociationCommand.ts @@ -109,4 +109,16 @@ export class CreatePersistentContactAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreatePersistentContactAssociationCommand) .de(de_CreatePersistentContactAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePersistentContactAssociationRequest; + output: CreatePersistentContactAssociationResponse; + }; + sdk: { + input: CreatePersistentContactAssociationCommandInput; + output: CreatePersistentContactAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreatePredefinedAttributeCommand.ts b/clients/client-connect/src/commands/CreatePredefinedAttributeCommand.ts index b678ff5ff142..4073dc99fd61 100644 --- a/clients/client-connect/src/commands/CreatePredefinedAttributeCommand.ts +++ b/clients/client-connect/src/commands/CreatePredefinedAttributeCommand.ts @@ -105,4 +105,16 @@ export class CreatePredefinedAttributeCommand extends $Command .f(void 0, void 0) .ser(se_CreatePredefinedAttributeCommand) .de(de_CreatePredefinedAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePredefinedAttributeRequest; + output: {}; + }; + sdk: { + input: CreatePredefinedAttributeCommandInput; + output: CreatePredefinedAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreatePromptCommand.ts b/clients/client-connect/src/commands/CreatePromptCommand.ts index 9996e64bd638..85897cedeb9e 100644 --- a/clients/client-connect/src/commands/CreatePromptCommand.ts +++ b/clients/client-connect/src/commands/CreatePromptCommand.ts @@ -104,4 +104,16 @@ export class CreatePromptCommand extends $Command .f(void 0, void 0) .ser(se_CreatePromptCommand) .de(de_CreatePromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePromptRequest; + output: CreatePromptResponse; + }; + sdk: { + input: CreatePromptCommandInput; + output: CreatePromptCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateQueueCommand.ts b/clients/client-connect/src/commands/CreateQueueCommand.ts index ed7451b59945..8db42324620b 100644 --- a/clients/client-connect/src/commands/CreateQueueCommand.ts +++ b/clients/client-connect/src/commands/CreateQueueCommand.ts @@ -137,4 +137,16 @@ export class CreateQueueCommand extends $Command .f(void 0, void 0) .ser(se_CreateQueueCommand) .de(de_CreateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueueRequest; + output: CreateQueueResponse; + }; + sdk: { + input: CreateQueueCommandInput; + output: CreateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateQuickConnectCommand.ts b/clients/client-connect/src/commands/CreateQuickConnectCommand.ts index fd326aaf6c09..431660cb436e 100644 --- a/clients/client-connect/src/commands/CreateQuickConnectCommand.ts +++ b/clients/client-connect/src/commands/CreateQuickConnectCommand.ts @@ -118,4 +118,16 @@ export class CreateQuickConnectCommand extends $Command .f(void 0, void 0) .ser(se_CreateQuickConnectCommand) .de(de_CreateQuickConnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQuickConnectRequest; + output: CreateQuickConnectResponse; + }; + sdk: { + input: CreateQuickConnectCommandInput; + output: CreateQuickConnectCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateRoutingProfileCommand.ts b/clients/client-connect/src/commands/CreateRoutingProfileCommand.ts index 49b5be8e6a49..3196f4f0f3bd 100644 --- a/clients/client-connect/src/commands/CreateRoutingProfileCommand.ts +++ b/clients/client-connect/src/commands/CreateRoutingProfileCommand.ts @@ -125,4 +125,16 @@ export class CreateRoutingProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateRoutingProfileCommand) .de(de_CreateRoutingProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoutingProfileRequest; + output: CreateRoutingProfileResponse; + }; + sdk: { + input: CreateRoutingProfileCommandInput; + output: CreateRoutingProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateRuleCommand.ts b/clients/client-connect/src/commands/CreateRuleCommand.ts index 8c2b895c5342..a092c763883f 100644 --- a/clients/client-connect/src/commands/CreateRuleCommand.ts +++ b/clients/client-connect/src/commands/CreateRuleCommand.ts @@ -174,4 +174,16 @@ export class CreateRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleCommand) .de(de_CreateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleRequest; + output: CreateRuleResponse; + }; + sdk: { + input: CreateRuleCommandInput; + output: CreateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateSecurityProfileCommand.ts b/clients/client-connect/src/commands/CreateSecurityProfileCommand.ts index 211d92ff829d..b3a2c7ac5cc3 100644 --- a/clients/client-connect/src/commands/CreateSecurityProfileCommand.ts +++ b/clients/client-connect/src/commands/CreateSecurityProfileCommand.ts @@ -129,4 +129,16 @@ export class CreateSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityProfileCommand) .de(de_CreateSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityProfileRequest; + output: CreateSecurityProfileResponse; + }; + sdk: { + input: CreateSecurityProfileCommandInput; + output: CreateSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateTaskTemplateCommand.ts b/clients/client-connect/src/commands/CreateTaskTemplateCommand.ts index ccdb2c81b504..be2222837665 100644 --- a/clients/client-connect/src/commands/CreateTaskTemplateCommand.ts +++ b/clients/client-connect/src/commands/CreateTaskTemplateCommand.ts @@ -146,4 +146,16 @@ export class CreateTaskTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateTaskTemplateCommand) .de(de_CreateTaskTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTaskTemplateRequest; + output: CreateTaskTemplateResponse; + }; + sdk: { + input: CreateTaskTemplateCommandInput; + output: CreateTaskTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateTrafficDistributionGroupCommand.ts b/clients/client-connect/src/commands/CreateTrafficDistributionGroupCommand.ts index 6147fc2635f3..8dc130037b01 100644 --- a/clients/client-connect/src/commands/CreateTrafficDistributionGroupCommand.ts +++ b/clients/client-connect/src/commands/CreateTrafficDistributionGroupCommand.ts @@ -123,4 +123,16 @@ export class CreateTrafficDistributionGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficDistributionGroupCommand) .de(de_CreateTrafficDistributionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficDistributionGroupRequest; + output: CreateTrafficDistributionGroupResponse; + }; + sdk: { + input: CreateTrafficDistributionGroupCommandInput; + output: CreateTrafficDistributionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateUseCaseCommand.ts b/clients/client-connect/src/commands/CreateUseCaseCommand.ts index 7473dc6c07e1..e9ac2e145498 100644 --- a/clients/client-connect/src/commands/CreateUseCaseCommand.ts +++ b/clients/client-connect/src/commands/CreateUseCaseCommand.ts @@ -98,4 +98,16 @@ export class CreateUseCaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateUseCaseCommand) .de(de_CreateUseCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUseCaseRequest; + output: CreateUseCaseResponse; + }; + sdk: { + input: CreateUseCaseCommandInput; + output: CreateUseCaseCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateUserCommand.ts b/clients/client-connect/src/commands/CreateUserCommand.ts index 8bf87f68470b..47246288ff3f 100644 --- a/clients/client-connect/src/commands/CreateUserCommand.ts +++ b/clients/client-connect/src/commands/CreateUserCommand.ts @@ -130,4 +130,16 @@ export class CreateUserCommand extends $Command .f(CreateUserRequestFilterSensitiveLog, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateUserHierarchyGroupCommand.ts b/clients/client-connect/src/commands/CreateUserHierarchyGroupCommand.ts index 2b1dc53dbefa..75b1e62882ab 100644 --- a/clients/client-connect/src/commands/CreateUserHierarchyGroupCommand.ts +++ b/clients/client-connect/src/commands/CreateUserHierarchyGroupCommand.ts @@ -104,4 +104,16 @@ export class CreateUserHierarchyGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserHierarchyGroupCommand) .de(de_CreateUserHierarchyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserHierarchyGroupRequest; + output: CreateUserHierarchyGroupResponse; + }; + sdk: { + input: CreateUserHierarchyGroupCommandInput; + output: CreateUserHierarchyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateViewCommand.ts b/clients/client-connect/src/commands/CreateViewCommand.ts index 76e5a762c25b..af6f5ea4c9a3 100644 --- a/clients/client-connect/src/commands/CreateViewCommand.ts +++ b/clients/client-connect/src/commands/CreateViewCommand.ts @@ -151,4 +151,16 @@ export class CreateViewCommand extends $Command .f(CreateViewRequestFilterSensitiveLog, CreateViewResponseFilterSensitiveLog) .ser(se_CreateViewCommand) .de(de_CreateViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateViewRequest; + output: CreateViewResponse; + }; + sdk: { + input: CreateViewCommandInput; + output: CreateViewCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateViewVersionCommand.ts b/clients/client-connect/src/commands/CreateViewVersionCommand.ts index b1261fcce155..d01a9ca8ae2f 100644 --- a/clients/client-connect/src/commands/CreateViewVersionCommand.ts +++ b/clients/client-connect/src/commands/CreateViewVersionCommand.ts @@ -134,4 +134,16 @@ export class CreateViewVersionCommand extends $Command .f(void 0, CreateViewVersionResponseFilterSensitiveLog) .ser(se_CreateViewVersionCommand) .de(de_CreateViewVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateViewVersionRequest; + output: CreateViewVersionResponse; + }; + sdk: { + input: CreateViewVersionCommandInput; + output: CreateViewVersionCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/CreateVocabularyCommand.ts b/clients/client-connect/src/commands/CreateVocabularyCommand.ts index 7ac4bbd7ad59..f4baed7ddb78 100644 --- a/clients/client-connect/src/commands/CreateVocabularyCommand.ts +++ b/clients/client-connect/src/commands/CreateVocabularyCommand.ts @@ -109,4 +109,16 @@ export class CreateVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_CreateVocabularyCommand) .de(de_CreateVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVocabularyRequest; + output: CreateVocabularyResponse; + }; + sdk: { + input: CreateVocabularyCommandInput; + output: CreateVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeactivateEvaluationFormCommand.ts b/clients/client-connect/src/commands/DeactivateEvaluationFormCommand.ts index 269cbeb1cb42..b76fd5e1ed00 100644 --- a/clients/client-connect/src/commands/DeactivateEvaluationFormCommand.ts +++ b/clients/client-connect/src/commands/DeactivateEvaluationFormCommand.ts @@ -97,4 +97,16 @@ export class DeactivateEvaluationFormCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateEvaluationFormCommand) .de(de_DeactivateEvaluationFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateEvaluationFormRequest; + output: DeactivateEvaluationFormResponse; + }; + sdk: { + input: DeactivateEvaluationFormCommandInput; + output: DeactivateEvaluationFormCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteAttachedFileCommand.ts b/clients/client-connect/src/commands/DeleteAttachedFileCommand.ts index e5df28e2f1fa..07dca06064e8 100644 --- a/clients/client-connect/src/commands/DeleteAttachedFileCommand.ts +++ b/clients/client-connect/src/commands/DeleteAttachedFileCommand.ts @@ -96,4 +96,16 @@ export class DeleteAttachedFileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAttachedFileCommand) .de(de_DeleteAttachedFileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAttachedFileRequest; + output: {}; + }; + sdk: { + input: DeleteAttachedFileCommandInput; + output: DeleteAttachedFileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteContactEvaluationCommand.ts b/clients/client-connect/src/commands/DeleteContactEvaluationCommand.ts index c645ff7d57df..29a68256b6b4 100644 --- a/clients/client-connect/src/commands/DeleteContactEvaluationCommand.ts +++ b/clients/client-connect/src/commands/DeleteContactEvaluationCommand.ts @@ -91,4 +91,16 @@ export class DeleteContactEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactEvaluationCommand) .de(de_DeleteContactEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactEvaluationRequest; + output: {}; + }; + sdk: { + input: DeleteContactEvaluationCommandInput; + output: DeleteContactEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteContactFlowCommand.ts b/clients/client-connect/src/commands/DeleteContactFlowCommand.ts index da86a2086659..50bb21b37422 100644 --- a/clients/client-connect/src/commands/DeleteContactFlowCommand.ts +++ b/clients/client-connect/src/commands/DeleteContactFlowCommand.ts @@ -94,4 +94,16 @@ export class DeleteContactFlowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactFlowCommand) .de(de_DeleteContactFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactFlowRequest; + output: {}; + }; + sdk: { + input: DeleteContactFlowCommandInput; + output: DeleteContactFlowCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteContactFlowModuleCommand.ts b/clients/client-connect/src/commands/DeleteContactFlowModuleCommand.ts index c4ce1d784766..6e74da474814 100644 --- a/clients/client-connect/src/commands/DeleteContactFlowModuleCommand.ts +++ b/clients/client-connect/src/commands/DeleteContactFlowModuleCommand.ts @@ -94,4 +94,16 @@ export class DeleteContactFlowModuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactFlowModuleCommand) .de(de_DeleteContactFlowModuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactFlowModuleRequest; + output: {}; + }; + sdk: { + input: DeleteContactFlowModuleCommandInput; + output: DeleteContactFlowModuleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteEvaluationFormCommand.ts b/clients/client-connect/src/commands/DeleteEvaluationFormCommand.ts index a345a544ecef..a52f151b48ba 100644 --- a/clients/client-connect/src/commands/DeleteEvaluationFormCommand.ts +++ b/clients/client-connect/src/commands/DeleteEvaluationFormCommand.ts @@ -101,4 +101,16 @@ export class DeleteEvaluationFormCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEvaluationFormCommand) .de(de_DeleteEvaluationFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEvaluationFormRequest; + output: {}; + }; + sdk: { + input: DeleteEvaluationFormCommandInput; + output: DeleteEvaluationFormCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteHoursOfOperationCommand.ts b/clients/client-connect/src/commands/DeleteHoursOfOperationCommand.ts index 81a32c73b5a3..93df387d504b 100644 --- a/clients/client-connect/src/commands/DeleteHoursOfOperationCommand.ts +++ b/clients/client-connect/src/commands/DeleteHoursOfOperationCommand.ts @@ -92,4 +92,16 @@ export class DeleteHoursOfOperationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHoursOfOperationCommand) .de(de_DeleteHoursOfOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHoursOfOperationRequest; + output: {}; + }; + sdk: { + input: DeleteHoursOfOperationCommandInput; + output: DeleteHoursOfOperationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteInstanceCommand.ts b/clients/client-connect/src/commands/DeleteInstanceCommand.ts index f4a19e83feff..8507422b4bd7 100644 --- a/clients/client-connect/src/commands/DeleteInstanceCommand.ts +++ b/clients/client-connect/src/commands/DeleteInstanceCommand.ts @@ -90,4 +90,16 @@ export class DeleteInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceCommand) .de(de_DeleteInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteInstanceCommandInput; + output: DeleteInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteIntegrationAssociationCommand.ts b/clients/client-connect/src/commands/DeleteIntegrationAssociationCommand.ts index f73a946da6d9..ead3bfcf887c 100644 --- a/clients/client-connect/src/commands/DeleteIntegrationAssociationCommand.ts +++ b/clients/client-connect/src/commands/DeleteIntegrationAssociationCommand.ts @@ -92,4 +92,16 @@ export class DeleteIntegrationAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntegrationAssociationCommand) .de(de_DeleteIntegrationAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntegrationAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteIntegrationAssociationCommandInput; + output: DeleteIntegrationAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeletePredefinedAttributeCommand.ts b/clients/client-connect/src/commands/DeletePredefinedAttributeCommand.ts index 4cab81817bfc..216ea21651e2 100644 --- a/clients/client-connect/src/commands/DeletePredefinedAttributeCommand.ts +++ b/clients/client-connect/src/commands/DeletePredefinedAttributeCommand.ts @@ -94,4 +94,16 @@ export class DeletePredefinedAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DeletePredefinedAttributeCommand) .de(de_DeletePredefinedAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePredefinedAttributeRequest; + output: {}; + }; + sdk: { + input: DeletePredefinedAttributeCommandInput; + output: DeletePredefinedAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeletePromptCommand.ts b/clients/client-connect/src/commands/DeletePromptCommand.ts index e050d09b387a..e48a8a2ba66c 100644 --- a/clients/client-connect/src/commands/DeletePromptCommand.ts +++ b/clients/client-connect/src/commands/DeletePromptCommand.ts @@ -91,4 +91,16 @@ export class DeletePromptCommand extends $Command .f(void 0, void 0) .ser(se_DeletePromptCommand) .de(de_DeletePromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePromptRequest; + output: {}; + }; + sdk: { + input: DeletePromptCommandInput; + output: DeletePromptCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteQueueCommand.ts b/clients/client-connect/src/commands/DeleteQueueCommand.ts index 8a80766dbf70..58622c3545e4 100644 --- a/clients/client-connect/src/commands/DeleteQueueCommand.ts +++ b/clients/client-connect/src/commands/DeleteQueueCommand.ts @@ -94,4 +94,16 @@ export class DeleteQueueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueueCommand) .de(de_DeleteQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueueRequest; + output: {}; + }; + sdk: { + input: DeleteQueueCommandInput; + output: DeleteQueueCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteQuickConnectCommand.ts b/clients/client-connect/src/commands/DeleteQuickConnectCommand.ts index 91de92399f59..5ec1bf32f7b7 100644 --- a/clients/client-connect/src/commands/DeleteQuickConnectCommand.ts +++ b/clients/client-connect/src/commands/DeleteQuickConnectCommand.ts @@ -109,4 +109,16 @@ export class DeleteQuickConnectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQuickConnectCommand) .de(de_DeleteQuickConnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQuickConnectRequest; + output: {}; + }; + sdk: { + input: DeleteQuickConnectCommandInput; + output: DeleteQuickConnectCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteRoutingProfileCommand.ts b/clients/client-connect/src/commands/DeleteRoutingProfileCommand.ts index 6459bbb4b15e..d1a7136464dd 100644 --- a/clients/client-connect/src/commands/DeleteRoutingProfileCommand.ts +++ b/clients/client-connect/src/commands/DeleteRoutingProfileCommand.ts @@ -94,4 +94,16 @@ export class DeleteRoutingProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoutingProfileCommand) .de(de_DeleteRoutingProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoutingProfileRequest; + output: {}; + }; + sdk: { + input: DeleteRoutingProfileCommandInput; + output: DeleteRoutingProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteRuleCommand.ts b/clients/client-connect/src/commands/DeleteRuleCommand.ts index 0248cee4ce5a..f4ccf47fb9f0 100644 --- a/clients/client-connect/src/commands/DeleteRuleCommand.ts +++ b/clients/client-connect/src/commands/DeleteRuleCommand.ts @@ -91,4 +91,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: {}; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteSecurityProfileCommand.ts b/clients/client-connect/src/commands/DeleteSecurityProfileCommand.ts index 8b3c91d3e71f..2d4d3722e0dc 100644 --- a/clients/client-connect/src/commands/DeleteSecurityProfileCommand.ts +++ b/clients/client-connect/src/commands/DeleteSecurityProfileCommand.ts @@ -97,4 +97,16 @@ export class DeleteSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecurityProfileCommand) .de(de_DeleteSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecurityProfileRequest; + output: {}; + }; + sdk: { + input: DeleteSecurityProfileCommandInput; + output: DeleteSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteTaskTemplateCommand.ts b/clients/client-connect/src/commands/DeleteTaskTemplateCommand.ts index 973c6cd42e01..bb2ec49c0423 100644 --- a/clients/client-connect/src/commands/DeleteTaskTemplateCommand.ts +++ b/clients/client-connect/src/commands/DeleteTaskTemplateCommand.ts @@ -91,4 +91,16 @@ export class DeleteTaskTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTaskTemplateCommand) .de(de_DeleteTaskTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTaskTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteTaskTemplateCommandInput; + output: DeleteTaskTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteTrafficDistributionGroupCommand.ts b/clients/client-connect/src/commands/DeleteTrafficDistributionGroupCommand.ts index d97cf479044f..2c12ae5c33dd 100644 --- a/clients/client-connect/src/commands/DeleteTrafficDistributionGroupCommand.ts +++ b/clients/client-connect/src/commands/DeleteTrafficDistributionGroupCommand.ts @@ -98,4 +98,16 @@ export class DeleteTrafficDistributionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficDistributionGroupCommand) .de(de_DeleteTrafficDistributionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficDistributionGroupRequest; + output: {}; + }; + sdk: { + input: DeleteTrafficDistributionGroupCommandInput; + output: DeleteTrafficDistributionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteUseCaseCommand.ts b/clients/client-connect/src/commands/DeleteUseCaseCommand.ts index 0144f8400d1c..aee870ec6802 100644 --- a/clients/client-connect/src/commands/DeleteUseCaseCommand.ts +++ b/clients/client-connect/src/commands/DeleteUseCaseCommand.ts @@ -89,4 +89,16 @@ export class DeleteUseCaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUseCaseCommand) .de(de_DeleteUseCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUseCaseRequest; + output: {}; + }; + sdk: { + input: DeleteUseCaseCommandInput; + output: DeleteUseCaseCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteUserCommand.ts b/clients/client-connect/src/commands/DeleteUserCommand.ts index a87aabfc8bd8..ce8df779d824 100644 --- a/clients/client-connect/src/commands/DeleteUserCommand.ts +++ b/clients/client-connect/src/commands/DeleteUserCommand.ts @@ -112,4 +112,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteUserHierarchyGroupCommand.ts b/clients/client-connect/src/commands/DeleteUserHierarchyGroupCommand.ts index 355b03cebaa0..936e2482ade9 100644 --- a/clients/client-connect/src/commands/DeleteUserHierarchyGroupCommand.ts +++ b/clients/client-connect/src/commands/DeleteUserHierarchyGroupCommand.ts @@ -95,4 +95,16 @@ export class DeleteUserHierarchyGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserHierarchyGroupCommand) .de(de_DeleteUserHierarchyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserHierarchyGroupRequest; + output: {}; + }; + sdk: { + input: DeleteUserHierarchyGroupCommandInput; + output: DeleteUserHierarchyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteViewCommand.ts b/clients/client-connect/src/commands/DeleteViewCommand.ts index 942a3ee8f7f5..1957f2d22555 100644 --- a/clients/client-connect/src/commands/DeleteViewCommand.ts +++ b/clients/client-connect/src/commands/DeleteViewCommand.ts @@ -98,4 +98,16 @@ export class DeleteViewCommand extends $Command .f(void 0, void 0) .ser(se_DeleteViewCommand) .de(de_DeleteViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteViewRequest; + output: {}; + }; + sdk: { + input: DeleteViewCommandInput; + output: DeleteViewCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteViewVersionCommand.ts b/clients/client-connect/src/commands/DeleteViewVersionCommand.ts index f14f60767a93..e48e8905655e 100644 --- a/clients/client-connect/src/commands/DeleteViewVersionCommand.ts +++ b/clients/client-connect/src/commands/DeleteViewVersionCommand.ts @@ -98,4 +98,16 @@ export class DeleteViewVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteViewVersionCommand) .de(de_DeleteViewVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteViewVersionRequest; + output: {}; + }; + sdk: { + input: DeleteViewVersionCommandInput; + output: DeleteViewVersionCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DeleteVocabularyCommand.ts b/clients/client-connect/src/commands/DeleteVocabularyCommand.ts index 42ffffe1fe61..4ecbae3dcb74 100644 --- a/clients/client-connect/src/commands/DeleteVocabularyCommand.ts +++ b/clients/client-connect/src/commands/DeleteVocabularyCommand.ts @@ -98,4 +98,16 @@ export class DeleteVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVocabularyCommand) .de(de_DeleteVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVocabularyRequest; + output: DeleteVocabularyResponse; + }; + sdk: { + input: DeleteVocabularyCommandInput; + output: DeleteVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeAgentStatusCommand.ts b/clients/client-connect/src/commands/DescribeAgentStatusCommand.ts index 44ee46c4bcfd..c67a0d509ed7 100644 --- a/clients/client-connect/src/commands/DescribeAgentStatusCommand.ts +++ b/clients/client-connect/src/commands/DescribeAgentStatusCommand.ts @@ -107,4 +107,16 @@ export class DescribeAgentStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAgentStatusCommand) .de(de_DescribeAgentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAgentStatusRequest; + output: DescribeAgentStatusResponse; + }; + sdk: { + input: DescribeAgentStatusCommandInput; + output: DescribeAgentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeAuthenticationProfileCommand.ts b/clients/client-connect/src/commands/DescribeAuthenticationProfileCommand.ts index d47da2d31eac..dda6166fdadd 100644 --- a/clients/client-connect/src/commands/DescribeAuthenticationProfileCommand.ts +++ b/clients/client-connect/src/commands/DescribeAuthenticationProfileCommand.ts @@ -117,4 +117,16 @@ export class DescribeAuthenticationProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuthenticationProfileCommand) .de(de_DescribeAuthenticationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuthenticationProfileRequest; + output: DescribeAuthenticationProfileResponse; + }; + sdk: { + input: DescribeAuthenticationProfileCommandInput; + output: DescribeAuthenticationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeContactCommand.ts b/clients/client-connect/src/commands/DescribeContactCommand.ts index 7e47acffb3d3..99d54a91f0bd 100644 --- a/clients/client-connect/src/commands/DescribeContactCommand.ts +++ b/clients/client-connect/src/commands/DescribeContactCommand.ts @@ -260,4 +260,16 @@ export class DescribeContactCommand extends $Command .f(void 0, DescribeContactResponseFilterSensitiveLog) .ser(se_DescribeContactCommand) .de(de_DescribeContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContactRequest; + output: DescribeContactResponse; + }; + sdk: { + input: DescribeContactCommandInput; + output: DescribeContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeContactEvaluationCommand.ts b/clients/client-connect/src/commands/DescribeContactEvaluationCommand.ts index 402ce230cf0a..a12035bee96a 100644 --- a/clients/client-connect/src/commands/DescribeContactEvaluationCommand.ts +++ b/clients/client-connect/src/commands/DescribeContactEvaluationCommand.ts @@ -268,4 +268,16 @@ export class DescribeContactEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContactEvaluationCommand) .de(de_DescribeContactEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContactEvaluationRequest; + output: DescribeContactEvaluationResponse; + }; + sdk: { + input: DescribeContactEvaluationCommandInput; + output: DescribeContactEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeContactFlowCommand.ts b/clients/client-connect/src/commands/DescribeContactFlowCommand.ts index 1d975ec5825a..7b6d40701017 100644 --- a/clients/client-connect/src/commands/DescribeContactFlowCommand.ts +++ b/clients/client-connect/src/commands/DescribeContactFlowCommand.ts @@ -119,4 +119,16 @@ export class DescribeContactFlowCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContactFlowCommand) .de(de_DescribeContactFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContactFlowRequest; + output: DescribeContactFlowResponse; + }; + sdk: { + input: DescribeContactFlowCommandInput; + output: DescribeContactFlowCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeContactFlowModuleCommand.ts b/clients/client-connect/src/commands/DescribeContactFlowModuleCommand.ts index 250d8849d5e9..0cb427f23b45 100644 --- a/clients/client-connect/src/commands/DescribeContactFlowModuleCommand.ts +++ b/clients/client-connect/src/commands/DescribeContactFlowModuleCommand.ts @@ -111,4 +111,16 @@ export class DescribeContactFlowModuleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContactFlowModuleCommand) .de(de_DescribeContactFlowModuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContactFlowModuleRequest; + output: DescribeContactFlowModuleResponse; + }; + sdk: { + input: DescribeContactFlowModuleCommandInput; + output: DescribeContactFlowModuleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeEvaluationFormCommand.ts b/clients/client-connect/src/commands/DescribeEvaluationFormCommand.ts index 94681ed151e0..ba7d1273698c 100644 --- a/clients/client-connect/src/commands/DescribeEvaluationFormCommand.ts +++ b/clients/client-connect/src/commands/DescribeEvaluationFormCommand.ts @@ -233,4 +233,16 @@ export class DescribeEvaluationFormCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEvaluationFormCommand) .de(de_DescribeEvaluationFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEvaluationFormRequest; + output: DescribeEvaluationFormResponse; + }; + sdk: { + input: DescribeEvaluationFormCommandInput; + output: DescribeEvaluationFormCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeHoursOfOperationCommand.ts b/clients/client-connect/src/commands/DescribeHoursOfOperationCommand.ts index 09a1694a9de0..f06c7186a2b7 100644 --- a/clients/client-connect/src/commands/DescribeHoursOfOperationCommand.ts +++ b/clients/client-connect/src/commands/DescribeHoursOfOperationCommand.ts @@ -118,4 +118,16 @@ export class DescribeHoursOfOperationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHoursOfOperationCommand) .de(de_DescribeHoursOfOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHoursOfOperationRequest; + output: DescribeHoursOfOperationResponse; + }; + sdk: { + input: DescribeHoursOfOperationCommandInput; + output: DescribeHoursOfOperationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeInstanceAttributeCommand.ts b/clients/client-connect/src/commands/DescribeInstanceAttributeCommand.ts index b3d69c9f457d..4489cf8c6cbf 100644 --- a/clients/client-connect/src/commands/DescribeInstanceAttributeCommand.ts +++ b/clients/client-connect/src/commands/DescribeInstanceAttributeCommand.ts @@ -97,4 +97,16 @@ export class DescribeInstanceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceAttributeCommand) .de(de_DescribeInstanceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceAttributeRequest; + output: DescribeInstanceAttributeResponse; + }; + sdk: { + input: DescribeInstanceAttributeCommandInput; + output: DescribeInstanceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeInstanceCommand.ts b/clients/client-connect/src/commands/DescribeInstanceCommand.ts index c6c2fc447de8..137f0320a699 100644 --- a/clients/client-connect/src/commands/DescribeInstanceCommand.ts +++ b/clients/client-connect/src/commands/DescribeInstanceCommand.ts @@ -123,4 +123,16 @@ export class DescribeInstanceCommand extends $Command .f(void 0, DescribeInstanceResponseFilterSensitiveLog) .ser(se_DescribeInstanceCommand) .de(de_DescribeInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceRequest; + output: DescribeInstanceResponse; + }; + sdk: { + input: DescribeInstanceCommandInput; + output: DescribeInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeInstanceStorageConfigCommand.ts b/clients/client-connect/src/commands/DescribeInstanceStorageConfigCommand.ts index faf89f1c34a8..d2aaad134c6c 100644 --- a/clients/client-connect/src/commands/DescribeInstanceStorageConfigCommand.ts +++ b/clients/client-connect/src/commands/DescribeInstanceStorageConfigCommand.ts @@ -126,4 +126,16 @@ export class DescribeInstanceStorageConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceStorageConfigCommand) .de(de_DescribeInstanceStorageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceStorageConfigRequest; + output: DescribeInstanceStorageConfigResponse; + }; + sdk: { + input: DescribeInstanceStorageConfigCommandInput; + output: DescribeInstanceStorageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribePhoneNumberCommand.ts b/clients/client-connect/src/commands/DescribePhoneNumberCommand.ts index a181ec23a62c..2a19d2d88fd1 100644 --- a/clients/client-connect/src/commands/DescribePhoneNumberCommand.ts +++ b/clients/client-connect/src/commands/DescribePhoneNumberCommand.ts @@ -120,4 +120,16 @@ export class DescribePhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_DescribePhoneNumberCommand) .de(de_DescribePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePhoneNumberRequest; + output: DescribePhoneNumberResponse; + }; + sdk: { + input: DescribePhoneNumberCommandInput; + output: DescribePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribePredefinedAttributeCommand.ts b/clients/client-connect/src/commands/DescribePredefinedAttributeCommand.ts index a81276c07d84..2d51693f92e2 100644 --- a/clients/client-connect/src/commands/DescribePredefinedAttributeCommand.ts +++ b/clients/client-connect/src/commands/DescribePredefinedAttributeCommand.ts @@ -110,4 +110,16 @@ export class DescribePredefinedAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribePredefinedAttributeCommand) .de(de_DescribePredefinedAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePredefinedAttributeRequest; + output: DescribePredefinedAttributeResponse; + }; + sdk: { + input: DescribePredefinedAttributeCommandInput; + output: DescribePredefinedAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribePromptCommand.ts b/clients/client-connect/src/commands/DescribePromptCommand.ts index aa1224975be8..cacabf0f2a7a 100644 --- a/clients/client-connect/src/commands/DescribePromptCommand.ts +++ b/clients/client-connect/src/commands/DescribePromptCommand.ts @@ -103,4 +103,16 @@ export class DescribePromptCommand extends $Command .f(void 0, void 0) .ser(se_DescribePromptCommand) .de(de_DescribePromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePromptRequest; + output: DescribePromptResponse; + }; + sdk: { + input: DescribePromptCommandInput; + output: DescribePromptCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeQueueCommand.ts b/clients/client-connect/src/commands/DescribeQueueCommand.ts index 7fbaee1b2847..e1ad0c0b5784 100644 --- a/clients/client-connect/src/commands/DescribeQueueCommand.ts +++ b/clients/client-connect/src/commands/DescribeQueueCommand.ts @@ -112,4 +112,16 @@ export class DescribeQueueCommand extends $Command .f(void 0, void 0) .ser(se_DescribeQueueCommand) .de(de_DescribeQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeQueueRequest; + output: DescribeQueueResponse; + }; + sdk: { + input: DescribeQueueCommandInput; + output: DescribeQueueCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeQuickConnectCommand.ts b/clients/client-connect/src/commands/DescribeQuickConnectCommand.ts index 73906cd1fbbd..7b3e50338dd1 100644 --- a/clients/client-connect/src/commands/DescribeQuickConnectCommand.ts +++ b/clients/client-connect/src/commands/DescribeQuickConnectCommand.ts @@ -117,4 +117,16 @@ export class DescribeQuickConnectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeQuickConnectCommand) .de(de_DescribeQuickConnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeQuickConnectRequest; + output: DescribeQuickConnectResponse; + }; + sdk: { + input: DescribeQuickConnectCommandInput; + output: DescribeQuickConnectCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeRoutingProfileCommand.ts b/clients/client-connect/src/commands/DescribeRoutingProfileCommand.ts index 21e590e7e09e..83347a5c8175 100644 --- a/clients/client-connect/src/commands/DescribeRoutingProfileCommand.ts +++ b/clients/client-connect/src/commands/DescribeRoutingProfileCommand.ts @@ -121,4 +121,16 @@ export class DescribeRoutingProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRoutingProfileCommand) .de(de_DescribeRoutingProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRoutingProfileRequest; + output: DescribeRoutingProfileResponse; + }; + sdk: { + input: DescribeRoutingProfileCommandInput; + output: DescribeRoutingProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeRuleCommand.ts b/clients/client-connect/src/commands/DescribeRuleCommand.ts index b75a29b0490a..772c9eac324c 100644 --- a/clients/client-connect/src/commands/DescribeRuleCommand.ts +++ b/clients/client-connect/src/commands/DescribeRuleCommand.ts @@ -174,4 +174,16 @@ export class DescribeRuleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuleCommand) .de(de_DescribeRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuleRequest; + output: DescribeRuleResponse; + }; + sdk: { + input: DescribeRuleCommandInput; + output: DescribeRuleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeSecurityProfileCommand.ts b/clients/client-connect/src/commands/DescribeSecurityProfileCommand.ts index 955e2bf7ecfe..3e4939c5e66c 100644 --- a/clients/client-connect/src/commands/DescribeSecurityProfileCommand.ts +++ b/clients/client-connect/src/commands/DescribeSecurityProfileCommand.ts @@ -118,4 +118,16 @@ export class DescribeSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityProfileCommand) .de(de_DescribeSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityProfileRequest; + output: DescribeSecurityProfileResponse; + }; + sdk: { + input: DescribeSecurityProfileCommandInput; + output: DescribeSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeTrafficDistributionGroupCommand.ts b/clients/client-connect/src/commands/DescribeTrafficDistributionGroupCommand.ts index 8c27dbe13752..81b4b05101c9 100644 --- a/clients/client-connect/src/commands/DescribeTrafficDistributionGroupCommand.ts +++ b/clients/client-connect/src/commands/DescribeTrafficDistributionGroupCommand.ts @@ -108,4 +108,16 @@ export class DescribeTrafficDistributionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrafficDistributionGroupCommand) .de(de_DescribeTrafficDistributionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrafficDistributionGroupRequest; + output: DescribeTrafficDistributionGroupResponse; + }; + sdk: { + input: DescribeTrafficDistributionGroupCommandInput; + output: DescribeTrafficDistributionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeUserCommand.ts b/clients/client-connect/src/commands/DescribeUserCommand.ts index bb6be189e737..13f2f0cbe535 100644 --- a/clients/client-connect/src/commands/DescribeUserCommand.ts +++ b/clients/client-connect/src/commands/DescribeUserCommand.ts @@ -122,4 +122,16 @@ export class DescribeUserCommand extends $Command .f(void 0, DescribeUserResponseFilterSensitiveLog) .ser(se_DescribeUserCommand) .de(de_DescribeUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserRequest; + output: DescribeUserResponse; + }; + sdk: { + input: DescribeUserCommandInput; + output: DescribeUserCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeUserHierarchyGroupCommand.ts b/clients/client-connect/src/commands/DescribeUserHierarchyGroupCommand.ts index 6647c3c7e0a3..0666de209ad8 100644 --- a/clients/client-connect/src/commands/DescribeUserHierarchyGroupCommand.ts +++ b/clients/client-connect/src/commands/DescribeUserHierarchyGroupCommand.ts @@ -140,4 +140,16 @@ export class DescribeUserHierarchyGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserHierarchyGroupCommand) .de(de_DescribeUserHierarchyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserHierarchyGroupRequest; + output: DescribeUserHierarchyGroupResponse; + }; + sdk: { + input: DescribeUserHierarchyGroupCommandInput; + output: DescribeUserHierarchyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeUserHierarchyStructureCommand.ts b/clients/client-connect/src/commands/DescribeUserHierarchyStructureCommand.ts index 280863b79bb1..d9cbbf9d965b 100644 --- a/clients/client-connect/src/commands/DescribeUserHierarchyStructureCommand.ts +++ b/clients/client-connect/src/commands/DescribeUserHierarchyStructureCommand.ts @@ -133,4 +133,16 @@ export class DescribeUserHierarchyStructureCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserHierarchyStructureCommand) .de(de_DescribeUserHierarchyStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserHierarchyStructureRequest; + output: DescribeUserHierarchyStructureResponse; + }; + sdk: { + input: DescribeUserHierarchyStructureCommandInput; + output: DescribeUserHierarchyStructureCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeViewCommand.ts b/clients/client-connect/src/commands/DescribeViewCommand.ts index 5d54d01e622e..0147b825ba7d 100644 --- a/clients/client-connect/src/commands/DescribeViewCommand.ts +++ b/clients/client-connect/src/commands/DescribeViewCommand.ts @@ -125,4 +125,16 @@ export class DescribeViewCommand extends $Command .f(void 0, DescribeViewResponseFilterSensitiveLog) .ser(se_DescribeViewCommand) .de(de_DescribeViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeViewRequest; + output: DescribeViewResponse; + }; + sdk: { + input: DescribeViewCommandInput; + output: DescribeViewCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DescribeVocabularyCommand.ts b/clients/client-connect/src/commands/DescribeVocabularyCommand.ts index a4b2e2ad5abf..52738fa8faab 100644 --- a/clients/client-connect/src/commands/DescribeVocabularyCommand.ts +++ b/clients/client-connect/src/commands/DescribeVocabularyCommand.ts @@ -105,4 +105,16 @@ export class DescribeVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVocabularyCommand) .de(de_DescribeVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVocabularyRequest; + output: DescribeVocabularyResponse; + }; + sdk: { + input: DescribeVocabularyCommandInput; + output: DescribeVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateAnalyticsDataSetCommand.ts b/clients/client-connect/src/commands/DisassociateAnalyticsDataSetCommand.ts index bb4af236bc13..12406b57c9c0 100644 --- a/clients/client-connect/src/commands/DisassociateAnalyticsDataSetCommand.ts +++ b/clients/client-connect/src/commands/DisassociateAnalyticsDataSetCommand.ts @@ -96,4 +96,16 @@ export class DisassociateAnalyticsDataSetCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAnalyticsDataSetCommand) .de(de_DisassociateAnalyticsDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAnalyticsDataSetRequest; + output: {}; + }; + sdk: { + input: DisassociateAnalyticsDataSetCommandInput; + output: DisassociateAnalyticsDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateApprovedOriginCommand.ts b/clients/client-connect/src/commands/DisassociateApprovedOriginCommand.ts index 9ec7daefdc82..b9a887c8225d 100644 --- a/clients/client-connect/src/commands/DisassociateApprovedOriginCommand.ts +++ b/clients/client-connect/src/commands/DisassociateApprovedOriginCommand.ts @@ -92,4 +92,16 @@ export class DisassociateApprovedOriginCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateApprovedOriginCommand) .de(de_DisassociateApprovedOriginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateApprovedOriginRequest; + output: {}; + }; + sdk: { + input: DisassociateApprovedOriginCommandInput; + output: DisassociateApprovedOriginCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateBotCommand.ts b/clients/client-connect/src/commands/DisassociateBotCommand.ts index af1c38c5fb58..b5c7be661cae 100644 --- a/clients/client-connect/src/commands/DisassociateBotCommand.ts +++ b/clients/client-connect/src/commands/DisassociateBotCommand.ts @@ -96,4 +96,16 @@ export class DisassociateBotCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateBotCommand) .de(de_DisassociateBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateBotRequest; + output: {}; + }; + sdk: { + input: DisassociateBotCommandInput; + output: DisassociateBotCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateFlowCommand.ts b/clients/client-connect/src/commands/DisassociateFlowCommand.ts index ce62cf833473..3c25e158ec76 100644 --- a/clients/client-connect/src/commands/DisassociateFlowCommand.ts +++ b/clients/client-connect/src/commands/DisassociateFlowCommand.ts @@ -95,4 +95,16 @@ export class DisassociateFlowCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFlowCommand) .de(de_DisassociateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFlowRequest; + output: {}; + }; + sdk: { + input: DisassociateFlowCommandInput; + output: DisassociateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateInstanceStorageConfigCommand.ts b/clients/client-connect/src/commands/DisassociateInstanceStorageConfigCommand.ts index 7f9bc3460326..d1ca9d955795 100644 --- a/clients/client-connect/src/commands/DisassociateInstanceStorageConfigCommand.ts +++ b/clients/client-connect/src/commands/DisassociateInstanceStorageConfigCommand.ts @@ -97,4 +97,16 @@ export class DisassociateInstanceStorageConfigCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateInstanceStorageConfigCommand) .de(de_DisassociateInstanceStorageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateInstanceStorageConfigRequest; + output: {}; + }; + sdk: { + input: DisassociateInstanceStorageConfigCommandInput; + output: DisassociateInstanceStorageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateLambdaFunctionCommand.ts b/clients/client-connect/src/commands/DisassociateLambdaFunctionCommand.ts index 4fa17dd1b2a7..1c2da9cac273 100644 --- a/clients/client-connect/src/commands/DisassociateLambdaFunctionCommand.ts +++ b/clients/client-connect/src/commands/DisassociateLambdaFunctionCommand.ts @@ -93,4 +93,16 @@ export class DisassociateLambdaFunctionCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateLambdaFunctionCommand) .de(de_DisassociateLambdaFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateLambdaFunctionRequest; + output: {}; + }; + sdk: { + input: DisassociateLambdaFunctionCommandInput; + output: DisassociateLambdaFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateLexBotCommand.ts b/clients/client-connect/src/commands/DisassociateLexBotCommand.ts index 3de60d0a17d7..5b537e4c40df 100644 --- a/clients/client-connect/src/commands/DisassociateLexBotCommand.ts +++ b/clients/client-connect/src/commands/DisassociateLexBotCommand.ts @@ -94,4 +94,16 @@ export class DisassociateLexBotCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateLexBotCommand) .de(de_DisassociateLexBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateLexBotRequest; + output: {}; + }; + sdk: { + input: DisassociateLexBotCommandInput; + output: DisassociateLexBotCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociatePhoneNumberContactFlowCommand.ts b/clients/client-connect/src/commands/DisassociatePhoneNumberContactFlowCommand.ts index b939bdf81006..d9189d443de5 100644 --- a/clients/client-connect/src/commands/DisassociatePhoneNumberContactFlowCommand.ts +++ b/clients/client-connect/src/commands/DisassociatePhoneNumberContactFlowCommand.ts @@ -104,4 +104,16 @@ export class DisassociatePhoneNumberContactFlowCommand extends $Command .f(void 0, void 0) .ser(se_DisassociatePhoneNumberContactFlowCommand) .de(de_DisassociatePhoneNumberContactFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePhoneNumberContactFlowRequest; + output: {}; + }; + sdk: { + input: DisassociatePhoneNumberContactFlowCommandInput; + output: DisassociatePhoneNumberContactFlowCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateQueueQuickConnectsCommand.ts b/clients/client-connect/src/commands/DisassociateQueueQuickConnectsCommand.ts index 996f8e9d6f8b..68dbe0386c45 100644 --- a/clients/client-connect/src/commands/DisassociateQueueQuickConnectsCommand.ts +++ b/clients/client-connect/src/commands/DisassociateQueueQuickConnectsCommand.ts @@ -98,4 +98,16 @@ export class DisassociateQueueQuickConnectsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateQueueQuickConnectsCommand) .de(de_DisassociateQueueQuickConnectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateQueueQuickConnectsRequest; + output: {}; + }; + sdk: { + input: DisassociateQueueQuickConnectsCommandInput; + output: DisassociateQueueQuickConnectsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateRoutingProfileQueuesCommand.ts b/clients/client-connect/src/commands/DisassociateRoutingProfileQueuesCommand.ts index f0c8700e4b56..fcd5aa7ebe05 100644 --- a/clients/client-connect/src/commands/DisassociateRoutingProfileQueuesCommand.ts +++ b/clients/client-connect/src/commands/DisassociateRoutingProfileQueuesCommand.ts @@ -100,4 +100,16 @@ export class DisassociateRoutingProfileQueuesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateRoutingProfileQueuesCommand) .de(de_DisassociateRoutingProfileQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateRoutingProfileQueuesRequest; + output: {}; + }; + sdk: { + input: DisassociateRoutingProfileQueuesCommandInput; + output: DisassociateRoutingProfileQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateSecurityKeyCommand.ts b/clients/client-connect/src/commands/DisassociateSecurityKeyCommand.ts index 668a4961ff90..8ae944351f1f 100644 --- a/clients/client-connect/src/commands/DisassociateSecurityKeyCommand.ts +++ b/clients/client-connect/src/commands/DisassociateSecurityKeyCommand.ts @@ -92,4 +92,16 @@ export class DisassociateSecurityKeyCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateSecurityKeyCommand) .de(de_DisassociateSecurityKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateSecurityKeyRequest; + output: {}; + }; + sdk: { + input: DisassociateSecurityKeyCommandInput; + output: DisassociateSecurityKeyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateTrafficDistributionGroupUserCommand.ts b/clients/client-connect/src/commands/DisassociateTrafficDistributionGroupUserCommand.ts index 6d99accae08f..3eab8aa1499c 100644 --- a/clients/client-connect/src/commands/DisassociateTrafficDistributionGroupUserCommand.ts +++ b/clients/client-connect/src/commands/DisassociateTrafficDistributionGroupUserCommand.ts @@ -104,4 +104,16 @@ export class DisassociateTrafficDistributionGroupUserCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTrafficDistributionGroupUserCommand) .de(de_DisassociateTrafficDistributionGroupUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTrafficDistributionGroupUserRequest; + output: {}; + }; + sdk: { + input: DisassociateTrafficDistributionGroupUserCommandInput; + output: DisassociateTrafficDistributionGroupUserCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DisassociateUserProficienciesCommand.ts b/clients/client-connect/src/commands/DisassociateUserProficienciesCommand.ts index 5bc35e00e58b..6bd3bd245b62 100644 --- a/clients/client-connect/src/commands/DisassociateUserProficienciesCommand.ts +++ b/clients/client-connect/src/commands/DisassociateUserProficienciesCommand.ts @@ -100,4 +100,16 @@ export class DisassociateUserProficienciesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateUserProficienciesCommand) .de(de_DisassociateUserProficienciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateUserProficienciesRequest; + output: {}; + }; + sdk: { + input: DisassociateUserProficienciesCommandInput; + output: DisassociateUserProficienciesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/DismissUserContactCommand.ts b/clients/client-connect/src/commands/DismissUserContactCommand.ts index 81a7bfbbfca4..465f5ee6d867 100644 --- a/clients/client-connect/src/commands/DismissUserContactCommand.ts +++ b/clients/client-connect/src/commands/DismissUserContactCommand.ts @@ -99,4 +99,16 @@ export class DismissUserContactCommand extends $Command .f(void 0, void 0) .ser(se_DismissUserContactCommand) .de(de_DismissUserContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DismissUserContactRequest; + output: {}; + }; + sdk: { + input: DismissUserContactCommandInput; + output: DismissUserContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetAttachedFileCommand.ts b/clients/client-connect/src/commands/GetAttachedFileCommand.ts index cab1fa4610ca..cfc9afd4503f 100644 --- a/clients/client-connect/src/commands/GetAttachedFileCommand.ts +++ b/clients/client-connect/src/commands/GetAttachedFileCommand.ts @@ -115,4 +115,16 @@ export class GetAttachedFileCommand extends $Command .f(void 0, void 0) .ser(se_GetAttachedFileCommand) .de(de_GetAttachedFileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAttachedFileRequest; + output: GetAttachedFileResponse; + }; + sdk: { + input: GetAttachedFileCommandInput; + output: GetAttachedFileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetContactAttributesCommand.ts b/clients/client-connect/src/commands/GetContactAttributesCommand.ts index 5126911a237d..7625dfb17b26 100644 --- a/clients/client-connect/src/commands/GetContactAttributesCommand.ts +++ b/clients/client-connect/src/commands/GetContactAttributesCommand.ts @@ -89,4 +89,16 @@ export class GetContactAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetContactAttributesCommand) .de(de_GetContactAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactAttributesRequest; + output: GetContactAttributesResponse; + }; + sdk: { + input: GetContactAttributesCommandInput; + output: GetContactAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetCurrentMetricDataCommand.ts b/clients/client-connect/src/commands/GetCurrentMetricDataCommand.ts index 62f3ce71a387..14c533691772 100644 --- a/clients/client-connect/src/commands/GetCurrentMetricDataCommand.ts +++ b/clients/client-connect/src/commands/GetCurrentMetricDataCommand.ts @@ -152,4 +152,16 @@ export class GetCurrentMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetCurrentMetricDataCommand) .de(de_GetCurrentMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCurrentMetricDataRequest; + output: GetCurrentMetricDataResponse; + }; + sdk: { + input: GetCurrentMetricDataCommandInput; + output: GetCurrentMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetCurrentUserDataCommand.ts b/clients/client-connect/src/commands/GetCurrentUserDataCommand.ts index 1169257dae22..c93369db067e 100644 --- a/clients/client-connect/src/commands/GetCurrentUserDataCommand.ts +++ b/clients/client-connect/src/commands/GetCurrentUserDataCommand.ts @@ -177,4 +177,16 @@ export class GetCurrentUserDataCommand extends $Command .f(void 0, void 0) .ser(se_GetCurrentUserDataCommand) .de(de_GetCurrentUserDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCurrentUserDataRequest; + output: GetCurrentUserDataResponse; + }; + sdk: { + input: GetCurrentUserDataCommandInput; + output: GetCurrentUserDataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetFederationTokenCommand.ts b/clients/client-connect/src/commands/GetFederationTokenCommand.ts index 116cd216abe7..405be2f1cd20 100644 --- a/clients/client-connect/src/commands/GetFederationTokenCommand.ts +++ b/clients/client-connect/src/commands/GetFederationTokenCommand.ts @@ -121,4 +121,16 @@ export class GetFederationTokenCommand extends $Command .f(void 0, GetFederationTokenResponseFilterSensitiveLog) .ser(se_GetFederationTokenCommand) .de(de_GetFederationTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFederationTokenRequest; + output: GetFederationTokenResponse; + }; + sdk: { + input: GetFederationTokenCommandInput; + output: GetFederationTokenCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetFlowAssociationCommand.ts b/clients/client-connect/src/commands/GetFlowAssociationCommand.ts index d173829242ca..551c608dba6a 100644 --- a/clients/client-connect/src/commands/GetFlowAssociationCommand.ts +++ b/clients/client-connect/src/commands/GetFlowAssociationCommand.ts @@ -99,4 +99,16 @@ export class GetFlowAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetFlowAssociationCommand) .de(de_GetFlowAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFlowAssociationRequest; + output: GetFlowAssociationResponse; + }; + sdk: { + input: GetFlowAssociationCommandInput; + output: GetFlowAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetMetricDataCommand.ts b/clients/client-connect/src/commands/GetMetricDataCommand.ts index 4d10407c9b24..4f38621b7612 100644 --- a/clients/client-connect/src/commands/GetMetricDataCommand.ts +++ b/clients/client-connect/src/commands/GetMetricDataCommand.ts @@ -165,4 +165,16 @@ export class GetMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricDataCommand) .de(de_GetMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricDataRequest; + output: GetMetricDataResponse; + }; + sdk: { + input: GetMetricDataCommandInput; + output: GetMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetMetricDataV2Command.ts b/clients/client-connect/src/commands/GetMetricDataV2Command.ts index d025be7c1392..0dd4e6da139d 100644 --- a/clients/client-connect/src/commands/GetMetricDataV2Command.ts +++ b/clients/client-connect/src/commands/GetMetricDataV2Command.ts @@ -174,4 +174,16 @@ export class GetMetricDataV2Command extends $Command .f(void 0, void 0) .ser(se_GetMetricDataV2Command) .de(de_GetMetricDataV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricDataV2Request; + output: GetMetricDataV2Response; + }; + sdk: { + input: GetMetricDataV2CommandInput; + output: GetMetricDataV2CommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetPromptFileCommand.ts b/clients/client-connect/src/commands/GetPromptFileCommand.ts index a21ab461e61b..6d646d6171e6 100644 --- a/clients/client-connect/src/commands/GetPromptFileCommand.ts +++ b/clients/client-connect/src/commands/GetPromptFileCommand.ts @@ -95,4 +95,16 @@ export class GetPromptFileCommand extends $Command .f(void 0, void 0) .ser(se_GetPromptFileCommand) .de(de_GetPromptFileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPromptFileRequest; + output: GetPromptFileResponse; + }; + sdk: { + input: GetPromptFileCommandInput; + output: GetPromptFileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetTaskTemplateCommand.ts b/clients/client-connect/src/commands/GetTaskTemplateCommand.ts index 0338b0e4ce78..66748dd9509c 100644 --- a/clients/client-connect/src/commands/GetTaskTemplateCommand.ts +++ b/clients/client-connect/src/commands/GetTaskTemplateCommand.ts @@ -151,4 +151,16 @@ export class GetTaskTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetTaskTemplateCommand) .de(de_GetTaskTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTaskTemplateRequest; + output: GetTaskTemplateResponse; + }; + sdk: { + input: GetTaskTemplateCommandInput; + output: GetTaskTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/GetTrafficDistributionCommand.ts b/clients/client-connect/src/commands/GetTrafficDistributionCommand.ts index 37494fb891b6..cd40e42f35ff 100644 --- a/clients/client-connect/src/commands/GetTrafficDistributionCommand.ts +++ b/clients/client-connect/src/commands/GetTrafficDistributionCommand.ts @@ -117,4 +117,16 @@ export class GetTrafficDistributionCommand extends $Command .f(void 0, void 0) .ser(se_GetTrafficDistributionCommand) .de(de_GetTrafficDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrafficDistributionRequest; + output: GetTrafficDistributionResponse; + }; + sdk: { + input: GetTrafficDistributionCommandInput; + output: GetTrafficDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ImportPhoneNumberCommand.ts b/clients/client-connect/src/commands/ImportPhoneNumberCommand.ts index b4587ef0c0dd..38f51d71b373 100644 --- a/clients/client-connect/src/commands/ImportPhoneNumberCommand.ts +++ b/clients/client-connect/src/commands/ImportPhoneNumberCommand.ts @@ -120,4 +120,16 @@ export class ImportPhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_ImportPhoneNumberCommand) .de(de_ImportPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportPhoneNumberRequest; + output: ImportPhoneNumberResponse; + }; + sdk: { + input: ImportPhoneNumberCommandInput; + output: ImportPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListAgentStatusesCommand.ts b/clients/client-connect/src/commands/ListAgentStatusesCommand.ts index 7baa160818f6..ad6a1d7bff2a 100644 --- a/clients/client-connect/src/commands/ListAgentStatusesCommand.ts +++ b/clients/client-connect/src/commands/ListAgentStatusesCommand.ts @@ -108,4 +108,16 @@ export class ListAgentStatusesCommand extends $Command .f(void 0, void 0) .ser(se_ListAgentStatusesCommand) .de(de_ListAgentStatusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgentStatusRequest; + output: ListAgentStatusResponse; + }; + sdk: { + input: ListAgentStatusesCommandInput; + output: ListAgentStatusesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListAnalyticsDataAssociationsCommand.ts b/clients/client-connect/src/commands/ListAnalyticsDataAssociationsCommand.ts index cc04dc73bb4f..31300bcdc6ff 100644 --- a/clients/client-connect/src/commands/ListAnalyticsDataAssociationsCommand.ts +++ b/clients/client-connect/src/commands/ListAnalyticsDataAssociationsCommand.ts @@ -110,4 +110,16 @@ export class ListAnalyticsDataAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAnalyticsDataAssociationsCommand) .de(de_ListAnalyticsDataAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnalyticsDataAssociationsRequest; + output: ListAnalyticsDataAssociationsResponse; + }; + sdk: { + input: ListAnalyticsDataAssociationsCommandInput; + output: ListAnalyticsDataAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListApprovedOriginsCommand.ts b/clients/client-connect/src/commands/ListApprovedOriginsCommand.ts index aaf83fc4e1e3..7e79871b48a3 100644 --- a/clients/client-connect/src/commands/ListApprovedOriginsCommand.ts +++ b/clients/client-connect/src/commands/ListApprovedOriginsCommand.ts @@ -98,4 +98,16 @@ export class ListApprovedOriginsCommand extends $Command .f(void 0, void 0) .ser(se_ListApprovedOriginsCommand) .de(de_ListApprovedOriginsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApprovedOriginsRequest; + output: ListApprovedOriginsResponse; + }; + sdk: { + input: ListApprovedOriginsCommandInput; + output: ListApprovedOriginsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListAuthenticationProfilesCommand.ts b/clients/client-connect/src/commands/ListAuthenticationProfilesCommand.ts index d3665b45cd8e..2fa624083157 100644 --- a/clients/client-connect/src/commands/ListAuthenticationProfilesCommand.ts +++ b/clients/client-connect/src/commands/ListAuthenticationProfilesCommand.ts @@ -106,4 +106,16 @@ export class ListAuthenticationProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListAuthenticationProfilesCommand) .de(de_ListAuthenticationProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAuthenticationProfilesRequest; + output: ListAuthenticationProfilesResponse; + }; + sdk: { + input: ListAuthenticationProfilesCommandInput; + output: ListAuthenticationProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListBotsCommand.ts b/clients/client-connect/src/commands/ListBotsCommand.ts index 7752a0d26965..d207ec320f2a 100644 --- a/clients/client-connect/src/commands/ListBotsCommand.ts +++ b/clients/client-connect/src/commands/ListBotsCommand.ts @@ -104,4 +104,16 @@ export class ListBotsCommand extends $Command .f(void 0, void 0) .ser(se_ListBotsCommand) .de(de_ListBotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotsRequest; + output: ListBotsResponse; + }; + sdk: { + input: ListBotsCommandInput; + output: ListBotsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListContactEvaluationsCommand.ts b/clients/client-connect/src/commands/ListContactEvaluationsCommand.ts index 2913cffda3ab..57a2378944b2 100644 --- a/clients/client-connect/src/commands/ListContactEvaluationsCommand.ts +++ b/clients/client-connect/src/commands/ListContactEvaluationsCommand.ts @@ -108,4 +108,16 @@ export class ListContactEvaluationsCommand extends $Command .f(void 0, void 0) .ser(se_ListContactEvaluationsCommand) .de(de_ListContactEvaluationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactEvaluationsRequest; + output: ListContactEvaluationsResponse; + }; + sdk: { + input: ListContactEvaluationsCommandInput; + output: ListContactEvaluationsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListContactFlowModulesCommand.ts b/clients/client-connect/src/commands/ListContactFlowModulesCommand.ts index d40a2f0a050b..04ff2f52d014 100644 --- a/clients/client-connect/src/commands/ListContactFlowModulesCommand.ts +++ b/clients/client-connect/src/commands/ListContactFlowModulesCommand.ts @@ -107,4 +107,16 @@ export class ListContactFlowModulesCommand extends $Command .f(void 0, void 0) .ser(se_ListContactFlowModulesCommand) .de(de_ListContactFlowModulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactFlowModulesRequest; + output: ListContactFlowModulesResponse; + }; + sdk: { + input: ListContactFlowModulesCommandInput; + output: ListContactFlowModulesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListContactFlowsCommand.ts b/clients/client-connect/src/commands/ListContactFlowsCommand.ts index 8c373b5649a2..cc7c3a5c91f7 100644 --- a/clients/client-connect/src/commands/ListContactFlowsCommand.ts +++ b/clients/client-connect/src/commands/ListContactFlowsCommand.ts @@ -111,4 +111,16 @@ export class ListContactFlowsCommand extends $Command .f(void 0, void 0) .ser(se_ListContactFlowsCommand) .de(de_ListContactFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactFlowsRequest; + output: ListContactFlowsResponse; + }; + sdk: { + input: ListContactFlowsCommandInput; + output: ListContactFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListContactReferencesCommand.ts b/clients/client-connect/src/commands/ListContactReferencesCommand.ts index f1f10dc129d1..d6c447bad1e8 100644 --- a/clients/client-connect/src/commands/ListContactReferencesCommand.ts +++ b/clients/client-connect/src/commands/ListContactReferencesCommand.ts @@ -129,4 +129,16 @@ export class ListContactReferencesCommand extends $Command .f(void 0, void 0) .ser(se_ListContactReferencesCommand) .de(de_ListContactReferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactReferencesRequest; + output: ListContactReferencesResponse; + }; + sdk: { + input: ListContactReferencesCommandInput; + output: ListContactReferencesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListDefaultVocabulariesCommand.ts b/clients/client-connect/src/commands/ListDefaultVocabulariesCommand.ts index 1801f11ca296..a58740507a92 100644 --- a/clients/client-connect/src/commands/ListDefaultVocabulariesCommand.ts +++ b/clients/client-connect/src/commands/ListDefaultVocabulariesCommand.ts @@ -100,4 +100,16 @@ export class ListDefaultVocabulariesCommand extends $Command .f(void 0, void 0) .ser(se_ListDefaultVocabulariesCommand) .de(de_ListDefaultVocabulariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDefaultVocabulariesRequest; + output: ListDefaultVocabulariesResponse; + }; + sdk: { + input: ListDefaultVocabulariesCommandInput; + output: ListDefaultVocabulariesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListEvaluationFormVersionsCommand.ts b/clients/client-connect/src/commands/ListEvaluationFormVersionsCommand.ts index df5ec124e7ea..89c5054ce0bc 100644 --- a/clients/client-connect/src/commands/ListEvaluationFormVersionsCommand.ts +++ b/clients/client-connect/src/commands/ListEvaluationFormVersionsCommand.ts @@ -105,4 +105,16 @@ export class ListEvaluationFormVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEvaluationFormVersionsCommand) .de(de_ListEvaluationFormVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEvaluationFormVersionsRequest; + output: ListEvaluationFormVersionsResponse; + }; + sdk: { + input: ListEvaluationFormVersionsCommandInput; + output: ListEvaluationFormVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListEvaluationFormsCommand.ts b/clients/client-connect/src/commands/ListEvaluationFormsCommand.ts index 259351f47ac2..6c57fc65799a 100644 --- a/clients/client-connect/src/commands/ListEvaluationFormsCommand.ts +++ b/clients/client-connect/src/commands/ListEvaluationFormsCommand.ts @@ -106,4 +106,16 @@ export class ListEvaluationFormsCommand extends $Command .f(void 0, void 0) .ser(se_ListEvaluationFormsCommand) .de(de_ListEvaluationFormsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEvaluationFormsRequest; + output: ListEvaluationFormsResponse; + }; + sdk: { + input: ListEvaluationFormsCommandInput; + output: ListEvaluationFormsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListFlowAssociationsCommand.ts b/clients/client-connect/src/commands/ListFlowAssociationsCommand.ts index 22db849fd660..7cd73aecc464 100644 --- a/clients/client-connect/src/commands/ListFlowAssociationsCommand.ts +++ b/clients/client-connect/src/commands/ListFlowAssociationsCommand.ts @@ -105,4 +105,16 @@ export class ListFlowAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowAssociationsCommand) .de(de_ListFlowAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowAssociationsRequest; + output: ListFlowAssociationsResponse; + }; + sdk: { + input: ListFlowAssociationsCommandInput; + output: ListFlowAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListHoursOfOperationsCommand.ts b/clients/client-connect/src/commands/ListHoursOfOperationsCommand.ts index 2d8104aaba86..3d15010879ab 100644 --- a/clients/client-connect/src/commands/ListHoursOfOperationsCommand.ts +++ b/clients/client-connect/src/commands/ListHoursOfOperationsCommand.ts @@ -106,4 +106,16 @@ export class ListHoursOfOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListHoursOfOperationsCommand) .de(de_ListHoursOfOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHoursOfOperationsRequest; + output: ListHoursOfOperationsResponse; + }; + sdk: { + input: ListHoursOfOperationsCommandInput; + output: ListHoursOfOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListInstanceAttributesCommand.ts b/clients/client-connect/src/commands/ListInstanceAttributesCommand.ts index 0076e8e7814e..2d0190dd0a48 100644 --- a/clients/client-connect/src/commands/ListInstanceAttributesCommand.ts +++ b/clients/client-connect/src/commands/ListInstanceAttributesCommand.ts @@ -101,4 +101,16 @@ export class ListInstanceAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceAttributesCommand) .de(de_ListInstanceAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceAttributesRequest; + output: ListInstanceAttributesResponse; + }; + sdk: { + input: ListInstanceAttributesCommandInput; + output: ListInstanceAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListInstanceStorageConfigsCommand.ts b/clients/client-connect/src/commands/ListInstanceStorageConfigsCommand.ts index 396ca562bd23..e473d590c88a 100644 --- a/clients/client-connect/src/commands/ListInstanceStorageConfigsCommand.ts +++ b/clients/client-connect/src/commands/ListInstanceStorageConfigsCommand.ts @@ -125,4 +125,16 @@ export class ListInstanceStorageConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceStorageConfigsCommand) .de(de_ListInstanceStorageConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceStorageConfigsRequest; + output: ListInstanceStorageConfigsResponse; + }; + sdk: { + input: ListInstanceStorageConfigsCommandInput; + output: ListInstanceStorageConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListInstancesCommand.ts b/clients/client-connect/src/commands/ListInstancesCommand.ts index cb556aee50e9..ca295e0cd500 100644 --- a/clients/client-connect/src/commands/ListInstancesCommand.ts +++ b/clients/client-connect/src/commands/ListInstancesCommand.ts @@ -105,4 +105,16 @@ export class ListInstancesCommand extends $Command .f(void 0, ListInstancesResponseFilterSensitiveLog) .ser(se_ListInstancesCommand) .de(de_ListInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstancesRequest; + output: ListInstancesResponse; + }; + sdk: { + input: ListInstancesCommandInput; + output: ListInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListIntegrationAssociationsCommand.ts b/clients/client-connect/src/commands/ListIntegrationAssociationsCommand.ts index b177e0e38214..d69fbf2e91fd 100644 --- a/clients/client-connect/src/commands/ListIntegrationAssociationsCommand.ts +++ b/clients/client-connect/src/commands/ListIntegrationAssociationsCommand.ts @@ -111,4 +111,16 @@ export class ListIntegrationAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListIntegrationAssociationsCommand) .de(de_ListIntegrationAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIntegrationAssociationsRequest; + output: ListIntegrationAssociationsResponse; + }; + sdk: { + input: ListIntegrationAssociationsCommandInput; + output: ListIntegrationAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListLambdaFunctionsCommand.ts b/clients/client-connect/src/commands/ListLambdaFunctionsCommand.ts index 918efa391866..e604f29dc667 100644 --- a/clients/client-connect/src/commands/ListLambdaFunctionsCommand.ts +++ b/clients/client-connect/src/commands/ListLambdaFunctionsCommand.ts @@ -99,4 +99,16 @@ export class ListLambdaFunctionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLambdaFunctionsCommand) .de(de_ListLambdaFunctionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLambdaFunctionsRequest; + output: ListLambdaFunctionsResponse; + }; + sdk: { + input: ListLambdaFunctionsCommandInput; + output: ListLambdaFunctionsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListLexBotsCommand.ts b/clients/client-connect/src/commands/ListLexBotsCommand.ts index 592b83f07807..df49330708af 100644 --- a/clients/client-connect/src/commands/ListLexBotsCommand.ts +++ b/clients/client-connect/src/commands/ListLexBotsCommand.ts @@ -103,4 +103,16 @@ export class ListLexBotsCommand extends $Command .f(void 0, void 0) .ser(se_ListLexBotsCommand) .de(de_ListLexBotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLexBotsRequest; + output: ListLexBotsResponse; + }; + sdk: { + input: ListLexBotsCommandInput; + output: ListLexBotsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListPhoneNumbersCommand.ts b/clients/client-connect/src/commands/ListPhoneNumbersCommand.ts index f89e5c0f6cc3..575cb4536bbb 100644 --- a/clients/client-connect/src/commands/ListPhoneNumbersCommand.ts +++ b/clients/client-connect/src/commands/ListPhoneNumbersCommand.ts @@ -129,4 +129,16 @@ export class ListPhoneNumbersCommand extends $Command .f(void 0, void 0) .ser(se_ListPhoneNumbersCommand) .de(de_ListPhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPhoneNumbersRequest; + output: ListPhoneNumbersResponse; + }; + sdk: { + input: ListPhoneNumbersCommandInput; + output: ListPhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListPhoneNumbersV2Command.ts b/clients/client-connect/src/commands/ListPhoneNumbersV2Command.ts index 5ed4add25116..ff7dab7a4cd0 100644 --- a/clients/client-connect/src/commands/ListPhoneNumbersV2Command.ts +++ b/clients/client-connect/src/commands/ListPhoneNumbersV2Command.ts @@ -132,4 +132,16 @@ export class ListPhoneNumbersV2Command extends $Command .f(void 0, void 0) .ser(se_ListPhoneNumbersV2Command) .de(de_ListPhoneNumbersV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPhoneNumbersV2Request; + output: ListPhoneNumbersV2Response; + }; + sdk: { + input: ListPhoneNumbersV2CommandInput; + output: ListPhoneNumbersV2CommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListPredefinedAttributesCommand.ts b/clients/client-connect/src/commands/ListPredefinedAttributesCommand.ts index 8d3fc04d58de..b6fa365c948e 100644 --- a/clients/client-connect/src/commands/ListPredefinedAttributesCommand.ts +++ b/clients/client-connect/src/commands/ListPredefinedAttributesCommand.ts @@ -104,4 +104,16 @@ export class ListPredefinedAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ListPredefinedAttributesCommand) .de(de_ListPredefinedAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPredefinedAttributesRequest; + output: ListPredefinedAttributesResponse; + }; + sdk: { + input: ListPredefinedAttributesCommandInput; + output: ListPredefinedAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListPromptsCommand.ts b/clients/client-connect/src/commands/ListPromptsCommand.ts index a9f794fd32bd..36310ff113c3 100644 --- a/clients/client-connect/src/commands/ListPromptsCommand.ts +++ b/clients/client-connect/src/commands/ListPromptsCommand.ts @@ -103,4 +103,16 @@ export class ListPromptsCommand extends $Command .f(void 0, void 0) .ser(se_ListPromptsCommand) .de(de_ListPromptsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPromptsRequest; + output: ListPromptsResponse; + }; + sdk: { + input: ListPromptsCommandInput; + output: ListPromptsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListQueueQuickConnectsCommand.ts b/clients/client-connect/src/commands/ListQueueQuickConnectsCommand.ts index df3d2b3f4f98..fa2aaa5a3434 100644 --- a/clients/client-connect/src/commands/ListQueueQuickConnectsCommand.ts +++ b/clients/client-connect/src/commands/ListQueueQuickConnectsCommand.ts @@ -108,4 +108,16 @@ export class ListQueueQuickConnectsCommand extends $Command .f(void 0, void 0) .ser(se_ListQueueQuickConnectsCommand) .de(de_ListQueueQuickConnectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueueQuickConnectsRequest; + output: ListQueueQuickConnectsResponse; + }; + sdk: { + input: ListQueueQuickConnectsCommandInput; + output: ListQueueQuickConnectsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListQueuesCommand.ts b/clients/client-connect/src/commands/ListQueuesCommand.ts index 1900920cd636..908028631911 100644 --- a/clients/client-connect/src/commands/ListQueuesCommand.ts +++ b/clients/client-connect/src/commands/ListQueuesCommand.ts @@ -113,4 +113,16 @@ export class ListQueuesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueuesCommand) .de(de_ListQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueuesRequest; + output: ListQueuesResponse; + }; + sdk: { + input: ListQueuesCommandInput; + output: ListQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListQuickConnectsCommand.ts b/clients/client-connect/src/commands/ListQuickConnectsCommand.ts index 682cbef3e6a6..0175a9b4f276 100644 --- a/clients/client-connect/src/commands/ListQuickConnectsCommand.ts +++ b/clients/client-connect/src/commands/ListQuickConnectsCommand.ts @@ -108,4 +108,16 @@ export class ListQuickConnectsCommand extends $Command .f(void 0, void 0) .ser(se_ListQuickConnectsCommand) .de(de_ListQuickConnectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQuickConnectsRequest; + output: ListQuickConnectsResponse; + }; + sdk: { + input: ListQuickConnectsCommandInput; + output: ListQuickConnectsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListRealtimeContactAnalysisSegmentsV2Command.ts b/clients/client-connect/src/commands/ListRealtimeContactAnalysisSegmentsV2Command.ts index a77736dd3adb..429e164ba0cb 100644 --- a/clients/client-connect/src/commands/ListRealtimeContactAnalysisSegmentsV2Command.ts +++ b/clients/client-connect/src/commands/ListRealtimeContactAnalysisSegmentsV2Command.ts @@ -203,4 +203,16 @@ export class ListRealtimeContactAnalysisSegmentsV2Command extends $Command .f(void 0, void 0) .ser(se_ListRealtimeContactAnalysisSegmentsV2Command) .de(de_ListRealtimeContactAnalysisSegmentsV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRealtimeContactAnalysisSegmentsV2Request; + output: ListRealtimeContactAnalysisSegmentsV2Response; + }; + sdk: { + input: ListRealtimeContactAnalysisSegmentsV2CommandInput; + output: ListRealtimeContactAnalysisSegmentsV2CommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListRoutingProfileQueuesCommand.ts b/clients/client-connect/src/commands/ListRoutingProfileQueuesCommand.ts index 1853480d0e7e..67307a6fce86 100644 --- a/clients/client-connect/src/commands/ListRoutingProfileQueuesCommand.ts +++ b/clients/client-connect/src/commands/ListRoutingProfileQueuesCommand.ts @@ -107,4 +107,16 @@ export class ListRoutingProfileQueuesCommand extends $Command .f(void 0, void 0) .ser(se_ListRoutingProfileQueuesCommand) .de(de_ListRoutingProfileQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoutingProfileQueuesRequest; + output: ListRoutingProfileQueuesResponse; + }; + sdk: { + input: ListRoutingProfileQueuesCommandInput; + output: ListRoutingProfileQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListRoutingProfilesCommand.ts b/clients/client-connect/src/commands/ListRoutingProfilesCommand.ts index b9aab3d7f6d1..a02e03019fc9 100644 --- a/clients/client-connect/src/commands/ListRoutingProfilesCommand.ts +++ b/clients/client-connect/src/commands/ListRoutingProfilesCommand.ts @@ -106,4 +106,16 @@ export class ListRoutingProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListRoutingProfilesCommand) .de(de_ListRoutingProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoutingProfilesRequest; + output: ListRoutingProfilesResponse; + }; + sdk: { + input: ListRoutingProfilesCommandInput; + output: ListRoutingProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListRulesCommand.ts b/clients/client-connect/src/commands/ListRulesCommand.ts index 5bbbbfa0c1d5..ebc9c424fc59 100644 --- a/clients/client-connect/src/commands/ListRulesCommand.ts +++ b/clients/client-connect/src/commands/ListRulesCommand.ts @@ -112,4 +112,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListSecurityKeysCommand.ts b/clients/client-connect/src/commands/ListSecurityKeysCommand.ts index e43175985cc4..b20150923602 100644 --- a/clients/client-connect/src/commands/ListSecurityKeysCommand.ts +++ b/clients/client-connect/src/commands/ListSecurityKeysCommand.ts @@ -102,4 +102,16 @@ export class ListSecurityKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityKeysCommand) .de(de_ListSecurityKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityKeysRequest; + output: ListSecurityKeysResponse; + }; + sdk: { + input: ListSecurityKeysCommandInput; + output: ListSecurityKeysCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListSecurityProfileApplicationsCommand.ts b/clients/client-connect/src/commands/ListSecurityProfileApplicationsCommand.ts index 345898bf2c6a..83a9d132a0ab 100644 --- a/clients/client-connect/src/commands/ListSecurityProfileApplicationsCommand.ts +++ b/clients/client-connect/src/commands/ListSecurityProfileApplicationsCommand.ts @@ -110,4 +110,16 @@ export class ListSecurityProfileApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityProfileApplicationsCommand) .de(de_ListSecurityProfileApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityProfileApplicationsRequest; + output: ListSecurityProfileApplicationsResponse; + }; + sdk: { + input: ListSecurityProfileApplicationsCommandInput; + output: ListSecurityProfileApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListSecurityProfilePermissionsCommand.ts b/clients/client-connect/src/commands/ListSecurityProfilePermissionsCommand.ts index 78d210808788..5422ce4db26b 100644 --- a/clients/client-connect/src/commands/ListSecurityProfilePermissionsCommand.ts +++ b/clients/client-connect/src/commands/ListSecurityProfilePermissionsCommand.ts @@ -109,4 +109,16 @@ export class ListSecurityProfilePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityProfilePermissionsCommand) .de(de_ListSecurityProfilePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityProfilePermissionsRequest; + output: ListSecurityProfilePermissionsResponse; + }; + sdk: { + input: ListSecurityProfilePermissionsCommandInput; + output: ListSecurityProfilePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListSecurityProfilesCommand.ts b/clients/client-connect/src/commands/ListSecurityProfilesCommand.ts index fa9ad80e4849..2f1c5585fef1 100644 --- a/clients/client-connect/src/commands/ListSecurityProfilesCommand.ts +++ b/clients/client-connect/src/commands/ListSecurityProfilesCommand.ts @@ -107,4 +107,16 @@ export class ListSecurityProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityProfilesCommand) .de(de_ListSecurityProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityProfilesRequest; + output: ListSecurityProfilesResponse; + }; + sdk: { + input: ListSecurityProfilesCommandInput; + output: ListSecurityProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListTagsForResourceCommand.ts b/clients/client-connect/src/commands/ListTagsForResourceCommand.ts index f63cedf7679c..0d715f31b3c4 100644 --- a/clients/client-connect/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-connect/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListTaskTemplatesCommand.ts b/clients/client-connect/src/commands/ListTaskTemplatesCommand.ts index 1bfae2a18542..448f319e343d 100644 --- a/clients/client-connect/src/commands/ListTaskTemplatesCommand.ts +++ b/clients/client-connect/src/commands/ListTaskTemplatesCommand.ts @@ -107,4 +107,16 @@ export class ListTaskTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTaskTemplatesCommand) .de(de_ListTaskTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTaskTemplatesRequest; + output: ListTaskTemplatesResponse; + }; + sdk: { + input: ListTaskTemplatesCommandInput; + output: ListTaskTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListTrafficDistributionGroupUsersCommand.ts b/clients/client-connect/src/commands/ListTrafficDistributionGroupUsersCommand.ts index dc2d7438d8df..72c89031fef9 100644 --- a/clients/client-connect/src/commands/ListTrafficDistributionGroupUsersCommand.ts +++ b/clients/client-connect/src/commands/ListTrafficDistributionGroupUsersCommand.ts @@ -107,4 +107,16 @@ export class ListTrafficDistributionGroupUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficDistributionGroupUsersCommand) .de(de_ListTrafficDistributionGroupUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficDistributionGroupUsersRequest; + output: ListTrafficDistributionGroupUsersResponse; + }; + sdk: { + input: ListTrafficDistributionGroupUsersCommandInput; + output: ListTrafficDistributionGroupUsersCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListTrafficDistributionGroupsCommand.ts b/clients/client-connect/src/commands/ListTrafficDistributionGroupsCommand.ts index 3816054c4b8f..1a081fb9a291 100644 --- a/clients/client-connect/src/commands/ListTrafficDistributionGroupsCommand.ts +++ b/clients/client-connect/src/commands/ListTrafficDistributionGroupsCommand.ts @@ -106,4 +106,16 @@ export class ListTrafficDistributionGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficDistributionGroupsCommand) .de(de_ListTrafficDistributionGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficDistributionGroupsRequest; + output: ListTrafficDistributionGroupsResponse; + }; + sdk: { + input: ListTrafficDistributionGroupsCommandInput; + output: ListTrafficDistributionGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListUseCasesCommand.ts b/clients/client-connect/src/commands/ListUseCasesCommand.ts index 3279c43fd0d8..f60162b91068 100644 --- a/clients/client-connect/src/commands/ListUseCasesCommand.ts +++ b/clients/client-connect/src/commands/ListUseCasesCommand.ts @@ -99,4 +99,16 @@ export class ListUseCasesCommand extends $Command .f(void 0, void 0) .ser(se_ListUseCasesCommand) .de(de_ListUseCasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUseCasesRequest; + output: ListUseCasesResponse; + }; + sdk: { + input: ListUseCasesCommandInput; + output: ListUseCasesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListUserHierarchyGroupsCommand.ts b/clients/client-connect/src/commands/ListUserHierarchyGroupsCommand.ts index c47b66e9b95e..1ca4a799b303 100644 --- a/clients/client-connect/src/commands/ListUserHierarchyGroupsCommand.ts +++ b/clients/client-connect/src/commands/ListUserHierarchyGroupsCommand.ts @@ -106,4 +106,16 @@ export class ListUserHierarchyGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListUserHierarchyGroupsCommand) .de(de_ListUserHierarchyGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserHierarchyGroupsRequest; + output: ListUserHierarchyGroupsResponse; + }; + sdk: { + input: ListUserHierarchyGroupsCommandInput; + output: ListUserHierarchyGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListUserProficienciesCommand.ts b/clients/client-connect/src/commands/ListUserProficienciesCommand.ts index fb6dd9b0f84f..3777373df262 100644 --- a/clients/client-connect/src/commands/ListUserProficienciesCommand.ts +++ b/clients/client-connect/src/commands/ListUserProficienciesCommand.ts @@ -104,4 +104,16 @@ export class ListUserProficienciesCommand extends $Command .f(void 0, void 0) .ser(se_ListUserProficienciesCommand) .de(de_ListUserProficienciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserProficienciesRequest; + output: ListUserProficienciesResponse; + }; + sdk: { + input: ListUserProficienciesCommandInput; + output: ListUserProficienciesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListUsersCommand.ts b/clients/client-connect/src/commands/ListUsersCommand.ts index 910ebf9d9499..410dbc91ea78 100644 --- a/clients/client-connect/src/commands/ListUsersCommand.ts +++ b/clients/client-connect/src/commands/ListUsersCommand.ts @@ -104,4 +104,16 @@ export class ListUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListViewVersionsCommand.ts b/clients/client-connect/src/commands/ListViewVersionsCommand.ts index af22a4e7b4e0..24e4e7cec55f 100644 --- a/clients/client-connect/src/commands/ListViewVersionsCommand.ts +++ b/clients/client-connect/src/commands/ListViewVersionsCommand.ts @@ -115,4 +115,16 @@ export class ListViewVersionsCommand extends $Command .f(void 0, ListViewVersionsResponseFilterSensitiveLog) .ser(se_ListViewVersionsCommand) .de(de_ListViewVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListViewVersionsRequest; + output: ListViewVersionsResponse; + }; + sdk: { + input: ListViewVersionsCommandInput; + output: ListViewVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ListViewsCommand.ts b/clients/client-connect/src/commands/ListViewsCommand.ts index ba5f72a15108..d64eea809d32 100644 --- a/clients/client-connect/src/commands/ListViewsCommand.ts +++ b/clients/client-connect/src/commands/ListViewsCommand.ts @@ -109,4 +109,16 @@ export class ListViewsCommand extends $Command .f(void 0, ListViewsResponseFilterSensitiveLog) .ser(se_ListViewsCommand) .de(de_ListViewsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListViewsRequest; + output: ListViewsResponse; + }; + sdk: { + input: ListViewsCommandInput; + output: ListViewsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/MonitorContactCommand.ts b/clients/client-connect/src/commands/MonitorContactCommand.ts index 9f2c53676cef..67e206328345 100644 --- a/clients/client-connect/src/commands/MonitorContactCommand.ts +++ b/clients/client-connect/src/commands/MonitorContactCommand.ts @@ -107,4 +107,16 @@ export class MonitorContactCommand extends $Command .f(void 0, void 0) .ser(se_MonitorContactCommand) .de(de_MonitorContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MonitorContactRequest; + output: MonitorContactResponse; + }; + sdk: { + input: MonitorContactCommandInput; + output: MonitorContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/PauseContactCommand.ts b/clients/client-connect/src/commands/PauseContactCommand.ts index 4bb2678142e4..88619c8e0646 100644 --- a/clients/client-connect/src/commands/PauseContactCommand.ts +++ b/clients/client-connect/src/commands/PauseContactCommand.ts @@ -102,4 +102,16 @@ export class PauseContactCommand extends $Command .f(void 0, void 0) .ser(se_PauseContactCommand) .de(de_PauseContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PauseContactRequest; + output: {}; + }; + sdk: { + input: PauseContactCommandInput; + output: PauseContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/PutUserStatusCommand.ts b/clients/client-connect/src/commands/PutUserStatusCommand.ts index c8c0355b945e..eff918021727 100644 --- a/clients/client-connect/src/commands/PutUserStatusCommand.ts +++ b/clients/client-connect/src/commands/PutUserStatusCommand.ts @@ -98,4 +98,16 @@ export class PutUserStatusCommand extends $Command .f(void 0, void 0) .ser(se_PutUserStatusCommand) .de(de_PutUserStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutUserStatusRequest; + output: {}; + }; + sdk: { + input: PutUserStatusCommandInput; + output: PutUserStatusCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ReleasePhoneNumberCommand.ts b/clients/client-connect/src/commands/ReleasePhoneNumberCommand.ts index 608f7199e1df..420c49e3aac6 100644 --- a/clients/client-connect/src/commands/ReleasePhoneNumberCommand.ts +++ b/clients/client-connect/src/commands/ReleasePhoneNumberCommand.ts @@ -118,4 +118,16 @@ export class ReleasePhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_ReleasePhoneNumberCommand) .de(de_ReleasePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleasePhoneNumberRequest; + output: {}; + }; + sdk: { + input: ReleasePhoneNumberCommandInput; + output: ReleasePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ReplicateInstanceCommand.ts b/clients/client-connect/src/commands/ReplicateInstanceCommand.ts index 3c421923cf4b..1797d2b1fb3d 100644 --- a/clients/client-connect/src/commands/ReplicateInstanceCommand.ts +++ b/clients/client-connect/src/commands/ReplicateInstanceCommand.ts @@ -113,4 +113,16 @@ export class ReplicateInstanceCommand extends $Command .f(ReplicateInstanceRequestFilterSensitiveLog, void 0) .ser(se_ReplicateInstanceCommand) .de(de_ReplicateInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplicateInstanceRequest; + output: ReplicateInstanceResponse; + }; + sdk: { + input: ReplicateInstanceCommandInput; + output: ReplicateInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ResumeContactCommand.ts b/clients/client-connect/src/commands/ResumeContactCommand.ts index eedba31b517b..4ce9721a27a0 100644 --- a/clients/client-connect/src/commands/ResumeContactCommand.ts +++ b/clients/client-connect/src/commands/ResumeContactCommand.ts @@ -99,4 +99,16 @@ export class ResumeContactCommand extends $Command .f(void 0, void 0) .ser(se_ResumeContactCommand) .de(de_ResumeContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeContactRequest; + output: {}; + }; + sdk: { + input: ResumeContactCommandInput; + output: ResumeContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/ResumeContactRecordingCommand.ts b/clients/client-connect/src/commands/ResumeContactRecordingCommand.ts index ce2be03c7481..4aead4b08d3a 100644 --- a/clients/client-connect/src/commands/ResumeContactRecordingCommand.ts +++ b/clients/client-connect/src/commands/ResumeContactRecordingCommand.ts @@ -90,4 +90,16 @@ export class ResumeContactRecordingCommand extends $Command .f(void 0, void 0) .ser(se_ResumeContactRecordingCommand) .de(de_ResumeContactRecordingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeContactRecordingRequest; + output: {}; + }; + sdk: { + input: ResumeContactRecordingCommandInput; + output: ResumeContactRecordingCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchAgentStatusesCommand.ts b/clients/client-connect/src/commands/SearchAgentStatusesCommand.ts index da6534a8a29a..ec4407af2404 100644 --- a/clients/client-connect/src/commands/SearchAgentStatusesCommand.ts +++ b/clients/client-connect/src/commands/SearchAgentStatusesCommand.ts @@ -159,4 +159,16 @@ export class SearchAgentStatusesCommand extends $Command .f(void 0, void 0) .ser(se_SearchAgentStatusesCommand) .de(de_SearchAgentStatusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchAgentStatusesRequest; + output: SearchAgentStatusesResponse; + }; + sdk: { + input: SearchAgentStatusesCommandInput; + output: SearchAgentStatusesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchAvailablePhoneNumbersCommand.ts b/clients/client-connect/src/commands/SearchAvailablePhoneNumbersCommand.ts index a35dcde15d8a..384eda0030cb 100644 --- a/clients/client-connect/src/commands/SearchAvailablePhoneNumbersCommand.ts +++ b/clients/client-connect/src/commands/SearchAvailablePhoneNumbersCommand.ts @@ -109,4 +109,16 @@ export class SearchAvailablePhoneNumbersCommand extends $Command .f(void 0, void 0) .ser(se_SearchAvailablePhoneNumbersCommand) .de(de_SearchAvailablePhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchAvailablePhoneNumbersRequest; + output: SearchAvailablePhoneNumbersResponse; + }; + sdk: { + input: SearchAvailablePhoneNumbersCommandInput; + output: SearchAvailablePhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchContactFlowModulesCommand.ts b/clients/client-connect/src/commands/SearchContactFlowModulesCommand.ts index 037af26f712e..6f7cfe14e0ce 100644 --- a/clients/client-connect/src/commands/SearchContactFlowModulesCommand.ts +++ b/clients/client-connect/src/commands/SearchContactFlowModulesCommand.ts @@ -153,4 +153,16 @@ export class SearchContactFlowModulesCommand extends $Command .f(void 0, void 0) .ser(se_SearchContactFlowModulesCommand) .de(de_SearchContactFlowModulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchContactFlowModulesRequest; + output: SearchContactFlowModulesResponse; + }; + sdk: { + input: SearchContactFlowModulesCommandInput; + output: SearchContactFlowModulesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchContactFlowsCommand.ts b/clients/client-connect/src/commands/SearchContactFlowsCommand.ts index df52fe3eeb4d..54a55cf91221 100644 --- a/clients/client-connect/src/commands/SearchContactFlowsCommand.ts +++ b/clients/client-connect/src/commands/SearchContactFlowsCommand.ts @@ -161,4 +161,16 @@ export class SearchContactFlowsCommand extends $Command .f(void 0, void 0) .ser(se_SearchContactFlowsCommand) .de(de_SearchContactFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchContactFlowsRequest; + output: SearchContactFlowsResponse; + }; + sdk: { + input: SearchContactFlowsCommandInput; + output: SearchContactFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchContactsCommand.ts b/clients/client-connect/src/commands/SearchContactsCommand.ts index 1c22309be18f..bc05a52e8c52 100644 --- a/clients/client-connect/src/commands/SearchContactsCommand.ts +++ b/clients/client-connect/src/commands/SearchContactsCommand.ts @@ -185,4 +185,16 @@ export class SearchContactsCommand extends $Command .f(SearchContactsRequestFilterSensitiveLog, void 0) .ser(se_SearchContactsCommand) .de(de_SearchContactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchContactsRequest; + output: SearchContactsResponse; + }; + sdk: { + input: SearchContactsCommandInput; + output: SearchContactsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchHoursOfOperationsCommand.ts b/clients/client-connect/src/commands/SearchHoursOfOperationsCommand.ts index 003c2dc0c25b..cdffa113af16 100644 --- a/clients/client-connect/src/commands/SearchHoursOfOperationsCommand.ts +++ b/clients/client-connect/src/commands/SearchHoursOfOperationsCommand.ts @@ -167,4 +167,16 @@ export class SearchHoursOfOperationsCommand extends $Command .f(void 0, void 0) .ser(se_SearchHoursOfOperationsCommand) .de(de_SearchHoursOfOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchHoursOfOperationsRequest; + output: SearchHoursOfOperationsResponse; + }; + sdk: { + input: SearchHoursOfOperationsCommandInput; + output: SearchHoursOfOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchPredefinedAttributesCommand.ts b/clients/client-connect/src/commands/SearchPredefinedAttributesCommand.ts index 43836e7f0e47..9628d76aada4 100644 --- a/clients/client-connect/src/commands/SearchPredefinedAttributesCommand.ts +++ b/clients/client-connect/src/commands/SearchPredefinedAttributesCommand.ts @@ -135,4 +135,16 @@ export class SearchPredefinedAttributesCommand extends $Command .f(void 0, void 0) .ser(se_SearchPredefinedAttributesCommand) .de(de_SearchPredefinedAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchPredefinedAttributesRequest; + output: SearchPredefinedAttributesResponse; + }; + sdk: { + input: SearchPredefinedAttributesCommandInput; + output: SearchPredefinedAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchPromptsCommand.ts b/clients/client-connect/src/commands/SearchPromptsCommand.ts index ed35374f7727..6c2d0fb211ac 100644 --- a/clients/client-connect/src/commands/SearchPromptsCommand.ts +++ b/clients/client-connect/src/commands/SearchPromptsCommand.ts @@ -152,4 +152,16 @@ export class SearchPromptsCommand extends $Command .f(void 0, void 0) .ser(se_SearchPromptsCommand) .de(de_SearchPromptsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchPromptsRequest; + output: SearchPromptsResponse; + }; + sdk: { + input: SearchPromptsCommandInput; + output: SearchPromptsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchQueuesCommand.ts b/clients/client-connect/src/commands/SearchQueuesCommand.ts index 59bf4be8dff6..50b956f07a70 100644 --- a/clients/client-connect/src/commands/SearchQueuesCommand.ts +++ b/clients/client-connect/src/commands/SearchQueuesCommand.ts @@ -162,4 +162,16 @@ export class SearchQueuesCommand extends $Command .f(void 0, void 0) .ser(se_SearchQueuesCommand) .de(de_SearchQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchQueuesRequest; + output: SearchQueuesResponse; + }; + sdk: { + input: SearchQueuesCommandInput; + output: SearchQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchQuickConnectsCommand.ts b/clients/client-connect/src/commands/SearchQuickConnectsCommand.ts index 9a5c45226587..9bcbf01a5824 100644 --- a/clients/client-connect/src/commands/SearchQuickConnectsCommand.ts +++ b/clients/client-connect/src/commands/SearchQuickConnectsCommand.ts @@ -166,4 +166,16 @@ export class SearchQuickConnectsCommand extends $Command .f(void 0, void 0) .ser(se_SearchQuickConnectsCommand) .de(de_SearchQuickConnectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchQuickConnectsRequest; + output: SearchQuickConnectsResponse; + }; + sdk: { + input: SearchQuickConnectsCommandInput; + output: SearchQuickConnectsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchResourceTagsCommand.ts b/clients/client-connect/src/commands/SearchResourceTagsCommand.ts index 7c80a1c5fdbf..67a3a2dced92 100644 --- a/clients/client-connect/src/commands/SearchResourceTagsCommand.ts +++ b/clients/client-connect/src/commands/SearchResourceTagsCommand.ts @@ -115,4 +115,16 @@ export class SearchResourceTagsCommand extends $Command .f(void 0, void 0) .ser(se_SearchResourceTagsCommand) .de(de_SearchResourceTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchResourceTagsRequest; + output: SearchResourceTagsResponse; + }; + sdk: { + input: SearchResourceTagsCommandInput; + output: SearchResourceTagsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchRoutingProfilesCommand.ts b/clients/client-connect/src/commands/SearchRoutingProfilesCommand.ts index 94142079613f..431d2d92529d 100644 --- a/clients/client-connect/src/commands/SearchRoutingProfilesCommand.ts +++ b/clients/client-connect/src/commands/SearchRoutingProfilesCommand.ts @@ -170,4 +170,16 @@ export class SearchRoutingProfilesCommand extends $Command .f(void 0, void 0) .ser(se_SearchRoutingProfilesCommand) .de(de_SearchRoutingProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchRoutingProfilesRequest; + output: SearchRoutingProfilesResponse; + }; + sdk: { + input: SearchRoutingProfilesCommandInput; + output: SearchRoutingProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchSecurityProfilesCommand.ts b/clients/client-connect/src/commands/SearchSecurityProfilesCommand.ts index fdd166965804..5bfb29244e07 100644 --- a/clients/client-connect/src/commands/SearchSecurityProfilesCommand.ts +++ b/clients/client-connect/src/commands/SearchSecurityProfilesCommand.ts @@ -156,4 +156,16 @@ export class SearchSecurityProfilesCommand extends $Command .f(void 0, void 0) .ser(se_SearchSecurityProfilesCommand) .de(de_SearchSecurityProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchSecurityProfilesRequest; + output: SearchSecurityProfilesResponse; + }; + sdk: { + input: SearchSecurityProfilesCommandInput; + output: SearchSecurityProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchUserHierarchyGroupsCommand.ts b/clients/client-connect/src/commands/SearchUserHierarchyGroupsCommand.ts index 742cce41bad2..0332c0ae483e 100644 --- a/clients/client-connect/src/commands/SearchUserHierarchyGroupsCommand.ts +++ b/clients/client-connect/src/commands/SearchUserHierarchyGroupsCommand.ts @@ -198,4 +198,16 @@ export class SearchUserHierarchyGroupsCommand extends $Command .f(void 0, void 0) .ser(se_SearchUserHierarchyGroupsCommand) .de(de_SearchUserHierarchyGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchUserHierarchyGroupsRequest; + output: SearchUserHierarchyGroupsResponse; + }; + sdk: { + input: SearchUserHierarchyGroupsCommandInput; + output: SearchUserHierarchyGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchUsersCommand.ts b/clients/client-connect/src/commands/SearchUsersCommand.ts index b9287deeda9b..680ee223e52b 100644 --- a/clients/client-connect/src/commands/SearchUsersCommand.ts +++ b/clients/client-connect/src/commands/SearchUsersCommand.ts @@ -219,4 +219,16 @@ export class SearchUsersCommand extends $Command .f(void 0, SearchUsersResponseFilterSensitiveLog) .ser(se_SearchUsersCommand) .de(de_SearchUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchUsersRequest; + output: SearchUsersResponse; + }; + sdk: { + input: SearchUsersCommandInput; + output: SearchUsersCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SearchVocabulariesCommand.ts b/clients/client-connect/src/commands/SearchVocabulariesCommand.ts index 91671d6bda57..e815a94b4795 100644 --- a/clients/client-connect/src/commands/SearchVocabulariesCommand.ts +++ b/clients/client-connect/src/commands/SearchVocabulariesCommand.ts @@ -106,4 +106,16 @@ export class SearchVocabulariesCommand extends $Command .f(void 0, void 0) .ser(se_SearchVocabulariesCommand) .de(de_SearchVocabulariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchVocabulariesRequest; + output: SearchVocabulariesResponse; + }; + sdk: { + input: SearchVocabulariesCommandInput; + output: SearchVocabulariesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SendChatIntegrationEventCommand.ts b/clients/client-connect/src/commands/SendChatIntegrationEventCommand.ts index 6a2cc2d66cff..a24859809fd4 100644 --- a/clients/client-connect/src/commands/SendChatIntegrationEventCommand.ts +++ b/clients/client-connect/src/commands/SendChatIntegrationEventCommand.ts @@ -129,4 +129,16 @@ export class SendChatIntegrationEventCommand extends $Command .f(void 0, void 0) .ser(se_SendChatIntegrationEventCommand) .de(de_SendChatIntegrationEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendChatIntegrationEventRequest; + output: SendChatIntegrationEventResponse; + }; + sdk: { + input: SendChatIntegrationEventCommandInput; + output: SendChatIntegrationEventCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartAttachedFileUploadCommand.ts b/clients/client-connect/src/commands/StartAttachedFileUploadCommand.ts index 6efeea60e815..db32c649fa20 100644 --- a/clients/client-connect/src/commands/StartAttachedFileUploadCommand.ts +++ b/clients/client-connect/src/commands/StartAttachedFileUploadCommand.ts @@ -125,4 +125,16 @@ export class StartAttachedFileUploadCommand extends $Command .f(void 0, void 0) .ser(se_StartAttachedFileUploadCommand) .de(de_StartAttachedFileUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAttachedFileUploadRequest; + output: StartAttachedFileUploadResponse; + }; + sdk: { + input: StartAttachedFileUploadCommandInput; + output: StartAttachedFileUploadCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartChatContactCommand.ts b/clients/client-connect/src/commands/StartChatContactCommand.ts index 0a430ab1c1dc..c8c35f81e631 100644 --- a/clients/client-connect/src/commands/StartChatContactCommand.ts +++ b/clients/client-connect/src/commands/StartChatContactCommand.ts @@ -153,4 +153,16 @@ export class StartChatContactCommand extends $Command .f(void 0, void 0) .ser(se_StartChatContactCommand) .de(de_StartChatContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartChatContactRequest; + output: StartChatContactResponse; + }; + sdk: { + input: StartChatContactCommandInput; + output: StartChatContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartContactEvaluationCommand.ts b/clients/client-connect/src/commands/StartContactEvaluationCommand.ts index bb0027453e20..9b8732ab3e7a 100644 --- a/clients/client-connect/src/commands/StartContactEvaluationCommand.ts +++ b/clients/client-connect/src/commands/StartContactEvaluationCommand.ts @@ -106,4 +106,16 @@ export class StartContactEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_StartContactEvaluationCommand) .de(de_StartContactEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartContactEvaluationRequest; + output: StartContactEvaluationResponse; + }; + sdk: { + input: StartContactEvaluationCommandInput; + output: StartContactEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartContactRecordingCommand.ts b/clients/client-connect/src/commands/StartContactRecordingCommand.ts index e080cf1d844f..73248da78bb4 100644 --- a/clients/client-connect/src/commands/StartContactRecordingCommand.ts +++ b/clients/client-connect/src/commands/StartContactRecordingCommand.ts @@ -110,4 +110,16 @@ export class StartContactRecordingCommand extends $Command .f(void 0, void 0) .ser(se_StartContactRecordingCommand) .de(de_StartContactRecordingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartContactRecordingRequest; + output: {}; + }; + sdk: { + input: StartContactRecordingCommandInput; + output: StartContactRecordingCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartContactStreamingCommand.ts b/clients/client-connect/src/commands/StartContactStreamingCommand.ts index 8f6f6df64029..f1a48c64a310 100644 --- a/clients/client-connect/src/commands/StartContactStreamingCommand.ts +++ b/clients/client-connect/src/commands/StartContactStreamingCommand.ts @@ -113,4 +113,16 @@ export class StartContactStreamingCommand extends $Command .f(void 0, void 0) .ser(se_StartContactStreamingCommand) .de(de_StartContactStreamingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartContactStreamingRequest; + output: StartContactStreamingResponse; + }; + sdk: { + input: StartContactStreamingCommandInput; + output: StartContactStreamingCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartOutboundVoiceContactCommand.ts b/clients/client-connect/src/commands/StartOutboundVoiceContactCommand.ts index 4ab2aa56d500..e05247557bad 100644 --- a/clients/client-connect/src/commands/StartOutboundVoiceContactCommand.ts +++ b/clients/client-connect/src/commands/StartOutboundVoiceContactCommand.ts @@ -142,4 +142,16 @@ export class StartOutboundVoiceContactCommand extends $Command .f(StartOutboundVoiceContactRequestFilterSensitiveLog, void 0) .ser(se_StartOutboundVoiceContactCommand) .de(de_StartOutboundVoiceContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartOutboundVoiceContactRequest; + output: StartOutboundVoiceContactResponse; + }; + sdk: { + input: StartOutboundVoiceContactCommandInput; + output: StartOutboundVoiceContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartTaskContactCommand.ts b/clients/client-connect/src/commands/StartTaskContactCommand.ts index 9ec1ed8a9275..e4d11ba7288b 100644 --- a/clients/client-connect/src/commands/StartTaskContactCommand.ts +++ b/clients/client-connect/src/commands/StartTaskContactCommand.ts @@ -167,4 +167,16 @@ export class StartTaskContactCommand extends $Command .f(StartTaskContactRequestFilterSensitiveLog, void 0) .ser(se_StartTaskContactCommand) .de(de_StartTaskContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTaskContactRequest; + output: StartTaskContactResponse; + }; + sdk: { + input: StartTaskContactCommandInput; + output: StartTaskContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StartWebRTCContactCommand.ts b/clients/client-connect/src/commands/StartWebRTCContactCommand.ts index 5fff235af447..ad91257ad8a0 100644 --- a/clients/client-connect/src/commands/StartWebRTCContactCommand.ts +++ b/clients/client-connect/src/commands/StartWebRTCContactCommand.ts @@ -146,4 +146,16 @@ export class StartWebRTCContactCommand extends $Command .f(StartWebRTCContactRequestFilterSensitiveLog, StartWebRTCContactResponseFilterSensitiveLog) .ser(se_StartWebRTCContactCommand) .de(de_StartWebRTCContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartWebRTCContactRequest; + output: StartWebRTCContactResponse; + }; + sdk: { + input: StartWebRTCContactCommandInput; + output: StartWebRTCContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StopContactCommand.ts b/clients/client-connect/src/commands/StopContactCommand.ts index e2eb978cc977..e187438c70d9 100644 --- a/clients/client-connect/src/commands/StopContactCommand.ts +++ b/clients/client-connect/src/commands/StopContactCommand.ts @@ -115,4 +115,16 @@ export class StopContactCommand extends $Command .f(void 0, void 0) .ser(se_StopContactCommand) .de(de_StopContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopContactRequest; + output: {}; + }; + sdk: { + input: StopContactCommandInput; + output: StopContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StopContactRecordingCommand.ts b/clients/client-connect/src/commands/StopContactRecordingCommand.ts index 977c0c165d76..e7033cc1dc26 100644 --- a/clients/client-connect/src/commands/StopContactRecordingCommand.ts +++ b/clients/client-connect/src/commands/StopContactRecordingCommand.ts @@ -91,4 +91,16 @@ export class StopContactRecordingCommand extends $Command .f(void 0, void 0) .ser(se_StopContactRecordingCommand) .de(de_StopContactRecordingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopContactRecordingRequest; + output: {}; + }; + sdk: { + input: StopContactRecordingCommandInput; + output: StopContactRecordingCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/StopContactStreamingCommand.ts b/clients/client-connect/src/commands/StopContactStreamingCommand.ts index 040a145320b8..42e80cf65443 100644 --- a/clients/client-connect/src/commands/StopContactStreamingCommand.ts +++ b/clients/client-connect/src/commands/StopContactStreamingCommand.ts @@ -91,4 +91,16 @@ export class StopContactStreamingCommand extends $Command .f(void 0, void 0) .ser(se_StopContactStreamingCommand) .de(de_StopContactStreamingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopContactStreamingRequest; + output: {}; + }; + sdk: { + input: StopContactStreamingCommandInput; + output: StopContactStreamingCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SubmitContactEvaluationCommand.ts b/clients/client-connect/src/commands/SubmitContactEvaluationCommand.ts index c4aba2f94f11..d8096fd0b415 100644 --- a/clients/client-connect/src/commands/SubmitContactEvaluationCommand.ts +++ b/clients/client-connect/src/commands/SubmitContactEvaluationCommand.ts @@ -113,4 +113,16 @@ export class SubmitContactEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_SubmitContactEvaluationCommand) .de(de_SubmitContactEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitContactEvaluationRequest; + output: SubmitContactEvaluationResponse; + }; + sdk: { + input: SubmitContactEvaluationCommandInput; + output: SubmitContactEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/SuspendContactRecordingCommand.ts b/clients/client-connect/src/commands/SuspendContactRecordingCommand.ts index 3a8f499a1893..93e0b1fa403c 100644 --- a/clients/client-connect/src/commands/SuspendContactRecordingCommand.ts +++ b/clients/client-connect/src/commands/SuspendContactRecordingCommand.ts @@ -93,4 +93,16 @@ export class SuspendContactRecordingCommand extends $Command .f(void 0, void 0) .ser(se_SuspendContactRecordingCommand) .de(de_SuspendContactRecordingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SuspendContactRecordingRequest; + output: {}; + }; + sdk: { + input: SuspendContactRecordingCommandInput; + output: SuspendContactRecordingCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/TagContactCommand.ts b/clients/client-connect/src/commands/TagContactCommand.ts index 7785c39d0a0d..a933319172e3 100644 --- a/clients/client-connect/src/commands/TagContactCommand.ts +++ b/clients/client-connect/src/commands/TagContactCommand.ts @@ -96,4 +96,16 @@ export class TagContactCommand extends $Command .f(void 0, void 0) .ser(se_TagContactCommand) .de(de_TagContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagContactRequest; + output: {}; + }; + sdk: { + input: TagContactCommandInput; + output: TagContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/TagResourceCommand.ts b/clients/client-connect/src/commands/TagResourceCommand.ts index 5fed4ec68841..3f06021fa51d 100644 --- a/clients/client-connect/src/commands/TagResourceCommand.ts +++ b/clients/client-connect/src/commands/TagResourceCommand.ts @@ -99,4 +99,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/TransferContactCommand.ts b/clients/client-connect/src/commands/TransferContactCommand.ts index 3cac48bde0ee..aa4cd2c2631f 100644 --- a/clients/client-connect/src/commands/TransferContactCommand.ts +++ b/clients/client-connect/src/commands/TransferContactCommand.ts @@ -127,4 +127,16 @@ export class TransferContactCommand extends $Command .f(void 0, void 0) .ser(se_TransferContactCommand) .de(de_TransferContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TransferContactRequest; + output: TransferContactResponse; + }; + sdk: { + input: TransferContactCommandInput; + output: TransferContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UntagContactCommand.ts b/clients/client-connect/src/commands/UntagContactCommand.ts index d5a11ebc073d..5bf0f0a3ab96 100644 --- a/clients/client-connect/src/commands/UntagContactCommand.ts +++ b/clients/client-connect/src/commands/UntagContactCommand.ts @@ -96,4 +96,16 @@ export class UntagContactCommand extends $Command .f(void 0, void 0) .ser(se_UntagContactCommand) .de(de_UntagContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagContactRequest; + output: {}; + }; + sdk: { + input: UntagContactCommandInput; + output: UntagContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UntagResourceCommand.ts b/clients/client-connect/src/commands/UntagResourceCommand.ts index e0f6c17a559f..660e21e7324a 100644 --- a/clients/client-connect/src/commands/UntagResourceCommand.ts +++ b/clients/client-connect/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateAgentStatusCommand.ts b/clients/client-connect/src/commands/UpdateAgentStatusCommand.ts index 538d5988a1ae..50b4226ed46f 100644 --- a/clients/client-connect/src/commands/UpdateAgentStatusCommand.ts +++ b/clients/client-connect/src/commands/UpdateAgentStatusCommand.ts @@ -103,4 +103,16 @@ export class UpdateAgentStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAgentStatusCommand) .de(de_UpdateAgentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgentStatusRequest; + output: {}; + }; + sdk: { + input: UpdateAgentStatusCommandInput; + output: UpdateAgentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateAuthenticationProfileCommand.ts b/clients/client-connect/src/commands/UpdateAuthenticationProfileCommand.ts index 51ae7b1969ef..56672c0b731d 100644 --- a/clients/client-connect/src/commands/UpdateAuthenticationProfileCommand.ts +++ b/clients/client-connect/src/commands/UpdateAuthenticationProfileCommand.ts @@ -105,4 +105,16 @@ export class UpdateAuthenticationProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAuthenticationProfileCommand) .de(de_UpdateAuthenticationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAuthenticationProfileRequest; + output: {}; + }; + sdk: { + input: UpdateAuthenticationProfileCommandInput; + output: UpdateAuthenticationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactAttributesCommand.ts b/clients/client-connect/src/commands/UpdateContactAttributesCommand.ts index 56bde7b3a572..c9b4cbce21e2 100644 --- a/clients/client-connect/src/commands/UpdateContactAttributesCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactAttributesCommand.ts @@ -104,4 +104,16 @@ export class UpdateContactAttributesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactAttributesCommand) .de(de_UpdateContactAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactAttributesRequest; + output: {}; + }; + sdk: { + input: UpdateContactAttributesCommandInput; + output: UpdateContactAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactCommand.ts b/clients/client-connect/src/commands/UpdateContactCommand.ts index 62396a2d3c36..4f1c6a2a141b 100644 --- a/clients/client-connect/src/commands/UpdateContactCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactCommand.ts @@ -109,4 +109,16 @@ export class UpdateContactCommand extends $Command .f(UpdateContactRequestFilterSensitiveLog, void 0) .ser(se_UpdateContactCommand) .de(de_UpdateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactRequest; + output: {}; + }; + sdk: { + input: UpdateContactCommandInput; + output: UpdateContactCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactEvaluationCommand.ts b/clients/client-connect/src/commands/UpdateContactEvaluationCommand.ts index 6502c0ba1db3..8e0d441e00ed 100644 --- a/clients/client-connect/src/commands/UpdateContactEvaluationCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactEvaluationCommand.ts @@ -111,4 +111,16 @@ export class UpdateContactEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactEvaluationCommand) .de(de_UpdateContactEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactEvaluationRequest; + output: UpdateContactEvaluationResponse; + }; + sdk: { + input: UpdateContactEvaluationCommandInput; + output: UpdateContactEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactFlowContentCommand.ts b/clients/client-connect/src/commands/UpdateContactFlowContentCommand.ts index 0802f9c060d9..4d4afb528b05 100644 --- a/clients/client-connect/src/commands/UpdateContactFlowContentCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactFlowContentCommand.ts @@ -101,4 +101,16 @@ export class UpdateContactFlowContentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactFlowContentCommand) .de(de_UpdateContactFlowContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactFlowContentRequest; + output: {}; + }; + sdk: { + input: UpdateContactFlowContentCommandInput; + output: UpdateContactFlowContentCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactFlowMetadataCommand.ts b/clients/client-connect/src/commands/UpdateContactFlowMetadataCommand.ts index 04a44fcf584b..6891763479e0 100644 --- a/clients/client-connect/src/commands/UpdateContactFlowMetadataCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactFlowMetadataCommand.ts @@ -97,4 +97,16 @@ export class UpdateContactFlowMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactFlowMetadataCommand) .de(de_UpdateContactFlowMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactFlowMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateContactFlowMetadataCommandInput; + output: UpdateContactFlowMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactFlowModuleContentCommand.ts b/clients/client-connect/src/commands/UpdateContactFlowModuleContentCommand.ts index 69bc61de44af..b7fae6f8cd44 100644 --- a/clients/client-connect/src/commands/UpdateContactFlowModuleContentCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactFlowModuleContentCommand.ts @@ -104,4 +104,16 @@ export class UpdateContactFlowModuleContentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactFlowModuleContentCommand) .de(de_UpdateContactFlowModuleContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactFlowModuleContentRequest; + output: {}; + }; + sdk: { + input: UpdateContactFlowModuleContentCommandInput; + output: UpdateContactFlowModuleContentCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactFlowModuleMetadataCommand.ts b/clients/client-connect/src/commands/UpdateContactFlowModuleMetadataCommand.ts index 760cdd3ac770..3ccd5af3686e 100644 --- a/clients/client-connect/src/commands/UpdateContactFlowModuleMetadataCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactFlowModuleMetadataCommand.ts @@ -105,4 +105,16 @@ export class UpdateContactFlowModuleMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactFlowModuleMetadataCommand) .de(de_UpdateContactFlowModuleMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactFlowModuleMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateContactFlowModuleMetadataCommandInput; + output: UpdateContactFlowModuleMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactFlowNameCommand.ts b/clients/client-connect/src/commands/UpdateContactFlowNameCommand.ts index c8142de864c2..638200533491 100644 --- a/clients/client-connect/src/commands/UpdateContactFlowNameCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactFlowNameCommand.ts @@ -98,4 +98,16 @@ export class UpdateContactFlowNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactFlowNameCommand) .de(de_UpdateContactFlowNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactFlowNameRequest; + output: {}; + }; + sdk: { + input: UpdateContactFlowNameCommandInput; + output: UpdateContactFlowNameCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactRoutingDataCommand.ts b/clients/client-connect/src/commands/UpdateContactRoutingDataCommand.ts index a0974d238e09..3a58a5fe17e7 100644 --- a/clients/client-connect/src/commands/UpdateContactRoutingDataCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactRoutingDataCommand.ts @@ -158,4 +158,16 @@ export class UpdateContactRoutingDataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactRoutingDataCommand) .de(de_UpdateContactRoutingDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactRoutingDataRequest; + output: {}; + }; + sdk: { + input: UpdateContactRoutingDataCommandInput; + output: UpdateContactRoutingDataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateContactScheduleCommand.ts b/clients/client-connect/src/commands/UpdateContactScheduleCommand.ts index f59c3d5f91b3..9124c1973df2 100644 --- a/clients/client-connect/src/commands/UpdateContactScheduleCommand.ts +++ b/clients/client-connect/src/commands/UpdateContactScheduleCommand.ts @@ -95,4 +95,16 @@ export class UpdateContactScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactScheduleCommand) .de(de_UpdateContactScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactScheduleRequest; + output: {}; + }; + sdk: { + input: UpdateContactScheduleCommandInput; + output: UpdateContactScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateEvaluationFormCommand.ts b/clients/client-connect/src/commands/UpdateEvaluationFormCommand.ts index 6e0dd57b9623..1e2f865969a3 100644 --- a/clients/client-connect/src/commands/UpdateEvaluationFormCommand.ts +++ b/clients/client-connect/src/commands/UpdateEvaluationFormCommand.ts @@ -232,4 +232,16 @@ export class UpdateEvaluationFormCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEvaluationFormCommand) .de(de_UpdateEvaluationFormCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEvaluationFormRequest; + output: UpdateEvaluationFormResponse; + }; + sdk: { + input: UpdateEvaluationFormCommandInput; + output: UpdateEvaluationFormCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateHoursOfOperationCommand.ts b/clients/client-connect/src/commands/UpdateHoursOfOperationCommand.ts index cf05a8f83134..e5bac7cb46be 100644 --- a/clients/client-connect/src/commands/UpdateHoursOfOperationCommand.ts +++ b/clients/client-connect/src/commands/UpdateHoursOfOperationCommand.ts @@ -111,4 +111,16 @@ export class UpdateHoursOfOperationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHoursOfOperationCommand) .de(de_UpdateHoursOfOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHoursOfOperationRequest; + output: {}; + }; + sdk: { + input: UpdateHoursOfOperationCommandInput; + output: UpdateHoursOfOperationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateInstanceAttributeCommand.ts b/clients/client-connect/src/commands/UpdateInstanceAttributeCommand.ts index 7ee8c8f9f057..7c01ff07e63f 100644 --- a/clients/client-connect/src/commands/UpdateInstanceAttributeCommand.ts +++ b/clients/client-connect/src/commands/UpdateInstanceAttributeCommand.ts @@ -93,4 +93,16 @@ export class UpdateInstanceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInstanceAttributeCommand) .de(de_UpdateInstanceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceAttributeRequest; + output: {}; + }; + sdk: { + input: UpdateInstanceAttributeCommandInput; + output: UpdateInstanceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateInstanceStorageConfigCommand.ts b/clients/client-connect/src/commands/UpdateInstanceStorageConfigCommand.ts index e0d460408398..526c26e1c8fa 100644 --- a/clients/client-connect/src/commands/UpdateInstanceStorageConfigCommand.ts +++ b/clients/client-connect/src/commands/UpdateInstanceStorageConfigCommand.ts @@ -122,4 +122,16 @@ export class UpdateInstanceStorageConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInstanceStorageConfigCommand) .de(de_UpdateInstanceStorageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceStorageConfigRequest; + output: {}; + }; + sdk: { + input: UpdateInstanceStorageConfigCommandInput; + output: UpdateInstanceStorageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateParticipantRoleConfigCommand.ts b/clients/client-connect/src/commands/UpdateParticipantRoleConfigCommand.ts index 55844f1970d9..33f9be97bffa 100644 --- a/clients/client-connect/src/commands/UpdateParticipantRoleConfigCommand.ts +++ b/clients/client-connect/src/commands/UpdateParticipantRoleConfigCommand.ts @@ -130,4 +130,16 @@ export class UpdateParticipantRoleConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateParticipantRoleConfigCommand) .de(de_UpdateParticipantRoleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateParticipantRoleConfigRequest; + output: {}; + }; + sdk: { + input: UpdateParticipantRoleConfigCommandInput; + output: UpdateParticipantRoleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdatePhoneNumberCommand.ts b/clients/client-connect/src/commands/UpdatePhoneNumberCommand.ts index 249bcc47e331..0578d347df6f 100644 --- a/clients/client-connect/src/commands/UpdatePhoneNumberCommand.ts +++ b/clients/client-connect/src/commands/UpdatePhoneNumberCommand.ts @@ -112,4 +112,16 @@ export class UpdatePhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePhoneNumberCommand) .de(de_UpdatePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePhoneNumberRequest; + output: UpdatePhoneNumberResponse; + }; + sdk: { + input: UpdatePhoneNumberCommandInput; + output: UpdatePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdatePhoneNumberMetadataCommand.ts b/clients/client-connect/src/commands/UpdatePhoneNumberMetadataCommand.ts index 17f94f7293b7..f01ffff6e74f 100644 --- a/clients/client-connect/src/commands/UpdatePhoneNumberMetadataCommand.ts +++ b/clients/client-connect/src/commands/UpdatePhoneNumberMetadataCommand.ts @@ -104,4 +104,16 @@ export class UpdatePhoneNumberMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePhoneNumberMetadataCommand) .de(de_UpdatePhoneNumberMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePhoneNumberMetadataRequest; + output: {}; + }; + sdk: { + input: UpdatePhoneNumberMetadataCommandInput; + output: UpdatePhoneNumberMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdatePredefinedAttributeCommand.ts b/clients/client-connect/src/commands/UpdatePredefinedAttributeCommand.ts index 5c4811b69612..9df94c14e5f4 100644 --- a/clients/client-connect/src/commands/UpdatePredefinedAttributeCommand.ts +++ b/clients/client-connect/src/commands/UpdatePredefinedAttributeCommand.ts @@ -99,4 +99,16 @@ export class UpdatePredefinedAttributeCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePredefinedAttributeCommand) .de(de_UpdatePredefinedAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePredefinedAttributeRequest; + output: {}; + }; + sdk: { + input: UpdatePredefinedAttributeCommandInput; + output: UpdatePredefinedAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdatePromptCommand.ts b/clients/client-connect/src/commands/UpdatePromptCommand.ts index 2ca629f6f05b..ab5eb7469e84 100644 --- a/clients/client-connect/src/commands/UpdatePromptCommand.ts +++ b/clients/client-connect/src/commands/UpdatePromptCommand.ts @@ -97,4 +97,16 @@ export class UpdatePromptCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePromptCommand) .de(de_UpdatePromptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePromptRequest; + output: UpdatePromptResponse; + }; + sdk: { + input: UpdatePromptCommandInput; + output: UpdatePromptCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateQueueHoursOfOperationCommand.ts b/clients/client-connect/src/commands/UpdateQueueHoursOfOperationCommand.ts index bd64b056d281..453eb8e78bf0 100644 --- a/clients/client-connect/src/commands/UpdateQueueHoursOfOperationCommand.ts +++ b/clients/client-connect/src/commands/UpdateQueueHoursOfOperationCommand.ts @@ -96,4 +96,16 @@ export class UpdateQueueHoursOfOperationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueHoursOfOperationCommand) .de(de_UpdateQueueHoursOfOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueHoursOfOperationRequest; + output: {}; + }; + sdk: { + input: UpdateQueueHoursOfOperationCommandInput; + output: UpdateQueueHoursOfOperationCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateQueueMaxContactsCommand.ts b/clients/client-connect/src/commands/UpdateQueueMaxContactsCommand.ts index 71c1f77a25dd..35e2d1bb4940 100644 --- a/clients/client-connect/src/commands/UpdateQueueMaxContactsCommand.ts +++ b/clients/client-connect/src/commands/UpdateQueueMaxContactsCommand.ts @@ -94,4 +94,16 @@ export class UpdateQueueMaxContactsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueMaxContactsCommand) .de(de_UpdateQueueMaxContactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueMaxContactsRequest; + output: {}; + }; + sdk: { + input: UpdateQueueMaxContactsCommandInput; + output: UpdateQueueMaxContactsCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateQueueNameCommand.ts b/clients/client-connect/src/commands/UpdateQueueNameCommand.ts index 059b85003426..f3ebbd499b35 100644 --- a/clients/client-connect/src/commands/UpdateQueueNameCommand.ts +++ b/clients/client-connect/src/commands/UpdateQueueNameCommand.ts @@ -97,4 +97,16 @@ export class UpdateQueueNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueNameCommand) .de(de_UpdateQueueNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueNameRequest; + output: {}; + }; + sdk: { + input: UpdateQueueNameCommandInput; + output: UpdateQueueNameCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateQueueOutboundCallerConfigCommand.ts b/clients/client-connect/src/commands/UpdateQueueOutboundCallerConfigCommand.ts index 05ca10d51d2d..7321cb49e522 100644 --- a/clients/client-connect/src/commands/UpdateQueueOutboundCallerConfigCommand.ts +++ b/clients/client-connect/src/commands/UpdateQueueOutboundCallerConfigCommand.ts @@ -123,4 +123,16 @@ export class UpdateQueueOutboundCallerConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueOutboundCallerConfigCommand) .de(de_UpdateQueueOutboundCallerConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueOutboundCallerConfigRequest; + output: {}; + }; + sdk: { + input: UpdateQueueOutboundCallerConfigCommandInput; + output: UpdateQueueOutboundCallerConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateQueueStatusCommand.ts b/clients/client-connect/src/commands/UpdateQueueStatusCommand.ts index 985ed9b2978d..e99a0d11e52d 100644 --- a/clients/client-connect/src/commands/UpdateQueueStatusCommand.ts +++ b/clients/client-connect/src/commands/UpdateQueueStatusCommand.ts @@ -93,4 +93,16 @@ export class UpdateQueueStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueStatusCommand) .de(de_UpdateQueueStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueStatusRequest; + output: {}; + }; + sdk: { + input: UpdateQueueStatusCommandInput; + output: UpdateQueueStatusCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateQuickConnectConfigCommand.ts b/clients/client-connect/src/commands/UpdateQuickConnectConfigCommand.ts index 8a914fc0124b..ef726505d2b7 100644 --- a/clients/client-connect/src/commands/UpdateQuickConnectConfigCommand.ts +++ b/clients/client-connect/src/commands/UpdateQuickConnectConfigCommand.ts @@ -105,4 +105,16 @@ export class UpdateQuickConnectConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQuickConnectConfigCommand) .de(de_UpdateQuickConnectConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQuickConnectConfigRequest; + output: {}; + }; + sdk: { + input: UpdateQuickConnectConfigCommandInput; + output: UpdateQuickConnectConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateQuickConnectNameCommand.ts b/clients/client-connect/src/commands/UpdateQuickConnectNameCommand.ts index 12bb82b30569..fb25cb70da3e 100644 --- a/clients/client-connect/src/commands/UpdateQuickConnectNameCommand.ts +++ b/clients/client-connect/src/commands/UpdateQuickConnectNameCommand.ts @@ -93,4 +93,16 @@ export class UpdateQuickConnectNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQuickConnectNameCommand) .de(de_UpdateQuickConnectNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQuickConnectNameRequest; + output: {}; + }; + sdk: { + input: UpdateQuickConnectNameCommandInput; + output: UpdateQuickConnectNameCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateRoutingProfileAgentAvailabilityTimerCommand.ts b/clients/client-connect/src/commands/UpdateRoutingProfileAgentAvailabilityTimerCommand.ts index e04757496f86..0fdafd081a81 100644 --- a/clients/client-connect/src/commands/UpdateRoutingProfileAgentAvailabilityTimerCommand.ts +++ b/clients/client-connect/src/commands/UpdateRoutingProfileAgentAvailabilityTimerCommand.ts @@ -98,4 +98,16 @@ export class UpdateRoutingProfileAgentAvailabilityTimerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingProfileAgentAvailabilityTimerCommand) .de(de_UpdateRoutingProfileAgentAvailabilityTimerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingProfileAgentAvailabilityTimerRequest; + output: {}; + }; + sdk: { + input: UpdateRoutingProfileAgentAvailabilityTimerCommandInput; + output: UpdateRoutingProfileAgentAvailabilityTimerCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateRoutingProfileConcurrencyCommand.ts b/clients/client-connect/src/commands/UpdateRoutingProfileConcurrencyCommand.ts index cfe5c4d6c344..b326b78a8964 100644 --- a/clients/client-connect/src/commands/UpdateRoutingProfileConcurrencyCommand.ts +++ b/clients/client-connect/src/commands/UpdateRoutingProfileConcurrencyCommand.ts @@ -104,4 +104,16 @@ export class UpdateRoutingProfileConcurrencyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingProfileConcurrencyCommand) .de(de_UpdateRoutingProfileConcurrencyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingProfileConcurrencyRequest; + output: {}; + }; + sdk: { + input: UpdateRoutingProfileConcurrencyCommandInput; + output: UpdateRoutingProfileConcurrencyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateRoutingProfileDefaultOutboundQueueCommand.ts b/clients/client-connect/src/commands/UpdateRoutingProfileDefaultOutboundQueueCommand.ts index 4fe6ad7a706d..5f9c61a8eba3 100644 --- a/clients/client-connect/src/commands/UpdateRoutingProfileDefaultOutboundQueueCommand.ts +++ b/clients/client-connect/src/commands/UpdateRoutingProfileDefaultOutboundQueueCommand.ts @@ -96,4 +96,16 @@ export class UpdateRoutingProfileDefaultOutboundQueueCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingProfileDefaultOutboundQueueCommand) .de(de_UpdateRoutingProfileDefaultOutboundQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingProfileDefaultOutboundQueueRequest; + output: {}; + }; + sdk: { + input: UpdateRoutingProfileDefaultOutboundQueueCommandInput; + output: UpdateRoutingProfileDefaultOutboundQueueCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateRoutingProfileNameCommand.ts b/clients/client-connect/src/commands/UpdateRoutingProfileNameCommand.ts index eeb01d9640ea..b474f743fc16 100644 --- a/clients/client-connect/src/commands/UpdateRoutingProfileNameCommand.ts +++ b/clients/client-connect/src/commands/UpdateRoutingProfileNameCommand.ts @@ -97,4 +97,16 @@ export class UpdateRoutingProfileNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingProfileNameCommand) .de(de_UpdateRoutingProfileNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingProfileNameRequest; + output: {}; + }; + sdk: { + input: UpdateRoutingProfileNameCommandInput; + output: UpdateRoutingProfileNameCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateRoutingProfileQueuesCommand.ts b/clients/client-connect/src/commands/UpdateRoutingProfileQueuesCommand.ts index b159f0187c7e..dc9a67928b70 100644 --- a/clients/client-connect/src/commands/UpdateRoutingProfileQueuesCommand.ts +++ b/clients/client-connect/src/commands/UpdateRoutingProfileQueuesCommand.ts @@ -101,4 +101,16 @@ export class UpdateRoutingProfileQueuesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingProfileQueuesCommand) .de(de_UpdateRoutingProfileQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingProfileQueuesRequest; + output: {}; + }; + sdk: { + input: UpdateRoutingProfileQueuesCommandInput; + output: UpdateRoutingProfileQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateRuleCommand.ts b/clients/client-connect/src/commands/UpdateRuleCommand.ts index 1c1a7ba57293..de96c3bf0a40 100644 --- a/clients/client-connect/src/commands/UpdateRuleCommand.ts +++ b/clients/client-connect/src/commands/UpdateRuleCommand.ts @@ -164,4 +164,16 @@ export class UpdateRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleCommand) .de(de_UpdateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleRequest; + output: {}; + }; + sdk: { + input: UpdateRuleCommandInput; + output: UpdateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateSecurityProfileCommand.ts b/clients/client-connect/src/commands/UpdateSecurityProfileCommand.ts index 3284b4ed1814..764c89427a9c 100644 --- a/clients/client-connect/src/commands/UpdateSecurityProfileCommand.ts +++ b/clients/client-connect/src/commands/UpdateSecurityProfileCommand.ts @@ -117,4 +117,16 @@ export class UpdateSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityProfileCommand) .de(de_UpdateSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityProfileRequest; + output: {}; + }; + sdk: { + input: UpdateSecurityProfileCommandInput; + output: UpdateSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateTaskTemplateCommand.ts b/clients/client-connect/src/commands/UpdateTaskTemplateCommand.ts index b5e3d721e20e..a4011a99ac6f 100644 --- a/clients/client-connect/src/commands/UpdateTaskTemplateCommand.ts +++ b/clients/client-connect/src/commands/UpdateTaskTemplateCommand.ts @@ -200,4 +200,16 @@ export class UpdateTaskTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTaskTemplateCommand) .de(de_UpdateTaskTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTaskTemplateRequest; + output: UpdateTaskTemplateResponse; + }; + sdk: { + input: UpdateTaskTemplateCommandInput; + output: UpdateTaskTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateTrafficDistributionCommand.ts b/clients/client-connect/src/commands/UpdateTrafficDistributionCommand.ts index 36c1eb7bf697..454be078dbd5 100644 --- a/clients/client-connect/src/commands/UpdateTrafficDistributionCommand.ts +++ b/clients/client-connect/src/commands/UpdateTrafficDistributionCommand.ts @@ -128,4 +128,16 @@ export class UpdateTrafficDistributionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrafficDistributionCommand) .de(de_UpdateTrafficDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrafficDistributionRequest; + output: {}; + }; + sdk: { + input: UpdateTrafficDistributionCommandInput; + output: UpdateTrafficDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserHierarchyCommand.ts b/clients/client-connect/src/commands/UpdateUserHierarchyCommand.ts index be5ea9bcbddf..116a429da150 100644 --- a/clients/client-connect/src/commands/UpdateUserHierarchyCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserHierarchyCommand.ts @@ -92,4 +92,16 @@ export class UpdateUserHierarchyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserHierarchyCommand) .de(de_UpdateUserHierarchyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserHierarchyRequest; + output: {}; + }; + sdk: { + input: UpdateUserHierarchyCommandInput; + output: UpdateUserHierarchyCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserHierarchyGroupNameCommand.ts b/clients/client-connect/src/commands/UpdateUserHierarchyGroupNameCommand.ts index 8689c7065e01..b370bd420cbd 100644 --- a/clients/client-connect/src/commands/UpdateUserHierarchyGroupNameCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserHierarchyGroupNameCommand.ts @@ -98,4 +98,16 @@ export class UpdateUserHierarchyGroupNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserHierarchyGroupNameCommand) .de(de_UpdateUserHierarchyGroupNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserHierarchyGroupNameRequest; + output: {}; + }; + sdk: { + input: UpdateUserHierarchyGroupNameCommandInput; + output: UpdateUserHierarchyGroupNameCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserHierarchyStructureCommand.ts b/clients/client-connect/src/commands/UpdateUserHierarchyStructureCommand.ts index 4cc0267b383d..ba897d6d6416 100644 --- a/clients/client-connect/src/commands/UpdateUserHierarchyStructureCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserHierarchyStructureCommand.ts @@ -113,4 +113,16 @@ export class UpdateUserHierarchyStructureCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserHierarchyStructureCommand) .de(de_UpdateUserHierarchyStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserHierarchyStructureRequest; + output: {}; + }; + sdk: { + input: UpdateUserHierarchyStructureCommandInput; + output: UpdateUserHierarchyStructureCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserIdentityInfoCommand.ts b/clients/client-connect/src/commands/UpdateUserIdentityInfoCommand.ts index 2db5171fff31..bfb24fd5e64b 100644 --- a/clients/client-connect/src/commands/UpdateUserIdentityInfoCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserIdentityInfoCommand.ts @@ -107,4 +107,16 @@ export class UpdateUserIdentityInfoCommand extends $Command .f(UpdateUserIdentityInfoRequestFilterSensitiveLog, void 0) .ser(se_UpdateUserIdentityInfoCommand) .de(de_UpdateUserIdentityInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserIdentityInfoRequest; + output: {}; + }; + sdk: { + input: UpdateUserIdentityInfoCommandInput; + output: UpdateUserIdentityInfoCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserPhoneConfigCommand.ts b/clients/client-connect/src/commands/UpdateUserPhoneConfigCommand.ts index 62cf9f53a2f6..6a0fe9f19ab2 100644 --- a/clients/client-connect/src/commands/UpdateUserPhoneConfigCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserPhoneConfigCommand.ts @@ -97,4 +97,16 @@ export class UpdateUserPhoneConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserPhoneConfigCommand) .de(de_UpdateUserPhoneConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserPhoneConfigRequest; + output: {}; + }; + sdk: { + input: UpdateUserPhoneConfigCommandInput; + output: UpdateUserPhoneConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserProficienciesCommand.ts b/clients/client-connect/src/commands/UpdateUserProficienciesCommand.ts index 92d86bc2b873..9c9c723e6ac5 100644 --- a/clients/client-connect/src/commands/UpdateUserProficienciesCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserProficienciesCommand.ts @@ -98,4 +98,16 @@ export class UpdateUserProficienciesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserProficienciesCommand) .de(de_UpdateUserProficienciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserProficienciesRequest; + output: {}; + }; + sdk: { + input: UpdateUserProficienciesCommandInput; + output: UpdateUserProficienciesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserRoutingProfileCommand.ts b/clients/client-connect/src/commands/UpdateUserRoutingProfileCommand.ts index 3ba632ac7b9f..fd07dec26dcb 100644 --- a/clients/client-connect/src/commands/UpdateUserRoutingProfileCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserRoutingProfileCommand.ts @@ -92,4 +92,16 @@ export class UpdateUserRoutingProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserRoutingProfileCommand) .de(de_UpdateUserRoutingProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRoutingProfileRequest; + output: {}; + }; + sdk: { + input: UpdateUserRoutingProfileCommandInput; + output: UpdateUserRoutingProfileCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateUserSecurityProfilesCommand.ts b/clients/client-connect/src/commands/UpdateUserSecurityProfilesCommand.ts index 08e45396101c..d2427a198daf 100644 --- a/clients/client-connect/src/commands/UpdateUserSecurityProfilesCommand.ts +++ b/clients/client-connect/src/commands/UpdateUserSecurityProfilesCommand.ts @@ -94,4 +94,16 @@ export class UpdateUserSecurityProfilesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserSecurityProfilesCommand) .de(de_UpdateUserSecurityProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserSecurityProfilesRequest; + output: {}; + }; + sdk: { + input: UpdateUserSecurityProfilesCommandInput; + output: UpdateUserSecurityProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateViewContentCommand.ts b/clients/client-connect/src/commands/UpdateViewContentCommand.ts index a1066576b0f4..a56d219af9da 100644 --- a/clients/client-connect/src/commands/UpdateViewContentCommand.ts +++ b/clients/client-connect/src/commands/UpdateViewContentCommand.ts @@ -138,4 +138,16 @@ export class UpdateViewContentCommand extends $Command .f(UpdateViewContentRequestFilterSensitiveLog, UpdateViewContentResponseFilterSensitiveLog) .ser(se_UpdateViewContentCommand) .de(de_UpdateViewContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateViewContentRequest; + output: UpdateViewContentResponse; + }; + sdk: { + input: UpdateViewContentCommandInput; + output: UpdateViewContentCommandOutput; + }; + }; +} diff --git a/clients/client-connect/src/commands/UpdateViewMetadataCommand.ts b/clients/client-connect/src/commands/UpdateViewMetadataCommand.ts index e52460b15c4e..ad054aa72166 100644 --- a/clients/client-connect/src/commands/UpdateViewMetadataCommand.ts +++ b/clients/client-connect/src/commands/UpdateViewMetadataCommand.ts @@ -107,4 +107,16 @@ export class UpdateViewMetadataCommand extends $Command .f(UpdateViewMetadataRequestFilterSensitiveLog, void 0) .ser(se_UpdateViewMetadataCommand) .de(de_UpdateViewMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateViewMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateViewMetadataCommandInput; + output: UpdateViewMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/package.json b/clients/client-connectcampaigns/package.json index f15f6d1e965b..f390dcef4cf5 100644 --- a/clients/client-connectcampaigns/package.json +++ b/clients/client-connectcampaigns/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-connectcampaigns/src/commands/CreateCampaignCommand.ts b/clients/client-connectcampaigns/src/commands/CreateCampaignCommand.ts index e801850bc8dc..9d3d62d25f52 100644 --- a/clients/client-connectcampaigns/src/commands/CreateCampaignCommand.ts +++ b/clients/client-connectcampaigns/src/commands/CreateCampaignCommand.ts @@ -128,4 +128,16 @@ export class CreateCampaignCommand extends $Command .f(void 0, void 0) .ser(se_CreateCampaignCommand) .de(de_CreateCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCampaignRequest; + output: CreateCampaignResponse; + }; + sdk: { + input: CreateCampaignCommandInput; + output: CreateCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/DeleteCampaignCommand.ts b/clients/client-connectcampaigns/src/commands/DeleteCampaignCommand.ts index 67b9790fdfd8..1d10b6e5048c 100644 --- a/clients/client-connectcampaigns/src/commands/DeleteCampaignCommand.ts +++ b/clients/client-connectcampaigns/src/commands/DeleteCampaignCommand.ts @@ -87,4 +87,16 @@ export class DeleteCampaignCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCampaignCommand) .de(de_DeleteCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCampaignRequest; + output: {}; + }; + sdk: { + input: DeleteCampaignCommandInput; + output: DeleteCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/DeleteConnectInstanceConfigCommand.ts b/clients/client-connectcampaigns/src/commands/DeleteConnectInstanceConfigCommand.ts index 2b8681625130..1a6cc5fd2a90 100644 --- a/clients/client-connectcampaigns/src/commands/DeleteConnectInstanceConfigCommand.ts +++ b/clients/client-connectcampaigns/src/commands/DeleteConnectInstanceConfigCommand.ts @@ -96,4 +96,16 @@ export class DeleteConnectInstanceConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectInstanceConfigCommand) .de(de_DeleteConnectInstanceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectInstanceConfigRequest; + output: {}; + }; + sdk: { + input: DeleteConnectInstanceConfigCommandInput; + output: DeleteConnectInstanceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/DeleteInstanceOnboardingJobCommand.ts b/clients/client-connectcampaigns/src/commands/DeleteInstanceOnboardingJobCommand.ts index 2f9a16941cd7..5045bb12796c 100644 --- a/clients/client-connectcampaigns/src/commands/DeleteInstanceOnboardingJobCommand.ts +++ b/clients/client-connectcampaigns/src/commands/DeleteInstanceOnboardingJobCommand.ts @@ -93,4 +93,16 @@ export class DeleteInstanceOnboardingJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceOnboardingJobCommand) .de(de_DeleteInstanceOnboardingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceOnboardingJobRequest; + output: {}; + }; + sdk: { + input: DeleteInstanceOnboardingJobCommandInput; + output: DeleteInstanceOnboardingJobCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/DescribeCampaignCommand.ts b/clients/client-connectcampaigns/src/commands/DescribeCampaignCommand.ts index 6ceb34ae8f6d..21e821b09055 100644 --- a/clients/client-connectcampaigns/src/commands/DescribeCampaignCommand.ts +++ b/clients/client-connectcampaigns/src/commands/DescribeCampaignCommand.ts @@ -119,4 +119,16 @@ export class DescribeCampaignCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCampaignCommand) .de(de_DescribeCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCampaignRequest; + output: DescribeCampaignResponse; + }; + sdk: { + input: DescribeCampaignCommandInput; + output: DescribeCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/GetCampaignStateBatchCommand.ts b/clients/client-connectcampaigns/src/commands/GetCampaignStateBatchCommand.ts index 91d67490fc19..db47da9e2429 100644 --- a/clients/client-connectcampaigns/src/commands/GetCampaignStateBatchCommand.ts +++ b/clients/client-connectcampaigns/src/commands/GetCampaignStateBatchCommand.ts @@ -102,4 +102,16 @@ export class GetCampaignStateBatchCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignStateBatchCommand) .de(de_GetCampaignStateBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignStateBatchRequest; + output: GetCampaignStateBatchResponse; + }; + sdk: { + input: GetCampaignStateBatchCommandInput; + output: GetCampaignStateBatchCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/GetCampaignStateCommand.ts b/clients/client-connectcampaigns/src/commands/GetCampaignStateCommand.ts index 6e9b77b2db14..d42f33262467 100644 --- a/clients/client-connectcampaigns/src/commands/GetCampaignStateCommand.ts +++ b/clients/client-connectcampaigns/src/commands/GetCampaignStateCommand.ts @@ -92,4 +92,16 @@ export class GetCampaignStateCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignStateCommand) .de(de_GetCampaignStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignStateRequest; + output: GetCampaignStateResponse; + }; + sdk: { + input: GetCampaignStateCommandInput; + output: GetCampaignStateCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/GetConnectInstanceConfigCommand.ts b/clients/client-connectcampaigns/src/commands/GetConnectInstanceConfigCommand.ts index 55346681bf65..ecd6b49a2a5e 100644 --- a/clients/client-connectcampaigns/src/commands/GetConnectInstanceConfigCommand.ts +++ b/clients/client-connectcampaigns/src/commands/GetConnectInstanceConfigCommand.ts @@ -97,4 +97,16 @@ export class GetConnectInstanceConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectInstanceConfigCommand) .de(de_GetConnectInstanceConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectInstanceConfigRequest; + output: GetConnectInstanceConfigResponse; + }; + sdk: { + input: GetConnectInstanceConfigCommandInput; + output: GetConnectInstanceConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/GetInstanceOnboardingJobStatusCommand.ts b/clients/client-connectcampaigns/src/commands/GetInstanceOnboardingJobStatusCommand.ts index 6c1b8de5ebec..07207aaf0d14 100644 --- a/clients/client-connectcampaigns/src/commands/GetInstanceOnboardingJobStatusCommand.ts +++ b/clients/client-connectcampaigns/src/commands/GetInstanceOnboardingJobStatusCommand.ts @@ -98,4 +98,16 @@ export class GetInstanceOnboardingJobStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceOnboardingJobStatusCommand) .de(de_GetInstanceOnboardingJobStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceOnboardingJobStatusRequest; + output: GetInstanceOnboardingJobStatusResponse; + }; + sdk: { + input: GetInstanceOnboardingJobStatusCommandInput; + output: GetInstanceOnboardingJobStatusCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/ListCampaignsCommand.ts b/clients/client-connectcampaigns/src/commands/ListCampaignsCommand.ts index cc9b17ed549a..895fae697403 100644 --- a/clients/client-connectcampaigns/src/commands/ListCampaignsCommand.ts +++ b/clients/client-connectcampaigns/src/commands/ListCampaignsCommand.ts @@ -101,4 +101,16 @@ export class ListCampaignsCommand extends $Command .f(void 0, void 0) .ser(se_ListCampaignsCommand) .de(de_ListCampaignsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCampaignsRequest; + output: ListCampaignsResponse; + }; + sdk: { + input: ListCampaignsCommandInput; + output: ListCampaignsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/ListTagsForResourceCommand.ts b/clients/client-connectcampaigns/src/commands/ListTagsForResourceCommand.ts index 207dba4dff58..a5028d077f86 100644 --- a/clients/client-connectcampaigns/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-connectcampaigns/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/PauseCampaignCommand.ts b/clients/client-connectcampaigns/src/commands/PauseCampaignCommand.ts index 88ea4463ffa7..f833346918c5 100644 --- a/clients/client-connectcampaigns/src/commands/PauseCampaignCommand.ts +++ b/clients/client-connectcampaigns/src/commands/PauseCampaignCommand.ts @@ -96,4 +96,16 @@ export class PauseCampaignCommand extends $Command .f(void 0, void 0) .ser(se_PauseCampaignCommand) .de(de_PauseCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PauseCampaignRequest; + output: {}; + }; + sdk: { + input: PauseCampaignCommandInput; + output: PauseCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/PutDialRequestBatchCommand.ts b/clients/client-connectcampaigns/src/commands/PutDialRequestBatchCommand.ts index 37a3e6b71c02..b7aa6991a158 100644 --- a/clients/client-connectcampaigns/src/commands/PutDialRequestBatchCommand.ts +++ b/clients/client-connectcampaigns/src/commands/PutDialRequestBatchCommand.ts @@ -124,4 +124,16 @@ export class PutDialRequestBatchCommand extends $Command .f(PutDialRequestBatchRequestFilterSensitiveLog, void 0) .ser(se_PutDialRequestBatchCommand) .de(de_PutDialRequestBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDialRequestBatchRequest; + output: PutDialRequestBatchResponse; + }; + sdk: { + input: PutDialRequestBatchCommandInput; + output: PutDialRequestBatchCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/ResumeCampaignCommand.ts b/clients/client-connectcampaigns/src/commands/ResumeCampaignCommand.ts index 20f2840ffb93..cdbb74d14420 100644 --- a/clients/client-connectcampaigns/src/commands/ResumeCampaignCommand.ts +++ b/clients/client-connectcampaigns/src/commands/ResumeCampaignCommand.ts @@ -96,4 +96,16 @@ export class ResumeCampaignCommand extends $Command .f(void 0, void 0) .ser(se_ResumeCampaignCommand) .de(de_ResumeCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeCampaignRequest; + output: {}; + }; + sdk: { + input: ResumeCampaignCommandInput; + output: ResumeCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/StartCampaignCommand.ts b/clients/client-connectcampaigns/src/commands/StartCampaignCommand.ts index 6769839f2455..f14da6f0e99f 100644 --- a/clients/client-connectcampaigns/src/commands/StartCampaignCommand.ts +++ b/clients/client-connectcampaigns/src/commands/StartCampaignCommand.ts @@ -96,4 +96,16 @@ export class StartCampaignCommand extends $Command .f(void 0, void 0) .ser(se_StartCampaignCommand) .de(de_StartCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCampaignRequest; + output: {}; + }; + sdk: { + input: StartCampaignCommandInput; + output: StartCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/StartInstanceOnboardingJobCommand.ts b/clients/client-connectcampaigns/src/commands/StartInstanceOnboardingJobCommand.ts index 1a67045635eb..033eb097ca4e 100644 --- a/clients/client-connectcampaigns/src/commands/StartInstanceOnboardingJobCommand.ts +++ b/clients/client-connectcampaigns/src/commands/StartInstanceOnboardingJobCommand.ts @@ -104,4 +104,16 @@ export class StartInstanceOnboardingJobCommand extends $Command .f(void 0, void 0) .ser(se_StartInstanceOnboardingJobCommand) .de(de_StartInstanceOnboardingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInstanceOnboardingJobRequest; + output: StartInstanceOnboardingJobResponse; + }; + sdk: { + input: StartInstanceOnboardingJobCommandInput; + output: StartInstanceOnboardingJobCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/StopCampaignCommand.ts b/clients/client-connectcampaigns/src/commands/StopCampaignCommand.ts index 4269111ca081..22bb1315630c 100644 --- a/clients/client-connectcampaigns/src/commands/StopCampaignCommand.ts +++ b/clients/client-connectcampaigns/src/commands/StopCampaignCommand.ts @@ -96,4 +96,16 @@ export class StopCampaignCommand extends $Command .f(void 0, void 0) .ser(se_StopCampaignCommand) .de(de_StopCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCampaignRequest; + output: {}; + }; + sdk: { + input: StopCampaignCommandInput; + output: StopCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/TagResourceCommand.ts b/clients/client-connectcampaigns/src/commands/TagResourceCommand.ts index 3788effaf613..1960e3749589 100644 --- a/clients/client-connectcampaigns/src/commands/TagResourceCommand.ts +++ b/clients/client-connectcampaigns/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/UntagResourceCommand.ts b/clients/client-connectcampaigns/src/commands/UntagResourceCommand.ts index 91ed472abf23..84d110a5edc0 100644 --- a/clients/client-connectcampaigns/src/commands/UntagResourceCommand.ts +++ b/clients/client-connectcampaigns/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/UpdateCampaignDialerConfigCommand.ts b/clients/client-connectcampaigns/src/commands/UpdateCampaignDialerConfigCommand.ts index 566d7b530acb..753b8382a623 100644 --- a/clients/client-connectcampaigns/src/commands/UpdateCampaignDialerConfigCommand.ts +++ b/clients/client-connectcampaigns/src/commands/UpdateCampaignDialerConfigCommand.ts @@ -103,4 +103,16 @@ export class UpdateCampaignDialerConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCampaignDialerConfigCommand) .de(de_UpdateCampaignDialerConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCampaignDialerConfigRequest; + output: {}; + }; + sdk: { + input: UpdateCampaignDialerConfigCommandInput; + output: UpdateCampaignDialerConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/UpdateCampaignNameCommand.ts b/clients/client-connectcampaigns/src/commands/UpdateCampaignNameCommand.ts index 14f80fda16ac..4f6f70e30e75 100644 --- a/clients/client-connectcampaigns/src/commands/UpdateCampaignNameCommand.ts +++ b/clients/client-connectcampaigns/src/commands/UpdateCampaignNameCommand.ts @@ -91,4 +91,16 @@ export class UpdateCampaignNameCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCampaignNameCommand) .de(de_UpdateCampaignNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCampaignNameRequest; + output: {}; + }; + sdk: { + input: UpdateCampaignNameCommandInput; + output: UpdateCampaignNameCommandOutput; + }; + }; +} diff --git a/clients/client-connectcampaigns/src/commands/UpdateCampaignOutboundCallConfigCommand.ts b/clients/client-connectcampaigns/src/commands/UpdateCampaignOutboundCallConfigCommand.ts index 3fe6a221d4bc..727707371dd5 100644 --- a/clients/client-connectcampaigns/src/commands/UpdateCampaignOutboundCallConfigCommand.ts +++ b/clients/client-connectcampaigns/src/commands/UpdateCampaignOutboundCallConfigCommand.ts @@ -102,4 +102,16 @@ export class UpdateCampaignOutboundCallConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCampaignOutboundCallConfigCommand) .de(de_UpdateCampaignOutboundCallConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCampaignOutboundCallConfigRequest; + output: {}; + }; + sdk: { + input: UpdateCampaignOutboundCallConfigCommandInput; + output: UpdateCampaignOutboundCallConfigCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/package.json b/clients/client-connectcases/package.json index 11ae7dc13211..e20e34137db3 100644 --- a/clients/client-connectcases/package.json +++ b/clients/client-connectcases/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-connectcases/src/commands/BatchGetFieldCommand.ts b/clients/client-connectcases/src/commands/BatchGetFieldCommand.ts index b4576a88779b..a98dc06634a1 100644 --- a/clients/client-connectcases/src/commands/BatchGetFieldCommand.ts +++ b/clients/client-connectcases/src/commands/BatchGetFieldCommand.ts @@ -121,4 +121,16 @@ export class BatchGetFieldCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetFieldCommand) .de(de_BatchGetFieldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetFieldRequest; + output: BatchGetFieldResponse; + }; + sdk: { + input: BatchGetFieldCommandInput; + output: BatchGetFieldCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/BatchPutFieldOptionsCommand.ts b/clients/client-connectcases/src/commands/BatchPutFieldOptionsCommand.ts index e556b95c77b7..fe333bde60e5 100644 --- a/clients/client-connectcases/src/commands/BatchPutFieldOptionsCommand.ts +++ b/clients/client-connectcases/src/commands/BatchPutFieldOptionsCommand.ts @@ -113,4 +113,16 @@ export class BatchPutFieldOptionsCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutFieldOptionsCommand) .de(de_BatchPutFieldOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutFieldOptionsRequest; + output: BatchPutFieldOptionsResponse; + }; + sdk: { + input: BatchPutFieldOptionsCommandInput; + output: BatchPutFieldOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/CreateCaseCommand.ts b/clients/client-connectcases/src/commands/CreateCaseCommand.ts index eb14b8f6df99..eacb2a0ac3c5 100644 --- a/clients/client-connectcases/src/commands/CreateCaseCommand.ts +++ b/clients/client-connectcases/src/commands/CreateCaseCommand.ts @@ -138,4 +138,16 @@ export class CreateCaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateCaseCommand) .de(de_CreateCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCaseRequest; + output: CreateCaseResponse; + }; + sdk: { + input: CreateCaseCommandInput; + output: CreateCaseCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/CreateDomainCommand.ts b/clients/client-connectcases/src/commands/CreateDomainCommand.ts index 1dfe631ec2f2..16d736d6ebe2 100644 --- a/clients/client-connectcases/src/commands/CreateDomainCommand.ts +++ b/clients/client-connectcases/src/commands/CreateDomainCommand.ts @@ -111,4 +111,16 @@ export class CreateDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResponse; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/CreateFieldCommand.ts b/clients/client-connectcases/src/commands/CreateFieldCommand.ts index a0663da2e550..88fbabf68e0d 100644 --- a/clients/client-connectcases/src/commands/CreateFieldCommand.ts +++ b/clients/client-connectcases/src/commands/CreateFieldCommand.ts @@ -108,4 +108,16 @@ export class CreateFieldCommand extends $Command .f(void 0, void 0) .ser(se_CreateFieldCommand) .de(de_CreateFieldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFieldRequest; + output: CreateFieldResponse; + }; + sdk: { + input: CreateFieldCommandInput; + output: CreateFieldCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/CreateLayoutCommand.ts b/clients/client-connectcases/src/commands/CreateLayoutCommand.ts index c78b76f6157d..89122439f85c 100644 --- a/clients/client-connectcases/src/commands/CreateLayoutCommand.ts +++ b/clients/client-connectcases/src/commands/CreateLayoutCommand.ts @@ -150,4 +150,16 @@ export class CreateLayoutCommand extends $Command .f(void 0, void 0) .ser(se_CreateLayoutCommand) .de(de_CreateLayoutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLayoutRequest; + output: CreateLayoutResponse; + }; + sdk: { + input: CreateLayoutCommandInput; + output: CreateLayoutCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts b/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts index 006967f3d8f6..d2cfb241260c 100644 --- a/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts +++ b/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts @@ -133,4 +133,16 @@ export class CreateRelatedItemCommand extends $Command .f(void 0, void 0) .ser(se_CreateRelatedItemCommand) .de(de_CreateRelatedItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRelatedItemRequest; + output: CreateRelatedItemResponse; + }; + sdk: { + input: CreateRelatedItemCommandInput; + output: CreateRelatedItemCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/CreateTemplateCommand.ts b/clients/client-connectcases/src/commands/CreateTemplateCommand.ts index 058a2fef6fa5..0a70c834d340 100644 --- a/clients/client-connectcases/src/commands/CreateTemplateCommand.ts +++ b/clients/client-connectcases/src/commands/CreateTemplateCommand.ts @@ -120,4 +120,16 @@ export class CreateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateCommand) .de(de_CreateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateRequest; + output: CreateTemplateResponse; + }; + sdk: { + input: CreateTemplateCommandInput; + output: CreateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/DeleteDomainCommand.ts b/clients/client-connectcases/src/commands/DeleteDomainCommand.ts index 790fecee6430..a0f90f11bc4e 100644 --- a/clients/client-connectcases/src/commands/DeleteDomainCommand.ts +++ b/clients/client-connectcases/src/commands/DeleteDomainCommand.ts @@ -103,4 +103,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: {}; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/DeleteFieldCommand.ts b/clients/client-connectcases/src/commands/DeleteFieldCommand.ts index f7ff4c4318ce..1c0c074e4aeb 100644 --- a/clients/client-connectcases/src/commands/DeleteFieldCommand.ts +++ b/clients/client-connectcases/src/commands/DeleteFieldCommand.ts @@ -151,4 +151,16 @@ export class DeleteFieldCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFieldCommand) .de(de_DeleteFieldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFieldRequest; + output: {}; + }; + sdk: { + input: DeleteFieldCommandInput; + output: DeleteFieldCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/DeleteLayoutCommand.ts b/clients/client-connectcases/src/commands/DeleteLayoutCommand.ts index 83a6fc3d502a..802f5e6fab73 100644 --- a/clients/client-connectcases/src/commands/DeleteLayoutCommand.ts +++ b/clients/client-connectcases/src/commands/DeleteLayoutCommand.ts @@ -112,4 +112,16 @@ export class DeleteLayoutCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLayoutCommand) .de(de_DeleteLayoutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLayoutRequest; + output: {}; + }; + sdk: { + input: DeleteLayoutCommandInput; + output: DeleteLayoutCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/DeleteTemplateCommand.ts b/clients/client-connectcases/src/commands/DeleteTemplateCommand.ts index 6b2e563a268f..b85f7c857e64 100644 --- a/clients/client-connectcases/src/commands/DeleteTemplateCommand.ts +++ b/clients/client-connectcases/src/commands/DeleteTemplateCommand.ts @@ -114,4 +114,16 @@ export class DeleteTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateCommand) .de(de_DeleteTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteTemplateCommandInput; + output: DeleteTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts b/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts index fb24e9463fe1..7e87ecec1814 100644 --- a/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts +++ b/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts @@ -130,4 +130,16 @@ export class GetCaseAuditEventsCommand extends $Command .f(void 0, void 0) .ser(se_GetCaseAuditEventsCommand) .de(de_GetCaseAuditEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCaseAuditEventsRequest; + output: GetCaseAuditEventsResponse; + }; + sdk: { + input: GetCaseAuditEventsCommandInput; + output: GetCaseAuditEventsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/GetCaseCommand.ts b/clients/client-connectcases/src/commands/GetCaseCommand.ts index 8f8174e8ae8a..f83a06bb45e6 100644 --- a/clients/client-connectcases/src/commands/GetCaseCommand.ts +++ b/clients/client-connectcases/src/commands/GetCaseCommand.ts @@ -117,4 +117,16 @@ export class GetCaseCommand extends $Command .f(void 0, void 0) .ser(se_GetCaseCommand) .de(de_GetCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCaseRequest; + output: GetCaseResponse; + }; + sdk: { + input: GetCaseCommandInput; + output: GetCaseCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/GetCaseEventConfigurationCommand.ts b/clients/client-connectcases/src/commands/GetCaseEventConfigurationCommand.ts index d0f181e10bc4..69aa45be65ab 100644 --- a/clients/client-connectcases/src/commands/GetCaseEventConfigurationCommand.ts +++ b/clients/client-connectcases/src/commands/GetCaseEventConfigurationCommand.ts @@ -108,4 +108,16 @@ export class GetCaseEventConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetCaseEventConfigurationCommand) .de(de_GetCaseEventConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCaseEventConfigurationRequest; + output: GetCaseEventConfigurationResponse; + }; + sdk: { + input: GetCaseEventConfigurationCommandInput; + output: GetCaseEventConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/GetDomainCommand.ts b/clients/client-connectcases/src/commands/GetDomainCommand.ts index 09eee3335578..89535589326e 100644 --- a/clients/client-connectcases/src/commands/GetDomainCommand.ts +++ b/clients/client-connectcases/src/commands/GetDomainCommand.ts @@ -101,4 +101,16 @@ export class GetDomainCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainCommand) .de(de_GetDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainRequest; + output: GetDomainResponse; + }; + sdk: { + input: GetDomainCommandInput; + output: GetDomainCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/GetLayoutCommand.ts b/clients/client-connectcases/src/commands/GetLayoutCommand.ts index 9761641960e2..c428d8f2a663 100644 --- a/clients/client-connectcases/src/commands/GetLayoutCommand.ts +++ b/clients/client-connectcases/src/commands/GetLayoutCommand.ts @@ -135,4 +135,16 @@ export class GetLayoutCommand extends $Command .f(void 0, void 0) .ser(se_GetLayoutCommand) .de(de_GetLayoutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLayoutRequest; + output: GetLayoutResponse; + }; + sdk: { + input: GetLayoutCommandInput; + output: GetLayoutCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/GetTemplateCommand.ts b/clients/client-connectcases/src/commands/GetTemplateCommand.ts index e7e1a738ed25..7c584d940016 100644 --- a/clients/client-connectcases/src/commands/GetTemplateCommand.ts +++ b/clients/client-connectcases/src/commands/GetTemplateCommand.ts @@ -113,4 +113,16 @@ export class GetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateCommand) .de(de_GetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateRequest; + output: GetTemplateResponse; + }; + sdk: { + input: GetTemplateCommandInput; + output: GetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/ListCasesForContactCommand.ts b/clients/client-connectcases/src/commands/ListCasesForContactCommand.ts index 3062b9c6fc79..514c16e7ce7c 100644 --- a/clients/client-connectcases/src/commands/ListCasesForContactCommand.ts +++ b/clients/client-connectcases/src/commands/ListCasesForContactCommand.ts @@ -103,4 +103,16 @@ export class ListCasesForContactCommand extends $Command .f(void 0, void 0) .ser(se_ListCasesForContactCommand) .de(de_ListCasesForContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCasesForContactRequest; + output: ListCasesForContactResponse; + }; + sdk: { + input: ListCasesForContactCommandInput; + output: ListCasesForContactCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/ListDomainsCommand.ts b/clients/client-connectcases/src/commands/ListDomainsCommand.ts index 86dbc4638250..f3eb70651b89 100644 --- a/clients/client-connectcases/src/commands/ListDomainsCommand.ts +++ b/clients/client-connectcases/src/commands/ListDomainsCommand.ts @@ -99,4 +99,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResponse; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/ListFieldOptionsCommand.ts b/clients/client-connectcases/src/commands/ListFieldOptionsCommand.ts index 6fae3e4b9f65..3271a769cf8b 100644 --- a/clients/client-connectcases/src/commands/ListFieldOptionsCommand.ts +++ b/clients/client-connectcases/src/commands/ListFieldOptionsCommand.ts @@ -107,4 +107,16 @@ export class ListFieldOptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListFieldOptionsCommand) .de(de_ListFieldOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFieldOptionsRequest; + output: ListFieldOptionsResponse; + }; + sdk: { + input: ListFieldOptionsCommandInput; + output: ListFieldOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/ListFieldsCommand.ts b/clients/client-connectcases/src/commands/ListFieldsCommand.ts index b8105f3e52da..a18e47626f18 100644 --- a/clients/client-connectcases/src/commands/ListFieldsCommand.ts +++ b/clients/client-connectcases/src/commands/ListFieldsCommand.ts @@ -105,4 +105,16 @@ export class ListFieldsCommand extends $Command .f(void 0, void 0) .ser(se_ListFieldsCommand) .de(de_ListFieldsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFieldsRequest; + output: ListFieldsResponse; + }; + sdk: { + input: ListFieldsCommandInput; + output: ListFieldsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/ListLayoutsCommand.ts b/clients/client-connectcases/src/commands/ListLayoutsCommand.ts index 7cff87ed3de5..5aafc9f28d2b 100644 --- a/clients/client-connectcases/src/commands/ListLayoutsCommand.ts +++ b/clients/client-connectcases/src/commands/ListLayoutsCommand.ts @@ -104,4 +104,16 @@ export class ListLayoutsCommand extends $Command .f(void 0, void 0) .ser(se_ListLayoutsCommand) .de(de_ListLayoutsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLayoutsRequest; + output: ListLayoutsResponse; + }; + sdk: { + input: ListLayoutsCommandInput; + output: ListLayoutsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/ListTagsForResourceCommand.ts b/clients/client-connectcases/src/commands/ListTagsForResourceCommand.ts index 3fd91cc1a156..5132099f1e1b 100644 --- a/clients/client-connectcases/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-connectcases/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/ListTemplatesCommand.ts b/clients/client-connectcases/src/commands/ListTemplatesCommand.ts index 5f795adfb708..1b22100445d1 100644 --- a/clients/client-connectcases/src/commands/ListTemplatesCommand.ts +++ b/clients/client-connectcases/src/commands/ListTemplatesCommand.ts @@ -108,4 +108,16 @@ export class ListTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplatesCommand) .de(de_ListTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplatesRequest; + output: ListTemplatesResponse; + }; + sdk: { + input: ListTemplatesCommandInput; + output: ListTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/PutCaseEventConfigurationCommand.ts b/clients/client-connectcases/src/commands/PutCaseEventConfigurationCommand.ts index d03f2b20323d..c4e2ec16d83b 100644 --- a/clients/client-connectcases/src/commands/PutCaseEventConfigurationCommand.ts +++ b/clients/client-connectcases/src/commands/PutCaseEventConfigurationCommand.ts @@ -110,4 +110,16 @@ export class PutCaseEventConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutCaseEventConfigurationCommand) .de(de_PutCaseEventConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutCaseEventConfigurationRequest; + output: {}; + }; + sdk: { + input: PutCaseEventConfigurationCommandInput; + output: PutCaseEventConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/SearchCasesCommand.ts b/clients/client-connectcases/src/commands/SearchCasesCommand.ts index 799f8bbcc427..b8fa9ba00d15 100644 --- a/clients/client-connectcases/src/commands/SearchCasesCommand.ts +++ b/clients/client-connectcases/src/commands/SearchCasesCommand.ts @@ -213,4 +213,16 @@ export class SearchCasesCommand extends $Command .f(void 0, void 0) .ser(se_SearchCasesCommand) .de(de_SearchCasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchCasesRequest; + output: SearchCasesResponse; + }; + sdk: { + input: SearchCasesCommandInput; + output: SearchCasesCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts b/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts index 8385bf628870..11cd5c9d450c 100644 --- a/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts +++ b/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts @@ -142,4 +142,16 @@ export class SearchRelatedItemsCommand extends $Command .f(void 0, void 0) .ser(se_SearchRelatedItemsCommand) .de(de_SearchRelatedItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchRelatedItemsRequest; + output: SearchRelatedItemsResponse; + }; + sdk: { + input: SearchRelatedItemsCommandInput; + output: SearchRelatedItemsCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/TagResourceCommand.ts b/clients/client-connectcases/src/commands/TagResourceCommand.ts index 23981b6557bb..5b4ae9fb1295 100644 --- a/clients/client-connectcases/src/commands/TagResourceCommand.ts +++ b/clients/client-connectcases/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/UntagResourceCommand.ts b/clients/client-connectcases/src/commands/UntagResourceCommand.ts index 917cad135965..c5d842b46f0d 100644 --- a/clients/client-connectcases/src/commands/UntagResourceCommand.ts +++ b/clients/client-connectcases/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/UpdateCaseCommand.ts b/clients/client-connectcases/src/commands/UpdateCaseCommand.ts index ca2106bd2557..f7a437fbc177 100644 --- a/clients/client-connectcases/src/commands/UpdateCaseCommand.ts +++ b/clients/client-connectcases/src/commands/UpdateCaseCommand.ts @@ -115,4 +115,16 @@ export class UpdateCaseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCaseCommand) .de(de_UpdateCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCaseRequest; + output: {}; + }; + sdk: { + input: UpdateCaseCommandInput; + output: UpdateCaseCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/UpdateFieldCommand.ts b/clients/client-connectcases/src/commands/UpdateFieldCommand.ts index f0db6820f2ff..d6d22573c21d 100644 --- a/clients/client-connectcases/src/commands/UpdateFieldCommand.ts +++ b/clients/client-connectcases/src/commands/UpdateFieldCommand.ts @@ -100,4 +100,16 @@ export class UpdateFieldCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFieldCommand) .de(de_UpdateFieldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFieldRequest; + output: {}; + }; + sdk: { + input: UpdateFieldCommandInput; + output: UpdateFieldCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/UpdateLayoutCommand.ts b/clients/client-connectcases/src/commands/UpdateLayoutCommand.ts index 21418f0d8ada..cc6a706e883d 100644 --- a/clients/client-connectcases/src/commands/UpdateLayoutCommand.ts +++ b/clients/client-connectcases/src/commands/UpdateLayoutCommand.ts @@ -143,4 +143,16 @@ export class UpdateLayoutCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLayoutCommand) .de(de_UpdateLayoutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLayoutRequest; + output: {}; + }; + sdk: { + input: UpdateLayoutCommandInput; + output: UpdateLayoutCommandOutput; + }; + }; +} diff --git a/clients/client-connectcases/src/commands/UpdateTemplateCommand.ts b/clients/client-connectcases/src/commands/UpdateTemplateCommand.ts index 1e44d0ae9d8d..60a1c8c083af 100644 --- a/clients/client-connectcases/src/commands/UpdateTemplateCommand.ts +++ b/clients/client-connectcases/src/commands/UpdateTemplateCommand.ts @@ -113,4 +113,16 @@ export class UpdateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateCommand) .de(de_UpdateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateTemplateCommandInput; + output: UpdateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/package.json b/clients/client-connectparticipant/package.json index a09f39e2b2bc..1973b892e1f6 100644 --- a/clients/client-connectparticipant/package.json +++ b/clients/client-connectparticipant/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-connectparticipant/src/commands/CompleteAttachmentUploadCommand.ts b/clients/client-connectparticipant/src/commands/CompleteAttachmentUploadCommand.ts index 9fa325f138c5..74d4afc527f1 100644 --- a/clients/client-connectparticipant/src/commands/CompleteAttachmentUploadCommand.ts +++ b/clients/client-connectparticipant/src/commands/CompleteAttachmentUploadCommand.ts @@ -111,4 +111,16 @@ export class CompleteAttachmentUploadCommand extends $Command .f(void 0, void 0) .ser(se_CompleteAttachmentUploadCommand) .de(de_CompleteAttachmentUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteAttachmentUploadRequest; + output: {}; + }; + sdk: { + input: CompleteAttachmentUploadCommandInput; + output: CompleteAttachmentUploadCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/CreateParticipantConnectionCommand.ts b/clients/client-connectparticipant/src/commands/CreateParticipantConnectionCommand.ts index 9b331ce9370d..b9f390d357c7 100644 --- a/clients/client-connectparticipant/src/commands/CreateParticipantConnectionCommand.ts +++ b/clients/client-connectparticipant/src/commands/CreateParticipantConnectionCommand.ts @@ -143,4 +143,16 @@ export class CreateParticipantConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateParticipantConnectionCommand) .de(de_CreateParticipantConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateParticipantConnectionRequest; + output: CreateParticipantConnectionResponse; + }; + sdk: { + input: CreateParticipantConnectionCommandInput; + output: CreateParticipantConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/DescribeViewCommand.ts b/clients/client-connectparticipant/src/commands/DescribeViewCommand.ts index d6d19272b029..1a0a219c1ae1 100644 --- a/clients/client-connectparticipant/src/commands/DescribeViewCommand.ts +++ b/clients/client-connectparticipant/src/commands/DescribeViewCommand.ts @@ -109,4 +109,16 @@ export class DescribeViewCommand extends $Command .f(void 0, DescribeViewResponseFilterSensitiveLog) .ser(se_DescribeViewCommand) .de(de_DescribeViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeViewRequest; + output: DescribeViewResponse; + }; + sdk: { + input: DescribeViewCommandInput; + output: DescribeViewCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/DisconnectParticipantCommand.ts b/clients/client-connectparticipant/src/commands/DisconnectParticipantCommand.ts index a2f83f424e26..4607689f6a8a 100644 --- a/clients/client-connectparticipant/src/commands/DisconnectParticipantCommand.ts +++ b/clients/client-connectparticipant/src/commands/DisconnectParticipantCommand.ts @@ -99,4 +99,16 @@ export class DisconnectParticipantCommand extends $Command .f(void 0, void 0) .ser(se_DisconnectParticipantCommand) .de(de_DisconnectParticipantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisconnectParticipantRequest; + output: {}; + }; + sdk: { + input: DisconnectParticipantCommandInput; + output: DisconnectParticipantCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/GetAttachmentCommand.ts b/clients/client-connectparticipant/src/commands/GetAttachmentCommand.ts index 08ccbaaea344..6b418eb418e8 100644 --- a/clients/client-connectparticipant/src/commands/GetAttachmentCommand.ts +++ b/clients/client-connectparticipant/src/commands/GetAttachmentCommand.ts @@ -103,4 +103,16 @@ export class GetAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_GetAttachmentCommand) .de(de_GetAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAttachmentRequest; + output: GetAttachmentResponse; + }; + sdk: { + input: GetAttachmentCommandInput; + output: GetAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/GetTranscriptCommand.ts b/clients/client-connectparticipant/src/commands/GetTranscriptCommand.ts index fb50c3139012..0dbc7d48d926 100644 --- a/clients/client-connectparticipant/src/commands/GetTranscriptCommand.ts +++ b/clients/client-connectparticipant/src/commands/GetTranscriptCommand.ts @@ -175,4 +175,16 @@ export class GetTranscriptCommand extends $Command .f(void 0, void 0) .ser(se_GetTranscriptCommand) .de(de_GetTranscriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTranscriptRequest; + output: GetTranscriptResponse; + }; + sdk: { + input: GetTranscriptCommandInput; + output: GetTranscriptCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/SendEventCommand.ts b/clients/client-connectparticipant/src/commands/SendEventCommand.ts index a08c6f4e78df..7967d5f59f2b 100644 --- a/clients/client-connectparticipant/src/commands/SendEventCommand.ts +++ b/clients/client-connectparticipant/src/commands/SendEventCommand.ts @@ -116,4 +116,16 @@ export class SendEventCommand extends $Command .f(void 0, void 0) .ser(se_SendEventCommand) .de(de_SendEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendEventRequest; + output: SendEventResponse; + }; + sdk: { + input: SendEventCommandInput; + output: SendEventCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/SendMessageCommand.ts b/clients/client-connectparticipant/src/commands/SendMessageCommand.ts index 84ec0d776084..412905b223a1 100644 --- a/clients/client-connectparticipant/src/commands/SendMessageCommand.ts +++ b/clients/client-connectparticipant/src/commands/SendMessageCommand.ts @@ -104,4 +104,16 @@ export class SendMessageCommand extends $Command .f(void 0, void 0) .ser(se_SendMessageCommand) .de(de_SendMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendMessageRequest; + output: SendMessageResponse; + }; + sdk: { + input: SendMessageCommandInput; + output: SendMessageCommandOutput; + }; + }; +} diff --git a/clients/client-connectparticipant/src/commands/StartAttachmentUploadCommand.ts b/clients/client-connectparticipant/src/commands/StartAttachmentUploadCommand.ts index 92b88cdc4486..c3d9d2337233 100644 --- a/clients/client-connectparticipant/src/commands/StartAttachmentUploadCommand.ts +++ b/clients/client-connectparticipant/src/commands/StartAttachmentUploadCommand.ts @@ -115,4 +115,16 @@ export class StartAttachmentUploadCommand extends $Command .f(void 0, void 0) .ser(se_StartAttachmentUploadCommand) .de(de_StartAttachmentUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAttachmentUploadRequest; + output: StartAttachmentUploadResponse; + }; + sdk: { + input: StartAttachmentUploadCommandInput; + output: StartAttachmentUploadCommandOutput; + }; + }; +} diff --git a/clients/client-controlcatalog/package.json b/clients/client-controlcatalog/package.json index abffd8dcba12..586aa6460393 100644 --- a/clients/client-controlcatalog/package.json +++ b/clients/client-controlcatalog/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-controlcatalog/src/commands/GetControlCommand.ts b/clients/client-controlcatalog/src/commands/GetControlCommand.ts index fe86c8bd1cd4..109abcdf44b6 100644 --- a/clients/client-controlcatalog/src/commands/GetControlCommand.ts +++ b/clients/client-controlcatalog/src/commands/GetControlCommand.ts @@ -102,4 +102,16 @@ export class GetControlCommand extends $Command .f(void 0, void 0) .ser(se_GetControlCommand) .de(de_GetControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetControlRequest; + output: GetControlResponse; + }; + sdk: { + input: GetControlCommandInput; + output: GetControlCommandOutput; + }; + }; +} diff --git a/clients/client-controlcatalog/src/commands/ListCommonControlsCommand.ts b/clients/client-controlcatalog/src/commands/ListCommonControlsCommand.ts index d089cd267cb2..04d3ddc7b5b0 100644 --- a/clients/client-controlcatalog/src/commands/ListCommonControlsCommand.ts +++ b/clients/client-controlcatalog/src/commands/ListCommonControlsCommand.ts @@ -117,4 +117,16 @@ export class ListCommonControlsCommand extends $Command .f(void 0, void 0) .ser(se_ListCommonControlsCommand) .de(de_ListCommonControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCommonControlsRequest; + output: ListCommonControlsResponse; + }; + sdk: { + input: ListCommonControlsCommandInput; + output: ListCommonControlsCommandOutput; + }; + }; +} diff --git a/clients/client-controlcatalog/src/commands/ListControlsCommand.ts b/clients/client-controlcatalog/src/commands/ListControlsCommand.ts index 3dc60b724f03..e1e601431e2e 100644 --- a/clients/client-controlcatalog/src/commands/ListControlsCommand.ts +++ b/clients/client-controlcatalog/src/commands/ListControlsCommand.ts @@ -97,4 +97,16 @@ export class ListControlsCommand extends $Command .f(void 0, void 0) .ser(se_ListControlsCommand) .de(de_ListControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListControlsRequest; + output: ListControlsResponse; + }; + sdk: { + input: ListControlsCommandInput; + output: ListControlsCommandOutput; + }; + }; +} diff --git a/clients/client-controlcatalog/src/commands/ListDomainsCommand.ts b/clients/client-controlcatalog/src/commands/ListDomainsCommand.ts index 235e9c7da326..97b28839bdcf 100644 --- a/clients/client-controlcatalog/src/commands/ListDomainsCommand.ts +++ b/clients/client-controlcatalog/src/commands/ListDomainsCommand.ts @@ -99,4 +99,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResponse; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-controlcatalog/src/commands/ListObjectivesCommand.ts b/clients/client-controlcatalog/src/commands/ListObjectivesCommand.ts index 86067a20764f..bb8dd8b04841 100644 --- a/clients/client-controlcatalog/src/commands/ListObjectivesCommand.ts +++ b/clients/client-controlcatalog/src/commands/ListObjectivesCommand.ts @@ -112,4 +112,16 @@ export class ListObjectivesCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectivesCommand) .de(de_ListObjectivesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectivesRequest; + output: ListObjectivesResponse; + }; + sdk: { + input: ListObjectivesCommandInput; + output: ListObjectivesCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/package.json b/clients/client-controltower/package.json index 5d28f45d736c..a7601f424d23 100644 --- a/clients/client-controltower/package.json +++ b/clients/client-controltower/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-controltower/src/commands/CreateLandingZoneCommand.ts b/clients/client-controltower/src/commands/CreateLandingZoneCommand.ts index 776309e18e71..3cc687a11bf8 100644 --- a/clients/client-controltower/src/commands/CreateLandingZoneCommand.ts +++ b/clients/client-controltower/src/commands/CreateLandingZoneCommand.ts @@ -98,4 +98,16 @@ export class CreateLandingZoneCommand extends $Command .f(void 0, void 0) .ser(se_CreateLandingZoneCommand) .de(de_CreateLandingZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLandingZoneInput; + output: CreateLandingZoneOutput; + }; + sdk: { + input: CreateLandingZoneCommandInput; + output: CreateLandingZoneCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/DeleteLandingZoneCommand.ts b/clients/client-controltower/src/commands/DeleteLandingZoneCommand.ts index 2a54bd9dad02..128879d90993 100644 --- a/clients/client-controltower/src/commands/DeleteLandingZoneCommand.ts +++ b/clients/client-controltower/src/commands/DeleteLandingZoneCommand.ts @@ -96,4 +96,16 @@ export class DeleteLandingZoneCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLandingZoneCommand) .de(de_DeleteLandingZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLandingZoneInput; + output: DeleteLandingZoneOutput; + }; + sdk: { + input: DeleteLandingZoneCommandInput; + output: DeleteLandingZoneCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/DisableBaselineCommand.ts b/clients/client-controltower/src/commands/DisableBaselineCommand.ts index b513aaa60118..e6cfd9598d9b 100644 --- a/clients/client-controltower/src/commands/DisableBaselineCommand.ts +++ b/clients/client-controltower/src/commands/DisableBaselineCommand.ts @@ -100,4 +100,16 @@ export class DisableBaselineCommand extends $Command .f(void 0, void 0) .ser(se_DisableBaselineCommand) .de(de_DisableBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableBaselineInput; + output: DisableBaselineOutput; + }; + sdk: { + input: DisableBaselineCommandInput; + output: DisableBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/DisableControlCommand.ts b/clients/client-controltower/src/commands/DisableControlCommand.ts index d0270859946f..0fcd4fb27b07 100644 --- a/clients/client-controltower/src/commands/DisableControlCommand.ts +++ b/clients/client-controltower/src/commands/DisableControlCommand.ts @@ -103,4 +103,16 @@ export class DisableControlCommand extends $Command .f(void 0, void 0) .ser(se_DisableControlCommand) .de(de_DisableControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableControlInput; + output: DisableControlOutput; + }; + sdk: { + input: DisableControlCommandInput; + output: DisableControlCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/EnableBaselineCommand.ts b/clients/client-controltower/src/commands/EnableBaselineCommand.ts index 3455593dbd6f..510e493c6fbd 100644 --- a/clients/client-controltower/src/commands/EnableBaselineCommand.ts +++ b/clients/client-controltower/src/commands/EnableBaselineCommand.ts @@ -112,4 +112,16 @@ export class EnableBaselineCommand extends $Command .f(void 0, void 0) .ser(se_EnableBaselineCommand) .de(de_EnableBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableBaselineInput; + output: EnableBaselineOutput; + }; + sdk: { + input: EnableBaselineCommandInput; + output: EnableBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/EnableControlCommand.ts b/clients/client-controltower/src/commands/EnableControlCommand.ts index c17ea59d9651..a879d2366481 100644 --- a/clients/client-controltower/src/commands/EnableControlCommand.ts +++ b/clients/client-controltower/src/commands/EnableControlCommand.ts @@ -113,4 +113,16 @@ export class EnableControlCommand extends $Command .f(void 0, void 0) .ser(se_EnableControlCommand) .de(de_EnableControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableControlInput; + output: EnableControlOutput; + }; + sdk: { + input: EnableControlCommandInput; + output: EnableControlCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/GetBaselineCommand.ts b/clients/client-controltower/src/commands/GetBaselineCommand.ts index 2236384f0cbc..eb6939836332 100644 --- a/clients/client-controltower/src/commands/GetBaselineCommand.ts +++ b/clients/client-controltower/src/commands/GetBaselineCommand.ts @@ -96,4 +96,16 @@ export class GetBaselineCommand extends $Command .f(void 0, void 0) .ser(se_GetBaselineCommand) .de(de_GetBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBaselineInput; + output: GetBaselineOutput; + }; + sdk: { + input: GetBaselineCommandInput; + output: GetBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/GetBaselineOperationCommand.ts b/clients/client-controltower/src/commands/GetBaselineOperationCommand.ts index 713d78faf003..d601dc0071e9 100644 --- a/clients/client-controltower/src/commands/GetBaselineOperationCommand.ts +++ b/clients/client-controltower/src/commands/GetBaselineOperationCommand.ts @@ -101,4 +101,16 @@ export class GetBaselineOperationCommand extends $Command .f(void 0, void 0) .ser(se_GetBaselineOperationCommand) .de(de_GetBaselineOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBaselineOperationInput; + output: GetBaselineOperationOutput; + }; + sdk: { + input: GetBaselineOperationCommandInput; + output: GetBaselineOperationCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/GetControlOperationCommand.ts b/clients/client-controltower/src/commands/GetControlOperationCommand.ts index e6c96863eafc..099bbdf8c5a6 100644 --- a/clients/client-controltower/src/commands/GetControlOperationCommand.ts +++ b/clients/client-controltower/src/commands/GetControlOperationCommand.ts @@ -106,4 +106,16 @@ export class GetControlOperationCommand extends $Command .f(void 0, void 0) .ser(se_GetControlOperationCommand) .de(de_GetControlOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetControlOperationInput; + output: GetControlOperationOutput; + }; + sdk: { + input: GetControlOperationCommandInput; + output: GetControlOperationCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/GetEnabledBaselineCommand.ts b/clients/client-controltower/src/commands/GetEnabledBaselineCommand.ts index c99778de52d6..533218be9deb 100644 --- a/clients/client-controltower/src/commands/GetEnabledBaselineCommand.ts +++ b/clients/client-controltower/src/commands/GetEnabledBaselineCommand.ts @@ -107,4 +107,16 @@ export class GetEnabledBaselineCommand extends $Command .f(void 0, void 0) .ser(se_GetEnabledBaselineCommand) .de(de_GetEnabledBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnabledBaselineInput; + output: GetEnabledBaselineOutput; + }; + sdk: { + input: GetEnabledBaselineCommandInput; + output: GetEnabledBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/GetEnabledControlCommand.ts b/clients/client-controltower/src/commands/GetEnabledControlCommand.ts index b7410f1f4a62..b448ebb4ba4c 100644 --- a/clients/client-controltower/src/commands/GetEnabledControlCommand.ts +++ b/clients/client-controltower/src/commands/GetEnabledControlCommand.ts @@ -116,4 +116,16 @@ export class GetEnabledControlCommand extends $Command .f(void 0, void 0) .ser(se_GetEnabledControlCommand) .de(de_GetEnabledControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnabledControlInput; + output: GetEnabledControlOutput; + }; + sdk: { + input: GetEnabledControlCommandInput; + output: GetEnabledControlCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/GetLandingZoneCommand.ts b/clients/client-controltower/src/commands/GetLandingZoneCommand.ts index 46fc432eb43c..6ba5d2c31907 100644 --- a/clients/client-controltower/src/commands/GetLandingZoneCommand.ts +++ b/clients/client-controltower/src/commands/GetLandingZoneCommand.ts @@ -101,4 +101,16 @@ export class GetLandingZoneCommand extends $Command .f(void 0, void 0) .ser(se_GetLandingZoneCommand) .de(de_GetLandingZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLandingZoneInput; + output: GetLandingZoneOutput; + }; + sdk: { + input: GetLandingZoneCommandInput; + output: GetLandingZoneCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/GetLandingZoneOperationCommand.ts b/clients/client-controltower/src/commands/GetLandingZoneOperationCommand.ts index e4d741bd77d5..b7ccb31bf121 100644 --- a/clients/client-controltower/src/commands/GetLandingZoneOperationCommand.ts +++ b/clients/client-controltower/src/commands/GetLandingZoneOperationCommand.ts @@ -100,4 +100,16 @@ export class GetLandingZoneOperationCommand extends $Command .f(void 0, void 0) .ser(se_GetLandingZoneOperationCommand) .de(de_GetLandingZoneOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLandingZoneOperationInput; + output: GetLandingZoneOperationOutput; + }; + sdk: { + input: GetLandingZoneOperationCommandInput; + output: GetLandingZoneOperationCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ListBaselinesCommand.ts b/clients/client-controltower/src/commands/ListBaselinesCommand.ts index b13af48799b5..e8096cf35d69 100644 --- a/clients/client-controltower/src/commands/ListBaselinesCommand.ts +++ b/clients/client-controltower/src/commands/ListBaselinesCommand.ts @@ -99,4 +99,16 @@ export class ListBaselinesCommand extends $Command .f(void 0, void 0) .ser(se_ListBaselinesCommand) .de(de_ListBaselinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBaselinesInput; + output: ListBaselinesOutput; + }; + sdk: { + input: ListBaselinesCommandInput; + output: ListBaselinesCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ListControlOperationsCommand.ts b/clients/client-controltower/src/commands/ListControlOperationsCommand.ts index 1ff271472e25..e025ec896a46 100644 --- a/clients/client-controltower/src/commands/ListControlOperationsCommand.ts +++ b/clients/client-controltower/src/commands/ListControlOperationsCommand.ts @@ -120,4 +120,16 @@ export class ListControlOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListControlOperationsCommand) .de(de_ListControlOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListControlOperationsInput; + output: ListControlOperationsOutput; + }; + sdk: { + input: ListControlOperationsCommandInput; + output: ListControlOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ListEnabledBaselinesCommand.ts b/clients/client-controltower/src/commands/ListEnabledBaselinesCommand.ts index 6fd6b047e224..8cf63164dac9 100644 --- a/clients/client-controltower/src/commands/ListEnabledBaselinesCommand.ts +++ b/clients/client-controltower/src/commands/ListEnabledBaselinesCommand.ts @@ -112,4 +112,16 @@ export class ListEnabledBaselinesCommand extends $Command .f(void 0, void 0) .ser(se_ListEnabledBaselinesCommand) .de(de_ListEnabledBaselinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnabledBaselinesInput; + output: ListEnabledBaselinesOutput; + }; + sdk: { + input: ListEnabledBaselinesCommandInput; + output: ListEnabledBaselinesCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ListEnabledControlsCommand.ts b/clients/client-controltower/src/commands/ListEnabledControlsCommand.ts index 73f6e2348c94..9c3f0e2abd10 100644 --- a/clients/client-controltower/src/commands/ListEnabledControlsCommand.ts +++ b/clients/client-controltower/src/commands/ListEnabledControlsCommand.ts @@ -122,4 +122,16 @@ export class ListEnabledControlsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnabledControlsCommand) .de(de_ListEnabledControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnabledControlsInput; + output: ListEnabledControlsOutput; + }; + sdk: { + input: ListEnabledControlsCommandInput; + output: ListEnabledControlsCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ListLandingZoneOperationsCommand.ts b/clients/client-controltower/src/commands/ListLandingZoneOperationsCommand.ts index 2284a870731d..5bb383696844 100644 --- a/clients/client-controltower/src/commands/ListLandingZoneOperationsCommand.ts +++ b/clients/client-controltower/src/commands/ListLandingZoneOperationsCommand.ts @@ -105,4 +105,16 @@ export class ListLandingZoneOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLandingZoneOperationsCommand) .de(de_ListLandingZoneOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLandingZoneOperationsInput; + output: ListLandingZoneOperationsOutput; + }; + sdk: { + input: ListLandingZoneOperationsCommandInput; + output: ListLandingZoneOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ListLandingZonesCommand.ts b/clients/client-controltower/src/commands/ListLandingZonesCommand.ts index fb1623adc26f..e446b405569a 100644 --- a/clients/client-controltower/src/commands/ListLandingZonesCommand.ts +++ b/clients/client-controltower/src/commands/ListLandingZonesCommand.ts @@ -97,4 +97,16 @@ export class ListLandingZonesCommand extends $Command .f(void 0, void 0) .ser(se_ListLandingZonesCommand) .de(de_ListLandingZonesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLandingZonesInput; + output: ListLandingZonesOutput; + }; + sdk: { + input: ListLandingZonesCommandInput; + output: ListLandingZonesCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ListTagsForResourceCommand.ts b/clients/client-controltower/src/commands/ListTagsForResourceCommand.ts index 844a5a5b2b0b..dc0d1a9e4992 100644 --- a/clients/client-controltower/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-controltower/src/commands/ListTagsForResourceCommand.ts @@ -90,4 +90,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ResetEnabledBaselineCommand.ts b/clients/client-controltower/src/commands/ResetEnabledBaselineCommand.ts index b5ac80cd4c6c..980f2a0739c0 100644 --- a/clients/client-controltower/src/commands/ResetEnabledBaselineCommand.ts +++ b/clients/client-controltower/src/commands/ResetEnabledBaselineCommand.ts @@ -100,4 +100,16 @@ export class ResetEnabledBaselineCommand extends $Command .f(void 0, void 0) .ser(se_ResetEnabledBaselineCommand) .de(de_ResetEnabledBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetEnabledBaselineInput; + output: ResetEnabledBaselineOutput; + }; + sdk: { + input: ResetEnabledBaselineCommandInput; + output: ResetEnabledBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/ResetLandingZoneCommand.ts b/clients/client-controltower/src/commands/ResetLandingZoneCommand.ts index 0ec92d692978..24677b978a0b 100644 --- a/clients/client-controltower/src/commands/ResetLandingZoneCommand.ts +++ b/clients/client-controltower/src/commands/ResetLandingZoneCommand.ts @@ -99,4 +99,16 @@ export class ResetLandingZoneCommand extends $Command .f(void 0, void 0) .ser(se_ResetLandingZoneCommand) .de(de_ResetLandingZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetLandingZoneInput; + output: ResetLandingZoneOutput; + }; + sdk: { + input: ResetLandingZoneCommandInput; + output: ResetLandingZoneCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/TagResourceCommand.ts b/clients/client-controltower/src/commands/TagResourceCommand.ts index 3a8556d3385e..131395d2528e 100644 --- a/clients/client-controltower/src/commands/TagResourceCommand.ts +++ b/clients/client-controltower/src/commands/TagResourceCommand.ts @@ -89,4 +89,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/UntagResourceCommand.ts b/clients/client-controltower/src/commands/UntagResourceCommand.ts index 84e411e06204..d3074fe540ed 100644 --- a/clients/client-controltower/src/commands/UntagResourceCommand.ts +++ b/clients/client-controltower/src/commands/UntagResourceCommand.ts @@ -89,4 +89,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/UpdateEnabledBaselineCommand.ts b/clients/client-controltower/src/commands/UpdateEnabledBaselineCommand.ts index b6f937df1bd8..c8835ebf29f6 100644 --- a/clients/client-controltower/src/commands/UpdateEnabledBaselineCommand.ts +++ b/clients/client-controltower/src/commands/UpdateEnabledBaselineCommand.ts @@ -107,4 +107,16 @@ export class UpdateEnabledBaselineCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnabledBaselineCommand) .de(de_UpdateEnabledBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnabledBaselineInput; + output: UpdateEnabledBaselineOutput; + }; + sdk: { + input: UpdateEnabledBaselineCommandInput; + output: UpdateEnabledBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/UpdateEnabledControlCommand.ts b/clients/client-controltower/src/commands/UpdateEnabledControlCommand.ts index 7cb84613588c..0214430f8302 100644 --- a/clients/client-controltower/src/commands/UpdateEnabledControlCommand.ts +++ b/clients/client-controltower/src/commands/UpdateEnabledControlCommand.ts @@ -111,4 +111,16 @@ export class UpdateEnabledControlCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnabledControlCommand) .de(de_UpdateEnabledControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnabledControlInput; + output: UpdateEnabledControlOutput; + }; + sdk: { + input: UpdateEnabledControlCommandInput; + output: UpdateEnabledControlCommandOutput; + }; + }; +} diff --git a/clients/client-controltower/src/commands/UpdateLandingZoneCommand.ts b/clients/client-controltower/src/commands/UpdateLandingZoneCommand.ts index bf6a94b73aca..026eb9ff0ddf 100644 --- a/clients/client-controltower/src/commands/UpdateLandingZoneCommand.ts +++ b/clients/client-controltower/src/commands/UpdateLandingZoneCommand.ts @@ -99,4 +99,16 @@ export class UpdateLandingZoneCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLandingZoneCommand) .de(de_UpdateLandingZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLandingZoneInput; + output: UpdateLandingZoneOutput; + }; + sdk: { + input: UpdateLandingZoneCommandInput; + output: UpdateLandingZoneCommandOutput; + }; + }; +} diff --git a/clients/client-cost-and-usage-report-service/package.json b/clients/client-cost-and-usage-report-service/package.json index 7cbb44512660..2951bf373131 100644 --- a/clients/client-cost-and-usage-report-service/package.json +++ b/clients/client-cost-and-usage-report-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cost-and-usage-report-service/src/commands/DeleteReportDefinitionCommand.ts b/clients/client-cost-and-usage-report-service/src/commands/DeleteReportDefinitionCommand.ts index 62e9e0702d0b..e1521759db3c 100644 --- a/clients/client-cost-and-usage-report-service/src/commands/DeleteReportDefinitionCommand.ts +++ b/clients/client-cost-and-usage-report-service/src/commands/DeleteReportDefinitionCommand.ts @@ -99,4 +99,16 @@ export class DeleteReportDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReportDefinitionCommand) .de(de_DeleteReportDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReportDefinitionRequest; + output: DeleteReportDefinitionResponse; + }; + sdk: { + input: DeleteReportDefinitionCommandInput; + output: DeleteReportDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-and-usage-report-service/src/commands/DescribeReportDefinitionsCommand.ts b/clients/client-cost-and-usage-report-service/src/commands/DescribeReportDefinitionsCommand.ts index c6895979a8b7..2efa6e22024c 100644 --- a/clients/client-cost-and-usage-report-service/src/commands/DescribeReportDefinitionsCommand.ts +++ b/clients/client-cost-and-usage-report-service/src/commands/DescribeReportDefinitionsCommand.ts @@ -156,4 +156,16 @@ export class DescribeReportDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReportDefinitionsCommand) .de(de_DescribeReportDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReportDefinitionsRequest; + output: DescribeReportDefinitionsResponse; + }; + sdk: { + input: DescribeReportDefinitionsCommandInput; + output: DescribeReportDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-and-usage-report-service/src/commands/ListTagsForResourceCommand.ts b/clients/client-cost-and-usage-report-service/src/commands/ListTagsForResourceCommand.ts index 0db49e393433..14155e77453a 100644 --- a/clients/client-cost-and-usage-report-service/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cost-and-usage-report-service/src/commands/ListTagsForResourceCommand.ts @@ -95,4 +95,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cost-and-usage-report-service/src/commands/ModifyReportDefinitionCommand.ts b/clients/client-cost-and-usage-report-service/src/commands/ModifyReportDefinitionCommand.ts index 2b0578e14baf..107616504fd1 100644 --- a/clients/client-cost-and-usage-report-service/src/commands/ModifyReportDefinitionCommand.ts +++ b/clients/client-cost-and-usage-report-service/src/commands/ModifyReportDefinitionCommand.ts @@ -107,4 +107,16 @@ export class ModifyReportDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReportDefinitionCommand) .de(de_ModifyReportDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReportDefinitionRequest; + output: {}; + }; + sdk: { + input: ModifyReportDefinitionCommandInput; + output: ModifyReportDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-and-usage-report-service/src/commands/PutReportDefinitionCommand.ts b/clients/client-cost-and-usage-report-service/src/commands/PutReportDefinitionCommand.ts index 815bf8375ab3..b16ef0e0d329 100644 --- a/clients/client-cost-and-usage-report-service/src/commands/PutReportDefinitionCommand.ts +++ b/clients/client-cost-and-usage-report-service/src/commands/PutReportDefinitionCommand.ts @@ -147,4 +147,16 @@ export class PutReportDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_PutReportDefinitionCommand) .de(de_PutReportDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutReportDefinitionRequest; + output: {}; + }; + sdk: { + input: PutReportDefinitionCommandInput; + output: PutReportDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-and-usage-report-service/src/commands/TagResourceCommand.ts b/clients/client-cost-and-usage-report-service/src/commands/TagResourceCommand.ts index f5537edd8d2d..804b63004653 100644 --- a/clients/client-cost-and-usage-report-service/src/commands/TagResourceCommand.ts +++ b/clients/client-cost-and-usage-report-service/src/commands/TagResourceCommand.ts @@ -94,4 +94,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cost-and-usage-report-service/src/commands/UntagResourceCommand.ts b/clients/client-cost-and-usage-report-service/src/commands/UntagResourceCommand.ts index 0b7000f56890..a0f8d0ca64f4 100644 --- a/clients/client-cost-and-usage-report-service/src/commands/UntagResourceCommand.ts +++ b/clients/client-cost-and-usage-report-service/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/package.json b/clients/client-cost-explorer/package.json index 7b08e58866e8..ed224fc90b5b 100644 --- a/clients/client-cost-explorer/package.json +++ b/clients/client-cost-explorer/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cost-explorer/src/commands/CreateAnomalyMonitorCommand.ts b/clients/client-cost-explorer/src/commands/CreateAnomalyMonitorCommand.ts index 0f4f5d50bb48..b9ca76eef9d0 100644 --- a/clients/client-cost-explorer/src/commands/CreateAnomalyMonitorCommand.ts +++ b/clients/client-cost-explorer/src/commands/CreateAnomalyMonitorCommand.ts @@ -163,4 +163,16 @@ export class CreateAnomalyMonitorCommand extends $Command .f(void 0, void 0) .ser(se_CreateAnomalyMonitorCommand) .de(de_CreateAnomalyMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnomalyMonitorRequest; + output: CreateAnomalyMonitorResponse; + }; + sdk: { + input: CreateAnomalyMonitorCommandInput; + output: CreateAnomalyMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/CreateAnomalySubscriptionCommand.ts b/clients/client-cost-explorer/src/commands/CreateAnomalySubscriptionCommand.ts index e6af14bab65d..64bc622627b2 100644 --- a/clients/client-cost-explorer/src/commands/CreateAnomalySubscriptionCommand.ts +++ b/clients/client-cost-explorer/src/commands/CreateAnomalySubscriptionCommand.ts @@ -174,4 +174,16 @@ export class CreateAnomalySubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateAnomalySubscriptionCommand) .de(de_CreateAnomalySubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnomalySubscriptionRequest; + output: CreateAnomalySubscriptionResponse; + }; + sdk: { + input: CreateAnomalySubscriptionCommandInput; + output: CreateAnomalySubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/CreateCostCategoryDefinitionCommand.ts b/clients/client-cost-explorer/src/commands/CreateCostCategoryDefinitionCommand.ts index 26373a3398ba..ca26d41adf53 100644 --- a/clients/client-cost-explorer/src/commands/CreateCostCategoryDefinitionCommand.ts +++ b/clients/client-cost-explorer/src/commands/CreateCostCategoryDefinitionCommand.ts @@ -193,4 +193,16 @@ export class CreateCostCategoryDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateCostCategoryDefinitionCommand) .de(de_CreateCostCategoryDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCostCategoryDefinitionRequest; + output: CreateCostCategoryDefinitionResponse; + }; + sdk: { + input: CreateCostCategoryDefinitionCommandInput; + output: CreateCostCategoryDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/DeleteAnomalyMonitorCommand.ts b/clients/client-cost-explorer/src/commands/DeleteAnomalyMonitorCommand.ts index b0c42fd478cc..e455b2531ae5 100644 --- a/clients/client-cost-explorer/src/commands/DeleteAnomalyMonitorCommand.ts +++ b/clients/client-cost-explorer/src/commands/DeleteAnomalyMonitorCommand.ts @@ -81,4 +81,16 @@ export class DeleteAnomalyMonitorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnomalyMonitorCommand) .de(de_DeleteAnomalyMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnomalyMonitorRequest; + output: {}; + }; + sdk: { + input: DeleteAnomalyMonitorCommandInput; + output: DeleteAnomalyMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/DeleteAnomalySubscriptionCommand.ts b/clients/client-cost-explorer/src/commands/DeleteAnomalySubscriptionCommand.ts index 27b91172cbfc..ecb1efaaa65c 100644 --- a/clients/client-cost-explorer/src/commands/DeleteAnomalySubscriptionCommand.ts +++ b/clients/client-cost-explorer/src/commands/DeleteAnomalySubscriptionCommand.ts @@ -81,4 +81,16 @@ export class DeleteAnomalySubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnomalySubscriptionCommand) .de(de_DeleteAnomalySubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnomalySubscriptionRequest; + output: {}; + }; + sdk: { + input: DeleteAnomalySubscriptionCommandInput; + output: DeleteAnomalySubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/DeleteCostCategoryDefinitionCommand.ts b/clients/client-cost-explorer/src/commands/DeleteCostCategoryDefinitionCommand.ts index ce4da1f7f1e9..e93d2674cbd4 100644 --- a/clients/client-cost-explorer/src/commands/DeleteCostCategoryDefinitionCommand.ts +++ b/clients/client-cost-explorer/src/commands/DeleteCostCategoryDefinitionCommand.ts @@ -90,4 +90,16 @@ export class DeleteCostCategoryDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCostCategoryDefinitionCommand) .de(de_DeleteCostCategoryDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCostCategoryDefinitionRequest; + output: DeleteCostCategoryDefinitionResponse; + }; + sdk: { + input: DeleteCostCategoryDefinitionCommandInput; + output: DeleteCostCategoryDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/DescribeCostCategoryDefinitionCommand.ts b/clients/client-cost-explorer/src/commands/DescribeCostCategoryDefinitionCommand.ts index 760ce202279d..1a6d79e201fd 100644 --- a/clients/client-cost-explorer/src/commands/DescribeCostCategoryDefinitionCommand.ts +++ b/clients/client-cost-explorer/src/commands/DescribeCostCategoryDefinitionCommand.ts @@ -201,4 +201,16 @@ export class DescribeCostCategoryDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCostCategoryDefinitionCommand) .de(de_DescribeCostCategoryDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCostCategoryDefinitionRequest; + output: DescribeCostCategoryDefinitionResponse; + }; + sdk: { + input: DescribeCostCategoryDefinitionCommandInput; + output: DescribeCostCategoryDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetAnomaliesCommand.ts b/clients/client-cost-explorer/src/commands/GetAnomaliesCommand.ts index e8d46ae8b41d..50084a2be4a1 100644 --- a/clients/client-cost-explorer/src/commands/GetAnomaliesCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetAnomaliesCommand.ts @@ -127,4 +127,16 @@ export class GetAnomaliesCommand extends $Command .f(void 0, void 0) .ser(se_GetAnomaliesCommand) .de(de_GetAnomaliesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnomaliesRequest; + output: GetAnomaliesResponse; + }; + sdk: { + input: GetAnomaliesCommandInput; + output: GetAnomaliesCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetAnomalyMonitorsCommand.ts b/clients/client-cost-explorer/src/commands/GetAnomalyMonitorsCommand.ts index 0db54115c16e..1a3ee2a14ece 100644 --- a/clients/client-cost-explorer/src/commands/GetAnomalyMonitorsCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetAnomalyMonitorsCommand.ts @@ -170,4 +170,16 @@ export class GetAnomalyMonitorsCommand extends $Command .f(void 0, void 0) .ser(se_GetAnomalyMonitorsCommand) .de(de_GetAnomalyMonitorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnomalyMonitorsRequest; + output: GetAnomalyMonitorsResponse; + }; + sdk: { + input: GetAnomalyMonitorsCommandInput; + output: GetAnomalyMonitorsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetAnomalySubscriptionsCommand.ts b/clients/client-cost-explorer/src/commands/GetAnomalySubscriptionsCommand.ts index 8503301010a4..3008f0a3389b 100644 --- a/clients/client-cost-explorer/src/commands/GetAnomalySubscriptionsCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetAnomalySubscriptionsCommand.ts @@ -178,4 +178,16 @@ export class GetAnomalySubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetAnomalySubscriptionsCommand) .de(de_GetAnomalySubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnomalySubscriptionsRequest; + output: GetAnomalySubscriptionsResponse; + }; + sdk: { + input: GetAnomalySubscriptionsCommandInput; + output: GetAnomalySubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetApproximateUsageRecordsCommand.ts b/clients/client-cost-explorer/src/commands/GetApproximateUsageRecordsCommand.ts index 502bbddfa698..66c03ac27590 100644 --- a/clients/client-cost-explorer/src/commands/GetApproximateUsageRecordsCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetApproximateUsageRecordsCommand.ts @@ -95,4 +95,16 @@ export class GetApproximateUsageRecordsCommand extends $Command .f(void 0, void 0) .ser(se_GetApproximateUsageRecordsCommand) .de(de_GetApproximateUsageRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApproximateUsageRecordsRequest; + output: GetApproximateUsageRecordsResponse; + }; + sdk: { + input: GetApproximateUsageRecordsCommandInput; + output: GetApproximateUsageRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetCostAndUsageCommand.ts b/clients/client-cost-explorer/src/commands/GetCostAndUsageCommand.ts index 5c50901838f0..e7c107e0991e 100644 --- a/clients/client-cost-explorer/src/commands/GetCostAndUsageCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetCostAndUsageCommand.ts @@ -222,4 +222,16 @@ export class GetCostAndUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetCostAndUsageCommand) .de(de_GetCostAndUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCostAndUsageRequest; + output: GetCostAndUsageResponse; + }; + sdk: { + input: GetCostAndUsageCommandInput; + output: GetCostAndUsageCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetCostAndUsageWithResourcesCommand.ts b/clients/client-cost-explorer/src/commands/GetCostAndUsageWithResourcesCommand.ts index 67c88ade2966..3ee1ae9f23e8 100644 --- a/clients/client-cost-explorer/src/commands/GetCostAndUsageWithResourcesCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetCostAndUsageWithResourcesCommand.ts @@ -234,4 +234,16 @@ export class GetCostAndUsageWithResourcesCommand extends $Command .f(void 0, void 0) .ser(se_GetCostAndUsageWithResourcesCommand) .de(de_GetCostAndUsageWithResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCostAndUsageWithResourcesRequest; + output: GetCostAndUsageWithResourcesResponse; + }; + sdk: { + input: GetCostAndUsageWithResourcesCommandInput; + output: GetCostAndUsageWithResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetCostCategoriesCommand.ts b/clients/client-cost-explorer/src/commands/GetCostCategoriesCommand.ts index eb23b641c087..aa16812d2357 100644 --- a/clients/client-cost-explorer/src/commands/GetCostCategoriesCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetCostCategoriesCommand.ts @@ -185,4 +185,16 @@ export class GetCostCategoriesCommand extends $Command .f(void 0, void 0) .ser(se_GetCostCategoriesCommand) .de(de_GetCostCategoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCostCategoriesRequest; + output: GetCostCategoriesResponse; + }; + sdk: { + input: GetCostCategoriesCommandInput; + output: GetCostCategoriesCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetCostForecastCommand.ts b/clients/client-cost-explorer/src/commands/GetCostForecastCommand.ts index 3d34eef2415b..924fac059be3 100644 --- a/clients/client-cost-explorer/src/commands/GetCostForecastCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetCostForecastCommand.ts @@ -171,4 +171,16 @@ export class GetCostForecastCommand extends $Command .f(void 0, void 0) .ser(se_GetCostForecastCommand) .de(de_GetCostForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCostForecastRequest; + output: GetCostForecastResponse; + }; + sdk: { + input: GetCostForecastCommandInput; + output: GetCostForecastCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetDimensionValuesCommand.ts b/clients/client-cost-explorer/src/commands/GetDimensionValuesCommand.ts index 06f365bb1a4c..70e43d70b838 100644 --- a/clients/client-cost-explorer/src/commands/GetDimensionValuesCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetDimensionValuesCommand.ts @@ -185,4 +185,16 @@ export class GetDimensionValuesCommand extends $Command .f(void 0, void 0) .ser(se_GetDimensionValuesCommand) .de(de_GetDimensionValuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDimensionValuesRequest; + output: GetDimensionValuesResponse; + }; + sdk: { + input: GetDimensionValuesCommandInput; + output: GetDimensionValuesCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetReservationCoverageCommand.ts b/clients/client-cost-explorer/src/commands/GetReservationCoverageCommand.ts index 0b286e336496..99adad1daa17 100644 --- a/clients/client-cost-explorer/src/commands/GetReservationCoverageCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetReservationCoverageCommand.ts @@ -267,4 +267,16 @@ export class GetReservationCoverageCommand extends $Command .f(void 0, void 0) .ser(se_GetReservationCoverageCommand) .de(de_GetReservationCoverageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReservationCoverageRequest; + output: GetReservationCoverageResponse; + }; + sdk: { + input: GetReservationCoverageCommandInput; + output: GetReservationCoverageCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts b/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts index 11b704962d18..49ef3518b71b 100644 --- a/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts @@ -285,4 +285,16 @@ export class GetReservationPurchaseRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_GetReservationPurchaseRecommendationCommand) .de(de_GetReservationPurchaseRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReservationPurchaseRecommendationRequest; + output: GetReservationPurchaseRecommendationResponse; + }; + sdk: { + input: GetReservationPurchaseRecommendationCommandInput; + output: GetReservationPurchaseRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetReservationUtilizationCommand.ts b/clients/client-cost-explorer/src/commands/GetReservationUtilizationCommand.ts index 358b47754883..b5b97d7471eb 100644 --- a/clients/client-cost-explorer/src/commands/GetReservationUtilizationCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetReservationUtilizationCommand.ts @@ -228,4 +228,16 @@ export class GetReservationUtilizationCommand extends $Command .f(void 0, void 0) .ser(se_GetReservationUtilizationCommand) .de(de_GetReservationUtilizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReservationUtilizationRequest; + output: GetReservationUtilizationResponse; + }; + sdk: { + input: GetReservationUtilizationCommandInput; + output: GetReservationUtilizationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetRightsizingRecommendationCommand.ts b/clients/client-cost-explorer/src/commands/GetRightsizingRecommendationCommand.ts index 067eaf05b3df..4667db30127c 100644 --- a/clients/client-cost-explorer/src/commands/GetRightsizingRecommendationCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetRightsizingRecommendationCommand.ts @@ -304,4 +304,16 @@ export class GetRightsizingRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_GetRightsizingRecommendationCommand) .de(de_GetRightsizingRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRightsizingRecommendationRequest; + output: GetRightsizingRecommendationResponse; + }; + sdk: { + input: GetRightsizingRecommendationCommandInput; + output: GetRightsizingRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetSavingsPlanPurchaseRecommendationDetailsCommand.ts b/clients/client-cost-explorer/src/commands/GetSavingsPlanPurchaseRecommendationDetailsCommand.ts index 559c80620867..445372b6e49b 100644 --- a/clients/client-cost-explorer/src/commands/GetSavingsPlanPurchaseRecommendationDetailsCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetSavingsPlanPurchaseRecommendationDetailsCommand.ts @@ -132,4 +132,16 @@ export class GetSavingsPlanPurchaseRecommendationDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetSavingsPlanPurchaseRecommendationDetailsCommand) .de(de_GetSavingsPlanPurchaseRecommendationDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSavingsPlanPurchaseRecommendationDetailsRequest; + output: GetSavingsPlanPurchaseRecommendationDetailsResponse; + }; + sdk: { + input: GetSavingsPlanPurchaseRecommendationDetailsCommandInput; + output: GetSavingsPlanPurchaseRecommendationDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetSavingsPlansCoverageCommand.ts b/clients/client-cost-explorer/src/commands/GetSavingsPlansCoverageCommand.ts index d5c57b3987fb..4028047320e4 100644 --- a/clients/client-cost-explorer/src/commands/GetSavingsPlansCoverageCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetSavingsPlansCoverageCommand.ts @@ -217,4 +217,16 @@ export class GetSavingsPlansCoverageCommand extends $Command .f(void 0, void 0) .ser(se_GetSavingsPlansCoverageCommand) .de(de_GetSavingsPlansCoverageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSavingsPlansCoverageRequest; + output: GetSavingsPlansCoverageResponse; + }; + sdk: { + input: GetSavingsPlansCoverageCommandInput; + output: GetSavingsPlansCoverageCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetSavingsPlansPurchaseRecommendationCommand.ts b/clients/client-cost-explorer/src/commands/GetSavingsPlansPurchaseRecommendationCommand.ts index 00cae4a07341..6f9cbb4f1c40 100644 --- a/clients/client-cost-explorer/src/commands/GetSavingsPlansPurchaseRecommendationCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetSavingsPlansPurchaseRecommendationCommand.ts @@ -218,4 +218,16 @@ export class GetSavingsPlansPurchaseRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_GetSavingsPlansPurchaseRecommendationCommand) .de(de_GetSavingsPlansPurchaseRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSavingsPlansPurchaseRecommendationRequest; + output: GetSavingsPlansPurchaseRecommendationResponse; + }; + sdk: { + input: GetSavingsPlansPurchaseRecommendationCommandInput; + output: GetSavingsPlansPurchaseRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationCommand.ts b/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationCommand.ts index d8e65ce97869..0bf9e0c342a3 100644 --- a/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationCommand.ts @@ -204,4 +204,16 @@ export class GetSavingsPlansUtilizationCommand extends $Command .f(void 0, void 0) .ser(se_GetSavingsPlansUtilizationCommand) .de(de_GetSavingsPlansUtilizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSavingsPlansUtilizationRequest; + output: GetSavingsPlansUtilizationResponse; + }; + sdk: { + input: GetSavingsPlansUtilizationCommandInput; + output: GetSavingsPlansUtilizationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationDetailsCommand.ts b/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationDetailsCommand.ts index 9608cbcc6074..dfd74340b54e 100644 --- a/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationDetailsCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetSavingsPlansUtilizationDetailsCommand.ts @@ -228,4 +228,16 @@ export class GetSavingsPlansUtilizationDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetSavingsPlansUtilizationDetailsCommand) .de(de_GetSavingsPlansUtilizationDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSavingsPlansUtilizationDetailsRequest; + output: GetSavingsPlansUtilizationDetailsResponse; + }; + sdk: { + input: GetSavingsPlansUtilizationDetailsCommandInput; + output: GetSavingsPlansUtilizationDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetTagsCommand.ts b/clients/client-cost-explorer/src/commands/GetTagsCommand.ts index fa839871256d..c62cdad0150f 100644 --- a/clients/client-cost-explorer/src/commands/GetTagsCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetTagsCommand.ts @@ -179,4 +179,16 @@ export class GetTagsCommand extends $Command .f(void 0, void 0) .ser(se_GetTagsCommand) .de(de_GetTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTagsRequest; + output: GetTagsResponse; + }; + sdk: { + input: GetTagsCommandInput; + output: GetTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/GetUsageForecastCommand.ts b/clients/client-cost-explorer/src/commands/GetUsageForecastCommand.ts index afec5237c52a..c2bbc5490652 100644 --- a/clients/client-cost-explorer/src/commands/GetUsageForecastCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetUsageForecastCommand.ts @@ -176,4 +176,16 @@ export class GetUsageForecastCommand extends $Command .f(void 0, void 0) .ser(se_GetUsageForecastCommand) .de(de_GetUsageForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsageForecastRequest; + output: GetUsageForecastResponse; + }; + sdk: { + input: GetUsageForecastCommandInput; + output: GetUsageForecastCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/ListCostAllocationTagBackfillHistoryCommand.ts b/clients/client-cost-explorer/src/commands/ListCostAllocationTagBackfillHistoryCommand.ts index 447d02fb1cdc..51b3c16a9113 100644 --- a/clients/client-cost-explorer/src/commands/ListCostAllocationTagBackfillHistoryCommand.ts +++ b/clients/client-cost-explorer/src/commands/ListCostAllocationTagBackfillHistoryCommand.ts @@ -103,4 +103,16 @@ export class ListCostAllocationTagBackfillHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListCostAllocationTagBackfillHistoryCommand) .de(de_ListCostAllocationTagBackfillHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCostAllocationTagBackfillHistoryRequest; + output: ListCostAllocationTagBackfillHistoryResponse; + }; + sdk: { + input: ListCostAllocationTagBackfillHistoryCommandInput; + output: ListCostAllocationTagBackfillHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/ListCostAllocationTagsCommand.ts b/clients/client-cost-explorer/src/commands/ListCostAllocationTagsCommand.ts index b9d1756f515a..341c8a71c310 100644 --- a/clients/client-cost-explorer/src/commands/ListCostAllocationTagsCommand.ts +++ b/clients/client-cost-explorer/src/commands/ListCostAllocationTagsCommand.ts @@ -99,4 +99,16 @@ export class ListCostAllocationTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListCostAllocationTagsCommand) .de(de_ListCostAllocationTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCostAllocationTagsRequest; + output: ListCostAllocationTagsResponse; + }; + sdk: { + input: ListCostAllocationTagsCommandInput; + output: ListCostAllocationTagsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/ListCostCategoryDefinitionsCommand.ts b/clients/client-cost-explorer/src/commands/ListCostCategoryDefinitionsCommand.ts index 151e54553754..8cd4890ecc47 100644 --- a/clients/client-cost-explorer/src/commands/ListCostCategoryDefinitionsCommand.ts +++ b/clients/client-cost-explorer/src/commands/ListCostCategoryDefinitionsCommand.ts @@ -109,4 +109,16 @@ export class ListCostCategoryDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCostCategoryDefinitionsCommand) .de(de_ListCostCategoryDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCostCategoryDefinitionsRequest; + output: ListCostCategoryDefinitionsResponse; + }; + sdk: { + input: ListCostCategoryDefinitionsCommandInput; + output: ListCostCategoryDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/ListSavingsPlansPurchaseRecommendationGenerationCommand.ts b/clients/client-cost-explorer/src/commands/ListSavingsPlansPurchaseRecommendationGenerationCommand.ts index bab9833c0121..3fd250ae50ab 100644 --- a/clients/client-cost-explorer/src/commands/ListSavingsPlansPurchaseRecommendationGenerationCommand.ts +++ b/clients/client-cost-explorer/src/commands/ListSavingsPlansPurchaseRecommendationGenerationCommand.ts @@ -110,4 +110,16 @@ export class ListSavingsPlansPurchaseRecommendationGenerationCommand extends $Co .f(void 0, void 0) .ser(se_ListSavingsPlansPurchaseRecommendationGenerationCommand) .de(de_ListSavingsPlansPurchaseRecommendationGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSavingsPlansPurchaseRecommendationGenerationRequest; + output: ListSavingsPlansPurchaseRecommendationGenerationResponse; + }; + sdk: { + input: ListSavingsPlansPurchaseRecommendationGenerationCommandInput; + output: ListSavingsPlansPurchaseRecommendationGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/ListTagsForResourceCommand.ts b/clients/client-cost-explorer/src/commands/ListTagsForResourceCommand.ts index 619b985beb4f..4dd62ef33e40 100644 --- a/clients/client-cost-explorer/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-cost-explorer/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/ProvideAnomalyFeedbackCommand.ts b/clients/client-cost-explorer/src/commands/ProvideAnomalyFeedbackCommand.ts index d8b43ba86b2f..086de990c286 100644 --- a/clients/client-cost-explorer/src/commands/ProvideAnomalyFeedbackCommand.ts +++ b/clients/client-cost-explorer/src/commands/ProvideAnomalyFeedbackCommand.ts @@ -81,4 +81,16 @@ export class ProvideAnomalyFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_ProvideAnomalyFeedbackCommand) .de(de_ProvideAnomalyFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvideAnomalyFeedbackRequest; + output: ProvideAnomalyFeedbackResponse; + }; + sdk: { + input: ProvideAnomalyFeedbackCommandInput; + output: ProvideAnomalyFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/StartCostAllocationTagBackfillCommand.ts b/clients/client-cost-explorer/src/commands/StartCostAllocationTagBackfillCommand.ts index 1b9bf0c7e8ba..57a24a90ac31 100644 --- a/clients/client-cost-explorer/src/commands/StartCostAllocationTagBackfillCommand.ts +++ b/clients/client-cost-explorer/src/commands/StartCostAllocationTagBackfillCommand.ts @@ -99,4 +99,16 @@ export class StartCostAllocationTagBackfillCommand extends $Command .f(void 0, void 0) .ser(se_StartCostAllocationTagBackfillCommand) .de(de_StartCostAllocationTagBackfillCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCostAllocationTagBackfillRequest; + output: StartCostAllocationTagBackfillResponse; + }; + sdk: { + input: StartCostAllocationTagBackfillCommandInput; + output: StartCostAllocationTagBackfillCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/StartSavingsPlansPurchaseRecommendationGenerationCommand.ts b/clients/client-cost-explorer/src/commands/StartSavingsPlansPurchaseRecommendationGenerationCommand.ts index 83777962cc33..972392a05791 100644 --- a/clients/client-cost-explorer/src/commands/StartSavingsPlansPurchaseRecommendationGenerationCommand.ts +++ b/clients/client-cost-explorer/src/commands/StartSavingsPlansPurchaseRecommendationGenerationCommand.ts @@ -107,4 +107,16 @@ export class StartSavingsPlansPurchaseRecommendationGenerationCommand extends $C .f(void 0, void 0) .ser(se_StartSavingsPlansPurchaseRecommendationGenerationCommand) .de(de_StartSavingsPlansPurchaseRecommendationGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: StartSavingsPlansPurchaseRecommendationGenerationResponse; + }; + sdk: { + input: StartSavingsPlansPurchaseRecommendationGenerationCommandInput; + output: StartSavingsPlansPurchaseRecommendationGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/TagResourceCommand.ts b/clients/client-cost-explorer/src/commands/TagResourceCommand.ts index 35cb8f7925c3..34e45cf9a0b0 100644 --- a/clients/client-cost-explorer/src/commands/TagResourceCommand.ts +++ b/clients/client-cost-explorer/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/UntagResourceCommand.ts b/clients/client-cost-explorer/src/commands/UntagResourceCommand.ts index d87863af79c0..7d6f0e9e77e8 100644 --- a/clients/client-cost-explorer/src/commands/UntagResourceCommand.ts +++ b/clients/client-cost-explorer/src/commands/UntagResourceCommand.ts @@ -85,4 +85,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/UpdateAnomalyMonitorCommand.ts b/clients/client-cost-explorer/src/commands/UpdateAnomalyMonitorCommand.ts index cc27aef58c09..64c770f2933b 100644 --- a/clients/client-cost-explorer/src/commands/UpdateAnomalyMonitorCommand.ts +++ b/clients/client-cost-explorer/src/commands/UpdateAnomalyMonitorCommand.ts @@ -85,4 +85,16 @@ export class UpdateAnomalyMonitorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnomalyMonitorCommand) .de(de_UpdateAnomalyMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnomalyMonitorRequest; + output: UpdateAnomalyMonitorResponse; + }; + sdk: { + input: UpdateAnomalyMonitorCommandInput; + output: UpdateAnomalyMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/UpdateAnomalySubscriptionCommand.ts b/clients/client-cost-explorer/src/commands/UpdateAnomalySubscriptionCommand.ts index 484aa8b9b6bc..b34d9707d8ed 100644 --- a/clients/client-cost-explorer/src/commands/UpdateAnomalySubscriptionCommand.ts +++ b/clients/client-cost-explorer/src/commands/UpdateAnomalySubscriptionCommand.ts @@ -171,4 +171,16 @@ export class UpdateAnomalySubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnomalySubscriptionCommand) .de(de_UpdateAnomalySubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnomalySubscriptionRequest; + output: UpdateAnomalySubscriptionResponse; + }; + sdk: { + input: UpdateAnomalySubscriptionCommandInput; + output: UpdateAnomalySubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/UpdateCostAllocationTagsStatusCommand.ts b/clients/client-cost-explorer/src/commands/UpdateCostAllocationTagsStatusCommand.ts index 9941a45e3d78..b7274cdfc13f 100644 --- a/clients/client-cost-explorer/src/commands/UpdateCostAllocationTagsStatusCommand.ts +++ b/clients/client-cost-explorer/src/commands/UpdateCostAllocationTagsStatusCommand.ts @@ -99,4 +99,16 @@ export class UpdateCostAllocationTagsStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCostAllocationTagsStatusCommand) .de(de_UpdateCostAllocationTagsStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCostAllocationTagsStatusRequest; + output: UpdateCostAllocationTagsStatusResponse; + }; + sdk: { + input: UpdateCostAllocationTagsStatusCommandInput; + output: UpdateCostAllocationTagsStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cost-explorer/src/commands/UpdateCostCategoryDefinitionCommand.ts b/clients/client-cost-explorer/src/commands/UpdateCostCategoryDefinitionCommand.ts index 18be79425740..6807be82a348 100644 --- a/clients/client-cost-explorer/src/commands/UpdateCostCategoryDefinitionCommand.ts +++ b/clients/client-cost-explorer/src/commands/UpdateCostCategoryDefinitionCommand.ts @@ -192,4 +192,16 @@ export class UpdateCostCategoryDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCostCategoryDefinitionCommand) .de(de_UpdateCostCategoryDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCostCategoryDefinitionRequest; + output: UpdateCostCategoryDefinitionResponse; + }; + sdk: { + input: UpdateCostCategoryDefinitionCommandInput; + output: UpdateCostCategoryDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-cost-optimization-hub/package.json b/clients/client-cost-optimization-hub/package.json index e2fb6809f4cb..6fdbe21f7405 100644 --- a/clients/client-cost-optimization-hub/package.json +++ b/clients/client-cost-optimization-hub/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-cost-optimization-hub/src/commands/GetPreferencesCommand.ts b/clients/client-cost-optimization-hub/src/commands/GetPreferencesCommand.ts index 44b95143ae55..bb9392af800f 100644 --- a/clients/client-cost-optimization-hub/src/commands/GetPreferencesCommand.ts +++ b/clients/client-cost-optimization-hub/src/commands/GetPreferencesCommand.ts @@ -97,4 +97,16 @@ export class GetPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_GetPreferencesCommand) .de(de_GetPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPreferencesResponse; + }; + sdk: { + input: GetPreferencesCommandInput; + output: GetPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-cost-optimization-hub/src/commands/GetRecommendationCommand.ts b/clients/client-cost-optimization-hub/src/commands/GetRecommendationCommand.ts index d8d4e25a07e4..60ab06373d5f 100644 --- a/clients/client-cost-optimization-hub/src/commands/GetRecommendationCommand.ts +++ b/clients/client-cost-optimization-hub/src/commands/GetRecommendationCommand.ts @@ -689,4 +689,16 @@ export class GetRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_GetRecommendationCommand) .de(de_GetRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationRequest; + output: GetRecommendationResponse; + }; + sdk: { + input: GetRecommendationCommandInput; + output: GetRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-cost-optimization-hub/src/commands/ListEnrollmentStatusesCommand.ts b/clients/client-cost-optimization-hub/src/commands/ListEnrollmentStatusesCommand.ts index ff08d13901bc..d04624a93965 100644 --- a/clients/client-cost-optimization-hub/src/commands/ListEnrollmentStatusesCommand.ts +++ b/clients/client-cost-optimization-hub/src/commands/ListEnrollmentStatusesCommand.ts @@ -108,4 +108,16 @@ export class ListEnrollmentStatusesCommand extends $Command .f(void 0, void 0) .ser(se_ListEnrollmentStatusesCommand) .de(de_ListEnrollmentStatusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnrollmentStatusesRequest; + output: ListEnrollmentStatusesResponse; + }; + sdk: { + input: ListEnrollmentStatusesCommandInput; + output: ListEnrollmentStatusesCommandOutput; + }; + }; +} diff --git a/clients/client-cost-optimization-hub/src/commands/ListRecommendationSummariesCommand.ts b/clients/client-cost-optimization-hub/src/commands/ListRecommendationSummariesCommand.ts index 1a00911ffdfd..00b0eced1411 100644 --- a/clients/client-cost-optimization-hub/src/commands/ListRecommendationSummariesCommand.ts +++ b/clients/client-cost-optimization-hub/src/commands/ListRecommendationSummariesCommand.ts @@ -154,4 +154,16 @@ export class ListRecommendationSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationSummariesCommand) .de(de_ListRecommendationSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationSummariesRequest; + output: ListRecommendationSummariesResponse; + }; + sdk: { + input: ListRecommendationSummariesCommandInput; + output: ListRecommendationSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-cost-optimization-hub/src/commands/ListRecommendationsCommand.ts b/clients/client-cost-optimization-hub/src/commands/ListRecommendationsCommand.ts index 002f9831643d..f8c56c66a6a2 100644 --- a/clients/client-cost-optimization-hub/src/commands/ListRecommendationsCommand.ts +++ b/clients/client-cost-optimization-hub/src/commands/ListRecommendationsCommand.ts @@ -165,4 +165,16 @@ export class ListRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationsCommand) .de(de_ListRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationsRequest; + output: ListRecommendationsResponse; + }; + sdk: { + input: ListRecommendationsCommandInput; + output: ListRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-cost-optimization-hub/src/commands/UpdateEnrollmentStatusCommand.ts b/clients/client-cost-optimization-hub/src/commands/UpdateEnrollmentStatusCommand.ts index db180c56077e..d2dbc0c3ecbe 100644 --- a/clients/client-cost-optimization-hub/src/commands/UpdateEnrollmentStatusCommand.ts +++ b/clients/client-cost-optimization-hub/src/commands/UpdateEnrollmentStatusCommand.ts @@ -102,4 +102,16 @@ export class UpdateEnrollmentStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnrollmentStatusCommand) .de(de_UpdateEnrollmentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnrollmentStatusRequest; + output: UpdateEnrollmentStatusResponse; + }; + sdk: { + input: UpdateEnrollmentStatusCommandInput; + output: UpdateEnrollmentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-cost-optimization-hub/src/commands/UpdatePreferencesCommand.ts b/clients/client-cost-optimization-hub/src/commands/UpdatePreferencesCommand.ts index c79ec9cb6599..d5c3abdd2a03 100644 --- a/clients/client-cost-optimization-hub/src/commands/UpdatePreferencesCommand.ts +++ b/clients/client-cost-optimization-hub/src/commands/UpdatePreferencesCommand.ts @@ -99,4 +99,16 @@ export class UpdatePreferencesCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePreferencesCommand) .de(de_UpdatePreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePreferencesRequest; + output: UpdatePreferencesResponse; + }; + sdk: { + input: UpdatePreferencesCommandInput; + output: UpdatePreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/package.json b/clients/client-customer-profiles/package.json index 970f15e35b98..c3a0420192dd 100644 --- a/clients/client-customer-profiles/package.json +++ b/clients/client-customer-profiles/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-customer-profiles/src/commands/AddProfileKeyCommand.ts b/clients/client-customer-profiles/src/commands/AddProfileKeyCommand.ts index 7aeb0cef7095..0cb19382f88b 100644 --- a/clients/client-customer-profiles/src/commands/AddProfileKeyCommand.ts +++ b/clients/client-customer-profiles/src/commands/AddProfileKeyCommand.ts @@ -103,4 +103,16 @@ export class AddProfileKeyCommand extends $Command .f(void 0, void 0) .ser(se_AddProfileKeyCommand) .de(de_AddProfileKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddProfileKeyRequest; + output: AddProfileKeyResponse; + }; + sdk: { + input: AddProfileKeyCommandInput; + output: AddProfileKeyCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/CreateCalculatedAttributeDefinitionCommand.ts b/clients/client-customer-profiles/src/commands/CreateCalculatedAttributeDefinitionCommand.ts index e2655f726740..3a83c8a9e752 100644 --- a/clients/client-customer-profiles/src/commands/CreateCalculatedAttributeDefinitionCommand.ts +++ b/clients/client-customer-profiles/src/commands/CreateCalculatedAttributeDefinitionCommand.ts @@ -163,4 +163,16 @@ export class CreateCalculatedAttributeDefinitionCommand extends $Command ) .ser(se_CreateCalculatedAttributeDefinitionCommand) .de(de_CreateCalculatedAttributeDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCalculatedAttributeDefinitionRequest; + output: CreateCalculatedAttributeDefinitionResponse; + }; + sdk: { + input: CreateCalculatedAttributeDefinitionCommandInput; + output: CreateCalculatedAttributeDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/CreateDomainCommand.ts b/clients/client-customer-profiles/src/commands/CreateDomainCommand.ts index fe8b12d34413..43cc601bb962 100644 --- a/clients/client-customer-profiles/src/commands/CreateDomainCommand.ts +++ b/clients/client-customer-profiles/src/commands/CreateDomainCommand.ts @@ -247,4 +247,16 @@ export class CreateDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResponse; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/CreateEventStreamCommand.ts b/clients/client-customer-profiles/src/commands/CreateEventStreamCommand.ts index cb7f5d8f6dcb..0beaee6c3e4b 100644 --- a/clients/client-customer-profiles/src/commands/CreateEventStreamCommand.ts +++ b/clients/client-customer-profiles/src/commands/CreateEventStreamCommand.ts @@ -103,4 +103,16 @@ export class CreateEventStreamCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventStreamCommand) .de(de_CreateEventStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventStreamRequest; + output: CreateEventStreamResponse; + }; + sdk: { + input: CreateEventStreamCommandInput; + output: CreateEventStreamCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/CreateIntegrationWorkflowCommand.ts b/clients/client-customer-profiles/src/commands/CreateIntegrationWorkflowCommand.ts index 1dadde9ecf69..d85d9675a0c6 100644 --- a/clients/client-customer-profiles/src/commands/CreateIntegrationWorkflowCommand.ts +++ b/clients/client-customer-profiles/src/commands/CreateIntegrationWorkflowCommand.ts @@ -179,4 +179,16 @@ export class CreateIntegrationWorkflowCommand extends $Command .f(CreateIntegrationWorkflowRequestFilterSensitiveLog, void 0) .ser(se_CreateIntegrationWorkflowCommand) .de(de_CreateIntegrationWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIntegrationWorkflowRequest; + output: CreateIntegrationWorkflowResponse; + }; + sdk: { + input: CreateIntegrationWorkflowCommandInput; + output: CreateIntegrationWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/CreateProfileCommand.ts b/clients/client-customer-profiles/src/commands/CreateProfileCommand.ts index 9820685c7ed6..2287462f0b45 100644 --- a/clients/client-customer-profiles/src/commands/CreateProfileCommand.ts +++ b/clients/client-customer-profiles/src/commands/CreateProfileCommand.ts @@ -167,4 +167,16 @@ export class CreateProfileCommand extends $Command .f(CreateProfileRequestFilterSensitiveLog, void 0) .ser(se_CreateProfileCommand) .de(de_CreateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileRequest; + output: CreateProfileResponse; + }; + sdk: { + input: CreateProfileCommandInput; + output: CreateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteCalculatedAttributeDefinitionCommand.ts b/clients/client-customer-profiles/src/commands/DeleteCalculatedAttributeDefinitionCommand.ts index 10b0c4c12d8d..ce7e92d1238a 100644 --- a/clients/client-customer-profiles/src/commands/DeleteCalculatedAttributeDefinitionCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteCalculatedAttributeDefinitionCommand.ts @@ -102,4 +102,16 @@ export class DeleteCalculatedAttributeDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCalculatedAttributeDefinitionCommand) .de(de_DeleteCalculatedAttributeDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCalculatedAttributeDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteCalculatedAttributeDefinitionCommandInput; + output: DeleteCalculatedAttributeDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteDomainCommand.ts b/clients/client-customer-profiles/src/commands/DeleteDomainCommand.ts index bf5df58da247..429be3861957 100644 --- a/clients/client-customer-profiles/src/commands/DeleteDomainCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteDomainCommand.ts @@ -93,4 +93,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: DeleteDomainResponse; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteEventStreamCommand.ts b/clients/client-customer-profiles/src/commands/DeleteEventStreamCommand.ts index ed24e0aac554..7fc0df279fe9 100644 --- a/clients/client-customer-profiles/src/commands/DeleteEventStreamCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteEventStreamCommand.ts @@ -91,4 +91,16 @@ export class DeleteEventStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventStreamCommand) .de(de_DeleteEventStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventStreamRequest; + output: {}; + }; + sdk: { + input: DeleteEventStreamCommandInput; + output: DeleteEventStreamCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteIntegrationCommand.ts b/clients/client-customer-profiles/src/commands/DeleteIntegrationCommand.ts index 07c5d2ef45a7..e3757696dec1 100644 --- a/clients/client-customer-profiles/src/commands/DeleteIntegrationCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteIntegrationCommand.ts @@ -93,4 +93,16 @@ export class DeleteIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntegrationCommand) .de(de_DeleteIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntegrationRequest; + output: DeleteIntegrationResponse; + }; + sdk: { + input: DeleteIntegrationCommandInput; + output: DeleteIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteProfileCommand.ts b/clients/client-customer-profiles/src/commands/DeleteProfileCommand.ts index 05f2e59199d1..d2ef2fcc7a37 100644 --- a/clients/client-customer-profiles/src/commands/DeleteProfileCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteProfileCommand.ts @@ -93,4 +93,16 @@ export class DeleteProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileCommand) .de(de_DeleteProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileRequest; + output: DeleteProfileResponse; + }; + sdk: { + input: DeleteProfileCommandInput; + output: DeleteProfileCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteProfileKeyCommand.ts b/clients/client-customer-profiles/src/commands/DeleteProfileKeyCommand.ts index 4fe512606ead..a5ea5a53eef5 100644 --- a/clients/client-customer-profiles/src/commands/DeleteProfileKeyCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteProfileKeyCommand.ts @@ -97,4 +97,16 @@ export class DeleteProfileKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileKeyCommand) .de(de_DeleteProfileKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileKeyRequest; + output: DeleteProfileKeyResponse; + }; + sdk: { + input: DeleteProfileKeyCommandInput; + output: DeleteProfileKeyCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteProfileObjectCommand.ts b/clients/client-customer-profiles/src/commands/DeleteProfileObjectCommand.ts index 04b965dcef74..a359ff578d8d 100644 --- a/clients/client-customer-profiles/src/commands/DeleteProfileObjectCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteProfileObjectCommand.ts @@ -95,4 +95,16 @@ export class DeleteProfileObjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileObjectCommand) .de(de_DeleteProfileObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileObjectRequest; + output: DeleteProfileObjectResponse; + }; + sdk: { + input: DeleteProfileObjectCommandInput; + output: DeleteProfileObjectCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteProfileObjectTypeCommand.ts b/clients/client-customer-profiles/src/commands/DeleteProfileObjectTypeCommand.ts index 6955c66f0fb9..d78a91a9ac91 100644 --- a/clients/client-customer-profiles/src/commands/DeleteProfileObjectTypeCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteProfileObjectTypeCommand.ts @@ -96,4 +96,16 @@ export class DeleteProfileObjectTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileObjectTypeCommand) .de(de_DeleteProfileObjectTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileObjectTypeRequest; + output: DeleteProfileObjectTypeResponse; + }; + sdk: { + input: DeleteProfileObjectTypeCommandInput; + output: DeleteProfileObjectTypeCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DeleteWorkflowCommand.ts b/clients/client-customer-profiles/src/commands/DeleteWorkflowCommand.ts index 45ac4cf5a59b..7c31c70e1ab5 100644 --- a/clients/client-customer-profiles/src/commands/DeleteWorkflowCommand.ts +++ b/clients/client-customer-profiles/src/commands/DeleteWorkflowCommand.ts @@ -92,4 +92,16 @@ export class DeleteWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowCommand) .de(de_DeleteWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowRequest; + output: {}; + }; + sdk: { + input: DeleteWorkflowCommandInput; + output: DeleteWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/DetectProfileObjectTypeCommand.ts b/clients/client-customer-profiles/src/commands/DetectProfileObjectTypeCommand.ts index 3edd303f2328..f6cafa84baf2 100644 --- a/clients/client-customer-profiles/src/commands/DetectProfileObjectTypeCommand.ts +++ b/clients/client-customer-profiles/src/commands/DetectProfileObjectTypeCommand.ts @@ -123,4 +123,16 @@ export class DetectProfileObjectTypeCommand extends $Command .f(DetectProfileObjectTypeRequestFilterSensitiveLog, DetectProfileObjectTypeResponseFilterSensitiveLog) .ser(se_DetectProfileObjectTypeCommand) .de(de_DetectProfileObjectTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectProfileObjectTypeRequest; + output: DetectProfileObjectTypeResponse; + }; + sdk: { + input: DetectProfileObjectTypeCommandInput; + output: DetectProfileObjectTypeCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetAutoMergingPreviewCommand.ts b/clients/client-customer-profiles/src/commands/GetAutoMergingPreviewCommand.ts index 347c13e1cd02..d5f4b76d931c 100644 --- a/clients/client-customer-profiles/src/commands/GetAutoMergingPreviewCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetAutoMergingPreviewCommand.ts @@ -119,4 +119,16 @@ export class GetAutoMergingPreviewCommand extends $Command .f(void 0, void 0) .ser(se_GetAutoMergingPreviewCommand) .de(de_GetAutoMergingPreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAutoMergingPreviewRequest; + output: GetAutoMergingPreviewResponse; + }; + sdk: { + input: GetAutoMergingPreviewCommandInput; + output: GetAutoMergingPreviewCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetCalculatedAttributeDefinitionCommand.ts b/clients/client-customer-profiles/src/commands/GetCalculatedAttributeDefinitionCommand.ts index 8db046187c0d..cef49b9ff84f 100644 --- a/clients/client-customer-profiles/src/commands/GetCalculatedAttributeDefinitionCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetCalculatedAttributeDefinitionCommand.ts @@ -130,4 +130,16 @@ export class GetCalculatedAttributeDefinitionCommand extends $Command .f(void 0, GetCalculatedAttributeDefinitionResponseFilterSensitiveLog) .ser(se_GetCalculatedAttributeDefinitionCommand) .de(de_GetCalculatedAttributeDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCalculatedAttributeDefinitionRequest; + output: GetCalculatedAttributeDefinitionResponse; + }; + sdk: { + input: GetCalculatedAttributeDefinitionCommandInput; + output: GetCalculatedAttributeDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetCalculatedAttributeForProfileCommand.ts b/clients/client-customer-profiles/src/commands/GetCalculatedAttributeForProfileCommand.ts index a8e22aad8217..0aef3644e137 100644 --- a/clients/client-customer-profiles/src/commands/GetCalculatedAttributeForProfileCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetCalculatedAttributeForProfileCommand.ts @@ -102,4 +102,16 @@ export class GetCalculatedAttributeForProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetCalculatedAttributeForProfileCommand) .de(de_GetCalculatedAttributeForProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCalculatedAttributeForProfileRequest; + output: GetCalculatedAttributeForProfileResponse; + }; + sdk: { + input: GetCalculatedAttributeForProfileCommandInput; + output: GetCalculatedAttributeForProfileCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetDomainCommand.ts b/clients/client-customer-profiles/src/commands/GetDomainCommand.ts index f456f2f3a2e5..5253f4597989 100644 --- a/clients/client-customer-profiles/src/commands/GetDomainCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetDomainCommand.ts @@ -169,4 +169,16 @@ export class GetDomainCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainCommand) .de(de_GetDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainRequest; + output: GetDomainResponse; + }; + sdk: { + input: GetDomainCommandInput; + output: GetDomainCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetEventStreamCommand.ts b/clients/client-customer-profiles/src/commands/GetEventStreamCommand.ts index 16d53d8f535c..7085cc3bb195 100644 --- a/clients/client-customer-profiles/src/commands/GetEventStreamCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetEventStreamCommand.ts @@ -106,4 +106,16 @@ export class GetEventStreamCommand extends $Command .f(void 0, void 0) .ser(se_GetEventStreamCommand) .de(de_GetEventStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventStreamRequest; + output: GetEventStreamResponse; + }; + sdk: { + input: GetEventStreamCommandInput; + output: GetEventStreamCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetIdentityResolutionJobCommand.ts b/clients/client-customer-profiles/src/commands/GetIdentityResolutionJobCommand.ts index ba4d78390c34..476f3bb5b0ca 100644 --- a/clients/client-customer-profiles/src/commands/GetIdentityResolutionJobCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetIdentityResolutionJobCommand.ts @@ -128,4 +128,16 @@ export class GetIdentityResolutionJobCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityResolutionJobCommand) .de(de_GetIdentityResolutionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityResolutionJobRequest; + output: GetIdentityResolutionJobResponse; + }; + sdk: { + input: GetIdentityResolutionJobCommandInput; + output: GetIdentityResolutionJobCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetIntegrationCommand.ts b/clients/client-customer-profiles/src/commands/GetIntegrationCommand.ts index 3dcbdb33bead..54afa45b078a 100644 --- a/clients/client-customer-profiles/src/commands/GetIntegrationCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetIntegrationCommand.ts @@ -105,4 +105,16 @@ export class GetIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_GetIntegrationCommand) .de(de_GetIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntegrationRequest; + output: GetIntegrationResponse; + }; + sdk: { + input: GetIntegrationCommandInput; + output: GetIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetMatchesCommand.ts b/clients/client-customer-profiles/src/commands/GetMatchesCommand.ts index c01a43238e35..e730391c163a 100644 --- a/clients/client-customer-profiles/src/commands/GetMatchesCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetMatchesCommand.ts @@ -149,4 +149,16 @@ export class GetMatchesCommand extends $Command .f(void 0, void 0) .ser(se_GetMatchesCommand) .de(de_GetMatchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMatchesRequest; + output: GetMatchesResponse; + }; + sdk: { + input: GetMatchesCommandInput; + output: GetMatchesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetProfileObjectTypeCommand.ts b/clients/client-customer-profiles/src/commands/GetProfileObjectTypeCommand.ts index 0b7cd7f4850f..8f25e43a1b54 100644 --- a/clients/client-customer-profiles/src/commands/GetProfileObjectTypeCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetProfileObjectTypeCommand.ts @@ -129,4 +129,16 @@ export class GetProfileObjectTypeCommand extends $Command .f(void 0, GetProfileObjectTypeResponseFilterSensitiveLog) .ser(se_GetProfileObjectTypeCommand) .de(de_GetProfileObjectTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileObjectTypeRequest; + output: GetProfileObjectTypeResponse; + }; + sdk: { + input: GetProfileObjectTypeCommandInput; + output: GetProfileObjectTypeCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetProfileObjectTypeTemplateCommand.ts b/clients/client-customer-profiles/src/commands/GetProfileObjectTypeTemplateCommand.ts index b8d1d75bfc6e..2030e75088d0 100644 --- a/clients/client-customer-profiles/src/commands/GetProfileObjectTypeTemplateCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetProfileObjectTypeTemplateCommand.ts @@ -128,4 +128,16 @@ export class GetProfileObjectTypeTemplateCommand extends $Command .f(void 0, GetProfileObjectTypeTemplateResponseFilterSensitiveLog) .ser(se_GetProfileObjectTypeTemplateCommand) .de(de_GetProfileObjectTypeTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileObjectTypeTemplateRequest; + output: GetProfileObjectTypeTemplateResponse; + }; + sdk: { + input: GetProfileObjectTypeTemplateCommandInput; + output: GetProfileObjectTypeTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetSimilarProfilesCommand.ts b/clients/client-customer-profiles/src/commands/GetSimilarProfilesCommand.ts index 533235646470..bb9179cca0d9 100644 --- a/clients/client-customer-profiles/src/commands/GetSimilarProfilesCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetSimilarProfilesCommand.ts @@ -107,4 +107,16 @@ export class GetSimilarProfilesCommand extends $Command .f(void 0, void 0) .ser(se_GetSimilarProfilesCommand) .de(de_GetSimilarProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSimilarProfilesRequest; + output: GetSimilarProfilesResponse; + }; + sdk: { + input: GetSimilarProfilesCommandInput; + output: GetSimilarProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetWorkflowCommand.ts b/clients/client-customer-profiles/src/commands/GetWorkflowCommand.ts index 0edd3f72c36e..bc6e46fc55ae 100644 --- a/clients/client-customer-profiles/src/commands/GetWorkflowCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetWorkflowCommand.ts @@ -112,4 +112,16 @@ export class GetWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowCommand) .de(de_GetWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRequest; + output: GetWorkflowResponse; + }; + sdk: { + input: GetWorkflowCommandInput; + output: GetWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/GetWorkflowStepsCommand.ts b/clients/client-customer-profiles/src/commands/GetWorkflowStepsCommand.ts index 8d8059e35bc9..37f630f1fb0c 100644 --- a/clients/client-customer-profiles/src/commands/GetWorkflowStepsCommand.ts +++ b/clients/client-customer-profiles/src/commands/GetWorkflowStepsCommand.ts @@ -111,4 +111,16 @@ export class GetWorkflowStepsCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowStepsCommand) .de(de_GetWorkflowStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowStepsRequest; + output: GetWorkflowStepsResponse; + }; + sdk: { + input: GetWorkflowStepsCommandInput; + output: GetWorkflowStepsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListAccountIntegrationsCommand.ts b/clients/client-customer-profiles/src/commands/ListAccountIntegrationsCommand.ts index ed1d7657c9c7..5d7726220fc6 100644 --- a/clients/client-customer-profiles/src/commands/ListAccountIntegrationsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListAccountIntegrationsCommand.ts @@ -112,4 +112,16 @@ export class ListAccountIntegrationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountIntegrationsCommand) .de(de_ListAccountIntegrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountIntegrationsRequest; + output: ListAccountIntegrationsResponse; + }; + sdk: { + input: ListAccountIntegrationsCommandInput; + output: ListAccountIntegrationsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListCalculatedAttributeDefinitionsCommand.ts b/clients/client-customer-profiles/src/commands/ListCalculatedAttributeDefinitionsCommand.ts index 41a7844bc131..66a167ba1ca7 100644 --- a/clients/client-customer-profiles/src/commands/ListCalculatedAttributeDefinitionsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListCalculatedAttributeDefinitionsCommand.ts @@ -115,4 +115,16 @@ export class ListCalculatedAttributeDefinitionsCommand extends $Command .f(void 0, ListCalculatedAttributeDefinitionsResponseFilterSensitiveLog) .ser(se_ListCalculatedAttributeDefinitionsCommand) .de(de_ListCalculatedAttributeDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCalculatedAttributeDefinitionsRequest; + output: ListCalculatedAttributeDefinitionsResponse; + }; + sdk: { + input: ListCalculatedAttributeDefinitionsCommandInput; + output: ListCalculatedAttributeDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListCalculatedAttributesForProfileCommand.ts b/clients/client-customer-profiles/src/commands/ListCalculatedAttributesForProfileCommand.ts index 106190e04b0a..c26194adf337 100644 --- a/clients/client-customer-profiles/src/commands/ListCalculatedAttributesForProfileCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListCalculatedAttributesForProfileCommand.ts @@ -111,4 +111,16 @@ export class ListCalculatedAttributesForProfileCommand extends $Command .f(void 0, void 0) .ser(se_ListCalculatedAttributesForProfileCommand) .de(de_ListCalculatedAttributesForProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCalculatedAttributesForProfileRequest; + output: ListCalculatedAttributesForProfileResponse; + }; + sdk: { + input: ListCalculatedAttributesForProfileCommandInput; + output: ListCalculatedAttributesForProfileCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListDomainsCommand.ts b/clients/client-customer-profiles/src/commands/ListDomainsCommand.ts index 7dd9cf13fd2f..c985c90c99a4 100644 --- a/clients/client-customer-profiles/src/commands/ListDomainsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListDomainsCommand.ts @@ -103,4 +103,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResponse; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListEventStreamsCommand.ts b/clients/client-customer-profiles/src/commands/ListEventStreamsCommand.ts index 9b79ad4fc169..88707946fe41 100644 --- a/clients/client-customer-profiles/src/commands/ListEventStreamsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListEventStreamsCommand.ts @@ -111,4 +111,16 @@ export class ListEventStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventStreamsCommand) .de(de_ListEventStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventStreamsRequest; + output: ListEventStreamsResponse; + }; + sdk: { + input: ListEventStreamsCommandInput; + output: ListEventStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListIdentityResolutionJobsCommand.ts b/clients/client-customer-profiles/src/commands/ListIdentityResolutionJobsCommand.ts index bab3c1d08ddc..bbae71c6a911 100644 --- a/clients/client-customer-profiles/src/commands/ListIdentityResolutionJobsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListIdentityResolutionJobsCommand.ts @@ -116,4 +116,16 @@ export class ListIdentityResolutionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityResolutionJobsCommand) .de(de_ListIdentityResolutionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityResolutionJobsRequest; + output: ListIdentityResolutionJobsResponse; + }; + sdk: { + input: ListIdentityResolutionJobsCommandInput; + output: ListIdentityResolutionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListIntegrationsCommand.ts b/clients/client-customer-profiles/src/commands/ListIntegrationsCommand.ts index 19640e83b53e..500cd88a9e95 100644 --- a/clients/client-customer-profiles/src/commands/ListIntegrationsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListIntegrationsCommand.ts @@ -112,4 +112,16 @@ export class ListIntegrationsCommand extends $Command .f(void 0, void 0) .ser(se_ListIntegrationsCommand) .de(de_ListIntegrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIntegrationsRequest; + output: ListIntegrationsResponse; + }; + sdk: { + input: ListIntegrationsCommandInput; + output: ListIntegrationsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListProfileObjectTypeTemplatesCommand.ts b/clients/client-customer-profiles/src/commands/ListProfileObjectTypeTemplatesCommand.ts index 0aac5491df5b..590b8e3aff9a 100644 --- a/clients/client-customer-profiles/src/commands/ListProfileObjectTypeTemplatesCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListProfileObjectTypeTemplatesCommand.ts @@ -105,4 +105,16 @@ export class ListProfileObjectTypeTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfileObjectTypeTemplatesCommand) .de(de_ListProfileObjectTypeTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileObjectTypeTemplatesRequest; + output: ListProfileObjectTypeTemplatesResponse; + }; + sdk: { + input: ListProfileObjectTypeTemplatesCommandInput; + output: ListProfileObjectTypeTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListProfileObjectTypesCommand.ts b/clients/client-customer-profiles/src/commands/ListProfileObjectTypesCommand.ts index 1bf36f3b43bc..744f24e87cac 100644 --- a/clients/client-customer-profiles/src/commands/ListProfileObjectTypesCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListProfileObjectTypesCommand.ts @@ -111,4 +111,16 @@ export class ListProfileObjectTypesCommand extends $Command .f(void 0, ListProfileObjectTypesResponseFilterSensitiveLog) .ser(se_ListProfileObjectTypesCommand) .de(de_ListProfileObjectTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileObjectTypesRequest; + output: ListProfileObjectTypesResponse; + }; + sdk: { + input: ListProfileObjectTypesCommandInput; + output: ListProfileObjectTypesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListProfileObjectsCommand.ts b/clients/client-customer-profiles/src/commands/ListProfileObjectsCommand.ts index d023f8e451e4..4d9874c0eefa 100644 --- a/clients/client-customer-profiles/src/commands/ListProfileObjectsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListProfileObjectsCommand.ts @@ -113,4 +113,16 @@ export class ListProfileObjectsCommand extends $Command .f(void 0, ListProfileObjectsResponseFilterSensitiveLog) .ser(se_ListProfileObjectsCommand) .de(de_ListProfileObjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileObjectsRequest; + output: ListProfileObjectsResponse; + }; + sdk: { + input: ListProfileObjectsCommandInput; + output: ListProfileObjectsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListRuleBasedMatchesCommand.ts b/clients/client-customer-profiles/src/commands/ListRuleBasedMatchesCommand.ts index 1ea2d358f11e..0ecf20a4ca70 100644 --- a/clients/client-customer-profiles/src/commands/ListRuleBasedMatchesCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListRuleBasedMatchesCommand.ts @@ -97,4 +97,16 @@ export class ListRuleBasedMatchesCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleBasedMatchesCommand) .de(de_ListRuleBasedMatchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleBasedMatchesRequest; + output: ListRuleBasedMatchesResponse; + }; + sdk: { + input: ListRuleBasedMatchesCommandInput; + output: ListRuleBasedMatchesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListTagsForResourceCommand.ts b/clients/client-customer-profiles/src/commands/ListTagsForResourceCommand.ts index c4a391262d80..7acb7a488d72 100644 --- a/clients/client-customer-profiles/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/ListWorkflowsCommand.ts b/clients/client-customer-profiles/src/commands/ListWorkflowsCommand.ts index fc95cbb06d48..36da71d3f60d 100644 --- a/clients/client-customer-profiles/src/commands/ListWorkflowsCommand.ts +++ b/clients/client-customer-profiles/src/commands/ListWorkflowsCommand.ts @@ -108,4 +108,16 @@ export class ListWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowsCommand) .de(de_ListWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowsRequest; + output: ListWorkflowsResponse; + }; + sdk: { + input: ListWorkflowsCommandInput; + output: ListWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/MergeProfilesCommand.ts b/clients/client-customer-profiles/src/commands/MergeProfilesCommand.ts index 531be319cab9..ddcfa5e43449 100644 --- a/clients/client-customer-profiles/src/commands/MergeProfilesCommand.ts +++ b/clients/client-customer-profiles/src/commands/MergeProfilesCommand.ts @@ -160,4 +160,16 @@ export class MergeProfilesCommand extends $Command .f(void 0, void 0) .ser(se_MergeProfilesCommand) .de(de_MergeProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergeProfilesRequest; + output: MergeProfilesResponse; + }; + sdk: { + input: MergeProfilesCommandInput; + output: MergeProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/PutIntegrationCommand.ts b/clients/client-customer-profiles/src/commands/PutIntegrationCommand.ts index f33a780dfa0f..518e640010d7 100644 --- a/clients/client-customer-profiles/src/commands/PutIntegrationCommand.ts +++ b/clients/client-customer-profiles/src/commands/PutIntegrationCommand.ts @@ -186,4 +186,16 @@ export class PutIntegrationCommand extends $Command .f(PutIntegrationRequestFilterSensitiveLog, void 0) .ser(se_PutIntegrationCommand) .de(de_PutIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutIntegrationRequest; + output: PutIntegrationResponse; + }; + sdk: { + input: PutIntegrationCommandInput; + output: PutIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/PutProfileObjectCommand.ts b/clients/client-customer-profiles/src/commands/PutProfileObjectCommand.ts index d06cc5415b21..aa464e9325a2 100644 --- a/clients/client-customer-profiles/src/commands/PutProfileObjectCommand.ts +++ b/clients/client-customer-profiles/src/commands/PutProfileObjectCommand.ts @@ -107,4 +107,16 @@ export class PutProfileObjectCommand extends $Command .f(PutProfileObjectRequestFilterSensitiveLog, void 0) .ser(se_PutProfileObjectCommand) .de(de_PutProfileObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutProfileObjectRequest; + output: PutProfileObjectResponse; + }; + sdk: { + input: PutProfileObjectCommandInput; + output: PutProfileObjectCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/PutProfileObjectTypeCommand.ts b/clients/client-customer-profiles/src/commands/PutProfileObjectTypeCommand.ts index d5291c85696a..4589560e4c16 100644 --- a/clients/client-customer-profiles/src/commands/PutProfileObjectTypeCommand.ts +++ b/clients/client-customer-profiles/src/commands/PutProfileObjectTypeCommand.ts @@ -161,4 +161,16 @@ export class PutProfileObjectTypeCommand extends $Command .f(PutProfileObjectTypeRequestFilterSensitiveLog, PutProfileObjectTypeResponseFilterSensitiveLog) .ser(se_PutProfileObjectTypeCommand) .de(de_PutProfileObjectTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutProfileObjectTypeRequest; + output: PutProfileObjectTypeResponse; + }; + sdk: { + input: PutProfileObjectTypeCommandInput; + output: PutProfileObjectTypeCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/SearchProfilesCommand.ts b/clients/client-customer-profiles/src/commands/SearchProfilesCommand.ts index 479bc88a4ba7..af859fba2a69 100644 --- a/clients/client-customer-profiles/src/commands/SearchProfilesCommand.ts +++ b/clients/client-customer-profiles/src/commands/SearchProfilesCommand.ts @@ -198,4 +198,16 @@ export class SearchProfilesCommand extends $Command .f(void 0, SearchProfilesResponseFilterSensitiveLog) .ser(se_SearchProfilesCommand) .de(de_SearchProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchProfilesRequest; + output: SearchProfilesResponse; + }; + sdk: { + input: SearchProfilesCommandInput; + output: SearchProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/TagResourceCommand.ts b/clients/client-customer-profiles/src/commands/TagResourceCommand.ts index 76919126ac48..69553281e94e 100644 --- a/clients/client-customer-profiles/src/commands/TagResourceCommand.ts +++ b/clients/client-customer-profiles/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/UntagResourceCommand.ts b/clients/client-customer-profiles/src/commands/UntagResourceCommand.ts index 188f32239dbc..92dbee74941b 100644 --- a/clients/client-customer-profiles/src/commands/UntagResourceCommand.ts +++ b/clients/client-customer-profiles/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/UpdateCalculatedAttributeDefinitionCommand.ts b/clients/client-customer-profiles/src/commands/UpdateCalculatedAttributeDefinitionCommand.ts index f7ed59fef0c0..efcf32a4ae29 100644 --- a/clients/client-customer-profiles/src/commands/UpdateCalculatedAttributeDefinitionCommand.ts +++ b/clients/client-customer-profiles/src/commands/UpdateCalculatedAttributeDefinitionCommand.ts @@ -148,4 +148,16 @@ export class UpdateCalculatedAttributeDefinitionCommand extends $Command ) .ser(se_UpdateCalculatedAttributeDefinitionCommand) .de(de_UpdateCalculatedAttributeDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCalculatedAttributeDefinitionRequest; + output: UpdateCalculatedAttributeDefinitionResponse; + }; + sdk: { + input: UpdateCalculatedAttributeDefinitionCommandInput; + output: UpdateCalculatedAttributeDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/UpdateDomainCommand.ts b/clients/client-customer-profiles/src/commands/UpdateDomainCommand.ts index ced17ed10e1b..ed4b2a087855 100644 --- a/clients/client-customer-profiles/src/commands/UpdateDomainCommand.ts +++ b/clients/client-customer-profiles/src/commands/UpdateDomainCommand.ts @@ -239,4 +239,16 @@ export class UpdateDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainCommand) .de(de_UpdateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainRequest; + output: UpdateDomainResponse; + }; + sdk: { + input: UpdateDomainCommandInput; + output: UpdateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-customer-profiles/src/commands/UpdateProfileCommand.ts b/clients/client-customer-profiles/src/commands/UpdateProfileCommand.ts index 205835fc0d15..b5515614708f 100644 --- a/clients/client-customer-profiles/src/commands/UpdateProfileCommand.ts +++ b/clients/client-customer-profiles/src/commands/UpdateProfileCommand.ts @@ -170,4 +170,16 @@ export class UpdateProfileCommand extends $Command .f(UpdateProfileRequestFilterSensitiveLog, void 0) .ser(se_UpdateProfileCommand) .de(de_UpdateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfileRequest; + output: UpdateProfileResponse; + }; + sdk: { + input: UpdateProfileCommandInput; + output: UpdateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/package.json b/clients/client-data-pipeline/package.json index e196fe5e3167..e74d54d88fc3 100644 --- a/clients/client-data-pipeline/package.json +++ b/clients/client-data-pipeline/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-data-pipeline/src/commands/ActivatePipelineCommand.ts b/clients/client-data-pipeline/src/commands/ActivatePipelineCommand.ts index 1ef4d40b00e9..b12c0012a3fc 100644 --- a/clients/client-data-pipeline/src/commands/ActivatePipelineCommand.ts +++ b/clients/client-data-pipeline/src/commands/ActivatePipelineCommand.ts @@ -124,4 +124,16 @@ export class ActivatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_ActivatePipelineCommand) .de(de_ActivatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivatePipelineInput; + output: {}; + }; + sdk: { + input: ActivatePipelineCommandInput; + output: ActivatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/AddTagsCommand.ts b/clients/client-data-pipeline/src/commands/AddTagsCommand.ts index dd6c30527064..c735480fc4cd 100644 --- a/clients/client-data-pipeline/src/commands/AddTagsCommand.ts +++ b/clients/client-data-pipeline/src/commands/AddTagsCommand.ts @@ -93,4 +93,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsInput; + output: {}; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/CreatePipelineCommand.ts b/clients/client-data-pipeline/src/commands/CreatePipelineCommand.ts index 48d56a3c6b63..5f777177c5f0 100644 --- a/clients/client-data-pipeline/src/commands/CreatePipelineCommand.ts +++ b/clients/client-data-pipeline/src/commands/CreatePipelineCommand.ts @@ -121,4 +121,16 @@ export class CreatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_CreatePipelineCommand) .de(de_CreatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePipelineInput; + output: CreatePipelineOutput; + }; + sdk: { + input: CreatePipelineCommandInput; + output: CreatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/DeactivatePipelineCommand.ts b/clients/client-data-pipeline/src/commands/DeactivatePipelineCommand.ts index f88249eb4199..eb40789f920a 100644 --- a/clients/client-data-pipeline/src/commands/DeactivatePipelineCommand.ts +++ b/clients/client-data-pipeline/src/commands/DeactivatePipelineCommand.ts @@ -91,4 +91,16 @@ export class DeactivatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeactivatePipelineCommand) .de(de_DeactivatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivatePipelineInput; + output: {}; + }; + sdk: { + input: DeactivatePipelineCommandInput; + output: DeactivatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/DeletePipelineCommand.ts b/clients/client-data-pipeline/src/commands/DeletePipelineCommand.ts index 206fb0699153..6c6daaee1427 100644 --- a/clients/client-data-pipeline/src/commands/DeletePipelineCommand.ts +++ b/clients/client-data-pipeline/src/commands/DeletePipelineCommand.ts @@ -115,4 +115,16 @@ export class DeletePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeletePipelineCommand) .de(de_DeletePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePipelineInput; + output: {}; + }; + sdk: { + input: DeletePipelineCommandInput; + output: DeletePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/DescribeObjectsCommand.ts b/clients/client-data-pipeline/src/commands/DescribeObjectsCommand.ts index 7f713fbf99c4..2a17d9c3ce7e 100644 --- a/clients/client-data-pipeline/src/commands/DescribeObjectsCommand.ts +++ b/clients/client-data-pipeline/src/commands/DescribeObjectsCommand.ts @@ -166,4 +166,16 @@ export class DescribeObjectsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeObjectsCommand) .de(de_DescribeObjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeObjectsInput; + output: DescribeObjectsOutput; + }; + sdk: { + input: DescribeObjectsCommandInput; + output: DescribeObjectsCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/DescribePipelinesCommand.ts b/clients/client-data-pipeline/src/commands/DescribePipelinesCommand.ts index e92440b010cd..0bbc0e19123b 100644 --- a/clients/client-data-pipeline/src/commands/DescribePipelinesCommand.ts +++ b/clients/client-data-pipeline/src/commands/DescribePipelinesCommand.ts @@ -171,4 +171,16 @@ export class DescribePipelinesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePipelinesCommand) .de(de_DescribePipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePipelinesInput; + output: DescribePipelinesOutput; + }; + sdk: { + input: DescribePipelinesCommandInput; + output: DescribePipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/EvaluateExpressionCommand.ts b/clients/client-data-pipeline/src/commands/EvaluateExpressionCommand.ts index a975673f6833..079d6cb7d50b 100644 --- a/clients/client-data-pipeline/src/commands/EvaluateExpressionCommand.ts +++ b/clients/client-data-pipeline/src/commands/EvaluateExpressionCommand.ts @@ -124,4 +124,16 @@ export class EvaluateExpressionCommand extends $Command .f(void 0, void 0) .ser(se_EvaluateExpressionCommand) .de(de_EvaluateExpressionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EvaluateExpressionInput; + output: EvaluateExpressionOutput; + }; + sdk: { + input: EvaluateExpressionCommandInput; + output: EvaluateExpressionCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/GetPipelineDefinitionCommand.ts b/clients/client-data-pipeline/src/commands/GetPipelineDefinitionCommand.ts index eacd0418f467..fef6d4041e68 100644 --- a/clients/client-data-pipeline/src/commands/GetPipelineDefinitionCommand.ts +++ b/clients/client-data-pipeline/src/commands/GetPipelineDefinitionCommand.ts @@ -183,4 +183,16 @@ export class GetPipelineDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetPipelineDefinitionCommand) .de(de_GetPipelineDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPipelineDefinitionInput; + output: GetPipelineDefinitionOutput; + }; + sdk: { + input: GetPipelineDefinitionCommandInput; + output: GetPipelineDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/ListPipelinesCommand.ts b/clients/client-data-pipeline/src/commands/ListPipelinesCommand.ts index 6ecb0b690b1a..71d3880ba960 100644 --- a/clients/client-data-pipeline/src/commands/ListPipelinesCommand.ts +++ b/clients/client-data-pipeline/src/commands/ListPipelinesCommand.ts @@ -121,4 +121,16 @@ export class ListPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelinesCommand) .de(de_ListPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelinesInput; + output: ListPipelinesOutput; + }; + sdk: { + input: ListPipelinesCommandInput; + output: ListPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/PollForTaskCommand.ts b/clients/client-data-pipeline/src/commands/PollForTaskCommand.ts index 9a56f29fe83a..52d9e15b6623 100644 --- a/clients/client-data-pipeline/src/commands/PollForTaskCommand.ts +++ b/clients/client-data-pipeline/src/commands/PollForTaskCommand.ts @@ -186,4 +186,16 @@ export class PollForTaskCommand extends $Command .f(void 0, void 0) .ser(se_PollForTaskCommand) .de(de_PollForTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PollForTaskInput; + output: PollForTaskOutput; + }; + sdk: { + input: PollForTaskCommandInput; + output: PollForTaskCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/PutPipelineDefinitionCommand.ts b/clients/client-data-pipeline/src/commands/PutPipelineDefinitionCommand.ts index 43ee3fea9201..4507e0946acf 100644 --- a/clients/client-data-pipeline/src/commands/PutPipelineDefinitionCommand.ts +++ b/clients/client-data-pipeline/src/commands/PutPipelineDefinitionCommand.ts @@ -294,4 +294,16 @@ export class PutPipelineDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_PutPipelineDefinitionCommand) .de(de_PutPipelineDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPipelineDefinitionInput; + output: PutPipelineDefinitionOutput; + }; + sdk: { + input: PutPipelineDefinitionCommandInput; + output: PutPipelineDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/QueryObjectsCommand.ts b/clients/client-data-pipeline/src/commands/QueryObjectsCommand.ts index 28216927a96d..775188a4560d 100644 --- a/clients/client-data-pipeline/src/commands/QueryObjectsCommand.ts +++ b/clients/client-data-pipeline/src/commands/QueryObjectsCommand.ts @@ -147,4 +147,16 @@ export class QueryObjectsCommand extends $Command .f(void 0, void 0) .ser(se_QueryObjectsCommand) .de(de_QueryObjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryObjectsInput; + output: QueryObjectsOutput; + }; + sdk: { + input: QueryObjectsCommandInput; + output: QueryObjectsCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/RemoveTagsCommand.ts b/clients/client-data-pipeline/src/commands/RemoveTagsCommand.ts index 29f5ec303c9e..f2c87747a2a7 100644 --- a/clients/client-data-pipeline/src/commands/RemoveTagsCommand.ts +++ b/clients/client-data-pipeline/src/commands/RemoveTagsCommand.ts @@ -90,4 +90,16 @@ export class RemoveTagsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsCommand) .de(de_RemoveTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsInput; + output: {}; + }; + sdk: { + input: RemoveTagsCommandInput; + output: RemoveTagsCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/ReportTaskProgressCommand.ts b/clients/client-data-pipeline/src/commands/ReportTaskProgressCommand.ts index 8079907cfa2f..12f661018000 100644 --- a/clients/client-data-pipeline/src/commands/ReportTaskProgressCommand.ts +++ b/clients/client-data-pipeline/src/commands/ReportTaskProgressCommand.ts @@ -136,4 +136,16 @@ export class ReportTaskProgressCommand extends $Command .f(void 0, void 0) .ser(se_ReportTaskProgressCommand) .de(de_ReportTaskProgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReportTaskProgressInput; + output: ReportTaskProgressOutput; + }; + sdk: { + input: ReportTaskProgressCommandInput; + output: ReportTaskProgressCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/ReportTaskRunnerHeartbeatCommand.ts b/clients/client-data-pipeline/src/commands/ReportTaskRunnerHeartbeatCommand.ts index 8fc89d191082..629d49889809 100644 --- a/clients/client-data-pipeline/src/commands/ReportTaskRunnerHeartbeatCommand.ts +++ b/clients/client-data-pipeline/src/commands/ReportTaskRunnerHeartbeatCommand.ts @@ -117,4 +117,16 @@ export class ReportTaskRunnerHeartbeatCommand extends $Command .f(void 0, void 0) .ser(se_ReportTaskRunnerHeartbeatCommand) .de(de_ReportTaskRunnerHeartbeatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReportTaskRunnerHeartbeatInput; + output: ReportTaskRunnerHeartbeatOutput; + }; + sdk: { + input: ReportTaskRunnerHeartbeatCommandInput; + output: ReportTaskRunnerHeartbeatCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/SetStatusCommand.ts b/clients/client-data-pipeline/src/commands/SetStatusCommand.ts index 80cd57501a1e..3d3a0acbdb3f 100644 --- a/clients/client-data-pipeline/src/commands/SetStatusCommand.ts +++ b/clients/client-data-pipeline/src/commands/SetStatusCommand.ts @@ -123,4 +123,16 @@ export class SetStatusCommand extends $Command .f(void 0, void 0) .ser(se_SetStatusCommand) .de(de_SetStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetStatusInput; + output: {}; + }; + sdk: { + input: SetStatusCommandInput; + output: SetStatusCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/SetTaskStatusCommand.ts b/clients/client-data-pipeline/src/commands/SetTaskStatusCommand.ts index 0ceff594db71..ab974cdb6876 100644 --- a/clients/client-data-pipeline/src/commands/SetTaskStatusCommand.ts +++ b/clients/client-data-pipeline/src/commands/SetTaskStatusCommand.ts @@ -124,4 +124,16 @@ export class SetTaskStatusCommand extends $Command .f(void 0, void 0) .ser(se_SetTaskStatusCommand) .de(de_SetTaskStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTaskStatusInput; + output: {}; + }; + sdk: { + input: SetTaskStatusCommandInput; + output: SetTaskStatusCommandOutput; + }; + }; +} diff --git a/clients/client-data-pipeline/src/commands/ValidatePipelineDefinitionCommand.ts b/clients/client-data-pipeline/src/commands/ValidatePipelineDefinitionCommand.ts index 787fa71c3601..c2d217627a2a 100644 --- a/clients/client-data-pipeline/src/commands/ValidatePipelineDefinitionCommand.ts +++ b/clients/client-data-pipeline/src/commands/ValidatePipelineDefinitionCommand.ts @@ -286,4 +286,16 @@ export class ValidatePipelineDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_ValidatePipelineDefinitionCommand) .de(de_ValidatePipelineDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidatePipelineDefinitionInput; + output: ValidatePipelineDefinitionOutput; + }; + sdk: { + input: ValidatePipelineDefinitionCommandInput; + output: ValidatePipelineDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/package.json b/clients/client-database-migration-service/package.json index cf60b139b548..568210f74d3a 100644 --- a/clients/client-database-migration-service/package.json +++ b/clients/client-database-migration-service/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-database-migration-service/src/commands/AddTagsToResourceCommand.ts b/clients/client-database-migration-service/src/commands/AddTagsToResourceCommand.ts index a125ebfaa302..1ebe5ae297d6 100644 --- a/clients/client-database-migration-service/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-database-migration-service/src/commands/AddTagsToResourceCommand.ts @@ -111,4 +111,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceMessage; + output: {}; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ApplyPendingMaintenanceActionCommand.ts b/clients/client-database-migration-service/src/commands/ApplyPendingMaintenanceActionCommand.ts index 77ee53cec3bd..f022a74e46cb 100644 --- a/clients/client-database-migration-service/src/commands/ApplyPendingMaintenanceActionCommand.ts +++ b/clients/client-database-migration-service/src/commands/ApplyPendingMaintenanceActionCommand.ts @@ -103,4 +103,16 @@ export class ApplyPendingMaintenanceActionCommand extends $Command .f(void 0, void 0) .ser(se_ApplyPendingMaintenanceActionCommand) .de(de_ApplyPendingMaintenanceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplyPendingMaintenanceActionMessage; + output: ApplyPendingMaintenanceActionResponse; + }; + sdk: { + input: ApplyPendingMaintenanceActionCommandInput; + output: ApplyPendingMaintenanceActionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/BatchStartRecommendationsCommand.ts b/clients/client-database-migration-service/src/commands/BatchStartRecommendationsCommand.ts index 10d1cd18ad98..f3870e29a453 100644 --- a/clients/client-database-migration-service/src/commands/BatchStartRecommendationsCommand.ts +++ b/clients/client-database-migration-service/src/commands/BatchStartRecommendationsCommand.ts @@ -110,4 +110,16 @@ export class BatchStartRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_BatchStartRecommendationsCommand) .de(de_BatchStartRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchStartRecommendationsRequest; + output: BatchStartRecommendationsResponse; + }; + sdk: { + input: BatchStartRecommendationsCommandInput; + output: BatchStartRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CancelReplicationTaskAssessmentRunCommand.ts b/clients/client-database-migration-service/src/commands/CancelReplicationTaskAssessmentRunCommand.ts index a11ed4eee7ac..0610ac193320 100644 --- a/clients/client-database-migration-service/src/commands/CancelReplicationTaskAssessmentRunCommand.ts +++ b/clients/client-database-migration-service/src/commands/CancelReplicationTaskAssessmentRunCommand.ts @@ -118,4 +118,16 @@ export class CancelReplicationTaskAssessmentRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelReplicationTaskAssessmentRunCommand) .de(de_CancelReplicationTaskAssessmentRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelReplicationTaskAssessmentRunMessage; + output: CancelReplicationTaskAssessmentRunResponse; + }; + sdk: { + input: CancelReplicationTaskAssessmentRunCommandInput; + output: CancelReplicationTaskAssessmentRunCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateDataProviderCommand.ts b/clients/client-database-migration-service/src/commands/CreateDataProviderCommand.ts index 91931c1715a0..0d4ec0d61436 100644 --- a/clients/client-database-migration-service/src/commands/CreateDataProviderCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateDataProviderCommand.ts @@ -276,4 +276,16 @@ export class CreateDataProviderCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataProviderCommand) .de(de_CreateDataProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataProviderMessage; + output: CreateDataProviderResponse; + }; + sdk: { + input: CreateDataProviderCommandInput; + output: CreateDataProviderCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateEndpointCommand.ts b/clients/client-database-migration-service/src/commands/CreateEndpointCommand.ts index ab658fe05115..8baf88812372 100644 --- a/clients/client-database-migration-service/src/commands/CreateEndpointCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateEndpointCommand.ts @@ -861,4 +861,16 @@ export class CreateEndpointCommand extends $Command .f(CreateEndpointMessageFilterSensitiveLog, CreateEndpointResponseFilterSensitiveLog) .ser(se_CreateEndpointCommand) .de(de_CreateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointMessage; + output: CreateEndpointResponse; + }; + sdk: { + input: CreateEndpointCommandInput; + output: CreateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateEventSubscriptionCommand.ts b/clients/client-database-migration-service/src/commands/CreateEventSubscriptionCommand.ts index 67b2fef8f264..f045af5f5ee8 100644 --- a/clients/client-database-migration-service/src/commands/CreateEventSubscriptionCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateEventSubscriptionCommand.ts @@ -156,4 +156,16 @@ export class CreateEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventSubscriptionCommand) .de(de_CreateEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventSubscriptionMessage; + output: CreateEventSubscriptionResponse; + }; + sdk: { + input: CreateEventSubscriptionCommandInput; + output: CreateEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateFleetAdvisorCollectorCommand.ts b/clients/client-database-migration-service/src/commands/CreateFleetAdvisorCollectorCommand.ts index 089ea804a9bb..90b34c4f55a8 100644 --- a/clients/client-database-migration-service/src/commands/CreateFleetAdvisorCollectorCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateFleetAdvisorCollectorCommand.ts @@ -107,4 +107,16 @@ export class CreateFleetAdvisorCollectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetAdvisorCollectorCommand) .de(de_CreateFleetAdvisorCollectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetAdvisorCollectorRequest; + output: CreateFleetAdvisorCollectorResponse; + }; + sdk: { + input: CreateFleetAdvisorCollectorCommandInput; + output: CreateFleetAdvisorCollectorCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateInstanceProfileCommand.ts b/clients/client-database-migration-service/src/commands/CreateInstanceProfileCommand.ts index 8f51c7ba3446..37d0244a5f1b 100644 --- a/clients/client-database-migration-service/src/commands/CreateInstanceProfileCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateInstanceProfileCommand.ts @@ -174,4 +174,16 @@ export class CreateInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceProfileCommand) .de(de_CreateInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceProfileMessage; + output: CreateInstanceProfileResponse; + }; + sdk: { + input: CreateInstanceProfileCommandInput; + output: CreateInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateMigrationProjectCommand.ts b/clients/client-database-migration-service/src/commands/CreateMigrationProjectCommand.ts index 232445683f7c..c1e6287667aa 100644 --- a/clients/client-database-migration-service/src/commands/CreateMigrationProjectCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateMigrationProjectCommand.ts @@ -228,4 +228,16 @@ export class CreateMigrationProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateMigrationProjectCommand) .de(de_CreateMigrationProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMigrationProjectMessage; + output: CreateMigrationProjectResponse; + }; + sdk: { + input: CreateMigrationProjectCommandInput; + output: CreateMigrationProjectCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateReplicationConfigCommand.ts b/clients/client-database-migration-service/src/commands/CreateReplicationConfigCommand.ts index 4e1fccb96d93..5684555dda77 100644 --- a/clients/client-database-migration-service/src/commands/CreateReplicationConfigCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateReplicationConfigCommand.ts @@ -159,4 +159,16 @@ export class CreateReplicationConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationConfigCommand) .de(de_CreateReplicationConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationConfigMessage; + output: CreateReplicationConfigResponse; + }; + sdk: { + input: CreateReplicationConfigCommandInput; + output: CreateReplicationConfigCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateReplicationInstanceCommand.ts b/clients/client-database-migration-service/src/commands/CreateReplicationInstanceCommand.ts index 1ab8b306634d..44a1b31e8797 100644 --- a/clients/client-database-migration-service/src/commands/CreateReplicationInstanceCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateReplicationInstanceCommand.ts @@ -286,4 +286,16 @@ export class CreateReplicationInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationInstanceCommand) .de(de_CreateReplicationInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationInstanceMessage; + output: CreateReplicationInstanceResponse; + }; + sdk: { + input: CreateReplicationInstanceCommandInput; + output: CreateReplicationInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateReplicationSubnetGroupCommand.ts b/clients/client-database-migration-service/src/commands/CreateReplicationSubnetGroupCommand.ts index 93569edb3fe3..53d45847f4c4 100644 --- a/clients/client-database-migration-service/src/commands/CreateReplicationSubnetGroupCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateReplicationSubnetGroupCommand.ts @@ -166,4 +166,16 @@ export class CreateReplicationSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationSubnetGroupCommand) .de(de_CreateReplicationSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationSubnetGroupMessage; + output: CreateReplicationSubnetGroupResponse; + }; + sdk: { + input: CreateReplicationSubnetGroupCommandInput; + output: CreateReplicationSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/CreateReplicationTaskCommand.ts b/clients/client-database-migration-service/src/commands/CreateReplicationTaskCommand.ts index 1f5367dba844..e3c4a15597e3 100644 --- a/clients/client-database-migration-service/src/commands/CreateReplicationTaskCommand.ts +++ b/clients/client-database-migration-service/src/commands/CreateReplicationTaskCommand.ts @@ -190,4 +190,16 @@ export class CreateReplicationTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationTaskCommand) .de(de_CreateReplicationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationTaskMessage; + output: CreateReplicationTaskResponse; + }; + sdk: { + input: CreateReplicationTaskCommandInput; + output: CreateReplicationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteCertificateCommand.ts b/clients/client-database-migration-service/src/commands/DeleteCertificateCommand.ts index 3bbd959bb795..1948f881e4d0 100644 --- a/clients/client-database-migration-service/src/commands/DeleteCertificateCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteCertificateCommand.ts @@ -114,4 +114,16 @@ export class DeleteCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCertificateCommand) .de(de_DeleteCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCertificateMessage; + output: DeleteCertificateResponse; + }; + sdk: { + input: DeleteCertificateCommandInput; + output: DeleteCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteConnectionCommand.ts b/clients/client-database-migration-service/src/commands/DeleteConnectionCommand.ts index 33aad7fb60b5..cc215f7dac8e 100644 --- a/clients/client-database-migration-service/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteConnectionCommand.ts @@ -116,4 +116,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionMessage; + output: DeleteConnectionResponse; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteDataProviderCommand.ts b/clients/client-database-migration-service/src/commands/DeleteDataProviderCommand.ts index 59a1e22445cd..7073d2774b4f 100644 --- a/clients/client-database-migration-service/src/commands/DeleteDataProviderCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteDataProviderCommand.ts @@ -192,4 +192,16 @@ export class DeleteDataProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataProviderCommand) .de(de_DeleteDataProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataProviderMessage; + output: DeleteDataProviderResponse; + }; + sdk: { + input: DeleteDataProviderCommandInput; + output: DeleteDataProviderCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteEndpointCommand.ts b/clients/client-database-migration-service/src/commands/DeleteEndpointCommand.ts index 9d44d3dec197..5060448f1a0f 100644 --- a/clients/client-database-migration-service/src/commands/DeleteEndpointCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteEndpointCommand.ts @@ -473,4 +473,16 @@ export class DeleteEndpointCommand extends $Command .f(void 0, DeleteEndpointResponseFilterSensitiveLog) .ser(se_DeleteEndpointCommand) .de(de_DeleteEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointMessage; + output: DeleteEndpointResponse; + }; + sdk: { + input: DeleteEndpointCommandInput; + output: DeleteEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteEventSubscriptionCommand.ts b/clients/client-database-migration-service/src/commands/DeleteEventSubscriptionCommand.ts index dd7bf682de03..c00fbab2d0cd 100644 --- a/clients/client-database-migration-service/src/commands/DeleteEventSubscriptionCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteEventSubscriptionCommand.ts @@ -101,4 +101,16 @@ export class DeleteEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventSubscriptionCommand) .de(de_DeleteEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventSubscriptionMessage; + output: DeleteEventSubscriptionResponse; + }; + sdk: { + input: DeleteEventSubscriptionCommandInput; + output: DeleteEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorCollectorCommand.ts b/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorCollectorCommand.ts index cb993f7e88c4..88690faddbe4 100644 --- a/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorCollectorCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorCollectorCommand.ts @@ -85,4 +85,16 @@ export class DeleteFleetAdvisorCollectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetAdvisorCollectorCommand) .de(de_DeleteFleetAdvisorCollectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCollectorRequest; + output: {}; + }; + sdk: { + input: DeleteFleetAdvisorCollectorCommandInput; + output: DeleteFleetAdvisorCollectorCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorDatabasesCommand.ts b/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorDatabasesCommand.ts index 79b62ba9a907..8d2e616e0f7f 100644 --- a/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorDatabasesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteFleetAdvisorDatabasesCommand.ts @@ -93,4 +93,16 @@ export class DeleteFleetAdvisorDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetAdvisorDatabasesCommand) .de(de_DeleteFleetAdvisorDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetAdvisorDatabasesRequest; + output: DeleteFleetAdvisorDatabasesResponse; + }; + sdk: { + input: DeleteFleetAdvisorDatabasesCommandInput; + output: DeleteFleetAdvisorDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteInstanceProfileCommand.ts b/clients/client-database-migration-service/src/commands/DeleteInstanceProfileCommand.ts index f0469dbdbf5c..76899558dc9d 100644 --- a/clients/client-database-migration-service/src/commands/DeleteInstanceProfileCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteInstanceProfileCommand.ts @@ -135,4 +135,16 @@ export class DeleteInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceProfileCommand) .de(de_DeleteInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceProfileMessage; + output: DeleteInstanceProfileResponse; + }; + sdk: { + input: DeleteInstanceProfileCommandInput; + output: DeleteInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteMigrationProjectCommand.ts b/clients/client-database-migration-service/src/commands/DeleteMigrationProjectCommand.ts index 0a144f8445bf..18d9673a8fdb 100644 --- a/clients/client-database-migration-service/src/commands/DeleteMigrationProjectCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteMigrationProjectCommand.ts @@ -164,4 +164,16 @@ export class DeleteMigrationProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMigrationProjectCommand) .de(de_DeleteMigrationProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMigrationProjectMessage; + output: DeleteMigrationProjectResponse; + }; + sdk: { + input: DeleteMigrationProjectCommandInput; + output: DeleteMigrationProjectCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteReplicationConfigCommand.ts b/clients/client-database-migration-service/src/commands/DeleteReplicationConfigCommand.ts index 329c822ba532..f5dc87c700df 100644 --- a/clients/client-database-migration-service/src/commands/DeleteReplicationConfigCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteReplicationConfigCommand.ts @@ -117,4 +117,16 @@ export class DeleteReplicationConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationConfigCommand) .de(de_DeleteReplicationConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationConfigMessage; + output: DeleteReplicationConfigResponse; + }; + sdk: { + input: DeleteReplicationConfigCommandInput; + output: DeleteReplicationConfigCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteReplicationInstanceCommand.ts b/clients/client-database-migration-service/src/commands/DeleteReplicationInstanceCommand.ts index a24fda4bd65d..2538cd2dff25 100644 --- a/clients/client-database-migration-service/src/commands/DeleteReplicationInstanceCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteReplicationInstanceCommand.ts @@ -218,4 +218,16 @@ export class DeleteReplicationInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationInstanceCommand) .de(de_DeleteReplicationInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationInstanceMessage; + output: DeleteReplicationInstanceResponse; + }; + sdk: { + input: DeleteReplicationInstanceCommandInput; + output: DeleteReplicationInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteReplicationSubnetGroupCommand.ts b/clients/client-database-migration-service/src/commands/DeleteReplicationSubnetGroupCommand.ts index 9f37e4914412..619ce8870eb8 100644 --- a/clients/client-database-migration-service/src/commands/DeleteReplicationSubnetGroupCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteReplicationSubnetGroupCommand.ts @@ -101,4 +101,16 @@ export class DeleteReplicationSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationSubnetGroupCommand) .de(de_DeleteReplicationSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationSubnetGroupMessage; + output: {}; + }; + sdk: { + input: DeleteReplicationSubnetGroupCommandInput; + output: DeleteReplicationSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteReplicationTaskAssessmentRunCommand.ts b/clients/client-database-migration-service/src/commands/DeleteReplicationTaskAssessmentRunCommand.ts index 08989a5f087a..44ca2b970e86 100644 --- a/clients/client-database-migration-service/src/commands/DeleteReplicationTaskAssessmentRunCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteReplicationTaskAssessmentRunCommand.ts @@ -118,4 +118,16 @@ export class DeleteReplicationTaskAssessmentRunCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationTaskAssessmentRunCommand) .de(de_DeleteReplicationTaskAssessmentRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationTaskAssessmentRunMessage; + output: DeleteReplicationTaskAssessmentRunResponse; + }; + sdk: { + input: DeleteReplicationTaskAssessmentRunCommandInput; + output: DeleteReplicationTaskAssessmentRunCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DeleteReplicationTaskCommand.ts b/clients/client-database-migration-service/src/commands/DeleteReplicationTaskCommand.ts index 9f67f7d9fdeb..0a4fd21dc29e 100644 --- a/clients/client-database-migration-service/src/commands/DeleteReplicationTaskCommand.ts +++ b/clients/client-database-migration-service/src/commands/DeleteReplicationTaskCommand.ts @@ -146,4 +146,16 @@ export class DeleteReplicationTaskCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationTaskCommand) .de(de_DeleteReplicationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationTaskMessage; + output: DeleteReplicationTaskResponse; + }; + sdk: { + input: DeleteReplicationTaskCommandInput; + output: DeleteReplicationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeAccountAttributesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeAccountAttributesCommand.ts index dfd4a2d23d7f..1328dc6374b8 100644 --- a/clients/client-database-migration-service/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeAccountAttributesCommand.ts @@ -122,4 +122,16 @@ export class DescribeAccountAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAttributesCommand) .de(de_DescribeAccountAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountAttributesResponse; + }; + sdk: { + input: DescribeAccountAttributesCommandInput; + output: DescribeAccountAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeApplicableIndividualAssessmentsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeApplicableIndividualAssessmentsCommand.ts index 50c82db7bf45..1319dc632e2d 100644 --- a/clients/client-database-migration-service/src/commands/DescribeApplicableIndividualAssessmentsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeApplicableIndividualAssessmentsCommand.ts @@ -123,4 +123,16 @@ export class DescribeApplicableIndividualAssessmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicableIndividualAssessmentsCommand) .de(de_DescribeApplicableIndividualAssessmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicableIndividualAssessmentsMessage; + output: DescribeApplicableIndividualAssessmentsResponse; + }; + sdk: { + input: DescribeApplicableIndividualAssessmentsCommandInput; + output: DescribeApplicableIndividualAssessmentsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeCertificatesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeCertificatesCommand.ts index c74bcc7d67f0..55d19a484445 100644 --- a/clients/client-database-migration-service/src/commands/DescribeCertificatesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeCertificatesCommand.ts @@ -134,4 +134,16 @@ export class DescribeCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificatesCommand) .de(de_DescribeCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificatesMessage; + output: DescribeCertificatesResponse; + }; + sdk: { + input: DescribeCertificatesCommandInput; + output: DescribeCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeConnectionsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeConnectionsCommand.ts index 02e83a4cd7d3..f78772444c79 100644 --- a/clients/client-database-migration-service/src/commands/DescribeConnectionsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeConnectionsCommand.ts @@ -139,4 +139,16 @@ export class DescribeConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectionsCommand) .de(de_DescribeConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionsMessage; + output: DescribeConnectionsResponse; + }; + sdk: { + input: DescribeConnectionsCommandInput; + output: DescribeConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeConversionConfigurationCommand.ts b/clients/client-database-migration-service/src/commands/DescribeConversionConfigurationCommand.ts index d1461adac6bc..30189fb18c9c 100644 --- a/clients/client-database-migration-service/src/commands/DescribeConversionConfigurationCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeConversionConfigurationCommand.ts @@ -107,4 +107,16 @@ export class DescribeConversionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConversionConfigurationCommand) .de(de_DescribeConversionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConversionConfigurationMessage; + output: DescribeConversionConfigurationResponse; + }; + sdk: { + input: DescribeConversionConfigurationCommandInput; + output: DescribeConversionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeDataProvidersCommand.ts b/clients/client-database-migration-service/src/commands/DescribeDataProvidersCommand.ts index cf6aebbf9653..d423b861dda7 100644 --- a/clients/client-database-migration-service/src/commands/DescribeDataProvidersCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeDataProvidersCommand.ts @@ -209,4 +209,16 @@ export class DescribeDataProvidersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataProvidersCommand) .de(de_DescribeDataProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataProvidersMessage; + output: DescribeDataProvidersResponse; + }; + sdk: { + input: DescribeDataProvidersCommandInput; + output: DescribeDataProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeEndpointSettingsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeEndpointSettingsCommand.ts index c3b00933adfd..a20dd4079850 100644 --- a/clients/client-database-migration-service/src/commands/DescribeEndpointSettingsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeEndpointSettingsCommand.ts @@ -99,4 +99,16 @@ export class DescribeEndpointSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointSettingsCommand) .de(de_DescribeEndpointSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointSettingsMessage; + output: DescribeEndpointSettingsResponse; + }; + sdk: { + input: DescribeEndpointSettingsCommandInput; + output: DescribeEndpointSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeEndpointTypesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeEndpointTypesCommand.ts index 076d3dc9e17f..5efeea9b848f 100644 --- a/clients/client-database-migration-service/src/commands/DescribeEndpointTypesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeEndpointTypesCommand.ts @@ -126,4 +126,16 @@ export class DescribeEndpointTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointTypesCommand) .de(de_DescribeEndpointTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointTypesMessage; + output: DescribeEndpointTypesResponse; + }; + sdk: { + input: DescribeEndpointTypesCommandInput; + output: DescribeEndpointTypesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeEndpointsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeEndpointsCommand.ts index 90d3e343a6b6..a723d07bdc14 100644 --- a/clients/client-database-migration-service/src/commands/DescribeEndpointsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeEndpointsCommand.ts @@ -477,4 +477,16 @@ export class DescribeEndpointsCommand extends $Command .f(void 0, DescribeEndpointsResponseFilterSensitiveLog) .ser(se_DescribeEndpointsCommand) .de(de_DescribeEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointsMessage; + output: DescribeEndpointsResponse; + }; + sdk: { + input: DescribeEndpointsCommandInput; + output: DescribeEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeEngineVersionsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeEngineVersionsCommand.ts index 95fba47820f0..80e006bd9659 100644 --- a/clients/client-database-migration-service/src/commands/DescribeEngineVersionsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeEngineVersionsCommand.ts @@ -96,4 +96,16 @@ export class DescribeEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineVersionsCommand) .de(de_DescribeEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineVersionsMessage; + output: DescribeEngineVersionsResponse; + }; + sdk: { + input: DescribeEngineVersionsCommandInput; + output: DescribeEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeEventCategoriesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeEventCategoriesCommand.ts index ed91c4ddf3e8..99a30915db0d 100644 --- a/clients/client-database-migration-service/src/commands/DescribeEventCategoriesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeEventCategoriesCommand.ts @@ -100,4 +100,16 @@ export class DescribeEventCategoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventCategoriesCommand) .de(de_DescribeEventCategoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventCategoriesMessage; + output: DescribeEventCategoriesResponse; + }; + sdk: { + input: DescribeEventCategoriesCommandInput; + output: DescribeEventCategoriesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeEventSubscriptionsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeEventSubscriptionsCommand.ts index ce17b4b1dd00..8dd7f6c2fbab 100644 --- a/clients/client-database-migration-service/src/commands/DescribeEventSubscriptionsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeEventSubscriptionsCommand.ts @@ -116,4 +116,16 @@ export class DescribeEventSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSubscriptionsCommand) .de(de_DescribeEventSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventSubscriptionsMessage; + output: DescribeEventSubscriptionsResponse; + }; + sdk: { + input: DescribeEventSubscriptionsCommandInput; + output: DescribeEventSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeEventsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeEventsCommand.ts index a731398e5222..90fa2827f401 100644 --- a/clients/client-database-migration-service/src/commands/DescribeEventsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeEventsCommand.ts @@ -113,4 +113,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsMessage; + output: DescribeEventsResponse; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeExtensionPackAssociationsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeExtensionPackAssociationsCommand.ts index b6590a750a9c..42756b30d2bd 100644 --- a/clients/client-database-migration-service/src/commands/DescribeExtensionPackAssociationsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeExtensionPackAssociationsCommand.ts @@ -151,4 +151,16 @@ export class DescribeExtensionPackAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExtensionPackAssociationsCommand) .de(de_DescribeExtensionPackAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExtensionPackAssociationsMessage; + output: DescribeExtensionPackAssociationsResponse; + }; + sdk: { + input: DescribeExtensionPackAssociationsCommandInput; + output: DescribeExtensionPackAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorCollectorsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorCollectorsCommand.ts index 72e0d2e12cb3..32eddeb912f9 100644 --- a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorCollectorsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorCollectorsCommand.ts @@ -123,4 +123,16 @@ export class DescribeFleetAdvisorCollectorsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetAdvisorCollectorsCommand) .de(de_DescribeFleetAdvisorCollectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetAdvisorCollectorsRequest; + output: DescribeFleetAdvisorCollectorsResponse; + }; + sdk: { + input: DescribeFleetAdvisorCollectorsCommandInput; + output: DescribeFleetAdvisorCollectorsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorDatabasesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorDatabasesCommand.ts index 7afb7a2581c3..8cfcebfd61b4 100644 --- a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorDatabasesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorDatabasesCommand.ts @@ -126,4 +126,16 @@ export class DescribeFleetAdvisorDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetAdvisorDatabasesCommand) .de(de_DescribeFleetAdvisorDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetAdvisorDatabasesRequest; + output: DescribeFleetAdvisorDatabasesResponse; + }; + sdk: { + input: DescribeFleetAdvisorDatabasesCommandInput; + output: DescribeFleetAdvisorDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorLsaAnalysisCommand.ts b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorLsaAnalysisCommand.ts index b0a264979e74..597591dc28f6 100644 --- a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorLsaAnalysisCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorLsaAnalysisCommand.ts @@ -97,4 +97,16 @@ export class DescribeFleetAdvisorLsaAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetAdvisorLsaAnalysisCommand) .de(de_DescribeFleetAdvisorLsaAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetAdvisorLsaAnalysisRequest; + output: DescribeFleetAdvisorLsaAnalysisResponse; + }; + sdk: { + input: DescribeFleetAdvisorLsaAnalysisCommandInput; + output: DescribeFleetAdvisorLsaAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemaObjectSummaryCommand.ts b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemaObjectSummaryCommand.ts index ea00a79ea014..422989125870 100644 --- a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemaObjectSummaryCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemaObjectSummaryCommand.ts @@ -112,4 +112,16 @@ export class DescribeFleetAdvisorSchemaObjectSummaryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetAdvisorSchemaObjectSummaryCommand) .de(de_DescribeFleetAdvisorSchemaObjectSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetAdvisorSchemaObjectSummaryRequest; + output: DescribeFleetAdvisorSchemaObjectSummaryResponse; + }; + sdk: { + input: DescribeFleetAdvisorSchemaObjectSummaryCommandInput; + output: DescribeFleetAdvisorSchemaObjectSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemasCommand.ts b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemasCommand.ts index cab2ee8b0a4f..ae6b381d2fea 100644 --- a/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemasCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeFleetAdvisorSchemasCommand.ts @@ -123,4 +123,16 @@ export class DescribeFleetAdvisorSchemasCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetAdvisorSchemasCommand) .de(de_DescribeFleetAdvisorSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetAdvisorSchemasRequest; + output: DescribeFleetAdvisorSchemasResponse; + }; + sdk: { + input: DescribeFleetAdvisorSchemasCommandInput; + output: DescribeFleetAdvisorSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeInstanceProfilesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeInstanceProfilesCommand.ts index ed19a14eeca1..c1c153afdaa2 100644 --- a/clients/client-database-migration-service/src/commands/DescribeInstanceProfilesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeInstanceProfilesCommand.ts @@ -149,4 +149,16 @@ export class DescribeInstanceProfilesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceProfilesCommand) .de(de_DescribeInstanceProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceProfilesMessage; + output: DescribeInstanceProfilesResponse; + }; + sdk: { + input: DescribeInstanceProfilesCommandInput; + output: DescribeInstanceProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeMetadataModelAssessmentsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeMetadataModelAssessmentsCommand.ts index e83bfbc5fdc6..806fc32b162b 100644 --- a/clients/client-database-migration-service/src/commands/DescribeMetadataModelAssessmentsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeMetadataModelAssessmentsCommand.ts @@ -148,4 +148,16 @@ export class DescribeMetadataModelAssessmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetadataModelAssessmentsCommand) .de(de_DescribeMetadataModelAssessmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetadataModelAssessmentsMessage; + output: DescribeMetadataModelAssessmentsResponse; + }; + sdk: { + input: DescribeMetadataModelAssessmentsCommandInput; + output: DescribeMetadataModelAssessmentsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeMetadataModelConversionsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeMetadataModelConversionsCommand.ts index 984b1dacd6c8..7b53152c28e3 100644 --- a/clients/client-database-migration-service/src/commands/DescribeMetadataModelConversionsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeMetadataModelConversionsCommand.ts @@ -148,4 +148,16 @@ export class DescribeMetadataModelConversionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetadataModelConversionsCommand) .de(de_DescribeMetadataModelConversionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetadataModelConversionsMessage; + output: DescribeMetadataModelConversionsResponse; + }; + sdk: { + input: DescribeMetadataModelConversionsCommandInput; + output: DescribeMetadataModelConversionsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsAsScriptCommand.ts b/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsAsScriptCommand.ts index 9930430db54f..47a36d9c6fb7 100644 --- a/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsAsScriptCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsAsScriptCommand.ts @@ -151,4 +151,16 @@ export class DescribeMetadataModelExportsAsScriptCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetadataModelExportsAsScriptCommand) .de(de_DescribeMetadataModelExportsAsScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetadataModelExportsAsScriptMessage; + output: DescribeMetadataModelExportsAsScriptResponse; + }; + sdk: { + input: DescribeMetadataModelExportsAsScriptCommandInput; + output: DescribeMetadataModelExportsAsScriptCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsToTargetCommand.ts b/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsToTargetCommand.ts index 4adc46a36f71..247dd5849bc0 100644 --- a/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsToTargetCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeMetadataModelExportsToTargetCommand.ts @@ -151,4 +151,16 @@ export class DescribeMetadataModelExportsToTargetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetadataModelExportsToTargetCommand) .de(de_DescribeMetadataModelExportsToTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetadataModelExportsToTargetMessage; + output: DescribeMetadataModelExportsToTargetResponse; + }; + sdk: { + input: DescribeMetadataModelExportsToTargetCommandInput; + output: DescribeMetadataModelExportsToTargetCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeMetadataModelImportsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeMetadataModelImportsCommand.ts index f51ba4e2a580..5b2afdc61fba 100644 --- a/clients/client-database-migration-service/src/commands/DescribeMetadataModelImportsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeMetadataModelImportsCommand.ts @@ -148,4 +148,16 @@ export class DescribeMetadataModelImportsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetadataModelImportsCommand) .de(de_DescribeMetadataModelImportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetadataModelImportsMessage; + output: DescribeMetadataModelImportsResponse; + }; + sdk: { + input: DescribeMetadataModelImportsCommandInput; + output: DescribeMetadataModelImportsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeMigrationProjectsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeMigrationProjectsCommand.ts index 46a91a805340..c8977ce80b4e 100644 --- a/clients/client-database-migration-service/src/commands/DescribeMigrationProjectsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeMigrationProjectsCommand.ts @@ -182,4 +182,16 @@ export class DescribeMigrationProjectsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMigrationProjectsCommand) .de(de_DescribeMigrationProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMigrationProjectsMessage; + output: DescribeMigrationProjectsResponse; + }; + sdk: { + input: DescribeMigrationProjectsCommandInput; + output: DescribeMigrationProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeOrderableReplicationInstancesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeOrderableReplicationInstancesCommand.ts index 6013a39c1173..35f7e0c489cf 100644 --- a/clients/client-database-migration-service/src/commands/DescribeOrderableReplicationInstancesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeOrderableReplicationInstancesCommand.ts @@ -125,4 +125,16 @@ export class DescribeOrderableReplicationInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrderableReplicationInstancesCommand) .de(de_DescribeOrderableReplicationInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrderableReplicationInstancesMessage; + output: DescribeOrderableReplicationInstancesResponse; + }; + sdk: { + input: DescribeOrderableReplicationInstancesCommandInput; + output: DescribeOrderableReplicationInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribePendingMaintenanceActionsCommand.ts b/clients/client-database-migration-service/src/commands/DescribePendingMaintenanceActionsCommand.ts index ecc807880d30..f0d504f75f77 100644 --- a/clients/client-database-migration-service/src/commands/DescribePendingMaintenanceActionsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribePendingMaintenanceActionsCommand.ts @@ -117,4 +117,16 @@ export class DescribePendingMaintenanceActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePendingMaintenanceActionsCommand) .de(de_DescribePendingMaintenanceActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePendingMaintenanceActionsMessage; + output: DescribePendingMaintenanceActionsResponse; + }; + sdk: { + input: DescribePendingMaintenanceActionsCommandInput; + output: DescribePendingMaintenanceActionsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeRecommendationLimitationsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeRecommendationLimitationsCommand.ts index 8d02c164c25e..8bf6cc65a3a1 100644 --- a/clients/client-database-migration-service/src/commands/DescribeRecommendationLimitationsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeRecommendationLimitationsCommand.ts @@ -116,4 +116,16 @@ export class DescribeRecommendationLimitationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecommendationLimitationsCommand) .de(de_DescribeRecommendationLimitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecommendationLimitationsRequest; + output: DescribeRecommendationLimitationsResponse; + }; + sdk: { + input: DescribeRecommendationLimitationsCommandInput; + output: DescribeRecommendationLimitationsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeRecommendationsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeRecommendationsCommand.ts index e3f718a93290..3fa513e03f8a 100644 --- a/clients/client-database-migration-service/src/commands/DescribeRecommendationsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeRecommendationsCommand.ts @@ -135,4 +135,16 @@ export class DescribeRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecommendationsCommand) .de(de_DescribeRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecommendationsRequest; + output: DescribeRecommendationsResponse; + }; + sdk: { + input: DescribeRecommendationsCommandInput; + output: DescribeRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeRefreshSchemasStatusCommand.ts b/clients/client-database-migration-service/src/commands/DescribeRefreshSchemasStatusCommand.ts index d1ade8cd099f..79752d305c5d 100644 --- a/clients/client-database-migration-service/src/commands/DescribeRefreshSchemasStatusCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeRefreshSchemasStatusCommand.ts @@ -114,4 +114,16 @@ export class DescribeRefreshSchemasStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRefreshSchemasStatusCommand) .de(de_DescribeRefreshSchemasStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRefreshSchemasStatusMessage; + output: DescribeRefreshSchemasStatusResponse; + }; + sdk: { + input: DescribeRefreshSchemasStatusCommandInput; + output: DescribeRefreshSchemasStatusCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationConfigsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationConfigsCommand.ts index 8bf6103092cd..f15dca239582 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationConfigsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationConfigsCommand.ts @@ -120,4 +120,16 @@ export class DescribeReplicationConfigsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationConfigsCommand) .de(de_DescribeReplicationConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationConfigsMessage; + output: DescribeReplicationConfigsResponse; + }; + sdk: { + input: DescribeReplicationConfigsCommandInput; + output: DescribeReplicationConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationInstanceTaskLogsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationInstanceTaskLogsCommand.ts index cbc7dd412e1f..54b4654095e0 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationInstanceTaskLogsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationInstanceTaskLogsCommand.ts @@ -105,4 +105,16 @@ export class DescribeReplicationInstanceTaskLogsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationInstanceTaskLogsCommand) .de(de_DescribeReplicationInstanceTaskLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationInstanceTaskLogsMessage; + output: DescribeReplicationInstanceTaskLogsResponse; + }; + sdk: { + input: DescribeReplicationInstanceTaskLogsCommandInput; + output: DescribeReplicationInstanceTaskLogsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationInstancesCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationInstancesCommand.ts index bfffdb352a3c..efed0cf8e999 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationInstancesCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationInstancesCommand.ts @@ -189,4 +189,16 @@ export class DescribeReplicationInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationInstancesCommand) .de(de_DescribeReplicationInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationInstancesMessage; + output: DescribeReplicationInstancesResponse; + }; + sdk: { + input: DescribeReplicationInstancesCommandInput; + output: DescribeReplicationInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationSubnetGroupsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationSubnetGroupsCommand.ts index 6eaf072aab91..d60b26982afa 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationSubnetGroupsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationSubnetGroupsCommand.ts @@ -145,4 +145,16 @@ export class DescribeReplicationSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationSubnetGroupsCommand) .de(de_DescribeReplicationSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationSubnetGroupsMessage; + output: DescribeReplicationSubnetGroupsResponse; + }; + sdk: { + input: DescribeReplicationSubnetGroupsCommandInput; + output: DescribeReplicationSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationTableStatisticsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationTableStatisticsCommand.ts index 195f1a6dc112..7bd991ee9fb9 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationTableStatisticsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationTableStatisticsCommand.ts @@ -134,4 +134,16 @@ export class DescribeReplicationTableStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationTableStatisticsCommand) .de(de_DescribeReplicationTableStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationTableStatisticsMessage; + output: DescribeReplicationTableStatisticsResponse; + }; + sdk: { + input: DescribeReplicationTableStatisticsCommandInput; + output: DescribeReplicationTableStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentResultsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentResultsCommand.ts index a5c4562ceb99..0da45d43099a 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentResultsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentResultsCommand.ts @@ -112,4 +112,16 @@ export class DescribeReplicationTaskAssessmentResultsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationTaskAssessmentResultsCommand) .de(de_DescribeReplicationTaskAssessmentResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationTaskAssessmentResultsMessage; + output: DescribeReplicationTaskAssessmentResultsResponse; + }; + sdk: { + input: DescribeReplicationTaskAssessmentResultsCommandInput; + output: DescribeReplicationTaskAssessmentResultsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentRunsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentRunsCommand.ts index 783051d317a1..294bb508afe2 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentRunsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationTaskAssessmentRunsCommand.ts @@ -129,4 +129,16 @@ export class DescribeReplicationTaskAssessmentRunsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationTaskAssessmentRunsCommand) .de(de_DescribeReplicationTaskAssessmentRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationTaskAssessmentRunsMessage; + output: DescribeReplicationTaskAssessmentRunsResponse; + }; + sdk: { + input: DescribeReplicationTaskAssessmentRunsCommandInput; + output: DescribeReplicationTaskAssessmentRunsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationTaskIndividualAssessmentsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationTaskIndividualAssessmentsCommand.ts index 1e32a8fe0919..d7c9b149f8df 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationTaskIndividualAssessmentsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationTaskIndividualAssessmentsCommand.ts @@ -113,4 +113,16 @@ export class DescribeReplicationTaskIndividualAssessmentsCommand extends $Comman .f(void 0, void 0) .ser(se_DescribeReplicationTaskIndividualAssessmentsCommand) .de(de_DescribeReplicationTaskIndividualAssessmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationTaskIndividualAssessmentsMessage; + output: DescribeReplicationTaskIndividualAssessmentsResponse; + }; + sdk: { + input: DescribeReplicationTaskIndividualAssessmentsCommandInput; + output: DescribeReplicationTaskIndividualAssessmentsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationTasksCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationTasksCommand.ts index 6bede42abc4d..6d9945d274f9 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationTasksCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationTasksCommand.ts @@ -157,4 +157,16 @@ export class DescribeReplicationTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationTasksCommand) .de(de_DescribeReplicationTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationTasksMessage; + output: DescribeReplicationTasksResponse; + }; + sdk: { + input: DescribeReplicationTasksCommandInput; + output: DescribeReplicationTasksCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeReplicationsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeReplicationsCommand.ts index 3470a865fc2f..5d97711d5d6c 100644 --- a/clients/client-database-migration-service/src/commands/DescribeReplicationsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeReplicationsCommand.ts @@ -138,4 +138,16 @@ export class DescribeReplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationsCommand) .de(de_DescribeReplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationsMessage; + output: DescribeReplicationsResponse; + }; + sdk: { + input: DescribeReplicationsCommandInput; + output: DescribeReplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeSchemasCommand.ts b/clients/client-database-migration-service/src/commands/DescribeSchemasCommand.ts index 5a17fb6a2354..ba68a8bd73ab 100644 --- a/clients/client-database-migration-service/src/commands/DescribeSchemasCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeSchemasCommand.ts @@ -112,4 +112,16 @@ export class DescribeSchemasCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSchemasCommand) .de(de_DescribeSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSchemasMessage; + output: DescribeSchemasResponse; + }; + sdk: { + input: DescribeSchemasCommandInput; + output: DescribeSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/DescribeTableStatisticsCommand.ts b/clients/client-database-migration-service/src/commands/DescribeTableStatisticsCommand.ts index 9043030b8c7e..19a056d2a14e 100644 --- a/clients/client-database-migration-service/src/commands/DescribeTableStatisticsCommand.ts +++ b/clients/client-database-migration-service/src/commands/DescribeTableStatisticsCommand.ts @@ -149,4 +149,16 @@ export class DescribeTableStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTableStatisticsCommand) .de(de_DescribeTableStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTableStatisticsMessage; + output: DescribeTableStatisticsResponse; + }; + sdk: { + input: DescribeTableStatisticsCommandInput; + output: DescribeTableStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ExportMetadataModelAssessmentCommand.ts b/clients/client-database-migration-service/src/commands/ExportMetadataModelAssessmentCommand.ts index 7ef767b81e35..5d44c9e985aa 100644 --- a/clients/client-database-migration-service/src/commands/ExportMetadataModelAssessmentCommand.ts +++ b/clients/client-database-migration-service/src/commands/ExportMetadataModelAssessmentCommand.ts @@ -130,4 +130,16 @@ export class ExportMetadataModelAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_ExportMetadataModelAssessmentCommand) .de(de_ExportMetadataModelAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportMetadataModelAssessmentMessage; + output: ExportMetadataModelAssessmentResponse; + }; + sdk: { + input: ExportMetadataModelAssessmentCommandInput; + output: ExportMetadataModelAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ImportCertificateCommand.ts b/clients/client-database-migration-service/src/commands/ImportCertificateCommand.ts index cff631a9a9af..3a9bbcbf8023 100644 --- a/clients/client-database-migration-service/src/commands/ImportCertificateCommand.ts +++ b/clients/client-database-migration-service/src/commands/ImportCertificateCommand.ts @@ -131,4 +131,16 @@ export class ImportCertificateCommand extends $Command .f(ImportCertificateMessageFilterSensitiveLog, void 0) .ser(se_ImportCertificateCommand) .de(de_ImportCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportCertificateMessage; + output: ImportCertificateResponse; + }; + sdk: { + input: ImportCertificateCommandInput; + output: ImportCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ListTagsForResourceCommand.ts b/clients/client-database-migration-service/src/commands/ListTagsForResourceCommand.ts index a64a2adbe378..129754ebc94f 100644 --- a/clients/client-database-migration-service/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-database-migration-service/src/commands/ListTagsForResourceCommand.ts @@ -113,4 +113,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceMessage; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyConversionConfigurationCommand.ts b/clients/client-database-migration-service/src/commands/ModifyConversionConfigurationCommand.ts index 8330565d0f22..65f41dbe1c52 100644 --- a/clients/client-database-migration-service/src/commands/ModifyConversionConfigurationCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyConversionConfigurationCommand.ts @@ -110,4 +110,16 @@ export class ModifyConversionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyConversionConfigurationCommand) .de(de_ModifyConversionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyConversionConfigurationMessage; + output: ModifyConversionConfigurationResponse; + }; + sdk: { + input: ModifyConversionConfigurationCommandInput; + output: ModifyConversionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyDataProviderCommand.ts b/clients/client-database-migration-service/src/commands/ModifyDataProviderCommand.ts index c20300638ffd..6a7b3d1c2d02 100644 --- a/clients/client-database-migration-service/src/commands/ModifyDataProviderCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyDataProviderCommand.ts @@ -268,4 +268,16 @@ export class ModifyDataProviderCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDataProviderCommand) .de(de_ModifyDataProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDataProviderMessage; + output: ModifyDataProviderResponse; + }; + sdk: { + input: ModifyDataProviderCommandInput; + output: ModifyDataProviderCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyEndpointCommand.ts b/clients/client-database-migration-service/src/commands/ModifyEndpointCommand.ts index 307fa1fa2463..3bd97e3822a9 100644 --- a/clients/client-database-migration-service/src/commands/ModifyEndpointCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyEndpointCommand.ts @@ -832,4 +832,16 @@ export class ModifyEndpointCommand extends $Command .f(ModifyEndpointMessageFilterSensitiveLog, ModifyEndpointResponseFilterSensitiveLog) .ser(se_ModifyEndpointCommand) .de(de_ModifyEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEndpointMessage; + output: ModifyEndpointResponse; + }; + sdk: { + input: ModifyEndpointCommandInput; + output: ModifyEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyEventSubscriptionCommand.ts b/clients/client-database-migration-service/src/commands/ModifyEventSubscriptionCommand.ts index 69fed91606b0..b279deb05190 100644 --- a/clients/client-database-migration-service/src/commands/ModifyEventSubscriptionCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyEventSubscriptionCommand.ts @@ -128,4 +128,16 @@ export class ModifyEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyEventSubscriptionCommand) .de(de_ModifyEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEventSubscriptionMessage; + output: ModifyEventSubscriptionResponse; + }; + sdk: { + input: ModifyEventSubscriptionCommandInput; + output: ModifyEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyInstanceProfileCommand.ts b/clients/client-database-migration-service/src/commands/ModifyInstanceProfileCommand.ts index 91bfa8fd216b..4a77a4c27e01 100644 --- a/clients/client-database-migration-service/src/commands/ModifyInstanceProfileCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyInstanceProfileCommand.ts @@ -163,4 +163,16 @@ export class ModifyInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceProfileCommand) .de(de_ModifyInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceProfileMessage; + output: ModifyInstanceProfileResponse; + }; + sdk: { + input: ModifyInstanceProfileCommandInput; + output: ModifyInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyMigrationProjectCommand.ts b/clients/client-database-migration-service/src/commands/ModifyMigrationProjectCommand.ts index cb0def5ebcf7..b70a2afa1d0d 100644 --- a/clients/client-database-migration-service/src/commands/ModifyMigrationProjectCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyMigrationProjectCommand.ts @@ -214,4 +214,16 @@ export class ModifyMigrationProjectCommand extends $Command .f(void 0, void 0) .ser(se_ModifyMigrationProjectCommand) .de(de_ModifyMigrationProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyMigrationProjectMessage; + output: ModifyMigrationProjectResponse; + }; + sdk: { + input: ModifyMigrationProjectCommandInput; + output: ModifyMigrationProjectCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyReplicationConfigCommand.ts b/clients/client-database-migration-service/src/commands/ModifyReplicationConfigCommand.ts index f29886b1f4b5..8039d383fa99 100644 --- a/clients/client-database-migration-service/src/commands/ModifyReplicationConfigCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyReplicationConfigCommand.ts @@ -151,4 +151,16 @@ export class ModifyReplicationConfigCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReplicationConfigCommand) .de(de_ModifyReplicationConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReplicationConfigMessage; + output: ModifyReplicationConfigResponse; + }; + sdk: { + input: ModifyReplicationConfigCommandInput; + output: ModifyReplicationConfigCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyReplicationInstanceCommand.ts b/clients/client-database-migration-service/src/commands/ModifyReplicationInstanceCommand.ts index dcdd20de079a..a8aa6ed94956 100644 --- a/clients/client-database-migration-service/src/commands/ModifyReplicationInstanceCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyReplicationInstanceCommand.ts @@ -253,4 +253,16 @@ export class ModifyReplicationInstanceCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReplicationInstanceCommand) .de(de_ModifyReplicationInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReplicationInstanceMessage; + output: ModifyReplicationInstanceResponse; + }; + sdk: { + input: ModifyReplicationInstanceCommandInput; + output: ModifyReplicationInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyReplicationSubnetGroupCommand.ts b/clients/client-database-migration-service/src/commands/ModifyReplicationSubnetGroupCommand.ts index 92865b1f7413..4643305137f7 100644 --- a/clients/client-database-migration-service/src/commands/ModifyReplicationSubnetGroupCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyReplicationSubnetGroupCommand.ts @@ -144,4 +144,16 @@ export class ModifyReplicationSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReplicationSubnetGroupCommand) .de(de_ModifyReplicationSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReplicationSubnetGroupMessage; + output: ModifyReplicationSubnetGroupResponse; + }; + sdk: { + input: ModifyReplicationSubnetGroupCommandInput; + output: ModifyReplicationSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ModifyReplicationTaskCommand.ts b/clients/client-database-migration-service/src/commands/ModifyReplicationTaskCommand.ts index e6ff736b1dda..bcbca7b7d77e 100644 --- a/clients/client-database-migration-service/src/commands/ModifyReplicationTaskCommand.ts +++ b/clients/client-database-migration-service/src/commands/ModifyReplicationTaskCommand.ts @@ -136,4 +136,16 @@ export class ModifyReplicationTaskCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReplicationTaskCommand) .de(de_ModifyReplicationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReplicationTaskMessage; + output: ModifyReplicationTaskResponse; + }; + sdk: { + input: ModifyReplicationTaskCommandInput; + output: ModifyReplicationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/MoveReplicationTaskCommand.ts b/clients/client-database-migration-service/src/commands/MoveReplicationTaskCommand.ts index 3a7b6b9bed2f..9709be07d0cc 100644 --- a/clients/client-database-migration-service/src/commands/MoveReplicationTaskCommand.ts +++ b/clients/client-database-migration-service/src/commands/MoveReplicationTaskCommand.ts @@ -133,4 +133,16 @@ export class MoveReplicationTaskCommand extends $Command .f(void 0, void 0) .ser(se_MoveReplicationTaskCommand) .de(de_MoveReplicationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MoveReplicationTaskMessage; + output: MoveReplicationTaskResponse; + }; + sdk: { + input: MoveReplicationTaskCommandInput; + output: MoveReplicationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/RebootReplicationInstanceCommand.ts b/clients/client-database-migration-service/src/commands/RebootReplicationInstanceCommand.ts index 550c57072d3e..2ebbfd12600a 100644 --- a/clients/client-database-migration-service/src/commands/RebootReplicationInstanceCommand.ts +++ b/clients/client-database-migration-service/src/commands/RebootReplicationInstanceCommand.ts @@ -150,4 +150,16 @@ export class RebootReplicationInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RebootReplicationInstanceCommand) .de(de_RebootReplicationInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootReplicationInstanceMessage; + output: RebootReplicationInstanceResponse; + }; + sdk: { + input: RebootReplicationInstanceCommandInput; + output: RebootReplicationInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/RefreshSchemasCommand.ts b/clients/client-database-migration-service/src/commands/RefreshSchemasCommand.ts index 11bb4e1234c2..dcc19005cb93 100644 --- a/clients/client-database-migration-service/src/commands/RefreshSchemasCommand.ts +++ b/clients/client-database-migration-service/src/commands/RefreshSchemasCommand.ts @@ -119,4 +119,16 @@ export class RefreshSchemasCommand extends $Command .f(void 0, void 0) .ser(se_RefreshSchemasCommand) .de(de_RefreshSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RefreshSchemasMessage; + output: RefreshSchemasResponse; + }; + sdk: { + input: RefreshSchemasCommandInput; + output: RefreshSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ReloadReplicationTablesCommand.ts b/clients/client-database-migration-service/src/commands/ReloadReplicationTablesCommand.ts index b8563e7eb1d2..ad87384625ae 100644 --- a/clients/client-database-migration-service/src/commands/ReloadReplicationTablesCommand.ts +++ b/clients/client-database-migration-service/src/commands/ReloadReplicationTablesCommand.ts @@ -97,4 +97,16 @@ export class ReloadReplicationTablesCommand extends $Command .f(void 0, void 0) .ser(se_ReloadReplicationTablesCommand) .de(de_ReloadReplicationTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReloadReplicationTablesMessage; + output: ReloadReplicationTablesResponse; + }; + sdk: { + input: ReloadReplicationTablesCommandInput; + output: ReloadReplicationTablesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/ReloadTablesCommand.ts b/clients/client-database-migration-service/src/commands/ReloadTablesCommand.ts index ebde24f72c9e..129f81bf1583 100644 --- a/clients/client-database-migration-service/src/commands/ReloadTablesCommand.ts +++ b/clients/client-database-migration-service/src/commands/ReloadTablesCommand.ts @@ -96,4 +96,16 @@ export class ReloadTablesCommand extends $Command .f(void 0, void 0) .ser(se_ReloadTablesCommand) .de(de_ReloadTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReloadTablesMessage; + output: ReloadTablesResponse; + }; + sdk: { + input: ReloadTablesCommandInput; + output: ReloadTablesCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-database-migration-service/src/commands/RemoveTagsFromResourceCommand.ts index be5af6b1432b..e89ea3d59081 100644 --- a/clients/client-database-migration-service/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-database-migration-service/src/commands/RemoveTagsFromResourceCommand.ts @@ -102,4 +102,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceMessage; + output: {}; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/RunFleetAdvisorLsaAnalysisCommand.ts b/clients/client-database-migration-service/src/commands/RunFleetAdvisorLsaAnalysisCommand.ts index 5799bfa0b59a..304a863f5963 100644 --- a/clients/client-database-migration-service/src/commands/RunFleetAdvisorLsaAnalysisCommand.ts +++ b/clients/client-database-migration-service/src/commands/RunFleetAdvisorLsaAnalysisCommand.ts @@ -86,4 +86,16 @@ export class RunFleetAdvisorLsaAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_RunFleetAdvisorLsaAnalysisCommand) .de(de_RunFleetAdvisorLsaAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: RunFleetAdvisorLsaAnalysisResponse; + }; + sdk: { + input: RunFleetAdvisorLsaAnalysisCommandInput; + output: RunFleetAdvisorLsaAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartExtensionPackAssociationCommand.ts b/clients/client-database-migration-service/src/commands/StartExtensionPackAssociationCommand.ts index d58e33c63cb5..11193c19604d 100644 --- a/clients/client-database-migration-service/src/commands/StartExtensionPackAssociationCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartExtensionPackAssociationCommand.ts @@ -131,4 +131,16 @@ export class StartExtensionPackAssociationCommand extends $Command .f(void 0, void 0) .ser(se_StartExtensionPackAssociationCommand) .de(de_StartExtensionPackAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExtensionPackAssociationMessage; + output: StartExtensionPackAssociationResponse; + }; + sdk: { + input: StartExtensionPackAssociationCommandInput; + output: StartExtensionPackAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartMetadataModelAssessmentCommand.ts b/clients/client-database-migration-service/src/commands/StartMetadataModelAssessmentCommand.ts index c64998cc0110..56075bc4bf4f 100644 --- a/clients/client-database-migration-service/src/commands/StartMetadataModelAssessmentCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartMetadataModelAssessmentCommand.ts @@ -134,4 +134,16 @@ export class StartMetadataModelAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_StartMetadataModelAssessmentCommand) .de(de_StartMetadataModelAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMetadataModelAssessmentMessage; + output: StartMetadataModelAssessmentResponse; + }; + sdk: { + input: StartMetadataModelAssessmentCommandInput; + output: StartMetadataModelAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartMetadataModelConversionCommand.ts b/clients/client-database-migration-service/src/commands/StartMetadataModelConversionCommand.ts index e59a8225c4dd..8d01564608dc 100644 --- a/clients/client-database-migration-service/src/commands/StartMetadataModelConversionCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartMetadataModelConversionCommand.ts @@ -130,4 +130,16 @@ export class StartMetadataModelConversionCommand extends $Command .f(void 0, void 0) .ser(se_StartMetadataModelConversionCommand) .de(de_StartMetadataModelConversionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMetadataModelConversionMessage; + output: StartMetadataModelConversionResponse; + }; + sdk: { + input: StartMetadataModelConversionCommandInput; + output: StartMetadataModelConversionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartMetadataModelExportAsScriptCommand.ts b/clients/client-database-migration-service/src/commands/StartMetadataModelExportAsScriptCommand.ts index a2ac794927f6..99296e795369 100644 --- a/clients/client-database-migration-service/src/commands/StartMetadataModelExportAsScriptCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartMetadataModelExportAsScriptCommand.ts @@ -134,4 +134,16 @@ export class StartMetadataModelExportAsScriptCommand extends $Command .f(void 0, void 0) .ser(se_StartMetadataModelExportAsScriptCommand) .de(de_StartMetadataModelExportAsScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMetadataModelExportAsScriptMessage; + output: StartMetadataModelExportAsScriptResponse; + }; + sdk: { + input: StartMetadataModelExportAsScriptCommandInput; + output: StartMetadataModelExportAsScriptCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartMetadataModelExportToTargetCommand.ts b/clients/client-database-migration-service/src/commands/StartMetadataModelExportToTargetCommand.ts index 2f46d1c23d83..8bac9fa92e45 100644 --- a/clients/client-database-migration-service/src/commands/StartMetadataModelExportToTargetCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartMetadataModelExportToTargetCommand.ts @@ -132,4 +132,16 @@ export class StartMetadataModelExportToTargetCommand extends $Command .f(void 0, void 0) .ser(se_StartMetadataModelExportToTargetCommand) .de(de_StartMetadataModelExportToTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMetadataModelExportToTargetMessage; + output: StartMetadataModelExportToTargetResponse; + }; + sdk: { + input: StartMetadataModelExportToTargetCommandInput; + output: StartMetadataModelExportToTargetCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartMetadataModelImportCommand.ts b/clients/client-database-migration-service/src/commands/StartMetadataModelImportCommand.ts index 041a0b627ad5..910459fda4d0 100644 --- a/clients/client-database-migration-service/src/commands/StartMetadataModelImportCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartMetadataModelImportCommand.ts @@ -130,4 +130,16 @@ export class StartMetadataModelImportCommand extends $Command .f(void 0, void 0) .ser(se_StartMetadataModelImportCommand) .de(de_StartMetadataModelImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMetadataModelImportMessage; + output: StartMetadataModelImportResponse; + }; + sdk: { + input: StartMetadataModelImportCommandInput; + output: StartMetadataModelImportCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartRecommendationsCommand.ts b/clients/client-database-migration-service/src/commands/StartRecommendationsCommand.ts index 32bf726eeb77..4ae691ccf36f 100644 --- a/clients/client-database-migration-service/src/commands/StartRecommendationsCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartRecommendationsCommand.ts @@ -95,4 +95,16 @@ export class StartRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_StartRecommendationsCommand) .de(de_StartRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRecommendationsRequest; + output: {}; + }; + sdk: { + input: StartRecommendationsCommandInput; + output: StartRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartReplicationCommand.ts b/clients/client-database-migration-service/src/commands/StartReplicationCommand.ts index 1a804db4c8f2..50be9e135a1b 100644 --- a/clients/client-database-migration-service/src/commands/StartReplicationCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartReplicationCommand.ts @@ -139,4 +139,16 @@ export class StartReplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartReplicationCommand) .de(de_StartReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplicationMessage; + output: StartReplicationResponse; + }; + sdk: { + input: StartReplicationCommandInput; + output: StartReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentCommand.ts b/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentCommand.ts index 16c5f8dc600d..09dbe9342175 100644 --- a/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentCommand.ts @@ -138,4 +138,16 @@ export class StartReplicationTaskAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_StartReplicationTaskAssessmentCommand) .de(de_StartReplicationTaskAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplicationTaskAssessmentMessage; + output: StartReplicationTaskAssessmentResponse; + }; + sdk: { + input: StartReplicationTaskAssessmentCommandInput; + output: StartReplicationTaskAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentRunCommand.ts b/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentRunCommand.ts index 72a3c3ac7772..96f297430c74 100644 --- a/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentRunCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartReplicationTaskAssessmentRunCommand.ts @@ -161,4 +161,16 @@ export class StartReplicationTaskAssessmentRunCommand extends $Command .f(void 0, void 0) .ser(se_StartReplicationTaskAssessmentRunCommand) .de(de_StartReplicationTaskAssessmentRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplicationTaskAssessmentRunMessage; + output: StartReplicationTaskAssessmentRunResponse; + }; + sdk: { + input: StartReplicationTaskAssessmentRunCommandInput; + output: StartReplicationTaskAssessmentRunCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StartReplicationTaskCommand.ts b/clients/client-database-migration-service/src/commands/StartReplicationTaskCommand.ts index 48dd4a1fa5b5..6c5255d0e251 100644 --- a/clients/client-database-migration-service/src/commands/StartReplicationTaskCommand.ts +++ b/clients/client-database-migration-service/src/commands/StartReplicationTaskCommand.ts @@ -159,4 +159,16 @@ export class StartReplicationTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartReplicationTaskCommand) .de(de_StartReplicationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplicationTaskMessage; + output: StartReplicationTaskResponse; + }; + sdk: { + input: StartReplicationTaskCommandInput; + output: StartReplicationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StopReplicationCommand.ts b/clients/client-database-migration-service/src/commands/StopReplicationCommand.ts index 7f171661a5a7..7c2cc001c157 100644 --- a/clients/client-database-migration-service/src/commands/StopReplicationCommand.ts +++ b/clients/client-database-migration-service/src/commands/StopReplicationCommand.ts @@ -133,4 +133,16 @@ export class StopReplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopReplicationCommand) .de(de_StopReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopReplicationMessage; + output: StopReplicationResponse; + }; + sdk: { + input: StopReplicationCommandInput; + output: StopReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/StopReplicationTaskCommand.ts b/clients/client-database-migration-service/src/commands/StopReplicationTaskCommand.ts index 13f0d40121ff..e74434bcc782 100644 --- a/clients/client-database-migration-service/src/commands/StopReplicationTaskCommand.ts +++ b/clients/client-database-migration-service/src/commands/StopReplicationTaskCommand.ts @@ -146,4 +146,16 @@ export class StopReplicationTaskCommand extends $Command .f(void 0, void 0) .ser(se_StopReplicationTaskCommand) .de(de_StopReplicationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopReplicationTaskMessage; + output: StopReplicationTaskResponse; + }; + sdk: { + input: StopReplicationTaskCommandInput; + output: StopReplicationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/TestConnectionCommand.ts b/clients/client-database-migration-service/src/commands/TestConnectionCommand.ts index 3d06164496b2..7cca652e8958 100644 --- a/clients/client-database-migration-service/src/commands/TestConnectionCommand.ts +++ b/clients/client-database-migration-service/src/commands/TestConnectionCommand.ts @@ -122,4 +122,16 @@ export class TestConnectionCommand extends $Command .f(void 0, void 0) .ser(se_TestConnectionCommand) .de(de_TestConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestConnectionMessage; + output: TestConnectionResponse; + }; + sdk: { + input: TestConnectionCommandInput; + output: TestConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-database-migration-service/src/commands/UpdateSubscriptionsToEventBridgeCommand.ts b/clients/client-database-migration-service/src/commands/UpdateSubscriptionsToEventBridgeCommand.ts index 1993f2e7dbc8..6efe969b4ce0 100644 --- a/clients/client-database-migration-service/src/commands/UpdateSubscriptionsToEventBridgeCommand.ts +++ b/clients/client-database-migration-service/src/commands/UpdateSubscriptionsToEventBridgeCommand.ts @@ -101,4 +101,16 @@ export class UpdateSubscriptionsToEventBridgeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubscriptionsToEventBridgeCommand) .de(de_UpdateSubscriptionsToEventBridgeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriptionsToEventBridgeMessage; + output: UpdateSubscriptionsToEventBridgeResponse; + }; + sdk: { + input: UpdateSubscriptionsToEventBridgeCommandInput; + output: UpdateSubscriptionsToEventBridgeCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/package.json b/clients/client-databrew/package.json index c1e072292b47..f406fb35560a 100644 --- a/clients/client-databrew/package.json +++ b/clients/client-databrew/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-databrew/src/commands/BatchDeleteRecipeVersionCommand.ts b/clients/client-databrew/src/commands/BatchDeleteRecipeVersionCommand.ts index fc3629c796f7..3432ed5b620a 100644 --- a/clients/client-databrew/src/commands/BatchDeleteRecipeVersionCommand.ts +++ b/clients/client-databrew/src/commands/BatchDeleteRecipeVersionCommand.ts @@ -134,4 +134,16 @@ export class BatchDeleteRecipeVersionCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteRecipeVersionCommand) .de(de_BatchDeleteRecipeVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteRecipeVersionRequest; + output: BatchDeleteRecipeVersionResponse; + }; + sdk: { + input: BatchDeleteRecipeVersionCommandInput; + output: BatchDeleteRecipeVersionCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/CreateDatasetCommand.ts b/clients/client-databrew/src/commands/CreateDatasetCommand.ts index bfbb5911a8cf..10e4dbdab415 100644 --- a/clients/client-databrew/src/commands/CreateDatasetCommand.ts +++ b/clients/client-databrew/src/commands/CreateDatasetCommand.ts @@ -172,4 +172,16 @@ export class CreateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/CreateProfileJobCommand.ts b/clients/client-databrew/src/commands/CreateProfileJobCommand.ts index bb5f51dd157f..a4388f82712a 100644 --- a/clients/client-databrew/src/commands/CreateProfileJobCommand.ts +++ b/clients/client-databrew/src/commands/CreateProfileJobCommand.ts @@ -174,4 +174,16 @@ export class CreateProfileJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateProfileJobCommand) .de(de_CreateProfileJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileJobRequest; + output: CreateProfileJobResponse; + }; + sdk: { + input: CreateProfileJobCommandInput; + output: CreateProfileJobCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/CreateProjectCommand.ts b/clients/client-databrew/src/commands/CreateProjectCommand.ts index b290763b1083..56bceff36bd8 100644 --- a/clients/client-databrew/src/commands/CreateProjectCommand.ts +++ b/clients/client-databrew/src/commands/CreateProjectCommand.ts @@ -99,4 +99,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: CreateProjectResponse; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/CreateRecipeCommand.ts b/clients/client-databrew/src/commands/CreateRecipeCommand.ts index 70b9fbdd3b01..e6395d9d2084 100644 --- a/clients/client-databrew/src/commands/CreateRecipeCommand.ts +++ b/clients/client-databrew/src/commands/CreateRecipeCommand.ts @@ -107,4 +107,16 @@ export class CreateRecipeCommand extends $Command .f(void 0, void 0) .ser(se_CreateRecipeCommand) .de(de_CreateRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRecipeRequest; + output: CreateRecipeResponse; + }; + sdk: { + input: CreateRecipeCommandInput; + output: CreateRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/CreateRecipeJobCommand.ts b/clients/client-databrew/src/commands/CreateRecipeJobCommand.ts index 7d31000dd733..54aa94f0173b 100644 --- a/clients/client-databrew/src/commands/CreateRecipeJobCommand.ts +++ b/clients/client-databrew/src/commands/CreateRecipeJobCommand.ts @@ -166,4 +166,16 @@ export class CreateRecipeJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateRecipeJobCommand) .de(de_CreateRecipeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRecipeJobRequest; + output: CreateRecipeJobResponse; + }; + sdk: { + input: CreateRecipeJobCommandInput; + output: CreateRecipeJobCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/CreateRulesetCommand.ts b/clients/client-databrew/src/commands/CreateRulesetCommand.ts index efb798c7b768..e19699a04006 100644 --- a/clients/client-databrew/src/commands/CreateRulesetCommand.ts +++ b/clients/client-databrew/src/commands/CreateRulesetCommand.ts @@ -113,4 +113,16 @@ export class CreateRulesetCommand extends $Command .f(void 0, void 0) .ser(se_CreateRulesetCommand) .de(de_CreateRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRulesetRequest; + output: CreateRulesetResponse; + }; + sdk: { + input: CreateRulesetCommandInput; + output: CreateRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/CreateScheduleCommand.ts b/clients/client-databrew/src/commands/CreateScheduleCommand.ts index f99b83a439a6..7ae68730585d 100644 --- a/clients/client-databrew/src/commands/CreateScheduleCommand.ts +++ b/clients/client-databrew/src/commands/CreateScheduleCommand.ts @@ -94,4 +94,16 @@ export class CreateScheduleCommand extends $Command .f(void 0, void 0) .ser(se_CreateScheduleCommand) .de(de_CreateScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScheduleRequest; + output: CreateScheduleResponse; + }; + sdk: { + input: CreateScheduleCommandInput; + output: CreateScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DeleteDatasetCommand.ts b/clients/client-databrew/src/commands/DeleteDatasetCommand.ts index 9b4d92918c61..a63e7156cccc 100644 --- a/clients/client-databrew/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-databrew/src/commands/DeleteDatasetCommand.ts @@ -86,4 +86,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: DeleteDatasetResponse; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DeleteJobCommand.ts b/clients/client-databrew/src/commands/DeleteJobCommand.ts index 690f882694dc..77c609416c1d 100644 --- a/clients/client-databrew/src/commands/DeleteJobCommand.ts +++ b/clients/client-databrew/src/commands/DeleteJobCommand.ts @@ -86,4 +86,16 @@ export class DeleteJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobCommand) .de(de_DeleteJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobRequest; + output: DeleteJobResponse; + }; + sdk: { + input: DeleteJobCommandInput; + output: DeleteJobCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DeleteProjectCommand.ts b/clients/client-databrew/src/commands/DeleteProjectCommand.ts index a6bf10484270..640e92ce921b 100644 --- a/clients/client-databrew/src/commands/DeleteProjectCommand.ts +++ b/clients/client-databrew/src/commands/DeleteProjectCommand.ts @@ -86,4 +86,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: DeleteProjectResponse; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DeleteRecipeVersionCommand.ts b/clients/client-databrew/src/commands/DeleteRecipeVersionCommand.ts index 4cf407fc3cbb..bbf52afac1bc 100644 --- a/clients/client-databrew/src/commands/DeleteRecipeVersionCommand.ts +++ b/clients/client-databrew/src/commands/DeleteRecipeVersionCommand.ts @@ -88,4 +88,16 @@ export class DeleteRecipeVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecipeVersionCommand) .de(de_DeleteRecipeVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecipeVersionRequest; + output: DeleteRecipeVersionResponse; + }; + sdk: { + input: DeleteRecipeVersionCommandInput; + output: DeleteRecipeVersionCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DeleteRulesetCommand.ts b/clients/client-databrew/src/commands/DeleteRulesetCommand.ts index 81e6c597d785..2c3f920d0dbe 100644 --- a/clients/client-databrew/src/commands/DeleteRulesetCommand.ts +++ b/clients/client-databrew/src/commands/DeleteRulesetCommand.ts @@ -86,4 +86,16 @@ export class DeleteRulesetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRulesetCommand) .de(de_DeleteRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRulesetRequest; + output: DeleteRulesetResponse; + }; + sdk: { + input: DeleteRulesetCommandInput; + output: DeleteRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DeleteScheduleCommand.ts b/clients/client-databrew/src/commands/DeleteScheduleCommand.ts index c6346aee1e33..55ef168a8040 100644 --- a/clients/client-databrew/src/commands/DeleteScheduleCommand.ts +++ b/clients/client-databrew/src/commands/DeleteScheduleCommand.ts @@ -83,4 +83,16 @@ export class DeleteScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduleCommand) .de(de_DeleteScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduleRequest; + output: DeleteScheduleResponse; + }; + sdk: { + input: DeleteScheduleCommandInput; + output: DeleteScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DescribeDatasetCommand.ts b/clients/client-databrew/src/commands/DescribeDatasetCommand.ts index 42083fa7bbaf..3f17781aeb5d 100644 --- a/clients/client-databrew/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-databrew/src/commands/DescribeDatasetCommand.ts @@ -172,4 +172,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DescribeJobCommand.ts b/clients/client-databrew/src/commands/DescribeJobCommand.ts index 39b0100e02d3..65a0d22f0458 100644 --- a/clients/client-databrew/src/commands/DescribeJobCommand.ts +++ b/clients/client-databrew/src/commands/DescribeJobCommand.ts @@ -229,4 +229,16 @@ export class DescribeJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobCommand) .de(de_DescribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobRequest; + output: DescribeJobResponse; + }; + sdk: { + input: DescribeJobCommandInput; + output: DescribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DescribeJobRunCommand.ts b/clients/client-databrew/src/commands/DescribeJobRunCommand.ts index 150b4928b71e..84e94edf9445 100644 --- a/clients/client-databrew/src/commands/DescribeJobRunCommand.ts +++ b/clients/client-databrew/src/commands/DescribeJobRunCommand.ts @@ -223,4 +223,16 @@ export class DescribeJobRunCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobRunCommand) .de(de_DescribeJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobRunRequest; + output: DescribeJobRunResponse; + }; + sdk: { + input: DescribeJobRunCommandInput; + output: DescribeJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DescribeProjectCommand.ts b/clients/client-databrew/src/commands/DescribeProjectCommand.ts index cceac78a9948..e31049d1178f 100644 --- a/clients/client-databrew/src/commands/DescribeProjectCommand.ts +++ b/clients/client-databrew/src/commands/DescribeProjectCommand.ts @@ -101,4 +101,16 @@ export class DescribeProjectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProjectCommand) .de(de_DescribeProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProjectRequest; + output: DescribeProjectResponse; + }; + sdk: { + input: DescribeProjectCommandInput; + output: DescribeProjectCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DescribeRecipeCommand.ts b/clients/client-databrew/src/commands/DescribeRecipeCommand.ts index 7f4444519111..fbba6d78a390 100644 --- a/clients/client-databrew/src/commands/DescribeRecipeCommand.ts +++ b/clients/client-databrew/src/commands/DescribeRecipeCommand.ts @@ -115,4 +115,16 @@ export class DescribeRecipeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecipeCommand) .de(de_DescribeRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecipeRequest; + output: DescribeRecipeResponse; + }; + sdk: { + input: DescribeRecipeCommandInput; + output: DescribeRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DescribeRulesetCommand.ts b/clients/client-databrew/src/commands/DescribeRulesetCommand.ts index 96a8ddedc726..5976688eb5b2 100644 --- a/clients/client-databrew/src/commands/DescribeRulesetCommand.ts +++ b/clients/client-databrew/src/commands/DescribeRulesetCommand.ts @@ -114,4 +114,16 @@ export class DescribeRulesetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRulesetCommand) .de(de_DescribeRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRulesetRequest; + output: DescribeRulesetResponse; + }; + sdk: { + input: DescribeRulesetCommandInput; + output: DescribeRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/DescribeScheduleCommand.ts b/clients/client-databrew/src/commands/DescribeScheduleCommand.ts index d4e163d2e698..9fe0d15dea9f 100644 --- a/clients/client-databrew/src/commands/DescribeScheduleCommand.ts +++ b/clients/client-databrew/src/commands/DescribeScheduleCommand.ts @@ -95,4 +95,16 @@ export class DescribeScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduleCommand) .de(de_DescribeScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduleRequest; + output: DescribeScheduleResponse; + }; + sdk: { + input: DescribeScheduleCommandInput; + output: DescribeScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListDatasetsCommand.ts b/clients/client-databrew/src/commands/ListDatasetsCommand.ts index e2daaaef34c5..ddbcf2bd9818 100644 --- a/clients/client-databrew/src/commands/ListDatasetsCommand.ts +++ b/clients/client-databrew/src/commands/ListDatasetsCommand.ts @@ -176,4 +176,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListJobRunsCommand.ts b/clients/client-databrew/src/commands/ListJobRunsCommand.ts index dab580bd170e..b690307cc103 100644 --- a/clients/client-databrew/src/commands/ListJobRunsCommand.ts +++ b/clients/client-databrew/src/commands/ListJobRunsCommand.ts @@ -173,4 +173,16 @@ export class ListJobRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobRunsCommand) .de(de_ListJobRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobRunsRequest; + output: ListJobRunsResponse; + }; + sdk: { + input: ListJobRunsCommandInput; + output: ListJobRunsCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListJobsCommand.ts b/clients/client-databrew/src/commands/ListJobsCommand.ts index 1bbefabb868b..997baa7f8257 100644 --- a/clients/client-databrew/src/commands/ListJobsCommand.ts +++ b/clients/client-databrew/src/commands/ListJobsCommand.ts @@ -179,4 +179,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResponse; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListProjectsCommand.ts b/clients/client-databrew/src/commands/ListProjectsCommand.ts index 289a3a222f35..3407d227a57e 100644 --- a/clients/client-databrew/src/commands/ListProjectsCommand.ts +++ b/clients/client-databrew/src/commands/ListProjectsCommand.ts @@ -104,4 +104,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsRequest; + output: ListProjectsResponse; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListRecipeVersionsCommand.ts b/clients/client-databrew/src/commands/ListRecipeVersionsCommand.ts index 81635ebefd55..e60ac03d31cf 100644 --- a/clients/client-databrew/src/commands/ListRecipeVersionsCommand.ts +++ b/clients/client-databrew/src/commands/ListRecipeVersionsCommand.ts @@ -118,4 +118,16 @@ export class ListRecipeVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecipeVersionsCommand) .de(de_ListRecipeVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecipeVersionsRequest; + output: ListRecipeVersionsResponse; + }; + sdk: { + input: ListRecipeVersionsCommandInput; + output: ListRecipeVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListRecipesCommand.ts b/clients/client-databrew/src/commands/ListRecipesCommand.ts index 2dd3177fabad..05b603230d34 100644 --- a/clients/client-databrew/src/commands/ListRecipesCommand.ts +++ b/clients/client-databrew/src/commands/ListRecipesCommand.ts @@ -117,4 +117,16 @@ export class ListRecipesCommand extends $Command .f(void 0, void 0) .ser(se_ListRecipesCommand) .de(de_ListRecipesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecipesRequest; + output: ListRecipesResponse; + }; + sdk: { + input: ListRecipesCommandInput; + output: ListRecipesCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListRulesetsCommand.ts b/clients/client-databrew/src/commands/ListRulesetsCommand.ts index 9d5804f580dd..0f3394c9206f 100644 --- a/clients/client-databrew/src/commands/ListRulesetsCommand.ts +++ b/clients/client-databrew/src/commands/ListRulesetsCommand.ts @@ -103,4 +103,16 @@ export class ListRulesetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesetsCommand) .de(de_ListRulesetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesetsRequest; + output: ListRulesetsResponse; + }; + sdk: { + input: ListRulesetsCommandInput; + output: ListRulesetsCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListSchedulesCommand.ts b/clients/client-databrew/src/commands/ListSchedulesCommand.ts index f45a9005eec5..4b100447d4ea 100644 --- a/clients/client-databrew/src/commands/ListSchedulesCommand.ts +++ b/clients/client-databrew/src/commands/ListSchedulesCommand.ts @@ -100,4 +100,16 @@ export class ListSchedulesCommand extends $Command .f(void 0, void 0) .ser(se_ListSchedulesCommand) .de(de_ListSchedulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchedulesRequest; + output: ListSchedulesResponse; + }; + sdk: { + input: ListSchedulesCommandInput; + output: ListSchedulesCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/ListTagsForResourceCommand.ts b/clients/client-databrew/src/commands/ListTagsForResourceCommand.ts index 21733738a89e..905d3a05a4b2 100644 --- a/clients/client-databrew/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-databrew/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/PublishRecipeCommand.ts b/clients/client-databrew/src/commands/PublishRecipeCommand.ts index d2e77ba9fe9e..b8ce489f1aa3 100644 --- a/clients/client-databrew/src/commands/PublishRecipeCommand.ts +++ b/clients/client-databrew/src/commands/PublishRecipeCommand.ts @@ -87,4 +87,16 @@ export class PublishRecipeCommand extends $Command .f(void 0, void 0) .ser(se_PublishRecipeCommand) .de(de_PublishRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishRecipeRequest; + output: PublishRecipeResponse; + }; + sdk: { + input: PublishRecipeCommandInput; + output: PublishRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/SendProjectSessionActionCommand.ts b/clients/client-databrew/src/commands/SendProjectSessionActionCommand.ts index f5044fdd7e03..1b668a21e726 100644 --- a/clients/client-databrew/src/commands/SendProjectSessionActionCommand.ts +++ b/clients/client-databrew/src/commands/SendProjectSessionActionCommand.ts @@ -121,4 +121,16 @@ export class SendProjectSessionActionCommand extends $Command .f(SendProjectSessionActionRequestFilterSensitiveLog, void 0) .ser(se_SendProjectSessionActionCommand) .de(de_SendProjectSessionActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendProjectSessionActionRequest; + output: SendProjectSessionActionResponse; + }; + sdk: { + input: SendProjectSessionActionCommandInput; + output: SendProjectSessionActionCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/StartJobRunCommand.ts b/clients/client-databrew/src/commands/StartJobRunCommand.ts index 4088dc2e2fb8..8e3680391e18 100644 --- a/clients/client-databrew/src/commands/StartJobRunCommand.ts +++ b/clients/client-databrew/src/commands/StartJobRunCommand.ts @@ -89,4 +89,16 @@ export class StartJobRunCommand extends $Command .f(void 0, void 0) .ser(se_StartJobRunCommand) .de(de_StartJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartJobRunRequest; + output: StartJobRunResponse; + }; + sdk: { + input: StartJobRunCommandInput; + output: StartJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/StartProjectSessionCommand.ts b/clients/client-databrew/src/commands/StartProjectSessionCommand.ts index 212ec5802cc6..b2d24f0bf586 100644 --- a/clients/client-databrew/src/commands/StartProjectSessionCommand.ts +++ b/clients/client-databrew/src/commands/StartProjectSessionCommand.ts @@ -96,4 +96,16 @@ export class StartProjectSessionCommand extends $Command .f(void 0, StartProjectSessionResponseFilterSensitiveLog) .ser(se_StartProjectSessionCommand) .de(de_StartProjectSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartProjectSessionRequest; + output: StartProjectSessionResponse; + }; + sdk: { + input: StartProjectSessionCommandInput; + output: StartProjectSessionCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/StopJobRunCommand.ts b/clients/client-databrew/src/commands/StopJobRunCommand.ts index b9eac1026113..a82c86105764 100644 --- a/clients/client-databrew/src/commands/StopJobRunCommand.ts +++ b/clients/client-databrew/src/commands/StopJobRunCommand.ts @@ -84,4 +84,16 @@ export class StopJobRunCommand extends $Command .f(void 0, void 0) .ser(se_StopJobRunCommand) .de(de_StopJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopJobRunRequest; + output: StopJobRunResponse; + }; + sdk: { + input: StopJobRunCommandInput; + output: StopJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/TagResourceCommand.ts b/clients/client-databrew/src/commands/TagResourceCommand.ts index 8f67f1b8b5c7..b6f4da131f33 100644 --- a/clients/client-databrew/src/commands/TagResourceCommand.ts +++ b/clients/client-databrew/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UntagResourceCommand.ts b/clients/client-databrew/src/commands/UntagResourceCommand.ts index c47d2ca208ec..aacb55601cfa 100644 --- a/clients/client-databrew/src/commands/UntagResourceCommand.ts +++ b/clients/client-databrew/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UpdateDatasetCommand.ts b/clients/client-databrew/src/commands/UpdateDatasetCommand.ts index b6202a3d99f3..456de5e36ac9 100644 --- a/clients/client-databrew/src/commands/UpdateDatasetCommand.ts +++ b/clients/client-databrew/src/commands/UpdateDatasetCommand.ts @@ -166,4 +166,16 @@ export class UpdateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasetCommand) .de(de_UpdateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasetRequest; + output: UpdateDatasetResponse; + }; + sdk: { + input: UpdateDatasetCommandInput; + output: UpdateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UpdateProfileJobCommand.ts b/clients/client-databrew/src/commands/UpdateProfileJobCommand.ts index baa97911c3c3..5473762be675 100644 --- a/clients/client-databrew/src/commands/UpdateProfileJobCommand.ts +++ b/clients/client-databrew/src/commands/UpdateProfileJobCommand.ts @@ -164,4 +164,16 @@ export class UpdateProfileJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProfileJobCommand) .de(de_UpdateProfileJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfileJobRequest; + output: UpdateProfileJobResponse; + }; + sdk: { + input: UpdateProfileJobCommandInput; + output: UpdateProfileJobCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UpdateProjectCommand.ts b/clients/client-databrew/src/commands/UpdateProjectCommand.ts index 68b9ce695a7f..075bc55d04d0 100644 --- a/clients/client-databrew/src/commands/UpdateProjectCommand.ts +++ b/clients/client-databrew/src/commands/UpdateProjectCommand.ts @@ -89,4 +89,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectRequest; + output: UpdateProjectResponse; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UpdateRecipeCommand.ts b/clients/client-databrew/src/commands/UpdateRecipeCommand.ts index a1e0081fc270..b2d1c3a5cbbd 100644 --- a/clients/client-databrew/src/commands/UpdateRecipeCommand.ts +++ b/clients/client-databrew/src/commands/UpdateRecipeCommand.ts @@ -102,4 +102,16 @@ export class UpdateRecipeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRecipeCommand) .de(de_UpdateRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecipeRequest; + output: UpdateRecipeResponse; + }; + sdk: { + input: UpdateRecipeCommandInput; + output: UpdateRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UpdateRecipeJobCommand.ts b/clients/client-databrew/src/commands/UpdateRecipeJobCommand.ts index ed9cdcdd6e8e..31c1503eed4e 100644 --- a/clients/client-databrew/src/commands/UpdateRecipeJobCommand.ts +++ b/clients/client-databrew/src/commands/UpdateRecipeJobCommand.ts @@ -151,4 +151,16 @@ export class UpdateRecipeJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRecipeJobCommand) .de(de_UpdateRecipeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecipeJobRequest; + output: UpdateRecipeJobResponse; + }; + sdk: { + input: UpdateRecipeJobCommandInput; + output: UpdateRecipeJobCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UpdateRulesetCommand.ts b/clients/client-databrew/src/commands/UpdateRulesetCommand.ts index 9031295272de..fbf15fc0b25b 100644 --- a/clients/client-databrew/src/commands/UpdateRulesetCommand.ts +++ b/clients/client-databrew/src/commands/UpdateRulesetCommand.ts @@ -105,4 +105,16 @@ export class UpdateRulesetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRulesetCommand) .de(de_UpdateRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRulesetRequest; + output: UpdateRulesetResponse; + }; + sdk: { + input: UpdateRulesetCommandInput; + output: UpdateRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-databrew/src/commands/UpdateScheduleCommand.ts b/clients/client-databrew/src/commands/UpdateScheduleCommand.ts index 57d96e12242f..f7dae5fee6e3 100644 --- a/clients/client-databrew/src/commands/UpdateScheduleCommand.ts +++ b/clients/client-databrew/src/commands/UpdateScheduleCommand.ts @@ -90,4 +90,16 @@ export class UpdateScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScheduleCommand) .de(de_UpdateScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScheduleRequest; + output: UpdateScheduleResponse; + }; + sdk: { + input: UpdateScheduleCommandInput; + output: UpdateScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/package.json b/clients/client-dataexchange/package.json index 27524aacfc8d..db49a3b73d91 100644 --- a/clients/client-dataexchange/package.json +++ b/clients/client-dataexchange/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-dataexchange/src/commands/CancelJobCommand.ts b/clients/client-dataexchange/src/commands/CancelJobCommand.ts index bdbc2455c0ab..71e7c45262c8 100644 --- a/clients/client-dataexchange/src/commands/CancelJobCommand.ts +++ b/clients/client-dataexchange/src/commands/CancelJobCommand.ts @@ -90,4 +90,16 @@ export class CancelJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobCommand) .de(de_CancelJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRequest; + output: {}; + }; + sdk: { + input: CancelJobCommandInput; + output: CancelJobCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/CreateDataSetCommand.ts b/clients/client-dataexchange/src/commands/CreateDataSetCommand.ts index de6fb4f1a8aa..e8e5be7eef5d 100644 --- a/clients/client-dataexchange/src/commands/CreateDataSetCommand.ts +++ b/clients/client-dataexchange/src/commands/CreateDataSetCommand.ts @@ -111,4 +111,16 @@ export class CreateDataSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataSetCommand) .de(de_CreateDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSetRequest; + output: CreateDataSetResponse; + }; + sdk: { + input: CreateDataSetCommandInput; + output: CreateDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/CreateEventActionCommand.ts b/clients/client-dataexchange/src/commands/CreateEventActionCommand.ts index f2cb695a7e0f..3eee7644377e 100644 --- a/clients/client-dataexchange/src/commands/CreateEventActionCommand.ts +++ b/clients/client-dataexchange/src/commands/CreateEventActionCommand.ts @@ -128,4 +128,16 @@ export class CreateEventActionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventActionCommand) .de(de_CreateEventActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventActionRequest; + output: CreateEventActionResponse; + }; + sdk: { + input: CreateEventActionCommandInput; + output: CreateEventActionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/CreateJobCommand.ts b/clients/client-dataexchange/src/commands/CreateJobCommand.ts index f6b8436f67f1..6f44b5081de8 100644 --- a/clients/client-dataexchange/src/commands/CreateJobCommand.ts +++ b/clients/client-dataexchange/src/commands/CreateJobCommand.ts @@ -372,4 +372,16 @@ export class CreateJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResponse; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/CreateRevisionCommand.ts b/clients/client-dataexchange/src/commands/CreateRevisionCommand.ts index 1bb4522abdaf..caa82d4c7696 100644 --- a/clients/client-dataexchange/src/commands/CreateRevisionCommand.ts +++ b/clients/client-dataexchange/src/commands/CreateRevisionCommand.ts @@ -109,4 +109,16 @@ export class CreateRevisionCommand extends $Command .f(void 0, void 0) .ser(se_CreateRevisionCommand) .de(de_CreateRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRevisionRequest; + output: CreateRevisionResponse; + }; + sdk: { + input: CreateRevisionCommandInput; + output: CreateRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/DeleteAssetCommand.ts b/clients/client-dataexchange/src/commands/DeleteAssetCommand.ts index 7128b369bb10..ee01925941d3 100644 --- a/clients/client-dataexchange/src/commands/DeleteAssetCommand.ts +++ b/clients/client-dataexchange/src/commands/DeleteAssetCommand.ts @@ -95,4 +95,16 @@ export class DeleteAssetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetCommand) .de(de_DeleteAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetRequest; + output: {}; + }; + sdk: { + input: DeleteAssetCommandInput; + output: DeleteAssetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/DeleteDataSetCommand.ts b/clients/client-dataexchange/src/commands/DeleteDataSetCommand.ts index 5812efad2801..650bb9de4dc7 100644 --- a/clients/client-dataexchange/src/commands/DeleteDataSetCommand.ts +++ b/clients/client-dataexchange/src/commands/DeleteDataSetCommand.ts @@ -93,4 +93,16 @@ export class DeleteDataSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSetCommand) .de(de_DeleteDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSetRequest; + output: {}; + }; + sdk: { + input: DeleteDataSetCommandInput; + output: DeleteDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/DeleteEventActionCommand.ts b/clients/client-dataexchange/src/commands/DeleteEventActionCommand.ts index c5b9f6c48e80..07d1f81fb9e6 100644 --- a/clients/client-dataexchange/src/commands/DeleteEventActionCommand.ts +++ b/clients/client-dataexchange/src/commands/DeleteEventActionCommand.ts @@ -87,4 +87,16 @@ export class DeleteEventActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventActionCommand) .de(de_DeleteEventActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventActionRequest; + output: {}; + }; + sdk: { + input: DeleteEventActionCommandInput; + output: DeleteEventActionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/DeleteRevisionCommand.ts b/clients/client-dataexchange/src/commands/DeleteRevisionCommand.ts index 106efc72ec43..da76d2227fcf 100644 --- a/clients/client-dataexchange/src/commands/DeleteRevisionCommand.ts +++ b/clients/client-dataexchange/src/commands/DeleteRevisionCommand.ts @@ -94,4 +94,16 @@ export class DeleteRevisionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRevisionCommand) .de(de_DeleteRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRevisionRequest; + output: {}; + }; + sdk: { + input: DeleteRevisionCommandInput; + output: DeleteRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/GetAssetCommand.ts b/clients/client-dataexchange/src/commands/GetAssetCommand.ts index e23deb67fa4d..957b287b93f8 100644 --- a/clients/client-dataexchange/src/commands/GetAssetCommand.ts +++ b/clients/client-dataexchange/src/commands/GetAssetCommand.ts @@ -169,4 +169,16 @@ export class GetAssetCommand extends $Command .f(void 0, void 0) .ser(se_GetAssetCommand) .de(de_GetAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetRequest; + output: GetAssetResponse; + }; + sdk: { + input: GetAssetCommandInput; + output: GetAssetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/GetDataSetCommand.ts b/clients/client-dataexchange/src/commands/GetDataSetCommand.ts index 2c18f5959c5d..2ee6ac331f7f 100644 --- a/clients/client-dataexchange/src/commands/GetDataSetCommand.ts +++ b/clients/client-dataexchange/src/commands/GetDataSetCommand.ts @@ -103,4 +103,16 @@ export class GetDataSetCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSetCommand) .de(de_GetDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSetRequest; + output: GetDataSetResponse; + }; + sdk: { + input: GetDataSetCommandInput; + output: GetDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/GetEventActionCommand.ts b/clients/client-dataexchange/src/commands/GetEventActionCommand.ts index 48eb555e9e0a..3dfdd0b79011 100644 --- a/clients/client-dataexchange/src/commands/GetEventActionCommand.ts +++ b/clients/client-dataexchange/src/commands/GetEventActionCommand.ts @@ -109,4 +109,16 @@ export class GetEventActionCommand extends $Command .f(void 0, void 0) .ser(se_GetEventActionCommand) .de(de_GetEventActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventActionRequest; + output: GetEventActionResponse; + }; + sdk: { + input: GetEventActionCommandInput; + output: GetEventActionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/GetJobCommand.ts b/clients/client-dataexchange/src/commands/GetJobCommand.ts index bf13b57b877e..c0e96cd175b7 100644 --- a/clients/client-dataexchange/src/commands/GetJobCommand.ts +++ b/clients/client-dataexchange/src/commands/GetJobCommand.ts @@ -244,4 +244,16 @@ export class GetJobCommand extends $Command .f(void 0, void 0) .ser(se_GetJobCommand) .de(de_GetJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRequest; + output: GetJobResponse; + }; + sdk: { + input: GetJobCommandInput; + output: GetJobCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/GetRevisionCommand.ts b/clients/client-dataexchange/src/commands/GetRevisionCommand.ts index ef501771916f..00e5fdf03cb4 100644 --- a/clients/client-dataexchange/src/commands/GetRevisionCommand.ts +++ b/clients/client-dataexchange/src/commands/GetRevisionCommand.ts @@ -103,4 +103,16 @@ export class GetRevisionCommand extends $Command .f(void 0, void 0) .ser(se_GetRevisionCommand) .de(de_GetRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRevisionRequest; + output: GetRevisionResponse; + }; + sdk: { + input: GetRevisionCommandInput; + output: GetRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/ListDataSetRevisionsCommand.ts b/clients/client-dataexchange/src/commands/ListDataSetRevisionsCommand.ts index 0db5a953a924..ce790fc9565c 100644 --- a/clients/client-dataexchange/src/commands/ListDataSetRevisionsCommand.ts +++ b/clients/client-dataexchange/src/commands/ListDataSetRevisionsCommand.ts @@ -106,4 +106,16 @@ export class ListDataSetRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSetRevisionsCommand) .de(de_ListDataSetRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSetRevisionsRequest; + output: ListDataSetRevisionsResponse; + }; + sdk: { + input: ListDataSetRevisionsCommandInput; + output: ListDataSetRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/ListDataSetsCommand.ts b/clients/client-dataexchange/src/commands/ListDataSetsCommand.ts index 9889953b737a..6b6855ac6b34 100644 --- a/clients/client-dataexchange/src/commands/ListDataSetsCommand.ts +++ b/clients/client-dataexchange/src/commands/ListDataSetsCommand.ts @@ -107,4 +107,16 @@ export class ListDataSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSetsCommand) .de(de_ListDataSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSetsRequest; + output: ListDataSetsResponse; + }; + sdk: { + input: ListDataSetsCommandInput; + output: ListDataSetsCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/ListEventActionsCommand.ts b/clients/client-dataexchange/src/commands/ListEventActionsCommand.ts index 2b22afd41bb1..d67f207815c5 100644 --- a/clients/client-dataexchange/src/commands/ListEventActionsCommand.ts +++ b/clients/client-dataexchange/src/commands/ListEventActionsCommand.ts @@ -116,4 +116,16 @@ export class ListEventActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventActionsCommand) .de(de_ListEventActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventActionsRequest; + output: ListEventActionsResponse; + }; + sdk: { + input: ListEventActionsCommandInput; + output: ListEventActionsCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/ListJobsCommand.ts b/clients/client-dataexchange/src/commands/ListJobsCommand.ts index 958abe6067be..fc18ebdb8b41 100644 --- a/clients/client-dataexchange/src/commands/ListJobsCommand.ts +++ b/clients/client-dataexchange/src/commands/ListJobsCommand.ts @@ -252,4 +252,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResponse; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/ListRevisionAssetsCommand.ts b/clients/client-dataexchange/src/commands/ListRevisionAssetsCommand.ts index 6861801f762a..2d25e2bc2fec 100644 --- a/clients/client-dataexchange/src/commands/ListRevisionAssetsCommand.ts +++ b/clients/client-dataexchange/src/commands/ListRevisionAssetsCommand.ts @@ -175,4 +175,16 @@ export class ListRevisionAssetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRevisionAssetsCommand) .de(de_ListRevisionAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRevisionAssetsRequest; + output: ListRevisionAssetsResponse; + }; + sdk: { + input: ListRevisionAssetsCommandInput; + output: ListRevisionAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/ListTagsForResourceCommand.ts b/clients/client-dataexchange/src/commands/ListTagsForResourceCommand.ts index 212ec6874edc..1eb90510b93d 100644 --- a/clients/client-dataexchange/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-dataexchange/src/commands/ListTagsForResourceCommand.ts @@ -79,4 +79,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/RevokeRevisionCommand.ts b/clients/client-dataexchange/src/commands/RevokeRevisionCommand.ts index fd5c1107c11e..48d7cc0c72f8 100644 --- a/clients/client-dataexchange/src/commands/RevokeRevisionCommand.ts +++ b/clients/client-dataexchange/src/commands/RevokeRevisionCommand.ts @@ -107,4 +107,16 @@ export class RevokeRevisionCommand extends $Command .f(void 0, void 0) .ser(se_RevokeRevisionCommand) .de(de_RevokeRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeRevisionRequest; + output: RevokeRevisionResponse; + }; + sdk: { + input: RevokeRevisionCommandInput; + output: RevokeRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/SendApiAssetCommand.ts b/clients/client-dataexchange/src/commands/SendApiAssetCommand.ts index 98a9102f68e7..d49b93f17cbf 100644 --- a/clients/client-dataexchange/src/commands/SendApiAssetCommand.ts +++ b/clients/client-dataexchange/src/commands/SendApiAssetCommand.ts @@ -106,4 +106,16 @@ export class SendApiAssetCommand extends $Command .f(void 0, void 0) .ser(se_SendApiAssetCommand) .de(de_SendApiAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendApiAssetRequest; + output: SendApiAssetResponse; + }; + sdk: { + input: SendApiAssetCommandInput; + output: SendApiAssetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/SendDataSetNotificationCommand.ts b/clients/client-dataexchange/src/commands/SendDataSetNotificationCommand.ts index b988efa44991..806e8a39ea67 100644 --- a/clients/client-dataexchange/src/commands/SendDataSetNotificationCommand.ts +++ b/clients/client-dataexchange/src/commands/SendDataSetNotificationCommand.ts @@ -142,4 +142,16 @@ export class SendDataSetNotificationCommand extends $Command .f(void 0, void 0) .ser(se_SendDataSetNotificationCommand) .de(de_SendDataSetNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendDataSetNotificationRequest; + output: {}; + }; + sdk: { + input: SendDataSetNotificationCommandInput; + output: SendDataSetNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/StartJobCommand.ts b/clients/client-dataexchange/src/commands/StartJobCommand.ts index d12341a69bec..14c1507530f7 100644 --- a/clients/client-dataexchange/src/commands/StartJobCommand.ts +++ b/clients/client-dataexchange/src/commands/StartJobCommand.ts @@ -93,4 +93,16 @@ export class StartJobCommand extends $Command .f(void 0, void 0) .ser(se_StartJobCommand) .de(de_StartJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartJobRequest; + output: {}; + }; + sdk: { + input: StartJobCommandInput; + output: StartJobCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/TagResourceCommand.ts b/clients/client-dataexchange/src/commands/TagResourceCommand.ts index 2664499b756f..7e2ffc72dbbd 100644 --- a/clients/client-dataexchange/src/commands/TagResourceCommand.ts +++ b/clients/client-dataexchange/src/commands/TagResourceCommand.ts @@ -78,4 +78,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/UntagResourceCommand.ts b/clients/client-dataexchange/src/commands/UntagResourceCommand.ts index 652d5d9ea839..aa3d7ade58a8 100644 --- a/clients/client-dataexchange/src/commands/UntagResourceCommand.ts +++ b/clients/client-dataexchange/src/commands/UntagResourceCommand.ts @@ -78,4 +78,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/UpdateAssetCommand.ts b/clients/client-dataexchange/src/commands/UpdateAssetCommand.ts index a2e29ed3ac04..6761219f2f88 100644 --- a/clients/client-dataexchange/src/commands/UpdateAssetCommand.ts +++ b/clients/client-dataexchange/src/commands/UpdateAssetCommand.ts @@ -176,4 +176,16 @@ export class UpdateAssetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAssetCommand) .de(de_UpdateAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssetRequest; + output: UpdateAssetResponse; + }; + sdk: { + input: UpdateAssetCommandInput; + output: UpdateAssetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/UpdateDataSetCommand.ts b/clients/client-dataexchange/src/commands/UpdateDataSetCommand.ts index b9f2ac977dd3..f6ffca2646cf 100644 --- a/clients/client-dataexchange/src/commands/UpdateDataSetCommand.ts +++ b/clients/client-dataexchange/src/commands/UpdateDataSetCommand.ts @@ -105,4 +105,16 @@ export class UpdateDataSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSetCommand) .de(de_UpdateDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSetRequest; + output: UpdateDataSetResponse; + }; + sdk: { + input: UpdateDataSetCommandInput; + output: UpdateDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/UpdateEventActionCommand.ts b/clients/client-dataexchange/src/commands/UpdateEventActionCommand.ts index 26082e39ac38..a0dbd55841ea 100644 --- a/clients/client-dataexchange/src/commands/UpdateEventActionCommand.ts +++ b/clients/client-dataexchange/src/commands/UpdateEventActionCommand.ts @@ -124,4 +124,16 @@ export class UpdateEventActionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventActionCommand) .de(de_UpdateEventActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventActionRequest; + output: UpdateEventActionResponse; + }; + sdk: { + input: UpdateEventActionCommandInput; + output: UpdateEventActionCommandOutput; + }; + }; +} diff --git a/clients/client-dataexchange/src/commands/UpdateRevisionCommand.ts b/clients/client-dataexchange/src/commands/UpdateRevisionCommand.ts index 59283e2b41a5..55641798b2d7 100644 --- a/clients/client-dataexchange/src/commands/UpdateRevisionCommand.ts +++ b/clients/client-dataexchange/src/commands/UpdateRevisionCommand.ts @@ -108,4 +108,16 @@ export class UpdateRevisionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRevisionCommand) .de(de_UpdateRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRevisionRequest; + output: UpdateRevisionResponse; + }; + sdk: { + input: UpdateRevisionCommandInput; + output: UpdateRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/package.json b/clients/client-datasync/package.json index 64c02cc2e252..2e0d00fb3900 100644 --- a/clients/client-datasync/package.json +++ b/clients/client-datasync/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-datasync/src/commands/AddStorageSystemCommand.ts b/clients/client-datasync/src/commands/AddStorageSystemCommand.ts index a25df147e20d..41483dfcd755 100644 --- a/clients/client-datasync/src/commands/AddStorageSystemCommand.ts +++ b/clients/client-datasync/src/commands/AddStorageSystemCommand.ts @@ -109,4 +109,16 @@ export class AddStorageSystemCommand extends $Command .f(AddStorageSystemRequestFilterSensitiveLog, void 0) .ser(se_AddStorageSystemCommand) .de(de_AddStorageSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddStorageSystemRequest; + output: AddStorageSystemResponse; + }; + sdk: { + input: AddStorageSystemCommandInput; + output: AddStorageSystemCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CancelTaskExecutionCommand.ts b/clients/client-datasync/src/commands/CancelTaskExecutionCommand.ts index 0fddb637ef23..d6163173b780 100644 --- a/clients/client-datasync/src/commands/CancelTaskExecutionCommand.ts +++ b/clients/client-datasync/src/commands/CancelTaskExecutionCommand.ts @@ -88,4 +88,16 @@ export class CancelTaskExecutionCommand extends $Command .f(void 0, void 0) .ser(se_CancelTaskExecutionCommand) .de(de_CancelTaskExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelTaskExecutionRequest; + output: {}; + }; + sdk: { + input: CancelTaskExecutionCommandInput; + output: CancelTaskExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateAgentCommand.ts b/clients/client-datasync/src/commands/CreateAgentCommand.ts index 8f7c5e81e2e3..24edbc58ccaa 100644 --- a/clients/client-datasync/src/commands/CreateAgentCommand.ts +++ b/clients/client-datasync/src/commands/CreateAgentCommand.ts @@ -116,4 +116,16 @@ export class CreateAgentCommand extends $Command .f(void 0, void 0) .ser(se_CreateAgentCommand) .de(de_CreateAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAgentRequest; + output: CreateAgentResponse; + }; + sdk: { + input: CreateAgentCommandInput; + output: CreateAgentCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationAzureBlobCommand.ts b/clients/client-datasync/src/commands/CreateLocationAzureBlobCommand.ts index fc02fc31ff82..bcca1985285c 100644 --- a/clients/client-datasync/src/commands/CreateLocationAzureBlobCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationAzureBlobCommand.ts @@ -108,4 +108,16 @@ export class CreateLocationAzureBlobCommand extends $Command .f(CreateLocationAzureBlobRequestFilterSensitiveLog, void 0) .ser(se_CreateLocationAzureBlobCommand) .de(de_CreateLocationAzureBlobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationAzureBlobRequest; + output: CreateLocationAzureBlobResponse; + }; + sdk: { + input: CreateLocationAzureBlobCommandInput; + output: CreateLocationAzureBlobCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationEfsCommand.ts b/clients/client-datasync/src/commands/CreateLocationEfsCommand.ts index 62b93304eb62..ff742d6529f6 100644 --- a/clients/client-datasync/src/commands/CreateLocationEfsCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationEfsCommand.ts @@ -105,4 +105,16 @@ export class CreateLocationEfsCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocationEfsCommand) .de(de_CreateLocationEfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationEfsRequest; + output: CreateLocationEfsResponse; + }; + sdk: { + input: CreateLocationEfsCommandInput; + output: CreateLocationEfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationFsxLustreCommand.ts b/clients/client-datasync/src/commands/CreateLocationFsxLustreCommand.ts index f43e50294a56..8541e50710f0 100644 --- a/clients/client-datasync/src/commands/CreateLocationFsxLustreCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationFsxLustreCommand.ts @@ -98,4 +98,16 @@ export class CreateLocationFsxLustreCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocationFsxLustreCommand) .de(de_CreateLocationFsxLustreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationFsxLustreRequest; + output: CreateLocationFsxLustreResponse; + }; + sdk: { + input: CreateLocationFsxLustreCommandInput; + output: CreateLocationFsxLustreCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationFsxOntapCommand.ts b/clients/client-datasync/src/commands/CreateLocationFsxOntapCommand.ts index da78995f7d33..2b8f5b96c9c7 100644 --- a/clients/client-datasync/src/commands/CreateLocationFsxOntapCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationFsxOntapCommand.ts @@ -117,4 +117,16 @@ export class CreateLocationFsxOntapCommand extends $Command .f(CreateLocationFsxOntapRequestFilterSensitiveLog, void 0) .ser(se_CreateLocationFsxOntapCommand) .de(de_CreateLocationFsxOntapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationFsxOntapRequest; + output: CreateLocationFsxOntapResponse; + }; + sdk: { + input: CreateLocationFsxOntapCommandInput; + output: CreateLocationFsxOntapCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationFsxOpenZfsCommand.ts b/clients/client-datasync/src/commands/CreateLocationFsxOpenZfsCommand.ts index e3ac623db115..95bcd07e27e6 100644 --- a/clients/client-datasync/src/commands/CreateLocationFsxOpenZfsCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationFsxOpenZfsCommand.ts @@ -121,4 +121,16 @@ export class CreateLocationFsxOpenZfsCommand extends $Command .f(CreateLocationFsxOpenZfsRequestFilterSensitiveLog, void 0) .ser(se_CreateLocationFsxOpenZfsCommand) .de(de_CreateLocationFsxOpenZfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationFsxOpenZfsRequest; + output: CreateLocationFsxOpenZfsResponse; + }; + sdk: { + input: CreateLocationFsxOpenZfsCommandInput; + output: CreateLocationFsxOpenZfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationFsxWindowsCommand.ts b/clients/client-datasync/src/commands/CreateLocationFsxWindowsCommand.ts index 52895e4f6b09..f32351b33bc4 100644 --- a/clients/client-datasync/src/commands/CreateLocationFsxWindowsCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationFsxWindowsCommand.ts @@ -106,4 +106,16 @@ export class CreateLocationFsxWindowsCommand extends $Command .f(CreateLocationFsxWindowsRequestFilterSensitiveLog, void 0) .ser(se_CreateLocationFsxWindowsCommand) .de(de_CreateLocationFsxWindowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationFsxWindowsRequest; + output: CreateLocationFsxWindowsResponse; + }; + sdk: { + input: CreateLocationFsxWindowsCommandInput; + output: CreateLocationFsxWindowsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationHdfsCommand.ts b/clients/client-datasync/src/commands/CreateLocationHdfsCommand.ts index 72b5531b9483..c1b1226b0ac8 100644 --- a/clients/client-datasync/src/commands/CreateLocationHdfsCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationHdfsCommand.ts @@ -116,4 +116,16 @@ export class CreateLocationHdfsCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocationHdfsCommand) .de(de_CreateLocationHdfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationHdfsRequest; + output: CreateLocationHdfsResponse; + }; + sdk: { + input: CreateLocationHdfsCommandInput; + output: CreateLocationHdfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationNfsCommand.ts b/clients/client-datasync/src/commands/CreateLocationNfsCommand.ts index 51b1544e2a91..ef0244eef08f 100644 --- a/clients/client-datasync/src/commands/CreateLocationNfsCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationNfsCommand.ts @@ -109,4 +109,16 @@ export class CreateLocationNfsCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocationNfsCommand) .de(de_CreateLocationNfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationNfsRequest; + output: CreateLocationNfsResponse; + }; + sdk: { + input: CreateLocationNfsCommandInput; + output: CreateLocationNfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationObjectStorageCommand.ts b/clients/client-datasync/src/commands/CreateLocationObjectStorageCommand.ts index e7ccae8b3b09..b0e52eae09a0 100644 --- a/clients/client-datasync/src/commands/CreateLocationObjectStorageCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationObjectStorageCommand.ts @@ -109,4 +109,16 @@ export class CreateLocationObjectStorageCommand extends $Command .f(CreateLocationObjectStorageRequestFilterSensitiveLog, void 0) .ser(se_CreateLocationObjectStorageCommand) .de(de_CreateLocationObjectStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationObjectStorageRequest; + output: CreateLocationObjectStorageResponse; + }; + sdk: { + input: CreateLocationObjectStorageCommandInput; + output: CreateLocationObjectStorageCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationS3Command.ts b/clients/client-datasync/src/commands/CreateLocationS3Command.ts index ea8a864e23e7..0dde78996f10 100644 --- a/clients/client-datasync/src/commands/CreateLocationS3Command.ts +++ b/clients/client-datasync/src/commands/CreateLocationS3Command.ts @@ -116,4 +116,16 @@ export class CreateLocationS3Command extends $Command .f(void 0, void 0) .ser(se_CreateLocationS3Command) .de(de_CreateLocationS3Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationS3Request; + output: CreateLocationS3Response; + }; + sdk: { + input: CreateLocationS3CommandInput; + output: CreateLocationS3CommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateLocationSmbCommand.ts b/clients/client-datasync/src/commands/CreateLocationSmbCommand.ts index fe75bcc4ed1f..4241162b543e 100644 --- a/clients/client-datasync/src/commands/CreateLocationSmbCommand.ts +++ b/clients/client-datasync/src/commands/CreateLocationSmbCommand.ts @@ -109,4 +109,16 @@ export class CreateLocationSmbCommand extends $Command .f(CreateLocationSmbRequestFilterSensitiveLog, void 0) .ser(se_CreateLocationSmbCommand) .de(de_CreateLocationSmbCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationSmbRequest; + output: CreateLocationSmbResponse; + }; + sdk: { + input: CreateLocationSmbCommandInput; + output: CreateLocationSmbCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/CreateTaskCommand.ts b/clients/client-datasync/src/commands/CreateTaskCommand.ts index 9ca47c5df230..ecaaa90d3701 100644 --- a/clients/client-datasync/src/commands/CreateTaskCommand.ts +++ b/clients/client-datasync/src/commands/CreateTaskCommand.ts @@ -172,4 +172,16 @@ export class CreateTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateTaskCommand) .de(de_CreateTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTaskRequest; + output: CreateTaskResponse; + }; + sdk: { + input: CreateTaskCommandInput; + output: CreateTaskCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DeleteAgentCommand.ts b/clients/client-datasync/src/commands/DeleteAgentCommand.ts index c6364da4fedd..257b1f29fe2e 100644 --- a/clients/client-datasync/src/commands/DeleteAgentCommand.ts +++ b/clients/client-datasync/src/commands/DeleteAgentCommand.ts @@ -86,4 +86,16 @@ export class DeleteAgentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAgentCommand) .de(de_DeleteAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAgentRequest; + output: {}; + }; + sdk: { + input: DeleteAgentCommandInput; + output: DeleteAgentCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DeleteLocationCommand.ts b/clients/client-datasync/src/commands/DeleteLocationCommand.ts index a7f0307a6029..75552127695f 100644 --- a/clients/client-datasync/src/commands/DeleteLocationCommand.ts +++ b/clients/client-datasync/src/commands/DeleteLocationCommand.ts @@ -82,4 +82,16 @@ export class DeleteLocationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLocationCommand) .de(de_DeleteLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLocationRequest; + output: {}; + }; + sdk: { + input: DeleteLocationCommandInput; + output: DeleteLocationCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DeleteTaskCommand.ts b/clients/client-datasync/src/commands/DeleteTaskCommand.ts index 89396c957464..edbc72d13403 100644 --- a/clients/client-datasync/src/commands/DeleteTaskCommand.ts +++ b/clients/client-datasync/src/commands/DeleteTaskCommand.ts @@ -82,4 +82,16 @@ export class DeleteTaskCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTaskCommand) .de(de_DeleteTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTaskRequest; + output: {}; + }; + sdk: { + input: DeleteTaskCommandInput; + output: DeleteTaskCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeAgentCommand.ts b/clients/client-datasync/src/commands/DescribeAgentCommand.ts index 67da369edb8d..45a9e66a1c3e 100644 --- a/clients/client-datasync/src/commands/DescribeAgentCommand.ts +++ b/clients/client-datasync/src/commands/DescribeAgentCommand.ts @@ -103,4 +103,16 @@ export class DescribeAgentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAgentCommand) .de(de_DescribeAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAgentRequest; + output: DescribeAgentResponse; + }; + sdk: { + input: DescribeAgentCommandInput; + output: DescribeAgentCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeDiscoveryJobCommand.ts b/clients/client-datasync/src/commands/DescribeDiscoveryJobCommand.ts index 3394470a414f..2341d7731b83 100644 --- a/clients/client-datasync/src/commands/DescribeDiscoveryJobCommand.ts +++ b/clients/client-datasync/src/commands/DescribeDiscoveryJobCommand.ts @@ -89,4 +89,16 @@ export class DescribeDiscoveryJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDiscoveryJobCommand) .de(de_DescribeDiscoveryJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDiscoveryJobRequest; + output: DescribeDiscoveryJobResponse; + }; + sdk: { + input: DescribeDiscoveryJobCommandInput; + output: DescribeDiscoveryJobCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationAzureBlobCommand.ts b/clients/client-datasync/src/commands/DescribeLocationAzureBlobCommand.ts index 80162b70f4a4..a89295346e3c 100644 --- a/clients/client-datasync/src/commands/DescribeLocationAzureBlobCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationAzureBlobCommand.ts @@ -92,4 +92,16 @@ export class DescribeLocationAzureBlobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationAzureBlobCommand) .de(de_DescribeLocationAzureBlobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationAzureBlobRequest; + output: DescribeLocationAzureBlobResponse; + }; + sdk: { + input: DescribeLocationAzureBlobCommandInput; + output: DescribeLocationAzureBlobCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationEfsCommand.ts b/clients/client-datasync/src/commands/DescribeLocationEfsCommand.ts index 1ab529c092b0..4ff8879090fb 100644 --- a/clients/client-datasync/src/commands/DescribeLocationEfsCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationEfsCommand.ts @@ -95,4 +95,16 @@ export class DescribeLocationEfsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationEfsCommand) .de(de_DescribeLocationEfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationEfsRequest; + output: DescribeLocationEfsResponse; + }; + sdk: { + input: DescribeLocationEfsCommandInput; + output: DescribeLocationEfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationFsxLustreCommand.ts b/clients/client-datasync/src/commands/DescribeLocationFsxLustreCommand.ts index 5b14c0e924ab..4799f5be7fc3 100644 --- a/clients/client-datasync/src/commands/DescribeLocationFsxLustreCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationFsxLustreCommand.ts @@ -89,4 +89,16 @@ export class DescribeLocationFsxLustreCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationFsxLustreCommand) .de(de_DescribeLocationFsxLustreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationFsxLustreRequest; + output: DescribeLocationFsxLustreResponse; + }; + sdk: { + input: DescribeLocationFsxLustreCommandInput; + output: DescribeLocationFsxLustreCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationFsxOntapCommand.ts b/clients/client-datasync/src/commands/DescribeLocationFsxOntapCommand.ts index 093bf9b6ff14..8d786df26d79 100644 --- a/clients/client-datasync/src/commands/DescribeLocationFsxOntapCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationFsxOntapCommand.ts @@ -114,4 +114,16 @@ export class DescribeLocationFsxOntapCommand extends $Command .f(void 0, DescribeLocationFsxOntapResponseFilterSensitiveLog) .ser(se_DescribeLocationFsxOntapCommand) .de(de_DescribeLocationFsxOntapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationFsxOntapRequest; + output: DescribeLocationFsxOntapResponse; + }; + sdk: { + input: DescribeLocationFsxOntapCommandInput; + output: DescribeLocationFsxOntapCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationFsxOpenZfsCommand.ts b/clients/client-datasync/src/commands/DescribeLocationFsxOpenZfsCommand.ts index 2cdac3c96a3d..b140862c1c00 100644 --- a/clients/client-datasync/src/commands/DescribeLocationFsxOpenZfsCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationFsxOpenZfsCommand.ts @@ -112,4 +112,16 @@ export class DescribeLocationFsxOpenZfsCommand extends $Command .f(void 0, DescribeLocationFsxOpenZfsResponseFilterSensitiveLog) .ser(se_DescribeLocationFsxOpenZfsCommand) .de(de_DescribeLocationFsxOpenZfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationFsxOpenZfsRequest; + output: DescribeLocationFsxOpenZfsResponse; + }; + sdk: { + input: DescribeLocationFsxOpenZfsCommandInput; + output: DescribeLocationFsxOpenZfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationFsxWindowsCommand.ts b/clients/client-datasync/src/commands/DescribeLocationFsxWindowsCommand.ts index 9d45861ab0d2..06f731de95c0 100644 --- a/clients/client-datasync/src/commands/DescribeLocationFsxWindowsCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationFsxWindowsCommand.ts @@ -91,4 +91,16 @@ export class DescribeLocationFsxWindowsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationFsxWindowsCommand) .de(de_DescribeLocationFsxWindowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationFsxWindowsRequest; + output: DescribeLocationFsxWindowsResponse; + }; + sdk: { + input: DescribeLocationFsxWindowsCommandInput; + output: DescribeLocationFsxWindowsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationHdfsCommand.ts b/clients/client-datasync/src/commands/DescribeLocationHdfsCommand.ts index f475eca3dfa5..8dca43f97618 100644 --- a/clients/client-datasync/src/commands/DescribeLocationHdfsCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationHdfsCommand.ts @@ -106,4 +106,16 @@ export class DescribeLocationHdfsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationHdfsCommand) .de(de_DescribeLocationHdfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationHdfsRequest; + output: DescribeLocationHdfsResponse; + }; + sdk: { + input: DescribeLocationHdfsCommandInput; + output: DescribeLocationHdfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationNfsCommand.ts b/clients/client-datasync/src/commands/DescribeLocationNfsCommand.ts index d670c7bde972..27c6eb707f5d 100644 --- a/clients/client-datasync/src/commands/DescribeLocationNfsCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationNfsCommand.ts @@ -95,4 +95,16 @@ export class DescribeLocationNfsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationNfsCommand) .de(de_DescribeLocationNfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationNfsRequest; + output: DescribeLocationNfsResponse; + }; + sdk: { + input: DescribeLocationNfsCommandInput; + output: DescribeLocationNfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationObjectStorageCommand.ts b/clients/client-datasync/src/commands/DescribeLocationObjectStorageCommand.ts index 08bc5ca0e63c..9b748e096614 100644 --- a/clients/client-datasync/src/commands/DescribeLocationObjectStorageCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationObjectStorageCommand.ts @@ -99,4 +99,16 @@ export class DescribeLocationObjectStorageCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationObjectStorageCommand) .de(de_DescribeLocationObjectStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationObjectStorageRequest; + output: DescribeLocationObjectStorageResponse; + }; + sdk: { + input: DescribeLocationObjectStorageCommandInput; + output: DescribeLocationObjectStorageCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationS3Command.ts b/clients/client-datasync/src/commands/DescribeLocationS3Command.ts index 99f1c1b593e9..a3f80bdf9b36 100644 --- a/clients/client-datasync/src/commands/DescribeLocationS3Command.ts +++ b/clients/client-datasync/src/commands/DescribeLocationS3Command.ts @@ -94,4 +94,16 @@ export class DescribeLocationS3Command extends $Command .f(void 0, void 0) .ser(se_DescribeLocationS3Command) .de(de_DescribeLocationS3Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationS3Request; + output: DescribeLocationS3Response; + }; + sdk: { + input: DescribeLocationS3CommandInput; + output: DescribeLocationS3CommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeLocationSmbCommand.ts b/clients/client-datasync/src/commands/DescribeLocationSmbCommand.ts index 2dfeffc82dc7..284b1ad65448 100644 --- a/clients/client-datasync/src/commands/DescribeLocationSmbCommand.ts +++ b/clients/client-datasync/src/commands/DescribeLocationSmbCommand.ts @@ -95,4 +95,16 @@ export class DescribeLocationSmbCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationSmbCommand) .de(de_DescribeLocationSmbCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocationSmbRequest; + output: DescribeLocationSmbResponse; + }; + sdk: { + input: DescribeLocationSmbCommandInput; + output: DescribeLocationSmbCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeStorageSystemCommand.ts b/clients/client-datasync/src/commands/DescribeStorageSystemCommand.ts index 0c2b8920c989..f52840a036a1 100644 --- a/clients/client-datasync/src/commands/DescribeStorageSystemCommand.ts +++ b/clients/client-datasync/src/commands/DescribeStorageSystemCommand.ts @@ -99,4 +99,16 @@ export class DescribeStorageSystemCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStorageSystemCommand) .de(de_DescribeStorageSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStorageSystemRequest; + output: DescribeStorageSystemResponse; + }; + sdk: { + input: DescribeStorageSystemCommandInput; + output: DescribeStorageSystemCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeStorageSystemResourceMetricsCommand.ts b/clients/client-datasync/src/commands/DescribeStorageSystemResourceMetricsCommand.ts index c6711ffbd5e6..709788fc40c4 100644 --- a/clients/client-datasync/src/commands/DescribeStorageSystemResourceMetricsCommand.ts +++ b/clients/client-datasync/src/commands/DescribeStorageSystemResourceMetricsCommand.ts @@ -131,4 +131,16 @@ export class DescribeStorageSystemResourceMetricsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStorageSystemResourceMetricsCommand) .de(de_DescribeStorageSystemResourceMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStorageSystemResourceMetricsRequest; + output: DescribeStorageSystemResourceMetricsResponse; + }; + sdk: { + input: DescribeStorageSystemResourceMetricsCommandInput; + output: DescribeStorageSystemResourceMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeStorageSystemResourcesCommand.ts b/clients/client-datasync/src/commands/DescribeStorageSystemResourcesCommand.ts index 6c085940fd51..89ba7c8302e0 100644 --- a/clients/client-datasync/src/commands/DescribeStorageSystemResourcesCommand.ts +++ b/clients/client-datasync/src/commands/DescribeStorageSystemResourcesCommand.ts @@ -218,4 +218,16 @@ export class DescribeStorageSystemResourcesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStorageSystemResourcesCommand) .de(de_DescribeStorageSystemResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStorageSystemResourcesRequest; + output: DescribeStorageSystemResourcesResponse; + }; + sdk: { + input: DescribeStorageSystemResourcesCommandInput; + output: DescribeStorageSystemResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeTaskCommand.ts b/clients/client-datasync/src/commands/DescribeTaskCommand.ts index b8ed1e4a3e10..5aa9fa8203f3 100644 --- a/clients/client-datasync/src/commands/DescribeTaskCommand.ts +++ b/clients/client-datasync/src/commands/DescribeTaskCommand.ts @@ -175,4 +175,16 @@ export class DescribeTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTaskCommand) .de(de_DescribeTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTaskRequest; + output: DescribeTaskResponse; + }; + sdk: { + input: DescribeTaskCommandInput; + output: DescribeTaskCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/DescribeTaskExecutionCommand.ts b/clients/client-datasync/src/commands/DescribeTaskExecutionCommand.ts index ba42910db067..58cd4a4188e3 100644 --- a/clients/client-datasync/src/commands/DescribeTaskExecutionCommand.ts +++ b/clients/client-datasync/src/commands/DescribeTaskExecutionCommand.ts @@ -181,4 +181,16 @@ export class DescribeTaskExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTaskExecutionCommand) .de(de_DescribeTaskExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTaskExecutionRequest; + output: DescribeTaskExecutionResponse; + }; + sdk: { + input: DescribeTaskExecutionCommandInput; + output: DescribeTaskExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/GenerateRecommendationsCommand.ts b/clients/client-datasync/src/commands/GenerateRecommendationsCommand.ts index b6277f51b2bf..b44034d91a02 100644 --- a/clients/client-datasync/src/commands/GenerateRecommendationsCommand.ts +++ b/clients/client-datasync/src/commands/GenerateRecommendationsCommand.ts @@ -90,4 +90,16 @@ export class GenerateRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GenerateRecommendationsCommand) .de(de_GenerateRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateRecommendationsRequest; + output: {}; + }; + sdk: { + input: GenerateRecommendationsCommandInput; + output: GenerateRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/ListAgentsCommand.ts b/clients/client-datasync/src/commands/ListAgentsCommand.ts index 7128e572899a..2b21653f19f5 100644 --- a/clients/client-datasync/src/commands/ListAgentsCommand.ts +++ b/clients/client-datasync/src/commands/ListAgentsCommand.ts @@ -105,4 +105,16 @@ export class ListAgentsCommand extends $Command .f(void 0, void 0) .ser(se_ListAgentsCommand) .de(de_ListAgentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgentsRequest; + output: ListAgentsResponse; + }; + sdk: { + input: ListAgentsCommandInput; + output: ListAgentsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/ListDiscoveryJobsCommand.ts b/clients/client-datasync/src/commands/ListDiscoveryJobsCommand.ts index e82ce5d3826d..8dc14aa3310d 100644 --- a/clients/client-datasync/src/commands/ListDiscoveryJobsCommand.ts +++ b/clients/client-datasync/src/commands/ListDiscoveryJobsCommand.ts @@ -93,4 +93,16 @@ export class ListDiscoveryJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDiscoveryJobsCommand) .de(de_ListDiscoveryJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDiscoveryJobsRequest; + output: ListDiscoveryJobsResponse; + }; + sdk: { + input: ListDiscoveryJobsCommandInput; + output: ListDiscoveryJobsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/ListLocationsCommand.ts b/clients/client-datasync/src/commands/ListLocationsCommand.ts index a47c6531b795..0e7358173a82 100644 --- a/clients/client-datasync/src/commands/ListLocationsCommand.ts +++ b/clients/client-datasync/src/commands/ListLocationsCommand.ts @@ -103,4 +103,16 @@ export class ListLocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLocationsCommand) .de(de_ListLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLocationsRequest; + output: ListLocationsResponse; + }; + sdk: { + input: ListLocationsCommandInput; + output: ListLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/ListStorageSystemsCommand.ts b/clients/client-datasync/src/commands/ListStorageSystemsCommand.ts index ec4dcf53d979..04571a66a2e9 100644 --- a/clients/client-datasync/src/commands/ListStorageSystemsCommand.ts +++ b/clients/client-datasync/src/commands/ListStorageSystemsCommand.ts @@ -91,4 +91,16 @@ export class ListStorageSystemsCommand extends $Command .f(void 0, void 0) .ser(se_ListStorageSystemsCommand) .de(de_ListStorageSystemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStorageSystemsRequest; + output: ListStorageSystemsResponse; + }; + sdk: { + input: ListStorageSystemsCommandInput; + output: ListStorageSystemsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/ListTagsForResourceCommand.ts b/clients/client-datasync/src/commands/ListTagsForResourceCommand.ts index 0a67d8135a80..1f6f126fb029 100644 --- a/clients/client-datasync/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-datasync/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/ListTaskExecutionsCommand.ts b/clients/client-datasync/src/commands/ListTaskExecutionsCommand.ts index b57e6d36b2bf..58a3ff069528 100644 --- a/clients/client-datasync/src/commands/ListTaskExecutionsCommand.ts +++ b/clients/client-datasync/src/commands/ListTaskExecutionsCommand.ts @@ -92,4 +92,16 @@ export class ListTaskExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTaskExecutionsCommand) .de(de_ListTaskExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTaskExecutionsRequest; + output: ListTaskExecutionsResponse; + }; + sdk: { + input: ListTaskExecutionsCommandInput; + output: ListTaskExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/ListTasksCommand.ts b/clients/client-datasync/src/commands/ListTasksCommand.ts index 213a1e54cd0b..e6e73b5ddd90 100644 --- a/clients/client-datasync/src/commands/ListTasksCommand.ts +++ b/clients/client-datasync/src/commands/ListTasksCommand.ts @@ -101,4 +101,16 @@ export class ListTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListTasksCommand) .de(de_ListTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTasksRequest; + output: ListTasksResponse; + }; + sdk: { + input: ListTasksCommandInput; + output: ListTasksCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/RemoveStorageSystemCommand.ts b/clients/client-datasync/src/commands/RemoveStorageSystemCommand.ts index 0a29475bdf46..7f8aeebee276 100644 --- a/clients/client-datasync/src/commands/RemoveStorageSystemCommand.ts +++ b/clients/client-datasync/src/commands/RemoveStorageSystemCommand.ts @@ -83,4 +83,16 @@ export class RemoveStorageSystemCommand extends $Command .f(void 0, void 0) .ser(se_RemoveStorageSystemCommand) .de(de_RemoveStorageSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveStorageSystemRequest; + output: {}; + }; + sdk: { + input: RemoveStorageSystemCommandInput; + output: RemoveStorageSystemCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/StartDiscoveryJobCommand.ts b/clients/client-datasync/src/commands/StartDiscoveryJobCommand.ts index c0db9b2da54f..56bc3b5d16c5 100644 --- a/clients/client-datasync/src/commands/StartDiscoveryJobCommand.ts +++ b/clients/client-datasync/src/commands/StartDiscoveryJobCommand.ts @@ -94,4 +94,16 @@ export class StartDiscoveryJobCommand extends $Command .f(void 0, void 0) .ser(se_StartDiscoveryJobCommand) .de(de_StartDiscoveryJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDiscoveryJobRequest; + output: StartDiscoveryJobResponse; + }; + sdk: { + input: StartDiscoveryJobCommandInput; + output: StartDiscoveryJobCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/StartTaskExecutionCommand.ts b/clients/client-datasync/src/commands/StartTaskExecutionCommand.ts index 66d6d38926f1..21da74c5f959 100644 --- a/clients/client-datasync/src/commands/StartTaskExecutionCommand.ts +++ b/clients/client-datasync/src/commands/StartTaskExecutionCommand.ts @@ -165,4 +165,16 @@ export class StartTaskExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartTaskExecutionCommand) .de(de_StartTaskExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTaskExecutionRequest; + output: StartTaskExecutionResponse; + }; + sdk: { + input: StartTaskExecutionCommandInput; + output: StartTaskExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/StopDiscoveryJobCommand.ts b/clients/client-datasync/src/commands/StopDiscoveryJobCommand.ts index c8ebcb95bbc7..b59de8be7093 100644 --- a/clients/client-datasync/src/commands/StopDiscoveryJobCommand.ts +++ b/clients/client-datasync/src/commands/StopDiscoveryJobCommand.ts @@ -85,4 +85,16 @@ export class StopDiscoveryJobCommand extends $Command .f(void 0, void 0) .ser(se_StopDiscoveryJobCommand) .de(de_StopDiscoveryJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDiscoveryJobRequest; + output: {}; + }; + sdk: { + input: StopDiscoveryJobCommandInput; + output: StopDiscoveryJobCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/TagResourceCommand.ts b/clients/client-datasync/src/commands/TagResourceCommand.ts index 6d722e3f68cf..85dde9cca76a 100644 --- a/clients/client-datasync/src/commands/TagResourceCommand.ts +++ b/clients/client-datasync/src/commands/TagResourceCommand.ts @@ -91,4 +91,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UntagResourceCommand.ts b/clients/client-datasync/src/commands/UntagResourceCommand.ts index 23497b4a3213..b2d922aecd16 100644 --- a/clients/client-datasync/src/commands/UntagResourceCommand.ts +++ b/clients/client-datasync/src/commands/UntagResourceCommand.ts @@ -85,4 +85,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateAgentCommand.ts b/clients/client-datasync/src/commands/UpdateAgentCommand.ts index eca2404be28d..0729ec71bec8 100644 --- a/clients/client-datasync/src/commands/UpdateAgentCommand.ts +++ b/clients/client-datasync/src/commands/UpdateAgentCommand.ts @@ -83,4 +83,16 @@ export class UpdateAgentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAgentCommand) .de(de_UpdateAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgentRequest; + output: {}; + }; + sdk: { + input: UpdateAgentCommandInput; + output: UpdateAgentCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateDiscoveryJobCommand.ts b/clients/client-datasync/src/commands/UpdateDiscoveryJobCommand.ts index ee6304b2f5c9..5d6fbef95169 100644 --- a/clients/client-datasync/src/commands/UpdateDiscoveryJobCommand.ts +++ b/clients/client-datasync/src/commands/UpdateDiscoveryJobCommand.ts @@ -83,4 +83,16 @@ export class UpdateDiscoveryJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDiscoveryJobCommand) .de(de_UpdateDiscoveryJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDiscoveryJobRequest; + output: {}; + }; + sdk: { + input: UpdateDiscoveryJobCommandInput; + output: UpdateDiscoveryJobCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateLocationAzureBlobCommand.ts b/clients/client-datasync/src/commands/UpdateLocationAzureBlobCommand.ts index a5ef5eb27511..143176046dac 100644 --- a/clients/client-datasync/src/commands/UpdateLocationAzureBlobCommand.ts +++ b/clients/client-datasync/src/commands/UpdateLocationAzureBlobCommand.ts @@ -96,4 +96,16 @@ export class UpdateLocationAzureBlobCommand extends $Command .f(UpdateLocationAzureBlobRequestFilterSensitiveLog, void 0) .ser(se_UpdateLocationAzureBlobCommand) .de(de_UpdateLocationAzureBlobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLocationAzureBlobRequest; + output: {}; + }; + sdk: { + input: UpdateLocationAzureBlobCommandInput; + output: UpdateLocationAzureBlobCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateLocationHdfsCommand.ts b/clients/client-datasync/src/commands/UpdateLocationHdfsCommand.ts index cdde7700914d..99dd3c191a3f 100644 --- a/clients/client-datasync/src/commands/UpdateLocationHdfsCommand.ts +++ b/clients/client-datasync/src/commands/UpdateLocationHdfsCommand.ts @@ -105,4 +105,16 @@ export class UpdateLocationHdfsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLocationHdfsCommand) .de(de_UpdateLocationHdfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLocationHdfsRequest; + output: {}; + }; + sdk: { + input: UpdateLocationHdfsCommandInput; + output: UpdateLocationHdfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateLocationNfsCommand.ts b/clients/client-datasync/src/commands/UpdateLocationNfsCommand.ts index 7db5f5d17692..f8a2c087bdf5 100644 --- a/clients/client-datasync/src/commands/UpdateLocationNfsCommand.ts +++ b/clients/client-datasync/src/commands/UpdateLocationNfsCommand.ts @@ -94,4 +94,16 @@ export class UpdateLocationNfsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLocationNfsCommand) .de(de_UpdateLocationNfsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLocationNfsRequest; + output: {}; + }; + sdk: { + input: UpdateLocationNfsCommandInput; + output: UpdateLocationNfsCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateLocationObjectStorageCommand.ts b/clients/client-datasync/src/commands/UpdateLocationObjectStorageCommand.ts index 9b547558c707..79ac8272b829 100644 --- a/clients/client-datasync/src/commands/UpdateLocationObjectStorageCommand.ts +++ b/clients/client-datasync/src/commands/UpdateLocationObjectStorageCommand.ts @@ -98,4 +98,16 @@ export class UpdateLocationObjectStorageCommand extends $Command .f(UpdateLocationObjectStorageRequestFilterSensitiveLog, void 0) .ser(se_UpdateLocationObjectStorageCommand) .de(de_UpdateLocationObjectStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLocationObjectStorageRequest; + output: {}; + }; + sdk: { + input: UpdateLocationObjectStorageCommandInput; + output: UpdateLocationObjectStorageCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateLocationSmbCommand.ts b/clients/client-datasync/src/commands/UpdateLocationSmbCommand.ts index 83ab6e468ae6..87fe8e85d7f5 100644 --- a/clients/client-datasync/src/commands/UpdateLocationSmbCommand.ts +++ b/clients/client-datasync/src/commands/UpdateLocationSmbCommand.ts @@ -97,4 +97,16 @@ export class UpdateLocationSmbCommand extends $Command .f(UpdateLocationSmbRequestFilterSensitiveLog, void 0) .ser(se_UpdateLocationSmbCommand) .de(de_UpdateLocationSmbCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLocationSmbRequest; + output: {}; + }; + sdk: { + input: UpdateLocationSmbCommandInput; + output: UpdateLocationSmbCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateStorageSystemCommand.ts b/clients/client-datasync/src/commands/UpdateStorageSystemCommand.ts index 67ff9ca437d6..9c5255332167 100644 --- a/clients/client-datasync/src/commands/UpdateStorageSystemCommand.ts +++ b/clients/client-datasync/src/commands/UpdateStorageSystemCommand.ts @@ -100,4 +100,16 @@ export class UpdateStorageSystemCommand extends $Command .f(UpdateStorageSystemRequestFilterSensitiveLog, void 0) .ser(se_UpdateStorageSystemCommand) .de(de_UpdateStorageSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStorageSystemRequest; + output: {}; + }; + sdk: { + input: UpdateStorageSystemCommandInput; + output: UpdateStorageSystemCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateTaskCommand.ts b/clients/client-datasync/src/commands/UpdateTaskCommand.ts index 8c43f0871224..f803caab8a3f 100644 --- a/clients/client-datasync/src/commands/UpdateTaskCommand.ts +++ b/clients/client-datasync/src/commands/UpdateTaskCommand.ts @@ -155,4 +155,16 @@ export class UpdateTaskCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTaskCommand) .de(de_UpdateTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTaskRequest; + output: {}; + }; + sdk: { + input: UpdateTaskCommandInput; + output: UpdateTaskCommandOutput; + }; + }; +} diff --git a/clients/client-datasync/src/commands/UpdateTaskExecutionCommand.ts b/clients/client-datasync/src/commands/UpdateTaskExecutionCommand.ts index 8857f6e5a156..ff43db5a85f7 100644 --- a/clients/client-datasync/src/commands/UpdateTaskExecutionCommand.ts +++ b/clients/client-datasync/src/commands/UpdateTaskExecutionCommand.ts @@ -106,4 +106,16 @@ export class UpdateTaskExecutionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTaskExecutionCommand) .de(de_UpdateTaskExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTaskExecutionRequest; + output: {}; + }; + sdk: { + input: UpdateTaskExecutionCommandInput; + output: UpdateTaskExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/package.json b/clients/client-datazone/package.json index db3ea077b3be..fe49f349d74f 100644 --- a/clients/client-datazone/package.json +++ b/clients/client-datazone/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-datazone/src/commands/AcceptPredictionsCommand.ts b/clients/client-datazone/src/commands/AcceptPredictionsCommand.ts index d0b8575b3a80..791f8f75ac7a 100644 --- a/clients/client-datazone/src/commands/AcceptPredictionsCommand.ts +++ b/clients/client-datazone/src/commands/AcceptPredictionsCommand.ts @@ -119,4 +119,16 @@ export class AcceptPredictionsCommand extends $Command .f(AcceptPredictionsInputFilterSensitiveLog, void 0) .ser(se_AcceptPredictionsCommand) .de(de_AcceptPredictionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptPredictionsInput; + output: AcceptPredictionsOutput; + }; + sdk: { + input: AcceptPredictionsCommandInput; + output: AcceptPredictionsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/AcceptSubscriptionRequestCommand.ts b/clients/client-datazone/src/commands/AcceptSubscriptionRequestCommand.ts index 87f12a1dd072..70323298e91b 100644 --- a/clients/client-datazone/src/commands/AcceptSubscriptionRequestCommand.ts +++ b/clients/client-datazone/src/commands/AcceptSubscriptionRequestCommand.ts @@ -181,4 +181,16 @@ export class AcceptSubscriptionRequestCommand extends $Command .f(AcceptSubscriptionRequestInputFilterSensitiveLog, AcceptSubscriptionRequestOutputFilterSensitiveLog) .ser(se_AcceptSubscriptionRequestCommand) .de(de_AcceptSubscriptionRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptSubscriptionRequestInput; + output: AcceptSubscriptionRequestOutput; + }; + sdk: { + input: AcceptSubscriptionRequestCommandInput; + output: AcceptSubscriptionRequestCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/AddEntityOwnerCommand.ts b/clients/client-datazone/src/commands/AddEntityOwnerCommand.ts index 1b69deff596b..cce906043300 100644 --- a/clients/client-datazone/src/commands/AddEntityOwnerCommand.ts +++ b/clients/client-datazone/src/commands/AddEntityOwnerCommand.ts @@ -110,4 +110,16 @@ export class AddEntityOwnerCommand extends $Command .f(void 0, void 0) .ser(se_AddEntityOwnerCommand) .de(de_AddEntityOwnerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddEntityOwnerInput; + output: {}; + }; + sdk: { + input: AddEntityOwnerCommandInput; + output: AddEntityOwnerCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/AddPolicyGrantCommand.ts b/clients/client-datazone/src/commands/AddPolicyGrantCommand.ts index 41d0b1338002..111e63c9c68c 100644 --- a/clients/client-datazone/src/commands/AddPolicyGrantCommand.ts +++ b/clients/client-datazone/src/commands/AddPolicyGrantCommand.ts @@ -158,4 +158,16 @@ export class AddPolicyGrantCommand extends $Command .f(void 0, void 0) .ser(se_AddPolicyGrantCommand) .de(de_AddPolicyGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddPolicyGrantInput; + output: {}; + }; + sdk: { + input: AddPolicyGrantCommandInput; + output: AddPolicyGrantCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/AssociateEnvironmentRoleCommand.ts b/clients/client-datazone/src/commands/AssociateEnvironmentRoleCommand.ts index 09d5edbac825..7e9ec82a04be 100644 --- a/clients/client-datazone/src/commands/AssociateEnvironmentRoleCommand.ts +++ b/clients/client-datazone/src/commands/AssociateEnvironmentRoleCommand.ts @@ -98,4 +98,16 @@ export class AssociateEnvironmentRoleCommand extends $Command .f(void 0, void 0) .ser(se_AssociateEnvironmentRoleCommand) .de(de_AssociateEnvironmentRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateEnvironmentRoleInput; + output: {}; + }; + sdk: { + input: AssociateEnvironmentRoleCommandInput; + output: AssociateEnvironmentRoleCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CancelMetadataGenerationRunCommand.ts b/clients/client-datazone/src/commands/CancelMetadataGenerationRunCommand.ts index 2adc3582fd0d..00938ea901dd 100644 --- a/clients/client-datazone/src/commands/CancelMetadataGenerationRunCommand.ts +++ b/clients/client-datazone/src/commands/CancelMetadataGenerationRunCommand.ts @@ -100,4 +100,16 @@ export class CancelMetadataGenerationRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelMetadataGenerationRunCommand) .de(de_CancelMetadataGenerationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMetadataGenerationRunInput; + output: {}; + }; + sdk: { + input: CancelMetadataGenerationRunCommandInput; + output: CancelMetadataGenerationRunCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CancelSubscriptionCommand.ts b/clients/client-datazone/src/commands/CancelSubscriptionCommand.ts index 5f4a6e390540..20b3aa44e000 100644 --- a/clients/client-datazone/src/commands/CancelSubscriptionCommand.ts +++ b/clients/client-datazone/src/commands/CancelSubscriptionCommand.ts @@ -166,4 +166,16 @@ export class CancelSubscriptionCommand extends $Command .f(void 0, CancelSubscriptionOutputFilterSensitiveLog) .ser(se_CancelSubscriptionCommand) .de(de_CancelSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSubscriptionInput; + output: CancelSubscriptionOutput; + }; + sdk: { + input: CancelSubscriptionCommandInput; + output: CancelSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateAssetCommand.ts b/clients/client-datazone/src/commands/CreateAssetCommand.ts index 0173bcbde4d6..2808350b7198 100644 --- a/clients/client-datazone/src/commands/CreateAssetCommand.ts +++ b/clients/client-datazone/src/commands/CreateAssetCommand.ts @@ -179,4 +179,16 @@ export class CreateAssetCommand extends $Command .f(CreateAssetInputFilterSensitiveLog, CreateAssetOutputFilterSensitiveLog) .ser(se_CreateAssetCommand) .de(de_CreateAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetInput; + output: CreateAssetOutput; + }; + sdk: { + input: CreateAssetCommandInput; + output: CreateAssetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateAssetFilterCommand.ts b/clients/client-datazone/src/commands/CreateAssetFilterCommand.ts index d78f82ba1f2a..cade6f23e3fb 100644 --- a/clients/client-datazone/src/commands/CreateAssetFilterCommand.ts +++ b/clients/client-datazone/src/commands/CreateAssetFilterCommand.ts @@ -379,4 +379,16 @@ export class CreateAssetFilterCommand extends $Command .f(CreateAssetFilterInputFilterSensitiveLog, CreateAssetFilterOutputFilterSensitiveLog) .ser(se_CreateAssetFilterCommand) .de(de_CreateAssetFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetFilterInput; + output: CreateAssetFilterOutput; + }; + sdk: { + input: CreateAssetFilterCommandInput; + output: CreateAssetFilterCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateAssetRevisionCommand.ts b/clients/client-datazone/src/commands/CreateAssetRevisionCommand.ts index 5151b8aa66c2..e0b8d6ea520f 100644 --- a/clients/client-datazone/src/commands/CreateAssetRevisionCommand.ts +++ b/clients/client-datazone/src/commands/CreateAssetRevisionCommand.ts @@ -174,4 +174,16 @@ export class CreateAssetRevisionCommand extends $Command .f(CreateAssetRevisionInputFilterSensitiveLog, CreateAssetRevisionOutputFilterSensitiveLog) .ser(se_CreateAssetRevisionCommand) .de(de_CreateAssetRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetRevisionInput; + output: CreateAssetRevisionOutput; + }; + sdk: { + input: CreateAssetRevisionCommandInput; + output: CreateAssetRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateAssetTypeCommand.ts b/clients/client-datazone/src/commands/CreateAssetTypeCommand.ts index 1836a0d9575f..9457489fb1f3 100644 --- a/clients/client-datazone/src/commands/CreateAssetTypeCommand.ts +++ b/clients/client-datazone/src/commands/CreateAssetTypeCommand.ts @@ -130,4 +130,16 @@ export class CreateAssetTypeCommand extends $Command .f(CreateAssetTypeInputFilterSensitiveLog, CreateAssetTypeOutputFilterSensitiveLog) .ser(se_CreateAssetTypeCommand) .de(de_CreateAssetTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetTypeInput; + output: CreateAssetTypeOutput; + }; + sdk: { + input: CreateAssetTypeCommandInput; + output: CreateAssetTypeCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateDataProductCommand.ts b/clients/client-datazone/src/commands/CreateDataProductCommand.ts index 6c6385d83d8a..ab065dc5dd49 100644 --- a/clients/client-datazone/src/commands/CreateDataProductCommand.ts +++ b/clients/client-datazone/src/commands/CreateDataProductCommand.ts @@ -162,4 +162,16 @@ export class CreateDataProductCommand extends $Command .f(CreateDataProductInputFilterSensitiveLog, CreateDataProductOutputFilterSensitiveLog) .ser(se_CreateDataProductCommand) .de(de_CreateDataProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataProductInput; + output: CreateDataProductOutput; + }; + sdk: { + input: CreateDataProductCommandInput; + output: CreateDataProductCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateDataProductRevisionCommand.ts b/clients/client-datazone/src/commands/CreateDataProductRevisionCommand.ts index 77c4bba5bc35..edcda126afd3 100644 --- a/clients/client-datazone/src/commands/CreateDataProductRevisionCommand.ts +++ b/clients/client-datazone/src/commands/CreateDataProductRevisionCommand.ts @@ -159,4 +159,16 @@ export class CreateDataProductRevisionCommand extends $Command .f(CreateDataProductRevisionInputFilterSensitiveLog, CreateDataProductRevisionOutputFilterSensitiveLog) .ser(se_CreateDataProductRevisionCommand) .de(de_CreateDataProductRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataProductRevisionInput; + output: CreateDataProductRevisionOutput; + }; + sdk: { + input: CreateDataProductRevisionCommandInput; + output: CreateDataProductRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateDataSourceCommand.ts b/clients/client-datazone/src/commands/CreateDataSourceCommand.ts index 6ab98e1446b7..42f37a739a2a 100644 --- a/clients/client-datazone/src/commands/CreateDataSourceCommand.ts +++ b/clients/client-datazone/src/commands/CreateDataSourceCommand.ts @@ -257,4 +257,16 @@ export class CreateDataSourceCommand extends $Command .f(CreateDataSourceInputFilterSensitiveLog, CreateDataSourceOutputFilterSensitiveLog) .ser(se_CreateDataSourceCommand) .de(de_CreateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceInput; + output: CreateDataSourceOutput; + }; + sdk: { + input: CreateDataSourceCommandInput; + output: CreateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateDomainCommand.ts b/clients/client-datazone/src/commands/CreateDomainCommand.ts index fbf97511f10b..0b578cf8ea0e 100644 --- a/clients/client-datazone/src/commands/CreateDomainCommand.ts +++ b/clients/client-datazone/src/commands/CreateDomainCommand.ts @@ -127,4 +127,16 @@ export class CreateDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainInput; + output: CreateDomainOutput; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateDomainUnitCommand.ts b/clients/client-datazone/src/commands/CreateDomainUnitCommand.ts index e49983c2138d..45b86d3d5f87 100644 --- a/clients/client-datazone/src/commands/CreateDomainUnitCommand.ts +++ b/clients/client-datazone/src/commands/CreateDomainUnitCommand.ts @@ -126,4 +126,16 @@ export class CreateDomainUnitCommand extends $Command .f(CreateDomainUnitInputFilterSensitiveLog, CreateDomainUnitOutputFilterSensitiveLog) .ser(se_CreateDomainUnitCommand) .de(de_CreateDomainUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainUnitInput; + output: CreateDomainUnitOutput; + }; + sdk: { + input: CreateDomainUnitCommandInput; + output: CreateDomainUnitCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateEnvironmentActionCommand.ts b/clients/client-datazone/src/commands/CreateEnvironmentActionCommand.ts index a64723adf1bb..0ec6e7c55212 100644 --- a/clients/client-datazone/src/commands/CreateEnvironmentActionCommand.ts +++ b/clients/client-datazone/src/commands/CreateEnvironmentActionCommand.ts @@ -116,4 +116,16 @@ export class CreateEnvironmentActionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEnvironmentActionCommand) .de(de_CreateEnvironmentActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentActionInput; + output: CreateEnvironmentActionOutput; + }; + sdk: { + input: CreateEnvironmentActionCommandInput; + output: CreateEnvironmentActionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateEnvironmentCommand.ts b/clients/client-datazone/src/commands/CreateEnvironmentCommand.ts index 821a97350113..0a873ba58c88 100644 --- a/clients/client-datazone/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-datazone/src/commands/CreateEnvironmentCommand.ts @@ -186,4 +186,16 @@ export class CreateEnvironmentCommand extends $Command .f(void 0, CreateEnvironmentOutputFilterSensitiveLog) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentInput; + output: CreateEnvironmentOutput; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateEnvironmentProfileCommand.ts b/clients/client-datazone/src/commands/CreateEnvironmentProfileCommand.ts index 9d3d25c8536a..b9456d7cd046 100644 --- a/clients/client-datazone/src/commands/CreateEnvironmentProfileCommand.ts +++ b/clients/client-datazone/src/commands/CreateEnvironmentProfileCommand.ts @@ -138,4 +138,16 @@ export class CreateEnvironmentProfileCommand extends $Command .f(CreateEnvironmentProfileInputFilterSensitiveLog, CreateEnvironmentProfileOutputFilterSensitiveLog) .ser(se_CreateEnvironmentProfileCommand) .de(de_CreateEnvironmentProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentProfileInput; + output: CreateEnvironmentProfileOutput; + }; + sdk: { + input: CreateEnvironmentProfileCommandInput; + output: CreateEnvironmentProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateFormTypeCommand.ts b/clients/client-datazone/src/commands/CreateFormTypeCommand.ts index f931605bf243..168a05afafad 100644 --- a/clients/client-datazone/src/commands/CreateFormTypeCommand.ts +++ b/clients/client-datazone/src/commands/CreateFormTypeCommand.ts @@ -116,4 +116,16 @@ export class CreateFormTypeCommand extends $Command .f(CreateFormTypeInputFilterSensitiveLog, CreateFormTypeOutputFilterSensitiveLog) .ser(se_CreateFormTypeCommand) .de(de_CreateFormTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFormTypeInput; + output: CreateFormTypeOutput; + }; + sdk: { + input: CreateFormTypeCommandInput; + output: CreateFormTypeCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateGlossaryCommand.ts b/clients/client-datazone/src/commands/CreateGlossaryCommand.ts index a3595e128aac..d2726b164e2b 100644 --- a/clients/client-datazone/src/commands/CreateGlossaryCommand.ts +++ b/clients/client-datazone/src/commands/CreateGlossaryCommand.ts @@ -113,4 +113,16 @@ export class CreateGlossaryCommand extends $Command .f(CreateGlossaryInputFilterSensitiveLog, CreateGlossaryOutputFilterSensitiveLog) .ser(se_CreateGlossaryCommand) .de(de_CreateGlossaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlossaryInput; + output: CreateGlossaryOutput; + }; + sdk: { + input: CreateGlossaryCommandInput; + output: CreateGlossaryCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateGlossaryTermCommand.ts b/clients/client-datazone/src/commands/CreateGlossaryTermCommand.ts index 13b6a759a7cf..52807542e1e8 100644 --- a/clients/client-datazone/src/commands/CreateGlossaryTermCommand.ts +++ b/clients/client-datazone/src/commands/CreateGlossaryTermCommand.ts @@ -134,4 +134,16 @@ export class CreateGlossaryTermCommand extends $Command .f(CreateGlossaryTermInputFilterSensitiveLog, CreateGlossaryTermOutputFilterSensitiveLog) .ser(se_CreateGlossaryTermCommand) .de(de_CreateGlossaryTermCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlossaryTermInput; + output: CreateGlossaryTermOutput; + }; + sdk: { + input: CreateGlossaryTermCommandInput; + output: CreateGlossaryTermCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateGroupProfileCommand.ts b/clients/client-datazone/src/commands/CreateGroupProfileCommand.ts index 46f56e4bf962..fe711c5769a6 100644 --- a/clients/client-datazone/src/commands/CreateGroupProfileCommand.ts +++ b/clients/client-datazone/src/commands/CreateGroupProfileCommand.ts @@ -104,4 +104,16 @@ export class CreateGroupProfileCommand extends $Command .f(void 0, CreateGroupProfileOutputFilterSensitiveLog) .ser(se_CreateGroupProfileCommand) .de(de_CreateGroupProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupProfileInput; + output: CreateGroupProfileOutput; + }; + sdk: { + input: CreateGroupProfileCommandInput; + output: CreateGroupProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateListingChangeSetCommand.ts b/clients/client-datazone/src/commands/CreateListingChangeSetCommand.ts index 146ef87c39d5..b643ba378216 100644 --- a/clients/client-datazone/src/commands/CreateListingChangeSetCommand.ts +++ b/clients/client-datazone/src/commands/CreateListingChangeSetCommand.ts @@ -109,4 +109,16 @@ export class CreateListingChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateListingChangeSetCommand) .de(de_CreateListingChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateListingChangeSetInput; + output: CreateListingChangeSetOutput; + }; + sdk: { + input: CreateListingChangeSetCommandInput; + output: CreateListingChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateProjectCommand.ts b/clients/client-datazone/src/commands/CreateProjectCommand.ts index a2d7b69ee0bf..9357178a7a63 100644 --- a/clients/client-datazone/src/commands/CreateProjectCommand.ts +++ b/clients/client-datazone/src/commands/CreateProjectCommand.ts @@ -129,4 +129,16 @@ export class CreateProjectCommand extends $Command .f(CreateProjectInputFilterSensitiveLog, CreateProjectOutputFilterSensitiveLog) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectInput; + output: CreateProjectOutput; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateProjectMembershipCommand.ts b/clients/client-datazone/src/commands/CreateProjectMembershipCommand.ts index 44de49b06ff8..6c5304350c31 100644 --- a/clients/client-datazone/src/commands/CreateProjectMembershipCommand.ts +++ b/clients/client-datazone/src/commands/CreateProjectMembershipCommand.ts @@ -99,4 +99,16 @@ export class CreateProjectMembershipCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectMembershipCommand) .de(de_CreateProjectMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectMembershipInput; + output: {}; + }; + sdk: { + input: CreateProjectMembershipCommandInput; + output: CreateProjectMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateSubscriptionGrantCommand.ts b/clients/client-datazone/src/commands/CreateSubscriptionGrantCommand.ts index 0b316755d74e..2cae756f770e 100644 --- a/clients/client-datazone/src/commands/CreateSubscriptionGrantCommand.ts +++ b/clients/client-datazone/src/commands/CreateSubscriptionGrantCommand.ts @@ -148,4 +148,16 @@ export class CreateSubscriptionGrantCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubscriptionGrantCommand) .de(de_CreateSubscriptionGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriptionGrantInput; + output: CreateSubscriptionGrantOutput; + }; + sdk: { + input: CreateSubscriptionGrantCommandInput; + output: CreateSubscriptionGrantCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateSubscriptionRequestCommand.ts b/clients/client-datazone/src/commands/CreateSubscriptionRequestCommand.ts index 9250ad0388d6..cf35cbbc4285 100644 --- a/clients/client-datazone/src/commands/CreateSubscriptionRequestCommand.ts +++ b/clients/client-datazone/src/commands/CreateSubscriptionRequestCommand.ts @@ -185,4 +185,16 @@ export class CreateSubscriptionRequestCommand extends $Command .f(CreateSubscriptionRequestInputFilterSensitiveLog, CreateSubscriptionRequestOutputFilterSensitiveLog) .ser(se_CreateSubscriptionRequestCommand) .de(de_CreateSubscriptionRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriptionRequestInput; + output: CreateSubscriptionRequestOutput; + }; + sdk: { + input: CreateSubscriptionRequestCommandInput; + output: CreateSubscriptionRequestCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateSubscriptionTargetCommand.ts b/clients/client-datazone/src/commands/CreateSubscriptionTargetCommand.ts index bd7d42523e45..a824db740f19 100644 --- a/clients/client-datazone/src/commands/CreateSubscriptionTargetCommand.ts +++ b/clients/client-datazone/src/commands/CreateSubscriptionTargetCommand.ts @@ -144,4 +144,16 @@ export class CreateSubscriptionTargetCommand extends $Command .f(CreateSubscriptionTargetInputFilterSensitiveLog, CreateSubscriptionTargetOutputFilterSensitiveLog) .ser(se_CreateSubscriptionTargetCommand) .de(de_CreateSubscriptionTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriptionTargetInput; + output: CreateSubscriptionTargetOutput; + }; + sdk: { + input: CreateSubscriptionTargetCommandInput; + output: CreateSubscriptionTargetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/CreateUserProfileCommand.ts b/clients/client-datazone/src/commands/CreateUserProfileCommand.ts index baeacf69dc33..9db04429b0aa 100644 --- a/clients/client-datazone/src/commands/CreateUserProfileCommand.ts +++ b/clients/client-datazone/src/commands/CreateUserProfileCommand.ts @@ -115,4 +115,16 @@ export class CreateUserProfileCommand extends $Command .f(void 0, CreateUserProfileOutputFilterSensitiveLog) .ser(se_CreateUserProfileCommand) .de(de_CreateUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserProfileInput; + output: CreateUserProfileOutput; + }; + sdk: { + input: CreateUserProfileCommandInput; + output: CreateUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteAssetCommand.ts b/clients/client-datazone/src/commands/DeleteAssetCommand.ts index d252d3b1c73a..62006cd09f7e 100644 --- a/clients/client-datazone/src/commands/DeleteAssetCommand.ts +++ b/clients/client-datazone/src/commands/DeleteAssetCommand.ts @@ -97,4 +97,16 @@ export class DeleteAssetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetCommand) .de(de_DeleteAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetInput; + output: {}; + }; + sdk: { + input: DeleteAssetCommandInput; + output: DeleteAssetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteAssetFilterCommand.ts b/clients/client-datazone/src/commands/DeleteAssetFilterCommand.ts index 8e3f1f1f8513..80fc0cdad349 100644 --- a/clients/client-datazone/src/commands/DeleteAssetFilterCommand.ts +++ b/clients/client-datazone/src/commands/DeleteAssetFilterCommand.ts @@ -98,4 +98,16 @@ export class DeleteAssetFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetFilterCommand) .de(de_DeleteAssetFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetFilterInput; + output: {}; + }; + sdk: { + input: DeleteAssetFilterCommandInput; + output: DeleteAssetFilterCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteAssetTypeCommand.ts b/clients/client-datazone/src/commands/DeleteAssetTypeCommand.ts index 0e6678ef8dae..d50ce2503674 100644 --- a/clients/client-datazone/src/commands/DeleteAssetTypeCommand.ts +++ b/clients/client-datazone/src/commands/DeleteAssetTypeCommand.ts @@ -97,4 +97,16 @@ export class DeleteAssetTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetTypeCommand) .de(de_DeleteAssetTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetTypeInput; + output: {}; + }; + sdk: { + input: DeleteAssetTypeCommandInput; + output: DeleteAssetTypeCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteDataProductCommand.ts b/clients/client-datazone/src/commands/DeleteDataProductCommand.ts index d7890ac594c3..97559b27578f 100644 --- a/clients/client-datazone/src/commands/DeleteDataProductCommand.ts +++ b/clients/client-datazone/src/commands/DeleteDataProductCommand.ts @@ -97,4 +97,16 @@ export class DeleteDataProductCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataProductCommand) .de(de_DeleteDataProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataProductInput; + output: {}; + }; + sdk: { + input: DeleteDataProductCommandInput; + output: DeleteDataProductCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteDataSourceCommand.ts b/clients/client-datazone/src/commands/DeleteDataSourceCommand.ts index 85ba6c560bfa..80cd17340608 100644 --- a/clients/client-datazone/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-datazone/src/commands/DeleteDataSourceCommand.ts @@ -212,4 +212,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, DeleteDataSourceOutputFilterSensitiveLog) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceInput; + output: DeleteDataSourceOutput; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteDomainCommand.ts b/clients/client-datazone/src/commands/DeleteDomainCommand.ts index 8f783297f997..4c20b65c74cc 100644 --- a/clients/client-datazone/src/commands/DeleteDomainCommand.ts +++ b/clients/client-datazone/src/commands/DeleteDomainCommand.ts @@ -100,4 +100,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainInput; + output: DeleteDomainOutput; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteDomainUnitCommand.ts b/clients/client-datazone/src/commands/DeleteDomainUnitCommand.ts index ef213696ca6d..a5558118f49d 100644 --- a/clients/client-datazone/src/commands/DeleteDomainUnitCommand.ts +++ b/clients/client-datazone/src/commands/DeleteDomainUnitCommand.ts @@ -97,4 +97,16 @@ export class DeleteDomainUnitCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainUnitCommand) .de(de_DeleteDomainUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainUnitInput; + output: {}; + }; + sdk: { + input: DeleteDomainUnitCommandInput; + output: DeleteDomainUnitCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteEnvironmentActionCommand.ts b/clients/client-datazone/src/commands/DeleteEnvironmentActionCommand.ts index e58df8ecfa39..510f755f8af9 100644 --- a/clients/client-datazone/src/commands/DeleteEnvironmentActionCommand.ts +++ b/clients/client-datazone/src/commands/DeleteEnvironmentActionCommand.ts @@ -99,4 +99,16 @@ export class DeleteEnvironmentActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentActionCommand) .de(de_DeleteEnvironmentActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentActionInput; + output: {}; + }; + sdk: { + input: DeleteEnvironmentActionCommandInput; + output: DeleteEnvironmentActionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteEnvironmentBlueprintConfigurationCommand.ts b/clients/client-datazone/src/commands/DeleteEnvironmentBlueprintConfigurationCommand.ts index 995af395341e..8cb364a150cc 100644 --- a/clients/client-datazone/src/commands/DeleteEnvironmentBlueprintConfigurationCommand.ts +++ b/clients/client-datazone/src/commands/DeleteEnvironmentBlueprintConfigurationCommand.ts @@ -98,4 +98,16 @@ export class DeleteEnvironmentBlueprintConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentBlueprintConfigurationCommand) .de(de_DeleteEnvironmentBlueprintConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentBlueprintConfigurationInput; + output: {}; + }; + sdk: { + input: DeleteEnvironmentBlueprintConfigurationCommandInput; + output: DeleteEnvironmentBlueprintConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteEnvironmentCommand.ts b/clients/client-datazone/src/commands/DeleteEnvironmentCommand.ts index 339805c16f04..80ab8fe4e2be 100644 --- a/clients/client-datazone/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-datazone/src/commands/DeleteEnvironmentCommand.ts @@ -94,4 +94,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentInput; + output: {}; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteEnvironmentProfileCommand.ts b/clients/client-datazone/src/commands/DeleteEnvironmentProfileCommand.ts index cd3babfa603a..bffb6b1d8de5 100644 --- a/clients/client-datazone/src/commands/DeleteEnvironmentProfileCommand.ts +++ b/clients/client-datazone/src/commands/DeleteEnvironmentProfileCommand.ts @@ -94,4 +94,16 @@ export class DeleteEnvironmentProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentProfileCommand) .de(de_DeleteEnvironmentProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentProfileInput; + output: {}; + }; + sdk: { + input: DeleteEnvironmentProfileCommandInput; + output: DeleteEnvironmentProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteFormTypeCommand.ts b/clients/client-datazone/src/commands/DeleteFormTypeCommand.ts index 4bb42e7249f5..26abd6f16b43 100644 --- a/clients/client-datazone/src/commands/DeleteFormTypeCommand.ts +++ b/clients/client-datazone/src/commands/DeleteFormTypeCommand.ts @@ -97,4 +97,16 @@ export class DeleteFormTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFormTypeCommand) .de(de_DeleteFormTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFormTypeInput; + output: {}; + }; + sdk: { + input: DeleteFormTypeCommandInput; + output: DeleteFormTypeCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteGlossaryCommand.ts b/clients/client-datazone/src/commands/DeleteGlossaryCommand.ts index ded672fd17d7..1c902d1e3ba6 100644 --- a/clients/client-datazone/src/commands/DeleteGlossaryCommand.ts +++ b/clients/client-datazone/src/commands/DeleteGlossaryCommand.ts @@ -97,4 +97,16 @@ export class DeleteGlossaryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGlossaryCommand) .de(de_DeleteGlossaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGlossaryInput; + output: {}; + }; + sdk: { + input: DeleteGlossaryCommandInput; + output: DeleteGlossaryCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteGlossaryTermCommand.ts b/clients/client-datazone/src/commands/DeleteGlossaryTermCommand.ts index 631c3db6149a..71b34281f279 100644 --- a/clients/client-datazone/src/commands/DeleteGlossaryTermCommand.ts +++ b/clients/client-datazone/src/commands/DeleteGlossaryTermCommand.ts @@ -97,4 +97,16 @@ export class DeleteGlossaryTermCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGlossaryTermCommand) .de(de_DeleteGlossaryTermCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGlossaryTermInput; + output: {}; + }; + sdk: { + input: DeleteGlossaryTermCommandInput; + output: DeleteGlossaryTermCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteListingCommand.ts b/clients/client-datazone/src/commands/DeleteListingCommand.ts index d211a8802f95..20d5e4af5344 100644 --- a/clients/client-datazone/src/commands/DeleteListingCommand.ts +++ b/clients/client-datazone/src/commands/DeleteListingCommand.ts @@ -97,4 +97,16 @@ export class DeleteListingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteListingCommand) .de(de_DeleteListingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteListingInput; + output: {}; + }; + sdk: { + input: DeleteListingCommandInput; + output: DeleteListingCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteProjectCommand.ts b/clients/client-datazone/src/commands/DeleteProjectCommand.ts index b237e0f4f061..180743669c14 100644 --- a/clients/client-datazone/src/commands/DeleteProjectCommand.ts +++ b/clients/client-datazone/src/commands/DeleteProjectCommand.ts @@ -95,4 +95,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectInput; + output: {}; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteProjectMembershipCommand.ts b/clients/client-datazone/src/commands/DeleteProjectMembershipCommand.ts index dd9bde4d6db6..f9a8af9d26df 100644 --- a/clients/client-datazone/src/commands/DeleteProjectMembershipCommand.ts +++ b/clients/client-datazone/src/commands/DeleteProjectMembershipCommand.ts @@ -101,4 +101,16 @@ export class DeleteProjectMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectMembershipCommand) .de(de_DeleteProjectMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectMembershipInput; + output: {}; + }; + sdk: { + input: DeleteProjectMembershipCommandInput; + output: DeleteProjectMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteSubscriptionGrantCommand.ts b/clients/client-datazone/src/commands/DeleteSubscriptionGrantCommand.ts index 2c50dfeb5b0d..851ce00d700b 100644 --- a/clients/client-datazone/src/commands/DeleteSubscriptionGrantCommand.ts +++ b/clients/client-datazone/src/commands/DeleteSubscriptionGrantCommand.ts @@ -134,4 +134,16 @@ export class DeleteSubscriptionGrantCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriptionGrantCommand) .de(de_DeleteSubscriptionGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriptionGrantInput; + output: DeleteSubscriptionGrantOutput; + }; + sdk: { + input: DeleteSubscriptionGrantCommandInput; + output: DeleteSubscriptionGrantCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteSubscriptionRequestCommand.ts b/clients/client-datazone/src/commands/DeleteSubscriptionRequestCommand.ts index b8383d37ecd5..52fbb3a2718a 100644 --- a/clients/client-datazone/src/commands/DeleteSubscriptionRequestCommand.ts +++ b/clients/client-datazone/src/commands/DeleteSubscriptionRequestCommand.ts @@ -97,4 +97,16 @@ export class DeleteSubscriptionRequestCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriptionRequestCommand) .de(de_DeleteSubscriptionRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriptionRequestInput; + output: {}; + }; + sdk: { + input: DeleteSubscriptionRequestCommandInput; + output: DeleteSubscriptionRequestCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteSubscriptionTargetCommand.ts b/clients/client-datazone/src/commands/DeleteSubscriptionTargetCommand.ts index 0847f3e070aa..95eca52c35e2 100644 --- a/clients/client-datazone/src/commands/DeleteSubscriptionTargetCommand.ts +++ b/clients/client-datazone/src/commands/DeleteSubscriptionTargetCommand.ts @@ -98,4 +98,16 @@ export class DeleteSubscriptionTargetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriptionTargetCommand) .de(de_DeleteSubscriptionTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriptionTargetInput; + output: {}; + }; + sdk: { + input: DeleteSubscriptionTargetCommandInput; + output: DeleteSubscriptionTargetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DeleteTimeSeriesDataPointsCommand.ts b/clients/client-datazone/src/commands/DeleteTimeSeriesDataPointsCommand.ts index 1b93cf07e945..91d6a32acf5c 100644 --- a/clients/client-datazone/src/commands/DeleteTimeSeriesDataPointsCommand.ts +++ b/clients/client-datazone/src/commands/DeleteTimeSeriesDataPointsCommand.ts @@ -97,4 +97,16 @@ export class DeleteTimeSeriesDataPointsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTimeSeriesDataPointsCommand) .de(de_DeleteTimeSeriesDataPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTimeSeriesDataPointsInput; + output: {}; + }; + sdk: { + input: DeleteTimeSeriesDataPointsCommandInput; + output: DeleteTimeSeriesDataPointsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/DisassociateEnvironmentRoleCommand.ts b/clients/client-datazone/src/commands/DisassociateEnvironmentRoleCommand.ts index 14b3ac3a344a..443bdbe5071e 100644 --- a/clients/client-datazone/src/commands/DisassociateEnvironmentRoleCommand.ts +++ b/clients/client-datazone/src/commands/DisassociateEnvironmentRoleCommand.ts @@ -101,4 +101,16 @@ export class DisassociateEnvironmentRoleCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateEnvironmentRoleCommand) .de(de_DisassociateEnvironmentRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateEnvironmentRoleInput; + output: {}; + }; + sdk: { + input: DisassociateEnvironmentRoleCommandInput; + output: DisassociateEnvironmentRoleCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetAssetCommand.ts b/clients/client-datazone/src/commands/GetAssetCommand.ts index fc086d5306e3..af7c032dbd8f 100644 --- a/clients/client-datazone/src/commands/GetAssetCommand.ts +++ b/clients/client-datazone/src/commands/GetAssetCommand.ts @@ -142,4 +142,16 @@ export class GetAssetCommand extends $Command .f(void 0, GetAssetOutputFilterSensitiveLog) .ser(se_GetAssetCommand) .de(de_GetAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetInput; + output: GetAssetOutput; + }; + sdk: { + input: GetAssetCommandInput; + output: GetAssetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetAssetFilterCommand.ts b/clients/client-datazone/src/commands/GetAssetFilterCommand.ts index 1c3d81807b3f..d3c321506a7c 100644 --- a/clients/client-datazone/src/commands/GetAssetFilterCommand.ts +++ b/clients/client-datazone/src/commands/GetAssetFilterCommand.ts @@ -237,4 +237,16 @@ export class GetAssetFilterCommand extends $Command .f(void 0, GetAssetFilterOutputFilterSensitiveLog) .ser(se_GetAssetFilterCommand) .de(de_GetAssetFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetFilterInput; + output: GetAssetFilterOutput; + }; + sdk: { + input: GetAssetFilterCommandInput; + output: GetAssetFilterCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetAssetTypeCommand.ts b/clients/client-datazone/src/commands/GetAssetTypeCommand.ts index 6f9a7c1a6342..e9110c5990af 100644 --- a/clients/client-datazone/src/commands/GetAssetTypeCommand.ts +++ b/clients/client-datazone/src/commands/GetAssetTypeCommand.ts @@ -114,4 +114,16 @@ export class GetAssetTypeCommand extends $Command .f(void 0, GetAssetTypeOutputFilterSensitiveLog) .ser(se_GetAssetTypeCommand) .de(de_GetAssetTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetTypeInput; + output: GetAssetTypeOutput; + }; + sdk: { + input: GetAssetTypeCommandInput; + output: GetAssetTypeCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetDataProductCommand.ts b/clients/client-datazone/src/commands/GetDataProductCommand.ts index b47f0e995e2c..6cf13621d115 100644 --- a/clients/client-datazone/src/commands/GetDataProductCommand.ts +++ b/clients/client-datazone/src/commands/GetDataProductCommand.ts @@ -128,4 +128,16 @@ export class GetDataProductCommand extends $Command .f(void 0, GetDataProductOutputFilterSensitiveLog) .ser(se_GetDataProductCommand) .de(de_GetDataProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataProductInput; + output: GetDataProductOutput; + }; + sdk: { + input: GetDataProductCommandInput; + output: GetDataProductCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetDataSourceCommand.ts b/clients/client-datazone/src/commands/GetDataSourceCommand.ts index 6590ef7a4b0f..6368bfa23c2e 100644 --- a/clients/client-datazone/src/commands/GetDataSourceCommand.ts +++ b/clients/client-datazone/src/commands/GetDataSourceCommand.ts @@ -209,4 +209,16 @@ export class GetDataSourceCommand extends $Command .f(void 0, GetDataSourceOutputFilterSensitiveLog) .ser(se_GetDataSourceCommand) .de(de_GetDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceInput; + output: GetDataSourceOutput; + }; + sdk: { + input: GetDataSourceCommandInput; + output: GetDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetDataSourceRunCommand.ts b/clients/client-datazone/src/commands/GetDataSourceRunCommand.ts index c0ac2e6c9086..14759e3e58d9 100644 --- a/clients/client-datazone/src/commands/GetDataSourceRunCommand.ts +++ b/clients/client-datazone/src/commands/GetDataSourceRunCommand.ts @@ -123,4 +123,16 @@ export class GetDataSourceRunCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSourceRunCommand) .de(de_GetDataSourceRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceRunInput; + output: GetDataSourceRunOutput; + }; + sdk: { + input: GetDataSourceRunCommandInput; + output: GetDataSourceRunCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetDomainCommand.ts b/clients/client-datazone/src/commands/GetDomainCommand.ts index e8c8a28a8bf7..525394024d88 100644 --- a/clients/client-datazone/src/commands/GetDomainCommand.ts +++ b/clients/client-datazone/src/commands/GetDomainCommand.ts @@ -115,4 +115,16 @@ export class GetDomainCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainCommand) .de(de_GetDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainInput; + output: GetDomainOutput; + }; + sdk: { + input: GetDomainCommandInput; + output: GetDomainCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetDomainUnitCommand.ts b/clients/client-datazone/src/commands/GetDomainUnitCommand.ts index 59b3c9672fb5..6294f106d79d 100644 --- a/clients/client-datazone/src/commands/GetDomainUnitCommand.ts +++ b/clients/client-datazone/src/commands/GetDomainUnitCommand.ts @@ -114,4 +114,16 @@ export class GetDomainUnitCommand extends $Command .f(void 0, GetDomainUnitOutputFilterSensitiveLog) .ser(se_GetDomainUnitCommand) .de(de_GetDomainUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainUnitInput; + output: GetDomainUnitOutput; + }; + sdk: { + input: GetDomainUnitCommandInput; + output: GetDomainUnitCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetEnvironmentActionCommand.ts b/clients/client-datazone/src/commands/GetEnvironmentActionCommand.ts index dca3780beaa1..0982648ebb3e 100644 --- a/clients/client-datazone/src/commands/GetEnvironmentActionCommand.ts +++ b/clients/client-datazone/src/commands/GetEnvironmentActionCommand.ts @@ -106,4 +106,16 @@ export class GetEnvironmentActionCommand extends $Command .f(void 0, void 0) .ser(se_GetEnvironmentActionCommand) .de(de_GetEnvironmentActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentActionInput; + output: GetEnvironmentActionOutput; + }; + sdk: { + input: GetEnvironmentActionCommandInput; + output: GetEnvironmentActionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetEnvironmentBlueprintCommand.ts b/clients/client-datazone/src/commands/GetEnvironmentBlueprintCommand.ts index 1d5af987b72c..6eb3f8d5c582 100644 --- a/clients/client-datazone/src/commands/GetEnvironmentBlueprintCommand.ts +++ b/clients/client-datazone/src/commands/GetEnvironmentBlueprintCommand.ts @@ -127,4 +127,16 @@ export class GetEnvironmentBlueprintCommand extends $Command .f(void 0, GetEnvironmentBlueprintOutputFilterSensitiveLog) .ser(se_GetEnvironmentBlueprintCommand) .de(de_GetEnvironmentBlueprintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentBlueprintInput; + output: GetEnvironmentBlueprintOutput; + }; + sdk: { + input: GetEnvironmentBlueprintCommandInput; + output: GetEnvironmentBlueprintCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetEnvironmentBlueprintConfigurationCommand.ts b/clients/client-datazone/src/commands/GetEnvironmentBlueprintConfigurationCommand.ts index dadfaa9ed15a..0da6bcee9f76 100644 --- a/clients/client-datazone/src/commands/GetEnvironmentBlueprintConfigurationCommand.ts +++ b/clients/client-datazone/src/commands/GetEnvironmentBlueprintConfigurationCommand.ts @@ -127,4 +127,16 @@ export class GetEnvironmentBlueprintConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetEnvironmentBlueprintConfigurationCommand) .de(de_GetEnvironmentBlueprintConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentBlueprintConfigurationInput; + output: GetEnvironmentBlueprintConfigurationOutput; + }; + sdk: { + input: GetEnvironmentBlueprintConfigurationCommandInput; + output: GetEnvironmentBlueprintConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetEnvironmentCommand.ts b/clients/client-datazone/src/commands/GetEnvironmentCommand.ts index b01b612db3a2..4c2fd460fab5 100644 --- a/clients/client-datazone/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-datazone/src/commands/GetEnvironmentCommand.ts @@ -164,4 +164,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, GetEnvironmentOutputFilterSensitiveLog) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentInput; + output: GetEnvironmentOutput; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetEnvironmentCredentialsCommand.ts b/clients/client-datazone/src/commands/GetEnvironmentCredentialsCommand.ts index db2725c11173..906bb161ccfb 100644 --- a/clients/client-datazone/src/commands/GetEnvironmentCredentialsCommand.ts +++ b/clients/client-datazone/src/commands/GetEnvironmentCredentialsCommand.ts @@ -103,4 +103,16 @@ export class GetEnvironmentCredentialsCommand extends $Command .f(void 0, GetEnvironmentCredentialsOutputFilterSensitiveLog) .ser(se_GetEnvironmentCredentialsCommand) .de(de_GetEnvironmentCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentCredentialsInput; + output: GetEnvironmentCredentialsOutput; + }; + sdk: { + input: GetEnvironmentCredentialsCommandInput; + output: GetEnvironmentCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetEnvironmentProfileCommand.ts b/clients/client-datazone/src/commands/GetEnvironmentProfileCommand.ts index fd152602b701..f3eae5dcfbe9 100644 --- a/clients/client-datazone/src/commands/GetEnvironmentProfileCommand.ts +++ b/clients/client-datazone/src/commands/GetEnvironmentProfileCommand.ts @@ -120,4 +120,16 @@ export class GetEnvironmentProfileCommand extends $Command .f(void 0, GetEnvironmentProfileOutputFilterSensitiveLog) .ser(se_GetEnvironmentProfileCommand) .de(de_GetEnvironmentProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentProfileInput; + output: GetEnvironmentProfileOutput; + }; + sdk: { + input: GetEnvironmentProfileCommandInput; + output: GetEnvironmentProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetFormTypeCommand.ts b/clients/client-datazone/src/commands/GetFormTypeCommand.ts index 3b0ca6fa3081..a011367e4dc2 100644 --- a/clients/client-datazone/src/commands/GetFormTypeCommand.ts +++ b/clients/client-datazone/src/commands/GetFormTypeCommand.ts @@ -115,4 +115,16 @@ export class GetFormTypeCommand extends $Command .f(void 0, GetFormTypeOutputFilterSensitiveLog) .ser(se_GetFormTypeCommand) .de(de_GetFormTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFormTypeInput; + output: GetFormTypeOutput; + }; + sdk: { + input: GetFormTypeCommandInput; + output: GetFormTypeCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetGlossaryCommand.ts b/clients/client-datazone/src/commands/GetGlossaryCommand.ts index a153713e8c3e..e37e7d025a1a 100644 --- a/clients/client-datazone/src/commands/GetGlossaryCommand.ts +++ b/clients/client-datazone/src/commands/GetGlossaryCommand.ts @@ -105,4 +105,16 @@ export class GetGlossaryCommand extends $Command .f(void 0, GetGlossaryOutputFilterSensitiveLog) .ser(se_GetGlossaryCommand) .de(de_GetGlossaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGlossaryInput; + output: GetGlossaryOutput; + }; + sdk: { + input: GetGlossaryCommandInput; + output: GetGlossaryCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetGlossaryTermCommand.ts b/clients/client-datazone/src/commands/GetGlossaryTermCommand.ts index 3e3a5944c705..9d3851023cc3 100644 --- a/clients/client-datazone/src/commands/GetGlossaryTermCommand.ts +++ b/clients/client-datazone/src/commands/GetGlossaryTermCommand.ts @@ -118,4 +118,16 @@ export class GetGlossaryTermCommand extends $Command .f(void 0, GetGlossaryTermOutputFilterSensitiveLog) .ser(se_GetGlossaryTermCommand) .de(de_GetGlossaryTermCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGlossaryTermInput; + output: GetGlossaryTermOutput; + }; + sdk: { + input: GetGlossaryTermCommandInput; + output: GetGlossaryTermCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetGroupProfileCommand.ts b/clients/client-datazone/src/commands/GetGroupProfileCommand.ts index bf8f76d0ce81..076d9d41c0a1 100644 --- a/clients/client-datazone/src/commands/GetGroupProfileCommand.ts +++ b/clients/client-datazone/src/commands/GetGroupProfileCommand.ts @@ -103,4 +103,16 @@ export class GetGroupProfileCommand extends $Command .f(void 0, GetGroupProfileOutputFilterSensitiveLog) .ser(se_GetGroupProfileCommand) .de(de_GetGroupProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupProfileInput; + output: GetGroupProfileOutput; + }; + sdk: { + input: GetGroupProfileCommandInput; + output: GetGroupProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetIamPortalLoginUrlCommand.ts b/clients/client-datazone/src/commands/GetIamPortalLoginUrlCommand.ts index 660795177a8d..7fb24869ba36 100644 --- a/clients/client-datazone/src/commands/GetIamPortalLoginUrlCommand.ts +++ b/clients/client-datazone/src/commands/GetIamPortalLoginUrlCommand.ts @@ -99,4 +99,16 @@ export class GetIamPortalLoginUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetIamPortalLoginUrlCommand) .de(de_GetIamPortalLoginUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIamPortalLoginUrlInput; + output: GetIamPortalLoginUrlOutput; + }; + sdk: { + input: GetIamPortalLoginUrlCommandInput; + output: GetIamPortalLoginUrlCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetLineageNodeCommand.ts b/clients/client-datazone/src/commands/GetLineageNodeCommand.ts index 4700526eae51..ec6fc44c2cad 100644 --- a/clients/client-datazone/src/commands/GetLineageNodeCommand.ts +++ b/clients/client-datazone/src/commands/GetLineageNodeCommand.ts @@ -128,4 +128,16 @@ export class GetLineageNodeCommand extends $Command .f(void 0, GetLineageNodeOutputFilterSensitiveLog) .ser(se_GetLineageNodeCommand) .de(de_GetLineageNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLineageNodeInput; + output: GetLineageNodeOutput; + }; + sdk: { + input: GetLineageNodeCommandInput; + output: GetLineageNodeCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetListingCommand.ts b/clients/client-datazone/src/commands/GetListingCommand.ts index e9863350165a..0b3952a88d3c 100644 --- a/clients/client-datazone/src/commands/GetListingCommand.ts +++ b/clients/client-datazone/src/commands/GetListingCommand.ts @@ -158,4 +158,16 @@ export class GetListingCommand extends $Command .f(void 0, GetListingOutputFilterSensitiveLog) .ser(se_GetListingCommand) .de(de_GetListingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetListingInput; + output: GetListingOutput; + }; + sdk: { + input: GetListingCommandInput; + output: GetListingCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetMetadataGenerationRunCommand.ts b/clients/client-datazone/src/commands/GetMetadataGenerationRunCommand.ts index f393c22f53cf..2492d19cf3e7 100644 --- a/clients/client-datazone/src/commands/GetMetadataGenerationRunCommand.ts +++ b/clients/client-datazone/src/commands/GetMetadataGenerationRunCommand.ts @@ -107,4 +107,16 @@ export class GetMetadataGenerationRunCommand extends $Command .f(void 0, void 0) .ser(se_GetMetadataGenerationRunCommand) .de(de_GetMetadataGenerationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetadataGenerationRunInput; + output: GetMetadataGenerationRunOutput; + }; + sdk: { + input: GetMetadataGenerationRunCommandInput; + output: GetMetadataGenerationRunCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetProjectCommand.ts b/clients/client-datazone/src/commands/GetProjectCommand.ts index de43cb40d526..b131ba542853 100644 --- a/clients/client-datazone/src/commands/GetProjectCommand.ts +++ b/clients/client-datazone/src/commands/GetProjectCommand.ts @@ -113,4 +113,16 @@ export class GetProjectCommand extends $Command .f(void 0, GetProjectOutputFilterSensitiveLog) .ser(se_GetProjectCommand) .de(de_GetProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProjectInput; + output: GetProjectOutput; + }; + sdk: { + input: GetProjectCommandInput; + output: GetProjectCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetSubscriptionCommand.ts b/clients/client-datazone/src/commands/GetSubscriptionCommand.ts index d5932a1e8b26..3153398a8a9e 100644 --- a/clients/client-datazone/src/commands/GetSubscriptionCommand.ts +++ b/clients/client-datazone/src/commands/GetSubscriptionCommand.ts @@ -163,4 +163,16 @@ export class GetSubscriptionCommand extends $Command .f(void 0, GetSubscriptionOutputFilterSensitiveLog) .ser(se_GetSubscriptionCommand) .de(de_GetSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionInput; + output: GetSubscriptionOutput; + }; + sdk: { + input: GetSubscriptionCommandInput; + output: GetSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetSubscriptionGrantCommand.ts b/clients/client-datazone/src/commands/GetSubscriptionGrantCommand.ts index 9ecb29d70d03..54e2ad9b5aff 100644 --- a/clients/client-datazone/src/commands/GetSubscriptionGrantCommand.ts +++ b/clients/client-datazone/src/commands/GetSubscriptionGrantCommand.ts @@ -131,4 +131,16 @@ export class GetSubscriptionGrantCommand extends $Command .f(void 0, void 0) .ser(se_GetSubscriptionGrantCommand) .de(de_GetSubscriptionGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionGrantInput; + output: GetSubscriptionGrantOutput; + }; + sdk: { + input: GetSubscriptionGrantCommandInput; + output: GetSubscriptionGrantCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetSubscriptionRequestDetailsCommand.ts b/clients/client-datazone/src/commands/GetSubscriptionRequestDetailsCommand.ts index e094841466c7..7f441d7d9326 100644 --- a/clients/client-datazone/src/commands/GetSubscriptionRequestDetailsCommand.ts +++ b/clients/client-datazone/src/commands/GetSubscriptionRequestDetailsCommand.ts @@ -173,4 +173,16 @@ export class GetSubscriptionRequestDetailsCommand extends $Command .f(void 0, GetSubscriptionRequestDetailsOutputFilterSensitiveLog) .ser(se_GetSubscriptionRequestDetailsCommand) .de(de_GetSubscriptionRequestDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionRequestDetailsInput; + output: GetSubscriptionRequestDetailsOutput; + }; + sdk: { + input: GetSubscriptionRequestDetailsCommandInput; + output: GetSubscriptionRequestDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetSubscriptionTargetCommand.ts b/clients/client-datazone/src/commands/GetSubscriptionTargetCommand.ts index f5aedc2a7503..382d63719bc0 100644 --- a/clients/client-datazone/src/commands/GetSubscriptionTargetCommand.ts +++ b/clients/client-datazone/src/commands/GetSubscriptionTargetCommand.ts @@ -124,4 +124,16 @@ export class GetSubscriptionTargetCommand extends $Command .f(void 0, GetSubscriptionTargetOutputFilterSensitiveLog) .ser(se_GetSubscriptionTargetCommand) .de(de_GetSubscriptionTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionTargetInput; + output: GetSubscriptionTargetOutput; + }; + sdk: { + input: GetSubscriptionTargetCommandInput; + output: GetSubscriptionTargetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetTimeSeriesDataPointCommand.ts b/clients/client-datazone/src/commands/GetTimeSeriesDataPointCommand.ts index 46b945b539c9..f5a72d45c563 100644 --- a/clients/client-datazone/src/commands/GetTimeSeriesDataPointCommand.ts +++ b/clients/client-datazone/src/commands/GetTimeSeriesDataPointCommand.ts @@ -110,4 +110,16 @@ export class GetTimeSeriesDataPointCommand extends $Command .f(void 0, void 0) .ser(se_GetTimeSeriesDataPointCommand) .de(de_GetTimeSeriesDataPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTimeSeriesDataPointInput; + output: GetTimeSeriesDataPointOutput; + }; + sdk: { + input: GetTimeSeriesDataPointCommandInput; + output: GetTimeSeriesDataPointCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/GetUserProfileCommand.ts b/clients/client-datazone/src/commands/GetUserProfileCommand.ts index b2f4674b4bd6..06d93089b051 100644 --- a/clients/client-datazone/src/commands/GetUserProfileCommand.ts +++ b/clients/client-datazone/src/commands/GetUserProfileCommand.ts @@ -110,4 +110,16 @@ export class GetUserProfileCommand extends $Command .f(void 0, GetUserProfileOutputFilterSensitiveLog) .ser(se_GetUserProfileCommand) .de(de_GetUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserProfileInput; + output: GetUserProfileOutput; + }; + sdk: { + input: GetUserProfileCommandInput; + output: GetUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListAssetFiltersCommand.ts b/clients/client-datazone/src/commands/ListAssetFiltersCommand.ts index 3ae57a33f7f3..a77942e788fc 100644 --- a/clients/client-datazone/src/commands/ListAssetFiltersCommand.ts +++ b/clients/client-datazone/src/commands/ListAssetFiltersCommand.ts @@ -119,4 +119,16 @@ export class ListAssetFiltersCommand extends $Command .f(void 0, ListAssetFiltersOutputFilterSensitiveLog) .ser(se_ListAssetFiltersCommand) .de(de_ListAssetFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetFiltersInput; + output: ListAssetFiltersOutput; + }; + sdk: { + input: ListAssetFiltersCommandInput; + output: ListAssetFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListAssetRevisionsCommand.ts b/clients/client-datazone/src/commands/ListAssetRevisionsCommand.ts index cfd94b7e62cb..1320c9370fa4 100644 --- a/clients/client-datazone/src/commands/ListAssetRevisionsCommand.ts +++ b/clients/client-datazone/src/commands/ListAssetRevisionsCommand.ts @@ -107,4 +107,16 @@ export class ListAssetRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetRevisionsCommand) .de(de_ListAssetRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetRevisionsInput; + output: ListAssetRevisionsOutput; + }; + sdk: { + input: ListAssetRevisionsCommandInput; + output: ListAssetRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListDataProductRevisionsCommand.ts b/clients/client-datazone/src/commands/ListDataProductRevisionsCommand.ts index 7cc071011e91..9858ff97a1d1 100644 --- a/clients/client-datazone/src/commands/ListDataProductRevisionsCommand.ts +++ b/clients/client-datazone/src/commands/ListDataProductRevisionsCommand.ts @@ -107,4 +107,16 @@ export class ListDataProductRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataProductRevisionsCommand) .de(de_ListDataProductRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataProductRevisionsInput; + output: ListDataProductRevisionsOutput; + }; + sdk: { + input: ListDataProductRevisionsCommandInput; + output: ListDataProductRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListDataSourceRunActivitiesCommand.ts b/clients/client-datazone/src/commands/ListDataSourceRunActivitiesCommand.ts index 009a909c28fa..dd76f20fbeef 100644 --- a/clients/client-datazone/src/commands/ListDataSourceRunActivitiesCommand.ts +++ b/clients/client-datazone/src/commands/ListDataSourceRunActivitiesCommand.ts @@ -129,4 +129,16 @@ export class ListDataSourceRunActivitiesCommand extends $Command .f(void 0, ListDataSourceRunActivitiesOutputFilterSensitiveLog) .ser(se_ListDataSourceRunActivitiesCommand) .de(de_ListDataSourceRunActivitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourceRunActivitiesInput; + output: ListDataSourceRunActivitiesOutput; + }; + sdk: { + input: ListDataSourceRunActivitiesCommandInput; + output: ListDataSourceRunActivitiesCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListDataSourceRunsCommand.ts b/clients/client-datazone/src/commands/ListDataSourceRunsCommand.ts index 1196d83d06af..e79fc9bba169 100644 --- a/clients/client-datazone/src/commands/ListDataSourceRunsCommand.ts +++ b/clients/client-datazone/src/commands/ListDataSourceRunsCommand.ts @@ -129,4 +129,16 @@ export class ListDataSourceRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourceRunsCommand) .de(de_ListDataSourceRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourceRunsInput; + output: ListDataSourceRunsOutput; + }; + sdk: { + input: ListDataSourceRunsCommandInput; + output: ListDataSourceRunsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListDataSourcesCommand.ts b/clients/client-datazone/src/commands/ListDataSourcesCommand.ts index 84d05a436a87..a91e2905c291 100644 --- a/clients/client-datazone/src/commands/ListDataSourcesCommand.ts +++ b/clients/client-datazone/src/commands/ListDataSourcesCommand.ts @@ -137,4 +137,16 @@ export class ListDataSourcesCommand extends $Command .f(ListDataSourcesInputFilterSensitiveLog, ListDataSourcesOutputFilterSensitiveLog) .ser(se_ListDataSourcesCommand) .de(de_ListDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourcesInput; + output: ListDataSourcesOutput; + }; + sdk: { + input: ListDataSourcesCommandInput; + output: ListDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListDomainUnitsForParentCommand.ts b/clients/client-datazone/src/commands/ListDomainUnitsForParentCommand.ts index e1fc813b91c0..724e845f97fc 100644 --- a/clients/client-datazone/src/commands/ListDomainUnitsForParentCommand.ts +++ b/clients/client-datazone/src/commands/ListDomainUnitsForParentCommand.ts @@ -101,4 +101,16 @@ export class ListDomainUnitsForParentCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainUnitsForParentCommand) .de(de_ListDomainUnitsForParentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainUnitsForParentInput; + output: ListDomainUnitsForParentOutput; + }; + sdk: { + input: ListDomainUnitsForParentCommandInput; + output: ListDomainUnitsForParentCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListDomainsCommand.ts b/clients/client-datazone/src/commands/ListDomainsCommand.ts index 9014421c2973..d33c0827be31 100644 --- a/clients/client-datazone/src/commands/ListDomainsCommand.ts +++ b/clients/client-datazone/src/commands/ListDomainsCommand.ts @@ -116,4 +116,16 @@ export class ListDomainsCommand extends $Command .f(void 0, ListDomainsOutputFilterSensitiveLog) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsInput; + output: ListDomainsOutput; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListEntityOwnersCommand.ts b/clients/client-datazone/src/commands/ListEntityOwnersCommand.ts index f89786995814..15e7a32d9e9b 100644 --- a/clients/client-datazone/src/commands/ListEntityOwnersCommand.ts +++ b/clients/client-datazone/src/commands/ListEntityOwnersCommand.ts @@ -106,4 +106,16 @@ export class ListEntityOwnersCommand extends $Command .f(void 0, void 0) .ser(se_ListEntityOwnersCommand) .de(de_ListEntityOwnersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntityOwnersInput; + output: ListEntityOwnersOutput; + }; + sdk: { + input: ListEntityOwnersCommandInput; + output: ListEntityOwnersCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListEnvironmentActionsCommand.ts b/clients/client-datazone/src/commands/ListEnvironmentActionsCommand.ts index 9f8820d7e21d..52fdc9eee4b4 100644 --- a/clients/client-datazone/src/commands/ListEnvironmentActionsCommand.ts +++ b/clients/client-datazone/src/commands/ListEnvironmentActionsCommand.ts @@ -109,4 +109,16 @@ export class ListEnvironmentActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentActionsCommand) .de(de_ListEnvironmentActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentActionsInput; + output: ListEnvironmentActionsOutput; + }; + sdk: { + input: ListEnvironmentActionsCommandInput; + output: ListEnvironmentActionsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListEnvironmentBlueprintConfigurationsCommand.ts b/clients/client-datazone/src/commands/ListEnvironmentBlueprintConfigurationsCommand.ts index 999c77e0062b..7339d86474ea 100644 --- a/clients/client-datazone/src/commands/ListEnvironmentBlueprintConfigurationsCommand.ts +++ b/clients/client-datazone/src/commands/ListEnvironmentBlueprintConfigurationsCommand.ts @@ -134,4 +134,16 @@ export class ListEnvironmentBlueprintConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentBlueprintConfigurationsCommand) .de(de_ListEnvironmentBlueprintConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentBlueprintConfigurationsInput; + output: ListEnvironmentBlueprintConfigurationsOutput; + }; + sdk: { + input: ListEnvironmentBlueprintConfigurationsCommandInput; + output: ListEnvironmentBlueprintConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListEnvironmentBlueprintsCommand.ts b/clients/client-datazone/src/commands/ListEnvironmentBlueprintsCommand.ts index 0833c9d819ab..dd71bc9adc9b 100644 --- a/clients/client-datazone/src/commands/ListEnvironmentBlueprintsCommand.ts +++ b/clients/client-datazone/src/commands/ListEnvironmentBlueprintsCommand.ts @@ -118,4 +118,16 @@ export class ListEnvironmentBlueprintsCommand extends $Command .f(void 0, ListEnvironmentBlueprintsOutputFilterSensitiveLog) .ser(se_ListEnvironmentBlueprintsCommand) .de(de_ListEnvironmentBlueprintsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentBlueprintsInput; + output: ListEnvironmentBlueprintsOutput; + }; + sdk: { + input: ListEnvironmentBlueprintsCommandInput; + output: ListEnvironmentBlueprintsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListEnvironmentProfilesCommand.ts b/clients/client-datazone/src/commands/ListEnvironmentProfilesCommand.ts index 6e22d03a9b41..c52852c6fdf4 100644 --- a/clients/client-datazone/src/commands/ListEnvironmentProfilesCommand.ts +++ b/clients/client-datazone/src/commands/ListEnvironmentProfilesCommand.ts @@ -119,4 +119,16 @@ export class ListEnvironmentProfilesCommand extends $Command .f(ListEnvironmentProfilesInputFilterSensitiveLog, ListEnvironmentProfilesOutputFilterSensitiveLog) .ser(se_ListEnvironmentProfilesCommand) .de(de_ListEnvironmentProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentProfilesInput; + output: ListEnvironmentProfilesOutput; + }; + sdk: { + input: ListEnvironmentProfilesCommandInput; + output: ListEnvironmentProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListEnvironmentsCommand.ts b/clients/client-datazone/src/commands/ListEnvironmentsCommand.ts index 3884910d0f1b..49d66f2ba6f7 100644 --- a/clients/client-datazone/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-datazone/src/commands/ListEnvironmentsCommand.ts @@ -123,4 +123,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, ListEnvironmentsOutputFilterSensitiveLog) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsInput; + output: ListEnvironmentsOutput; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListLineageNodeHistoryCommand.ts b/clients/client-datazone/src/commands/ListLineageNodeHistoryCommand.ts index bc76ace8f58a..18689ac22da7 100644 --- a/clients/client-datazone/src/commands/ListLineageNodeHistoryCommand.ts +++ b/clients/client-datazone/src/commands/ListLineageNodeHistoryCommand.ts @@ -118,4 +118,16 @@ export class ListLineageNodeHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListLineageNodeHistoryCommand) .de(de_ListLineageNodeHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLineageNodeHistoryInput; + output: ListLineageNodeHistoryOutput; + }; + sdk: { + input: ListLineageNodeHistoryCommandInput; + output: ListLineageNodeHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListMetadataGenerationRunsCommand.ts b/clients/client-datazone/src/commands/ListMetadataGenerationRunsCommand.ts index 6f445359fead..739e3984977f 100644 --- a/clients/client-datazone/src/commands/ListMetadataGenerationRunsCommand.ts +++ b/clients/client-datazone/src/commands/ListMetadataGenerationRunsCommand.ts @@ -115,4 +115,16 @@ export class ListMetadataGenerationRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListMetadataGenerationRunsCommand) .de(de_ListMetadataGenerationRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetadataGenerationRunsInput; + output: ListMetadataGenerationRunsOutput; + }; + sdk: { + input: ListMetadataGenerationRunsCommandInput; + output: ListMetadataGenerationRunsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListNotificationsCommand.ts b/clients/client-datazone/src/commands/ListNotificationsCommand.ts index dbdc9e3a6622..ec8203b4a31e 100644 --- a/clients/client-datazone/src/commands/ListNotificationsCommand.ts +++ b/clients/client-datazone/src/commands/ListNotificationsCommand.ts @@ -133,4 +133,16 @@ export class ListNotificationsCommand extends $Command .f(void 0, ListNotificationsOutputFilterSensitiveLog) .ser(se_ListNotificationsCommand) .de(de_ListNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotificationsInput; + output: ListNotificationsOutput; + }; + sdk: { + input: ListNotificationsCommandInput; + output: ListNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListPolicyGrantsCommand.ts b/clients/client-datazone/src/commands/ListPolicyGrantsCommand.ts index 848b7fef92f6..47ddb63fee85 100644 --- a/clients/client-datazone/src/commands/ListPolicyGrantsCommand.ts +++ b/clients/client-datazone/src/commands/ListPolicyGrantsCommand.ts @@ -160,4 +160,16 @@ export class ListPolicyGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListPolicyGrantsCommand) .de(de_ListPolicyGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyGrantsInput; + output: ListPolicyGrantsOutput; + }; + sdk: { + input: ListPolicyGrantsCommandInput; + output: ListPolicyGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListProjectMembershipsCommand.ts b/clients/client-datazone/src/commands/ListProjectMembershipsCommand.ts index 754f19e1ebd6..0b4bfebc2544 100644 --- a/clients/client-datazone/src/commands/ListProjectMembershipsCommand.ts +++ b/clients/client-datazone/src/commands/ListProjectMembershipsCommand.ts @@ -113,4 +113,16 @@ export class ListProjectMembershipsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectMembershipsCommand) .de(de_ListProjectMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectMembershipsInput; + output: ListProjectMembershipsOutput; + }; + sdk: { + input: ListProjectMembershipsCommandInput; + output: ListProjectMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListProjectsCommand.ts b/clients/client-datazone/src/commands/ListProjectsCommand.ts index ba396cdfe00b..5f97d16b9c61 100644 --- a/clients/client-datazone/src/commands/ListProjectsCommand.ts +++ b/clients/client-datazone/src/commands/ListProjectsCommand.ts @@ -121,4 +121,16 @@ export class ListProjectsCommand extends $Command .f(ListProjectsInputFilterSensitiveLog, ListProjectsOutputFilterSensitiveLog) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsInput; + output: ListProjectsOutput; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListSubscriptionGrantsCommand.ts b/clients/client-datazone/src/commands/ListSubscriptionGrantsCommand.ts index 40474179c669..d6d0ebf8583a 100644 --- a/clients/client-datazone/src/commands/ListSubscriptionGrantsCommand.ts +++ b/clients/client-datazone/src/commands/ListSubscriptionGrantsCommand.ts @@ -144,4 +144,16 @@ export class ListSubscriptionGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscriptionGrantsCommand) .de(de_ListSubscriptionGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionGrantsInput; + output: ListSubscriptionGrantsOutput; + }; + sdk: { + input: ListSubscriptionGrantsCommandInput; + output: ListSubscriptionGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListSubscriptionRequestsCommand.ts b/clients/client-datazone/src/commands/ListSubscriptionRequestsCommand.ts index 05c883cfc081..98557a249460 100644 --- a/clients/client-datazone/src/commands/ListSubscriptionRequestsCommand.ts +++ b/clients/client-datazone/src/commands/ListSubscriptionRequestsCommand.ts @@ -180,4 +180,16 @@ export class ListSubscriptionRequestsCommand extends $Command .f(void 0, ListSubscriptionRequestsOutputFilterSensitiveLog) .ser(se_ListSubscriptionRequestsCommand) .de(de_ListSubscriptionRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionRequestsInput; + output: ListSubscriptionRequestsOutput; + }; + sdk: { + input: ListSubscriptionRequestsCommandInput; + output: ListSubscriptionRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListSubscriptionTargetsCommand.ts b/clients/client-datazone/src/commands/ListSubscriptionTargetsCommand.ts index 1657371e6473..1d0fb6699e16 100644 --- a/clients/client-datazone/src/commands/ListSubscriptionTargetsCommand.ts +++ b/clients/client-datazone/src/commands/ListSubscriptionTargetsCommand.ts @@ -132,4 +132,16 @@ export class ListSubscriptionTargetsCommand extends $Command .f(void 0, ListSubscriptionTargetsOutputFilterSensitiveLog) .ser(se_ListSubscriptionTargetsCommand) .de(de_ListSubscriptionTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionTargetsInput; + output: ListSubscriptionTargetsOutput; + }; + sdk: { + input: ListSubscriptionTargetsCommandInput; + output: ListSubscriptionTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListSubscriptionsCommand.ts b/clients/client-datazone/src/commands/ListSubscriptionsCommand.ts index 8b231e51aac1..76086917af98 100644 --- a/clients/client-datazone/src/commands/ListSubscriptionsCommand.ts +++ b/clients/client-datazone/src/commands/ListSubscriptionsCommand.ts @@ -176,4 +176,16 @@ export class ListSubscriptionsCommand extends $Command .f(void 0, ListSubscriptionsOutputFilterSensitiveLog) .ser(se_ListSubscriptionsCommand) .de(de_ListSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionsInput; + output: ListSubscriptionsOutput; + }; + sdk: { + input: ListSubscriptionsCommandInput; + output: ListSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListTagsForResourceCommand.ts b/clients/client-datazone/src/commands/ListTagsForResourceCommand.ts index f00891705308..525dc78cbf34 100644 --- a/clients/client-datazone/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-datazone/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/ListTimeSeriesDataPointsCommand.ts b/clients/client-datazone/src/commands/ListTimeSeriesDataPointsCommand.ts index 8079de69a918..f24359640e78 100644 --- a/clients/client-datazone/src/commands/ListTimeSeriesDataPointsCommand.ts +++ b/clients/client-datazone/src/commands/ListTimeSeriesDataPointsCommand.ts @@ -112,4 +112,16 @@ export class ListTimeSeriesDataPointsCommand extends $Command .f(void 0, void 0) .ser(se_ListTimeSeriesDataPointsCommand) .de(de_ListTimeSeriesDataPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTimeSeriesDataPointsInput; + output: ListTimeSeriesDataPointsOutput; + }; + sdk: { + input: ListTimeSeriesDataPointsCommandInput; + output: ListTimeSeriesDataPointsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/PostLineageEventCommand.ts b/clients/client-datazone/src/commands/PostLineageEventCommand.ts index ab61b819e44f..10cb45768766 100644 --- a/clients/client-datazone/src/commands/PostLineageEventCommand.ts +++ b/clients/client-datazone/src/commands/PostLineageEventCommand.ts @@ -112,4 +112,16 @@ export class PostLineageEventCommand extends $Command .f(PostLineageEventInputFilterSensitiveLog, void 0) .ser(se_PostLineageEventCommand) .de(de_PostLineageEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostLineageEventInput; + output: {}; + }; + sdk: { + input: PostLineageEventCommandInput; + output: PostLineageEventCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/PostTimeSeriesDataPointsCommand.ts b/clients/client-datazone/src/commands/PostTimeSeriesDataPointsCommand.ts index 2c5db69d0ce8..0b6a33b7552a 100644 --- a/clients/client-datazone/src/commands/PostTimeSeriesDataPointsCommand.ts +++ b/clients/client-datazone/src/commands/PostTimeSeriesDataPointsCommand.ts @@ -125,4 +125,16 @@ export class PostTimeSeriesDataPointsCommand extends $Command .f(void 0, void 0) .ser(se_PostTimeSeriesDataPointsCommand) .de(de_PostTimeSeriesDataPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostTimeSeriesDataPointsInput; + output: PostTimeSeriesDataPointsOutput; + }; + sdk: { + input: PostTimeSeriesDataPointsCommandInput; + output: PostTimeSeriesDataPointsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/PutEnvironmentBlueprintConfigurationCommand.ts b/clients/client-datazone/src/commands/PutEnvironmentBlueprintConfigurationCommand.ts index 8c83eec914f3..9cd049d19057 100644 --- a/clients/client-datazone/src/commands/PutEnvironmentBlueprintConfigurationCommand.ts +++ b/clients/client-datazone/src/commands/PutEnvironmentBlueprintConfigurationCommand.ts @@ -150,4 +150,16 @@ export class PutEnvironmentBlueprintConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutEnvironmentBlueprintConfigurationCommand) .de(de_PutEnvironmentBlueprintConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEnvironmentBlueprintConfigurationInput; + output: PutEnvironmentBlueprintConfigurationOutput; + }; + sdk: { + input: PutEnvironmentBlueprintConfigurationCommandInput; + output: PutEnvironmentBlueprintConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/RejectPredictionsCommand.ts b/clients/client-datazone/src/commands/RejectPredictionsCommand.ts index 78c52cb5142c..6e4c2c16c091 100644 --- a/clients/client-datazone/src/commands/RejectPredictionsCommand.ts +++ b/clients/client-datazone/src/commands/RejectPredictionsCommand.ts @@ -116,4 +116,16 @@ export class RejectPredictionsCommand extends $Command .f(void 0, void 0) .ser(se_RejectPredictionsCommand) .de(de_RejectPredictionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectPredictionsInput; + output: RejectPredictionsOutput; + }; + sdk: { + input: RejectPredictionsCommandInput; + output: RejectPredictionsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/RejectSubscriptionRequestCommand.ts b/clients/client-datazone/src/commands/RejectSubscriptionRequestCommand.ts index 0576d1d5161a..1fec168f911b 100644 --- a/clients/client-datazone/src/commands/RejectSubscriptionRequestCommand.ts +++ b/clients/client-datazone/src/commands/RejectSubscriptionRequestCommand.ts @@ -173,4 +173,16 @@ export class RejectSubscriptionRequestCommand extends $Command .f(RejectSubscriptionRequestInputFilterSensitiveLog, RejectSubscriptionRequestOutputFilterSensitiveLog) .ser(se_RejectSubscriptionRequestCommand) .de(de_RejectSubscriptionRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectSubscriptionRequestInput; + output: RejectSubscriptionRequestOutput; + }; + sdk: { + input: RejectSubscriptionRequestCommandInput; + output: RejectSubscriptionRequestCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/RemoveEntityOwnerCommand.ts b/clients/client-datazone/src/commands/RemoveEntityOwnerCommand.ts index 8884cd852224..223d02f49ad0 100644 --- a/clients/client-datazone/src/commands/RemoveEntityOwnerCommand.ts +++ b/clients/client-datazone/src/commands/RemoveEntityOwnerCommand.ts @@ -104,4 +104,16 @@ export class RemoveEntityOwnerCommand extends $Command .f(void 0, void 0) .ser(se_RemoveEntityOwnerCommand) .de(de_RemoveEntityOwnerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveEntityOwnerInput; + output: {}; + }; + sdk: { + input: RemoveEntityOwnerCommandInput; + output: RemoveEntityOwnerCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/RemovePolicyGrantCommand.ts b/clients/client-datazone/src/commands/RemovePolicyGrantCommand.ts index 75b9bfec9917..a5658123dda1 100644 --- a/clients/client-datazone/src/commands/RemovePolicyGrantCommand.ts +++ b/clients/client-datazone/src/commands/RemovePolicyGrantCommand.ts @@ -120,4 +120,16 @@ export class RemovePolicyGrantCommand extends $Command .f(void 0, void 0) .ser(se_RemovePolicyGrantCommand) .de(de_RemovePolicyGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemovePolicyGrantInput; + output: {}; + }; + sdk: { + input: RemovePolicyGrantCommandInput; + output: RemovePolicyGrantCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/RevokeSubscriptionCommand.ts b/clients/client-datazone/src/commands/RevokeSubscriptionCommand.ts index f189e793028c..6e0406cc3fe8 100644 --- a/clients/client-datazone/src/commands/RevokeSubscriptionCommand.ts +++ b/clients/client-datazone/src/commands/RevokeSubscriptionCommand.ts @@ -167,4 +167,16 @@ export class RevokeSubscriptionCommand extends $Command .f(void 0, RevokeSubscriptionOutputFilterSensitiveLog) .ser(se_RevokeSubscriptionCommand) .de(de_RevokeSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeSubscriptionInput; + output: RevokeSubscriptionOutput; + }; + sdk: { + input: RevokeSubscriptionCommandInput; + output: RevokeSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/SearchCommand.ts b/clients/client-datazone/src/commands/SearchCommand.ts index 9b98693b4bca..94c5969e5dde 100644 --- a/clients/client-datazone/src/commands/SearchCommand.ts +++ b/clients/client-datazone/src/commands/SearchCommand.ts @@ -229,4 +229,16 @@ export class SearchCommand extends $Command .f(void 0, SearchOutputFilterSensitiveLog) .ser(se_SearchCommand) .de(de_SearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchInput; + output: SearchOutput; + }; + sdk: { + input: SearchCommandInput; + output: SearchCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/SearchGroupProfilesCommand.ts b/clients/client-datazone/src/commands/SearchGroupProfilesCommand.ts index 3e91a0e75856..3d74d37fe153 100644 --- a/clients/client-datazone/src/commands/SearchGroupProfilesCommand.ts +++ b/clients/client-datazone/src/commands/SearchGroupProfilesCommand.ts @@ -112,4 +112,16 @@ export class SearchGroupProfilesCommand extends $Command .f(SearchGroupProfilesInputFilterSensitiveLog, SearchGroupProfilesOutputFilterSensitiveLog) .ser(se_SearchGroupProfilesCommand) .de(de_SearchGroupProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchGroupProfilesInput; + output: SearchGroupProfilesOutput; + }; + sdk: { + input: SearchGroupProfilesCommandInput; + output: SearchGroupProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/SearchListingsCommand.ts b/clients/client-datazone/src/commands/SearchListingsCommand.ts index 2f1228a58c2b..d6e4a039d253 100644 --- a/clients/client-datazone/src/commands/SearchListingsCommand.ts +++ b/clients/client-datazone/src/commands/SearchListingsCommand.ts @@ -200,4 +200,16 @@ export class SearchListingsCommand extends $Command .f(void 0, SearchListingsOutputFilterSensitiveLog) .ser(se_SearchListingsCommand) .de(de_SearchListingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchListingsInput; + output: SearchListingsOutput; + }; + sdk: { + input: SearchListingsCommandInput; + output: SearchListingsCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/SearchTypesCommand.ts b/clients/client-datazone/src/commands/SearchTypesCommand.ts index 71cad8237071..ac0de5ec4dd8 100644 --- a/clients/client-datazone/src/commands/SearchTypesCommand.ts +++ b/clients/client-datazone/src/commands/SearchTypesCommand.ts @@ -192,4 +192,16 @@ export class SearchTypesCommand extends $Command .f(void 0, SearchTypesOutputFilterSensitiveLog) .ser(se_SearchTypesCommand) .de(de_SearchTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchTypesInput; + output: SearchTypesOutput; + }; + sdk: { + input: SearchTypesCommandInput; + output: SearchTypesCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/SearchUserProfilesCommand.ts b/clients/client-datazone/src/commands/SearchUserProfilesCommand.ts index 2726eef4d489..86b518cd07df 100644 --- a/clients/client-datazone/src/commands/SearchUserProfilesCommand.ts +++ b/clients/client-datazone/src/commands/SearchUserProfilesCommand.ts @@ -122,4 +122,16 @@ export class SearchUserProfilesCommand extends $Command .f(SearchUserProfilesInputFilterSensitiveLog, SearchUserProfilesOutputFilterSensitiveLog) .ser(se_SearchUserProfilesCommand) .de(de_SearchUserProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchUserProfilesInput; + output: SearchUserProfilesOutput; + }; + sdk: { + input: SearchUserProfilesCommandInput; + output: SearchUserProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/StartDataSourceRunCommand.ts b/clients/client-datazone/src/commands/StartDataSourceRunCommand.ts index 6f22039552c8..9be674ce52b3 100644 --- a/clients/client-datazone/src/commands/StartDataSourceRunCommand.ts +++ b/clients/client-datazone/src/commands/StartDataSourceRunCommand.ts @@ -124,4 +124,16 @@ export class StartDataSourceRunCommand extends $Command .f(void 0, void 0) .ser(se_StartDataSourceRunCommand) .de(de_StartDataSourceRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataSourceRunInput; + output: StartDataSourceRunOutput; + }; + sdk: { + input: StartDataSourceRunCommandInput; + output: StartDataSourceRunCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/StartMetadataGenerationRunCommand.ts b/clients/client-datazone/src/commands/StartMetadataGenerationRunCommand.ts index 55b509b4a07d..573e62ea5a3a 100644 --- a/clients/client-datazone/src/commands/StartMetadataGenerationRunCommand.ts +++ b/clients/client-datazone/src/commands/StartMetadataGenerationRunCommand.ts @@ -115,4 +115,16 @@ export class StartMetadataGenerationRunCommand extends $Command .f(void 0, void 0) .ser(se_StartMetadataGenerationRunCommand) .de(de_StartMetadataGenerationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMetadataGenerationRunInput; + output: StartMetadataGenerationRunOutput; + }; + sdk: { + input: StartMetadataGenerationRunCommandInput; + output: StartMetadataGenerationRunCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/TagResourceCommand.ts b/clients/client-datazone/src/commands/TagResourceCommand.ts index 92b51d406d38..a65370dd8100 100644 --- a/clients/client-datazone/src/commands/TagResourceCommand.ts +++ b/clients/client-datazone/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UntagResourceCommand.ts b/clients/client-datazone/src/commands/UntagResourceCommand.ts index 1163bd866271..2b5694a8b295 100644 --- a/clients/client-datazone/src/commands/UntagResourceCommand.ts +++ b/clients/client-datazone/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateAssetFilterCommand.ts b/clients/client-datazone/src/commands/UpdateAssetFilterCommand.ts index d89a57ef9932..d8d534d7d69b 100644 --- a/clients/client-datazone/src/commands/UpdateAssetFilterCommand.ts +++ b/clients/client-datazone/src/commands/UpdateAssetFilterCommand.ts @@ -376,4 +376,16 @@ export class UpdateAssetFilterCommand extends $Command .f(UpdateAssetFilterInputFilterSensitiveLog, UpdateAssetFilterOutputFilterSensitiveLog) .ser(se_UpdateAssetFilterCommand) .de(de_UpdateAssetFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssetFilterInput; + output: UpdateAssetFilterOutput; + }; + sdk: { + input: UpdateAssetFilterCommandInput; + output: UpdateAssetFilterCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateDataSourceCommand.ts b/clients/client-datazone/src/commands/UpdateDataSourceCommand.ts index aa0849a68cb3..0d26e6bf0c41 100644 --- a/clients/client-datazone/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-datazone/src/commands/UpdateDataSourceCommand.ts @@ -278,4 +278,16 @@ export class UpdateDataSourceCommand extends $Command .f(UpdateDataSourceInputFilterSensitiveLog, UpdateDataSourceOutputFilterSensitiveLog) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceInput; + output: UpdateDataSourceOutput; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateDomainCommand.ts b/clients/client-datazone/src/commands/UpdateDomainCommand.ts index 305cbc7ea89d..94ba39e63e50 100644 --- a/clients/client-datazone/src/commands/UpdateDomainCommand.ts +++ b/clients/client-datazone/src/commands/UpdateDomainCommand.ts @@ -118,4 +118,16 @@ export class UpdateDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainCommand) .de(de_UpdateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainInput; + output: UpdateDomainOutput; + }; + sdk: { + input: UpdateDomainCommandInput; + output: UpdateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateDomainUnitCommand.ts b/clients/client-datazone/src/commands/UpdateDomainUnitCommand.ts index abc41298f27f..2180551f6242 100644 --- a/clients/client-datazone/src/commands/UpdateDomainUnitCommand.ts +++ b/clients/client-datazone/src/commands/UpdateDomainUnitCommand.ts @@ -124,4 +124,16 @@ export class UpdateDomainUnitCommand extends $Command .f(UpdateDomainUnitInputFilterSensitiveLog, UpdateDomainUnitOutputFilterSensitiveLog) .ser(se_UpdateDomainUnitCommand) .de(de_UpdateDomainUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainUnitInput; + output: UpdateDomainUnitOutput; + }; + sdk: { + input: UpdateDomainUnitCommandInput; + output: UpdateDomainUnitCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateEnvironmentActionCommand.ts b/clients/client-datazone/src/commands/UpdateEnvironmentActionCommand.ts index d17865efbf54..58e81ba59503 100644 --- a/clients/client-datazone/src/commands/UpdateEnvironmentActionCommand.ts +++ b/clients/client-datazone/src/commands/UpdateEnvironmentActionCommand.ts @@ -116,4 +116,16 @@ export class UpdateEnvironmentActionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnvironmentActionCommand) .de(de_UpdateEnvironmentActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentActionInput; + output: UpdateEnvironmentActionOutput; + }; + sdk: { + input: UpdateEnvironmentActionCommandInput; + output: UpdateEnvironmentActionCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateEnvironmentCommand.ts b/clients/client-datazone/src/commands/UpdateEnvironmentCommand.ts index d9abcd8a52d4..01c7acc803fd 100644 --- a/clients/client-datazone/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-datazone/src/commands/UpdateEnvironmentCommand.ts @@ -176,4 +176,16 @@ export class UpdateEnvironmentCommand extends $Command .f(void 0, UpdateEnvironmentOutputFilterSensitiveLog) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentInput; + output: UpdateEnvironmentOutput; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateEnvironmentProfileCommand.ts b/clients/client-datazone/src/commands/UpdateEnvironmentProfileCommand.ts index 4e1b3aceeb4b..ec8baa690ae7 100644 --- a/clients/client-datazone/src/commands/UpdateEnvironmentProfileCommand.ts +++ b/clients/client-datazone/src/commands/UpdateEnvironmentProfileCommand.ts @@ -137,4 +137,16 @@ export class UpdateEnvironmentProfileCommand extends $Command .f(UpdateEnvironmentProfileInputFilterSensitiveLog, UpdateEnvironmentProfileOutputFilterSensitiveLog) .ser(se_UpdateEnvironmentProfileCommand) .de(de_UpdateEnvironmentProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentProfileInput; + output: UpdateEnvironmentProfileOutput; + }; + sdk: { + input: UpdateEnvironmentProfileCommandInput; + output: UpdateEnvironmentProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateGlossaryCommand.ts b/clients/client-datazone/src/commands/UpdateGlossaryCommand.ts index dc38874fd83f..6615fb21d509 100644 --- a/clients/client-datazone/src/commands/UpdateGlossaryCommand.ts +++ b/clients/client-datazone/src/commands/UpdateGlossaryCommand.ts @@ -113,4 +113,16 @@ export class UpdateGlossaryCommand extends $Command .f(UpdateGlossaryInputFilterSensitiveLog, UpdateGlossaryOutputFilterSensitiveLog) .ser(se_UpdateGlossaryCommand) .de(de_UpdateGlossaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlossaryInput; + output: UpdateGlossaryOutput; + }; + sdk: { + input: UpdateGlossaryCommandInput; + output: UpdateGlossaryCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateGlossaryTermCommand.ts b/clients/client-datazone/src/commands/UpdateGlossaryTermCommand.ts index c524689c4493..cd4af76e7d11 100644 --- a/clients/client-datazone/src/commands/UpdateGlossaryTermCommand.ts +++ b/clients/client-datazone/src/commands/UpdateGlossaryTermCommand.ts @@ -131,4 +131,16 @@ export class UpdateGlossaryTermCommand extends $Command .f(UpdateGlossaryTermInputFilterSensitiveLog, UpdateGlossaryTermOutputFilterSensitiveLog) .ser(se_UpdateGlossaryTermCommand) .de(de_UpdateGlossaryTermCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlossaryTermInput; + output: UpdateGlossaryTermOutput; + }; + sdk: { + input: UpdateGlossaryTermCommandInput; + output: UpdateGlossaryTermCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateGroupProfileCommand.ts b/clients/client-datazone/src/commands/UpdateGroupProfileCommand.ts index 8e975edf2c33..02d60fbd80ee 100644 --- a/clients/client-datazone/src/commands/UpdateGroupProfileCommand.ts +++ b/clients/client-datazone/src/commands/UpdateGroupProfileCommand.ts @@ -104,4 +104,16 @@ export class UpdateGroupProfileCommand extends $Command .f(void 0, UpdateGroupProfileOutputFilterSensitiveLog) .ser(se_UpdateGroupProfileCommand) .de(de_UpdateGroupProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupProfileInput; + output: UpdateGroupProfileOutput; + }; + sdk: { + input: UpdateGroupProfileCommandInput; + output: UpdateGroupProfileCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateProjectCommand.ts b/clients/client-datazone/src/commands/UpdateProjectCommand.ts index 67974bb02071..951c1f0d1ff9 100644 --- a/clients/client-datazone/src/commands/UpdateProjectCommand.ts +++ b/clients/client-datazone/src/commands/UpdateProjectCommand.ts @@ -129,4 +129,16 @@ export class UpdateProjectCommand extends $Command .f(UpdateProjectInputFilterSensitiveLog, UpdateProjectOutputFilterSensitiveLog) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectInput; + output: UpdateProjectOutput; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateSubscriptionGrantStatusCommand.ts b/clients/client-datazone/src/commands/UpdateSubscriptionGrantStatusCommand.ts index f5928da2ee6d..10cc62854a7e 100644 --- a/clients/client-datazone/src/commands/UpdateSubscriptionGrantStatusCommand.ts +++ b/clients/client-datazone/src/commands/UpdateSubscriptionGrantStatusCommand.ts @@ -145,4 +145,16 @@ export class UpdateSubscriptionGrantStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubscriptionGrantStatusCommand) .de(de_UpdateSubscriptionGrantStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriptionGrantStatusInput; + output: UpdateSubscriptionGrantStatusOutput; + }; + sdk: { + input: UpdateSubscriptionGrantStatusCommandInput; + output: UpdateSubscriptionGrantStatusCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateSubscriptionRequestCommand.ts b/clients/client-datazone/src/commands/UpdateSubscriptionRequestCommand.ts index f38d38736cf8..8c199576b05c 100644 --- a/clients/client-datazone/src/commands/UpdateSubscriptionRequestCommand.ts +++ b/clients/client-datazone/src/commands/UpdateSubscriptionRequestCommand.ts @@ -173,4 +173,16 @@ export class UpdateSubscriptionRequestCommand extends $Command .f(UpdateSubscriptionRequestInputFilterSensitiveLog, UpdateSubscriptionRequestOutputFilterSensitiveLog) .ser(se_UpdateSubscriptionRequestCommand) .de(de_UpdateSubscriptionRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriptionRequestInput; + output: UpdateSubscriptionRequestOutput; + }; + sdk: { + input: UpdateSubscriptionRequestCommandInput; + output: UpdateSubscriptionRequestCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateSubscriptionTargetCommand.ts b/clients/client-datazone/src/commands/UpdateSubscriptionTargetCommand.ts index 923d3781df89..8d1236061896 100644 --- a/clients/client-datazone/src/commands/UpdateSubscriptionTargetCommand.ts +++ b/clients/client-datazone/src/commands/UpdateSubscriptionTargetCommand.ts @@ -143,4 +143,16 @@ export class UpdateSubscriptionTargetCommand extends $Command .f(UpdateSubscriptionTargetInputFilterSensitiveLog, UpdateSubscriptionTargetOutputFilterSensitiveLog) .ser(se_UpdateSubscriptionTargetCommand) .de(de_UpdateSubscriptionTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriptionTargetInput; + output: UpdateSubscriptionTargetOutput; + }; + sdk: { + input: UpdateSubscriptionTargetCommandInput; + output: UpdateSubscriptionTargetCommandOutput; + }; + }; +} diff --git a/clients/client-datazone/src/commands/UpdateUserProfileCommand.ts b/clients/client-datazone/src/commands/UpdateUserProfileCommand.ts index f992b08bb3c2..82d66282d90d 100644 --- a/clients/client-datazone/src/commands/UpdateUserProfileCommand.ts +++ b/clients/client-datazone/src/commands/UpdateUserProfileCommand.ts @@ -115,4 +115,16 @@ export class UpdateUserProfileCommand extends $Command .f(void 0, UpdateUserProfileOutputFilterSensitiveLog) .ser(se_UpdateUserProfileCommand) .de(de_UpdateUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserProfileInput; + output: UpdateUserProfileOutput; + }; + sdk: { + input: UpdateUserProfileCommandInput; + output: UpdateUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-dax/package.json b/clients/client-dax/package.json index 1bf88f382ae8..9e396f58a765 100644 --- a/clients/client-dax/package.json +++ b/clients/client-dax/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-dax/src/commands/CreateClusterCommand.ts b/clients/client-dax/src/commands/CreateClusterCommand.ts index 45ca71065d39..b671f835f06d 100644 --- a/clients/client-dax/src/commands/CreateClusterCommand.ts +++ b/clients/client-dax/src/commands/CreateClusterCommand.ts @@ -208,4 +208,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/CreateParameterGroupCommand.ts b/clients/client-dax/src/commands/CreateParameterGroupCommand.ts index 83414fd3fa61..d8bcbdff8222 100644 --- a/clients/client-dax/src/commands/CreateParameterGroupCommand.ts +++ b/clients/client-dax/src/commands/CreateParameterGroupCommand.ts @@ -100,4 +100,16 @@ export class CreateParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateParameterGroupCommand) .de(de_CreateParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateParameterGroupRequest; + output: CreateParameterGroupResponse; + }; + sdk: { + input: CreateParameterGroupCommandInput; + output: CreateParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/CreateSubnetGroupCommand.ts b/clients/client-dax/src/commands/CreateSubnetGroupCommand.ts index 0817ff761ac2..120b4add0a11 100644 --- a/clients/client-dax/src/commands/CreateSubnetGroupCommand.ts +++ b/clients/client-dax/src/commands/CreateSubnetGroupCommand.ts @@ -108,4 +108,16 @@ export class CreateSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubnetGroupCommand) .de(de_CreateSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubnetGroupRequest; + output: CreateSubnetGroupResponse; + }; + sdk: { + input: CreateSubnetGroupCommandInput; + output: CreateSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DecreaseReplicationFactorCommand.ts b/clients/client-dax/src/commands/DecreaseReplicationFactorCommand.ts index c4e038f77b07..ee20e4069e40 100644 --- a/clients/client-dax/src/commands/DecreaseReplicationFactorCommand.ts +++ b/clients/client-dax/src/commands/DecreaseReplicationFactorCommand.ts @@ -160,4 +160,16 @@ export class DecreaseReplicationFactorCommand extends $Command .f(void 0, void 0) .ser(se_DecreaseReplicationFactorCommand) .de(de_DecreaseReplicationFactorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DecreaseReplicationFactorRequest; + output: DecreaseReplicationFactorResponse; + }; + sdk: { + input: DecreaseReplicationFactorCommandInput; + output: DecreaseReplicationFactorCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DeleteClusterCommand.ts b/clients/client-dax/src/commands/DeleteClusterCommand.ts index 3a159354a9c6..59e20426261c 100644 --- a/clients/client-dax/src/commands/DeleteClusterCommand.ts +++ b/clients/client-dax/src/commands/DeleteClusterCommand.ts @@ -151,4 +151,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DeleteParameterGroupCommand.ts b/clients/client-dax/src/commands/DeleteParameterGroupCommand.ts index b311d5364f64..9cb5272ed535 100644 --- a/clients/client-dax/src/commands/DeleteParameterGroupCommand.ts +++ b/clients/client-dax/src/commands/DeleteParameterGroupCommand.ts @@ -93,4 +93,16 @@ export class DeleteParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteParameterGroupCommand) .de(de_DeleteParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteParameterGroupRequest; + output: DeleteParameterGroupResponse; + }; + sdk: { + input: DeleteParameterGroupCommandInput; + output: DeleteParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DeleteSubnetGroupCommand.ts b/clients/client-dax/src/commands/DeleteSubnetGroupCommand.ts index f81f5965303b..21b89a1e93ef 100644 --- a/clients/client-dax/src/commands/DeleteSubnetGroupCommand.ts +++ b/clients/client-dax/src/commands/DeleteSubnetGroupCommand.ts @@ -91,4 +91,16 @@ export class DeleteSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubnetGroupCommand) .de(de_DeleteSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubnetGroupRequest; + output: DeleteSubnetGroupResponse; + }; + sdk: { + input: DeleteSubnetGroupCommandInput; + output: DeleteSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DescribeClustersCommand.ts b/clients/client-dax/src/commands/DescribeClustersCommand.ts index 2288c67d3c4c..9713cf047ade 100644 --- a/clients/client-dax/src/commands/DescribeClustersCommand.ts +++ b/clients/client-dax/src/commands/DescribeClustersCommand.ts @@ -162,4 +162,16 @@ export class DescribeClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClustersCommand) .de(de_DescribeClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClustersRequest; + output: DescribeClustersResponse; + }; + sdk: { + input: DescribeClustersCommandInput; + output: DescribeClustersCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DescribeDefaultParametersCommand.ts b/clients/client-dax/src/commands/DescribeDefaultParametersCommand.ts index 6a8e29ec9ace..3507d7e22432 100644 --- a/clients/client-dax/src/commands/DescribeDefaultParametersCommand.ts +++ b/clients/client-dax/src/commands/DescribeDefaultParametersCommand.ts @@ -107,4 +107,16 @@ export class DescribeDefaultParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDefaultParametersCommand) .de(de_DescribeDefaultParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDefaultParametersRequest; + output: DescribeDefaultParametersResponse; + }; + sdk: { + input: DescribeDefaultParametersCommandInput; + output: DescribeDefaultParametersCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DescribeEventsCommand.ts b/clients/client-dax/src/commands/DescribeEventsCommand.ts index 2bc33091f51b..97daecdc340c 100644 --- a/clients/client-dax/src/commands/DescribeEventsCommand.ts +++ b/clients/client-dax/src/commands/DescribeEventsCommand.ts @@ -104,4 +104,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsRequest; + output: DescribeEventsResponse; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DescribeParameterGroupsCommand.ts b/clients/client-dax/src/commands/DescribeParameterGroupsCommand.ts index f951a1cd03b8..ff97c8e99eaa 100644 --- a/clients/client-dax/src/commands/DescribeParameterGroupsCommand.ts +++ b/clients/client-dax/src/commands/DescribeParameterGroupsCommand.ts @@ -100,4 +100,16 @@ export class DescribeParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeParameterGroupsCommand) .de(de_DescribeParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeParameterGroupsRequest; + output: DescribeParameterGroupsResponse; + }; + sdk: { + input: DescribeParameterGroupsCommandInput; + output: DescribeParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DescribeParametersCommand.ts b/clients/client-dax/src/commands/DescribeParametersCommand.ts index 7640a2c33ae3..b76472f0862b 100644 --- a/clients/client-dax/src/commands/DescribeParametersCommand.ts +++ b/clients/client-dax/src/commands/DescribeParametersCommand.ts @@ -111,4 +111,16 @@ export class DescribeParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeParametersCommand) .de(de_DescribeParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeParametersRequest; + output: DescribeParametersResponse; + }; + sdk: { + input: DescribeParametersCommandInput; + output: DescribeParametersCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/DescribeSubnetGroupsCommand.ts b/clients/client-dax/src/commands/DescribeSubnetGroupsCommand.ts index 481ced586e63..43fe97982010 100644 --- a/clients/client-dax/src/commands/DescribeSubnetGroupsCommand.ts +++ b/clients/client-dax/src/commands/DescribeSubnetGroupsCommand.ts @@ -102,4 +102,16 @@ export class DescribeSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSubnetGroupsCommand) .de(de_DescribeSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSubnetGroupsRequest; + output: DescribeSubnetGroupsResponse; + }; + sdk: { + input: DescribeSubnetGroupsCommandInput; + output: DescribeSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/IncreaseReplicationFactorCommand.ts b/clients/client-dax/src/commands/IncreaseReplicationFactorCommand.ts index c2dc181c5850..672f2e2673f7 100644 --- a/clients/client-dax/src/commands/IncreaseReplicationFactorCommand.ts +++ b/clients/client-dax/src/commands/IncreaseReplicationFactorCommand.ts @@ -166,4 +166,16 @@ export class IncreaseReplicationFactorCommand extends $Command .f(void 0, void 0) .ser(se_IncreaseReplicationFactorCommand) .de(de_IncreaseReplicationFactorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IncreaseReplicationFactorRequest; + output: IncreaseReplicationFactorResponse; + }; + sdk: { + input: IncreaseReplicationFactorCommandInput; + output: IncreaseReplicationFactorCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/ListTagsCommand.ts b/clients/client-dax/src/commands/ListTagsCommand.ts index 3f35be17fe15..470a1f267666 100644 --- a/clients/client-dax/src/commands/ListTagsCommand.ts +++ b/clients/client-dax/src/commands/ListTagsCommand.ts @@ -104,4 +104,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/RebootNodeCommand.ts b/clients/client-dax/src/commands/RebootNodeCommand.ts index 5af114b891f3..7682a9b5a166 100644 --- a/clients/client-dax/src/commands/RebootNodeCommand.ts +++ b/clients/client-dax/src/commands/RebootNodeCommand.ts @@ -157,4 +157,16 @@ export class RebootNodeCommand extends $Command .f(void 0, void 0) .ser(se_RebootNodeCommand) .de(de_RebootNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootNodeRequest; + output: RebootNodeResponse; + }; + sdk: { + input: RebootNodeCommandInput; + output: RebootNodeCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/TagResourceCommand.ts b/clients/client-dax/src/commands/TagResourceCommand.ts index 47759f839ecd..6d3aa323aa68 100644 --- a/clients/client-dax/src/commands/TagResourceCommand.ts +++ b/clients/client-dax/src/commands/TagResourceCommand.ts @@ -111,4 +111,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: TagResourceResponse; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/UntagResourceCommand.ts b/clients/client-dax/src/commands/UntagResourceCommand.ts index 65fc8c88cc58..8ace697cd17d 100644 --- a/clients/client-dax/src/commands/UntagResourceCommand.ts +++ b/clients/client-dax/src/commands/UntagResourceCommand.ts @@ -108,4 +108,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: UntagResourceResponse; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/UpdateClusterCommand.ts b/clients/client-dax/src/commands/UpdateClusterCommand.ts index 2c79510545d9..5986dc323763 100644 --- a/clients/client-dax/src/commands/UpdateClusterCommand.ts +++ b/clients/client-dax/src/commands/UpdateClusterCommand.ts @@ -163,4 +163,16 @@ export class UpdateClusterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterCommand) .de(de_UpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterRequest; + output: UpdateClusterResponse; + }; + sdk: { + input: UpdateClusterCommandInput; + output: UpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/UpdateParameterGroupCommand.ts b/clients/client-dax/src/commands/UpdateParameterGroupCommand.ts index d894b2e42be6..17e62859be95 100644 --- a/clients/client-dax/src/commands/UpdateParameterGroupCommand.ts +++ b/clients/client-dax/src/commands/UpdateParameterGroupCommand.ts @@ -103,4 +103,16 @@ export class UpdateParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateParameterGroupCommand) .de(de_UpdateParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateParameterGroupRequest; + output: UpdateParameterGroupResponse; + }; + sdk: { + input: UpdateParameterGroupCommandInput; + output: UpdateParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-dax/src/commands/UpdateSubnetGroupCommand.ts b/clients/client-dax/src/commands/UpdateSubnetGroupCommand.ts index 79229dc71f8c..585c87e43237 100644 --- a/clients/client-dax/src/commands/UpdateSubnetGroupCommand.ts +++ b/clients/client-dax/src/commands/UpdateSubnetGroupCommand.ts @@ -108,4 +108,16 @@ export class UpdateSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubnetGroupCommand) .de(de_UpdateSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubnetGroupRequest; + output: UpdateSubnetGroupResponse; + }; + sdk: { + input: UpdateSubnetGroupCommandInput; + output: UpdateSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/package.json b/clients/client-deadline/package.json index 8afb07ae6657..bfee33c6ad52 100644 --- a/clients/client-deadline/package.json +++ b/clients/client-deadline/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-deadline/src/commands/AssociateMemberToFarmCommand.ts b/clients/client-deadline/src/commands/AssociateMemberToFarmCommand.ts index d0976c01632e..a09ff3d3e17c 100644 --- a/clients/client-deadline/src/commands/AssociateMemberToFarmCommand.ts +++ b/clients/client-deadline/src/commands/AssociateMemberToFarmCommand.ts @@ -99,4 +99,16 @@ export class AssociateMemberToFarmCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMemberToFarmCommand) .de(de_AssociateMemberToFarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMemberToFarmRequest; + output: {}; + }; + sdk: { + input: AssociateMemberToFarmCommandInput; + output: AssociateMemberToFarmCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssociateMemberToFleetCommand.ts b/clients/client-deadline/src/commands/AssociateMemberToFleetCommand.ts index 142864faefd8..1d1daba446f0 100644 --- a/clients/client-deadline/src/commands/AssociateMemberToFleetCommand.ts +++ b/clients/client-deadline/src/commands/AssociateMemberToFleetCommand.ts @@ -100,4 +100,16 @@ export class AssociateMemberToFleetCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMemberToFleetCommand) .de(de_AssociateMemberToFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMemberToFleetRequest; + output: {}; + }; + sdk: { + input: AssociateMemberToFleetCommandInput; + output: AssociateMemberToFleetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssociateMemberToJobCommand.ts b/clients/client-deadline/src/commands/AssociateMemberToJobCommand.ts index d84f4c70603e..8860df007456 100644 --- a/clients/client-deadline/src/commands/AssociateMemberToJobCommand.ts +++ b/clients/client-deadline/src/commands/AssociateMemberToJobCommand.ts @@ -101,4 +101,16 @@ export class AssociateMemberToJobCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMemberToJobCommand) .de(de_AssociateMemberToJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMemberToJobRequest; + output: {}; + }; + sdk: { + input: AssociateMemberToJobCommandInput; + output: AssociateMemberToJobCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssociateMemberToQueueCommand.ts b/clients/client-deadline/src/commands/AssociateMemberToQueueCommand.ts index d70781506448..82a0afd023e8 100644 --- a/clients/client-deadline/src/commands/AssociateMemberToQueueCommand.ts +++ b/clients/client-deadline/src/commands/AssociateMemberToQueueCommand.ts @@ -100,4 +100,16 @@ export class AssociateMemberToQueueCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMemberToQueueCommand) .de(de_AssociateMemberToQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMemberToQueueRequest; + output: {}; + }; + sdk: { + input: AssociateMemberToQueueCommandInput; + output: AssociateMemberToQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssumeFleetRoleForReadCommand.ts b/clients/client-deadline/src/commands/AssumeFleetRoleForReadCommand.ts index 69e197b78f60..9362099fef69 100644 --- a/clients/client-deadline/src/commands/AssumeFleetRoleForReadCommand.ts +++ b/clients/client-deadline/src/commands/AssumeFleetRoleForReadCommand.ts @@ -104,4 +104,16 @@ export class AssumeFleetRoleForReadCommand extends $Command .f(void 0, AssumeFleetRoleForReadResponseFilterSensitiveLog) .ser(se_AssumeFleetRoleForReadCommand) .de(de_AssumeFleetRoleForReadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeFleetRoleForReadRequest; + output: AssumeFleetRoleForReadResponse; + }; + sdk: { + input: AssumeFleetRoleForReadCommandInput; + output: AssumeFleetRoleForReadCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssumeFleetRoleForWorkerCommand.ts b/clients/client-deadline/src/commands/AssumeFleetRoleForWorkerCommand.ts index 3d490dc6c722..87679d9eb518 100644 --- a/clients/client-deadline/src/commands/AssumeFleetRoleForWorkerCommand.ts +++ b/clients/client-deadline/src/commands/AssumeFleetRoleForWorkerCommand.ts @@ -108,4 +108,16 @@ export class AssumeFleetRoleForWorkerCommand extends $Command .f(void 0, AssumeFleetRoleForWorkerResponseFilterSensitiveLog) .ser(se_AssumeFleetRoleForWorkerCommand) .de(de_AssumeFleetRoleForWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeFleetRoleForWorkerRequest; + output: AssumeFleetRoleForWorkerResponse; + }; + sdk: { + input: AssumeFleetRoleForWorkerCommandInput; + output: AssumeFleetRoleForWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssumeQueueRoleForReadCommand.ts b/clients/client-deadline/src/commands/AssumeQueueRoleForReadCommand.ts index d757baf39faa..97875f4c76e1 100644 --- a/clients/client-deadline/src/commands/AssumeQueueRoleForReadCommand.ts +++ b/clients/client-deadline/src/commands/AssumeQueueRoleForReadCommand.ts @@ -104,4 +104,16 @@ export class AssumeQueueRoleForReadCommand extends $Command .f(void 0, AssumeQueueRoleForReadResponseFilterSensitiveLog) .ser(se_AssumeQueueRoleForReadCommand) .de(de_AssumeQueueRoleForReadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeQueueRoleForReadRequest; + output: AssumeQueueRoleForReadResponse; + }; + sdk: { + input: AssumeQueueRoleForReadCommandInput; + output: AssumeQueueRoleForReadCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssumeQueueRoleForUserCommand.ts b/clients/client-deadline/src/commands/AssumeQueueRoleForUserCommand.ts index 8a01c87fb8fc..cf89aa58d27b 100644 --- a/clients/client-deadline/src/commands/AssumeQueueRoleForUserCommand.ts +++ b/clients/client-deadline/src/commands/AssumeQueueRoleForUserCommand.ts @@ -103,4 +103,16 @@ export class AssumeQueueRoleForUserCommand extends $Command .f(void 0, AssumeQueueRoleForUserResponseFilterSensitiveLog) .ser(se_AssumeQueueRoleForUserCommand) .de(de_AssumeQueueRoleForUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeQueueRoleForUserRequest; + output: AssumeQueueRoleForUserResponse; + }; + sdk: { + input: AssumeQueueRoleForUserCommandInput; + output: AssumeQueueRoleForUserCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/AssumeQueueRoleForWorkerCommand.ts b/clients/client-deadline/src/commands/AssumeQueueRoleForWorkerCommand.ts index d1d1c7c5578a..79ef8aabf34e 100644 --- a/clients/client-deadline/src/commands/AssumeQueueRoleForWorkerCommand.ts +++ b/clients/client-deadline/src/commands/AssumeQueueRoleForWorkerCommand.ts @@ -109,4 +109,16 @@ export class AssumeQueueRoleForWorkerCommand extends $Command .f(void 0, AssumeQueueRoleForWorkerResponseFilterSensitiveLog) .ser(se_AssumeQueueRoleForWorkerCommand) .de(de_AssumeQueueRoleForWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeQueueRoleForWorkerRequest; + output: AssumeQueueRoleForWorkerResponse; + }; + sdk: { + input: AssumeQueueRoleForWorkerCommandInput; + output: AssumeQueueRoleForWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/BatchGetJobEntityCommand.ts b/clients/client-deadline/src/commands/BatchGetJobEntityCommand.ts index 5e66174fce60..6284e4cef4e4 100644 --- a/clients/client-deadline/src/commands/BatchGetJobEntityCommand.ts +++ b/clients/client-deadline/src/commands/BatchGetJobEntityCommand.ts @@ -215,4 +215,16 @@ export class BatchGetJobEntityCommand extends $Command .f(void 0, BatchGetJobEntityResponseFilterSensitiveLog) .ser(se_BatchGetJobEntityCommand) .de(de_BatchGetJobEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetJobEntityRequest; + output: BatchGetJobEntityResponse; + }; + sdk: { + input: BatchGetJobEntityCommandInput; + output: BatchGetJobEntityCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CopyJobTemplateCommand.ts b/clients/client-deadline/src/commands/CopyJobTemplateCommand.ts index 23d733b7e634..e331f2ec2ae2 100644 --- a/clients/client-deadline/src/commands/CopyJobTemplateCommand.ts +++ b/clients/client-deadline/src/commands/CopyJobTemplateCommand.ts @@ -99,4 +99,16 @@ export class CopyJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CopyJobTemplateCommand) .de(de_CopyJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyJobTemplateRequest; + output: CopyJobTemplateResponse; + }; + sdk: { + input: CopyJobTemplateCommandInput; + output: CopyJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateBudgetCommand.ts b/clients/client-deadline/src/commands/CreateBudgetCommand.ts index 6fa7c86a09ca..d373c0d816e5 100644 --- a/clients/client-deadline/src/commands/CreateBudgetCommand.ts +++ b/clients/client-deadline/src/commands/CreateBudgetCommand.ts @@ -117,4 +117,16 @@ export class CreateBudgetCommand extends $Command .f(CreateBudgetRequestFilterSensitiveLog, void 0) .ser(se_CreateBudgetCommand) .de(de_CreateBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBudgetRequest; + output: CreateBudgetResponse; + }; + sdk: { + input: CreateBudgetCommandInput; + output: CreateBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateFarmCommand.ts b/clients/client-deadline/src/commands/CreateFarmCommand.ts index 06e5d6c9c089..e3bcbb32bf5f 100644 --- a/clients/client-deadline/src/commands/CreateFarmCommand.ts +++ b/clients/client-deadline/src/commands/CreateFarmCommand.ts @@ -106,4 +106,16 @@ export class CreateFarmCommand extends $Command .f(CreateFarmRequestFilterSensitiveLog, void 0) .ser(se_CreateFarmCommand) .de(de_CreateFarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFarmRequest; + output: CreateFarmResponse; + }; + sdk: { + input: CreateFarmCommandInput; + output: CreateFarmCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateFleetCommand.ts b/clients/client-deadline/src/commands/CreateFleetCommand.ts index e61cbaa5dd5e..ea3c881980b9 100644 --- a/clients/client-deadline/src/commands/CreateFleetCommand.ts +++ b/clients/client-deadline/src/commands/CreateFleetCommand.ts @@ -195,4 +195,16 @@ export class CreateFleetCommand extends $Command .f(CreateFleetRequestFilterSensitiveLog, void 0) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetRequest; + output: CreateFleetResponse; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateJobCommand.ts b/clients/client-deadline/src/commands/CreateJobCommand.ts index 2b7f24e200f7..1b7f8f61d998 100644 --- a/clients/client-deadline/src/commands/CreateJobCommand.ts +++ b/clients/client-deadline/src/commands/CreateJobCommand.ts @@ -131,4 +131,16 @@ export class CreateJobCommand extends $Command .f(CreateJobRequestFilterSensitiveLog, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResponse; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateLicenseEndpointCommand.ts b/clients/client-deadline/src/commands/CreateLicenseEndpointCommand.ts index 95b92467cca7..01e3ec00f39f 100644 --- a/clients/client-deadline/src/commands/CreateLicenseEndpointCommand.ts +++ b/clients/client-deadline/src/commands/CreateLicenseEndpointCommand.ts @@ -109,4 +109,16 @@ export class CreateLicenseEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateLicenseEndpointCommand) .de(de_CreateLicenseEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLicenseEndpointRequest; + output: CreateLicenseEndpointResponse; + }; + sdk: { + input: CreateLicenseEndpointCommandInput; + output: CreateLicenseEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateMonitorCommand.ts b/clients/client-deadline/src/commands/CreateMonitorCommand.ts index 38114d0974d7..4b18d9edbd0d 100644 --- a/clients/client-deadline/src/commands/CreateMonitorCommand.ts +++ b/clients/client-deadline/src/commands/CreateMonitorCommand.ts @@ -101,4 +101,16 @@ export class CreateMonitorCommand extends $Command .f(void 0, void 0) .ser(se_CreateMonitorCommand) .de(de_CreateMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMonitorRequest; + output: CreateMonitorResponse; + }; + sdk: { + input: CreateMonitorCommandInput; + output: CreateMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateQueueCommand.ts b/clients/client-deadline/src/commands/CreateQueueCommand.ts index 40a3c25548d4..da6bc478b233 100644 --- a/clients/client-deadline/src/commands/CreateQueueCommand.ts +++ b/clients/client-deadline/src/commands/CreateQueueCommand.ts @@ -127,4 +127,16 @@ export class CreateQueueCommand extends $Command .f(CreateQueueRequestFilterSensitiveLog, void 0) .ser(se_CreateQueueCommand) .de(de_CreateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueueRequest; + output: CreateQueueResponse; + }; + sdk: { + input: CreateQueueCommandInput; + output: CreateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateQueueEnvironmentCommand.ts b/clients/client-deadline/src/commands/CreateQueueEnvironmentCommand.ts index 55de97617250..c891b666678c 100644 --- a/clients/client-deadline/src/commands/CreateQueueEnvironmentCommand.ts +++ b/clients/client-deadline/src/commands/CreateQueueEnvironmentCommand.ts @@ -106,4 +106,16 @@ export class CreateQueueEnvironmentCommand extends $Command .f(CreateQueueEnvironmentRequestFilterSensitiveLog, void 0) .ser(se_CreateQueueEnvironmentCommand) .de(de_CreateQueueEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueueEnvironmentRequest; + output: CreateQueueEnvironmentResponse; + }; + sdk: { + input: CreateQueueEnvironmentCommandInput; + output: CreateQueueEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateQueueFleetAssociationCommand.ts b/clients/client-deadline/src/commands/CreateQueueFleetAssociationCommand.ts index 7db6b4209896..5fac43ac2bd6 100644 --- a/clients/client-deadline/src/commands/CreateQueueFleetAssociationCommand.ts +++ b/clients/client-deadline/src/commands/CreateQueueFleetAssociationCommand.ts @@ -98,4 +98,16 @@ export class CreateQueueFleetAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateQueueFleetAssociationCommand) .de(de_CreateQueueFleetAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueueFleetAssociationRequest; + output: {}; + }; + sdk: { + input: CreateQueueFleetAssociationCommandInput; + output: CreateQueueFleetAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateStorageProfileCommand.ts b/clients/client-deadline/src/commands/CreateStorageProfileCommand.ts index a0afff081971..2e9c2b67859a 100644 --- a/clients/client-deadline/src/commands/CreateStorageProfileCommand.ts +++ b/clients/client-deadline/src/commands/CreateStorageProfileCommand.ts @@ -112,4 +112,16 @@ export class CreateStorageProfileCommand extends $Command .f(CreateStorageProfileRequestFilterSensitiveLog, void 0) .ser(se_CreateStorageProfileCommand) .de(de_CreateStorageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStorageProfileRequest; + output: CreateStorageProfileResponse; + }; + sdk: { + input: CreateStorageProfileCommandInput; + output: CreateStorageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/CreateWorkerCommand.ts b/clients/client-deadline/src/commands/CreateWorkerCommand.ts index 4e1c95fb0ab1..571b86854c7c 100644 --- a/clients/client-deadline/src/commands/CreateWorkerCommand.ts +++ b/clients/client-deadline/src/commands/CreateWorkerCommand.ts @@ -113,4 +113,16 @@ export class CreateWorkerCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkerCommand) .de(de_CreateWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkerRequest; + output: CreateWorkerResponse; + }; + sdk: { + input: CreateWorkerCommandInput; + output: CreateWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteBudgetCommand.ts b/clients/client-deadline/src/commands/DeleteBudgetCommand.ts index 9a49d4caa208..906dae10063a 100644 --- a/clients/client-deadline/src/commands/DeleteBudgetCommand.ts +++ b/clients/client-deadline/src/commands/DeleteBudgetCommand.ts @@ -92,4 +92,16 @@ export class DeleteBudgetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBudgetCommand) .de(de_DeleteBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBudgetRequest; + output: {}; + }; + sdk: { + input: DeleteBudgetCommandInput; + output: DeleteBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteFarmCommand.ts b/clients/client-deadline/src/commands/DeleteFarmCommand.ts index 69f8d9cd79a0..2c2f8422e7d9 100644 --- a/clients/client-deadline/src/commands/DeleteFarmCommand.ts +++ b/clients/client-deadline/src/commands/DeleteFarmCommand.ts @@ -91,4 +91,16 @@ export class DeleteFarmCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFarmCommand) .de(de_DeleteFarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFarmRequest; + output: {}; + }; + sdk: { + input: DeleteFarmCommandInput; + output: DeleteFarmCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteFleetCommand.ts b/clients/client-deadline/src/commands/DeleteFleetCommand.ts index 0e6ea35059c4..f6bfa0f1dfde 100644 --- a/clients/client-deadline/src/commands/DeleteFleetCommand.ts +++ b/clients/client-deadline/src/commands/DeleteFleetCommand.ts @@ -97,4 +97,16 @@ export class DeleteFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetCommand) .de(de_DeleteFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetRequest; + output: {}; + }; + sdk: { + input: DeleteFleetCommandInput; + output: DeleteFleetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteLicenseEndpointCommand.ts b/clients/client-deadline/src/commands/DeleteLicenseEndpointCommand.ts index 6237d70424c6..0213ec2d3ccf 100644 --- a/clients/client-deadline/src/commands/DeleteLicenseEndpointCommand.ts +++ b/clients/client-deadline/src/commands/DeleteLicenseEndpointCommand.ts @@ -95,4 +95,16 @@ export class DeleteLicenseEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLicenseEndpointCommand) .de(de_DeleteLicenseEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLicenseEndpointRequest; + output: {}; + }; + sdk: { + input: DeleteLicenseEndpointCommandInput; + output: DeleteLicenseEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteMeteredProductCommand.ts b/clients/client-deadline/src/commands/DeleteMeteredProductCommand.ts index a860c6d02c56..7c781e91d53c 100644 --- a/clients/client-deadline/src/commands/DeleteMeteredProductCommand.ts +++ b/clients/client-deadline/src/commands/DeleteMeteredProductCommand.ts @@ -92,4 +92,16 @@ export class DeleteMeteredProductCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMeteredProductCommand) .de(de_DeleteMeteredProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMeteredProductRequest; + output: {}; + }; + sdk: { + input: DeleteMeteredProductCommandInput; + output: DeleteMeteredProductCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteMonitorCommand.ts b/clients/client-deadline/src/commands/DeleteMonitorCommand.ts index 318cefd0bc98..00697a7e0c8d 100644 --- a/clients/client-deadline/src/commands/DeleteMonitorCommand.ts +++ b/clients/client-deadline/src/commands/DeleteMonitorCommand.ts @@ -92,4 +92,16 @@ export class DeleteMonitorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMonitorCommand) .de(de_DeleteMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMonitorRequest; + output: {}; + }; + sdk: { + input: DeleteMonitorCommandInput; + output: DeleteMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteQueueCommand.ts b/clients/client-deadline/src/commands/DeleteQueueCommand.ts index 8f543cdb6956..cbbb831e13bd 100644 --- a/clients/client-deadline/src/commands/DeleteQueueCommand.ts +++ b/clients/client-deadline/src/commands/DeleteQueueCommand.ts @@ -100,4 +100,16 @@ export class DeleteQueueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueueCommand) .de(de_DeleteQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueueRequest; + output: {}; + }; + sdk: { + input: DeleteQueueCommandInput; + output: DeleteQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteQueueEnvironmentCommand.ts b/clients/client-deadline/src/commands/DeleteQueueEnvironmentCommand.ts index 0c74078ed706..631b5613efa7 100644 --- a/clients/client-deadline/src/commands/DeleteQueueEnvironmentCommand.ts +++ b/clients/client-deadline/src/commands/DeleteQueueEnvironmentCommand.ts @@ -90,4 +90,16 @@ export class DeleteQueueEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueueEnvironmentCommand) .de(de_DeleteQueueEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueueEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteQueueEnvironmentCommandInput; + output: DeleteQueueEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteQueueFleetAssociationCommand.ts b/clients/client-deadline/src/commands/DeleteQueueFleetAssociationCommand.ts index 45071392d0a0..045d189f240b 100644 --- a/clients/client-deadline/src/commands/DeleteQueueFleetAssociationCommand.ts +++ b/clients/client-deadline/src/commands/DeleteQueueFleetAssociationCommand.ts @@ -102,4 +102,16 @@ export class DeleteQueueFleetAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueueFleetAssociationCommand) .de(de_DeleteQueueFleetAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueueFleetAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteQueueFleetAssociationCommandInput; + output: DeleteQueueFleetAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteStorageProfileCommand.ts b/clients/client-deadline/src/commands/DeleteStorageProfileCommand.ts index b3d1fd85c266..a01e77bb0508 100644 --- a/clients/client-deadline/src/commands/DeleteStorageProfileCommand.ts +++ b/clients/client-deadline/src/commands/DeleteStorageProfileCommand.ts @@ -89,4 +89,16 @@ export class DeleteStorageProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStorageProfileCommand) .de(de_DeleteStorageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStorageProfileRequest; + output: {}; + }; + sdk: { + input: DeleteStorageProfileCommandInput; + output: DeleteStorageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DeleteWorkerCommand.ts b/clients/client-deadline/src/commands/DeleteWorkerCommand.ts index 0be23d3ed621..841a1093237c 100644 --- a/clients/client-deadline/src/commands/DeleteWorkerCommand.ts +++ b/clients/client-deadline/src/commands/DeleteWorkerCommand.ts @@ -97,4 +97,16 @@ export class DeleteWorkerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkerCommand) .de(de_DeleteWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkerRequest; + output: {}; + }; + sdk: { + input: DeleteWorkerCommandInput; + output: DeleteWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DisassociateMemberFromFarmCommand.ts b/clients/client-deadline/src/commands/DisassociateMemberFromFarmCommand.ts index 02785c922206..cd07f537a7e8 100644 --- a/clients/client-deadline/src/commands/DisassociateMemberFromFarmCommand.ts +++ b/clients/client-deadline/src/commands/DisassociateMemberFromFarmCommand.ts @@ -92,4 +92,16 @@ export class DisassociateMemberFromFarmCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMemberFromFarmCommand) .de(de_DisassociateMemberFromFarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMemberFromFarmRequest; + output: {}; + }; + sdk: { + input: DisassociateMemberFromFarmCommandInput; + output: DisassociateMemberFromFarmCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DisassociateMemberFromFleetCommand.ts b/clients/client-deadline/src/commands/DisassociateMemberFromFleetCommand.ts index e2ea4e91aab5..20d1c0ade14c 100644 --- a/clients/client-deadline/src/commands/DisassociateMemberFromFleetCommand.ts +++ b/clients/client-deadline/src/commands/DisassociateMemberFromFleetCommand.ts @@ -102,4 +102,16 @@ export class DisassociateMemberFromFleetCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMemberFromFleetCommand) .de(de_DisassociateMemberFromFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMemberFromFleetRequest; + output: {}; + }; + sdk: { + input: DisassociateMemberFromFleetCommandInput; + output: DisassociateMemberFromFleetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DisassociateMemberFromJobCommand.ts b/clients/client-deadline/src/commands/DisassociateMemberFromJobCommand.ts index 91e0aed2a58e..e1913d2a4ccb 100644 --- a/clients/client-deadline/src/commands/DisassociateMemberFromJobCommand.ts +++ b/clients/client-deadline/src/commands/DisassociateMemberFromJobCommand.ts @@ -94,4 +94,16 @@ export class DisassociateMemberFromJobCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMemberFromJobCommand) .de(de_DisassociateMemberFromJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMemberFromJobRequest; + output: {}; + }; + sdk: { + input: DisassociateMemberFromJobCommandInput; + output: DisassociateMemberFromJobCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/DisassociateMemberFromQueueCommand.ts b/clients/client-deadline/src/commands/DisassociateMemberFromQueueCommand.ts index e22d68a92760..3cc9b87372d9 100644 --- a/clients/client-deadline/src/commands/DisassociateMemberFromQueueCommand.ts +++ b/clients/client-deadline/src/commands/DisassociateMemberFromQueueCommand.ts @@ -102,4 +102,16 @@ export class DisassociateMemberFromQueueCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMemberFromQueueCommand) .de(de_DisassociateMemberFromQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMemberFromQueueRequest; + output: {}; + }; + sdk: { + input: DisassociateMemberFromQueueCommandInput; + output: DisassociateMemberFromQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetBudgetCommand.ts b/clients/client-deadline/src/commands/GetBudgetCommand.ts index 5aaba226fce2..c9a91b41ed77 100644 --- a/clients/client-deadline/src/commands/GetBudgetCommand.ts +++ b/clients/client-deadline/src/commands/GetBudgetCommand.ts @@ -122,4 +122,16 @@ export class GetBudgetCommand extends $Command .f(void 0, GetBudgetResponseFilterSensitiveLog) .ser(se_GetBudgetCommand) .de(de_GetBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBudgetRequest; + output: GetBudgetResponse; + }; + sdk: { + input: GetBudgetCommandInput; + output: GetBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetFarmCommand.ts b/clients/client-deadline/src/commands/GetFarmCommand.ts index c31671df8a4a..e2a112d064e5 100644 --- a/clients/client-deadline/src/commands/GetFarmCommand.ts +++ b/clients/client-deadline/src/commands/GetFarmCommand.ts @@ -100,4 +100,16 @@ export class GetFarmCommand extends $Command .f(void 0, GetFarmResponseFilterSensitiveLog) .ser(se_GetFarmCommand) .de(de_GetFarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFarmRequest; + output: GetFarmResponse; + }; + sdk: { + input: GetFarmCommandInput; + output: GetFarmCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetFleetCommand.ts b/clients/client-deadline/src/commands/GetFleetCommand.ts index 41bf3b400267..3bf72c69ed4a 100644 --- a/clients/client-deadline/src/commands/GetFleetCommand.ts +++ b/clients/client-deadline/src/commands/GetFleetCommand.ts @@ -212,4 +212,16 @@ export class GetFleetCommand extends $Command .f(void 0, GetFleetResponseFilterSensitiveLog) .ser(se_GetFleetCommand) .de(de_GetFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFleetRequest; + output: GetFleetResponse; + }; + sdk: { + input: GetFleetCommandInput; + output: GetFleetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetJobCommand.ts b/clients/client-deadline/src/commands/GetJobCommand.ts index 657534e58897..53bea0d2aa40 100644 --- a/clients/client-deadline/src/commands/GetJobCommand.ts +++ b/clients/client-deadline/src/commands/GetJobCommand.ts @@ -137,4 +137,16 @@ export class GetJobCommand extends $Command .f(void 0, GetJobResponseFilterSensitiveLog) .ser(se_GetJobCommand) .de(de_GetJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRequest; + output: GetJobResponse; + }; + sdk: { + input: GetJobCommandInput; + output: GetJobCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetLicenseEndpointCommand.ts b/clients/client-deadline/src/commands/GetLicenseEndpointCommand.ts index a575b637515c..91e84d6ea01d 100644 --- a/clients/client-deadline/src/commands/GetLicenseEndpointCommand.ts +++ b/clients/client-deadline/src/commands/GetLicenseEndpointCommand.ts @@ -103,4 +103,16 @@ export class GetLicenseEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetLicenseEndpointCommand) .de(de_GetLicenseEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLicenseEndpointRequest; + output: GetLicenseEndpointResponse; + }; + sdk: { + input: GetLicenseEndpointCommandInput; + output: GetLicenseEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetMonitorCommand.ts b/clients/client-deadline/src/commands/GetMonitorCommand.ts index e6b9e93ec9b6..3bb10824b7fb 100644 --- a/clients/client-deadline/src/commands/GetMonitorCommand.ts +++ b/clients/client-deadline/src/commands/GetMonitorCommand.ts @@ -103,4 +103,16 @@ export class GetMonitorCommand extends $Command .f(void 0, void 0) .ser(se_GetMonitorCommand) .de(de_GetMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMonitorRequest; + output: GetMonitorResponse; + }; + sdk: { + input: GetMonitorCommandInput; + output: GetMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetQueueCommand.ts b/clients/client-deadline/src/commands/GetQueueCommand.ts index ac5ff84719bc..6b09500907d8 100644 --- a/clients/client-deadline/src/commands/GetQueueCommand.ts +++ b/clients/client-deadline/src/commands/GetQueueCommand.ts @@ -126,4 +126,16 @@ export class GetQueueCommand extends $Command .f(void 0, GetQueueResponseFilterSensitiveLog) .ser(se_GetQueueCommand) .de(de_GetQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueueRequest; + output: GetQueueResponse; + }; + sdk: { + input: GetQueueCommandInput; + output: GetQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetQueueEnvironmentCommand.ts b/clients/client-deadline/src/commands/GetQueueEnvironmentCommand.ts index c156db08a8d7..129c9910c62e 100644 --- a/clients/client-deadline/src/commands/GetQueueEnvironmentCommand.ts +++ b/clients/client-deadline/src/commands/GetQueueEnvironmentCommand.ts @@ -107,4 +107,16 @@ export class GetQueueEnvironmentCommand extends $Command .f(void 0, GetQueueEnvironmentResponseFilterSensitiveLog) .ser(se_GetQueueEnvironmentCommand) .de(de_GetQueueEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueueEnvironmentRequest; + output: GetQueueEnvironmentResponse; + }; + sdk: { + input: GetQueueEnvironmentCommandInput; + output: GetQueueEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetQueueFleetAssociationCommand.ts b/clients/client-deadline/src/commands/GetQueueFleetAssociationCommand.ts index ea3218fbbd25..98ef7c50c170 100644 --- a/clients/client-deadline/src/commands/GetQueueFleetAssociationCommand.ts +++ b/clients/client-deadline/src/commands/GetQueueFleetAssociationCommand.ts @@ -101,4 +101,16 @@ export class GetQueueFleetAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetQueueFleetAssociationCommand) .de(de_GetQueueFleetAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueueFleetAssociationRequest; + output: GetQueueFleetAssociationResponse; + }; + sdk: { + input: GetQueueFleetAssociationCommandInput; + output: GetQueueFleetAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetSessionActionCommand.ts b/clients/client-deadline/src/commands/GetSessionActionCommand.ts index f1a4577e3e5c..52ac07024a43 100644 --- a/clients/client-deadline/src/commands/GetSessionActionCommand.ts +++ b/clients/client-deadline/src/commands/GetSessionActionCommand.ts @@ -131,4 +131,16 @@ export class GetSessionActionCommand extends $Command .f(void 0, GetSessionActionResponseFilterSensitiveLog) .ser(se_GetSessionActionCommand) .de(de_GetSessionActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionActionRequest; + output: GetSessionActionResponse; + }; + sdk: { + input: GetSessionActionCommandInput; + output: GetSessionActionCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetSessionCommand.ts b/clients/client-deadline/src/commands/GetSessionCommand.ts index 2a6311e35216..cb4632d323e2 100644 --- a/clients/client-deadline/src/commands/GetSessionCommand.ts +++ b/clients/client-deadline/src/commands/GetSessionCommand.ts @@ -137,4 +137,16 @@ export class GetSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetSessionCommand) .de(de_GetSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetSessionsStatisticsAggregationCommand.ts b/clients/client-deadline/src/commands/GetSessionsStatisticsAggregationCommand.ts index fbe4aa44ce83..3e0d63449ccb 100644 --- a/clients/client-deadline/src/commands/GetSessionsStatisticsAggregationCommand.ts +++ b/clients/client-deadline/src/commands/GetSessionsStatisticsAggregationCommand.ts @@ -133,4 +133,16 @@ export class GetSessionsStatisticsAggregationCommand extends $Command .f(void 0, void 0) .ser(se_GetSessionsStatisticsAggregationCommand) .de(de_GetSessionsStatisticsAggregationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionsStatisticsAggregationRequest; + output: GetSessionsStatisticsAggregationResponse; + }; + sdk: { + input: GetSessionsStatisticsAggregationCommandInput; + output: GetSessionsStatisticsAggregationCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetStepCommand.ts b/clients/client-deadline/src/commands/GetStepCommand.ts index cd5fe824f57b..bff9ba17b87c 100644 --- a/clients/client-deadline/src/commands/GetStepCommand.ts +++ b/clients/client-deadline/src/commands/GetStepCommand.ts @@ -147,4 +147,16 @@ export class GetStepCommand extends $Command .f(void 0, GetStepResponseFilterSensitiveLog) .ser(se_GetStepCommand) .de(de_GetStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStepRequest; + output: GetStepResponse; + }; + sdk: { + input: GetStepCommandInput; + output: GetStepCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetStorageProfileCommand.ts b/clients/client-deadline/src/commands/GetStorageProfileCommand.ts index ccbfba0b3190..556feaa3f378 100644 --- a/clients/client-deadline/src/commands/GetStorageProfileCommand.ts +++ b/clients/client-deadline/src/commands/GetStorageProfileCommand.ts @@ -111,4 +111,16 @@ export class GetStorageProfileCommand extends $Command .f(void 0, GetStorageProfileResponseFilterSensitiveLog) .ser(se_GetStorageProfileCommand) .de(de_GetStorageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStorageProfileRequest; + output: GetStorageProfileResponse; + }; + sdk: { + input: GetStorageProfileCommandInput; + output: GetStorageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetStorageProfileForQueueCommand.ts b/clients/client-deadline/src/commands/GetStorageProfileForQueueCommand.ts index 36c1f71d880f..ae34788c8505 100644 --- a/clients/client-deadline/src/commands/GetStorageProfileForQueueCommand.ts +++ b/clients/client-deadline/src/commands/GetStorageProfileForQueueCommand.ts @@ -108,4 +108,16 @@ export class GetStorageProfileForQueueCommand extends $Command .f(void 0, GetStorageProfileForQueueResponseFilterSensitiveLog) .ser(se_GetStorageProfileForQueueCommand) .de(de_GetStorageProfileForQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStorageProfileForQueueRequest; + output: GetStorageProfileForQueueResponse; + }; + sdk: { + input: GetStorageProfileForQueueCommandInput; + output: GetStorageProfileForQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetTaskCommand.ts b/clients/client-deadline/src/commands/GetTaskCommand.ts index be8e6c5b2d3b..b562913e5ebb 100644 --- a/clients/client-deadline/src/commands/GetTaskCommand.ts +++ b/clients/client-deadline/src/commands/GetTaskCommand.ts @@ -115,4 +115,16 @@ export class GetTaskCommand extends $Command .f(void 0, GetTaskResponseFilterSensitiveLog) .ser(se_GetTaskCommand) .de(de_GetTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTaskRequest; + output: GetTaskResponse; + }; + sdk: { + input: GetTaskCommandInput; + output: GetTaskCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/GetWorkerCommand.ts b/clients/client-deadline/src/commands/GetWorkerCommand.ts index c2aa908de905..27387b6257b9 100644 --- a/clients/client-deadline/src/commands/GetWorkerCommand.ts +++ b/clients/client-deadline/src/commands/GetWorkerCommand.ts @@ -125,4 +125,16 @@ export class GetWorkerCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkerCommand) .de(de_GetWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkerRequest; + output: GetWorkerResponse; + }; + sdk: { + input: GetWorkerCommandInput; + output: GetWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListAvailableMeteredProductsCommand.ts b/clients/client-deadline/src/commands/ListAvailableMeteredProductsCommand.ts index ba09dbceed08..8907d248aa65 100644 --- a/clients/client-deadline/src/commands/ListAvailableMeteredProductsCommand.ts +++ b/clients/client-deadline/src/commands/ListAvailableMeteredProductsCommand.ts @@ -97,4 +97,16 @@ export class ListAvailableMeteredProductsCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableMeteredProductsCommand) .de(de_ListAvailableMeteredProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAvailableMeteredProductsRequest; + output: ListAvailableMeteredProductsResponse; + }; + sdk: { + input: ListAvailableMeteredProductsCommandInput; + output: ListAvailableMeteredProductsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListBudgetsCommand.ts b/clients/client-deadline/src/commands/ListBudgetsCommand.ts index a28857120dd6..0445fe445e61 100644 --- a/clients/client-deadline/src/commands/ListBudgetsCommand.ts +++ b/clients/client-deadline/src/commands/ListBudgetsCommand.ts @@ -115,4 +115,16 @@ export class ListBudgetsCommand extends $Command .f(void 0, ListBudgetsResponseFilterSensitiveLog) .ser(se_ListBudgetsCommand) .de(de_ListBudgetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBudgetsRequest; + output: ListBudgetsResponse; + }; + sdk: { + input: ListBudgetsCommandInput; + output: ListBudgetsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListFarmMembersCommand.ts b/clients/client-deadline/src/commands/ListFarmMembersCommand.ts index 845c62fcae7e..a1435d694e09 100644 --- a/clients/client-deadline/src/commands/ListFarmMembersCommand.ts +++ b/clients/client-deadline/src/commands/ListFarmMembersCommand.ts @@ -104,4 +104,16 @@ export class ListFarmMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListFarmMembersCommand) .de(de_ListFarmMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFarmMembersRequest; + output: ListFarmMembersResponse; + }; + sdk: { + input: ListFarmMembersCommandInput; + output: ListFarmMembersCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListFarmsCommand.ts b/clients/client-deadline/src/commands/ListFarmsCommand.ts index 2eefc55f66b7..db49287eb134 100644 --- a/clients/client-deadline/src/commands/ListFarmsCommand.ts +++ b/clients/client-deadline/src/commands/ListFarmsCommand.ts @@ -103,4 +103,16 @@ export class ListFarmsCommand extends $Command .f(void 0, void 0) .ser(se_ListFarmsCommand) .de(de_ListFarmsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFarmsRequest; + output: ListFarmsResponse; + }; + sdk: { + input: ListFarmsCommandInput; + output: ListFarmsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListFleetMembersCommand.ts b/clients/client-deadline/src/commands/ListFleetMembersCommand.ts index 368bd9eb2158..8aaa70606cc5 100644 --- a/clients/client-deadline/src/commands/ListFleetMembersCommand.ts +++ b/clients/client-deadline/src/commands/ListFleetMembersCommand.ts @@ -106,4 +106,16 @@ export class ListFleetMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetMembersCommand) .de(de_ListFleetMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetMembersRequest; + output: ListFleetMembersResponse; + }; + sdk: { + input: ListFleetMembersCommandInput; + output: ListFleetMembersCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListFleetsCommand.ts b/clients/client-deadline/src/commands/ListFleetsCommand.ts index 6518c8e27cda..8d72c3e54e26 100644 --- a/clients/client-deadline/src/commands/ListFleetsCommand.ts +++ b/clients/client-deadline/src/commands/ListFleetsCommand.ts @@ -202,4 +202,16 @@ export class ListFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetsCommand) .de(de_ListFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetsRequest; + output: ListFleetsResponse; + }; + sdk: { + input: ListFleetsCommandInput; + output: ListFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListJobMembersCommand.ts b/clients/client-deadline/src/commands/ListJobMembersCommand.ts index 5ac5634dc8bd..864caa67442e 100644 --- a/clients/client-deadline/src/commands/ListJobMembersCommand.ts +++ b/clients/client-deadline/src/commands/ListJobMembersCommand.ts @@ -108,4 +108,16 @@ export class ListJobMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListJobMembersCommand) .de(de_ListJobMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobMembersRequest; + output: ListJobMembersResponse; + }; + sdk: { + input: ListJobMembersCommandInput; + output: ListJobMembersCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListJobsCommand.ts b/clients/client-deadline/src/commands/ListJobsCommand.ts index 21f8ba833d4e..779143a57d0f 100644 --- a/clients/client-deadline/src/commands/ListJobsCommand.ts +++ b/clients/client-deadline/src/commands/ListJobsCommand.ts @@ -119,4 +119,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResponse; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListLicenseEndpointsCommand.ts b/clients/client-deadline/src/commands/ListLicenseEndpointsCommand.ts index cbc641698e10..79b213f2f918 100644 --- a/clients/client-deadline/src/commands/ListLicenseEndpointsCommand.ts +++ b/clients/client-deadline/src/commands/ListLicenseEndpointsCommand.ts @@ -102,4 +102,16 @@ export class ListLicenseEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListLicenseEndpointsCommand) .de(de_ListLicenseEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLicenseEndpointsRequest; + output: ListLicenseEndpointsResponse; + }; + sdk: { + input: ListLicenseEndpointsCommandInput; + output: ListLicenseEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListMeteredProductsCommand.ts b/clients/client-deadline/src/commands/ListMeteredProductsCommand.ts index a3a8eb56dc57..d72310b2c04c 100644 --- a/clients/client-deadline/src/commands/ListMeteredProductsCommand.ts +++ b/clients/client-deadline/src/commands/ListMeteredProductsCommand.ts @@ -103,4 +103,16 @@ export class ListMeteredProductsCommand extends $Command .f(void 0, void 0) .ser(se_ListMeteredProductsCommand) .de(de_ListMeteredProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMeteredProductsRequest; + output: ListMeteredProductsResponse; + }; + sdk: { + input: ListMeteredProductsCommandInput; + output: ListMeteredProductsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListMonitorsCommand.ts b/clients/client-deadline/src/commands/ListMonitorsCommand.ts index 4f7f672e5cbc..d87cdc2373be 100644 --- a/clients/client-deadline/src/commands/ListMonitorsCommand.ts +++ b/clients/client-deadline/src/commands/ListMonitorsCommand.ts @@ -106,4 +106,16 @@ export class ListMonitorsCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitorsCommand) .de(de_ListMonitorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitorsRequest; + output: ListMonitorsResponse; + }; + sdk: { + input: ListMonitorsCommandInput; + output: ListMonitorsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListQueueEnvironmentsCommand.ts b/clients/client-deadline/src/commands/ListQueueEnvironmentsCommand.ts index 9905411ba36c..d919544f219c 100644 --- a/clients/client-deadline/src/commands/ListQueueEnvironmentsCommand.ts +++ b/clients/client-deadline/src/commands/ListQueueEnvironmentsCommand.ts @@ -103,4 +103,16 @@ export class ListQueueEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListQueueEnvironmentsCommand) .de(de_ListQueueEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueueEnvironmentsRequest; + output: ListQueueEnvironmentsResponse; + }; + sdk: { + input: ListQueueEnvironmentsCommandInput; + output: ListQueueEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListQueueFleetAssociationsCommand.ts b/clients/client-deadline/src/commands/ListQueueFleetAssociationsCommand.ts index d4d4b11d14d0..3a181d5f832a 100644 --- a/clients/client-deadline/src/commands/ListQueueFleetAssociationsCommand.ts +++ b/clients/client-deadline/src/commands/ListQueueFleetAssociationsCommand.ts @@ -104,4 +104,16 @@ export class ListQueueFleetAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListQueueFleetAssociationsCommand) .de(de_ListQueueFleetAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueueFleetAssociationsRequest; + output: ListQueueFleetAssociationsResponse; + }; + sdk: { + input: ListQueueFleetAssociationsCommandInput; + output: ListQueueFleetAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListQueueMembersCommand.ts b/clients/client-deadline/src/commands/ListQueueMembersCommand.ts index 3cccbee51a69..1e6b799c8e14 100644 --- a/clients/client-deadline/src/commands/ListQueueMembersCommand.ts +++ b/clients/client-deadline/src/commands/ListQueueMembersCommand.ts @@ -106,4 +106,16 @@ export class ListQueueMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListQueueMembersCommand) .de(de_ListQueueMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueueMembersRequest; + output: ListQueueMembersResponse; + }; + sdk: { + input: ListQueueMembersCommandInput; + output: ListQueueMembersCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListQueuesCommand.ts b/clients/client-deadline/src/commands/ListQueuesCommand.ts index 650bb870feca..219bdeb94f55 100644 --- a/clients/client-deadline/src/commands/ListQueuesCommand.ts +++ b/clients/client-deadline/src/commands/ListQueuesCommand.ts @@ -111,4 +111,16 @@ export class ListQueuesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueuesCommand) .de(de_ListQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueuesRequest; + output: ListQueuesResponse; + }; + sdk: { + input: ListQueuesCommandInput; + output: ListQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListSessionActionsCommand.ts b/clients/client-deadline/src/commands/ListSessionActionsCommand.ts index 66ed540b3d67..49e5f1f2373b 100644 --- a/clients/client-deadline/src/commands/ListSessionActionsCommand.ts +++ b/clients/client-deadline/src/commands/ListSessionActionsCommand.ts @@ -124,4 +124,16 @@ export class ListSessionActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSessionActionsCommand) .de(de_ListSessionActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionActionsRequest; + output: ListSessionActionsResponse; + }; + sdk: { + input: ListSessionActionsCommandInput; + output: ListSessionActionsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListSessionsCommand.ts b/clients/client-deadline/src/commands/ListSessionsCommand.ts index f7d2197e2cdf..1833740ed03f 100644 --- a/clients/client-deadline/src/commands/ListSessionsCommand.ts +++ b/clients/client-deadline/src/commands/ListSessionsCommand.ts @@ -110,4 +110,16 @@ export class ListSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSessionsCommand) .de(de_ListSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionsRequest; + output: ListSessionsResponse; + }; + sdk: { + input: ListSessionsCommandInput; + output: ListSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListSessionsForWorkerCommand.ts b/clients/client-deadline/src/commands/ListSessionsForWorkerCommand.ts index 07e147bdbcc7..c15ddcc30f0b 100644 --- a/clients/client-deadline/src/commands/ListSessionsForWorkerCommand.ts +++ b/clients/client-deadline/src/commands/ListSessionsForWorkerCommand.ts @@ -108,4 +108,16 @@ export class ListSessionsForWorkerCommand extends $Command .f(void 0, void 0) .ser(se_ListSessionsForWorkerCommand) .de(de_ListSessionsForWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionsForWorkerRequest; + output: ListSessionsForWorkerResponse; + }; + sdk: { + input: ListSessionsForWorkerCommandInput; + output: ListSessionsForWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListStepConsumersCommand.ts b/clients/client-deadline/src/commands/ListStepConsumersCommand.ts index e92383c1b005..30b6b5b8a8d0 100644 --- a/clients/client-deadline/src/commands/ListStepConsumersCommand.ts +++ b/clients/client-deadline/src/commands/ListStepConsumersCommand.ts @@ -104,4 +104,16 @@ export class ListStepConsumersCommand extends $Command .f(void 0, void 0) .ser(se_ListStepConsumersCommand) .de(de_ListStepConsumersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStepConsumersRequest; + output: ListStepConsumersResponse; + }; + sdk: { + input: ListStepConsumersCommandInput; + output: ListStepConsumersCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListStepDependenciesCommand.ts b/clients/client-deadline/src/commands/ListStepDependenciesCommand.ts index 7d2b5677a13d..d8f59884897e 100644 --- a/clients/client-deadline/src/commands/ListStepDependenciesCommand.ts +++ b/clients/client-deadline/src/commands/ListStepDependenciesCommand.ts @@ -104,4 +104,16 @@ export class ListStepDependenciesCommand extends $Command .f(void 0, void 0) .ser(se_ListStepDependenciesCommand) .de(de_ListStepDependenciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStepDependenciesRequest; + output: ListStepDependenciesResponse; + }; + sdk: { + input: ListStepDependenciesCommandInput; + output: ListStepDependenciesCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListStepsCommand.ts b/clients/client-deadline/src/commands/ListStepsCommand.ts index 4abb0e6aa072..0ad117d397b5 100644 --- a/clients/client-deadline/src/commands/ListStepsCommand.ts +++ b/clients/client-deadline/src/commands/ListStepsCommand.ts @@ -122,4 +122,16 @@ export class ListStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListStepsCommand) .de(de_ListStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStepsRequest; + output: ListStepsResponse; + }; + sdk: { + input: ListStepsCommandInput; + output: ListStepsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListStorageProfilesCommand.ts b/clients/client-deadline/src/commands/ListStorageProfilesCommand.ts index a8443365b077..e01b4d7aae2a 100644 --- a/clients/client-deadline/src/commands/ListStorageProfilesCommand.ts +++ b/clients/client-deadline/src/commands/ListStorageProfilesCommand.ts @@ -102,4 +102,16 @@ export class ListStorageProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListStorageProfilesCommand) .de(de_ListStorageProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStorageProfilesRequest; + output: ListStorageProfilesResponse; + }; + sdk: { + input: ListStorageProfilesCommandInput; + output: ListStorageProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListStorageProfilesForQueueCommand.ts b/clients/client-deadline/src/commands/ListStorageProfilesForQueueCommand.ts index 40c9a561d755..e94ab1b17acb 100644 --- a/clients/client-deadline/src/commands/ListStorageProfilesForQueueCommand.ts +++ b/clients/client-deadline/src/commands/ListStorageProfilesForQueueCommand.ts @@ -109,4 +109,16 @@ export class ListStorageProfilesForQueueCommand extends $Command .f(void 0, void 0) .ser(se_ListStorageProfilesForQueueCommand) .de(de_ListStorageProfilesForQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStorageProfilesForQueueRequest; + output: ListStorageProfilesForQueueResponse; + }; + sdk: { + input: ListStorageProfilesForQueueCommandInput; + output: ListStorageProfilesForQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListTagsForResourceCommand.ts b/clients/client-deadline/src/commands/ListTagsForResourceCommand.ts index aef168894c0d..5c3d11281062 100644 --- a/clients/client-deadline/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-deadline/src/commands/ListTagsForResourceCommand.ts @@ -95,4 +95,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListTasksCommand.ts b/clients/client-deadline/src/commands/ListTasksCommand.ts index 00aaf5412fad..a8f2750851b9 100644 --- a/clients/client-deadline/src/commands/ListTasksCommand.ts +++ b/clients/client-deadline/src/commands/ListTasksCommand.ts @@ -121,4 +121,16 @@ export class ListTasksCommand extends $Command .f(void 0, ListTasksResponseFilterSensitiveLog) .ser(se_ListTasksCommand) .de(de_ListTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTasksRequest; + output: ListTasksResponse; + }; + sdk: { + input: ListTasksCommandInput; + output: ListTasksCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/ListWorkersCommand.ts b/clients/client-deadline/src/commands/ListWorkersCommand.ts index 4ed7567fff80..8e8847b6d0ae 100644 --- a/clients/client-deadline/src/commands/ListWorkersCommand.ts +++ b/clients/client-deadline/src/commands/ListWorkersCommand.ts @@ -131,4 +131,16 @@ export class ListWorkersCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkersCommand) .de(de_ListWorkersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkersRequest; + output: ListWorkersResponse; + }; + sdk: { + input: ListWorkersCommandInput; + output: ListWorkersCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/PutMeteredProductCommand.ts b/clients/client-deadline/src/commands/PutMeteredProductCommand.ts index 69dbf59893eb..c025b59ab7c9 100644 --- a/clients/client-deadline/src/commands/PutMeteredProductCommand.ts +++ b/clients/client-deadline/src/commands/PutMeteredProductCommand.ts @@ -92,4 +92,16 @@ export class PutMeteredProductCommand extends $Command .f(void 0, void 0) .ser(se_PutMeteredProductCommand) .de(de_PutMeteredProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMeteredProductRequest; + output: {}; + }; + sdk: { + input: PutMeteredProductCommandInput; + output: PutMeteredProductCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/SearchJobsCommand.ts b/clients/client-deadline/src/commands/SearchJobsCommand.ts index 6ac0b2c5feea..d57f202dd872 100644 --- a/clients/client-deadline/src/commands/SearchJobsCommand.ts +++ b/clients/client-deadline/src/commands/SearchJobsCommand.ts @@ -194,4 +194,16 @@ export class SearchJobsCommand extends $Command .f(void 0, SearchJobsResponseFilterSensitiveLog) .ser(se_SearchJobsCommand) .de(de_SearchJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchJobsRequest; + output: SearchJobsResponse; + }; + sdk: { + input: SearchJobsCommandInput; + output: SearchJobsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/SearchStepsCommand.ts b/clients/client-deadline/src/commands/SearchStepsCommand.ts index f514be247533..c526b06485e4 100644 --- a/clients/client-deadline/src/commands/SearchStepsCommand.ts +++ b/clients/client-deadline/src/commands/SearchStepsCommand.ts @@ -193,4 +193,16 @@ export class SearchStepsCommand extends $Command .f(void 0, void 0) .ser(se_SearchStepsCommand) .de(de_SearchStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchStepsRequest; + output: SearchStepsResponse; + }; + sdk: { + input: SearchStepsCommandInput; + output: SearchStepsCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/SearchTasksCommand.ts b/clients/client-deadline/src/commands/SearchTasksCommand.ts index 6edc95e7096b..a53a27a9a977 100644 --- a/clients/client-deadline/src/commands/SearchTasksCommand.ts +++ b/clients/client-deadline/src/commands/SearchTasksCommand.ts @@ -187,4 +187,16 @@ export class SearchTasksCommand extends $Command .f(void 0, SearchTasksResponseFilterSensitiveLog) .ser(se_SearchTasksCommand) .de(de_SearchTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchTasksRequest; + output: SearchTasksResponse; + }; + sdk: { + input: SearchTasksCommandInput; + output: SearchTasksCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/SearchWorkersCommand.ts b/clients/client-deadline/src/commands/SearchWorkersCommand.ts index dbb6e5e807c6..9567243375ae 100644 --- a/clients/client-deadline/src/commands/SearchWorkersCommand.ts +++ b/clients/client-deadline/src/commands/SearchWorkersCommand.ts @@ -189,4 +189,16 @@ export class SearchWorkersCommand extends $Command .f(void 0, void 0) .ser(se_SearchWorkersCommand) .de(de_SearchWorkersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchWorkersRequest; + output: SearchWorkersResponse; + }; + sdk: { + input: SearchWorkersCommandInput; + output: SearchWorkersCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/StartSessionsStatisticsAggregationCommand.ts b/clients/client-deadline/src/commands/StartSessionsStatisticsAggregationCommand.ts index 598fbf3a4f4e..852fc1b37474 100644 --- a/clients/client-deadline/src/commands/StartSessionsStatisticsAggregationCommand.ts +++ b/clients/client-deadline/src/commands/StartSessionsStatisticsAggregationCommand.ts @@ -125,4 +125,16 @@ export class StartSessionsStatisticsAggregationCommand extends $Command .f(void 0, void 0) .ser(se_StartSessionsStatisticsAggregationCommand) .de(de_StartSessionsStatisticsAggregationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSessionsStatisticsAggregationRequest; + output: StartSessionsStatisticsAggregationResponse; + }; + sdk: { + input: StartSessionsStatisticsAggregationCommandInput; + output: StartSessionsStatisticsAggregationCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/TagResourceCommand.ts b/clients/client-deadline/src/commands/TagResourceCommand.ts index 1c3941cd9f1f..0babf215dfbc 100644 --- a/clients/client-deadline/src/commands/TagResourceCommand.ts +++ b/clients/client-deadline/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UntagResourceCommand.ts b/clients/client-deadline/src/commands/UntagResourceCommand.ts index da43fc203dd5..3351ed293fb9 100644 --- a/clients/client-deadline/src/commands/UntagResourceCommand.ts +++ b/clients/client-deadline/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateBudgetCommand.ts b/clients/client-deadline/src/commands/UpdateBudgetCommand.ts index 55d62ee88b3a..c676c831297e 100644 --- a/clients/client-deadline/src/commands/UpdateBudgetCommand.ts +++ b/clients/client-deadline/src/commands/UpdateBudgetCommand.ts @@ -116,4 +116,16 @@ export class UpdateBudgetCommand extends $Command .f(UpdateBudgetRequestFilterSensitiveLog, void 0) .ser(se_UpdateBudgetCommand) .de(de_UpdateBudgetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBudgetRequest; + output: {}; + }; + sdk: { + input: UpdateBudgetCommandInput; + output: UpdateBudgetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateFarmCommand.ts b/clients/client-deadline/src/commands/UpdateFarmCommand.ts index a6b88deb8210..0f1535afdf33 100644 --- a/clients/client-deadline/src/commands/UpdateFarmCommand.ts +++ b/clients/client-deadline/src/commands/UpdateFarmCommand.ts @@ -93,4 +93,16 @@ export class UpdateFarmCommand extends $Command .f(UpdateFarmRequestFilterSensitiveLog, void 0) .ser(se_UpdateFarmCommand) .de(de_UpdateFarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFarmRequest; + output: {}; + }; + sdk: { + input: UpdateFarmCommandInput; + output: UpdateFarmCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateFleetCommand.ts b/clients/client-deadline/src/commands/UpdateFleetCommand.ts index cd59848e13e3..9177b70a09f8 100644 --- a/clients/client-deadline/src/commands/UpdateFleetCommand.ts +++ b/clients/client-deadline/src/commands/UpdateFleetCommand.ts @@ -189,4 +189,16 @@ export class UpdateFleetCommand extends $Command .f(UpdateFleetRequestFilterSensitiveLog, void 0) .ser(se_UpdateFleetCommand) .de(de_UpdateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetRequest; + output: {}; + }; + sdk: { + input: UpdateFleetCommandInput; + output: UpdateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateJobCommand.ts b/clients/client-deadline/src/commands/UpdateJobCommand.ts index 8b1cfc7daa73..deae2ffe68cc 100644 --- a/clients/client-deadline/src/commands/UpdateJobCommand.ts +++ b/clients/client-deadline/src/commands/UpdateJobCommand.ts @@ -109,4 +109,16 @@ export class UpdateJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobCommand) .de(de_UpdateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobRequest; + output: {}; + }; + sdk: { + input: UpdateJobCommandInput; + output: UpdateJobCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateMonitorCommand.ts b/clients/client-deadline/src/commands/UpdateMonitorCommand.ts index c25ee193d9d7..dedfe5e55185 100644 --- a/clients/client-deadline/src/commands/UpdateMonitorCommand.ts +++ b/clients/client-deadline/src/commands/UpdateMonitorCommand.ts @@ -95,4 +95,16 @@ export class UpdateMonitorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMonitorCommand) .de(de_UpdateMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMonitorRequest; + output: {}; + }; + sdk: { + input: UpdateMonitorCommandInput; + output: UpdateMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateQueueCommand.ts b/clients/client-deadline/src/commands/UpdateQueueCommand.ts index 541bec89e7da..79527fff6d77 100644 --- a/clients/client-deadline/src/commands/UpdateQueueCommand.ts +++ b/clients/client-deadline/src/commands/UpdateQueueCommand.ts @@ -124,4 +124,16 @@ export class UpdateQueueCommand extends $Command .f(UpdateQueueRequestFilterSensitiveLog, void 0) .ser(se_UpdateQueueCommand) .de(de_UpdateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueRequest; + output: {}; + }; + sdk: { + input: UpdateQueueCommandInput; + output: UpdateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateQueueEnvironmentCommand.ts b/clients/client-deadline/src/commands/UpdateQueueEnvironmentCommand.ts index 93810bf7404a..2dd324a54f34 100644 --- a/clients/client-deadline/src/commands/UpdateQueueEnvironmentCommand.ts +++ b/clients/client-deadline/src/commands/UpdateQueueEnvironmentCommand.ts @@ -101,4 +101,16 @@ export class UpdateQueueEnvironmentCommand extends $Command .f(UpdateQueueEnvironmentRequestFilterSensitiveLog, void 0) .ser(se_UpdateQueueEnvironmentCommand) .de(de_UpdateQueueEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueEnvironmentRequest; + output: {}; + }; + sdk: { + input: UpdateQueueEnvironmentCommandInput; + output: UpdateQueueEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateQueueFleetAssociationCommand.ts b/clients/client-deadline/src/commands/UpdateQueueFleetAssociationCommand.ts index 38dcda3a3e62..76e3ad4577c6 100644 --- a/clients/client-deadline/src/commands/UpdateQueueFleetAssociationCommand.ts +++ b/clients/client-deadline/src/commands/UpdateQueueFleetAssociationCommand.ts @@ -99,4 +99,16 @@ export class UpdateQueueFleetAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueFleetAssociationCommand) .de(de_UpdateQueueFleetAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueFleetAssociationRequest; + output: {}; + }; + sdk: { + input: UpdateQueueFleetAssociationCommandInput; + output: UpdateQueueFleetAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateSessionCommand.ts b/clients/client-deadline/src/commands/UpdateSessionCommand.ts index fe5d04613e9e..c6b9922f356f 100644 --- a/clients/client-deadline/src/commands/UpdateSessionCommand.ts +++ b/clients/client-deadline/src/commands/UpdateSessionCommand.ts @@ -100,4 +100,16 @@ export class UpdateSessionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSessionCommand) .de(de_UpdateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSessionRequest; + output: {}; + }; + sdk: { + input: UpdateSessionCommandInput; + output: UpdateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateStepCommand.ts b/clients/client-deadline/src/commands/UpdateStepCommand.ts index 396088560028..901bf43aec62 100644 --- a/clients/client-deadline/src/commands/UpdateStepCommand.ts +++ b/clients/client-deadline/src/commands/UpdateStepCommand.ts @@ -100,4 +100,16 @@ export class UpdateStepCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStepCommand) .de(de_UpdateStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStepRequest; + output: {}; + }; + sdk: { + input: UpdateStepCommandInput; + output: UpdateStepCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateStorageProfileCommand.ts b/clients/client-deadline/src/commands/UpdateStorageProfileCommand.ts index 358ffc3997f1..1f463234ceb3 100644 --- a/clients/client-deadline/src/commands/UpdateStorageProfileCommand.ts +++ b/clients/client-deadline/src/commands/UpdateStorageProfileCommand.ts @@ -113,4 +113,16 @@ export class UpdateStorageProfileCommand extends $Command .f(UpdateStorageProfileRequestFilterSensitiveLog, void 0) .ser(se_UpdateStorageProfileCommand) .de(de_UpdateStorageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStorageProfileRequest; + output: {}; + }; + sdk: { + input: UpdateStorageProfileCommandInput; + output: UpdateStorageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateTaskCommand.ts b/clients/client-deadline/src/commands/UpdateTaskCommand.ts index 311839f03264..73025e3d93aa 100644 --- a/clients/client-deadline/src/commands/UpdateTaskCommand.ts +++ b/clients/client-deadline/src/commands/UpdateTaskCommand.ts @@ -101,4 +101,16 @@ export class UpdateTaskCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTaskCommand) .de(de_UpdateTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTaskRequest; + output: {}; + }; + sdk: { + input: UpdateTaskCommandInput; + output: UpdateTaskCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateWorkerCommand.ts b/clients/client-deadline/src/commands/UpdateWorkerCommand.ts index 931180338b69..3d4608ac5dc5 100644 --- a/clients/client-deadline/src/commands/UpdateWorkerCommand.ts +++ b/clients/client-deadline/src/commands/UpdateWorkerCommand.ts @@ -136,4 +136,16 @@ export class UpdateWorkerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkerCommand) .de(de_UpdateWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkerRequest; + output: UpdateWorkerResponse; + }; + sdk: { + input: UpdateWorkerCommandInput; + output: UpdateWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-deadline/src/commands/UpdateWorkerScheduleCommand.ts b/clients/client-deadline/src/commands/UpdateWorkerScheduleCommand.ts index 844a67cb9d95..34d1aadd5c59 100644 --- a/clients/client-deadline/src/commands/UpdateWorkerScheduleCommand.ts +++ b/clients/client-deadline/src/commands/UpdateWorkerScheduleCommand.ts @@ -165,4 +165,16 @@ export class UpdateWorkerScheduleCommand extends $Command .f(UpdateWorkerScheduleRequestFilterSensitiveLog, UpdateWorkerScheduleResponseFilterSensitiveLog) .ser(se_UpdateWorkerScheduleCommand) .de(de_UpdateWorkerScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkerScheduleRequest; + output: UpdateWorkerScheduleResponse; + }; + sdk: { + input: UpdateWorkerScheduleCommandInput; + output: UpdateWorkerScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-detective/package.json b/clients/client-detective/package.json index 38caf7f93eb8..54272ed08180 100644 --- a/clients/client-detective/package.json +++ b/clients/client-detective/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-detective/src/commands/AcceptInvitationCommand.ts b/clients/client-detective/src/commands/AcceptInvitationCommand.ts index 650a9d4c98eb..0bb7ee42a059 100644 --- a/clients/client-detective/src/commands/AcceptInvitationCommand.ts +++ b/clients/client-detective/src/commands/AcceptInvitationCommand.ts @@ -94,4 +94,16 @@ export class AcceptInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptInvitationCommand) .de(de_AcceptInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptInvitationRequest; + output: {}; + }; + sdk: { + input: AcceptInvitationCommandInput; + output: AcceptInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/BatchGetGraphMemberDatasourcesCommand.ts b/clients/client-detective/src/commands/BatchGetGraphMemberDatasourcesCommand.ts index b0028462cd9b..b790535acb43 100644 --- a/clients/client-detective/src/commands/BatchGetGraphMemberDatasourcesCommand.ts +++ b/clients/client-detective/src/commands/BatchGetGraphMemberDatasourcesCommand.ts @@ -116,4 +116,16 @@ export class BatchGetGraphMemberDatasourcesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetGraphMemberDatasourcesCommand) .de(de_BatchGetGraphMemberDatasourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetGraphMemberDatasourcesRequest; + output: BatchGetGraphMemberDatasourcesResponse; + }; + sdk: { + input: BatchGetGraphMemberDatasourcesCommandInput; + output: BatchGetGraphMemberDatasourcesCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/BatchGetMembershipDatasourcesCommand.ts b/clients/client-detective/src/commands/BatchGetMembershipDatasourcesCommand.ts index b3ecff380c86..dfa4ca337e2e 100644 --- a/clients/client-detective/src/commands/BatchGetMembershipDatasourcesCommand.ts +++ b/clients/client-detective/src/commands/BatchGetMembershipDatasourcesCommand.ts @@ -115,4 +115,16 @@ export class BatchGetMembershipDatasourcesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetMembershipDatasourcesCommand) .de(de_BatchGetMembershipDatasourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetMembershipDatasourcesRequest; + output: BatchGetMembershipDatasourcesResponse; + }; + sdk: { + input: BatchGetMembershipDatasourcesCommandInput; + output: BatchGetMembershipDatasourcesCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/CreateGraphCommand.ts b/clients/client-detective/src/commands/CreateGraphCommand.ts index 6ca9882aa99b..9b77be2b3c08 100644 --- a/clients/client-detective/src/commands/CreateGraphCommand.ts +++ b/clients/client-detective/src/commands/CreateGraphCommand.ts @@ -111,4 +111,16 @@ export class CreateGraphCommand extends $Command .f(void 0, void 0) .ser(se_CreateGraphCommand) .de(de_CreateGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGraphRequest; + output: CreateGraphResponse; + }; + sdk: { + input: CreateGraphCommandInput; + output: CreateGraphCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/CreateMembersCommand.ts b/clients/client-detective/src/commands/CreateMembersCommand.ts index 252496828e8d..b12f82317ecf 100644 --- a/clients/client-detective/src/commands/CreateMembersCommand.ts +++ b/clients/client-detective/src/commands/CreateMembersCommand.ts @@ -179,4 +179,16 @@ export class CreateMembersCommand extends $Command .f(CreateMembersRequestFilterSensitiveLog, CreateMembersResponseFilterSensitiveLog) .ser(se_CreateMembersCommand) .de(de_CreateMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMembersRequest; + output: CreateMembersResponse; + }; + sdk: { + input: CreateMembersCommandInput; + output: CreateMembersCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/DeleteGraphCommand.ts b/clients/client-detective/src/commands/DeleteGraphCommand.ts index a369c6f42789..9ef3a5ff8c3f 100644 --- a/clients/client-detective/src/commands/DeleteGraphCommand.ts +++ b/clients/client-detective/src/commands/DeleteGraphCommand.ts @@ -92,4 +92,16 @@ export class DeleteGraphCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGraphCommand) .de(de_DeleteGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGraphRequest; + output: {}; + }; + sdk: { + input: DeleteGraphCommandInput; + output: DeleteGraphCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/DeleteMembersCommand.ts b/clients/client-detective/src/commands/DeleteMembersCommand.ts index b5148779b198..44daf8de47b0 100644 --- a/clients/client-detective/src/commands/DeleteMembersCommand.ts +++ b/clients/client-detective/src/commands/DeleteMembersCommand.ts @@ -116,4 +116,16 @@ export class DeleteMembersCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMembersCommand) .de(de_DeleteMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMembersRequest; + output: DeleteMembersResponse; + }; + sdk: { + input: DeleteMembersCommandInput; + output: DeleteMembersCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/DescribeOrganizationConfigurationCommand.ts b/clients/client-detective/src/commands/DescribeOrganizationConfigurationCommand.ts index 311e7c18ea03..122cfdd9a317 100644 --- a/clients/client-detective/src/commands/DescribeOrganizationConfigurationCommand.ts +++ b/clients/client-detective/src/commands/DescribeOrganizationConfigurationCommand.ts @@ -102,4 +102,16 @@ export class DescribeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConfigurationCommand) .de(de_DescribeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationConfigurationRequest; + output: DescribeOrganizationConfigurationResponse; + }; + sdk: { + input: DescribeOrganizationConfigurationCommandInput; + output: DescribeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/DisableOrganizationAdminAccountCommand.ts b/clients/client-detective/src/commands/DisableOrganizationAdminAccountCommand.ts index 761b3be671c6..a205683a6a23 100644 --- a/clients/client-detective/src/commands/DisableOrganizationAdminAccountCommand.ts +++ b/clients/client-detective/src/commands/DisableOrganizationAdminAccountCommand.ts @@ -94,4 +94,16 @@ export class DisableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisableOrganizationAdminAccountCommand) .de(de_DisableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisableOrganizationAdminAccountCommandInput; + output: DisableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/DisassociateMembershipCommand.ts b/clients/client-detective/src/commands/DisassociateMembershipCommand.ts index a1b64cdb4ef1..e90bd824e69f 100644 --- a/clients/client-detective/src/commands/DisassociateMembershipCommand.ts +++ b/clients/client-detective/src/commands/DisassociateMembershipCommand.ts @@ -97,4 +97,16 @@ export class DisassociateMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMembershipCommand) .de(de_DisassociateMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMembershipRequest; + output: {}; + }; + sdk: { + input: DisassociateMembershipCommandInput; + output: DisassociateMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/EnableOrganizationAdminAccountCommand.ts b/clients/client-detective/src/commands/EnableOrganizationAdminAccountCommand.ts index 66e84dfc39f8..130448574755 100644 --- a/clients/client-detective/src/commands/EnableOrganizationAdminAccountCommand.ts +++ b/clients/client-detective/src/commands/EnableOrganizationAdminAccountCommand.ts @@ -103,4 +103,16 @@ export class EnableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_EnableOrganizationAdminAccountCommand) .de(de_EnableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: EnableOrganizationAdminAccountCommandInput; + output: EnableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/GetInvestigationCommand.ts b/clients/client-detective/src/commands/GetInvestigationCommand.ts index 2a718f46c294..1cda80fd6859 100644 --- a/clients/client-detective/src/commands/GetInvestigationCommand.ts +++ b/clients/client-detective/src/commands/GetInvestigationCommand.ts @@ -104,4 +104,16 @@ export class GetInvestigationCommand extends $Command .f(void 0, void 0) .ser(se_GetInvestigationCommand) .de(de_GetInvestigationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInvestigationRequest; + output: GetInvestigationResponse; + }; + sdk: { + input: GetInvestigationCommandInput; + output: GetInvestigationCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/GetMembersCommand.ts b/clients/client-detective/src/commands/GetMembersCommand.ts index a6ee35a2ad09..6a4ac0e7f432 100644 --- a/clients/client-detective/src/commands/GetMembersCommand.ts +++ b/clients/client-detective/src/commands/GetMembersCommand.ts @@ -126,4 +126,16 @@ export class GetMembersCommand extends $Command .f(void 0, GetMembersResponseFilterSensitiveLog) .ser(se_GetMembersCommand) .de(de_GetMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMembersRequest; + output: GetMembersResponse; + }; + sdk: { + input: GetMembersCommandInput; + output: GetMembersCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListDatasourcePackagesCommand.ts b/clients/client-detective/src/commands/ListDatasourcePackagesCommand.ts index 735624f0d005..9fafd3828067 100644 --- a/clients/client-detective/src/commands/ListDatasourcePackagesCommand.ts +++ b/clients/client-detective/src/commands/ListDatasourcePackagesCommand.ts @@ -102,4 +102,16 @@ export class ListDatasourcePackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasourcePackagesCommand) .de(de_ListDatasourcePackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasourcePackagesRequest; + output: ListDatasourcePackagesResponse; + }; + sdk: { + input: ListDatasourcePackagesCommandInput; + output: ListDatasourcePackagesCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListGraphsCommand.ts b/clients/client-detective/src/commands/ListGraphsCommand.ts index 2af1abf65a7e..096dad2ca92c 100644 --- a/clients/client-detective/src/commands/ListGraphsCommand.ts +++ b/clients/client-detective/src/commands/ListGraphsCommand.ts @@ -97,4 +97,16 @@ export class ListGraphsCommand extends $Command .f(void 0, void 0) .ser(se_ListGraphsCommand) .de(de_ListGraphsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGraphsRequest; + output: ListGraphsResponse; + }; + sdk: { + input: ListGraphsCommandInput; + output: ListGraphsCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListIndicatorsCommand.ts b/clients/client-detective/src/commands/ListIndicatorsCommand.ts index b32067918b0e..83e3b2cb3788 100644 --- a/clients/client-detective/src/commands/ListIndicatorsCommand.ts +++ b/clients/client-detective/src/commands/ListIndicatorsCommand.ts @@ -148,4 +148,16 @@ export class ListIndicatorsCommand extends $Command .f(void 0, void 0) .ser(se_ListIndicatorsCommand) .de(de_ListIndicatorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIndicatorsRequest; + output: ListIndicatorsResponse; + }; + sdk: { + input: ListIndicatorsCommandInput; + output: ListIndicatorsCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListInvestigationsCommand.ts b/clients/client-detective/src/commands/ListInvestigationsCommand.ts index 6534a95d5765..ed5addb15bfc 100644 --- a/clients/client-detective/src/commands/ListInvestigationsCommand.ts +++ b/clients/client-detective/src/commands/ListInvestigationsCommand.ts @@ -134,4 +134,16 @@ export class ListInvestigationsCommand extends $Command .f(void 0, void 0) .ser(se_ListInvestigationsCommand) .de(de_ListInvestigationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInvestigationsRequest; + output: ListInvestigationsResponse; + }; + sdk: { + input: ListInvestigationsCommandInput; + output: ListInvestigationsCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListInvitationsCommand.ts b/clients/client-detective/src/commands/ListInvitationsCommand.ts index 6de16c158084..f6d63cb132f3 100644 --- a/clients/client-detective/src/commands/ListInvitationsCommand.ts +++ b/clients/client-detective/src/commands/ListInvitationsCommand.ts @@ -124,4 +124,16 @@ export class ListInvitationsCommand extends $Command .f(void 0, ListInvitationsResponseFilterSensitiveLog) .ser(se_ListInvitationsCommand) .de(de_ListInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInvitationsRequest; + output: ListInvitationsResponse; + }; + sdk: { + input: ListInvitationsCommandInput; + output: ListInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListMembersCommand.ts b/clients/client-detective/src/commands/ListMembersCommand.ts index 7ecc84b23390..afe34a4f876c 100644 --- a/clients/client-detective/src/commands/ListMembersCommand.ts +++ b/clients/client-detective/src/commands/ListMembersCommand.ts @@ -124,4 +124,16 @@ export class ListMembersCommand extends $Command .f(void 0, ListMembersResponseFilterSensitiveLog) .ser(se_ListMembersCommand) .de(de_ListMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembersRequest; + output: ListMembersResponse; + }; + sdk: { + input: ListMembersCommandInput; + output: ListMembersCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListOrganizationAdminAccountsCommand.ts b/clients/client-detective/src/commands/ListOrganizationAdminAccountsCommand.ts index 82ffc2ba6f98..5c9949de6b63 100644 --- a/clients/client-detective/src/commands/ListOrganizationAdminAccountsCommand.ts +++ b/clients/client-detective/src/commands/ListOrganizationAdminAccountsCommand.ts @@ -105,4 +105,16 @@ export class ListOrganizationAdminAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationAdminAccountsCommand) .de(de_ListOrganizationAdminAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationAdminAccountsRequest; + output: ListOrganizationAdminAccountsResponse; + }; + sdk: { + input: ListOrganizationAdminAccountsCommandInput; + output: ListOrganizationAdminAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/ListTagsForResourceCommand.ts b/clients/client-detective/src/commands/ListTagsForResourceCommand.ts index b592fe74cc5b..2aab2d5e3f84 100644 --- a/clients/client-detective/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-detective/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/RejectInvitationCommand.ts b/clients/client-detective/src/commands/RejectInvitationCommand.ts index 05e71f03b15e..1bf913c308f2 100644 --- a/clients/client-detective/src/commands/RejectInvitationCommand.ts +++ b/clients/client-detective/src/commands/RejectInvitationCommand.ts @@ -97,4 +97,16 @@ export class RejectInvitationCommand extends $Command .f(void 0, void 0) .ser(se_RejectInvitationCommand) .de(de_RejectInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectInvitationRequest; + output: {}; + }; + sdk: { + input: RejectInvitationCommandInput; + output: RejectInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/StartInvestigationCommand.ts b/clients/client-detective/src/commands/StartInvestigationCommand.ts index 80619e425ca0..6ce69986c3e9 100644 --- a/clients/client-detective/src/commands/StartInvestigationCommand.ts +++ b/clients/client-detective/src/commands/StartInvestigationCommand.ts @@ -97,4 +97,16 @@ export class StartInvestigationCommand extends $Command .f(void 0, void 0) .ser(se_StartInvestigationCommand) .de(de_StartInvestigationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInvestigationRequest; + output: StartInvestigationResponse; + }; + sdk: { + input: StartInvestigationCommandInput; + output: StartInvestigationCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/StartMonitoringMemberCommand.ts b/clients/client-detective/src/commands/StartMonitoringMemberCommand.ts index b1bfd9529a66..ec981328a843 100644 --- a/clients/client-detective/src/commands/StartMonitoringMemberCommand.ts +++ b/clients/client-detective/src/commands/StartMonitoringMemberCommand.ts @@ -117,4 +117,16 @@ export class StartMonitoringMemberCommand extends $Command .f(void 0, void 0) .ser(se_StartMonitoringMemberCommand) .de(de_StartMonitoringMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMonitoringMemberRequest; + output: {}; + }; + sdk: { + input: StartMonitoringMemberCommandInput; + output: StartMonitoringMemberCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/TagResourceCommand.ts b/clients/client-detective/src/commands/TagResourceCommand.ts index b4cd2ac9d728..a63a08e44730 100644 --- a/clients/client-detective/src/commands/TagResourceCommand.ts +++ b/clients/client-detective/src/commands/TagResourceCommand.ts @@ -91,4 +91,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/UntagResourceCommand.ts b/clients/client-detective/src/commands/UntagResourceCommand.ts index 827bb45800c2..0e956b01eeef 100644 --- a/clients/client-detective/src/commands/UntagResourceCommand.ts +++ b/clients/client-detective/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/UpdateDatasourcePackagesCommand.ts b/clients/client-detective/src/commands/UpdateDatasourcePackagesCommand.ts index 5370d8df3b7c..80a2649be93a 100644 --- a/clients/client-detective/src/commands/UpdateDatasourcePackagesCommand.ts +++ b/clients/client-detective/src/commands/UpdateDatasourcePackagesCommand.ts @@ -104,4 +104,16 @@ export class UpdateDatasourcePackagesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasourcePackagesCommand) .de(de_UpdateDatasourcePackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasourcePackagesRequest; + output: {}; + }; + sdk: { + input: UpdateDatasourcePackagesCommandInput; + output: UpdateDatasourcePackagesCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/UpdateInvestigationStateCommand.ts b/clients/client-detective/src/commands/UpdateInvestigationStateCommand.ts index 8bc51e34ef56..3efe1f19f4a6 100644 --- a/clients/client-detective/src/commands/UpdateInvestigationStateCommand.ts +++ b/clients/client-detective/src/commands/UpdateInvestigationStateCommand.ts @@ -94,4 +94,16 @@ export class UpdateInvestigationStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInvestigationStateCommand) .de(de_UpdateInvestigationStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInvestigationStateRequest; + output: {}; + }; + sdk: { + input: UpdateInvestigationStateCommandInput; + output: UpdateInvestigationStateCommandOutput; + }; + }; +} diff --git a/clients/client-detective/src/commands/UpdateOrganizationConfigurationCommand.ts b/clients/client-detective/src/commands/UpdateOrganizationConfigurationCommand.ts index 0c1c33adca84..99da2660cf04 100644 --- a/clients/client-detective/src/commands/UpdateOrganizationConfigurationCommand.ts +++ b/clients/client-detective/src/commands/UpdateOrganizationConfigurationCommand.ts @@ -95,4 +95,16 @@ export class UpdateOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOrganizationConfigurationCommand) .de(de_UpdateOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrganizationConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateOrganizationConfigurationCommandInput; + output: UpdateOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/package.json b/clients/client-device-farm/package.json index 14de86b7795c..eb74fea0a6a0 100644 --- a/clients/client-device-farm/package.json +++ b/clients/client-device-farm/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-device-farm/src/commands/CreateDevicePoolCommand.ts b/clients/client-device-farm/src/commands/CreateDevicePoolCommand.ts index ba749abd033a..60ffce9de922 100644 --- a/clients/client-device-farm/src/commands/CreateDevicePoolCommand.ts +++ b/clients/client-device-farm/src/commands/CreateDevicePoolCommand.ts @@ -131,4 +131,16 @@ export class CreateDevicePoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateDevicePoolCommand) .de(de_CreateDevicePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDevicePoolRequest; + output: CreateDevicePoolResult; + }; + sdk: { + input: CreateDevicePoolCommandInput; + output: CreateDevicePoolCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateInstanceProfileCommand.ts b/clients/client-device-farm/src/commands/CreateInstanceProfileCommand.ts index 222236fdbd32..0a7f147ecc31 100644 --- a/clients/client-device-farm/src/commands/CreateInstanceProfileCommand.ts +++ b/clients/client-device-farm/src/commands/CreateInstanceProfileCommand.ts @@ -105,4 +105,16 @@ export class CreateInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceProfileCommand) .de(de_CreateInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceProfileRequest; + output: CreateInstanceProfileResult; + }; + sdk: { + input: CreateInstanceProfileCommandInput; + output: CreateInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateNetworkProfileCommand.ts b/clients/client-device-farm/src/commands/CreateNetworkProfileCommand.ts index 83d21e6ce39f..bf82c2436574 100644 --- a/clients/client-device-farm/src/commands/CreateNetworkProfileCommand.ts +++ b/clients/client-device-farm/src/commands/CreateNetworkProfileCommand.ts @@ -113,4 +113,16 @@ export class CreateNetworkProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkProfileCommand) .de(de_CreateNetworkProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkProfileRequest; + output: CreateNetworkProfileResult; + }; + sdk: { + input: CreateNetworkProfileCommandInput; + output: CreateNetworkProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateProjectCommand.ts b/clients/client-device-farm/src/commands/CreateProjectCommand.ts index 6fcaa4aef721..d3774b443531 100644 --- a/clients/client-device-farm/src/commands/CreateProjectCommand.ts +++ b/clients/client-device-farm/src/commands/CreateProjectCommand.ts @@ -136,4 +136,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: CreateProjectResult; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateRemoteAccessSessionCommand.ts b/clients/client-device-farm/src/commands/CreateRemoteAccessSessionCommand.ts index 3775a0bb303a..efe3b1de1e1f 100644 --- a/clients/client-device-farm/src/commands/CreateRemoteAccessSessionCommand.ts +++ b/clients/client-device-farm/src/commands/CreateRemoteAccessSessionCommand.ts @@ -210,4 +210,16 @@ export class CreateRemoteAccessSessionCommand extends $Command .f(void 0, void 0) .ser(se_CreateRemoteAccessSessionCommand) .de(de_CreateRemoteAccessSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRemoteAccessSessionRequest; + output: CreateRemoteAccessSessionResult; + }; + sdk: { + input: CreateRemoteAccessSessionCommandInput; + output: CreateRemoteAccessSessionCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateTestGridProjectCommand.ts b/clients/client-device-farm/src/commands/CreateTestGridProjectCommand.ts index 0936eb6e0a27..43a8f2c3982e 100644 --- a/clients/client-device-farm/src/commands/CreateTestGridProjectCommand.ts +++ b/clients/client-device-farm/src/commands/CreateTestGridProjectCommand.ts @@ -112,4 +112,16 @@ export class CreateTestGridProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateTestGridProjectCommand) .de(de_CreateTestGridProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTestGridProjectRequest; + output: CreateTestGridProjectResult; + }; + sdk: { + input: CreateTestGridProjectCommandInput; + output: CreateTestGridProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateTestGridUrlCommand.ts b/clients/client-device-farm/src/commands/CreateTestGridUrlCommand.ts index ae600e7ce9a5..9c1421a98342 100644 --- a/clients/client-device-farm/src/commands/CreateTestGridUrlCommand.ts +++ b/clients/client-device-farm/src/commands/CreateTestGridUrlCommand.ts @@ -94,4 +94,16 @@ export class CreateTestGridUrlCommand extends $Command .f(void 0, CreateTestGridUrlResultFilterSensitiveLog) .ser(se_CreateTestGridUrlCommand) .de(de_CreateTestGridUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTestGridUrlRequest; + output: CreateTestGridUrlResult; + }; + sdk: { + input: CreateTestGridUrlCommandInput; + output: CreateTestGridUrlCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateUploadCommand.ts b/clients/client-device-farm/src/commands/CreateUploadCommand.ts index 54e77d987add..03b32b074d73 100644 --- a/clients/client-device-farm/src/commands/CreateUploadCommand.ts +++ b/clients/client-device-farm/src/commands/CreateUploadCommand.ts @@ -128,4 +128,16 @@ export class CreateUploadCommand extends $Command .f(void 0, CreateUploadResultFilterSensitiveLog) .ser(se_CreateUploadCommand) .de(de_CreateUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUploadRequest; + output: CreateUploadResult; + }; + sdk: { + input: CreateUploadCommandInput; + output: CreateUploadCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/CreateVPCEConfigurationCommand.ts b/clients/client-device-farm/src/commands/CreateVPCEConfigurationCommand.ts index 62871fa03468..9ed26e11a9ad 100644 --- a/clients/client-device-farm/src/commands/CreateVPCEConfigurationCommand.ts +++ b/clients/client-device-farm/src/commands/CreateVPCEConfigurationCommand.ts @@ -96,4 +96,16 @@ export class CreateVPCEConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateVPCEConfigurationCommand) .de(de_CreateVPCEConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVPCEConfigurationRequest; + output: CreateVPCEConfigurationResult; + }; + sdk: { + input: CreateVPCEConfigurationCommandInput; + output: CreateVPCEConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteDevicePoolCommand.ts b/clients/client-device-farm/src/commands/DeleteDevicePoolCommand.ts index c4f3ea602e48..0b0182d2cd7f 100644 --- a/clients/client-device-farm/src/commands/DeleteDevicePoolCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteDevicePoolCommand.ts @@ -99,4 +99,16 @@ export class DeleteDevicePoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDevicePoolCommand) .de(de_DeleteDevicePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDevicePoolRequest; + output: {}; + }; + sdk: { + input: DeleteDevicePoolCommandInput; + output: DeleteDevicePoolCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteInstanceProfileCommand.ts b/clients/client-device-farm/src/commands/DeleteInstanceProfileCommand.ts index 0828bd4648ab..956eb6412599 100644 --- a/clients/client-device-farm/src/commands/DeleteInstanceProfileCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteInstanceProfileCommand.ts @@ -87,4 +87,16 @@ export class DeleteInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceProfileCommand) .de(de_DeleteInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceProfileRequest; + output: {}; + }; + sdk: { + input: DeleteInstanceProfileCommandInput; + output: DeleteInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteNetworkProfileCommand.ts b/clients/client-device-farm/src/commands/DeleteNetworkProfileCommand.ts index c9efe2014f01..8d4b645045bc 100644 --- a/clients/client-device-farm/src/commands/DeleteNetworkProfileCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteNetworkProfileCommand.ts @@ -87,4 +87,16 @@ export class DeleteNetworkProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkProfileCommand) .de(de_DeleteNetworkProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkProfileRequest; + output: {}; + }; + sdk: { + input: DeleteNetworkProfileCommandInput; + output: DeleteNetworkProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteProjectCommand.ts b/clients/client-device-farm/src/commands/DeleteProjectCommand.ts index ea7395cb37ed..e9d66151d7f7 100644 --- a/clients/client-device-farm/src/commands/DeleteProjectCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteProjectCommand.ts @@ -99,4 +99,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: {}; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteRemoteAccessSessionCommand.ts b/clients/client-device-farm/src/commands/DeleteRemoteAccessSessionCommand.ts index 8d0ff5314063..0ba465c83ad5 100644 --- a/clients/client-device-farm/src/commands/DeleteRemoteAccessSessionCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteRemoteAccessSessionCommand.ts @@ -98,4 +98,16 @@ export class DeleteRemoteAccessSessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRemoteAccessSessionCommand) .de(de_DeleteRemoteAccessSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRemoteAccessSessionRequest; + output: {}; + }; + sdk: { + input: DeleteRemoteAccessSessionCommandInput; + output: DeleteRemoteAccessSessionCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteRunCommand.ts b/clients/client-device-farm/src/commands/DeleteRunCommand.ts index b1b5b89423cb..c8b3e954c01c 100644 --- a/clients/client-device-farm/src/commands/DeleteRunCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteRunCommand.ts @@ -99,4 +99,16 @@ export class DeleteRunCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRunCommand) .de(de_DeleteRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRunRequest; + output: {}; + }; + sdk: { + input: DeleteRunCommandInput; + output: DeleteRunCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteTestGridProjectCommand.ts b/clients/client-device-farm/src/commands/DeleteTestGridProjectCommand.ts index db4ed4c137e0..c7f8c42c50b1 100644 --- a/clients/client-device-farm/src/commands/DeleteTestGridProjectCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteTestGridProjectCommand.ts @@ -94,4 +94,16 @@ export class DeleteTestGridProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTestGridProjectCommand) .de(de_DeleteTestGridProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTestGridProjectRequest; + output: {}; + }; + sdk: { + input: DeleteTestGridProjectCommandInput; + output: DeleteTestGridProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteUploadCommand.ts b/clients/client-device-farm/src/commands/DeleteUploadCommand.ts index c1eb41db9336..0a0fdbcc6f13 100644 --- a/clients/client-device-farm/src/commands/DeleteUploadCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteUploadCommand.ts @@ -98,4 +98,16 @@ export class DeleteUploadCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUploadCommand) .de(de_DeleteUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUploadRequest; + output: {}; + }; + sdk: { + input: DeleteUploadCommandInput; + output: DeleteUploadCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/DeleteVPCEConfigurationCommand.ts b/clients/client-device-farm/src/commands/DeleteVPCEConfigurationCommand.ts index 5c8bc6de330c..c649965c8356 100644 --- a/clients/client-device-farm/src/commands/DeleteVPCEConfigurationCommand.ts +++ b/clients/client-device-farm/src/commands/DeleteVPCEConfigurationCommand.ts @@ -88,4 +88,16 @@ export class DeleteVPCEConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVPCEConfigurationCommand) .de(de_DeleteVPCEConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVPCEConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteVPCEConfigurationCommandInput; + output: DeleteVPCEConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetAccountSettingsCommand.ts b/clients/client-device-farm/src/commands/GetAccountSettingsCommand.ts index 497c4026b632..362f4202ed47 100644 --- a/clients/client-device-farm/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-device-farm/src/commands/GetAccountSettingsCommand.ts @@ -126,4 +126,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSettingsResult; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetDeviceCommand.ts b/clients/client-device-farm/src/commands/GetDeviceCommand.ts index d9e87251cd07..3e48e2d108de 100644 --- a/clients/client-device-farm/src/commands/GetDeviceCommand.ts +++ b/clients/client-device-farm/src/commands/GetDeviceCommand.ts @@ -174,4 +174,16 @@ export class GetDeviceCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceCommand) .de(de_GetDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceRequest; + output: GetDeviceResult; + }; + sdk: { + input: GetDeviceCommandInput; + output: GetDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetDeviceInstanceCommand.ts b/clients/client-device-farm/src/commands/GetDeviceInstanceCommand.ts index 320bae5e4fca..6a7b58720899 100644 --- a/clients/client-device-farm/src/commands/GetDeviceInstanceCommand.ts +++ b/clients/client-device-farm/src/commands/GetDeviceInstanceCommand.ts @@ -107,4 +107,16 @@ export class GetDeviceInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceInstanceCommand) .de(de_GetDeviceInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceInstanceRequest; + output: GetDeviceInstanceResult; + }; + sdk: { + input: GetDeviceInstanceCommandInput; + output: GetDeviceInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetDevicePoolCommand.ts b/clients/client-device-farm/src/commands/GetDevicePoolCommand.ts index 473b6b107da3..5ec8be6eb02e 100644 --- a/clients/client-device-farm/src/commands/GetDevicePoolCommand.ts +++ b/clients/client-device-farm/src/commands/GetDevicePoolCommand.ts @@ -118,4 +118,16 @@ export class GetDevicePoolCommand extends $Command .f(void 0, void 0) .ser(se_GetDevicePoolCommand) .de(de_GetDevicePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevicePoolRequest; + output: GetDevicePoolResult; + }; + sdk: { + input: GetDevicePoolCommandInput; + output: GetDevicePoolCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetDevicePoolCompatibilityCommand.ts b/clients/client-device-farm/src/commands/GetDevicePoolCompatibilityCommand.ts index 746ec668925c..8301babd5cc6 100644 --- a/clients/client-device-farm/src/commands/GetDevicePoolCompatibilityCommand.ts +++ b/clients/client-device-farm/src/commands/GetDevicePoolCompatibilityCommand.ts @@ -273,4 +273,16 @@ export class GetDevicePoolCompatibilityCommand extends $Command .f(void 0, void 0) .ser(se_GetDevicePoolCompatibilityCommand) .de(de_GetDevicePoolCompatibilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevicePoolCompatibilityRequest; + output: GetDevicePoolCompatibilityResult; + }; + sdk: { + input: GetDevicePoolCompatibilityCommandInput; + output: GetDevicePoolCompatibilityCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetInstanceProfileCommand.ts b/clients/client-device-farm/src/commands/GetInstanceProfileCommand.ts index cc113791b59a..8359d26c446d 100644 --- a/clients/client-device-farm/src/commands/GetInstanceProfileCommand.ts +++ b/clients/client-device-farm/src/commands/GetInstanceProfileCommand.ts @@ -98,4 +98,16 @@ export class GetInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceProfileCommand) .de(de_GetInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceProfileRequest; + output: GetInstanceProfileResult; + }; + sdk: { + input: GetInstanceProfileCommandInput; + output: GetInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetJobCommand.ts b/clients/client-device-farm/src/commands/GetJobCommand.ts index 24ce02fc30ea..51996f089368 100644 --- a/clients/client-device-farm/src/commands/GetJobCommand.ts +++ b/clients/client-device-farm/src/commands/GetJobCommand.ts @@ -182,4 +182,16 @@ export class GetJobCommand extends $Command .f(void 0, void 0) .ser(se_GetJobCommand) .de(de_GetJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRequest; + output: GetJobResult; + }; + sdk: { + input: GetJobCommandInput; + output: GetJobCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetNetworkProfileCommand.ts b/clients/client-device-farm/src/commands/GetNetworkProfileCommand.ts index 1d4a7999e0c5..16cdfdbe2922 100644 --- a/clients/client-device-farm/src/commands/GetNetworkProfileCommand.ts +++ b/clients/client-device-farm/src/commands/GetNetworkProfileCommand.ts @@ -102,4 +102,16 @@ export class GetNetworkProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkProfileCommand) .de(de_GetNetworkProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkProfileRequest; + output: GetNetworkProfileResult; + }; + sdk: { + input: GetNetworkProfileCommandInput; + output: GetNetworkProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetOfferingStatusCommand.ts b/clients/client-device-farm/src/commands/GetOfferingStatusCommand.ts index d5fee0e44988..dfc7d0ec2344 100644 --- a/clients/client-device-farm/src/commands/GetOfferingStatusCommand.ts +++ b/clients/client-device-farm/src/commands/GetOfferingStatusCommand.ts @@ -178,4 +178,16 @@ export class GetOfferingStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetOfferingStatusCommand) .de(de_GetOfferingStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOfferingStatusRequest; + output: GetOfferingStatusResult; + }; + sdk: { + input: GetOfferingStatusCommandInput; + output: GetOfferingStatusCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetProjectCommand.ts b/clients/client-device-farm/src/commands/GetProjectCommand.ts index db9ae0e46769..dfc8b209102d 100644 --- a/clients/client-device-farm/src/commands/GetProjectCommand.ts +++ b/clients/client-device-farm/src/commands/GetProjectCommand.ts @@ -123,4 +123,16 @@ export class GetProjectCommand extends $Command .f(void 0, void 0) .ser(se_GetProjectCommand) .de(de_GetProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProjectRequest; + output: GetProjectResult; + }; + sdk: { + input: GetProjectCommandInput; + output: GetProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetRemoteAccessSessionCommand.ts b/clients/client-device-farm/src/commands/GetRemoteAccessSessionCommand.ts index 69f6adc0096f..7a76e54af38a 100644 --- a/clients/client-device-farm/src/commands/GetRemoteAccessSessionCommand.ts +++ b/clients/client-device-farm/src/commands/GetRemoteAccessSessionCommand.ts @@ -189,4 +189,16 @@ export class GetRemoteAccessSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetRemoteAccessSessionCommand) .de(de_GetRemoteAccessSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRemoteAccessSessionRequest; + output: GetRemoteAccessSessionResult; + }; + sdk: { + input: GetRemoteAccessSessionCommandInput; + output: GetRemoteAccessSessionCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetRunCommand.ts b/clients/client-device-farm/src/commands/GetRunCommand.ts index 82138b61df17..be0f50e3a73e 100644 --- a/clients/client-device-farm/src/commands/GetRunCommand.ts +++ b/clients/client-device-farm/src/commands/GetRunCommand.ts @@ -225,4 +225,16 @@ export class GetRunCommand extends $Command .f(void 0, void 0) .ser(se_GetRunCommand) .de(de_GetRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRunRequest; + output: GetRunResult; + }; + sdk: { + input: GetRunCommandInput; + output: GetRunCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetSuiteCommand.ts b/clients/client-device-farm/src/commands/GetSuiteCommand.ts index d4530200ccfe..c6e05bc87447 100644 --- a/clients/client-device-farm/src/commands/GetSuiteCommand.ts +++ b/clients/client-device-farm/src/commands/GetSuiteCommand.ts @@ -129,4 +129,16 @@ export class GetSuiteCommand extends $Command .f(void 0, void 0) .ser(se_GetSuiteCommand) .de(de_GetSuiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSuiteRequest; + output: GetSuiteResult; + }; + sdk: { + input: GetSuiteCommandInput; + output: GetSuiteCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetTestCommand.ts b/clients/client-device-farm/src/commands/GetTestCommand.ts index f22f10625c72..bc7a5c5587eb 100644 --- a/clients/client-device-farm/src/commands/GetTestCommand.ts +++ b/clients/client-device-farm/src/commands/GetTestCommand.ts @@ -129,4 +129,16 @@ export class GetTestCommand extends $Command .f(void 0, void 0) .ser(se_GetTestCommand) .de(de_GetTestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestRequest; + output: GetTestResult; + }; + sdk: { + input: GetTestCommandInput; + output: GetTestCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetTestGridProjectCommand.ts b/clients/client-device-farm/src/commands/GetTestGridProjectCommand.ts index f1761e4a3d46..b7700dd13c0e 100644 --- a/clients/client-device-farm/src/commands/GetTestGridProjectCommand.ts +++ b/clients/client-device-farm/src/commands/GetTestGridProjectCommand.ts @@ -101,4 +101,16 @@ export class GetTestGridProjectCommand extends $Command .f(void 0, void 0) .ser(se_GetTestGridProjectCommand) .de(de_GetTestGridProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestGridProjectRequest; + output: GetTestGridProjectResult; + }; + sdk: { + input: GetTestGridProjectCommandInput; + output: GetTestGridProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetTestGridSessionCommand.ts b/clients/client-device-farm/src/commands/GetTestGridSessionCommand.ts index 4b90343a72f0..21485c3cb446 100644 --- a/clients/client-device-farm/src/commands/GetTestGridSessionCommand.ts +++ b/clients/client-device-farm/src/commands/GetTestGridSessionCommand.ts @@ -105,4 +105,16 @@ export class GetTestGridSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetTestGridSessionCommand) .de(de_GetTestGridSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestGridSessionRequest; + output: GetTestGridSessionResult; + }; + sdk: { + input: GetTestGridSessionCommandInput; + output: GetTestGridSessionCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetUploadCommand.ts b/clients/client-device-farm/src/commands/GetUploadCommand.ts index 44e6b52a9f69..66197e287119 100644 --- a/clients/client-device-farm/src/commands/GetUploadCommand.ts +++ b/clients/client-device-farm/src/commands/GetUploadCommand.ts @@ -116,4 +116,16 @@ export class GetUploadCommand extends $Command .f(void 0, GetUploadResultFilterSensitiveLog) .ser(se_GetUploadCommand) .de(de_GetUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUploadRequest; + output: GetUploadResult; + }; + sdk: { + input: GetUploadCommandInput; + output: GetUploadCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/GetVPCEConfigurationCommand.ts b/clients/client-device-farm/src/commands/GetVPCEConfigurationCommand.ts index 4f3d44153e07..907e73b00d47 100644 --- a/clients/client-device-farm/src/commands/GetVPCEConfigurationCommand.ts +++ b/clients/client-device-farm/src/commands/GetVPCEConfigurationCommand.ts @@ -93,4 +93,16 @@ export class GetVPCEConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetVPCEConfigurationCommand) .de(de_GetVPCEConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVPCEConfigurationRequest; + output: GetVPCEConfigurationResult; + }; + sdk: { + input: GetVPCEConfigurationCommandInput; + output: GetVPCEConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/InstallToRemoteAccessSessionCommand.ts b/clients/client-device-farm/src/commands/InstallToRemoteAccessSessionCommand.ts index 0cb6a39c8276..679fb05831c5 100644 --- a/clients/client-device-farm/src/commands/InstallToRemoteAccessSessionCommand.ts +++ b/clients/client-device-farm/src/commands/InstallToRemoteAccessSessionCommand.ts @@ -129,4 +129,16 @@ export class InstallToRemoteAccessSessionCommand extends $Command .f(void 0, InstallToRemoteAccessSessionResultFilterSensitiveLog) .ser(se_InstallToRemoteAccessSessionCommand) .de(de_InstallToRemoteAccessSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InstallToRemoteAccessSessionRequest; + output: InstallToRemoteAccessSessionResult; + }; + sdk: { + input: InstallToRemoteAccessSessionCommandInput; + output: InstallToRemoteAccessSessionCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListArtifactsCommand.ts b/clients/client-device-farm/src/commands/ListArtifactsCommand.ts index 50bf7088696e..0e9dcfe0f0b9 100644 --- a/clients/client-device-farm/src/commands/ListArtifactsCommand.ts +++ b/clients/client-device-farm/src/commands/ListArtifactsCommand.ts @@ -112,4 +112,16 @@ export class ListArtifactsCommand extends $Command .f(void 0, void 0) .ser(se_ListArtifactsCommand) .de(de_ListArtifactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArtifactsRequest; + output: ListArtifactsResult; + }; + sdk: { + input: ListArtifactsCommandInput; + output: ListArtifactsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListDeviceInstancesCommand.ts b/clients/client-device-farm/src/commands/ListDeviceInstancesCommand.ts index d0ee237d43df..dfc22fa46f98 100644 --- a/clients/client-device-farm/src/commands/ListDeviceInstancesCommand.ts +++ b/clients/client-device-farm/src/commands/ListDeviceInstancesCommand.ts @@ -112,4 +112,16 @@ export class ListDeviceInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListDeviceInstancesCommand) .de(de_ListDeviceInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceInstancesRequest; + output: ListDeviceInstancesResult; + }; + sdk: { + input: ListDeviceInstancesCommandInput; + output: ListDeviceInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListDevicePoolsCommand.ts b/clients/client-device-farm/src/commands/ListDevicePoolsCommand.ts index 1b3bff6fa807..3b17b70ec139 100644 --- a/clients/client-device-farm/src/commands/ListDevicePoolsCommand.ts +++ b/clients/client-device-farm/src/commands/ListDevicePoolsCommand.ts @@ -149,4 +149,16 @@ export class ListDevicePoolsCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicePoolsCommand) .de(de_ListDevicePoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicePoolsRequest; + output: ListDevicePoolsResult; + }; + sdk: { + input: ListDevicePoolsCommandInput; + output: ListDevicePoolsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListDevicesCommand.ts b/clients/client-device-farm/src/commands/ListDevicesCommand.ts index 6c8ce66a80a2..b2c176f8b687 100644 --- a/clients/client-device-farm/src/commands/ListDevicesCommand.ts +++ b/clients/client-device-farm/src/commands/ListDevicesCommand.ts @@ -162,4 +162,16 @@ export class ListDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesRequest; + output: ListDevicesResult; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListInstanceProfilesCommand.ts b/clients/client-device-farm/src/commands/ListInstanceProfilesCommand.ts index b94b43c812f3..f3c0bfce9501 100644 --- a/clients/client-device-farm/src/commands/ListInstanceProfilesCommand.ts +++ b/clients/client-device-farm/src/commands/ListInstanceProfilesCommand.ts @@ -102,4 +102,16 @@ export class ListInstanceProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceProfilesCommand) .de(de_ListInstanceProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceProfilesRequest; + output: ListInstanceProfilesResult; + }; + sdk: { + input: ListInstanceProfilesCommandInput; + output: ListInstanceProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListJobsCommand.ts b/clients/client-device-farm/src/commands/ListJobsCommand.ts index cde038988e87..7a6164756e0b 100644 --- a/clients/client-device-farm/src/commands/ListJobsCommand.ts +++ b/clients/client-device-farm/src/commands/ListJobsCommand.ts @@ -181,4 +181,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResult; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListNetworkProfilesCommand.ts b/clients/client-device-farm/src/commands/ListNetworkProfilesCommand.ts index 38a1979dcc02..e3b84734e417 100644 --- a/clients/client-device-farm/src/commands/ListNetworkProfilesCommand.ts +++ b/clients/client-device-farm/src/commands/ListNetworkProfilesCommand.ts @@ -107,4 +107,16 @@ export class ListNetworkProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListNetworkProfilesCommand) .de(de_ListNetworkProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworkProfilesRequest; + output: ListNetworkProfilesResult; + }; + sdk: { + input: ListNetworkProfilesCommandInput; + output: ListNetworkProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListOfferingPromotionsCommand.ts b/clients/client-device-farm/src/commands/ListOfferingPromotionsCommand.ts index 7215543c1f8f..2e89cce770ef 100644 --- a/clients/client-device-farm/src/commands/ListOfferingPromotionsCommand.ts +++ b/clients/client-device-farm/src/commands/ListOfferingPromotionsCommand.ts @@ -101,4 +101,16 @@ export class ListOfferingPromotionsCommand extends $Command .f(void 0, void 0) .ser(se_ListOfferingPromotionsCommand) .de(de_ListOfferingPromotionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOfferingPromotionsRequest; + output: ListOfferingPromotionsResult; + }; + sdk: { + input: ListOfferingPromotionsCommandInput; + output: ListOfferingPromotionsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListOfferingTransactionsCommand.ts b/clients/client-device-farm/src/commands/ListOfferingTransactionsCommand.ts index 93838a1bff18..bfc8a3c5437f 100644 --- a/clients/client-device-farm/src/commands/ListOfferingTransactionsCommand.ts +++ b/clients/client-device-farm/src/commands/ListOfferingTransactionsCommand.ts @@ -220,4 +220,16 @@ export class ListOfferingTransactionsCommand extends $Command .f(void 0, void 0) .ser(se_ListOfferingTransactionsCommand) .de(de_ListOfferingTransactionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOfferingTransactionsRequest; + output: ListOfferingTransactionsResult; + }; + sdk: { + input: ListOfferingTransactionsCommandInput; + output: ListOfferingTransactionsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListOfferingsCommand.ts b/clients/client-device-farm/src/commands/ListOfferingsCommand.ts index 49590d3e4daf..ce6054de61e4 100644 --- a/clients/client-device-farm/src/commands/ListOfferingsCommand.ts +++ b/clients/client-device-farm/src/commands/ListOfferingsCommand.ts @@ -190,4 +190,16 @@ export class ListOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_ListOfferingsCommand) .de(de_ListOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOfferingsRequest; + output: ListOfferingsResult; + }; + sdk: { + input: ListOfferingsCommandInput; + output: ListOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListProjectsCommand.ts b/clients/client-device-farm/src/commands/ListProjectsCommand.ts index 08f656f7dab2..755c530f4892 100644 --- a/clients/client-device-farm/src/commands/ListProjectsCommand.ts +++ b/clients/client-device-farm/src/commands/ListProjectsCommand.ts @@ -135,4 +135,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsRequest; + output: ListProjectsResult; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListRemoteAccessSessionsCommand.ts b/clients/client-device-farm/src/commands/ListRemoteAccessSessionsCommand.ts index 6645b69870c5..7284fd47c728 100644 --- a/clients/client-device-farm/src/commands/ListRemoteAccessSessionsCommand.ts +++ b/clients/client-device-farm/src/commands/ListRemoteAccessSessionsCommand.ts @@ -194,4 +194,16 @@ export class ListRemoteAccessSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRemoteAccessSessionsCommand) .de(de_ListRemoteAccessSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRemoteAccessSessionsRequest; + output: ListRemoteAccessSessionsResult; + }; + sdk: { + input: ListRemoteAccessSessionsCommandInput; + output: ListRemoteAccessSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListRunsCommand.ts b/clients/client-device-farm/src/commands/ListRunsCommand.ts index a94d240e1c01..9aa683f47b9f 100644 --- a/clients/client-device-farm/src/commands/ListRunsCommand.ts +++ b/clients/client-device-farm/src/commands/ListRunsCommand.ts @@ -232,4 +232,16 @@ export class ListRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListRunsCommand) .de(de_ListRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRunsRequest; + output: ListRunsResult; + }; + sdk: { + input: ListRunsCommandInput; + output: ListRunsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListSamplesCommand.ts b/clients/client-device-farm/src/commands/ListSamplesCommand.ts index 2796cfb5e411..1fbaac7694a3 100644 --- a/clients/client-device-farm/src/commands/ListSamplesCommand.ts +++ b/clients/client-device-farm/src/commands/ListSamplesCommand.ts @@ -114,4 +114,16 @@ export class ListSamplesCommand extends $Command .f(void 0, void 0) .ser(se_ListSamplesCommand) .de(de_ListSamplesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSamplesRequest; + output: ListSamplesResult; + }; + sdk: { + input: ListSamplesCommandInput; + output: ListSamplesCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListSuitesCommand.ts b/clients/client-device-farm/src/commands/ListSuitesCommand.ts index aba3bba90a1c..494252e07bc0 100644 --- a/clients/client-device-farm/src/commands/ListSuitesCommand.ts +++ b/clients/client-device-farm/src/commands/ListSuitesCommand.ts @@ -134,4 +134,16 @@ export class ListSuitesCommand extends $Command .f(void 0, void 0) .ser(se_ListSuitesCommand) .de(de_ListSuitesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSuitesRequest; + output: ListSuitesResult; + }; + sdk: { + input: ListSuitesCommandInput; + output: ListSuitesCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListTagsForResourceCommand.ts b/clients/client-device-farm/src/commands/ListTagsForResourceCommand.ts index af16f60bd3b3..e1956b07b445 100644 --- a/clients/client-device-farm/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-device-farm/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListTestGridProjectsCommand.ts b/clients/client-device-farm/src/commands/ListTestGridProjectsCommand.ts index 665d22aba036..47515728036a 100644 --- a/clients/client-device-farm/src/commands/ListTestGridProjectsCommand.ts +++ b/clients/client-device-farm/src/commands/ListTestGridProjectsCommand.ts @@ -102,4 +102,16 @@ export class ListTestGridProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestGridProjectsCommand) .de(de_ListTestGridProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestGridProjectsRequest; + output: ListTestGridProjectsResult; + }; + sdk: { + input: ListTestGridProjectsCommandInput; + output: ListTestGridProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListTestGridSessionActionsCommand.ts b/clients/client-device-farm/src/commands/ListTestGridSessionActionsCommand.ts index 259382b8b30a..06309dba3584 100644 --- a/clients/client-device-farm/src/commands/ListTestGridSessionActionsCommand.ts +++ b/clients/client-device-farm/src/commands/ListTestGridSessionActionsCommand.ts @@ -98,4 +98,16 @@ export class ListTestGridSessionActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestGridSessionActionsCommand) .de(de_ListTestGridSessionActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestGridSessionActionsRequest; + output: ListTestGridSessionActionsResult; + }; + sdk: { + input: ListTestGridSessionActionsCommandInput; + output: ListTestGridSessionActionsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListTestGridSessionArtifactsCommand.ts b/clients/client-device-farm/src/commands/ListTestGridSessionArtifactsCommand.ts index 0f56e7bcedd9..0fd30df3bd0e 100644 --- a/clients/client-device-farm/src/commands/ListTestGridSessionArtifactsCommand.ts +++ b/clients/client-device-farm/src/commands/ListTestGridSessionArtifactsCommand.ts @@ -106,4 +106,16 @@ export class ListTestGridSessionArtifactsCommand extends $Command .f(void 0, ListTestGridSessionArtifactsResultFilterSensitiveLog) .ser(se_ListTestGridSessionArtifactsCommand) .de(de_ListTestGridSessionArtifactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestGridSessionArtifactsRequest; + output: ListTestGridSessionArtifactsResult; + }; + sdk: { + input: ListTestGridSessionArtifactsCommandInput; + output: ListTestGridSessionArtifactsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListTestGridSessionsCommand.ts b/clients/client-device-farm/src/commands/ListTestGridSessionsCommand.ts index 0461631830ec..ffebe423c6a0 100644 --- a/clients/client-device-farm/src/commands/ListTestGridSessionsCommand.ts +++ b/clients/client-device-farm/src/commands/ListTestGridSessionsCommand.ts @@ -104,4 +104,16 @@ export class ListTestGridSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestGridSessionsCommand) .de(de_ListTestGridSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestGridSessionsRequest; + output: ListTestGridSessionsResult; + }; + sdk: { + input: ListTestGridSessionsCommandInput; + output: ListTestGridSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListTestsCommand.ts b/clients/client-device-farm/src/commands/ListTestsCommand.ts index b03109fbc75a..103100707762 100644 --- a/clients/client-device-farm/src/commands/ListTestsCommand.ts +++ b/clients/client-device-farm/src/commands/ListTestsCommand.ts @@ -134,4 +134,16 @@ export class ListTestsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestsCommand) .de(de_ListTestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestsRequest; + output: ListTestsResult; + }; + sdk: { + input: ListTestsCommandInput; + output: ListTestsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListUniqueProblemsCommand.ts b/clients/client-device-farm/src/commands/ListUniqueProblemsCommand.ts index d06c809ef960..f5c4c71b9e72 100644 --- a/clients/client-device-farm/src/commands/ListUniqueProblemsCommand.ts +++ b/clients/client-device-farm/src/commands/ListUniqueProblemsCommand.ts @@ -190,4 +190,16 @@ export class ListUniqueProblemsCommand extends $Command .f(void 0, void 0) .ser(se_ListUniqueProblemsCommand) .de(de_ListUniqueProblemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUniqueProblemsRequest; + output: ListUniqueProblemsResult; + }; + sdk: { + input: ListUniqueProblemsCommandInput; + output: ListUniqueProblemsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListUploadsCommand.ts b/clients/client-device-farm/src/commands/ListUploadsCommand.ts index ffeacc0c4146..06e7686c760a 100644 --- a/clients/client-device-farm/src/commands/ListUploadsCommand.ts +++ b/clients/client-device-farm/src/commands/ListUploadsCommand.ts @@ -122,4 +122,16 @@ export class ListUploadsCommand extends $Command .f(void 0, ListUploadsResultFilterSensitiveLog) .ser(se_ListUploadsCommand) .de(de_ListUploadsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUploadsRequest; + output: ListUploadsResult; + }; + sdk: { + input: ListUploadsCommandInput; + output: ListUploadsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ListVPCEConfigurationsCommand.ts b/clients/client-device-farm/src/commands/ListVPCEConfigurationsCommand.ts index 4f9b1044996a..ab290b693a89 100644 --- a/clients/client-device-farm/src/commands/ListVPCEConfigurationsCommand.ts +++ b/clients/client-device-farm/src/commands/ListVPCEConfigurationsCommand.ts @@ -94,4 +94,16 @@ export class ListVPCEConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListVPCEConfigurationsCommand) .de(de_ListVPCEConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVPCEConfigurationsRequest; + output: ListVPCEConfigurationsResult; + }; + sdk: { + input: ListVPCEConfigurationsCommandInput; + output: ListVPCEConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/PurchaseOfferingCommand.ts b/clients/client-device-farm/src/commands/PurchaseOfferingCommand.ts index 5f010cf22fa6..4378e2294941 100644 --- a/clients/client-device-farm/src/commands/PurchaseOfferingCommand.ts +++ b/clients/client-device-farm/src/commands/PurchaseOfferingCommand.ts @@ -161,4 +161,16 @@ export class PurchaseOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseOfferingCommand) .de(de_PurchaseOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseOfferingRequest; + output: PurchaseOfferingResult; + }; + sdk: { + input: PurchaseOfferingCommandInput; + output: PurchaseOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/RenewOfferingCommand.ts b/clients/client-device-farm/src/commands/RenewOfferingCommand.ts index 95c23e088718..62775b1b8053 100644 --- a/clients/client-device-farm/src/commands/RenewOfferingCommand.ts +++ b/clients/client-device-farm/src/commands/RenewOfferingCommand.ts @@ -159,4 +159,16 @@ export class RenewOfferingCommand extends $Command .f(void 0, void 0) .ser(se_RenewOfferingCommand) .de(de_RenewOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RenewOfferingRequest; + output: RenewOfferingResult; + }; + sdk: { + input: RenewOfferingCommandInput; + output: RenewOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/ScheduleRunCommand.ts b/clients/client-device-farm/src/commands/ScheduleRunCommand.ts index 83e448083905..f831706e2d73 100644 --- a/clients/client-device-farm/src/commands/ScheduleRunCommand.ts +++ b/clients/client-device-farm/src/commands/ScheduleRunCommand.ts @@ -274,4 +274,16 @@ export class ScheduleRunCommand extends $Command .f(void 0, void 0) .ser(se_ScheduleRunCommand) .de(de_ScheduleRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScheduleRunRequest; + output: ScheduleRunResult; + }; + sdk: { + input: ScheduleRunCommandInput; + output: ScheduleRunCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/StopJobCommand.ts b/clients/client-device-farm/src/commands/StopJobCommand.ts index 7cebfb663d39..99db16f5cef0 100644 --- a/clients/client-device-farm/src/commands/StopJobCommand.ts +++ b/clients/client-device-farm/src/commands/StopJobCommand.ts @@ -169,4 +169,16 @@ export class StopJobCommand extends $Command .f(void 0, void 0) .ser(se_StopJobCommand) .de(de_StopJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopJobRequest; + output: StopJobResult; + }; + sdk: { + input: StopJobCommandInput; + output: StopJobCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/StopRemoteAccessSessionCommand.ts b/clients/client-device-farm/src/commands/StopRemoteAccessSessionCommand.ts index 48706418a83c..15079c41a081 100644 --- a/clients/client-device-farm/src/commands/StopRemoteAccessSessionCommand.ts +++ b/clients/client-device-farm/src/commands/StopRemoteAccessSessionCommand.ts @@ -173,4 +173,16 @@ export class StopRemoteAccessSessionCommand extends $Command .f(void 0, void 0) .ser(se_StopRemoteAccessSessionCommand) .de(de_StopRemoteAccessSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopRemoteAccessSessionRequest; + output: StopRemoteAccessSessionResult; + }; + sdk: { + input: StopRemoteAccessSessionCommandInput; + output: StopRemoteAccessSessionCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/StopRunCommand.ts b/clients/client-device-farm/src/commands/StopRunCommand.ts index 0172ff78e1ac..5390cab66884 100644 --- a/clients/client-device-farm/src/commands/StopRunCommand.ts +++ b/clients/client-device-farm/src/commands/StopRunCommand.ts @@ -204,4 +204,16 @@ export class StopRunCommand extends $Command .f(void 0, void 0) .ser(se_StopRunCommand) .de(de_StopRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopRunRequest; + output: StopRunResult; + }; + sdk: { + input: StopRunCommandInput; + output: StopRunCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/TagResourceCommand.ts b/clients/client-device-farm/src/commands/TagResourceCommand.ts index cee78c63f55e..d6cfeb41f37d 100644 --- a/clients/client-device-farm/src/commands/TagResourceCommand.ts +++ b/clients/client-device-farm/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UntagResourceCommand.ts b/clients/client-device-farm/src/commands/UntagResourceCommand.ts index fd96427d216f..460a39ebfb18 100644 --- a/clients/client-device-farm/src/commands/UntagResourceCommand.ts +++ b/clients/client-device-farm/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateDeviceInstanceCommand.ts b/clients/client-device-farm/src/commands/UpdateDeviceInstanceCommand.ts index 4889499d4d8f..6a49f3edbaa4 100644 --- a/clients/client-device-farm/src/commands/UpdateDeviceInstanceCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateDeviceInstanceCommand.ts @@ -111,4 +111,16 @@ export class UpdateDeviceInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeviceInstanceCommand) .de(de_UpdateDeviceInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceInstanceRequest; + output: UpdateDeviceInstanceResult; + }; + sdk: { + input: UpdateDeviceInstanceCommandInput; + output: UpdateDeviceInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateDevicePoolCommand.ts b/clients/client-device-farm/src/commands/UpdateDevicePoolCommand.ts index d0db8f181d9d..48ffad137636 100644 --- a/clients/client-device-farm/src/commands/UpdateDevicePoolCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateDevicePoolCommand.ts @@ -140,4 +140,16 @@ export class UpdateDevicePoolCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDevicePoolCommand) .de(de_UpdateDevicePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDevicePoolRequest; + output: UpdateDevicePoolResult; + }; + sdk: { + input: UpdateDevicePoolCommandInput; + output: UpdateDevicePoolCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateInstanceProfileCommand.ts b/clients/client-device-farm/src/commands/UpdateInstanceProfileCommand.ts index c010989cd914..7cadb8b9ecf0 100644 --- a/clients/client-device-farm/src/commands/UpdateInstanceProfileCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateInstanceProfileCommand.ts @@ -105,4 +105,16 @@ export class UpdateInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInstanceProfileCommand) .de(de_UpdateInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceProfileRequest; + output: UpdateInstanceProfileResult; + }; + sdk: { + input: UpdateInstanceProfileCommandInput; + output: UpdateInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateNetworkProfileCommand.ts b/clients/client-device-farm/src/commands/UpdateNetworkProfileCommand.ts index e731f92b5e5e..97091b360e9b 100644 --- a/clients/client-device-farm/src/commands/UpdateNetworkProfileCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateNetworkProfileCommand.ts @@ -113,4 +113,16 @@ export class UpdateNetworkProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNetworkProfileCommand) .de(de_UpdateNetworkProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNetworkProfileRequest; + output: UpdateNetworkProfileResult; + }; + sdk: { + input: UpdateNetworkProfileCommandInput; + output: UpdateNetworkProfileCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateProjectCommand.ts b/clients/client-device-farm/src/commands/UpdateProjectCommand.ts index 32d39f3f074e..f7467cbd71d0 100644 --- a/clients/client-device-farm/src/commands/UpdateProjectCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateProjectCommand.ts @@ -136,4 +136,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectRequest; + output: UpdateProjectResult; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateTestGridProjectCommand.ts b/clients/client-device-farm/src/commands/UpdateTestGridProjectCommand.ts index 91a29cd43eef..9a974771dcf3 100644 --- a/clients/client-device-farm/src/commands/UpdateTestGridProjectCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateTestGridProjectCommand.ts @@ -115,4 +115,16 @@ export class UpdateTestGridProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTestGridProjectCommand) .de(de_UpdateTestGridProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTestGridProjectRequest; + output: UpdateTestGridProjectResult; + }; + sdk: { + input: UpdateTestGridProjectCommandInput; + output: UpdateTestGridProjectCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateUploadCommand.ts b/clients/client-device-farm/src/commands/UpdateUploadCommand.ts index b8227b8ce858..2b86ded4c38b 100644 --- a/clients/client-device-farm/src/commands/UpdateUploadCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateUploadCommand.ts @@ -103,4 +103,16 @@ export class UpdateUploadCommand extends $Command .f(void 0, UpdateUploadResultFilterSensitiveLog) .ser(se_UpdateUploadCommand) .de(de_UpdateUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUploadRequest; + output: UpdateUploadResult; + }; + sdk: { + input: UpdateUploadCommandInput; + output: UpdateUploadCommandOutput; + }; + }; +} diff --git a/clients/client-device-farm/src/commands/UpdateVPCEConfigurationCommand.ts b/clients/client-device-farm/src/commands/UpdateVPCEConfigurationCommand.ts index 0cd2ccad954d..be0443c2ea1b 100644 --- a/clients/client-device-farm/src/commands/UpdateVPCEConfigurationCommand.ts +++ b/clients/client-device-farm/src/commands/UpdateVPCEConfigurationCommand.ts @@ -100,4 +100,16 @@ export class UpdateVPCEConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVPCEConfigurationCommand) .de(de_UpdateVPCEConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVPCEConfigurationRequest; + output: UpdateVPCEConfigurationResult; + }; + sdk: { + input: UpdateVPCEConfigurationCommandInput; + output: UpdateVPCEConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/package.json b/clients/client-devops-guru/package.json index 06f3a69f5f11..7aa0054ceec5 100644 --- a/clients/client-devops-guru/package.json +++ b/clients/client-devops-guru/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-devops-guru/src/commands/AddNotificationChannelCommand.ts b/clients/client-devops-guru/src/commands/AddNotificationChannelCommand.ts index 1d8f8831a2ef..ef114d67c752 100644 --- a/clients/client-devops-guru/src/commands/AddNotificationChannelCommand.ts +++ b/clients/client-devops-guru/src/commands/AddNotificationChannelCommand.ts @@ -122,4 +122,16 @@ export class AddNotificationChannelCommand extends $Command .f(void 0, void 0) .ser(se_AddNotificationChannelCommand) .de(de_AddNotificationChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddNotificationChannelRequest; + output: AddNotificationChannelResponse; + }; + sdk: { + input: AddNotificationChannelCommandInput; + output: AddNotificationChannelCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DeleteInsightCommand.ts b/clients/client-devops-guru/src/commands/DeleteInsightCommand.ts index d0bbb462f037..087364d95d8f 100644 --- a/clients/client-devops-guru/src/commands/DeleteInsightCommand.ts +++ b/clients/client-devops-guru/src/commands/DeleteInsightCommand.ts @@ -97,4 +97,16 @@ export class DeleteInsightCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInsightCommand) .de(de_DeleteInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInsightRequest; + output: {}; + }; + sdk: { + input: DeleteInsightCommandInput; + output: DeleteInsightCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeAccountHealthCommand.ts b/clients/client-devops-guru/src/commands/DescribeAccountHealthCommand.ts index 085a9006f9c7..a8846562fbdd 100644 --- a/clients/client-devops-guru/src/commands/DescribeAccountHealthCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeAccountHealthCommand.ts @@ -97,4 +97,16 @@ export class DescribeAccountHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountHealthCommand) .de(de_DescribeAccountHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountHealthResponse; + }; + sdk: { + input: DescribeAccountHealthCommandInput; + output: DescribeAccountHealthCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeAccountOverviewCommand.ts b/clients/client-devops-guru/src/commands/DescribeAccountOverviewCommand.ts index 9aff88fac735..ddaecc3c4c70 100644 --- a/clients/client-devops-guru/src/commands/DescribeAccountOverviewCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeAccountOverviewCommand.ts @@ -98,4 +98,16 @@ export class DescribeAccountOverviewCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountOverviewCommand) .de(de_DescribeAccountOverviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountOverviewRequest; + output: DescribeAccountOverviewResponse; + }; + sdk: { + input: DescribeAccountOverviewCommandInput; + output: DescribeAccountOverviewCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeAnomalyCommand.ts b/clients/client-devops-guru/src/commands/DescribeAnomalyCommand.ts index 8d88b8a5cfa4..2be51bae65d5 100644 --- a/clients/client-devops-guru/src/commands/DescribeAnomalyCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeAnomalyCommand.ts @@ -346,4 +346,16 @@ export class DescribeAnomalyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAnomalyCommand) .de(de_DescribeAnomalyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnomalyRequest; + output: DescribeAnomalyResponse; + }; + sdk: { + input: DescribeAnomalyCommandInput; + output: DescribeAnomalyCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeEventSourcesConfigCommand.ts b/clients/client-devops-guru/src/commands/DescribeEventSourcesConfigCommand.ts index 96f83922eba1..ee491823ed34 100644 --- a/clients/client-devops-guru/src/commands/DescribeEventSourcesConfigCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeEventSourcesConfigCommand.ts @@ -98,4 +98,16 @@ export class DescribeEventSourcesConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSourcesConfigCommand) .de(de_DescribeEventSourcesConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeEventSourcesConfigResponse; + }; + sdk: { + input: DescribeEventSourcesConfigCommandInput; + output: DescribeEventSourcesConfigCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeFeedbackCommand.ts b/clients/client-devops-guru/src/commands/DescribeFeedbackCommand.ts index 5729c2867899..b2fffbc3a84f 100644 --- a/clients/client-devops-guru/src/commands/DescribeFeedbackCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeFeedbackCommand.ts @@ -100,4 +100,16 @@ export class DescribeFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFeedbackCommand) .de(de_DescribeFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFeedbackRequest; + output: DescribeFeedbackResponse; + }; + sdk: { + input: DescribeFeedbackCommandInput; + output: DescribeFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeInsightCommand.ts b/clients/client-devops-guru/src/commands/DescribeInsightCommand.ts index 0573628530cb..c083ac4d9cc1 100644 --- a/clients/client-devops-guru/src/commands/DescribeInsightCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeInsightCommand.ts @@ -154,4 +154,16 @@ export class DescribeInsightCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInsightCommand) .de(de_DescribeInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInsightRequest; + output: DescribeInsightResponse; + }; + sdk: { + input: DescribeInsightCommandInput; + output: DescribeInsightCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeOrganizationHealthCommand.ts b/clients/client-devops-guru/src/commands/DescribeOrganizationHealthCommand.ts index f543647b892b..e1239bd385e7 100644 --- a/clients/client-devops-guru/src/commands/DescribeOrganizationHealthCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeOrganizationHealthCommand.ts @@ -102,4 +102,16 @@ export class DescribeOrganizationHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationHealthCommand) .de(de_DescribeOrganizationHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationHealthRequest; + output: DescribeOrganizationHealthResponse; + }; + sdk: { + input: DescribeOrganizationHealthCommandInput; + output: DescribeOrganizationHealthCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeOrganizationOverviewCommand.ts b/clients/client-devops-guru/src/commands/DescribeOrganizationOverviewCommand.ts index e988d403b2ef..bef04c0d49ee 100644 --- a/clients/client-devops-guru/src/commands/DescribeOrganizationOverviewCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeOrganizationOverviewCommand.ts @@ -107,4 +107,16 @@ export class DescribeOrganizationOverviewCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationOverviewCommand) .de(de_DescribeOrganizationOverviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationOverviewRequest; + output: DescribeOrganizationOverviewResponse; + }; + sdk: { + input: DescribeOrganizationOverviewCommandInput; + output: DescribeOrganizationOverviewCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeOrganizationResourceCollectionHealthCommand.ts b/clients/client-devops-guru/src/commands/DescribeOrganizationResourceCollectionHealthCommand.ts index 7a927c0312a9..0dfa4f9e5998 100644 --- a/clients/client-devops-guru/src/commands/DescribeOrganizationResourceCollectionHealthCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeOrganizationResourceCollectionHealthCommand.ts @@ -154,4 +154,16 @@ export class DescribeOrganizationResourceCollectionHealthCommand extends $Comman .f(void 0, void 0) .ser(se_DescribeOrganizationResourceCollectionHealthCommand) .de(de_DescribeOrganizationResourceCollectionHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationResourceCollectionHealthRequest; + output: DescribeOrganizationResourceCollectionHealthResponse; + }; + sdk: { + input: DescribeOrganizationResourceCollectionHealthCommandInput; + output: DescribeOrganizationResourceCollectionHealthCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeResourceCollectionHealthCommand.ts b/clients/client-devops-guru/src/commands/DescribeResourceCollectionHealthCommand.ts index fc809ab1568a..b8fe4f99e58a 100644 --- a/clients/client-devops-guru/src/commands/DescribeResourceCollectionHealthCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeResourceCollectionHealthCommand.ts @@ -136,4 +136,16 @@ export class DescribeResourceCollectionHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourceCollectionHealthCommand) .de(de_DescribeResourceCollectionHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourceCollectionHealthRequest; + output: DescribeResourceCollectionHealthResponse; + }; + sdk: { + input: DescribeResourceCollectionHealthCommandInput; + output: DescribeResourceCollectionHealthCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/DescribeServiceIntegrationCommand.ts b/clients/client-devops-guru/src/commands/DescribeServiceIntegrationCommand.ts index 7e2d23637378..cd61461fb82b 100644 --- a/clients/client-devops-guru/src/commands/DescribeServiceIntegrationCommand.ts +++ b/clients/client-devops-guru/src/commands/DescribeServiceIntegrationCommand.ts @@ -108,4 +108,16 @@ export class DescribeServiceIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServiceIntegrationCommand) .de(de_DescribeServiceIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeServiceIntegrationResponse; + }; + sdk: { + input: DescribeServiceIntegrationCommandInput; + output: DescribeServiceIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/GetCostEstimationCommand.ts b/clients/client-devops-guru/src/commands/GetCostEstimationCommand.ts index 9da0346f159f..13ae1aa28aba 100644 --- a/clients/client-devops-guru/src/commands/GetCostEstimationCommand.ts +++ b/clients/client-devops-guru/src/commands/GetCostEstimationCommand.ts @@ -130,4 +130,16 @@ export class GetCostEstimationCommand extends $Command .f(void 0, void 0) .ser(se_GetCostEstimationCommand) .de(de_GetCostEstimationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCostEstimationRequest; + output: GetCostEstimationResponse; + }; + sdk: { + input: GetCostEstimationCommandInput; + output: GetCostEstimationCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/GetResourceCollectionCommand.ts b/clients/client-devops-guru/src/commands/GetResourceCollectionCommand.ts index 8668f31c1f3c..7809bf109ee6 100644 --- a/clients/client-devops-guru/src/commands/GetResourceCollectionCommand.ts +++ b/clients/client-devops-guru/src/commands/GetResourceCollectionCommand.ts @@ -115,4 +115,16 @@ export class GetResourceCollectionCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceCollectionCommand) .de(de_GetResourceCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceCollectionRequest; + output: GetResourceCollectionResponse; + }; + sdk: { + input: GetResourceCollectionCommandInput; + output: GetResourceCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListAnomaliesForInsightCommand.ts b/clients/client-devops-guru/src/commands/ListAnomaliesForInsightCommand.ts index 59869f9b38e5..ba15b951e587 100644 --- a/clients/client-devops-guru/src/commands/ListAnomaliesForInsightCommand.ts +++ b/clients/client-devops-guru/src/commands/ListAnomaliesForInsightCommand.ts @@ -365,4 +365,16 @@ export class ListAnomaliesForInsightCommand extends $Command .f(void 0, void 0) .ser(se_ListAnomaliesForInsightCommand) .de(de_ListAnomaliesForInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnomaliesForInsightRequest; + output: ListAnomaliesForInsightResponse; + }; + sdk: { + input: ListAnomaliesForInsightCommandInput; + output: ListAnomaliesForInsightCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListAnomalousLogGroupsCommand.ts b/clients/client-devops-guru/src/commands/ListAnomalousLogGroupsCommand.ts index 778e77368dc4..2be3fb8b5a63 100644 --- a/clients/client-devops-guru/src/commands/ListAnomalousLogGroupsCommand.ts +++ b/clients/client-devops-guru/src/commands/ListAnomalousLogGroupsCommand.ts @@ -124,4 +124,16 @@ export class ListAnomalousLogGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListAnomalousLogGroupsCommand) .de(de_ListAnomalousLogGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnomalousLogGroupsRequest; + output: ListAnomalousLogGroupsResponse; + }; + sdk: { + input: ListAnomalousLogGroupsCommandInput; + output: ListAnomalousLogGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListEventsCommand.ts b/clients/client-devops-guru/src/commands/ListEventsCommand.ts index 06b21bfce9f7..b238b6eb367c 100644 --- a/clients/client-devops-guru/src/commands/ListEventsCommand.ts +++ b/clients/client-devops-guru/src/commands/ListEventsCommand.ts @@ -156,4 +156,16 @@ export class ListEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventsCommand) .de(de_ListEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventsRequest; + output: ListEventsResponse; + }; + sdk: { + input: ListEventsCommandInput; + output: ListEventsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListInsightsCommand.ts b/clients/client-devops-guru/src/commands/ListInsightsCommand.ts index b10e9d978110..7432a1b3a593 100644 --- a/clients/client-devops-guru/src/commands/ListInsightsCommand.ts +++ b/clients/client-devops-guru/src/commands/ListInsightsCommand.ts @@ -189,4 +189,16 @@ export class ListInsightsCommand extends $Command .f(void 0, void 0) .ser(se_ListInsightsCommand) .de(de_ListInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInsightsRequest; + output: ListInsightsResponse; + }; + sdk: { + input: ListInsightsCommandInput; + output: ListInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListMonitoredResourcesCommand.ts b/clients/client-devops-guru/src/commands/ListMonitoredResourcesCommand.ts index d6ef95276017..a6c8a6f3bee8 100644 --- a/clients/client-devops-guru/src/commands/ListMonitoredResourcesCommand.ts +++ b/clients/client-devops-guru/src/commands/ListMonitoredResourcesCommand.ts @@ -122,4 +122,16 @@ export class ListMonitoredResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitoredResourcesCommand) .de(de_ListMonitoredResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitoredResourcesRequest; + output: ListMonitoredResourcesResponse; + }; + sdk: { + input: ListMonitoredResourcesCommandInput; + output: ListMonitoredResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListNotificationChannelsCommand.ts b/clients/client-devops-guru/src/commands/ListNotificationChannelsCommand.ts index 3119f44dbe03..789b252c8ce9 100644 --- a/clients/client-devops-guru/src/commands/ListNotificationChannelsCommand.ts +++ b/clients/client-devops-guru/src/commands/ListNotificationChannelsCommand.ts @@ -114,4 +114,16 @@ export class ListNotificationChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListNotificationChannelsCommand) .de(de_ListNotificationChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotificationChannelsRequest; + output: ListNotificationChannelsResponse; + }; + sdk: { + input: ListNotificationChannelsCommandInput; + output: ListNotificationChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListOrganizationInsightsCommand.ts b/clients/client-devops-guru/src/commands/ListOrganizationInsightsCommand.ts index 46d1ba242dbb..bd7f467d167a 100644 --- a/clients/client-devops-guru/src/commands/ListOrganizationInsightsCommand.ts +++ b/clients/client-devops-guru/src/commands/ListOrganizationInsightsCommand.ts @@ -191,4 +191,16 @@ export class ListOrganizationInsightsCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationInsightsCommand) .de(de_ListOrganizationInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationInsightsRequest; + output: ListOrganizationInsightsResponse; + }; + sdk: { + input: ListOrganizationInsightsCommandInput; + output: ListOrganizationInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/ListRecommendationsCommand.ts b/clients/client-devops-guru/src/commands/ListRecommendationsCommand.ts index 0d77d876faa2..04962d9521b1 100644 --- a/clients/client-devops-guru/src/commands/ListRecommendationsCommand.ts +++ b/clients/client-devops-guru/src/commands/ListRecommendationsCommand.ts @@ -141,4 +141,16 @@ export class ListRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationsCommand) .de(de_ListRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationsRequest; + output: ListRecommendationsResponse; + }; + sdk: { + input: ListRecommendationsCommandInput; + output: ListRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/PutFeedbackCommand.ts b/clients/client-devops-guru/src/commands/PutFeedbackCommand.ts index 7d5b602b09e0..13f248627613 100644 --- a/clients/client-devops-guru/src/commands/PutFeedbackCommand.ts +++ b/clients/client-devops-guru/src/commands/PutFeedbackCommand.ts @@ -100,4 +100,16 @@ export class PutFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_PutFeedbackCommand) .de(de_PutFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFeedbackRequest; + output: {}; + }; + sdk: { + input: PutFeedbackCommandInput; + output: PutFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/RemoveNotificationChannelCommand.ts b/clients/client-devops-guru/src/commands/RemoveNotificationChannelCommand.ts index 16247accf7b2..fc1d8b2a1a63 100644 --- a/clients/client-devops-guru/src/commands/RemoveNotificationChannelCommand.ts +++ b/clients/client-devops-guru/src/commands/RemoveNotificationChannelCommand.ts @@ -99,4 +99,16 @@ export class RemoveNotificationChannelCommand extends $Command .f(void 0, void 0) .ser(se_RemoveNotificationChannelCommand) .de(de_RemoveNotificationChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveNotificationChannelRequest; + output: {}; + }; + sdk: { + input: RemoveNotificationChannelCommandInput; + output: RemoveNotificationChannelCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/SearchInsightsCommand.ts b/clients/client-devops-guru/src/commands/SearchInsightsCommand.ts index 0ef0a7bf9ba0..7532dcbfbb89 100644 --- a/clients/client-devops-guru/src/commands/SearchInsightsCommand.ts +++ b/clients/client-devops-guru/src/commands/SearchInsightsCommand.ts @@ -207,4 +207,16 @@ export class SearchInsightsCommand extends $Command .f(void 0, void 0) .ser(se_SearchInsightsCommand) .de(de_SearchInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchInsightsRequest; + output: SearchInsightsResponse; + }; + sdk: { + input: SearchInsightsCommandInput; + output: SearchInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/SearchOrganizationInsightsCommand.ts b/clients/client-devops-guru/src/commands/SearchOrganizationInsightsCommand.ts index 5ebbdd986d4a..d3a2f8ec2a59 100644 --- a/clients/client-devops-guru/src/commands/SearchOrganizationInsightsCommand.ts +++ b/clients/client-devops-guru/src/commands/SearchOrganizationInsightsCommand.ts @@ -211,4 +211,16 @@ export class SearchOrganizationInsightsCommand extends $Command .f(void 0, void 0) .ser(se_SearchOrganizationInsightsCommand) .de(de_SearchOrganizationInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchOrganizationInsightsRequest; + output: SearchOrganizationInsightsResponse; + }; + sdk: { + input: SearchOrganizationInsightsCommandInput; + output: SearchOrganizationInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/StartCostEstimationCommand.ts b/clients/client-devops-guru/src/commands/StartCostEstimationCommand.ts index 8893047ddd06..f4e7946e8681 100644 --- a/clients/client-devops-guru/src/commands/StartCostEstimationCommand.ts +++ b/clients/client-devops-guru/src/commands/StartCostEstimationCommand.ts @@ -113,4 +113,16 @@ export class StartCostEstimationCommand extends $Command .f(void 0, void 0) .ser(se_StartCostEstimationCommand) .de(de_StartCostEstimationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCostEstimationRequest; + output: {}; + }; + sdk: { + input: StartCostEstimationCommandInput; + output: StartCostEstimationCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/UpdateEventSourcesConfigCommand.ts b/clients/client-devops-guru/src/commands/UpdateEventSourcesConfigCommand.ts index d78b44da00c9..c266ead6d909 100644 --- a/clients/client-devops-guru/src/commands/UpdateEventSourcesConfigCommand.ts +++ b/clients/client-devops-guru/src/commands/UpdateEventSourcesConfigCommand.ts @@ -97,4 +97,16 @@ export class UpdateEventSourcesConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventSourcesConfigCommand) .de(de_UpdateEventSourcesConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventSourcesConfigRequest; + output: {}; + }; + sdk: { + input: UpdateEventSourcesConfigCommandInput; + output: UpdateEventSourcesConfigCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/UpdateResourceCollectionCommand.ts b/clients/client-devops-guru/src/commands/UpdateResourceCollectionCommand.ts index 7736f27a0d64..e717d9aa17cd 100644 --- a/clients/client-devops-guru/src/commands/UpdateResourceCollectionCommand.ts +++ b/clients/client-devops-guru/src/commands/UpdateResourceCollectionCommand.ts @@ -113,4 +113,16 @@ export class UpdateResourceCollectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceCollectionCommand) .de(de_UpdateResourceCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceCollectionRequest; + output: {}; + }; + sdk: { + input: UpdateResourceCollectionCommandInput; + output: UpdateResourceCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-devops-guru/src/commands/UpdateServiceIntegrationCommand.ts b/clients/client-devops-guru/src/commands/UpdateServiceIntegrationCommand.ts index 220fbeca5229..6efc930d713e 100644 --- a/clients/client-devops-guru/src/commands/UpdateServiceIntegrationCommand.ts +++ b/clients/client-devops-guru/src/commands/UpdateServiceIntegrationCommand.ts @@ -108,4 +108,16 @@ export class UpdateServiceIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceIntegrationCommand) .de(de_UpdateServiceIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceIntegrationRequest; + output: {}; + }; + sdk: { + input: UpdateServiceIntegrationCommandInput; + output: UpdateServiceIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/package.json b/clients/client-direct-connect/package.json index 8ff3c99dbf1d..e695c857080c 100644 --- a/clients/client-direct-connect/package.json +++ b/clients/client-direct-connect/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-direct-connect/src/commands/AcceptDirectConnectGatewayAssociationProposalCommand.ts b/clients/client-direct-connect/src/commands/AcceptDirectConnectGatewayAssociationProposalCommand.ts index 9aa6a9a8a7a1..33cc5a87612f 100644 --- a/clients/client-direct-connect/src/commands/AcceptDirectConnectGatewayAssociationProposalCommand.ts +++ b/clients/client-direct-connect/src/commands/AcceptDirectConnectGatewayAssociationProposalCommand.ts @@ -119,4 +119,16 @@ export class AcceptDirectConnectGatewayAssociationProposalCommand extends $Comma .f(void 0, void 0) .ser(se_AcceptDirectConnectGatewayAssociationProposalCommand) .de(de_AcceptDirectConnectGatewayAssociationProposalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptDirectConnectGatewayAssociationProposalRequest; + output: AcceptDirectConnectGatewayAssociationProposalResult; + }; + sdk: { + input: AcceptDirectConnectGatewayAssociationProposalCommandInput; + output: AcceptDirectConnectGatewayAssociationProposalCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AllocateConnectionOnInterconnectCommand.ts b/clients/client-direct-connect/src/commands/AllocateConnectionOnInterconnectCommand.ts index 3b0f53fea074..cae43fef535f 100644 --- a/clients/client-direct-connect/src/commands/AllocateConnectionOnInterconnectCommand.ts +++ b/clients/client-direct-connect/src/commands/AllocateConnectionOnInterconnectCommand.ts @@ -132,4 +132,16 @@ export class AllocateConnectionOnInterconnectCommand extends $Command .f(void 0, void 0) .ser(se_AllocateConnectionOnInterconnectCommand) .de(de_AllocateConnectionOnInterconnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocateConnectionOnInterconnectRequest; + output: Connection; + }; + sdk: { + input: AllocateConnectionOnInterconnectCommandInput; + output: AllocateConnectionOnInterconnectCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AllocateHostedConnectionCommand.ts b/clients/client-direct-connect/src/commands/AllocateHostedConnectionCommand.ts index 8cca9ee1ebee..130412f6a8f8 100644 --- a/clients/client-direct-connect/src/commands/AllocateHostedConnectionCommand.ts +++ b/clients/client-direct-connect/src/commands/AllocateHostedConnectionCommand.ts @@ -137,4 +137,16 @@ export class AllocateHostedConnectionCommand extends $Command .f(void 0, void 0) .ser(se_AllocateHostedConnectionCommand) .de(de_AllocateHostedConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocateHostedConnectionRequest; + output: Connection; + }; + sdk: { + input: AllocateHostedConnectionCommandInput; + output: AllocateHostedConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AllocatePrivateVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/AllocatePrivateVirtualInterfaceCommand.ts index 8c1fe06cdb34..6611eaa685a8 100644 --- a/clients/client-direct-connect/src/commands/AllocatePrivateVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/AllocatePrivateVirtualInterfaceCommand.ts @@ -158,4 +158,16 @@ export class AllocatePrivateVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_AllocatePrivateVirtualInterfaceCommand) .de(de_AllocatePrivateVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocatePrivateVirtualInterfaceRequest; + output: VirtualInterface; + }; + sdk: { + input: AllocatePrivateVirtualInterfaceCommandInput; + output: AllocatePrivateVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AllocatePublicVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/AllocatePublicVirtualInterfaceCommand.ts index 92d58b699de1..f242c9abd725 100644 --- a/clients/client-direct-connect/src/commands/AllocatePublicVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/AllocatePublicVirtualInterfaceCommand.ts @@ -165,4 +165,16 @@ export class AllocatePublicVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_AllocatePublicVirtualInterfaceCommand) .de(de_AllocatePublicVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocatePublicVirtualInterfaceRequest; + output: VirtualInterface; + }; + sdk: { + input: AllocatePublicVirtualInterfaceCommandInput; + output: AllocatePublicVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AllocateTransitVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/AllocateTransitVirtualInterfaceCommand.ts index b1c940957552..69cc3d19623e 100644 --- a/clients/client-direct-connect/src/commands/AllocateTransitVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/AllocateTransitVirtualInterfaceCommand.ts @@ -162,4 +162,16 @@ export class AllocateTransitVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_AllocateTransitVirtualInterfaceCommand) .de(de_AllocateTransitVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocateTransitVirtualInterfaceRequest; + output: AllocateTransitVirtualInterfaceResult; + }; + sdk: { + input: AllocateTransitVirtualInterfaceCommandInput; + output: AllocateTransitVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AssociateConnectionWithLagCommand.ts b/clients/client-direct-connect/src/commands/AssociateConnectionWithLagCommand.ts index 4be96d35b10e..e51aed84f240 100644 --- a/clients/client-direct-connect/src/commands/AssociateConnectionWithLagCommand.ts +++ b/clients/client-direct-connect/src/commands/AssociateConnectionWithLagCommand.ts @@ -130,4 +130,16 @@ export class AssociateConnectionWithLagCommand extends $Command .f(void 0, void 0) .ser(se_AssociateConnectionWithLagCommand) .de(de_AssociateConnectionWithLagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateConnectionWithLagRequest; + output: Connection; + }; + sdk: { + input: AssociateConnectionWithLagCommandInput; + output: AssociateConnectionWithLagCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AssociateHostedConnectionCommand.ts b/clients/client-direct-connect/src/commands/AssociateHostedConnectionCommand.ts index 54e02e612b1b..6b834b141d4d 100644 --- a/clients/client-direct-connect/src/commands/AssociateHostedConnectionCommand.ts +++ b/clients/client-direct-connect/src/commands/AssociateHostedConnectionCommand.ts @@ -124,4 +124,16 @@ export class AssociateHostedConnectionCommand extends $Command .f(void 0, void 0) .ser(se_AssociateHostedConnectionCommand) .de(de_AssociateHostedConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateHostedConnectionRequest; + output: Connection; + }; + sdk: { + input: AssociateHostedConnectionCommandInput; + output: AssociateHostedConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AssociateMacSecKeyCommand.ts b/clients/client-direct-connect/src/commands/AssociateMacSecKeyCommand.ts index 2f8e67518f08..7f8f492263f9 100644 --- a/clients/client-direct-connect/src/commands/AssociateMacSecKeyCommand.ts +++ b/clients/client-direct-connect/src/commands/AssociateMacSecKeyCommand.ts @@ -96,4 +96,16 @@ export class AssociateMacSecKeyCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMacSecKeyCommand) .de(de_AssociateMacSecKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMacSecKeyRequest; + output: AssociateMacSecKeyResponse; + }; + sdk: { + input: AssociateMacSecKeyCommandInput; + output: AssociateMacSecKeyCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/AssociateVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/AssociateVirtualInterfaceCommand.ts index b362267b4a39..6bda07377aa4 100644 --- a/clients/client-direct-connect/src/commands/AssociateVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/AssociateVirtualInterfaceCommand.ts @@ -140,4 +140,16 @@ export class AssociateVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateVirtualInterfaceCommand) .de(de_AssociateVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateVirtualInterfaceRequest; + output: VirtualInterface; + }; + sdk: { + input: AssociateVirtualInterfaceCommandInput; + output: AssociateVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/ConfirmConnectionCommand.ts b/clients/client-direct-connect/src/commands/ConfirmConnectionCommand.ts index 5e792faca75e..1e0491df23b8 100644 --- a/clients/client-direct-connect/src/commands/ConfirmConnectionCommand.ts +++ b/clients/client-direct-connect/src/commands/ConfirmConnectionCommand.ts @@ -85,4 +85,16 @@ export class ConfirmConnectionCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmConnectionCommand) .de(de_ConfirmConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmConnectionRequest; + output: ConfirmConnectionResponse; + }; + sdk: { + input: ConfirmConnectionCommandInput; + output: ConfirmConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/ConfirmCustomerAgreementCommand.ts b/clients/client-direct-connect/src/commands/ConfirmCustomerAgreementCommand.ts index 6174ce2ef480..9c9f8a4cbbdc 100644 --- a/clients/client-direct-connect/src/commands/ConfirmCustomerAgreementCommand.ts +++ b/clients/client-direct-connect/src/commands/ConfirmCustomerAgreementCommand.ts @@ -85,4 +85,16 @@ export class ConfirmCustomerAgreementCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmCustomerAgreementCommand) .de(de_ConfirmCustomerAgreementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmCustomerAgreementRequest; + output: ConfirmCustomerAgreementResponse; + }; + sdk: { + input: ConfirmCustomerAgreementCommandInput; + output: ConfirmCustomerAgreementCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/ConfirmPrivateVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/ConfirmPrivateVirtualInterfaceCommand.ts index 3e5914e44ec4..e4fca3ccece9 100644 --- a/clients/client-direct-connect/src/commands/ConfirmPrivateVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/ConfirmPrivateVirtualInterfaceCommand.ts @@ -93,4 +93,16 @@ export class ConfirmPrivateVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmPrivateVirtualInterfaceCommand) .de(de_ConfirmPrivateVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmPrivateVirtualInterfaceRequest; + output: ConfirmPrivateVirtualInterfaceResponse; + }; + sdk: { + input: ConfirmPrivateVirtualInterfaceCommandInput; + output: ConfirmPrivateVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/ConfirmPublicVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/ConfirmPublicVirtualInterfaceCommand.ts index e0128d9e2f90..e7a8446076a4 100644 --- a/clients/client-direct-connect/src/commands/ConfirmPublicVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/ConfirmPublicVirtualInterfaceCommand.ts @@ -90,4 +90,16 @@ export class ConfirmPublicVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmPublicVirtualInterfaceCommand) .de(de_ConfirmPublicVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmPublicVirtualInterfaceRequest; + output: ConfirmPublicVirtualInterfaceResponse; + }; + sdk: { + input: ConfirmPublicVirtualInterfaceCommandInput; + output: ConfirmPublicVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/ConfirmTransitVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/ConfirmTransitVirtualInterfaceCommand.ts index dff70b681224..17e7f48f5960 100644 --- a/clients/client-direct-connect/src/commands/ConfirmTransitVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/ConfirmTransitVirtualInterfaceCommand.ts @@ -90,4 +90,16 @@ export class ConfirmTransitVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmTransitVirtualInterfaceCommand) .de(de_ConfirmTransitVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmTransitVirtualInterfaceRequest; + output: ConfirmTransitVirtualInterfaceResponse; + }; + sdk: { + input: ConfirmTransitVirtualInterfaceCommandInput; + output: ConfirmTransitVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateBGPPeerCommand.ts b/clients/client-direct-connect/src/commands/CreateBGPPeerCommand.ts index 2ee4c282f3bc..e270959dea63 100644 --- a/clients/client-direct-connect/src/commands/CreateBGPPeerCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateBGPPeerCommand.ts @@ -154,4 +154,16 @@ export class CreateBGPPeerCommand extends $Command .f(void 0, void 0) .ser(se_CreateBGPPeerCommand) .de(de_CreateBGPPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBGPPeerRequest; + output: CreateBGPPeerResponse; + }; + sdk: { + input: CreateBGPPeerCommandInput; + output: CreateBGPPeerCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateConnectionCommand.ts b/clients/client-direct-connect/src/commands/CreateConnectionCommand.ts index f2cc32080e81..c1ed4ce12d61 100644 --- a/clients/client-direct-connect/src/commands/CreateConnectionCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateConnectionCommand.ts @@ -140,4 +140,16 @@ export class CreateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionRequest; + output: Connection; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationCommand.ts b/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationCommand.ts index d86be1bbf0cf..7407cb9680b4 100644 --- a/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationCommand.ts @@ -120,4 +120,16 @@ export class CreateDirectConnectGatewayAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDirectConnectGatewayAssociationCommand) .de(de_CreateDirectConnectGatewayAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDirectConnectGatewayAssociationRequest; + output: CreateDirectConnectGatewayAssociationResult; + }; + sdk: { + input: CreateDirectConnectGatewayAssociationCommandInput; + output: CreateDirectConnectGatewayAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationProposalCommand.ts b/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationProposalCommand.ts index 5b38c0cbd298..1fdb27ae37b9 100644 --- a/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationProposalCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayAssociationProposalCommand.ts @@ -126,4 +126,16 @@ export class CreateDirectConnectGatewayAssociationProposalCommand extends $Comma .f(void 0, void 0) .ser(se_CreateDirectConnectGatewayAssociationProposalCommand) .de(de_CreateDirectConnectGatewayAssociationProposalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDirectConnectGatewayAssociationProposalRequest; + output: CreateDirectConnectGatewayAssociationProposalResult; + }; + sdk: { + input: CreateDirectConnectGatewayAssociationProposalCommandInput; + output: CreateDirectConnectGatewayAssociationProposalCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayCommand.ts b/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayCommand.ts index a1948d7005cd..0aca6c314eb1 100644 --- a/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateDirectConnectGatewayCommand.ts @@ -96,4 +96,16 @@ export class CreateDirectConnectGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateDirectConnectGatewayCommand) .de(de_CreateDirectConnectGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDirectConnectGatewayRequest; + output: CreateDirectConnectGatewayResult; + }; + sdk: { + input: CreateDirectConnectGatewayCommandInput; + output: CreateDirectConnectGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateInterconnectCommand.ts b/clients/client-direct-connect/src/commands/CreateInterconnectCommand.ts index b6dacef9c4c4..bba6f4af9a4c 100644 --- a/clients/client-direct-connect/src/commands/CreateInterconnectCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateInterconnectCommand.ts @@ -133,4 +133,16 @@ export class CreateInterconnectCommand extends $Command .f(void 0, void 0) .ser(se_CreateInterconnectCommand) .de(de_CreateInterconnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInterconnectRequest; + output: Interconnect; + }; + sdk: { + input: CreateInterconnectCommandInput; + output: CreateInterconnectCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateLagCommand.ts b/clients/client-direct-connect/src/commands/CreateLagCommand.ts index b7f441d8dd23..2ac82c92be3a 100644 --- a/clients/client-direct-connect/src/commands/CreateLagCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateLagCommand.ts @@ -194,4 +194,16 @@ export class CreateLagCommand extends $Command .f(void 0, void 0) .ser(se_CreateLagCommand) .de(de_CreateLagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLagRequest; + output: Lag; + }; + sdk: { + input: CreateLagCommandInput; + output: CreateLagCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreatePrivateVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/CreatePrivateVirtualInterfaceCommand.ts index 1ba33fb03ddf..8a91f45965ec 100644 --- a/clients/client-direct-connect/src/commands/CreatePrivateVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/CreatePrivateVirtualInterfaceCommand.ts @@ -168,4 +168,16 @@ export class CreatePrivateVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_CreatePrivateVirtualInterfaceCommand) .de(de_CreatePrivateVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePrivateVirtualInterfaceRequest; + output: VirtualInterface; + }; + sdk: { + input: CreatePrivateVirtualInterfaceCommandInput; + output: CreatePrivateVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreatePublicVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/CreatePublicVirtualInterfaceCommand.ts index e6bcf8493be3..21d58b3483e3 100644 --- a/clients/client-direct-connect/src/commands/CreatePublicVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/CreatePublicVirtualInterfaceCommand.ts @@ -162,4 +162,16 @@ export class CreatePublicVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_CreatePublicVirtualInterfaceCommand) .de(de_CreatePublicVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePublicVirtualInterfaceRequest; + output: VirtualInterface; + }; + sdk: { + input: CreatePublicVirtualInterfaceCommandInput; + output: CreatePublicVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/CreateTransitVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/CreateTransitVirtualInterfaceCommand.ts index 1de52f66bade..4a24406195f7 100644 --- a/clients/client-direct-connect/src/commands/CreateTransitVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/CreateTransitVirtualInterfaceCommand.ts @@ -170,4 +170,16 @@ export class CreateTransitVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitVirtualInterfaceCommand) .de(de_CreateTransitVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitVirtualInterfaceRequest; + output: CreateTransitVirtualInterfaceResult; + }; + sdk: { + input: CreateTransitVirtualInterfaceCommandInput; + output: CreateTransitVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteBGPPeerCommand.ts b/clients/client-direct-connect/src/commands/DeleteBGPPeerCommand.ts index 02954dbbb674..e1ff968dc987 100644 --- a/clients/client-direct-connect/src/commands/DeleteBGPPeerCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteBGPPeerCommand.ts @@ -136,4 +136,16 @@ export class DeleteBGPPeerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBGPPeerCommand) .de(de_DeleteBGPPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBGPPeerRequest; + output: DeleteBGPPeerResponse; + }; + sdk: { + input: DeleteBGPPeerCommandInput; + output: DeleteBGPPeerCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteConnectionCommand.ts b/clients/client-direct-connect/src/commands/DeleteConnectionCommand.ts index d94ee2e9910e..5382bb849aa3 100644 --- a/clients/client-direct-connect/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteConnectionCommand.ts @@ -119,4 +119,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRequest; + output: Connection; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationCommand.ts b/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationCommand.ts index 352305f7e460..8b8676b882b4 100644 --- a/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationCommand.ts @@ -115,4 +115,16 @@ export class DeleteDirectConnectGatewayAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDirectConnectGatewayAssociationCommand) .de(de_DeleteDirectConnectGatewayAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDirectConnectGatewayAssociationRequest; + output: DeleteDirectConnectGatewayAssociationResult; + }; + sdk: { + input: DeleteDirectConnectGatewayAssociationCommandInput; + output: DeleteDirectConnectGatewayAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationProposalCommand.ts b/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationProposalCommand.ts index 2ba3ee959777..e23758ac96a2 100644 --- a/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationProposalCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayAssociationProposalCommand.ts @@ -113,4 +113,16 @@ export class DeleteDirectConnectGatewayAssociationProposalCommand extends $Comma .f(void 0, void 0) .ser(se_DeleteDirectConnectGatewayAssociationProposalCommand) .de(de_DeleteDirectConnectGatewayAssociationProposalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDirectConnectGatewayAssociationProposalRequest; + output: DeleteDirectConnectGatewayAssociationProposalResult; + }; + sdk: { + input: DeleteDirectConnectGatewayAssociationProposalCommandInput; + output: DeleteDirectConnectGatewayAssociationProposalCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayCommand.ts b/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayCommand.ts index cd89604753ca..de0f6f9530cd 100644 --- a/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteDirectConnectGatewayCommand.ts @@ -92,4 +92,16 @@ export class DeleteDirectConnectGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDirectConnectGatewayCommand) .de(de_DeleteDirectConnectGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDirectConnectGatewayRequest; + output: DeleteDirectConnectGatewayResult; + }; + sdk: { + input: DeleteDirectConnectGatewayCommandInput; + output: DeleteDirectConnectGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteInterconnectCommand.ts b/clients/client-direct-connect/src/commands/DeleteInterconnectCommand.ts index 01bfaf0eaacd..be3c30fb15e6 100644 --- a/clients/client-direct-connect/src/commands/DeleteInterconnectCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteInterconnectCommand.ts @@ -87,4 +87,16 @@ export class DeleteInterconnectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInterconnectCommand) .de(de_DeleteInterconnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInterconnectRequest; + output: DeleteInterconnectResponse; + }; + sdk: { + input: DeleteInterconnectCommandInput; + output: DeleteInterconnectCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteLagCommand.ts b/clients/client-direct-connect/src/commands/DeleteLagCommand.ts index 7344a833a067..87840a3d82d9 100644 --- a/clients/client-direct-connect/src/commands/DeleteLagCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteLagCommand.ts @@ -153,4 +153,16 @@ export class DeleteLagCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLagCommand) .de(de_DeleteLagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLagRequest; + output: Lag; + }; + sdk: { + input: DeleteLagCommandInput; + output: DeleteLagCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DeleteVirtualInterfaceCommand.ts b/clients/client-direct-connect/src/commands/DeleteVirtualInterfaceCommand.ts index ee595b6dff4d..a5e145f1ace8 100644 --- a/clients/client-direct-connect/src/commands/DeleteVirtualInterfaceCommand.ts +++ b/clients/client-direct-connect/src/commands/DeleteVirtualInterfaceCommand.ts @@ -83,4 +83,16 @@ export class DeleteVirtualInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVirtualInterfaceCommand) .de(de_DeleteVirtualInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVirtualInterfaceRequest; + output: DeleteVirtualInterfaceResponse; + }; + sdk: { + input: DeleteVirtualInterfaceCommandInput; + output: DeleteVirtualInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeConnectionLoaCommand.ts b/clients/client-direct-connect/src/commands/DescribeConnectionLoaCommand.ts index e9012875eb91..f28f68371384 100644 --- a/clients/client-direct-connect/src/commands/DescribeConnectionLoaCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeConnectionLoaCommand.ts @@ -97,4 +97,16 @@ export class DescribeConnectionLoaCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectionLoaCommand) .de(de_DescribeConnectionLoaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionLoaRequest; + output: DescribeConnectionLoaResponse; + }; + sdk: { + input: DescribeConnectionLoaCommandInput; + output: DescribeConnectionLoaCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeConnectionsCommand.ts b/clients/client-direct-connect/src/commands/DescribeConnectionsCommand.ts index 5f5f0c7d8557..0ef94292d700 100644 --- a/clients/client-direct-connect/src/commands/DescribeConnectionsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeConnectionsCommand.ts @@ -120,4 +120,16 @@ export class DescribeConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectionsCommand) .de(de_DescribeConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionsRequest; + output: Connections; + }; + sdk: { + input: DescribeConnectionsCommandInput; + output: DescribeConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeConnectionsOnInterconnectCommand.ts b/clients/client-direct-connect/src/commands/DescribeConnectionsOnInterconnectCommand.ts index bb8dc4aa1b51..ea7e39748e07 100644 --- a/clients/client-direct-connect/src/commands/DescribeConnectionsOnInterconnectCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeConnectionsOnInterconnectCommand.ts @@ -131,4 +131,16 @@ export class DescribeConnectionsOnInterconnectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectionsOnInterconnectCommand) .de(de_DescribeConnectionsOnInterconnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionsOnInterconnectRequest; + output: Connections; + }; + sdk: { + input: DescribeConnectionsOnInterconnectCommandInput; + output: DescribeConnectionsOnInterconnectCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeCustomerMetadataCommand.ts b/clients/client-direct-connect/src/commands/DescribeCustomerMetadataCommand.ts index d144f4799f4d..a8de17fceb59 100644 --- a/clients/client-direct-connect/src/commands/DescribeCustomerMetadataCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeCustomerMetadataCommand.ts @@ -87,4 +87,16 @@ export class DescribeCustomerMetadataCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomerMetadataCommand) .de(de_DescribeCustomerMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeCustomerMetadataResponse; + }; + sdk: { + input: DescribeCustomerMetadataCommandInput; + output: DescribeCustomerMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationProposalsCommand.ts b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationProposalsCommand.ts index ded33f857114..5bff2096ef42 100644 --- a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationProposalsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationProposalsCommand.ts @@ -120,4 +120,16 @@ export class DescribeDirectConnectGatewayAssociationProposalsCommand extends $Co .f(void 0, void 0) .ser(se_DescribeDirectConnectGatewayAssociationProposalsCommand) .de(de_DescribeDirectConnectGatewayAssociationProposalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDirectConnectGatewayAssociationProposalsRequest; + output: DescribeDirectConnectGatewayAssociationProposalsResult; + }; + sdk: { + input: DescribeDirectConnectGatewayAssociationProposalsCommandInput; + output: DescribeDirectConnectGatewayAssociationProposalsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationsCommand.ts b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationsCommand.ts index 5f67201e9b54..9829acc06da2 100644 --- a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAssociationsCommand.ts @@ -142,4 +142,16 @@ export class DescribeDirectConnectGatewayAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDirectConnectGatewayAssociationsCommand) .de(de_DescribeDirectConnectGatewayAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDirectConnectGatewayAssociationsRequest; + output: DescribeDirectConnectGatewayAssociationsResult; + }; + sdk: { + input: DescribeDirectConnectGatewayAssociationsCommandInput; + output: DescribeDirectConnectGatewayAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAttachmentsCommand.ts b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAttachmentsCommand.ts index fb83dec8c3ba..807f7f7d4ac4 100644 --- a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAttachmentsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewayAttachmentsCommand.ts @@ -110,4 +110,16 @@ export class DescribeDirectConnectGatewayAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDirectConnectGatewayAttachmentsCommand) .de(de_DescribeDirectConnectGatewayAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDirectConnectGatewayAttachmentsRequest; + output: DescribeDirectConnectGatewayAttachmentsResult; + }; + sdk: { + input: DescribeDirectConnectGatewayAttachmentsCommandInput; + output: DescribeDirectConnectGatewayAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewaysCommand.ts b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewaysCommand.ts index 2e7fc90b2e04..71e83c3b6d46 100644 --- a/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewaysCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeDirectConnectGatewaysCommand.ts @@ -100,4 +100,16 @@ export class DescribeDirectConnectGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDirectConnectGatewaysCommand) .de(de_DescribeDirectConnectGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDirectConnectGatewaysRequest; + output: DescribeDirectConnectGatewaysResult; + }; + sdk: { + input: DescribeDirectConnectGatewaysCommandInput; + output: DescribeDirectConnectGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeHostedConnectionsCommand.ts b/clients/client-direct-connect/src/commands/DescribeHostedConnectionsCommand.ts index 56d21ed1f18d..e01b0e5e5455 100644 --- a/clients/client-direct-connect/src/commands/DescribeHostedConnectionsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeHostedConnectionsCommand.ts @@ -124,4 +124,16 @@ export class DescribeHostedConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHostedConnectionsCommand) .de(de_DescribeHostedConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHostedConnectionsRequest; + output: Connections; + }; + sdk: { + input: DescribeHostedConnectionsCommandInput; + output: DescribeHostedConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeInterconnectLoaCommand.ts b/clients/client-direct-connect/src/commands/DescribeInterconnectLoaCommand.ts index 7ae071866e23..0c491dfe5746 100644 --- a/clients/client-direct-connect/src/commands/DescribeInterconnectLoaCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeInterconnectLoaCommand.ts @@ -96,4 +96,16 @@ export class DescribeInterconnectLoaCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInterconnectLoaCommand) .de(de_DescribeInterconnectLoaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInterconnectLoaRequest; + output: DescribeInterconnectLoaResponse; + }; + sdk: { + input: DescribeInterconnectLoaCommandInput; + output: DescribeInterconnectLoaCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeInterconnectsCommand.ts b/clients/client-direct-connect/src/commands/DescribeInterconnectsCommand.ts index cb5709a95c3a..a4f8e092f82a 100644 --- a/clients/client-direct-connect/src/commands/DescribeInterconnectsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeInterconnectsCommand.ts @@ -106,4 +106,16 @@ export class DescribeInterconnectsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInterconnectsCommand) .de(de_DescribeInterconnectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInterconnectsRequest; + output: Interconnects; + }; + sdk: { + input: DescribeInterconnectsCommandInput; + output: DescribeInterconnectsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeLagsCommand.ts b/clients/client-direct-connect/src/commands/DescribeLagsCommand.ts index 8a93f0486b6c..2f9284f2f583 100644 --- a/clients/client-direct-connect/src/commands/DescribeLagsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeLagsCommand.ts @@ -156,4 +156,16 @@ export class DescribeLagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLagsCommand) .de(de_DescribeLagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLagsRequest; + output: Lags; + }; + sdk: { + input: DescribeLagsCommandInput; + output: DescribeLagsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeLoaCommand.ts b/clients/client-direct-connect/src/commands/DescribeLoaCommand.ts index ed479a12c33b..94a3c0ee57c6 100644 --- a/clients/client-direct-connect/src/commands/DescribeLoaCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeLoaCommand.ts @@ -89,4 +89,16 @@ export class DescribeLoaCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoaCommand) .de(de_DescribeLoaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoaRequest; + output: Loa; + }; + sdk: { + input: DescribeLoaCommandInput; + output: DescribeLoaCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeLocationsCommand.ts b/clients/client-direct-connect/src/commands/DescribeLocationsCommand.ts index a474171d7f6c..4e95382eadf5 100644 --- a/clients/client-direct-connect/src/commands/DescribeLocationsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeLocationsCommand.ts @@ -97,4 +97,16 @@ export class DescribeLocationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocationsCommand) .de(de_DescribeLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: Locations; + }; + sdk: { + input: DescribeLocationsCommandInput; + output: DescribeLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeRouterConfigurationCommand.ts b/clients/client-direct-connect/src/commands/DescribeRouterConfigurationCommand.ts index 363e729fb218..8882d581f8f7 100644 --- a/clients/client-direct-connect/src/commands/DescribeRouterConfigurationCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeRouterConfigurationCommand.ts @@ -98,4 +98,16 @@ export class DescribeRouterConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRouterConfigurationCommand) .de(de_DescribeRouterConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRouterConfigurationRequest; + output: DescribeRouterConfigurationResponse; + }; + sdk: { + input: DescribeRouterConfigurationCommandInput; + output: DescribeRouterConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeTagsCommand.ts b/clients/client-direct-connect/src/commands/DescribeTagsCommand.ts index 967101b6ab03..0d9e31801a17 100644 --- a/clients/client-direct-connect/src/commands/DescribeTagsCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeTagsCommand.ts @@ -95,4 +95,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsRequest; + output: DescribeTagsResponse; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeVirtualGatewaysCommand.ts b/clients/client-direct-connect/src/commands/DescribeVirtualGatewaysCommand.ts index ad026fda8523..169b27d04a24 100644 --- a/clients/client-direct-connect/src/commands/DescribeVirtualGatewaysCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeVirtualGatewaysCommand.ts @@ -90,4 +90,16 @@ export class DescribeVirtualGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVirtualGatewaysCommand) .de(de_DescribeVirtualGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: VirtualGateways; + }; + sdk: { + input: DescribeVirtualGatewaysCommandInput; + output: DescribeVirtualGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DescribeVirtualInterfacesCommand.ts b/clients/client-direct-connect/src/commands/DescribeVirtualInterfacesCommand.ts index de3f8483962a..3ad401ad20dc 100644 --- a/clients/client-direct-connect/src/commands/DescribeVirtualInterfacesCommand.ts +++ b/clients/client-direct-connect/src/commands/DescribeVirtualInterfacesCommand.ts @@ -139,4 +139,16 @@ export class DescribeVirtualInterfacesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVirtualInterfacesCommand) .de(de_DescribeVirtualInterfacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVirtualInterfacesRequest; + output: VirtualInterfaces; + }; + sdk: { + input: DescribeVirtualInterfacesCommandInput; + output: DescribeVirtualInterfacesCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DisassociateConnectionFromLagCommand.ts b/clients/client-direct-connect/src/commands/DisassociateConnectionFromLagCommand.ts index 7db7cede3bb1..4a5aba4fcacb 100644 --- a/clients/client-direct-connect/src/commands/DisassociateConnectionFromLagCommand.ts +++ b/clients/client-direct-connect/src/commands/DisassociateConnectionFromLagCommand.ts @@ -129,4 +129,16 @@ export class DisassociateConnectionFromLagCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateConnectionFromLagCommand) .de(de_DisassociateConnectionFromLagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateConnectionFromLagRequest; + output: Connection; + }; + sdk: { + input: DisassociateConnectionFromLagCommandInput; + output: DisassociateConnectionFromLagCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/DisassociateMacSecKeyCommand.ts b/clients/client-direct-connect/src/commands/DisassociateMacSecKeyCommand.ts index 5a5273a6f52e..58a426d992cc 100644 --- a/clients/client-direct-connect/src/commands/DisassociateMacSecKeyCommand.ts +++ b/clients/client-direct-connect/src/commands/DisassociateMacSecKeyCommand.ts @@ -92,4 +92,16 @@ export class DisassociateMacSecKeyCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMacSecKeyCommand) .de(de_DisassociateMacSecKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMacSecKeyRequest; + output: DisassociateMacSecKeyResponse; + }; + sdk: { + input: DisassociateMacSecKeyCommandInput; + output: DisassociateMacSecKeyCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/ListVirtualInterfaceTestHistoryCommand.ts b/clients/client-direct-connect/src/commands/ListVirtualInterfaceTestHistoryCommand.ts index 2df032258782..3f8a15a53294 100644 --- a/clients/client-direct-connect/src/commands/ListVirtualInterfaceTestHistoryCommand.ts +++ b/clients/client-direct-connect/src/commands/ListVirtualInterfaceTestHistoryCommand.ts @@ -109,4 +109,16 @@ export class ListVirtualInterfaceTestHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListVirtualInterfaceTestHistoryCommand) .de(de_ListVirtualInterfaceTestHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualInterfaceTestHistoryRequest; + output: ListVirtualInterfaceTestHistoryResponse; + }; + sdk: { + input: ListVirtualInterfaceTestHistoryCommandInput; + output: ListVirtualInterfaceTestHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/StartBgpFailoverTestCommand.ts b/clients/client-direct-connect/src/commands/StartBgpFailoverTestCommand.ts index 1322e70e8c83..a7c9a57320da 100644 --- a/clients/client-direct-connect/src/commands/StartBgpFailoverTestCommand.ts +++ b/clients/client-direct-connect/src/commands/StartBgpFailoverTestCommand.ts @@ -101,4 +101,16 @@ export class StartBgpFailoverTestCommand extends $Command .f(void 0, void 0) .ser(se_StartBgpFailoverTestCommand) .de(de_StartBgpFailoverTestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBgpFailoverTestRequest; + output: StartBgpFailoverTestResponse; + }; + sdk: { + input: StartBgpFailoverTestCommandInput; + output: StartBgpFailoverTestCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/StopBgpFailoverTestCommand.ts b/clients/client-direct-connect/src/commands/StopBgpFailoverTestCommand.ts index bbdffdc323bc..6d80dc7f938c 100644 --- a/clients/client-direct-connect/src/commands/StopBgpFailoverTestCommand.ts +++ b/clients/client-direct-connect/src/commands/StopBgpFailoverTestCommand.ts @@ -94,4 +94,16 @@ export class StopBgpFailoverTestCommand extends $Command .f(void 0, void 0) .ser(se_StopBgpFailoverTestCommand) .de(de_StopBgpFailoverTestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopBgpFailoverTestRequest; + output: StopBgpFailoverTestResponse; + }; + sdk: { + input: StopBgpFailoverTestCommandInput; + output: StopBgpFailoverTestCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/TagResourceCommand.ts b/clients/client-direct-connect/src/commands/TagResourceCommand.ts index 13872f01b2e8..49ef643d5062 100644 --- a/clients/client-direct-connect/src/commands/TagResourceCommand.ts +++ b/clients/client-direct-connect/src/commands/TagResourceCommand.ts @@ -94,4 +94,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/UntagResourceCommand.ts b/clients/client-direct-connect/src/commands/UntagResourceCommand.ts index 645241721b40..2f53c992a58f 100644 --- a/clients/client-direct-connect/src/commands/UntagResourceCommand.ts +++ b/clients/client-direct-connect/src/commands/UntagResourceCommand.ts @@ -84,4 +84,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/UpdateConnectionCommand.ts b/clients/client-direct-connect/src/commands/UpdateConnectionCommand.ts index ee7693e152df..2c97fddff373 100644 --- a/clients/client-direct-connect/src/commands/UpdateConnectionCommand.ts +++ b/clients/client-direct-connect/src/commands/UpdateConnectionCommand.ts @@ -127,4 +127,16 @@ export class UpdateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectionCommand) .de(de_UpdateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectionRequest; + output: Connection; + }; + sdk: { + input: UpdateConnectionCommandInput; + output: UpdateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayAssociationCommand.ts b/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayAssociationCommand.ts index 8c854d28ccbd..a1e3cf5b2d35 100644 --- a/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayAssociationCommand.ts +++ b/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayAssociationCommand.ts @@ -123,4 +123,16 @@ export class UpdateDirectConnectGatewayAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDirectConnectGatewayAssociationCommand) .de(de_UpdateDirectConnectGatewayAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDirectConnectGatewayAssociationRequest; + output: UpdateDirectConnectGatewayAssociationResult; + }; + sdk: { + input: UpdateDirectConnectGatewayAssociationCommandInput; + output: UpdateDirectConnectGatewayAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayCommand.ts b/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayCommand.ts index ce3d13846f33..5e728e10d3c1 100644 --- a/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayCommand.ts +++ b/clients/client-direct-connect/src/commands/UpdateDirectConnectGatewayCommand.ts @@ -91,4 +91,16 @@ export class UpdateDirectConnectGatewayCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDirectConnectGatewayCommand) .de(de_UpdateDirectConnectGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDirectConnectGatewayRequest; + output: UpdateDirectConnectGatewayResponse; + }; + sdk: { + input: UpdateDirectConnectGatewayCommandInput; + output: UpdateDirectConnectGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/UpdateLagCommand.ts b/clients/client-direct-connect/src/commands/UpdateLagCommand.ts index 2d5cdf99473a..4301d950512d 100644 --- a/clients/client-direct-connect/src/commands/UpdateLagCommand.ts +++ b/clients/client-direct-connect/src/commands/UpdateLagCommand.ts @@ -177,4 +177,16 @@ export class UpdateLagCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLagCommand) .de(de_UpdateLagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLagRequest; + output: Lag; + }; + sdk: { + input: UpdateLagCommandInput; + output: UpdateLagCommandOutput; + }; + }; +} diff --git a/clients/client-direct-connect/src/commands/UpdateVirtualInterfaceAttributesCommand.ts b/clients/client-direct-connect/src/commands/UpdateVirtualInterfaceAttributesCommand.ts index 068f48108992..1f6e5a4b5e47 100644 --- a/clients/client-direct-connect/src/commands/UpdateVirtualInterfaceAttributesCommand.ts +++ b/clients/client-direct-connect/src/commands/UpdateVirtualInterfaceAttributesCommand.ts @@ -142,4 +142,16 @@ export class UpdateVirtualInterfaceAttributesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVirtualInterfaceAttributesCommand) .de(de_UpdateVirtualInterfaceAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVirtualInterfaceAttributesRequest; + output: VirtualInterface; + }; + sdk: { + input: UpdateVirtualInterfaceAttributesCommandInput; + output: UpdateVirtualInterfaceAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/package.json b/clients/client-directory-service/package.json index 45a9a8e9beee..d0f077a47264 100644 --- a/clients/client-directory-service/package.json +++ b/clients/client-directory-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-directory-service/src/commands/AcceptSharedDirectoryCommand.ts b/clients/client-directory-service/src/commands/AcceptSharedDirectoryCommand.ts index 0bcae93b7594..71ffe066f74f 100644 --- a/clients/client-directory-service/src/commands/AcceptSharedDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/AcceptSharedDirectoryCommand.ts @@ -106,4 +106,16 @@ export class AcceptSharedDirectoryCommand extends $Command .f(void 0, AcceptSharedDirectoryResultFilterSensitiveLog) .ser(se_AcceptSharedDirectoryCommand) .de(de_AcceptSharedDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptSharedDirectoryRequest; + output: AcceptSharedDirectoryResult; + }; + sdk: { + input: AcceptSharedDirectoryCommandInput; + output: AcceptSharedDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts b/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts index 12c58d4a3a68..e8032fe20e92 100644 --- a/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts +++ b/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts @@ -111,4 +111,16 @@ export class AddIpRoutesCommand extends $Command .f(void 0, void 0) .ser(se_AddIpRoutesCommand) .de(de_AddIpRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddIpRoutesRequest; + output: {}; + }; + sdk: { + input: AddIpRoutesCommandInput; + output: AddIpRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/AddRegionCommand.ts b/clients/client-directory-service/src/commands/AddRegionCommand.ts index dec3462c8c24..5dd73de1bace 100644 --- a/clients/client-directory-service/src/commands/AddRegionCommand.ts +++ b/clients/client-directory-service/src/commands/AddRegionCommand.ts @@ -114,4 +114,16 @@ export class AddRegionCommand extends $Command .f(void 0, void 0) .ser(se_AddRegionCommand) .de(de_AddRegionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddRegionRequest; + output: {}; + }; + sdk: { + input: AddRegionCommandInput; + output: AddRegionCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/AddTagsToResourceCommand.ts b/clients/client-directory-service/src/commands/AddTagsToResourceCommand.ts index 4d38e6afb917..1cf30c16a34d 100644 --- a/clients/client-directory-service/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-directory-service/src/commands/AddTagsToResourceCommand.ts @@ -98,4 +98,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceRequest; + output: {}; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CancelSchemaExtensionCommand.ts b/clients/client-directory-service/src/commands/CancelSchemaExtensionCommand.ts index f8b3e4cf80b6..50057a75a5b5 100644 --- a/clients/client-directory-service/src/commands/CancelSchemaExtensionCommand.ts +++ b/clients/client-directory-service/src/commands/CancelSchemaExtensionCommand.ts @@ -89,4 +89,16 @@ export class CancelSchemaExtensionCommand extends $Command .f(void 0, void 0) .ser(se_CancelSchemaExtensionCommand) .de(de_CancelSchemaExtensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSchemaExtensionRequest; + output: {}; + }; + sdk: { + input: CancelSchemaExtensionCommandInput; + output: CancelSchemaExtensionCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ConnectDirectoryCommand.ts b/clients/client-directory-service/src/commands/ConnectDirectoryCommand.ts index 83ad991a78c0..1002893e8280 100644 --- a/clients/client-directory-service/src/commands/ConnectDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/ConnectDirectoryCommand.ts @@ -119,4 +119,16 @@ export class ConnectDirectoryCommand extends $Command .f(ConnectDirectoryRequestFilterSensitiveLog, void 0) .ser(se_ConnectDirectoryCommand) .de(de_ConnectDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConnectDirectoryRequest; + output: ConnectDirectoryResult; + }; + sdk: { + input: ConnectDirectoryCommandInput; + output: ConnectDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateAliasCommand.ts b/clients/client-directory-service/src/commands/CreateAliasCommand.ts index a23ddf0a2c8d..787914160cbd 100644 --- a/clients/client-directory-service/src/commands/CreateAliasCommand.ts +++ b/clients/client-directory-service/src/commands/CreateAliasCommand.ts @@ -99,4 +99,16 @@ export class CreateAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAliasCommand) .de(de_CreateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAliasRequest; + output: CreateAliasResult; + }; + sdk: { + input: CreateAliasCommandInput; + output: CreateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateComputerCommand.ts b/clients/client-directory-service/src/commands/CreateComputerCommand.ts index 54f75fc0e31f..5d9f6f20e474 100644 --- a/clients/client-directory-service/src/commands/CreateComputerCommand.ts +++ b/clients/client-directory-service/src/commands/CreateComputerCommand.ts @@ -123,4 +123,16 @@ export class CreateComputerCommand extends $Command .f(CreateComputerRequestFilterSensitiveLog, void 0) .ser(se_CreateComputerCommand) .de(de_CreateComputerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComputerRequest; + output: CreateComputerResult; + }; + sdk: { + input: CreateComputerCommandInput; + output: CreateComputerCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts b/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts index f06329c8de66..bbb107624b7e 100644 --- a/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts +++ b/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts @@ -102,4 +102,16 @@ export class CreateConditionalForwarderCommand extends $Command .f(void 0, void 0) .ser(se_CreateConditionalForwarderCommand) .de(de_CreateConditionalForwarderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConditionalForwarderRequest; + output: {}; + }; + sdk: { + input: CreateConditionalForwarderCommandInput; + output: CreateConditionalForwarderCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateDirectoryCommand.ts b/clients/client-directory-service/src/commands/CreateDirectoryCommand.ts index 9fae21e168f5..d8371764ec6b 100644 --- a/clients/client-directory-service/src/commands/CreateDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/CreateDirectoryCommand.ts @@ -116,4 +116,16 @@ export class CreateDirectoryCommand extends $Command .f(CreateDirectoryRequestFilterSensitiveLog, void 0) .ser(se_CreateDirectoryCommand) .de(de_CreateDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDirectoryRequest; + output: CreateDirectoryResult; + }; + sdk: { + input: CreateDirectoryCommandInput; + output: CreateDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateLogSubscriptionCommand.ts b/clients/client-directory-service/src/commands/CreateLogSubscriptionCommand.ts index cde964177704..fa16cc5fed33 100644 --- a/clients/client-directory-service/src/commands/CreateLogSubscriptionCommand.ts +++ b/clients/client-directory-service/src/commands/CreateLogSubscriptionCommand.ts @@ -95,4 +95,16 @@ export class CreateLogSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateLogSubscriptionCommand) .de(de_CreateLogSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLogSubscriptionRequest; + output: {}; + }; + sdk: { + input: CreateLogSubscriptionCommandInput; + output: CreateLogSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateMicrosoftADCommand.ts b/clients/client-directory-service/src/commands/CreateMicrosoftADCommand.ts index e2bd395450c5..c76d32732dcf 100644 --- a/clients/client-directory-service/src/commands/CreateMicrosoftADCommand.ts +++ b/clients/client-directory-service/src/commands/CreateMicrosoftADCommand.ts @@ -117,4 +117,16 @@ export class CreateMicrosoftADCommand extends $Command .f(CreateMicrosoftADRequestFilterSensitiveLog, void 0) .ser(se_CreateMicrosoftADCommand) .de(de_CreateMicrosoftADCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMicrosoftADRequest; + output: CreateMicrosoftADResult; + }; + sdk: { + input: CreateMicrosoftADCommandInput; + output: CreateMicrosoftADCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateSnapshotCommand.ts b/clients/client-directory-service/src/commands/CreateSnapshotCommand.ts index ff67f17f415a..00e7d6752532 100644 --- a/clients/client-directory-service/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-directory-service/src/commands/CreateSnapshotCommand.ts @@ -98,4 +98,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotRequest; + output: CreateSnapshotResult; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/CreateTrustCommand.ts b/clients/client-directory-service/src/commands/CreateTrustCommand.ts index bdd7e77885ee..53048b4ea111 100644 --- a/clients/client-directory-service/src/commands/CreateTrustCommand.ts +++ b/clients/client-directory-service/src/commands/CreateTrustCommand.ts @@ -109,4 +109,16 @@ export class CreateTrustCommand extends $Command .f(CreateTrustRequestFilterSensitiveLog, void 0) .ser(se_CreateTrustCommand) .de(de_CreateTrustCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrustRequest; + output: CreateTrustResult; + }; + sdk: { + input: CreateTrustCommandInput; + output: CreateTrustCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts b/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts index 8dee4b34cc26..81a89a86cf4a 100644 --- a/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts +++ b/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts @@ -95,4 +95,16 @@ export class DeleteConditionalForwarderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConditionalForwarderCommand) .de(de_DeleteConditionalForwarderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConditionalForwarderRequest; + output: {}; + }; + sdk: { + input: DeleteConditionalForwarderCommandInput; + output: DeleteConditionalForwarderCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DeleteDirectoryCommand.ts b/clients/client-directory-service/src/commands/DeleteDirectoryCommand.ts index 8cdf137e19f6..c160c5eb6069 100644 --- a/clients/client-directory-service/src/commands/DeleteDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/DeleteDirectoryCommand.ts @@ -90,4 +90,16 @@ export class DeleteDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDirectoryCommand) .de(de_DeleteDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDirectoryRequest; + output: DeleteDirectoryResult; + }; + sdk: { + input: DeleteDirectoryCommandInput; + output: DeleteDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DeleteLogSubscriptionCommand.ts b/clients/client-directory-service/src/commands/DeleteLogSubscriptionCommand.ts index 6a964e34b4bd..f52e2673d3c7 100644 --- a/clients/client-directory-service/src/commands/DeleteLogSubscriptionCommand.ts +++ b/clients/client-directory-service/src/commands/DeleteLogSubscriptionCommand.ts @@ -87,4 +87,16 @@ export class DeleteLogSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLogSubscriptionCommand) .de(de_DeleteLogSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLogSubscriptionRequest; + output: {}; + }; + sdk: { + input: DeleteLogSubscriptionCommandInput; + output: DeleteLogSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DeleteSnapshotCommand.ts b/clients/client-directory-service/src/commands/DeleteSnapshotCommand.ts index 34036b4d39e7..5f69dfc61ca9 100644 --- a/clients/client-directory-service/src/commands/DeleteSnapshotCommand.ts +++ b/clients/client-directory-service/src/commands/DeleteSnapshotCommand.ts @@ -89,4 +89,16 @@ export class DeleteSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCommand) .de(de_DeleteSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotRequest; + output: DeleteSnapshotResult; + }; + sdk: { + input: DeleteSnapshotCommandInput; + output: DeleteSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DeleteTrustCommand.ts b/clients/client-directory-service/src/commands/DeleteTrustCommand.ts index 5f4c65abd637..7f3df4c2e564 100644 --- a/clients/client-directory-service/src/commands/DeleteTrustCommand.ts +++ b/clients/client-directory-service/src/commands/DeleteTrustCommand.ts @@ -94,4 +94,16 @@ export class DeleteTrustCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrustCommand) .de(de_DeleteTrustCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrustRequest; + output: DeleteTrustResult; + }; + sdk: { + input: DeleteTrustCommandInput; + output: DeleteTrustCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts b/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts index 812ecec4f702..b2f36e7f90d1 100644 --- a/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts +++ b/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts @@ -101,4 +101,16 @@ export class DeregisterCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterCertificateCommand) .de(de_DeregisterCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterCertificateRequest; + output: {}; + }; + sdk: { + input: DeregisterCertificateCommandInput; + output: DeregisterCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DeregisterEventTopicCommand.ts b/clients/client-directory-service/src/commands/DeregisterEventTopicCommand.ts index 345bdf52deff..8080cdd69cd1 100644 --- a/clients/client-directory-service/src/commands/DeregisterEventTopicCommand.ts +++ b/clients/client-directory-service/src/commands/DeregisterEventTopicCommand.ts @@ -88,4 +88,16 @@ export class DeregisterEventTopicCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterEventTopicCommand) .de(de_DeregisterEventTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterEventTopicRequest; + output: {}; + }; + sdk: { + input: DeregisterEventTopicCommandInput; + output: DeregisterEventTopicCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeCertificateCommand.ts b/clients/client-directory-service/src/commands/DescribeCertificateCommand.ts index 8fa8c9a5e33a..a78f60747feb 100644 --- a/clients/client-directory-service/src/commands/DescribeCertificateCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeCertificateCommand.ts @@ -107,4 +107,16 @@ export class DescribeCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificateCommand) .de(de_DescribeCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificateRequest; + output: DescribeCertificateResult; + }; + sdk: { + input: DescribeCertificateCommandInput; + output: DescribeCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts b/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts index 18aafb0b6099..7d4a00eb7a41 100644 --- a/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts @@ -114,4 +114,16 @@ export class DescribeClientAuthenticationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientAuthenticationSettingsCommand) .de(de_DescribeClientAuthenticationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientAuthenticationSettingsRequest; + output: DescribeClientAuthenticationSettingsResult; + }; + sdk: { + input: DescribeClientAuthenticationSettingsCommandInput; + output: DescribeClientAuthenticationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts b/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts index dda1a8eeaa33..f8fff32edeb7 100644 --- a/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts @@ -113,4 +113,16 @@ export class DescribeConditionalForwardersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConditionalForwardersCommand) .de(de_DescribeConditionalForwardersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConditionalForwardersRequest; + output: DescribeConditionalForwardersResult; + }; + sdk: { + input: DescribeConditionalForwardersCommandInput; + output: DescribeConditionalForwardersCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts b/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts index e547b30892a9..35dca180f61c 100644 --- a/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts @@ -209,4 +209,16 @@ export class DescribeDirectoriesCommand extends $Command .f(void 0, DescribeDirectoriesResultFilterSensitiveLog) .ser(se_DescribeDirectoriesCommand) .de(de_DescribeDirectoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDirectoriesRequest; + output: DescribeDirectoriesResult; + }; + sdk: { + input: DescribeDirectoriesCommandInput; + output: DescribeDirectoriesCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts b/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts index f6ad0275f3dc..ef5d5545a1fe 100644 --- a/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts @@ -114,4 +114,16 @@ export class DescribeDomainControllersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainControllersCommand) .de(de_DescribeDomainControllersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainControllersRequest; + output: DescribeDomainControllersResult; + }; + sdk: { + input: DescribeDomainControllersCommandInput; + output: DescribeDomainControllersCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeEventTopicsCommand.ts b/clients/client-directory-service/src/commands/DescribeEventTopicsCommand.ts index e38670c17d49..55ba1b14539a 100644 --- a/clients/client-directory-service/src/commands/DescribeEventTopicsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeEventTopicsCommand.ts @@ -103,4 +103,16 @@ export class DescribeEventTopicsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventTopicsCommand) .de(de_DescribeEventTopicsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventTopicsRequest; + output: DescribeEventTopicsResult; + }; + sdk: { + input: DescribeEventTopicsCommandInput; + output: DescribeEventTopicsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeLDAPSSettingsCommand.ts b/clients/client-directory-service/src/commands/DescribeLDAPSSettingsCommand.ts index b342b029a9b5..16595a6f2920 100644 --- a/clients/client-directory-service/src/commands/DescribeLDAPSSettingsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeLDAPSSettingsCommand.ts @@ -105,4 +105,16 @@ export class DescribeLDAPSSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLDAPSSettingsCommand) .de(de_DescribeLDAPSSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLDAPSSettingsRequest; + output: DescribeLDAPSSettingsResult; + }; + sdk: { + input: DescribeLDAPSSettingsCommandInput; + output: DescribeLDAPSSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts b/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts index f7c98997b4ac..c401efce98ad 100644 --- a/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts @@ -119,4 +119,16 @@ export class DescribeRegionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegionsCommand) .de(de_DescribeRegionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegionsRequest; + output: DescribeRegionsResult; + }; + sdk: { + input: DescribeRegionsCommandInput; + output: DescribeRegionsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeSettingsCommand.ts b/clients/client-directory-service/src/commands/DescribeSettingsCommand.ts index 11c8267fc8ef..e0e7b4f3ba9c 100644 --- a/clients/client-directory-service/src/commands/DescribeSettingsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeSettingsCommand.ts @@ -115,4 +115,16 @@ export class DescribeSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSettingsCommand) .de(de_DescribeSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSettingsRequest; + output: DescribeSettingsResult; + }; + sdk: { + input: DescribeSettingsCommandInput; + output: DescribeSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeSharedDirectoriesCommand.ts b/clients/client-directory-service/src/commands/DescribeSharedDirectoriesCommand.ts index 13fff5b2252b..fccbd90c47f0 100644 --- a/clients/client-directory-service/src/commands/DescribeSharedDirectoriesCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeSharedDirectoriesCommand.ts @@ -117,4 +117,16 @@ export class DescribeSharedDirectoriesCommand extends $Command .f(void 0, DescribeSharedDirectoriesResultFilterSensitiveLog) .ser(se_DescribeSharedDirectoriesCommand) .de(de_DescribeSharedDirectoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSharedDirectoriesRequest; + output: DescribeSharedDirectoriesResult; + }; + sdk: { + input: DescribeSharedDirectoriesCommandInput; + output: DescribeSharedDirectoriesCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeSnapshotsCommand.ts b/clients/client-directory-service/src/commands/DescribeSnapshotsCommand.ts index eda788a9efd4..bfc1eadb5919 100644 --- a/clients/client-directory-service/src/commands/DescribeSnapshotsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeSnapshotsCommand.ts @@ -113,4 +113,16 @@ export class DescribeSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotsCommand) .de(de_DescribeSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotsRequest; + output: DescribeSnapshotsResult; + }; + sdk: { + input: DescribeSnapshotsCommandInput; + output: DescribeSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeTrustsCommand.ts b/clients/client-directory-service/src/commands/DescribeTrustsCommand.ts index a866994eab78..dec179a5ae75 100644 --- a/clients/client-directory-service/src/commands/DescribeTrustsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeTrustsCommand.ts @@ -117,4 +117,16 @@ export class DescribeTrustsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustsCommand) .de(de_DescribeTrustsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustsRequest; + output: DescribeTrustsResult; + }; + sdk: { + input: DescribeTrustsCommandInput; + output: DescribeTrustsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts b/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts index 11cddcbf11e4..6a42196fce1a 100644 --- a/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts @@ -120,4 +120,16 @@ export class DescribeUpdateDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUpdateDirectoryCommand) .de(de_DescribeUpdateDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUpdateDirectoryRequest; + output: DescribeUpdateDirectoryResult; + }; + sdk: { + input: DescribeUpdateDirectoryCommandInput; + output: DescribeUpdateDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts b/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts index d39c35c94a9f..b3684c74174b 100644 --- a/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts +++ b/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts @@ -94,4 +94,16 @@ export class DisableClientAuthenticationCommand extends $Command .f(void 0, void 0) .ser(se_DisableClientAuthenticationCommand) .de(de_DisableClientAuthenticationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableClientAuthenticationRequest; + output: {}; + }; + sdk: { + input: DisableClientAuthenticationCommandInput; + output: DisableClientAuthenticationCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts b/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts index b52502acbe9d..43cc2719f88d 100644 --- a/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts +++ b/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts @@ -98,4 +98,16 @@ export class DisableLDAPSCommand extends $Command .f(void 0, void 0) .ser(se_DisableLDAPSCommand) .de(de_DisableLDAPSCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableLDAPSRequest; + output: {}; + }; + sdk: { + input: DisableLDAPSCommandInput; + output: DisableLDAPSCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DisableRadiusCommand.ts b/clients/client-directory-service/src/commands/DisableRadiusCommand.ts index f5cf5171754b..a5b5bc7ddf35 100644 --- a/clients/client-directory-service/src/commands/DisableRadiusCommand.ts +++ b/clients/client-directory-service/src/commands/DisableRadiusCommand.ts @@ -85,4 +85,16 @@ export class DisableRadiusCommand extends $Command .f(void 0, void 0) .ser(se_DisableRadiusCommand) .de(de_DisableRadiusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableRadiusRequest; + output: {}; + }; + sdk: { + input: DisableRadiusCommandInput; + output: DisableRadiusCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DisableSsoCommand.ts b/clients/client-directory-service/src/commands/DisableSsoCommand.ts index 26aa1515f082..e407940723f9 100644 --- a/clients/client-directory-service/src/commands/DisableSsoCommand.ts +++ b/clients/client-directory-service/src/commands/DisableSsoCommand.ts @@ -92,4 +92,16 @@ export class DisableSsoCommand extends $Command .f(DisableSsoRequestFilterSensitiveLog, void 0) .ser(se_DisableSsoCommand) .de(de_DisableSsoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableSsoRequest; + output: {}; + }; + sdk: { + input: DisableSsoCommandInput; + output: DisableSsoCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts b/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts index 3a24d7a51021..0d768544e8f5 100644 --- a/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts +++ b/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts @@ -98,4 +98,16 @@ export class EnableClientAuthenticationCommand extends $Command .f(void 0, void 0) .ser(se_EnableClientAuthenticationCommand) .de(de_EnableClientAuthenticationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableClientAuthenticationRequest; + output: {}; + }; + sdk: { + input: EnableClientAuthenticationCommandInput; + output: EnableClientAuthenticationCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts b/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts index 65e9df02498f..f4946986b2d8 100644 --- a/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts +++ b/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts @@ -102,4 +102,16 @@ export class EnableLDAPSCommand extends $Command .f(void 0, void 0) .ser(se_EnableLDAPSCommand) .de(de_EnableLDAPSCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableLDAPSRequest; + output: {}; + }; + sdk: { + input: EnableLDAPSCommandInput; + output: EnableLDAPSCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/EnableRadiusCommand.ts b/clients/client-directory-service/src/commands/EnableRadiusCommand.ts index 6b8f36f8572c..e49549ef5254 100644 --- a/clients/client-directory-service/src/commands/EnableRadiusCommand.ts +++ b/clients/client-directory-service/src/commands/EnableRadiusCommand.ts @@ -103,4 +103,16 @@ export class EnableRadiusCommand extends $Command .f(EnableRadiusRequestFilterSensitiveLog, void 0) .ser(se_EnableRadiusCommand) .de(de_EnableRadiusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableRadiusRequest; + output: {}; + }; + sdk: { + input: EnableRadiusCommandInput; + output: EnableRadiusCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/EnableSsoCommand.ts b/clients/client-directory-service/src/commands/EnableSsoCommand.ts index dbbd76dbf2c9..cc06c3be1539 100644 --- a/clients/client-directory-service/src/commands/EnableSsoCommand.ts +++ b/clients/client-directory-service/src/commands/EnableSsoCommand.ts @@ -94,4 +94,16 @@ export class EnableSsoCommand extends $Command .f(EnableSsoRequestFilterSensitiveLog, void 0) .ser(se_EnableSsoCommand) .de(de_EnableSsoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableSsoRequest; + output: {}; + }; + sdk: { + input: EnableSsoCommandInput; + output: EnableSsoCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/GetDirectoryLimitsCommand.ts b/clients/client-directory-service/src/commands/GetDirectoryLimitsCommand.ts index b91dd64ac90e..89c71507d1b7 100644 --- a/clients/client-directory-service/src/commands/GetDirectoryLimitsCommand.ts +++ b/clients/client-directory-service/src/commands/GetDirectoryLimitsCommand.ts @@ -94,4 +94,16 @@ export class GetDirectoryLimitsCommand extends $Command .f(void 0, void 0) .ser(se_GetDirectoryLimitsCommand) .de(de_GetDirectoryLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDirectoryLimitsResult; + }; + sdk: { + input: GetDirectoryLimitsCommandInput; + output: GetDirectoryLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/GetSnapshotLimitsCommand.ts b/clients/client-directory-service/src/commands/GetSnapshotLimitsCommand.ts index f29657d53dbb..0abf2c2f5441 100644 --- a/clients/client-directory-service/src/commands/GetSnapshotLimitsCommand.ts +++ b/clients/client-directory-service/src/commands/GetSnapshotLimitsCommand.ts @@ -90,4 +90,16 @@ export class GetSnapshotLimitsCommand extends $Command .f(void 0, void 0) .ser(se_GetSnapshotLimitsCommand) .de(de_GetSnapshotLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSnapshotLimitsRequest; + output: GetSnapshotLimitsResult; + }; + sdk: { + input: GetSnapshotLimitsCommandInput; + output: GetSnapshotLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ListCertificatesCommand.ts b/clients/client-directory-service/src/commands/ListCertificatesCommand.ts index a9223d26bbfc..74a06ebcd379 100644 --- a/clients/client-directory-service/src/commands/ListCertificatesCommand.ts +++ b/clients/client-directory-service/src/commands/ListCertificatesCommand.ts @@ -106,4 +106,16 @@ export class ListCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCertificatesCommand) .de(de_ListCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCertificatesRequest; + output: ListCertificatesResult; + }; + sdk: { + input: ListCertificatesCommandInput; + output: ListCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ListIpRoutesCommand.ts b/clients/client-directory-service/src/commands/ListIpRoutesCommand.ts index 4d948a995a84..00c0faeb51df 100644 --- a/clients/client-directory-service/src/commands/ListIpRoutesCommand.ts +++ b/clients/client-directory-service/src/commands/ListIpRoutesCommand.ts @@ -104,4 +104,16 @@ export class ListIpRoutesCommand extends $Command .f(void 0, void 0) .ser(se_ListIpRoutesCommand) .de(de_ListIpRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIpRoutesRequest; + output: ListIpRoutesResult; + }; + sdk: { + input: ListIpRoutesCommandInput; + output: ListIpRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ListLogSubscriptionsCommand.ts b/clients/client-directory-service/src/commands/ListLogSubscriptionsCommand.ts index 472c14f2b459..e4f1b50ce2a9 100644 --- a/clients/client-directory-service/src/commands/ListLogSubscriptionsCommand.ts +++ b/clients/client-directory-service/src/commands/ListLogSubscriptionsCommand.ts @@ -98,4 +98,16 @@ export class ListLogSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLogSubscriptionsCommand) .de(de_ListLogSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLogSubscriptionsRequest; + output: ListLogSubscriptionsResult; + }; + sdk: { + input: ListLogSubscriptionsCommandInput; + output: ListLogSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ListSchemaExtensionsCommand.ts b/clients/client-directory-service/src/commands/ListSchemaExtensionsCommand.ts index 825155f4f7da..b2a2ca601bf8 100644 --- a/clients/client-directory-service/src/commands/ListSchemaExtensionsCommand.ts +++ b/clients/client-directory-service/src/commands/ListSchemaExtensionsCommand.ts @@ -102,4 +102,16 @@ export class ListSchemaExtensionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemaExtensionsCommand) .de(de_ListSchemaExtensionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemaExtensionsRequest; + output: ListSchemaExtensionsResult; + }; + sdk: { + input: ListSchemaExtensionsCommandInput; + output: ListSchemaExtensionsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ListTagsForResourceCommand.ts b/clients/client-directory-service/src/commands/ListTagsForResourceCommand.ts index 73c9fb4bda64..9a8efc525a65 100644 --- a/clients/client-directory-service/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-directory-service/src/commands/ListTagsForResourceCommand.ts @@ -100,4 +100,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts b/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts index a599f6b21d30..88ad730ca6a3 100644 --- a/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts +++ b/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts @@ -109,4 +109,16 @@ export class RegisterCertificateCommand extends $Command .f(void 0, void 0) .ser(se_RegisterCertificateCommand) .de(de_RegisterCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterCertificateRequest; + output: RegisterCertificateResult; + }; + sdk: { + input: RegisterCertificateCommandInput; + output: RegisterCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/RegisterEventTopicCommand.ts b/clients/client-directory-service/src/commands/RegisterEventTopicCommand.ts index e0d6bae2cb89..0a2abe1d35f9 100644 --- a/clients/client-directory-service/src/commands/RegisterEventTopicCommand.ts +++ b/clients/client-directory-service/src/commands/RegisterEventTopicCommand.ts @@ -92,4 +92,16 @@ export class RegisterEventTopicCommand extends $Command .f(void 0, void 0) .ser(se_RegisterEventTopicCommand) .de(de_RegisterEventTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterEventTopicRequest; + output: {}; + }; + sdk: { + input: RegisterEventTopicCommandInput; + output: RegisterEventTopicCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/RejectSharedDirectoryCommand.ts b/clients/client-directory-service/src/commands/RejectSharedDirectoryCommand.ts index 0bf064b95bc5..73822fc8235d 100644 --- a/clients/client-directory-service/src/commands/RejectSharedDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/RejectSharedDirectoryCommand.ts @@ -92,4 +92,16 @@ export class RejectSharedDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_RejectSharedDirectoryCommand) .de(de_RejectSharedDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectSharedDirectoryRequest; + output: RejectSharedDirectoryResult; + }; + sdk: { + input: RejectSharedDirectoryCommandInput; + output: RejectSharedDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts b/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts index 327fb6d952f7..475d79e8d63d 100644 --- a/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts +++ b/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts @@ -93,4 +93,16 @@ export class RemoveIpRoutesCommand extends $Command .f(void 0, void 0) .ser(se_RemoveIpRoutesCommand) .de(de_RemoveIpRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveIpRoutesRequest; + output: {}; + }; + sdk: { + input: RemoveIpRoutesCommandInput; + output: RemoveIpRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/RemoveRegionCommand.ts b/clients/client-directory-service/src/commands/RemoveRegionCommand.ts index 876b6b476d0a..a43b0c4414b4 100644 --- a/clients/client-directory-service/src/commands/RemoveRegionCommand.ts +++ b/clients/client-directory-service/src/commands/RemoveRegionCommand.ts @@ -95,4 +95,16 @@ export class RemoveRegionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveRegionCommand) .de(de_RemoveRegionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveRegionRequest; + output: {}; + }; + sdk: { + input: RemoveRegionCommandInput; + output: RemoveRegionCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-directory-service/src/commands/RemoveTagsFromResourceCommand.ts index e5b0fd36a1d5..136198a124ca 100644 --- a/clients/client-directory-service/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-directory-service/src/commands/RemoveTagsFromResourceCommand.ts @@ -90,4 +90,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceRequest; + output: {}; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts b/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts index 96bd108b09aa..3100c66e6573 100644 --- a/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts +++ b/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts @@ -120,4 +120,16 @@ export class ResetUserPasswordCommand extends $Command .f(ResetUserPasswordRequestFilterSensitiveLog, void 0) .ser(se_ResetUserPasswordCommand) .de(de_ResetUserPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetUserPasswordRequest; + output: {}; + }; + sdk: { + input: ResetUserPasswordCommandInput; + output: ResetUserPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/RestoreFromSnapshotCommand.ts b/clients/client-directory-service/src/commands/RestoreFromSnapshotCommand.ts index 7d98eb51d966..d19681fe21f2 100644 --- a/clients/client-directory-service/src/commands/RestoreFromSnapshotCommand.ts +++ b/clients/client-directory-service/src/commands/RestoreFromSnapshotCommand.ts @@ -92,4 +92,16 @@ export class RestoreFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreFromSnapshotCommand) .de(de_RestoreFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreFromSnapshotRequest; + output: {}; + }; + sdk: { + input: RestoreFromSnapshotCommandInput; + output: RestoreFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts b/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts index 9a1086e943ab..0d25e41a9981 100644 --- a/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts @@ -130,4 +130,16 @@ export class ShareDirectoryCommand extends $Command .f(ShareDirectoryRequestFilterSensitiveLog, void 0) .ser(se_ShareDirectoryCommand) .de(de_ShareDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ShareDirectoryRequest; + output: ShareDirectoryResult; + }; + sdk: { + input: ShareDirectoryCommandInput; + output: ShareDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts b/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts index 73c807695d8b..3ba3beb5f8cb 100644 --- a/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts +++ b/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts @@ -100,4 +100,16 @@ export class StartSchemaExtensionCommand extends $Command .f(void 0, void 0) .ser(se_StartSchemaExtensionCommand) .de(de_StartSchemaExtensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSchemaExtensionRequest; + output: StartSchemaExtensionResult; + }; + sdk: { + input: StartSchemaExtensionCommandInput; + output: StartSchemaExtensionCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/UnshareDirectoryCommand.ts b/clients/client-directory-service/src/commands/UnshareDirectoryCommand.ts index 641628a46d4c..b17a33759423 100644 --- a/clients/client-directory-service/src/commands/UnshareDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/UnshareDirectoryCommand.ts @@ -96,4 +96,16 @@ export class UnshareDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_UnshareDirectoryCommand) .de(de_UnshareDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnshareDirectoryRequest; + output: UnshareDirectoryResult; + }; + sdk: { + input: UnshareDirectoryCommandInput; + output: UnshareDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts b/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts index 415ed67b0742..689c9e8959ec 100644 --- a/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts @@ -98,4 +98,16 @@ export class UpdateConditionalForwarderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConditionalForwarderCommand) .de(de_UpdateConditionalForwarderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConditionalForwarderRequest; + output: {}; + }; + sdk: { + input: UpdateConditionalForwarderCommandInput; + output: UpdateConditionalForwarderCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts b/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts index 592e14853322..ec210141a0f1 100644 --- a/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts @@ -113,4 +113,16 @@ export class UpdateDirectorySetupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDirectorySetupCommand) .de(de_UpdateDirectorySetupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDirectorySetupRequest; + output: {}; + }; + sdk: { + input: UpdateDirectorySetupCommandInput; + output: UpdateDirectorySetupCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts b/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts index c12640e61e49..cf8369ae4e06 100644 --- a/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts @@ -107,4 +107,16 @@ export class UpdateNumberOfDomainControllersCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNumberOfDomainControllersCommand) .de(de_UpdateNumberOfDomainControllersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNumberOfDomainControllersRequest; + output: {}; + }; + sdk: { + input: UpdateNumberOfDomainControllersCommandInput; + output: UpdateNumberOfDomainControllersCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/UpdateRadiusCommand.ts b/clients/client-directory-service/src/commands/UpdateRadiusCommand.ts index 9e9f2d42b89f..692ad9b1f854 100644 --- a/clients/client-directory-service/src/commands/UpdateRadiusCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateRadiusCommand.ts @@ -100,4 +100,16 @@ export class UpdateRadiusCommand extends $Command .f(UpdateRadiusRequestFilterSensitiveLog, void 0) .ser(se_UpdateRadiusCommand) .de(de_UpdateRadiusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRadiusRequest; + output: {}; + }; + sdk: { + input: UpdateRadiusCommandInput; + output: UpdateRadiusCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts b/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts index 593ade070950..4346b7a75a63 100644 --- a/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts @@ -107,4 +107,16 @@ export class UpdateSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSettingsCommand) .de(de_UpdateSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSettingsRequest; + output: UpdateSettingsResult; + }; + sdk: { + input: UpdateSettingsCommandInput; + output: UpdateSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/UpdateTrustCommand.ts b/clients/client-directory-service/src/commands/UpdateTrustCommand.ts index 9667565cc7ca..dddb37007d8b 100644 --- a/clients/client-directory-service/src/commands/UpdateTrustCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateTrustCommand.ts @@ -92,4 +92,16 @@ export class UpdateTrustCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrustCommand) .de(de_UpdateTrustCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrustRequest; + output: UpdateTrustResult; + }; + sdk: { + input: UpdateTrustCommandInput; + output: UpdateTrustCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/VerifyTrustCommand.ts b/clients/client-directory-service/src/commands/VerifyTrustCommand.ts index d35cc57620e9..c3e1d32df468 100644 --- a/clients/client-directory-service/src/commands/VerifyTrustCommand.ts +++ b/clients/client-directory-service/src/commands/VerifyTrustCommand.ts @@ -95,4 +95,16 @@ export class VerifyTrustCommand extends $Command .f(void 0, void 0) .ser(se_VerifyTrustCommand) .de(de_VerifyTrustCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyTrustRequest; + output: VerifyTrustResult; + }; + sdk: { + input: VerifyTrustCommandInput; + output: VerifyTrustCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/package.json b/clients/client-dlm/package.json index af40464975f6..a8f5e0cab9aa 100644 --- a/clients/client-dlm/package.json +++ b/clients/client-dlm/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-dlm/src/commands/CreateLifecyclePolicyCommand.ts b/clients/client-dlm/src/commands/CreateLifecyclePolicyCommand.ts index 399a6af4675c..bf0b2be23cb4 100644 --- a/clients/client-dlm/src/commands/CreateLifecyclePolicyCommand.ts +++ b/clients/client-dlm/src/commands/CreateLifecyclePolicyCommand.ts @@ -296,4 +296,16 @@ export class CreateLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateLifecyclePolicyCommand) .de(de_CreateLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLifecyclePolicyRequest; + output: CreateLifecyclePolicyResponse; + }; + sdk: { + input: CreateLifecyclePolicyCommandInput; + output: CreateLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/src/commands/DeleteLifecyclePolicyCommand.ts b/clients/client-dlm/src/commands/DeleteLifecyclePolicyCommand.ts index e5b29edbc5eb..9b090db8fbe6 100644 --- a/clients/client-dlm/src/commands/DeleteLifecyclePolicyCommand.ts +++ b/clients/client-dlm/src/commands/DeleteLifecyclePolicyCommand.ts @@ -87,4 +87,16 @@ export class DeleteLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLifecyclePolicyCommand) .de(de_DeleteLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLifecyclePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteLifecyclePolicyCommandInput; + output: DeleteLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/src/commands/GetLifecyclePoliciesCommand.ts b/clients/client-dlm/src/commands/GetLifecyclePoliciesCommand.ts index 007bf7b9ab8e..7d3d5bdc9f30 100644 --- a/clients/client-dlm/src/commands/GetLifecyclePoliciesCommand.ts +++ b/clients/client-dlm/src/commands/GetLifecyclePoliciesCommand.ts @@ -115,4 +115,16 @@ export class GetLifecyclePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetLifecyclePoliciesCommand) .de(de_GetLifecyclePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLifecyclePoliciesRequest; + output: GetLifecyclePoliciesResponse; + }; + sdk: { + input: GetLifecyclePoliciesCommandInput; + output: GetLifecyclePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/src/commands/GetLifecyclePolicyCommand.ts b/clients/client-dlm/src/commands/GetLifecyclePolicyCommand.ts index e9cda726d6d9..debae7aab321 100644 --- a/clients/client-dlm/src/commands/GetLifecyclePolicyCommand.ts +++ b/clients/client-dlm/src/commands/GetLifecyclePolicyCommand.ts @@ -261,4 +261,16 @@ export class GetLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetLifecyclePolicyCommand) .de(de_GetLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLifecyclePolicyRequest; + output: GetLifecyclePolicyResponse; + }; + sdk: { + input: GetLifecyclePolicyCommandInput; + output: GetLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/src/commands/ListTagsForResourceCommand.ts b/clients/client-dlm/src/commands/ListTagsForResourceCommand.ts index a21fdae800c6..f6e189c3f4e2 100644 --- a/clients/client-dlm/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-dlm/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/src/commands/TagResourceCommand.ts b/clients/client-dlm/src/commands/TagResourceCommand.ts index 2781282df781..e966733aa15d 100644 --- a/clients/client-dlm/src/commands/TagResourceCommand.ts +++ b/clients/client-dlm/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/src/commands/UntagResourceCommand.ts b/clients/client-dlm/src/commands/UntagResourceCommand.ts index dba0def2a398..d67044cb7f06 100644 --- a/clients/client-dlm/src/commands/UntagResourceCommand.ts +++ b/clients/client-dlm/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dlm/src/commands/UpdateLifecyclePolicyCommand.ts b/clients/client-dlm/src/commands/UpdateLifecyclePolicyCommand.ts index 2de4e1973baf..f6fc289e3c3a 100644 --- a/clients/client-dlm/src/commands/UpdateLifecyclePolicyCommand.ts +++ b/clients/client-dlm/src/commands/UpdateLifecyclePolicyCommand.ts @@ -273,4 +273,16 @@ export class UpdateLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLifecyclePolicyCommand) .de(de_UpdateLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLifecyclePolicyRequest; + output: {}; + }; + sdk: { + input: UpdateLifecyclePolicyCommandInput; + output: UpdateLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/package.json b/clients/client-docdb-elastic/package.json index 3042cb8914d5..546c1a7f8814 100644 --- a/clients/client-docdb-elastic/package.json +++ b/clients/client-docdb-elastic/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-docdb-elastic/src/commands/CopyClusterSnapshotCommand.ts b/clients/client-docdb-elastic/src/commands/CopyClusterSnapshotCommand.ts index 130d49872ccc..171bde8018c2 100644 --- a/clients/client-docdb-elastic/src/commands/CopyClusterSnapshotCommand.ts +++ b/clients/client-docdb-elastic/src/commands/CopyClusterSnapshotCommand.ts @@ -120,4 +120,16 @@ export class CopyClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopyClusterSnapshotCommand) .de(de_CopyClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyClusterSnapshotInput; + output: CopyClusterSnapshotOutput; + }; + sdk: { + input: CopyClusterSnapshotCommandInput; + output: CopyClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/CreateClusterCommand.ts b/clients/client-docdb-elastic/src/commands/CreateClusterCommand.ts index ab3bbca4c35a..6e2797b621ff 100644 --- a/clients/client-docdb-elastic/src/commands/CreateClusterCommand.ts +++ b/clients/client-docdb-elastic/src/commands/CreateClusterCommand.ts @@ -143,4 +143,16 @@ export class CreateClusterCommand extends $Command .f(CreateClusterInputFilterSensitiveLog, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterInput; + output: CreateClusterOutput; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/CreateClusterSnapshotCommand.ts b/clients/client-docdb-elastic/src/commands/CreateClusterSnapshotCommand.ts index e8a31ab68f1e..70d55346e725 100644 --- a/clients/client-docdb-elastic/src/commands/CreateClusterSnapshotCommand.ts +++ b/clients/client-docdb-elastic/src/commands/CreateClusterSnapshotCommand.ts @@ -118,4 +118,16 @@ export class CreateClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterSnapshotCommand) .de(de_CreateClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterSnapshotInput; + output: CreateClusterSnapshotOutput; + }; + sdk: { + input: CreateClusterSnapshotCommandInput; + output: CreateClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/DeleteClusterCommand.ts b/clients/client-docdb-elastic/src/commands/DeleteClusterCommand.ts index a3dcf34b8322..800fcf0e2aed 100644 --- a/clients/client-docdb-elastic/src/commands/DeleteClusterCommand.ts +++ b/clients/client-docdb-elastic/src/commands/DeleteClusterCommand.ts @@ -123,4 +123,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterInput; + output: DeleteClusterOutput; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/DeleteClusterSnapshotCommand.ts b/clients/client-docdb-elastic/src/commands/DeleteClusterSnapshotCommand.ts index 7e54411bf848..be1802ac9d30 100644 --- a/clients/client-docdb-elastic/src/commands/DeleteClusterSnapshotCommand.ts +++ b/clients/client-docdb-elastic/src/commands/DeleteClusterSnapshotCommand.ts @@ -111,4 +111,16 @@ export class DeleteClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterSnapshotCommand) .de(de_DeleteClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterSnapshotInput; + output: DeleteClusterSnapshotOutput; + }; + sdk: { + input: DeleteClusterSnapshotCommandInput; + output: DeleteClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/GetClusterCommand.ts b/clients/client-docdb-elastic/src/commands/GetClusterCommand.ts index d4de886e0314..110b90261b73 100644 --- a/clients/client-docdb-elastic/src/commands/GetClusterCommand.ts +++ b/clients/client-docdb-elastic/src/commands/GetClusterCommand.ts @@ -120,4 +120,16 @@ export class GetClusterCommand extends $Command .f(void 0, void 0) .ser(se_GetClusterCommand) .de(de_GetClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClusterInput; + output: GetClusterOutput; + }; + sdk: { + input: GetClusterCommandInput; + output: GetClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/GetClusterSnapshotCommand.ts b/clients/client-docdb-elastic/src/commands/GetClusterSnapshotCommand.ts index 43a196ede8d6..9edef1511ede 100644 --- a/clients/client-docdb-elastic/src/commands/GetClusterSnapshotCommand.ts +++ b/clients/client-docdb-elastic/src/commands/GetClusterSnapshotCommand.ts @@ -108,4 +108,16 @@ export class GetClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_GetClusterSnapshotCommand) .de(de_GetClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClusterSnapshotInput; + output: GetClusterSnapshotOutput; + }; + sdk: { + input: GetClusterSnapshotCommandInput; + output: GetClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/ListClusterSnapshotsCommand.ts b/clients/client-docdb-elastic/src/commands/ListClusterSnapshotsCommand.ts index 6406d1129775..67343a59a69b 100644 --- a/clients/client-docdb-elastic/src/commands/ListClusterSnapshotsCommand.ts +++ b/clients/client-docdb-elastic/src/commands/ListClusterSnapshotsCommand.ts @@ -101,4 +101,16 @@ export class ListClusterSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_ListClusterSnapshotsCommand) .de(de_ListClusterSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClusterSnapshotsInput; + output: ListClusterSnapshotsOutput; + }; + sdk: { + input: ListClusterSnapshotsCommandInput; + output: ListClusterSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/ListClustersCommand.ts b/clients/client-docdb-elastic/src/commands/ListClustersCommand.ts index ac5bd1e7e05a..80426b39d247 100644 --- a/clients/client-docdb-elastic/src/commands/ListClustersCommand.ts +++ b/clients/client-docdb-elastic/src/commands/ListClustersCommand.ts @@ -97,4 +97,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersInput; + output: ListClustersOutput; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/ListTagsForResourceCommand.ts b/clients/client-docdb-elastic/src/commands/ListTagsForResourceCommand.ts index 9db4827c551e..71f8c2db42a8 100644 --- a/clients/client-docdb-elastic/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-docdb-elastic/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/RestoreClusterFromSnapshotCommand.ts b/clients/client-docdb-elastic/src/commands/RestoreClusterFromSnapshotCommand.ts index 6475578d97b2..ae60a0dc97fc 100644 --- a/clients/client-docdb-elastic/src/commands/RestoreClusterFromSnapshotCommand.ts +++ b/clients/client-docdb-elastic/src/commands/RestoreClusterFromSnapshotCommand.ts @@ -139,4 +139,16 @@ export class RestoreClusterFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreClusterFromSnapshotCommand) .de(de_RestoreClusterFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreClusterFromSnapshotInput; + output: RestoreClusterFromSnapshotOutput; + }; + sdk: { + input: RestoreClusterFromSnapshotCommandInput; + output: RestoreClusterFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/StartClusterCommand.ts b/clients/client-docdb-elastic/src/commands/StartClusterCommand.ts index c0abeda7c653..d4bdddf52840 100644 --- a/clients/client-docdb-elastic/src/commands/StartClusterCommand.ts +++ b/clients/client-docdb-elastic/src/commands/StartClusterCommand.ts @@ -120,4 +120,16 @@ export class StartClusterCommand extends $Command .f(void 0, void 0) .ser(se_StartClusterCommand) .de(de_StartClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartClusterInput; + output: StartClusterOutput; + }; + sdk: { + input: StartClusterCommandInput; + output: StartClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/StopClusterCommand.ts b/clients/client-docdb-elastic/src/commands/StopClusterCommand.ts index d64c989d4da8..6f998577f32f 100644 --- a/clients/client-docdb-elastic/src/commands/StopClusterCommand.ts +++ b/clients/client-docdb-elastic/src/commands/StopClusterCommand.ts @@ -121,4 +121,16 @@ export class StopClusterCommand extends $Command .f(void 0, void 0) .ser(se_StopClusterCommand) .de(de_StopClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopClusterInput; + output: StopClusterOutput; + }; + sdk: { + input: StopClusterCommandInput; + output: StopClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/TagResourceCommand.ts b/clients/client-docdb-elastic/src/commands/TagResourceCommand.ts index c81de1b02351..ba0d6d95843b 100644 --- a/clients/client-docdb-elastic/src/commands/TagResourceCommand.ts +++ b/clients/client-docdb-elastic/src/commands/TagResourceCommand.ts @@ -90,4 +90,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/UntagResourceCommand.ts b/clients/client-docdb-elastic/src/commands/UntagResourceCommand.ts index 095e8e58a552..490c303b4d10 100644 --- a/clients/client-docdb-elastic/src/commands/UntagResourceCommand.ts +++ b/clients/client-docdb-elastic/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb-elastic/src/commands/UpdateClusterCommand.ts b/clients/client-docdb-elastic/src/commands/UpdateClusterCommand.ts index b7312eed5f40..fbe07971a3aa 100644 --- a/clients/client-docdb-elastic/src/commands/UpdateClusterCommand.ts +++ b/clients/client-docdb-elastic/src/commands/UpdateClusterCommand.ts @@ -139,4 +139,16 @@ export class UpdateClusterCommand extends $Command .f(UpdateClusterInputFilterSensitiveLog, void 0) .ser(se_UpdateClusterCommand) .de(de_UpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterInput; + output: UpdateClusterOutput; + }; + sdk: { + input: UpdateClusterCommandInput; + output: UpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/package.json b/clients/client-docdb/package.json index 6ac7c1ca3095..1985f0c8d640 100644 --- a/clients/client-docdb/package.json +++ b/clients/client-docdb/package.json @@ -34,32 +34,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-docdb/src/commands/AddSourceIdentifierToSubscriptionCommand.ts b/clients/client-docdb/src/commands/AddSourceIdentifierToSubscriptionCommand.ts index fe8e158d3b4c..bed8932faa02 100644 --- a/clients/client-docdb/src/commands/AddSourceIdentifierToSubscriptionCommand.ts +++ b/clients/client-docdb/src/commands/AddSourceIdentifierToSubscriptionCommand.ts @@ -105,4 +105,16 @@ export class AddSourceIdentifierToSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_AddSourceIdentifierToSubscriptionCommand) .de(de_AddSourceIdentifierToSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddSourceIdentifierToSubscriptionMessage; + output: AddSourceIdentifierToSubscriptionResult; + }; + sdk: { + input: AddSourceIdentifierToSubscriptionCommandInput; + output: AddSourceIdentifierToSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/AddTagsToResourceCommand.ts b/clients/client-docdb/src/commands/AddTagsToResourceCommand.ts index e93dda53a570..f5928821e6cc 100644 --- a/clients/client-docdb/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-docdb/src/commands/AddTagsToResourceCommand.ts @@ -96,4 +96,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceMessage; + output: {}; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ApplyPendingMaintenanceActionCommand.ts b/clients/client-docdb/src/commands/ApplyPendingMaintenanceActionCommand.ts index 2903cedd76db..8b7fa87ddf18 100644 --- a/clients/client-docdb/src/commands/ApplyPendingMaintenanceActionCommand.ts +++ b/clients/client-docdb/src/commands/ApplyPendingMaintenanceActionCommand.ts @@ -107,4 +107,16 @@ export class ApplyPendingMaintenanceActionCommand extends $Command .f(void 0, void 0) .ser(se_ApplyPendingMaintenanceActionCommand) .de(de_ApplyPendingMaintenanceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplyPendingMaintenanceActionMessage; + output: ApplyPendingMaintenanceActionResult; + }; + sdk: { + input: ApplyPendingMaintenanceActionCommandInput; + output: ApplyPendingMaintenanceActionCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CopyDBClusterParameterGroupCommand.ts b/clients/client-docdb/src/commands/CopyDBClusterParameterGroupCommand.ts index 15f72b8fdbf9..75ccdc64946c 100644 --- a/clients/client-docdb/src/commands/CopyDBClusterParameterGroupCommand.ts +++ b/clients/client-docdb/src/commands/CopyDBClusterParameterGroupCommand.ts @@ -100,4 +100,16 @@ export class CopyDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBClusterParameterGroupCommand) .de(de_CopyDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBClusterParameterGroupMessage; + output: CopyDBClusterParameterGroupResult; + }; + sdk: { + input: CopyDBClusterParameterGroupCommandInput; + output: CopyDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CopyDBClusterSnapshotCommand.ts b/clients/client-docdb/src/commands/CopyDBClusterSnapshotCommand.ts index 8ea99734f271..dfbe3b1c8d72 100644 --- a/clients/client-docdb/src/commands/CopyDBClusterSnapshotCommand.ts +++ b/clients/client-docdb/src/commands/CopyDBClusterSnapshotCommand.ts @@ -138,4 +138,16 @@ export class CopyDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBClusterSnapshotCommand) .de(de_CopyDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBClusterSnapshotMessage; + output: CopyDBClusterSnapshotResult; + }; + sdk: { + input: CopyDBClusterSnapshotCommandInput; + output: CopyDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CreateDBClusterCommand.ts b/clients/client-docdb/src/commands/CreateDBClusterCommand.ts index b76a06212fd4..7cd6f8159764 100644 --- a/clients/client-docdb/src/commands/CreateDBClusterCommand.ts +++ b/clients/client-docdb/src/commands/CreateDBClusterCommand.ts @@ -224,4 +224,16 @@ export class CreateDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterCommand) .de(de_CreateDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterMessage; + output: CreateDBClusterResult; + }; + sdk: { + input: CreateDBClusterCommandInput; + output: CreateDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CreateDBClusterParameterGroupCommand.ts b/clients/client-docdb/src/commands/CreateDBClusterParameterGroupCommand.ts index 8fa85f9b4161..281cb45fb152 100644 --- a/clients/client-docdb/src/commands/CreateDBClusterParameterGroupCommand.ts +++ b/clients/client-docdb/src/commands/CreateDBClusterParameterGroupCommand.ts @@ -119,4 +119,16 @@ export class CreateDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterParameterGroupCommand) .de(de_CreateDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterParameterGroupMessage; + output: CreateDBClusterParameterGroupResult; + }; + sdk: { + input: CreateDBClusterParameterGroupCommandInput; + output: CreateDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CreateDBClusterSnapshotCommand.ts b/clients/client-docdb/src/commands/CreateDBClusterSnapshotCommand.ts index 0e9679922f02..d8097844173f 100644 --- a/clients/client-docdb/src/commands/CreateDBClusterSnapshotCommand.ts +++ b/clients/client-docdb/src/commands/CreateDBClusterSnapshotCommand.ts @@ -121,4 +121,16 @@ export class CreateDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterSnapshotCommand) .de(de_CreateDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterSnapshotMessage; + output: CreateDBClusterSnapshotResult; + }; + sdk: { + input: CreateDBClusterSnapshotCommandInput; + output: CreateDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CreateDBInstanceCommand.ts b/clients/client-docdb/src/commands/CreateDBInstanceCommand.ts index 58b2d094a471..0bbbda6d311c 100644 --- a/clients/client-docdb/src/commands/CreateDBInstanceCommand.ts +++ b/clients/client-docdb/src/commands/CreateDBInstanceCommand.ts @@ -237,4 +237,16 @@ export class CreateDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBInstanceCommand) .de(de_CreateDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBInstanceMessage; + output: CreateDBInstanceResult; + }; + sdk: { + input: CreateDBInstanceCommandInput; + output: CreateDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CreateDBSubnetGroupCommand.ts b/clients/client-docdb/src/commands/CreateDBSubnetGroupCommand.ts index 83036ec998a1..1e3039e2035b 100644 --- a/clients/client-docdb/src/commands/CreateDBSubnetGroupCommand.ts +++ b/clients/client-docdb/src/commands/CreateDBSubnetGroupCommand.ts @@ -120,4 +120,16 @@ export class CreateDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBSubnetGroupCommand) .de(de_CreateDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBSubnetGroupMessage; + output: CreateDBSubnetGroupResult; + }; + sdk: { + input: CreateDBSubnetGroupCommandInput; + output: CreateDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CreateEventSubscriptionCommand.ts b/clients/client-docdb/src/commands/CreateEventSubscriptionCommand.ts index 0c40527dfeb9..1f9a97811001 100644 --- a/clients/client-docdb/src/commands/CreateEventSubscriptionCommand.ts +++ b/clients/client-docdb/src/commands/CreateEventSubscriptionCommand.ts @@ -130,4 +130,16 @@ export class CreateEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventSubscriptionCommand) .de(de_CreateEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventSubscriptionMessage; + output: CreateEventSubscriptionResult; + }; + sdk: { + input: CreateEventSubscriptionCommandInput; + output: CreateEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/CreateGlobalClusterCommand.ts b/clients/client-docdb/src/commands/CreateGlobalClusterCommand.ts index cdd5b0f33742..54a9164f473d 100644 --- a/clients/client-docdb/src/commands/CreateGlobalClusterCommand.ts +++ b/clients/client-docdb/src/commands/CreateGlobalClusterCommand.ts @@ -120,4 +120,16 @@ export class CreateGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateGlobalClusterCommand) .de(de_CreateGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlobalClusterMessage; + output: CreateGlobalClusterResult; + }; + sdk: { + input: CreateGlobalClusterCommandInput; + output: CreateGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DeleteDBClusterCommand.ts b/clients/client-docdb/src/commands/DeleteDBClusterCommand.ts index 81c76acfbce4..5a3337171e44 100644 --- a/clients/client-docdb/src/commands/DeleteDBClusterCommand.ts +++ b/clients/client-docdb/src/commands/DeleteDBClusterCommand.ts @@ -153,4 +153,16 @@ export class DeleteDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterCommand) .de(de_DeleteDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterMessage; + output: DeleteDBClusterResult; + }; + sdk: { + input: DeleteDBClusterCommandInput; + output: DeleteDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DeleteDBClusterParameterGroupCommand.ts b/clients/client-docdb/src/commands/DeleteDBClusterParameterGroupCommand.ts index 44a53278bcd1..7c2523002b86 100644 --- a/clients/client-docdb/src/commands/DeleteDBClusterParameterGroupCommand.ts +++ b/clients/client-docdb/src/commands/DeleteDBClusterParameterGroupCommand.ts @@ -85,4 +85,16 @@ export class DeleteDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterParameterGroupCommand) .de(de_DeleteDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterParameterGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBClusterParameterGroupCommandInput; + output: DeleteDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DeleteDBClusterSnapshotCommand.ts b/clients/client-docdb/src/commands/DeleteDBClusterSnapshotCommand.ts index 22cd261aa5fd..98fda14990af 100644 --- a/clients/client-docdb/src/commands/DeleteDBClusterSnapshotCommand.ts +++ b/clients/client-docdb/src/commands/DeleteDBClusterSnapshotCommand.ts @@ -108,4 +108,16 @@ export class DeleteDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterSnapshotCommand) .de(de_DeleteDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterSnapshotMessage; + output: DeleteDBClusterSnapshotResult; + }; + sdk: { + input: DeleteDBClusterSnapshotCommandInput; + output: DeleteDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DeleteDBInstanceCommand.ts b/clients/client-docdb/src/commands/DeleteDBInstanceCommand.ts index e483e288861a..e73c00ba9c53 100644 --- a/clients/client-docdb/src/commands/DeleteDBInstanceCommand.ts +++ b/clients/client-docdb/src/commands/DeleteDBInstanceCommand.ts @@ -184,4 +184,16 @@ export class DeleteDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBInstanceCommand) .de(de_DeleteDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBInstanceMessage; + output: DeleteDBInstanceResult; + }; + sdk: { + input: DeleteDBInstanceCommandInput; + output: DeleteDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DeleteDBSubnetGroupCommand.ts b/clients/client-docdb/src/commands/DeleteDBSubnetGroupCommand.ts index bea09ff00f24..bbf5a4f7b745 100644 --- a/clients/client-docdb/src/commands/DeleteDBSubnetGroupCommand.ts +++ b/clients/client-docdb/src/commands/DeleteDBSubnetGroupCommand.ts @@ -89,4 +89,16 @@ export class DeleteDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBSubnetGroupCommand) .de(de_DeleteDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBSubnetGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBSubnetGroupCommandInput; + output: DeleteDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DeleteEventSubscriptionCommand.ts b/clients/client-docdb/src/commands/DeleteEventSubscriptionCommand.ts index 5734bff7e50c..152e1183f705 100644 --- a/clients/client-docdb/src/commands/DeleteEventSubscriptionCommand.ts +++ b/clients/client-docdb/src/commands/DeleteEventSubscriptionCommand.ts @@ -99,4 +99,16 @@ export class DeleteEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventSubscriptionCommand) .de(de_DeleteEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventSubscriptionMessage; + output: DeleteEventSubscriptionResult; + }; + sdk: { + input: DeleteEventSubscriptionCommandInput; + output: DeleteEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DeleteGlobalClusterCommand.ts b/clients/client-docdb/src/commands/DeleteGlobalClusterCommand.ts index 1cdcad917d3f..eb7714e0493f 100644 --- a/clients/client-docdb/src/commands/DeleteGlobalClusterCommand.ts +++ b/clients/client-docdb/src/commands/DeleteGlobalClusterCommand.ts @@ -105,4 +105,16 @@ export class DeleteGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGlobalClusterCommand) .de(de_DeleteGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGlobalClusterMessage; + output: DeleteGlobalClusterResult; + }; + sdk: { + input: DeleteGlobalClusterCommandInput; + output: DeleteGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeCertificatesCommand.ts b/clients/client-docdb/src/commands/DescribeCertificatesCommand.ts index 62a5d7c1932d..3f18019180df 100644 --- a/clients/client-docdb/src/commands/DescribeCertificatesCommand.ts +++ b/clients/client-docdb/src/commands/DescribeCertificatesCommand.ts @@ -101,4 +101,16 @@ export class DescribeCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificatesCommand) .de(de_DescribeCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificatesMessage; + output: CertificateMessage; + }; + sdk: { + input: DescribeCertificatesCommandInput; + output: DescribeCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBClusterParameterGroupsCommand.ts b/clients/client-docdb/src/commands/DescribeDBClusterParameterGroupsCommand.ts index de24d2c50f39..bf598599a52d 100644 --- a/clients/client-docdb/src/commands/DescribeDBClusterParameterGroupsCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBClusterParameterGroupsCommand.ts @@ -104,4 +104,16 @@ export class DescribeDBClusterParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterParameterGroupsCommand) .de(de_DescribeDBClusterParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterParameterGroupsMessage; + output: DBClusterParameterGroupsMessage; + }; + sdk: { + input: DescribeDBClusterParameterGroupsCommandInput; + output: DescribeDBClusterParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBClusterParametersCommand.ts b/clients/client-docdb/src/commands/DescribeDBClusterParametersCommand.ts index a97fc5b69705..344d28dd17ea 100644 --- a/clients/client-docdb/src/commands/DescribeDBClusterParametersCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBClusterParametersCommand.ts @@ -107,4 +107,16 @@ export class DescribeDBClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterParametersCommand) .de(de_DescribeDBClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterParametersMessage; + output: DBClusterParameterGroupDetails; + }; + sdk: { + input: DescribeDBClusterParametersCommandInput; + output: DescribeDBClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts b/clients/client-docdb/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts index 0ea1a9b8b7e3..d6fa820c857c 100644 --- a/clients/client-docdb/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts @@ -102,4 +102,16 @@ export class DescribeDBClusterSnapshotAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterSnapshotAttributesCommand) .de(de_DescribeDBClusterSnapshotAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterSnapshotAttributesMessage; + output: DescribeDBClusterSnapshotAttributesResult; + }; + sdk: { + input: DescribeDBClusterSnapshotAttributesCommandInput; + output: DescribeDBClusterSnapshotAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBClusterSnapshotsCommand.ts b/clients/client-docdb/src/commands/DescribeDBClusterSnapshotsCommand.ts index 2b94b8296cca..daacc50f0498 100644 --- a/clients/client-docdb/src/commands/DescribeDBClusterSnapshotsCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBClusterSnapshotsCommand.ts @@ -119,4 +119,16 @@ export class DescribeDBClusterSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterSnapshotsCommand) .de(de_DescribeDBClusterSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterSnapshotsMessage; + output: DBClusterSnapshotMessage; + }; + sdk: { + input: DescribeDBClusterSnapshotsCommandInput; + output: DescribeDBClusterSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBClustersCommand.ts b/clients/client-docdb/src/commands/DescribeDBClustersCommand.ts index 6d215649a6fb..91364b4f3eb5 100644 --- a/clients/client-docdb/src/commands/DescribeDBClustersCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBClustersCommand.ts @@ -156,4 +156,16 @@ export class DescribeDBClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClustersCommand) .de(de_DescribeDBClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClustersMessage; + output: DBClusterMessage; + }; + sdk: { + input: DescribeDBClustersCommandInput; + output: DescribeDBClustersCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBEngineVersionsCommand.ts b/clients/client-docdb/src/commands/DescribeDBEngineVersionsCommand.ts index 3661c3a70743..0308f9721ff9 100644 --- a/clients/client-docdb/src/commands/DescribeDBEngineVersionsCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBEngineVersionsCommand.ts @@ -118,4 +118,16 @@ export class DescribeDBEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBEngineVersionsCommand) .de(de_DescribeDBEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBEngineVersionsMessage; + output: DBEngineVersionMessage; + }; + sdk: { + input: DescribeDBEngineVersionsCommandInput; + output: DescribeDBEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBInstancesCommand.ts b/clients/client-docdb/src/commands/DescribeDBInstancesCommand.ts index 1579175f6aa3..477f097441c5 100644 --- a/clients/client-docdb/src/commands/DescribeDBInstancesCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBInstancesCommand.ts @@ -183,4 +183,16 @@ export class DescribeDBInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBInstancesCommand) .de(de_DescribeDBInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBInstancesMessage; + output: DBInstanceMessage; + }; + sdk: { + input: DescribeDBInstancesCommandInput; + output: DescribeDBInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeDBSubnetGroupsCommand.ts b/clients/client-docdb/src/commands/DescribeDBSubnetGroupsCommand.ts index a713635c4263..34a649ade6a9 100644 --- a/clients/client-docdb/src/commands/DescribeDBSubnetGroupsCommand.ts +++ b/clients/client-docdb/src/commands/DescribeDBSubnetGroupsCommand.ts @@ -110,4 +110,16 @@ export class DescribeDBSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBSubnetGroupsCommand) .de(de_DescribeDBSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBSubnetGroupsMessage; + output: DBSubnetGroupMessage; + }; + sdk: { + input: DescribeDBSubnetGroupsCommandInput; + output: DescribeDBSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeEngineDefaultClusterParametersCommand.ts b/clients/client-docdb/src/commands/DescribeEngineDefaultClusterParametersCommand.ts index 18510b37490e..ea685f3ca94b 100644 --- a/clients/client-docdb/src/commands/DescribeEngineDefaultClusterParametersCommand.ts +++ b/clients/client-docdb/src/commands/DescribeEngineDefaultClusterParametersCommand.ts @@ -114,4 +114,16 @@ export class DescribeEngineDefaultClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineDefaultClusterParametersCommand) .de(de_DescribeEngineDefaultClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineDefaultClusterParametersMessage; + output: DescribeEngineDefaultClusterParametersResult; + }; + sdk: { + input: DescribeEngineDefaultClusterParametersCommandInput; + output: DescribeEngineDefaultClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeEventCategoriesCommand.ts b/clients/client-docdb/src/commands/DescribeEventCategoriesCommand.ts index c6823c4c58dc..091a35edb9e6 100644 --- a/clients/client-docdb/src/commands/DescribeEventCategoriesCommand.ts +++ b/clients/client-docdb/src/commands/DescribeEventCategoriesCommand.ts @@ -93,4 +93,16 @@ export class DescribeEventCategoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventCategoriesCommand) .de(de_DescribeEventCategoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventCategoriesMessage; + output: EventCategoriesMessage; + }; + sdk: { + input: DescribeEventCategoriesCommandInput; + output: DescribeEventCategoriesCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeEventSubscriptionsCommand.ts b/clients/client-docdb/src/commands/DescribeEventSubscriptionsCommand.ts index 89f3c35a9d60..f5c412218963 100644 --- a/clients/client-docdb/src/commands/DescribeEventSubscriptionsCommand.ts +++ b/clients/client-docdb/src/commands/DescribeEventSubscriptionsCommand.ts @@ -109,4 +109,16 @@ export class DescribeEventSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSubscriptionsCommand) .de(de_DescribeEventSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventSubscriptionsMessage; + output: EventSubscriptionsMessage; + }; + sdk: { + input: DescribeEventSubscriptionsCommandInput; + output: DescribeEventSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeEventsCommand.ts b/clients/client-docdb/src/commands/DescribeEventsCommand.ts index e1fc81010eae..ceb193ac6945 100644 --- a/clients/client-docdb/src/commands/DescribeEventsCommand.ts +++ b/clients/client-docdb/src/commands/DescribeEventsCommand.ts @@ -106,4 +106,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsMessage; + output: EventsMessage; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeGlobalClustersCommand.ts b/clients/client-docdb/src/commands/DescribeGlobalClustersCommand.ts index 281c77a97b62..5694a201eec1 100644 --- a/clients/client-docdb/src/commands/DescribeGlobalClustersCommand.ts +++ b/clients/client-docdb/src/commands/DescribeGlobalClustersCommand.ts @@ -115,4 +115,16 @@ export class DescribeGlobalClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalClustersCommand) .de(de_DescribeGlobalClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGlobalClustersMessage; + output: GlobalClustersMessage; + }; + sdk: { + input: DescribeGlobalClustersCommandInput; + output: DescribeGlobalClustersCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts b/clients/client-docdb/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts index ee867f1b5d89..6a5038f63d8f 100644 --- a/clients/client-docdb/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts +++ b/clients/client-docdb/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts @@ -111,4 +111,16 @@ export class DescribeOrderableDBInstanceOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrderableDBInstanceOptionsCommand) .de(de_DescribeOrderableDBInstanceOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrderableDBInstanceOptionsMessage; + output: OrderableDBInstanceOptionsMessage; + }; + sdk: { + input: DescribeOrderableDBInstanceOptionsCommandInput; + output: DescribeOrderableDBInstanceOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/DescribePendingMaintenanceActionsCommand.ts b/clients/client-docdb/src/commands/DescribePendingMaintenanceActionsCommand.ts index 172f229c6d1f..f2e245b73a9d 100644 --- a/clients/client-docdb/src/commands/DescribePendingMaintenanceActionsCommand.ts +++ b/clients/client-docdb/src/commands/DescribePendingMaintenanceActionsCommand.ts @@ -111,4 +111,16 @@ export class DescribePendingMaintenanceActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePendingMaintenanceActionsCommand) .de(de_DescribePendingMaintenanceActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePendingMaintenanceActionsMessage; + output: PendingMaintenanceActionsMessage; + }; + sdk: { + input: DescribePendingMaintenanceActionsCommandInput; + output: DescribePendingMaintenanceActionsCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/FailoverDBClusterCommand.ts b/clients/client-docdb/src/commands/FailoverDBClusterCommand.ts index 99dd3b4b71f2..e363a90da2e6 100644 --- a/clients/client-docdb/src/commands/FailoverDBClusterCommand.ts +++ b/clients/client-docdb/src/commands/FailoverDBClusterCommand.ts @@ -148,4 +148,16 @@ export class FailoverDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_FailoverDBClusterCommand) .de(de_FailoverDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverDBClusterMessage; + output: FailoverDBClusterResult; + }; + sdk: { + input: FailoverDBClusterCommandInput; + output: FailoverDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/FailoverGlobalClusterCommand.ts b/clients/client-docdb/src/commands/FailoverGlobalClusterCommand.ts index 7628f0450735..7f8cd7d52136 100644 --- a/clients/client-docdb/src/commands/FailoverGlobalClusterCommand.ts +++ b/clients/client-docdb/src/commands/FailoverGlobalClusterCommand.ts @@ -115,4 +115,16 @@ export class FailoverGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_FailoverGlobalClusterCommand) .de(de_FailoverGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverGlobalClusterMessage; + output: FailoverGlobalClusterResult; + }; + sdk: { + input: FailoverGlobalClusterCommandInput; + output: FailoverGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ListTagsForResourceCommand.ts b/clients/client-docdb/src/commands/ListTagsForResourceCommand.ts index dad344f98452..4ee271b2cb04 100644 --- a/clients/client-docdb/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-docdb/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceMessage; + output: TagListMessage; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ModifyDBClusterCommand.ts b/clients/client-docdb/src/commands/ModifyDBClusterCommand.ts index 2b3a1e5a8496..0c565e507fdd 100644 --- a/clients/client-docdb/src/commands/ModifyDBClusterCommand.ts +++ b/clients/client-docdb/src/commands/ModifyDBClusterCommand.ts @@ -199,4 +199,16 @@ export class ModifyDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterCommand) .de(de_ModifyDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterMessage; + output: ModifyDBClusterResult; + }; + sdk: { + input: ModifyDBClusterCommandInput; + output: ModifyDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ModifyDBClusterParameterGroupCommand.ts b/clients/client-docdb/src/commands/ModifyDBClusterParameterGroupCommand.ts index 9152732a3a2b..6fed359acdb4 100644 --- a/clients/client-docdb/src/commands/ModifyDBClusterParameterGroupCommand.ts +++ b/clients/client-docdb/src/commands/ModifyDBClusterParameterGroupCommand.ts @@ -121,4 +121,16 @@ export class ModifyDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterParameterGroupCommand) .de(de_ModifyDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterParameterGroupMessage; + output: DBClusterParameterGroupNameMessage; + }; + sdk: { + input: ModifyDBClusterParameterGroupCommandInput; + output: ModifyDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts b/clients/client-docdb/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts index 88ccc780c5d2..bf2631f9b5a1 100644 --- a/clients/client-docdb/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts +++ b/clients/client-docdb/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts @@ -111,4 +111,16 @@ export class ModifyDBClusterSnapshotAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterSnapshotAttributeCommand) .de(de_ModifyDBClusterSnapshotAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterSnapshotAttributeMessage; + output: ModifyDBClusterSnapshotAttributeResult; + }; + sdk: { + input: ModifyDBClusterSnapshotAttributeCommandInput; + output: ModifyDBClusterSnapshotAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ModifyDBInstanceCommand.ts b/clients/client-docdb/src/commands/ModifyDBInstanceCommand.ts index 327347730632..85c64a43cae5 100644 --- a/clients/client-docdb/src/commands/ModifyDBInstanceCommand.ts +++ b/clients/client-docdb/src/commands/ModifyDBInstanceCommand.ts @@ -226,4 +226,16 @@ export class ModifyDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBInstanceCommand) .de(de_ModifyDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBInstanceMessage; + output: ModifyDBInstanceResult; + }; + sdk: { + input: ModifyDBInstanceCommandInput; + output: ModifyDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ModifyDBSubnetGroupCommand.ts b/clients/client-docdb/src/commands/ModifyDBSubnetGroupCommand.ts index 71e5b2ea42cf..005597f64044 100644 --- a/clients/client-docdb/src/commands/ModifyDBSubnetGroupCommand.ts +++ b/clients/client-docdb/src/commands/ModifyDBSubnetGroupCommand.ts @@ -113,4 +113,16 @@ export class ModifyDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBSubnetGroupCommand) .de(de_ModifyDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBSubnetGroupMessage; + output: ModifyDBSubnetGroupResult; + }; + sdk: { + input: ModifyDBSubnetGroupCommandInput; + output: ModifyDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ModifyEventSubscriptionCommand.ts b/clients/client-docdb/src/commands/ModifyEventSubscriptionCommand.ts index 70ea1cdf3cec..6a9f9f0b6f1b 100644 --- a/clients/client-docdb/src/commands/ModifyEventSubscriptionCommand.ts +++ b/clients/client-docdb/src/commands/ModifyEventSubscriptionCommand.ts @@ -116,4 +116,16 @@ export class ModifyEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyEventSubscriptionCommand) .de(de_ModifyEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEventSubscriptionMessage; + output: ModifyEventSubscriptionResult; + }; + sdk: { + input: ModifyEventSubscriptionCommandInput; + output: ModifyEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ModifyGlobalClusterCommand.ts b/clients/client-docdb/src/commands/ModifyGlobalClusterCommand.ts index ab38e8450e88..fabef8ba18d4 100644 --- a/clients/client-docdb/src/commands/ModifyGlobalClusterCommand.ts +++ b/clients/client-docdb/src/commands/ModifyGlobalClusterCommand.ts @@ -107,4 +107,16 @@ export class ModifyGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyGlobalClusterCommand) .de(de_ModifyGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyGlobalClusterMessage; + output: ModifyGlobalClusterResult; + }; + sdk: { + input: ModifyGlobalClusterCommandInput; + output: ModifyGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/RebootDBInstanceCommand.ts b/clients/client-docdb/src/commands/RebootDBInstanceCommand.ts index 77604d8b3ce2..7922ad95a3b8 100644 --- a/clients/client-docdb/src/commands/RebootDBInstanceCommand.ts +++ b/clients/client-docdb/src/commands/RebootDBInstanceCommand.ts @@ -181,4 +181,16 @@ export class RebootDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RebootDBInstanceCommand) .de(de_RebootDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootDBInstanceMessage; + output: RebootDBInstanceResult; + }; + sdk: { + input: RebootDBInstanceCommandInput; + output: RebootDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/RemoveFromGlobalClusterCommand.ts b/clients/client-docdb/src/commands/RemoveFromGlobalClusterCommand.ts index f89a6c19dd1f..1c68b4a9e9c5 100644 --- a/clients/client-docdb/src/commands/RemoveFromGlobalClusterCommand.ts +++ b/clients/client-docdb/src/commands/RemoveFromGlobalClusterCommand.ts @@ -110,4 +110,16 @@ export class RemoveFromGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFromGlobalClusterCommand) .de(de_RemoveFromGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFromGlobalClusterMessage; + output: RemoveFromGlobalClusterResult; + }; + sdk: { + input: RemoveFromGlobalClusterCommandInput; + output: RemoveFromGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts b/clients/client-docdb/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts index c035bca0ec7c..2483343f4f1d 100644 --- a/clients/client-docdb/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts +++ b/clients/client-docdb/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts @@ -109,4 +109,16 @@ export class RemoveSourceIdentifierFromSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveSourceIdentifierFromSubscriptionCommand) .de(de_RemoveSourceIdentifierFromSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveSourceIdentifierFromSubscriptionMessage; + output: RemoveSourceIdentifierFromSubscriptionResult; + }; + sdk: { + input: RemoveSourceIdentifierFromSubscriptionCommandInput; + output: RemoveSourceIdentifierFromSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-docdb/src/commands/RemoveTagsFromResourceCommand.ts index 4a20401a64ed..87b8cccba552 100644 --- a/clients/client-docdb/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-docdb/src/commands/RemoveTagsFromResourceCommand.ts @@ -90,4 +90,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceMessage; + output: {}; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/ResetDBClusterParameterGroupCommand.ts b/clients/client-docdb/src/commands/ResetDBClusterParameterGroupCommand.ts index 1cd1894d1743..a1a867fcbf0a 100644 --- a/clients/client-docdb/src/commands/ResetDBClusterParameterGroupCommand.ts +++ b/clients/client-docdb/src/commands/ResetDBClusterParameterGroupCommand.ts @@ -108,4 +108,16 @@ export class ResetDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetDBClusterParameterGroupCommand) .de(de_ResetDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetDBClusterParameterGroupMessage; + output: DBClusterParameterGroupNameMessage; + }; + sdk: { + input: ResetDBClusterParameterGroupCommandInput; + output: ResetDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/RestoreDBClusterFromSnapshotCommand.ts b/clients/client-docdb/src/commands/RestoreDBClusterFromSnapshotCommand.ts index d1c91e397e4f..e0673f9da4a1 100644 --- a/clients/client-docdb/src/commands/RestoreDBClusterFromSnapshotCommand.ts +++ b/clients/client-docdb/src/commands/RestoreDBClusterFromSnapshotCommand.ts @@ -211,4 +211,16 @@ export class RestoreDBClusterFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBClusterFromSnapshotCommand) .de(de_RestoreDBClusterFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBClusterFromSnapshotMessage; + output: RestoreDBClusterFromSnapshotResult; + }; + sdk: { + input: RestoreDBClusterFromSnapshotCommandInput; + output: RestoreDBClusterFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/RestoreDBClusterToPointInTimeCommand.ts b/clients/client-docdb/src/commands/RestoreDBClusterToPointInTimeCommand.ts index 522c3a86c635..36f9cb1f9358 100644 --- a/clients/client-docdb/src/commands/RestoreDBClusterToPointInTimeCommand.ts +++ b/clients/client-docdb/src/commands/RestoreDBClusterToPointInTimeCommand.ts @@ -216,4 +216,16 @@ export class RestoreDBClusterToPointInTimeCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBClusterToPointInTimeCommand) .de(de_RestoreDBClusterToPointInTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBClusterToPointInTimeMessage; + output: RestoreDBClusterToPointInTimeResult; + }; + sdk: { + input: RestoreDBClusterToPointInTimeCommandInput; + output: RestoreDBClusterToPointInTimeCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/StartDBClusterCommand.ts b/clients/client-docdb/src/commands/StartDBClusterCommand.ts index 42541de71176..b6b8cc4fcfe8 100644 --- a/clients/client-docdb/src/commands/StartDBClusterCommand.ts +++ b/clients/client-docdb/src/commands/StartDBClusterCommand.ts @@ -147,4 +147,16 @@ export class StartDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_StartDBClusterCommand) .de(de_StartDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDBClusterMessage; + output: StartDBClusterResult; + }; + sdk: { + input: StartDBClusterCommandInput; + output: StartDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/StopDBClusterCommand.ts b/clients/client-docdb/src/commands/StopDBClusterCommand.ts index a7e88def361a..b87fc7961e52 100644 --- a/clients/client-docdb/src/commands/StopDBClusterCommand.ts +++ b/clients/client-docdb/src/commands/StopDBClusterCommand.ts @@ -148,4 +148,16 @@ export class StopDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_StopDBClusterCommand) .de(de_StopDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDBClusterMessage; + output: StopDBClusterResult; + }; + sdk: { + input: StopDBClusterCommandInput; + output: StopDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-docdb/src/commands/SwitchoverGlobalClusterCommand.ts b/clients/client-docdb/src/commands/SwitchoverGlobalClusterCommand.ts index f63fa992e2f1..66925df16c5b 100644 --- a/clients/client-docdb/src/commands/SwitchoverGlobalClusterCommand.ts +++ b/clients/client-docdb/src/commands/SwitchoverGlobalClusterCommand.ts @@ -110,4 +110,16 @@ export class SwitchoverGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_SwitchoverGlobalClusterCommand) .de(de_SwitchoverGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SwitchoverGlobalClusterMessage; + output: SwitchoverGlobalClusterResult; + }; + sdk: { + input: SwitchoverGlobalClusterCommandInput; + output: SwitchoverGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-drs/package.json b/clients/client-drs/package.json index b9b75cb75d71..7bc8b59f5eac 100644 --- a/clients/client-drs/package.json +++ b/clients/client-drs/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-drs/src/commands/AssociateSourceNetworkStackCommand.ts b/clients/client-drs/src/commands/AssociateSourceNetworkStackCommand.ts index 32eba557da8f..e2475e7d3624 100644 --- a/clients/client-drs/src/commands/AssociateSourceNetworkStackCommand.ts +++ b/clients/client-drs/src/commands/AssociateSourceNetworkStackCommand.ts @@ -163,4 +163,16 @@ export class AssociateSourceNetworkStackCommand extends $Command .f(AssociateSourceNetworkStackRequestFilterSensitiveLog, AssociateSourceNetworkStackResponseFilterSensitiveLog) .ser(se_AssociateSourceNetworkStackCommand) .de(de_AssociateSourceNetworkStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSourceNetworkStackRequest; + output: AssociateSourceNetworkStackResponse; + }; + sdk: { + input: AssociateSourceNetworkStackCommandInput; + output: AssociateSourceNetworkStackCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/CreateExtendedSourceServerCommand.ts b/clients/client-drs/src/commands/CreateExtendedSourceServerCommand.ts index 5eefc32fc80e..8f75ec44bf4e 100644 --- a/clients/client-drs/src/commands/CreateExtendedSourceServerCommand.ts +++ b/clients/client-drs/src/commands/CreateExtendedSourceServerCommand.ts @@ -211,4 +211,16 @@ export class CreateExtendedSourceServerCommand extends $Command .f(CreateExtendedSourceServerRequestFilterSensitiveLog, CreateExtendedSourceServerResponseFilterSensitiveLog) .ser(se_CreateExtendedSourceServerCommand) .de(de_CreateExtendedSourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExtendedSourceServerRequest; + output: CreateExtendedSourceServerResponse; + }; + sdk: { + input: CreateExtendedSourceServerCommandInput; + output: CreateExtendedSourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/CreateLaunchConfigurationTemplateCommand.ts b/clients/client-drs/src/commands/CreateLaunchConfigurationTemplateCommand.ts index eb5dcd8543de..70b4d420fd9d 100644 --- a/clients/client-drs/src/commands/CreateLaunchConfigurationTemplateCommand.ts +++ b/clients/client-drs/src/commands/CreateLaunchConfigurationTemplateCommand.ts @@ -136,4 +136,16 @@ export class CreateLaunchConfigurationTemplateCommand extends $Command ) .ser(se_CreateLaunchConfigurationTemplateCommand) .de(de_CreateLaunchConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLaunchConfigurationTemplateRequest; + output: CreateLaunchConfigurationTemplateResponse; + }; + sdk: { + input: CreateLaunchConfigurationTemplateCommandInput; + output: CreateLaunchConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/CreateReplicationConfigurationTemplateCommand.ts b/clients/client-drs/src/commands/CreateReplicationConfigurationTemplateCommand.ts index 5828d9cc29fc..2487b882cb19 100644 --- a/clients/client-drs/src/commands/CreateReplicationConfigurationTemplateCommand.ts +++ b/clients/client-drs/src/commands/CreateReplicationConfigurationTemplateCommand.ts @@ -167,4 +167,16 @@ export class CreateReplicationConfigurationTemplateCommand extends $Command ) .ser(se_CreateReplicationConfigurationTemplateCommand) .de(de_CreateReplicationConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationConfigurationTemplateRequest; + output: ReplicationConfigurationTemplate; + }; + sdk: { + input: CreateReplicationConfigurationTemplateCommandInput; + output: CreateReplicationConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/CreateSourceNetworkCommand.ts b/clients/client-drs/src/commands/CreateSourceNetworkCommand.ts index 7e1cb6f080cc..30b5bba088f6 100644 --- a/clients/client-drs/src/commands/CreateSourceNetworkCommand.ts +++ b/clients/client-drs/src/commands/CreateSourceNetworkCommand.ts @@ -107,4 +107,16 @@ export class CreateSourceNetworkCommand extends $Command .f(CreateSourceNetworkRequestFilterSensitiveLog, void 0) .ser(se_CreateSourceNetworkCommand) .de(de_CreateSourceNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSourceNetworkRequest; + output: CreateSourceNetworkResponse; + }; + sdk: { + input: CreateSourceNetworkCommandInput; + output: CreateSourceNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DeleteJobCommand.ts b/clients/client-drs/src/commands/DeleteJobCommand.ts index ba78efb4c3fd..36639adef856 100644 --- a/clients/client-drs/src/commands/DeleteJobCommand.ts +++ b/clients/client-drs/src/commands/DeleteJobCommand.ts @@ -90,4 +90,16 @@ export class DeleteJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobCommand) .de(de_DeleteJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobRequest; + output: {}; + }; + sdk: { + input: DeleteJobCommandInput; + output: DeleteJobCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DeleteLaunchActionCommand.ts b/clients/client-drs/src/commands/DeleteLaunchActionCommand.ts index abad9c863b35..221721db7c10 100644 --- a/clients/client-drs/src/commands/DeleteLaunchActionCommand.ts +++ b/clients/client-drs/src/commands/DeleteLaunchActionCommand.ts @@ -91,4 +91,16 @@ export class DeleteLaunchActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchActionCommand) .de(de_DeleteLaunchActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchActionRequest; + output: {}; + }; + sdk: { + input: DeleteLaunchActionCommandInput; + output: DeleteLaunchActionCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DeleteLaunchConfigurationTemplateCommand.ts b/clients/client-drs/src/commands/DeleteLaunchConfigurationTemplateCommand.ts index f92a58557bbd..bf5a2c6b8eaa 100644 --- a/clients/client-drs/src/commands/DeleteLaunchConfigurationTemplateCommand.ts +++ b/clients/client-drs/src/commands/DeleteLaunchConfigurationTemplateCommand.ts @@ -98,4 +98,16 @@ export class DeleteLaunchConfigurationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchConfigurationTemplateCommand) .de(de_DeleteLaunchConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchConfigurationTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteLaunchConfigurationTemplateCommandInput; + output: DeleteLaunchConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DeleteRecoveryInstanceCommand.ts b/clients/client-drs/src/commands/DeleteRecoveryInstanceCommand.ts index 69e02a603fac..435fc455106e 100644 --- a/clients/client-drs/src/commands/DeleteRecoveryInstanceCommand.ts +++ b/clients/client-drs/src/commands/DeleteRecoveryInstanceCommand.ts @@ -90,4 +90,16 @@ export class DeleteRecoveryInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecoveryInstanceCommand) .de(de_DeleteRecoveryInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecoveryInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteRecoveryInstanceCommandInput; + output: DeleteRecoveryInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DeleteReplicationConfigurationTemplateCommand.ts b/clients/client-drs/src/commands/DeleteReplicationConfigurationTemplateCommand.ts index 922277e2b693..a511892d78db 100644 --- a/clients/client-drs/src/commands/DeleteReplicationConfigurationTemplateCommand.ts +++ b/clients/client-drs/src/commands/DeleteReplicationConfigurationTemplateCommand.ts @@ -99,4 +99,16 @@ export class DeleteReplicationConfigurationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationConfigurationTemplateCommand) .de(de_DeleteReplicationConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationConfigurationTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteReplicationConfigurationTemplateCommandInput; + output: DeleteReplicationConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DeleteSourceNetworkCommand.ts b/clients/client-drs/src/commands/DeleteSourceNetworkCommand.ts index a1e254f37b19..381e7c067b1a 100644 --- a/clients/client-drs/src/commands/DeleteSourceNetworkCommand.ts +++ b/clients/client-drs/src/commands/DeleteSourceNetworkCommand.ts @@ -90,4 +90,16 @@ export class DeleteSourceNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSourceNetworkCommand) .de(de_DeleteSourceNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSourceNetworkRequest; + output: {}; + }; + sdk: { + input: DeleteSourceNetworkCommandInput; + output: DeleteSourceNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DeleteSourceServerCommand.ts b/clients/client-drs/src/commands/DeleteSourceServerCommand.ts index cb60efa274e3..dded8e5ee877 100644 --- a/clients/client-drs/src/commands/DeleteSourceServerCommand.ts +++ b/clients/client-drs/src/commands/DeleteSourceServerCommand.ts @@ -90,4 +90,16 @@ export class DeleteSourceServerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSourceServerCommand) .de(de_DeleteSourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSourceServerRequest; + output: {}; + }; + sdk: { + input: DeleteSourceServerCommandInput; + output: DeleteSourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeJobLogItemsCommand.ts b/clients/client-drs/src/commands/DescribeJobLogItemsCommand.ts index 740de2285efb..94ba82ce3008 100644 --- a/clients/client-drs/src/commands/DescribeJobLogItemsCommand.ts +++ b/clients/client-drs/src/commands/DescribeJobLogItemsCommand.ts @@ -132,4 +132,16 @@ export class DescribeJobLogItemsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobLogItemsCommand) .de(de_DescribeJobLogItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobLogItemsRequest; + output: DescribeJobLogItemsResponse; + }; + sdk: { + input: DescribeJobLogItemsCommandInput; + output: DescribeJobLogItemsCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeJobsCommand.ts b/clients/client-drs/src/commands/DescribeJobsCommand.ts index 8a34bf6a35d0..e70add9113d7 100644 --- a/clients/client-drs/src/commands/DescribeJobsCommand.ts +++ b/clients/client-drs/src/commands/DescribeJobsCommand.ts @@ -154,4 +154,16 @@ export class DescribeJobsCommand extends $Command .f(void 0, DescribeJobsResponseFilterSensitiveLog) .ser(se_DescribeJobsCommand) .de(de_DescribeJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobsRequest; + output: DescribeJobsResponse; + }; + sdk: { + input: DescribeJobsCommandInput; + output: DescribeJobsCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts b/clients/client-drs/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts index 7803c61b3ae6..1b014e8464a6 100644 --- a/clients/client-drs/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts +++ b/clients/client-drs/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts @@ -124,4 +124,16 @@ export class DescribeLaunchConfigurationTemplatesCommand extends $Command .f(void 0, DescribeLaunchConfigurationTemplatesResponseFilterSensitiveLog) .ser(se_DescribeLaunchConfigurationTemplatesCommand) .de(de_DescribeLaunchConfigurationTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLaunchConfigurationTemplatesRequest; + output: DescribeLaunchConfigurationTemplatesResponse; + }; + sdk: { + input: DescribeLaunchConfigurationTemplatesCommandInput; + output: DescribeLaunchConfigurationTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeRecoveryInstancesCommand.ts b/clients/client-drs/src/commands/DescribeRecoveryInstancesCommand.ts index 5ba8c31f674e..a6ae333032f0 100644 --- a/clients/client-drs/src/commands/DescribeRecoveryInstancesCommand.ts +++ b/clients/client-drs/src/commands/DescribeRecoveryInstancesCommand.ts @@ -197,4 +197,16 @@ export class DescribeRecoveryInstancesCommand extends $Command .f(void 0, DescribeRecoveryInstancesResponseFilterSensitiveLog) .ser(se_DescribeRecoveryInstancesCommand) .de(de_DescribeRecoveryInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecoveryInstancesRequest; + output: DescribeRecoveryInstancesResponse; + }; + sdk: { + input: DescribeRecoveryInstancesCommandInput; + output: DescribeRecoveryInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeRecoverySnapshotsCommand.ts b/clients/client-drs/src/commands/DescribeRecoverySnapshotsCommand.ts index 3b0bf2e16ed2..254f254242e8 100644 --- a/clients/client-drs/src/commands/DescribeRecoverySnapshotsCommand.ts +++ b/clients/client-drs/src/commands/DescribeRecoverySnapshotsCommand.ts @@ -110,4 +110,16 @@ export class DescribeRecoverySnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecoverySnapshotsCommand) .de(de_DescribeRecoverySnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecoverySnapshotsRequest; + output: DescribeRecoverySnapshotsResponse; + }; + sdk: { + input: DescribeRecoverySnapshotsCommandInput; + output: DescribeRecoverySnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts b/clients/client-drs/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts index 133bec7f7245..9ab0a3212f45 100644 --- a/clients/client-drs/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts +++ b/clients/client-drs/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts @@ -141,4 +141,16 @@ export class DescribeReplicationConfigurationTemplatesCommand extends $Command .f(void 0, DescribeReplicationConfigurationTemplatesResponseFilterSensitiveLog) .ser(se_DescribeReplicationConfigurationTemplatesCommand) .de(de_DescribeReplicationConfigurationTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationConfigurationTemplatesRequest; + output: DescribeReplicationConfigurationTemplatesResponse; + }; + sdk: { + input: DescribeReplicationConfigurationTemplatesCommandInput; + output: DescribeReplicationConfigurationTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeSourceNetworksCommand.ts b/clients/client-drs/src/commands/DescribeSourceNetworksCommand.ts index 62da09c5bcb8..e3646b9c49f6 100644 --- a/clients/client-drs/src/commands/DescribeSourceNetworksCommand.ts +++ b/clients/client-drs/src/commands/DescribeSourceNetworksCommand.ts @@ -122,4 +122,16 @@ export class DescribeSourceNetworksCommand extends $Command .f(void 0, DescribeSourceNetworksResponseFilterSensitiveLog) .ser(se_DescribeSourceNetworksCommand) .de(de_DescribeSourceNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSourceNetworksRequest; + output: DescribeSourceNetworksResponse; + }; + sdk: { + input: DescribeSourceNetworksCommandInput; + output: DescribeSourceNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DescribeSourceServersCommand.ts b/clients/client-drs/src/commands/DescribeSourceServersCommand.ts index 1dd4a4c5356b..e5b4ac35ed3b 100644 --- a/clients/client-drs/src/commands/DescribeSourceServersCommand.ts +++ b/clients/client-drs/src/commands/DescribeSourceServersCommand.ts @@ -211,4 +211,16 @@ export class DescribeSourceServersCommand extends $Command .f(void 0, DescribeSourceServersResponseFilterSensitiveLog) .ser(se_DescribeSourceServersCommand) .de(de_DescribeSourceServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSourceServersRequest; + output: DescribeSourceServersResponse; + }; + sdk: { + input: DescribeSourceServersCommandInput; + output: DescribeSourceServersCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DisconnectRecoveryInstanceCommand.ts b/clients/client-drs/src/commands/DisconnectRecoveryInstanceCommand.ts index c0fb35d7a90e..6ccde378d0e0 100644 --- a/clients/client-drs/src/commands/DisconnectRecoveryInstanceCommand.ts +++ b/clients/client-drs/src/commands/DisconnectRecoveryInstanceCommand.ts @@ -93,4 +93,16 @@ export class DisconnectRecoveryInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DisconnectRecoveryInstanceCommand) .de(de_DisconnectRecoveryInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisconnectRecoveryInstanceRequest; + output: {}; + }; + sdk: { + input: DisconnectRecoveryInstanceCommandInput; + output: DisconnectRecoveryInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/DisconnectSourceServerCommand.ts b/clients/client-drs/src/commands/DisconnectSourceServerCommand.ts index 0ad9b0547108..1367af3cf0f7 100644 --- a/clients/client-drs/src/commands/DisconnectSourceServerCommand.ts +++ b/clients/client-drs/src/commands/DisconnectSourceServerCommand.ts @@ -195,4 +195,16 @@ export class DisconnectSourceServerCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_DisconnectSourceServerCommand) .de(de_DisconnectSourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisconnectSourceServerRequest; + output: SourceServer; + }; + sdk: { + input: DisconnectSourceServerCommandInput; + output: DisconnectSourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/ExportSourceNetworkCfnTemplateCommand.ts b/clients/client-drs/src/commands/ExportSourceNetworkCfnTemplateCommand.ts index 885b24650243..9bb98ea3d462 100644 --- a/clients/client-drs/src/commands/ExportSourceNetworkCfnTemplateCommand.ts +++ b/clients/client-drs/src/commands/ExportSourceNetworkCfnTemplateCommand.ts @@ -100,4 +100,16 @@ export class ExportSourceNetworkCfnTemplateCommand extends $Command .f(void 0, void 0) .ser(se_ExportSourceNetworkCfnTemplateCommand) .de(de_ExportSourceNetworkCfnTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportSourceNetworkCfnTemplateRequest; + output: ExportSourceNetworkCfnTemplateResponse; + }; + sdk: { + input: ExportSourceNetworkCfnTemplateCommandInput; + output: ExportSourceNetworkCfnTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/GetFailbackReplicationConfigurationCommand.ts b/clients/client-drs/src/commands/GetFailbackReplicationConfigurationCommand.ts index 1b8ae0e46541..d4535432944d 100644 --- a/clients/client-drs/src/commands/GetFailbackReplicationConfigurationCommand.ts +++ b/clients/client-drs/src/commands/GetFailbackReplicationConfigurationCommand.ts @@ -100,4 +100,16 @@ export class GetFailbackReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetFailbackReplicationConfigurationCommand) .de(de_GetFailbackReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFailbackReplicationConfigurationRequest; + output: GetFailbackReplicationConfigurationResponse; + }; + sdk: { + input: GetFailbackReplicationConfigurationCommandInput; + output: GetFailbackReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/GetLaunchConfigurationCommand.ts b/clients/client-drs/src/commands/GetLaunchConfigurationCommand.ts index 9dec5b7d8359..e2717d7725c0 100644 --- a/clients/client-drs/src/commands/GetLaunchConfigurationCommand.ts +++ b/clients/client-drs/src/commands/GetLaunchConfigurationCommand.ts @@ -102,4 +102,16 @@ export class GetLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLaunchConfigurationCommand) .de(de_GetLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchConfigurationRequest; + output: LaunchConfiguration; + }; + sdk: { + input: GetLaunchConfigurationCommandInput; + output: GetLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/GetReplicationConfigurationCommand.ts b/clients/client-drs/src/commands/GetReplicationConfigurationCommand.ts index f5250fb7a17d..df6ef256d8e1 100644 --- a/clients/client-drs/src/commands/GetReplicationConfigurationCommand.ts +++ b/clients/client-drs/src/commands/GetReplicationConfigurationCommand.ts @@ -136,4 +136,16 @@ export class GetReplicationConfigurationCommand extends $Command .f(void 0, ReplicationConfigurationFilterSensitiveLog) .ser(se_GetReplicationConfigurationCommand) .de(de_GetReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReplicationConfigurationRequest; + output: ReplicationConfiguration; + }; + sdk: { + input: GetReplicationConfigurationCommandInput; + output: GetReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/InitializeServiceCommand.ts b/clients/client-drs/src/commands/InitializeServiceCommand.ts index 2b127df273a8..ee1da8840e47 100644 --- a/clients/client-drs/src/commands/InitializeServiceCommand.ts +++ b/clients/client-drs/src/commands/InitializeServiceCommand.ts @@ -85,4 +85,16 @@ export class InitializeServiceCommand extends $Command .f(void 0, void 0) .ser(se_InitializeServiceCommand) .de(de_InitializeServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: InitializeServiceCommandInput; + output: InitializeServiceCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/ListExtensibleSourceServersCommand.ts b/clients/client-drs/src/commands/ListExtensibleSourceServersCommand.ts index 6b75e48e1cc2..eec945772683 100644 --- a/clients/client-drs/src/commands/ListExtensibleSourceServersCommand.ts +++ b/clients/client-drs/src/commands/ListExtensibleSourceServersCommand.ts @@ -115,4 +115,16 @@ export class ListExtensibleSourceServersCommand extends $Command .f(void 0, ListExtensibleSourceServersResponseFilterSensitiveLog) .ser(se_ListExtensibleSourceServersCommand) .de(de_ListExtensibleSourceServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExtensibleSourceServersRequest; + output: ListExtensibleSourceServersResponse; + }; + sdk: { + input: ListExtensibleSourceServersCommandInput; + output: ListExtensibleSourceServersCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/ListLaunchActionsCommand.ts b/clients/client-drs/src/commands/ListLaunchActionsCommand.ts index a5fed3f068cb..943ef68a8fea 100644 --- a/clients/client-drs/src/commands/ListLaunchActionsCommand.ts +++ b/clients/client-drs/src/commands/ListLaunchActionsCommand.ts @@ -119,4 +119,16 @@ export class ListLaunchActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLaunchActionsCommand) .de(de_ListLaunchActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLaunchActionsRequest; + output: ListLaunchActionsResponse; + }; + sdk: { + input: ListLaunchActionsCommandInput; + output: ListLaunchActionsCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/ListStagingAccountsCommand.ts b/clients/client-drs/src/commands/ListStagingAccountsCommand.ts index 6d94e0d9d0b6..9fae6207c47e 100644 --- a/clients/client-drs/src/commands/ListStagingAccountsCommand.ts +++ b/clients/client-drs/src/commands/ListStagingAccountsCommand.ts @@ -98,4 +98,16 @@ export class ListStagingAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListStagingAccountsCommand) .de(de_ListStagingAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStagingAccountsRequest; + output: ListStagingAccountsResponse; + }; + sdk: { + input: ListStagingAccountsCommandInput; + output: ListStagingAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/ListTagsForResourceCommand.ts b/clients/client-drs/src/commands/ListTagsForResourceCommand.ts index f136ea2a9ce4..bfa11a872752 100644 --- a/clients/client-drs/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-drs/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/PutLaunchActionCommand.ts b/clients/client-drs/src/commands/PutLaunchActionCommand.ts index c1ccb0f56535..a00e438b7f05 100644 --- a/clients/client-drs/src/commands/PutLaunchActionCommand.ts +++ b/clients/client-drs/src/commands/PutLaunchActionCommand.ts @@ -126,4 +126,16 @@ export class PutLaunchActionCommand extends $Command .f(void 0, void 0) .ser(se_PutLaunchActionCommand) .de(de_PutLaunchActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLaunchActionRequest; + output: PutLaunchActionResponse; + }; + sdk: { + input: PutLaunchActionCommandInput; + output: PutLaunchActionCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/RetryDataReplicationCommand.ts b/clients/client-drs/src/commands/RetryDataReplicationCommand.ts index 26c7101f9f90..2588e5cfc8d1 100644 --- a/clients/client-drs/src/commands/RetryDataReplicationCommand.ts +++ b/clients/client-drs/src/commands/RetryDataReplicationCommand.ts @@ -199,4 +199,16 @@ export class RetryDataReplicationCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_RetryDataReplicationCommand) .de(de_RetryDataReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetryDataReplicationRequest; + output: SourceServer; + }; + sdk: { + input: RetryDataReplicationCommandInput; + output: RetryDataReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/ReverseReplicationCommand.ts b/clients/client-drs/src/commands/ReverseReplicationCommand.ts index fdbd51d62c38..1bba6f2ea741 100644 --- a/clients/client-drs/src/commands/ReverseReplicationCommand.ts +++ b/clients/client-drs/src/commands/ReverseReplicationCommand.ts @@ -101,4 +101,16 @@ export class ReverseReplicationCommand extends $Command .f(void 0, void 0) .ser(se_ReverseReplicationCommand) .de(de_ReverseReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReverseReplicationRequest; + output: ReverseReplicationResponse; + }; + sdk: { + input: ReverseReplicationCommandInput; + output: ReverseReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StartFailbackLaunchCommand.ts b/clients/client-drs/src/commands/StartFailbackLaunchCommand.ts index 0d158ee3dc3d..3c4686a92a33 100644 --- a/clients/client-drs/src/commands/StartFailbackLaunchCommand.ts +++ b/clients/client-drs/src/commands/StartFailbackLaunchCommand.ts @@ -159,4 +159,16 @@ export class StartFailbackLaunchCommand extends $Command .f(StartFailbackLaunchRequestFilterSensitiveLog, StartFailbackLaunchResponseFilterSensitiveLog) .ser(se_StartFailbackLaunchCommand) .de(de_StartFailbackLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFailbackLaunchRequest; + output: StartFailbackLaunchResponse; + }; + sdk: { + input: StartFailbackLaunchCommandInput; + output: StartFailbackLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StartRecoveryCommand.ts b/clients/client-drs/src/commands/StartRecoveryCommand.ts index e73b7167a335..8ca46cd66311 100644 --- a/clients/client-drs/src/commands/StartRecoveryCommand.ts +++ b/clients/client-drs/src/commands/StartRecoveryCommand.ts @@ -160,4 +160,16 @@ export class StartRecoveryCommand extends $Command .f(StartRecoveryRequestFilterSensitiveLog, StartRecoveryResponseFilterSensitiveLog) .ser(se_StartRecoveryCommand) .de(de_StartRecoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRecoveryRequest; + output: StartRecoveryResponse; + }; + sdk: { + input: StartRecoveryCommandInput; + output: StartRecoveryCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StartReplicationCommand.ts b/clients/client-drs/src/commands/StartReplicationCommand.ts index b11c86ab090c..b831edb62113 100644 --- a/clients/client-drs/src/commands/StartReplicationCommand.ts +++ b/clients/client-drs/src/commands/StartReplicationCommand.ts @@ -201,4 +201,16 @@ export class StartReplicationCommand extends $Command .f(void 0, StartReplicationResponseFilterSensitiveLog) .ser(se_StartReplicationCommand) .de(de_StartReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplicationRequest; + output: StartReplicationResponse; + }; + sdk: { + input: StartReplicationCommandInput; + output: StartReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StartSourceNetworkRecoveryCommand.ts b/clients/client-drs/src/commands/StartSourceNetworkRecoveryCommand.ts index 4e874a1f4f6d..5acdd6fa7b09 100644 --- a/clients/client-drs/src/commands/StartSourceNetworkRecoveryCommand.ts +++ b/clients/client-drs/src/commands/StartSourceNetworkRecoveryCommand.ts @@ -163,4 +163,16 @@ export class StartSourceNetworkRecoveryCommand extends $Command .f(StartSourceNetworkRecoveryRequestFilterSensitiveLog, StartSourceNetworkRecoveryResponseFilterSensitiveLog) .ser(se_StartSourceNetworkRecoveryCommand) .de(de_StartSourceNetworkRecoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSourceNetworkRecoveryRequest; + output: StartSourceNetworkRecoveryResponse; + }; + sdk: { + input: StartSourceNetworkRecoveryCommandInput; + output: StartSourceNetworkRecoveryCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StartSourceNetworkReplicationCommand.ts b/clients/client-drs/src/commands/StartSourceNetworkReplicationCommand.ts index da29e1a4fbce..eedf66b3241e 100644 --- a/clients/client-drs/src/commands/StartSourceNetworkReplicationCommand.ts +++ b/clients/client-drs/src/commands/StartSourceNetworkReplicationCommand.ts @@ -119,4 +119,16 @@ export class StartSourceNetworkReplicationCommand extends $Command .f(void 0, StartSourceNetworkReplicationResponseFilterSensitiveLog) .ser(se_StartSourceNetworkReplicationCommand) .de(de_StartSourceNetworkReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSourceNetworkReplicationRequest; + output: StartSourceNetworkReplicationResponse; + }; + sdk: { + input: StartSourceNetworkReplicationCommandInput; + output: StartSourceNetworkReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StopFailbackCommand.ts b/clients/client-drs/src/commands/StopFailbackCommand.ts index d30bd2730b1c..b3cfbf17d191 100644 --- a/clients/client-drs/src/commands/StopFailbackCommand.ts +++ b/clients/client-drs/src/commands/StopFailbackCommand.ts @@ -87,4 +87,16 @@ export class StopFailbackCommand extends $Command .f(void 0, void 0) .ser(se_StopFailbackCommand) .de(de_StopFailbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopFailbackRequest; + output: {}; + }; + sdk: { + input: StopFailbackCommandInput; + output: StopFailbackCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StopReplicationCommand.ts b/clients/client-drs/src/commands/StopReplicationCommand.ts index bb84c46d1d8c..be27f223fd37 100644 --- a/clients/client-drs/src/commands/StopReplicationCommand.ts +++ b/clients/client-drs/src/commands/StopReplicationCommand.ts @@ -201,4 +201,16 @@ export class StopReplicationCommand extends $Command .f(void 0, StopReplicationResponseFilterSensitiveLog) .ser(se_StopReplicationCommand) .de(de_StopReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopReplicationRequest; + output: StopReplicationResponse; + }; + sdk: { + input: StopReplicationCommandInput; + output: StopReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/StopSourceNetworkReplicationCommand.ts b/clients/client-drs/src/commands/StopSourceNetworkReplicationCommand.ts index cb4ac57ca00d..9088e26d2b78 100644 --- a/clients/client-drs/src/commands/StopSourceNetworkReplicationCommand.ts +++ b/clients/client-drs/src/commands/StopSourceNetworkReplicationCommand.ts @@ -122,4 +122,16 @@ export class StopSourceNetworkReplicationCommand extends $Command .f(void 0, StopSourceNetworkReplicationResponseFilterSensitiveLog) .ser(se_StopSourceNetworkReplicationCommand) .de(de_StopSourceNetworkReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSourceNetworkReplicationRequest; + output: StopSourceNetworkReplicationResponse; + }; + sdk: { + input: StopSourceNetworkReplicationCommandInput; + output: StopSourceNetworkReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/TagResourceCommand.ts b/clients/client-drs/src/commands/TagResourceCommand.ts index 52640054ac7b..f989b9eab274 100644 --- a/clients/client-drs/src/commands/TagResourceCommand.ts +++ b/clients/client-drs/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/TerminateRecoveryInstancesCommand.ts b/clients/client-drs/src/commands/TerminateRecoveryInstancesCommand.ts index 1f4618966a51..59f781c841be 100644 --- a/clients/client-drs/src/commands/TerminateRecoveryInstancesCommand.ts +++ b/clients/client-drs/src/commands/TerminateRecoveryInstancesCommand.ts @@ -152,4 +152,16 @@ export class TerminateRecoveryInstancesCommand extends $Command .f(void 0, TerminateRecoveryInstancesResponseFilterSensitiveLog) .ser(se_TerminateRecoveryInstancesCommand) .de(de_TerminateRecoveryInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateRecoveryInstancesRequest; + output: TerminateRecoveryInstancesResponse; + }; + sdk: { + input: TerminateRecoveryInstancesCommandInput; + output: TerminateRecoveryInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/UntagResourceCommand.ts b/clients/client-drs/src/commands/UntagResourceCommand.ts index 0f1d59ef8350..f349be75448f 100644 --- a/clients/client-drs/src/commands/UntagResourceCommand.ts +++ b/clients/client-drs/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/UpdateFailbackReplicationConfigurationCommand.ts b/clients/client-drs/src/commands/UpdateFailbackReplicationConfigurationCommand.ts index d83a9dd1c6f5..f2d9ce2539f5 100644 --- a/clients/client-drs/src/commands/UpdateFailbackReplicationConfigurationCommand.ts +++ b/clients/client-drs/src/commands/UpdateFailbackReplicationConfigurationCommand.ts @@ -97,4 +97,16 @@ export class UpdateFailbackReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFailbackReplicationConfigurationCommand) .de(de_UpdateFailbackReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFailbackReplicationConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateFailbackReplicationConfigurationCommandInput; + output: UpdateFailbackReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/UpdateLaunchConfigurationCommand.ts b/clients/client-drs/src/commands/UpdateLaunchConfigurationCommand.ts index 430025130116..ab980ab16fb7 100644 --- a/clients/client-drs/src/commands/UpdateLaunchConfigurationCommand.ts +++ b/clients/client-drs/src/commands/UpdateLaunchConfigurationCommand.ts @@ -120,4 +120,16 @@ export class UpdateLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLaunchConfigurationCommand) .de(de_UpdateLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLaunchConfigurationRequest; + output: LaunchConfiguration; + }; + sdk: { + input: UpdateLaunchConfigurationCommandInput; + output: UpdateLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/UpdateLaunchConfigurationTemplateCommand.ts b/clients/client-drs/src/commands/UpdateLaunchConfigurationTemplateCommand.ts index df3885b3f0aa..acbfde757473 100644 --- a/clients/client-drs/src/commands/UpdateLaunchConfigurationTemplateCommand.ts +++ b/clients/client-drs/src/commands/UpdateLaunchConfigurationTemplateCommand.ts @@ -130,4 +130,16 @@ export class UpdateLaunchConfigurationTemplateCommand extends $Command .f(void 0, UpdateLaunchConfigurationTemplateResponseFilterSensitiveLog) .ser(se_UpdateLaunchConfigurationTemplateCommand) .de(de_UpdateLaunchConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLaunchConfigurationTemplateRequest; + output: UpdateLaunchConfigurationTemplateResponse; + }; + sdk: { + input: UpdateLaunchConfigurationTemplateCommandInput; + output: UpdateLaunchConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/UpdateReplicationConfigurationCommand.ts b/clients/client-drs/src/commands/UpdateReplicationConfigurationCommand.ts index 4bffa932b26e..2f7eaa5ccddc 100644 --- a/clients/client-drs/src/commands/UpdateReplicationConfigurationCommand.ts +++ b/clients/client-drs/src/commands/UpdateReplicationConfigurationCommand.ts @@ -180,4 +180,16 @@ export class UpdateReplicationConfigurationCommand extends $Command .f(UpdateReplicationConfigurationRequestFilterSensitiveLog, ReplicationConfigurationFilterSensitiveLog) .ser(se_UpdateReplicationConfigurationCommand) .de(de_UpdateReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReplicationConfigurationRequest; + output: ReplicationConfiguration; + }; + sdk: { + input: UpdateReplicationConfigurationCommandInput; + output: UpdateReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-drs/src/commands/UpdateReplicationConfigurationTemplateCommand.ts b/clients/client-drs/src/commands/UpdateReplicationConfigurationTemplateCommand.ts index 2cc5e71f2ff1..61b2d08ea41e 100644 --- a/clients/client-drs/src/commands/UpdateReplicationConfigurationTemplateCommand.ts +++ b/clients/client-drs/src/commands/UpdateReplicationConfigurationTemplateCommand.ts @@ -166,4 +166,16 @@ export class UpdateReplicationConfigurationTemplateCommand extends $Command ) .ser(se_UpdateReplicationConfigurationTemplateCommand) .de(de_UpdateReplicationConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReplicationConfigurationTemplateRequest; + output: ReplicationConfigurationTemplate; + }; + sdk: { + input: UpdateReplicationConfigurationTemplateCommandInput; + output: UpdateReplicationConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb-streams/package.json b/clients/client-dynamodb-streams/package.json index 3097d44c61cb..704d35874129 100644 --- a/clients/client-dynamodb-streams/package.json +++ b/clients/client-dynamodb-streams/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-dynamodb-streams/src/commands/DescribeStreamCommand.ts b/clients/client-dynamodb-streams/src/commands/DescribeStreamCommand.ts index 2f177e290e30..d222fe3fb9f5 100644 --- a/clients/client-dynamodb-streams/src/commands/DescribeStreamCommand.ts +++ b/clients/client-dynamodb-streams/src/commands/DescribeStreamCommand.ts @@ -184,4 +184,16 @@ export class DescribeStreamCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStreamCommand) .de(de_DescribeStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStreamInput; + output: DescribeStreamOutput; + }; + sdk: { + input: DescribeStreamCommandInput; + output: DescribeStreamCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb-streams/src/commands/GetRecordsCommand.ts b/clients/client-dynamodb-streams/src/commands/GetRecordsCommand.ts index fb2ded394fd4..09d74dd1d9fe 100644 --- a/clients/client-dynamodb-streams/src/commands/GetRecordsCommand.ts +++ b/clients/client-dynamodb-streams/src/commands/GetRecordsCommand.ts @@ -282,4 +282,16 @@ export class GetRecordsCommand extends $Command .f(void 0, void 0) .ser(se_GetRecordsCommand) .de(de_GetRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecordsInput; + output: GetRecordsOutput; + }; + sdk: { + input: GetRecordsCommandInput; + output: GetRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb-streams/src/commands/GetShardIteratorCommand.ts b/clients/client-dynamodb-streams/src/commands/GetShardIteratorCommand.ts index 42d5ea0c8a32..fd26cd05c74c 100644 --- a/clients/client-dynamodb-streams/src/commands/GetShardIteratorCommand.ts +++ b/clients/client-dynamodb-streams/src/commands/GetShardIteratorCommand.ts @@ -127,4 +127,16 @@ export class GetShardIteratorCommand extends $Command .f(void 0, void 0) .ser(se_GetShardIteratorCommand) .de(de_GetShardIteratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetShardIteratorInput; + output: GetShardIteratorOutput; + }; + sdk: { + input: GetShardIteratorCommandInput; + output: GetShardIteratorCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb-streams/src/commands/ListStreamsCommand.ts b/clients/client-dynamodb-streams/src/commands/ListStreamsCommand.ts index 5261517c6738..fe83184d85cc 100644 --- a/clients/client-dynamodb-streams/src/commands/ListStreamsCommand.ts +++ b/clients/client-dynamodb-streams/src/commands/ListStreamsCommand.ts @@ -129,4 +129,16 @@ export class ListStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamsCommand) .de(de_ListStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamsInput; + output: ListStreamsOutput; + }; + sdk: { + input: ListStreamsCommandInput; + output: ListStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/package.json b/clients/client-dynamodb/package.json index b55cf9bd817b..f961127b31bb 100644 --- a/clients/client-dynamodb/package.json +++ b/clients/client-dynamodb/package.json @@ -34,32 +34,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-dynamodb/src/commands/BatchExecuteStatementCommand.ts b/clients/client-dynamodb/src/commands/BatchExecuteStatementCommand.ts index 1a60a93e823f..be355cd59574 100644 --- a/clients/client-dynamodb/src/commands/BatchExecuteStatementCommand.ts +++ b/clients/client-dynamodb/src/commands/BatchExecuteStatementCommand.ts @@ -233,4 +233,16 @@ export class BatchExecuteStatementCommand extends $Command .f(void 0, void 0) .ser(se_BatchExecuteStatementCommand) .de(de_BatchExecuteStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchExecuteStatementInput; + output: BatchExecuteStatementOutput; + }; + sdk: { + input: BatchExecuteStatementCommandInput; + output: BatchExecuteStatementCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/BatchGetItemCommand.ts b/clients/client-dynamodb/src/commands/BatchGetItemCommand.ts index 40ce15f0f86c..6295397f476b 100644 --- a/clients/client-dynamodb/src/commands/BatchGetItemCommand.ts +++ b/clients/client-dynamodb/src/commands/BatchGetItemCommand.ts @@ -358,4 +358,16 @@ export class BatchGetItemCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetItemCommand) .de(de_BatchGetItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetItemInput; + output: BatchGetItemOutput; + }; + sdk: { + input: BatchGetItemCommandInput; + output: BatchGetItemCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/BatchWriteItemCommand.ts b/clients/client-dynamodb/src/commands/BatchWriteItemCommand.ts index 7597a17d1bf8..997e6e3a9735 100644 --- a/clients/client-dynamodb/src/commands/BatchWriteItemCommand.ts +++ b/clients/client-dynamodb/src/commands/BatchWriteItemCommand.ts @@ -404,4 +404,16 @@ export class BatchWriteItemCommand extends $Command .f(void 0, void 0) .ser(se_BatchWriteItemCommand) .de(de_BatchWriteItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchWriteItemInput; + output: BatchWriteItemOutput; + }; + sdk: { + input: BatchWriteItemCommandInput; + output: BatchWriteItemCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/CreateBackupCommand.ts b/clients/client-dynamodb/src/commands/CreateBackupCommand.ts index a6d1031f747e..8a0d029c3d14 100644 --- a/clients/client-dynamodb/src/commands/CreateBackupCommand.ts +++ b/clients/client-dynamodb/src/commands/CreateBackupCommand.ts @@ -151,4 +151,16 @@ export class CreateBackupCommand extends $Command .f(void 0, void 0) .ser(se_CreateBackupCommand) .de(de_CreateBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackupInput; + output: CreateBackupOutput; + }; + sdk: { + input: CreateBackupCommandInput; + output: CreateBackupCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/CreateGlobalTableCommand.ts b/clients/client-dynamodb/src/commands/CreateGlobalTableCommand.ts index 9b1106df7b79..332dd70a903e 100644 --- a/clients/client-dynamodb/src/commands/CreateGlobalTableCommand.ts +++ b/clients/client-dynamodb/src/commands/CreateGlobalTableCommand.ts @@ -200,4 +200,16 @@ export class CreateGlobalTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateGlobalTableCommand) .de(de_CreateGlobalTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlobalTableInput; + output: CreateGlobalTableOutput; + }; + sdk: { + input: CreateGlobalTableCommandInput; + output: CreateGlobalTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/CreateTableCommand.ts b/clients/client-dynamodb/src/commands/CreateTableCommand.ts index ed137ca2d107..fd058204acc1 100644 --- a/clients/client-dynamodb/src/commands/CreateTableCommand.ts +++ b/clients/client-dynamodb/src/commands/CreateTableCommand.ts @@ -424,4 +424,16 @@ export class CreateTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateTableCommand) .de(de_CreateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTableInput; + output: CreateTableOutput; + }; + sdk: { + input: CreateTableCommandInput; + output: CreateTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DeleteBackupCommand.ts b/clients/client-dynamodb/src/commands/DeleteBackupCommand.ts index d2d0b59abe1c..25643e2764cf 100644 --- a/clients/client-dynamodb/src/commands/DeleteBackupCommand.ts +++ b/clients/client-dynamodb/src/commands/DeleteBackupCommand.ts @@ -198,4 +198,16 @@ export class DeleteBackupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupCommand) .de(de_DeleteBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupInput; + output: DeleteBackupOutput; + }; + sdk: { + input: DeleteBackupCommandInput; + output: DeleteBackupCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DeleteItemCommand.ts b/clients/client-dynamodb/src/commands/DeleteItemCommand.ts index 13196cc172b0..d7c386990ece 100644 --- a/clients/client-dynamodb/src/commands/DeleteItemCommand.ts +++ b/clients/client-dynamodb/src/commands/DeleteItemCommand.ts @@ -289,4 +289,16 @@ export class DeleteItemCommand extends $Command .f(void 0, void 0) .ser(se_DeleteItemCommand) .de(de_DeleteItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteItemInput; + output: DeleteItemOutput; + }; + sdk: { + input: DeleteItemCommandInput; + output: DeleteItemCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-dynamodb/src/commands/DeleteResourcePolicyCommand.ts index ab0ddc97ccf2..d1e7e0c01c1a 100644 --- a/clients/client-dynamodb/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-dynamodb/src/commands/DeleteResourcePolicyCommand.ts @@ -143,4 +143,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyInput; + output: DeleteResourcePolicyOutput; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DeleteTableCommand.ts b/clients/client-dynamodb/src/commands/DeleteTableCommand.ts index 68b233658e0c..961cbeae90ff 100644 --- a/clients/client-dynamodb/src/commands/DeleteTableCommand.ts +++ b/clients/client-dynamodb/src/commands/DeleteTableCommand.ts @@ -313,4 +313,16 @@ export class DeleteTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTableCommand) .de(de_DeleteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTableInput; + output: DeleteTableOutput; + }; + sdk: { + input: DeleteTableCommandInput; + output: DeleteTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeBackupCommand.ts b/clients/client-dynamodb/src/commands/DescribeBackupCommand.ts index 57fa9c6e7f79..0b36e8b516a5 100644 --- a/clients/client-dynamodb/src/commands/DescribeBackupCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeBackupCommand.ts @@ -178,4 +178,16 @@ export class DescribeBackupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBackupCommand) .de(de_DescribeBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBackupInput; + output: DescribeBackupOutput; + }; + sdk: { + input: DescribeBackupCommandInput; + output: DescribeBackupCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeContinuousBackupsCommand.ts b/clients/client-dynamodb/src/commands/DescribeContinuousBackupsCommand.ts index 425a010cea51..d55a5cb44184 100644 --- a/clients/client-dynamodb/src/commands/DescribeContinuousBackupsCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeContinuousBackupsCommand.ts @@ -104,4 +104,16 @@ export class DescribeContinuousBackupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContinuousBackupsCommand) .de(de_DescribeContinuousBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContinuousBackupsInput; + output: DescribeContinuousBackupsOutput; + }; + sdk: { + input: DescribeContinuousBackupsCommandInput; + output: DescribeContinuousBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeContributorInsightsCommand.ts b/clients/client-dynamodb/src/commands/DescribeContributorInsightsCommand.ts index 07090def2adb..a794376d8b64 100644 --- a/clients/client-dynamodb/src/commands/DescribeContributorInsightsCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeContributorInsightsCommand.ts @@ -96,4 +96,16 @@ export class DescribeContributorInsightsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContributorInsightsCommand) .de(de_DescribeContributorInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContributorInsightsInput; + output: DescribeContributorInsightsOutput; + }; + sdk: { + input: DescribeContributorInsightsCommandInput; + output: DescribeContributorInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeEndpointsCommand.ts b/clients/client-dynamodb/src/commands/DescribeEndpointsCommand.ts index e566956be180..8a4690b7ce7f 100644 --- a/clients/client-dynamodb/src/commands/DescribeEndpointsCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeEndpointsCommand.ts @@ -81,4 +81,16 @@ export class DescribeEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointsCommand) .de(de_DescribeEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeEndpointsResponse; + }; + sdk: { + input: DescribeEndpointsCommandInput; + output: DescribeEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeExportCommand.ts b/clients/client-dynamodb/src/commands/DescribeExportCommand.ts index bb1474fff24d..114f0938cab5 100644 --- a/clients/client-dynamodb/src/commands/DescribeExportCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeExportCommand.ts @@ -125,4 +125,16 @@ export class DescribeExportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportCommand) .de(de_DescribeExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportInput; + output: DescribeExportOutput; + }; + sdk: { + input: DescribeExportCommandInput; + output: DescribeExportCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeGlobalTableCommand.ts b/clients/client-dynamodb/src/commands/DescribeGlobalTableCommand.ts index c9b56c184b89..8e68da221109 100644 --- a/clients/client-dynamodb/src/commands/DescribeGlobalTableCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeGlobalTableCommand.ts @@ -125,4 +125,16 @@ export class DescribeGlobalTableCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalTableCommand) .de(de_DescribeGlobalTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGlobalTableInput; + output: DescribeGlobalTableOutput; + }; + sdk: { + input: DescribeGlobalTableCommandInput; + output: DescribeGlobalTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeGlobalTableSettingsCommand.ts b/clients/client-dynamodb/src/commands/DescribeGlobalTableSettingsCommand.ts index d829cea6904f..e61b98819344 100644 --- a/clients/client-dynamodb/src/commands/DescribeGlobalTableSettingsCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeGlobalTableSettingsCommand.ts @@ -181,4 +181,16 @@ export class DescribeGlobalTableSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalTableSettingsCommand) .de(de_DescribeGlobalTableSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGlobalTableSettingsInput; + output: DescribeGlobalTableSettingsOutput; + }; + sdk: { + input: DescribeGlobalTableSettingsCommandInput; + output: DescribeGlobalTableSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeImportCommand.ts b/clients/client-dynamodb/src/commands/DescribeImportCommand.ts index 2ab1f14b7767..56ff94eb264b 100644 --- a/clients/client-dynamodb/src/commands/DescribeImportCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeImportCommand.ts @@ -166,4 +166,16 @@ export class DescribeImportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImportCommand) .de(de_DescribeImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImportInput; + output: DescribeImportOutput; + }; + sdk: { + input: DescribeImportCommandInput; + output: DescribeImportCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeKinesisStreamingDestinationCommand.ts b/clients/client-dynamodb/src/commands/DescribeKinesisStreamingDestinationCommand.ts index fbae952318be..34fceb73379f 100644 --- a/clients/client-dynamodb/src/commands/DescribeKinesisStreamingDestinationCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeKinesisStreamingDestinationCommand.ts @@ -102,4 +102,16 @@ export class DescribeKinesisStreamingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKinesisStreamingDestinationCommand) .de(de_DescribeKinesisStreamingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKinesisStreamingDestinationInput; + output: DescribeKinesisStreamingDestinationOutput; + }; + sdk: { + input: DescribeKinesisStreamingDestinationCommandInput; + output: DescribeKinesisStreamingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeLimitsCommand.ts b/clients/client-dynamodb/src/commands/DescribeLimitsCommand.ts index 72728940e1fa..89e9286b213a 100644 --- a/clients/client-dynamodb/src/commands/DescribeLimitsCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeLimitsCommand.ts @@ -169,4 +169,16 @@ export class DescribeLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLimitsCommand) .de(de_DescribeLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeLimitsOutput; + }; + sdk: { + input: DescribeLimitsCommandInput; + output: DescribeLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeTableCommand.ts b/clients/client-dynamodb/src/commands/DescribeTableCommand.ts index 5bb8da8e09a5..b41dcdeb1317 100644 --- a/clients/client-dynamodb/src/commands/DescribeTableCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeTableCommand.ts @@ -294,4 +294,16 @@ export class DescribeTableCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTableCommand) .de(de_DescribeTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTableInput; + output: DescribeTableOutput; + }; + sdk: { + input: DescribeTableCommandInput; + output: DescribeTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeTableReplicaAutoScalingCommand.ts b/clients/client-dynamodb/src/commands/DescribeTableReplicaAutoScalingCommand.ts index 0fbc945a35e6..3cbbdeec4608 100644 --- a/clients/client-dynamodb/src/commands/DescribeTableReplicaAutoScalingCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeTableReplicaAutoScalingCommand.ts @@ -176,4 +176,16 @@ export class DescribeTableReplicaAutoScalingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTableReplicaAutoScalingCommand) .de(de_DescribeTableReplicaAutoScalingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTableReplicaAutoScalingInput; + output: DescribeTableReplicaAutoScalingOutput; + }; + sdk: { + input: DescribeTableReplicaAutoScalingCommandInput; + output: DescribeTableReplicaAutoScalingCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DescribeTimeToLiveCommand.ts b/clients/client-dynamodb/src/commands/DescribeTimeToLiveCommand.ts index fce9d1b61ea3..02ba357eced3 100644 --- a/clients/client-dynamodb/src/commands/DescribeTimeToLiveCommand.ts +++ b/clients/client-dynamodb/src/commands/DescribeTimeToLiveCommand.ts @@ -89,4 +89,16 @@ export class DescribeTimeToLiveCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTimeToLiveCommand) .de(de_DescribeTimeToLiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTimeToLiveInput; + output: DescribeTimeToLiveOutput; + }; + sdk: { + input: DescribeTimeToLiveCommandInput; + output: DescribeTimeToLiveCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/DisableKinesisStreamingDestinationCommand.ts b/clients/client-dynamodb/src/commands/DisableKinesisStreamingDestinationCommand.ts index 5ff49be03ac9..459d3cc0e67a 100644 --- a/clients/client-dynamodb/src/commands/DisableKinesisStreamingDestinationCommand.ts +++ b/clients/client-dynamodb/src/commands/DisableKinesisStreamingDestinationCommand.ts @@ -132,4 +132,16 @@ export class DisableKinesisStreamingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DisableKinesisStreamingDestinationCommand) .de(de_DisableKinesisStreamingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: KinesisStreamingDestinationInput; + output: KinesisStreamingDestinationOutput; + }; + sdk: { + input: DisableKinesisStreamingDestinationCommandInput; + output: DisableKinesisStreamingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/EnableKinesisStreamingDestinationCommand.ts b/clients/client-dynamodb/src/commands/EnableKinesisStreamingDestinationCommand.ts index 16e8b9d9982c..47c5eff9e931 100644 --- a/clients/client-dynamodb/src/commands/EnableKinesisStreamingDestinationCommand.ts +++ b/clients/client-dynamodb/src/commands/EnableKinesisStreamingDestinationCommand.ts @@ -134,4 +134,16 @@ export class EnableKinesisStreamingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_EnableKinesisStreamingDestinationCommand) .de(de_EnableKinesisStreamingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: KinesisStreamingDestinationInput; + output: KinesisStreamingDestinationOutput; + }; + sdk: { + input: EnableKinesisStreamingDestinationCommandInput; + output: EnableKinesisStreamingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ExecuteStatementCommand.ts b/clients/client-dynamodb/src/commands/ExecuteStatementCommand.ts index cb09b66ca13a..76676e20b9db 100644 --- a/clients/client-dynamodb/src/commands/ExecuteStatementCommand.ts +++ b/clients/client-dynamodb/src/commands/ExecuteStatementCommand.ts @@ -247,4 +247,16 @@ export class ExecuteStatementCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteStatementCommand) .de(de_ExecuteStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteStatementInput; + output: ExecuteStatementOutput; + }; + sdk: { + input: ExecuteStatementCommandInput; + output: ExecuteStatementCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ExecuteTransactionCommand.ts b/clients/client-dynamodb/src/commands/ExecuteTransactionCommand.ts index c659a670b625..aeec81ba68e3 100644 --- a/clients/client-dynamodb/src/commands/ExecuteTransactionCommand.ts +++ b/clients/client-dynamodb/src/commands/ExecuteTransactionCommand.ts @@ -538,4 +538,16 @@ export class ExecuteTransactionCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteTransactionCommand) .de(de_ExecuteTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteTransactionInput; + output: ExecuteTransactionOutput; + }; + sdk: { + input: ExecuteTransactionCommandInput; + output: ExecuteTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ExportTableToPointInTimeCommand.ts b/clients/client-dynamodb/src/commands/ExportTableToPointInTimeCommand.ts index f020c3e42c92..354f86ccd456 100644 --- a/clients/client-dynamodb/src/commands/ExportTableToPointInTimeCommand.ts +++ b/clients/client-dynamodb/src/commands/ExportTableToPointInTimeCommand.ts @@ -152,4 +152,16 @@ export class ExportTableToPointInTimeCommand extends $Command .f(void 0, void 0) .ser(se_ExportTableToPointInTimeCommand) .de(de_ExportTableToPointInTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportTableToPointInTimeInput; + output: ExportTableToPointInTimeOutput; + }; + sdk: { + input: ExportTableToPointInTimeCommandInput; + output: ExportTableToPointInTimeCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/GetItemCommand.ts b/clients/client-dynamodb/src/commands/GetItemCommand.ts index 994a16372d71..080d2651d08a 100644 --- a/clients/client-dynamodb/src/commands/GetItemCommand.ts +++ b/clients/client-dynamodb/src/commands/GetItemCommand.ts @@ -261,4 +261,16 @@ export class GetItemCommand extends $Command .f(void 0, void 0) .ser(se_GetItemCommand) .de(de_GetItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetItemInput; + output: GetItemOutput; + }; + sdk: { + input: GetItemCommandInput; + output: GetItemCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/GetResourcePolicyCommand.ts b/clients/client-dynamodb/src/commands/GetResourcePolicyCommand.ts index d7915acd6445..a8f1436fdb69 100644 --- a/clients/client-dynamodb/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-dynamodb/src/commands/GetResourcePolicyCommand.ts @@ -126,4 +126,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyInput; + output: GetResourcePolicyOutput; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ImportTableCommand.ts b/clients/client-dynamodb/src/commands/ImportTableCommand.ts index 6579568dccb9..f3b7cb5b832d 100644 --- a/clients/client-dynamodb/src/commands/ImportTableCommand.ts +++ b/clients/client-dynamodb/src/commands/ImportTableCommand.ts @@ -268,4 +268,16 @@ export class ImportTableCommand extends $Command .f(void 0, void 0) .ser(se_ImportTableCommand) .de(de_ImportTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportTableInput; + output: ImportTableOutput; + }; + sdk: { + input: ImportTableCommandInput; + output: ImportTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ListBackupsCommand.ts b/clients/client-dynamodb/src/commands/ListBackupsCommand.ts index b298454c64b3..08b257d97af5 100644 --- a/clients/client-dynamodb/src/commands/ListBackupsCommand.ts +++ b/clients/client-dynamodb/src/commands/ListBackupsCommand.ts @@ -112,4 +112,16 @@ export class ListBackupsCommand extends $Command .f(void 0, void 0) .ser(se_ListBackupsCommand) .de(de_ListBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBackupsInput; + output: ListBackupsOutput; + }; + sdk: { + input: ListBackupsCommandInput; + output: ListBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ListContributorInsightsCommand.ts b/clients/client-dynamodb/src/commands/ListContributorInsightsCommand.ts index 61940c77c089..eb1be4de661a 100644 --- a/clients/client-dynamodb/src/commands/ListContributorInsightsCommand.ts +++ b/clients/client-dynamodb/src/commands/ListContributorInsightsCommand.ts @@ -94,4 +94,16 @@ export class ListContributorInsightsCommand extends $Command .f(void 0, void 0) .ser(se_ListContributorInsightsCommand) .de(de_ListContributorInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContributorInsightsInput; + output: ListContributorInsightsOutput; + }; + sdk: { + input: ListContributorInsightsCommandInput; + output: ListContributorInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ListExportsCommand.ts b/clients/client-dynamodb/src/commands/ListExportsCommand.ts index 2a3b586040ae..f6aade6ce28d 100644 --- a/clients/client-dynamodb/src/commands/ListExportsCommand.ts +++ b/clients/client-dynamodb/src/commands/ListExportsCommand.ts @@ -105,4 +105,16 @@ export class ListExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListExportsCommand) .de(de_ListExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExportsInput; + output: ListExportsOutput; + }; + sdk: { + input: ListExportsCommandInput; + output: ListExportsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ListGlobalTablesCommand.ts b/clients/client-dynamodb/src/commands/ListGlobalTablesCommand.ts index c0042f890c46..d08c47b7cb85 100644 --- a/clients/client-dynamodb/src/commands/ListGlobalTablesCommand.ts +++ b/clients/client-dynamodb/src/commands/ListGlobalTablesCommand.ts @@ -98,4 +98,16 @@ export class ListGlobalTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListGlobalTablesCommand) .de(de_ListGlobalTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGlobalTablesInput; + output: ListGlobalTablesOutput; + }; + sdk: { + input: ListGlobalTablesCommandInput; + output: ListGlobalTablesCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ListImportsCommand.ts b/clients/client-dynamodb/src/commands/ListImportsCommand.ts index 7d15e6a503db..14148c4e4676 100644 --- a/clients/client-dynamodb/src/commands/ListImportsCommand.ts +++ b/clients/client-dynamodb/src/commands/ListImportsCommand.ts @@ -111,4 +111,16 @@ export class ListImportsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportsCommand) .de(de_ListImportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportsInput; + output: ListImportsOutput; + }; + sdk: { + input: ListImportsCommandInput; + output: ListImportsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ListTablesCommand.ts b/clients/client-dynamodb/src/commands/ListTablesCommand.ts index 9fea4853f518..260172ef2387 100644 --- a/clients/client-dynamodb/src/commands/ListTablesCommand.ts +++ b/clients/client-dynamodb/src/commands/ListTablesCommand.ts @@ -107,4 +107,16 @@ export class ListTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListTablesCommand) .de(de_ListTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTablesInput; + output: ListTablesOutput; + }; + sdk: { + input: ListTablesCommandInput; + output: ListTablesCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ListTagsOfResourceCommand.ts b/clients/client-dynamodb/src/commands/ListTagsOfResourceCommand.ts index df802602d372..7a2e3480d42d 100644 --- a/clients/client-dynamodb/src/commands/ListTagsOfResourceCommand.ts +++ b/clients/client-dynamodb/src/commands/ListTagsOfResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsOfResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsOfResourceCommand) .de(de_ListTagsOfResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsOfResourceInput; + output: ListTagsOfResourceOutput; + }; + sdk: { + input: ListTagsOfResourceCommandInput; + output: ListTagsOfResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/PutItemCommand.ts b/clients/client-dynamodb/src/commands/PutItemCommand.ts index e9e488894c64..a0cc9720cd6f 100644 --- a/clients/client-dynamodb/src/commands/PutItemCommand.ts +++ b/clients/client-dynamodb/src/commands/PutItemCommand.ts @@ -303,4 +303,16 @@ export class PutItemCommand extends $Command .f(void 0, void 0) .ser(se_PutItemCommand) .de(de_PutItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutItemInput; + output: PutItemOutput; + }; + sdk: { + input: PutItemCommandInput; + output: PutItemCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/PutResourcePolicyCommand.ts b/clients/client-dynamodb/src/commands/PutResourcePolicyCommand.ts index 31c8122a2a8e..aa333fd923b2 100644 --- a/clients/client-dynamodb/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-dynamodb/src/commands/PutResourcePolicyCommand.ts @@ -145,4 +145,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyInput; + output: PutResourcePolicyOutput; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/QueryCommand.ts b/clients/client-dynamodb/src/commands/QueryCommand.ts index c4ef26677e5a..3b9bd9cdc31b 100644 --- a/clients/client-dynamodb/src/commands/QueryCommand.ts +++ b/clients/client-dynamodb/src/commands/QueryCommand.ts @@ -335,4 +335,16 @@ export class QueryCommand extends $Command .f(void 0, void 0) .ser(se_QueryCommand) .de(de_QueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryInput; + output: QueryOutput; + }; + sdk: { + input: QueryCommandInput; + output: QueryCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/RestoreTableFromBackupCommand.ts b/clients/client-dynamodb/src/commands/RestoreTableFromBackupCommand.ts index 2c76ebd7e1ee..d27f67335749 100644 --- a/clients/client-dynamodb/src/commands/RestoreTableFromBackupCommand.ts +++ b/clients/client-dynamodb/src/commands/RestoreTableFromBackupCommand.ts @@ -341,4 +341,16 @@ export class RestoreTableFromBackupCommand extends $Command .f(void 0, void 0) .ser(se_RestoreTableFromBackupCommand) .de(de_RestoreTableFromBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreTableFromBackupInput; + output: RestoreTableFromBackupOutput; + }; + sdk: { + input: RestoreTableFromBackupCommandInput; + output: RestoreTableFromBackupCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/RestoreTableToPointInTimeCommand.ts b/clients/client-dynamodb/src/commands/RestoreTableToPointInTimeCommand.ts index 76723530d663..cbc6c45eb5f4 100644 --- a/clients/client-dynamodb/src/commands/RestoreTableToPointInTimeCommand.ts +++ b/clients/client-dynamodb/src/commands/RestoreTableToPointInTimeCommand.ts @@ -373,4 +373,16 @@ export class RestoreTableToPointInTimeCommand extends $Command .f(void 0, void 0) .ser(se_RestoreTableToPointInTimeCommand) .de(de_RestoreTableToPointInTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreTableToPointInTimeInput; + output: RestoreTableToPointInTimeOutput; + }; + sdk: { + input: RestoreTableToPointInTimeCommandInput; + output: RestoreTableToPointInTimeCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/ScanCommand.ts b/clients/client-dynamodb/src/commands/ScanCommand.ts index 94f2a0c42cf6..afdcaa8be354 100644 --- a/clients/client-dynamodb/src/commands/ScanCommand.ts +++ b/clients/client-dynamodb/src/commands/ScanCommand.ts @@ -334,4 +334,16 @@ export class ScanCommand extends $Command .f(void 0, void 0) .ser(se_ScanCommand) .de(de_ScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScanInput; + output: ScanOutput; + }; + sdk: { + input: ScanCommandInput; + output: ScanCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/TagResourceCommand.ts b/clients/client-dynamodb/src/commands/TagResourceCommand.ts index 6e3d4524dbe3..553691e90b47 100644 --- a/clients/client-dynamodb/src/commands/TagResourceCommand.ts +++ b/clients/client-dynamodb/src/commands/TagResourceCommand.ts @@ -135,4 +135,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/TransactGetItemsCommand.ts b/clients/client-dynamodb/src/commands/TransactGetItemsCommand.ts index 2e3254cc69af..ff53f7ac8f0c 100644 --- a/clients/client-dynamodb/src/commands/TransactGetItemsCommand.ts +++ b/clients/client-dynamodb/src/commands/TransactGetItemsCommand.ts @@ -494,4 +494,16 @@ export class TransactGetItemsCommand extends $Command .f(void 0, void 0) .ser(se_TransactGetItemsCommand) .de(de_TransactGetItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TransactGetItemsInput; + output: TransactGetItemsOutput; + }; + sdk: { + input: TransactGetItemsCommandInput; + output: TransactGetItemsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/TransactWriteItemsCommand.ts b/clients/client-dynamodb/src/commands/TransactWriteItemsCommand.ts index 863f966fc494..264ae9c8b480 100644 --- a/clients/client-dynamodb/src/commands/TransactWriteItemsCommand.ts +++ b/clients/client-dynamodb/src/commands/TransactWriteItemsCommand.ts @@ -663,4 +663,16 @@ export class TransactWriteItemsCommand extends $Command .f(void 0, void 0) .ser(se_TransactWriteItemsCommand) .de(de_TransactWriteItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TransactWriteItemsInput; + output: TransactWriteItemsOutput; + }; + sdk: { + input: TransactWriteItemsCommandInput; + output: TransactWriteItemsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UntagResourceCommand.ts b/clients/client-dynamodb/src/commands/UntagResourceCommand.ts index f2c101f9b274..c97d9b9014ec 100644 --- a/clients/client-dynamodb/src/commands/UntagResourceCommand.ts +++ b/clients/client-dynamodb/src/commands/UntagResourceCommand.ts @@ -130,4 +130,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateContinuousBackupsCommand.ts b/clients/client-dynamodb/src/commands/UpdateContinuousBackupsCommand.ts index c0ddd1c2a3ff..c8ae17c3f5a6 100644 --- a/clients/client-dynamodb/src/commands/UpdateContinuousBackupsCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateContinuousBackupsCommand.ts @@ -110,4 +110,16 @@ export class UpdateContinuousBackupsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContinuousBackupsCommand) .de(de_UpdateContinuousBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContinuousBackupsInput; + output: UpdateContinuousBackupsOutput; + }; + sdk: { + input: UpdateContinuousBackupsCommandInput; + output: UpdateContinuousBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateContributorInsightsCommand.ts b/clients/client-dynamodb/src/commands/UpdateContributorInsightsCommand.ts index a1daeb0b61c6..8c4d760ddf69 100644 --- a/clients/client-dynamodb/src/commands/UpdateContributorInsightsCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateContributorInsightsCommand.ts @@ -94,4 +94,16 @@ export class UpdateContributorInsightsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContributorInsightsCommand) .de(de_UpdateContributorInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContributorInsightsInput; + output: UpdateContributorInsightsOutput; + }; + sdk: { + input: UpdateContributorInsightsCommandInput; + output: UpdateContributorInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateGlobalTableCommand.ts b/clients/client-dynamodb/src/commands/UpdateGlobalTableCommand.ts index 45e78a758c6f..06775a70c3bb 100644 --- a/clients/client-dynamodb/src/commands/UpdateGlobalTableCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateGlobalTableCommand.ts @@ -171,4 +171,16 @@ export class UpdateGlobalTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGlobalTableCommand) .de(de_UpdateGlobalTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlobalTableInput; + output: UpdateGlobalTableOutput; + }; + sdk: { + input: UpdateGlobalTableCommandInput; + output: UpdateGlobalTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateGlobalTableSettingsCommand.ts b/clients/client-dynamodb/src/commands/UpdateGlobalTableSettingsCommand.ts index 42d3129fb759..da9c67ad5208 100644 --- a/clients/client-dynamodb/src/commands/UpdateGlobalTableSettingsCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateGlobalTableSettingsCommand.ts @@ -285,4 +285,16 @@ export class UpdateGlobalTableSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGlobalTableSettingsCommand) .de(de_UpdateGlobalTableSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlobalTableSettingsInput; + output: UpdateGlobalTableSettingsOutput; + }; + sdk: { + input: UpdateGlobalTableSettingsCommandInput; + output: UpdateGlobalTableSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateItemCommand.ts b/clients/client-dynamodb/src/commands/UpdateItemCommand.ts index 38c65b3a0659..de11e96d7de6 100644 --- a/clients/client-dynamodb/src/commands/UpdateItemCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateItemCommand.ts @@ -316,4 +316,16 @@ export class UpdateItemCommand extends $Command .f(void 0, void 0) .ser(se_UpdateItemCommand) .de(de_UpdateItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateItemInput; + output: UpdateItemOutput; + }; + sdk: { + input: UpdateItemCommandInput; + output: UpdateItemCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateKinesisStreamingDestinationCommand.ts b/clients/client-dynamodb/src/commands/UpdateKinesisStreamingDestinationCommand.ts index 0312ebe413cd..86cdbe3f00ae 100644 --- a/clients/client-dynamodb/src/commands/UpdateKinesisStreamingDestinationCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateKinesisStreamingDestinationCommand.ts @@ -131,4 +131,16 @@ export class UpdateKinesisStreamingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKinesisStreamingDestinationCommand) .de(de_UpdateKinesisStreamingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKinesisStreamingDestinationInput; + output: UpdateKinesisStreamingDestinationOutput; + }; + sdk: { + input: UpdateKinesisStreamingDestinationCommandInput; + output: UpdateKinesisStreamingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateTableCommand.ts b/clients/client-dynamodb/src/commands/UpdateTableCommand.ts index 080a4144527f..d066e149e298 100644 --- a/clients/client-dynamodb/src/commands/UpdateTableCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateTableCommand.ts @@ -460,4 +460,16 @@ export class UpdateTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableCommand) .de(de_UpdateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableInput; + output: UpdateTableOutput; + }; + sdk: { + input: UpdateTableCommandInput; + output: UpdateTableCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateTableReplicaAutoScalingCommand.ts b/clients/client-dynamodb/src/commands/UpdateTableReplicaAutoScalingCommand.ts index ce6c14fbf15d..5fda3555a6fb 100644 --- a/clients/client-dynamodb/src/commands/UpdateTableReplicaAutoScalingCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateTableReplicaAutoScalingCommand.ts @@ -254,4 +254,16 @@ export class UpdateTableReplicaAutoScalingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableReplicaAutoScalingCommand) .de(de_UpdateTableReplicaAutoScalingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableReplicaAutoScalingInput; + output: UpdateTableReplicaAutoScalingOutput; + }; + sdk: { + input: UpdateTableReplicaAutoScalingCommandInput; + output: UpdateTableReplicaAutoScalingCommandOutput; + }; + }; +} diff --git a/clients/client-dynamodb/src/commands/UpdateTimeToLiveCommand.ts b/clients/client-dynamodb/src/commands/UpdateTimeToLiveCommand.ts index 28c8e46745e7..f43b5413b811 100644 --- a/clients/client-dynamodb/src/commands/UpdateTimeToLiveCommand.ts +++ b/clients/client-dynamodb/src/commands/UpdateTimeToLiveCommand.ts @@ -148,4 +148,16 @@ export class UpdateTimeToLiveCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTimeToLiveCommand) .de(de_UpdateTimeToLiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTimeToLiveInput; + output: UpdateTimeToLiveOutput; + }; + sdk: { + input: UpdateTimeToLiveCommandInput; + output: UpdateTimeToLiveCommandOutput; + }; + }; +} diff --git a/clients/client-ebs/package.json b/clients/client-ebs/package.json index c90d9ddaaf40..4ebb96c7f216 100644 --- a/clients/client-ebs/package.json +++ b/clients/client-ebs/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-ebs/src/commands/CompleteSnapshotCommand.ts b/clients/client-ebs/src/commands/CompleteSnapshotCommand.ts index 0afd4815e154..32b11a3faeb0 100644 --- a/clients/client-ebs/src/commands/CompleteSnapshotCommand.ts +++ b/clients/client-ebs/src/commands/CompleteSnapshotCommand.ts @@ -108,4 +108,16 @@ export class CompleteSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CompleteSnapshotCommand) .de(de_CompleteSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteSnapshotRequest; + output: CompleteSnapshotResponse; + }; + sdk: { + input: CompleteSnapshotCommandInput; + output: CompleteSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ebs/src/commands/GetSnapshotBlockCommand.ts b/clients/client-ebs/src/commands/GetSnapshotBlockCommand.ts index 6f71d0797f30..2e13e5883551 100644 --- a/clients/client-ebs/src/commands/GetSnapshotBlockCommand.ts +++ b/clients/client-ebs/src/commands/GetSnapshotBlockCommand.ts @@ -113,4 +113,16 @@ export class GetSnapshotBlockCommand extends $Command .f(void 0, GetSnapshotBlockResponseFilterSensitiveLog) .ser(se_GetSnapshotBlockCommand) .de(de_GetSnapshotBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSnapshotBlockRequest; + output: GetSnapshotBlockResponse; + }; + sdk: { + input: GetSnapshotBlockCommandInput; + output: GetSnapshotBlockCommandOutput; + }; + }; +} diff --git a/clients/client-ebs/src/commands/ListChangedBlocksCommand.ts b/clients/client-ebs/src/commands/ListChangedBlocksCommand.ts index fc488e73ddcd..28a1a9ee7b19 100644 --- a/clients/client-ebs/src/commands/ListChangedBlocksCommand.ts +++ b/clients/client-ebs/src/commands/ListChangedBlocksCommand.ts @@ -121,4 +121,16 @@ export class ListChangedBlocksCommand extends $Command .f(void 0, ListChangedBlocksResponseFilterSensitiveLog) .ser(se_ListChangedBlocksCommand) .de(de_ListChangedBlocksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChangedBlocksRequest; + output: ListChangedBlocksResponse; + }; + sdk: { + input: ListChangedBlocksCommandInput; + output: ListChangedBlocksCommandOutput; + }; + }; +} diff --git a/clients/client-ebs/src/commands/ListSnapshotBlocksCommand.ts b/clients/client-ebs/src/commands/ListSnapshotBlocksCommand.ts index 75adbea22f0c..8d0caa503897 100644 --- a/clients/client-ebs/src/commands/ListSnapshotBlocksCommand.ts +++ b/clients/client-ebs/src/commands/ListSnapshotBlocksCommand.ts @@ -118,4 +118,16 @@ export class ListSnapshotBlocksCommand extends $Command .f(void 0, ListSnapshotBlocksResponseFilterSensitiveLog) .ser(se_ListSnapshotBlocksCommand) .de(de_ListSnapshotBlocksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSnapshotBlocksRequest; + output: ListSnapshotBlocksResponse; + }; + sdk: { + input: ListSnapshotBlocksCommandInput; + output: ListSnapshotBlocksCommandOutput; + }; + }; +} diff --git a/clients/client-ebs/src/commands/PutSnapshotBlockCommand.ts b/clients/client-ebs/src/commands/PutSnapshotBlockCommand.ts index 8a0680d00c97..e566b5db393e 100644 --- a/clients/client-ebs/src/commands/PutSnapshotBlockCommand.ts +++ b/clients/client-ebs/src/commands/PutSnapshotBlockCommand.ts @@ -119,4 +119,16 @@ export class PutSnapshotBlockCommand extends $Command .f(PutSnapshotBlockRequestFilterSensitiveLog, void 0) .ser(se_PutSnapshotBlockCommand) .de(de_PutSnapshotBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSnapshotBlockRequest; + output: PutSnapshotBlockResponse; + }; + sdk: { + input: PutSnapshotBlockCommandInput; + output: PutSnapshotBlockCommandOutput; + }; + }; +} diff --git a/clients/client-ebs/src/commands/StartSnapshotCommand.ts b/clients/client-ebs/src/commands/StartSnapshotCommand.ts index 1fe2c1f3302b..26517fa5bc7a 100644 --- a/clients/client-ebs/src/commands/StartSnapshotCommand.ts +++ b/clients/client-ebs/src/commands/StartSnapshotCommand.ts @@ -146,4 +146,16 @@ export class StartSnapshotCommand extends $Command .f(StartSnapshotRequestFilterSensitiveLog, StartSnapshotResponseFilterSensitiveLog) .ser(se_StartSnapshotCommand) .de(de_StartSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSnapshotRequest; + output: StartSnapshotResponse; + }; + sdk: { + input: StartSnapshotCommandInput; + output: StartSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2-instance-connect/package.json b/clients/client-ec2-instance-connect/package.json index 66206524d19c..d340082b2bda 100644 --- a/clients/client-ec2-instance-connect/package.json +++ b/clients/client-ec2-instance-connect/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-ec2-instance-connect/src/commands/SendSSHPublicKeyCommand.ts b/clients/client-ec2-instance-connect/src/commands/SendSSHPublicKeyCommand.ts index 705a86ff8839..e7399cb06bfc 100644 --- a/clients/client-ec2-instance-connect/src/commands/SendSSHPublicKeyCommand.ts +++ b/clients/client-ec2-instance-connect/src/commands/SendSSHPublicKeyCommand.ts @@ -132,4 +132,16 @@ export class SendSSHPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_SendSSHPublicKeyCommand) .de(de_SendSSHPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendSSHPublicKeyRequest; + output: SendSSHPublicKeyResponse; + }; + sdk: { + input: SendSSHPublicKeyCommandInput; + output: SendSSHPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2-instance-connect/src/commands/SendSerialConsoleSSHPublicKeyCommand.ts b/clients/client-ec2-instance-connect/src/commands/SendSerialConsoleSSHPublicKeyCommand.ts index 2d96bd40a01d..81f27c6b2e68 100644 --- a/clients/client-ec2-instance-connect/src/commands/SendSerialConsoleSSHPublicKeyCommand.ts +++ b/clients/client-ec2-instance-connect/src/commands/SendSerialConsoleSSHPublicKeyCommand.ts @@ -134,4 +134,16 @@ export class SendSerialConsoleSSHPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_SendSerialConsoleSSHPublicKeyCommand) .de(de_SendSerialConsoleSSHPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendSerialConsoleSSHPublicKeyRequest; + output: SendSerialConsoleSSHPublicKeyResponse; + }; + sdk: { + input: SendSerialConsoleSSHPublicKeyCommandInput; + output: SendSerialConsoleSSHPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/package.json b/clients/client-ec2/package.json index 9d180db039cb..3cebc763284b 100644 --- a/clients/client-ec2/package.json +++ b/clients/client-ec2/package.json @@ -34,32 +34,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-ec2/src/commands/AcceptAddressTransferCommand.ts b/clients/client-ec2/src/commands/AcceptAddressTransferCommand.ts index 0e3fffe692d7..a6910d5bb29d 100644 --- a/clients/client-ec2/src/commands/AcceptAddressTransferCommand.ts +++ b/clients/client-ec2/src/commands/AcceptAddressTransferCommand.ts @@ -96,4 +96,16 @@ export class AcceptAddressTransferCommand extends $Command .f(void 0, void 0) .ser(se_AcceptAddressTransferCommand) .de(de_AcceptAddressTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptAddressTransferRequest; + output: AcceptAddressTransferResult; + }; + sdk: { + input: AcceptAddressTransferCommandInput; + output: AcceptAddressTransferCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AcceptReservedInstancesExchangeQuoteCommand.ts b/clients/client-ec2/src/commands/AcceptReservedInstancesExchangeQuoteCommand.ts index cc8ffb03771e..f4d7145d69a3 100644 --- a/clients/client-ec2/src/commands/AcceptReservedInstancesExchangeQuoteCommand.ts +++ b/clients/client-ec2/src/commands/AcceptReservedInstancesExchangeQuoteCommand.ts @@ -94,4 +94,16 @@ export class AcceptReservedInstancesExchangeQuoteCommand extends $Command .f(void 0, void 0) .ser(se_AcceptReservedInstancesExchangeQuoteCommand) .de(de_AcceptReservedInstancesExchangeQuoteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptReservedInstancesExchangeQuoteRequest; + output: AcceptReservedInstancesExchangeQuoteResult; + }; + sdk: { + input: AcceptReservedInstancesExchangeQuoteCommandInput; + output: AcceptReservedInstancesExchangeQuoteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AcceptTransitGatewayMulticastDomainAssociationsCommand.ts b/clients/client-ec2/src/commands/AcceptTransitGatewayMulticastDomainAssociationsCommand.ts index b4ede34db314..2c227822cbd2 100644 --- a/clients/client-ec2/src/commands/AcceptTransitGatewayMulticastDomainAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/AcceptTransitGatewayMulticastDomainAssociationsCommand.ts @@ -103,4 +103,16 @@ export class AcceptTransitGatewayMulticastDomainAssociationsCommand extends $Com .f(void 0, void 0) .ser(se_AcceptTransitGatewayMulticastDomainAssociationsCommand) .de(de_AcceptTransitGatewayMulticastDomainAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptTransitGatewayMulticastDomainAssociationsRequest; + output: AcceptTransitGatewayMulticastDomainAssociationsResult; + }; + sdk: { + input: AcceptTransitGatewayMulticastDomainAssociationsCommandInput; + output: AcceptTransitGatewayMulticastDomainAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AcceptTransitGatewayPeeringAttachmentCommand.ts b/clients/client-ec2/src/commands/AcceptTransitGatewayPeeringAttachmentCommand.ts index afb8ad068e10..9c9b9c1e5716 100644 --- a/clients/client-ec2/src/commands/AcceptTransitGatewayPeeringAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/AcceptTransitGatewayPeeringAttachmentCommand.ts @@ -118,4 +118,16 @@ export class AcceptTransitGatewayPeeringAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_AcceptTransitGatewayPeeringAttachmentCommand) .de(de_AcceptTransitGatewayPeeringAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptTransitGatewayPeeringAttachmentRequest; + output: AcceptTransitGatewayPeeringAttachmentResult; + }; + sdk: { + input: AcceptTransitGatewayPeeringAttachmentCommandInput; + output: AcceptTransitGatewayPeeringAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AcceptTransitGatewayVpcAttachmentCommand.ts b/clients/client-ec2/src/commands/AcceptTransitGatewayVpcAttachmentCommand.ts index 236815a3f3f4..89540b4ef5f7 100644 --- a/clients/client-ec2/src/commands/AcceptTransitGatewayVpcAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/AcceptTransitGatewayVpcAttachmentCommand.ts @@ -108,4 +108,16 @@ export class AcceptTransitGatewayVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_AcceptTransitGatewayVpcAttachmentCommand) .de(de_AcceptTransitGatewayVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptTransitGatewayVpcAttachmentRequest; + output: AcceptTransitGatewayVpcAttachmentResult; + }; + sdk: { + input: AcceptTransitGatewayVpcAttachmentCommandInput; + output: AcceptTransitGatewayVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AcceptVpcEndpointConnectionsCommand.ts b/clients/client-ec2/src/commands/AcceptVpcEndpointConnectionsCommand.ts index 9374ddd46f24..bdafbdb14894 100644 --- a/clients/client-ec2/src/commands/AcceptVpcEndpointConnectionsCommand.ts +++ b/clients/client-ec2/src/commands/AcceptVpcEndpointConnectionsCommand.ts @@ -91,4 +91,16 @@ export class AcceptVpcEndpointConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_AcceptVpcEndpointConnectionsCommand) .de(de_AcceptVpcEndpointConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptVpcEndpointConnectionsRequest; + output: AcceptVpcEndpointConnectionsResult; + }; + sdk: { + input: AcceptVpcEndpointConnectionsCommandInput; + output: AcceptVpcEndpointConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AcceptVpcPeeringConnectionCommand.ts b/clients/client-ec2/src/commands/AcceptVpcPeeringConnectionCommand.ts index b43ffc84dc04..2cdd1b65ff78 100644 --- a/clients/client-ec2/src/commands/AcceptVpcPeeringConnectionCommand.ts +++ b/clients/client-ec2/src/commands/AcceptVpcPeeringConnectionCommand.ts @@ -138,4 +138,16 @@ export class AcceptVpcPeeringConnectionCommand extends $Command .f(void 0, void 0) .ser(se_AcceptVpcPeeringConnectionCommand) .de(de_AcceptVpcPeeringConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptVpcPeeringConnectionRequest; + output: AcceptVpcPeeringConnectionResult; + }; + sdk: { + input: AcceptVpcPeeringConnectionCommandInput; + output: AcceptVpcPeeringConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AdvertiseByoipCidrCommand.ts b/clients/client-ec2/src/commands/AdvertiseByoipCidrCommand.ts index 39ad36b6cdea..784bdd2979e6 100644 --- a/clients/client-ec2/src/commands/AdvertiseByoipCidrCommand.ts +++ b/clients/client-ec2/src/commands/AdvertiseByoipCidrCommand.ts @@ -104,4 +104,16 @@ export class AdvertiseByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_AdvertiseByoipCidrCommand) .de(de_AdvertiseByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdvertiseByoipCidrRequest; + output: AdvertiseByoipCidrResult; + }; + sdk: { + input: AdvertiseByoipCidrCommandInput; + output: AdvertiseByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AllocateAddressCommand.ts b/clients/client-ec2/src/commands/AllocateAddressCommand.ts index 9177193c4461..dfc11b905745 100644 --- a/clients/client-ec2/src/commands/AllocateAddressCommand.ts +++ b/clients/client-ec2/src/commands/AllocateAddressCommand.ts @@ -130,4 +130,16 @@ export class AllocateAddressCommand extends $Command .f(void 0, void 0) .ser(se_AllocateAddressCommand) .de(de_AllocateAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocateAddressRequest; + output: AllocateAddressResult; + }; + sdk: { + input: AllocateAddressCommandInput; + output: AllocateAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AllocateHostsCommand.ts b/clients/client-ec2/src/commands/AllocateHostsCommand.ts index 14233e728e03..5b9586f41070 100644 --- a/clients/client-ec2/src/commands/AllocateHostsCommand.ts +++ b/clients/client-ec2/src/commands/AllocateHostsCommand.ts @@ -103,4 +103,16 @@ export class AllocateHostsCommand extends $Command .f(void 0, void 0) .ser(se_AllocateHostsCommand) .de(de_AllocateHostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocateHostsRequest; + output: AllocateHostsResult; + }; + sdk: { + input: AllocateHostsCommandInput; + output: AllocateHostsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AllocateIpamPoolCidrCommand.ts b/clients/client-ec2/src/commands/AllocateIpamPoolCidrCommand.ts index b3207b186bef..077c5dbfe5d8 100644 --- a/clients/client-ec2/src/commands/AllocateIpamPoolCidrCommand.ts +++ b/clients/client-ec2/src/commands/AllocateIpamPoolCidrCommand.ts @@ -101,4 +101,16 @@ export class AllocateIpamPoolCidrCommand extends $Command .f(void 0, void 0) .ser(se_AllocateIpamPoolCidrCommand) .de(de_AllocateIpamPoolCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocateIpamPoolCidrRequest; + output: AllocateIpamPoolCidrResult; + }; + sdk: { + input: AllocateIpamPoolCidrCommandInput; + output: AllocateIpamPoolCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ApplySecurityGroupsToClientVpnTargetNetworkCommand.ts b/clients/client-ec2/src/commands/ApplySecurityGroupsToClientVpnTargetNetworkCommand.ts index 92ca319e3532..9826f836dbbb 100644 --- a/clients/client-ec2/src/commands/ApplySecurityGroupsToClientVpnTargetNetworkCommand.ts +++ b/clients/client-ec2/src/commands/ApplySecurityGroupsToClientVpnTargetNetworkCommand.ts @@ -94,4 +94,16 @@ export class ApplySecurityGroupsToClientVpnTargetNetworkCommand extends $Command .f(void 0, void 0) .ser(se_ApplySecurityGroupsToClientVpnTargetNetworkCommand) .de(de_ApplySecurityGroupsToClientVpnTargetNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplySecurityGroupsToClientVpnTargetNetworkRequest; + output: ApplySecurityGroupsToClientVpnTargetNetworkResult; + }; + sdk: { + input: ApplySecurityGroupsToClientVpnTargetNetworkCommandInput; + output: ApplySecurityGroupsToClientVpnTargetNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssignIpv6AddressesCommand.ts b/clients/client-ec2/src/commands/AssignIpv6AddressesCommand.ts index c41189ab8034..cf15c312021d 100644 --- a/clients/client-ec2/src/commands/AssignIpv6AddressesCommand.ts +++ b/clients/client-ec2/src/commands/AssignIpv6AddressesCommand.ts @@ -100,4 +100,16 @@ export class AssignIpv6AddressesCommand extends $Command .f(void 0, void 0) .ser(se_AssignIpv6AddressesCommand) .de(de_AssignIpv6AddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssignIpv6AddressesRequest; + output: AssignIpv6AddressesResult; + }; + sdk: { + input: AssignIpv6AddressesCommandInput; + output: AssignIpv6AddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssignPrivateIpAddressesCommand.ts b/clients/client-ec2/src/commands/AssignPrivateIpAddressesCommand.ts index ae2fedbc82ed..9b8636570ec9 100644 --- a/clients/client-ec2/src/commands/AssignPrivateIpAddressesCommand.ts +++ b/clients/client-ec2/src/commands/AssignPrivateIpAddressesCommand.ts @@ -136,4 +136,16 @@ export class AssignPrivateIpAddressesCommand extends $Command .f(void 0, void 0) .ser(se_AssignPrivateIpAddressesCommand) .de(de_AssignPrivateIpAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssignPrivateIpAddressesRequest; + output: AssignPrivateIpAddressesResult; + }; + sdk: { + input: AssignPrivateIpAddressesCommandInput; + output: AssignPrivateIpAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssignPrivateNatGatewayAddressCommand.ts b/clients/client-ec2/src/commands/AssignPrivateNatGatewayAddressCommand.ts index 705bf255ae08..df6f0575e839 100644 --- a/clients/client-ec2/src/commands/AssignPrivateNatGatewayAddressCommand.ts +++ b/clients/client-ec2/src/commands/AssignPrivateNatGatewayAddressCommand.ts @@ -100,4 +100,16 @@ export class AssignPrivateNatGatewayAddressCommand extends $Command .f(void 0, void 0) .ser(se_AssignPrivateNatGatewayAddressCommand) .de(de_AssignPrivateNatGatewayAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssignPrivateNatGatewayAddressRequest; + output: AssignPrivateNatGatewayAddressResult; + }; + sdk: { + input: AssignPrivateNatGatewayAddressCommandInput; + output: AssignPrivateNatGatewayAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateAddressCommand.ts b/clients/client-ec2/src/commands/AssociateAddressCommand.ts index f1f27f9270f4..22667c9a48b0 100644 --- a/clients/client-ec2/src/commands/AssociateAddressCommand.ts +++ b/clients/client-ec2/src/commands/AssociateAddressCommand.ts @@ -134,4 +134,16 @@ export class AssociateAddressCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAddressCommand) .de(de_AssociateAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAddressRequest; + output: AssociateAddressResult; + }; + sdk: { + input: AssociateAddressCommandInput; + output: AssociateAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateClientVpnTargetNetworkCommand.ts b/clients/client-ec2/src/commands/AssociateClientVpnTargetNetworkCommand.ts index a1a76a379181..ff7b64505de0 100644 --- a/clients/client-ec2/src/commands/AssociateClientVpnTargetNetworkCommand.ts +++ b/clients/client-ec2/src/commands/AssociateClientVpnTargetNetworkCommand.ts @@ -90,4 +90,16 @@ export class AssociateClientVpnTargetNetworkCommand extends $Command .f(void 0, void 0) .ser(se_AssociateClientVpnTargetNetworkCommand) .de(de_AssociateClientVpnTargetNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateClientVpnTargetNetworkRequest; + output: AssociateClientVpnTargetNetworkResult; + }; + sdk: { + input: AssociateClientVpnTargetNetworkCommandInput; + output: AssociateClientVpnTargetNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateDhcpOptionsCommand.ts b/clients/client-ec2/src/commands/AssociateDhcpOptionsCommand.ts index 0bd51c3270e9..8e3bce33f3c4 100644 --- a/clients/client-ec2/src/commands/AssociateDhcpOptionsCommand.ts +++ b/clients/client-ec2/src/commands/AssociateDhcpOptionsCommand.ts @@ -104,4 +104,16 @@ export class AssociateDhcpOptionsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDhcpOptionsCommand) .de(de_AssociateDhcpOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDhcpOptionsRequest; + output: {}; + }; + sdk: { + input: AssociateDhcpOptionsCommandInput; + output: AssociateDhcpOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateEnclaveCertificateIamRoleCommand.ts b/clients/client-ec2/src/commands/AssociateEnclaveCertificateIamRoleCommand.ts index e9d202eb5bb0..44ac1bc22d18 100644 --- a/clients/client-ec2/src/commands/AssociateEnclaveCertificateIamRoleCommand.ts +++ b/clients/client-ec2/src/commands/AssociateEnclaveCertificateIamRoleCommand.ts @@ -101,4 +101,16 @@ export class AssociateEnclaveCertificateIamRoleCommand extends $Command .f(void 0, void 0) .ser(se_AssociateEnclaveCertificateIamRoleCommand) .de(de_AssociateEnclaveCertificateIamRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateEnclaveCertificateIamRoleRequest; + output: AssociateEnclaveCertificateIamRoleResult; + }; + sdk: { + input: AssociateEnclaveCertificateIamRoleCommandInput; + output: AssociateEnclaveCertificateIamRoleCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateIamInstanceProfileCommand.ts b/clients/client-ec2/src/commands/AssociateIamInstanceProfileCommand.ts index dc438bcff3b6..0ff0ba39c8ed 100644 --- a/clients/client-ec2/src/commands/AssociateIamInstanceProfileCommand.ts +++ b/clients/client-ec2/src/commands/AssociateIamInstanceProfileCommand.ts @@ -118,4 +118,16 @@ export class AssociateIamInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_AssociateIamInstanceProfileCommand) .de(de_AssociateIamInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateIamInstanceProfileRequest; + output: AssociateIamInstanceProfileResult; + }; + sdk: { + input: AssociateIamInstanceProfileCommandInput; + output: AssociateIamInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateInstanceEventWindowCommand.ts b/clients/client-ec2/src/commands/AssociateInstanceEventWindowCommand.ts index fb990721b0ab..e0d995517aea 100644 --- a/clients/client-ec2/src/commands/AssociateInstanceEventWindowCommand.ts +++ b/clients/client-ec2/src/commands/AssociateInstanceEventWindowCommand.ts @@ -130,4 +130,16 @@ export class AssociateInstanceEventWindowCommand extends $Command .f(void 0, void 0) .ser(se_AssociateInstanceEventWindowCommand) .de(de_AssociateInstanceEventWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateInstanceEventWindowRequest; + output: AssociateInstanceEventWindowResult; + }; + sdk: { + input: AssociateInstanceEventWindowCommandInput; + output: AssociateInstanceEventWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateIpamByoasnCommand.ts b/clients/client-ec2/src/commands/AssociateIpamByoasnCommand.ts index 4e6784bdac65..73fe405a91d9 100644 --- a/clients/client-ec2/src/commands/AssociateIpamByoasnCommand.ts +++ b/clients/client-ec2/src/commands/AssociateIpamByoasnCommand.ts @@ -87,4 +87,16 @@ export class AssociateIpamByoasnCommand extends $Command .f(void 0, void 0) .ser(se_AssociateIpamByoasnCommand) .de(de_AssociateIpamByoasnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateIpamByoasnRequest; + output: AssociateIpamByoasnResult; + }; + sdk: { + input: AssociateIpamByoasnCommandInput; + output: AssociateIpamByoasnCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateIpamResourceDiscoveryCommand.ts b/clients/client-ec2/src/commands/AssociateIpamResourceDiscoveryCommand.ts index d0fa530888fa..d7e21dfd9636 100644 --- a/clients/client-ec2/src/commands/AssociateIpamResourceDiscoveryCommand.ts +++ b/clients/client-ec2/src/commands/AssociateIpamResourceDiscoveryCommand.ts @@ -113,4 +113,16 @@ export class AssociateIpamResourceDiscoveryCommand extends $Command .f(void 0, void 0) .ser(se_AssociateIpamResourceDiscoveryCommand) .de(de_AssociateIpamResourceDiscoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateIpamResourceDiscoveryRequest; + output: AssociateIpamResourceDiscoveryResult; + }; + sdk: { + input: AssociateIpamResourceDiscoveryCommandInput; + output: AssociateIpamResourceDiscoveryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateNatGatewayAddressCommand.ts b/clients/client-ec2/src/commands/AssociateNatGatewayAddressCommand.ts index 799344233180..1c7304887784 100644 --- a/clients/client-ec2/src/commands/AssociateNatGatewayAddressCommand.ts +++ b/clients/client-ec2/src/commands/AssociateNatGatewayAddressCommand.ts @@ -103,4 +103,16 @@ export class AssociateNatGatewayAddressCommand extends $Command .f(void 0, void 0) .ser(se_AssociateNatGatewayAddressCommand) .de(de_AssociateNatGatewayAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateNatGatewayAddressRequest; + output: AssociateNatGatewayAddressResult; + }; + sdk: { + input: AssociateNatGatewayAddressCommandInput; + output: AssociateNatGatewayAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateRouteTableCommand.ts b/clients/client-ec2/src/commands/AssociateRouteTableCommand.ts index bfb342eadffa..3113e4a311b6 100644 --- a/clients/client-ec2/src/commands/AssociateRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/AssociateRouteTableCommand.ts @@ -107,4 +107,16 @@ export class AssociateRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_AssociateRouteTableCommand) .de(de_AssociateRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateRouteTableRequest; + output: AssociateRouteTableResult; + }; + sdk: { + input: AssociateRouteTableCommandInput; + output: AssociateRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateSubnetCidrBlockCommand.ts b/clients/client-ec2/src/commands/AssociateSubnetCidrBlockCommand.ts index c7fe5d6a45fa..9550d29b6bd8 100644 --- a/clients/client-ec2/src/commands/AssociateSubnetCidrBlockCommand.ts +++ b/clients/client-ec2/src/commands/AssociateSubnetCidrBlockCommand.ts @@ -91,4 +91,16 @@ export class AssociateSubnetCidrBlockCommand extends $Command .f(void 0, void 0) .ser(se_AssociateSubnetCidrBlockCommand) .de(de_AssociateSubnetCidrBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSubnetCidrBlockRequest; + output: AssociateSubnetCidrBlockResult; + }; + sdk: { + input: AssociateSubnetCidrBlockCommandInput; + output: AssociateSubnetCidrBlockCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateTransitGatewayMulticastDomainCommand.ts b/clients/client-ec2/src/commands/AssociateTransitGatewayMulticastDomainCommand.ts index a59c9fa35bf6..459e2927b9b9 100644 --- a/clients/client-ec2/src/commands/AssociateTransitGatewayMulticastDomainCommand.ts +++ b/clients/client-ec2/src/commands/AssociateTransitGatewayMulticastDomainCommand.ts @@ -105,4 +105,16 @@ export class AssociateTransitGatewayMulticastDomainCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTransitGatewayMulticastDomainCommand) .de(de_AssociateTransitGatewayMulticastDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTransitGatewayMulticastDomainRequest; + output: AssociateTransitGatewayMulticastDomainResult; + }; + sdk: { + input: AssociateTransitGatewayMulticastDomainCommandInput; + output: AssociateTransitGatewayMulticastDomainCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateTransitGatewayPolicyTableCommand.ts b/clients/client-ec2/src/commands/AssociateTransitGatewayPolicyTableCommand.ts index dbd7b9ebd777..3c5660d424f7 100644 --- a/clients/client-ec2/src/commands/AssociateTransitGatewayPolicyTableCommand.ts +++ b/clients/client-ec2/src/commands/AssociateTransitGatewayPolicyTableCommand.ts @@ -93,4 +93,16 @@ export class AssociateTransitGatewayPolicyTableCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTransitGatewayPolicyTableCommand) .de(de_AssociateTransitGatewayPolicyTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTransitGatewayPolicyTableRequest; + output: AssociateTransitGatewayPolicyTableResult; + }; + sdk: { + input: AssociateTransitGatewayPolicyTableCommandInput; + output: AssociateTransitGatewayPolicyTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateTransitGatewayRouteTableCommand.ts b/clients/client-ec2/src/commands/AssociateTransitGatewayRouteTableCommand.ts index 35246dd269c7..27d383fa7222 100644 --- a/clients/client-ec2/src/commands/AssociateTransitGatewayRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/AssociateTransitGatewayRouteTableCommand.ts @@ -91,4 +91,16 @@ export class AssociateTransitGatewayRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTransitGatewayRouteTableCommand) .de(de_AssociateTransitGatewayRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTransitGatewayRouteTableRequest; + output: AssociateTransitGatewayRouteTableResult; + }; + sdk: { + input: AssociateTransitGatewayRouteTableCommandInput; + output: AssociateTransitGatewayRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateTrunkInterfaceCommand.ts b/clients/client-ec2/src/commands/AssociateTrunkInterfaceCommand.ts index c32e370b060d..e5cfd7e571aa 100644 --- a/clients/client-ec2/src/commands/AssociateTrunkInterfaceCommand.ts +++ b/clients/client-ec2/src/commands/AssociateTrunkInterfaceCommand.ts @@ -100,4 +100,16 @@ export class AssociateTrunkInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTrunkInterfaceCommand) .de(de_AssociateTrunkInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTrunkInterfaceRequest; + output: AssociateTrunkInterfaceResult; + }; + sdk: { + input: AssociateTrunkInterfaceCommandInput; + output: AssociateTrunkInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AssociateVpcCidrBlockCommand.ts b/clients/client-ec2/src/commands/AssociateVpcCidrBlockCommand.ts index e7075742391a..56f8f30cfbc1 100644 --- a/clients/client-ec2/src/commands/AssociateVpcCidrBlockCommand.ts +++ b/clients/client-ec2/src/commands/AssociateVpcCidrBlockCommand.ts @@ -113,4 +113,16 @@ export class AssociateVpcCidrBlockCommand extends $Command .f(void 0, void 0) .ser(se_AssociateVpcCidrBlockCommand) .de(de_AssociateVpcCidrBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateVpcCidrBlockRequest; + output: AssociateVpcCidrBlockResult; + }; + sdk: { + input: AssociateVpcCidrBlockCommandInput; + output: AssociateVpcCidrBlockCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AttachClassicLinkVpcCommand.ts b/clients/client-ec2/src/commands/AttachClassicLinkVpcCommand.ts index 04df9503f625..43a07bb098f5 100644 --- a/clients/client-ec2/src/commands/AttachClassicLinkVpcCommand.ts +++ b/clients/client-ec2/src/commands/AttachClassicLinkVpcCommand.ts @@ -91,4 +91,16 @@ export class AttachClassicLinkVpcCommand extends $Command .f(void 0, void 0) .ser(se_AttachClassicLinkVpcCommand) .de(de_AttachClassicLinkVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachClassicLinkVpcRequest; + output: AttachClassicLinkVpcResult; + }; + sdk: { + input: AttachClassicLinkVpcCommandInput; + output: AttachClassicLinkVpcCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AttachInternetGatewayCommand.ts b/clients/client-ec2/src/commands/AttachInternetGatewayCommand.ts index 6ddf10bc205f..b3ffe77c257a 100644 --- a/clients/client-ec2/src/commands/AttachInternetGatewayCommand.ts +++ b/clients/client-ec2/src/commands/AttachInternetGatewayCommand.ts @@ -91,4 +91,16 @@ export class AttachInternetGatewayCommand extends $Command .f(void 0, void 0) .ser(se_AttachInternetGatewayCommand) .de(de_AttachInternetGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachInternetGatewayRequest; + output: {}; + }; + sdk: { + input: AttachInternetGatewayCommandInput; + output: AttachInternetGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AttachNetworkInterfaceCommand.ts b/clients/client-ec2/src/commands/AttachNetworkInterfaceCommand.ts index 913b68b2a028..defe6fbc47ac 100644 --- a/clients/client-ec2/src/commands/AttachNetworkInterfaceCommand.ts +++ b/clients/client-ec2/src/commands/AttachNetworkInterfaceCommand.ts @@ -106,4 +106,16 @@ export class AttachNetworkInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_AttachNetworkInterfaceCommand) .de(de_AttachNetworkInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachNetworkInterfaceRequest; + output: AttachNetworkInterfaceResult; + }; + sdk: { + input: AttachNetworkInterfaceCommandInput; + output: AttachNetworkInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AttachVerifiedAccessTrustProviderCommand.ts b/clients/client-ec2/src/commands/AttachVerifiedAccessTrustProviderCommand.ts index 722650b34144..0f27006d1356 100644 --- a/clients/client-ec2/src/commands/AttachVerifiedAccessTrustProviderCommand.ts +++ b/clients/client-ec2/src/commands/AttachVerifiedAccessTrustProviderCommand.ts @@ -143,4 +143,16 @@ export class AttachVerifiedAccessTrustProviderCommand extends $Command .f(void 0, AttachVerifiedAccessTrustProviderResultFilterSensitiveLog) .ser(se_AttachVerifiedAccessTrustProviderCommand) .de(de_AttachVerifiedAccessTrustProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachVerifiedAccessTrustProviderRequest; + output: AttachVerifiedAccessTrustProviderResult; + }; + sdk: { + input: AttachVerifiedAccessTrustProviderCommandInput; + output: AttachVerifiedAccessTrustProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AttachVolumeCommand.ts b/clients/client-ec2/src/commands/AttachVolumeCommand.ts index 11167b63ce0c..c65eb129b55a 100644 --- a/clients/client-ec2/src/commands/AttachVolumeCommand.ts +++ b/clients/client-ec2/src/commands/AttachVolumeCommand.ts @@ -133,4 +133,16 @@ export class AttachVolumeCommand extends $Command .f(void 0, void 0) .ser(se_AttachVolumeCommand) .de(de_AttachVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachVolumeRequest; + output: VolumeAttachment; + }; + sdk: { + input: AttachVolumeCommandInput; + output: AttachVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AttachVpnGatewayCommand.ts b/clients/client-ec2/src/commands/AttachVpnGatewayCommand.ts index eb688a345b1f..d8924ae745c9 100644 --- a/clients/client-ec2/src/commands/AttachVpnGatewayCommand.ts +++ b/clients/client-ec2/src/commands/AttachVpnGatewayCommand.ts @@ -85,4 +85,16 @@ export class AttachVpnGatewayCommand extends $Command .f(void 0, void 0) .ser(se_AttachVpnGatewayCommand) .de(de_AttachVpnGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachVpnGatewayRequest; + output: AttachVpnGatewayResult; + }; + sdk: { + input: AttachVpnGatewayCommandInput; + output: AttachVpnGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AuthorizeClientVpnIngressCommand.ts b/clients/client-ec2/src/commands/AuthorizeClientVpnIngressCommand.ts index 65e72af779df..2bcffa106cc8 100644 --- a/clients/client-ec2/src/commands/AuthorizeClientVpnIngressCommand.ts +++ b/clients/client-ec2/src/commands/AuthorizeClientVpnIngressCommand.ts @@ -88,4 +88,16 @@ export class AuthorizeClientVpnIngressCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeClientVpnIngressCommand) .de(de_AuthorizeClientVpnIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeClientVpnIngressRequest; + output: AuthorizeClientVpnIngressResult; + }; + sdk: { + input: AuthorizeClientVpnIngressCommandInput; + output: AuthorizeClientVpnIngressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AuthorizeSecurityGroupEgressCommand.ts b/clients/client-ec2/src/commands/AuthorizeSecurityGroupEgressCommand.ts index 0667715c9ca3..8fd21d0a8e7a 100644 --- a/clients/client-ec2/src/commands/AuthorizeSecurityGroupEgressCommand.ts +++ b/clients/client-ec2/src/commands/AuthorizeSecurityGroupEgressCommand.ts @@ -219,4 +219,16 @@ export class AuthorizeSecurityGroupEgressCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeSecurityGroupEgressCommand) .de(de_AuthorizeSecurityGroupEgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeSecurityGroupEgressRequest; + output: AuthorizeSecurityGroupEgressResult; + }; + sdk: { + input: AuthorizeSecurityGroupEgressCommandInput; + output: AuthorizeSecurityGroupEgressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/AuthorizeSecurityGroupIngressCommand.ts b/clients/client-ec2/src/commands/AuthorizeSecurityGroupIngressCommand.ts index 903771dabc4e..75ae577b2cf8 100644 --- a/clients/client-ec2/src/commands/AuthorizeSecurityGroupIngressCommand.ts +++ b/clients/client-ec2/src/commands/AuthorizeSecurityGroupIngressCommand.ts @@ -246,4 +246,16 @@ export class AuthorizeSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeSecurityGroupIngressCommand) .de(de_AuthorizeSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeSecurityGroupIngressRequest; + output: AuthorizeSecurityGroupIngressResult; + }; + sdk: { + input: AuthorizeSecurityGroupIngressCommandInput; + output: AuthorizeSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/BundleInstanceCommand.ts b/clients/client-ec2/src/commands/BundleInstanceCommand.ts index b9bcbd68cb53..0c0f370a3397 100644 --- a/clients/client-ec2/src/commands/BundleInstanceCommand.ts +++ b/clients/client-ec2/src/commands/BundleInstanceCommand.ts @@ -116,4 +116,16 @@ export class BundleInstanceCommand extends $Command .f(BundleInstanceRequestFilterSensitiveLog, BundleInstanceResultFilterSensitiveLog) .ser(se_BundleInstanceCommand) .de(de_BundleInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BundleInstanceRequest; + output: BundleInstanceResult; + }; + sdk: { + input: BundleInstanceCommandInput; + output: BundleInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelBundleTaskCommand.ts b/clients/client-ec2/src/commands/CancelBundleTaskCommand.ts index 39d290bf0ed0..af8cc06b9f13 100644 --- a/clients/client-ec2/src/commands/CancelBundleTaskCommand.ts +++ b/clients/client-ec2/src/commands/CancelBundleTaskCommand.ts @@ -102,4 +102,16 @@ export class CancelBundleTaskCommand extends $Command .f(void 0, CancelBundleTaskResultFilterSensitiveLog) .ser(se_CancelBundleTaskCommand) .de(de_CancelBundleTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelBundleTaskRequest; + output: CancelBundleTaskResult; + }; + sdk: { + input: CancelBundleTaskCommandInput; + output: CancelBundleTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelCapacityReservationCommand.ts b/clients/client-ec2/src/commands/CancelCapacityReservationCommand.ts index 61fdf8217a98..c965c8b766e6 100644 --- a/clients/client-ec2/src/commands/CancelCapacityReservationCommand.ts +++ b/clients/client-ec2/src/commands/CancelCapacityReservationCommand.ts @@ -83,4 +83,16 @@ export class CancelCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_CancelCapacityReservationCommand) .de(de_CancelCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelCapacityReservationRequest; + output: CancelCapacityReservationResult; + }; + sdk: { + input: CancelCapacityReservationCommandInput; + output: CancelCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelCapacityReservationFleetsCommand.ts b/clients/client-ec2/src/commands/CancelCapacityReservationFleetsCommand.ts index d8cbd3a7e306..90fb36e9bcc6 100644 --- a/clients/client-ec2/src/commands/CancelCapacityReservationFleetsCommand.ts +++ b/clients/client-ec2/src/commands/CancelCapacityReservationFleetsCommand.ts @@ -114,4 +114,16 @@ export class CancelCapacityReservationFleetsCommand extends $Command .f(void 0, void 0) .ser(se_CancelCapacityReservationFleetsCommand) .de(de_CancelCapacityReservationFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelCapacityReservationFleetsRequest; + output: CancelCapacityReservationFleetsResult; + }; + sdk: { + input: CancelCapacityReservationFleetsCommandInput; + output: CancelCapacityReservationFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelConversionTaskCommand.ts b/clients/client-ec2/src/commands/CancelConversionTaskCommand.ts index f8b1d4c1be71..b743bbeac858 100644 --- a/clients/client-ec2/src/commands/CancelConversionTaskCommand.ts +++ b/clients/client-ec2/src/commands/CancelConversionTaskCommand.ts @@ -81,4 +81,16 @@ export class CancelConversionTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelConversionTaskCommand) .de(de_CancelConversionTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelConversionRequest; + output: {}; + }; + sdk: { + input: CancelConversionTaskCommandInput; + output: CancelConversionTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelExportTaskCommand.ts b/clients/client-ec2/src/commands/CancelExportTaskCommand.ts index 502b3202d9c0..cb6e9281ed12 100644 --- a/clients/client-ec2/src/commands/CancelExportTaskCommand.ts +++ b/clients/client-ec2/src/commands/CancelExportTaskCommand.ts @@ -77,4 +77,16 @@ export class CancelExportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelExportTaskCommand) .de(de_CancelExportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelExportTaskRequest; + output: {}; + }; + sdk: { + input: CancelExportTaskCommandInput; + output: CancelExportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelImageLaunchPermissionCommand.ts b/clients/client-ec2/src/commands/CancelImageLaunchPermissionCommand.ts index e8dc06c96387..c4cbbb42dc45 100644 --- a/clients/client-ec2/src/commands/CancelImageLaunchPermissionCommand.ts +++ b/clients/client-ec2/src/commands/CancelImageLaunchPermissionCommand.ts @@ -81,4 +81,16 @@ export class CancelImageLaunchPermissionCommand extends $Command .f(void 0, void 0) .ser(se_CancelImageLaunchPermissionCommand) .de(de_CancelImageLaunchPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelImageLaunchPermissionRequest; + output: CancelImageLaunchPermissionResult; + }; + sdk: { + input: CancelImageLaunchPermissionCommandInput; + output: CancelImageLaunchPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelImportTaskCommand.ts b/clients/client-ec2/src/commands/CancelImportTaskCommand.ts index 23e131ef4cb7..be2e40850cbf 100644 --- a/clients/client-ec2/src/commands/CancelImportTaskCommand.ts +++ b/clients/client-ec2/src/commands/CancelImportTaskCommand.ts @@ -81,4 +81,16 @@ export class CancelImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelImportTaskCommand) .de(de_CancelImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelImportTaskRequest; + output: CancelImportTaskResult; + }; + sdk: { + input: CancelImportTaskCommandInput; + output: CancelImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelReservedInstancesListingCommand.ts b/clients/client-ec2/src/commands/CancelReservedInstancesListingCommand.ts index a49ae0abccb5..cc31acd6acc4 100644 --- a/clients/client-ec2/src/commands/CancelReservedInstancesListingCommand.ts +++ b/clients/client-ec2/src/commands/CancelReservedInstancesListingCommand.ts @@ -114,4 +114,16 @@ export class CancelReservedInstancesListingCommand extends $Command .f(void 0, void 0) .ser(se_CancelReservedInstancesListingCommand) .de(de_CancelReservedInstancesListingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelReservedInstancesListingRequest; + output: CancelReservedInstancesListingResult; + }; + sdk: { + input: CancelReservedInstancesListingCommandInput; + output: CancelReservedInstancesListingCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelSpotFleetRequestsCommand.ts b/clients/client-ec2/src/commands/CancelSpotFleetRequestsCommand.ts index 834db727d25a..218137ace2ac 100644 --- a/clients/client-ec2/src/commands/CancelSpotFleetRequestsCommand.ts +++ b/clients/client-ec2/src/commands/CancelSpotFleetRequestsCommand.ts @@ -161,4 +161,16 @@ export class CancelSpotFleetRequestsCommand extends $Command .f(void 0, void 0) .ser(se_CancelSpotFleetRequestsCommand) .de(de_CancelSpotFleetRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSpotFleetRequestsRequest; + output: CancelSpotFleetRequestsResponse; + }; + sdk: { + input: CancelSpotFleetRequestsCommandInput; + output: CancelSpotFleetRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CancelSpotInstanceRequestsCommand.ts b/clients/client-ec2/src/commands/CancelSpotInstanceRequestsCommand.ts index a7257a24559a..d2b5a523cbb5 100644 --- a/clients/client-ec2/src/commands/CancelSpotInstanceRequestsCommand.ts +++ b/clients/client-ec2/src/commands/CancelSpotInstanceRequestsCommand.ts @@ -112,4 +112,16 @@ export class CancelSpotInstanceRequestsCommand extends $Command .f(void 0, void 0) .ser(se_CancelSpotInstanceRequestsCommand) .de(de_CancelSpotInstanceRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSpotInstanceRequestsRequest; + output: CancelSpotInstanceRequestsResult; + }; + sdk: { + input: CancelSpotInstanceRequestsCommandInput; + output: CancelSpotInstanceRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ConfirmProductInstanceCommand.ts b/clients/client-ec2/src/commands/ConfirmProductInstanceCommand.ts index 30ea6be15b15..36b3f6fd26de 100644 --- a/clients/client-ec2/src/commands/ConfirmProductInstanceCommand.ts +++ b/clients/client-ec2/src/commands/ConfirmProductInstanceCommand.ts @@ -99,4 +99,16 @@ export class ConfirmProductInstanceCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmProductInstanceCommand) .de(de_ConfirmProductInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmProductInstanceRequest; + output: ConfirmProductInstanceResult; + }; + sdk: { + input: ConfirmProductInstanceCommandInput; + output: ConfirmProductInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CopyFpgaImageCommand.ts b/clients/client-ec2/src/commands/CopyFpgaImageCommand.ts index 49a3885dadf2..47f03c506847 100644 --- a/clients/client-ec2/src/commands/CopyFpgaImageCommand.ts +++ b/clients/client-ec2/src/commands/CopyFpgaImageCommand.ts @@ -82,4 +82,16 @@ export class CopyFpgaImageCommand extends $Command .f(void 0, void 0) .ser(se_CopyFpgaImageCommand) .de(de_CopyFpgaImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyFpgaImageRequest; + output: CopyFpgaImageResult; + }; + sdk: { + input: CopyFpgaImageCommandInput; + output: CopyFpgaImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CopyImageCommand.ts b/clients/client-ec2/src/commands/CopyImageCommand.ts index 0e1246f68b7e..2712c4d5e36f 100644 --- a/clients/client-ec2/src/commands/CopyImageCommand.ts +++ b/clients/client-ec2/src/commands/CopyImageCommand.ts @@ -125,4 +125,16 @@ export class CopyImageCommand extends $Command .f(void 0, void 0) .ser(se_CopyImageCommand) .de(de_CopyImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyImageRequest; + output: CopyImageResult; + }; + sdk: { + input: CopyImageCommandInput; + output: CopyImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CopySnapshotCommand.ts b/clients/client-ec2/src/commands/CopySnapshotCommand.ts index 8331934b000d..52c84e20115b 100644 --- a/clients/client-ec2/src/commands/CopySnapshotCommand.ts +++ b/clients/client-ec2/src/commands/CopySnapshotCommand.ts @@ -142,4 +142,16 @@ export class CopySnapshotCommand extends $Command .f(CopySnapshotRequestFilterSensitiveLog, void 0) .ser(se_CopySnapshotCommand) .de(de_CopySnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopySnapshotRequest; + output: CopySnapshotResult; + }; + sdk: { + input: CopySnapshotCommandInput; + output: CopySnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateCapacityReservationBySplittingCommand.ts b/clients/client-ec2/src/commands/CreateCapacityReservationBySplittingCommand.ts index 320b3ec6e49e..9f0b95c48624 100644 --- a/clients/client-ec2/src/commands/CreateCapacityReservationBySplittingCommand.ts +++ b/clients/client-ec2/src/commands/CreateCapacityReservationBySplittingCommand.ts @@ -173,4 +173,16 @@ export class CreateCapacityReservationBySplittingCommand extends $Command .f(void 0, void 0) .ser(se_CreateCapacityReservationBySplittingCommand) .de(de_CreateCapacityReservationBySplittingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCapacityReservationBySplittingRequest; + output: CreateCapacityReservationBySplittingResult; + }; + sdk: { + input: CreateCapacityReservationBySplittingCommandInput; + output: CreateCapacityReservationBySplittingCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateCapacityReservationCommand.ts b/clients/client-ec2/src/commands/CreateCapacityReservationCommand.ts index 15aaf3a0b757..a8480cb79ee6 100644 --- a/clients/client-ec2/src/commands/CreateCapacityReservationCommand.ts +++ b/clients/client-ec2/src/commands/CreateCapacityReservationCommand.ts @@ -151,4 +151,16 @@ export class CreateCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_CreateCapacityReservationCommand) .de(de_CreateCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCapacityReservationRequest; + output: CreateCapacityReservationResult; + }; + sdk: { + input: CreateCapacityReservationCommandInput; + output: CreateCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateCapacityReservationFleetCommand.ts b/clients/client-ec2/src/commands/CreateCapacityReservationFleetCommand.ts index 8a25260a6899..71bf0388d8f4 100644 --- a/clients/client-ec2/src/commands/CreateCapacityReservationFleetCommand.ts +++ b/clients/client-ec2/src/commands/CreateCapacityReservationFleetCommand.ts @@ -141,4 +141,16 @@ export class CreateCapacityReservationFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateCapacityReservationFleetCommand) .de(de_CreateCapacityReservationFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCapacityReservationFleetRequest; + output: CreateCapacityReservationFleetResult; + }; + sdk: { + input: CreateCapacityReservationFleetCommandInput; + output: CreateCapacityReservationFleetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateCarrierGatewayCommand.ts b/clients/client-ec2/src/commands/CreateCarrierGatewayCommand.ts index efe7d96b66a8..def0edd4ab76 100644 --- a/clients/client-ec2/src/commands/CreateCarrierGatewayCommand.ts +++ b/clients/client-ec2/src/commands/CreateCarrierGatewayCommand.ts @@ -101,4 +101,16 @@ export class CreateCarrierGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateCarrierGatewayCommand) .de(de_CreateCarrierGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCarrierGatewayRequest; + output: CreateCarrierGatewayResult; + }; + sdk: { + input: CreateCarrierGatewayCommandInput; + output: CreateCarrierGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateClientVpnEndpointCommand.ts b/clients/client-ec2/src/commands/CreateClientVpnEndpointCommand.ts index cc99bf7cf18f..fb73f6561eaa 100644 --- a/clients/client-ec2/src/commands/CreateClientVpnEndpointCommand.ts +++ b/clients/client-ec2/src/commands/CreateClientVpnEndpointCommand.ts @@ -139,4 +139,16 @@ export class CreateClientVpnEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateClientVpnEndpointCommand) .de(de_CreateClientVpnEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClientVpnEndpointRequest; + output: CreateClientVpnEndpointResult; + }; + sdk: { + input: CreateClientVpnEndpointCommandInput; + output: CreateClientVpnEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateClientVpnRouteCommand.ts b/clients/client-ec2/src/commands/CreateClientVpnRouteCommand.ts index 6db9267688c4..f36ad8d52ef0 100644 --- a/clients/client-ec2/src/commands/CreateClientVpnRouteCommand.ts +++ b/clients/client-ec2/src/commands/CreateClientVpnRouteCommand.ts @@ -86,4 +86,16 @@ export class CreateClientVpnRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateClientVpnRouteCommand) .de(de_CreateClientVpnRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClientVpnRouteRequest; + output: CreateClientVpnRouteResult; + }; + sdk: { + input: CreateClientVpnRouteCommandInput; + output: CreateClientVpnRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateCoipCidrCommand.ts b/clients/client-ec2/src/commands/CreateCoipCidrCommand.ts index dbb66b7adbfb..99875d64c84e 100644 --- a/clients/client-ec2/src/commands/CreateCoipCidrCommand.ts +++ b/clients/client-ec2/src/commands/CreateCoipCidrCommand.ts @@ -85,4 +85,16 @@ export class CreateCoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_CreateCoipCidrCommand) .de(de_CreateCoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCoipCidrRequest; + output: CreateCoipCidrResult; + }; + sdk: { + input: CreateCoipCidrCommandInput; + output: CreateCoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateCoipPoolCommand.ts b/clients/client-ec2/src/commands/CreateCoipPoolCommand.ts index 7e4fe974cb4e..3d7f6c62717b 100644 --- a/clients/client-ec2/src/commands/CreateCoipPoolCommand.ts +++ b/clients/client-ec2/src/commands/CreateCoipPoolCommand.ts @@ -102,4 +102,16 @@ export class CreateCoipPoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateCoipPoolCommand) .de(de_CreateCoipPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCoipPoolRequest; + output: CreateCoipPoolResult; + }; + sdk: { + input: CreateCoipPoolCommandInput; + output: CreateCoipPoolCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateCustomerGatewayCommand.ts b/clients/client-ec2/src/commands/CreateCustomerGatewayCommand.ts index c2f7b9d88dd8..a489f7bfdf3a 100644 --- a/clients/client-ec2/src/commands/CreateCustomerGatewayCommand.ts +++ b/clients/client-ec2/src/commands/CreateCustomerGatewayCommand.ts @@ -147,4 +147,16 @@ export class CreateCustomerGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomerGatewayCommand) .de(de_CreateCustomerGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomerGatewayRequest; + output: CreateCustomerGatewayResult; + }; + sdk: { + input: CreateCustomerGatewayCommandInput; + output: CreateCustomerGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateDefaultSubnetCommand.ts b/clients/client-ec2/src/commands/CreateDefaultSubnetCommand.ts index ce0625642c3f..8a19f0584392 100644 --- a/clients/client-ec2/src/commands/CreateDefaultSubnetCommand.ts +++ b/clients/client-ec2/src/commands/CreateDefaultSubnetCommand.ts @@ -124,4 +124,16 @@ export class CreateDefaultSubnetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDefaultSubnetCommand) .de(de_CreateDefaultSubnetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDefaultSubnetRequest; + output: CreateDefaultSubnetResult; + }; + sdk: { + input: CreateDefaultSubnetCommandInput; + output: CreateDefaultSubnetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateDefaultVpcCommand.ts b/clients/client-ec2/src/commands/CreateDefaultVpcCommand.ts index f04340d789ef..4eb06e8aeb8e 100644 --- a/clients/client-ec2/src/commands/CreateDefaultVpcCommand.ts +++ b/clients/client-ec2/src/commands/CreateDefaultVpcCommand.ts @@ -121,4 +121,16 @@ export class CreateDefaultVpcCommand extends $Command .f(void 0, void 0) .ser(se_CreateDefaultVpcCommand) .de(de_CreateDefaultVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDefaultVpcRequest; + output: CreateDefaultVpcResult; + }; + sdk: { + input: CreateDefaultVpcCommandInput; + output: CreateDefaultVpcCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateDhcpOptionsCommand.ts b/clients/client-ec2/src/commands/CreateDhcpOptionsCommand.ts index 7608879e9d53..fe8d931ac5be 100644 --- a/clients/client-ec2/src/commands/CreateDhcpOptionsCommand.ts +++ b/clients/client-ec2/src/commands/CreateDhcpOptionsCommand.ts @@ -203,4 +203,16 @@ export class CreateDhcpOptionsCommand extends $Command .f(void 0, void 0) .ser(se_CreateDhcpOptionsCommand) .de(de_CreateDhcpOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDhcpOptionsRequest; + output: CreateDhcpOptionsResult; + }; + sdk: { + input: CreateDhcpOptionsCommandInput; + output: CreateDhcpOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateEgressOnlyInternetGatewayCommand.ts b/clients/client-ec2/src/commands/CreateEgressOnlyInternetGatewayCommand.ts index 0ed710bda0d1..e81f7f170c21 100644 --- a/clients/client-ec2/src/commands/CreateEgressOnlyInternetGatewayCommand.ts +++ b/clients/client-ec2/src/commands/CreateEgressOnlyInternetGatewayCommand.ts @@ -113,4 +113,16 @@ export class CreateEgressOnlyInternetGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateEgressOnlyInternetGatewayCommand) .de(de_CreateEgressOnlyInternetGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEgressOnlyInternetGatewayRequest; + output: CreateEgressOnlyInternetGatewayResult; + }; + sdk: { + input: CreateEgressOnlyInternetGatewayCommandInput; + output: CreateEgressOnlyInternetGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateFleetCommand.ts b/clients/client-ec2/src/commands/CreateFleetCommand.ts index b9325051d9ae..1398f05f6b2f 100644 --- a/clients/client-ec2/src/commands/CreateFleetCommand.ts +++ b/clients/client-ec2/src/commands/CreateFleetCommand.ts @@ -425,4 +425,16 @@ export class CreateFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetRequest; + output: CreateFleetResult; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateFlowLogsCommand.ts b/clients/client-ec2/src/commands/CreateFlowLogsCommand.ts index f92479dfd3ae..dea86735d296 100644 --- a/clients/client-ec2/src/commands/CreateFlowLogsCommand.ts +++ b/clients/client-ec2/src/commands/CreateFlowLogsCommand.ts @@ -129,4 +129,16 @@ export class CreateFlowLogsCommand extends $Command .f(void 0, void 0) .ser(se_CreateFlowLogsCommand) .de(de_CreateFlowLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowLogsRequest; + output: CreateFlowLogsResult; + }; + sdk: { + input: CreateFlowLogsCommandInput; + output: CreateFlowLogsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateFpgaImageCommand.ts b/clients/client-ec2/src/commands/CreateFpgaImageCommand.ts index 5d102ea8f011..160a1538e333 100644 --- a/clients/client-ec2/src/commands/CreateFpgaImageCommand.ts +++ b/clients/client-ec2/src/commands/CreateFpgaImageCommand.ts @@ -105,4 +105,16 @@ export class CreateFpgaImageCommand extends $Command .f(void 0, void 0) .ser(se_CreateFpgaImageCommand) .de(de_CreateFpgaImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFpgaImageRequest; + output: CreateFpgaImageResult; + }; + sdk: { + input: CreateFpgaImageCommandInput; + output: CreateFpgaImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateImageCommand.ts b/clients/client-ec2/src/commands/CreateImageCommand.ts index 874a72b18fe8..9ee383621f54 100644 --- a/clients/client-ec2/src/commands/CreateImageCommand.ts +++ b/clients/client-ec2/src/commands/CreateImageCommand.ts @@ -147,4 +147,16 @@ export class CreateImageCommand extends $Command .f(void 0, void 0) .ser(se_CreateImageCommand) .de(de_CreateImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImageRequest; + output: CreateImageResult; + }; + sdk: { + input: CreateImageCommandInput; + output: CreateImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateInstanceConnectEndpointCommand.ts b/clients/client-ec2/src/commands/CreateInstanceConnectEndpointCommand.ts index 2bad27de7283..c47562b9e96c 100644 --- a/clients/client-ec2/src/commands/CreateInstanceConnectEndpointCommand.ts +++ b/clients/client-ec2/src/commands/CreateInstanceConnectEndpointCommand.ts @@ -125,4 +125,16 @@ export class CreateInstanceConnectEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceConnectEndpointCommand) .de(de_CreateInstanceConnectEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceConnectEndpointRequest; + output: CreateInstanceConnectEndpointResult; + }; + sdk: { + input: CreateInstanceConnectEndpointCommandInput; + output: CreateInstanceConnectEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateInstanceEventWindowCommand.ts b/clients/client-ec2/src/commands/CreateInstanceEventWindowCommand.ts index cfc71386c5e1..5f9657abe97f 100644 --- a/clients/client-ec2/src/commands/CreateInstanceEventWindowCommand.ts +++ b/clients/client-ec2/src/commands/CreateInstanceEventWindowCommand.ts @@ -153,4 +153,16 @@ export class CreateInstanceEventWindowCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceEventWindowCommand) .de(de_CreateInstanceEventWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceEventWindowRequest; + output: CreateInstanceEventWindowResult; + }; + sdk: { + input: CreateInstanceEventWindowCommandInput; + output: CreateInstanceEventWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateInstanceExportTaskCommand.ts b/clients/client-ec2/src/commands/CreateInstanceExportTaskCommand.ts index d518814daf61..b7fdb0ed5229 100644 --- a/clients/client-ec2/src/commands/CreateInstanceExportTaskCommand.ts +++ b/clients/client-ec2/src/commands/CreateInstanceExportTaskCommand.ts @@ -120,4 +120,16 @@ export class CreateInstanceExportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceExportTaskCommand) .de(de_CreateInstanceExportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceExportTaskRequest; + output: CreateInstanceExportTaskResult; + }; + sdk: { + input: CreateInstanceExportTaskCommandInput; + output: CreateInstanceExportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateInternetGatewayCommand.ts b/clients/client-ec2/src/commands/CreateInternetGatewayCommand.ts index e147579fd5e3..3e4c0ab3c587 100644 --- a/clients/client-ec2/src/commands/CreateInternetGatewayCommand.ts +++ b/clients/client-ec2/src/commands/CreateInternetGatewayCommand.ts @@ -124,4 +124,16 @@ export class CreateInternetGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateInternetGatewayCommand) .de(de_CreateInternetGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInternetGatewayRequest; + output: CreateInternetGatewayResult; + }; + sdk: { + input: CreateInternetGatewayCommandInput; + output: CreateInternetGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateIpamCommand.ts b/clients/client-ec2/src/commands/CreateIpamCommand.ts index 4abc8f962dbe..2cdac421ab64 100644 --- a/clients/client-ec2/src/commands/CreateIpamCommand.ts +++ b/clients/client-ec2/src/commands/CreateIpamCommand.ts @@ -129,4 +129,16 @@ export class CreateIpamCommand extends $Command .f(void 0, void 0) .ser(se_CreateIpamCommand) .de(de_CreateIpamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIpamRequest; + output: CreateIpamResult; + }; + sdk: { + input: CreateIpamCommandInput; + output: CreateIpamCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateIpamExternalResourceVerificationTokenCommand.ts b/clients/client-ec2/src/commands/CreateIpamExternalResourceVerificationTokenCommand.ts index 1550325187f6..638200f07c9e 100644 --- a/clients/client-ec2/src/commands/CreateIpamExternalResourceVerificationTokenCommand.ts +++ b/clients/client-ec2/src/commands/CreateIpamExternalResourceVerificationTokenCommand.ts @@ -117,4 +117,16 @@ export class CreateIpamExternalResourceVerificationTokenCommand extends $Command .f(void 0, void 0) .ser(se_CreateIpamExternalResourceVerificationTokenCommand) .de(de_CreateIpamExternalResourceVerificationTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIpamExternalResourceVerificationTokenRequest; + output: CreateIpamExternalResourceVerificationTokenResult; + }; + sdk: { + input: CreateIpamExternalResourceVerificationTokenCommandInput; + output: CreateIpamExternalResourceVerificationTokenCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateIpamPoolCommand.ts b/clients/client-ec2/src/commands/CreateIpamPoolCommand.ts index 1fac89c0f3d6..f3ecd766d5ed 100644 --- a/clients/client-ec2/src/commands/CreateIpamPoolCommand.ts +++ b/clients/client-ec2/src/commands/CreateIpamPoolCommand.ts @@ -155,4 +155,16 @@ export class CreateIpamPoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateIpamPoolCommand) .de(de_CreateIpamPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIpamPoolRequest; + output: CreateIpamPoolResult; + }; + sdk: { + input: CreateIpamPoolCommandInput; + output: CreateIpamPoolCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateIpamResourceDiscoveryCommand.ts b/clients/client-ec2/src/commands/CreateIpamResourceDiscoveryCommand.ts index e1b52c9b5313..cf93f6f12959 100644 --- a/clients/client-ec2/src/commands/CreateIpamResourceDiscoveryCommand.ts +++ b/clients/client-ec2/src/commands/CreateIpamResourceDiscoveryCommand.ts @@ -114,4 +114,16 @@ export class CreateIpamResourceDiscoveryCommand extends $Command .f(void 0, void 0) .ser(se_CreateIpamResourceDiscoveryCommand) .de(de_CreateIpamResourceDiscoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIpamResourceDiscoveryRequest; + output: CreateIpamResourceDiscoveryResult; + }; + sdk: { + input: CreateIpamResourceDiscoveryCommandInput; + output: CreateIpamResourceDiscoveryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateIpamScopeCommand.ts b/clients/client-ec2/src/commands/CreateIpamScopeCommand.ts index f39ec40188aa..7560e34dcc2a 100644 --- a/clients/client-ec2/src/commands/CreateIpamScopeCommand.ts +++ b/clients/client-ec2/src/commands/CreateIpamScopeCommand.ts @@ -109,4 +109,16 @@ export class CreateIpamScopeCommand extends $Command .f(void 0, void 0) .ser(se_CreateIpamScopeCommand) .de(de_CreateIpamScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIpamScopeRequest; + output: CreateIpamScopeResult; + }; + sdk: { + input: CreateIpamScopeCommandInput; + output: CreateIpamScopeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateKeyPairCommand.ts b/clients/client-ec2/src/commands/CreateKeyPairCommand.ts index 51e7f2099e55..1eae21301965 100644 --- a/clients/client-ec2/src/commands/CreateKeyPairCommand.ts +++ b/clients/client-ec2/src/commands/CreateKeyPairCommand.ts @@ -121,4 +121,16 @@ export class CreateKeyPairCommand extends $Command .f(void 0, KeyPairFilterSensitiveLog) .ser(se_CreateKeyPairCommand) .de(de_CreateKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyPairRequest; + output: KeyPair; + }; + sdk: { + input: CreateKeyPairCommandInput; + output: CreateKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateLaunchTemplateCommand.ts b/clients/client-ec2/src/commands/CreateLaunchTemplateCommand.ts index 7da944a9466d..9596fd16b3f0 100644 --- a/clients/client-ec2/src/commands/CreateLaunchTemplateCommand.ts +++ b/clients/client-ec2/src/commands/CreateLaunchTemplateCommand.ts @@ -421,4 +421,16 @@ export class CreateLaunchTemplateCommand extends $Command .f(CreateLaunchTemplateRequestFilterSensitiveLog, void 0) .ser(se_CreateLaunchTemplateCommand) .de(de_CreateLaunchTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLaunchTemplateRequest; + output: CreateLaunchTemplateResult; + }; + sdk: { + input: CreateLaunchTemplateCommandInput; + output: CreateLaunchTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateLaunchTemplateVersionCommand.ts b/clients/client-ec2/src/commands/CreateLaunchTemplateVersionCommand.ts index c5940852a7fd..fdd473155258 100644 --- a/clients/client-ec2/src/commands/CreateLaunchTemplateVersionCommand.ts +++ b/clients/client-ec2/src/commands/CreateLaunchTemplateVersionCommand.ts @@ -658,4 +658,16 @@ export class CreateLaunchTemplateVersionCommand extends $Command .f(CreateLaunchTemplateVersionRequestFilterSensitiveLog, CreateLaunchTemplateVersionResultFilterSensitiveLog) .ser(se_CreateLaunchTemplateVersionCommand) .de(de_CreateLaunchTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLaunchTemplateVersionRequest; + output: CreateLaunchTemplateVersionResult; + }; + sdk: { + input: CreateLaunchTemplateVersionCommandInput; + output: CreateLaunchTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateLocalGatewayRouteCommand.ts b/clients/client-ec2/src/commands/CreateLocalGatewayRouteCommand.ts index cff1fedaf937..3639a9693ade 100644 --- a/clients/client-ec2/src/commands/CreateLocalGatewayRouteCommand.ts +++ b/clients/client-ec2/src/commands/CreateLocalGatewayRouteCommand.ts @@ -107,4 +107,16 @@ export class CreateLocalGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocalGatewayRouteCommand) .de(de_CreateLocalGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocalGatewayRouteRequest; + output: CreateLocalGatewayRouteResult; + }; + sdk: { + input: CreateLocalGatewayRouteCommandInput; + output: CreateLocalGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableCommand.ts b/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableCommand.ts index 8ad9ba935350..e13bab2b8468 100644 --- a/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableCommand.ts @@ -112,4 +112,16 @@ export class CreateLocalGatewayRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocalGatewayRouteTableCommand) .de(de_CreateLocalGatewayRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocalGatewayRouteTableRequest; + output: CreateLocalGatewayRouteTableResult; + }; + sdk: { + input: CreateLocalGatewayRouteTableCommandInput; + output: CreateLocalGatewayRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts b/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts index 4891c59b5f69..545c2f2db868 100644 --- a/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts +++ b/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts @@ -115,4 +115,16 @@ export class CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand .f(void 0, void 0) .ser(se_CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand) .de(de_CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationRequest; + output: CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationResult; + }; + sdk: { + input: CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommandInput; + output: CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVpcAssociationCommand.ts b/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVpcAssociationCommand.ts index a5fcfad660d7..cd4907861765 100644 --- a/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVpcAssociationCommand.ts +++ b/clients/client-ec2/src/commands/CreateLocalGatewayRouteTableVpcAssociationCommand.ts @@ -113,4 +113,16 @@ export class CreateLocalGatewayRouteTableVpcAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocalGatewayRouteTableVpcAssociationCommand) .de(de_CreateLocalGatewayRouteTableVpcAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocalGatewayRouteTableVpcAssociationRequest; + output: CreateLocalGatewayRouteTableVpcAssociationResult; + }; + sdk: { + input: CreateLocalGatewayRouteTableVpcAssociationCommandInput; + output: CreateLocalGatewayRouteTableVpcAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateManagedPrefixListCommand.ts b/clients/client-ec2/src/commands/CreateManagedPrefixListCommand.ts index ad75241dab78..8fed7dd9ed48 100644 --- a/clients/client-ec2/src/commands/CreateManagedPrefixListCommand.ts +++ b/clients/client-ec2/src/commands/CreateManagedPrefixListCommand.ts @@ -115,4 +115,16 @@ export class CreateManagedPrefixListCommand extends $Command .f(void 0, void 0) .ser(se_CreateManagedPrefixListCommand) .de(de_CreateManagedPrefixListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateManagedPrefixListRequest; + output: CreateManagedPrefixListResult; + }; + sdk: { + input: CreateManagedPrefixListCommandInput; + output: CreateManagedPrefixListCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateNatGatewayCommand.ts b/clients/client-ec2/src/commands/CreateNatGatewayCommand.ts index 6780e3c65d8b..7df35501274c 100644 --- a/clients/client-ec2/src/commands/CreateNatGatewayCommand.ts +++ b/clients/client-ec2/src/commands/CreateNatGatewayCommand.ts @@ -177,4 +177,16 @@ export class CreateNatGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateNatGatewayCommand) .de(de_CreateNatGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNatGatewayRequest; + output: CreateNatGatewayResult; + }; + sdk: { + input: CreateNatGatewayCommandInput; + output: CreateNatGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateNetworkAclCommand.ts b/clients/client-ec2/src/commands/CreateNetworkAclCommand.ts index 584734ab0d2d..980af89431ee 100644 --- a/clients/client-ec2/src/commands/CreateNetworkAclCommand.ts +++ b/clients/client-ec2/src/commands/CreateNetworkAclCommand.ts @@ -167,4 +167,16 @@ export class CreateNetworkAclCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkAclCommand) .de(de_CreateNetworkAclCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkAclRequest; + output: CreateNetworkAclResult; + }; + sdk: { + input: CreateNetworkAclCommandInput; + output: CreateNetworkAclCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateNetworkAclEntryCommand.ts b/clients/client-ec2/src/commands/CreateNetworkAclEntryCommand.ts index 6ecfd1ef9133..dd7b1e114e00 100644 --- a/clients/client-ec2/src/commands/CreateNetworkAclEntryCommand.ts +++ b/clients/client-ec2/src/commands/CreateNetworkAclEntryCommand.ts @@ -118,4 +118,16 @@ export class CreateNetworkAclEntryCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkAclEntryCommand) .de(de_CreateNetworkAclEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkAclEntryRequest; + output: {}; + }; + sdk: { + input: CreateNetworkAclEntryCommandInput; + output: CreateNetworkAclEntryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateNetworkInsightsAccessScopeCommand.ts b/clients/client-ec2/src/commands/CreateNetworkInsightsAccessScopeCommand.ts index dd1e1075a987..5c8e06f2e067 100644 --- a/clients/client-ec2/src/commands/CreateNetworkInsightsAccessScopeCommand.ts +++ b/clients/client-ec2/src/commands/CreateNetworkInsightsAccessScopeCommand.ts @@ -309,4 +309,16 @@ export class CreateNetworkInsightsAccessScopeCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkInsightsAccessScopeCommand) .de(de_CreateNetworkInsightsAccessScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkInsightsAccessScopeRequest; + output: CreateNetworkInsightsAccessScopeResult; + }; + sdk: { + input: CreateNetworkInsightsAccessScopeCommandInput; + output: CreateNetworkInsightsAccessScopeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateNetworkInsightsPathCommand.ts b/clients/client-ec2/src/commands/CreateNetworkInsightsPathCommand.ts index 262e5941b380..66529306298b 100644 --- a/clients/client-ec2/src/commands/CreateNetworkInsightsPathCommand.ts +++ b/clients/client-ec2/src/commands/CreateNetworkInsightsPathCommand.ts @@ -164,4 +164,16 @@ export class CreateNetworkInsightsPathCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkInsightsPathCommand) .de(de_CreateNetworkInsightsPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkInsightsPathRequest; + output: CreateNetworkInsightsPathResult; + }; + sdk: { + input: CreateNetworkInsightsPathCommandInput; + output: CreateNetworkInsightsPathCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateNetworkInterfaceCommand.ts b/clients/client-ec2/src/commands/CreateNetworkInterfaceCommand.ts index 41ee79ab5522..329ca9890594 100644 --- a/clients/client-ec2/src/commands/CreateNetworkInterfaceCommand.ts +++ b/clients/client-ec2/src/commands/CreateNetworkInterfaceCommand.ts @@ -272,4 +272,16 @@ export class CreateNetworkInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkInterfaceCommand) .de(de_CreateNetworkInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkInterfaceRequest; + output: CreateNetworkInterfaceResult; + }; + sdk: { + input: CreateNetworkInterfaceCommandInput; + output: CreateNetworkInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateNetworkInterfacePermissionCommand.ts b/clients/client-ec2/src/commands/CreateNetworkInterfacePermissionCommand.ts index 80e973680c17..fbad7d7480f3 100644 --- a/clients/client-ec2/src/commands/CreateNetworkInterfacePermissionCommand.ts +++ b/clients/client-ec2/src/commands/CreateNetworkInterfacePermissionCommand.ts @@ -98,4 +98,16 @@ export class CreateNetworkInterfacePermissionCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkInterfacePermissionCommand) .de(de_CreateNetworkInterfacePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkInterfacePermissionRequest; + output: CreateNetworkInterfacePermissionResult; + }; + sdk: { + input: CreateNetworkInterfacePermissionCommandInput; + output: CreateNetworkInterfacePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreatePlacementGroupCommand.ts b/clients/client-ec2/src/commands/CreatePlacementGroupCommand.ts index 7d83e354f9c9..9887e20f18c1 100644 --- a/clients/client-ec2/src/commands/CreatePlacementGroupCommand.ts +++ b/clients/client-ec2/src/commands/CreatePlacementGroupCommand.ts @@ -127,4 +127,16 @@ export class CreatePlacementGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreatePlacementGroupCommand) .de(de_CreatePlacementGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlacementGroupRequest; + output: CreatePlacementGroupResult; + }; + sdk: { + input: CreatePlacementGroupCommandInput; + output: CreatePlacementGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreatePublicIpv4PoolCommand.ts b/clients/client-ec2/src/commands/CreatePublicIpv4PoolCommand.ts index c9885e010d68..42ea88086fae 100644 --- a/clients/client-ec2/src/commands/CreatePublicIpv4PoolCommand.ts +++ b/clients/client-ec2/src/commands/CreatePublicIpv4PoolCommand.ts @@ -89,4 +89,16 @@ export class CreatePublicIpv4PoolCommand extends $Command .f(void 0, void 0) .ser(se_CreatePublicIpv4PoolCommand) .de(de_CreatePublicIpv4PoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePublicIpv4PoolRequest; + output: CreatePublicIpv4PoolResult; + }; + sdk: { + input: CreatePublicIpv4PoolCommandInput; + output: CreatePublicIpv4PoolCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateReplaceRootVolumeTaskCommand.ts b/clients/client-ec2/src/commands/CreateReplaceRootVolumeTaskCommand.ts index 3201631d9934..26f7b8586c64 100644 --- a/clients/client-ec2/src/commands/CreateReplaceRootVolumeTaskCommand.ts +++ b/clients/client-ec2/src/commands/CreateReplaceRootVolumeTaskCommand.ts @@ -112,4 +112,16 @@ export class CreateReplaceRootVolumeTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplaceRootVolumeTaskCommand) .de(de_CreateReplaceRootVolumeTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplaceRootVolumeTaskRequest; + output: CreateReplaceRootVolumeTaskResult; + }; + sdk: { + input: CreateReplaceRootVolumeTaskCommandInput; + output: CreateReplaceRootVolumeTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateReservedInstancesListingCommand.ts b/clients/client-ec2/src/commands/CreateReservedInstancesListingCommand.ts index 44565d1b3c40..2084fa254ccf 100644 --- a/clients/client-ec2/src/commands/CreateReservedInstancesListingCommand.ts +++ b/clients/client-ec2/src/commands/CreateReservedInstancesListingCommand.ts @@ -136,4 +136,16 @@ export class CreateReservedInstancesListingCommand extends $Command .f(void 0, void 0) .ser(se_CreateReservedInstancesListingCommand) .de(de_CreateReservedInstancesListingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReservedInstancesListingRequest; + output: CreateReservedInstancesListingResult; + }; + sdk: { + input: CreateReservedInstancesListingCommandInput; + output: CreateReservedInstancesListingCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateRestoreImageTaskCommand.ts b/clients/client-ec2/src/commands/CreateRestoreImageTaskCommand.ts index 9a8860f44967..a2010f2056d3 100644 --- a/clients/client-ec2/src/commands/CreateRestoreImageTaskCommand.ts +++ b/clients/client-ec2/src/commands/CreateRestoreImageTaskCommand.ts @@ -96,4 +96,16 @@ export class CreateRestoreImageTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateRestoreImageTaskCommand) .de(de_CreateRestoreImageTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRestoreImageTaskRequest; + output: CreateRestoreImageTaskResult; + }; + sdk: { + input: CreateRestoreImageTaskCommandInput; + output: CreateRestoreImageTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateRouteCommand.ts b/clients/client-ec2/src/commands/CreateRouteCommand.ts index 68f820aab044..29b77dac677e 100644 --- a/clients/client-ec2/src/commands/CreateRouteCommand.ts +++ b/clients/client-ec2/src/commands/CreateRouteCommand.ts @@ -125,4 +125,16 @@ export class CreateRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateRouteCommand) .de(de_CreateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRouteRequest; + output: CreateRouteResult; + }; + sdk: { + input: CreateRouteCommandInput; + output: CreateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateRouteTableCommand.ts b/clients/client-ec2/src/commands/CreateRouteTableCommand.ts index e90aa86c1455..989a54f96656 100644 --- a/clients/client-ec2/src/commands/CreateRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/CreateRouteTableCommand.ts @@ -170,4 +170,16 @@ export class CreateRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateRouteTableCommand) .de(de_CreateRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRouteTableRequest; + output: CreateRouteTableResult; + }; + sdk: { + input: CreateRouteTableCommandInput; + output: CreateRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateSecurityGroupCommand.ts b/clients/client-ec2/src/commands/CreateSecurityGroupCommand.ts index ff9f3dc9e689..1ad6a2a33442 100644 --- a/clients/client-ec2/src/commands/CreateSecurityGroupCommand.ts +++ b/clients/client-ec2/src/commands/CreateSecurityGroupCommand.ts @@ -133,4 +133,16 @@ export class CreateSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityGroupCommand) .de(de_CreateSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityGroupRequest; + output: CreateSecurityGroupResult; + }; + sdk: { + input: CreateSecurityGroupCommandInput; + output: CreateSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateSnapshotCommand.ts b/clients/client-ec2/src/commands/CreateSnapshotCommand.ts index 1463192932f0..312f29c1aa09 100644 --- a/clients/client-ec2/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-ec2/src/commands/CreateSnapshotCommand.ts @@ -161,4 +161,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotRequest; + output: Snapshot; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateSnapshotsCommand.ts b/clients/client-ec2/src/commands/CreateSnapshotsCommand.ts index c15c665a8355..aafa080f0c1d 100644 --- a/clients/client-ec2/src/commands/CreateSnapshotsCommand.ts +++ b/clients/client-ec2/src/commands/CreateSnapshotsCommand.ts @@ -127,4 +127,16 @@ export class CreateSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotsCommand) .de(de_CreateSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotsRequest; + output: CreateSnapshotsResult; + }; + sdk: { + input: CreateSnapshotsCommandInput; + output: CreateSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateSpotDatafeedSubscriptionCommand.ts b/clients/client-ec2/src/commands/CreateSpotDatafeedSubscriptionCommand.ts index 5a35da8d8577..ac12d153b779 100644 --- a/clients/client-ec2/src/commands/CreateSpotDatafeedSubscriptionCommand.ts +++ b/clients/client-ec2/src/commands/CreateSpotDatafeedSubscriptionCommand.ts @@ -118,4 +118,16 @@ export class CreateSpotDatafeedSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSpotDatafeedSubscriptionCommand) .de(de_CreateSpotDatafeedSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSpotDatafeedSubscriptionRequest; + output: CreateSpotDatafeedSubscriptionResult; + }; + sdk: { + input: CreateSpotDatafeedSubscriptionCommandInput; + output: CreateSpotDatafeedSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateStoreImageTaskCommand.ts b/clients/client-ec2/src/commands/CreateStoreImageTaskCommand.ts index 9f72c1e7b2b3..9666d1d83410 100644 --- a/clients/client-ec2/src/commands/CreateStoreImageTaskCommand.ts +++ b/clients/client-ec2/src/commands/CreateStoreImageTaskCommand.ts @@ -89,4 +89,16 @@ export class CreateStoreImageTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateStoreImageTaskCommand) .de(de_CreateStoreImageTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStoreImageTaskRequest; + output: CreateStoreImageTaskResult; + }; + sdk: { + input: CreateStoreImageTaskCommandInput; + output: CreateStoreImageTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateSubnetCidrReservationCommand.ts b/clients/client-ec2/src/commands/CreateSubnetCidrReservationCommand.ts index 39e51f0b01c0..ecf5ab78750e 100644 --- a/clients/client-ec2/src/commands/CreateSubnetCidrReservationCommand.ts +++ b/clients/client-ec2/src/commands/CreateSubnetCidrReservationCommand.ts @@ -107,4 +107,16 @@ export class CreateSubnetCidrReservationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubnetCidrReservationCommand) .de(de_CreateSubnetCidrReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubnetCidrReservationRequest; + output: CreateSubnetCidrReservationResult; + }; + sdk: { + input: CreateSubnetCidrReservationCommandInput; + output: CreateSubnetCidrReservationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateSubnetCommand.ts b/clients/client-ec2/src/commands/CreateSubnetCommand.ts index 43f3913c24e7..1acf0ea23b1b 100644 --- a/clients/client-ec2/src/commands/CreateSubnetCommand.ts +++ b/clients/client-ec2/src/commands/CreateSubnetCommand.ts @@ -181,4 +181,16 @@ export class CreateSubnetCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubnetCommand) .de(de_CreateSubnetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubnetRequest; + output: CreateSubnetResult; + }; + sdk: { + input: CreateSubnetCommandInput; + output: CreateSubnetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTagsCommand.ts b/clients/client-ec2/src/commands/CreateTagsCommand.ts index 96bd14f4386d..a58edaf83bc4 100644 --- a/clients/client-ec2/src/commands/CreateTagsCommand.ts +++ b/clients/client-ec2/src/commands/CreateTagsCommand.ts @@ -111,4 +111,16 @@ export class CreateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagsCommand) .de(de_CreateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagsRequest; + output: {}; + }; + sdk: { + input: CreateTagsCommandInput; + output: CreateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTrafficMirrorFilterCommand.ts b/clients/client-ec2/src/commands/CreateTrafficMirrorFilterCommand.ts index 3bcda6674cf4..21126d9eeb83 100644 --- a/clients/client-ec2/src/commands/CreateTrafficMirrorFilterCommand.ts +++ b/clients/client-ec2/src/commands/CreateTrafficMirrorFilterCommand.ts @@ -161,4 +161,16 @@ export class CreateTrafficMirrorFilterCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficMirrorFilterCommand) .de(de_CreateTrafficMirrorFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficMirrorFilterRequest; + output: CreateTrafficMirrorFilterResult; + }; + sdk: { + input: CreateTrafficMirrorFilterCommandInput; + output: CreateTrafficMirrorFilterCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTrafficMirrorFilterRuleCommand.ts b/clients/client-ec2/src/commands/CreateTrafficMirrorFilterRuleCommand.ts index bee8b6ed58a7..9839de5e6b79 100644 --- a/clients/client-ec2/src/commands/CreateTrafficMirrorFilterRuleCommand.ts +++ b/clients/client-ec2/src/commands/CreateTrafficMirrorFilterRuleCommand.ts @@ -134,4 +134,16 @@ export class CreateTrafficMirrorFilterRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficMirrorFilterRuleCommand) .de(de_CreateTrafficMirrorFilterRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficMirrorFilterRuleRequest; + output: CreateTrafficMirrorFilterRuleResult; + }; + sdk: { + input: CreateTrafficMirrorFilterRuleCommandInput; + output: CreateTrafficMirrorFilterRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTrafficMirrorSessionCommand.ts b/clients/client-ec2/src/commands/CreateTrafficMirrorSessionCommand.ts index 3807559abcaf..160e0dc65cff 100644 --- a/clients/client-ec2/src/commands/CreateTrafficMirrorSessionCommand.ts +++ b/clients/client-ec2/src/commands/CreateTrafficMirrorSessionCommand.ts @@ -119,4 +119,16 @@ export class CreateTrafficMirrorSessionCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficMirrorSessionCommand) .de(de_CreateTrafficMirrorSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficMirrorSessionRequest; + output: CreateTrafficMirrorSessionResult; + }; + sdk: { + input: CreateTrafficMirrorSessionCommandInput; + output: CreateTrafficMirrorSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTrafficMirrorTargetCommand.ts b/clients/client-ec2/src/commands/CreateTrafficMirrorTargetCommand.ts index c6b2551bd446..fa08a58d3178 100644 --- a/clients/client-ec2/src/commands/CreateTrafficMirrorTargetCommand.ts +++ b/clients/client-ec2/src/commands/CreateTrafficMirrorTargetCommand.ts @@ -113,4 +113,16 @@ export class CreateTrafficMirrorTargetCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficMirrorTargetCommand) .de(de_CreateTrafficMirrorTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficMirrorTargetRequest; + output: CreateTrafficMirrorTargetResult; + }; + sdk: { + input: CreateTrafficMirrorTargetCommandInput; + output: CreateTrafficMirrorTargetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayCommand.ts index 374181202f9a..7bf1ad31a35e 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayCommand.ts @@ -142,4 +142,16 @@ export class CreateTransitGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayCommand) .de(de_CreateTransitGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayRequest; + output: CreateTransitGatewayResult; + }; + sdk: { + input: CreateTransitGatewayCommandInput; + output: CreateTransitGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayConnectCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayConnectCommand.ts index f9002a9a85c4..10467b16fb43 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayConnectCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayConnectCommand.ts @@ -108,4 +108,16 @@ export class CreateTransitGatewayConnectCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayConnectCommand) .de(de_CreateTransitGatewayConnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayConnectRequest; + output: CreateTransitGatewayConnectResult; + }; + sdk: { + input: CreateTransitGatewayConnectCommandInput; + output: CreateTransitGatewayConnectCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayConnectPeerCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayConnectPeerCommand.ts index 95dd61e11862..bc2c1212e716 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayConnectPeerCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayConnectPeerCommand.ts @@ -134,4 +134,16 @@ export class CreateTransitGatewayConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayConnectPeerCommand) .de(de_CreateTransitGatewayConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayConnectPeerRequest; + output: CreateTransitGatewayConnectPeerResult; + }; + sdk: { + input: CreateTransitGatewayConnectPeerCommandInput; + output: CreateTransitGatewayConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayMulticastDomainCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayMulticastDomainCommand.ts index bf04907a7f5a..7ab73f4e2fd8 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayMulticastDomainCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayMulticastDomainCommand.ts @@ -121,4 +121,16 @@ export class CreateTransitGatewayMulticastDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayMulticastDomainCommand) .de(de_CreateTransitGatewayMulticastDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayMulticastDomainRequest; + output: CreateTransitGatewayMulticastDomainResult; + }; + sdk: { + input: CreateTransitGatewayMulticastDomainCommandInput; + output: CreateTransitGatewayMulticastDomainCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayPeeringAttachmentCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayPeeringAttachmentCommand.ts index 224d064e825f..412fa2143392 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayPeeringAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayPeeringAttachmentCommand.ts @@ -138,4 +138,16 @@ export class CreateTransitGatewayPeeringAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayPeeringAttachmentCommand) .de(de_CreateTransitGatewayPeeringAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayPeeringAttachmentRequest; + output: CreateTransitGatewayPeeringAttachmentResult; + }; + sdk: { + input: CreateTransitGatewayPeeringAttachmentCommandInput; + output: CreateTransitGatewayPeeringAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayPolicyTableCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayPolicyTableCommand.ts index ce1363b14548..16df9436ba1c 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayPolicyTableCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayPolicyTableCommand.ts @@ -105,4 +105,16 @@ export class CreateTransitGatewayPolicyTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayPolicyTableCommand) .de(de_CreateTransitGatewayPolicyTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayPolicyTableRequest; + output: CreateTransitGatewayPolicyTableResult; + }; + sdk: { + input: CreateTransitGatewayPolicyTableCommandInput; + output: CreateTransitGatewayPolicyTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayPrefixListReferenceCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayPrefixListReferenceCommand.ts index ad5f3a77e4ba..60adade6bb09 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayPrefixListReferenceCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayPrefixListReferenceCommand.ts @@ -101,4 +101,16 @@ export class CreateTransitGatewayPrefixListReferenceCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayPrefixListReferenceCommand) .de(de_CreateTransitGatewayPrefixListReferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayPrefixListReferenceRequest; + output: CreateTransitGatewayPrefixListReferenceResult; + }; + sdk: { + input: CreateTransitGatewayPrefixListReferenceCommandInput; + output: CreateTransitGatewayPrefixListReferenceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayRouteCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayRouteCommand.ts index a30fc1e300aa..c26a071bfa7e 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayRouteCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayRouteCommand.ts @@ -94,4 +94,16 @@ export class CreateTransitGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayRouteCommand) .de(de_CreateTransitGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayRouteRequest; + output: CreateTransitGatewayRouteResult; + }; + sdk: { + input: CreateTransitGatewayRouteCommandInput; + output: CreateTransitGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableAnnouncementCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableAnnouncementCommand.ts index b243a5528052..4d5fa40968c5 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableAnnouncementCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableAnnouncementCommand.ts @@ -116,4 +116,16 @@ export class CreateTransitGatewayRouteTableAnnouncementCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayRouteTableAnnouncementCommand) .de(de_CreateTransitGatewayRouteTableAnnouncementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayRouteTableAnnouncementRequest; + output: CreateTransitGatewayRouteTableAnnouncementResult; + }; + sdk: { + input: CreateTransitGatewayRouteTableAnnouncementCommandInput; + output: CreateTransitGatewayRouteTableAnnouncementCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableCommand.ts index 2418802c24d1..555561869dd6 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayRouteTableCommand.ts @@ -107,4 +107,16 @@ export class CreateTransitGatewayRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayRouteTableCommand) .de(de_CreateTransitGatewayRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayRouteTableRequest; + output: CreateTransitGatewayRouteTableResult; + }; + sdk: { + input: CreateTransitGatewayRouteTableCommandInput; + output: CreateTransitGatewayRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateTransitGatewayVpcAttachmentCommand.ts b/clients/client-ec2/src/commands/CreateTransitGatewayVpcAttachmentCommand.ts index c005d4c3d8ad..a2059a01823f 100644 --- a/clients/client-ec2/src/commands/CreateTransitGatewayVpcAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/CreateTransitGatewayVpcAttachmentCommand.ts @@ -129,4 +129,16 @@ export class CreateTransitGatewayVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayVpcAttachmentCommand) .de(de_CreateTransitGatewayVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayVpcAttachmentRequest; + output: CreateTransitGatewayVpcAttachmentResult; + }; + sdk: { + input: CreateTransitGatewayVpcAttachmentCommandInput; + output: CreateTransitGatewayVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVerifiedAccessEndpointCommand.ts b/clients/client-ec2/src/commands/CreateVerifiedAccessEndpointCommand.ts index 832b89357368..cefa7a697b24 100644 --- a/clients/client-ec2/src/commands/CreateVerifiedAccessEndpointCommand.ts +++ b/clients/client-ec2/src/commands/CreateVerifiedAccessEndpointCommand.ts @@ -163,4 +163,16 @@ export class CreateVerifiedAccessEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateVerifiedAccessEndpointCommand) .de(de_CreateVerifiedAccessEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVerifiedAccessEndpointRequest; + output: CreateVerifiedAccessEndpointResult; + }; + sdk: { + input: CreateVerifiedAccessEndpointCommandInput; + output: CreateVerifiedAccessEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVerifiedAccessGroupCommand.ts b/clients/client-ec2/src/commands/CreateVerifiedAccessGroupCommand.ts index 117b23bbd332..a6ce6e3d7ba5 100644 --- a/clients/client-ec2/src/commands/CreateVerifiedAccessGroupCommand.ts +++ b/clients/client-ec2/src/commands/CreateVerifiedAccessGroupCommand.ts @@ -118,4 +118,16 @@ export class CreateVerifiedAccessGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateVerifiedAccessGroupCommand) .de(de_CreateVerifiedAccessGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVerifiedAccessGroupRequest; + output: CreateVerifiedAccessGroupResult; + }; + sdk: { + input: CreateVerifiedAccessGroupCommandInput; + output: CreateVerifiedAccessGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVerifiedAccessInstanceCommand.ts b/clients/client-ec2/src/commands/CreateVerifiedAccessInstanceCommand.ts index 3077c0694e38..461257ca59ed 100644 --- a/clients/client-ec2/src/commands/CreateVerifiedAccessInstanceCommand.ts +++ b/clients/client-ec2/src/commands/CreateVerifiedAccessInstanceCommand.ts @@ -115,4 +115,16 @@ export class CreateVerifiedAccessInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateVerifiedAccessInstanceCommand) .de(de_CreateVerifiedAccessInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVerifiedAccessInstanceRequest; + output: CreateVerifiedAccessInstanceResult; + }; + sdk: { + input: CreateVerifiedAccessInstanceCommandInput; + output: CreateVerifiedAccessInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVerifiedAccessTrustProviderCommand.ts b/clients/client-ec2/src/commands/CreateVerifiedAccessTrustProviderCommand.ts index 1f90eae3569d..29dd49adbb10 100644 --- a/clients/client-ec2/src/commands/CreateVerifiedAccessTrustProviderCommand.ts +++ b/clients/client-ec2/src/commands/CreateVerifiedAccessTrustProviderCommand.ts @@ -159,4 +159,16 @@ export class CreateVerifiedAccessTrustProviderCommand extends $Command ) .ser(se_CreateVerifiedAccessTrustProviderCommand) .de(de_CreateVerifiedAccessTrustProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVerifiedAccessTrustProviderRequest; + output: CreateVerifiedAccessTrustProviderResult; + }; + sdk: { + input: CreateVerifiedAccessTrustProviderCommandInput; + output: CreateVerifiedAccessTrustProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVolumeCommand.ts b/clients/client-ec2/src/commands/CreateVolumeCommand.ts index 19627cf39c64..54798edd079d 100644 --- a/clients/client-ec2/src/commands/CreateVolumeCommand.ts +++ b/clients/client-ec2/src/commands/CreateVolumeCommand.ts @@ -195,4 +195,16 @@ export class CreateVolumeCommand extends $Command .f(void 0, void 0) .ser(se_CreateVolumeCommand) .de(de_CreateVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVolumeRequest; + output: Volume; + }; + sdk: { + input: CreateVolumeCommandInput; + output: CreateVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpcCommand.ts b/clients/client-ec2/src/commands/CreateVpcCommand.ts index 7432300f20b7..7a0b2c7a3ab5 100644 --- a/clients/client-ec2/src/commands/CreateVpcCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpcCommand.ts @@ -169,4 +169,16 @@ export class CreateVpcCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcCommand) .de(de_CreateVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcRequest; + output: CreateVpcResult; + }; + sdk: { + input: CreateVpcCommandInput; + output: CreateVpcCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpcEndpointCommand.ts b/clients/client-ec2/src/commands/CreateVpcEndpointCommand.ts index 4367efb56591..bb3fb681e99c 100644 --- a/clients/client-ec2/src/commands/CreateVpcEndpointCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpcEndpointCommand.ts @@ -166,4 +166,16 @@ export class CreateVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcEndpointCommand) .de(de_CreateVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcEndpointRequest; + output: CreateVpcEndpointResult; + }; + sdk: { + input: CreateVpcEndpointCommandInput; + output: CreateVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpcEndpointConnectionNotificationCommand.ts b/clients/client-ec2/src/commands/CreateVpcEndpointConnectionNotificationCommand.ts index 6e7bf7959cd6..19d623bb9272 100644 --- a/clients/client-ec2/src/commands/CreateVpcEndpointConnectionNotificationCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpcEndpointConnectionNotificationCommand.ts @@ -108,4 +108,16 @@ export class CreateVpcEndpointConnectionNotificationCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcEndpointConnectionNotificationCommand) .de(de_CreateVpcEndpointConnectionNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcEndpointConnectionNotificationRequest; + output: CreateVpcEndpointConnectionNotificationResult; + }; + sdk: { + input: CreateVpcEndpointConnectionNotificationCommandInput; + output: CreateVpcEndpointConnectionNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpcEndpointServiceConfigurationCommand.ts b/clients/client-ec2/src/commands/CreateVpcEndpointServiceConfigurationCommand.ts index f2e24aedc2de..55c7b73155ff 100644 --- a/clients/client-ec2/src/commands/CreateVpcEndpointServiceConfigurationCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpcEndpointServiceConfigurationCommand.ts @@ -166,4 +166,16 @@ export class CreateVpcEndpointServiceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcEndpointServiceConfigurationCommand) .de(de_CreateVpcEndpointServiceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcEndpointServiceConfigurationRequest; + output: CreateVpcEndpointServiceConfigurationResult; + }; + sdk: { + input: CreateVpcEndpointServiceConfigurationCommandInput; + output: CreateVpcEndpointServiceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpcPeeringConnectionCommand.ts b/clients/client-ec2/src/commands/CreateVpcPeeringConnectionCommand.ts index d7cbe006fe5d..5a5c2c96d6d4 100644 --- a/clients/client-ec2/src/commands/CreateVpcPeeringConnectionCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpcPeeringConnectionCommand.ts @@ -159,4 +159,16 @@ export class CreateVpcPeeringConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcPeeringConnectionCommand) .de(de_CreateVpcPeeringConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcPeeringConnectionRequest; + output: CreateVpcPeeringConnectionResult; + }; + sdk: { + input: CreateVpcPeeringConnectionCommandInput; + output: CreateVpcPeeringConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpnConnectionCommand.ts b/clients/client-ec2/src/commands/CreateVpnConnectionCommand.ts index a0313e2c2a9e..d57d31975f8d 100644 --- a/clients/client-ec2/src/commands/CreateVpnConnectionCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpnConnectionCommand.ts @@ -287,4 +287,16 @@ export class CreateVpnConnectionCommand extends $Command .f(CreateVpnConnectionRequestFilterSensitiveLog, CreateVpnConnectionResultFilterSensitiveLog) .ser(se_CreateVpnConnectionCommand) .de(de_CreateVpnConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpnConnectionRequest; + output: CreateVpnConnectionResult; + }; + sdk: { + input: CreateVpnConnectionCommandInput; + output: CreateVpnConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpnConnectionRouteCommand.ts b/clients/client-ec2/src/commands/CreateVpnConnectionRouteCommand.ts index e8da6c2c4278..6f6fcfa16d9d 100644 --- a/clients/client-ec2/src/commands/CreateVpnConnectionRouteCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpnConnectionRouteCommand.ts @@ -80,4 +80,16 @@ export class CreateVpnConnectionRouteCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpnConnectionRouteCommand) .de(de_CreateVpnConnectionRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpnConnectionRouteRequest; + output: {}; + }; + sdk: { + input: CreateVpnConnectionRouteCommandInput; + output: CreateVpnConnectionRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/CreateVpnGatewayCommand.ts b/clients/client-ec2/src/commands/CreateVpnGatewayCommand.ts index f560619ae125..6898f7cec937 100644 --- a/clients/client-ec2/src/commands/CreateVpnGatewayCommand.ts +++ b/clients/client-ec2/src/commands/CreateVpnGatewayCommand.ts @@ -113,4 +113,16 @@ export class CreateVpnGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpnGatewayCommand) .de(de_CreateVpnGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpnGatewayRequest; + output: CreateVpnGatewayResult; + }; + sdk: { + input: CreateVpnGatewayCommandInput; + output: CreateVpnGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteCarrierGatewayCommand.ts b/clients/client-ec2/src/commands/DeleteCarrierGatewayCommand.ts index b160d32ff750..17622fa652b5 100644 --- a/clients/client-ec2/src/commands/DeleteCarrierGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DeleteCarrierGatewayCommand.ts @@ -94,4 +94,16 @@ export class DeleteCarrierGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCarrierGatewayCommand) .de(de_DeleteCarrierGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCarrierGatewayRequest; + output: DeleteCarrierGatewayResult; + }; + sdk: { + input: DeleteCarrierGatewayCommandInput; + output: DeleteCarrierGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteClientVpnEndpointCommand.ts b/clients/client-ec2/src/commands/DeleteClientVpnEndpointCommand.ts index 313fce322860..d1483a892625 100644 --- a/clients/client-ec2/src/commands/DeleteClientVpnEndpointCommand.ts +++ b/clients/client-ec2/src/commands/DeleteClientVpnEndpointCommand.ts @@ -82,4 +82,16 @@ export class DeleteClientVpnEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClientVpnEndpointCommand) .de(de_DeleteClientVpnEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClientVpnEndpointRequest; + output: DeleteClientVpnEndpointResult; + }; + sdk: { + input: DeleteClientVpnEndpointCommandInput; + output: DeleteClientVpnEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteClientVpnRouteCommand.ts b/clients/client-ec2/src/commands/DeleteClientVpnRouteCommand.ts index 339f84d215b4..62942a25738a 100644 --- a/clients/client-ec2/src/commands/DeleteClientVpnRouteCommand.ts +++ b/clients/client-ec2/src/commands/DeleteClientVpnRouteCommand.ts @@ -86,4 +86,16 @@ export class DeleteClientVpnRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClientVpnRouteCommand) .de(de_DeleteClientVpnRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClientVpnRouteRequest; + output: DeleteClientVpnRouteResult; + }; + sdk: { + input: DeleteClientVpnRouteCommandInput; + output: DeleteClientVpnRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteCoipCidrCommand.ts b/clients/client-ec2/src/commands/DeleteCoipCidrCommand.ts index 1a63b00c637b..523e43cbdea8 100644 --- a/clients/client-ec2/src/commands/DeleteCoipCidrCommand.ts +++ b/clients/client-ec2/src/commands/DeleteCoipCidrCommand.ts @@ -85,4 +85,16 @@ export class DeleteCoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCoipCidrCommand) .de(de_DeleteCoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCoipCidrRequest; + output: DeleteCoipCidrResult; + }; + sdk: { + input: DeleteCoipCidrCommandInput; + output: DeleteCoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteCoipPoolCommand.ts b/clients/client-ec2/src/commands/DeleteCoipPoolCommand.ts index ef20968d6436..0b31e80766b9 100644 --- a/clients/client-ec2/src/commands/DeleteCoipPoolCommand.ts +++ b/clients/client-ec2/src/commands/DeleteCoipPoolCommand.ts @@ -91,4 +91,16 @@ export class DeleteCoipPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCoipPoolCommand) .de(de_DeleteCoipPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCoipPoolRequest; + output: DeleteCoipPoolResult; + }; + sdk: { + input: DeleteCoipPoolCommandInput; + output: DeleteCoipPoolCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteCustomerGatewayCommand.ts b/clients/client-ec2/src/commands/DeleteCustomerGatewayCommand.ts index 3eb25e982f93..718711a34f47 100644 --- a/clients/client-ec2/src/commands/DeleteCustomerGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DeleteCustomerGatewayCommand.ts @@ -88,4 +88,16 @@ export class DeleteCustomerGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomerGatewayCommand) .de(de_DeleteCustomerGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomerGatewayRequest; + output: {}; + }; + sdk: { + input: DeleteCustomerGatewayCommandInput; + output: DeleteCustomerGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteDhcpOptionsCommand.ts b/clients/client-ec2/src/commands/DeleteDhcpOptionsCommand.ts index 9fc57143a162..c35fc413ade7 100644 --- a/clients/client-ec2/src/commands/DeleteDhcpOptionsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteDhcpOptionsCommand.ts @@ -87,4 +87,16 @@ export class DeleteDhcpOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDhcpOptionsCommand) .de(de_DeleteDhcpOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDhcpOptionsRequest; + output: {}; + }; + sdk: { + input: DeleteDhcpOptionsCommandInput; + output: DeleteDhcpOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteEgressOnlyInternetGatewayCommand.ts b/clients/client-ec2/src/commands/DeleteEgressOnlyInternetGatewayCommand.ts index 6b5b03c4c0d1..88443dd8d02c 100644 --- a/clients/client-ec2/src/commands/DeleteEgressOnlyInternetGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DeleteEgressOnlyInternetGatewayCommand.ts @@ -83,4 +83,16 @@ export class DeleteEgressOnlyInternetGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEgressOnlyInternetGatewayCommand) .de(de_DeleteEgressOnlyInternetGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEgressOnlyInternetGatewayRequest; + output: DeleteEgressOnlyInternetGatewayResult; + }; + sdk: { + input: DeleteEgressOnlyInternetGatewayCommandInput; + output: DeleteEgressOnlyInternetGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteFleetsCommand.ts b/clients/client-ec2/src/commands/DeleteFleetsCommand.ts index ec280257bdfa..a6f5cca1c9e8 100644 --- a/clients/client-ec2/src/commands/DeleteFleetsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteFleetsCommand.ts @@ -128,4 +128,16 @@ export class DeleteFleetsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetsCommand) .de(de_DeleteFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetsRequest; + output: DeleteFleetsResult; + }; + sdk: { + input: DeleteFleetsCommandInput; + output: DeleteFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteFlowLogsCommand.ts b/clients/client-ec2/src/commands/DeleteFlowLogsCommand.ts index 2c0c39954363..1db5938acc37 100644 --- a/clients/client-ec2/src/commands/DeleteFlowLogsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteFlowLogsCommand.ts @@ -88,4 +88,16 @@ export class DeleteFlowLogsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowLogsCommand) .de(de_DeleteFlowLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowLogsRequest; + output: DeleteFlowLogsResult; + }; + sdk: { + input: DeleteFlowLogsCommandInput; + output: DeleteFlowLogsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteFpgaImageCommand.ts b/clients/client-ec2/src/commands/DeleteFpgaImageCommand.ts index 06f0a71553b2..6f518bad2567 100644 --- a/clients/client-ec2/src/commands/DeleteFpgaImageCommand.ts +++ b/clients/client-ec2/src/commands/DeleteFpgaImageCommand.ts @@ -78,4 +78,16 @@ export class DeleteFpgaImageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFpgaImageCommand) .de(de_DeleteFpgaImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFpgaImageRequest; + output: DeleteFpgaImageResult; + }; + sdk: { + input: DeleteFpgaImageCommandInput; + output: DeleteFpgaImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteInstanceConnectEndpointCommand.ts b/clients/client-ec2/src/commands/DeleteInstanceConnectEndpointCommand.ts index e954fb7399f3..f356af21f234 100644 --- a/clients/client-ec2/src/commands/DeleteInstanceConnectEndpointCommand.ts +++ b/clients/client-ec2/src/commands/DeleteInstanceConnectEndpointCommand.ts @@ -105,4 +105,16 @@ export class DeleteInstanceConnectEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceConnectEndpointCommand) .de(de_DeleteInstanceConnectEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceConnectEndpointRequest; + output: DeleteInstanceConnectEndpointResult; + }; + sdk: { + input: DeleteInstanceConnectEndpointCommandInput; + output: DeleteInstanceConnectEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteInstanceEventWindowCommand.ts b/clients/client-ec2/src/commands/DeleteInstanceEventWindowCommand.ts index 4d3c0330235a..10bf6f93e7b1 100644 --- a/clients/client-ec2/src/commands/DeleteInstanceEventWindowCommand.ts +++ b/clients/client-ec2/src/commands/DeleteInstanceEventWindowCommand.ts @@ -84,4 +84,16 @@ export class DeleteInstanceEventWindowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceEventWindowCommand) .de(de_DeleteInstanceEventWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceEventWindowRequest; + output: DeleteInstanceEventWindowResult; + }; + sdk: { + input: DeleteInstanceEventWindowCommandInput; + output: DeleteInstanceEventWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteInternetGatewayCommand.ts b/clients/client-ec2/src/commands/DeleteInternetGatewayCommand.ts index 0bc3a0e0eaf4..367ed2372145 100644 --- a/clients/client-ec2/src/commands/DeleteInternetGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DeleteInternetGatewayCommand.ts @@ -88,4 +88,16 @@ export class DeleteInternetGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInternetGatewayCommand) .de(de_DeleteInternetGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInternetGatewayRequest; + output: {}; + }; + sdk: { + input: DeleteInternetGatewayCommandInput; + output: DeleteInternetGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteIpamCommand.ts b/clients/client-ec2/src/commands/DeleteIpamCommand.ts index 7923377321ca..14767167e4a9 100644 --- a/clients/client-ec2/src/commands/DeleteIpamCommand.ts +++ b/clients/client-ec2/src/commands/DeleteIpamCommand.ts @@ -108,4 +108,16 @@ export class DeleteIpamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIpamCommand) .de(de_DeleteIpamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIpamRequest; + output: DeleteIpamResult; + }; + sdk: { + input: DeleteIpamCommandInput; + output: DeleteIpamCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteIpamExternalResourceVerificationTokenCommand.ts b/clients/client-ec2/src/commands/DeleteIpamExternalResourceVerificationTokenCommand.ts index 7579794e20ec..b3b1c9084ee5 100644 --- a/clients/client-ec2/src/commands/DeleteIpamExternalResourceVerificationTokenCommand.ts +++ b/clients/client-ec2/src/commands/DeleteIpamExternalResourceVerificationTokenCommand.ts @@ -105,4 +105,16 @@ export class DeleteIpamExternalResourceVerificationTokenCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIpamExternalResourceVerificationTokenCommand) .de(de_DeleteIpamExternalResourceVerificationTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIpamExternalResourceVerificationTokenRequest; + output: DeleteIpamExternalResourceVerificationTokenResult; + }; + sdk: { + input: DeleteIpamExternalResourceVerificationTokenCommandInput; + output: DeleteIpamExternalResourceVerificationTokenCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteIpamPoolCommand.ts b/clients/client-ec2/src/commands/DeleteIpamPoolCommand.ts index 4e9dbd33cc31..4ed97632d8d8 100644 --- a/clients/client-ec2/src/commands/DeleteIpamPoolCommand.ts +++ b/clients/client-ec2/src/commands/DeleteIpamPoolCommand.ts @@ -126,4 +126,16 @@ export class DeleteIpamPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIpamPoolCommand) .de(de_DeleteIpamPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIpamPoolRequest; + output: DeleteIpamPoolResult; + }; + sdk: { + input: DeleteIpamPoolCommandInput; + output: DeleteIpamPoolCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteIpamResourceDiscoveryCommand.ts b/clients/client-ec2/src/commands/DeleteIpamResourceDiscoveryCommand.ts index 04b9e8c2985b..04f57662f27b 100644 --- a/clients/client-ec2/src/commands/DeleteIpamResourceDiscoveryCommand.ts +++ b/clients/client-ec2/src/commands/DeleteIpamResourceDiscoveryCommand.ts @@ -97,4 +97,16 @@ export class DeleteIpamResourceDiscoveryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIpamResourceDiscoveryCommand) .de(de_DeleteIpamResourceDiscoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIpamResourceDiscoveryRequest; + output: DeleteIpamResourceDiscoveryResult; + }; + sdk: { + input: DeleteIpamResourceDiscoveryCommandInput; + output: DeleteIpamResourceDiscoveryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteIpamScopeCommand.ts b/clients/client-ec2/src/commands/DeleteIpamScopeCommand.ts index 2edef6c64019..0a3e85861446 100644 --- a/clients/client-ec2/src/commands/DeleteIpamScopeCommand.ts +++ b/clients/client-ec2/src/commands/DeleteIpamScopeCommand.ts @@ -97,4 +97,16 @@ export class DeleteIpamScopeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIpamScopeCommand) .de(de_DeleteIpamScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIpamScopeRequest; + output: DeleteIpamScopeResult; + }; + sdk: { + input: DeleteIpamScopeCommandInput; + output: DeleteIpamScopeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteKeyPairCommand.ts b/clients/client-ec2/src/commands/DeleteKeyPairCommand.ts index bad5c7336cd0..cd0591c0ac9e 100644 --- a/clients/client-ec2/src/commands/DeleteKeyPairCommand.ts +++ b/clients/client-ec2/src/commands/DeleteKeyPairCommand.ts @@ -91,4 +91,16 @@ export class DeleteKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyPairCommand) .de(de_DeleteKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyPairRequest; + output: DeleteKeyPairResult; + }; + sdk: { + input: DeleteKeyPairCommandInput; + output: DeleteKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteLaunchTemplateCommand.ts b/clients/client-ec2/src/commands/DeleteLaunchTemplateCommand.ts index 7416b620a79e..aee5b68777b3 100644 --- a/clients/client-ec2/src/commands/DeleteLaunchTemplateCommand.ts +++ b/clients/client-ec2/src/commands/DeleteLaunchTemplateCommand.ts @@ -116,4 +116,16 @@ export class DeleteLaunchTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchTemplateCommand) .de(de_DeleteLaunchTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchTemplateRequest; + output: DeleteLaunchTemplateResult; + }; + sdk: { + input: DeleteLaunchTemplateCommandInput; + output: DeleteLaunchTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteLaunchTemplateVersionsCommand.ts b/clients/client-ec2/src/commands/DeleteLaunchTemplateVersionsCommand.ts index 8927cc304472..092a1a6494b2 100644 --- a/clients/client-ec2/src/commands/DeleteLaunchTemplateVersionsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteLaunchTemplateVersionsCommand.ts @@ -136,4 +136,16 @@ export class DeleteLaunchTemplateVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchTemplateVersionsCommand) .de(de_DeleteLaunchTemplateVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchTemplateVersionsRequest; + output: DeleteLaunchTemplateVersionsResult; + }; + sdk: { + input: DeleteLaunchTemplateVersionsCommandInput; + output: DeleteLaunchTemplateVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteCommand.ts b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteCommand.ts index 992f8d60fcc4..5c8ae2670ef7 100644 --- a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteCommand.ts +++ b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteCommand.ts @@ -92,4 +92,16 @@ export class DeleteLocalGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLocalGatewayRouteCommand) .de(de_DeleteLocalGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLocalGatewayRouteRequest; + output: DeleteLocalGatewayRouteResult; + }; + sdk: { + input: DeleteLocalGatewayRouteCommandInput; + output: DeleteLocalGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableCommand.ts b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableCommand.ts index 77f53aa992e5..1b956d8c21cf 100644 --- a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableCommand.ts @@ -100,4 +100,16 @@ export class DeleteLocalGatewayRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLocalGatewayRouteTableCommand) .de(de_DeleteLocalGatewayRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLocalGatewayRouteTableRequest; + output: DeleteLocalGatewayRouteTableResult; + }; + sdk: { + input: DeleteLocalGatewayRouteTableCommandInput; + output: DeleteLocalGatewayRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts index 89ff410aa5e9..be7cc96bc878 100644 --- a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts +++ b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand.ts @@ -103,4 +103,16 @@ export class DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand .f(void 0, void 0) .ser(se_DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand) .de(de_DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationRequest; + output: DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationResult; + }; + sdk: { + input: DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommandInput; + output: DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVpcAssociationCommand.ts b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVpcAssociationCommand.ts index 86a57be2d8e7..04bf453f7a14 100644 --- a/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVpcAssociationCommand.ts +++ b/clients/client-ec2/src/commands/DeleteLocalGatewayRouteTableVpcAssociationCommand.ts @@ -101,4 +101,16 @@ export class DeleteLocalGatewayRouteTableVpcAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLocalGatewayRouteTableVpcAssociationCommand) .de(de_DeleteLocalGatewayRouteTableVpcAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLocalGatewayRouteTableVpcAssociationRequest; + output: DeleteLocalGatewayRouteTableVpcAssociationResult; + }; + sdk: { + input: DeleteLocalGatewayRouteTableVpcAssociationCommandInput; + output: DeleteLocalGatewayRouteTableVpcAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteManagedPrefixListCommand.ts b/clients/client-ec2/src/commands/DeleteManagedPrefixListCommand.ts index 7891dae0eb32..e4ce4d388444 100644 --- a/clients/client-ec2/src/commands/DeleteManagedPrefixListCommand.ts +++ b/clients/client-ec2/src/commands/DeleteManagedPrefixListCommand.ts @@ -94,4 +94,16 @@ export class DeleteManagedPrefixListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteManagedPrefixListCommand) .de(de_DeleteManagedPrefixListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteManagedPrefixListRequest; + output: DeleteManagedPrefixListResult; + }; + sdk: { + input: DeleteManagedPrefixListCommandInput; + output: DeleteManagedPrefixListCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNatGatewayCommand.ts b/clients/client-ec2/src/commands/DeleteNatGatewayCommand.ts index c008f56bf737..4741505b04bc 100644 --- a/clients/client-ec2/src/commands/DeleteNatGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNatGatewayCommand.ts @@ -96,4 +96,16 @@ export class DeleteNatGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNatGatewayCommand) .de(de_DeleteNatGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNatGatewayRequest; + output: DeleteNatGatewayResult; + }; + sdk: { + input: DeleteNatGatewayCommandInput; + output: DeleteNatGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkAclCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkAclCommand.ts index d2a7cea175e8..0a7a30d18236 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkAclCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkAclCommand.ts @@ -87,4 +87,16 @@ export class DeleteNetworkAclCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkAclCommand) .de(de_DeleteNetworkAclCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkAclRequest; + output: {}; + }; + sdk: { + input: DeleteNetworkAclCommandInput; + output: DeleteNetworkAclCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkAclEntryCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkAclEntryCommand.ts index e6f791d892b5..17b6c1bb53bb 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkAclEntryCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkAclEntryCommand.ts @@ -91,4 +91,16 @@ export class DeleteNetworkAclEntryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkAclEntryCommand) .de(de_DeleteNetworkAclEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkAclEntryRequest; + output: {}; + }; + sdk: { + input: DeleteNetworkAclEntryCommandInput; + output: DeleteNetworkAclEntryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeAnalysisCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeAnalysisCommand.ts index d05ac3c8f62d..bde41f950fb4 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeAnalysisCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeAnalysisCommand.ts @@ -87,4 +87,16 @@ export class DeleteNetworkInsightsAccessScopeAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkInsightsAccessScopeAnalysisCommand) .de(de_DeleteNetworkInsightsAccessScopeAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkInsightsAccessScopeAnalysisRequest; + output: DeleteNetworkInsightsAccessScopeAnalysisResult; + }; + sdk: { + input: DeleteNetworkInsightsAccessScopeAnalysisCommandInput; + output: DeleteNetworkInsightsAccessScopeAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeCommand.ts index 502e46bbe208..7fa44ebc9c3b 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkInsightsAccessScopeCommand.ts @@ -83,4 +83,16 @@ export class DeleteNetworkInsightsAccessScopeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkInsightsAccessScopeCommand) .de(de_DeleteNetworkInsightsAccessScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkInsightsAccessScopeRequest; + output: DeleteNetworkInsightsAccessScopeResult; + }; + sdk: { + input: DeleteNetworkInsightsAccessScopeCommandInput; + output: DeleteNetworkInsightsAccessScopeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkInsightsAnalysisCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkInsightsAnalysisCommand.ts index c3c741f543e4..c38c74b849d2 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkInsightsAnalysisCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkInsightsAnalysisCommand.ts @@ -80,4 +80,16 @@ export class DeleteNetworkInsightsAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkInsightsAnalysisCommand) .de(de_DeleteNetworkInsightsAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkInsightsAnalysisRequest; + output: DeleteNetworkInsightsAnalysisResult; + }; + sdk: { + input: DeleteNetworkInsightsAnalysisCommandInput; + output: DeleteNetworkInsightsAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkInsightsPathCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkInsightsPathCommand.ts index 1b69ae1e6d22..eaffd9196b2a 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkInsightsPathCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkInsightsPathCommand.ts @@ -78,4 +78,16 @@ export class DeleteNetworkInsightsPathCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkInsightsPathCommand) .de(de_DeleteNetworkInsightsPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkInsightsPathRequest; + output: DeleteNetworkInsightsPathResult; + }; + sdk: { + input: DeleteNetworkInsightsPathCommandInput; + output: DeleteNetworkInsightsPathCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkInterfaceCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkInterfaceCommand.ts index cd1fa4247e50..c2898de9b3e7 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkInterfaceCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkInterfaceCommand.ts @@ -87,4 +87,16 @@ export class DeleteNetworkInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkInterfaceCommand) .de(de_DeleteNetworkInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkInterfaceRequest; + output: {}; + }; + sdk: { + input: DeleteNetworkInterfaceCommandInput; + output: DeleteNetworkInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteNetworkInterfacePermissionCommand.ts b/clients/client-ec2/src/commands/DeleteNetworkInterfacePermissionCommand.ts index 2416551a29b3..c9bb44d37d21 100644 --- a/clients/client-ec2/src/commands/DeleteNetworkInterfacePermissionCommand.ts +++ b/clients/client-ec2/src/commands/DeleteNetworkInterfacePermissionCommand.ts @@ -87,4 +87,16 @@ export class DeleteNetworkInterfacePermissionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkInterfacePermissionCommand) .de(de_DeleteNetworkInterfacePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkInterfacePermissionRequest; + output: DeleteNetworkInterfacePermissionResult; + }; + sdk: { + input: DeleteNetworkInterfacePermissionCommandInput; + output: DeleteNetworkInterfacePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeletePlacementGroupCommand.ts b/clients/client-ec2/src/commands/DeletePlacementGroupCommand.ts index 98bf9b94ed9b..05af5ca2b670 100644 --- a/clients/client-ec2/src/commands/DeletePlacementGroupCommand.ts +++ b/clients/client-ec2/src/commands/DeletePlacementGroupCommand.ts @@ -90,4 +90,16 @@ export class DeletePlacementGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlacementGroupCommand) .de(de_DeletePlacementGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlacementGroupRequest; + output: {}; + }; + sdk: { + input: DeletePlacementGroupCommandInput; + output: DeletePlacementGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeletePublicIpv4PoolCommand.ts b/clients/client-ec2/src/commands/DeletePublicIpv4PoolCommand.ts index 30d75f365e1b..c52dec38dc8b 100644 --- a/clients/client-ec2/src/commands/DeletePublicIpv4PoolCommand.ts +++ b/clients/client-ec2/src/commands/DeletePublicIpv4PoolCommand.ts @@ -79,4 +79,16 @@ export class DeletePublicIpv4PoolCommand extends $Command .f(void 0, void 0) .ser(se_DeletePublicIpv4PoolCommand) .de(de_DeletePublicIpv4PoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePublicIpv4PoolRequest; + output: DeletePublicIpv4PoolResult; + }; + sdk: { + input: DeletePublicIpv4PoolCommandInput; + output: DeletePublicIpv4PoolCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteQueuedReservedInstancesCommand.ts b/clients/client-ec2/src/commands/DeleteQueuedReservedInstancesCommand.ts index 1efdc163faad..32ed4574734f 100644 --- a/clients/client-ec2/src/commands/DeleteQueuedReservedInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DeleteQueuedReservedInstancesCommand.ts @@ -95,4 +95,16 @@ export class DeleteQueuedReservedInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueuedReservedInstancesCommand) .de(de_DeleteQueuedReservedInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueuedReservedInstancesRequest; + output: DeleteQueuedReservedInstancesResult; + }; + sdk: { + input: DeleteQueuedReservedInstancesCommandInput; + output: DeleteQueuedReservedInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteRouteCommand.ts b/clients/client-ec2/src/commands/DeleteRouteCommand.ts index 16d404b01790..fd60e303a470 100644 --- a/clients/client-ec2/src/commands/DeleteRouteCommand.ts +++ b/clients/client-ec2/src/commands/DeleteRouteCommand.ts @@ -91,4 +91,16 @@ export class DeleteRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteCommand) .de(de_DeleteRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteRequest; + output: {}; + }; + sdk: { + input: DeleteRouteCommandInput; + output: DeleteRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteRouteTableCommand.ts b/clients/client-ec2/src/commands/DeleteRouteTableCommand.ts index 26f371e786af..be343d31defe 100644 --- a/clients/client-ec2/src/commands/DeleteRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/DeleteRouteTableCommand.ts @@ -87,4 +87,16 @@ export class DeleteRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteTableCommand) .de(de_DeleteRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteTableRequest; + output: {}; + }; + sdk: { + input: DeleteRouteTableCommandInput; + output: DeleteRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteSecurityGroupCommand.ts b/clients/client-ec2/src/commands/DeleteSecurityGroupCommand.ts index d795ca804471..fbd022d0d1d5 100644 --- a/clients/client-ec2/src/commands/DeleteSecurityGroupCommand.ts +++ b/clients/client-ec2/src/commands/DeleteSecurityGroupCommand.ts @@ -91,4 +91,16 @@ export class DeleteSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecurityGroupCommand) .de(de_DeleteSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecurityGroupRequest; + output: {}; + }; + sdk: { + input: DeleteSecurityGroupCommandInput; + output: DeleteSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteSnapshotCommand.ts b/clients/client-ec2/src/commands/DeleteSnapshotCommand.ts index d1cc742debc5..8cb6ab469342 100644 --- a/clients/client-ec2/src/commands/DeleteSnapshotCommand.ts +++ b/clients/client-ec2/src/commands/DeleteSnapshotCommand.ts @@ -96,4 +96,16 @@ export class DeleteSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCommand) .de(de_DeleteSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotRequest; + output: {}; + }; + sdk: { + input: DeleteSnapshotCommandInput; + output: DeleteSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteSpotDatafeedSubscriptionCommand.ts b/clients/client-ec2/src/commands/DeleteSpotDatafeedSubscriptionCommand.ts index b4815ff06060..865e02bdcd53 100644 --- a/clients/client-ec2/src/commands/DeleteSpotDatafeedSubscriptionCommand.ts +++ b/clients/client-ec2/src/commands/DeleteSpotDatafeedSubscriptionCommand.ts @@ -87,4 +87,16 @@ export class DeleteSpotDatafeedSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSpotDatafeedSubscriptionCommand) .de(de_DeleteSpotDatafeedSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSpotDatafeedSubscriptionRequest; + output: {}; + }; + sdk: { + input: DeleteSpotDatafeedSubscriptionCommandInput; + output: DeleteSpotDatafeedSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteSubnetCidrReservationCommand.ts b/clients/client-ec2/src/commands/DeleteSubnetCidrReservationCommand.ts index 96609cc013f7..7d06930144c3 100644 --- a/clients/client-ec2/src/commands/DeleteSubnetCidrReservationCommand.ts +++ b/clients/client-ec2/src/commands/DeleteSubnetCidrReservationCommand.ts @@ -91,4 +91,16 @@ export class DeleteSubnetCidrReservationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubnetCidrReservationCommand) .de(de_DeleteSubnetCidrReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubnetCidrReservationRequest; + output: DeleteSubnetCidrReservationResult; + }; + sdk: { + input: DeleteSubnetCidrReservationCommandInput; + output: DeleteSubnetCidrReservationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteSubnetCommand.ts b/clients/client-ec2/src/commands/DeleteSubnetCommand.ts index 1f0bf7431054..c2f2eabfded6 100644 --- a/clients/client-ec2/src/commands/DeleteSubnetCommand.ts +++ b/clients/client-ec2/src/commands/DeleteSubnetCommand.ts @@ -87,4 +87,16 @@ export class DeleteSubnetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubnetCommand) .de(de_DeleteSubnetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubnetRequest; + output: {}; + }; + sdk: { + input: DeleteSubnetCommandInput; + output: DeleteSubnetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTagsCommand.ts b/clients/client-ec2/src/commands/DeleteTagsCommand.ts index 6961818276ee..3eb90aa43dfc 100644 --- a/clients/client-ec2/src/commands/DeleteTagsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTagsCommand.ts @@ -107,4 +107,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsRequest; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterCommand.ts b/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterCommand.ts index 768bf9117436..4e3ec7d5f723 100644 --- a/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterCommand.ts @@ -79,4 +79,16 @@ export class DeleteTrafficMirrorFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficMirrorFilterCommand) .de(de_DeleteTrafficMirrorFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficMirrorFilterRequest; + output: DeleteTrafficMirrorFilterResult; + }; + sdk: { + input: DeleteTrafficMirrorFilterCommandInput; + output: DeleteTrafficMirrorFilterCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterRuleCommand.ts b/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterRuleCommand.ts index d18eaa42bda2..c92638780d4d 100644 --- a/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterRuleCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTrafficMirrorFilterRuleCommand.ts @@ -80,4 +80,16 @@ export class DeleteTrafficMirrorFilterRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficMirrorFilterRuleCommand) .de(de_DeleteTrafficMirrorFilterRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficMirrorFilterRuleRequest; + output: DeleteTrafficMirrorFilterRuleResult; + }; + sdk: { + input: DeleteTrafficMirrorFilterRuleCommandInput; + output: DeleteTrafficMirrorFilterRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTrafficMirrorSessionCommand.ts b/clients/client-ec2/src/commands/DeleteTrafficMirrorSessionCommand.ts index d769c09c33e1..c9639dafd7e7 100644 --- a/clients/client-ec2/src/commands/DeleteTrafficMirrorSessionCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTrafficMirrorSessionCommand.ts @@ -78,4 +78,16 @@ export class DeleteTrafficMirrorSessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficMirrorSessionCommand) .de(de_DeleteTrafficMirrorSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficMirrorSessionRequest; + output: DeleteTrafficMirrorSessionResult; + }; + sdk: { + input: DeleteTrafficMirrorSessionCommandInput; + output: DeleteTrafficMirrorSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTrafficMirrorTargetCommand.ts b/clients/client-ec2/src/commands/DeleteTrafficMirrorTargetCommand.ts index c7ea480429e5..24534f737d04 100644 --- a/clients/client-ec2/src/commands/DeleteTrafficMirrorTargetCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTrafficMirrorTargetCommand.ts @@ -79,4 +79,16 @@ export class DeleteTrafficMirrorTargetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficMirrorTargetCommand) .de(de_DeleteTrafficMirrorTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficMirrorTargetRequest; + output: DeleteTrafficMirrorTargetResult; + }; + sdk: { + input: DeleteTrafficMirrorTargetCommandInput; + output: DeleteTrafficMirrorTargetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayCommand.ts index c0accabcf952..0a408d29075e 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayCommand.ts @@ -106,4 +106,16 @@ export class DeleteTransitGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayCommand) .de(de_DeleteTransitGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayRequest; + output: DeleteTransitGatewayResult; + }; + sdk: { + input: DeleteTransitGatewayCommandInput; + output: DeleteTransitGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayConnectCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayConnectCommand.ts index 082538a052a5..2da18648baa3 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayConnectCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayConnectCommand.ts @@ -94,4 +94,16 @@ export class DeleteTransitGatewayConnectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayConnectCommand) .de(de_DeleteTransitGatewayConnectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayConnectRequest; + output: DeleteTransitGatewayConnectResult; + }; + sdk: { + input: DeleteTransitGatewayConnectCommandInput; + output: DeleteTransitGatewayConnectCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayConnectPeerCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayConnectPeerCommand.ts index b54d2a2e0e49..2560b849fb00 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayConnectPeerCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayConnectPeerCommand.ts @@ -111,4 +111,16 @@ export class DeleteTransitGatewayConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayConnectPeerCommand) .de(de_DeleteTransitGatewayConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayConnectPeerRequest; + output: DeleteTransitGatewayConnectPeerResult; + }; + sdk: { + input: DeleteTransitGatewayConnectPeerCommandInput; + output: DeleteTransitGatewayConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayMulticastDomainCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayMulticastDomainCommand.ts index 8b38ca01c07c..6592d14b6e87 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayMulticastDomainCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayMulticastDomainCommand.ts @@ -104,4 +104,16 @@ export class DeleteTransitGatewayMulticastDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayMulticastDomainCommand) .de(de_DeleteTransitGatewayMulticastDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayMulticastDomainRequest; + output: DeleteTransitGatewayMulticastDomainResult; + }; + sdk: { + input: DeleteTransitGatewayMulticastDomainCommandInput; + output: DeleteTransitGatewayMulticastDomainCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayPeeringAttachmentCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayPeeringAttachmentCommand.ts index 62a31c0a52d5..b1722bf61354 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayPeeringAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayPeeringAttachmentCommand.ts @@ -117,4 +117,16 @@ export class DeleteTransitGatewayPeeringAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayPeeringAttachmentCommand) .de(de_DeleteTransitGatewayPeeringAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayPeeringAttachmentRequest; + output: DeleteTransitGatewayPeeringAttachmentResult; + }; + sdk: { + input: DeleteTransitGatewayPeeringAttachmentCommandInput; + output: DeleteTransitGatewayPeeringAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayPolicyTableCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayPolicyTableCommand.ts index 33889ee9284f..072aec4af2b0 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayPolicyTableCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayPolicyTableCommand.ts @@ -94,4 +94,16 @@ export class DeleteTransitGatewayPolicyTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayPolicyTableCommand) .de(de_DeleteTransitGatewayPolicyTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayPolicyTableRequest; + output: DeleteTransitGatewayPolicyTableResult; + }; + sdk: { + input: DeleteTransitGatewayPolicyTableCommandInput; + output: DeleteTransitGatewayPolicyTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayPrefixListReferenceCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayPrefixListReferenceCommand.ts index 7787c481e91b..68bc2bd071e4 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayPrefixListReferenceCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayPrefixListReferenceCommand.ts @@ -99,4 +99,16 @@ export class DeleteTransitGatewayPrefixListReferenceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayPrefixListReferenceCommand) .de(de_DeleteTransitGatewayPrefixListReferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayPrefixListReferenceRequest; + output: DeleteTransitGatewayPrefixListReferenceResult; + }; + sdk: { + input: DeleteTransitGatewayPrefixListReferenceCommandInput; + output: DeleteTransitGatewayPrefixListReferenceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayRouteCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayRouteCommand.ts index 9825b9ed51df..e9642a8cb810 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayRouteCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayRouteCommand.ts @@ -92,4 +92,16 @@ export class DeleteTransitGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayRouteCommand) .de(de_DeleteTransitGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayRouteRequest; + output: DeleteTransitGatewayRouteResult; + }; + sdk: { + input: DeleteTransitGatewayRouteCommandInput; + output: DeleteTransitGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableAnnouncementCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableAnnouncementCommand.ts index 81eaeb7097a5..0f54207aa0e7 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableAnnouncementCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableAnnouncementCommand.ts @@ -104,4 +104,16 @@ export class DeleteTransitGatewayRouteTableAnnouncementCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayRouteTableAnnouncementCommand) .de(de_DeleteTransitGatewayRouteTableAnnouncementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayRouteTableAnnouncementRequest; + output: DeleteTransitGatewayRouteTableAnnouncementResult; + }; + sdk: { + input: DeleteTransitGatewayRouteTableAnnouncementCommandInput; + output: DeleteTransitGatewayRouteTableAnnouncementCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableCommand.ts index ca46ebc5e98b..b2d3688e89af 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayRouteTableCommand.ts @@ -97,4 +97,16 @@ export class DeleteTransitGatewayRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayRouteTableCommand) .de(de_DeleteTransitGatewayRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayRouteTableRequest; + output: DeleteTransitGatewayRouteTableResult; + }; + sdk: { + input: DeleteTransitGatewayRouteTableCommandInput; + output: DeleteTransitGatewayRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteTransitGatewayVpcAttachmentCommand.ts b/clients/client-ec2/src/commands/DeleteTransitGatewayVpcAttachmentCommand.ts index da4839c4c71e..1724edf011fb 100644 --- a/clients/client-ec2/src/commands/DeleteTransitGatewayVpcAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/DeleteTransitGatewayVpcAttachmentCommand.ts @@ -105,4 +105,16 @@ export class DeleteTransitGatewayVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTransitGatewayVpcAttachmentCommand) .de(de_DeleteTransitGatewayVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTransitGatewayVpcAttachmentRequest; + output: DeleteTransitGatewayVpcAttachmentResult; + }; + sdk: { + input: DeleteTransitGatewayVpcAttachmentCommandInput; + output: DeleteTransitGatewayVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVerifiedAccessEndpointCommand.ts b/clients/client-ec2/src/commands/DeleteVerifiedAccessEndpointCommand.ts index 8f2500f41410..7be737773648 100644 --- a/clients/client-ec2/src/commands/DeleteVerifiedAccessEndpointCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVerifiedAccessEndpointCommand.ts @@ -125,4 +125,16 @@ export class DeleteVerifiedAccessEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVerifiedAccessEndpointCommand) .de(de_DeleteVerifiedAccessEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVerifiedAccessEndpointRequest; + output: DeleteVerifiedAccessEndpointResult; + }; + sdk: { + input: DeleteVerifiedAccessEndpointCommandInput; + output: DeleteVerifiedAccessEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVerifiedAccessGroupCommand.ts b/clients/client-ec2/src/commands/DeleteVerifiedAccessGroupCommand.ts index d6c5cf3b80a5..086c41ed5cdc 100644 --- a/clients/client-ec2/src/commands/DeleteVerifiedAccessGroupCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVerifiedAccessGroupCommand.ts @@ -98,4 +98,16 @@ export class DeleteVerifiedAccessGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVerifiedAccessGroupCommand) .de(de_DeleteVerifiedAccessGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVerifiedAccessGroupRequest; + output: DeleteVerifiedAccessGroupResult; + }; + sdk: { + input: DeleteVerifiedAccessGroupCommandInput; + output: DeleteVerifiedAccessGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVerifiedAccessInstanceCommand.ts b/clients/client-ec2/src/commands/DeleteVerifiedAccessInstanceCommand.ts index 9cf63013213d..380cf489e18d 100644 --- a/clients/client-ec2/src/commands/DeleteVerifiedAccessInstanceCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVerifiedAccessInstanceCommand.ts @@ -102,4 +102,16 @@ export class DeleteVerifiedAccessInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVerifiedAccessInstanceCommand) .de(de_DeleteVerifiedAccessInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVerifiedAccessInstanceRequest; + output: DeleteVerifiedAccessInstanceResult; + }; + sdk: { + input: DeleteVerifiedAccessInstanceCommandInput; + output: DeleteVerifiedAccessInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVerifiedAccessTrustProviderCommand.ts b/clients/client-ec2/src/commands/DeleteVerifiedAccessTrustProviderCommand.ts index 89fc7d2b5fbb..6772399cecc5 100644 --- a/clients/client-ec2/src/commands/DeleteVerifiedAccessTrustProviderCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVerifiedAccessTrustProviderCommand.ts @@ -120,4 +120,16 @@ export class DeleteVerifiedAccessTrustProviderCommand extends $Command .f(void 0, DeleteVerifiedAccessTrustProviderResultFilterSensitiveLog) .ser(se_DeleteVerifiedAccessTrustProviderCommand) .de(de_DeleteVerifiedAccessTrustProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVerifiedAccessTrustProviderRequest; + output: DeleteVerifiedAccessTrustProviderResult; + }; + sdk: { + input: DeleteVerifiedAccessTrustProviderCommandInput; + output: DeleteVerifiedAccessTrustProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVolumeCommand.ts b/clients/client-ec2/src/commands/DeleteVolumeCommand.ts index 14c3b18b8741..5074dd147c14 100644 --- a/clients/client-ec2/src/commands/DeleteVolumeCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVolumeCommand.ts @@ -91,4 +91,16 @@ export class DeleteVolumeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVolumeCommand) .de(de_DeleteVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVolumeRequest; + output: {}; + }; + sdk: { + input: DeleteVolumeCommandInput; + output: DeleteVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpcCommand.ts b/clients/client-ec2/src/commands/DeleteVpcCommand.ts index f151ba3d344d..e0fd2dae6d78 100644 --- a/clients/client-ec2/src/commands/DeleteVpcCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpcCommand.ts @@ -87,4 +87,16 @@ export class DeleteVpcCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcCommand) .de(de_DeleteVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcRequest; + output: {}; + }; + sdk: { + input: DeleteVpcCommandInput; + output: DeleteVpcCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpcEndpointConnectionNotificationsCommand.ts b/clients/client-ec2/src/commands/DeleteVpcEndpointConnectionNotificationsCommand.ts index 4361d7d94ae4..6da1f2602afd 100644 --- a/clients/client-ec2/src/commands/DeleteVpcEndpointConnectionNotificationsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpcEndpointConnectionNotificationsCommand.ts @@ -97,4 +97,16 @@ export class DeleteVpcEndpointConnectionNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcEndpointConnectionNotificationsCommand) .de(de_DeleteVpcEndpointConnectionNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcEndpointConnectionNotificationsRequest; + output: DeleteVpcEndpointConnectionNotificationsResult; + }; + sdk: { + input: DeleteVpcEndpointConnectionNotificationsCommandInput; + output: DeleteVpcEndpointConnectionNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpcEndpointServiceConfigurationsCommand.ts b/clients/client-ec2/src/commands/DeleteVpcEndpointServiceConfigurationsCommand.ts index d97d51389881..5346e6952bbc 100644 --- a/clients/client-ec2/src/commands/DeleteVpcEndpointServiceConfigurationsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpcEndpointServiceConfigurationsCommand.ts @@ -100,4 +100,16 @@ export class DeleteVpcEndpointServiceConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcEndpointServiceConfigurationsCommand) .de(de_DeleteVpcEndpointServiceConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcEndpointServiceConfigurationsRequest; + output: DeleteVpcEndpointServiceConfigurationsResult; + }; + sdk: { + input: DeleteVpcEndpointServiceConfigurationsCommandInput; + output: DeleteVpcEndpointServiceConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpcEndpointsCommand.ts b/clients/client-ec2/src/commands/DeleteVpcEndpointsCommand.ts index 7b0c946a12f7..19ab9cd6ef79 100644 --- a/clients/client-ec2/src/commands/DeleteVpcEndpointsCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpcEndpointsCommand.ts @@ -92,4 +92,16 @@ export class DeleteVpcEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcEndpointsCommand) .de(de_DeleteVpcEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcEndpointsRequest; + output: DeleteVpcEndpointsResult; + }; + sdk: { + input: DeleteVpcEndpointsCommandInput; + output: DeleteVpcEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpcPeeringConnectionCommand.ts b/clients/client-ec2/src/commands/DeleteVpcPeeringConnectionCommand.ts index cd40f0b29369..497bb3ab5261 100644 --- a/clients/client-ec2/src/commands/DeleteVpcPeeringConnectionCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpcPeeringConnectionCommand.ts @@ -82,4 +82,16 @@ export class DeleteVpcPeeringConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcPeeringConnectionCommand) .de(de_DeleteVpcPeeringConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcPeeringConnectionRequest; + output: DeleteVpcPeeringConnectionResult; + }; + sdk: { + input: DeleteVpcPeeringConnectionCommandInput; + output: DeleteVpcPeeringConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpnConnectionCommand.ts b/clients/client-ec2/src/commands/DeleteVpnConnectionCommand.ts index c6d68280de8b..bfd10079a921 100644 --- a/clients/client-ec2/src/commands/DeleteVpnConnectionCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpnConnectionCommand.ts @@ -86,4 +86,16 @@ export class DeleteVpnConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpnConnectionCommand) .de(de_DeleteVpnConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpnConnectionRequest; + output: {}; + }; + sdk: { + input: DeleteVpnConnectionCommandInput; + output: DeleteVpnConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpnConnectionRouteCommand.ts b/clients/client-ec2/src/commands/DeleteVpnConnectionRouteCommand.ts index d351adf317e3..56b41d744a83 100644 --- a/clients/client-ec2/src/commands/DeleteVpnConnectionRouteCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpnConnectionRouteCommand.ts @@ -79,4 +79,16 @@ export class DeleteVpnConnectionRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpnConnectionRouteCommand) .de(de_DeleteVpnConnectionRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpnConnectionRouteRequest; + output: {}; + }; + sdk: { + input: DeleteVpnConnectionRouteCommandInput; + output: DeleteVpnConnectionRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeleteVpnGatewayCommand.ts b/clients/client-ec2/src/commands/DeleteVpnGatewayCommand.ts index e1cd3507bbf9..5c84071213e6 100644 --- a/clients/client-ec2/src/commands/DeleteVpnGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DeleteVpnGatewayCommand.ts @@ -79,4 +79,16 @@ export class DeleteVpnGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpnGatewayCommand) .de(de_DeleteVpnGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpnGatewayRequest; + output: {}; + }; + sdk: { + input: DeleteVpnGatewayCommandInput; + output: DeleteVpnGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeprovisionByoipCidrCommand.ts b/clients/client-ec2/src/commands/DeprovisionByoipCidrCommand.ts index 92ccc7a9c7d8..3b30ffa4026b 100644 --- a/clients/client-ec2/src/commands/DeprovisionByoipCidrCommand.ts +++ b/clients/client-ec2/src/commands/DeprovisionByoipCidrCommand.ts @@ -95,4 +95,16 @@ export class DeprovisionByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_DeprovisionByoipCidrCommand) .de(de_DeprovisionByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprovisionByoipCidrRequest; + output: DeprovisionByoipCidrResult; + }; + sdk: { + input: DeprovisionByoipCidrCommandInput; + output: DeprovisionByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeprovisionIpamByoasnCommand.ts b/clients/client-ec2/src/commands/DeprovisionIpamByoasnCommand.ts index b456ca5b58dd..668c626cc66d 100644 --- a/clients/client-ec2/src/commands/DeprovisionIpamByoasnCommand.ts +++ b/clients/client-ec2/src/commands/DeprovisionIpamByoasnCommand.ts @@ -85,4 +85,16 @@ export class DeprovisionIpamByoasnCommand extends $Command .f(void 0, void 0) .ser(se_DeprovisionIpamByoasnCommand) .de(de_DeprovisionIpamByoasnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprovisionIpamByoasnRequest; + output: DeprovisionIpamByoasnResult; + }; + sdk: { + input: DeprovisionIpamByoasnCommandInput; + output: DeprovisionIpamByoasnCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeprovisionIpamPoolCidrCommand.ts b/clients/client-ec2/src/commands/DeprovisionIpamPoolCidrCommand.ts index 05465ae27699..7ef392587400 100644 --- a/clients/client-ec2/src/commands/DeprovisionIpamPoolCidrCommand.ts +++ b/clients/client-ec2/src/commands/DeprovisionIpamPoolCidrCommand.ts @@ -88,4 +88,16 @@ export class DeprovisionIpamPoolCidrCommand extends $Command .f(void 0, void 0) .ser(se_DeprovisionIpamPoolCidrCommand) .de(de_DeprovisionIpamPoolCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprovisionIpamPoolCidrRequest; + output: DeprovisionIpamPoolCidrResult; + }; + sdk: { + input: DeprovisionIpamPoolCidrCommandInput; + output: DeprovisionIpamPoolCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeprovisionPublicIpv4PoolCidrCommand.ts b/clients/client-ec2/src/commands/DeprovisionPublicIpv4PoolCidrCommand.ts index 83edcb5cb5db..5c5d08b1e149 100644 --- a/clients/client-ec2/src/commands/DeprovisionPublicIpv4PoolCidrCommand.ts +++ b/clients/client-ec2/src/commands/DeprovisionPublicIpv4PoolCidrCommand.ts @@ -84,4 +84,16 @@ export class DeprovisionPublicIpv4PoolCidrCommand extends $Command .f(void 0, void 0) .ser(se_DeprovisionPublicIpv4PoolCidrCommand) .de(de_DeprovisionPublicIpv4PoolCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprovisionPublicIpv4PoolCidrRequest; + output: DeprovisionPublicIpv4PoolCidrResult; + }; + sdk: { + input: DeprovisionPublicIpv4PoolCidrCommandInput; + output: DeprovisionPublicIpv4PoolCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeregisterImageCommand.ts b/clients/client-ec2/src/commands/DeregisterImageCommand.ts index e52fde429f60..2673143ef050 100644 --- a/clients/client-ec2/src/commands/DeregisterImageCommand.ts +++ b/clients/client-ec2/src/commands/DeregisterImageCommand.ts @@ -87,4 +87,16 @@ export class DeregisterImageCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterImageCommand) .de(de_DeregisterImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterImageRequest; + output: {}; + }; + sdk: { + input: DeregisterImageCommandInput; + output: DeregisterImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeregisterInstanceEventNotificationAttributesCommand.ts b/clients/client-ec2/src/commands/DeregisterInstanceEventNotificationAttributesCommand.ts index 7b937e53597e..b99a74e2a1e1 100644 --- a/clients/client-ec2/src/commands/DeregisterInstanceEventNotificationAttributesCommand.ts +++ b/clients/client-ec2/src/commands/DeregisterInstanceEventNotificationAttributesCommand.ts @@ -98,4 +98,16 @@ export class DeregisterInstanceEventNotificationAttributesCommand extends $Comma .f(void 0, void 0) .ser(se_DeregisterInstanceEventNotificationAttributesCommand) .de(de_DeregisterInstanceEventNotificationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterInstanceEventNotificationAttributesRequest; + output: DeregisterInstanceEventNotificationAttributesResult; + }; + sdk: { + input: DeregisterInstanceEventNotificationAttributesCommandInput; + output: DeregisterInstanceEventNotificationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupMembersCommand.ts b/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupMembersCommand.ts index eb9210f2608e..01ffee5a0591 100644 --- a/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupMembersCommand.ts +++ b/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupMembersCommand.ts @@ -97,4 +97,16 @@ export class DeregisterTransitGatewayMulticastGroupMembersCommand extends $Comma .f(void 0, void 0) .ser(se_DeregisterTransitGatewayMulticastGroupMembersCommand) .de(de_DeregisterTransitGatewayMulticastGroupMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTransitGatewayMulticastGroupMembersRequest; + output: DeregisterTransitGatewayMulticastGroupMembersResult; + }; + sdk: { + input: DeregisterTransitGatewayMulticastGroupMembersCommandInput; + output: DeregisterTransitGatewayMulticastGroupMembersCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupSourcesCommand.ts b/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupSourcesCommand.ts index cb9c76c8f9d9..1a66c31fdc7a 100644 --- a/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupSourcesCommand.ts +++ b/clients/client-ec2/src/commands/DeregisterTransitGatewayMulticastGroupSourcesCommand.ts @@ -97,4 +97,16 @@ export class DeregisterTransitGatewayMulticastGroupSourcesCommand extends $Comma .f(void 0, void 0) .ser(se_DeregisterTransitGatewayMulticastGroupSourcesCommand) .de(de_DeregisterTransitGatewayMulticastGroupSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTransitGatewayMulticastGroupSourcesRequest; + output: DeregisterTransitGatewayMulticastGroupSourcesResult; + }; + sdk: { + input: DeregisterTransitGatewayMulticastGroupSourcesCommandInput; + output: DeregisterTransitGatewayMulticastGroupSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeAccountAttributesCommand.ts b/clients/client-ec2/src/commands/DescribeAccountAttributesCommand.ts index 6cea31be15a7..8ba5204b018b 100644 --- a/clients/client-ec2/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeAccountAttributesCommand.ts @@ -220,4 +220,16 @@ export class DescribeAccountAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAttributesCommand) .de(de_DescribeAccountAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountAttributesRequest; + output: DescribeAccountAttributesResult; + }; + sdk: { + input: DescribeAccountAttributesCommandInput; + output: DescribeAccountAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeAddressTransfersCommand.ts b/clients/client-ec2/src/commands/DescribeAddressTransfersCommand.ts index 59ae865b9eba..53ca206f9aac 100644 --- a/clients/client-ec2/src/commands/DescribeAddressTransfersCommand.ts +++ b/clients/client-ec2/src/commands/DescribeAddressTransfersCommand.ts @@ -101,4 +101,16 @@ export class DescribeAddressTransfersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddressTransfersCommand) .de(de_DescribeAddressTransfersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddressTransfersRequest; + output: DescribeAddressTransfersResult; + }; + sdk: { + input: DescribeAddressTransfersCommandInput; + output: DescribeAddressTransfersCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeAddressesAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeAddressesAttributeCommand.ts index 575cd0287a74..0be601964dbe 100644 --- a/clients/client-ec2/src/commands/DescribeAddressesAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeAddressesAttributeCommand.ts @@ -95,4 +95,16 @@ export class DescribeAddressesAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddressesAttributeCommand) .de(de_DescribeAddressesAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddressesAttributeRequest; + output: DescribeAddressesAttributeResult; + }; + sdk: { + input: DescribeAddressesAttributeCommandInput; + output: DescribeAddressesAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeAddressesCommand.ts b/clients/client-ec2/src/commands/DescribeAddressesCommand.ts index db0f81a66b44..30c7f91283ad 100644 --- a/clients/client-ec2/src/commands/DescribeAddressesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeAddressesCommand.ts @@ -143,4 +143,16 @@ export class DescribeAddressesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddressesCommand) .de(de_DescribeAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddressesRequest; + output: DescribeAddressesResult; + }; + sdk: { + input: DescribeAddressesCommandInput; + output: DescribeAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeAggregateIdFormatCommand.ts b/clients/client-ec2/src/commands/DescribeAggregateIdFormatCommand.ts index 5e8fe0b8ac39..6351229fe127 100644 --- a/clients/client-ec2/src/commands/DescribeAggregateIdFormatCommand.ts +++ b/clients/client-ec2/src/commands/DescribeAggregateIdFormatCommand.ts @@ -100,4 +100,16 @@ export class DescribeAggregateIdFormatCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAggregateIdFormatCommand) .de(de_DescribeAggregateIdFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAggregateIdFormatRequest; + output: DescribeAggregateIdFormatResult; + }; + sdk: { + input: DescribeAggregateIdFormatCommandInput; + output: DescribeAggregateIdFormatCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeAvailabilityZonesCommand.ts b/clients/client-ec2/src/commands/DescribeAvailabilityZonesCommand.ts index 9770c9b2c1a6..adcef057c431 100644 --- a/clients/client-ec2/src/commands/DescribeAvailabilityZonesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeAvailabilityZonesCommand.ts @@ -159,4 +159,16 @@ export class DescribeAvailabilityZonesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAvailabilityZonesCommand) .de(de_DescribeAvailabilityZonesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAvailabilityZonesRequest; + output: DescribeAvailabilityZonesResult; + }; + sdk: { + input: DescribeAvailabilityZonesCommandInput; + output: DescribeAvailabilityZonesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeAwsNetworkPerformanceMetricSubscriptionsCommand.ts b/clients/client-ec2/src/commands/DescribeAwsNetworkPerformanceMetricSubscriptionsCommand.ts index 5d6b09e971d1..68a487f983f4 100644 --- a/clients/client-ec2/src/commands/DescribeAwsNetworkPerformanceMetricSubscriptionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeAwsNetworkPerformanceMetricSubscriptionsCommand.ts @@ -105,4 +105,16 @@ export class DescribeAwsNetworkPerformanceMetricSubscriptionsCommand extends $Co .f(void 0, void 0) .ser(se_DescribeAwsNetworkPerformanceMetricSubscriptionsCommand) .de(de_DescribeAwsNetworkPerformanceMetricSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAwsNetworkPerformanceMetricSubscriptionsRequest; + output: DescribeAwsNetworkPerformanceMetricSubscriptionsResult; + }; + sdk: { + input: DescribeAwsNetworkPerformanceMetricSubscriptionsCommandInput; + output: DescribeAwsNetworkPerformanceMetricSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeBundleTasksCommand.ts b/clients/client-ec2/src/commands/DescribeBundleTasksCommand.ts index 929261d43b6f..c07ce3223704 100644 --- a/clients/client-ec2/src/commands/DescribeBundleTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeBundleTasksCommand.ts @@ -122,4 +122,16 @@ export class DescribeBundleTasksCommand extends $Command .f(void 0, DescribeBundleTasksResultFilterSensitiveLog) .ser(se_DescribeBundleTasksCommand) .de(de_DescribeBundleTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBundleTasksRequest; + output: DescribeBundleTasksResult; + }; + sdk: { + input: DescribeBundleTasksCommandInput; + output: DescribeBundleTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeByoipCidrsCommand.ts b/clients/client-ec2/src/commands/DescribeByoipCidrsCommand.ts index 5c05e5ae47e8..832a758c6c3f 100644 --- a/clients/client-ec2/src/commands/DescribeByoipCidrsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeByoipCidrsCommand.ts @@ -98,4 +98,16 @@ export class DescribeByoipCidrsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeByoipCidrsCommand) .de(de_DescribeByoipCidrsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeByoipCidrsRequest; + output: DescribeByoipCidrsResult; + }; + sdk: { + input: DescribeByoipCidrsCommandInput; + output: DescribeByoipCidrsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeCapacityBlockOfferingsCommand.ts b/clients/client-ec2/src/commands/DescribeCapacityBlockOfferingsCommand.ts index ce9e97062425..d2c231851986 100644 --- a/clients/client-ec2/src/commands/DescribeCapacityBlockOfferingsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeCapacityBlockOfferingsCommand.ts @@ -103,4 +103,16 @@ export class DescribeCapacityBlockOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCapacityBlockOfferingsCommand) .de(de_DescribeCapacityBlockOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCapacityBlockOfferingsRequest; + output: DescribeCapacityBlockOfferingsResult; + }; + sdk: { + input: DescribeCapacityBlockOfferingsCommandInput; + output: DescribeCapacityBlockOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeCapacityReservationFleetsCommand.ts b/clients/client-ec2/src/commands/DescribeCapacityReservationFleetsCommand.ts index c439b9499c81..070875f3446b 100644 --- a/clients/client-ec2/src/commands/DescribeCapacityReservationFleetsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeCapacityReservationFleetsCommand.ts @@ -130,4 +130,16 @@ export class DescribeCapacityReservationFleetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCapacityReservationFleetsCommand) .de(de_DescribeCapacityReservationFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCapacityReservationFleetsRequest; + output: DescribeCapacityReservationFleetsResult; + }; + sdk: { + input: DescribeCapacityReservationFleetsCommandInput; + output: DescribeCapacityReservationFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeCapacityReservationsCommand.ts b/clients/client-ec2/src/commands/DescribeCapacityReservationsCommand.ts index 6c02f2afa6fc..9ded5acd6800 100644 --- a/clients/client-ec2/src/commands/DescribeCapacityReservationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeCapacityReservationsCommand.ts @@ -131,4 +131,16 @@ export class DescribeCapacityReservationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCapacityReservationsCommand) .de(de_DescribeCapacityReservationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCapacityReservationsRequest; + output: DescribeCapacityReservationsResult; + }; + sdk: { + input: DescribeCapacityReservationsCommandInput; + output: DescribeCapacityReservationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeCarrierGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeCarrierGatewaysCommand.ts index dbd85990c0f7..473b511c4d19 100644 --- a/clients/client-ec2/src/commands/DescribeCarrierGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeCarrierGatewaysCommand.ts @@ -104,4 +104,16 @@ export class DescribeCarrierGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCarrierGatewaysCommand) .de(de_DescribeCarrierGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCarrierGatewaysRequest; + output: DescribeCarrierGatewaysResult; + }; + sdk: { + input: DescribeCarrierGatewaysCommandInput; + output: DescribeCarrierGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeClassicLinkInstancesCommand.ts b/clients/client-ec2/src/commands/DescribeClassicLinkInstancesCommand.ts index 88fd53bd74bb..90535e0f85b9 100644 --- a/clients/client-ec2/src/commands/DescribeClassicLinkInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeClassicLinkInstancesCommand.ts @@ -115,4 +115,16 @@ export class DescribeClassicLinkInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClassicLinkInstancesCommand) .de(de_DescribeClassicLinkInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClassicLinkInstancesRequest; + output: DescribeClassicLinkInstancesResult; + }; + sdk: { + input: DescribeClassicLinkInstancesCommandInput; + output: DescribeClassicLinkInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeClientVpnAuthorizationRulesCommand.ts b/clients/client-ec2/src/commands/DescribeClientVpnAuthorizationRulesCommand.ts index 71e23b401c23..c74ed300c032 100644 --- a/clients/client-ec2/src/commands/DescribeClientVpnAuthorizationRulesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeClientVpnAuthorizationRulesCommand.ts @@ -109,4 +109,16 @@ export class DescribeClientVpnAuthorizationRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientVpnAuthorizationRulesCommand) .de(de_DescribeClientVpnAuthorizationRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientVpnAuthorizationRulesRequest; + output: DescribeClientVpnAuthorizationRulesResult; + }; + sdk: { + input: DescribeClientVpnAuthorizationRulesCommandInput; + output: DescribeClientVpnAuthorizationRulesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeClientVpnConnectionsCommand.ts b/clients/client-ec2/src/commands/DescribeClientVpnConnectionsCommand.ts index fe3c6b032205..c820ad415451 100644 --- a/clients/client-ec2/src/commands/DescribeClientVpnConnectionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeClientVpnConnectionsCommand.ts @@ -114,4 +114,16 @@ export class DescribeClientVpnConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientVpnConnectionsCommand) .de(de_DescribeClientVpnConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientVpnConnectionsRequest; + output: DescribeClientVpnConnectionsResult; + }; + sdk: { + input: DescribeClientVpnConnectionsCommandInput; + output: DescribeClientVpnConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeClientVpnEndpointsCommand.ts b/clients/client-ec2/src/commands/DescribeClientVpnEndpointsCommand.ts index ce31c352d7ab..0b38a476b66f 100644 --- a/clients/client-ec2/src/commands/DescribeClientVpnEndpointsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeClientVpnEndpointsCommand.ts @@ -162,4 +162,16 @@ export class DescribeClientVpnEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientVpnEndpointsCommand) .de(de_DescribeClientVpnEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientVpnEndpointsRequest; + output: DescribeClientVpnEndpointsResult; + }; + sdk: { + input: DescribeClientVpnEndpointsCommandInput; + output: DescribeClientVpnEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeClientVpnRoutesCommand.ts b/clients/client-ec2/src/commands/DescribeClientVpnRoutesCommand.ts index f78276854dfd..98ce8e9721a8 100644 --- a/clients/client-ec2/src/commands/DescribeClientVpnRoutesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeClientVpnRoutesCommand.ts @@ -102,4 +102,16 @@ export class DescribeClientVpnRoutesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientVpnRoutesCommand) .de(de_DescribeClientVpnRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientVpnRoutesRequest; + output: DescribeClientVpnRoutesResult; + }; + sdk: { + input: DescribeClientVpnRoutesCommandInput; + output: DescribeClientVpnRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeClientVpnTargetNetworksCommand.ts b/clients/client-ec2/src/commands/DescribeClientVpnTargetNetworksCommand.ts index 4cbec8b407d6..e54a24e1cc63 100644 --- a/clients/client-ec2/src/commands/DescribeClientVpnTargetNetworksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeClientVpnTargetNetworksCommand.ts @@ -111,4 +111,16 @@ export class DescribeClientVpnTargetNetworksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientVpnTargetNetworksCommand) .de(de_DescribeClientVpnTargetNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientVpnTargetNetworksRequest; + output: DescribeClientVpnTargetNetworksResult; + }; + sdk: { + input: DescribeClientVpnTargetNetworksCommandInput; + output: DescribeClientVpnTargetNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeCoipPoolsCommand.ts b/clients/client-ec2/src/commands/DescribeCoipPoolsCommand.ts index 64e3172c7365..e707a1d0c6f6 100644 --- a/clients/client-ec2/src/commands/DescribeCoipPoolsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeCoipPoolsCommand.ts @@ -106,4 +106,16 @@ export class DescribeCoipPoolsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCoipPoolsCommand) .de(de_DescribeCoipPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCoipPoolsRequest; + output: DescribeCoipPoolsResult; + }; + sdk: { + input: DescribeCoipPoolsCommandInput; + output: DescribeCoipPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeConversionTasksCommand.ts b/clients/client-ec2/src/commands/DescribeConversionTasksCommand.ts index 79db3dd3e9a7..9d3738094ac0 100644 --- a/clients/client-ec2/src/commands/DescribeConversionTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeConversionTasksCommand.ts @@ -138,4 +138,16 @@ export class DescribeConversionTasksCommand extends $Command .f(void 0, DescribeConversionTasksResultFilterSensitiveLog) .ser(se_DescribeConversionTasksCommand) .de(de_DescribeConversionTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConversionTasksRequest; + output: DescribeConversionTasksResult; + }; + sdk: { + input: DescribeConversionTasksCommandInput; + output: DescribeConversionTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeCustomerGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeCustomerGatewaysCommand.ts index 1012fc797464..3d86eab34f30 100644 --- a/clients/client-ec2/src/commands/DescribeCustomerGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeCustomerGatewaysCommand.ts @@ -133,4 +133,16 @@ export class DescribeCustomerGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomerGatewaysCommand) .de(de_DescribeCustomerGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomerGatewaysRequest; + output: DescribeCustomerGatewaysResult; + }; + sdk: { + input: DescribeCustomerGatewaysCommandInput; + output: DescribeCustomerGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeDhcpOptionsCommand.ts b/clients/client-ec2/src/commands/DescribeDhcpOptionsCommand.ts index c5d503980f1b..c8c516419c6d 100644 --- a/clients/client-ec2/src/commands/DescribeDhcpOptionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeDhcpOptionsCommand.ts @@ -151,4 +151,16 @@ export class DescribeDhcpOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDhcpOptionsCommand) .de(de_DescribeDhcpOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDhcpOptionsRequest; + output: DescribeDhcpOptionsResult; + }; + sdk: { + input: DescribeDhcpOptionsCommandInput; + output: DescribeDhcpOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeEgressOnlyInternetGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeEgressOnlyInternetGatewaysCommand.ts index 95ee06ccfb41..289a51f44c5a 100644 --- a/clients/client-ec2/src/commands/DescribeEgressOnlyInternetGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeEgressOnlyInternetGatewaysCommand.ts @@ -117,4 +117,16 @@ export class DescribeEgressOnlyInternetGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEgressOnlyInternetGatewaysCommand) .de(de_DescribeEgressOnlyInternetGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEgressOnlyInternetGatewaysRequest; + output: DescribeEgressOnlyInternetGatewaysResult; + }; + sdk: { + input: DescribeEgressOnlyInternetGatewaysCommandInput; + output: DescribeEgressOnlyInternetGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeElasticGpusCommand.ts b/clients/client-ec2/src/commands/DescribeElasticGpusCommand.ts index 71d85f1abd6d..643a10b45c88 100644 --- a/clients/client-ec2/src/commands/DescribeElasticGpusCommand.ts +++ b/clients/client-ec2/src/commands/DescribeElasticGpusCommand.ts @@ -113,4 +113,16 @@ export class DescribeElasticGpusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeElasticGpusCommand) .de(de_DescribeElasticGpusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeElasticGpusRequest; + output: DescribeElasticGpusResult; + }; + sdk: { + input: DescribeElasticGpusCommandInput; + output: DescribeElasticGpusCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeExportImageTasksCommand.ts b/clients/client-ec2/src/commands/DescribeExportImageTasksCommand.ts index 403599b24c5a..df7c630ed90e 100644 --- a/clients/client-ec2/src/commands/DescribeExportImageTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeExportImageTasksCommand.ts @@ -110,4 +110,16 @@ export class DescribeExportImageTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportImageTasksCommand) .de(de_DescribeExportImageTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportImageTasksRequest; + output: DescribeExportImageTasksResult; + }; + sdk: { + input: DescribeExportImageTasksCommandInput; + output: DescribeExportImageTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeExportTasksCommand.ts b/clients/client-ec2/src/commands/DescribeExportTasksCommand.ts index 8610f2b8cefc..9009a6bac567 100644 --- a/clients/client-ec2/src/commands/DescribeExportTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeExportTasksCommand.ts @@ -110,4 +110,16 @@ export class DescribeExportTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportTasksCommand) .de(de_DescribeExportTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportTasksRequest; + output: DescribeExportTasksResult; + }; + sdk: { + input: DescribeExportTasksCommandInput; + output: DescribeExportTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFastLaunchImagesCommand.ts b/clients/client-ec2/src/commands/DescribeFastLaunchImagesCommand.ts index 969fcd15a63b..1b035beacc44 100644 --- a/clients/client-ec2/src/commands/DescribeFastLaunchImagesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFastLaunchImagesCommand.ts @@ -109,4 +109,16 @@ export class DescribeFastLaunchImagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFastLaunchImagesCommand) .de(de_DescribeFastLaunchImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFastLaunchImagesRequest; + output: DescribeFastLaunchImagesResult; + }; + sdk: { + input: DescribeFastLaunchImagesCommandInput; + output: DescribeFastLaunchImagesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFastSnapshotRestoresCommand.ts b/clients/client-ec2/src/commands/DescribeFastSnapshotRestoresCommand.ts index 7ac67817b983..5a4fc862be19 100644 --- a/clients/client-ec2/src/commands/DescribeFastSnapshotRestoresCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFastSnapshotRestoresCommand.ts @@ -104,4 +104,16 @@ export class DescribeFastSnapshotRestoresCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFastSnapshotRestoresCommand) .de(de_DescribeFastSnapshotRestoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFastSnapshotRestoresRequest; + output: DescribeFastSnapshotRestoresResult; + }; + sdk: { + input: DescribeFastSnapshotRestoresCommandInput; + output: DescribeFastSnapshotRestoresCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFleetHistoryCommand.ts b/clients/client-ec2/src/commands/DescribeFleetHistoryCommand.ts index 1bb9483cbd79..6b18d8381ce1 100644 --- a/clients/client-ec2/src/commands/DescribeFleetHistoryCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFleetHistoryCommand.ts @@ -101,4 +101,16 @@ export class DescribeFleetHistoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetHistoryCommand) .de(de_DescribeFleetHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetHistoryRequest; + output: DescribeFleetHistoryResult; + }; + sdk: { + input: DescribeFleetHistoryCommandInput; + output: DescribeFleetHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFleetInstancesCommand.ts b/clients/client-ec2/src/commands/DescribeFleetInstancesCommand.ts index 129fc2320748..2818166bbfd9 100644 --- a/clients/client-ec2/src/commands/DescribeFleetInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFleetInstancesCommand.ts @@ -104,4 +104,16 @@ export class DescribeFleetInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetInstancesCommand) .de(de_DescribeFleetInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetInstancesRequest; + output: DescribeFleetInstancesResult; + }; + sdk: { + input: DescribeFleetInstancesCommandInput; + output: DescribeFleetInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFleetsCommand.ts b/clients/client-ec2/src/commands/DescribeFleetsCommand.ts index 5738eb35212c..e600f3493717 100644 --- a/clients/client-ec2/src/commands/DescribeFleetsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFleetsCommand.ts @@ -437,4 +437,16 @@ export class DescribeFleetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetsCommand) .de(de_DescribeFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetsRequest; + output: DescribeFleetsResult; + }; + sdk: { + input: DescribeFleetsCommandInput; + output: DescribeFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFlowLogsCommand.ts b/clients/client-ec2/src/commands/DescribeFlowLogsCommand.ts index 21f1d012316d..f82a190a6ae1 100644 --- a/clients/client-ec2/src/commands/DescribeFlowLogsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFlowLogsCommand.ts @@ -121,4 +121,16 @@ export class DescribeFlowLogsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlowLogsCommand) .de(de_DescribeFlowLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlowLogsRequest; + output: DescribeFlowLogsResult; + }; + sdk: { + input: DescribeFlowLogsCommandInput; + output: DescribeFlowLogsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFpgaImageAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeFpgaImageAttributeCommand.ts index 3b69c31f9f51..530ab35031ac 100644 --- a/clients/client-ec2/src/commands/DescribeFpgaImageAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFpgaImageAttributeCommand.ts @@ -95,4 +95,16 @@ export class DescribeFpgaImageAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFpgaImageAttributeCommand) .de(de_DescribeFpgaImageAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFpgaImageAttributeRequest; + output: DescribeFpgaImageAttributeResult; + }; + sdk: { + input: DescribeFpgaImageAttributeCommandInput; + output: DescribeFpgaImageAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeFpgaImagesCommand.ts b/clients/client-ec2/src/commands/DescribeFpgaImagesCommand.ts index b547a77ace8d..a474032fec2c 100644 --- a/clients/client-ec2/src/commands/DescribeFpgaImagesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeFpgaImagesCommand.ts @@ -135,4 +135,16 @@ export class DescribeFpgaImagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFpgaImagesCommand) .de(de_DescribeFpgaImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFpgaImagesRequest; + output: DescribeFpgaImagesResult; + }; + sdk: { + input: DescribeFpgaImagesCommandInput; + output: DescribeFpgaImagesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeHostReservationOfferingsCommand.ts b/clients/client-ec2/src/commands/DescribeHostReservationOfferingsCommand.ts index 4d7c345efbd4..ba5872d6e81a 100644 --- a/clients/client-ec2/src/commands/DescribeHostReservationOfferingsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeHostReservationOfferingsCommand.ts @@ -111,4 +111,16 @@ export class DescribeHostReservationOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHostReservationOfferingsCommand) .de(de_DescribeHostReservationOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHostReservationOfferingsRequest; + output: DescribeHostReservationOfferingsResult; + }; + sdk: { + input: DescribeHostReservationOfferingsCommandInput; + output: DescribeHostReservationOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeHostReservationsCommand.ts b/clients/client-ec2/src/commands/DescribeHostReservationsCommand.ts index 8f4dc31552cb..9b623d1a3056 100644 --- a/clients/client-ec2/src/commands/DescribeHostReservationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeHostReservationsCommand.ts @@ -115,4 +115,16 @@ export class DescribeHostReservationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHostReservationsCommand) .de(de_DescribeHostReservationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHostReservationsRequest; + output: DescribeHostReservationsResult; + }; + sdk: { + input: DescribeHostReservationsCommandInput; + output: DescribeHostReservationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeHostsCommand.ts b/clients/client-ec2/src/commands/DescribeHostsCommand.ts index e9ba8e53200b..1640d00efff0 100644 --- a/clients/client-ec2/src/commands/DescribeHostsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeHostsCommand.ts @@ -142,4 +142,16 @@ export class DescribeHostsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHostsCommand) .de(de_DescribeHostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHostsRequest; + output: DescribeHostsResult; + }; + sdk: { + input: DescribeHostsCommandInput; + output: DescribeHostsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIamInstanceProfileAssociationsCommand.ts b/clients/client-ec2/src/commands/DescribeIamInstanceProfileAssociationsCommand.ts index bef5543ff501..b7ff1308332d 100644 --- a/clients/client-ec2/src/commands/DescribeIamInstanceProfileAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIamInstanceProfileAssociationsCommand.ts @@ -138,4 +138,16 @@ export class DescribeIamInstanceProfileAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIamInstanceProfileAssociationsCommand) .de(de_DescribeIamInstanceProfileAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIamInstanceProfileAssociationsRequest; + output: DescribeIamInstanceProfileAssociationsResult; + }; + sdk: { + input: DescribeIamInstanceProfileAssociationsCommandInput; + output: DescribeIamInstanceProfileAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIdFormatCommand.ts b/clients/client-ec2/src/commands/DescribeIdFormatCommand.ts index c7e0fbfec377..3ec45261b00c 100644 --- a/clients/client-ec2/src/commands/DescribeIdFormatCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIdFormatCommand.ts @@ -102,4 +102,16 @@ export class DescribeIdFormatCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdFormatCommand) .de(de_DescribeIdFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdFormatRequest; + output: DescribeIdFormatResult; + }; + sdk: { + input: DescribeIdFormatCommandInput; + output: DescribeIdFormatCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIdentityIdFormatCommand.ts b/clients/client-ec2/src/commands/DescribeIdentityIdFormatCommand.ts index c4340f2e53f0..b803ff5dfae5 100644 --- a/clients/client-ec2/src/commands/DescribeIdentityIdFormatCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIdentityIdFormatCommand.ts @@ -102,4 +102,16 @@ export class DescribeIdentityIdFormatCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityIdFormatCommand) .de(de_DescribeIdentityIdFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityIdFormatRequest; + output: DescribeIdentityIdFormatResult; + }; + sdk: { + input: DescribeIdentityIdFormatCommandInput; + output: DescribeIdentityIdFormatCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeImageAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeImageAttributeCommand.ts index 01254a511228..49c3f5e3fa7c 100644 --- a/clients/client-ec2/src/commands/DescribeImageAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeImageAttributeCommand.ts @@ -158,4 +158,16 @@ export class DescribeImageAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageAttributeCommand) .de(de_DescribeImageAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageAttributeRequest; + output: ImageAttribute; + }; + sdk: { + input: DescribeImageAttributeCommandInput; + output: DescribeImageAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeImagesCommand.ts b/clients/client-ec2/src/commands/DescribeImagesCommand.ts index f70dec3174a6..3bdf31ae0acd 100644 --- a/clients/client-ec2/src/commands/DescribeImagesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeImagesCommand.ts @@ -227,4 +227,16 @@ export class DescribeImagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImagesCommand) .de(de_DescribeImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImagesRequest; + output: DescribeImagesResult; + }; + sdk: { + input: DescribeImagesCommandInput; + output: DescribeImagesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeImportImageTasksCommand.ts b/clients/client-ec2/src/commands/DescribeImportImageTasksCommand.ts index a737061a227d..520f22315469 100644 --- a/clients/client-ec2/src/commands/DescribeImportImageTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeImportImageTasksCommand.ts @@ -140,4 +140,16 @@ export class DescribeImportImageTasksCommand extends $Command .f(void 0, DescribeImportImageTasksResultFilterSensitiveLog) .ser(se_DescribeImportImageTasksCommand) .de(de_DescribeImportImageTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImportImageTasksRequest; + output: DescribeImportImageTasksResult; + }; + sdk: { + input: DescribeImportImageTasksCommandInput; + output: DescribeImportImageTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeImportSnapshotTasksCommand.ts b/clients/client-ec2/src/commands/DescribeImportSnapshotTasksCommand.ts index c7620cc84bb3..400ae86377e1 100644 --- a/clients/client-ec2/src/commands/DescribeImportSnapshotTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeImportSnapshotTasksCommand.ts @@ -122,4 +122,16 @@ export class DescribeImportSnapshotTasksCommand extends $Command .f(void 0, DescribeImportSnapshotTasksResultFilterSensitiveLog) .ser(se_DescribeImportSnapshotTasksCommand) .de(de_DescribeImportSnapshotTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImportSnapshotTasksRequest; + output: DescribeImportSnapshotTasksResult; + }; + sdk: { + input: DescribeImportSnapshotTasksCommandInput; + output: DescribeImportSnapshotTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceAttributeCommand.ts index 2441906be346..284baafc8fa3 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceAttributeCommand.ts @@ -226,4 +226,16 @@ export class DescribeInstanceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceAttributeCommand) .de(de_DescribeInstanceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceAttributeRequest; + output: InstanceAttribute; + }; + sdk: { + input: DescribeInstanceAttributeCommandInput; + output: DescribeInstanceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceConnectEndpointsCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceConnectEndpointsCommand.ts index 4335e3744727..e7fff0ced99b 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceConnectEndpointsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceConnectEndpointsCommand.ts @@ -123,4 +123,16 @@ export class DescribeInstanceConnectEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceConnectEndpointsCommand) .de(de_DescribeInstanceConnectEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceConnectEndpointsRequest; + output: DescribeInstanceConnectEndpointsResult; + }; + sdk: { + input: DescribeInstanceConnectEndpointsCommandInput; + output: DescribeInstanceConnectEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceCreditSpecificationsCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceCreditSpecificationsCommand.ts index 291344aa10dd..c9cdd09a7125 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceCreditSpecificationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceCreditSpecificationsCommand.ts @@ -123,4 +123,16 @@ export class DescribeInstanceCreditSpecificationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceCreditSpecificationsCommand) .de(de_DescribeInstanceCreditSpecificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceCreditSpecificationsRequest; + output: DescribeInstanceCreditSpecificationsResult; + }; + sdk: { + input: DescribeInstanceCreditSpecificationsCommandInput; + output: DescribeInstanceCreditSpecificationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceEventNotificationAttributesCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceEventNotificationAttributesCommand.ts index f332171ca3e0..9c4d00860fc0 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceEventNotificationAttributesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceEventNotificationAttributesCommand.ts @@ -92,4 +92,16 @@ export class DescribeInstanceEventNotificationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceEventNotificationAttributesCommand) .de(de_DescribeInstanceEventNotificationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceEventNotificationAttributesRequest; + output: DescribeInstanceEventNotificationAttributesResult; + }; + sdk: { + input: DescribeInstanceEventNotificationAttributesCommandInput; + output: DescribeInstanceEventNotificationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceEventWindowsCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceEventWindowsCommand.ts index 6e600dcb5abb..ddbf96b905e6 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceEventWindowsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceEventWindowsCommand.ts @@ -136,4 +136,16 @@ export class DescribeInstanceEventWindowsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceEventWindowsCommand) .de(de_DescribeInstanceEventWindowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceEventWindowsRequest; + output: DescribeInstanceEventWindowsResult; + }; + sdk: { + input: DescribeInstanceEventWindowsCommandInput; + output: DescribeInstanceEventWindowsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceStatusCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceStatusCommand.ts index 0dddead6eec2..43b35b210222 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceStatusCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceStatusCommand.ts @@ -220,4 +220,16 @@ export class DescribeInstanceStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceStatusCommand) .de(de_DescribeInstanceStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceStatusRequest; + output: DescribeInstanceStatusResult; + }; + sdk: { + input: DescribeInstanceStatusCommandInput; + output: DescribeInstanceStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceTopologyCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceTopologyCommand.ts index fcacee5c1617..8ee986692226 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceTopologyCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceTopologyCommand.ts @@ -152,4 +152,16 @@ export class DescribeInstanceTopologyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceTopologyCommand) .de(de_DescribeInstanceTopologyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceTopologyRequest; + output: DescribeInstanceTopologyResult; + }; + sdk: { + input: DescribeInstanceTopologyCommandInput; + output: DescribeInstanceTopologyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceTypeOfferingsCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceTypeOfferingsCommand.ts index 2fb9b0c31184..b6db827dd210 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceTypeOfferingsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceTypeOfferingsCommand.ts @@ -99,4 +99,16 @@ export class DescribeInstanceTypeOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceTypeOfferingsCommand) .de(de_DescribeInstanceTypeOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceTypeOfferingsRequest; + output: DescribeInstanceTypeOfferingsResult; + }; + sdk: { + input: DescribeInstanceTypeOfferingsCommandInput; + output: DescribeInstanceTypeOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstanceTypesCommand.ts b/clients/client-ec2/src/commands/DescribeInstanceTypesCommand.ts index f964a6df0aa9..3595dbdd36a2 100644 --- a/clients/client-ec2/src/commands/DescribeInstanceTypesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstanceTypesCommand.ts @@ -272,4 +272,16 @@ export class DescribeInstanceTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceTypesCommand) .de(de_DescribeInstanceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceTypesRequest; + output: DescribeInstanceTypesResult; + }; + sdk: { + input: DescribeInstanceTypesCommandInput; + output: DescribeInstanceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInstancesCommand.ts b/clients/client-ec2/src/commands/DescribeInstancesCommand.ts index 9b3bd268c81d..bfccfe958399 100644 --- a/clients/client-ec2/src/commands/DescribeInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInstancesCommand.ts @@ -401,4 +401,16 @@ export class DescribeInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstancesCommand) .de(de_DescribeInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancesRequest; + output: DescribeInstancesResult; + }; + sdk: { + input: DescribeInstancesCommandInput; + output: DescribeInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeInternetGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeInternetGatewaysCommand.ts index 636a4c9a741e..4d6d3cc2307b 100644 --- a/clients/client-ec2/src/commands/DescribeInternetGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeInternetGatewaysCommand.ts @@ -144,4 +144,16 @@ export class DescribeInternetGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInternetGatewaysCommand) .de(de_DescribeInternetGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInternetGatewaysRequest; + output: DescribeInternetGatewaysResult; + }; + sdk: { + input: DescribeInternetGatewaysCommandInput; + output: DescribeInternetGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpamByoasnCommand.ts b/clients/client-ec2/src/commands/DescribeIpamByoasnCommand.ts index 0be18d9e2025..6e0cf4c9efb9 100644 --- a/clients/client-ec2/src/commands/DescribeIpamByoasnCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpamByoasnCommand.ts @@ -87,4 +87,16 @@ export class DescribeIpamByoasnCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpamByoasnCommand) .de(de_DescribeIpamByoasnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpamByoasnRequest; + output: DescribeIpamByoasnResult; + }; + sdk: { + input: DescribeIpamByoasnCommandInput; + output: DescribeIpamByoasnCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpamExternalResourceVerificationTokensCommand.ts b/clients/client-ec2/src/commands/DescribeIpamExternalResourceVerificationTokensCommand.ts index aefeb14ab436..e17892ffed08 100644 --- a/clients/client-ec2/src/commands/DescribeIpamExternalResourceVerificationTokensCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpamExternalResourceVerificationTokensCommand.ts @@ -120,4 +120,16 @@ export class DescribeIpamExternalResourceVerificationTokensCommand extends $Comm .f(void 0, void 0) .ser(se_DescribeIpamExternalResourceVerificationTokensCommand) .de(de_DescribeIpamExternalResourceVerificationTokensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpamExternalResourceVerificationTokensRequest; + output: DescribeIpamExternalResourceVerificationTokensResult; + }; + sdk: { + input: DescribeIpamExternalResourceVerificationTokensCommandInput; + output: DescribeIpamExternalResourceVerificationTokensCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpamPoolsCommand.ts b/clients/client-ec2/src/commands/DescribeIpamPoolsCommand.ts index 25fa6d1a697f..8d55bf2e616b 100644 --- a/clients/client-ec2/src/commands/DescribeIpamPoolsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpamPoolsCommand.ts @@ -133,4 +133,16 @@ export class DescribeIpamPoolsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpamPoolsCommand) .de(de_DescribeIpamPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpamPoolsRequest; + output: DescribeIpamPoolsResult; + }; + sdk: { + input: DescribeIpamPoolsCommandInput; + output: DescribeIpamPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveriesCommand.ts b/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveriesCommand.ts index 8157a6b32f30..b267a74a4c90 100644 --- a/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveriesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveriesCommand.ts @@ -117,4 +117,16 @@ export class DescribeIpamResourceDiscoveriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpamResourceDiscoveriesCommand) .de(de_DescribeIpamResourceDiscoveriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpamResourceDiscoveriesRequest; + output: DescribeIpamResourceDiscoveriesResult; + }; + sdk: { + input: DescribeIpamResourceDiscoveriesCommandInput; + output: DescribeIpamResourceDiscoveriesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveryAssociationsCommand.ts b/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveryAssociationsCommand.ts index 8fd32610c051..1cba793dca6a 100644 --- a/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveryAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpamResourceDiscoveryAssociationsCommand.ts @@ -119,4 +119,16 @@ export class DescribeIpamResourceDiscoveryAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpamResourceDiscoveryAssociationsCommand) .de(de_DescribeIpamResourceDiscoveryAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpamResourceDiscoveryAssociationsRequest; + output: DescribeIpamResourceDiscoveryAssociationsResult; + }; + sdk: { + input: DescribeIpamResourceDiscoveryAssociationsCommandInput; + output: DescribeIpamResourceDiscoveryAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpamScopesCommand.ts b/clients/client-ec2/src/commands/DescribeIpamScopesCommand.ts index a9ad29392971..74c6718a6fc1 100644 --- a/clients/client-ec2/src/commands/DescribeIpamScopesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpamScopesCommand.ts @@ -110,4 +110,16 @@ export class DescribeIpamScopesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpamScopesCommand) .de(de_DescribeIpamScopesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpamScopesRequest; + output: DescribeIpamScopesResult; + }; + sdk: { + input: DescribeIpamScopesCommandInput; + output: DescribeIpamScopesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpamsCommand.ts b/clients/client-ec2/src/commands/DescribeIpamsCommand.ts index f0f553720742..81a90cb844af 100644 --- a/clients/client-ec2/src/commands/DescribeIpamsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpamsCommand.ts @@ -122,4 +122,16 @@ export class DescribeIpamsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpamsCommand) .de(de_DescribeIpamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpamsRequest; + output: DescribeIpamsResult; + }; + sdk: { + input: DescribeIpamsCommandInput; + output: DescribeIpamsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeIpv6PoolsCommand.ts b/clients/client-ec2/src/commands/DescribeIpv6PoolsCommand.ts index 617d3b5636db..56418f29dc64 100644 --- a/clients/client-ec2/src/commands/DescribeIpv6PoolsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeIpv6PoolsCommand.ts @@ -107,4 +107,16 @@ export class DescribeIpv6PoolsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpv6PoolsCommand) .de(de_DescribeIpv6PoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpv6PoolsRequest; + output: DescribeIpv6PoolsResult; + }; + sdk: { + input: DescribeIpv6PoolsCommandInput; + output: DescribeIpv6PoolsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeKeyPairsCommand.ts b/clients/client-ec2/src/commands/DescribeKeyPairsCommand.ts index 812306c91b71..4dc929331349 100644 --- a/clients/client-ec2/src/commands/DescribeKeyPairsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeKeyPairsCommand.ts @@ -132,4 +132,16 @@ export class DescribeKeyPairsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKeyPairsCommand) .de(de_DescribeKeyPairsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeyPairsRequest; + output: DescribeKeyPairsResult; + }; + sdk: { + input: DescribeKeyPairsCommandInput; + output: DescribeKeyPairsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLaunchTemplateVersionsCommand.ts b/clients/client-ec2/src/commands/DescribeLaunchTemplateVersionsCommand.ts index 0061f754e5d9..94eddc1d6f41 100644 --- a/clients/client-ec2/src/commands/DescribeLaunchTemplateVersionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLaunchTemplateVersionsCommand.ts @@ -433,4 +433,16 @@ export class DescribeLaunchTemplateVersionsCommand extends $Command .f(void 0, DescribeLaunchTemplateVersionsResultFilterSensitiveLog) .ser(se_DescribeLaunchTemplateVersionsCommand) .de(de_DescribeLaunchTemplateVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLaunchTemplateVersionsRequest; + output: DescribeLaunchTemplateVersionsResult; + }; + sdk: { + input: DescribeLaunchTemplateVersionsCommandInput; + output: DescribeLaunchTemplateVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLaunchTemplatesCommand.ts b/clients/client-ec2/src/commands/DescribeLaunchTemplatesCommand.ts index 949d1250047a..8b4c437547b9 100644 --- a/clients/client-ec2/src/commands/DescribeLaunchTemplatesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLaunchTemplatesCommand.ts @@ -136,4 +136,16 @@ export class DescribeLaunchTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLaunchTemplatesCommand) .de(de_DescribeLaunchTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLaunchTemplatesRequest; + output: DescribeLaunchTemplatesResult; + }; + sdk: { + input: DescribeLaunchTemplatesCommandInput; + output: DescribeLaunchTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommand.ts b/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommand.ts index dcbc42eb8e39..c6fb2e2622bc 100644 --- a/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommand.ts @@ -116,4 +116,16 @@ export class DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsComm .f(void 0, void 0) .ser(se_DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommand) .de(de_DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsRequest; + output: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsResult; + }; + sdk: { + input: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommandInput; + output: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVpcAssociationsCommand.ts b/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVpcAssociationsCommand.ts index 4ac13ede7db7..9d17ba4c1d71 100644 --- a/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVpcAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTableVpcAssociationsCommand.ts @@ -116,4 +116,16 @@ export class DescribeLocalGatewayRouteTableVpcAssociationsCommand extends $Comma .f(void 0, void 0) .ser(se_DescribeLocalGatewayRouteTableVpcAssociationsCommand) .de(de_DescribeLocalGatewayRouteTableVpcAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocalGatewayRouteTableVpcAssociationsRequest; + output: DescribeLocalGatewayRouteTableVpcAssociationsResult; + }; + sdk: { + input: DescribeLocalGatewayRouteTableVpcAssociationsCommandInput; + output: DescribeLocalGatewayRouteTableVpcAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTablesCommand.ts b/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTablesCommand.ts index 89bbff71596a..82f595bf83c2 100644 --- a/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTablesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLocalGatewayRouteTablesCommand.ts @@ -117,4 +117,16 @@ export class DescribeLocalGatewayRouteTablesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocalGatewayRouteTablesCommand) .de(de_DescribeLocalGatewayRouteTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocalGatewayRouteTablesRequest; + output: DescribeLocalGatewayRouteTablesResult; + }; + sdk: { + input: DescribeLocalGatewayRouteTablesCommandInput; + output: DescribeLocalGatewayRouteTablesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfaceGroupsCommand.ts b/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfaceGroupsCommand.ts index ef20489001b8..b6c2de4cee44 100644 --- a/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfaceGroupsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfaceGroupsCommand.ts @@ -115,4 +115,16 @@ export class DescribeLocalGatewayVirtualInterfaceGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocalGatewayVirtualInterfaceGroupsCommand) .de(de_DescribeLocalGatewayVirtualInterfaceGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocalGatewayVirtualInterfaceGroupsRequest; + output: DescribeLocalGatewayVirtualInterfaceGroupsResult; + }; + sdk: { + input: DescribeLocalGatewayVirtualInterfaceGroupsCommandInput; + output: DescribeLocalGatewayVirtualInterfaceGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfacesCommand.ts b/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfacesCommand.ts index fafaaf9e6d03..c904f4e04ed3 100644 --- a/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfacesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLocalGatewayVirtualInterfacesCommand.ts @@ -117,4 +117,16 @@ export class DescribeLocalGatewayVirtualInterfacesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocalGatewayVirtualInterfacesCommand) .de(de_DescribeLocalGatewayVirtualInterfacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocalGatewayVirtualInterfacesRequest; + output: DescribeLocalGatewayVirtualInterfacesResult; + }; + sdk: { + input: DescribeLocalGatewayVirtualInterfacesCommandInput; + output: DescribeLocalGatewayVirtualInterfacesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLocalGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeLocalGatewaysCommand.ts index 47fb61963989..f842569f70da 100644 --- a/clients/client-ec2/src/commands/DescribeLocalGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLocalGatewaysCommand.ts @@ -105,4 +105,16 @@ export class DescribeLocalGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLocalGatewaysCommand) .de(de_DescribeLocalGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLocalGatewaysRequest; + output: DescribeLocalGatewaysResult; + }; + sdk: { + input: DescribeLocalGatewaysCommandInput; + output: DescribeLocalGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeLockedSnapshotsCommand.ts b/clients/client-ec2/src/commands/DescribeLockedSnapshotsCommand.ts index 1b3a6dde63c0..125aeb842184 100644 --- a/clients/client-ec2/src/commands/DescribeLockedSnapshotsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeLockedSnapshotsCommand.ts @@ -103,4 +103,16 @@ export class DescribeLockedSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLockedSnapshotsCommand) .de(de_DescribeLockedSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLockedSnapshotsRequest; + output: DescribeLockedSnapshotsResult; + }; + sdk: { + input: DescribeLockedSnapshotsCommandInput; + output: DescribeLockedSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeMacHostsCommand.ts b/clients/client-ec2/src/commands/DescribeMacHostsCommand.ts index aaef3ffa4768..ea672e2359c2 100644 --- a/clients/client-ec2/src/commands/DescribeMacHostsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeMacHostsCommand.ts @@ -97,4 +97,16 @@ export class DescribeMacHostsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMacHostsCommand) .de(de_DescribeMacHostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMacHostsRequest; + output: DescribeMacHostsResult; + }; + sdk: { + input: DescribeMacHostsCommandInput; + output: DescribeMacHostsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeManagedPrefixListsCommand.ts b/clients/client-ec2/src/commands/DescribeManagedPrefixListsCommand.ts index 9fa70edd3892..8ab2f8b94a99 100644 --- a/clients/client-ec2/src/commands/DescribeManagedPrefixListsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeManagedPrefixListsCommand.ts @@ -110,4 +110,16 @@ export class DescribeManagedPrefixListsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeManagedPrefixListsCommand) .de(de_DescribeManagedPrefixListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeManagedPrefixListsRequest; + output: DescribeManagedPrefixListsResult; + }; + sdk: { + input: DescribeManagedPrefixListsCommandInput; + output: DescribeManagedPrefixListsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeMovingAddressesCommand.ts b/clients/client-ec2/src/commands/DescribeMovingAddressesCommand.ts index 2e2258b6d2ec..5b10d5a5ae2f 100644 --- a/clients/client-ec2/src/commands/DescribeMovingAddressesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeMovingAddressesCommand.ts @@ -119,4 +119,16 @@ export class DescribeMovingAddressesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMovingAddressesCommand) .de(de_DescribeMovingAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMovingAddressesRequest; + output: DescribeMovingAddressesResult; + }; + sdk: { + input: DescribeMovingAddressesCommandInput; + output: DescribeMovingAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNatGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeNatGatewaysCommand.ts index 5d2d4ce66ec3..c15653bf19cd 100644 --- a/clients/client-ec2/src/commands/DescribeNatGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNatGatewaysCommand.ts @@ -169,4 +169,16 @@ export class DescribeNatGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNatGatewaysCommand) .de(de_DescribeNatGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNatGatewaysRequest; + output: DescribeNatGatewaysResult; + }; + sdk: { + input: DescribeNatGatewaysCommandInput; + output: DescribeNatGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkAclsCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkAclsCommand.ts index 75cd30596ea2..ee514a61e7e7 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkAclsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkAclsCommand.ts @@ -181,4 +181,16 @@ export class DescribeNetworkAclsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkAclsCommand) .de(de_DescribeNetworkAclsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkAclsRequest; + output: DescribeNetworkAclsResult; + }; + sdk: { + input: DescribeNetworkAclsCommandInput; + output: DescribeNetworkAclsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopeAnalysesCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopeAnalysesCommand.ts index d42ca0b43b22..6e325f6c8761 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopeAnalysesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopeAnalysesCommand.ts @@ -122,4 +122,16 @@ export class DescribeNetworkInsightsAccessScopeAnalysesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkInsightsAccessScopeAnalysesCommand) .de(de_DescribeNetworkInsightsAccessScopeAnalysesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkInsightsAccessScopeAnalysesRequest; + output: DescribeNetworkInsightsAccessScopeAnalysesResult; + }; + sdk: { + input: DescribeNetworkInsightsAccessScopeAnalysesCommandInput; + output: DescribeNetworkInsightsAccessScopeAnalysesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopesCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopesCommand.ts index b6e07596b03d..7e9170456099 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkInsightsAccessScopesCommand.ts @@ -112,4 +112,16 @@ export class DescribeNetworkInsightsAccessScopesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkInsightsAccessScopesCommand) .de(de_DescribeNetworkInsightsAccessScopesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkInsightsAccessScopesRequest; + output: DescribeNetworkInsightsAccessScopesResult; + }; + sdk: { + input: DescribeNetworkInsightsAccessScopesCommandInput; + output: DescribeNetworkInsightsAccessScopesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkInsightsAnalysesCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkInsightsAnalysesCommand.ts index c22558591def..2c272e951630 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkInsightsAnalysesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkInsightsAnalysesCommand.ts @@ -814,4 +814,16 @@ export class DescribeNetworkInsightsAnalysesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkInsightsAnalysesCommand) .de(de_DescribeNetworkInsightsAnalysesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkInsightsAnalysesRequest; + output: DescribeNetworkInsightsAnalysesResult; + }; + sdk: { + input: DescribeNetworkInsightsAnalysesCommandInput; + output: DescribeNetworkInsightsAnalysesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkInsightsPathsCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkInsightsPathsCommand.ts index 7689a681be5f..27e75e1887b9 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkInsightsPathsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkInsightsPathsCommand.ts @@ -137,4 +137,16 @@ export class DescribeNetworkInsightsPathsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkInsightsPathsCommand) .de(de_DescribeNetworkInsightsPathsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkInsightsPathsRequest; + output: DescribeNetworkInsightsPathsResult; + }; + sdk: { + input: DescribeNetworkInsightsPathsCommandInput; + output: DescribeNetworkInsightsPathsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkInterfaceAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkInterfaceAttributeCommand.ts index fded7a65153d..b44d71c6833f 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkInterfaceAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkInterfaceAttributeCommand.ts @@ -202,4 +202,16 @@ export class DescribeNetworkInterfaceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkInterfaceAttributeCommand) .de(de_DescribeNetworkInterfaceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkInterfaceAttributeRequest; + output: DescribeNetworkInterfaceAttributeResult; + }; + sdk: { + input: DescribeNetworkInterfaceAttributeCommandInput; + output: DescribeNetworkInterfaceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkInterfacePermissionsCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkInterfacePermissionsCommand.ts index 5e6027eb506f..13ae4963b596 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkInterfacePermissionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkInterfacePermissionsCommand.ts @@ -110,4 +110,16 @@ export class DescribeNetworkInterfacePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkInterfacePermissionsCommand) .de(de_DescribeNetworkInterfacePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkInterfacePermissionsRequest; + output: DescribeNetworkInterfacePermissionsResult; + }; + sdk: { + input: DescribeNetworkInterfacePermissionsCommandInput; + output: DescribeNetworkInterfacePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeNetworkInterfacesCommand.ts b/clients/client-ec2/src/commands/DescribeNetworkInterfacesCommand.ts index 15a426222093..d223953fb1f3 100644 --- a/clients/client-ec2/src/commands/DescribeNetworkInterfacesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeNetworkInterfacesCommand.ts @@ -262,4 +262,16 @@ export class DescribeNetworkInterfacesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkInterfacesCommand) .de(de_DescribeNetworkInterfacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkInterfacesRequest; + output: DescribeNetworkInterfacesResult; + }; + sdk: { + input: DescribeNetworkInterfacesCommandInput; + output: DescribeNetworkInterfacesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribePlacementGroupsCommand.ts b/clients/client-ec2/src/commands/DescribePlacementGroupsCommand.ts index 7721b23b5aca..8865ba53d028 100644 --- a/clients/client-ec2/src/commands/DescribePlacementGroupsCommand.ts +++ b/clients/client-ec2/src/commands/DescribePlacementGroupsCommand.ts @@ -116,4 +116,16 @@ export class DescribePlacementGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePlacementGroupsCommand) .de(de_DescribePlacementGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePlacementGroupsRequest; + output: DescribePlacementGroupsResult; + }; + sdk: { + input: DescribePlacementGroupsCommandInput; + output: DescribePlacementGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribePrefixListsCommand.ts b/clients/client-ec2/src/commands/DescribePrefixListsCommand.ts index 678339697c81..c21f417f1b67 100644 --- a/clients/client-ec2/src/commands/DescribePrefixListsCommand.ts +++ b/clients/client-ec2/src/commands/DescribePrefixListsCommand.ts @@ -101,4 +101,16 @@ export class DescribePrefixListsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePrefixListsCommand) .de(de_DescribePrefixListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePrefixListsRequest; + output: DescribePrefixListsResult; + }; + sdk: { + input: DescribePrefixListsCommandInput; + output: DescribePrefixListsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribePrincipalIdFormatCommand.ts b/clients/client-ec2/src/commands/DescribePrincipalIdFormatCommand.ts index 03b40649a551..77024babe101 100644 --- a/clients/client-ec2/src/commands/DescribePrincipalIdFormatCommand.ts +++ b/clients/client-ec2/src/commands/DescribePrincipalIdFormatCommand.ts @@ -111,4 +111,16 @@ export class DescribePrincipalIdFormatCommand extends $Command .f(void 0, void 0) .ser(se_DescribePrincipalIdFormatCommand) .de(de_DescribePrincipalIdFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePrincipalIdFormatRequest; + output: DescribePrincipalIdFormatResult; + }; + sdk: { + input: DescribePrincipalIdFormatCommandInput; + output: DescribePrincipalIdFormatCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribePublicIpv4PoolsCommand.ts b/clients/client-ec2/src/commands/DescribePublicIpv4PoolsCommand.ts index e651891ff910..e0005f67593f 100644 --- a/clients/client-ec2/src/commands/DescribePublicIpv4PoolsCommand.ts +++ b/clients/client-ec2/src/commands/DescribePublicIpv4PoolsCommand.ts @@ -112,4 +112,16 @@ export class DescribePublicIpv4PoolsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePublicIpv4PoolsCommand) .de(de_DescribePublicIpv4PoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePublicIpv4PoolsRequest; + output: DescribePublicIpv4PoolsResult; + }; + sdk: { + input: DescribePublicIpv4PoolsCommandInput; + output: DescribePublicIpv4PoolsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeRegionsCommand.ts b/clients/client-ec2/src/commands/DescribeRegionsCommand.ts index 37fb4eaddcf9..67e9584d3002 100644 --- a/clients/client-ec2/src/commands/DescribeRegionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeRegionsCommand.ts @@ -161,4 +161,16 @@ export class DescribeRegionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegionsCommand) .de(de_DescribeRegionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegionsRequest; + output: DescribeRegionsResult; + }; + sdk: { + input: DescribeRegionsCommandInput; + output: DescribeRegionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeReplaceRootVolumeTasksCommand.ts b/clients/client-ec2/src/commands/DescribeReplaceRootVolumeTasksCommand.ts index 728ccd209046..7b7282229301 100644 --- a/clients/client-ec2/src/commands/DescribeReplaceRootVolumeTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeReplaceRootVolumeTasksCommand.ts @@ -114,4 +114,16 @@ export class DescribeReplaceRootVolumeTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplaceRootVolumeTasksCommand) .de(de_DescribeReplaceRootVolumeTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplaceRootVolumeTasksRequest; + output: DescribeReplaceRootVolumeTasksResult; + }; + sdk: { + input: DescribeReplaceRootVolumeTasksCommandInput; + output: DescribeReplaceRootVolumeTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeReservedInstancesCommand.ts b/clients/client-ec2/src/commands/DescribeReservedInstancesCommand.ts index f08cae3ccd68..5a5c21f2f5cb 100644 --- a/clients/client-ec2/src/commands/DescribeReservedInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeReservedInstancesCommand.ts @@ -128,4 +128,16 @@ export class DescribeReservedInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedInstancesCommand) .de(de_DescribeReservedInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedInstancesRequest; + output: DescribeReservedInstancesResult; + }; + sdk: { + input: DescribeReservedInstancesCommandInput; + output: DescribeReservedInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeReservedInstancesListingsCommand.ts b/clients/client-ec2/src/commands/DescribeReservedInstancesListingsCommand.ts index 0a7d5284de4f..a48f118ef1e6 100644 --- a/clients/client-ec2/src/commands/DescribeReservedInstancesListingsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeReservedInstancesListingsCommand.ts @@ -131,4 +131,16 @@ export class DescribeReservedInstancesListingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedInstancesListingsCommand) .de(de_DescribeReservedInstancesListingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedInstancesListingsRequest; + output: DescribeReservedInstancesListingsResult; + }; + sdk: { + input: DescribeReservedInstancesListingsCommandInput; + output: DescribeReservedInstancesListingsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeReservedInstancesModificationsCommand.ts b/clients/client-ec2/src/commands/DescribeReservedInstancesModificationsCommand.ts index 15fc2f18d2ae..1011fbd6d44e 100644 --- a/clients/client-ec2/src/commands/DescribeReservedInstancesModificationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeReservedInstancesModificationsCommand.ts @@ -132,4 +132,16 @@ export class DescribeReservedInstancesModificationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedInstancesModificationsCommand) .de(de_DescribeReservedInstancesModificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedInstancesModificationsRequest; + output: DescribeReservedInstancesModificationsResult; + }; + sdk: { + input: DescribeReservedInstancesModificationsCommandInput; + output: DescribeReservedInstancesModificationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeReservedInstancesOfferingsCommand.ts b/clients/client-ec2/src/commands/DescribeReservedInstancesOfferingsCommand.ts index 419c40276f2f..a0caa00f76d5 100644 --- a/clients/client-ec2/src/commands/DescribeReservedInstancesOfferingsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeReservedInstancesOfferingsCommand.ts @@ -145,4 +145,16 @@ export class DescribeReservedInstancesOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedInstancesOfferingsCommand) .de(de_DescribeReservedInstancesOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedInstancesOfferingsRequest; + output: DescribeReservedInstancesOfferingsResult; + }; + sdk: { + input: DescribeReservedInstancesOfferingsCommandInput; + output: DescribeReservedInstancesOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeRouteTablesCommand.ts b/clients/client-ec2/src/commands/DescribeRouteTablesCommand.ts index 5240f2d59fe1..09f624c7512e 100644 --- a/clients/client-ec2/src/commands/DescribeRouteTablesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeRouteTablesCommand.ts @@ -185,4 +185,16 @@ export class DescribeRouteTablesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRouteTablesCommand) .de(de_DescribeRouteTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRouteTablesRequest; + output: DescribeRouteTablesResult; + }; + sdk: { + input: DescribeRouteTablesCommandInput; + output: DescribeRouteTablesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeScheduledInstanceAvailabilityCommand.ts b/clients/client-ec2/src/commands/DescribeScheduledInstanceAvailabilityCommand.ts index 5c31718b1934..3cedf92f55cf 100644 --- a/clients/client-ec2/src/commands/DescribeScheduledInstanceAvailabilityCommand.ts +++ b/clients/client-ec2/src/commands/DescribeScheduledInstanceAvailabilityCommand.ts @@ -139,4 +139,16 @@ export class DescribeScheduledInstanceAvailabilityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduledInstanceAvailabilityCommand) .de(de_DescribeScheduledInstanceAvailabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduledInstanceAvailabilityRequest; + output: DescribeScheduledInstanceAvailabilityResult; + }; + sdk: { + input: DescribeScheduledInstanceAvailabilityCommandInput; + output: DescribeScheduledInstanceAvailabilityCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeScheduledInstancesCommand.ts b/clients/client-ec2/src/commands/DescribeScheduledInstancesCommand.ts index 7075b1f69473..eb627a492db2 100644 --- a/clients/client-ec2/src/commands/DescribeScheduledInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeScheduledInstancesCommand.ts @@ -121,4 +121,16 @@ export class DescribeScheduledInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduledInstancesCommand) .de(de_DescribeScheduledInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduledInstancesRequest; + output: DescribeScheduledInstancesResult; + }; + sdk: { + input: DescribeScheduledInstancesCommandInput; + output: DescribeScheduledInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSecurityGroupReferencesCommand.ts b/clients/client-ec2/src/commands/DescribeSecurityGroupReferencesCommand.ts index ce9ff86566a6..6ce8123a7354 100644 --- a/clients/client-ec2/src/commands/DescribeSecurityGroupReferencesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSecurityGroupReferencesCommand.ts @@ -116,4 +116,16 @@ export class DescribeSecurityGroupReferencesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityGroupReferencesCommand) .de(de_DescribeSecurityGroupReferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityGroupReferencesRequest; + output: DescribeSecurityGroupReferencesResult; + }; + sdk: { + input: DescribeSecurityGroupReferencesCommandInput; + output: DescribeSecurityGroupReferencesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSecurityGroupRulesCommand.ts b/clients/client-ec2/src/commands/DescribeSecurityGroupRulesCommand.ts index 666e88d26edd..fe1c4150393a 100644 --- a/clients/client-ec2/src/commands/DescribeSecurityGroupRulesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSecurityGroupRulesCommand.ts @@ -118,4 +118,16 @@ export class DescribeSecurityGroupRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityGroupRulesCommand) .de(de_DescribeSecurityGroupRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityGroupRulesRequest; + output: DescribeSecurityGroupRulesResult; + }; + sdk: { + input: DescribeSecurityGroupRulesCommandInput; + output: DescribeSecurityGroupRulesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSecurityGroupsCommand.ts b/clients/client-ec2/src/commands/DescribeSecurityGroupsCommand.ts index e3aa3f51a853..a355a5332994 100644 --- a/clients/client-ec2/src/commands/DescribeSecurityGroupsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSecurityGroupsCommand.ts @@ -211,4 +211,16 @@ export class DescribeSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityGroupsCommand) .de(de_DescribeSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityGroupsRequest; + output: DescribeSecurityGroupsResult; + }; + sdk: { + input: DescribeSecurityGroupsCommandInput; + output: DescribeSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSnapshotAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeSnapshotAttributeCommand.ts index 982d7af95bea..227190b48abd 100644 --- a/clients/client-ec2/src/commands/DescribeSnapshotAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSnapshotAttributeCommand.ts @@ -111,4 +111,16 @@ export class DescribeSnapshotAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotAttributeCommand) .de(de_DescribeSnapshotAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotAttributeRequest; + output: DescribeSnapshotAttributeResult; + }; + sdk: { + input: DescribeSnapshotAttributeCommandInput; + output: DescribeSnapshotAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSnapshotTierStatusCommand.ts b/clients/client-ec2/src/commands/DescribeSnapshotTierStatusCommand.ts index 954b06a0a4d0..bc222215cde0 100644 --- a/clients/client-ec2/src/commands/DescribeSnapshotTierStatusCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSnapshotTierStatusCommand.ts @@ -108,4 +108,16 @@ export class DescribeSnapshotTierStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotTierStatusCommand) .de(de_DescribeSnapshotTierStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotTierStatusRequest; + output: DescribeSnapshotTierStatusResult; + }; + sdk: { + input: DescribeSnapshotTierStatusCommandInput; + output: DescribeSnapshotTierStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSnapshotsCommand.ts b/clients/client-ec2/src/commands/DescribeSnapshotsCommand.ts index 5a25e010fec7..37255c71542b 100644 --- a/clients/client-ec2/src/commands/DescribeSnapshotsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSnapshotsCommand.ts @@ -237,4 +237,16 @@ export class DescribeSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotsCommand) .de(de_DescribeSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotsRequest; + output: DescribeSnapshotsResult; + }; + sdk: { + input: DescribeSnapshotsCommandInput; + output: DescribeSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSpotDatafeedSubscriptionCommand.ts b/clients/client-ec2/src/commands/DescribeSpotDatafeedSubscriptionCommand.ts index 0d749ae4ee2e..ad2012c941b5 100644 --- a/clients/client-ec2/src/commands/DescribeSpotDatafeedSubscriptionCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSpotDatafeedSubscriptionCommand.ts @@ -111,4 +111,16 @@ export class DescribeSpotDatafeedSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSpotDatafeedSubscriptionCommand) .de(de_DescribeSpotDatafeedSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpotDatafeedSubscriptionRequest; + output: DescribeSpotDatafeedSubscriptionResult; + }; + sdk: { + input: DescribeSpotDatafeedSubscriptionCommandInput; + output: DescribeSpotDatafeedSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSpotFleetInstancesCommand.ts b/clients/client-ec2/src/commands/DescribeSpotFleetInstancesCommand.ts index f0a8604de401..b9ea89388fb8 100644 --- a/clients/client-ec2/src/commands/DescribeSpotFleetInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSpotFleetInstancesCommand.ts @@ -112,4 +112,16 @@ export class DescribeSpotFleetInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSpotFleetInstancesCommand) .de(de_DescribeSpotFleetInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpotFleetInstancesRequest; + output: DescribeSpotFleetInstancesResponse; + }; + sdk: { + input: DescribeSpotFleetInstancesCommandInput; + output: DescribeSpotFleetInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSpotFleetRequestHistoryCommand.ts b/clients/client-ec2/src/commands/DescribeSpotFleetRequestHistoryCommand.ts index 3c344c5829b0..8ac6014e7871 100644 --- a/clients/client-ec2/src/commands/DescribeSpotFleetRequestHistoryCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSpotFleetRequestHistoryCommand.ts @@ -158,4 +158,16 @@ export class DescribeSpotFleetRequestHistoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSpotFleetRequestHistoryCommand) .de(de_DescribeSpotFleetRequestHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpotFleetRequestHistoryRequest; + output: DescribeSpotFleetRequestHistoryResponse; + }; + sdk: { + input: DescribeSpotFleetRequestHistoryCommandInput; + output: DescribeSpotFleetRequestHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSpotFleetRequestsCommand.ts b/clients/client-ec2/src/commands/DescribeSpotFleetRequestsCommand.ts index 7f5a832de114..f3224e029963 100644 --- a/clients/client-ec2/src/commands/DescribeSpotFleetRequestsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSpotFleetRequestsCommand.ts @@ -485,4 +485,16 @@ export class DescribeSpotFleetRequestsCommand extends $Command .f(void 0, DescribeSpotFleetRequestsResponseFilterSensitiveLog) .ser(se_DescribeSpotFleetRequestsCommand) .de(de_DescribeSpotFleetRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpotFleetRequestsRequest; + output: DescribeSpotFleetRequestsResponse; + }; + sdk: { + input: DescribeSpotFleetRequestsCommandInput; + output: DescribeSpotFleetRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSpotInstanceRequestsCommand.ts b/clients/client-ec2/src/commands/DescribeSpotInstanceRequestsCommand.ts index 1ba486d9e2e6..842562b2735e 100644 --- a/clients/client-ec2/src/commands/DescribeSpotInstanceRequestsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSpotInstanceRequestsCommand.ts @@ -303,4 +303,16 @@ export class DescribeSpotInstanceRequestsCommand extends $Command .f(void 0, DescribeSpotInstanceRequestsResultFilterSensitiveLog) .ser(se_DescribeSpotInstanceRequestsCommand) .de(de_DescribeSpotInstanceRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpotInstanceRequestsRequest; + output: DescribeSpotInstanceRequestsResult; + }; + sdk: { + input: DescribeSpotInstanceRequestsCommandInput; + output: DescribeSpotInstanceRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSpotPriceHistoryCommand.ts b/clients/client-ec2/src/commands/DescribeSpotPriceHistoryCommand.ts index 4c0a571a1600..5921ba4c9175 100644 --- a/clients/client-ec2/src/commands/DescribeSpotPriceHistoryCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSpotPriceHistoryCommand.ts @@ -147,4 +147,16 @@ export class DescribeSpotPriceHistoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSpotPriceHistoryCommand) .de(de_DescribeSpotPriceHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpotPriceHistoryRequest; + output: DescribeSpotPriceHistoryResult; + }; + sdk: { + input: DescribeSpotPriceHistoryCommandInput; + output: DescribeSpotPriceHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeStaleSecurityGroupsCommand.ts b/clients/client-ec2/src/commands/DescribeStaleSecurityGroupsCommand.ts index 18217202dc4e..33906baa7e80 100644 --- a/clients/client-ec2/src/commands/DescribeStaleSecurityGroupsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeStaleSecurityGroupsCommand.ts @@ -138,4 +138,16 @@ export class DescribeStaleSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStaleSecurityGroupsCommand) .de(de_DescribeStaleSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStaleSecurityGroupsRequest; + output: DescribeStaleSecurityGroupsResult; + }; + sdk: { + input: DescribeStaleSecurityGroupsCommandInput; + output: DescribeStaleSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeStoreImageTasksCommand.ts b/clients/client-ec2/src/commands/DescribeStoreImageTasksCommand.ts index 0ed2ba93bd48..e2e0557b3461 100644 --- a/clients/client-ec2/src/commands/DescribeStoreImageTasksCommand.ts +++ b/clients/client-ec2/src/commands/DescribeStoreImageTasksCommand.ts @@ -112,4 +112,16 @@ export class DescribeStoreImageTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStoreImageTasksCommand) .de(de_DescribeStoreImageTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStoreImageTasksRequest; + output: DescribeStoreImageTasksResult; + }; + sdk: { + input: DescribeStoreImageTasksCommandInput; + output: DescribeStoreImageTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeSubnetsCommand.ts b/clients/client-ec2/src/commands/DescribeSubnetsCommand.ts index ad690a4c217b..2c8b065cebf9 100644 --- a/clients/client-ec2/src/commands/DescribeSubnetsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeSubnetsCommand.ts @@ -173,4 +173,16 @@ export class DescribeSubnetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSubnetsCommand) .de(de_DescribeSubnetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSubnetsRequest; + output: DescribeSubnetsResult; + }; + sdk: { + input: DescribeSubnetsCommandInput; + output: DescribeSubnetsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTagsCommand.ts b/clients/client-ec2/src/commands/DescribeTagsCommand.ts index be5c31698a76..4233d70ffe80 100644 --- a/clients/client-ec2/src/commands/DescribeTagsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTagsCommand.ts @@ -142,4 +142,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsRequest; + output: DescribeTagsResult; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTrafficMirrorFilterRulesCommand.ts b/clients/client-ec2/src/commands/DescribeTrafficMirrorFilterRulesCommand.ts index 8da6c1f91562..49eed2a40be0 100644 --- a/clients/client-ec2/src/commands/DescribeTrafficMirrorFilterRulesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTrafficMirrorFilterRulesCommand.ts @@ -123,4 +123,16 @@ export class DescribeTrafficMirrorFilterRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrafficMirrorFilterRulesCommand) .de(de_DescribeTrafficMirrorFilterRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrafficMirrorFilterRulesRequest; + output: DescribeTrafficMirrorFilterRulesResult; + }; + sdk: { + input: DescribeTrafficMirrorFilterRulesCommandInput; + output: DescribeTrafficMirrorFilterRulesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTrafficMirrorFiltersCommand.ts b/clients/client-ec2/src/commands/DescribeTrafficMirrorFiltersCommand.ts index fbb8e1a88afc..a311afa9e9de 100644 --- a/clients/client-ec2/src/commands/DescribeTrafficMirrorFiltersCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTrafficMirrorFiltersCommand.ts @@ -161,4 +161,16 @@ export class DescribeTrafficMirrorFiltersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrafficMirrorFiltersCommand) .de(de_DescribeTrafficMirrorFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrafficMirrorFiltersRequest; + output: DescribeTrafficMirrorFiltersResult; + }; + sdk: { + input: DescribeTrafficMirrorFiltersCommandInput; + output: DescribeTrafficMirrorFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTrafficMirrorSessionsCommand.ts b/clients/client-ec2/src/commands/DescribeTrafficMirrorSessionsCommand.ts index 94378a1215c3..da14217cd696 100644 --- a/clients/client-ec2/src/commands/DescribeTrafficMirrorSessionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTrafficMirrorSessionsCommand.ts @@ -111,4 +111,16 @@ export class DescribeTrafficMirrorSessionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrafficMirrorSessionsCommand) .de(de_DescribeTrafficMirrorSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrafficMirrorSessionsRequest; + output: DescribeTrafficMirrorSessionsResult; + }; + sdk: { + input: DescribeTrafficMirrorSessionsCommandInput; + output: DescribeTrafficMirrorSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTrafficMirrorTargetsCommand.ts b/clients/client-ec2/src/commands/DescribeTrafficMirrorTargetsCommand.ts index 1f3f6c397c5b..2bfc6446a41f 100644 --- a/clients/client-ec2/src/commands/DescribeTrafficMirrorTargetsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTrafficMirrorTargetsCommand.ts @@ -109,4 +109,16 @@ export class DescribeTrafficMirrorTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrafficMirrorTargetsCommand) .de(de_DescribeTrafficMirrorTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrafficMirrorTargetsRequest; + output: DescribeTrafficMirrorTargetsResult; + }; + sdk: { + input: DescribeTrafficMirrorTargetsCommandInput; + output: DescribeTrafficMirrorTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayAttachmentsCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayAttachmentsCommand.ts index 9e75b1a10f4e..31f699f4b4ef 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayAttachmentsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayAttachmentsCommand.ts @@ -118,4 +118,16 @@ export class DescribeTransitGatewayAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayAttachmentsCommand) .de(de_DescribeTransitGatewayAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayAttachmentsRequest; + output: DescribeTransitGatewayAttachmentsResult; + }; + sdk: { + input: DescribeTransitGatewayAttachmentsCommandInput; + output: DescribeTransitGatewayAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayConnectPeersCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayConnectPeersCommand.ts index 4b5d2c7dcc5d..3fca2cf7f849 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayConnectPeersCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayConnectPeersCommand.ts @@ -129,4 +129,16 @@ export class DescribeTransitGatewayConnectPeersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayConnectPeersCommand) .de(de_DescribeTransitGatewayConnectPeersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayConnectPeersRequest; + output: DescribeTransitGatewayConnectPeersResult; + }; + sdk: { + input: DescribeTransitGatewayConnectPeersCommandInput; + output: DescribeTransitGatewayConnectPeersCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayConnectsCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayConnectsCommand.ts index 54df0695987b..ecdf7d0c83e0 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayConnectsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayConnectsCommand.ts @@ -113,4 +113,16 @@ export class DescribeTransitGatewayConnectsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayConnectsCommand) .de(de_DescribeTransitGatewayConnectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayConnectsRequest; + output: DescribeTransitGatewayConnectsResult; + }; + sdk: { + input: DescribeTransitGatewayConnectsCommandInput; + output: DescribeTransitGatewayConnectsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayMulticastDomainsCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayMulticastDomainsCommand.ts index 47635da80ccf..ab9441a8761e 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayMulticastDomainsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayMulticastDomainsCommand.ts @@ -120,4 +120,16 @@ export class DescribeTransitGatewayMulticastDomainsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayMulticastDomainsCommand) .de(de_DescribeTransitGatewayMulticastDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayMulticastDomainsRequest; + output: DescribeTransitGatewayMulticastDomainsResult; + }; + sdk: { + input: DescribeTransitGatewayMulticastDomainsCommandInput; + output: DescribeTransitGatewayMulticastDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayPeeringAttachmentsCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayPeeringAttachmentsCommand.ts index 0bd48fe5294f..6d8ca736356f 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayPeeringAttachmentsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayPeeringAttachmentsCommand.ts @@ -132,4 +132,16 @@ export class DescribeTransitGatewayPeeringAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayPeeringAttachmentsCommand) .de(de_DescribeTransitGatewayPeeringAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayPeeringAttachmentsRequest; + output: DescribeTransitGatewayPeeringAttachmentsResult; + }; + sdk: { + input: DescribeTransitGatewayPeeringAttachmentsCommandInput; + output: DescribeTransitGatewayPeeringAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayPolicyTablesCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayPolicyTablesCommand.ts index 514dfd3a276a..81e2f348dbb5 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayPolicyTablesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayPolicyTablesCommand.ts @@ -112,4 +112,16 @@ export class DescribeTransitGatewayPolicyTablesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayPolicyTablesCommand) .de(de_DescribeTransitGatewayPolicyTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayPolicyTablesRequest; + output: DescribeTransitGatewayPolicyTablesResult; + }; + sdk: { + input: DescribeTransitGatewayPolicyTablesCommandInput; + output: DescribeTransitGatewayPolicyTablesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTableAnnouncementsCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTableAnnouncementsCommand.ts index cdfc46a56feb..908637d7a4a6 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTableAnnouncementsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTableAnnouncementsCommand.ts @@ -119,4 +119,16 @@ export class DescribeTransitGatewayRouteTableAnnouncementsCommand extends $Comma .f(void 0, void 0) .ser(se_DescribeTransitGatewayRouteTableAnnouncementsCommand) .de(de_DescribeTransitGatewayRouteTableAnnouncementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayRouteTableAnnouncementsRequest; + output: DescribeTransitGatewayRouteTableAnnouncementsResult; + }; + sdk: { + input: DescribeTransitGatewayRouteTableAnnouncementsCommandInput; + output: DescribeTransitGatewayRouteTableAnnouncementsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTablesCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTablesCommand.ts index 2c8f854c8bd3..ba86f253154a 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTablesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayRouteTablesCommand.ts @@ -112,4 +112,16 @@ export class DescribeTransitGatewayRouteTablesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayRouteTablesCommand) .de(de_DescribeTransitGatewayRouteTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayRouteTablesRequest; + output: DescribeTransitGatewayRouteTablesResult; + }; + sdk: { + input: DescribeTransitGatewayRouteTablesCommandInput; + output: DescribeTransitGatewayRouteTablesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewayVpcAttachmentsCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewayVpcAttachmentsCommand.ts index bf582944a1a8..d44b43b614dc 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewayVpcAttachmentsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewayVpcAttachmentsCommand.ts @@ -124,4 +124,16 @@ export class DescribeTransitGatewayVpcAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewayVpcAttachmentsCommand) .de(de_DescribeTransitGatewayVpcAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewayVpcAttachmentsRequest; + output: DescribeTransitGatewayVpcAttachmentsResult; + }; + sdk: { + input: DescribeTransitGatewayVpcAttachmentsCommandInput; + output: DescribeTransitGatewayVpcAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTransitGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeTransitGatewaysCommand.ts index f84ca7554e18..a03bde871bd1 100644 --- a/clients/client-ec2/src/commands/DescribeTransitGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTransitGatewaysCommand.ts @@ -122,4 +122,16 @@ export class DescribeTransitGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransitGatewaysCommand) .de(de_DescribeTransitGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransitGatewaysRequest; + output: DescribeTransitGatewaysResult; + }; + sdk: { + input: DescribeTransitGatewaysCommandInput; + output: DescribeTransitGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeTrunkInterfaceAssociationsCommand.ts b/clients/client-ec2/src/commands/DescribeTrunkInterfaceAssociationsCommand.ts index 257a810c88a0..1aaad8c7a995 100644 --- a/clients/client-ec2/src/commands/DescribeTrunkInterfaceAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeTrunkInterfaceAssociationsCommand.ts @@ -114,4 +114,16 @@ export class DescribeTrunkInterfaceAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrunkInterfaceAssociationsCommand) .de(de_DescribeTrunkInterfaceAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrunkInterfaceAssociationsRequest; + output: DescribeTrunkInterfaceAssociationsResult; + }; + sdk: { + input: DescribeTrunkInterfaceAssociationsCommandInput; + output: DescribeTrunkInterfaceAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVerifiedAccessEndpointsCommand.ts b/clients/client-ec2/src/commands/DescribeVerifiedAccessEndpointsCommand.ts index b92a6ed261e6..4de9f2722292 100644 --- a/clients/client-ec2/src/commands/DescribeVerifiedAccessEndpointsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVerifiedAccessEndpointsCommand.ts @@ -144,4 +144,16 @@ export class DescribeVerifiedAccessEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVerifiedAccessEndpointsCommand) .de(de_DescribeVerifiedAccessEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVerifiedAccessEndpointsRequest; + output: DescribeVerifiedAccessEndpointsResult; + }; + sdk: { + input: DescribeVerifiedAccessEndpointsCommandInput; + output: DescribeVerifiedAccessEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVerifiedAccessGroupsCommand.ts b/clients/client-ec2/src/commands/DescribeVerifiedAccessGroupsCommand.ts index 39d54add2c47..fb859e677159 100644 --- a/clients/client-ec2/src/commands/DescribeVerifiedAccessGroupsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVerifiedAccessGroupsCommand.ts @@ -115,4 +115,16 @@ export class DescribeVerifiedAccessGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVerifiedAccessGroupsCommand) .de(de_DescribeVerifiedAccessGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVerifiedAccessGroupsRequest; + output: DescribeVerifiedAccessGroupsResult; + }; + sdk: { + input: DescribeVerifiedAccessGroupsCommandInput; + output: DescribeVerifiedAccessGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVerifiedAccessInstanceLoggingConfigurationsCommand.ts b/clients/client-ec2/src/commands/DescribeVerifiedAccessInstanceLoggingConfigurationsCommand.ts index 13c58c35921a..47d2bd1149ca 100644 --- a/clients/client-ec2/src/commands/DescribeVerifiedAccessInstanceLoggingConfigurationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVerifiedAccessInstanceLoggingConfigurationsCommand.ts @@ -134,4 +134,16 @@ export class DescribeVerifiedAccessInstanceLoggingConfigurationsCommand extends .f(void 0, void 0) .ser(se_DescribeVerifiedAccessInstanceLoggingConfigurationsCommand) .de(de_DescribeVerifiedAccessInstanceLoggingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVerifiedAccessInstanceLoggingConfigurationsRequest; + output: DescribeVerifiedAccessInstanceLoggingConfigurationsResult; + }; + sdk: { + input: DescribeVerifiedAccessInstanceLoggingConfigurationsCommandInput; + output: DescribeVerifiedAccessInstanceLoggingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVerifiedAccessInstancesCommand.ts b/clients/client-ec2/src/commands/DescribeVerifiedAccessInstancesCommand.ts index ab71336f4724..1027bfed8f7a 100644 --- a/clients/client-ec2/src/commands/DescribeVerifiedAccessInstancesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVerifiedAccessInstancesCommand.ts @@ -119,4 +119,16 @@ export class DescribeVerifiedAccessInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVerifiedAccessInstancesCommand) .de(de_DescribeVerifiedAccessInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVerifiedAccessInstancesRequest; + output: DescribeVerifiedAccessInstancesResult; + }; + sdk: { + input: DescribeVerifiedAccessInstancesCommandInput; + output: DescribeVerifiedAccessInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVerifiedAccessTrustProvidersCommand.ts b/clients/client-ec2/src/commands/DescribeVerifiedAccessTrustProvidersCommand.ts index 5835ea2c54a7..f41fbfdd10f1 100644 --- a/clients/client-ec2/src/commands/DescribeVerifiedAccessTrustProvidersCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVerifiedAccessTrustProvidersCommand.ts @@ -134,4 +134,16 @@ export class DescribeVerifiedAccessTrustProvidersCommand extends $Command .f(void 0, DescribeVerifiedAccessTrustProvidersResultFilterSensitiveLog) .ser(se_DescribeVerifiedAccessTrustProvidersCommand) .de(de_DescribeVerifiedAccessTrustProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVerifiedAccessTrustProvidersRequest; + output: DescribeVerifiedAccessTrustProvidersResult; + }; + sdk: { + input: DescribeVerifiedAccessTrustProvidersCommandInput; + output: DescribeVerifiedAccessTrustProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVolumeAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeVolumeAttributeCommand.ts index e29e9b69acf8..8649af97792d 100644 --- a/clients/client-ec2/src/commands/DescribeVolumeAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVolumeAttributeCommand.ts @@ -110,4 +110,16 @@ export class DescribeVolumeAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVolumeAttributeCommand) .de(de_DescribeVolumeAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVolumeAttributeRequest; + output: DescribeVolumeAttributeResult; + }; + sdk: { + input: DescribeVolumeAttributeCommandInput; + output: DescribeVolumeAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVolumeStatusCommand.ts b/clients/client-ec2/src/commands/DescribeVolumeStatusCommand.ts index 20d906030f9b..087a806a559b 100644 --- a/clients/client-ec2/src/commands/DescribeVolumeStatusCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVolumeStatusCommand.ts @@ -228,4 +228,16 @@ export class DescribeVolumeStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVolumeStatusCommand) .de(de_DescribeVolumeStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVolumeStatusRequest; + output: DescribeVolumeStatusResult; + }; + sdk: { + input: DescribeVolumeStatusCommandInput; + output: DescribeVolumeStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVolumesCommand.ts b/clients/client-ec2/src/commands/DescribeVolumesCommand.ts index 58e91cec29a4..a1091c698dcc 100644 --- a/clients/client-ec2/src/commands/DescribeVolumesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVolumesCommand.ts @@ -223,4 +223,16 @@ export class DescribeVolumesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVolumesCommand) .de(de_DescribeVolumesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVolumesRequest; + output: DescribeVolumesResult; + }; + sdk: { + input: DescribeVolumesCommandInput; + output: DescribeVolumesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVolumesModificationsCommand.ts b/clients/client-ec2/src/commands/DescribeVolumesModificationsCommand.ts index bfa9137ce9d1..9222038bdb22 100644 --- a/clients/client-ec2/src/commands/DescribeVolumesModificationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVolumesModificationsCommand.ts @@ -114,4 +114,16 @@ export class DescribeVolumesModificationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVolumesModificationsCommand) .de(de_DescribeVolumesModificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVolumesModificationsRequest; + output: DescribeVolumesModificationsResult; + }; + sdk: { + input: DescribeVolumesModificationsCommandInput; + output: DescribeVolumesModificationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcAttributeCommand.ts b/clients/client-ec2/src/commands/DescribeVpcAttributeCommand.ts index ee73511971d0..27957c87f4c4 100644 --- a/clients/client-ec2/src/commands/DescribeVpcAttributeCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcAttributeCommand.ts @@ -128,4 +128,16 @@ export class DescribeVpcAttributeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcAttributeCommand) .de(de_DescribeVpcAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcAttributeRequest; + output: DescribeVpcAttributeResult; + }; + sdk: { + input: DescribeVpcAttributeCommandInput; + output: DescribeVpcAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcClassicLinkCommand.ts b/clients/client-ec2/src/commands/DescribeVpcClassicLinkCommand.ts index 741207509e5e..b62320828f36 100644 --- a/clients/client-ec2/src/commands/DescribeVpcClassicLinkCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcClassicLinkCommand.ts @@ -102,4 +102,16 @@ export class DescribeVpcClassicLinkCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcClassicLinkCommand) .de(de_DescribeVpcClassicLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcClassicLinkRequest; + output: DescribeVpcClassicLinkResult; + }; + sdk: { + input: DescribeVpcClassicLinkCommandInput; + output: DescribeVpcClassicLinkCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcClassicLinkDnsSupportCommand.ts b/clients/client-ec2/src/commands/DescribeVpcClassicLinkDnsSupportCommand.ts index 5450f1267b7d..c6547ec75213 100644 --- a/clients/client-ec2/src/commands/DescribeVpcClassicLinkDnsSupportCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcClassicLinkDnsSupportCommand.ts @@ -99,4 +99,16 @@ export class DescribeVpcClassicLinkDnsSupportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcClassicLinkDnsSupportCommand) .de(de_DescribeVpcClassicLinkDnsSupportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcClassicLinkDnsSupportRequest; + output: DescribeVpcClassicLinkDnsSupportResult; + }; + sdk: { + input: DescribeVpcClassicLinkDnsSupportCommandInput; + output: DescribeVpcClassicLinkDnsSupportCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionNotificationsCommand.ts b/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionNotificationsCommand.ts index c32d043b2bd6..a59e52bba14f 100644 --- a/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionNotificationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionNotificationsCommand.ts @@ -111,4 +111,16 @@ export class DescribeVpcEndpointConnectionNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointConnectionNotificationsCommand) .de(de_DescribeVpcEndpointConnectionNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointConnectionNotificationsRequest; + output: DescribeVpcEndpointConnectionNotificationsResult; + }; + sdk: { + input: DescribeVpcEndpointConnectionNotificationsCommandInput; + output: DescribeVpcEndpointConnectionNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionsCommand.ts b/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionsCommand.ts index e310a954a848..3935bee7a714 100644 --- a/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcEndpointConnectionsCommand.ts @@ -122,4 +122,16 @@ export class DescribeVpcEndpointConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointConnectionsCommand) .de(de_DescribeVpcEndpointConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointConnectionsRequest; + output: DescribeVpcEndpointConnectionsResult; + }; + sdk: { + input: DescribeVpcEndpointConnectionsCommandInput; + output: DescribeVpcEndpointConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcEndpointServiceConfigurationsCommand.ts b/clients/client-ec2/src/commands/DescribeVpcEndpointServiceConfigurationsCommand.ts index 89a1e077e3c2..7bae192c44f2 100644 --- a/clients/client-ec2/src/commands/DescribeVpcEndpointServiceConfigurationsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcEndpointServiceConfigurationsCommand.ts @@ -142,4 +142,16 @@ export class DescribeVpcEndpointServiceConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointServiceConfigurationsCommand) .de(de_DescribeVpcEndpointServiceConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointServiceConfigurationsRequest; + output: DescribeVpcEndpointServiceConfigurationsResult; + }; + sdk: { + input: DescribeVpcEndpointServiceConfigurationsCommandInput; + output: DescribeVpcEndpointServiceConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcEndpointServicePermissionsCommand.ts b/clients/client-ec2/src/commands/DescribeVpcEndpointServicePermissionsCommand.ts index 6016fce2e141..a227c5695e31 100644 --- a/clients/client-ec2/src/commands/DescribeVpcEndpointServicePermissionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcEndpointServicePermissionsCommand.ts @@ -112,4 +112,16 @@ export class DescribeVpcEndpointServicePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointServicePermissionsCommand) .de(de_DescribeVpcEndpointServicePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointServicePermissionsRequest; + output: DescribeVpcEndpointServicePermissionsResult; + }; + sdk: { + input: DescribeVpcEndpointServicePermissionsCommandInput; + output: DescribeVpcEndpointServicePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcEndpointServicesCommand.ts b/clients/client-ec2/src/commands/DescribeVpcEndpointServicesCommand.ts index 79952745684f..b03ed3cbc432 100644 --- a/clients/client-ec2/src/commands/DescribeVpcEndpointServicesCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcEndpointServicesCommand.ts @@ -138,4 +138,16 @@ export class DescribeVpcEndpointServicesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointServicesCommand) .de(de_DescribeVpcEndpointServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointServicesRequest; + output: DescribeVpcEndpointServicesResult; + }; + sdk: { + input: DescribeVpcEndpointServicesCommandInput; + output: DescribeVpcEndpointServicesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcEndpointsCommand.ts b/clients/client-ec2/src/commands/DescribeVpcEndpointsCommand.ts index 36b8154cf6cd..cd2212c009bb 100644 --- a/clients/client-ec2/src/commands/DescribeVpcEndpointsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcEndpointsCommand.ts @@ -142,4 +142,16 @@ export class DescribeVpcEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointsCommand) .de(de_DescribeVpcEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointsRequest; + output: DescribeVpcEndpointsResult; + }; + sdk: { + input: DescribeVpcEndpointsCommandInput; + output: DescribeVpcEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcPeeringConnectionsCommand.ts b/clients/client-ec2/src/commands/DescribeVpcPeeringConnectionsCommand.ts index a07f2d692aee..92d52d44755e 100644 --- a/clients/client-ec2/src/commands/DescribeVpcPeeringConnectionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcPeeringConnectionsCommand.ts @@ -152,4 +152,16 @@ export class DescribeVpcPeeringConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcPeeringConnectionsCommand) .de(de_DescribeVpcPeeringConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcPeeringConnectionsRequest; + output: DescribeVpcPeeringConnectionsResult; + }; + sdk: { + input: DescribeVpcPeeringConnectionsCommandInput; + output: DescribeVpcPeeringConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpcsCommand.ts b/clients/client-ec2/src/commands/DescribeVpcsCommand.ts index dd46483a9837..55532e288a6d 100644 --- a/clients/client-ec2/src/commands/DescribeVpcsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpcsCommand.ts @@ -166,4 +166,16 @@ export class DescribeVpcsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcsCommand) .de(de_DescribeVpcsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcsRequest; + output: DescribeVpcsResult; + }; + sdk: { + input: DescribeVpcsCommandInput; + output: DescribeVpcsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpnConnectionsCommand.ts b/clients/client-ec2/src/commands/DescribeVpnConnectionsCommand.ts index 6c281c4e2cde..58540688791e 100644 --- a/clients/client-ec2/src/commands/DescribeVpnConnectionsCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpnConnectionsCommand.ts @@ -201,4 +201,16 @@ export class DescribeVpnConnectionsCommand extends $Command .f(void 0, DescribeVpnConnectionsResultFilterSensitiveLog) .ser(se_DescribeVpnConnectionsCommand) .de(de_DescribeVpnConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpnConnectionsRequest; + output: DescribeVpnConnectionsResult; + }; + sdk: { + input: DescribeVpnConnectionsCommandInput; + output: DescribeVpnConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DescribeVpnGatewaysCommand.ts b/clients/client-ec2/src/commands/DescribeVpnGatewaysCommand.ts index d20c8aa2c5a5..c77c5065f0d9 100644 --- a/clients/client-ec2/src/commands/DescribeVpnGatewaysCommand.ts +++ b/clients/client-ec2/src/commands/DescribeVpnGatewaysCommand.ts @@ -110,4 +110,16 @@ export class DescribeVpnGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpnGatewaysCommand) .de(de_DescribeVpnGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpnGatewaysRequest; + output: DescribeVpnGatewaysResult; + }; + sdk: { + input: DescribeVpnGatewaysCommandInput; + output: DescribeVpnGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DetachClassicLinkVpcCommand.ts b/clients/client-ec2/src/commands/DetachClassicLinkVpcCommand.ts index c2410990ee04..411a31f37ca0 100644 --- a/clients/client-ec2/src/commands/DetachClassicLinkVpcCommand.ts +++ b/clients/client-ec2/src/commands/DetachClassicLinkVpcCommand.ts @@ -84,4 +84,16 @@ export class DetachClassicLinkVpcCommand extends $Command .f(void 0, void 0) .ser(se_DetachClassicLinkVpcCommand) .de(de_DetachClassicLinkVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachClassicLinkVpcRequest; + output: DetachClassicLinkVpcResult; + }; + sdk: { + input: DetachClassicLinkVpcCommandInput; + output: DetachClassicLinkVpcCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DetachInternetGatewayCommand.ts b/clients/client-ec2/src/commands/DetachInternetGatewayCommand.ts index c532e0e8487c..2764268ceed6 100644 --- a/clients/client-ec2/src/commands/DetachInternetGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DetachInternetGatewayCommand.ts @@ -91,4 +91,16 @@ export class DetachInternetGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DetachInternetGatewayCommand) .de(de_DetachInternetGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachInternetGatewayRequest; + output: {}; + }; + sdk: { + input: DetachInternetGatewayCommandInput; + output: DetachInternetGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DetachNetworkInterfaceCommand.ts b/clients/client-ec2/src/commands/DetachNetworkInterfaceCommand.ts index 77343d6bb035..162a060be031 100644 --- a/clients/client-ec2/src/commands/DetachNetworkInterfaceCommand.ts +++ b/clients/client-ec2/src/commands/DetachNetworkInterfaceCommand.ts @@ -88,4 +88,16 @@ export class DetachNetworkInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_DetachNetworkInterfaceCommand) .de(de_DetachNetworkInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachNetworkInterfaceRequest; + output: {}; + }; + sdk: { + input: DetachNetworkInterfaceCommandInput; + output: DetachNetworkInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DetachVerifiedAccessTrustProviderCommand.ts b/clients/client-ec2/src/commands/DetachVerifiedAccessTrustProviderCommand.ts index c39878970b0b..40405bece921 100644 --- a/clients/client-ec2/src/commands/DetachVerifiedAccessTrustProviderCommand.ts +++ b/clients/client-ec2/src/commands/DetachVerifiedAccessTrustProviderCommand.ts @@ -143,4 +143,16 @@ export class DetachVerifiedAccessTrustProviderCommand extends $Command .f(void 0, DetachVerifiedAccessTrustProviderResultFilterSensitiveLog) .ser(se_DetachVerifiedAccessTrustProviderCommand) .de(de_DetachVerifiedAccessTrustProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachVerifiedAccessTrustProviderRequest; + output: DetachVerifiedAccessTrustProviderResult; + }; + sdk: { + input: DetachVerifiedAccessTrustProviderCommandInput; + output: DetachVerifiedAccessTrustProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DetachVolumeCommand.ts b/clients/client-ec2/src/commands/DetachVolumeCommand.ts index a1d244637b23..b188078f2909 100644 --- a/clients/client-ec2/src/commands/DetachVolumeCommand.ts +++ b/clients/client-ec2/src/commands/DetachVolumeCommand.ts @@ -122,4 +122,16 @@ export class DetachVolumeCommand extends $Command .f(void 0, void 0) .ser(se_DetachVolumeCommand) .de(de_DetachVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachVolumeRequest; + output: VolumeAttachment; + }; + sdk: { + input: DetachVolumeCommandInput; + output: DetachVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DetachVpnGatewayCommand.ts b/clients/client-ec2/src/commands/DetachVpnGatewayCommand.ts index 5ac8c5bfcce7..28a65b17bfd4 100644 --- a/clients/client-ec2/src/commands/DetachVpnGatewayCommand.ts +++ b/clients/client-ec2/src/commands/DetachVpnGatewayCommand.ts @@ -82,4 +82,16 @@ export class DetachVpnGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DetachVpnGatewayCommand) .de(de_DetachVpnGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachVpnGatewayRequest; + output: {}; + }; + sdk: { + input: DetachVpnGatewayCommandInput; + output: DetachVpnGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableAddressTransferCommand.ts b/clients/client-ec2/src/commands/DisableAddressTransferCommand.ts index bf2c13fd2949..14e95bb658e9 100644 --- a/clients/client-ec2/src/commands/DisableAddressTransferCommand.ts +++ b/clients/client-ec2/src/commands/DisableAddressTransferCommand.ts @@ -85,4 +85,16 @@ export class DisableAddressTransferCommand extends $Command .f(void 0, void 0) .ser(se_DisableAddressTransferCommand) .de(de_DisableAddressTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableAddressTransferRequest; + output: DisableAddressTransferResult; + }; + sdk: { + input: DisableAddressTransferCommandInput; + output: DisableAddressTransferCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableAwsNetworkPerformanceMetricSubscriptionCommand.ts b/clients/client-ec2/src/commands/DisableAwsNetworkPerformanceMetricSubscriptionCommand.ts index bca9bb237949..c4156ff19d71 100644 --- a/clients/client-ec2/src/commands/DisableAwsNetworkPerformanceMetricSubscriptionCommand.ts +++ b/clients/client-ec2/src/commands/DisableAwsNetworkPerformanceMetricSubscriptionCommand.ts @@ -90,4 +90,16 @@ export class DisableAwsNetworkPerformanceMetricSubscriptionCommand extends $Comm .f(void 0, void 0) .ser(se_DisableAwsNetworkPerformanceMetricSubscriptionCommand) .de(de_DisableAwsNetworkPerformanceMetricSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableAwsNetworkPerformanceMetricSubscriptionRequest; + output: DisableAwsNetworkPerformanceMetricSubscriptionResult; + }; + sdk: { + input: DisableAwsNetworkPerformanceMetricSubscriptionCommandInput; + output: DisableAwsNetworkPerformanceMetricSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableEbsEncryptionByDefaultCommand.ts b/clients/client-ec2/src/commands/DisableEbsEncryptionByDefaultCommand.ts index 52a6115edb05..60fca5f7b4ca 100644 --- a/clients/client-ec2/src/commands/DisableEbsEncryptionByDefaultCommand.ts +++ b/clients/client-ec2/src/commands/DisableEbsEncryptionByDefaultCommand.ts @@ -85,4 +85,16 @@ export class DisableEbsEncryptionByDefaultCommand extends $Command .f(void 0, void 0) .ser(se_DisableEbsEncryptionByDefaultCommand) .de(de_DisableEbsEncryptionByDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableEbsEncryptionByDefaultRequest; + output: DisableEbsEncryptionByDefaultResult; + }; + sdk: { + input: DisableEbsEncryptionByDefaultCommandInput; + output: DisableEbsEncryptionByDefaultCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableFastLaunchCommand.ts b/clients/client-ec2/src/commands/DisableFastLaunchCommand.ts index 9933de6b9202..018040329651 100644 --- a/clients/client-ec2/src/commands/DisableFastLaunchCommand.ts +++ b/clients/client-ec2/src/commands/DisableFastLaunchCommand.ts @@ -98,4 +98,16 @@ export class DisableFastLaunchCommand extends $Command .f(void 0, void 0) .ser(se_DisableFastLaunchCommand) .de(de_DisableFastLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableFastLaunchRequest; + output: DisableFastLaunchResult; + }; + sdk: { + input: DisableFastLaunchCommandInput; + output: DisableFastLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableFastSnapshotRestoresCommand.ts b/clients/client-ec2/src/commands/DisableFastSnapshotRestoresCommand.ts index 960b3a3b2535..8fd7d542e4ad 100644 --- a/clients/client-ec2/src/commands/DisableFastSnapshotRestoresCommand.ts +++ b/clients/client-ec2/src/commands/DisableFastSnapshotRestoresCommand.ts @@ -111,4 +111,16 @@ export class DisableFastSnapshotRestoresCommand extends $Command .f(void 0, void 0) .ser(se_DisableFastSnapshotRestoresCommand) .de(de_DisableFastSnapshotRestoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableFastSnapshotRestoresRequest; + output: DisableFastSnapshotRestoresResult; + }; + sdk: { + input: DisableFastSnapshotRestoresCommandInput; + output: DisableFastSnapshotRestoresCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableImageBlockPublicAccessCommand.ts b/clients/client-ec2/src/commands/DisableImageBlockPublicAccessCommand.ts index 558676756460..425cd05e56e7 100644 --- a/clients/client-ec2/src/commands/DisableImageBlockPublicAccessCommand.ts +++ b/clients/client-ec2/src/commands/DisableImageBlockPublicAccessCommand.ts @@ -88,4 +88,16 @@ export class DisableImageBlockPublicAccessCommand extends $Command .f(void 0, void 0) .ser(se_DisableImageBlockPublicAccessCommand) .de(de_DisableImageBlockPublicAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableImageBlockPublicAccessRequest; + output: DisableImageBlockPublicAccessResult; + }; + sdk: { + input: DisableImageBlockPublicAccessCommandInput; + output: DisableImageBlockPublicAccessCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableImageCommand.ts b/clients/client-ec2/src/commands/DisableImageCommand.ts index 0696ed82d042..2464b2c7ee5c 100644 --- a/clients/client-ec2/src/commands/DisableImageCommand.ts +++ b/clients/client-ec2/src/commands/DisableImageCommand.ts @@ -88,4 +88,16 @@ export class DisableImageCommand extends $Command .f(void 0, void 0) .ser(se_DisableImageCommand) .de(de_DisableImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableImageRequest; + output: DisableImageResult; + }; + sdk: { + input: DisableImageCommandInput; + output: DisableImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableImageDeprecationCommand.ts b/clients/client-ec2/src/commands/DisableImageDeprecationCommand.ts index 6c35180ff308..55fd824403e9 100644 --- a/clients/client-ec2/src/commands/DisableImageDeprecationCommand.ts +++ b/clients/client-ec2/src/commands/DisableImageDeprecationCommand.ts @@ -80,4 +80,16 @@ export class DisableImageDeprecationCommand extends $Command .f(void 0, void 0) .ser(se_DisableImageDeprecationCommand) .de(de_DisableImageDeprecationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableImageDeprecationRequest; + output: DisableImageDeprecationResult; + }; + sdk: { + input: DisableImageDeprecationCommandInput; + output: DisableImageDeprecationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableImageDeregistrationProtectionCommand.ts b/clients/client-ec2/src/commands/DisableImageDeregistrationProtectionCommand.ts index 583725375be8..455c35d0b691 100644 --- a/clients/client-ec2/src/commands/DisableImageDeregistrationProtectionCommand.ts +++ b/clients/client-ec2/src/commands/DisableImageDeregistrationProtectionCommand.ts @@ -92,4 +92,16 @@ export class DisableImageDeregistrationProtectionCommand extends $Command .f(void 0, void 0) .ser(se_DisableImageDeregistrationProtectionCommand) .de(de_DisableImageDeregistrationProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableImageDeregistrationProtectionRequest; + output: DisableImageDeregistrationProtectionResult; + }; + sdk: { + input: DisableImageDeregistrationProtectionCommandInput; + output: DisableImageDeregistrationProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableIpamOrganizationAdminAccountCommand.ts b/clients/client-ec2/src/commands/DisableIpamOrganizationAdminAccountCommand.ts index 3ad33bc859e7..ca66378f3160 100644 --- a/clients/client-ec2/src/commands/DisableIpamOrganizationAdminAccountCommand.ts +++ b/clients/client-ec2/src/commands/DisableIpamOrganizationAdminAccountCommand.ts @@ -87,4 +87,16 @@ export class DisableIpamOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisableIpamOrganizationAdminAccountCommand) .de(de_DisableIpamOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableIpamOrganizationAdminAccountRequest; + output: DisableIpamOrganizationAdminAccountResult; + }; + sdk: { + input: DisableIpamOrganizationAdminAccountCommandInput; + output: DisableIpamOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableSerialConsoleAccessCommand.ts b/clients/client-ec2/src/commands/DisableSerialConsoleAccessCommand.ts index 6f552ca520f7..752ac13bf83a 100644 --- a/clients/client-ec2/src/commands/DisableSerialConsoleAccessCommand.ts +++ b/clients/client-ec2/src/commands/DisableSerialConsoleAccessCommand.ts @@ -80,4 +80,16 @@ export class DisableSerialConsoleAccessCommand extends $Command .f(void 0, void 0) .ser(se_DisableSerialConsoleAccessCommand) .de(de_DisableSerialConsoleAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableSerialConsoleAccessRequest; + output: DisableSerialConsoleAccessResult; + }; + sdk: { + input: DisableSerialConsoleAccessCommandInput; + output: DisableSerialConsoleAccessCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableSnapshotBlockPublicAccessCommand.ts b/clients/client-ec2/src/commands/DisableSnapshotBlockPublicAccessCommand.ts index 715e4359ba5c..0666523e3d40 100644 --- a/clients/client-ec2/src/commands/DisableSnapshotBlockPublicAccessCommand.ts +++ b/clients/client-ec2/src/commands/DisableSnapshotBlockPublicAccessCommand.ts @@ -96,4 +96,16 @@ export class DisableSnapshotBlockPublicAccessCommand extends $Command .f(void 0, void 0) .ser(se_DisableSnapshotBlockPublicAccessCommand) .de(de_DisableSnapshotBlockPublicAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableSnapshotBlockPublicAccessRequest; + output: DisableSnapshotBlockPublicAccessResult; + }; + sdk: { + input: DisableSnapshotBlockPublicAccessCommandInput; + output: DisableSnapshotBlockPublicAccessCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableTransitGatewayRouteTablePropagationCommand.ts b/clients/client-ec2/src/commands/DisableTransitGatewayRouteTablePropagationCommand.ts index c27127efbbf7..4a69edaee8d3 100644 --- a/clients/client-ec2/src/commands/DisableTransitGatewayRouteTablePropagationCommand.ts +++ b/clients/client-ec2/src/commands/DisableTransitGatewayRouteTablePropagationCommand.ts @@ -97,4 +97,16 @@ export class DisableTransitGatewayRouteTablePropagationCommand extends $Command .f(void 0, void 0) .ser(se_DisableTransitGatewayRouteTablePropagationCommand) .de(de_DisableTransitGatewayRouteTablePropagationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableTransitGatewayRouteTablePropagationRequest; + output: DisableTransitGatewayRouteTablePropagationResult; + }; + sdk: { + input: DisableTransitGatewayRouteTablePropagationCommandInput; + output: DisableTransitGatewayRouteTablePropagationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableVgwRoutePropagationCommand.ts b/clients/client-ec2/src/commands/DisableVgwRoutePropagationCommand.ts index 2df90a01570f..0ab50db00be8 100644 --- a/clients/client-ec2/src/commands/DisableVgwRoutePropagationCommand.ts +++ b/clients/client-ec2/src/commands/DisableVgwRoutePropagationCommand.ts @@ -90,4 +90,16 @@ export class DisableVgwRoutePropagationCommand extends $Command .f(void 0, void 0) .ser(se_DisableVgwRoutePropagationCommand) .de(de_DisableVgwRoutePropagationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableVgwRoutePropagationRequest; + output: {}; + }; + sdk: { + input: DisableVgwRoutePropagationCommandInput; + output: DisableVgwRoutePropagationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableVpcClassicLinkCommand.ts b/clients/client-ec2/src/commands/DisableVpcClassicLinkCommand.ts index f35d1c8038fc..2c1f71529eac 100644 --- a/clients/client-ec2/src/commands/DisableVpcClassicLinkCommand.ts +++ b/clients/client-ec2/src/commands/DisableVpcClassicLinkCommand.ts @@ -82,4 +82,16 @@ export class DisableVpcClassicLinkCommand extends $Command .f(void 0, void 0) .ser(se_DisableVpcClassicLinkCommand) .de(de_DisableVpcClassicLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableVpcClassicLinkRequest; + output: DisableVpcClassicLinkResult; + }; + sdk: { + input: DisableVpcClassicLinkCommandInput; + output: DisableVpcClassicLinkCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisableVpcClassicLinkDnsSupportCommand.ts b/clients/client-ec2/src/commands/DisableVpcClassicLinkDnsSupportCommand.ts index 435a322719a5..f36a9fbd2ff0 100644 --- a/clients/client-ec2/src/commands/DisableVpcClassicLinkDnsSupportCommand.ts +++ b/clients/client-ec2/src/commands/DisableVpcClassicLinkDnsSupportCommand.ts @@ -88,4 +88,16 @@ export class DisableVpcClassicLinkDnsSupportCommand extends $Command .f(void 0, void 0) .ser(se_DisableVpcClassicLinkDnsSupportCommand) .de(de_DisableVpcClassicLinkDnsSupportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableVpcClassicLinkDnsSupportRequest; + output: DisableVpcClassicLinkDnsSupportResult; + }; + sdk: { + input: DisableVpcClassicLinkDnsSupportCommandInput; + output: DisableVpcClassicLinkDnsSupportCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateAddressCommand.ts b/clients/client-ec2/src/commands/DisassociateAddressCommand.ts index 5b93935c1cef..510e4363091d 100644 --- a/clients/client-ec2/src/commands/DisassociateAddressCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateAddressCommand.ts @@ -89,4 +89,16 @@ export class DisassociateAddressCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAddressCommand) .de(de_DisassociateAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAddressRequest; + output: {}; + }; + sdk: { + input: DisassociateAddressCommandInput; + output: DisassociateAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateClientVpnTargetNetworkCommand.ts b/clients/client-ec2/src/commands/DisassociateClientVpnTargetNetworkCommand.ts index 742abf050817..e329c759c233 100644 --- a/clients/client-ec2/src/commands/DisassociateClientVpnTargetNetworkCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateClientVpnTargetNetworkCommand.ts @@ -107,4 +107,16 @@ export class DisassociateClientVpnTargetNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateClientVpnTargetNetworkCommand) .de(de_DisassociateClientVpnTargetNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateClientVpnTargetNetworkRequest; + output: DisassociateClientVpnTargetNetworkResult; + }; + sdk: { + input: DisassociateClientVpnTargetNetworkCommandInput; + output: DisassociateClientVpnTargetNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateEnclaveCertificateIamRoleCommand.ts b/clients/client-ec2/src/commands/DisassociateEnclaveCertificateIamRoleCommand.ts index 608ea7e1945f..bf41761d0e14 100644 --- a/clients/client-ec2/src/commands/DisassociateEnclaveCertificateIamRoleCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateEnclaveCertificateIamRoleCommand.ts @@ -92,4 +92,16 @@ export class DisassociateEnclaveCertificateIamRoleCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateEnclaveCertificateIamRoleCommand) .de(de_DisassociateEnclaveCertificateIamRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateEnclaveCertificateIamRoleRequest; + output: DisassociateEnclaveCertificateIamRoleResult; + }; + sdk: { + input: DisassociateEnclaveCertificateIamRoleCommandInput; + output: DisassociateEnclaveCertificateIamRoleCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateIamInstanceProfileCommand.ts b/clients/client-ec2/src/commands/DisassociateIamInstanceProfileCommand.ts index 848223bac783..48b47806b71f 100644 --- a/clients/client-ec2/src/commands/DisassociateIamInstanceProfileCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateIamInstanceProfileCommand.ts @@ -117,4 +117,16 @@ export class DisassociateIamInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateIamInstanceProfileCommand) .de(de_DisassociateIamInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateIamInstanceProfileRequest; + output: DisassociateIamInstanceProfileResult; + }; + sdk: { + input: DisassociateIamInstanceProfileCommandInput; + output: DisassociateIamInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateInstanceEventWindowCommand.ts b/clients/client-ec2/src/commands/DisassociateInstanceEventWindowCommand.ts index 817ce82dafce..f9d43cc0c4c6 100644 --- a/clients/client-ec2/src/commands/DisassociateInstanceEventWindowCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateInstanceEventWindowCommand.ts @@ -132,4 +132,16 @@ export class DisassociateInstanceEventWindowCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateInstanceEventWindowCommand) .de(de_DisassociateInstanceEventWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateInstanceEventWindowRequest; + output: DisassociateInstanceEventWindowResult; + }; + sdk: { + input: DisassociateInstanceEventWindowCommandInput; + output: DisassociateInstanceEventWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateIpamByoasnCommand.ts b/clients/client-ec2/src/commands/DisassociateIpamByoasnCommand.ts index b41e7b6c0f82..a13cbd537be3 100644 --- a/clients/client-ec2/src/commands/DisassociateIpamByoasnCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateIpamByoasnCommand.ts @@ -85,4 +85,16 @@ export class DisassociateIpamByoasnCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateIpamByoasnCommand) .de(de_DisassociateIpamByoasnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateIpamByoasnRequest; + output: DisassociateIpamByoasnResult; + }; + sdk: { + input: DisassociateIpamByoasnCommandInput; + output: DisassociateIpamByoasnCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateIpamResourceDiscoveryCommand.ts b/clients/client-ec2/src/commands/DisassociateIpamResourceDiscoveryCommand.ts index 3a6980abf0fb..081e601e1e4b 100644 --- a/clients/client-ec2/src/commands/DisassociateIpamResourceDiscoveryCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateIpamResourceDiscoveryCommand.ts @@ -100,4 +100,16 @@ export class DisassociateIpamResourceDiscoveryCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateIpamResourceDiscoveryCommand) .de(de_DisassociateIpamResourceDiscoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateIpamResourceDiscoveryRequest; + output: DisassociateIpamResourceDiscoveryResult; + }; + sdk: { + input: DisassociateIpamResourceDiscoveryCommandInput; + output: DisassociateIpamResourceDiscoveryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateNatGatewayAddressCommand.ts b/clients/client-ec2/src/commands/DisassociateNatGatewayAddressCommand.ts index 72432bf50ac0..61cda1ff992d 100644 --- a/clients/client-ec2/src/commands/DisassociateNatGatewayAddressCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateNatGatewayAddressCommand.ts @@ -103,4 +103,16 @@ export class DisassociateNatGatewayAddressCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateNatGatewayAddressCommand) .de(de_DisassociateNatGatewayAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateNatGatewayAddressRequest; + output: DisassociateNatGatewayAddressResult; + }; + sdk: { + input: DisassociateNatGatewayAddressCommandInput; + output: DisassociateNatGatewayAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateRouteTableCommand.ts b/clients/client-ec2/src/commands/DisassociateRouteTableCommand.ts index 7fc63135c546..79d1384e2901 100644 --- a/clients/client-ec2/src/commands/DisassociateRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateRouteTableCommand.ts @@ -91,4 +91,16 @@ export class DisassociateRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateRouteTableCommand) .de(de_DisassociateRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateRouteTableRequest; + output: {}; + }; + sdk: { + input: DisassociateRouteTableCommandInput; + output: DisassociateRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateSubnetCidrBlockCommand.ts b/clients/client-ec2/src/commands/DisassociateSubnetCidrBlockCommand.ts index e58af5ea209d..524b92820600 100644 --- a/clients/client-ec2/src/commands/DisassociateSubnetCidrBlockCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateSubnetCidrBlockCommand.ts @@ -87,4 +87,16 @@ export class DisassociateSubnetCidrBlockCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateSubnetCidrBlockCommand) .de(de_DisassociateSubnetCidrBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateSubnetCidrBlockRequest; + output: DisassociateSubnetCidrBlockResult; + }; + sdk: { + input: DisassociateSubnetCidrBlockCommandInput; + output: DisassociateSubnetCidrBlockCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateTransitGatewayMulticastDomainCommand.ts b/clients/client-ec2/src/commands/DisassociateTransitGatewayMulticastDomainCommand.ts index 5aee9ecb0fb7..2dcfc9cbe06d 100644 --- a/clients/client-ec2/src/commands/DisassociateTransitGatewayMulticastDomainCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateTransitGatewayMulticastDomainCommand.ts @@ -103,4 +103,16 @@ export class DisassociateTransitGatewayMulticastDomainCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTransitGatewayMulticastDomainCommand) .de(de_DisassociateTransitGatewayMulticastDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTransitGatewayMulticastDomainRequest; + output: DisassociateTransitGatewayMulticastDomainResult; + }; + sdk: { + input: DisassociateTransitGatewayMulticastDomainCommandInput; + output: DisassociateTransitGatewayMulticastDomainCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateTransitGatewayPolicyTableCommand.ts b/clients/client-ec2/src/commands/DisassociateTransitGatewayPolicyTableCommand.ts index afebc4caf354..4534a2473a05 100644 --- a/clients/client-ec2/src/commands/DisassociateTransitGatewayPolicyTableCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateTransitGatewayPolicyTableCommand.ts @@ -94,4 +94,16 @@ export class DisassociateTransitGatewayPolicyTableCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTransitGatewayPolicyTableCommand) .de(de_DisassociateTransitGatewayPolicyTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTransitGatewayPolicyTableRequest; + output: DisassociateTransitGatewayPolicyTableResult; + }; + sdk: { + input: DisassociateTransitGatewayPolicyTableCommandInput; + output: DisassociateTransitGatewayPolicyTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateTransitGatewayRouteTableCommand.ts b/clients/client-ec2/src/commands/DisassociateTransitGatewayRouteTableCommand.ts index c9b226bb7604..a7087fc69a36 100644 --- a/clients/client-ec2/src/commands/DisassociateTransitGatewayRouteTableCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateTransitGatewayRouteTableCommand.ts @@ -93,4 +93,16 @@ export class DisassociateTransitGatewayRouteTableCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTransitGatewayRouteTableCommand) .de(de_DisassociateTransitGatewayRouteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTransitGatewayRouteTableRequest; + output: DisassociateTransitGatewayRouteTableResult; + }; + sdk: { + input: DisassociateTransitGatewayRouteTableCommandInput; + output: DisassociateTransitGatewayRouteTableCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateTrunkInterfaceCommand.ts b/clients/client-ec2/src/commands/DisassociateTrunkInterfaceCommand.ts index 0188181f1fe1..740492427665 100644 --- a/clients/client-ec2/src/commands/DisassociateTrunkInterfaceCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateTrunkInterfaceCommand.ts @@ -80,4 +80,16 @@ export class DisassociateTrunkInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTrunkInterfaceCommand) .de(de_DisassociateTrunkInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTrunkInterfaceRequest; + output: DisassociateTrunkInterfaceResult; + }; + sdk: { + input: DisassociateTrunkInterfaceCommandInput; + output: DisassociateTrunkInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/DisassociateVpcCidrBlockCommand.ts b/clients/client-ec2/src/commands/DisassociateVpcCidrBlockCommand.ts index b0f59917e032..5afb303df135 100644 --- a/clients/client-ec2/src/commands/DisassociateVpcCidrBlockCommand.ts +++ b/clients/client-ec2/src/commands/DisassociateVpcCidrBlockCommand.ts @@ -102,4 +102,16 @@ export class DisassociateVpcCidrBlockCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateVpcCidrBlockCommand) .de(de_DisassociateVpcCidrBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateVpcCidrBlockRequest; + output: DisassociateVpcCidrBlockResult; + }; + sdk: { + input: DisassociateVpcCidrBlockCommandInput; + output: DisassociateVpcCidrBlockCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableAddressTransferCommand.ts b/clients/client-ec2/src/commands/EnableAddressTransferCommand.ts index 2ba75695c5e9..3e42ce213243 100644 --- a/clients/client-ec2/src/commands/EnableAddressTransferCommand.ts +++ b/clients/client-ec2/src/commands/EnableAddressTransferCommand.ts @@ -86,4 +86,16 @@ export class EnableAddressTransferCommand extends $Command .f(void 0, void 0) .ser(se_EnableAddressTransferCommand) .de(de_EnableAddressTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableAddressTransferRequest; + output: EnableAddressTransferResult; + }; + sdk: { + input: EnableAddressTransferCommandInput; + output: EnableAddressTransferCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableAwsNetworkPerformanceMetricSubscriptionCommand.ts b/clients/client-ec2/src/commands/EnableAwsNetworkPerformanceMetricSubscriptionCommand.ts index 6a9c3d5990f1..4d98af2c4190 100644 --- a/clients/client-ec2/src/commands/EnableAwsNetworkPerformanceMetricSubscriptionCommand.ts +++ b/clients/client-ec2/src/commands/EnableAwsNetworkPerformanceMetricSubscriptionCommand.ts @@ -90,4 +90,16 @@ export class EnableAwsNetworkPerformanceMetricSubscriptionCommand extends $Comma .f(void 0, void 0) .ser(se_EnableAwsNetworkPerformanceMetricSubscriptionCommand) .de(de_EnableAwsNetworkPerformanceMetricSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableAwsNetworkPerformanceMetricSubscriptionRequest; + output: EnableAwsNetworkPerformanceMetricSubscriptionResult; + }; + sdk: { + input: EnableAwsNetworkPerformanceMetricSubscriptionCommandInput; + output: EnableAwsNetworkPerformanceMetricSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableEbsEncryptionByDefaultCommand.ts b/clients/client-ec2/src/commands/EnableEbsEncryptionByDefaultCommand.ts index 7b24041f8fc9..5d4b3d4ddefe 100644 --- a/clients/client-ec2/src/commands/EnableEbsEncryptionByDefaultCommand.ts +++ b/clients/client-ec2/src/commands/EnableEbsEncryptionByDefaultCommand.ts @@ -90,4 +90,16 @@ export class EnableEbsEncryptionByDefaultCommand extends $Command .f(void 0, void 0) .ser(se_EnableEbsEncryptionByDefaultCommand) .de(de_EnableEbsEncryptionByDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableEbsEncryptionByDefaultRequest; + output: EnableEbsEncryptionByDefaultResult; + }; + sdk: { + input: EnableEbsEncryptionByDefaultCommandInput; + output: EnableEbsEncryptionByDefaultCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableFastLaunchCommand.ts b/clients/client-ec2/src/commands/EnableFastLaunchCommand.ts index a8fc9fac2d1b..f68731b896ad 100644 --- a/clients/client-ec2/src/commands/EnableFastLaunchCommand.ts +++ b/clients/client-ec2/src/commands/EnableFastLaunchCommand.ts @@ -110,4 +110,16 @@ export class EnableFastLaunchCommand extends $Command .f(void 0, void 0) .ser(se_EnableFastLaunchCommand) .de(de_EnableFastLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableFastLaunchRequest; + output: EnableFastLaunchResult; + }; + sdk: { + input: EnableFastLaunchCommandInput; + output: EnableFastLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableFastSnapshotRestoresCommand.ts b/clients/client-ec2/src/commands/EnableFastSnapshotRestoresCommand.ts index 4eb0ebc1f906..45cee423e18a 100644 --- a/clients/client-ec2/src/commands/EnableFastSnapshotRestoresCommand.ts +++ b/clients/client-ec2/src/commands/EnableFastSnapshotRestoresCommand.ts @@ -116,4 +116,16 @@ export class EnableFastSnapshotRestoresCommand extends $Command .f(void 0, void 0) .ser(se_EnableFastSnapshotRestoresCommand) .de(de_EnableFastSnapshotRestoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableFastSnapshotRestoresRequest; + output: EnableFastSnapshotRestoresResult; + }; + sdk: { + input: EnableFastSnapshotRestoresCommandInput; + output: EnableFastSnapshotRestoresCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableImageBlockPublicAccessCommand.ts b/clients/client-ec2/src/commands/EnableImageBlockPublicAccessCommand.ts index db1f3b72ccdd..c5380fc33e58 100644 --- a/clients/client-ec2/src/commands/EnableImageBlockPublicAccessCommand.ts +++ b/clients/client-ec2/src/commands/EnableImageBlockPublicAccessCommand.ts @@ -88,4 +88,16 @@ export class EnableImageBlockPublicAccessCommand extends $Command .f(void 0, void 0) .ser(se_EnableImageBlockPublicAccessCommand) .de(de_EnableImageBlockPublicAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableImageBlockPublicAccessRequest; + output: EnableImageBlockPublicAccessResult; + }; + sdk: { + input: EnableImageBlockPublicAccessCommandInput; + output: EnableImageBlockPublicAccessCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableImageCommand.ts b/clients/client-ec2/src/commands/EnableImageCommand.ts index 6ee680a322a4..e6243514e41a 100644 --- a/clients/client-ec2/src/commands/EnableImageCommand.ts +++ b/clients/client-ec2/src/commands/EnableImageCommand.ts @@ -85,4 +85,16 @@ export class EnableImageCommand extends $Command .f(void 0, void 0) .ser(se_EnableImageCommand) .de(de_EnableImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableImageRequest; + output: EnableImageResult; + }; + sdk: { + input: EnableImageCommandInput; + output: EnableImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableImageDeprecationCommand.ts b/clients/client-ec2/src/commands/EnableImageDeprecationCommand.ts index 6f13e55bb415..211b5b2428b3 100644 --- a/clients/client-ec2/src/commands/EnableImageDeprecationCommand.ts +++ b/clients/client-ec2/src/commands/EnableImageDeprecationCommand.ts @@ -80,4 +80,16 @@ export class EnableImageDeprecationCommand extends $Command .f(void 0, void 0) .ser(se_EnableImageDeprecationCommand) .de(de_EnableImageDeprecationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableImageDeprecationRequest; + output: EnableImageDeprecationResult; + }; + sdk: { + input: EnableImageDeprecationCommandInput; + output: EnableImageDeprecationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableImageDeregistrationProtectionCommand.ts b/clients/client-ec2/src/commands/EnableImageDeregistrationProtectionCommand.ts index 480ffb16b4c9..200d544b1249 100644 --- a/clients/client-ec2/src/commands/EnableImageDeregistrationProtectionCommand.ts +++ b/clients/client-ec2/src/commands/EnableImageDeregistrationProtectionCommand.ts @@ -92,4 +92,16 @@ export class EnableImageDeregistrationProtectionCommand extends $Command .f(void 0, void 0) .ser(se_EnableImageDeregistrationProtectionCommand) .de(de_EnableImageDeregistrationProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableImageDeregistrationProtectionRequest; + output: EnableImageDeregistrationProtectionResult; + }; + sdk: { + input: EnableImageDeregistrationProtectionCommandInput; + output: EnableImageDeregistrationProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableIpamOrganizationAdminAccountCommand.ts b/clients/client-ec2/src/commands/EnableIpamOrganizationAdminAccountCommand.ts index be4fb0b1fd9d..487f863c4848 100644 --- a/clients/client-ec2/src/commands/EnableIpamOrganizationAdminAccountCommand.ts +++ b/clients/client-ec2/src/commands/EnableIpamOrganizationAdminAccountCommand.ts @@ -87,4 +87,16 @@ export class EnableIpamOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_EnableIpamOrganizationAdminAccountCommand) .de(de_EnableIpamOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableIpamOrganizationAdminAccountRequest; + output: EnableIpamOrganizationAdminAccountResult; + }; + sdk: { + input: EnableIpamOrganizationAdminAccountCommandInput; + output: EnableIpamOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableReachabilityAnalyzerOrganizationSharingCommand.ts b/clients/client-ec2/src/commands/EnableReachabilityAnalyzerOrganizationSharingCommand.ts index 7ba9af9ceb9d..0817b58f3555 100644 --- a/clients/client-ec2/src/commands/EnableReachabilityAnalyzerOrganizationSharingCommand.ts +++ b/clients/client-ec2/src/commands/EnableReachabilityAnalyzerOrganizationSharingCommand.ts @@ -90,4 +90,16 @@ export class EnableReachabilityAnalyzerOrganizationSharingCommand extends $Comma .f(void 0, void 0) .ser(se_EnableReachabilityAnalyzerOrganizationSharingCommand) .de(de_EnableReachabilityAnalyzerOrganizationSharingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableReachabilityAnalyzerOrganizationSharingRequest; + output: EnableReachabilityAnalyzerOrganizationSharingResult; + }; + sdk: { + input: EnableReachabilityAnalyzerOrganizationSharingCommandInput; + output: EnableReachabilityAnalyzerOrganizationSharingCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableSerialConsoleAccessCommand.ts b/clients/client-ec2/src/commands/EnableSerialConsoleAccessCommand.ts index a94a19760922..84a6cd5ff2db 100644 --- a/clients/client-ec2/src/commands/EnableSerialConsoleAccessCommand.ts +++ b/clients/client-ec2/src/commands/EnableSerialConsoleAccessCommand.ts @@ -79,4 +79,16 @@ export class EnableSerialConsoleAccessCommand extends $Command .f(void 0, void 0) .ser(se_EnableSerialConsoleAccessCommand) .de(de_EnableSerialConsoleAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableSerialConsoleAccessRequest; + output: EnableSerialConsoleAccessResult; + }; + sdk: { + input: EnableSerialConsoleAccessCommandInput; + output: EnableSerialConsoleAccessCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableSnapshotBlockPublicAccessCommand.ts b/clients/client-ec2/src/commands/EnableSnapshotBlockPublicAccessCommand.ts index 3b49ed1bd053..8fb5b51cf88b 100644 --- a/clients/client-ec2/src/commands/EnableSnapshotBlockPublicAccessCommand.ts +++ b/clients/client-ec2/src/commands/EnableSnapshotBlockPublicAccessCommand.ts @@ -99,4 +99,16 @@ export class EnableSnapshotBlockPublicAccessCommand extends $Command .f(void 0, void 0) .ser(se_EnableSnapshotBlockPublicAccessCommand) .de(de_EnableSnapshotBlockPublicAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableSnapshotBlockPublicAccessRequest; + output: EnableSnapshotBlockPublicAccessResult; + }; + sdk: { + input: EnableSnapshotBlockPublicAccessCommandInput; + output: EnableSnapshotBlockPublicAccessCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableTransitGatewayRouteTablePropagationCommand.ts b/clients/client-ec2/src/commands/EnableTransitGatewayRouteTablePropagationCommand.ts index 33b5d8cbe852..65cd65e005a7 100644 --- a/clients/client-ec2/src/commands/EnableTransitGatewayRouteTablePropagationCommand.ts +++ b/clients/client-ec2/src/commands/EnableTransitGatewayRouteTablePropagationCommand.ts @@ -97,4 +97,16 @@ export class EnableTransitGatewayRouteTablePropagationCommand extends $Command .f(void 0, void 0) .ser(se_EnableTransitGatewayRouteTablePropagationCommand) .de(de_EnableTransitGatewayRouteTablePropagationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableTransitGatewayRouteTablePropagationRequest; + output: EnableTransitGatewayRouteTablePropagationResult; + }; + sdk: { + input: EnableTransitGatewayRouteTablePropagationCommandInput; + output: EnableTransitGatewayRouteTablePropagationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableVgwRoutePropagationCommand.ts b/clients/client-ec2/src/commands/EnableVgwRoutePropagationCommand.ts index 339bcfbaa252..0863bd7da0fe 100644 --- a/clients/client-ec2/src/commands/EnableVgwRoutePropagationCommand.ts +++ b/clients/client-ec2/src/commands/EnableVgwRoutePropagationCommand.ts @@ -90,4 +90,16 @@ export class EnableVgwRoutePropagationCommand extends $Command .f(void 0, void 0) .ser(se_EnableVgwRoutePropagationCommand) .de(de_EnableVgwRoutePropagationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableVgwRoutePropagationRequest; + output: {}; + }; + sdk: { + input: EnableVgwRoutePropagationCommandInput; + output: EnableVgwRoutePropagationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableVolumeIOCommand.ts b/clients/client-ec2/src/commands/EnableVolumeIOCommand.ts index 0831aae45c07..c59da4f186b0 100644 --- a/clients/client-ec2/src/commands/EnableVolumeIOCommand.ts +++ b/clients/client-ec2/src/commands/EnableVolumeIOCommand.ts @@ -88,4 +88,16 @@ export class EnableVolumeIOCommand extends $Command .f(void 0, void 0) .ser(se_EnableVolumeIOCommand) .de(de_EnableVolumeIOCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableVolumeIORequest; + output: {}; + }; + sdk: { + input: EnableVolumeIOCommandInput; + output: EnableVolumeIOCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableVpcClassicLinkCommand.ts b/clients/client-ec2/src/commands/EnableVpcClassicLinkCommand.ts index 372a567cb32e..ac3a3d0a8b0a 100644 --- a/clients/client-ec2/src/commands/EnableVpcClassicLinkCommand.ts +++ b/clients/client-ec2/src/commands/EnableVpcClassicLinkCommand.ts @@ -86,4 +86,16 @@ export class EnableVpcClassicLinkCommand extends $Command .f(void 0, void 0) .ser(se_EnableVpcClassicLinkCommand) .de(de_EnableVpcClassicLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableVpcClassicLinkRequest; + output: EnableVpcClassicLinkResult; + }; + sdk: { + input: EnableVpcClassicLinkCommandInput; + output: EnableVpcClassicLinkCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/EnableVpcClassicLinkDnsSupportCommand.ts b/clients/client-ec2/src/commands/EnableVpcClassicLinkDnsSupportCommand.ts index 934c83493ae8..70ead8251b89 100644 --- a/clients/client-ec2/src/commands/EnableVpcClassicLinkDnsSupportCommand.ts +++ b/clients/client-ec2/src/commands/EnableVpcClassicLinkDnsSupportCommand.ts @@ -90,4 +90,16 @@ export class EnableVpcClassicLinkDnsSupportCommand extends $Command .f(void 0, void 0) .ser(se_EnableVpcClassicLinkDnsSupportCommand) .de(de_EnableVpcClassicLinkDnsSupportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableVpcClassicLinkDnsSupportRequest; + output: EnableVpcClassicLinkDnsSupportResult; + }; + sdk: { + input: EnableVpcClassicLinkDnsSupportCommandInput; + output: EnableVpcClassicLinkDnsSupportCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ExportClientVpnClientCertificateRevocationListCommand.ts b/clients/client-ec2/src/commands/ExportClientVpnClientCertificateRevocationListCommand.ts index 07d7d9e29528..41f964279e0f 100644 --- a/clients/client-ec2/src/commands/ExportClientVpnClientCertificateRevocationListCommand.ts +++ b/clients/client-ec2/src/commands/ExportClientVpnClientCertificateRevocationListCommand.ts @@ -91,4 +91,16 @@ export class ExportClientVpnClientCertificateRevocationListCommand extends $Comm .f(void 0, void 0) .ser(se_ExportClientVpnClientCertificateRevocationListCommand) .de(de_ExportClientVpnClientCertificateRevocationListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportClientVpnClientCertificateRevocationListRequest; + output: ExportClientVpnClientCertificateRevocationListResult; + }; + sdk: { + input: ExportClientVpnClientCertificateRevocationListCommandInput; + output: ExportClientVpnClientCertificateRevocationListCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ExportClientVpnClientConfigurationCommand.ts b/clients/client-ec2/src/commands/ExportClientVpnClientConfigurationCommand.ts index ba3282e6ca96..42ee6cead445 100644 --- a/clients/client-ec2/src/commands/ExportClientVpnClientConfigurationCommand.ts +++ b/clients/client-ec2/src/commands/ExportClientVpnClientConfigurationCommand.ts @@ -88,4 +88,16 @@ export class ExportClientVpnClientConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ExportClientVpnClientConfigurationCommand) .de(de_ExportClientVpnClientConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportClientVpnClientConfigurationRequest; + output: ExportClientVpnClientConfigurationResult; + }; + sdk: { + input: ExportClientVpnClientConfigurationCommandInput; + output: ExportClientVpnClientConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ExportImageCommand.ts b/clients/client-ec2/src/commands/ExportImageCommand.ts index 856c1fe8dac6..6831c7fcad3e 100644 --- a/clients/client-ec2/src/commands/ExportImageCommand.ts +++ b/clients/client-ec2/src/commands/ExportImageCommand.ts @@ -116,4 +116,16 @@ export class ExportImageCommand extends $Command .f(void 0, void 0) .ser(se_ExportImageCommand) .de(de_ExportImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportImageRequest; + output: ExportImageResult; + }; + sdk: { + input: ExportImageCommandInput; + output: ExportImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ExportTransitGatewayRoutesCommand.ts b/clients/client-ec2/src/commands/ExportTransitGatewayRoutesCommand.ts index ec3176ec9b33..9fcb53e13687 100644 --- a/clients/client-ec2/src/commands/ExportTransitGatewayRoutesCommand.ts +++ b/clients/client-ec2/src/commands/ExportTransitGatewayRoutesCommand.ts @@ -91,4 +91,16 @@ export class ExportTransitGatewayRoutesCommand extends $Command .f(void 0, void 0) .ser(se_ExportTransitGatewayRoutesCommand) .de(de_ExportTransitGatewayRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportTransitGatewayRoutesRequest; + output: ExportTransitGatewayRoutesResult; + }; + sdk: { + input: ExportTransitGatewayRoutesCommandInput; + output: ExportTransitGatewayRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetAssociatedEnclaveCertificateIamRolesCommand.ts b/clients/client-ec2/src/commands/GetAssociatedEnclaveCertificateIamRolesCommand.ts index 59d363932868..b7214bcfeb2a 100644 --- a/clients/client-ec2/src/commands/GetAssociatedEnclaveCertificateIamRolesCommand.ts +++ b/clients/client-ec2/src/commands/GetAssociatedEnclaveCertificateIamRolesCommand.ts @@ -97,4 +97,16 @@ export class GetAssociatedEnclaveCertificateIamRolesCommand extends $Command .f(void 0, void 0) .ser(se_GetAssociatedEnclaveCertificateIamRolesCommand) .de(de_GetAssociatedEnclaveCertificateIamRolesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssociatedEnclaveCertificateIamRolesRequest; + output: GetAssociatedEnclaveCertificateIamRolesResult; + }; + sdk: { + input: GetAssociatedEnclaveCertificateIamRolesCommandInput; + output: GetAssociatedEnclaveCertificateIamRolesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetAssociatedIpv6PoolCidrsCommand.ts b/clients/client-ec2/src/commands/GetAssociatedIpv6PoolCidrsCommand.ts index d51e3c1e0399..74767d8709b9 100644 --- a/clients/client-ec2/src/commands/GetAssociatedIpv6PoolCidrsCommand.ts +++ b/clients/client-ec2/src/commands/GetAssociatedIpv6PoolCidrsCommand.ts @@ -86,4 +86,16 @@ export class GetAssociatedIpv6PoolCidrsCommand extends $Command .f(void 0, void 0) .ser(se_GetAssociatedIpv6PoolCidrsCommand) .de(de_GetAssociatedIpv6PoolCidrsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssociatedIpv6PoolCidrsRequest; + output: GetAssociatedIpv6PoolCidrsResult; + }; + sdk: { + input: GetAssociatedIpv6PoolCidrsCommandInput; + output: GetAssociatedIpv6PoolCidrsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetAwsNetworkPerformanceDataCommand.ts b/clients/client-ec2/src/commands/GetAwsNetworkPerformanceDataCommand.ts index 9ca62dd3a239..a9ffae84f027 100644 --- a/clients/client-ec2/src/commands/GetAwsNetworkPerformanceDataCommand.ts +++ b/clients/client-ec2/src/commands/GetAwsNetworkPerformanceDataCommand.ts @@ -111,4 +111,16 @@ export class GetAwsNetworkPerformanceDataCommand extends $Command .f(void 0, void 0) .ser(se_GetAwsNetworkPerformanceDataCommand) .de(de_GetAwsNetworkPerformanceDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAwsNetworkPerformanceDataRequest; + output: GetAwsNetworkPerformanceDataResult; + }; + sdk: { + input: GetAwsNetworkPerformanceDataCommandInput; + output: GetAwsNetworkPerformanceDataCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetCapacityReservationUsageCommand.ts b/clients/client-ec2/src/commands/GetCapacityReservationUsageCommand.ts index 1cf4d161ef89..3c93b9c87468 100644 --- a/clients/client-ec2/src/commands/GetCapacityReservationUsageCommand.ts +++ b/clients/client-ec2/src/commands/GetCapacityReservationUsageCommand.ts @@ -93,4 +93,16 @@ export class GetCapacityReservationUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetCapacityReservationUsageCommand) .de(de_GetCapacityReservationUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCapacityReservationUsageRequest; + output: GetCapacityReservationUsageResult; + }; + sdk: { + input: GetCapacityReservationUsageCommandInput; + output: GetCapacityReservationUsageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetCoipPoolUsageCommand.ts b/clients/client-ec2/src/commands/GetCoipPoolUsageCommand.ts index 924716c4f1c4..ce305b19c799 100644 --- a/clients/client-ec2/src/commands/GetCoipPoolUsageCommand.ts +++ b/clients/client-ec2/src/commands/GetCoipPoolUsageCommand.ts @@ -98,4 +98,16 @@ export class GetCoipPoolUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetCoipPoolUsageCommand) .de(de_GetCoipPoolUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoipPoolUsageRequest; + output: GetCoipPoolUsageResult; + }; + sdk: { + input: GetCoipPoolUsageCommandInput; + output: GetCoipPoolUsageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetConsoleOutputCommand.ts b/clients/client-ec2/src/commands/GetConsoleOutputCommand.ts index 6c7c01571ed6..1d3a4659082c 100644 --- a/clients/client-ec2/src/commands/GetConsoleOutputCommand.ts +++ b/clients/client-ec2/src/commands/GetConsoleOutputCommand.ts @@ -104,4 +104,16 @@ export class GetConsoleOutputCommand extends $Command .f(void 0, void 0) .ser(se_GetConsoleOutputCommand) .de(de_GetConsoleOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConsoleOutputRequest; + output: GetConsoleOutputResult; + }; + sdk: { + input: GetConsoleOutputCommandInput; + output: GetConsoleOutputCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetConsoleScreenshotCommand.ts b/clients/client-ec2/src/commands/GetConsoleScreenshotCommand.ts index af59af5d6aaa..86296f033e12 100644 --- a/clients/client-ec2/src/commands/GetConsoleScreenshotCommand.ts +++ b/clients/client-ec2/src/commands/GetConsoleScreenshotCommand.ts @@ -83,4 +83,16 @@ export class GetConsoleScreenshotCommand extends $Command .f(void 0, void 0) .ser(se_GetConsoleScreenshotCommand) .de(de_GetConsoleScreenshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConsoleScreenshotRequest; + output: GetConsoleScreenshotResult; + }; + sdk: { + input: GetConsoleScreenshotCommandInput; + output: GetConsoleScreenshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetDefaultCreditSpecificationCommand.ts b/clients/client-ec2/src/commands/GetDefaultCreditSpecificationCommand.ts index eeca6333cd62..aedd446068d1 100644 --- a/clients/client-ec2/src/commands/GetDefaultCreditSpecificationCommand.ts +++ b/clients/client-ec2/src/commands/GetDefaultCreditSpecificationCommand.ts @@ -86,4 +86,16 @@ export class GetDefaultCreditSpecificationCommand extends $Command .f(void 0, void 0) .ser(se_GetDefaultCreditSpecificationCommand) .de(de_GetDefaultCreditSpecificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDefaultCreditSpecificationRequest; + output: GetDefaultCreditSpecificationResult; + }; + sdk: { + input: GetDefaultCreditSpecificationCommandInput; + output: GetDefaultCreditSpecificationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetEbsDefaultKmsKeyIdCommand.ts b/clients/client-ec2/src/commands/GetEbsDefaultKmsKeyIdCommand.ts index 6d0c83784f5c..8e919664fa11 100644 --- a/clients/client-ec2/src/commands/GetEbsDefaultKmsKeyIdCommand.ts +++ b/clients/client-ec2/src/commands/GetEbsDefaultKmsKeyIdCommand.ts @@ -81,4 +81,16 @@ export class GetEbsDefaultKmsKeyIdCommand extends $Command .f(void 0, void 0) .ser(se_GetEbsDefaultKmsKeyIdCommand) .de(de_GetEbsDefaultKmsKeyIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEbsDefaultKmsKeyIdRequest; + output: GetEbsDefaultKmsKeyIdResult; + }; + sdk: { + input: GetEbsDefaultKmsKeyIdCommandInput; + output: GetEbsDefaultKmsKeyIdCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetEbsEncryptionByDefaultCommand.ts b/clients/client-ec2/src/commands/GetEbsEncryptionByDefaultCommand.ts index 9cd0a7d25e70..4f879010e9d7 100644 --- a/clients/client-ec2/src/commands/GetEbsEncryptionByDefaultCommand.ts +++ b/clients/client-ec2/src/commands/GetEbsEncryptionByDefaultCommand.ts @@ -81,4 +81,16 @@ export class GetEbsEncryptionByDefaultCommand extends $Command .f(void 0, void 0) .ser(se_GetEbsEncryptionByDefaultCommand) .de(de_GetEbsEncryptionByDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEbsEncryptionByDefaultRequest; + output: GetEbsEncryptionByDefaultResult; + }; + sdk: { + input: GetEbsEncryptionByDefaultCommandInput; + output: GetEbsEncryptionByDefaultCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetFlowLogsIntegrationTemplateCommand.ts b/clients/client-ec2/src/commands/GetFlowLogsIntegrationTemplateCommand.ts index 1204dae5acd9..9c44c7ab60b4 100644 --- a/clients/client-ec2/src/commands/GetFlowLogsIntegrationTemplateCommand.ts +++ b/clients/client-ec2/src/commands/GetFlowLogsIntegrationTemplateCommand.ts @@ -116,4 +116,16 @@ export class GetFlowLogsIntegrationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetFlowLogsIntegrationTemplateCommand) .de(de_GetFlowLogsIntegrationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFlowLogsIntegrationTemplateRequest; + output: GetFlowLogsIntegrationTemplateResult; + }; + sdk: { + input: GetFlowLogsIntegrationTemplateCommandInput; + output: GetFlowLogsIntegrationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetGroupsForCapacityReservationCommand.ts b/clients/client-ec2/src/commands/GetGroupsForCapacityReservationCommand.ts index 9f315a786aa5..2707569bb279 100644 --- a/clients/client-ec2/src/commands/GetGroupsForCapacityReservationCommand.ts +++ b/clients/client-ec2/src/commands/GetGroupsForCapacityReservationCommand.ts @@ -91,4 +91,16 @@ export class GetGroupsForCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupsForCapacityReservationCommand) .de(de_GetGroupsForCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupsForCapacityReservationRequest; + output: GetGroupsForCapacityReservationResult; + }; + sdk: { + input: GetGroupsForCapacityReservationCommandInput; + output: GetGroupsForCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetHostReservationPurchasePreviewCommand.ts b/clients/client-ec2/src/commands/GetHostReservationPurchasePreviewCommand.ts index 6407869911ba..425ac63bcc3e 100644 --- a/clients/client-ec2/src/commands/GetHostReservationPurchasePreviewCommand.ts +++ b/clients/client-ec2/src/commands/GetHostReservationPurchasePreviewCommand.ts @@ -105,4 +105,16 @@ export class GetHostReservationPurchasePreviewCommand extends $Command .f(void 0, void 0) .ser(se_GetHostReservationPurchasePreviewCommand) .de(de_GetHostReservationPurchasePreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHostReservationPurchasePreviewRequest; + output: GetHostReservationPurchasePreviewResult; + }; + sdk: { + input: GetHostReservationPurchasePreviewCommandInput; + output: GetHostReservationPurchasePreviewCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetImageBlockPublicAccessStateCommand.ts b/clients/client-ec2/src/commands/GetImageBlockPublicAccessStateCommand.ts index c5155145b6e6..6c5e49d0b4c7 100644 --- a/clients/client-ec2/src/commands/GetImageBlockPublicAccessStateCommand.ts +++ b/clients/client-ec2/src/commands/GetImageBlockPublicAccessStateCommand.ts @@ -85,4 +85,16 @@ export class GetImageBlockPublicAccessStateCommand extends $Command .f(void 0, void 0) .ser(se_GetImageBlockPublicAccessStateCommand) .de(de_GetImageBlockPublicAccessStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImageBlockPublicAccessStateRequest; + output: GetImageBlockPublicAccessStateResult; + }; + sdk: { + input: GetImageBlockPublicAccessStateCommandInput; + output: GetImageBlockPublicAccessStateCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetInstanceMetadataDefaultsCommand.ts b/clients/client-ec2/src/commands/GetInstanceMetadataDefaultsCommand.ts index 594aace58ee9..65300ebf0fb8 100644 --- a/clients/client-ec2/src/commands/GetInstanceMetadataDefaultsCommand.ts +++ b/clients/client-ec2/src/commands/GetInstanceMetadataDefaultsCommand.ts @@ -85,4 +85,16 @@ export class GetInstanceMetadataDefaultsCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceMetadataDefaultsCommand) .de(de_GetInstanceMetadataDefaultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceMetadataDefaultsRequest; + output: GetInstanceMetadataDefaultsResult; + }; + sdk: { + input: GetInstanceMetadataDefaultsCommandInput; + output: GetInstanceMetadataDefaultsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetInstanceTpmEkPubCommand.ts b/clients/client-ec2/src/commands/GetInstanceTpmEkPubCommand.ts index 6815721c860f..ab53dde57d11 100644 --- a/clients/client-ec2/src/commands/GetInstanceTpmEkPubCommand.ts +++ b/clients/client-ec2/src/commands/GetInstanceTpmEkPubCommand.ts @@ -88,4 +88,16 @@ export class GetInstanceTpmEkPubCommand extends $Command .f(void 0, GetInstanceTpmEkPubResultFilterSensitiveLog) .ser(se_GetInstanceTpmEkPubCommand) .de(de_GetInstanceTpmEkPubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceTpmEkPubRequest; + output: GetInstanceTpmEkPubResult; + }; + sdk: { + input: GetInstanceTpmEkPubCommandInput; + output: GetInstanceTpmEkPubCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetInstanceTypesFromInstanceRequirementsCommand.ts b/clients/client-ec2/src/commands/GetInstanceTypesFromInstanceRequirementsCommand.ts index fb5771d83cf1..136ee821e260 100644 --- a/clients/client-ec2/src/commands/GetInstanceTypesFromInstanceRequirementsCommand.ts +++ b/clients/client-ec2/src/commands/GetInstanceTypesFromInstanceRequirementsCommand.ts @@ -177,4 +177,16 @@ export class GetInstanceTypesFromInstanceRequirementsCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceTypesFromInstanceRequirementsCommand) .de(de_GetInstanceTypesFromInstanceRequirementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceTypesFromInstanceRequirementsRequest; + output: GetInstanceTypesFromInstanceRequirementsResult; + }; + sdk: { + input: GetInstanceTypesFromInstanceRequirementsCommandInput; + output: GetInstanceTypesFromInstanceRequirementsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetInstanceUefiDataCommand.ts b/clients/client-ec2/src/commands/GetInstanceUefiDataCommand.ts index 341424f73464..40dbfc40cb63 100644 --- a/clients/client-ec2/src/commands/GetInstanceUefiDataCommand.ts +++ b/clients/client-ec2/src/commands/GetInstanceUefiDataCommand.ts @@ -89,4 +89,16 @@ export class GetInstanceUefiDataCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceUefiDataCommand) .de(de_GetInstanceUefiDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceUefiDataRequest; + output: GetInstanceUefiDataResult; + }; + sdk: { + input: GetInstanceUefiDataCommandInput; + output: GetInstanceUefiDataCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetIpamAddressHistoryCommand.ts b/clients/client-ec2/src/commands/GetIpamAddressHistoryCommand.ts index 36251e93ae7e..538589112c41 100644 --- a/clients/client-ec2/src/commands/GetIpamAddressHistoryCommand.ts +++ b/clients/client-ec2/src/commands/GetIpamAddressHistoryCommand.ts @@ -99,4 +99,16 @@ export class GetIpamAddressHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetIpamAddressHistoryCommand) .de(de_GetIpamAddressHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpamAddressHistoryRequest; + output: GetIpamAddressHistoryResult; + }; + sdk: { + input: GetIpamAddressHistoryCommandInput; + output: GetIpamAddressHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetIpamDiscoveredAccountsCommand.ts b/clients/client-ec2/src/commands/GetIpamDiscoveredAccountsCommand.ts index 813168a74511..260c68a2ca50 100644 --- a/clients/client-ec2/src/commands/GetIpamDiscoveredAccountsCommand.ts +++ b/clients/client-ec2/src/commands/GetIpamDiscoveredAccountsCommand.ts @@ -101,4 +101,16 @@ export class GetIpamDiscoveredAccountsCommand extends $Command .f(void 0, void 0) .ser(se_GetIpamDiscoveredAccountsCommand) .de(de_GetIpamDiscoveredAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpamDiscoveredAccountsRequest; + output: GetIpamDiscoveredAccountsResult; + }; + sdk: { + input: GetIpamDiscoveredAccountsCommandInput; + output: GetIpamDiscoveredAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetIpamDiscoveredPublicAddressesCommand.ts b/clients/client-ec2/src/commands/GetIpamDiscoveredPublicAddressesCommand.ts index d00b6add5447..51cdd04fcec5 100644 --- a/clients/client-ec2/src/commands/GetIpamDiscoveredPublicAddressesCommand.ts +++ b/clients/client-ec2/src/commands/GetIpamDiscoveredPublicAddressesCommand.ts @@ -130,4 +130,16 @@ export class GetIpamDiscoveredPublicAddressesCommand extends $Command .f(void 0, void 0) .ser(se_GetIpamDiscoveredPublicAddressesCommand) .de(de_GetIpamDiscoveredPublicAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpamDiscoveredPublicAddressesRequest; + output: GetIpamDiscoveredPublicAddressesResult; + }; + sdk: { + input: GetIpamDiscoveredPublicAddressesCommandInput; + output: GetIpamDiscoveredPublicAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetIpamDiscoveredResourceCidrsCommand.ts b/clients/client-ec2/src/commands/GetIpamDiscoveredResourceCidrsCommand.ts index 5e00b7fbd1dc..7c02577948cc 100644 --- a/clients/client-ec2/src/commands/GetIpamDiscoveredResourceCidrsCommand.ts +++ b/clients/client-ec2/src/commands/GetIpamDiscoveredResourceCidrsCommand.ts @@ -116,4 +116,16 @@ export class GetIpamDiscoveredResourceCidrsCommand extends $Command .f(void 0, void 0) .ser(se_GetIpamDiscoveredResourceCidrsCommand) .de(de_GetIpamDiscoveredResourceCidrsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpamDiscoveredResourceCidrsRequest; + output: GetIpamDiscoveredResourceCidrsResult; + }; + sdk: { + input: GetIpamDiscoveredResourceCidrsCommandInput; + output: GetIpamDiscoveredResourceCidrsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetIpamPoolAllocationsCommand.ts b/clients/client-ec2/src/commands/GetIpamPoolAllocationsCommand.ts index 43e93d7b3d76..bfb9c067c965 100644 --- a/clients/client-ec2/src/commands/GetIpamPoolAllocationsCommand.ts +++ b/clients/client-ec2/src/commands/GetIpamPoolAllocationsCommand.ts @@ -103,4 +103,16 @@ export class GetIpamPoolAllocationsCommand extends $Command .f(void 0, void 0) .ser(se_GetIpamPoolAllocationsCommand) .de(de_GetIpamPoolAllocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpamPoolAllocationsRequest; + output: GetIpamPoolAllocationsResult; + }; + sdk: { + input: GetIpamPoolAllocationsCommandInput; + output: GetIpamPoolAllocationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetIpamPoolCidrsCommand.ts b/clients/client-ec2/src/commands/GetIpamPoolCidrsCommand.ts index a8210318347f..54a20a978932 100644 --- a/clients/client-ec2/src/commands/GetIpamPoolCidrsCommand.ts +++ b/clients/client-ec2/src/commands/GetIpamPoolCidrsCommand.ts @@ -100,4 +100,16 @@ export class GetIpamPoolCidrsCommand extends $Command .f(void 0, void 0) .ser(se_GetIpamPoolCidrsCommand) .de(de_GetIpamPoolCidrsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpamPoolCidrsRequest; + output: GetIpamPoolCidrsResult; + }; + sdk: { + input: GetIpamPoolCidrsCommandInput; + output: GetIpamPoolCidrsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetIpamResourceCidrsCommand.ts b/clients/client-ec2/src/commands/GetIpamResourceCidrsCommand.ts index 9fcdef84c6f4..b3716b5645f1 100644 --- a/clients/client-ec2/src/commands/GetIpamResourceCidrsCommand.ts +++ b/clients/client-ec2/src/commands/GetIpamResourceCidrsCommand.ts @@ -121,4 +121,16 @@ export class GetIpamResourceCidrsCommand extends $Command .f(void 0, void 0) .ser(se_GetIpamResourceCidrsCommand) .de(de_GetIpamResourceCidrsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpamResourceCidrsRequest; + output: GetIpamResourceCidrsResult; + }; + sdk: { + input: GetIpamResourceCidrsCommandInput; + output: GetIpamResourceCidrsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetLaunchTemplateDataCommand.ts b/clients/client-ec2/src/commands/GetLaunchTemplateDataCommand.ts index 6720512a2ae6..c32ba81682b5 100644 --- a/clients/client-ec2/src/commands/GetLaunchTemplateDataCommand.ts +++ b/clients/client-ec2/src/commands/GetLaunchTemplateDataCommand.ts @@ -401,4 +401,16 @@ export class GetLaunchTemplateDataCommand extends $Command .f(void 0, GetLaunchTemplateDataResultFilterSensitiveLog) .ser(se_GetLaunchTemplateDataCommand) .de(de_GetLaunchTemplateDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchTemplateDataRequest; + output: GetLaunchTemplateDataResult; + }; + sdk: { + input: GetLaunchTemplateDataCommandInput; + output: GetLaunchTemplateDataCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetManagedPrefixListAssociationsCommand.ts b/clients/client-ec2/src/commands/GetManagedPrefixListAssociationsCommand.ts index fc1a766c711e..b663ecbc2945 100644 --- a/clients/client-ec2/src/commands/GetManagedPrefixListAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/GetManagedPrefixListAssociationsCommand.ts @@ -91,4 +91,16 @@ export class GetManagedPrefixListAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetManagedPrefixListAssociationsCommand) .de(de_GetManagedPrefixListAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetManagedPrefixListAssociationsRequest; + output: GetManagedPrefixListAssociationsResult; + }; + sdk: { + input: GetManagedPrefixListAssociationsCommandInput; + output: GetManagedPrefixListAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetManagedPrefixListEntriesCommand.ts b/clients/client-ec2/src/commands/GetManagedPrefixListEntriesCommand.ts index 616e46033545..619b0d3abc75 100644 --- a/clients/client-ec2/src/commands/GetManagedPrefixListEntriesCommand.ts +++ b/clients/client-ec2/src/commands/GetManagedPrefixListEntriesCommand.ts @@ -87,4 +87,16 @@ export class GetManagedPrefixListEntriesCommand extends $Command .f(void 0, void 0) .ser(se_GetManagedPrefixListEntriesCommand) .de(de_GetManagedPrefixListEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetManagedPrefixListEntriesRequest; + output: GetManagedPrefixListEntriesResult; + }; + sdk: { + input: GetManagedPrefixListEntriesCommandInput; + output: GetManagedPrefixListEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeAnalysisFindingsCommand.ts b/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeAnalysisFindingsCommand.ts index 316fe9ae8cd2..ab081abbcecd 100644 --- a/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeAnalysisFindingsCommand.ts +++ b/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeAnalysisFindingsCommand.ts @@ -418,4 +418,16 @@ export class GetNetworkInsightsAccessScopeAnalysisFindingsCommand extends $Comma .f(void 0, void 0) .ser(se_GetNetworkInsightsAccessScopeAnalysisFindingsCommand) .de(de_GetNetworkInsightsAccessScopeAnalysisFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkInsightsAccessScopeAnalysisFindingsRequest; + output: GetNetworkInsightsAccessScopeAnalysisFindingsResult; + }; + sdk: { + input: GetNetworkInsightsAccessScopeAnalysisFindingsCommandInput; + output: GetNetworkInsightsAccessScopeAnalysisFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeContentCommand.ts b/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeContentCommand.ts index 00fcfe596d8d..811d6e5c78aa 100644 --- a/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeContentCommand.ts +++ b/clients/client-ec2/src/commands/GetNetworkInsightsAccessScopeContentCommand.ts @@ -187,4 +187,16 @@ export class GetNetworkInsightsAccessScopeContentCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkInsightsAccessScopeContentCommand) .de(de_GetNetworkInsightsAccessScopeContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkInsightsAccessScopeContentRequest; + output: GetNetworkInsightsAccessScopeContentResult; + }; + sdk: { + input: GetNetworkInsightsAccessScopeContentCommandInput; + output: GetNetworkInsightsAccessScopeContentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetPasswordDataCommand.ts b/clients/client-ec2/src/commands/GetPasswordDataCommand.ts index 2c1c057f7eec..87a3ef711893 100644 --- a/clients/client-ec2/src/commands/GetPasswordDataCommand.ts +++ b/clients/client-ec2/src/commands/GetPasswordDataCommand.ts @@ -96,4 +96,16 @@ export class GetPasswordDataCommand extends $Command .f(void 0, GetPasswordDataResultFilterSensitiveLog) .ser(se_GetPasswordDataCommand) .de(de_GetPasswordDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPasswordDataRequest; + output: GetPasswordDataResult; + }; + sdk: { + input: GetPasswordDataCommandInput; + output: GetPasswordDataCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetReservedInstancesExchangeQuoteCommand.ts b/clients/client-ec2/src/commands/GetReservedInstancesExchangeQuoteCommand.ts index 9e14133b1fd4..661a43f302e9 100644 --- a/clients/client-ec2/src/commands/GetReservedInstancesExchangeQuoteCommand.ts +++ b/clients/client-ec2/src/commands/GetReservedInstancesExchangeQuoteCommand.ts @@ -130,4 +130,16 @@ export class GetReservedInstancesExchangeQuoteCommand extends $Command .f(void 0, void 0) .ser(se_GetReservedInstancesExchangeQuoteCommand) .de(de_GetReservedInstancesExchangeQuoteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReservedInstancesExchangeQuoteRequest; + output: GetReservedInstancesExchangeQuoteResult; + }; + sdk: { + input: GetReservedInstancesExchangeQuoteCommandInput; + output: GetReservedInstancesExchangeQuoteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetSecurityGroupsForVpcCommand.ts b/clients/client-ec2/src/commands/GetSecurityGroupsForVpcCommand.ts index fd22c287e0d8..b756591de69e 100644 --- a/clients/client-ec2/src/commands/GetSecurityGroupsForVpcCommand.ts +++ b/clients/client-ec2/src/commands/GetSecurityGroupsForVpcCommand.ts @@ -103,4 +103,16 @@ export class GetSecurityGroupsForVpcCommand extends $Command .f(void 0, void 0) .ser(se_GetSecurityGroupsForVpcCommand) .de(de_GetSecurityGroupsForVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSecurityGroupsForVpcRequest; + output: GetSecurityGroupsForVpcResult; + }; + sdk: { + input: GetSecurityGroupsForVpcCommandInput; + output: GetSecurityGroupsForVpcCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetSerialConsoleAccessStatusCommand.ts b/clients/client-ec2/src/commands/GetSerialConsoleAccessStatusCommand.ts index 78601541763b..d95ee50af6ae 100644 --- a/clients/client-ec2/src/commands/GetSerialConsoleAccessStatusCommand.ts +++ b/clients/client-ec2/src/commands/GetSerialConsoleAccessStatusCommand.ts @@ -82,4 +82,16 @@ export class GetSerialConsoleAccessStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetSerialConsoleAccessStatusCommand) .de(de_GetSerialConsoleAccessStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSerialConsoleAccessStatusRequest; + output: GetSerialConsoleAccessStatusResult; + }; + sdk: { + input: GetSerialConsoleAccessStatusCommandInput; + output: GetSerialConsoleAccessStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetSnapshotBlockPublicAccessStateCommand.ts b/clients/client-ec2/src/commands/GetSnapshotBlockPublicAccessStateCommand.ts index 94be1bc2ce1c..5a969484f458 100644 --- a/clients/client-ec2/src/commands/GetSnapshotBlockPublicAccessStateCommand.ts +++ b/clients/client-ec2/src/commands/GetSnapshotBlockPublicAccessStateCommand.ts @@ -85,4 +85,16 @@ export class GetSnapshotBlockPublicAccessStateCommand extends $Command .f(void 0, void 0) .ser(se_GetSnapshotBlockPublicAccessStateCommand) .de(de_GetSnapshotBlockPublicAccessStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSnapshotBlockPublicAccessStateRequest; + output: GetSnapshotBlockPublicAccessStateResult; + }; + sdk: { + input: GetSnapshotBlockPublicAccessStateCommandInput; + output: GetSnapshotBlockPublicAccessStateCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetSpotPlacementScoresCommand.ts b/clients/client-ec2/src/commands/GetSpotPlacementScoresCommand.ts index 2a8198c3b623..180d9f16d20f 100644 --- a/clients/client-ec2/src/commands/GetSpotPlacementScoresCommand.ts +++ b/clients/client-ec2/src/commands/GetSpotPlacementScoresCommand.ts @@ -179,4 +179,16 @@ export class GetSpotPlacementScoresCommand extends $Command .f(void 0, void 0) .ser(se_GetSpotPlacementScoresCommand) .de(de_GetSpotPlacementScoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSpotPlacementScoresRequest; + output: GetSpotPlacementScoresResult; + }; + sdk: { + input: GetSpotPlacementScoresCommandInput; + output: GetSpotPlacementScoresCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetSubnetCidrReservationsCommand.ts b/clients/client-ec2/src/commands/GetSubnetCidrReservationsCommand.ts index 49e78820d17e..19c34f94e3eb 100644 --- a/clients/client-ec2/src/commands/GetSubnetCidrReservationsCommand.ts +++ b/clients/client-ec2/src/commands/GetSubnetCidrReservationsCommand.ts @@ -120,4 +120,16 @@ export class GetSubnetCidrReservationsCommand extends $Command .f(void 0, void 0) .ser(se_GetSubnetCidrReservationsCommand) .de(de_GetSubnetCidrReservationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubnetCidrReservationsRequest; + output: GetSubnetCidrReservationsResult; + }; + sdk: { + input: GetSubnetCidrReservationsCommandInput; + output: GetSubnetCidrReservationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetTransitGatewayAttachmentPropagationsCommand.ts b/clients/client-ec2/src/commands/GetTransitGatewayAttachmentPropagationsCommand.ts index 88c360c23049..67cdea8825c0 100644 --- a/clients/client-ec2/src/commands/GetTransitGatewayAttachmentPropagationsCommand.ts +++ b/clients/client-ec2/src/commands/GetTransitGatewayAttachmentPropagationsCommand.ts @@ -103,4 +103,16 @@ export class GetTransitGatewayAttachmentPropagationsCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayAttachmentPropagationsCommand) .de(de_GetTransitGatewayAttachmentPropagationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayAttachmentPropagationsRequest; + output: GetTransitGatewayAttachmentPropagationsResult; + }; + sdk: { + input: GetTransitGatewayAttachmentPropagationsCommandInput; + output: GetTransitGatewayAttachmentPropagationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetTransitGatewayMulticastDomainAssociationsCommand.ts b/clients/client-ec2/src/commands/GetTransitGatewayMulticastDomainAssociationsCommand.ts index 46647dbf5892..4911a4df6678 100644 --- a/clients/client-ec2/src/commands/GetTransitGatewayMulticastDomainAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/GetTransitGatewayMulticastDomainAssociationsCommand.ts @@ -109,4 +109,16 @@ export class GetTransitGatewayMulticastDomainAssociationsCommand extends $Comman .f(void 0, void 0) .ser(se_GetTransitGatewayMulticastDomainAssociationsCommand) .de(de_GetTransitGatewayMulticastDomainAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayMulticastDomainAssociationsRequest; + output: GetTransitGatewayMulticastDomainAssociationsResult; + }; + sdk: { + input: GetTransitGatewayMulticastDomainAssociationsCommandInput; + output: GetTransitGatewayMulticastDomainAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableAssociationsCommand.ts b/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableAssociationsCommand.ts index e9dbe3c01ce6..01a58f6cda40 100644 --- a/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableAssociationsCommand.ts @@ -106,4 +106,16 @@ export class GetTransitGatewayPolicyTableAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayPolicyTableAssociationsCommand) .de(de_GetTransitGatewayPolicyTableAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayPolicyTableAssociationsRequest; + output: GetTransitGatewayPolicyTableAssociationsResult; + }; + sdk: { + input: GetTransitGatewayPolicyTableAssociationsCommandInput; + output: GetTransitGatewayPolicyTableAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableEntriesCommand.ts b/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableEntriesCommand.ts index 212e9680c786..d41898c4c228 100644 --- a/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableEntriesCommand.ts +++ b/clients/client-ec2/src/commands/GetTransitGatewayPolicyTableEntriesCommand.ts @@ -112,4 +112,16 @@ export class GetTransitGatewayPolicyTableEntriesCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayPolicyTableEntriesCommand) .de(de_GetTransitGatewayPolicyTableEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayPolicyTableEntriesRequest; + output: GetTransitGatewayPolicyTableEntriesResult; + }; + sdk: { + input: GetTransitGatewayPolicyTableEntriesCommandInput; + output: GetTransitGatewayPolicyTableEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetTransitGatewayPrefixListReferencesCommand.ts b/clients/client-ec2/src/commands/GetTransitGatewayPrefixListReferencesCommand.ts index dbf846914b9d..3424794f8afe 100644 --- a/clients/client-ec2/src/commands/GetTransitGatewayPrefixListReferencesCommand.ts +++ b/clients/client-ec2/src/commands/GetTransitGatewayPrefixListReferencesCommand.ts @@ -111,4 +111,16 @@ export class GetTransitGatewayPrefixListReferencesCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayPrefixListReferencesCommand) .de(de_GetTransitGatewayPrefixListReferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayPrefixListReferencesRequest; + output: GetTransitGatewayPrefixListReferencesResult; + }; + sdk: { + input: GetTransitGatewayPrefixListReferencesCommandInput; + output: GetTransitGatewayPrefixListReferencesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetTransitGatewayRouteTableAssociationsCommand.ts b/clients/client-ec2/src/commands/GetTransitGatewayRouteTableAssociationsCommand.ts index f4ef60290c11..22f0194376b8 100644 --- a/clients/client-ec2/src/commands/GetTransitGatewayRouteTableAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/GetTransitGatewayRouteTableAssociationsCommand.ts @@ -105,4 +105,16 @@ export class GetTransitGatewayRouteTableAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayRouteTableAssociationsCommand) .de(de_GetTransitGatewayRouteTableAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayRouteTableAssociationsRequest; + output: GetTransitGatewayRouteTableAssociationsResult; + }; + sdk: { + input: GetTransitGatewayRouteTableAssociationsCommandInput; + output: GetTransitGatewayRouteTableAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetTransitGatewayRouteTablePropagationsCommand.ts b/clients/client-ec2/src/commands/GetTransitGatewayRouteTablePropagationsCommand.ts index 1ed96838d601..cc3b6cc45be0 100644 --- a/clients/client-ec2/src/commands/GetTransitGatewayRouteTablePropagationsCommand.ts +++ b/clients/client-ec2/src/commands/GetTransitGatewayRouteTablePropagationsCommand.ts @@ -106,4 +106,16 @@ export class GetTransitGatewayRouteTablePropagationsCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayRouteTablePropagationsCommand) .de(de_GetTransitGatewayRouteTablePropagationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayRouteTablePropagationsRequest; + output: GetTransitGatewayRouteTablePropagationsResult; + }; + sdk: { + input: GetTransitGatewayRouteTablePropagationsCommandInput; + output: GetTransitGatewayRouteTablePropagationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetVerifiedAccessEndpointPolicyCommand.ts b/clients/client-ec2/src/commands/GetVerifiedAccessEndpointPolicyCommand.ts index 83f6c789656d..b12a80794605 100644 --- a/clients/client-ec2/src/commands/GetVerifiedAccessEndpointPolicyCommand.ts +++ b/clients/client-ec2/src/commands/GetVerifiedAccessEndpointPolicyCommand.ts @@ -84,4 +84,16 @@ export class GetVerifiedAccessEndpointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetVerifiedAccessEndpointPolicyCommand) .de(de_GetVerifiedAccessEndpointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVerifiedAccessEndpointPolicyRequest; + output: GetVerifiedAccessEndpointPolicyResult; + }; + sdk: { + input: GetVerifiedAccessEndpointPolicyCommandInput; + output: GetVerifiedAccessEndpointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetVerifiedAccessGroupPolicyCommand.ts b/clients/client-ec2/src/commands/GetVerifiedAccessGroupPolicyCommand.ts index 4cbf7133fefc..3a9701d7dcc2 100644 --- a/clients/client-ec2/src/commands/GetVerifiedAccessGroupPolicyCommand.ts +++ b/clients/client-ec2/src/commands/GetVerifiedAccessGroupPolicyCommand.ts @@ -81,4 +81,16 @@ export class GetVerifiedAccessGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetVerifiedAccessGroupPolicyCommand) .de(de_GetVerifiedAccessGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVerifiedAccessGroupPolicyRequest; + output: GetVerifiedAccessGroupPolicyResult; + }; + sdk: { + input: GetVerifiedAccessGroupPolicyCommandInput; + output: GetVerifiedAccessGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetVpnConnectionDeviceSampleConfigurationCommand.ts b/clients/client-ec2/src/commands/GetVpnConnectionDeviceSampleConfigurationCommand.ts index 674fcd742899..f82d8f57a5a2 100644 --- a/clients/client-ec2/src/commands/GetVpnConnectionDeviceSampleConfigurationCommand.ts +++ b/clients/client-ec2/src/commands/GetVpnConnectionDeviceSampleConfigurationCommand.ts @@ -91,4 +91,16 @@ export class GetVpnConnectionDeviceSampleConfigurationCommand extends $Command .f(void 0, GetVpnConnectionDeviceSampleConfigurationResultFilterSensitiveLog) .ser(se_GetVpnConnectionDeviceSampleConfigurationCommand) .de(de_GetVpnConnectionDeviceSampleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpnConnectionDeviceSampleConfigurationRequest; + output: GetVpnConnectionDeviceSampleConfigurationResult; + }; + sdk: { + input: GetVpnConnectionDeviceSampleConfigurationCommandInput; + output: GetVpnConnectionDeviceSampleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetVpnConnectionDeviceTypesCommand.ts b/clients/client-ec2/src/commands/GetVpnConnectionDeviceTypesCommand.ts index 6a80dedfa02d..e60da521d661 100644 --- a/clients/client-ec2/src/commands/GetVpnConnectionDeviceTypesCommand.ts +++ b/clients/client-ec2/src/commands/GetVpnConnectionDeviceTypesCommand.ts @@ -90,4 +90,16 @@ export class GetVpnConnectionDeviceTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetVpnConnectionDeviceTypesCommand) .de(de_GetVpnConnectionDeviceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpnConnectionDeviceTypesRequest; + output: GetVpnConnectionDeviceTypesResult; + }; + sdk: { + input: GetVpnConnectionDeviceTypesCommandInput; + output: GetVpnConnectionDeviceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/GetVpnTunnelReplacementStatusCommand.ts b/clients/client-ec2/src/commands/GetVpnTunnelReplacementStatusCommand.ts index e4469ea1ef5f..aeca4843d87f 100644 --- a/clients/client-ec2/src/commands/GetVpnTunnelReplacementStatusCommand.ts +++ b/clients/client-ec2/src/commands/GetVpnTunnelReplacementStatusCommand.ts @@ -90,4 +90,16 @@ export class GetVpnTunnelReplacementStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetVpnTunnelReplacementStatusCommand) .de(de_GetVpnTunnelReplacementStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpnTunnelReplacementStatusRequest; + output: GetVpnTunnelReplacementStatusResult; + }; + sdk: { + input: GetVpnTunnelReplacementStatusCommandInput; + output: GetVpnTunnelReplacementStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ImportClientVpnClientCertificateRevocationListCommand.ts b/clients/client-ec2/src/commands/ImportClientVpnClientCertificateRevocationListCommand.ts index a389c85492df..ff77cf62a521 100644 --- a/clients/client-ec2/src/commands/ImportClientVpnClientCertificateRevocationListCommand.ts +++ b/clients/client-ec2/src/commands/ImportClientVpnClientCertificateRevocationListCommand.ts @@ -89,4 +89,16 @@ export class ImportClientVpnClientCertificateRevocationListCommand extends $Comm .f(void 0, void 0) .ser(se_ImportClientVpnClientCertificateRevocationListCommand) .de(de_ImportClientVpnClientCertificateRevocationListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportClientVpnClientCertificateRevocationListRequest; + output: ImportClientVpnClientCertificateRevocationListResult; + }; + sdk: { + input: ImportClientVpnClientCertificateRevocationListCommandInput; + output: ImportClientVpnClientCertificateRevocationListCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ImportImageCommand.ts b/clients/client-ec2/src/commands/ImportImageCommand.ts index 4e30e7b1605a..b5374885f33d 100644 --- a/clients/client-ec2/src/commands/ImportImageCommand.ts +++ b/clients/client-ec2/src/commands/ImportImageCommand.ts @@ -183,4 +183,16 @@ export class ImportImageCommand extends $Command .f(ImportImageRequestFilterSensitiveLog, ImportImageResultFilterSensitiveLog) .ser(se_ImportImageCommand) .de(de_ImportImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportImageRequest; + output: ImportImageResult; + }; + sdk: { + input: ImportImageCommandInput; + output: ImportImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ImportInstanceCommand.ts b/clients/client-ec2/src/commands/ImportInstanceCommand.ts index 7d8391f48e36..90cfbf9457b1 100644 --- a/clients/client-ec2/src/commands/ImportInstanceCommand.ts +++ b/clients/client-ec2/src/commands/ImportInstanceCommand.ts @@ -189,4 +189,16 @@ export class ImportInstanceCommand extends $Command .f(ImportInstanceRequestFilterSensitiveLog, ImportInstanceResultFilterSensitiveLog) .ser(se_ImportInstanceCommand) .de(de_ImportInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportInstanceRequest; + output: ImportInstanceResult; + }; + sdk: { + input: ImportInstanceCommandInput; + output: ImportInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ImportKeyPairCommand.ts b/clients/client-ec2/src/commands/ImportKeyPairCommand.ts index 88d1d5905c35..096528a81138 100644 --- a/clients/client-ec2/src/commands/ImportKeyPairCommand.ts +++ b/clients/client-ec2/src/commands/ImportKeyPairCommand.ts @@ -103,4 +103,16 @@ export class ImportKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_ImportKeyPairCommand) .de(de_ImportKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportKeyPairRequest; + output: ImportKeyPairResult; + }; + sdk: { + input: ImportKeyPairCommandInput; + output: ImportKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ImportSnapshotCommand.ts b/clients/client-ec2/src/commands/ImportSnapshotCommand.ts index b82472f0e662..b8aa1023ad04 100644 --- a/clients/client-ec2/src/commands/ImportSnapshotCommand.ts +++ b/clients/client-ec2/src/commands/ImportSnapshotCommand.ts @@ -138,4 +138,16 @@ export class ImportSnapshotCommand extends $Command .f(ImportSnapshotRequestFilterSensitiveLog, ImportSnapshotResultFilterSensitiveLog) .ser(se_ImportSnapshotCommand) .de(de_ImportSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportSnapshotRequest; + output: ImportSnapshotResult; + }; + sdk: { + input: ImportSnapshotCommandInput; + output: ImportSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ImportVolumeCommand.ts b/clients/client-ec2/src/commands/ImportVolumeCommand.ts index 63caa5472f78..4c75ab54a7be 100644 --- a/clients/client-ec2/src/commands/ImportVolumeCommand.ts +++ b/clients/client-ec2/src/commands/ImportVolumeCommand.ts @@ -148,4 +148,16 @@ export class ImportVolumeCommand extends $Command .f(ImportVolumeRequestFilterSensitiveLog, ImportVolumeResultFilterSensitiveLog) .ser(se_ImportVolumeCommand) .de(de_ImportVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportVolumeRequest; + output: ImportVolumeResult; + }; + sdk: { + input: ImportVolumeCommandInput; + output: ImportVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ListImagesInRecycleBinCommand.ts b/clients/client-ec2/src/commands/ListImagesInRecycleBinCommand.ts index feb1a5057f08..559ff88d02bf 100644 --- a/clients/client-ec2/src/commands/ListImagesInRecycleBinCommand.ts +++ b/clients/client-ec2/src/commands/ListImagesInRecycleBinCommand.ts @@ -93,4 +93,16 @@ export class ListImagesInRecycleBinCommand extends $Command .f(void 0, void 0) .ser(se_ListImagesInRecycleBinCommand) .de(de_ListImagesInRecycleBinCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImagesInRecycleBinRequest; + output: ListImagesInRecycleBinResult; + }; + sdk: { + input: ListImagesInRecycleBinCommandInput; + output: ListImagesInRecycleBinCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ListSnapshotsInRecycleBinCommand.ts b/clients/client-ec2/src/commands/ListSnapshotsInRecycleBinCommand.ts index 83a582f6275f..b758356d0c94 100644 --- a/clients/client-ec2/src/commands/ListSnapshotsInRecycleBinCommand.ts +++ b/clients/client-ec2/src/commands/ListSnapshotsInRecycleBinCommand.ts @@ -91,4 +91,16 @@ export class ListSnapshotsInRecycleBinCommand extends $Command .f(void 0, void 0) .ser(se_ListSnapshotsInRecycleBinCommand) .de(de_ListSnapshotsInRecycleBinCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSnapshotsInRecycleBinRequest; + output: ListSnapshotsInRecycleBinResult; + }; + sdk: { + input: ListSnapshotsInRecycleBinCommandInput; + output: ListSnapshotsInRecycleBinCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/LockSnapshotCommand.ts b/clients/client-ec2/src/commands/LockSnapshotCommand.ts index a9e54d582a76..c82a1f3dc8a6 100644 --- a/clients/client-ec2/src/commands/LockSnapshotCommand.ts +++ b/clients/client-ec2/src/commands/LockSnapshotCommand.ts @@ -107,4 +107,16 @@ export class LockSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_LockSnapshotCommand) .de(de_LockSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LockSnapshotRequest; + output: LockSnapshotResult; + }; + sdk: { + input: LockSnapshotCommandInput; + output: LockSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyAddressAttributeCommand.ts b/clients/client-ec2/src/commands/ModifyAddressAttributeCommand.ts index a1278abae8b3..3dffc0862bd9 100644 --- a/clients/client-ec2/src/commands/ModifyAddressAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyAddressAttributeCommand.ts @@ -88,4 +88,16 @@ export class ModifyAddressAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyAddressAttributeCommand) .de(de_ModifyAddressAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyAddressAttributeRequest; + output: ModifyAddressAttributeResult; + }; + sdk: { + input: ModifyAddressAttributeCommandInput; + output: ModifyAddressAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyAvailabilityZoneGroupCommand.ts b/clients/client-ec2/src/commands/ModifyAvailabilityZoneGroupCommand.ts index abe201fe56e2..598a8c1e2273 100644 --- a/clients/client-ec2/src/commands/ModifyAvailabilityZoneGroupCommand.ts +++ b/clients/client-ec2/src/commands/ModifyAvailabilityZoneGroupCommand.ts @@ -79,4 +79,16 @@ export class ModifyAvailabilityZoneGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyAvailabilityZoneGroupCommand) .de(de_ModifyAvailabilityZoneGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyAvailabilityZoneGroupRequest; + output: ModifyAvailabilityZoneGroupResult; + }; + sdk: { + input: ModifyAvailabilityZoneGroupCommandInput; + output: ModifyAvailabilityZoneGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyCapacityReservationCommand.ts b/clients/client-ec2/src/commands/ModifyCapacityReservationCommand.ts index 36f744d77e32..482125f66bdd 100644 --- a/clients/client-ec2/src/commands/ModifyCapacityReservationCommand.ts +++ b/clients/client-ec2/src/commands/ModifyCapacityReservationCommand.ts @@ -87,4 +87,16 @@ export class ModifyCapacityReservationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCapacityReservationCommand) .de(de_ModifyCapacityReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCapacityReservationRequest; + output: ModifyCapacityReservationResult; + }; + sdk: { + input: ModifyCapacityReservationCommandInput; + output: ModifyCapacityReservationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyCapacityReservationFleetCommand.ts b/clients/client-ec2/src/commands/ModifyCapacityReservationFleetCommand.ts index cef84ddeff8c..0ed87f8dd797 100644 --- a/clients/client-ec2/src/commands/ModifyCapacityReservationFleetCommand.ts +++ b/clients/client-ec2/src/commands/ModifyCapacityReservationFleetCommand.ts @@ -90,4 +90,16 @@ export class ModifyCapacityReservationFleetCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCapacityReservationFleetCommand) .de(de_ModifyCapacityReservationFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCapacityReservationFleetRequest; + output: ModifyCapacityReservationFleetResult; + }; + sdk: { + input: ModifyCapacityReservationFleetCommandInput; + output: ModifyCapacityReservationFleetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyClientVpnEndpointCommand.ts b/clients/client-ec2/src/commands/ModifyClientVpnEndpointCommand.ts index 967a572b5016..9cfd61ca134a 100644 --- a/clients/client-ec2/src/commands/ModifyClientVpnEndpointCommand.ts +++ b/clients/client-ec2/src/commands/ModifyClientVpnEndpointCommand.ts @@ -107,4 +107,16 @@ export class ModifyClientVpnEndpointCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClientVpnEndpointCommand) .de(de_ModifyClientVpnEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClientVpnEndpointRequest; + output: ModifyClientVpnEndpointResult; + }; + sdk: { + input: ModifyClientVpnEndpointCommandInput; + output: ModifyClientVpnEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyDefaultCreditSpecificationCommand.ts b/clients/client-ec2/src/commands/ModifyDefaultCreditSpecificationCommand.ts index b2b71ed54087..eada3bbd072d 100644 --- a/clients/client-ec2/src/commands/ModifyDefaultCreditSpecificationCommand.ts +++ b/clients/client-ec2/src/commands/ModifyDefaultCreditSpecificationCommand.ts @@ -100,4 +100,16 @@ export class ModifyDefaultCreditSpecificationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDefaultCreditSpecificationCommand) .de(de_ModifyDefaultCreditSpecificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDefaultCreditSpecificationRequest; + output: ModifyDefaultCreditSpecificationResult; + }; + sdk: { + input: ModifyDefaultCreditSpecificationCommandInput; + output: ModifyDefaultCreditSpecificationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyEbsDefaultKmsKeyIdCommand.ts b/clients/client-ec2/src/commands/ModifyEbsDefaultKmsKeyIdCommand.ts index 61d4d2eff3eb..2d29fd5b3e03 100644 --- a/clients/client-ec2/src/commands/ModifyEbsDefaultKmsKeyIdCommand.ts +++ b/clients/client-ec2/src/commands/ModifyEbsDefaultKmsKeyIdCommand.ts @@ -85,4 +85,16 @@ export class ModifyEbsDefaultKmsKeyIdCommand extends $Command .f(void 0, void 0) .ser(se_ModifyEbsDefaultKmsKeyIdCommand) .de(de_ModifyEbsDefaultKmsKeyIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEbsDefaultKmsKeyIdRequest; + output: ModifyEbsDefaultKmsKeyIdResult; + }; + sdk: { + input: ModifyEbsDefaultKmsKeyIdCommandInput; + output: ModifyEbsDefaultKmsKeyIdCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyFleetCommand.ts b/clients/client-ec2/src/commands/ModifyFleetCommand.ts index 8c3f658cec8b..a7bed3790b57 100644 --- a/clients/client-ec2/src/commands/ModifyFleetCommand.ts +++ b/clients/client-ec2/src/commands/ModifyFleetCommand.ts @@ -208,4 +208,16 @@ export class ModifyFleetCommand extends $Command .f(void 0, void 0) .ser(se_ModifyFleetCommand) .de(de_ModifyFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyFleetRequest; + output: ModifyFleetResult; + }; + sdk: { + input: ModifyFleetCommandInput; + output: ModifyFleetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyFpgaImageAttributeCommand.ts b/clients/client-ec2/src/commands/ModifyFpgaImageAttributeCommand.ts index c4e5dee1264b..4a72992635d2 100644 --- a/clients/client-ec2/src/commands/ModifyFpgaImageAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyFpgaImageAttributeCommand.ts @@ -121,4 +121,16 @@ export class ModifyFpgaImageAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyFpgaImageAttributeCommand) .de(de_ModifyFpgaImageAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyFpgaImageAttributeRequest; + output: ModifyFpgaImageAttributeResult; + }; + sdk: { + input: ModifyFpgaImageAttributeCommandInput; + output: ModifyFpgaImageAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyHostsCommand.ts b/clients/client-ec2/src/commands/ModifyHostsCommand.ts index d467a2bf9e86..da06ec2c8978 100644 --- a/clients/client-ec2/src/commands/ModifyHostsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyHostsCommand.ts @@ -103,4 +103,16 @@ export class ModifyHostsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyHostsCommand) .de(de_ModifyHostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyHostsRequest; + output: ModifyHostsResult; + }; + sdk: { + input: ModifyHostsCommandInput; + output: ModifyHostsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyIdFormatCommand.ts b/clients/client-ec2/src/commands/ModifyIdFormatCommand.ts index 71c69483ec56..f34099a0f6bd 100644 --- a/clients/client-ec2/src/commands/ModifyIdFormatCommand.ts +++ b/clients/client-ec2/src/commands/ModifyIdFormatCommand.ts @@ -99,4 +99,16 @@ export class ModifyIdFormatCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIdFormatCommand) .de(de_ModifyIdFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIdFormatRequest; + output: {}; + }; + sdk: { + input: ModifyIdFormatCommandInput; + output: ModifyIdFormatCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyIdentityIdFormatCommand.ts b/clients/client-ec2/src/commands/ModifyIdentityIdFormatCommand.ts index 4a4d55190522..eb0baa623c21 100644 --- a/clients/client-ec2/src/commands/ModifyIdentityIdFormatCommand.ts +++ b/clients/client-ec2/src/commands/ModifyIdentityIdFormatCommand.ts @@ -98,4 +98,16 @@ export class ModifyIdentityIdFormatCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIdentityIdFormatCommand) .de(de_ModifyIdentityIdFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIdentityIdFormatRequest; + output: {}; + }; + sdk: { + input: ModifyIdentityIdFormatCommandInput; + output: ModifyIdentityIdFormatCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyImageAttributeCommand.ts b/clients/client-ec2/src/commands/ModifyImageAttributeCommand.ts index c1b975279e3a..c48d894e2e5b 100644 --- a/clients/client-ec2/src/commands/ModifyImageAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyImageAttributeCommand.ts @@ -159,4 +159,16 @@ export class ModifyImageAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyImageAttributeCommand) .de(de_ModifyImageAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyImageAttributeRequest; + output: {}; + }; + sdk: { + input: ModifyImageAttributeCommandInput; + output: ModifyImageAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceAttributeCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceAttributeCommand.ts index 6358a310a330..627d55bf6ac9 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceAttributeCommand.ts @@ -163,4 +163,16 @@ export class ModifyInstanceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceAttributeCommand) .de(de_ModifyInstanceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceAttributeRequest; + output: {}; + }; + sdk: { + input: ModifyInstanceAttributeCommandInput; + output: ModifyInstanceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceCapacityReservationAttributesCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceCapacityReservationAttributesCommand.ts index f379c9f32eb5..944a3132bc17 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceCapacityReservationAttributesCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceCapacityReservationAttributesCommand.ts @@ -96,4 +96,16 @@ export class ModifyInstanceCapacityReservationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceCapacityReservationAttributesCommand) .de(de_ModifyInstanceCapacityReservationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceCapacityReservationAttributesRequest; + output: ModifyInstanceCapacityReservationAttributesResult; + }; + sdk: { + input: ModifyInstanceCapacityReservationAttributesCommandInput; + output: ModifyInstanceCapacityReservationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceCreditSpecificationCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceCreditSpecificationCommand.ts index 2b7f90a95d8b..bc5f69e9d47f 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceCreditSpecificationCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceCreditSpecificationCommand.ts @@ -106,4 +106,16 @@ export class ModifyInstanceCreditSpecificationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceCreditSpecificationCommand) .de(de_ModifyInstanceCreditSpecificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceCreditSpecificationRequest; + output: ModifyInstanceCreditSpecificationResult; + }; + sdk: { + input: ModifyInstanceCreditSpecificationCommandInput; + output: ModifyInstanceCreditSpecificationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceEventStartTimeCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceEventStartTimeCommand.ts index 238292c1ac25..f2b8a59e1e23 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceEventStartTimeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceEventStartTimeCommand.ts @@ -89,4 +89,16 @@ export class ModifyInstanceEventStartTimeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceEventStartTimeCommand) .de(de_ModifyInstanceEventStartTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceEventStartTimeRequest; + output: ModifyInstanceEventStartTimeResult; + }; + sdk: { + input: ModifyInstanceEventStartTimeCommandInput; + output: ModifyInstanceEventStartTimeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceEventWindowCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceEventWindowCommand.ts index afa88ef545b7..8fe4177f1376 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceEventWindowCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceEventWindowCommand.ts @@ -128,4 +128,16 @@ export class ModifyInstanceEventWindowCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceEventWindowCommand) .de(de_ModifyInstanceEventWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceEventWindowRequest; + output: ModifyInstanceEventWindowResult; + }; + sdk: { + input: ModifyInstanceEventWindowCommandInput; + output: ModifyInstanceEventWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceMaintenanceOptionsCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceMaintenanceOptionsCommand.ts index 210a7bbc12ed..acb61da7ea52 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceMaintenanceOptionsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceMaintenanceOptionsCommand.ts @@ -88,4 +88,16 @@ export class ModifyInstanceMaintenanceOptionsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceMaintenanceOptionsCommand) .de(de_ModifyInstanceMaintenanceOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceMaintenanceOptionsRequest; + output: ModifyInstanceMaintenanceOptionsResult; + }; + sdk: { + input: ModifyInstanceMaintenanceOptionsCommandInput; + output: ModifyInstanceMaintenanceOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceMetadataDefaultsCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceMetadataDefaultsCommand.ts index d304da85bb99..44078763a71d 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceMetadataDefaultsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceMetadataDefaultsCommand.ts @@ -94,4 +94,16 @@ export class ModifyInstanceMetadataDefaultsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceMetadataDefaultsCommand) .de(de_ModifyInstanceMetadataDefaultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceMetadataDefaultsRequest; + output: ModifyInstanceMetadataDefaultsResult; + }; + sdk: { + input: ModifyInstanceMetadataDefaultsCommandInput; + output: ModifyInstanceMetadataDefaultsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstanceMetadataOptionsCommand.ts b/clients/client-ec2/src/commands/ModifyInstanceMetadataOptionsCommand.ts index 10f217f11431..b309b0b8ee08 100644 --- a/clients/client-ec2/src/commands/ModifyInstanceMetadataOptionsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstanceMetadataOptionsCommand.ts @@ -99,4 +99,16 @@ export class ModifyInstanceMetadataOptionsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceMetadataOptionsCommand) .de(de_ModifyInstanceMetadataOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceMetadataOptionsRequest; + output: ModifyInstanceMetadataOptionsResult; + }; + sdk: { + input: ModifyInstanceMetadataOptionsCommandInput; + output: ModifyInstanceMetadataOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyInstancePlacementCommand.ts b/clients/client-ec2/src/commands/ModifyInstancePlacementCommand.ts index c95ca112b9c7..e3aa055ab802 100644 --- a/clients/client-ec2/src/commands/ModifyInstancePlacementCommand.ts +++ b/clients/client-ec2/src/commands/ModifyInstancePlacementCommand.ts @@ -109,4 +109,16 @@ export class ModifyInstancePlacementCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstancePlacementCommand) .de(de_ModifyInstancePlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstancePlacementRequest; + output: ModifyInstancePlacementResult; + }; + sdk: { + input: ModifyInstancePlacementCommandInput; + output: ModifyInstancePlacementCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyIpamCommand.ts b/clients/client-ec2/src/commands/ModifyIpamCommand.ts index 3c8c35df8cda..39bf0d412ca7 100644 --- a/clients/client-ec2/src/commands/ModifyIpamCommand.ts +++ b/clients/client-ec2/src/commands/ModifyIpamCommand.ts @@ -119,4 +119,16 @@ export class ModifyIpamCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIpamCommand) .de(de_ModifyIpamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIpamRequest; + output: ModifyIpamResult; + }; + sdk: { + input: ModifyIpamCommandInput; + output: ModifyIpamCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyIpamPoolCommand.ts b/clients/client-ec2/src/commands/ModifyIpamPoolCommand.ts index 1006bda09d5c..f3c64a8a2d79 100644 --- a/clients/client-ec2/src/commands/ModifyIpamPoolCommand.ts +++ b/clients/client-ec2/src/commands/ModifyIpamPoolCommand.ts @@ -138,4 +138,16 @@ export class ModifyIpamPoolCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIpamPoolCommand) .de(de_ModifyIpamPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIpamPoolRequest; + output: ModifyIpamPoolResult; + }; + sdk: { + input: ModifyIpamPoolCommandInput; + output: ModifyIpamPoolCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyIpamResourceCidrCommand.ts b/clients/client-ec2/src/commands/ModifyIpamResourceCidrCommand.ts index 151bfcf47a3e..6bfe05e4fdab 100644 --- a/clients/client-ec2/src/commands/ModifyIpamResourceCidrCommand.ts +++ b/clients/client-ec2/src/commands/ModifyIpamResourceCidrCommand.ts @@ -106,4 +106,16 @@ export class ModifyIpamResourceCidrCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIpamResourceCidrCommand) .de(de_ModifyIpamResourceCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIpamResourceCidrRequest; + output: ModifyIpamResourceCidrResult; + }; + sdk: { + input: ModifyIpamResourceCidrCommandInput; + output: ModifyIpamResourceCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyIpamResourceDiscoveryCommand.ts b/clients/client-ec2/src/commands/ModifyIpamResourceDiscoveryCommand.ts index a45322af46a1..5affc94110be 100644 --- a/clients/client-ec2/src/commands/ModifyIpamResourceDiscoveryCommand.ts +++ b/clients/client-ec2/src/commands/ModifyIpamResourceDiscoveryCommand.ts @@ -108,4 +108,16 @@ export class ModifyIpamResourceDiscoveryCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIpamResourceDiscoveryCommand) .de(de_ModifyIpamResourceDiscoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIpamResourceDiscoveryRequest; + output: ModifyIpamResourceDiscoveryResult; + }; + sdk: { + input: ModifyIpamResourceDiscoveryCommandInput; + output: ModifyIpamResourceDiscoveryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyIpamScopeCommand.ts b/clients/client-ec2/src/commands/ModifyIpamScopeCommand.ts index e75db803c4e2..f44e4ea94305 100644 --- a/clients/client-ec2/src/commands/ModifyIpamScopeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyIpamScopeCommand.ts @@ -96,4 +96,16 @@ export class ModifyIpamScopeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIpamScopeCommand) .de(de_ModifyIpamScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIpamScopeRequest; + output: ModifyIpamScopeResult; + }; + sdk: { + input: ModifyIpamScopeCommandInput; + output: ModifyIpamScopeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyLaunchTemplateCommand.ts b/clients/client-ec2/src/commands/ModifyLaunchTemplateCommand.ts index ddbc5e13f3df..c56c0da4a8ab 100644 --- a/clients/client-ec2/src/commands/ModifyLaunchTemplateCommand.ts +++ b/clients/client-ec2/src/commands/ModifyLaunchTemplateCommand.ts @@ -120,4 +120,16 @@ export class ModifyLaunchTemplateCommand extends $Command .f(void 0, void 0) .ser(se_ModifyLaunchTemplateCommand) .de(de_ModifyLaunchTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyLaunchTemplateRequest; + output: ModifyLaunchTemplateResult; + }; + sdk: { + input: ModifyLaunchTemplateCommandInput; + output: ModifyLaunchTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyLocalGatewayRouteCommand.ts b/clients/client-ec2/src/commands/ModifyLocalGatewayRouteCommand.ts index ccfd497b20fe..152bfa24a7ed 100644 --- a/clients/client-ec2/src/commands/ModifyLocalGatewayRouteCommand.ts +++ b/clients/client-ec2/src/commands/ModifyLocalGatewayRouteCommand.ts @@ -94,4 +94,16 @@ export class ModifyLocalGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_ModifyLocalGatewayRouteCommand) .de(de_ModifyLocalGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyLocalGatewayRouteRequest; + output: ModifyLocalGatewayRouteResult; + }; + sdk: { + input: ModifyLocalGatewayRouteCommandInput; + output: ModifyLocalGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyManagedPrefixListCommand.ts b/clients/client-ec2/src/commands/ModifyManagedPrefixListCommand.ts index 1ad4a989a86e..0f88852a59e3 100644 --- a/clients/client-ec2/src/commands/ModifyManagedPrefixListCommand.ts +++ b/clients/client-ec2/src/commands/ModifyManagedPrefixListCommand.ts @@ -112,4 +112,16 @@ export class ModifyManagedPrefixListCommand extends $Command .f(void 0, void 0) .ser(se_ModifyManagedPrefixListCommand) .de(de_ModifyManagedPrefixListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyManagedPrefixListRequest; + output: ModifyManagedPrefixListResult; + }; + sdk: { + input: ModifyManagedPrefixListCommandInput; + output: ModifyManagedPrefixListCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyNetworkInterfaceAttributeCommand.ts b/clients/client-ec2/src/commands/ModifyNetworkInterfaceAttributeCommand.ts index 0ef0e9621fa5..e0367d23460a 100644 --- a/clients/client-ec2/src/commands/ModifyNetworkInterfaceAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyNetworkInterfaceAttributeCommand.ts @@ -165,4 +165,16 @@ export class ModifyNetworkInterfaceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyNetworkInterfaceAttributeCommand) .de(de_ModifyNetworkInterfaceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyNetworkInterfaceAttributeRequest; + output: {}; + }; + sdk: { + input: ModifyNetworkInterfaceAttributeCommandInput; + output: ModifyNetworkInterfaceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyPrivateDnsNameOptionsCommand.ts b/clients/client-ec2/src/commands/ModifyPrivateDnsNameOptionsCommand.ts index d9fcbbefd64f..829133ed3d56 100644 --- a/clients/client-ec2/src/commands/ModifyPrivateDnsNameOptionsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyPrivateDnsNameOptionsCommand.ts @@ -81,4 +81,16 @@ export class ModifyPrivateDnsNameOptionsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyPrivateDnsNameOptionsCommand) .de(de_ModifyPrivateDnsNameOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyPrivateDnsNameOptionsRequest; + output: ModifyPrivateDnsNameOptionsResult; + }; + sdk: { + input: ModifyPrivateDnsNameOptionsCommandInput; + output: ModifyPrivateDnsNameOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyReservedInstancesCommand.ts b/clients/client-ec2/src/commands/ModifyReservedInstancesCommand.ts index 81539fb8d6be..48fccff3b15a 100644 --- a/clients/client-ec2/src/commands/ModifyReservedInstancesCommand.ts +++ b/clients/client-ec2/src/commands/ModifyReservedInstancesCommand.ts @@ -93,4 +93,16 @@ export class ModifyReservedInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReservedInstancesCommand) .de(de_ModifyReservedInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReservedInstancesRequest; + output: ModifyReservedInstancesResult; + }; + sdk: { + input: ModifyReservedInstancesCommandInput; + output: ModifyReservedInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifySecurityGroupRulesCommand.ts b/clients/client-ec2/src/commands/ModifySecurityGroupRulesCommand.ts index 7a20416f80dd..58f106d8f882 100644 --- a/clients/client-ec2/src/commands/ModifySecurityGroupRulesCommand.ts +++ b/clients/client-ec2/src/commands/ModifySecurityGroupRulesCommand.ts @@ -93,4 +93,16 @@ export class ModifySecurityGroupRulesCommand extends $Command .f(void 0, void 0) .ser(se_ModifySecurityGroupRulesCommand) .de(de_ModifySecurityGroupRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySecurityGroupRulesRequest; + output: ModifySecurityGroupRulesResult; + }; + sdk: { + input: ModifySecurityGroupRulesCommandInput; + output: ModifySecurityGroupRulesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifySnapshotAttributeCommand.ts b/clients/client-ec2/src/commands/ModifySnapshotAttributeCommand.ts index 46bb5b2c5f38..710b9ae34f44 100644 --- a/clients/client-ec2/src/commands/ModifySnapshotAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifySnapshotAttributeCommand.ts @@ -137,4 +137,16 @@ export class ModifySnapshotAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifySnapshotAttributeCommand) .de(de_ModifySnapshotAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySnapshotAttributeRequest; + output: {}; + }; + sdk: { + input: ModifySnapshotAttributeCommandInput; + output: ModifySnapshotAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifySnapshotTierCommand.ts b/clients/client-ec2/src/commands/ModifySnapshotTierCommand.ts index 2aa1cb9326e9..8b8c37c0c99a 100644 --- a/clients/client-ec2/src/commands/ModifySnapshotTierCommand.ts +++ b/clients/client-ec2/src/commands/ModifySnapshotTierCommand.ts @@ -84,4 +84,16 @@ export class ModifySnapshotTierCommand extends $Command .f(void 0, void 0) .ser(se_ModifySnapshotTierCommand) .de(de_ModifySnapshotTierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySnapshotTierRequest; + output: ModifySnapshotTierResult; + }; + sdk: { + input: ModifySnapshotTierCommandInput; + output: ModifySnapshotTierCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifySpotFleetRequestCommand.ts b/clients/client-ec2/src/commands/ModifySpotFleetRequestCommand.ts index 8916bfe33356..4ac2138e4323 100644 --- a/clients/client-ec2/src/commands/ModifySpotFleetRequestCommand.ts +++ b/clients/client-ec2/src/commands/ModifySpotFleetRequestCommand.ts @@ -228,4 +228,16 @@ export class ModifySpotFleetRequestCommand extends $Command .f(void 0, void 0) .ser(se_ModifySpotFleetRequestCommand) .de(de_ModifySpotFleetRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySpotFleetRequestRequest; + output: ModifySpotFleetRequestResponse; + }; + sdk: { + input: ModifySpotFleetRequestCommandInput; + output: ModifySpotFleetRequestCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifySubnetAttributeCommand.ts b/clients/client-ec2/src/commands/ModifySubnetAttributeCommand.ts index 9f4086545024..a1fea2081920 100644 --- a/clients/client-ec2/src/commands/ModifySubnetAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifySubnetAttributeCommand.ts @@ -136,4 +136,16 @@ export class ModifySubnetAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifySubnetAttributeCommand) .de(de_ModifySubnetAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySubnetAttributeRequest; + output: {}; + }; + sdk: { + input: ModifySubnetAttributeCommandInput; + output: ModifySubnetAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterNetworkServicesCommand.ts b/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterNetworkServicesCommand.ts index dcee6cf3749a..7294717166bf 100644 --- a/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterNetworkServicesCommand.ts +++ b/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterNetworkServicesCommand.ts @@ -162,4 +162,16 @@ export class ModifyTrafficMirrorFilterNetworkServicesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTrafficMirrorFilterNetworkServicesCommand) .de(de_ModifyTrafficMirrorFilterNetworkServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTrafficMirrorFilterNetworkServicesRequest; + output: ModifyTrafficMirrorFilterNetworkServicesResult; + }; + sdk: { + input: ModifyTrafficMirrorFilterNetworkServicesCommandInput; + output: ModifyTrafficMirrorFilterNetworkServicesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterRuleCommand.ts b/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterRuleCommand.ts index db36381cd85a..863bf58de6ad 100644 --- a/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterRuleCommand.ts +++ b/clients/client-ec2/src/commands/ModifyTrafficMirrorFilterRuleCommand.ts @@ -125,4 +125,16 @@ export class ModifyTrafficMirrorFilterRuleCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTrafficMirrorFilterRuleCommand) .de(de_ModifyTrafficMirrorFilterRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTrafficMirrorFilterRuleRequest; + output: ModifyTrafficMirrorFilterRuleResult; + }; + sdk: { + input: ModifyTrafficMirrorFilterRuleCommandInput; + output: ModifyTrafficMirrorFilterRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyTrafficMirrorSessionCommand.ts b/clients/client-ec2/src/commands/ModifyTrafficMirrorSessionCommand.ts index 0158951ad7c7..95649074e276 100644 --- a/clients/client-ec2/src/commands/ModifyTrafficMirrorSessionCommand.ts +++ b/clients/client-ec2/src/commands/ModifyTrafficMirrorSessionCommand.ts @@ -103,4 +103,16 @@ export class ModifyTrafficMirrorSessionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTrafficMirrorSessionCommand) .de(de_ModifyTrafficMirrorSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTrafficMirrorSessionRequest; + output: ModifyTrafficMirrorSessionResult; + }; + sdk: { + input: ModifyTrafficMirrorSessionCommandInput; + output: ModifyTrafficMirrorSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyTransitGatewayCommand.ts b/clients/client-ec2/src/commands/ModifyTransitGatewayCommand.ts index 29b663f5db72..8d1ed78e9d71 100644 --- a/clients/client-ec2/src/commands/ModifyTransitGatewayCommand.ts +++ b/clients/client-ec2/src/commands/ModifyTransitGatewayCommand.ts @@ -124,4 +124,16 @@ export class ModifyTransitGatewayCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTransitGatewayCommand) .de(de_ModifyTransitGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTransitGatewayRequest; + output: ModifyTransitGatewayResult; + }; + sdk: { + input: ModifyTransitGatewayCommandInput; + output: ModifyTransitGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyTransitGatewayPrefixListReferenceCommand.ts b/clients/client-ec2/src/commands/ModifyTransitGatewayPrefixListReferenceCommand.ts index a427023a6c66..2a502bddd4c2 100644 --- a/clients/client-ec2/src/commands/ModifyTransitGatewayPrefixListReferenceCommand.ts +++ b/clients/client-ec2/src/commands/ModifyTransitGatewayPrefixListReferenceCommand.ts @@ -101,4 +101,16 @@ export class ModifyTransitGatewayPrefixListReferenceCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTransitGatewayPrefixListReferenceCommand) .de(de_ModifyTransitGatewayPrefixListReferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTransitGatewayPrefixListReferenceRequest; + output: ModifyTransitGatewayPrefixListReferenceResult; + }; + sdk: { + input: ModifyTransitGatewayPrefixListReferenceCommandInput; + output: ModifyTransitGatewayPrefixListReferenceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyTransitGatewayVpcAttachmentCommand.ts b/clients/client-ec2/src/commands/ModifyTransitGatewayVpcAttachmentCommand.ts index c2813243fcc2..80f8bc8bc072 100644 --- a/clients/client-ec2/src/commands/ModifyTransitGatewayVpcAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/ModifyTransitGatewayVpcAttachmentCommand.ts @@ -117,4 +117,16 @@ export class ModifyTransitGatewayVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTransitGatewayVpcAttachmentCommand) .de(de_ModifyTransitGatewayVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTransitGatewayVpcAttachmentRequest; + output: ModifyTransitGatewayVpcAttachmentResult; + }; + sdk: { + input: ModifyTransitGatewayVpcAttachmentCommandInput; + output: ModifyTransitGatewayVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointCommand.ts b/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointCommand.ts index 742080195c97..57de21334c6a 100644 --- a/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointCommand.ts @@ -138,4 +138,16 @@ export class ModifyVerifiedAccessEndpointCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVerifiedAccessEndpointCommand) .de(de_ModifyVerifiedAccessEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVerifiedAccessEndpointRequest; + output: ModifyVerifiedAccessEndpointResult; + }; + sdk: { + input: ModifyVerifiedAccessEndpointCommandInput; + output: ModifyVerifiedAccessEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointPolicyCommand.ts b/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointPolicyCommand.ts index 7761ffb77f75..909c121af75c 100644 --- a/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointPolicyCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVerifiedAccessEndpointPolicyCommand.ts @@ -98,4 +98,16 @@ export class ModifyVerifiedAccessEndpointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVerifiedAccessEndpointPolicyCommand) .de(de_ModifyVerifiedAccessEndpointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVerifiedAccessEndpointPolicyRequest; + output: ModifyVerifiedAccessEndpointPolicyResult; + }; + sdk: { + input: ModifyVerifiedAccessEndpointPolicyCommandInput; + output: ModifyVerifiedAccessEndpointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupCommand.ts b/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupCommand.ts index 0e10db966fe4..841baaa75286 100644 --- a/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupCommand.ts @@ -100,4 +100,16 @@ export class ModifyVerifiedAccessGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVerifiedAccessGroupCommand) .de(de_ModifyVerifiedAccessGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVerifiedAccessGroupRequest; + output: ModifyVerifiedAccessGroupResult; + }; + sdk: { + input: ModifyVerifiedAccessGroupCommandInput; + output: ModifyVerifiedAccessGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupPolicyCommand.ts b/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupPolicyCommand.ts index b3bfb009a36d..0265d100b8b6 100644 --- a/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupPolicyCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVerifiedAccessGroupPolicyCommand.ts @@ -95,4 +95,16 @@ export class ModifyVerifiedAccessGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVerifiedAccessGroupPolicyCommand) .de(de_ModifyVerifiedAccessGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVerifiedAccessGroupPolicyRequest; + output: ModifyVerifiedAccessGroupPolicyResult; + }; + sdk: { + input: ModifyVerifiedAccessGroupPolicyCommandInput; + output: ModifyVerifiedAccessGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceCommand.ts b/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceCommand.ts index f969efcbaafb..cde502e674ff 100644 --- a/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceCommand.ts @@ -103,4 +103,16 @@ export class ModifyVerifiedAccessInstanceCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVerifiedAccessInstanceCommand) .de(de_ModifyVerifiedAccessInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVerifiedAccessInstanceRequest; + output: ModifyVerifiedAccessInstanceResult; + }; + sdk: { + input: ModifyVerifiedAccessInstanceCommandInput; + output: ModifyVerifiedAccessInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceLoggingConfigurationCommand.ts b/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceLoggingConfigurationCommand.ts index 982101839431..c349a9b5256b 100644 --- a/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceLoggingConfigurationCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVerifiedAccessInstanceLoggingConfigurationCommand.ts @@ -138,4 +138,16 @@ export class ModifyVerifiedAccessInstanceLoggingConfigurationCommand extends $Co .f(void 0, void 0) .ser(se_ModifyVerifiedAccessInstanceLoggingConfigurationCommand) .de(de_ModifyVerifiedAccessInstanceLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVerifiedAccessInstanceLoggingConfigurationRequest; + output: ModifyVerifiedAccessInstanceLoggingConfigurationResult; + }; + sdk: { + input: ModifyVerifiedAccessInstanceLoggingConfigurationCommandInput; + output: ModifyVerifiedAccessInstanceLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVerifiedAccessTrustProviderCommand.ts b/clients/client-ec2/src/commands/ModifyVerifiedAccessTrustProviderCommand.ts index 9c3b2a184828..2a6aa211a752 100644 --- a/clients/client-ec2/src/commands/ModifyVerifiedAccessTrustProviderCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVerifiedAccessTrustProviderCommand.ts @@ -141,4 +141,16 @@ export class ModifyVerifiedAccessTrustProviderCommand extends $Command ) .ser(se_ModifyVerifiedAccessTrustProviderCommand) .de(de_ModifyVerifiedAccessTrustProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVerifiedAccessTrustProviderRequest; + output: ModifyVerifiedAccessTrustProviderResult; + }; + sdk: { + input: ModifyVerifiedAccessTrustProviderCommandInput; + output: ModifyVerifiedAccessTrustProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVolumeAttributeCommand.ts b/clients/client-ec2/src/commands/ModifyVolumeAttributeCommand.ts index 1bd452a37280..7dee1a055079 100644 --- a/clients/client-ec2/src/commands/ModifyVolumeAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVolumeAttributeCommand.ts @@ -100,4 +100,16 @@ export class ModifyVolumeAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVolumeAttributeCommand) .de(de_ModifyVolumeAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVolumeAttributeRequest; + output: {}; + }; + sdk: { + input: ModifyVolumeAttributeCommandInput; + output: ModifyVolumeAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVolumeCommand.ts b/clients/client-ec2/src/commands/ModifyVolumeCommand.ts index e2f2823bdea3..c7ff4417fc7b 100644 --- a/clients/client-ec2/src/commands/ModifyVolumeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVolumeCommand.ts @@ -112,4 +112,16 @@ export class ModifyVolumeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVolumeCommand) .de(de_ModifyVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVolumeRequest; + output: ModifyVolumeResult; + }; + sdk: { + input: ModifyVolumeCommandInput; + output: ModifyVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcAttributeCommand.ts b/clients/client-ec2/src/commands/ModifyVpcAttributeCommand.ts index ed4b5f455b0d..96fecf682a84 100644 --- a/clients/client-ec2/src/commands/ModifyVpcAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcAttributeCommand.ts @@ -112,4 +112,16 @@ export class ModifyVpcAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcAttributeCommand) .de(de_ModifyVpcAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcAttributeRequest; + output: {}; + }; + sdk: { + input: ModifyVpcAttributeCommandInput; + output: ModifyVpcAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcEndpointCommand.ts b/clients/client-ec2/src/commands/ModifyVpcEndpointCommand.ts index 78279ac0e177..b40394b64825 100644 --- a/clients/client-ec2/src/commands/ModifyVpcEndpointCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcEndpointCommand.ts @@ -114,4 +114,16 @@ export class ModifyVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcEndpointCommand) .de(de_ModifyVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcEndpointRequest; + output: ModifyVpcEndpointResult; + }; + sdk: { + input: ModifyVpcEndpointCommandInput; + output: ModifyVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcEndpointConnectionNotificationCommand.ts b/clients/client-ec2/src/commands/ModifyVpcEndpointConnectionNotificationCommand.ts index 451fcce7ba7b..2ff332934522 100644 --- a/clients/client-ec2/src/commands/ModifyVpcEndpointConnectionNotificationCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcEndpointConnectionNotificationCommand.ts @@ -92,4 +92,16 @@ export class ModifyVpcEndpointConnectionNotificationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcEndpointConnectionNotificationCommand) .de(de_ModifyVpcEndpointConnectionNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcEndpointConnectionNotificationRequest; + output: ModifyVpcEndpointConnectionNotificationResult; + }; + sdk: { + input: ModifyVpcEndpointConnectionNotificationCommandInput; + output: ModifyVpcEndpointConnectionNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcEndpointServiceConfigurationCommand.ts b/clients/client-ec2/src/commands/ModifyVpcEndpointServiceConfigurationCommand.ts index d3820395512a..f2076929a9fa 100644 --- a/clients/client-ec2/src/commands/ModifyVpcEndpointServiceConfigurationCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcEndpointServiceConfigurationCommand.ts @@ -111,4 +111,16 @@ export class ModifyVpcEndpointServiceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcEndpointServiceConfigurationCommand) .de(de_ModifyVpcEndpointServiceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcEndpointServiceConfigurationRequest; + output: ModifyVpcEndpointServiceConfigurationResult; + }; + sdk: { + input: ModifyVpcEndpointServiceConfigurationCommandInput; + output: ModifyVpcEndpointServiceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcEndpointServicePayerResponsibilityCommand.ts b/clients/client-ec2/src/commands/ModifyVpcEndpointServicePayerResponsibilityCommand.ts index 97d0fae89692..2ce9e840f43c 100644 --- a/clients/client-ec2/src/commands/ModifyVpcEndpointServicePayerResponsibilityCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcEndpointServicePayerResponsibilityCommand.ts @@ -88,4 +88,16 @@ export class ModifyVpcEndpointServicePayerResponsibilityCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcEndpointServicePayerResponsibilityCommand) .de(de_ModifyVpcEndpointServicePayerResponsibilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcEndpointServicePayerResponsibilityRequest; + output: ModifyVpcEndpointServicePayerResponsibilityResult; + }; + sdk: { + input: ModifyVpcEndpointServicePayerResponsibilityCommandInput; + output: ModifyVpcEndpointServicePayerResponsibilityCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcEndpointServicePermissionsCommand.ts b/clients/client-ec2/src/commands/ModifyVpcEndpointServicePermissionsCommand.ts index 5876f4afe6b5..df9319b2b8c9 100644 --- a/clients/client-ec2/src/commands/ModifyVpcEndpointServicePermissionsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcEndpointServicePermissionsCommand.ts @@ -105,4 +105,16 @@ export class ModifyVpcEndpointServicePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcEndpointServicePermissionsCommand) .de(de_ModifyVpcEndpointServicePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcEndpointServicePermissionsRequest; + output: ModifyVpcEndpointServicePermissionsResult; + }; + sdk: { + input: ModifyVpcEndpointServicePermissionsCommandInput; + output: ModifyVpcEndpointServicePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcPeeringConnectionOptionsCommand.ts b/clients/client-ec2/src/commands/ModifyVpcPeeringConnectionOptionsCommand.ts index 69dfb2a6cfe0..0bf18aabbc57 100644 --- a/clients/client-ec2/src/commands/ModifyVpcPeeringConnectionOptionsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcPeeringConnectionOptionsCommand.ts @@ -112,4 +112,16 @@ export class ModifyVpcPeeringConnectionOptionsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcPeeringConnectionOptionsCommand) .de(de_ModifyVpcPeeringConnectionOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcPeeringConnectionOptionsRequest; + output: ModifyVpcPeeringConnectionOptionsResult; + }; + sdk: { + input: ModifyVpcPeeringConnectionOptionsCommandInput; + output: ModifyVpcPeeringConnectionOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpcTenancyCommand.ts b/clients/client-ec2/src/commands/ModifyVpcTenancyCommand.ts index eab27ada62ae..b0754f9fb741 100644 --- a/clients/client-ec2/src/commands/ModifyVpcTenancyCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpcTenancyCommand.ts @@ -86,4 +86,16 @@ export class ModifyVpcTenancyCommand extends $Command .f(void 0, void 0) .ser(se_ModifyVpcTenancyCommand) .de(de_ModifyVpcTenancyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpcTenancyRequest; + output: ModifyVpcTenancyResult; + }; + sdk: { + input: ModifyVpcTenancyCommandInput; + output: ModifyVpcTenancyCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpnConnectionCommand.ts b/clients/client-ec2/src/commands/ModifyVpnConnectionCommand.ts index 94c34f12a63e..a587a56a0402 100644 --- a/clients/client-ec2/src/commands/ModifyVpnConnectionCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpnConnectionCommand.ts @@ -225,4 +225,16 @@ export class ModifyVpnConnectionCommand extends $Command .f(void 0, ModifyVpnConnectionResultFilterSensitiveLog) .ser(se_ModifyVpnConnectionCommand) .de(de_ModifyVpnConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpnConnectionRequest; + output: ModifyVpnConnectionResult; + }; + sdk: { + input: ModifyVpnConnectionCommandInput; + output: ModifyVpnConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpnConnectionOptionsCommand.ts b/clients/client-ec2/src/commands/ModifyVpnConnectionOptionsCommand.ts index 0b791403522d..2d3d5666ad2a 100644 --- a/clients/client-ec2/src/commands/ModifyVpnConnectionOptionsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpnConnectionOptionsCommand.ts @@ -195,4 +195,16 @@ export class ModifyVpnConnectionOptionsCommand extends $Command .f(void 0, ModifyVpnConnectionOptionsResultFilterSensitiveLog) .ser(se_ModifyVpnConnectionOptionsCommand) .de(de_ModifyVpnConnectionOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpnConnectionOptionsRequest; + output: ModifyVpnConnectionOptionsResult; + }; + sdk: { + input: ModifyVpnConnectionOptionsCommandInput; + output: ModifyVpnConnectionOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpnTunnelCertificateCommand.ts b/clients/client-ec2/src/commands/ModifyVpnTunnelCertificateCommand.ts index 325cf3f63f35..89429c5b2c15 100644 --- a/clients/client-ec2/src/commands/ModifyVpnTunnelCertificateCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpnTunnelCertificateCommand.ts @@ -188,4 +188,16 @@ export class ModifyVpnTunnelCertificateCommand extends $Command .f(void 0, ModifyVpnTunnelCertificateResultFilterSensitiveLog) .ser(se_ModifyVpnTunnelCertificateCommand) .de(de_ModifyVpnTunnelCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpnTunnelCertificateRequest; + output: ModifyVpnTunnelCertificateResult; + }; + sdk: { + input: ModifyVpnTunnelCertificateCommandInput; + output: ModifyVpnTunnelCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ModifyVpnTunnelOptionsCommand.ts b/clients/client-ec2/src/commands/ModifyVpnTunnelOptionsCommand.ts index c0edc96f4c9f..d1d39d14ad57 100644 --- a/clients/client-ec2/src/commands/ModifyVpnTunnelOptionsCommand.ts +++ b/clients/client-ec2/src/commands/ModifyVpnTunnelOptionsCommand.ts @@ -249,4 +249,16 @@ export class ModifyVpnTunnelOptionsCommand extends $Command .f(ModifyVpnTunnelOptionsRequestFilterSensitiveLog, ModifyVpnTunnelOptionsResultFilterSensitiveLog) .ser(se_ModifyVpnTunnelOptionsCommand) .de(de_ModifyVpnTunnelOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyVpnTunnelOptionsRequest; + output: ModifyVpnTunnelOptionsResult; + }; + sdk: { + input: ModifyVpnTunnelOptionsCommandInput; + output: ModifyVpnTunnelOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/MonitorInstancesCommand.ts b/clients/client-ec2/src/commands/MonitorInstancesCommand.ts index a5119d9ec4fd..74b4068b7f19 100644 --- a/clients/client-ec2/src/commands/MonitorInstancesCommand.ts +++ b/clients/client-ec2/src/commands/MonitorInstancesCommand.ts @@ -90,4 +90,16 @@ export class MonitorInstancesCommand extends $Command .f(void 0, void 0) .ser(se_MonitorInstancesCommand) .de(de_MonitorInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MonitorInstancesRequest; + output: MonitorInstancesResult; + }; + sdk: { + input: MonitorInstancesCommandInput; + output: MonitorInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/MoveAddressToVpcCommand.ts b/clients/client-ec2/src/commands/MoveAddressToVpcCommand.ts index f2233f3b1ee7..e7bf78f13d9f 100644 --- a/clients/client-ec2/src/commands/MoveAddressToVpcCommand.ts +++ b/clients/client-ec2/src/commands/MoveAddressToVpcCommand.ts @@ -103,4 +103,16 @@ export class MoveAddressToVpcCommand extends $Command .f(void 0, void 0) .ser(se_MoveAddressToVpcCommand) .de(de_MoveAddressToVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MoveAddressToVpcRequest; + output: MoveAddressToVpcResult; + }; + sdk: { + input: MoveAddressToVpcCommandInput; + output: MoveAddressToVpcCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/MoveByoipCidrToIpamCommand.ts b/clients/client-ec2/src/commands/MoveByoipCidrToIpamCommand.ts index d72d3e14b7f3..e552959c8995 100644 --- a/clients/client-ec2/src/commands/MoveByoipCidrToIpamCommand.ts +++ b/clients/client-ec2/src/commands/MoveByoipCidrToIpamCommand.ts @@ -95,4 +95,16 @@ export class MoveByoipCidrToIpamCommand extends $Command .f(void 0, void 0) .ser(se_MoveByoipCidrToIpamCommand) .de(de_MoveByoipCidrToIpamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MoveByoipCidrToIpamRequest; + output: MoveByoipCidrToIpamResult; + }; + sdk: { + input: MoveByoipCidrToIpamCommandInput; + output: MoveByoipCidrToIpamCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/MoveCapacityReservationInstancesCommand.ts b/clients/client-ec2/src/commands/MoveCapacityReservationInstancesCommand.ts index 272d4173bbfe..49525d2b84ea 100644 --- a/clients/client-ec2/src/commands/MoveCapacityReservationInstancesCommand.ts +++ b/clients/client-ec2/src/commands/MoveCapacityReservationInstancesCommand.ts @@ -179,4 +179,16 @@ export class MoveCapacityReservationInstancesCommand extends $Command .f(void 0, void 0) .ser(se_MoveCapacityReservationInstancesCommand) .de(de_MoveCapacityReservationInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MoveCapacityReservationInstancesRequest; + output: MoveCapacityReservationInstancesResult; + }; + sdk: { + input: MoveCapacityReservationInstancesCommandInput; + output: MoveCapacityReservationInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ProvisionByoipCidrCommand.ts b/clients/client-ec2/src/commands/ProvisionByoipCidrCommand.ts index 559b58ef0412..02e4e99a0544 100644 --- a/clients/client-ec2/src/commands/ProvisionByoipCidrCommand.ts +++ b/clients/client-ec2/src/commands/ProvisionByoipCidrCommand.ts @@ -122,4 +122,16 @@ export class ProvisionByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionByoipCidrCommand) .de(de_ProvisionByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionByoipCidrRequest; + output: ProvisionByoipCidrResult; + }; + sdk: { + input: ProvisionByoipCidrCommandInput; + output: ProvisionByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ProvisionIpamByoasnCommand.ts b/clients/client-ec2/src/commands/ProvisionIpamByoasnCommand.ts index 6bbcafeb2845..bfa56a909be7 100644 --- a/clients/client-ec2/src/commands/ProvisionIpamByoasnCommand.ts +++ b/clients/client-ec2/src/commands/ProvisionIpamByoasnCommand.ts @@ -88,4 +88,16 @@ export class ProvisionIpamByoasnCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionIpamByoasnCommand) .de(de_ProvisionIpamByoasnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionIpamByoasnRequest; + output: ProvisionIpamByoasnResult; + }; + sdk: { + input: ProvisionIpamByoasnCommandInput; + output: ProvisionIpamByoasnCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ProvisionIpamPoolCidrCommand.ts b/clients/client-ec2/src/commands/ProvisionIpamPoolCidrCommand.ts index 8a15ad17e7e5..6b24aaf3f09a 100644 --- a/clients/client-ec2/src/commands/ProvisionIpamPoolCidrCommand.ts +++ b/clients/client-ec2/src/commands/ProvisionIpamPoolCidrCommand.ts @@ -98,4 +98,16 @@ export class ProvisionIpamPoolCidrCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionIpamPoolCidrCommand) .de(de_ProvisionIpamPoolCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionIpamPoolCidrRequest; + output: ProvisionIpamPoolCidrResult; + }; + sdk: { + input: ProvisionIpamPoolCidrCommandInput; + output: ProvisionIpamPoolCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ProvisionPublicIpv4PoolCidrCommand.ts b/clients/client-ec2/src/commands/ProvisionPublicIpv4PoolCidrCommand.ts index 7d9b3b5cb28a..c7d787c4a4bc 100644 --- a/clients/client-ec2/src/commands/ProvisionPublicIpv4PoolCidrCommand.ts +++ b/clients/client-ec2/src/commands/ProvisionPublicIpv4PoolCidrCommand.ts @@ -88,4 +88,16 @@ export class ProvisionPublicIpv4PoolCidrCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionPublicIpv4PoolCidrCommand) .de(de_ProvisionPublicIpv4PoolCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionPublicIpv4PoolCidrRequest; + output: ProvisionPublicIpv4PoolCidrResult; + }; + sdk: { + input: ProvisionPublicIpv4PoolCidrCommandInput; + output: ProvisionPublicIpv4PoolCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/PurchaseCapacityBlockCommand.ts b/clients/client-ec2/src/commands/PurchaseCapacityBlockCommand.ts index e1923cefb8df..c2763865f366 100644 --- a/clients/client-ec2/src/commands/PurchaseCapacityBlockCommand.ts +++ b/clients/client-ec2/src/commands/PurchaseCapacityBlockCommand.ts @@ -126,4 +126,16 @@ export class PurchaseCapacityBlockCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseCapacityBlockCommand) .de(de_PurchaseCapacityBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseCapacityBlockRequest; + output: PurchaseCapacityBlockResult; + }; + sdk: { + input: PurchaseCapacityBlockCommandInput; + output: PurchaseCapacityBlockCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/PurchaseHostReservationCommand.ts b/clients/client-ec2/src/commands/PurchaseHostReservationCommand.ts index 02d3688ef86d..c1a09f4339d0 100644 --- a/clients/client-ec2/src/commands/PurchaseHostReservationCommand.ts +++ b/clients/client-ec2/src/commands/PurchaseHostReservationCommand.ts @@ -114,4 +114,16 @@ export class PurchaseHostReservationCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseHostReservationCommand) .de(de_PurchaseHostReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseHostReservationRequest; + output: PurchaseHostReservationResult; + }; + sdk: { + input: PurchaseHostReservationCommandInput; + output: PurchaseHostReservationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/PurchaseReservedInstancesOfferingCommand.ts b/clients/client-ec2/src/commands/PurchaseReservedInstancesOfferingCommand.ts index 01bc50ffc875..a1c648e07c3e 100644 --- a/clients/client-ec2/src/commands/PurchaseReservedInstancesOfferingCommand.ts +++ b/clients/client-ec2/src/commands/PurchaseReservedInstancesOfferingCommand.ts @@ -98,4 +98,16 @@ export class PurchaseReservedInstancesOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseReservedInstancesOfferingCommand) .de(de_PurchaseReservedInstancesOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseReservedInstancesOfferingRequest; + output: PurchaseReservedInstancesOfferingResult; + }; + sdk: { + input: PurchaseReservedInstancesOfferingCommandInput; + output: PurchaseReservedInstancesOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/PurchaseScheduledInstancesCommand.ts b/clients/client-ec2/src/commands/PurchaseScheduledInstancesCommand.ts index a0ff8a68479c..851fe8233a29 100644 --- a/clients/client-ec2/src/commands/PurchaseScheduledInstancesCommand.ts +++ b/clients/client-ec2/src/commands/PurchaseScheduledInstancesCommand.ts @@ -118,4 +118,16 @@ export class PurchaseScheduledInstancesCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseScheduledInstancesCommand) .de(de_PurchaseScheduledInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseScheduledInstancesRequest; + output: PurchaseScheduledInstancesResult; + }; + sdk: { + input: PurchaseScheduledInstancesCommandInput; + output: PurchaseScheduledInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RebootInstancesCommand.ts b/clients/client-ec2/src/commands/RebootInstancesCommand.ts index 5cc724074fb5..ffe26da0ce1c 100644 --- a/clients/client-ec2/src/commands/RebootInstancesCommand.ts +++ b/clients/client-ec2/src/commands/RebootInstancesCommand.ts @@ -98,4 +98,16 @@ export class RebootInstancesCommand extends $Command .f(void 0, void 0) .ser(se_RebootInstancesCommand) .de(de_RebootInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootInstancesRequest; + output: {}; + }; + sdk: { + input: RebootInstancesCommandInput; + output: RebootInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RegisterImageCommand.ts b/clients/client-ec2/src/commands/RegisterImageCommand.ts index 1677b43588df..3214c72380a1 100644 --- a/clients/client-ec2/src/commands/RegisterImageCommand.ts +++ b/clients/client-ec2/src/commands/RegisterImageCommand.ts @@ -166,4 +166,16 @@ export class RegisterImageCommand extends $Command .f(void 0, void 0) .ser(se_RegisterImageCommand) .de(de_RegisterImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterImageRequest; + output: RegisterImageResult; + }; + sdk: { + input: RegisterImageCommandInput; + output: RegisterImageCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RegisterInstanceEventNotificationAttributesCommand.ts b/clients/client-ec2/src/commands/RegisterInstanceEventNotificationAttributesCommand.ts index eef65f87f36c..6139ed8aa178 100644 --- a/clients/client-ec2/src/commands/RegisterInstanceEventNotificationAttributesCommand.ts +++ b/clients/client-ec2/src/commands/RegisterInstanceEventNotificationAttributesCommand.ts @@ -99,4 +99,16 @@ export class RegisterInstanceEventNotificationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_RegisterInstanceEventNotificationAttributesCommand) .de(de_RegisterInstanceEventNotificationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterInstanceEventNotificationAttributesRequest; + output: RegisterInstanceEventNotificationAttributesResult; + }; + sdk: { + input: RegisterInstanceEventNotificationAttributesCommandInput; + output: RegisterInstanceEventNotificationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupMembersCommand.ts b/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupMembersCommand.ts index 1633d776c742..fd259e898f1b 100644 --- a/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupMembersCommand.ts +++ b/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupMembersCommand.ts @@ -102,4 +102,16 @@ export class RegisterTransitGatewayMulticastGroupMembersCommand extends $Command .f(void 0, void 0) .ser(se_RegisterTransitGatewayMulticastGroupMembersCommand) .de(de_RegisterTransitGatewayMulticastGroupMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTransitGatewayMulticastGroupMembersRequest; + output: RegisterTransitGatewayMulticastGroupMembersResult; + }; + sdk: { + input: RegisterTransitGatewayMulticastGroupMembersCommandInput; + output: RegisterTransitGatewayMulticastGroupMembersCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupSourcesCommand.ts b/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupSourcesCommand.ts index 163030477ccc..bf9cd7d19a93 100644 --- a/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupSourcesCommand.ts +++ b/clients/client-ec2/src/commands/RegisterTransitGatewayMulticastGroupSourcesCommand.ts @@ -102,4 +102,16 @@ export class RegisterTransitGatewayMulticastGroupSourcesCommand extends $Command .f(void 0, void 0) .ser(se_RegisterTransitGatewayMulticastGroupSourcesCommand) .de(de_RegisterTransitGatewayMulticastGroupSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTransitGatewayMulticastGroupSourcesRequest; + output: RegisterTransitGatewayMulticastGroupSourcesResult; + }; + sdk: { + input: RegisterTransitGatewayMulticastGroupSourcesCommandInput; + output: RegisterTransitGatewayMulticastGroupSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RejectTransitGatewayMulticastDomainAssociationsCommand.ts b/clients/client-ec2/src/commands/RejectTransitGatewayMulticastDomainAssociationsCommand.ts index 917114dbd401..d4d1aae62a8f 100644 --- a/clients/client-ec2/src/commands/RejectTransitGatewayMulticastDomainAssociationsCommand.ts +++ b/clients/client-ec2/src/commands/RejectTransitGatewayMulticastDomainAssociationsCommand.ts @@ -103,4 +103,16 @@ export class RejectTransitGatewayMulticastDomainAssociationsCommand extends $Com .f(void 0, void 0) .ser(se_RejectTransitGatewayMulticastDomainAssociationsCommand) .de(de_RejectTransitGatewayMulticastDomainAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectTransitGatewayMulticastDomainAssociationsRequest; + output: RejectTransitGatewayMulticastDomainAssociationsResult; + }; + sdk: { + input: RejectTransitGatewayMulticastDomainAssociationsCommandInput; + output: RejectTransitGatewayMulticastDomainAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RejectTransitGatewayPeeringAttachmentCommand.ts b/clients/client-ec2/src/commands/RejectTransitGatewayPeeringAttachmentCommand.ts index e91642bc115f..aa997f1f53f9 100644 --- a/clients/client-ec2/src/commands/RejectTransitGatewayPeeringAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/RejectTransitGatewayPeeringAttachmentCommand.ts @@ -117,4 +117,16 @@ export class RejectTransitGatewayPeeringAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_RejectTransitGatewayPeeringAttachmentCommand) .de(de_RejectTransitGatewayPeeringAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectTransitGatewayPeeringAttachmentRequest; + output: RejectTransitGatewayPeeringAttachmentResult; + }; + sdk: { + input: RejectTransitGatewayPeeringAttachmentCommandInput; + output: RejectTransitGatewayPeeringAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RejectTransitGatewayVpcAttachmentCommand.ts b/clients/client-ec2/src/commands/RejectTransitGatewayVpcAttachmentCommand.ts index 2548fe3eb429..0f348cf92acc 100644 --- a/clients/client-ec2/src/commands/RejectTransitGatewayVpcAttachmentCommand.ts +++ b/clients/client-ec2/src/commands/RejectTransitGatewayVpcAttachmentCommand.ts @@ -108,4 +108,16 @@ export class RejectTransitGatewayVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_RejectTransitGatewayVpcAttachmentCommand) .de(de_RejectTransitGatewayVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectTransitGatewayVpcAttachmentRequest; + output: RejectTransitGatewayVpcAttachmentResult; + }; + sdk: { + input: RejectTransitGatewayVpcAttachmentCommandInput; + output: RejectTransitGatewayVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RejectVpcEndpointConnectionsCommand.ts b/clients/client-ec2/src/commands/RejectVpcEndpointConnectionsCommand.ts index ebaf72540b82..0ea0bb21cbf2 100644 --- a/clients/client-ec2/src/commands/RejectVpcEndpointConnectionsCommand.ts +++ b/clients/client-ec2/src/commands/RejectVpcEndpointConnectionsCommand.ts @@ -91,4 +91,16 @@ export class RejectVpcEndpointConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_RejectVpcEndpointConnectionsCommand) .de(de_RejectVpcEndpointConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectVpcEndpointConnectionsRequest; + output: RejectVpcEndpointConnectionsResult; + }; + sdk: { + input: RejectVpcEndpointConnectionsCommandInput; + output: RejectVpcEndpointConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RejectVpcPeeringConnectionCommand.ts b/clients/client-ec2/src/commands/RejectVpcPeeringConnectionCommand.ts index 0902f2a732c6..5bf37d41cb5f 100644 --- a/clients/client-ec2/src/commands/RejectVpcPeeringConnectionCommand.ts +++ b/clients/client-ec2/src/commands/RejectVpcPeeringConnectionCommand.ts @@ -81,4 +81,16 @@ export class RejectVpcPeeringConnectionCommand extends $Command .f(void 0, void 0) .ser(se_RejectVpcPeeringConnectionCommand) .de(de_RejectVpcPeeringConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectVpcPeeringConnectionRequest; + output: RejectVpcPeeringConnectionResult; + }; + sdk: { + input: RejectVpcPeeringConnectionCommandInput; + output: RejectVpcPeeringConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReleaseAddressCommand.ts b/clients/client-ec2/src/commands/ReleaseAddressCommand.ts index e479e99dec74..0f9699a9d70a 100644 --- a/clients/client-ec2/src/commands/ReleaseAddressCommand.ts +++ b/clients/client-ec2/src/commands/ReleaseAddressCommand.ts @@ -100,4 +100,16 @@ export class ReleaseAddressCommand extends $Command .f(void 0, void 0) .ser(se_ReleaseAddressCommand) .de(de_ReleaseAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleaseAddressRequest; + output: {}; + }; + sdk: { + input: ReleaseAddressCommandInput; + output: ReleaseAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReleaseHostsCommand.ts b/clients/client-ec2/src/commands/ReleaseHostsCommand.ts index 64505a448821..1cdf28ea9429 100644 --- a/clients/client-ec2/src/commands/ReleaseHostsCommand.ts +++ b/clients/client-ec2/src/commands/ReleaseHostsCommand.ts @@ -98,4 +98,16 @@ export class ReleaseHostsCommand extends $Command .f(void 0, void 0) .ser(se_ReleaseHostsCommand) .de(de_ReleaseHostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleaseHostsRequest; + output: ReleaseHostsResult; + }; + sdk: { + input: ReleaseHostsCommandInput; + output: ReleaseHostsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReleaseIpamPoolAllocationCommand.ts b/clients/client-ec2/src/commands/ReleaseIpamPoolAllocationCommand.ts index c401c1779235..a1df7fb83db2 100644 --- a/clients/client-ec2/src/commands/ReleaseIpamPoolAllocationCommand.ts +++ b/clients/client-ec2/src/commands/ReleaseIpamPoolAllocationCommand.ts @@ -84,4 +84,16 @@ export class ReleaseIpamPoolAllocationCommand extends $Command .f(void 0, void 0) .ser(se_ReleaseIpamPoolAllocationCommand) .de(de_ReleaseIpamPoolAllocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleaseIpamPoolAllocationRequest; + output: ReleaseIpamPoolAllocationResult; + }; + sdk: { + input: ReleaseIpamPoolAllocationCommandInput; + output: ReleaseIpamPoolAllocationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReplaceIamInstanceProfileAssociationCommand.ts b/clients/client-ec2/src/commands/ReplaceIamInstanceProfileAssociationCommand.ts index db20ed5d706b..c5793136c762 100644 --- a/clients/client-ec2/src/commands/ReplaceIamInstanceProfileAssociationCommand.ts +++ b/clients/client-ec2/src/commands/ReplaceIamInstanceProfileAssociationCommand.ts @@ -102,4 +102,16 @@ export class ReplaceIamInstanceProfileAssociationCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceIamInstanceProfileAssociationCommand) .de(de_ReplaceIamInstanceProfileAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceIamInstanceProfileAssociationRequest; + output: ReplaceIamInstanceProfileAssociationResult; + }; + sdk: { + input: ReplaceIamInstanceProfileAssociationCommandInput; + output: ReplaceIamInstanceProfileAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReplaceNetworkAclAssociationCommand.ts b/clients/client-ec2/src/commands/ReplaceNetworkAclAssociationCommand.ts index 9c54ce08c798..cd852cc3b2e8 100644 --- a/clients/client-ec2/src/commands/ReplaceNetworkAclAssociationCommand.ts +++ b/clients/client-ec2/src/commands/ReplaceNetworkAclAssociationCommand.ts @@ -101,4 +101,16 @@ export class ReplaceNetworkAclAssociationCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceNetworkAclAssociationCommand) .de(de_ReplaceNetworkAclAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceNetworkAclAssociationRequest; + output: ReplaceNetworkAclAssociationResult; + }; + sdk: { + input: ReplaceNetworkAclAssociationCommandInput; + output: ReplaceNetworkAclAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReplaceNetworkAclEntryCommand.ts b/clients/client-ec2/src/commands/ReplaceNetworkAclEntryCommand.ts index 08e465b2aa48..f023640b3098 100644 --- a/clients/client-ec2/src/commands/ReplaceNetworkAclEntryCommand.ts +++ b/clients/client-ec2/src/commands/ReplaceNetworkAclEntryCommand.ts @@ -111,4 +111,16 @@ export class ReplaceNetworkAclEntryCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceNetworkAclEntryCommand) .de(de_ReplaceNetworkAclEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceNetworkAclEntryRequest; + output: {}; + }; + sdk: { + input: ReplaceNetworkAclEntryCommandInput; + output: ReplaceNetworkAclEntryCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReplaceRouteCommand.ts b/clients/client-ec2/src/commands/ReplaceRouteCommand.ts index a450e7306667..e091b16addc0 100644 --- a/clients/client-ec2/src/commands/ReplaceRouteCommand.ts +++ b/clients/client-ec2/src/commands/ReplaceRouteCommand.ts @@ -109,4 +109,16 @@ export class ReplaceRouteCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceRouteCommand) .de(de_ReplaceRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceRouteRequest; + output: {}; + }; + sdk: { + input: ReplaceRouteCommandInput; + output: ReplaceRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReplaceRouteTableAssociationCommand.ts b/clients/client-ec2/src/commands/ReplaceRouteTableAssociationCommand.ts index 8449f7bba818..a40a00c9e50a 100644 --- a/clients/client-ec2/src/commands/ReplaceRouteTableAssociationCommand.ts +++ b/clients/client-ec2/src/commands/ReplaceRouteTableAssociationCommand.ts @@ -106,4 +106,16 @@ export class ReplaceRouteTableAssociationCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceRouteTableAssociationCommand) .de(de_ReplaceRouteTableAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceRouteTableAssociationRequest; + output: ReplaceRouteTableAssociationResult; + }; + sdk: { + input: ReplaceRouteTableAssociationCommandInput; + output: ReplaceRouteTableAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReplaceTransitGatewayRouteCommand.ts b/clients/client-ec2/src/commands/ReplaceTransitGatewayRouteCommand.ts index 662b36f171b2..3e3499292f67 100644 --- a/clients/client-ec2/src/commands/ReplaceTransitGatewayRouteCommand.ts +++ b/clients/client-ec2/src/commands/ReplaceTransitGatewayRouteCommand.ts @@ -94,4 +94,16 @@ export class ReplaceTransitGatewayRouteCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceTransitGatewayRouteCommand) .de(de_ReplaceTransitGatewayRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceTransitGatewayRouteRequest; + output: ReplaceTransitGatewayRouteResult; + }; + sdk: { + input: ReplaceTransitGatewayRouteCommandInput; + output: ReplaceTransitGatewayRouteCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReplaceVpnTunnelCommand.ts b/clients/client-ec2/src/commands/ReplaceVpnTunnelCommand.ts index c1febb10a41c..1c5a4f2afb85 100644 --- a/clients/client-ec2/src/commands/ReplaceVpnTunnelCommand.ts +++ b/clients/client-ec2/src/commands/ReplaceVpnTunnelCommand.ts @@ -80,4 +80,16 @@ export class ReplaceVpnTunnelCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceVpnTunnelCommand) .de(de_ReplaceVpnTunnelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceVpnTunnelRequest; + output: ReplaceVpnTunnelResult; + }; + sdk: { + input: ReplaceVpnTunnelCommandInput; + output: ReplaceVpnTunnelCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ReportInstanceStatusCommand.ts b/clients/client-ec2/src/commands/ReportInstanceStatusCommand.ts index b341eae7f34e..644658543b88 100644 --- a/clients/client-ec2/src/commands/ReportInstanceStatusCommand.ts +++ b/clients/client-ec2/src/commands/ReportInstanceStatusCommand.ts @@ -89,4 +89,16 @@ export class ReportInstanceStatusCommand extends $Command .f(void 0, void 0) .ser(se_ReportInstanceStatusCommand) .de(de_ReportInstanceStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReportInstanceStatusRequest; + output: {}; + }; + sdk: { + input: ReportInstanceStatusCommandInput; + output: ReportInstanceStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RequestSpotFleetCommand.ts b/clients/client-ec2/src/commands/RequestSpotFleetCommand.ts index e4571421c071..c14827f06bb7 100644 --- a/clients/client-ec2/src/commands/RequestSpotFleetCommand.ts +++ b/clients/client-ec2/src/commands/RequestSpotFleetCommand.ts @@ -589,4 +589,16 @@ export class RequestSpotFleetCommand extends $Command .f(RequestSpotFleetRequestFilterSensitiveLog, void 0) .ser(se_RequestSpotFleetCommand) .de(de_RequestSpotFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestSpotFleetRequest; + output: RequestSpotFleetResponse; + }; + sdk: { + input: RequestSpotFleetCommandInput; + output: RequestSpotFleetCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RequestSpotInstancesCommand.ts b/clients/client-ec2/src/commands/RequestSpotInstancesCommand.ts index 3676d279e85b..be8b907bc440 100644 --- a/clients/client-ec2/src/commands/RequestSpotInstancesCommand.ts +++ b/clients/client-ec2/src/commands/RequestSpotInstancesCommand.ts @@ -400,4 +400,16 @@ export class RequestSpotInstancesCommand extends $Command .f(RequestSpotInstancesRequestFilterSensitiveLog, RequestSpotInstancesResultFilterSensitiveLog) .ser(se_RequestSpotInstancesCommand) .de(de_RequestSpotInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestSpotInstancesRequest; + output: RequestSpotInstancesResult; + }; + sdk: { + input: RequestSpotInstancesCommandInput; + output: RequestSpotInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ResetAddressAttributeCommand.ts b/clients/client-ec2/src/commands/ResetAddressAttributeCommand.ts index 5de7bc7f4d48..d930065f0473 100644 --- a/clients/client-ec2/src/commands/ResetAddressAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ResetAddressAttributeCommand.ts @@ -88,4 +88,16 @@ export class ResetAddressAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ResetAddressAttributeCommand) .de(de_ResetAddressAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetAddressAttributeRequest; + output: ResetAddressAttributeResult; + }; + sdk: { + input: ResetAddressAttributeCommandInput; + output: ResetAddressAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ResetEbsDefaultKmsKeyIdCommand.ts b/clients/client-ec2/src/commands/ResetEbsDefaultKmsKeyIdCommand.ts index 96ceb7b7d511..049448708e95 100644 --- a/clients/client-ec2/src/commands/ResetEbsDefaultKmsKeyIdCommand.ts +++ b/clients/client-ec2/src/commands/ResetEbsDefaultKmsKeyIdCommand.ts @@ -82,4 +82,16 @@ export class ResetEbsDefaultKmsKeyIdCommand extends $Command .f(void 0, void 0) .ser(se_ResetEbsDefaultKmsKeyIdCommand) .de(de_ResetEbsDefaultKmsKeyIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetEbsDefaultKmsKeyIdRequest; + output: ResetEbsDefaultKmsKeyIdResult; + }; + sdk: { + input: ResetEbsDefaultKmsKeyIdCommandInput; + output: ResetEbsDefaultKmsKeyIdCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ResetFpgaImageAttributeCommand.ts b/clients/client-ec2/src/commands/ResetFpgaImageAttributeCommand.ts index e6c1e8a8aab6..547b254dab07 100644 --- a/clients/client-ec2/src/commands/ResetFpgaImageAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ResetFpgaImageAttributeCommand.ts @@ -80,4 +80,16 @@ export class ResetFpgaImageAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ResetFpgaImageAttributeCommand) .de(de_ResetFpgaImageAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetFpgaImageAttributeRequest; + output: ResetFpgaImageAttributeResult; + }; + sdk: { + input: ResetFpgaImageAttributeCommandInput; + output: ResetFpgaImageAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ResetImageAttributeCommand.ts b/clients/client-ec2/src/commands/ResetImageAttributeCommand.ts index 18e38132479b..67c77cb3f242 100644 --- a/clients/client-ec2/src/commands/ResetImageAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ResetImageAttributeCommand.ts @@ -89,4 +89,16 @@ export class ResetImageAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ResetImageAttributeCommand) .de(de_ResetImageAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetImageAttributeRequest; + output: {}; + }; + sdk: { + input: ResetImageAttributeCommandInput; + output: ResetImageAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ResetInstanceAttributeCommand.ts b/clients/client-ec2/src/commands/ResetInstanceAttributeCommand.ts index 98d361f6997c..b1d112c38455 100644 --- a/clients/client-ec2/src/commands/ResetInstanceAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ResetInstanceAttributeCommand.ts @@ -97,4 +97,16 @@ export class ResetInstanceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ResetInstanceAttributeCommand) .de(de_ResetInstanceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetInstanceAttributeRequest; + output: {}; + }; + sdk: { + input: ResetInstanceAttributeCommandInput; + output: ResetInstanceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ResetNetworkInterfaceAttributeCommand.ts b/clients/client-ec2/src/commands/ResetNetworkInterfaceAttributeCommand.ts index fceb878b2d78..c6e5f4def061 100644 --- a/clients/client-ec2/src/commands/ResetNetworkInterfaceAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ResetNetworkInterfaceAttributeCommand.ts @@ -80,4 +80,16 @@ export class ResetNetworkInterfaceAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ResetNetworkInterfaceAttributeCommand) .de(de_ResetNetworkInterfaceAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetNetworkInterfaceAttributeRequest; + output: {}; + }; + sdk: { + input: ResetNetworkInterfaceAttributeCommandInput; + output: ResetNetworkInterfaceAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/ResetSnapshotAttributeCommand.ts b/clients/client-ec2/src/commands/ResetSnapshotAttributeCommand.ts index 07aa4e981aa8..900d8cb6497c 100644 --- a/clients/client-ec2/src/commands/ResetSnapshotAttributeCommand.ts +++ b/clients/client-ec2/src/commands/ResetSnapshotAttributeCommand.ts @@ -91,4 +91,16 @@ export class ResetSnapshotAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ResetSnapshotAttributeCommand) .de(de_ResetSnapshotAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetSnapshotAttributeRequest; + output: {}; + }; + sdk: { + input: ResetSnapshotAttributeCommandInput; + output: ResetSnapshotAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RestoreAddressToClassicCommand.ts b/clients/client-ec2/src/commands/RestoreAddressToClassicCommand.ts index ef897f712e91..e37e28e5f0b6 100644 --- a/clients/client-ec2/src/commands/RestoreAddressToClassicCommand.ts +++ b/clients/client-ec2/src/commands/RestoreAddressToClassicCommand.ts @@ -82,4 +82,16 @@ export class RestoreAddressToClassicCommand extends $Command .f(void 0, void 0) .ser(se_RestoreAddressToClassicCommand) .de(de_RestoreAddressToClassicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreAddressToClassicRequest; + output: RestoreAddressToClassicResult; + }; + sdk: { + input: RestoreAddressToClassicCommandInput; + output: RestoreAddressToClassicCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RestoreImageFromRecycleBinCommand.ts b/clients/client-ec2/src/commands/RestoreImageFromRecycleBinCommand.ts index cb08903a7e43..77bc240388e4 100644 --- a/clients/client-ec2/src/commands/RestoreImageFromRecycleBinCommand.ts +++ b/clients/client-ec2/src/commands/RestoreImageFromRecycleBinCommand.ts @@ -78,4 +78,16 @@ export class RestoreImageFromRecycleBinCommand extends $Command .f(void 0, void 0) .ser(se_RestoreImageFromRecycleBinCommand) .de(de_RestoreImageFromRecycleBinCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreImageFromRecycleBinRequest; + output: RestoreImageFromRecycleBinResult; + }; + sdk: { + input: RestoreImageFromRecycleBinCommandInput; + output: RestoreImageFromRecycleBinCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RestoreManagedPrefixListVersionCommand.ts b/clients/client-ec2/src/commands/RestoreManagedPrefixListVersionCommand.ts index ef07049bf4eb..900cb4170c8c 100644 --- a/clients/client-ec2/src/commands/RestoreManagedPrefixListVersionCommand.ts +++ b/clients/client-ec2/src/commands/RestoreManagedPrefixListVersionCommand.ts @@ -101,4 +101,16 @@ export class RestoreManagedPrefixListVersionCommand extends $Command .f(void 0, void 0) .ser(se_RestoreManagedPrefixListVersionCommand) .de(de_RestoreManagedPrefixListVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreManagedPrefixListVersionRequest; + output: RestoreManagedPrefixListVersionResult; + }; + sdk: { + input: RestoreManagedPrefixListVersionCommandInput; + output: RestoreManagedPrefixListVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RestoreSnapshotFromRecycleBinCommand.ts b/clients/client-ec2/src/commands/RestoreSnapshotFromRecycleBinCommand.ts index ea96428767ef..9fa65bb7f4ab 100644 --- a/clients/client-ec2/src/commands/RestoreSnapshotFromRecycleBinCommand.ts +++ b/clients/client-ec2/src/commands/RestoreSnapshotFromRecycleBinCommand.ts @@ -91,4 +91,16 @@ export class RestoreSnapshotFromRecycleBinCommand extends $Command .f(void 0, void 0) .ser(se_RestoreSnapshotFromRecycleBinCommand) .de(de_RestoreSnapshotFromRecycleBinCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreSnapshotFromRecycleBinRequest; + output: RestoreSnapshotFromRecycleBinResult; + }; + sdk: { + input: RestoreSnapshotFromRecycleBinCommandInput; + output: RestoreSnapshotFromRecycleBinCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RestoreSnapshotTierCommand.ts b/clients/client-ec2/src/commands/RestoreSnapshotTierCommand.ts index 25ef73d0940c..550e58970705 100644 --- a/clients/client-ec2/src/commands/RestoreSnapshotTierCommand.ts +++ b/clients/client-ec2/src/commands/RestoreSnapshotTierCommand.ts @@ -87,4 +87,16 @@ export class RestoreSnapshotTierCommand extends $Command .f(void 0, void 0) .ser(se_RestoreSnapshotTierCommand) .de(de_RestoreSnapshotTierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreSnapshotTierRequest; + output: RestoreSnapshotTierResult; + }; + sdk: { + input: RestoreSnapshotTierCommandInput; + output: RestoreSnapshotTierCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RevokeClientVpnIngressCommand.ts b/clients/client-ec2/src/commands/RevokeClientVpnIngressCommand.ts index 6013a472ff27..3039305ddc07 100644 --- a/clients/client-ec2/src/commands/RevokeClientVpnIngressCommand.ts +++ b/clients/client-ec2/src/commands/RevokeClientVpnIngressCommand.ts @@ -84,4 +84,16 @@ export class RevokeClientVpnIngressCommand extends $Command .f(void 0, void 0) .ser(se_RevokeClientVpnIngressCommand) .de(de_RevokeClientVpnIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeClientVpnIngressRequest; + output: RevokeClientVpnIngressResult; + }; + sdk: { + input: RevokeClientVpnIngressCommandInput; + output: RevokeClientVpnIngressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RevokeSecurityGroupEgressCommand.ts b/clients/client-ec2/src/commands/RevokeSecurityGroupEgressCommand.ts index 9650bd7aa98b..aef3ae40ca92 100644 --- a/clients/client-ec2/src/commands/RevokeSecurityGroupEgressCommand.ts +++ b/clients/client-ec2/src/commands/RevokeSecurityGroupEgressCommand.ts @@ -171,4 +171,16 @@ export class RevokeSecurityGroupEgressCommand extends $Command .f(void 0, void 0) .ser(se_RevokeSecurityGroupEgressCommand) .de(de_RevokeSecurityGroupEgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeSecurityGroupEgressRequest; + output: RevokeSecurityGroupEgressResult; + }; + sdk: { + input: RevokeSecurityGroupEgressCommandInput; + output: RevokeSecurityGroupEgressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RevokeSecurityGroupIngressCommand.ts b/clients/client-ec2/src/commands/RevokeSecurityGroupIngressCommand.ts index 6cbab9916287..2a99691c7f44 100644 --- a/clients/client-ec2/src/commands/RevokeSecurityGroupIngressCommand.ts +++ b/clients/client-ec2/src/commands/RevokeSecurityGroupIngressCommand.ts @@ -176,4 +176,16 @@ export class RevokeSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_RevokeSecurityGroupIngressCommand) .de(de_RevokeSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeSecurityGroupIngressRequest; + output: RevokeSecurityGroupIngressResult; + }; + sdk: { + input: RevokeSecurityGroupIngressCommandInput; + output: RevokeSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RunInstancesCommand.ts b/clients/client-ec2/src/commands/RunInstancesCommand.ts index 02a200187ed1..55c01fbb8641 100644 --- a/clients/client-ec2/src/commands/RunInstancesCommand.ts +++ b/clients/client-ec2/src/commands/RunInstancesCommand.ts @@ -598,4 +598,16 @@ export class RunInstancesCommand extends $Command .f(RunInstancesRequestFilterSensitiveLog, void 0) .ser(se_RunInstancesCommand) .de(de_RunInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RunInstancesRequest; + output: Reservation; + }; + sdk: { + input: RunInstancesCommandInput; + output: RunInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/RunScheduledInstancesCommand.ts b/clients/client-ec2/src/commands/RunScheduledInstancesCommand.ts index c03e813366dd..a623ceeaaf0d 100644 --- a/clients/client-ec2/src/commands/RunScheduledInstancesCommand.ts +++ b/clients/client-ec2/src/commands/RunScheduledInstancesCommand.ts @@ -157,4 +157,16 @@ export class RunScheduledInstancesCommand extends $Command .f(RunScheduledInstancesRequestFilterSensitiveLog, void 0) .ser(se_RunScheduledInstancesCommand) .de(de_RunScheduledInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RunScheduledInstancesRequest; + output: RunScheduledInstancesResult; + }; + sdk: { + input: RunScheduledInstancesCommandInput; + output: RunScheduledInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/SearchLocalGatewayRoutesCommand.ts b/clients/client-ec2/src/commands/SearchLocalGatewayRoutesCommand.ts index d7afcbeacb6d..10126135e21a 100644 --- a/clients/client-ec2/src/commands/SearchLocalGatewayRoutesCommand.ts +++ b/clients/client-ec2/src/commands/SearchLocalGatewayRoutesCommand.ts @@ -103,4 +103,16 @@ export class SearchLocalGatewayRoutesCommand extends $Command .f(void 0, void 0) .ser(se_SearchLocalGatewayRoutesCommand) .de(de_SearchLocalGatewayRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchLocalGatewayRoutesRequest; + output: SearchLocalGatewayRoutesResult; + }; + sdk: { + input: SearchLocalGatewayRoutesCommandInput; + output: SearchLocalGatewayRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/SearchTransitGatewayMulticastGroupsCommand.ts b/clients/client-ec2/src/commands/SearchTransitGatewayMulticastGroupsCommand.ts index 80023d7be94b..50d223a621c4 100644 --- a/clients/client-ec2/src/commands/SearchTransitGatewayMulticastGroupsCommand.ts +++ b/clients/client-ec2/src/commands/SearchTransitGatewayMulticastGroupsCommand.ts @@ -111,4 +111,16 @@ export class SearchTransitGatewayMulticastGroupsCommand extends $Command .f(void 0, void 0) .ser(se_SearchTransitGatewayMulticastGroupsCommand) .de(de_SearchTransitGatewayMulticastGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchTransitGatewayMulticastGroupsRequest; + output: SearchTransitGatewayMulticastGroupsResult; + }; + sdk: { + input: SearchTransitGatewayMulticastGroupsCommandInput; + output: SearchTransitGatewayMulticastGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/SearchTransitGatewayRoutesCommand.ts b/clients/client-ec2/src/commands/SearchTransitGatewayRoutesCommand.ts index 4c643d065233..109f63567bd9 100644 --- a/clients/client-ec2/src/commands/SearchTransitGatewayRoutesCommand.ts +++ b/clients/client-ec2/src/commands/SearchTransitGatewayRoutesCommand.ts @@ -103,4 +103,16 @@ export class SearchTransitGatewayRoutesCommand extends $Command .f(void 0, void 0) .ser(se_SearchTransitGatewayRoutesCommand) .de(de_SearchTransitGatewayRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchTransitGatewayRoutesRequest; + output: SearchTransitGatewayRoutesResult; + }; + sdk: { + input: SearchTransitGatewayRoutesCommandInput; + output: SearchTransitGatewayRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/SendDiagnosticInterruptCommand.ts b/clients/client-ec2/src/commands/SendDiagnosticInterruptCommand.ts index 70ea02317af1..b005ee67ef5c 100644 --- a/clients/client-ec2/src/commands/SendDiagnosticInterruptCommand.ts +++ b/clients/client-ec2/src/commands/SendDiagnosticInterruptCommand.ts @@ -89,4 +89,16 @@ export class SendDiagnosticInterruptCommand extends $Command .f(void 0, void 0) .ser(se_SendDiagnosticInterruptCommand) .de(de_SendDiagnosticInterruptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendDiagnosticInterruptRequest; + output: {}; + }; + sdk: { + input: SendDiagnosticInterruptCommandInput; + output: SendDiagnosticInterruptCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/StartInstancesCommand.ts b/clients/client-ec2/src/commands/StartInstancesCommand.ts index 1c6cb84c4e08..b9d72ab9ef5a 100644 --- a/clients/client-ec2/src/commands/StartInstancesCommand.ts +++ b/clients/client-ec2/src/commands/StartInstancesCommand.ts @@ -141,4 +141,16 @@ export class StartInstancesCommand extends $Command .f(void 0, void 0) .ser(se_StartInstancesCommand) .de(de_StartInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInstancesRequest; + output: StartInstancesResult; + }; + sdk: { + input: StartInstancesCommandInput; + output: StartInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/StartNetworkInsightsAccessScopeAnalysisCommand.ts b/clients/client-ec2/src/commands/StartNetworkInsightsAccessScopeAnalysisCommand.ts index d7f95409a39b..e6df71640678 100644 --- a/clients/client-ec2/src/commands/StartNetworkInsightsAccessScopeAnalysisCommand.ts +++ b/clients/client-ec2/src/commands/StartNetworkInsightsAccessScopeAnalysisCommand.ts @@ -116,4 +116,16 @@ export class StartNetworkInsightsAccessScopeAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_StartNetworkInsightsAccessScopeAnalysisCommand) .de(de_StartNetworkInsightsAccessScopeAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartNetworkInsightsAccessScopeAnalysisRequest; + output: StartNetworkInsightsAccessScopeAnalysisResult; + }; + sdk: { + input: StartNetworkInsightsAccessScopeAnalysisCommandInput; + output: StartNetworkInsightsAccessScopeAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/StartNetworkInsightsAnalysisCommand.ts b/clients/client-ec2/src/commands/StartNetworkInsightsAnalysisCommand.ts index 33d298af37f2..8f1b8ce35d6d 100644 --- a/clients/client-ec2/src/commands/StartNetworkInsightsAnalysisCommand.ts +++ b/clients/client-ec2/src/commands/StartNetworkInsightsAnalysisCommand.ts @@ -812,4 +812,16 @@ export class StartNetworkInsightsAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_StartNetworkInsightsAnalysisCommand) .de(de_StartNetworkInsightsAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartNetworkInsightsAnalysisRequest; + output: StartNetworkInsightsAnalysisResult; + }; + sdk: { + input: StartNetworkInsightsAnalysisCommandInput; + output: StartNetworkInsightsAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/StartVpcEndpointServicePrivateDnsVerificationCommand.ts b/clients/client-ec2/src/commands/StartVpcEndpointServicePrivateDnsVerificationCommand.ts index bcb2ec341183..c74ad3176aa3 100644 --- a/clients/client-ec2/src/commands/StartVpcEndpointServicePrivateDnsVerificationCommand.ts +++ b/clients/client-ec2/src/commands/StartVpcEndpointServicePrivateDnsVerificationCommand.ts @@ -90,4 +90,16 @@ export class StartVpcEndpointServicePrivateDnsVerificationCommand extends $Comma .f(void 0, void 0) .ser(se_StartVpcEndpointServicePrivateDnsVerificationCommand) .de(de_StartVpcEndpointServicePrivateDnsVerificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartVpcEndpointServicePrivateDnsVerificationRequest; + output: StartVpcEndpointServicePrivateDnsVerificationResult; + }; + sdk: { + input: StartVpcEndpointServicePrivateDnsVerificationCommandInput; + output: StartVpcEndpointServicePrivateDnsVerificationCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/StopInstancesCommand.ts b/clients/client-ec2/src/commands/StopInstancesCommand.ts index e71229cf0f07..f6eb77d36920 100644 --- a/clients/client-ec2/src/commands/StopInstancesCommand.ts +++ b/clients/client-ec2/src/commands/StopInstancesCommand.ts @@ -155,4 +155,16 @@ export class StopInstancesCommand extends $Command .f(void 0, void 0) .ser(se_StopInstancesCommand) .de(de_StopInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopInstancesRequest; + output: StopInstancesResult; + }; + sdk: { + input: StopInstancesCommandInput; + output: StopInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/TerminateClientVpnConnectionsCommand.ts b/clients/client-ec2/src/commands/TerminateClientVpnConnectionsCommand.ts index 4ad476a39c19..5caed933e406 100644 --- a/clients/client-ec2/src/commands/TerminateClientVpnConnectionsCommand.ts +++ b/clients/client-ec2/src/commands/TerminateClientVpnConnectionsCommand.ts @@ -96,4 +96,16 @@ export class TerminateClientVpnConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_TerminateClientVpnConnectionsCommand) .de(de_TerminateClientVpnConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateClientVpnConnectionsRequest; + output: TerminateClientVpnConnectionsResult; + }; + sdk: { + input: TerminateClientVpnConnectionsCommandInput; + output: TerminateClientVpnConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/TerminateInstancesCommand.ts b/clients/client-ec2/src/commands/TerminateInstancesCommand.ts index 8f2e23eade14..ac9a8e205550 100644 --- a/clients/client-ec2/src/commands/TerminateInstancesCommand.ts +++ b/clients/client-ec2/src/commands/TerminateInstancesCommand.ts @@ -181,4 +181,16 @@ export class TerminateInstancesCommand extends $Command .f(void 0, void 0) .ser(se_TerminateInstancesCommand) .de(de_TerminateInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateInstancesRequest; + output: TerminateInstancesResult; + }; + sdk: { + input: TerminateInstancesCommandInput; + output: TerminateInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/UnassignIpv6AddressesCommand.ts b/clients/client-ec2/src/commands/UnassignIpv6AddressesCommand.ts index a0c0787a4f0b..30063406db38 100644 --- a/clients/client-ec2/src/commands/UnassignIpv6AddressesCommand.ts +++ b/clients/client-ec2/src/commands/UnassignIpv6AddressesCommand.ts @@ -89,4 +89,16 @@ export class UnassignIpv6AddressesCommand extends $Command .f(void 0, void 0) .ser(se_UnassignIpv6AddressesCommand) .de(de_UnassignIpv6AddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnassignIpv6AddressesRequest; + output: UnassignIpv6AddressesResult; + }; + sdk: { + input: UnassignIpv6AddressesCommandInput; + output: UnassignIpv6AddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/UnassignPrivateIpAddressesCommand.ts b/clients/client-ec2/src/commands/UnassignPrivateIpAddressesCommand.ts index cd15ec673594..5c07c086dd4e 100644 --- a/clients/client-ec2/src/commands/UnassignPrivateIpAddressesCommand.ts +++ b/clients/client-ec2/src/commands/UnassignPrivateIpAddressesCommand.ts @@ -96,4 +96,16 @@ export class UnassignPrivateIpAddressesCommand extends $Command .f(void 0, void 0) .ser(se_UnassignPrivateIpAddressesCommand) .de(de_UnassignPrivateIpAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnassignPrivateIpAddressesRequest; + output: {}; + }; + sdk: { + input: UnassignPrivateIpAddressesCommandInput; + output: UnassignPrivateIpAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/UnassignPrivateNatGatewayAddressCommand.ts b/clients/client-ec2/src/commands/UnassignPrivateNatGatewayAddressCommand.ts index d9970437a738..f04c070ad34e 100644 --- a/clients/client-ec2/src/commands/UnassignPrivateNatGatewayAddressCommand.ts +++ b/clients/client-ec2/src/commands/UnassignPrivateNatGatewayAddressCommand.ts @@ -107,4 +107,16 @@ export class UnassignPrivateNatGatewayAddressCommand extends $Command .f(void 0, void 0) .ser(se_UnassignPrivateNatGatewayAddressCommand) .de(de_UnassignPrivateNatGatewayAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnassignPrivateNatGatewayAddressRequest; + output: UnassignPrivateNatGatewayAddressResult; + }; + sdk: { + input: UnassignPrivateNatGatewayAddressCommandInput; + output: UnassignPrivateNatGatewayAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/UnlockSnapshotCommand.ts b/clients/client-ec2/src/commands/UnlockSnapshotCommand.ts index ec86698f5dc1..7217fc4a69e5 100644 --- a/clients/client-ec2/src/commands/UnlockSnapshotCommand.ts +++ b/clients/client-ec2/src/commands/UnlockSnapshotCommand.ts @@ -80,4 +80,16 @@ export class UnlockSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_UnlockSnapshotCommand) .de(de_UnlockSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnlockSnapshotRequest; + output: UnlockSnapshotResult; + }; + sdk: { + input: UnlockSnapshotCommandInput; + output: UnlockSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/UnmonitorInstancesCommand.ts b/clients/client-ec2/src/commands/UnmonitorInstancesCommand.ts index e60cf1aab5da..f9ab896ae685 100644 --- a/clients/client-ec2/src/commands/UnmonitorInstancesCommand.ts +++ b/clients/client-ec2/src/commands/UnmonitorInstancesCommand.ts @@ -89,4 +89,16 @@ export class UnmonitorInstancesCommand extends $Command .f(void 0, void 0) .ser(se_UnmonitorInstancesCommand) .de(de_UnmonitorInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnmonitorInstancesRequest; + output: UnmonitorInstancesResult; + }; + sdk: { + input: UnmonitorInstancesCommandInput; + output: UnmonitorInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsEgressCommand.ts b/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsEgressCommand.ts index af6a2444a6c8..dd4b5112769c 100644 --- a/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsEgressCommand.ts +++ b/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsEgressCommand.ts @@ -157,4 +157,16 @@ export class UpdateSecurityGroupRuleDescriptionsEgressCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityGroupRuleDescriptionsEgressCommand) .de(de_UpdateSecurityGroupRuleDescriptionsEgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityGroupRuleDescriptionsEgressRequest; + output: UpdateSecurityGroupRuleDescriptionsEgressResult; + }; + sdk: { + input: UpdateSecurityGroupRuleDescriptionsEgressCommandInput; + output: UpdateSecurityGroupRuleDescriptionsEgressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsIngressCommand.ts b/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsIngressCommand.ts index b5d2d578e179..81928f1db2cc 100644 --- a/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsIngressCommand.ts +++ b/clients/client-ec2/src/commands/UpdateSecurityGroupRuleDescriptionsIngressCommand.ts @@ -157,4 +157,16 @@ export class UpdateSecurityGroupRuleDescriptionsIngressCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityGroupRuleDescriptionsIngressCommand) .de(de_UpdateSecurityGroupRuleDescriptionsIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityGroupRuleDescriptionsIngressRequest; + output: UpdateSecurityGroupRuleDescriptionsIngressResult; + }; + sdk: { + input: UpdateSecurityGroupRuleDescriptionsIngressCommandInput; + output: UpdateSecurityGroupRuleDescriptionsIngressCommandOutput; + }; + }; +} diff --git a/clients/client-ec2/src/commands/WithdrawByoipCidrCommand.ts b/clients/client-ec2/src/commands/WithdrawByoipCidrCommand.ts index 0cfd53bf8a5f..f4927a456c37 100644 --- a/clients/client-ec2/src/commands/WithdrawByoipCidrCommand.ts +++ b/clients/client-ec2/src/commands/WithdrawByoipCidrCommand.ts @@ -96,4 +96,16 @@ export class WithdrawByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_WithdrawByoipCidrCommand) .de(de_WithdrawByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: WithdrawByoipCidrRequest; + output: WithdrawByoipCidrResult; + }; + sdk: { + input: WithdrawByoipCidrCommandInput; + output: WithdrawByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/package.json b/clients/client-ecr-public/package.json index 6c5bbd94087d..d4a78601f11f 100644 --- a/clients/client-ecr-public/package.json +++ b/clients/client-ecr-public/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-ecr-public/src/commands/BatchCheckLayerAvailabilityCommand.ts b/clients/client-ecr-public/src/commands/BatchCheckLayerAvailabilityCommand.ts index 40fcb60fd586..cfa68cad3f3f 100644 --- a/clients/client-ecr-public/src/commands/BatchCheckLayerAvailabilityCommand.ts +++ b/clients/client-ecr-public/src/commands/BatchCheckLayerAvailabilityCommand.ts @@ -120,4 +120,16 @@ export class BatchCheckLayerAvailabilityCommand extends $Command .f(void 0, void 0) .ser(se_BatchCheckLayerAvailabilityCommand) .de(de_BatchCheckLayerAvailabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCheckLayerAvailabilityRequest; + output: BatchCheckLayerAvailabilityResponse; + }; + sdk: { + input: BatchCheckLayerAvailabilityCommandInput; + output: BatchCheckLayerAvailabilityCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/BatchDeleteImageCommand.ts b/clients/client-ecr-public/src/commands/BatchDeleteImageCommand.ts index 7d4060524d4a..f2cd239c6820 100644 --- a/clients/client-ecr-public/src/commands/BatchDeleteImageCommand.ts +++ b/clients/client-ecr-public/src/commands/BatchDeleteImageCommand.ts @@ -119,4 +119,16 @@ export class BatchDeleteImageCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteImageCommand) .de(de_BatchDeleteImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteImageRequest; + output: BatchDeleteImageResponse; + }; + sdk: { + input: BatchDeleteImageCommandInput; + output: BatchDeleteImageCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/CompleteLayerUploadCommand.ts b/clients/client-ecr-public/src/commands/CompleteLayerUploadCommand.ts index 9775f2223c00..a470febbc8eb 100644 --- a/clients/client-ecr-public/src/commands/CompleteLayerUploadCommand.ts +++ b/clients/client-ecr-public/src/commands/CompleteLayerUploadCommand.ts @@ -126,4 +126,16 @@ export class CompleteLayerUploadCommand extends $Command .f(void 0, void 0) .ser(se_CompleteLayerUploadCommand) .de(de_CompleteLayerUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteLayerUploadRequest; + output: CompleteLayerUploadResponse; + }; + sdk: { + input: CompleteLayerUploadCommandInput; + output: CompleteLayerUploadCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/CreateRepositoryCommand.ts b/clients/client-ecr-public/src/commands/CreateRepositoryCommand.ts index b5a0a2f8086f..dc7654e2ac1a 100644 --- a/clients/client-ecr-public/src/commands/CreateRepositoryCommand.ts +++ b/clients/client-ecr-public/src/commands/CreateRepositoryCommand.ts @@ -140,4 +140,16 @@ export class CreateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryCommand) .de(de_CreateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryRequest; + output: CreateRepositoryResponse; + }; + sdk: { + input: CreateRepositoryCommandInput; + output: CreateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/DeleteRepositoryCommand.ts b/clients/client-ecr-public/src/commands/DeleteRepositoryCommand.ts index f89b255b65b5..7e258eb627c1 100644 --- a/clients/client-ecr-public/src/commands/DeleteRepositoryCommand.ts +++ b/clients/client-ecr-public/src/commands/DeleteRepositoryCommand.ts @@ -105,4 +105,16 @@ export class DeleteRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryCommand) .de(de_DeleteRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryRequest; + output: DeleteRepositoryResponse; + }; + sdk: { + input: DeleteRepositoryCommandInput; + output: DeleteRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/DeleteRepositoryPolicyCommand.ts b/clients/client-ecr-public/src/commands/DeleteRepositoryPolicyCommand.ts index b743372e6324..f1a81be2e3e7 100644 --- a/clients/client-ecr-public/src/commands/DeleteRepositoryPolicyCommand.ts +++ b/clients/client-ecr-public/src/commands/DeleteRepositoryPolicyCommand.ts @@ -98,4 +98,16 @@ export class DeleteRepositoryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryPolicyCommand) .de(de_DeleteRepositoryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryPolicyRequest; + output: DeleteRepositoryPolicyResponse; + }; + sdk: { + input: DeleteRepositoryPolicyCommandInput; + output: DeleteRepositoryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/DescribeImageTagsCommand.ts b/clients/client-ecr-public/src/commands/DescribeImageTagsCommand.ts index be8694215245..562547ff10b5 100644 --- a/clients/client-ecr-public/src/commands/DescribeImageTagsCommand.ts +++ b/clients/client-ecr-public/src/commands/DescribeImageTagsCommand.ts @@ -107,4 +107,16 @@ export class DescribeImageTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageTagsCommand) .de(de_DescribeImageTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageTagsRequest; + output: DescribeImageTagsResponse; + }; + sdk: { + input: DescribeImageTagsCommandInput; + output: DescribeImageTagsCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/DescribeImagesCommand.ts b/clients/client-ecr-public/src/commands/DescribeImagesCommand.ts index 793cda923504..e84dfbad0eb8 100644 --- a/clients/client-ecr-public/src/commands/DescribeImagesCommand.ts +++ b/clients/client-ecr-public/src/commands/DescribeImagesCommand.ts @@ -124,4 +124,16 @@ export class DescribeImagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImagesCommand) .de(de_DescribeImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImagesRequest; + output: DescribeImagesResponse; + }; + sdk: { + input: DescribeImagesCommandInput; + output: DescribeImagesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/DescribeRegistriesCommand.ts b/clients/client-ecr-public/src/commands/DescribeRegistriesCommand.ts index 424893508998..bda2f1fe91d4 100644 --- a/clients/client-ecr-public/src/commands/DescribeRegistriesCommand.ts +++ b/clients/client-ecr-public/src/commands/DescribeRegistriesCommand.ts @@ -104,4 +104,16 @@ export class DescribeRegistriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistriesCommand) .de(de_DescribeRegistriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistriesRequest; + output: DescribeRegistriesResponse; + }; + sdk: { + input: DescribeRegistriesCommandInput; + output: DescribeRegistriesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/DescribeRepositoriesCommand.ts b/clients/client-ecr-public/src/commands/DescribeRepositoriesCommand.ts index f3502677526c..c9f0f80b8627 100644 --- a/clients/client-ecr-public/src/commands/DescribeRepositoriesCommand.ts +++ b/clients/client-ecr-public/src/commands/DescribeRepositoriesCommand.ts @@ -105,4 +105,16 @@ export class DescribeRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRepositoriesCommand) .de(de_DescribeRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRepositoriesRequest; + output: DescribeRepositoriesResponse; + }; + sdk: { + input: DescribeRepositoriesCommandInput; + output: DescribeRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/GetAuthorizationTokenCommand.ts b/clients/client-ecr-public/src/commands/GetAuthorizationTokenCommand.ts index 0ce7aeac7e8e..05e6343525e1 100644 --- a/clients/client-ecr-public/src/commands/GetAuthorizationTokenCommand.ts +++ b/clients/client-ecr-public/src/commands/GetAuthorizationTokenCommand.ts @@ -92,4 +92,16 @@ export class GetAuthorizationTokenCommand extends $Command .f(void 0, void 0) .ser(se_GetAuthorizationTokenCommand) .de(de_GetAuthorizationTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAuthorizationTokenResponse; + }; + sdk: { + input: GetAuthorizationTokenCommandInput; + output: GetAuthorizationTokenCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/GetRegistryCatalogDataCommand.ts b/clients/client-ecr-public/src/commands/GetRegistryCatalogDataCommand.ts index ce4828f91440..4de0ebd00d2d 100644 --- a/clients/client-ecr-public/src/commands/GetRegistryCatalogDataCommand.ts +++ b/clients/client-ecr-public/src/commands/GetRegistryCatalogDataCommand.ts @@ -83,4 +83,16 @@ export class GetRegistryCatalogDataCommand extends $Command .f(void 0, void 0) .ser(se_GetRegistryCatalogDataCommand) .de(de_GetRegistryCatalogDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetRegistryCatalogDataResponse; + }; + sdk: { + input: GetRegistryCatalogDataCommandInput; + output: GetRegistryCatalogDataCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/GetRepositoryCatalogDataCommand.ts b/clients/client-ecr-public/src/commands/GetRepositoryCatalogDataCommand.ts index ea1de8735976..86f777ca87cb 100644 --- a/clients/client-ecr-public/src/commands/GetRepositoryCatalogDataCommand.ts +++ b/clients/client-ecr-public/src/commands/GetRepositoryCatalogDataCommand.ts @@ -108,4 +108,16 @@ export class GetRepositoryCatalogDataCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryCatalogDataCommand) .de(de_GetRepositoryCatalogDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryCatalogDataRequest; + output: GetRepositoryCatalogDataResponse; + }; + sdk: { + input: GetRepositoryCatalogDataCommandInput; + output: GetRepositoryCatalogDataCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/GetRepositoryPolicyCommand.ts b/clients/client-ecr-public/src/commands/GetRepositoryPolicyCommand.ts index fd535484713f..765bb119305d 100644 --- a/clients/client-ecr-public/src/commands/GetRepositoryPolicyCommand.ts +++ b/clients/client-ecr-public/src/commands/GetRepositoryPolicyCommand.ts @@ -98,4 +98,16 @@ export class GetRepositoryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryPolicyCommand) .de(de_GetRepositoryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryPolicyRequest; + output: GetRepositoryPolicyResponse; + }; + sdk: { + input: GetRepositoryPolicyCommandInput; + output: GetRepositoryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/InitiateLayerUploadCommand.ts b/clients/client-ecr-public/src/commands/InitiateLayerUploadCommand.ts index bb14407c9b0b..3ad2878c6c4a 100644 --- a/clients/client-ecr-public/src/commands/InitiateLayerUploadCommand.ts +++ b/clients/client-ecr-public/src/commands/InitiateLayerUploadCommand.ts @@ -102,4 +102,16 @@ export class InitiateLayerUploadCommand extends $Command .f(void 0, void 0) .ser(se_InitiateLayerUploadCommand) .de(de_InitiateLayerUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateLayerUploadRequest; + output: InitiateLayerUploadResponse; + }; + sdk: { + input: InitiateLayerUploadCommandInput; + output: InitiateLayerUploadCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/ListTagsForResourceCommand.ts b/clients/client-ecr-public/src/commands/ListTagsForResourceCommand.ts index 92377d3547d2..2a0ab4c8fe5f 100644 --- a/clients/client-ecr-public/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ecr-public/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/PutImageCommand.ts b/clients/client-ecr-public/src/commands/PutImageCommand.ts index 3ba2f343d04f..ffde06f2df47 100644 --- a/clients/client-ecr-public/src/commands/PutImageCommand.ts +++ b/clients/client-ecr-public/src/commands/PutImageCommand.ts @@ -138,4 +138,16 @@ export class PutImageCommand extends $Command .f(void 0, void 0) .ser(se_PutImageCommand) .de(de_PutImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutImageRequest; + output: PutImageResponse; + }; + sdk: { + input: PutImageCommandInput; + output: PutImageCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/PutRegistryCatalogDataCommand.ts b/clients/client-ecr-public/src/commands/PutRegistryCatalogDataCommand.ts index d8c0aa53d763..27388861d5ea 100644 --- a/clients/client-ecr-public/src/commands/PutRegistryCatalogDataCommand.ts +++ b/clients/client-ecr-public/src/commands/PutRegistryCatalogDataCommand.ts @@ -89,4 +89,16 @@ export class PutRegistryCatalogDataCommand extends $Command .f(void 0, void 0) .ser(se_PutRegistryCatalogDataCommand) .de(de_PutRegistryCatalogDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRegistryCatalogDataRequest; + output: PutRegistryCatalogDataResponse; + }; + sdk: { + input: PutRegistryCatalogDataCommandInput; + output: PutRegistryCatalogDataCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/PutRepositoryCatalogDataCommand.ts b/clients/client-ecr-public/src/commands/PutRepositoryCatalogDataCommand.ts index 3a0faa3b4e23..aa5c280b1af4 100644 --- a/clients/client-ecr-public/src/commands/PutRepositoryCatalogDataCommand.ts +++ b/clients/client-ecr-public/src/commands/PutRepositoryCatalogDataCommand.ts @@ -116,4 +116,16 @@ export class PutRepositoryCatalogDataCommand extends $Command .f(void 0, void 0) .ser(se_PutRepositoryCatalogDataCommand) .de(de_PutRepositoryCatalogDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRepositoryCatalogDataRequest; + output: PutRepositoryCatalogDataResponse; + }; + sdk: { + input: PutRepositoryCatalogDataCommandInput; + output: PutRepositoryCatalogDataCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/SetRepositoryPolicyCommand.ts b/clients/client-ecr-public/src/commands/SetRepositoryPolicyCommand.ts index cf7583d01096..ed767387b6c8 100644 --- a/clients/client-ecr-public/src/commands/SetRepositoryPolicyCommand.ts +++ b/clients/client-ecr-public/src/commands/SetRepositoryPolicyCommand.ts @@ -98,4 +98,16 @@ export class SetRepositoryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_SetRepositoryPolicyCommand) .de(de_SetRepositoryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetRepositoryPolicyRequest; + output: SetRepositoryPolicyResponse; + }; + sdk: { + input: SetRepositoryPolicyCommandInput; + output: SetRepositoryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/TagResourceCommand.ts b/clients/client-ecr-public/src/commands/TagResourceCommand.ts index 17b0b2aa436c..02b9f6c80ed3 100644 --- a/clients/client-ecr-public/src/commands/TagResourceCommand.ts +++ b/clients/client-ecr-public/src/commands/TagResourceCommand.ts @@ -105,4 +105,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/UntagResourceCommand.ts b/clients/client-ecr-public/src/commands/UntagResourceCommand.ts index 24816cfa0b3c..7a91edc2abed 100644 --- a/clients/client-ecr-public/src/commands/UntagResourceCommand.ts +++ b/clients/client-ecr-public/src/commands/UntagResourceCommand.ts @@ -99,4 +99,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecr-public/src/commands/UploadLayerPartCommand.ts b/clients/client-ecr-public/src/commands/UploadLayerPartCommand.ts index 1ab9c91d88ac..3a7d2d6f28c9 100644 --- a/clients/client-ecr-public/src/commands/UploadLayerPartCommand.ts +++ b/clients/client-ecr-public/src/commands/UploadLayerPartCommand.ts @@ -121,4 +121,16 @@ export class UploadLayerPartCommand extends $Command .f(void 0, void 0) .ser(se_UploadLayerPartCommand) .de(de_UploadLayerPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadLayerPartRequest; + output: UploadLayerPartResponse; + }; + sdk: { + input: UploadLayerPartCommandInput; + output: UploadLayerPartCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/package.json b/clients/client-ecr/package.json index 7644d4d65acc..724a7e6d6b84 100644 --- a/clients/client-ecr/package.json +++ b/clients/client-ecr/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-ecr/src/commands/BatchCheckLayerAvailabilityCommand.ts b/clients/client-ecr/src/commands/BatchCheckLayerAvailabilityCommand.ts index 1f73d56ce3b3..6cec7632d2ce 100644 --- a/clients/client-ecr/src/commands/BatchCheckLayerAvailabilityCommand.ts +++ b/clients/client-ecr/src/commands/BatchCheckLayerAvailabilityCommand.ts @@ -115,4 +115,16 @@ export class BatchCheckLayerAvailabilityCommand extends $Command .f(void 0, void 0) .ser(se_BatchCheckLayerAvailabilityCommand) .de(de_BatchCheckLayerAvailabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCheckLayerAvailabilityRequest; + output: BatchCheckLayerAvailabilityResponse; + }; + sdk: { + input: BatchCheckLayerAvailabilityCommandInput; + output: BatchCheckLayerAvailabilityCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/BatchDeleteImageCommand.ts b/clients/client-ecr/src/commands/BatchDeleteImageCommand.ts index cbbaeef4b121..4164cbdea1ce 100644 --- a/clients/client-ecr/src/commands/BatchDeleteImageCommand.ts +++ b/clients/client-ecr/src/commands/BatchDeleteImageCommand.ts @@ -142,4 +142,16 @@ export class BatchDeleteImageCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteImageCommand) .de(de_BatchDeleteImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteImageRequest; + output: BatchDeleteImageResponse; + }; + sdk: { + input: BatchDeleteImageCommandInput; + output: BatchDeleteImageCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/BatchGetImageCommand.ts b/clients/client-ecr/src/commands/BatchGetImageCommand.ts index b9fad42bb158..d0fc804534ba 100644 --- a/clients/client-ecr/src/commands/BatchGetImageCommand.ts +++ b/clients/client-ecr/src/commands/BatchGetImageCommand.ts @@ -164,4 +164,16 @@ export class BatchGetImageCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetImageCommand) .de(de_BatchGetImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetImageRequest; + output: BatchGetImageResponse; + }; + sdk: { + input: BatchGetImageCommandInput; + output: BatchGetImageCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/BatchGetRepositoryScanningConfigurationCommand.ts b/clients/client-ecr/src/commands/BatchGetRepositoryScanningConfigurationCommand.ts index 21561121c127..f77ea50f8a20 100644 --- a/clients/client-ecr/src/commands/BatchGetRepositoryScanningConfigurationCommand.ts +++ b/clients/client-ecr/src/commands/BatchGetRepositoryScanningConfigurationCommand.ts @@ -122,4 +122,16 @@ export class BatchGetRepositoryScanningConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetRepositoryScanningConfigurationCommand) .de(de_BatchGetRepositoryScanningConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetRepositoryScanningConfigurationRequest; + output: BatchGetRepositoryScanningConfigurationResponse; + }; + sdk: { + input: BatchGetRepositoryScanningConfigurationCommandInput; + output: BatchGetRepositoryScanningConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/CompleteLayerUploadCommand.ts b/clients/client-ecr/src/commands/CompleteLayerUploadCommand.ts index 355e8cf9d3a8..c1ae59f064d9 100644 --- a/clients/client-ecr/src/commands/CompleteLayerUploadCommand.ts +++ b/clients/client-ecr/src/commands/CompleteLayerUploadCommand.ts @@ -124,4 +124,16 @@ export class CompleteLayerUploadCommand extends $Command .f(void 0, void 0) .ser(se_CompleteLayerUploadCommand) .de(de_CompleteLayerUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteLayerUploadRequest; + output: CompleteLayerUploadResponse; + }; + sdk: { + input: CompleteLayerUploadCommandInput; + output: CompleteLayerUploadCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/CreatePullThroughCacheRuleCommand.ts b/clients/client-ecr/src/commands/CreatePullThroughCacheRuleCommand.ts index 954e60bb828a..71135de80bd3 100644 --- a/clients/client-ecr/src/commands/CreatePullThroughCacheRuleCommand.ts +++ b/clients/client-ecr/src/commands/CreatePullThroughCacheRuleCommand.ts @@ -123,4 +123,16 @@ export class CreatePullThroughCacheRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreatePullThroughCacheRuleCommand) .de(de_CreatePullThroughCacheRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePullThroughCacheRuleRequest; + output: CreatePullThroughCacheRuleResponse; + }; + sdk: { + input: CreatePullThroughCacheRuleCommandInput; + output: CreatePullThroughCacheRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/CreateRepositoryCommand.ts b/clients/client-ecr/src/commands/CreateRepositoryCommand.ts index 35d9395c6253..654280d2dee7 100644 --- a/clients/client-ecr/src/commands/CreateRepositoryCommand.ts +++ b/clients/client-ecr/src/commands/CreateRepositoryCommand.ts @@ -153,4 +153,16 @@ export class CreateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryCommand) .de(de_CreateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryRequest; + output: CreateRepositoryResponse; + }; + sdk: { + input: CreateRepositoryCommandInput; + output: CreateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/CreateRepositoryCreationTemplateCommand.ts b/clients/client-ecr/src/commands/CreateRepositoryCreationTemplateCommand.ts index dcc6d42d3b15..4bc4c3799768 100644 --- a/clients/client-ecr/src/commands/CreateRepositoryCreationTemplateCommand.ts +++ b/clients/client-ecr/src/commands/CreateRepositoryCreationTemplateCommand.ts @@ -201,4 +201,16 @@ export class CreateRepositoryCreationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryCreationTemplateCommand) .de(de_CreateRepositoryCreationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryCreationTemplateRequest; + output: CreateRepositoryCreationTemplateResponse; + }; + sdk: { + input: CreateRepositoryCreationTemplateCommandInput; + output: CreateRepositoryCreationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DeleteLifecyclePolicyCommand.ts b/clients/client-ecr/src/commands/DeleteLifecyclePolicyCommand.ts index 966713fd3fdb..9302e74513b0 100644 --- a/clients/client-ecr/src/commands/DeleteLifecyclePolicyCommand.ts +++ b/clients/client-ecr/src/commands/DeleteLifecyclePolicyCommand.ts @@ -99,4 +99,16 @@ export class DeleteLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLifecyclePolicyCommand) .de(de_DeleteLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLifecyclePolicyRequest; + output: DeleteLifecyclePolicyResponse; + }; + sdk: { + input: DeleteLifecyclePolicyCommandInput; + output: DeleteLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DeletePullThroughCacheRuleCommand.ts b/clients/client-ecr/src/commands/DeletePullThroughCacheRuleCommand.ts index 632428f4cae7..3ecd3fb9240b 100644 --- a/clients/client-ecr/src/commands/DeletePullThroughCacheRuleCommand.ts +++ b/clients/client-ecr/src/commands/DeletePullThroughCacheRuleCommand.ts @@ -96,4 +96,16 @@ export class DeletePullThroughCacheRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeletePullThroughCacheRuleCommand) .de(de_DeletePullThroughCacheRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePullThroughCacheRuleRequest; + output: DeletePullThroughCacheRuleResponse; + }; + sdk: { + input: DeletePullThroughCacheRuleCommandInput; + output: DeletePullThroughCacheRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DeleteRegistryPolicyCommand.ts b/clients/client-ecr/src/commands/DeleteRegistryPolicyCommand.ts index 060e9b740659..33e3f8df8378 100644 --- a/clients/client-ecr/src/commands/DeleteRegistryPolicyCommand.ts +++ b/clients/client-ecr/src/commands/DeleteRegistryPolicyCommand.ts @@ -89,4 +89,16 @@ export class DeleteRegistryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegistryPolicyCommand) .de(de_DeleteRegistryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeleteRegistryPolicyResponse; + }; + sdk: { + input: DeleteRegistryPolicyCommandInput; + output: DeleteRegistryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DeleteRepositoryCommand.ts b/clients/client-ecr/src/commands/DeleteRepositoryCommand.ts index 75fa75ac9a75..da744039d469 100644 --- a/clients/client-ecr/src/commands/DeleteRepositoryCommand.ts +++ b/clients/client-ecr/src/commands/DeleteRepositoryCommand.ts @@ -134,4 +134,16 @@ export class DeleteRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryCommand) .de(de_DeleteRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryRequest; + output: DeleteRepositoryResponse; + }; + sdk: { + input: DeleteRepositoryCommandInput; + output: DeleteRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DeleteRepositoryCreationTemplateCommand.ts b/clients/client-ecr/src/commands/DeleteRepositoryCreationTemplateCommand.ts index f56f4b708238..4a2d127f679b 100644 --- a/clients/client-ecr/src/commands/DeleteRepositoryCreationTemplateCommand.ts +++ b/clients/client-ecr/src/commands/DeleteRepositoryCreationTemplateCommand.ts @@ -144,4 +144,16 @@ export class DeleteRepositoryCreationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryCreationTemplateCommand) .de(de_DeleteRepositoryCreationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryCreationTemplateRequest; + output: DeleteRepositoryCreationTemplateResponse; + }; + sdk: { + input: DeleteRepositoryCreationTemplateCommandInput; + output: DeleteRepositoryCreationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DeleteRepositoryPolicyCommand.ts b/clients/client-ecr/src/commands/DeleteRepositoryPolicyCommand.ts index 6c88936c87d1..1fde87194eba 100644 --- a/clients/client-ecr/src/commands/DeleteRepositoryPolicyCommand.ts +++ b/clients/client-ecr/src/commands/DeleteRepositoryPolicyCommand.ts @@ -113,4 +113,16 @@ export class DeleteRepositoryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryPolicyCommand) .de(de_DeleteRepositoryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryPolicyRequest; + output: DeleteRepositoryPolicyResponse; + }; + sdk: { + input: DeleteRepositoryPolicyCommandInput; + output: DeleteRepositoryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DescribeImageReplicationStatusCommand.ts b/clients/client-ecr/src/commands/DescribeImageReplicationStatusCommand.ts index cf540610c072..14244a735afb 100644 --- a/clients/client-ecr/src/commands/DescribeImageReplicationStatusCommand.ts +++ b/clients/client-ecr/src/commands/DescribeImageReplicationStatusCommand.ts @@ -116,4 +116,16 @@ export class DescribeImageReplicationStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageReplicationStatusCommand) .de(de_DescribeImageReplicationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageReplicationStatusRequest; + output: DescribeImageReplicationStatusResponse; + }; + sdk: { + input: DescribeImageReplicationStatusCommandInput; + output: DescribeImageReplicationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts b/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts index 39e7a1b84660..265d07d3cb0a 100644 --- a/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts +++ b/clients/client-ecr/src/commands/DescribeImageScanFindingsCommand.ts @@ -231,4 +231,16 @@ export class DescribeImageScanFindingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageScanFindingsCommand) .de(de_DescribeImageScanFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageScanFindingsRequest; + output: DescribeImageScanFindingsResponse; + }; + sdk: { + input: DescribeImageScanFindingsCommandInput; + output: DescribeImageScanFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DescribeImagesCommand.ts b/clients/client-ecr/src/commands/DescribeImagesCommand.ts index 4a45d6b6ed2c..6cccd5d0bdcb 100644 --- a/clients/client-ecr/src/commands/DescribeImagesCommand.ts +++ b/clients/client-ecr/src/commands/DescribeImagesCommand.ts @@ -135,4 +135,16 @@ export class DescribeImagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImagesCommand) .de(de_DescribeImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImagesRequest; + output: DescribeImagesResponse; + }; + sdk: { + input: DescribeImagesCommandInput; + output: DescribeImagesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DescribePullThroughCacheRulesCommand.ts b/clients/client-ecr/src/commands/DescribePullThroughCacheRulesCommand.ts index 0523f05d81c4..3f609bda0135 100644 --- a/clients/client-ecr/src/commands/DescribePullThroughCacheRulesCommand.ts +++ b/clients/client-ecr/src/commands/DescribePullThroughCacheRulesCommand.ts @@ -112,4 +112,16 @@ export class DescribePullThroughCacheRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePullThroughCacheRulesCommand) .de(de_DescribePullThroughCacheRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePullThroughCacheRulesRequest; + output: DescribePullThroughCacheRulesResponse; + }; + sdk: { + input: DescribePullThroughCacheRulesCommandInput; + output: DescribePullThroughCacheRulesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DescribeRegistryCommand.ts b/clients/client-ecr/src/commands/DescribeRegistryCommand.ts index 96b1540e2e1a..0fd35cd5be10 100644 --- a/clients/client-ecr/src/commands/DescribeRegistryCommand.ts +++ b/clients/client-ecr/src/commands/DescribeRegistryCommand.ts @@ -105,4 +105,16 @@ export class DescribeRegistryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistryCommand) .de(de_DescribeRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeRegistryResponse; + }; + sdk: { + input: DescribeRegistryCommandInput; + output: DescribeRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DescribeRepositoriesCommand.ts b/clients/client-ecr/src/commands/DescribeRepositoriesCommand.ts index a018a454b68e..be3401953399 100644 --- a/clients/client-ecr/src/commands/DescribeRepositoriesCommand.ts +++ b/clients/client-ecr/src/commands/DescribeRepositoriesCommand.ts @@ -135,4 +135,16 @@ export class DescribeRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRepositoriesCommand) .de(de_DescribeRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRepositoriesRequest; + output: DescribeRepositoriesResponse; + }; + sdk: { + input: DescribeRepositoriesCommandInput; + output: DescribeRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/DescribeRepositoryCreationTemplatesCommand.ts b/clients/client-ecr/src/commands/DescribeRepositoryCreationTemplatesCommand.ts index 0babcdb839bd..af840e2f31c1 100644 --- a/clients/client-ecr/src/commands/DescribeRepositoryCreationTemplatesCommand.ts +++ b/clients/client-ecr/src/commands/DescribeRepositoryCreationTemplatesCommand.ts @@ -175,4 +175,16 @@ export class DescribeRepositoryCreationTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRepositoryCreationTemplatesCommand) .de(de_DescribeRepositoryCreationTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRepositoryCreationTemplatesRequest; + output: DescribeRepositoryCreationTemplatesResponse; + }; + sdk: { + input: DescribeRepositoryCreationTemplatesCommandInput; + output: DescribeRepositoryCreationTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetAccountSettingCommand.ts b/clients/client-ecr/src/commands/GetAccountSettingCommand.ts index dbe445bfa15f..7916f5470a26 100644 --- a/clients/client-ecr/src/commands/GetAccountSettingCommand.ts +++ b/clients/client-ecr/src/commands/GetAccountSettingCommand.ts @@ -88,4 +88,16 @@ export class GetAccountSettingCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingCommand) .de(de_GetAccountSettingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccountSettingRequest; + output: GetAccountSettingResponse; + }; + sdk: { + input: GetAccountSettingCommandInput; + output: GetAccountSettingCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetAuthorizationTokenCommand.ts b/clients/client-ecr/src/commands/GetAuthorizationTokenCommand.ts index a6db134ab7b5..c62e59f03704 100644 --- a/clients/client-ecr/src/commands/GetAuthorizationTokenCommand.ts +++ b/clients/client-ecr/src/commands/GetAuthorizationTokenCommand.ts @@ -119,4 +119,16 @@ export class GetAuthorizationTokenCommand extends $Command .f(void 0, void 0) .ser(se_GetAuthorizationTokenCommand) .de(de_GetAuthorizationTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAuthorizationTokenRequest; + output: GetAuthorizationTokenResponse; + }; + sdk: { + input: GetAuthorizationTokenCommandInput; + output: GetAuthorizationTokenCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetDownloadUrlForLayerCommand.ts b/clients/client-ecr/src/commands/GetDownloadUrlForLayerCommand.ts index eb5b0256d75f..bfe267357b8b 100644 --- a/clients/client-ecr/src/commands/GetDownloadUrlForLayerCommand.ts +++ b/clients/client-ecr/src/commands/GetDownloadUrlForLayerCommand.ts @@ -110,4 +110,16 @@ export class GetDownloadUrlForLayerCommand extends $Command .f(void 0, void 0) .ser(se_GetDownloadUrlForLayerCommand) .de(de_GetDownloadUrlForLayerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDownloadUrlForLayerRequest; + output: GetDownloadUrlForLayerResponse; + }; + sdk: { + input: GetDownloadUrlForLayerCommandInput; + output: GetDownloadUrlForLayerCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetLifecyclePolicyCommand.ts b/clients/client-ecr/src/commands/GetLifecyclePolicyCommand.ts index 641dca235d56..05984a6e0f28 100644 --- a/clients/client-ecr/src/commands/GetLifecyclePolicyCommand.ts +++ b/clients/client-ecr/src/commands/GetLifecyclePolicyCommand.ts @@ -99,4 +99,16 @@ export class GetLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetLifecyclePolicyCommand) .de(de_GetLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLifecyclePolicyRequest; + output: GetLifecyclePolicyResponse; + }; + sdk: { + input: GetLifecyclePolicyCommandInput; + output: GetLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetLifecyclePolicyPreviewCommand.ts b/clients/client-ecr/src/commands/GetLifecyclePolicyPreviewCommand.ts index 9a1b1104cf91..c826dc2198b1 100644 --- a/clients/client-ecr/src/commands/GetLifecyclePolicyPreviewCommand.ts +++ b/clients/client-ecr/src/commands/GetLifecyclePolicyPreviewCommand.ts @@ -127,4 +127,16 @@ export class GetLifecyclePolicyPreviewCommand extends $Command .f(void 0, void 0) .ser(se_GetLifecyclePolicyPreviewCommand) .de(de_GetLifecyclePolicyPreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLifecyclePolicyPreviewRequest; + output: GetLifecyclePolicyPreviewResponse; + }; + sdk: { + input: GetLifecyclePolicyPreviewCommandInput; + output: GetLifecyclePolicyPreviewCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetRegistryPolicyCommand.ts b/clients/client-ecr/src/commands/GetRegistryPolicyCommand.ts index 29e385740e09..5abc9fea0387 100644 --- a/clients/client-ecr/src/commands/GetRegistryPolicyCommand.ts +++ b/clients/client-ecr/src/commands/GetRegistryPolicyCommand.ts @@ -89,4 +89,16 @@ export class GetRegistryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetRegistryPolicyCommand) .de(de_GetRegistryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetRegistryPolicyResponse; + }; + sdk: { + input: GetRegistryPolicyCommandInput; + output: GetRegistryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetRegistryScanningConfigurationCommand.ts b/clients/client-ecr/src/commands/GetRegistryScanningConfigurationCommand.ts index 67f4b8deed22..b4fb58f3f5bc 100644 --- a/clients/client-ecr/src/commands/GetRegistryScanningConfigurationCommand.ts +++ b/clients/client-ecr/src/commands/GetRegistryScanningConfigurationCommand.ts @@ -104,4 +104,16 @@ export class GetRegistryScanningConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetRegistryScanningConfigurationCommand) .de(de_GetRegistryScanningConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetRegistryScanningConfigurationResponse; + }; + sdk: { + input: GetRegistryScanningConfigurationCommandInput; + output: GetRegistryScanningConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/GetRepositoryPolicyCommand.ts b/clients/client-ecr/src/commands/GetRepositoryPolicyCommand.ts index b8c87906d95d..ab854626084a 100644 --- a/clients/client-ecr/src/commands/GetRepositoryPolicyCommand.ts +++ b/clients/client-ecr/src/commands/GetRepositoryPolicyCommand.ts @@ -113,4 +113,16 @@ export class GetRepositoryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryPolicyCommand) .de(de_GetRepositoryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryPolicyRequest; + output: GetRepositoryPolicyResponse; + }; + sdk: { + input: GetRepositoryPolicyCommandInput; + output: GetRepositoryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/InitiateLayerUploadCommand.ts b/clients/client-ecr/src/commands/InitiateLayerUploadCommand.ts index 3330e5ad0081..ecf3af1f3f7e 100644 --- a/clients/client-ecr/src/commands/InitiateLayerUploadCommand.ts +++ b/clients/client-ecr/src/commands/InitiateLayerUploadCommand.ts @@ -100,4 +100,16 @@ export class InitiateLayerUploadCommand extends $Command .f(void 0, void 0) .ser(se_InitiateLayerUploadCommand) .de(de_InitiateLayerUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateLayerUploadRequest; + output: InitiateLayerUploadResponse; + }; + sdk: { + input: InitiateLayerUploadCommandInput; + output: InitiateLayerUploadCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/ListImagesCommand.ts b/clients/client-ecr/src/commands/ListImagesCommand.ts index 64ea8f0c5d6c..7ec2ca58ca1c 100644 --- a/clients/client-ecr/src/commands/ListImagesCommand.ts +++ b/clients/client-ecr/src/commands/ListImagesCommand.ts @@ -127,4 +127,16 @@ export class ListImagesCommand extends $Command .f(void 0, void 0) .ser(se_ListImagesCommand) .de(de_ListImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImagesRequest; + output: ListImagesResponse; + }; + sdk: { + input: ListImagesCommandInput; + output: ListImagesCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/ListTagsForResourceCommand.ts b/clients/client-ecr/src/commands/ListTagsForResourceCommand.ts index 642b0754daa9..89e08a368e62 100644 --- a/clients/client-ecr/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ecr/src/commands/ListTagsForResourceCommand.ts @@ -93,4 +93,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutAccountSettingCommand.ts b/clients/client-ecr/src/commands/PutAccountSettingCommand.ts index 0adeb9c7452f..35f6eab39212 100644 --- a/clients/client-ecr/src/commands/PutAccountSettingCommand.ts +++ b/clients/client-ecr/src/commands/PutAccountSettingCommand.ts @@ -95,4 +95,16 @@ export class PutAccountSettingCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountSettingCommand) .de(de_PutAccountSettingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountSettingRequest; + output: PutAccountSettingResponse; + }; + sdk: { + input: PutAccountSettingCommandInput; + output: PutAccountSettingCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutImageCommand.ts b/clients/client-ecr/src/commands/PutImageCommand.ts index d6506ecfa6b1..04769571c444 100644 --- a/clients/client-ecr/src/commands/PutImageCommand.ts +++ b/clients/client-ecr/src/commands/PutImageCommand.ts @@ -136,4 +136,16 @@ export class PutImageCommand extends $Command .f(void 0, void 0) .ser(se_PutImageCommand) .de(de_PutImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutImageRequest; + output: PutImageResponse; + }; + sdk: { + input: PutImageCommandInput; + output: PutImageCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutImageScanningConfigurationCommand.ts b/clients/client-ecr/src/commands/PutImageScanningConfigurationCommand.ts index de941f12c73d..7ad411ab0058 100644 --- a/clients/client-ecr/src/commands/PutImageScanningConfigurationCommand.ts +++ b/clients/client-ecr/src/commands/PutImageScanningConfigurationCommand.ts @@ -109,4 +109,16 @@ export class PutImageScanningConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutImageScanningConfigurationCommand) .de(de_PutImageScanningConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutImageScanningConfigurationRequest; + output: PutImageScanningConfigurationResponse; + }; + sdk: { + input: PutImageScanningConfigurationCommandInput; + output: PutImageScanningConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutImageTagMutabilityCommand.ts b/clients/client-ecr/src/commands/PutImageTagMutabilityCommand.ts index aca8de460f15..53f37bd12cc1 100644 --- a/clients/client-ecr/src/commands/PutImageTagMutabilityCommand.ts +++ b/clients/client-ecr/src/commands/PutImageTagMutabilityCommand.ts @@ -94,4 +94,16 @@ export class PutImageTagMutabilityCommand extends $Command .f(void 0, void 0) .ser(se_PutImageTagMutabilityCommand) .de(de_PutImageTagMutabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutImageTagMutabilityRequest; + output: PutImageTagMutabilityResponse; + }; + sdk: { + input: PutImageTagMutabilityCommandInput; + output: PutImageTagMutabilityCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutLifecyclePolicyCommand.ts b/clients/client-ecr/src/commands/PutLifecyclePolicyCommand.ts index 08e8eb8397e3..f2771b48f81a 100644 --- a/clients/client-ecr/src/commands/PutLifecyclePolicyCommand.ts +++ b/clients/client-ecr/src/commands/PutLifecyclePolicyCommand.ts @@ -97,4 +97,16 @@ export class PutLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutLifecyclePolicyCommand) .de(de_PutLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLifecyclePolicyRequest; + output: PutLifecyclePolicyResponse; + }; + sdk: { + input: PutLifecyclePolicyCommandInput; + output: PutLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutRegistryPolicyCommand.ts b/clients/client-ecr/src/commands/PutRegistryPolicyCommand.ts index bf3cd4cb8762..4aafd907ad56 100644 --- a/clients/client-ecr/src/commands/PutRegistryPolicyCommand.ts +++ b/clients/client-ecr/src/commands/PutRegistryPolicyCommand.ts @@ -90,4 +90,16 @@ export class PutRegistryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutRegistryPolicyCommand) .de(de_PutRegistryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRegistryPolicyRequest; + output: PutRegistryPolicyResponse; + }; + sdk: { + input: PutRegistryPolicyCommandInput; + output: PutRegistryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutRegistryScanningConfigurationCommand.ts b/clients/client-ecr/src/commands/PutRegistryScanningConfigurationCommand.ts index 8036ce6c385f..4e5cf1b21b5f 100644 --- a/clients/client-ecr/src/commands/PutRegistryScanningConfigurationCommand.ts +++ b/clients/client-ecr/src/commands/PutRegistryScanningConfigurationCommand.ts @@ -116,4 +116,16 @@ export class PutRegistryScanningConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutRegistryScanningConfigurationCommand) .de(de_PutRegistryScanningConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRegistryScanningConfigurationRequest; + output: PutRegistryScanningConfigurationResponse; + }; + sdk: { + input: PutRegistryScanningConfigurationCommandInput; + output: PutRegistryScanningConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/PutReplicationConfigurationCommand.ts b/clients/client-ecr/src/commands/PutReplicationConfigurationCommand.ts index 8518defa3190..bed55f78f5ae 100644 --- a/clients/client-ecr/src/commands/PutReplicationConfigurationCommand.ts +++ b/clients/client-ecr/src/commands/PutReplicationConfigurationCommand.ts @@ -133,4 +133,16 @@ export class PutReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutReplicationConfigurationCommand) .de(de_PutReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutReplicationConfigurationRequest; + output: PutReplicationConfigurationResponse; + }; + sdk: { + input: PutReplicationConfigurationCommandInput; + output: PutReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/SetRepositoryPolicyCommand.ts b/clients/client-ecr/src/commands/SetRepositoryPolicyCommand.ts index b85fec5e4241..9a4bffaf20c3 100644 --- a/clients/client-ecr/src/commands/SetRepositoryPolicyCommand.ts +++ b/clients/client-ecr/src/commands/SetRepositoryPolicyCommand.ts @@ -95,4 +95,16 @@ export class SetRepositoryPolicyCommand extends $Command .f(void 0, void 0) .ser(se_SetRepositoryPolicyCommand) .de(de_SetRepositoryPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetRepositoryPolicyRequest; + output: SetRepositoryPolicyResponse; + }; + sdk: { + input: SetRepositoryPolicyCommandInput; + output: SetRepositoryPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/StartImageScanCommand.ts b/clients/client-ecr/src/commands/StartImageScanCommand.ts index 262bf624ace0..a1776182f17d 100644 --- a/clients/client-ecr/src/commands/StartImageScanCommand.ts +++ b/clients/client-ecr/src/commands/StartImageScanCommand.ts @@ -119,4 +119,16 @@ export class StartImageScanCommand extends $Command .f(void 0, void 0) .ser(se_StartImageScanCommand) .de(de_StartImageScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImageScanRequest; + output: StartImageScanResponse; + }; + sdk: { + input: StartImageScanCommandInput; + output: StartImageScanCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/StartLifecyclePolicyPreviewCommand.ts b/clients/client-ecr/src/commands/StartLifecyclePolicyPreviewCommand.ts index 54a21dcd46a2..1e76aea5ac1c 100644 --- a/clients/client-ecr/src/commands/StartLifecyclePolicyPreviewCommand.ts +++ b/clients/client-ecr/src/commands/StartLifecyclePolicyPreviewCommand.ts @@ -107,4 +107,16 @@ export class StartLifecyclePolicyPreviewCommand extends $Command .f(void 0, void 0) .ser(se_StartLifecyclePolicyPreviewCommand) .de(de_StartLifecyclePolicyPreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartLifecyclePolicyPreviewRequest; + output: StartLifecyclePolicyPreviewResponse; + }; + sdk: { + input: StartLifecyclePolicyPreviewCommandInput; + output: StartLifecyclePolicyPreviewCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/TagResourceCommand.ts b/clients/client-ecr/src/commands/TagResourceCommand.ts index 1c4e45fbbefb..bae54fe593a1 100644 --- a/clients/client-ecr/src/commands/TagResourceCommand.ts +++ b/clients/client-ecr/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/UntagResourceCommand.ts b/clients/client-ecr/src/commands/UntagResourceCommand.ts index 49f1c121018e..a3cb567e7ef1 100644 --- a/clients/client-ecr/src/commands/UntagResourceCommand.ts +++ b/clients/client-ecr/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/UpdatePullThroughCacheRuleCommand.ts b/clients/client-ecr/src/commands/UpdatePullThroughCacheRuleCommand.ts index c69fa30b0082..7d211899cc44 100644 --- a/clients/client-ecr/src/commands/UpdatePullThroughCacheRuleCommand.ts +++ b/clients/client-ecr/src/commands/UpdatePullThroughCacheRuleCommand.ts @@ -108,4 +108,16 @@ export class UpdatePullThroughCacheRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePullThroughCacheRuleCommand) .de(de_UpdatePullThroughCacheRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePullThroughCacheRuleRequest; + output: UpdatePullThroughCacheRuleResponse; + }; + sdk: { + input: UpdatePullThroughCacheRuleCommandInput; + output: UpdatePullThroughCacheRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/UpdateRepositoryCreationTemplateCommand.ts b/clients/client-ecr/src/commands/UpdateRepositoryCreationTemplateCommand.ts index fd07fb344deb..dc8fe8dd6848 100644 --- a/clients/client-ecr/src/commands/UpdateRepositoryCreationTemplateCommand.ts +++ b/clients/client-ecr/src/commands/UpdateRepositoryCreationTemplateCommand.ts @@ -183,4 +183,16 @@ export class UpdateRepositoryCreationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRepositoryCreationTemplateCommand) .de(de_UpdateRepositoryCreationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRepositoryCreationTemplateRequest; + output: UpdateRepositoryCreationTemplateResponse; + }; + sdk: { + input: UpdateRepositoryCreationTemplateCommandInput; + output: UpdateRepositoryCreationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/UploadLayerPartCommand.ts b/clients/client-ecr/src/commands/UploadLayerPartCommand.ts index 1cca43d08e5a..393f0521c2ca 100644 --- a/clients/client-ecr/src/commands/UploadLayerPartCommand.ts +++ b/clients/client-ecr/src/commands/UploadLayerPartCommand.ts @@ -119,4 +119,16 @@ export class UploadLayerPartCommand extends $Command .f(void 0, void 0) .ser(se_UploadLayerPartCommand) .de(de_UploadLayerPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadLayerPartRequest; + output: UploadLayerPartResponse; + }; + sdk: { + input: UploadLayerPartCommandInput; + output: UploadLayerPartCommandOutput; + }; + }; +} diff --git a/clients/client-ecr/src/commands/ValidatePullThroughCacheRuleCommand.ts b/clients/client-ecr/src/commands/ValidatePullThroughCacheRuleCommand.ts index 149b4ae68f03..061692e33951 100644 --- a/clients/client-ecr/src/commands/ValidatePullThroughCacheRuleCommand.ts +++ b/clients/client-ecr/src/commands/ValidatePullThroughCacheRuleCommand.ts @@ -105,4 +105,16 @@ export class ValidatePullThroughCacheRuleCommand extends $Command .f(void 0, void 0) .ser(se_ValidatePullThroughCacheRuleCommand) .de(de_ValidatePullThroughCacheRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidatePullThroughCacheRuleRequest; + output: ValidatePullThroughCacheRuleResponse; + }; + sdk: { + input: ValidatePullThroughCacheRuleCommandInput; + output: ValidatePullThroughCacheRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/package.json b/clients/client-ecs/package.json index 3dd7bee4a10c..4e0e161c79d6 100644 --- a/clients/client-ecs/package.json +++ b/clients/client-ecs/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-ecs/src/commands/CreateCapacityProviderCommand.ts b/clients/client-ecs/src/commands/CreateCapacityProviderCommand.ts index c5db10bd4983..32899f9f73d6 100644 --- a/clients/client-ecs/src/commands/CreateCapacityProviderCommand.ts +++ b/clients/client-ecs/src/commands/CreateCapacityProviderCommand.ts @@ -157,4 +157,16 @@ export class CreateCapacityProviderCommand extends $Command .f(void 0, void 0) .ser(se_CreateCapacityProviderCommand) .de(de_CreateCapacityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCapacityProviderRequest; + output: CreateCapacityProviderResponse; + }; + sdk: { + input: CreateCapacityProviderCommandInput; + output: CreateCapacityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/CreateClusterCommand.ts b/clients/client-ecs/src/commands/CreateClusterCommand.ts index 8f50176348cd..342dde6f7b64 100644 --- a/clients/client-ecs/src/commands/CreateClusterCommand.ts +++ b/clients/client-ecs/src/commands/CreateClusterCommand.ts @@ -248,4 +248,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/CreateServiceCommand.ts b/clients/client-ecs/src/commands/CreateServiceCommand.ts index c6cf0cb7f575..d81f510f33cf 100644 --- a/clients/client-ecs/src/commands/CreateServiceCommand.ts +++ b/clients/client-ecs/src/commands/CreateServiceCommand.ts @@ -739,4 +739,16 @@ export class CreateServiceCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceCommand) .de(de_CreateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceRequest; + output: CreateServiceResponse; + }; + sdk: { + input: CreateServiceCommandInput; + output: CreateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/CreateTaskSetCommand.ts b/clients/client-ecs/src/commands/CreateTaskSetCommand.ts index 88e8fa33ee31..51684647bb40 100644 --- a/clients/client-ecs/src/commands/CreateTaskSetCommand.ts +++ b/clients/client-ecs/src/commands/CreateTaskSetCommand.ts @@ -250,4 +250,16 @@ export class CreateTaskSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateTaskSetCommand) .de(de_CreateTaskSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTaskSetRequest; + output: CreateTaskSetResponse; + }; + sdk: { + input: CreateTaskSetCommandInput; + output: CreateTaskSetCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeleteAccountSettingCommand.ts b/clients/client-ecs/src/commands/DeleteAccountSettingCommand.ts index 2a1f95c20d00..ae98d2dbceb6 100644 --- a/clients/client-ecs/src/commands/DeleteAccountSettingCommand.ts +++ b/clients/client-ecs/src/commands/DeleteAccountSettingCommand.ts @@ -147,4 +147,16 @@ export class DeleteAccountSettingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountSettingCommand) .de(de_DeleteAccountSettingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountSettingRequest; + output: DeleteAccountSettingResponse; + }; + sdk: { + input: DeleteAccountSettingCommandInput; + output: DeleteAccountSettingCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeleteAttributesCommand.ts b/clients/client-ecs/src/commands/DeleteAttributesCommand.ts index 8ff2964ec0fb..6c44c6b3b927 100644 --- a/clients/client-ecs/src/commands/DeleteAttributesCommand.ts +++ b/clients/client-ecs/src/commands/DeleteAttributesCommand.ts @@ -104,4 +104,16 @@ export class DeleteAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAttributesCommand) .de(de_DeleteAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAttributesRequest; + output: DeleteAttributesResponse; + }; + sdk: { + input: DeleteAttributesCommandInput; + output: DeleteAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeleteCapacityProviderCommand.ts b/clients/client-ecs/src/commands/DeleteCapacityProviderCommand.ts index 96d8a983ebd2..092f354e5af9 100644 --- a/clients/client-ecs/src/commands/DeleteCapacityProviderCommand.ts +++ b/clients/client-ecs/src/commands/DeleteCapacityProviderCommand.ts @@ -136,4 +136,16 @@ export class DeleteCapacityProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCapacityProviderCommand) .de(de_DeleteCapacityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCapacityProviderRequest; + output: DeleteCapacityProviderResponse; + }; + sdk: { + input: DeleteCapacityProviderCommandInput; + output: DeleteCapacityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeleteClusterCommand.ts b/clients/client-ecs/src/commands/DeleteClusterCommand.ts index 3ca15eae8cab..8f92b499b6ff 100644 --- a/clients/client-ecs/src/commands/DeleteClusterCommand.ts +++ b/clients/client-ecs/src/commands/DeleteClusterCommand.ts @@ -221,4 +221,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeleteServiceCommand.ts b/clients/client-ecs/src/commands/DeleteServiceCommand.ts index ab417554b319..7b71dd420dce 100644 --- a/clients/client-ecs/src/commands/DeleteServiceCommand.ts +++ b/clients/client-ecs/src/commands/DeleteServiceCommand.ts @@ -409,4 +409,16 @@ export class DeleteServiceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceCommand) .de(de_DeleteServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceRequest; + output: DeleteServiceResponse; + }; + sdk: { + input: DeleteServiceCommandInput; + output: DeleteServiceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeleteTaskDefinitionsCommand.ts b/clients/client-ecs/src/commands/DeleteTaskDefinitionsCommand.ts index 6d1a43824fd8..7d7be1f8ee44 100644 --- a/clients/client-ecs/src/commands/DeleteTaskDefinitionsCommand.ts +++ b/clients/client-ecs/src/commands/DeleteTaskDefinitionsCommand.ts @@ -401,4 +401,16 @@ export class DeleteTaskDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTaskDefinitionsCommand) .de(de_DeleteTaskDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTaskDefinitionsRequest; + output: DeleteTaskDefinitionsResponse; + }; + sdk: { + input: DeleteTaskDefinitionsCommandInput; + output: DeleteTaskDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeleteTaskSetCommand.ts b/clients/client-ecs/src/commands/DeleteTaskSetCommand.ts index 78d93c68fb95..5a526c4716d2 100644 --- a/clients/client-ecs/src/commands/DeleteTaskSetCommand.ts +++ b/clients/client-ecs/src/commands/DeleteTaskSetCommand.ts @@ -190,4 +190,16 @@ export class DeleteTaskSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTaskSetCommand) .de(de_DeleteTaskSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTaskSetRequest; + output: DeleteTaskSetResponse; + }; + sdk: { + input: DeleteTaskSetCommandInput; + output: DeleteTaskSetCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeregisterContainerInstanceCommand.ts b/clients/client-ecs/src/commands/DeregisterContainerInstanceCommand.ts index f323583ca7eb..f6ff4c134725 100644 --- a/clients/client-ecs/src/commands/DeregisterContainerInstanceCommand.ts +++ b/clients/client-ecs/src/commands/DeregisterContainerInstanceCommand.ts @@ -211,4 +211,16 @@ export class DeregisterContainerInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterContainerInstanceCommand) .de(de_DeregisterContainerInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterContainerInstanceRequest; + output: DeregisterContainerInstanceResponse; + }; + sdk: { + input: DeregisterContainerInstanceCommandInput; + output: DeregisterContainerInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DeregisterTaskDefinitionCommand.ts b/clients/client-ecs/src/commands/DeregisterTaskDefinitionCommand.ts index abef8006190d..b116852994d9 100644 --- a/clients/client-ecs/src/commands/DeregisterTaskDefinitionCommand.ts +++ b/clients/client-ecs/src/commands/DeregisterTaskDefinitionCommand.ts @@ -385,4 +385,16 @@ export class DeregisterTaskDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterTaskDefinitionCommand) .de(de_DeregisterTaskDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTaskDefinitionRequest; + output: DeregisterTaskDefinitionResponse; + }; + sdk: { + input: DeregisterTaskDefinitionCommandInput; + output: DeregisterTaskDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DescribeCapacityProvidersCommand.ts b/clients/client-ecs/src/commands/DescribeCapacityProvidersCommand.ts index 31a6663f0318..068bf369ee56 100644 --- a/clients/client-ecs/src/commands/DescribeCapacityProvidersCommand.ts +++ b/clients/client-ecs/src/commands/DescribeCapacityProvidersCommand.ts @@ -140,4 +140,16 @@ export class DescribeCapacityProvidersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCapacityProvidersCommand) .de(de_DescribeCapacityProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCapacityProvidersRequest; + output: DescribeCapacityProvidersResponse; + }; + sdk: { + input: DescribeCapacityProvidersCommandInput; + output: DescribeCapacityProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DescribeClustersCommand.ts b/clients/client-ecs/src/commands/DescribeClustersCommand.ts index 713dc05e8fa9..94609f4c4686 100644 --- a/clients/client-ecs/src/commands/DescribeClustersCommand.ts +++ b/clients/client-ecs/src/commands/DescribeClustersCommand.ts @@ -208,4 +208,16 @@ export class DescribeClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClustersCommand) .de(de_DescribeClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClustersRequest; + output: DescribeClustersResponse; + }; + sdk: { + input: DescribeClustersCommandInput; + output: DescribeClustersCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DescribeContainerInstancesCommand.ts b/clients/client-ecs/src/commands/DescribeContainerInstancesCommand.ts index 36944febb5af..6754a0bef4f9 100644 --- a/clients/client-ecs/src/commands/DescribeContainerInstancesCommand.ts +++ b/clients/client-ecs/src/commands/DescribeContainerInstancesCommand.ts @@ -285,4 +285,16 @@ export class DescribeContainerInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContainerInstancesCommand) .de(de_DescribeContainerInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContainerInstancesRequest; + output: DescribeContainerInstancesResponse; + }; + sdk: { + input: DescribeContainerInstancesCommandInput; + output: DescribeContainerInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DescribeServicesCommand.ts b/clients/client-ecs/src/commands/DescribeServicesCommand.ts index 239aa544f8b8..6e3484bb6d5c 100644 --- a/clients/client-ecs/src/commands/DescribeServicesCommand.ts +++ b/clients/client-ecs/src/commands/DescribeServicesCommand.ts @@ -442,4 +442,16 @@ export class DescribeServicesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServicesCommand) .de(de_DescribeServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServicesRequest; + output: DescribeServicesResponse; + }; + sdk: { + input: DescribeServicesCommandInput; + output: DescribeServicesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DescribeTaskDefinitionCommand.ts b/clients/client-ecs/src/commands/DescribeTaskDefinitionCommand.ts index 18b9ae4db6fe..a5873c32b30d 100644 --- a/clients/client-ecs/src/commands/DescribeTaskDefinitionCommand.ts +++ b/clients/client-ecs/src/commands/DescribeTaskDefinitionCommand.ts @@ -442,4 +442,16 @@ export class DescribeTaskDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTaskDefinitionCommand) .de(de_DescribeTaskDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTaskDefinitionRequest; + output: DescribeTaskDefinitionResponse; + }; + sdk: { + input: DescribeTaskDefinitionCommandInput; + output: DescribeTaskDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DescribeTaskSetsCommand.ts b/clients/client-ecs/src/commands/DescribeTaskSetsCommand.ts index 9276b3998b5e..08cb0cf1e1c7 100644 --- a/clients/client-ecs/src/commands/DescribeTaskSetsCommand.ts +++ b/clients/client-ecs/src/commands/DescribeTaskSetsCommand.ts @@ -201,4 +201,16 @@ export class DescribeTaskSetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTaskSetsCommand) .de(de_DescribeTaskSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTaskSetsRequest; + output: DescribeTaskSetsResponse; + }; + sdk: { + input: DescribeTaskSetsCommandInput; + output: DescribeTaskSetsCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DescribeTasksCommand.ts b/clients/client-ecs/src/commands/DescribeTasksCommand.ts index c09eb3c03649..61559811d2d0 100644 --- a/clients/client-ecs/src/commands/DescribeTasksCommand.ts +++ b/clients/client-ecs/src/commands/DescribeTasksCommand.ts @@ -331,4 +331,16 @@ export class DescribeTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTasksCommand) .de(de_DescribeTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTasksRequest; + output: DescribeTasksResponse; + }; + sdk: { + input: DescribeTasksCommandInput; + output: DescribeTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/DiscoverPollEndpointCommand.ts b/clients/client-ecs/src/commands/DiscoverPollEndpointCommand.ts index 04e38948a0d3..08519b4fc364 100644 --- a/clients/client-ecs/src/commands/DiscoverPollEndpointCommand.ts +++ b/clients/client-ecs/src/commands/DiscoverPollEndpointCommand.ts @@ -101,4 +101,16 @@ export class DiscoverPollEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DiscoverPollEndpointCommand) .de(de_DiscoverPollEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DiscoverPollEndpointRequest; + output: DiscoverPollEndpointResponse; + }; + sdk: { + input: DiscoverPollEndpointCommandInput; + output: DiscoverPollEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ExecuteCommandCommand.ts b/clients/client-ecs/src/commands/ExecuteCommandCommand.ts index 3b8b537482e4..6b51117cdc62 100644 --- a/clients/client-ecs/src/commands/ExecuteCommandCommand.ts +++ b/clients/client-ecs/src/commands/ExecuteCommandCommand.ts @@ -147,4 +147,16 @@ export class ExecuteCommandCommand extends $Command .f(void 0, ExecuteCommandResponseFilterSensitiveLog) .ser(se_ExecuteCommandCommand) .de(de_ExecuteCommandCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteCommandRequest; + output: ExecuteCommandResponse; + }; + sdk: { + input: ExecuteCommandCommandInput; + output: ExecuteCommandCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/GetTaskProtectionCommand.ts b/clients/client-ecs/src/commands/GetTaskProtectionCommand.ts index a576346097f4..7301d17dfa7f 100644 --- a/clients/client-ecs/src/commands/GetTaskProtectionCommand.ts +++ b/clients/client-ecs/src/commands/GetTaskProtectionCommand.ts @@ -153,4 +153,16 @@ export class GetTaskProtectionCommand extends $Command .f(void 0, void 0) .ser(se_GetTaskProtectionCommand) .de(de_GetTaskProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTaskProtectionRequest; + output: GetTaskProtectionResponse; + }; + sdk: { + input: GetTaskProtectionCommandInput; + output: GetTaskProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListAccountSettingsCommand.ts b/clients/client-ecs/src/commands/ListAccountSettingsCommand.ts index 6dd47cfb2bd6..e00fb1d4e941 100644 --- a/clients/client-ecs/src/commands/ListAccountSettingsCommand.ts +++ b/clients/client-ecs/src/commands/ListAccountSettingsCommand.ts @@ -177,4 +177,16 @@ export class ListAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountSettingsCommand) .de(de_ListAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountSettingsRequest; + output: ListAccountSettingsResponse; + }; + sdk: { + input: ListAccountSettingsCommandInput; + output: ListAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListAttributesCommand.ts b/clients/client-ecs/src/commands/ListAttributesCommand.ts index 6c53ef69080e..adf4688b2ebe 100644 --- a/clients/client-ecs/src/commands/ListAttributesCommand.ts +++ b/clients/client-ecs/src/commands/ListAttributesCommand.ts @@ -103,4 +103,16 @@ export class ListAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ListAttributesCommand) .de(de_ListAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttributesRequest; + output: ListAttributesResponse; + }; + sdk: { + input: ListAttributesCommandInput; + output: ListAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListClustersCommand.ts b/clients/client-ecs/src/commands/ListClustersCommand.ts index 62d18a4fe3a6..3f29ab18b518 100644 --- a/clients/client-ecs/src/commands/ListClustersCommand.ts +++ b/clients/client-ecs/src/commands/ListClustersCommand.ts @@ -120,4 +120,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResponse; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListContainerInstancesCommand.ts b/clients/client-ecs/src/commands/ListContainerInstancesCommand.ts index 2da6126319e2..eec98c3474fe 100644 --- a/clients/client-ecs/src/commands/ListContainerInstancesCommand.ts +++ b/clients/client-ecs/src/commands/ListContainerInstancesCommand.ts @@ -130,4 +130,16 @@ export class ListContainerInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListContainerInstancesCommand) .de(de_ListContainerInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContainerInstancesRequest; + output: ListContainerInstancesResponse; + }; + sdk: { + input: ListContainerInstancesCommandInput; + output: ListContainerInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListServicesByNamespaceCommand.ts b/clients/client-ecs/src/commands/ListServicesByNamespaceCommand.ts index a1a24c20c954..1e8848d2db64 100644 --- a/clients/client-ecs/src/commands/ListServicesByNamespaceCommand.ts +++ b/clients/client-ecs/src/commands/ListServicesByNamespaceCommand.ts @@ -111,4 +111,16 @@ export class ListServicesByNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesByNamespaceCommand) .de(de_ListServicesByNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesByNamespaceRequest; + output: ListServicesByNamespaceResponse; + }; + sdk: { + input: ListServicesByNamespaceCommandInput; + output: ListServicesByNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListServicesCommand.ts b/clients/client-ecs/src/commands/ListServicesCommand.ts index 9707f1e92526..6a3cf586ec31 100644 --- a/clients/client-ecs/src/commands/ListServicesCommand.ts +++ b/clients/client-ecs/src/commands/ListServicesCommand.ts @@ -126,4 +126,16 @@ export class ListServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesRequest; + output: ListServicesResponse; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListTagsForResourceCommand.ts b/clients/client-ecs/src/commands/ListTagsForResourceCommand.ts index 2e55d4276abe..0b2ab7ec67a3 100644 --- a/clients/client-ecs/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ecs/src/commands/ListTagsForResourceCommand.ts @@ -128,4 +128,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListTaskDefinitionFamiliesCommand.ts b/clients/client-ecs/src/commands/ListTaskDefinitionFamiliesCommand.ts index 420a35eee612..f3ff28721ba8 100644 --- a/clients/client-ecs/src/commands/ListTaskDefinitionFamiliesCommand.ts +++ b/clients/client-ecs/src/commands/ListTaskDefinitionFamiliesCommand.ts @@ -149,4 +149,16 @@ export class ListTaskDefinitionFamiliesCommand extends $Command .f(void 0, void 0) .ser(se_ListTaskDefinitionFamiliesCommand) .de(de_ListTaskDefinitionFamiliesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTaskDefinitionFamiliesRequest; + output: ListTaskDefinitionFamiliesResponse; + }; + sdk: { + input: ListTaskDefinitionFamiliesCommandInput; + output: ListTaskDefinitionFamiliesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListTaskDefinitionsCommand.ts b/clients/client-ecs/src/commands/ListTaskDefinitionsCommand.ts index 014ffedf27d1..7278947164ff 100644 --- a/clients/client-ecs/src/commands/ListTaskDefinitionsCommand.ts +++ b/clients/client-ecs/src/commands/ListTaskDefinitionsCommand.ts @@ -150,4 +150,16 @@ export class ListTaskDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTaskDefinitionsCommand) .de(de_ListTaskDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTaskDefinitionsRequest; + output: ListTaskDefinitionsResponse; + }; + sdk: { + input: ListTaskDefinitionsCommandInput; + output: ListTaskDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/ListTasksCommand.ts b/clients/client-ecs/src/commands/ListTasksCommand.ts index e9129985ba41..c28a82c94c2a 100644 --- a/clients/client-ecs/src/commands/ListTasksCommand.ts +++ b/clients/client-ecs/src/commands/ListTasksCommand.ts @@ -158,4 +158,16 @@ export class ListTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListTasksCommand) .de(de_ListTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTasksRequest; + output: ListTasksResponse; + }; + sdk: { + input: ListTasksCommandInput; + output: ListTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/PutAccountSettingCommand.ts b/clients/client-ecs/src/commands/PutAccountSettingCommand.ts index ebd783404a83..60fa2da0d246 100644 --- a/clients/client-ecs/src/commands/PutAccountSettingCommand.ts +++ b/clients/client-ecs/src/commands/PutAccountSettingCommand.ts @@ -153,4 +153,16 @@ export class PutAccountSettingCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountSettingCommand) .de(de_PutAccountSettingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountSettingRequest; + output: PutAccountSettingResponse; + }; + sdk: { + input: PutAccountSettingCommandInput; + output: PutAccountSettingCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/PutAccountSettingDefaultCommand.ts b/clients/client-ecs/src/commands/PutAccountSettingDefaultCommand.ts index bd5d0d98b90c..e94d3738c4e7 100644 --- a/clients/client-ecs/src/commands/PutAccountSettingDefaultCommand.ts +++ b/clients/client-ecs/src/commands/PutAccountSettingDefaultCommand.ts @@ -127,4 +127,16 @@ export class PutAccountSettingDefaultCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountSettingDefaultCommand) .de(de_PutAccountSettingDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountSettingDefaultRequest; + output: PutAccountSettingDefaultResponse; + }; + sdk: { + input: PutAccountSettingDefaultCommandInput; + output: PutAccountSettingDefaultCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/PutAttributesCommand.ts b/clients/client-ecs/src/commands/PutAttributesCommand.ts index 32a80183efc7..59ec6d90380e 100644 --- a/clients/client-ecs/src/commands/PutAttributesCommand.ts +++ b/clients/client-ecs/src/commands/PutAttributesCommand.ts @@ -112,4 +112,16 @@ export class PutAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutAttributesCommand) .de(de_PutAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAttributesRequest; + output: PutAttributesResponse; + }; + sdk: { + input: PutAttributesCommandInput; + output: PutAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/PutClusterCapacityProvidersCommand.ts b/clients/client-ecs/src/commands/PutClusterCapacityProvidersCommand.ts index 94fabf2b8b10..7d0fefa78132 100644 --- a/clients/client-ecs/src/commands/PutClusterCapacityProvidersCommand.ts +++ b/clients/client-ecs/src/commands/PutClusterCapacityProvidersCommand.ts @@ -207,4 +207,16 @@ export class PutClusterCapacityProvidersCommand extends $Command .f(void 0, void 0) .ser(se_PutClusterCapacityProvidersCommand) .de(de_PutClusterCapacityProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutClusterCapacityProvidersRequest; + output: PutClusterCapacityProvidersResponse; + }; + sdk: { + input: PutClusterCapacityProvidersCommandInput; + output: PutClusterCapacityProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/RegisterContainerInstanceCommand.ts b/clients/client-ecs/src/commands/RegisterContainerInstanceCommand.ts index 97d54006f7d3..954fa1ea3246 100644 --- a/clients/client-ecs/src/commands/RegisterContainerInstanceCommand.ts +++ b/clients/client-ecs/src/commands/RegisterContainerInstanceCommand.ts @@ -222,4 +222,16 @@ export class RegisterContainerInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RegisterContainerInstanceCommand) .de(de_RegisterContainerInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterContainerInstanceRequest; + output: RegisterContainerInstanceResponse; + }; + sdk: { + input: RegisterContainerInstanceCommandInput; + output: RegisterContainerInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/RegisterTaskDefinitionCommand.ts b/clients/client-ecs/src/commands/RegisterTaskDefinitionCommand.ts index c637a3d50498..0505b6d90b04 100644 --- a/clients/client-ecs/src/commands/RegisterTaskDefinitionCommand.ts +++ b/clients/client-ecs/src/commands/RegisterTaskDefinitionCommand.ts @@ -697,4 +697,16 @@ export class RegisterTaskDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_RegisterTaskDefinitionCommand) .de(de_RegisterTaskDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTaskDefinitionRequest; + output: RegisterTaskDefinitionResponse; + }; + sdk: { + input: RegisterTaskDefinitionCommandInput; + output: RegisterTaskDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/RunTaskCommand.ts b/clients/client-ecs/src/commands/RunTaskCommand.ts index 53ef8d11119a..e2a649287bed 100644 --- a/clients/client-ecs/src/commands/RunTaskCommand.ts +++ b/clients/client-ecs/src/commands/RunTaskCommand.ts @@ -498,4 +498,16 @@ export class RunTaskCommand extends $Command .f(void 0, void 0) .ser(se_RunTaskCommand) .de(de_RunTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RunTaskRequest; + output: RunTaskResponse; + }; + sdk: { + input: RunTaskCommandInput; + output: RunTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/StartTaskCommand.ts b/clients/client-ecs/src/commands/StartTaskCommand.ts index 09d3aff9bd71..756fc575d3e3 100644 --- a/clients/client-ecs/src/commands/StartTaskCommand.ts +++ b/clients/client-ecs/src/commands/StartTaskCommand.ts @@ -382,4 +382,16 @@ export class StartTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartTaskCommand) .de(de_StartTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTaskRequest; + output: StartTaskResponse; + }; + sdk: { + input: StartTaskCommandInput; + output: StartTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/StopTaskCommand.ts b/clients/client-ecs/src/commands/StopTaskCommand.ts index 6e039db7ce06..b46711ead71e 100644 --- a/clients/client-ecs/src/commands/StopTaskCommand.ts +++ b/clients/client-ecs/src/commands/StopTaskCommand.ts @@ -278,4 +278,16 @@ export class StopTaskCommand extends $Command .f(void 0, void 0) .ser(se_StopTaskCommand) .de(de_StopTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTaskRequest; + output: StopTaskResponse; + }; + sdk: { + input: StopTaskCommandInput; + output: StopTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/SubmitAttachmentStateChangesCommand.ts b/clients/client-ecs/src/commands/SubmitAttachmentStateChangesCommand.ts index d8013f978285..4f20193ca9ee 100644 --- a/clients/client-ecs/src/commands/SubmitAttachmentStateChangesCommand.ts +++ b/clients/client-ecs/src/commands/SubmitAttachmentStateChangesCommand.ts @@ -116,4 +116,16 @@ export class SubmitAttachmentStateChangesCommand extends $Command .f(void 0, void 0) .ser(se_SubmitAttachmentStateChangesCommand) .de(de_SubmitAttachmentStateChangesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitAttachmentStateChangesRequest; + output: SubmitAttachmentStateChangesResponse; + }; + sdk: { + input: SubmitAttachmentStateChangesCommandInput; + output: SubmitAttachmentStateChangesCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/SubmitContainerStateChangeCommand.ts b/clients/client-ecs/src/commands/SubmitContainerStateChangeCommand.ts index 03331bbdb55b..077fc7f3e8b0 100644 --- a/clients/client-ecs/src/commands/SubmitContainerStateChangeCommand.ts +++ b/clients/client-ecs/src/commands/SubmitContainerStateChangeCommand.ts @@ -117,4 +117,16 @@ export class SubmitContainerStateChangeCommand extends $Command .f(void 0, void 0) .ser(se_SubmitContainerStateChangeCommand) .de(de_SubmitContainerStateChangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitContainerStateChangeRequest; + output: SubmitContainerStateChangeResponse; + }; + sdk: { + input: SubmitContainerStateChangeCommandInput; + output: SubmitContainerStateChangeCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/SubmitTaskStateChangeCommand.ts b/clients/client-ecs/src/commands/SubmitTaskStateChangeCommand.ts index e8094655398c..c7c04cb1a3c7 100644 --- a/clients/client-ecs/src/commands/SubmitTaskStateChangeCommand.ts +++ b/clients/client-ecs/src/commands/SubmitTaskStateChangeCommand.ts @@ -145,4 +145,16 @@ export class SubmitTaskStateChangeCommand extends $Command .f(void 0, void 0) .ser(se_SubmitTaskStateChangeCommand) .de(de_SubmitTaskStateChangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitTaskStateChangeRequest; + output: SubmitTaskStateChangeResponse; + }; + sdk: { + input: SubmitTaskStateChangeCommandInput; + output: SubmitTaskStateChangeCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/TagResourceCommand.ts b/clients/client-ecs/src/commands/TagResourceCommand.ts index eda2197359ea..02921f8c566f 100644 --- a/clients/client-ecs/src/commands/TagResourceCommand.ts +++ b/clients/client-ecs/src/commands/TagResourceCommand.ts @@ -129,4 +129,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UntagResourceCommand.ts b/clients/client-ecs/src/commands/UntagResourceCommand.ts index e2e48429fb6f..4830022bab81 100644 --- a/clients/client-ecs/src/commands/UntagResourceCommand.ts +++ b/clients/client-ecs/src/commands/UntagResourceCommand.ts @@ -120,4 +120,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateCapacityProviderCommand.ts b/clients/client-ecs/src/commands/UpdateCapacityProviderCommand.ts index afe0af80449a..e15af2d64c31 100644 --- a/clients/client-ecs/src/commands/UpdateCapacityProviderCommand.ts +++ b/clients/client-ecs/src/commands/UpdateCapacityProviderCommand.ts @@ -134,4 +134,16 @@ export class UpdateCapacityProviderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCapacityProviderCommand) .de(de_UpdateCapacityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCapacityProviderRequest; + output: UpdateCapacityProviderResponse; + }; + sdk: { + input: UpdateCapacityProviderCommandInput; + output: UpdateCapacityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateClusterCommand.ts b/clients/client-ecs/src/commands/UpdateClusterCommand.ts index bf5444ef2d10..0ea37f48e9c4 100644 --- a/clients/client-ecs/src/commands/UpdateClusterCommand.ts +++ b/clients/client-ecs/src/commands/UpdateClusterCommand.ts @@ -201,4 +201,16 @@ export class UpdateClusterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterCommand) .de(de_UpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterRequest; + output: UpdateClusterResponse; + }; + sdk: { + input: UpdateClusterCommandInput; + output: UpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateClusterSettingsCommand.ts b/clients/client-ecs/src/commands/UpdateClusterSettingsCommand.ts index e47ac23d4523..8af6c34b64b0 100644 --- a/clients/client-ecs/src/commands/UpdateClusterSettingsCommand.ts +++ b/clients/client-ecs/src/commands/UpdateClusterSettingsCommand.ts @@ -178,4 +178,16 @@ export class UpdateClusterSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterSettingsCommand) .de(de_UpdateClusterSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterSettingsRequest; + output: UpdateClusterSettingsResponse; + }; + sdk: { + input: UpdateClusterSettingsCommandInput; + output: UpdateClusterSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateContainerAgentCommand.ts b/clients/client-ecs/src/commands/UpdateContainerAgentCommand.ts index a28d4e6ae7b7..b887ae663c7a 100644 --- a/clients/client-ecs/src/commands/UpdateContainerAgentCommand.ts +++ b/clients/client-ecs/src/commands/UpdateContainerAgentCommand.ts @@ -218,4 +218,16 @@ export class UpdateContainerAgentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContainerAgentCommand) .de(de_UpdateContainerAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContainerAgentRequest; + output: UpdateContainerAgentResponse; + }; + sdk: { + input: UpdateContainerAgentCommandInput; + output: UpdateContainerAgentCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateContainerInstancesStateCommand.ts b/clients/client-ecs/src/commands/UpdateContainerInstancesStateCommand.ts index a923c3b7ea9a..26f3f41380cb 100644 --- a/clients/client-ecs/src/commands/UpdateContainerInstancesStateCommand.ts +++ b/clients/client-ecs/src/commands/UpdateContainerInstancesStateCommand.ts @@ -247,4 +247,16 @@ export class UpdateContainerInstancesStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContainerInstancesStateCommand) .de(de_UpdateContainerInstancesStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContainerInstancesStateRequest; + output: UpdateContainerInstancesStateResponse; + }; + sdk: { + input: UpdateContainerInstancesStateCommandInput; + output: UpdateContainerInstancesStateCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateServiceCommand.ts b/clients/client-ecs/src/commands/UpdateServiceCommand.ts index f9d397338723..e397fa84e9dc 100644 --- a/clients/client-ecs/src/commands/UpdateServiceCommand.ts +++ b/clients/client-ecs/src/commands/UpdateServiceCommand.ts @@ -693,4 +693,16 @@ export class UpdateServiceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceCommand) .de(de_UpdateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceRequest; + output: UpdateServiceResponse; + }; + sdk: { + input: UpdateServiceCommandInput; + output: UpdateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateServicePrimaryTaskSetCommand.ts b/clients/client-ecs/src/commands/UpdateServicePrimaryTaskSetCommand.ts index f3a2c0e276bd..efa70ea94280 100644 --- a/clients/client-ecs/src/commands/UpdateServicePrimaryTaskSetCommand.ts +++ b/clients/client-ecs/src/commands/UpdateServicePrimaryTaskSetCommand.ts @@ -194,4 +194,16 @@ export class UpdateServicePrimaryTaskSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServicePrimaryTaskSetCommand) .de(de_UpdateServicePrimaryTaskSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServicePrimaryTaskSetRequest; + output: UpdateServicePrimaryTaskSetResponse; + }; + sdk: { + input: UpdateServicePrimaryTaskSetCommandInput; + output: UpdateServicePrimaryTaskSetCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateTaskProtectionCommand.ts b/clients/client-ecs/src/commands/UpdateTaskProtectionCommand.ts index 22081a3f3787..1a57e040e80e 100644 --- a/clients/client-ecs/src/commands/UpdateTaskProtectionCommand.ts +++ b/clients/client-ecs/src/commands/UpdateTaskProtectionCommand.ts @@ -236,4 +236,16 @@ export class UpdateTaskProtectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTaskProtectionCommand) .de(de_UpdateTaskProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTaskProtectionRequest; + output: UpdateTaskProtectionResponse; + }; + sdk: { + input: UpdateTaskProtectionCommandInput; + output: UpdateTaskProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-ecs/src/commands/UpdateTaskSetCommand.ts b/clients/client-ecs/src/commands/UpdateTaskSetCommand.ts index b4389acb1e4f..f92c8c65942c 100644 --- a/clients/client-ecs/src/commands/UpdateTaskSetCommand.ts +++ b/clients/client-ecs/src/commands/UpdateTaskSetCommand.ts @@ -195,4 +195,16 @@ export class UpdateTaskSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTaskSetCommand) .de(de_UpdateTaskSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTaskSetRequest; + output: UpdateTaskSetResponse; + }; + sdk: { + input: UpdateTaskSetCommandInput; + output: UpdateTaskSetCommandOutput; + }; + }; +} diff --git a/clients/client-efs/package.json b/clients/client-efs/package.json index 98c084b08a28..83c8c9465070 100644 --- a/clients/client-efs/package.json +++ b/clients/client-efs/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-efs/src/commands/CreateAccessPointCommand.ts b/clients/client-efs/src/commands/CreateAccessPointCommand.ts index 6ae12685e3d3..9566bc1c8a24 100644 --- a/clients/client-efs/src/commands/CreateAccessPointCommand.ts +++ b/clients/client-efs/src/commands/CreateAccessPointCommand.ts @@ -173,4 +173,16 @@ export class CreateAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessPointCommand) .de(de_CreateAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessPointRequest; + output: AccessPointDescription; + }; + sdk: { + input: CreateAccessPointCommandInput; + output: CreateAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/CreateFileSystemCommand.ts b/clients/client-efs/src/commands/CreateFileSystemCommand.ts index 6c36cc570fa7..19e1e32908bf 100644 --- a/clients/client-efs/src/commands/CreateFileSystemCommand.ts +++ b/clients/client-efs/src/commands/CreateFileSystemCommand.ts @@ -247,4 +247,16 @@ export class CreateFileSystemCommand extends $Command .f(void 0, void 0) .ser(se_CreateFileSystemCommand) .de(de_CreateFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFileSystemRequest; + output: FileSystemDescription; + }; + sdk: { + input: CreateFileSystemCommandInput; + output: CreateFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/CreateMountTargetCommand.ts b/clients/client-efs/src/commands/CreateMountTargetCommand.ts index a90bc9208299..81000f3edbea 100644 --- a/clients/client-efs/src/commands/CreateMountTargetCommand.ts +++ b/clients/client-efs/src/commands/CreateMountTargetCommand.ts @@ -307,4 +307,16 @@ export class CreateMountTargetCommand extends $Command .f(void 0, void 0) .ser(se_CreateMountTargetCommand) .de(de_CreateMountTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMountTargetRequest; + output: MountTargetDescription; + }; + sdk: { + input: CreateMountTargetCommandInput; + output: CreateMountTargetCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/CreateReplicationConfigurationCommand.ts b/clients/client-efs/src/commands/CreateReplicationConfigurationCommand.ts index e1de905988db..2971a287a969 100644 --- a/clients/client-efs/src/commands/CreateReplicationConfigurationCommand.ts +++ b/clients/client-efs/src/commands/CreateReplicationConfigurationCommand.ts @@ -232,4 +232,16 @@ export class CreateReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationConfigurationCommand) .de(de_CreateReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationConfigurationRequest; + output: ReplicationConfigurationDescription; + }; + sdk: { + input: CreateReplicationConfigurationCommandInput; + output: CreateReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/CreateTagsCommand.ts b/clients/client-efs/src/commands/CreateTagsCommand.ts index bb52c6d703b1..20b054552264 100644 --- a/clients/client-efs/src/commands/CreateTagsCommand.ts +++ b/clients/client-efs/src/commands/CreateTagsCommand.ts @@ -120,4 +120,16 @@ export class CreateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagsCommand) .de(de_CreateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagsRequest; + output: {}; + }; + sdk: { + input: CreateTagsCommandInput; + output: CreateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DeleteAccessPointCommand.ts b/clients/client-efs/src/commands/DeleteAccessPointCommand.ts index 9ff1e0133046..db3d9ecb38c0 100644 --- a/clients/client-efs/src/commands/DeleteAccessPointCommand.ts +++ b/clients/client-efs/src/commands/DeleteAccessPointCommand.ts @@ -89,4 +89,16 @@ export class DeleteAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessPointCommand) .de(de_DeleteAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPointRequest; + output: {}; + }; + sdk: { + input: DeleteAccessPointCommandInput; + output: DeleteAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DeleteFileSystemCommand.ts b/clients/client-efs/src/commands/DeleteFileSystemCommand.ts index 314c3b357ed5..c2602e20d905 100644 --- a/clients/client-efs/src/commands/DeleteFileSystemCommand.ts +++ b/clients/client-efs/src/commands/DeleteFileSystemCommand.ts @@ -119,4 +119,16 @@ export class DeleteFileSystemCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFileSystemCommand) .de(de_DeleteFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFileSystemRequest; + output: {}; + }; + sdk: { + input: DeleteFileSystemCommandInput; + output: DeleteFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DeleteFileSystemPolicyCommand.ts b/clients/client-efs/src/commands/DeleteFileSystemPolicyCommand.ts index e0ce274fa05d..b6e930ab4355 100644 --- a/clients/client-efs/src/commands/DeleteFileSystemPolicyCommand.ts +++ b/clients/client-efs/src/commands/DeleteFileSystemPolicyCommand.ts @@ -92,4 +92,16 @@ export class DeleteFileSystemPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFileSystemPolicyCommand) .de(de_DeleteFileSystemPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFileSystemPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteFileSystemPolicyCommandInput; + output: DeleteFileSystemPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DeleteMountTargetCommand.ts b/clients/client-efs/src/commands/DeleteMountTargetCommand.ts index 150841d5a47a..3aa8aa064b85 100644 --- a/clients/client-efs/src/commands/DeleteMountTargetCommand.ts +++ b/clients/client-efs/src/commands/DeleteMountTargetCommand.ts @@ -131,4 +131,16 @@ export class DeleteMountTargetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMountTargetCommand) .de(de_DeleteMountTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMountTargetRequest; + output: {}; + }; + sdk: { + input: DeleteMountTargetCommandInput; + output: DeleteMountTargetCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DeleteReplicationConfigurationCommand.ts b/clients/client-efs/src/commands/DeleteReplicationConfigurationCommand.ts index 8fd6135f6442..f334623bd7b0 100644 --- a/clients/client-efs/src/commands/DeleteReplicationConfigurationCommand.ts +++ b/clients/client-efs/src/commands/DeleteReplicationConfigurationCommand.ts @@ -98,4 +98,16 @@ export class DeleteReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationConfigurationCommand) .de(de_DeleteReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteReplicationConfigurationCommandInput; + output: DeleteReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DeleteTagsCommand.ts b/clients/client-efs/src/commands/DeleteTagsCommand.ts index 345b31df5227..8a24ddb597a8 100644 --- a/clients/client-efs/src/commands/DeleteTagsCommand.ts +++ b/clients/client-efs/src/commands/DeleteTagsCommand.ts @@ -114,4 +114,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsRequest; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeAccessPointsCommand.ts b/clients/client-efs/src/commands/DescribeAccessPointsCommand.ts index 41fdba1f643d..4708f7ae1bc8 100644 --- a/clients/client-efs/src/commands/DescribeAccessPointsCommand.ts +++ b/clients/client-efs/src/commands/DescribeAccessPointsCommand.ts @@ -132,4 +132,16 @@ export class DescribeAccessPointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccessPointsCommand) .de(de_DescribeAccessPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccessPointsRequest; + output: DescribeAccessPointsResponse; + }; + sdk: { + input: DescribeAccessPointsCommandInput; + output: DescribeAccessPointsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeAccountPreferencesCommand.ts b/clients/client-efs/src/commands/DescribeAccountPreferencesCommand.ts index 074138b2dc27..5eda9fb98a84 100644 --- a/clients/client-efs/src/commands/DescribeAccountPreferencesCommand.ts +++ b/clients/client-efs/src/commands/DescribeAccountPreferencesCommand.ts @@ -87,4 +87,16 @@ export class DescribeAccountPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountPreferencesCommand) .de(de_DescribeAccountPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountPreferencesRequest; + output: DescribeAccountPreferencesResponse; + }; + sdk: { + input: DescribeAccountPreferencesCommandInput; + output: DescribeAccountPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeBackupPolicyCommand.ts b/clients/client-efs/src/commands/DescribeBackupPolicyCommand.ts index 95a8a393bef9..397294641120 100644 --- a/clients/client-efs/src/commands/DescribeBackupPolicyCommand.ts +++ b/clients/client-efs/src/commands/DescribeBackupPolicyCommand.ts @@ -96,4 +96,16 @@ export class DescribeBackupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBackupPolicyCommand) .de(de_DescribeBackupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBackupPolicyRequest; + output: BackupPolicyDescription; + }; + sdk: { + input: DescribeBackupPolicyCommandInput; + output: DescribeBackupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeFileSystemPolicyCommand.ts b/clients/client-efs/src/commands/DescribeFileSystemPolicyCommand.ts index 51abc74a0cab..aae13adec5d0 100644 --- a/clients/client-efs/src/commands/DescribeFileSystemPolicyCommand.ts +++ b/clients/client-efs/src/commands/DescribeFileSystemPolicyCommand.ts @@ -94,4 +94,16 @@ export class DescribeFileSystemPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFileSystemPolicyCommand) .de(de_DescribeFileSystemPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFileSystemPolicyRequest; + output: FileSystemPolicyDescription; + }; + sdk: { + input: DescribeFileSystemPolicyCommandInput; + output: DescribeFileSystemPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeFileSystemsCommand.ts b/clients/client-efs/src/commands/DescribeFileSystemsCommand.ts index 6d1408bd845c..679013457f33 100644 --- a/clients/client-efs/src/commands/DescribeFileSystemsCommand.ts +++ b/clients/client-efs/src/commands/DescribeFileSystemsCommand.ts @@ -180,4 +180,16 @@ export class DescribeFileSystemsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFileSystemsCommand) .de(de_DescribeFileSystemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFileSystemsRequest; + output: DescribeFileSystemsResponse; + }; + sdk: { + input: DescribeFileSystemsCommandInput; + output: DescribeFileSystemsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeLifecycleConfigurationCommand.ts b/clients/client-efs/src/commands/DescribeLifecycleConfigurationCommand.ts index 9184f6944156..a22aa8550bd8 100644 --- a/clients/client-efs/src/commands/DescribeLifecycleConfigurationCommand.ts +++ b/clients/client-efs/src/commands/DescribeLifecycleConfigurationCommand.ts @@ -125,4 +125,16 @@ export class DescribeLifecycleConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLifecycleConfigurationCommand) .de(de_DescribeLifecycleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLifecycleConfigurationRequest; + output: LifecycleConfigurationDescription; + }; + sdk: { + input: DescribeLifecycleConfigurationCommandInput; + output: DescribeLifecycleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeMountTargetSecurityGroupsCommand.ts b/clients/client-efs/src/commands/DescribeMountTargetSecurityGroupsCommand.ts index 4cfba702cf78..55d43c1e3362 100644 --- a/clients/client-efs/src/commands/DescribeMountTargetSecurityGroupsCommand.ts +++ b/clients/client-efs/src/commands/DescribeMountTargetSecurityGroupsCommand.ts @@ -135,4 +135,16 @@ export class DescribeMountTargetSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMountTargetSecurityGroupsCommand) .de(de_DescribeMountTargetSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMountTargetSecurityGroupsRequest; + output: DescribeMountTargetSecurityGroupsResponse; + }; + sdk: { + input: DescribeMountTargetSecurityGroupsCommandInput; + output: DescribeMountTargetSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeMountTargetsCommand.ts b/clients/client-efs/src/commands/DescribeMountTargetsCommand.ts index 29e5aba78eae..23a6c0f6dd7b 100644 --- a/clients/client-efs/src/commands/DescribeMountTargetsCommand.ts +++ b/clients/client-efs/src/commands/DescribeMountTargetsCommand.ts @@ -147,4 +147,16 @@ export class DescribeMountTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMountTargetsCommand) .de(de_DescribeMountTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMountTargetsRequest; + output: DescribeMountTargetsResponse; + }; + sdk: { + input: DescribeMountTargetsCommandInput; + output: DescribeMountTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeReplicationConfigurationsCommand.ts b/clients/client-efs/src/commands/DescribeReplicationConfigurationsCommand.ts index 1b1a248ca7b6..f569ce587ec9 100644 --- a/clients/client-efs/src/commands/DescribeReplicationConfigurationsCommand.ts +++ b/clients/client-efs/src/commands/DescribeReplicationConfigurationsCommand.ts @@ -124,4 +124,16 @@ export class DescribeReplicationConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationConfigurationsCommand) .de(de_DescribeReplicationConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationConfigurationsRequest; + output: DescribeReplicationConfigurationsResponse; + }; + sdk: { + input: DescribeReplicationConfigurationsCommandInput; + output: DescribeReplicationConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/DescribeTagsCommand.ts b/clients/client-efs/src/commands/DescribeTagsCommand.ts index 8aaf8fa97bba..e666f347a23d 100644 --- a/clients/client-efs/src/commands/DescribeTagsCommand.ts +++ b/clients/client-efs/src/commands/DescribeTagsCommand.ts @@ -129,4 +129,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsRequest; + output: DescribeTagsResponse; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/ListTagsForResourceCommand.ts b/clients/client-efs/src/commands/ListTagsForResourceCommand.ts index cf8d18b36614..725e54da1897 100644 --- a/clients/client-efs/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-efs/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/ModifyMountTargetSecurityGroupsCommand.ts b/clients/client-efs/src/commands/ModifyMountTargetSecurityGroupsCommand.ts index d741379bd245..dccf00ac5ed4 100644 --- a/clients/client-efs/src/commands/ModifyMountTargetSecurityGroupsCommand.ts +++ b/clients/client-efs/src/commands/ModifyMountTargetSecurityGroupsCommand.ts @@ -137,4 +137,16 @@ export class ModifyMountTargetSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyMountTargetSecurityGroupsCommand) .de(de_ModifyMountTargetSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyMountTargetSecurityGroupsRequest; + output: {}; + }; + sdk: { + input: ModifyMountTargetSecurityGroupsCommandInput; + output: ModifyMountTargetSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/PutAccountPreferencesCommand.ts b/clients/client-efs/src/commands/PutAccountPreferencesCommand.ts index 609fe39bae67..2187be47468a 100644 --- a/clients/client-efs/src/commands/PutAccountPreferencesCommand.ts +++ b/clients/client-efs/src/commands/PutAccountPreferencesCommand.ts @@ -98,4 +98,16 @@ export class PutAccountPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountPreferencesCommand) .de(de_PutAccountPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountPreferencesRequest; + output: PutAccountPreferencesResponse; + }; + sdk: { + input: PutAccountPreferencesCommandInput; + output: PutAccountPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/PutBackupPolicyCommand.ts b/clients/client-efs/src/commands/PutBackupPolicyCommand.ts index 3888aa6dc26f..7c395946c0a4 100644 --- a/clients/client-efs/src/commands/PutBackupPolicyCommand.ts +++ b/clients/client-efs/src/commands/PutBackupPolicyCommand.ts @@ -99,4 +99,16 @@ export class PutBackupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutBackupPolicyCommand) .de(de_PutBackupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBackupPolicyRequest; + output: BackupPolicyDescription; + }; + sdk: { + input: PutBackupPolicyCommandInput; + output: PutBackupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/PutFileSystemPolicyCommand.ts b/clients/client-efs/src/commands/PutFileSystemPolicyCommand.ts index e9b9648ff452..5cac6184539f 100644 --- a/clients/client-efs/src/commands/PutFileSystemPolicyCommand.ts +++ b/clients/client-efs/src/commands/PutFileSystemPolicyCommand.ts @@ -110,4 +110,16 @@ export class PutFileSystemPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutFileSystemPolicyCommand) .de(de_PutFileSystemPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFileSystemPolicyRequest; + output: FileSystemPolicyDescription; + }; + sdk: { + input: PutFileSystemPolicyCommandInput; + output: PutFileSystemPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/PutLifecycleConfigurationCommand.ts b/clients/client-efs/src/commands/PutLifecycleConfigurationCommand.ts index 4f5a201e7741..b2b0fc9b3bfa 100644 --- a/clients/client-efs/src/commands/PutLifecycleConfigurationCommand.ts +++ b/clients/client-efs/src/commands/PutLifecycleConfigurationCommand.ts @@ -192,4 +192,16 @@ export class PutLifecycleConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutLifecycleConfigurationCommand) .de(de_PutLifecycleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLifecycleConfigurationRequest; + output: LifecycleConfigurationDescription; + }; + sdk: { + input: PutLifecycleConfigurationCommandInput; + output: PutLifecycleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/TagResourceCommand.ts b/clients/client-efs/src/commands/TagResourceCommand.ts index 26ac4f3aff1f..d49dc4ccab7b 100644 --- a/clients/client-efs/src/commands/TagResourceCommand.ts +++ b/clients/client-efs/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/UntagResourceCommand.ts b/clients/client-efs/src/commands/UntagResourceCommand.ts index af4974ad5c98..366e91d7194c 100644 --- a/clients/client-efs/src/commands/UntagResourceCommand.ts +++ b/clients/client-efs/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/UpdateFileSystemCommand.ts b/clients/client-efs/src/commands/UpdateFileSystemCommand.ts index b95607a0e796..33160cd0cdb2 100644 --- a/clients/client-efs/src/commands/UpdateFileSystemCommand.ts +++ b/clients/client-efs/src/commands/UpdateFileSystemCommand.ts @@ -139,4 +139,16 @@ export class UpdateFileSystemCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFileSystemCommand) .de(de_UpdateFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFileSystemRequest; + output: FileSystemDescription; + }; + sdk: { + input: UpdateFileSystemCommandInput; + output: UpdateFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-efs/src/commands/UpdateFileSystemProtectionCommand.ts b/clients/client-efs/src/commands/UpdateFileSystemProtectionCommand.ts index f0c87f4a78f5..2ba338809da4 100644 --- a/clients/client-efs/src/commands/UpdateFileSystemProtectionCommand.ts +++ b/clients/client-efs/src/commands/UpdateFileSystemProtectionCommand.ts @@ -112,4 +112,16 @@ export class UpdateFileSystemProtectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFileSystemProtectionCommand) .de(de_UpdateFileSystemProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFileSystemProtectionRequest; + output: FileSystemProtectionDescription; + }; + sdk: { + input: UpdateFileSystemProtectionCommandInput; + output: UpdateFileSystemProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-eks-auth/package.json b/clients/client-eks-auth/package.json index e0ca0622acc6..5868e961ece9 100644 --- a/clients/client-eks-auth/package.json +++ b/clients/client-eks-auth/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-eks-auth/src/commands/AssumeRoleForPodIdentityCommand.ts b/clients/client-eks-auth/src/commands/AssumeRoleForPodIdentityCommand.ts index d6b5b12f2d0e..b9e2c654574f 100644 --- a/clients/client-eks-auth/src/commands/AssumeRoleForPodIdentityCommand.ts +++ b/clients/client-eks-auth/src/commands/AssumeRoleForPodIdentityCommand.ts @@ -137,4 +137,16 @@ export class AssumeRoleForPodIdentityCommand extends $Command .f(AssumeRoleForPodIdentityRequestFilterSensitiveLog, AssumeRoleForPodIdentityResponseFilterSensitiveLog) .ser(se_AssumeRoleForPodIdentityCommand) .de(de_AssumeRoleForPodIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeRoleForPodIdentityRequest; + output: AssumeRoleForPodIdentityResponse; + }; + sdk: { + input: AssumeRoleForPodIdentityCommandInput; + output: AssumeRoleForPodIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-eks/package.json b/clients/client-eks/package.json index db6685f08ef7..48c9a0d9aac6 100644 --- a/clients/client-eks/package.json +++ b/clients/client-eks/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-eks/src/commands/AssociateAccessPolicyCommand.ts b/clients/client-eks/src/commands/AssociateAccessPolicyCommand.ts index 3d78c7f436e0..91cece6d9a2b 100644 --- a/clients/client-eks/src/commands/AssociateAccessPolicyCommand.ts +++ b/clients/client-eks/src/commands/AssociateAccessPolicyCommand.ts @@ -115,4 +115,16 @@ export class AssociateAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAccessPolicyCommand) .de(de_AssociateAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAccessPolicyRequest; + output: AssociateAccessPolicyResponse; + }; + sdk: { + input: AssociateAccessPolicyCommandInput; + output: AssociateAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/AssociateEncryptionConfigCommand.ts b/clients/client-eks/src/commands/AssociateEncryptionConfigCommand.ts index b842c922bfdb..f9ba3adbf9e7 100644 --- a/clients/client-eks/src/commands/AssociateEncryptionConfigCommand.ts +++ b/clients/client-eks/src/commands/AssociateEncryptionConfigCommand.ts @@ -135,4 +135,16 @@ export class AssociateEncryptionConfigCommand extends $Command .f(void 0, void 0) .ser(se_AssociateEncryptionConfigCommand) .de(de_AssociateEncryptionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateEncryptionConfigRequest; + output: AssociateEncryptionConfigResponse; + }; + sdk: { + input: AssociateEncryptionConfigCommandInput; + output: AssociateEncryptionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/AssociateIdentityProviderConfigCommand.ts b/clients/client-eks/src/commands/AssociateIdentityProviderConfigCommand.ts index ab3805a03fdc..34120275b213 100644 --- a/clients/client-eks/src/commands/AssociateIdentityProviderConfigCommand.ts +++ b/clients/client-eks/src/commands/AssociateIdentityProviderConfigCommand.ts @@ -152,4 +152,16 @@ export class AssociateIdentityProviderConfigCommand extends $Command .f(void 0, void 0) .ser(se_AssociateIdentityProviderConfigCommand) .de(de_AssociateIdentityProviderConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateIdentityProviderConfigRequest; + output: AssociateIdentityProviderConfigResponse; + }; + sdk: { + input: AssociateIdentityProviderConfigCommandInput; + output: AssociateIdentityProviderConfigCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/CreateAccessEntryCommand.ts b/clients/client-eks/src/commands/CreateAccessEntryCommand.ts index 85deefee70bc..06830ce9f317 100644 --- a/clients/client-eks/src/commands/CreateAccessEntryCommand.ts +++ b/clients/client-eks/src/commands/CreateAccessEntryCommand.ts @@ -135,4 +135,16 @@ export class CreateAccessEntryCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessEntryCommand) .de(de_CreateAccessEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessEntryRequest; + output: CreateAccessEntryResponse; + }; + sdk: { + input: CreateAccessEntryCommandInput; + output: CreateAccessEntryCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/CreateAddonCommand.ts b/clients/client-eks/src/commands/CreateAddonCommand.ts index 043a42b2f1d2..c2cb14800a6c 100644 --- a/clients/client-eks/src/commands/CreateAddonCommand.ts +++ b/clients/client-eks/src/commands/CreateAddonCommand.ts @@ -152,4 +152,16 @@ export class CreateAddonCommand extends $Command .f(void 0, void 0) .ser(se_CreateAddonCommand) .de(de_CreateAddonCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAddonRequest; + output: CreateAddonResponse; + }; + sdk: { + input: CreateAddonCommandInput; + output: CreateAddonCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/CreateClusterCommand.ts b/clients/client-eks/src/commands/CreateClusterCommand.ts index 37060e48fe39..731818ec636c 100644 --- a/clients/client-eks/src/commands/CreateClusterCommand.ts +++ b/clients/client-eks/src/commands/CreateClusterCommand.ts @@ -316,4 +316,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/CreateEksAnywhereSubscriptionCommand.ts b/clients/client-eks/src/commands/CreateEksAnywhereSubscriptionCommand.ts index 6e3d862bc5e8..290ca0dce4ee 100644 --- a/clients/client-eks/src/commands/CreateEksAnywhereSubscriptionCommand.ts +++ b/clients/client-eks/src/commands/CreateEksAnywhereSubscriptionCommand.ts @@ -134,4 +134,16 @@ export class CreateEksAnywhereSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEksAnywhereSubscriptionCommand) .de(de_CreateEksAnywhereSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEksAnywhereSubscriptionRequest; + output: CreateEksAnywhereSubscriptionResponse; + }; + sdk: { + input: CreateEksAnywhereSubscriptionCommandInput; + output: CreateEksAnywhereSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/CreateFargateProfileCommand.ts b/clients/client-eks/src/commands/CreateFargateProfileCommand.ts index 9f7fcbf72b25..ecc42227517a 100644 --- a/clients/client-eks/src/commands/CreateFargateProfileCommand.ts +++ b/clients/client-eks/src/commands/CreateFargateProfileCommand.ts @@ -177,4 +177,16 @@ export class CreateFargateProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateFargateProfileCommand) .de(de_CreateFargateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFargateProfileRequest; + output: CreateFargateProfileResponse; + }; + sdk: { + input: CreateFargateProfileCommandInput; + output: CreateFargateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/CreateNodegroupCommand.ts b/clients/client-eks/src/commands/CreateNodegroupCommand.ts index f3e488e5f73f..d534263d3dca 100644 --- a/clients/client-eks/src/commands/CreateNodegroupCommand.ts +++ b/clients/client-eks/src/commands/CreateNodegroupCommand.ts @@ -230,4 +230,16 @@ export class CreateNodegroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateNodegroupCommand) .de(de_CreateNodegroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNodegroupRequest; + output: CreateNodegroupResponse; + }; + sdk: { + input: CreateNodegroupCommandInput; + output: CreateNodegroupCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/CreatePodIdentityAssociationCommand.ts b/clients/client-eks/src/commands/CreatePodIdentityAssociationCommand.ts index 3bb9683b8d9e..150a82ad70c5 100644 --- a/clients/client-eks/src/commands/CreatePodIdentityAssociationCommand.ts +++ b/clients/client-eks/src/commands/CreatePodIdentityAssociationCommand.ts @@ -134,4 +134,16 @@ export class CreatePodIdentityAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreatePodIdentityAssociationCommand) .de(de_CreatePodIdentityAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePodIdentityAssociationRequest; + output: CreatePodIdentityAssociationResponse; + }; + sdk: { + input: CreatePodIdentityAssociationCommandInput; + output: CreatePodIdentityAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeleteAccessEntryCommand.ts b/clients/client-eks/src/commands/DeleteAccessEntryCommand.ts index 29c81fcc1c1d..0443e0182617 100644 --- a/clients/client-eks/src/commands/DeleteAccessEntryCommand.ts +++ b/clients/client-eks/src/commands/DeleteAccessEntryCommand.ts @@ -91,4 +91,16 @@ export class DeleteAccessEntryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessEntryCommand) .de(de_DeleteAccessEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessEntryRequest; + output: {}; + }; + sdk: { + input: DeleteAccessEntryCommandInput; + output: DeleteAccessEntryCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeleteAddonCommand.ts b/clients/client-eks/src/commands/DeleteAddonCommand.ts index a95fc6a01a33..45bf999f4b3a 100644 --- a/clients/client-eks/src/commands/DeleteAddonCommand.ts +++ b/clients/client-eks/src/commands/DeleteAddonCommand.ts @@ -135,4 +135,16 @@ export class DeleteAddonCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAddonCommand) .de(de_DeleteAddonCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAddonRequest; + output: DeleteAddonResponse; + }; + sdk: { + input: DeleteAddonCommandInput; + output: DeleteAddonCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeleteClusterCommand.ts b/clients/client-eks/src/commands/DeleteClusterCommand.ts index 3dc9c0cd1d12..e76c32958484 100644 --- a/clients/client-eks/src/commands/DeleteClusterCommand.ts +++ b/clients/client-eks/src/commands/DeleteClusterCommand.ts @@ -207,4 +207,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeleteEksAnywhereSubscriptionCommand.ts b/clients/client-eks/src/commands/DeleteEksAnywhereSubscriptionCommand.ts index cf820aadf79b..0066bcbca39b 100644 --- a/clients/client-eks/src/commands/DeleteEksAnywhereSubscriptionCommand.ts +++ b/clients/client-eks/src/commands/DeleteEksAnywhereSubscriptionCommand.ts @@ -122,4 +122,16 @@ export class DeleteEksAnywhereSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEksAnywhereSubscriptionCommand) .de(de_DeleteEksAnywhereSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEksAnywhereSubscriptionRequest; + output: DeleteEksAnywhereSubscriptionResponse; + }; + sdk: { + input: DeleteEksAnywhereSubscriptionCommandInput; + output: DeleteEksAnywhereSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeleteFargateProfileCommand.ts b/clients/client-eks/src/commands/DeleteFargateProfileCommand.ts index 8ad371f24d76..f3e366533308 100644 --- a/clients/client-eks/src/commands/DeleteFargateProfileCommand.ts +++ b/clients/client-eks/src/commands/DeleteFargateProfileCommand.ts @@ -137,4 +137,16 @@ export class DeleteFargateProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFargateProfileCommand) .de(de_DeleteFargateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFargateProfileRequest; + output: DeleteFargateProfileResponse; + }; + sdk: { + input: DeleteFargateProfileCommandInput; + output: DeleteFargateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeleteNodegroupCommand.ts b/clients/client-eks/src/commands/DeleteNodegroupCommand.ts index 7108f48ed378..02ce08042970 100644 --- a/clients/client-eks/src/commands/DeleteNodegroupCommand.ts +++ b/clients/client-eks/src/commands/DeleteNodegroupCommand.ts @@ -170,4 +170,16 @@ export class DeleteNodegroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNodegroupCommand) .de(de_DeleteNodegroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNodegroupRequest; + output: DeleteNodegroupResponse; + }; + sdk: { + input: DeleteNodegroupCommandInput; + output: DeleteNodegroupCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeletePodIdentityAssociationCommand.ts b/clients/client-eks/src/commands/DeletePodIdentityAssociationCommand.ts index 7f62df646c47..3cc8bab10e75 100644 --- a/clients/client-eks/src/commands/DeletePodIdentityAssociationCommand.ts +++ b/clients/client-eks/src/commands/DeletePodIdentityAssociationCommand.ts @@ -113,4 +113,16 @@ export class DeletePodIdentityAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeletePodIdentityAssociationCommand) .de(de_DeletePodIdentityAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePodIdentityAssociationRequest; + output: DeletePodIdentityAssociationResponse; + }; + sdk: { + input: DeletePodIdentityAssociationCommandInput; + output: DeletePodIdentityAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DeregisterClusterCommand.ts b/clients/client-eks/src/commands/DeregisterClusterCommand.ts index 418a361ba743..3a86c3ebe70a 100644 --- a/clients/client-eks/src/commands/DeregisterClusterCommand.ts +++ b/clients/client-eks/src/commands/DeregisterClusterCommand.ts @@ -198,4 +198,16 @@ export class DeregisterClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterClusterCommand) .de(de_DeregisterClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterClusterRequest; + output: DeregisterClusterResponse; + }; + sdk: { + input: DeregisterClusterCommandInput; + output: DeregisterClusterCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeAccessEntryCommand.ts b/clients/client-eks/src/commands/DescribeAccessEntryCommand.ts index b2fa656b7130..1436e400297e 100644 --- a/clients/client-eks/src/commands/DescribeAccessEntryCommand.ts +++ b/clients/client-eks/src/commands/DescribeAccessEntryCommand.ts @@ -104,4 +104,16 @@ export class DescribeAccessEntryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccessEntryCommand) .de(de_DescribeAccessEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccessEntryRequest; + output: DescribeAccessEntryResponse; + }; + sdk: { + input: DescribeAccessEntryCommandInput; + output: DescribeAccessEntryCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeAddonCommand.ts b/clients/client-eks/src/commands/DescribeAddonCommand.ts index 95b7a2f1d9f2..0c8b4c60b568 100644 --- a/clients/client-eks/src/commands/DescribeAddonCommand.ts +++ b/clients/client-eks/src/commands/DescribeAddonCommand.ts @@ -132,4 +132,16 @@ export class DescribeAddonCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddonCommand) .de(de_DescribeAddonCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddonRequest; + output: DescribeAddonResponse; + }; + sdk: { + input: DescribeAddonCommandInput; + output: DescribeAddonCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeAddonConfigurationCommand.ts b/clients/client-eks/src/commands/DescribeAddonConfigurationCommand.ts index ff49cd25c290..a3e3fdba041f 100644 --- a/clients/client-eks/src/commands/DescribeAddonConfigurationCommand.ts +++ b/clients/client-eks/src/commands/DescribeAddonConfigurationCommand.ts @@ -100,4 +100,16 @@ export class DescribeAddonConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddonConfigurationCommand) .de(de_DescribeAddonConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddonConfigurationRequest; + output: DescribeAddonConfigurationResponse; + }; + sdk: { + input: DescribeAddonConfigurationCommandInput; + output: DescribeAddonConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeAddonVersionsCommand.ts b/clients/client-eks/src/commands/DescribeAddonVersionsCommand.ts index b5d4b498f3c8..fb3099303d1e 100644 --- a/clients/client-eks/src/commands/DescribeAddonVersionsCommand.ts +++ b/clients/client-eks/src/commands/DescribeAddonVersionsCommand.ts @@ -135,4 +135,16 @@ export class DescribeAddonVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddonVersionsCommand) .de(de_DescribeAddonVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddonVersionsRequest; + output: DescribeAddonVersionsResponse; + }; + sdk: { + input: DescribeAddonVersionsCommandInput; + output: DescribeAddonVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeClusterCommand.ts b/clients/client-eks/src/commands/DescribeClusterCommand.ts index fc5d550c271e..7ad7f4785cbe 100644 --- a/clients/client-eks/src/commands/DescribeClusterCommand.ts +++ b/clients/client-eks/src/commands/DescribeClusterCommand.ts @@ -231,4 +231,16 @@ export class DescribeClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterCommand) .de(de_DescribeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterRequest; + output: DescribeClusterResponse; + }; + sdk: { + input: DescribeClusterCommandInput; + output: DescribeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeEksAnywhereSubscriptionCommand.ts b/clients/client-eks/src/commands/DescribeEksAnywhereSubscriptionCommand.ts index 601d666474ae..afceac4bc99e 100644 --- a/clients/client-eks/src/commands/DescribeEksAnywhereSubscriptionCommand.ts +++ b/clients/client-eks/src/commands/DescribeEksAnywhereSubscriptionCommand.ts @@ -118,4 +118,16 @@ export class DescribeEksAnywhereSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEksAnywhereSubscriptionCommand) .de(de_DescribeEksAnywhereSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEksAnywhereSubscriptionRequest; + output: DescribeEksAnywhereSubscriptionResponse; + }; + sdk: { + input: DescribeEksAnywhereSubscriptionCommandInput; + output: DescribeEksAnywhereSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeFargateProfileCommand.ts b/clients/client-eks/src/commands/DescribeFargateProfileCommand.ts index 81b9440a1edc..6b8ea9cdeee0 100644 --- a/clients/client-eks/src/commands/DescribeFargateProfileCommand.ts +++ b/clients/client-eks/src/commands/DescribeFargateProfileCommand.ts @@ -127,4 +127,16 @@ export class DescribeFargateProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFargateProfileCommand) .de(de_DescribeFargateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFargateProfileRequest; + output: DescribeFargateProfileResponse; + }; + sdk: { + input: DescribeFargateProfileCommandInput; + output: DescribeFargateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeIdentityProviderConfigCommand.ts b/clients/client-eks/src/commands/DescribeIdentityProviderConfigCommand.ts index a83905b8cbe2..c48fca76f377 100644 --- a/clients/client-eks/src/commands/DescribeIdentityProviderConfigCommand.ts +++ b/clients/client-eks/src/commands/DescribeIdentityProviderConfigCommand.ts @@ -125,4 +125,16 @@ export class DescribeIdentityProviderConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityProviderConfigCommand) .de(de_DescribeIdentityProviderConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityProviderConfigRequest; + output: DescribeIdentityProviderConfigResponse; + }; + sdk: { + input: DescribeIdentityProviderConfigCommandInput; + output: DescribeIdentityProviderConfigCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeInsightCommand.ts b/clients/client-eks/src/commands/DescribeInsightCommand.ts index 55d1dac0a7aa..b3890dcb92ed 100644 --- a/clients/client-eks/src/commands/DescribeInsightCommand.ts +++ b/clients/client-eks/src/commands/DescribeInsightCommand.ts @@ -137,4 +137,16 @@ export class DescribeInsightCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInsightCommand) .de(de_DescribeInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInsightRequest; + output: DescribeInsightResponse; + }; + sdk: { + input: DescribeInsightCommandInput; + output: DescribeInsightCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeNodegroupCommand.ts b/clients/client-eks/src/commands/DescribeNodegroupCommand.ts index da8b32c4e106..834803e11d44 100644 --- a/clients/client-eks/src/commands/DescribeNodegroupCommand.ts +++ b/clients/client-eks/src/commands/DescribeNodegroupCommand.ts @@ -167,4 +167,16 @@ export class DescribeNodegroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNodegroupCommand) .de(de_DescribeNodegroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNodegroupRequest; + output: DescribeNodegroupResponse; + }; + sdk: { + input: DescribeNodegroupCommandInput; + output: DescribeNodegroupCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribePodIdentityAssociationCommand.ts b/clients/client-eks/src/commands/DescribePodIdentityAssociationCommand.ts index 2aa7bb3e4ac7..84d2af30eb05 100644 --- a/clients/client-eks/src/commands/DescribePodIdentityAssociationCommand.ts +++ b/clients/client-eks/src/commands/DescribePodIdentityAssociationCommand.ts @@ -116,4 +116,16 @@ export class DescribePodIdentityAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DescribePodIdentityAssociationCommand) .de(de_DescribePodIdentityAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePodIdentityAssociationRequest; + output: DescribePodIdentityAssociationResponse; + }; + sdk: { + input: DescribePodIdentityAssociationCommandInput; + output: DescribePodIdentityAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DescribeUpdateCommand.ts b/clients/client-eks/src/commands/DescribeUpdateCommand.ts index ed012169dd74..9515803e09d8 100644 --- a/clients/client-eks/src/commands/DescribeUpdateCommand.ts +++ b/clients/client-eks/src/commands/DescribeUpdateCommand.ts @@ -120,4 +120,16 @@ export class DescribeUpdateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUpdateCommand) .de(de_DescribeUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUpdateRequest; + output: DescribeUpdateResponse; + }; + sdk: { + input: DescribeUpdateCommandInput; + output: DescribeUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DisassociateAccessPolicyCommand.ts b/clients/client-eks/src/commands/DisassociateAccessPolicyCommand.ts index 21cd8b4af2f1..219c65dda287 100644 --- a/clients/client-eks/src/commands/DisassociateAccessPolicyCommand.ts +++ b/clients/client-eks/src/commands/DisassociateAccessPolicyCommand.ts @@ -89,4 +89,16 @@ export class DisassociateAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAccessPolicyCommand) .de(de_DisassociateAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAccessPolicyRequest; + output: {}; + }; + sdk: { + input: DisassociateAccessPolicyCommandInput; + output: DisassociateAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/DisassociateIdentityProviderConfigCommand.ts b/clients/client-eks/src/commands/DisassociateIdentityProviderConfigCommand.ts index 68f370934a84..25b4d8ed0080 100644 --- a/clients/client-eks/src/commands/DisassociateIdentityProviderConfigCommand.ts +++ b/clients/client-eks/src/commands/DisassociateIdentityProviderConfigCommand.ts @@ -137,4 +137,16 @@ export class DisassociateIdentityProviderConfigCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateIdentityProviderConfigCommand) .de(de_DisassociateIdentityProviderConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateIdentityProviderConfigRequest; + output: DisassociateIdentityProviderConfigResponse; + }; + sdk: { + input: DisassociateIdentityProviderConfigCommandInput; + output: DisassociateIdentityProviderConfigCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListAccessEntriesCommand.ts b/clients/client-eks/src/commands/ListAccessEntriesCommand.ts index b45120ee1a85..f2894cb635bd 100644 --- a/clients/client-eks/src/commands/ListAccessEntriesCommand.ts +++ b/clients/client-eks/src/commands/ListAccessEntriesCommand.ts @@ -99,4 +99,16 @@ export class ListAccessEntriesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessEntriesCommand) .de(de_ListAccessEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessEntriesRequest; + output: ListAccessEntriesResponse; + }; + sdk: { + input: ListAccessEntriesCommandInput; + output: ListAccessEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListAccessPoliciesCommand.ts b/clients/client-eks/src/commands/ListAccessPoliciesCommand.ts index 75c3c93a05a2..93dd6ec851a9 100644 --- a/clients/client-eks/src/commands/ListAccessPoliciesCommand.ts +++ b/clients/client-eks/src/commands/ListAccessPoliciesCommand.ts @@ -87,4 +87,16 @@ export class ListAccessPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessPoliciesCommand) .de(de_ListAccessPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessPoliciesRequest; + output: ListAccessPoliciesResponse; + }; + sdk: { + input: ListAccessPoliciesCommandInput; + output: ListAccessPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListAddonsCommand.ts b/clients/client-eks/src/commands/ListAddonsCommand.ts index c25dd258f2ad..df2b7fc9dbcb 100644 --- a/clients/client-eks/src/commands/ListAddonsCommand.ts +++ b/clients/client-eks/src/commands/ListAddonsCommand.ts @@ -103,4 +103,16 @@ export class ListAddonsCommand extends $Command .f(void 0, void 0) .ser(se_ListAddonsCommand) .de(de_ListAddonsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAddonsRequest; + output: ListAddonsResponse; + }; + sdk: { + input: ListAddonsCommandInput; + output: ListAddonsCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListAssociatedAccessPoliciesCommand.ts b/clients/client-eks/src/commands/ListAssociatedAccessPoliciesCommand.ts index 4b0155915c23..552bdca64e72 100644 --- a/clients/client-eks/src/commands/ListAssociatedAccessPoliciesCommand.ts +++ b/clients/client-eks/src/commands/ListAssociatedAccessPoliciesCommand.ts @@ -112,4 +112,16 @@ export class ListAssociatedAccessPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedAccessPoliciesCommand) .de(de_ListAssociatedAccessPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedAccessPoliciesRequest; + output: ListAssociatedAccessPoliciesResponse; + }; + sdk: { + input: ListAssociatedAccessPoliciesCommandInput; + output: ListAssociatedAccessPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListClustersCommand.ts b/clients/client-eks/src/commands/ListClustersCommand.ts index 5677ecbf6c8f..9e3be7c924ef 100644 --- a/clients/client-eks/src/commands/ListClustersCommand.ts +++ b/clients/client-eks/src/commands/ListClustersCommand.ts @@ -117,4 +117,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResponse; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListEksAnywhereSubscriptionsCommand.ts b/clients/client-eks/src/commands/ListEksAnywhereSubscriptionsCommand.ts index dedf7b6cc72e..5ad9ae9c9334 100644 --- a/clients/client-eks/src/commands/ListEksAnywhereSubscriptionsCommand.ts +++ b/clients/client-eks/src/commands/ListEksAnywhereSubscriptionsCommand.ts @@ -124,4 +124,16 @@ export class ListEksAnywhereSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEksAnywhereSubscriptionsCommand) .de(de_ListEksAnywhereSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEksAnywhereSubscriptionsRequest; + output: ListEksAnywhereSubscriptionsResponse; + }; + sdk: { + input: ListEksAnywhereSubscriptionsCommandInput; + output: ListEksAnywhereSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListFargateProfilesCommand.ts b/clients/client-eks/src/commands/ListFargateProfilesCommand.ts index c03c6145644d..1c92da319e59 100644 --- a/clients/client-eks/src/commands/ListFargateProfilesCommand.ts +++ b/clients/client-eks/src/commands/ListFargateProfilesCommand.ts @@ -100,4 +100,16 @@ export class ListFargateProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListFargateProfilesCommand) .de(de_ListFargateProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFargateProfilesRequest; + output: ListFargateProfilesResponse; + }; + sdk: { + input: ListFargateProfilesCommandInput; + output: ListFargateProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListIdentityProviderConfigsCommand.ts b/clients/client-eks/src/commands/ListIdentityProviderConfigsCommand.ts index 6fda6ea8c008..3ef8f8241bb5 100644 --- a/clients/client-eks/src/commands/ListIdentityProviderConfigsCommand.ts +++ b/clients/client-eks/src/commands/ListIdentityProviderConfigsCommand.ts @@ -110,4 +110,16 @@ export class ListIdentityProviderConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityProviderConfigsCommand) .de(de_ListIdentityProviderConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityProviderConfigsRequest; + output: ListIdentityProviderConfigsResponse; + }; + sdk: { + input: ListIdentityProviderConfigsCommandInput; + output: ListIdentityProviderConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListInsightsCommand.ts b/clients/client-eks/src/commands/ListInsightsCommand.ts index 3f178038ca3b..873340aae350 100644 --- a/clients/client-eks/src/commands/ListInsightsCommand.ts +++ b/clients/client-eks/src/commands/ListInsightsCommand.ts @@ -123,4 +123,16 @@ export class ListInsightsCommand extends $Command .f(void 0, void 0) .ser(se_ListInsightsCommand) .de(de_ListInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInsightsRequest; + output: ListInsightsResponse; + }; + sdk: { + input: ListInsightsCommandInput; + output: ListInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListNodegroupsCommand.ts b/clients/client-eks/src/commands/ListNodegroupsCommand.ts index 4c56ea033fd7..2b58145380cf 100644 --- a/clients/client-eks/src/commands/ListNodegroupsCommand.ts +++ b/clients/client-eks/src/commands/ListNodegroupsCommand.ts @@ -103,4 +103,16 @@ export class ListNodegroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListNodegroupsCommand) .de(de_ListNodegroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNodegroupsRequest; + output: ListNodegroupsResponse; + }; + sdk: { + input: ListNodegroupsCommandInput; + output: ListNodegroupsCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListPodIdentityAssociationsCommand.ts b/clients/client-eks/src/commands/ListPodIdentityAssociationsCommand.ts index fcc95f5e0d36..902b8fffb459 100644 --- a/clients/client-eks/src/commands/ListPodIdentityAssociationsCommand.ts +++ b/clients/client-eks/src/commands/ListPodIdentityAssociationsCommand.ts @@ -113,4 +113,16 @@ export class ListPodIdentityAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPodIdentityAssociationsCommand) .de(de_ListPodIdentityAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPodIdentityAssociationsRequest; + output: ListPodIdentityAssociationsResponse; + }; + sdk: { + input: ListPodIdentityAssociationsCommandInput; + output: ListPodIdentityAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListTagsForResourceCommand.ts b/clients/client-eks/src/commands/ListTagsForResourceCommand.ts index 32fd7828c677..e439417bd43b 100644 --- a/clients/client-eks/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-eks/src/commands/ListTagsForResourceCommand.ts @@ -105,4 +105,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/ListUpdatesCommand.ts b/clients/client-eks/src/commands/ListUpdatesCommand.ts index 9e3ced703b4a..234b99cd1248 100644 --- a/clients/client-eks/src/commands/ListUpdatesCommand.ts +++ b/clients/client-eks/src/commands/ListUpdatesCommand.ts @@ -101,4 +101,16 @@ export class ListUpdatesCommand extends $Command .f(void 0, void 0) .ser(se_ListUpdatesCommand) .de(de_ListUpdatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUpdatesRequest; + output: ListUpdatesResponse; + }; + sdk: { + input: ListUpdatesCommandInput; + output: ListUpdatesCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/RegisterClusterCommand.ts b/clients/client-eks/src/commands/RegisterClusterCommand.ts index 8d219eec872f..320d10746b22 100644 --- a/clients/client-eks/src/commands/RegisterClusterCommand.ts +++ b/clients/client-eks/src/commands/RegisterClusterCommand.ts @@ -222,4 +222,16 @@ export class RegisterClusterCommand extends $Command .f(void 0, void 0) .ser(se_RegisterClusterCommand) .de(de_RegisterClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterClusterRequest; + output: RegisterClusterResponse; + }; + sdk: { + input: RegisterClusterCommandInput; + output: RegisterClusterCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/TagResourceCommand.ts b/clients/client-eks/src/commands/TagResourceCommand.ts index a79cb9461ffa..623f8fc438c5 100644 --- a/clients/client-eks/src/commands/TagResourceCommand.ts +++ b/clients/client-eks/src/commands/TagResourceCommand.ts @@ -92,4 +92,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UntagResourceCommand.ts b/clients/client-eks/src/commands/UntagResourceCommand.ts index d2cd3c15f0e4..8f438ee4be2c 100644 --- a/clients/client-eks/src/commands/UntagResourceCommand.ts +++ b/clients/client-eks/src/commands/UntagResourceCommand.ts @@ -86,4 +86,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdateAccessEntryCommand.ts b/clients/client-eks/src/commands/UpdateAccessEntryCommand.ts index 8430c204d760..30b5c8a4225c 100644 --- a/clients/client-eks/src/commands/UpdateAccessEntryCommand.ts +++ b/clients/client-eks/src/commands/UpdateAccessEntryCommand.ts @@ -113,4 +113,16 @@ export class UpdateAccessEntryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessEntryCommand) .de(de_UpdateAccessEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessEntryRequest; + output: UpdateAccessEntryResponse; + }; + sdk: { + input: UpdateAccessEntryCommandInput; + output: UpdateAccessEntryCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdateAddonCommand.ts b/clients/client-eks/src/commands/UpdateAddonCommand.ts index f7ea22b4b067..431d5afb6b1f 100644 --- a/clients/client-eks/src/commands/UpdateAddonCommand.ts +++ b/clients/client-eks/src/commands/UpdateAddonCommand.ts @@ -133,4 +133,16 @@ export class UpdateAddonCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAddonCommand) .de(de_UpdateAddonCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAddonRequest; + output: UpdateAddonResponse; + }; + sdk: { + input: UpdateAddonCommandInput; + output: UpdateAddonCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdateClusterConfigCommand.ts b/clients/client-eks/src/commands/UpdateClusterConfigCommand.ts index bf6a2fa2499b..b89dfb705984 100644 --- a/clients/client-eks/src/commands/UpdateClusterConfigCommand.ts +++ b/clients/client-eks/src/commands/UpdateClusterConfigCommand.ts @@ -181,4 +181,16 @@ export class UpdateClusterConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterConfigCommand) .de(de_UpdateClusterConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterConfigRequest; + output: UpdateClusterConfigResponse; + }; + sdk: { + input: UpdateClusterConfigCommandInput; + output: UpdateClusterConfigCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdateClusterVersionCommand.ts b/clients/client-eks/src/commands/UpdateClusterVersionCommand.ts index 16c1b290f0ee..f2298a9adc7e 100644 --- a/clients/client-eks/src/commands/UpdateClusterVersionCommand.ts +++ b/clients/client-eks/src/commands/UpdateClusterVersionCommand.ts @@ -132,4 +132,16 @@ export class UpdateClusterVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterVersionCommand) .de(de_UpdateClusterVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterVersionRequest; + output: UpdateClusterVersionResponse; + }; + sdk: { + input: UpdateClusterVersionCommandInput; + output: UpdateClusterVersionCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdateEksAnywhereSubscriptionCommand.ts b/clients/client-eks/src/commands/UpdateEksAnywhereSubscriptionCommand.ts index 3b4dd40cd857..a2783afbe557 100644 --- a/clients/client-eks/src/commands/UpdateEksAnywhereSubscriptionCommand.ts +++ b/clients/client-eks/src/commands/UpdateEksAnywhereSubscriptionCommand.ts @@ -126,4 +126,16 @@ export class UpdateEksAnywhereSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEksAnywhereSubscriptionCommand) .de(de_UpdateEksAnywhereSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEksAnywhereSubscriptionRequest; + output: UpdateEksAnywhereSubscriptionResponse; + }; + sdk: { + input: UpdateEksAnywhereSubscriptionCommandInput; + output: UpdateEksAnywhereSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdateNodegroupConfigCommand.ts b/clients/client-eks/src/commands/UpdateNodegroupConfigCommand.ts index a349478d5218..cab8932ac4dd 100644 --- a/clients/client-eks/src/commands/UpdateNodegroupConfigCommand.ts +++ b/clients/client-eks/src/commands/UpdateNodegroupConfigCommand.ts @@ -159,4 +159,16 @@ export class UpdateNodegroupConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNodegroupConfigCommand) .de(de_UpdateNodegroupConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNodegroupConfigRequest; + output: UpdateNodegroupConfigResponse; + }; + sdk: { + input: UpdateNodegroupConfigCommandInput; + output: UpdateNodegroupConfigCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdateNodegroupVersionCommand.ts b/clients/client-eks/src/commands/UpdateNodegroupVersionCommand.ts index 48201abe9bac..ef18ab10f66e 100644 --- a/clients/client-eks/src/commands/UpdateNodegroupVersionCommand.ts +++ b/clients/client-eks/src/commands/UpdateNodegroupVersionCommand.ts @@ -150,4 +150,16 @@ export class UpdateNodegroupVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNodegroupVersionCommand) .de(de_UpdateNodegroupVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNodegroupVersionRequest; + output: UpdateNodegroupVersionResponse; + }; + sdk: { + input: UpdateNodegroupVersionCommandInput; + output: UpdateNodegroupVersionCommandOutput; + }; + }; +} diff --git a/clients/client-eks/src/commands/UpdatePodIdentityAssociationCommand.ts b/clients/client-eks/src/commands/UpdatePodIdentityAssociationCommand.ts index c601481010b7..c861a5f54c13 100644 --- a/clients/client-eks/src/commands/UpdatePodIdentityAssociationCommand.ts +++ b/clients/client-eks/src/commands/UpdatePodIdentityAssociationCommand.ts @@ -117,4 +117,16 @@ export class UpdatePodIdentityAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePodIdentityAssociationCommand) .de(de_UpdatePodIdentityAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePodIdentityAssociationRequest; + output: UpdatePodIdentityAssociationResponse; + }; + sdk: { + input: UpdatePodIdentityAssociationCommandInput; + output: UpdatePodIdentityAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/package.json b/clients/client-elastic-beanstalk/package.json index 19678c9c1f1a..6b104f441224 100644 --- a/clients/client-elastic-beanstalk/package.json +++ b/clients/client-elastic-beanstalk/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-elastic-beanstalk/src/commands/AbortEnvironmentUpdateCommand.ts b/clients/client-elastic-beanstalk/src/commands/AbortEnvironmentUpdateCommand.ts index ddf9d0e3c086..54d5c0573c0f 100644 --- a/clients/client-elastic-beanstalk/src/commands/AbortEnvironmentUpdateCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/AbortEnvironmentUpdateCommand.ts @@ -92,4 +92,16 @@ export class AbortEnvironmentUpdateCommand extends $Command .f(void 0, void 0) .ser(se_AbortEnvironmentUpdateCommand) .de(de_AbortEnvironmentUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AbortEnvironmentUpdateMessage; + output: {}; + }; + sdk: { + input: AbortEnvironmentUpdateCommandInput; + output: AbortEnvironmentUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/ApplyEnvironmentManagedActionCommand.ts b/clients/client-elastic-beanstalk/src/commands/ApplyEnvironmentManagedActionCommand.ts index 62c1cc053d4d..5266ed04027c 100644 --- a/clients/client-elastic-beanstalk/src/commands/ApplyEnvironmentManagedActionCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/ApplyEnvironmentManagedActionCommand.ts @@ -95,4 +95,16 @@ export class ApplyEnvironmentManagedActionCommand extends $Command .f(void 0, void 0) .ser(se_ApplyEnvironmentManagedActionCommand) .de(de_ApplyEnvironmentManagedActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplyEnvironmentManagedActionRequest; + output: ApplyEnvironmentManagedActionResult; + }; + sdk: { + input: ApplyEnvironmentManagedActionCommandInput; + output: ApplyEnvironmentManagedActionCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/AssociateEnvironmentOperationsRoleCommand.ts b/clients/client-elastic-beanstalk/src/commands/AssociateEnvironmentOperationsRoleCommand.ts index 3c77516209fe..869b38cf20c0 100644 --- a/clients/client-elastic-beanstalk/src/commands/AssociateEnvironmentOperationsRoleCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/AssociateEnvironmentOperationsRoleCommand.ts @@ -86,4 +86,16 @@ export class AssociateEnvironmentOperationsRoleCommand extends $Command .f(void 0, void 0) .ser(se_AssociateEnvironmentOperationsRoleCommand) .de(de_AssociateEnvironmentOperationsRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateEnvironmentOperationsRoleMessage; + output: {}; + }; + sdk: { + input: AssociateEnvironmentOperationsRoleCommandInput; + output: AssociateEnvironmentOperationsRoleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/CheckDNSAvailabilityCommand.ts b/clients/client-elastic-beanstalk/src/commands/CheckDNSAvailabilityCommand.ts index ff4bca73d7fd..8583cc42af06 100644 --- a/clients/client-elastic-beanstalk/src/commands/CheckDNSAvailabilityCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/CheckDNSAvailabilityCommand.ts @@ -95,4 +95,16 @@ export class CheckDNSAvailabilityCommand extends $Command .f(void 0, void 0) .ser(se_CheckDNSAvailabilityCommand) .de(de_CheckDNSAvailabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckDNSAvailabilityMessage; + output: CheckDNSAvailabilityResultMessage; + }; + sdk: { + input: CheckDNSAvailabilityCommandInput; + output: CheckDNSAvailabilityCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/ComposeEnvironmentsCommand.ts b/clients/client-elastic-beanstalk/src/commands/ComposeEnvironmentsCommand.ts index 346eee32c5e0..5dc3008e7ccf 100644 --- a/clients/client-elastic-beanstalk/src/commands/ComposeEnvironmentsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/ComposeEnvironmentsCommand.ts @@ -138,4 +138,16 @@ export class ComposeEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ComposeEnvironmentsCommand) .de(de_ComposeEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ComposeEnvironmentsMessage; + output: EnvironmentDescriptionsMessage; + }; + sdk: { + input: ComposeEnvironmentsCommandInput; + output: ComposeEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/CreateApplicationCommand.ts b/clients/client-elastic-beanstalk/src/commands/CreateApplicationCommand.ts index 92f16411dbab..6ac58c61c4d7 100644 --- a/clients/client-elastic-beanstalk/src/commands/CreateApplicationCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/CreateApplicationCommand.ts @@ -153,4 +153,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationMessage; + output: ApplicationDescriptionMessage; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/CreateApplicationVersionCommand.ts b/clients/client-elastic-beanstalk/src/commands/CreateApplicationVersionCommand.ts index 03c95dc104c5..f8d330aa9d2e 100644 --- a/clients/client-elastic-beanstalk/src/commands/CreateApplicationVersionCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/CreateApplicationVersionCommand.ts @@ -199,4 +199,16 @@ export class CreateApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationVersionCommand) .de(de_CreateApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationVersionMessage; + output: ApplicationVersionDescriptionMessage; + }; + sdk: { + input: CreateApplicationVersionCommandInput; + output: CreateApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/CreateConfigurationTemplateCommand.ts b/clients/client-elastic-beanstalk/src/commands/CreateConfigurationTemplateCommand.ts index aa8a4b78a421..b30b47002e14 100644 --- a/clients/client-elastic-beanstalk/src/commands/CreateConfigurationTemplateCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/CreateConfigurationTemplateCommand.ts @@ -171,4 +171,16 @@ export class CreateConfigurationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationTemplateCommand) .de(de_CreateConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationTemplateMessage; + output: ConfigurationSettingsDescription; + }; + sdk: { + input: CreateConfigurationTemplateCommandInput; + output: CreateConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/CreateEnvironmentCommand.ts b/clients/client-elastic-beanstalk/src/commands/CreateEnvironmentCommand.ts index 04da45dcc93c..e2c96bf62f28 100644 --- a/clients/client-elastic-beanstalk/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/CreateEnvironmentCommand.ts @@ -194,4 +194,16 @@ export class CreateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentMessage; + output: EnvironmentDescription; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/CreatePlatformVersionCommand.ts b/clients/client-elastic-beanstalk/src/commands/CreatePlatformVersionCommand.ts index 8b9f6b575f32..0bdb9fcc5e34 100644 --- a/clients/client-elastic-beanstalk/src/commands/CreatePlatformVersionCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/CreatePlatformVersionCommand.ts @@ -127,4 +127,16 @@ export class CreatePlatformVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreatePlatformVersionCommand) .de(de_CreatePlatformVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlatformVersionRequest; + output: CreatePlatformVersionResult; + }; + sdk: { + input: CreatePlatformVersionCommandInput; + output: CreatePlatformVersionCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/CreateStorageLocationCommand.ts b/clients/client-elastic-beanstalk/src/commands/CreateStorageLocationCommand.ts index 7b4a8ff99494..1fda5d1d78a5 100644 --- a/clients/client-elastic-beanstalk/src/commands/CreateStorageLocationCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/CreateStorageLocationCommand.ts @@ -103,4 +103,16 @@ export class CreateStorageLocationCommand extends $Command .f(void 0, void 0) .ser(se_CreateStorageLocationCommand) .de(de_CreateStorageLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: CreateStorageLocationResultMessage; + }; + sdk: { + input: CreateStorageLocationCommandInput; + output: CreateStorageLocationCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DeleteApplicationCommand.ts b/clients/client-elastic-beanstalk/src/commands/DeleteApplicationCommand.ts index 4fa9c6b62aad..2f254ecd4ad7 100644 --- a/clients/client-elastic-beanstalk/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DeleteApplicationCommand.ts @@ -96,4 +96,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationMessage; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DeleteApplicationVersionCommand.ts b/clients/client-elastic-beanstalk/src/commands/DeleteApplicationVersionCommand.ts index 185314902643..60635c4063ff 100644 --- a/clients/client-elastic-beanstalk/src/commands/DeleteApplicationVersionCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DeleteApplicationVersionCommand.ts @@ -121,4 +121,16 @@ export class DeleteApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationVersionCommand) .de(de_DeleteApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationVersionMessage; + output: {}; + }; + sdk: { + input: DeleteApplicationVersionCommandInput; + output: DeleteApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DeleteConfigurationTemplateCommand.ts b/clients/client-elastic-beanstalk/src/commands/DeleteConfigurationTemplateCommand.ts index 705805ffdb63..dfe64907e9d0 100644 --- a/clients/client-elastic-beanstalk/src/commands/DeleteConfigurationTemplateCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DeleteConfigurationTemplateCommand.ts @@ -97,4 +97,16 @@ export class DeleteConfigurationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationTemplateCommand) .de(de_DeleteConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationTemplateMessage; + output: {}; + }; + sdk: { + input: DeleteConfigurationTemplateCommandInput; + output: DeleteConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DeleteEnvironmentConfigurationCommand.ts b/clients/client-elastic-beanstalk/src/commands/DeleteEnvironmentConfigurationCommand.ts index fbc216b0252d..bee44e8988ed 100644 --- a/clients/client-elastic-beanstalk/src/commands/DeleteEnvironmentConfigurationCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DeleteEnvironmentConfigurationCommand.ts @@ -96,4 +96,16 @@ export class DeleteEnvironmentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentConfigurationCommand) .de(de_DeleteEnvironmentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentConfigurationMessage; + output: {}; + }; + sdk: { + input: DeleteEnvironmentConfigurationCommandInput; + output: DeleteEnvironmentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DeletePlatformVersionCommand.ts b/clients/client-elastic-beanstalk/src/commands/DeletePlatformVersionCommand.ts index 94b7562b9285..828b79d1fc96 100644 --- a/clients/client-elastic-beanstalk/src/commands/DeletePlatformVersionCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DeletePlatformVersionCommand.ts @@ -108,4 +108,16 @@ export class DeletePlatformVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlatformVersionCommand) .de(de_DeletePlatformVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlatformVersionRequest; + output: DeletePlatformVersionResult; + }; + sdk: { + input: DeletePlatformVersionCommandInput; + output: DeletePlatformVersionCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeAccountAttributesCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeAccountAttributesCommand.ts index 627499cbf81f..21f24e705690 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeAccountAttributesCommand.ts @@ -97,4 +97,16 @@ export class DescribeAccountAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAttributesCommand) .de(de_DescribeAccountAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountAttributesResult; + }; + sdk: { + input: DescribeAccountAttributesCommandInput; + output: DescribeAccountAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeApplicationVersionsCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeApplicationVersionsCommand.ts index 19a2805740b7..c6ace7bae748 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeApplicationVersionsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeApplicationVersionsCommand.ts @@ -147,4 +147,16 @@ export class DescribeApplicationVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationVersionsCommand) .de(de_DescribeApplicationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationVersionsMessage; + output: ApplicationVersionDescriptionsMessage; + }; + sdk: { + input: DescribeApplicationVersionsCommandInput; + output: DescribeApplicationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeApplicationsCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeApplicationsCommand.ts index 0fc62d107f57..9c2256bff1d0 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeApplicationsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeApplicationsCommand.ts @@ -152,4 +152,16 @@ export class DescribeApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationsCommand) .de(de_DescribeApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationsMessage; + output: ApplicationDescriptionsMessage; + }; + sdk: { + input: DescribeApplicationsCommandInput; + output: DescribeApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationOptionsCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationOptionsCommand.ts index 3279bc6de45c..3a64d21cac00 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationOptionsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationOptionsCommand.ts @@ -152,4 +152,16 @@ export class DescribeConfigurationOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationOptionsCommand) .de(de_DescribeConfigurationOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationOptionsMessage; + output: ConfigurationOptionsDescription; + }; + sdk: { + input: DescribeConfigurationOptionsCommandInput; + output: DescribeConfigurationOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationSettingsCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationSettingsCommand.ts index f9f2e6600635..4f67df5845c6 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationSettingsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeConfigurationSettingsCommand.ts @@ -174,4 +174,16 @@ export class DescribeConfigurationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationSettingsCommand) .de(de_DescribeConfigurationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationSettingsMessage; + output: ConfigurationSettingsDescriptions; + }; + sdk: { + input: DescribeConfigurationSettingsCommandInput; + output: DescribeConfigurationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentHealthCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentHealthCommand.ts index 1d0afcb47d92..f2437ebc5c10 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentHealthCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentHealthCommand.ts @@ -180,4 +180,16 @@ export class DescribeEnvironmentHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEnvironmentHealthCommand) .de(de_DescribeEnvironmentHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentHealthRequest; + output: DescribeEnvironmentHealthResult; + }; + sdk: { + input: DescribeEnvironmentHealthCommandInput; + output: DescribeEnvironmentHealthCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionHistoryCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionHistoryCommand.ts index f76c235afbcf..a70121bd5692 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionHistoryCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionHistoryCommand.ts @@ -104,4 +104,16 @@ export class DescribeEnvironmentManagedActionHistoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEnvironmentManagedActionHistoryCommand) .de(de_DescribeEnvironmentManagedActionHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentManagedActionHistoryRequest; + output: DescribeEnvironmentManagedActionHistoryResult; + }; + sdk: { + input: DescribeEnvironmentManagedActionHistoryCommandInput; + output: DescribeEnvironmentManagedActionHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionsCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionsCommand.ts index a5c60576089d..d68c6989bb74 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentManagedActionsCommand.ts @@ -95,4 +95,16 @@ export class DescribeEnvironmentManagedActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEnvironmentManagedActionsCommand) .de(de_DescribeEnvironmentManagedActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentManagedActionsRequest; + output: DescribeEnvironmentManagedActionsResult; + }; + sdk: { + input: DescribeEnvironmentManagedActionsCommandInput; + output: DescribeEnvironmentManagedActionsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentResourcesCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentResourcesCommand.ts index 82a1261c017d..23c0d167dbd0 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentResourcesCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentResourcesCommand.ts @@ -162,4 +162,16 @@ export class DescribeEnvironmentResourcesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEnvironmentResourcesCommand) .de(de_DescribeEnvironmentResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentResourcesMessage; + output: EnvironmentResourceDescriptionsMessage; + }; + sdk: { + input: DescribeEnvironmentResourcesCommandInput; + output: DescribeEnvironmentResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentsCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentsCommand.ts index e50f8043b64d..e525039476f2 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeEnvironmentsCommand.ts @@ -171,4 +171,16 @@ export class DescribeEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEnvironmentsCommand) .de(de_DescribeEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEnvironmentsMessage; + output: EnvironmentDescriptionsMessage; + }; + sdk: { + input: DescribeEnvironmentsCommandInput; + output: DescribeEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeEventsCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeEventsCommand.ts index 96598524618a..57080dfd0fd1 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeEventsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeEventsCommand.ts @@ -153,4 +153,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsMessage; + output: EventDescriptionsMessage; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribeInstancesHealthCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribeInstancesHealthCommand.ts index b414045e068d..c607cee9779a 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribeInstancesHealthCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribeInstancesHealthCommand.ts @@ -210,4 +210,16 @@ export class DescribeInstancesHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstancesHealthCommand) .de(de_DescribeInstancesHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancesHealthRequest; + output: DescribeInstancesHealthResult; + }; + sdk: { + input: DescribeInstancesHealthCommandInput; + output: DescribeInstancesHealthCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DescribePlatformVersionCommand.ts b/clients/client-elastic-beanstalk/src/commands/DescribePlatformVersionCommand.ts index 79c0afd7f604..d29a7ae7e7e2 100644 --- a/clients/client-elastic-beanstalk/src/commands/DescribePlatformVersionCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DescribePlatformVersionCommand.ts @@ -128,4 +128,16 @@ export class DescribePlatformVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribePlatformVersionCommand) .de(de_DescribePlatformVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePlatformVersionRequest; + output: DescribePlatformVersionResult; + }; + sdk: { + input: DescribePlatformVersionCommandInput; + output: DescribePlatformVersionCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/DisassociateEnvironmentOperationsRoleCommand.ts b/clients/client-elastic-beanstalk/src/commands/DisassociateEnvironmentOperationsRoleCommand.ts index a1df18848e2a..cf973fdd3491 100644 --- a/clients/client-elastic-beanstalk/src/commands/DisassociateEnvironmentOperationsRoleCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/DisassociateEnvironmentOperationsRoleCommand.ts @@ -86,4 +86,16 @@ export class DisassociateEnvironmentOperationsRoleCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateEnvironmentOperationsRoleCommand) .de(de_DisassociateEnvironmentOperationsRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateEnvironmentOperationsRoleMessage; + output: {}; + }; + sdk: { + input: DisassociateEnvironmentOperationsRoleCommandInput; + output: DisassociateEnvironmentOperationsRoleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/ListAvailableSolutionStacksCommand.ts b/clients/client-elastic-beanstalk/src/commands/ListAvailableSolutionStacksCommand.ts index 9acdcc2a0980..d3dc5c6e7cc5 100644 --- a/clients/client-elastic-beanstalk/src/commands/ListAvailableSolutionStacksCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/ListAvailableSolutionStacksCommand.ts @@ -139,4 +139,16 @@ export class ListAvailableSolutionStacksCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableSolutionStacksCommand) .de(de_ListAvailableSolutionStacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListAvailableSolutionStacksResultMessage; + }; + sdk: { + input: ListAvailableSolutionStacksCommandInput; + output: ListAvailableSolutionStacksCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/ListPlatformBranchesCommand.ts b/clients/client-elastic-beanstalk/src/commands/ListPlatformBranchesCommand.ts index 757db9ba0c17..707ce8a33710 100644 --- a/clients/client-elastic-beanstalk/src/commands/ListPlatformBranchesCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/ListPlatformBranchesCommand.ts @@ -101,4 +101,16 @@ export class ListPlatformBranchesCommand extends $Command .f(void 0, void 0) .ser(se_ListPlatformBranchesCommand) .de(de_ListPlatformBranchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlatformBranchesRequest; + output: ListPlatformBranchesResult; + }; + sdk: { + input: ListPlatformBranchesCommandInput; + output: ListPlatformBranchesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/ListPlatformVersionsCommand.ts b/clients/client-elastic-beanstalk/src/commands/ListPlatformVersionsCommand.ts index 28bf78bc2bea..c8daf53a3168 100644 --- a/clients/client-elastic-beanstalk/src/commands/ListPlatformVersionsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/ListPlatformVersionsCommand.ts @@ -118,4 +118,16 @@ export class ListPlatformVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPlatformVersionsCommand) .de(de_ListPlatformVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlatformVersionsRequest; + output: ListPlatformVersionsResult; + }; + sdk: { + input: ListPlatformVersionsCommandInput; + output: ListPlatformVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/ListTagsForResourceCommand.ts b/clients/client-elastic-beanstalk/src/commands/ListTagsForResourceCommand.ts index 018e91a1763a..73089425498f 100644 --- a/clients/client-elastic-beanstalk/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceMessage; + output: ResourceTagsDescriptionMessage; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/RebuildEnvironmentCommand.ts b/clients/client-elastic-beanstalk/src/commands/RebuildEnvironmentCommand.ts index 7fb497ba1f0d..33e1ebe5f859 100644 --- a/clients/client-elastic-beanstalk/src/commands/RebuildEnvironmentCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/RebuildEnvironmentCommand.ts @@ -92,4 +92,16 @@ export class RebuildEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_RebuildEnvironmentCommand) .de(de_RebuildEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebuildEnvironmentMessage; + output: {}; + }; + sdk: { + input: RebuildEnvironmentCommandInput; + output: RebuildEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/RequestEnvironmentInfoCommand.ts b/clients/client-elastic-beanstalk/src/commands/RequestEnvironmentInfoCommand.ts index 812f0851dd59..844c815afb29 100644 --- a/clients/client-elastic-beanstalk/src/commands/RequestEnvironmentInfoCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/RequestEnvironmentInfoCommand.ts @@ -104,4 +104,16 @@ export class RequestEnvironmentInfoCommand extends $Command .f(void 0, void 0) .ser(se_RequestEnvironmentInfoCommand) .de(de_RequestEnvironmentInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestEnvironmentInfoMessage; + output: {}; + }; + sdk: { + input: RequestEnvironmentInfoCommandInput; + output: RequestEnvironmentInfoCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/RestartAppServerCommand.ts b/clients/client-elastic-beanstalk/src/commands/RestartAppServerCommand.ts index 8d97411b19ff..5c5d268ca7a6 100644 --- a/clients/client-elastic-beanstalk/src/commands/RestartAppServerCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/RestartAppServerCommand.ts @@ -88,4 +88,16 @@ export class RestartAppServerCommand extends $Command .f(void 0, void 0) .ser(se_RestartAppServerCommand) .de(de_RestartAppServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestartAppServerMessage; + output: {}; + }; + sdk: { + input: RestartAppServerCommandInput; + output: RestartAppServerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/RetrieveEnvironmentInfoCommand.ts b/clients/client-elastic-beanstalk/src/commands/RetrieveEnvironmentInfoCommand.ts index 2bd1ead78195..da8d01ea43a5 100644 --- a/clients/client-elastic-beanstalk/src/commands/RetrieveEnvironmentInfoCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/RetrieveEnvironmentInfoCommand.ts @@ -119,4 +119,16 @@ export class RetrieveEnvironmentInfoCommand extends $Command .f(void 0, void 0) .ser(se_RetrieveEnvironmentInfoCommand) .de(de_RetrieveEnvironmentInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetrieveEnvironmentInfoMessage; + output: RetrieveEnvironmentInfoResultMessage; + }; + sdk: { + input: RetrieveEnvironmentInfoCommandInput; + output: RetrieveEnvironmentInfoCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/SwapEnvironmentCNAMEsCommand.ts b/clients/client-elastic-beanstalk/src/commands/SwapEnvironmentCNAMEsCommand.ts index 8c2cb81e523e..64e1396013e2 100644 --- a/clients/client-elastic-beanstalk/src/commands/SwapEnvironmentCNAMEsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/SwapEnvironmentCNAMEsCommand.ts @@ -90,4 +90,16 @@ export class SwapEnvironmentCNAMEsCommand extends $Command .f(void 0, void 0) .ser(se_SwapEnvironmentCNAMEsCommand) .de(de_SwapEnvironmentCNAMEsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SwapEnvironmentCNAMEsMessage; + output: {}; + }; + sdk: { + input: SwapEnvironmentCNAMEsCommandInput; + output: SwapEnvironmentCNAMEsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/TerminateEnvironmentCommand.ts b/clients/client-elastic-beanstalk/src/commands/TerminateEnvironmentCommand.ts index b11a5a57d92a..8b6bfed9fd6d 100644 --- a/clients/client-elastic-beanstalk/src/commands/TerminateEnvironmentCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/TerminateEnvironmentCommand.ts @@ -155,4 +155,16 @@ export class TerminateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_TerminateEnvironmentCommand) .de(de_TerminateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateEnvironmentMessage; + output: EnvironmentDescription; + }; + sdk: { + input: TerminateEnvironmentCommandInput; + output: TerminateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/UpdateApplicationCommand.ts b/clients/client-elastic-beanstalk/src/commands/UpdateApplicationCommand.ts index 07767e16690e..ceef722e9989 100644 --- a/clients/client-elastic-beanstalk/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/UpdateApplicationCommand.ts @@ -139,4 +139,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationMessage; + output: ApplicationDescriptionMessage; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/UpdateApplicationResourceLifecycleCommand.ts b/clients/client-elastic-beanstalk/src/commands/UpdateApplicationResourceLifecycleCommand.ts index e57c028a1904..57665ce91d12 100644 --- a/clients/client-elastic-beanstalk/src/commands/UpdateApplicationResourceLifecycleCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/UpdateApplicationResourceLifecycleCommand.ts @@ -119,4 +119,16 @@ export class UpdateApplicationResourceLifecycleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationResourceLifecycleCommand) .de(de_UpdateApplicationResourceLifecycleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationResourceLifecycleMessage; + output: ApplicationResourceLifecycleDescriptionMessage; + }; + sdk: { + input: UpdateApplicationResourceLifecycleCommandInput; + output: UpdateApplicationResourceLifecycleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/UpdateApplicationVersionCommand.ts b/clients/client-elastic-beanstalk/src/commands/UpdateApplicationVersionCommand.ts index f03d5f5589e2..4ca84f1f6690 100644 --- a/clients/client-elastic-beanstalk/src/commands/UpdateApplicationVersionCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/UpdateApplicationVersionCommand.ts @@ -129,4 +129,16 @@ export class UpdateApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationVersionCommand) .de(de_UpdateApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationVersionMessage; + output: ApplicationVersionDescriptionMessage; + }; + sdk: { + input: UpdateApplicationVersionCommandInput; + output: UpdateApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/UpdateConfigurationTemplateCommand.ts b/clients/client-elastic-beanstalk/src/commands/UpdateConfigurationTemplateCommand.ts index 54507301e799..2e819bd74a43 100644 --- a/clients/client-elastic-beanstalk/src/commands/UpdateConfigurationTemplateCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/UpdateConfigurationTemplateCommand.ts @@ -157,4 +157,16 @@ export class UpdateConfigurationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationTemplateCommand) .de(de_UpdateConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationTemplateMessage; + output: ConfigurationSettingsDescription; + }; + sdk: { + input: UpdateConfigurationTemplateCommandInput; + output: UpdateConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/UpdateEnvironmentCommand.ts b/clients/client-elastic-beanstalk/src/commands/UpdateEnvironmentCommand.ts index 8019ea84031e..4e46c08f4fc7 100644 --- a/clients/client-elastic-beanstalk/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/UpdateEnvironmentCommand.ts @@ -246,4 +246,16 @@ export class UpdateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentMessage; + output: EnvironmentDescription; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/UpdateTagsForResourceCommand.ts b/clients/client-elastic-beanstalk/src/commands/UpdateTagsForResourceCommand.ts index a61ff1667530..2daee2771ff2 100644 --- a/clients/client-elastic-beanstalk/src/commands/UpdateTagsForResourceCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/UpdateTagsForResourceCommand.ts @@ -123,4 +123,16 @@ export class UpdateTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTagsForResourceCommand) .de(de_UpdateTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTagsForResourceMessage; + output: {}; + }; + sdk: { + input: UpdateTagsForResourceCommandInput; + output: UpdateTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-beanstalk/src/commands/ValidateConfigurationSettingsCommand.ts b/clients/client-elastic-beanstalk/src/commands/ValidateConfigurationSettingsCommand.ts index 24ab0de823c1..105cc5afec7a 100644 --- a/clients/client-elastic-beanstalk/src/commands/ValidateConfigurationSettingsCommand.ts +++ b/clients/client-elastic-beanstalk/src/commands/ValidateConfigurationSettingsCommand.ts @@ -133,4 +133,16 @@ export class ValidateConfigurationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_ValidateConfigurationSettingsCommand) .de(de_ValidateConfigurationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateConfigurationSettingsMessage; + output: ConfigurationSettingsValidationMessages; + }; + sdk: { + input: ValidateConfigurationSettingsCommandInput; + output: ValidateConfigurationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-inference/package.json b/clients/client-elastic-inference/package.json index 32345f18de09..4194a03f7c45 100644 --- a/clients/client-elastic-inference/package.json +++ b/clients/client-elastic-inference/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-elastic-inference/src/commands/DescribeAcceleratorOfferingsCommand.ts b/clients/client-elastic-inference/src/commands/DescribeAcceleratorOfferingsCommand.ts index e739b0d600ff..3ccb55529414 100644 --- a/clients/client-elastic-inference/src/commands/DescribeAcceleratorOfferingsCommand.ts +++ b/clients/client-elastic-inference/src/commands/DescribeAcceleratorOfferingsCommand.ts @@ -113,4 +113,16 @@ export class DescribeAcceleratorOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAcceleratorOfferingsCommand) .de(de_DescribeAcceleratorOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAcceleratorOfferingsRequest; + output: DescribeAcceleratorOfferingsResponse; + }; + sdk: { + input: DescribeAcceleratorOfferingsCommandInput; + output: DescribeAcceleratorOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-inference/src/commands/DescribeAcceleratorTypesCommand.ts b/clients/client-elastic-inference/src/commands/DescribeAcceleratorTypesCommand.ts index 1f269e729dc1..0d18f573e5a0 100644 --- a/clients/client-elastic-inference/src/commands/DescribeAcceleratorTypesCommand.ts +++ b/clients/client-elastic-inference/src/commands/DescribeAcceleratorTypesCommand.ts @@ -100,4 +100,16 @@ export class DescribeAcceleratorTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAcceleratorTypesCommand) .de(de_DescribeAcceleratorTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAcceleratorTypesResponse; + }; + sdk: { + input: DescribeAcceleratorTypesCommandInput; + output: DescribeAcceleratorTypesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-inference/src/commands/DescribeAcceleratorsCommand.ts b/clients/client-elastic-inference/src/commands/DescribeAcceleratorsCommand.ts index c658f4faf0c0..9041469bc781 100644 --- a/clients/client-elastic-inference/src/commands/DescribeAcceleratorsCommand.ts +++ b/clients/client-elastic-inference/src/commands/DescribeAcceleratorsCommand.ts @@ -122,4 +122,16 @@ export class DescribeAcceleratorsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAcceleratorsCommand) .de(de_DescribeAcceleratorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAcceleratorsRequest; + output: DescribeAcceleratorsResponse; + }; + sdk: { + input: DescribeAcceleratorsCommandInput; + output: DescribeAcceleratorsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-inference/src/commands/ListTagsForResourceCommand.ts b/clients/client-elastic-inference/src/commands/ListTagsForResourceCommand.ts index 78a5ec3ebf10..70c012d0a3c0 100644 --- a/clients/client-elastic-inference/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-elastic-inference/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-inference/src/commands/TagResourceCommand.ts b/clients/client-elastic-inference/src/commands/TagResourceCommand.ts index 47e1435c1a54..9721d6063a98 100644 --- a/clients/client-elastic-inference/src/commands/TagResourceCommand.ts +++ b/clients/client-elastic-inference/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-inference/src/commands/UntagResourceCommand.ts b/clients/client-elastic-inference/src/commands/UntagResourceCommand.ts index 8550e59e5bd4..e07c7ccc3441 100644 --- a/clients/client-elastic-inference/src/commands/UntagResourceCommand.ts +++ b/clients/client-elastic-inference/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/package.json b/clients/client-elastic-load-balancing-v2/package.json index 2b43b6e7f4a6..a33f32adc43b 100644 --- a/clients/client-elastic-load-balancing-v2/package.json +++ b/clients/client-elastic-load-balancing-v2/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-elastic-load-balancing-v2/src/commands/AddListenerCertificatesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/AddListenerCertificatesCommand.ts index 7287a225fd8c..bbf95a5a46ee 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/AddListenerCertificatesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/AddListenerCertificatesCommand.ts @@ -107,4 +107,16 @@ export class AddListenerCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_AddListenerCertificatesCommand) .de(de_AddListenerCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddListenerCertificatesInput; + output: AddListenerCertificatesOutput; + }; + sdk: { + input: AddListenerCertificatesCommandInput; + output: AddListenerCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/AddTagsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/AddTagsCommand.ts index 12c83b26ce69..f1c03e880406 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/AddTagsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/AddTagsCommand.ts @@ -135,4 +135,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsInput; + output: {}; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/AddTrustStoreRevocationsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/AddTrustStoreRevocationsCommand.ts index eaf325b0c035..9adbafc993e3 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/AddTrustStoreRevocationsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/AddTrustStoreRevocationsCommand.ts @@ -108,4 +108,16 @@ export class AddTrustStoreRevocationsCommand extends $Command .f(void 0, void 0) .ser(se_AddTrustStoreRevocationsCommand) .de(de_AddTrustStoreRevocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTrustStoreRevocationsInput; + output: AddTrustStoreRevocationsOutput; + }; + sdk: { + input: AddTrustStoreRevocationsCommandInput; + output: AddTrustStoreRevocationsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/CreateListenerCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/CreateListenerCommand.ts index af1aad6b04ae..d8ef22ce4074 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/CreateListenerCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/CreateListenerCommand.ts @@ -421,4 +421,16 @@ export class CreateListenerCommand extends $Command .f(void 0, void 0) .ser(se_CreateListenerCommand) .de(de_CreateListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateListenerInput; + output: CreateListenerOutput; + }; + sdk: { + input: CreateListenerCommandInput; + output: CreateListenerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/CreateLoadBalancerCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/CreateLoadBalancerCommand.ts index 51972fbac39f..14a9b84c16a9 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/CreateLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/CreateLoadBalancerCommand.ts @@ -300,4 +300,16 @@ export class CreateLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoadBalancerCommand) .de(de_CreateLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoadBalancerInput; + output: CreateLoadBalancerOutput; + }; + sdk: { + input: CreateLoadBalancerCommandInput; + output: CreateLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/CreateRuleCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/CreateRuleCommand.ts index fe6fcba81c10..0cbac477e319 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/CreateRuleCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/CreateRuleCommand.ts @@ -399,4 +399,16 @@ export class CreateRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleCommand) .de(de_CreateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleInput; + output: CreateRuleOutput; + }; + sdk: { + input: CreateRuleCommandInput; + output: CreateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/CreateTargetGroupCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/CreateTargetGroupCommand.ts index d0fc0870a41b..bf371b173995 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/CreateTargetGroupCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/CreateTargetGroupCommand.ts @@ -204,4 +204,16 @@ export class CreateTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateTargetGroupCommand) .de(de_CreateTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTargetGroupInput; + output: CreateTargetGroupOutput; + }; + sdk: { + input: CreateTargetGroupCommandInput; + output: CreateTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/CreateTrustStoreCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/CreateTrustStoreCommand.ts index 032b5b03785c..06429e31578e 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/CreateTrustStoreCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/CreateTrustStoreCommand.ts @@ -116,4 +116,16 @@ export class CreateTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrustStoreCommand) .de(de_CreateTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrustStoreInput; + output: CreateTrustStoreOutput; + }; + sdk: { + input: CreateTrustStoreCommandInput; + output: CreateTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DeleteListenerCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DeleteListenerCommand.ts index 8e4577b49947..559b4f806520 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DeleteListenerCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DeleteListenerCommand.ts @@ -98,4 +98,16 @@ export class DeleteListenerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteListenerCommand) .de(de_DeleteListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteListenerInput; + output: {}; + }; + sdk: { + input: DeleteListenerCommandInput; + output: DeleteListenerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DeleteLoadBalancerCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DeleteLoadBalancerCommand.ts index b000a4c0a728..69ef3c6c797d 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DeleteLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DeleteLoadBalancerCommand.ts @@ -105,4 +105,16 @@ export class DeleteLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoadBalancerCommand) .de(de_DeleteLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoadBalancerInput; + output: {}; + }; + sdk: { + input: DeleteLoadBalancerCommandInput; + output: DeleteLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DeleteRuleCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DeleteRuleCommand.ts index 41bd2dafe7ea..ca292b9b18d1 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DeleteRuleCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DeleteRuleCommand.ts @@ -97,4 +97,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleInput; + output: {}; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DeleteSharedTrustStoreAssociationCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DeleteSharedTrustStoreAssociationCommand.ts index fcc4c4ebeb93..6e224869a0f2 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DeleteSharedTrustStoreAssociationCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DeleteSharedTrustStoreAssociationCommand.ts @@ -106,4 +106,16 @@ export class DeleteSharedTrustStoreAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSharedTrustStoreAssociationCommand) .de(de_DeleteSharedTrustStoreAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSharedTrustStoreAssociationInput; + output: {}; + }; + sdk: { + input: DeleteSharedTrustStoreAssociationCommandInput; + output: DeleteSharedTrustStoreAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DeleteTargetGroupCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DeleteTargetGroupCommand.ts index ebb7bc6bb134..83d6c6e3d1e7 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DeleteTargetGroupCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DeleteTargetGroupCommand.ts @@ -97,4 +97,16 @@ export class DeleteTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTargetGroupCommand) .de(de_DeleteTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTargetGroupInput; + output: {}; + }; + sdk: { + input: DeleteTargetGroupCommandInput; + output: DeleteTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DeleteTrustStoreCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DeleteTrustStoreCommand.ts index 1f042b276e67..53d8dabf5446 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DeleteTrustStoreCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DeleteTrustStoreCommand.ts @@ -85,4 +85,16 @@ export class DeleteTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrustStoreCommand) .de(de_DeleteTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrustStoreInput; + output: {}; + }; + sdk: { + input: DeleteTrustStoreCommandInput; + output: DeleteTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DeregisterTargetsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DeregisterTargetsCommand.ts index 741777b2a355..6a91a8593acc 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DeregisterTargetsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DeregisterTargetsCommand.ts @@ -135,4 +135,16 @@ export class DeregisterTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterTargetsCommand) .de(de_DeregisterTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTargetsInput; + output: {}; + }; + sdk: { + input: DeregisterTargetsCommandInput; + output: DeregisterTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeAccountLimitsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeAccountLimitsCommand.ts index 96adfef4705d..a2f0b831d7f5 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeAccountLimitsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeAccountLimitsCommand.ts @@ -110,4 +110,16 @@ export class DescribeAccountLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountLimitsCommand) .de(de_DescribeAccountLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountLimitsInput; + output: DescribeAccountLimitsOutput; + }; + sdk: { + input: DescribeAccountLimitsCommandInput; + output: DescribeAccountLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerAttributesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerAttributesCommand.ts index 2cf743c11bba..a9ef4e88ea62 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerAttributesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerAttributesCommand.ts @@ -100,4 +100,16 @@ export class DescribeListenerAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeListenerAttributesCommand) .de(de_DescribeListenerAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeListenerAttributesInput; + output: DescribeListenerAttributesOutput; + }; + sdk: { + input: DescribeListenerAttributesCommandInput; + output: DescribeListenerAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerCertificatesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerCertificatesCommand.ts index 7046dcbc04cb..e52a7d951635 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerCertificatesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenerCertificatesCommand.ts @@ -101,4 +101,16 @@ export class DescribeListenerCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeListenerCertificatesCommand) .de(de_DescribeListenerCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeListenerCertificatesInput; + output: DescribeListenerCertificatesOutput; + }; + sdk: { + input: DescribeListenerCertificatesCommandInput; + output: DescribeListenerCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenersCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenersCommand.ts index a0c927a099e1..ac30243d8a70 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenersCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeListenersCommand.ts @@ -212,4 +212,16 @@ export class DescribeListenersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeListenersCommand) .de(de_DescribeListenersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeListenersInput; + output: DescribeListenersOutput; + }; + sdk: { + input: DescribeListenersCommandInput; + output: DescribeListenersCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancerAttributesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancerAttributesCommand.ts index 806a7c79e9c2..edebb28921bb 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancerAttributesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancerAttributesCommand.ts @@ -153,4 +153,16 @@ export class DescribeLoadBalancerAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancerAttributesCommand) .de(de_DescribeLoadBalancerAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBalancerAttributesInput; + output: DescribeLoadBalancerAttributesOutput; + }; + sdk: { + input: DescribeLoadBalancerAttributesCommandInput; + output: DescribeLoadBalancerAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancersCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancersCommand.ts index 7ed0aa1e1031..3441db10464e 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancersCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeLoadBalancersCommand.ts @@ -173,4 +173,16 @@ export class DescribeLoadBalancersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancersCommand) .de(de_DescribeLoadBalancersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBalancersInput; + output: DescribeLoadBalancersOutput; + }; + sdk: { + input: DescribeLoadBalancersCommandInput; + output: DescribeLoadBalancersCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeRulesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeRulesCommand.ts index 77282e35b62f..66f37f8410af 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeRulesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeRulesCommand.ts @@ -241,4 +241,16 @@ export class DescribeRulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRulesCommand) .de(de_DescribeRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRulesInput; + output: DescribeRulesOutput; + }; + sdk: { + input: DescribeRulesCommandInput; + output: DescribeRulesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeSSLPoliciesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeSSLPoliciesCommand.ts index d6285830161f..1efd23dabee3 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeSSLPoliciesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeSSLPoliciesCommand.ts @@ -213,4 +213,16 @@ export class DescribeSSLPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSSLPoliciesCommand) .de(de_DescribeSSLPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSSLPoliciesInput; + output: DescribeSSLPoliciesOutput; + }; + sdk: { + input: DescribeSSLPoliciesCommandInput; + output: DescribeSSLPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTagsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTagsCommand.ts index 7f40b7247f9d..155c6e0798b9 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTagsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTagsCommand.ts @@ -142,4 +142,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsInput; + output: DescribeTagsOutput; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupAttributesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupAttributesCommand.ts index 211ac76f5857..fd6b19f71094 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupAttributesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupAttributesCommand.ts @@ -148,4 +148,16 @@ export class DescribeTargetGroupAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTargetGroupAttributesCommand) .de(de_DescribeTargetGroupAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTargetGroupAttributesInput; + output: DescribeTargetGroupAttributesOutput; + }; + sdk: { + input: DescribeTargetGroupAttributesCommandInput; + output: DescribeTargetGroupAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupsCommand.ts index fbc4763bbb82..86729093f0ab 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetGroupsCommand.ts @@ -164,4 +164,16 @@ export class DescribeTargetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTargetGroupsCommand) .de(de_DescribeTargetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTargetGroupsInput; + output: DescribeTargetGroupsOutput; + }; + sdk: { + input: DescribeTargetGroupsCommandInput; + output: DescribeTargetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetHealthCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetHealthCommand.ts index e2e1c2aa171f..fe0dac1a9b92 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetHealthCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTargetHealthCommand.ts @@ -191,4 +191,16 @@ export class DescribeTargetHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTargetHealthCommand) .de(de_DescribeTargetHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTargetHealthInput; + output: DescribeTargetHealthOutput; + }; + sdk: { + input: DescribeTargetHealthCommandInput; + output: DescribeTargetHealthCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreAssociationsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreAssociationsCommand.ts index e3b8783a5836..d6a5719dc152 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreAssociationsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreAssociationsCommand.ts @@ -96,4 +96,16 @@ export class DescribeTrustStoreAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustStoreAssociationsCommand) .de(de_DescribeTrustStoreAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustStoreAssociationsInput; + output: DescribeTrustStoreAssociationsOutput; + }; + sdk: { + input: DescribeTrustStoreAssociationsCommandInput; + output: DescribeTrustStoreAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreRevocationsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreRevocationsCommand.ts index 51f738ea5790..98766ba076a5 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreRevocationsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoreRevocationsCommand.ts @@ -106,4 +106,16 @@ export class DescribeTrustStoreRevocationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustStoreRevocationsCommand) .de(de_DescribeTrustStoreRevocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustStoreRevocationsInput; + output: DescribeTrustStoreRevocationsOutput; + }; + sdk: { + input: DescribeTrustStoreRevocationsCommandInput; + output: DescribeTrustStoreRevocationsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoresCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoresCommand.ts index 1f9126500cda..441faf11b363 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoresCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/DescribeTrustStoresCommand.ts @@ -100,4 +100,16 @@ export class DescribeTrustStoresCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustStoresCommand) .de(de_DescribeTrustStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustStoresInput; + output: DescribeTrustStoresOutput; + }; + sdk: { + input: DescribeTrustStoresCommandInput; + output: DescribeTrustStoresCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/GetResourcePolicyCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/GetResourcePolicyCommand.ts index 2eac4ff447fc..6c4f1243fcb5 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/GetResourcePolicyCommand.ts @@ -95,4 +95,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyInput; + output: GetResourcePolicyOutput; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreCaCertificatesBundleCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreCaCertificatesBundleCommand.ts index d9d33b64439d..56c5c1959ddb 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreCaCertificatesBundleCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreCaCertificatesBundleCommand.ts @@ -91,4 +91,16 @@ export class GetTrustStoreCaCertificatesBundleCommand extends $Command .f(void 0, void 0) .ser(se_GetTrustStoreCaCertificatesBundleCommand) .de(de_GetTrustStoreCaCertificatesBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrustStoreCaCertificatesBundleInput; + output: GetTrustStoreCaCertificatesBundleOutput; + }; + sdk: { + input: GetTrustStoreCaCertificatesBundleCommandInput; + output: GetTrustStoreCaCertificatesBundleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreRevocationContentCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreRevocationContentCommand.ts index 0621b8662df4..147d5349f464 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreRevocationContentCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/GetTrustStoreRevocationContentCommand.ts @@ -95,4 +95,16 @@ export class GetTrustStoreRevocationContentCommand extends $Command .f(void 0, void 0) .ser(se_GetTrustStoreRevocationContentCommand) .de(de_GetTrustStoreRevocationContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrustStoreRevocationContentInput; + output: GetTrustStoreRevocationContentOutput; + }; + sdk: { + input: GetTrustStoreRevocationContentCommandInput; + output: GetTrustStoreRevocationContentCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerAttributesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerAttributesCommand.ts index e872bf17e7d2..01c27e9baa35 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerAttributesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerAttributesCommand.ts @@ -98,4 +98,16 @@ export class ModifyListenerAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyListenerAttributesCommand) .de(de_ModifyListenerAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyListenerAttributesInput; + output: ModifyListenerAttributesOutput; + }; + sdk: { + input: ModifyListenerAttributesCommandInput; + output: ModifyListenerAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerCommand.ts index 6432b62fd0ec..1a1c14c22f6c 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/ModifyListenerCommand.ts @@ -384,4 +384,16 @@ export class ModifyListenerCommand extends $Command .f(void 0, void 0) .ser(se_ModifyListenerCommand) .de(de_ModifyListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyListenerInput; + output: ModifyListenerOutput; + }; + sdk: { + input: ModifyListenerCommandInput; + output: ModifyListenerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/ModifyLoadBalancerAttributesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/ModifyLoadBalancerAttributesCommand.ts index f862bde5165f..0242b419ed20 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/ModifyLoadBalancerAttributesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/ModifyLoadBalancerAttributesCommand.ts @@ -240,4 +240,16 @@ export class ModifyLoadBalancerAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyLoadBalancerAttributesCommand) .de(de_ModifyLoadBalancerAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyLoadBalancerAttributesInput; + output: ModifyLoadBalancerAttributesOutput; + }; + sdk: { + input: ModifyLoadBalancerAttributesCommandInput; + output: ModifyLoadBalancerAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/ModifyRuleCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/ModifyRuleCommand.ts index b51d4b2d950d..4beb51c9a100 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/ModifyRuleCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/ModifyRuleCommand.ts @@ -371,4 +371,16 @@ export class ModifyRuleCommand extends $Command .f(void 0, void 0) .ser(se_ModifyRuleCommand) .de(de_ModifyRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyRuleInput; + output: ModifyRuleOutput; + }; + sdk: { + input: ModifyRuleCommandInput; + output: ModifyRuleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupAttributesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupAttributesCommand.ts index bbe8d1c5e55d..f7fce388b645 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupAttributesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupAttributesCommand.ts @@ -137,4 +137,16 @@ export class ModifyTargetGroupAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTargetGroupAttributesCommand) .de(de_ModifyTargetGroupAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTargetGroupAttributesInput; + output: ModifyTargetGroupAttributesOutput; + }; + sdk: { + input: ModifyTargetGroupAttributesCommandInput; + output: ModifyTargetGroupAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupCommand.ts index 376d75b5ce47..9e671b9ec307 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/ModifyTargetGroupCommand.ts @@ -164,4 +164,16 @@ export class ModifyTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTargetGroupCommand) .de(de_ModifyTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTargetGroupInput; + output: ModifyTargetGroupOutput; + }; + sdk: { + input: ModifyTargetGroupCommandInput; + output: ModifyTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/ModifyTrustStoreCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/ModifyTrustStoreCommand.ts index b27780bc7e75..3de409ac14e7 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/ModifyTrustStoreCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/ModifyTrustStoreCommand.ts @@ -101,4 +101,16 @@ export class ModifyTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_ModifyTrustStoreCommand) .de(de_ModifyTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTrustStoreInput; + output: ModifyTrustStoreOutput; + }; + sdk: { + input: ModifyTrustStoreCommandInput; + output: ModifyTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/RegisterTargetsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/RegisterTargetsCommand.ts index 45c5171bbc8a..b56bfde22151 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/RegisterTargetsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/RegisterTargetsCommand.ts @@ -149,4 +149,16 @@ export class RegisterTargetsCommand extends $Command .f(void 0, void 0) .ser(se_RegisterTargetsCommand) .de(de_RegisterTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTargetsInput; + output: {}; + }; + sdk: { + input: RegisterTargetsCommandInput; + output: RegisterTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/RemoveListenerCertificatesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/RemoveListenerCertificatesCommand.ts index b6046e67c8cd..9b559d58c90c 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/RemoveListenerCertificatesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/RemoveListenerCertificatesCommand.ts @@ -92,4 +92,16 @@ export class RemoveListenerCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_RemoveListenerCertificatesCommand) .de(de_RemoveListenerCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveListenerCertificatesInput; + output: {}; + }; + sdk: { + input: RemoveListenerCertificatesCommandInput; + output: RemoveListenerCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/RemoveTagsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/RemoveTagsCommand.ts index 0a9d76ac6178..e280618b295d 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/RemoveTagsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/RemoveTagsCommand.ts @@ -121,4 +121,16 @@ export class RemoveTagsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsCommand) .de(de_RemoveTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsInput; + output: {}; + }; + sdk: { + input: RemoveTagsCommandInput; + output: RemoveTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/RemoveTrustStoreRevocationsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/RemoveTrustStoreRevocationsCommand.ts index 65aecba26d7d..198e44fd1fae 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/RemoveTrustStoreRevocationsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/RemoveTrustStoreRevocationsCommand.ts @@ -88,4 +88,16 @@ export class RemoveTrustStoreRevocationsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTrustStoreRevocationsCommand) .de(de_RemoveTrustStoreRevocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTrustStoreRevocationsInput; + output: {}; + }; + sdk: { + input: RemoveTrustStoreRevocationsCommandInput; + output: RemoveTrustStoreRevocationsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/SetIpAddressTypeCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/SetIpAddressTypeCommand.ts index 165982a54285..06aaaddbaae6 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/SetIpAddressTypeCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/SetIpAddressTypeCommand.ts @@ -91,4 +91,16 @@ export class SetIpAddressTypeCommand extends $Command .f(void 0, void 0) .ser(se_SetIpAddressTypeCommand) .de(de_SetIpAddressTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIpAddressTypeInput; + output: SetIpAddressTypeOutput; + }; + sdk: { + input: SetIpAddressTypeCommandInput; + output: SetIpAddressTypeCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/SetRulePrioritiesCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/SetRulePrioritiesCommand.ts index faf6e9a50d55..68d08a8d8100 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/SetRulePrioritiesCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/SetRulePrioritiesCommand.ts @@ -244,4 +244,16 @@ export class SetRulePrioritiesCommand extends $Command .f(void 0, void 0) .ser(se_SetRulePrioritiesCommand) .de(de_SetRulePrioritiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetRulePrioritiesInput; + output: SetRulePrioritiesOutput; + }; + sdk: { + input: SetRulePrioritiesCommandInput; + output: SetRulePrioritiesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/SetSecurityGroupsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/SetSecurityGroupsCommand.ts index 590d14b4fa2d..53731e1518ca 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/SetSecurityGroupsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/SetSecurityGroupsCommand.ts @@ -123,4 +123,16 @@ export class SetSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_SetSecurityGroupsCommand) .de(de_SetSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetSecurityGroupsInput; + output: SetSecurityGroupsOutput; + }; + sdk: { + input: SetSecurityGroupsCommandInput; + output: SetSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing-v2/src/commands/SetSubnetsCommand.ts b/clients/client-elastic-load-balancing-v2/src/commands/SetSubnetsCommand.ts index f30356a44c6b..93aeed3e0816 100644 --- a/clients/client-elastic-load-balancing-v2/src/commands/SetSubnetsCommand.ts +++ b/clients/client-elastic-load-balancing-v2/src/commands/SetSubnetsCommand.ts @@ -160,4 +160,16 @@ export class SetSubnetsCommand extends $Command .f(void 0, void 0) .ser(se_SetSubnetsCommand) .de(de_SetSubnetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetSubnetsInput; + output: SetSubnetsOutput; + }; + sdk: { + input: SetSubnetsCommandInput; + output: SetSubnetsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/package.json b/clients/client-elastic-load-balancing/package.json index 029eb656bbda..7cf660450aa4 100644 --- a/clients/client-elastic-load-balancing/package.json +++ b/clients/client-elastic-load-balancing/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-elastic-load-balancing/src/commands/AddTagsCommand.ts b/clients/client-elastic-load-balancing/src/commands/AddTagsCommand.ts index f0c50a536398..1f04cfb341f1 100644 --- a/clients/client-elastic-load-balancing/src/commands/AddTagsCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/AddTagsCommand.ts @@ -125,4 +125,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsInput; + output: {}; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/ApplySecurityGroupsToLoadBalancerCommand.ts b/clients/client-elastic-load-balancing/src/commands/ApplySecurityGroupsToLoadBalancerCommand.ts index 926e2f8b309c..f2fc646b7757 100644 --- a/clients/client-elastic-load-balancing/src/commands/ApplySecurityGroupsToLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/ApplySecurityGroupsToLoadBalancerCommand.ts @@ -123,4 +123,16 @@ export class ApplySecurityGroupsToLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_ApplySecurityGroupsToLoadBalancerCommand) .de(de_ApplySecurityGroupsToLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplySecurityGroupsToLoadBalancerInput; + output: ApplySecurityGroupsToLoadBalancerOutput; + }; + sdk: { + input: ApplySecurityGroupsToLoadBalancerCommandInput; + output: ApplySecurityGroupsToLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/AttachLoadBalancerToSubnetsCommand.ts b/clients/client-elastic-load-balancing/src/commands/AttachLoadBalancerToSubnetsCommand.ts index 2880d86dfb92..708d100d47b6 100644 --- a/clients/client-elastic-load-balancing/src/commands/AttachLoadBalancerToSubnetsCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/AttachLoadBalancerToSubnetsCommand.ts @@ -123,4 +123,16 @@ export class AttachLoadBalancerToSubnetsCommand extends $Command .f(void 0, void 0) .ser(se_AttachLoadBalancerToSubnetsCommand) .de(de_AttachLoadBalancerToSubnetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachLoadBalancerToSubnetsInput; + output: AttachLoadBalancerToSubnetsOutput; + }; + sdk: { + input: AttachLoadBalancerToSubnetsCommandInput; + output: AttachLoadBalancerToSubnetsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/ConfigureHealthCheckCommand.ts b/clients/client-elastic-load-balancing/src/commands/ConfigureHealthCheckCommand.ts index c61167576530..39bd9dd44a10 100644 --- a/clients/client-elastic-load-balancing/src/commands/ConfigureHealthCheckCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/ConfigureHealthCheckCommand.ts @@ -128,4 +128,16 @@ export class ConfigureHealthCheckCommand extends $Command .f(void 0, void 0) .ser(se_ConfigureHealthCheckCommand) .de(de_ConfigureHealthCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfigureHealthCheckInput; + output: ConfigureHealthCheckOutput; + }; + sdk: { + input: ConfigureHealthCheckCommandInput; + output: ConfigureHealthCheckCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/CreateAppCookieStickinessPolicyCommand.ts b/clients/client-elastic-load-balancing/src/commands/CreateAppCookieStickinessPolicyCommand.ts index 7fbfd036510d..9803a2f00667 100644 --- a/clients/client-elastic-load-balancing/src/commands/CreateAppCookieStickinessPolicyCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/CreateAppCookieStickinessPolicyCommand.ts @@ -119,4 +119,16 @@ export class CreateAppCookieStickinessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppCookieStickinessPolicyCommand) .de(de_CreateAppCookieStickinessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppCookieStickinessPolicyInput; + output: {}; + }; + sdk: { + input: CreateAppCookieStickinessPolicyCommandInput; + output: CreateAppCookieStickinessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/CreateLBCookieStickinessPolicyCommand.ts b/clients/client-elastic-load-balancing/src/commands/CreateLBCookieStickinessPolicyCommand.ts index bd38923ca840..5781da4f309a 100644 --- a/clients/client-elastic-load-balancing/src/commands/CreateLBCookieStickinessPolicyCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/CreateLBCookieStickinessPolicyCommand.ts @@ -117,4 +117,16 @@ export class CreateLBCookieStickinessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateLBCookieStickinessPolicyCommand) .de(de_CreateLBCookieStickinessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLBCookieStickinessPolicyInput; + output: {}; + }; + sdk: { + input: CreateLBCookieStickinessPolicyCommandInput; + output: CreateLBCookieStickinessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerCommand.ts b/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerCommand.ts index 0a4faa52824b..163f84128bce 100644 --- a/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerCommand.ts @@ -316,4 +316,16 @@ export class CreateLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoadBalancerCommand) .de(de_CreateLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessPointInput; + output: CreateAccessPointOutput; + }; + sdk: { + input: CreateLoadBalancerCommandInput; + output: CreateLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerListenersCommand.ts b/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerListenersCommand.ts index 3ea3ea8612a4..5f2315497a15 100644 --- a/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerListenersCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerListenersCommand.ts @@ -146,4 +146,16 @@ export class CreateLoadBalancerListenersCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoadBalancerListenersCommand) .de(de_CreateLoadBalancerListenersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoadBalancerListenerInput; + output: {}; + }; + sdk: { + input: CreateLoadBalancerListenersCommandInput; + output: CreateLoadBalancerListenersCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerPolicyCommand.ts b/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerPolicyCommand.ts index 248d9f83d929..ac3bb08e6b9f 100644 --- a/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerPolicyCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/CreateLoadBalancerPolicyCommand.ts @@ -160,4 +160,16 @@ export class CreateLoadBalancerPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoadBalancerPolicyCommand) .de(de_CreateLoadBalancerPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoadBalancerPolicyInput; + output: {}; + }; + sdk: { + input: CreateLoadBalancerPolicyCommandInput; + output: CreateLoadBalancerPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerCommand.ts b/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerCommand.ts index 4977723b4b52..463312d6c70b 100644 --- a/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerCommand.ts @@ -93,4 +93,16 @@ export class DeleteLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoadBalancerCommand) .de(de_DeleteLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPointInput; + output: {}; + }; + sdk: { + input: DeleteLoadBalancerCommandInput; + output: DeleteLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerListenersCommand.ts b/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerListenersCommand.ts index f932a79a1265..567d720e4ef9 100644 --- a/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerListenersCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerListenersCommand.ts @@ -99,4 +99,16 @@ export class DeleteLoadBalancerListenersCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoadBalancerListenersCommand) .de(de_DeleteLoadBalancerListenersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoadBalancerListenerInput; + output: {}; + }; + sdk: { + input: DeleteLoadBalancerListenersCommandInput; + output: DeleteLoadBalancerListenersCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerPolicyCommand.ts b/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerPolicyCommand.ts index c5abc6f7822b..3ce92b304f62 100644 --- a/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerPolicyCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DeleteLoadBalancerPolicyCommand.ts @@ -98,4 +98,16 @@ export class DeleteLoadBalancerPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoadBalancerPolicyCommand) .de(de_DeleteLoadBalancerPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoadBalancerPolicyInput; + output: {}; + }; + sdk: { + input: DeleteLoadBalancerPolicyCommandInput; + output: DeleteLoadBalancerPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DeregisterInstancesFromLoadBalancerCommand.ts b/clients/client-elastic-load-balancing/src/commands/DeregisterInstancesFromLoadBalancerCommand.ts index 54128cf1fa84..9c0ecde7fa9c 100644 --- a/clients/client-elastic-load-balancing/src/commands/DeregisterInstancesFromLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DeregisterInstancesFromLoadBalancerCommand.ts @@ -132,4 +132,16 @@ export class DeregisterInstancesFromLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterInstancesFromLoadBalancerCommand) .de(de_DeregisterInstancesFromLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterEndPointsInput; + output: DeregisterEndPointsOutput; + }; + sdk: { + input: DeregisterInstancesFromLoadBalancerCommandInput; + output: DeregisterInstancesFromLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DescribeAccountLimitsCommand.ts b/clients/client-elastic-load-balancing/src/commands/DescribeAccountLimitsCommand.ts index 03f9ea0812e3..907b44712372 100644 --- a/clients/client-elastic-load-balancing/src/commands/DescribeAccountLimitsCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DescribeAccountLimitsCommand.ts @@ -90,4 +90,16 @@ export class DescribeAccountLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountLimitsCommand) .de(de_DescribeAccountLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountLimitsInput; + output: DescribeAccountLimitsOutput; + }; + sdk: { + input: DescribeAccountLimitsCommandInput; + output: DescribeAccountLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DescribeInstanceHealthCommand.ts b/clients/client-elastic-load-balancing/src/commands/DescribeInstanceHealthCommand.ts index c639a06a1bc9..efb5c7c1a334 100644 --- a/clients/client-elastic-load-balancing/src/commands/DescribeInstanceHealthCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DescribeInstanceHealthCommand.ts @@ -128,4 +128,16 @@ export class DescribeInstanceHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceHealthCommand) .de(de_DescribeInstanceHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndPointStateInput; + output: DescribeEndPointStateOutput; + }; + sdk: { + input: DescribeInstanceHealthCommandInput; + output: DescribeInstanceHealthCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerAttributesCommand.ts b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerAttributesCommand.ts index b0566bd1a367..11c2997bd5b3 100644 --- a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerAttributesCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerAttributesCommand.ts @@ -145,4 +145,16 @@ export class DescribeLoadBalancerAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancerAttributesCommand) .de(de_DescribeLoadBalancerAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBalancerAttributesInput; + output: DescribeLoadBalancerAttributesOutput; + }; + sdk: { + input: DescribeLoadBalancerAttributesCommandInput; + output: DescribeLoadBalancerAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPoliciesCommand.ts b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPoliciesCommand.ts index b6f055f8c55f..66e68c23f8d7 100644 --- a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPoliciesCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPoliciesCommand.ts @@ -137,4 +137,16 @@ export class DescribeLoadBalancerPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancerPoliciesCommand) .de(de_DescribeLoadBalancerPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBalancerPoliciesInput; + output: DescribeLoadBalancerPoliciesOutput; + }; + sdk: { + input: DescribeLoadBalancerPoliciesCommandInput; + output: DescribeLoadBalancerPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPolicyTypesCommand.ts b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPolicyTypesCommand.ts index 4fc3341bc575..9a6b30d64988 100644 --- a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPolicyTypesCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancerPolicyTypesCommand.ts @@ -142,4 +142,16 @@ export class DescribeLoadBalancerPolicyTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancerPolicyTypesCommand) .de(de_DescribeLoadBalancerPolicyTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBalancerPolicyTypesInput; + output: DescribeLoadBalancerPolicyTypesOutput; + }; + sdk: { + input: DescribeLoadBalancerPolicyTypesCommandInput; + output: DescribeLoadBalancerPolicyTypesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancersCommand.ts b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancersCommand.ts index 0ac1982247d7..7b126d7159ca 100644 --- a/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancersCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DescribeLoadBalancersCommand.ts @@ -269,4 +269,16 @@ export class DescribeLoadBalancersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBalancersCommand) .de(de_DescribeLoadBalancersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccessPointsInput; + output: DescribeAccessPointsOutput; + }; + sdk: { + input: DescribeLoadBalancersCommandInput; + output: DescribeLoadBalancersCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DescribeTagsCommand.ts b/clients/client-elastic-load-balancing/src/commands/DescribeTagsCommand.ts index a53423959200..9becce0583cb 100644 --- a/clients/client-elastic-load-balancing/src/commands/DescribeTagsCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DescribeTagsCommand.ts @@ -128,4 +128,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsInput; + output: DescribeTagsOutput; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DetachLoadBalancerFromSubnetsCommand.ts b/clients/client-elastic-load-balancing/src/commands/DetachLoadBalancerFromSubnetsCommand.ts index b432c149b9a0..d0c525f8302c 100644 --- a/clients/client-elastic-load-balancing/src/commands/DetachLoadBalancerFromSubnetsCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DetachLoadBalancerFromSubnetsCommand.ts @@ -121,4 +121,16 @@ export class DetachLoadBalancerFromSubnetsCommand extends $Command .f(void 0, void 0) .ser(se_DetachLoadBalancerFromSubnetsCommand) .de(de_DetachLoadBalancerFromSubnetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachLoadBalancerFromSubnetsInput; + output: DetachLoadBalancerFromSubnetsOutput; + }; + sdk: { + input: DetachLoadBalancerFromSubnetsCommandInput; + output: DetachLoadBalancerFromSubnetsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/DisableAvailabilityZonesForLoadBalancerCommand.ts b/clients/client-elastic-load-balancing/src/commands/DisableAvailabilityZonesForLoadBalancerCommand.ts index c82459eb2019..fba6164cc3cf 100644 --- a/clients/client-elastic-load-balancing/src/commands/DisableAvailabilityZonesForLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/DisableAvailabilityZonesForLoadBalancerCommand.ts @@ -126,4 +126,16 @@ export class DisableAvailabilityZonesForLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_DisableAvailabilityZonesForLoadBalancerCommand) .de(de_DisableAvailabilityZonesForLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAvailabilityZonesInput; + output: RemoveAvailabilityZonesOutput; + }; + sdk: { + input: DisableAvailabilityZonesForLoadBalancerCommandInput; + output: DisableAvailabilityZonesForLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/EnableAvailabilityZonesForLoadBalancerCommand.ts b/clients/client-elastic-load-balancing/src/commands/EnableAvailabilityZonesForLoadBalancerCommand.ts index 16adc5ad96f5..3c1d42afd99c 100644 --- a/clients/client-elastic-load-balancing/src/commands/EnableAvailabilityZonesForLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/EnableAvailabilityZonesForLoadBalancerCommand.ts @@ -121,4 +121,16 @@ export class EnableAvailabilityZonesForLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_EnableAvailabilityZonesForLoadBalancerCommand) .de(de_EnableAvailabilityZonesForLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddAvailabilityZonesInput; + output: AddAvailabilityZonesOutput; + }; + sdk: { + input: EnableAvailabilityZonesForLoadBalancerCommandInput; + output: EnableAvailabilityZonesForLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/ModifyLoadBalancerAttributesCommand.ts b/clients/client-elastic-load-balancing/src/commands/ModifyLoadBalancerAttributesCommand.ts index 0b5efaaef370..3d1900d89e7b 100644 --- a/clients/client-elastic-load-balancing/src/commands/ModifyLoadBalancerAttributesCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/ModifyLoadBalancerAttributesCommand.ts @@ -220,4 +220,16 @@ export class ModifyLoadBalancerAttributesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyLoadBalancerAttributesCommand) .de(de_ModifyLoadBalancerAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyLoadBalancerAttributesInput; + output: ModifyLoadBalancerAttributesOutput; + }; + sdk: { + input: ModifyLoadBalancerAttributesCommandInput; + output: ModifyLoadBalancerAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/RegisterInstancesWithLoadBalancerCommand.ts b/clients/client-elastic-load-balancing/src/commands/RegisterInstancesWithLoadBalancerCommand.ts index 0cbb1fa74316..e666bf587ce4 100644 --- a/clients/client-elastic-load-balancing/src/commands/RegisterInstancesWithLoadBalancerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/RegisterInstancesWithLoadBalancerCommand.ts @@ -148,4 +148,16 @@ export class RegisterInstancesWithLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_RegisterInstancesWithLoadBalancerCommand) .de(de_RegisterInstancesWithLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterEndPointsInput; + output: RegisterEndPointsOutput; + }; + sdk: { + input: RegisterInstancesWithLoadBalancerCommandInput; + output: RegisterInstancesWithLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/RemoveTagsCommand.ts b/clients/client-elastic-load-balancing/src/commands/RemoveTagsCommand.ts index 296e73db12de..0712dbebc632 100644 --- a/clients/client-elastic-load-balancing/src/commands/RemoveTagsCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/RemoveTagsCommand.ts @@ -107,4 +107,16 @@ export class RemoveTagsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsCommand) .de(de_RemoveTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsInput; + output: {}; + }; + sdk: { + input: RemoveTagsCommandInput; + output: RemoveTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerListenerSSLCertificateCommand.ts b/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerListenerSSLCertificateCommand.ts index 4dd2afa50b0b..b138c216ce39 100644 --- a/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerListenerSSLCertificateCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerListenerSSLCertificateCommand.ts @@ -123,4 +123,16 @@ export class SetLoadBalancerListenerSSLCertificateCommand extends $Command .f(void 0, void 0) .ser(se_SetLoadBalancerListenerSSLCertificateCommand) .de(de_SetLoadBalancerListenerSSLCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetLoadBalancerListenerSSLCertificateInput; + output: {}; + }; + sdk: { + input: SetLoadBalancerListenerSSLCertificateCommandInput; + output: SetLoadBalancerListenerSSLCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesForBackendServerCommand.ts b/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesForBackendServerCommand.ts index 4c6e6f3f0e67..477ecc5192a5 100644 --- a/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesForBackendServerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesForBackendServerCommand.ts @@ -126,4 +126,16 @@ export class SetLoadBalancerPoliciesForBackendServerCommand extends $Command .f(void 0, void 0) .ser(se_SetLoadBalancerPoliciesForBackendServerCommand) .de(de_SetLoadBalancerPoliciesForBackendServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetLoadBalancerPoliciesForBackendServerInput; + output: {}; + }; + sdk: { + input: SetLoadBalancerPoliciesForBackendServerCommandInput; + output: SetLoadBalancerPoliciesForBackendServerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesOfListenerCommand.ts b/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesOfListenerCommand.ts index 1937e79cd25a..d0bbdaaf3b79 100644 --- a/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesOfListenerCommand.ts +++ b/clients/client-elastic-load-balancing/src/commands/SetLoadBalancerPoliciesOfListenerCommand.ts @@ -121,4 +121,16 @@ export class SetLoadBalancerPoliciesOfListenerCommand extends $Command .f(void 0, void 0) .ser(se_SetLoadBalancerPoliciesOfListenerCommand) .de(de_SetLoadBalancerPoliciesOfListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetLoadBalancerPoliciesOfListenerInput; + output: {}; + }; + sdk: { + input: SetLoadBalancerPoliciesOfListenerCommandInput; + output: SetLoadBalancerPoliciesOfListenerCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/package.json b/clients/client-elastic-transcoder/package.json index cafb80ed8135..eedc4bd26a44 100644 --- a/clients/client-elastic-transcoder/package.json +++ b/clients/client-elastic-transcoder/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-elastic-transcoder/src/commands/CancelJobCommand.ts b/clients/client-elastic-transcoder/src/commands/CancelJobCommand.ts index 8768d7373d78..c8865fba738f 100644 --- a/clients/client-elastic-transcoder/src/commands/CancelJobCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/CancelJobCommand.ts @@ -103,4 +103,16 @@ export class CancelJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobCommand) .de(de_CancelJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRequest; + output: {}; + }; + sdk: { + input: CancelJobCommandInput; + output: CancelJobCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/CreateJobCommand.ts b/clients/client-elastic-transcoder/src/commands/CreateJobCommand.ts index fdfe1631bc43..bd6545a8ccf7 100644 --- a/clients/client-elastic-transcoder/src/commands/CreateJobCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/CreateJobCommand.ts @@ -566,4 +566,16 @@ export class CreateJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResponse; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/CreatePipelineCommand.ts b/clients/client-elastic-transcoder/src/commands/CreatePipelineCommand.ts index 8bf1559b1355..913ac977f87b 100644 --- a/clients/client-elastic-transcoder/src/commands/CreatePipelineCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/CreatePipelineCommand.ts @@ -183,4 +183,16 @@ export class CreatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_CreatePipelineCommand) .de(de_CreatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePipelineRequest; + output: CreatePipelineResponse; + }; + sdk: { + input: CreatePipelineCommandInput; + output: CreatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/CreatePresetCommand.ts b/clients/client-elastic-transcoder/src/commands/CreatePresetCommand.ts index e0aeb07f24d1..32dc01050067 100644 --- a/clients/client-elastic-transcoder/src/commands/CreatePresetCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/CreatePresetCommand.ts @@ -229,4 +229,16 @@ export class CreatePresetCommand extends $Command .f(void 0, void 0) .ser(se_CreatePresetCommand) .de(de_CreatePresetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePresetRequest; + output: CreatePresetResponse; + }; + sdk: { + input: CreatePresetCommandInput; + output: CreatePresetCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/DeletePipelineCommand.ts b/clients/client-elastic-transcoder/src/commands/DeletePipelineCommand.ts index c36d8b7af9c8..df8269348dc2 100644 --- a/clients/client-elastic-transcoder/src/commands/DeletePipelineCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/DeletePipelineCommand.ts @@ -101,4 +101,16 @@ export class DeletePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeletePipelineCommand) .de(de_DeletePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePipelineRequest; + output: {}; + }; + sdk: { + input: DeletePipelineCommandInput; + output: DeletePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/DeletePresetCommand.ts b/clients/client-elastic-transcoder/src/commands/DeletePresetCommand.ts index dad1d58e8166..e602093bc766 100644 --- a/clients/client-elastic-transcoder/src/commands/DeletePresetCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/DeletePresetCommand.ts @@ -97,4 +97,16 @@ export class DeletePresetCommand extends $Command .f(void 0, void 0) .ser(se_DeletePresetCommand) .de(de_DeletePresetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePresetRequest; + output: {}; + }; + sdk: { + input: DeletePresetCommandInput; + output: DeletePresetCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/ListJobsByPipelineCommand.ts b/clients/client-elastic-transcoder/src/commands/ListJobsByPipelineCommand.ts index ba27328b8e6e..0b886e329307 100644 --- a/clients/client-elastic-transcoder/src/commands/ListJobsByPipelineCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/ListJobsByPipelineCommand.ts @@ -350,4 +350,16 @@ export class ListJobsByPipelineCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsByPipelineCommand) .de(de_ListJobsByPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsByPipelineRequest; + output: ListJobsByPipelineResponse; + }; + sdk: { + input: ListJobsByPipelineCommandInput; + output: ListJobsByPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/ListJobsByStatusCommand.ts b/clients/client-elastic-transcoder/src/commands/ListJobsByStatusCommand.ts index 05bcfeb1a702..ba8cea13b54f 100644 --- a/clients/client-elastic-transcoder/src/commands/ListJobsByStatusCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/ListJobsByStatusCommand.ts @@ -349,4 +349,16 @@ export class ListJobsByStatusCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsByStatusCommand) .de(de_ListJobsByStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsByStatusRequest; + output: ListJobsByStatusResponse; + }; + sdk: { + input: ListJobsByStatusCommandInput; + output: ListJobsByStatusCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/ListPipelinesCommand.ts b/clients/client-elastic-transcoder/src/commands/ListPipelinesCommand.ts index 527fb49a2159..98c609ee9386 100644 --- a/clients/client-elastic-transcoder/src/commands/ListPipelinesCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/ListPipelinesCommand.ts @@ -137,4 +137,16 @@ export class ListPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelinesCommand) .de(de_ListPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelinesRequest; + output: ListPipelinesResponse; + }; + sdk: { + input: ListPipelinesCommandInput; + output: ListPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/ListPresetsCommand.ts b/clients/client-elastic-transcoder/src/commands/ListPresetsCommand.ts index 140b456bf85b..a6294077efb5 100644 --- a/clients/client-elastic-transcoder/src/commands/ListPresetsCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/ListPresetsCommand.ts @@ -159,4 +159,16 @@ export class ListPresetsCommand extends $Command .f(void 0, void 0) .ser(se_ListPresetsCommand) .de(de_ListPresetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPresetsRequest; + output: ListPresetsResponse; + }; + sdk: { + input: ListPresetsCommandInput; + output: ListPresetsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/ReadJobCommand.ts b/clients/client-elastic-transcoder/src/commands/ReadJobCommand.ts index 3b10749a8088..7f142466fd35 100644 --- a/clients/client-elastic-transcoder/src/commands/ReadJobCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/ReadJobCommand.ts @@ -343,4 +343,16 @@ export class ReadJobCommand extends $Command .f(void 0, void 0) .ser(se_ReadJobCommand) .de(de_ReadJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReadJobRequest; + output: ReadJobResponse; + }; + sdk: { + input: ReadJobCommandInput; + output: ReadJobCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/ReadPipelineCommand.ts b/clients/client-elastic-transcoder/src/commands/ReadPipelineCommand.ts index e2c1ba5021c3..20515b99afc2 100644 --- a/clients/client-elastic-transcoder/src/commands/ReadPipelineCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/ReadPipelineCommand.ts @@ -143,4 +143,16 @@ export class ReadPipelineCommand extends $Command .f(void 0, void 0) .ser(se_ReadPipelineCommand) .de(de_ReadPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReadPipelineRequest; + output: ReadPipelineResponse; + }; + sdk: { + input: ReadPipelineCommandInput; + output: ReadPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/ReadPresetCommand.ts b/clients/client-elastic-transcoder/src/commands/ReadPresetCommand.ts index 1645cacd3029..90c99d3f5d69 100644 --- a/clients/client-elastic-transcoder/src/commands/ReadPresetCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/ReadPresetCommand.ts @@ -158,4 +158,16 @@ export class ReadPresetCommand extends $Command .f(void 0, void 0) .ser(se_ReadPresetCommand) .de(de_ReadPresetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReadPresetRequest; + output: ReadPresetResponse; + }; + sdk: { + input: ReadPresetCommandInput; + output: ReadPresetCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/TestRoleCommand.ts b/clients/client-elastic-transcoder/src/commands/TestRoleCommand.ts index 4676c72511e3..5bfdaa2790d2 100644 --- a/clients/client-elastic-transcoder/src/commands/TestRoleCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/TestRoleCommand.ts @@ -111,4 +111,16 @@ export class TestRoleCommand extends $Command .f(void 0, void 0) .ser(se_TestRoleCommand) .de(de_TestRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestRoleRequest; + output: TestRoleResponse; + }; + sdk: { + input: TestRoleCommandInput; + output: TestRoleCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/UpdatePipelineCommand.ts b/clients/client-elastic-transcoder/src/commands/UpdatePipelineCommand.ts index 63a81ca82708..3d2ae484a6ec 100644 --- a/clients/client-elastic-transcoder/src/commands/UpdatePipelineCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/UpdatePipelineCommand.ts @@ -188,4 +188,16 @@ export class UpdatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineCommand) .de(de_UpdatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineRequest; + output: UpdatePipelineResponse; + }; + sdk: { + input: UpdatePipelineCommandInput; + output: UpdatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/UpdatePipelineNotificationsCommand.ts b/clients/client-elastic-transcoder/src/commands/UpdatePipelineNotificationsCommand.ts index 613becae95b8..666e6048dd35 100644 --- a/clients/client-elastic-transcoder/src/commands/UpdatePipelineNotificationsCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/UpdatePipelineNotificationsCommand.ts @@ -153,4 +153,16 @@ export class UpdatePipelineNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineNotificationsCommand) .de(de_UpdatePipelineNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineNotificationsRequest; + output: UpdatePipelineNotificationsResponse; + }; + sdk: { + input: UpdatePipelineNotificationsCommandInput; + output: UpdatePipelineNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-elastic-transcoder/src/commands/UpdatePipelineStatusCommand.ts b/clients/client-elastic-transcoder/src/commands/UpdatePipelineStatusCommand.ts index 6be51575e5be..0db325e32a79 100644 --- a/clients/client-elastic-transcoder/src/commands/UpdatePipelineStatusCommand.ts +++ b/clients/client-elastic-transcoder/src/commands/UpdatePipelineStatusCommand.ts @@ -147,4 +147,16 @@ export class UpdatePipelineStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineStatusCommand) .de(de_UpdatePipelineStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineStatusRequest; + output: UpdatePipelineStatusResponse; + }; + sdk: { + input: UpdatePipelineStatusCommandInput; + output: UpdatePipelineStatusCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/package.json b/clients/client-elasticache/package.json index 7a56257f0cbb..c2e2417d858e 100644 --- a/clients/client-elasticache/package.json +++ b/clients/client-elasticache/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-elasticache/src/commands/AddTagsToResourceCommand.ts b/clients/client-elasticache/src/commands/AddTagsToResourceCommand.ts index b7d9f57c3e07..89c40371cfab 100644 --- a/clients/client-elasticache/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-elasticache/src/commands/AddTagsToResourceCommand.ts @@ -188,4 +188,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceMessage; + output: TagListMessage; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/AuthorizeCacheSecurityGroupIngressCommand.ts b/clients/client-elasticache/src/commands/AuthorizeCacheSecurityGroupIngressCommand.ts index e6834903b855..e629f5aa2e2b 100644 --- a/clients/client-elasticache/src/commands/AuthorizeCacheSecurityGroupIngressCommand.ts +++ b/clients/client-elasticache/src/commands/AuthorizeCacheSecurityGroupIngressCommand.ts @@ -135,4 +135,16 @@ export class AuthorizeCacheSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeCacheSecurityGroupIngressCommand) .de(de_AuthorizeCacheSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeCacheSecurityGroupIngressMessage; + output: AuthorizeCacheSecurityGroupIngressResult; + }; + sdk: { + input: AuthorizeCacheSecurityGroupIngressCommandInput; + output: AuthorizeCacheSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/BatchApplyUpdateActionCommand.ts b/clients/client-elasticache/src/commands/BatchApplyUpdateActionCommand.ts index 1cced8b39bfe..daa168310d39 100644 --- a/clients/client-elasticache/src/commands/BatchApplyUpdateActionCommand.ts +++ b/clients/client-elasticache/src/commands/BatchApplyUpdateActionCommand.ts @@ -107,4 +107,16 @@ export class BatchApplyUpdateActionCommand extends $Command .f(void 0, void 0) .ser(se_BatchApplyUpdateActionCommand) .de(de_BatchApplyUpdateActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchApplyUpdateActionMessage; + output: UpdateActionResultsMessage; + }; + sdk: { + input: BatchApplyUpdateActionCommandInput; + output: BatchApplyUpdateActionCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/BatchStopUpdateActionCommand.ts b/clients/client-elasticache/src/commands/BatchStopUpdateActionCommand.ts index b3cb90e2229a..4c9582a3a78a 100644 --- a/clients/client-elasticache/src/commands/BatchStopUpdateActionCommand.ts +++ b/clients/client-elasticache/src/commands/BatchStopUpdateActionCommand.ts @@ -107,4 +107,16 @@ export class BatchStopUpdateActionCommand extends $Command .f(void 0, void 0) .ser(se_BatchStopUpdateActionCommand) .de(de_BatchStopUpdateActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchStopUpdateActionMessage; + output: UpdateActionResultsMessage; + }; + sdk: { + input: BatchStopUpdateActionCommandInput; + output: BatchStopUpdateActionCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CompleteMigrationCommand.ts b/clients/client-elasticache/src/commands/CompleteMigrationCommand.ts index 2f6a592adbe2..3da7a18e509e 100644 --- a/clients/client-elasticache/src/commands/CompleteMigrationCommand.ts +++ b/clients/client-elasticache/src/commands/CompleteMigrationCommand.ts @@ -206,4 +206,16 @@ export class CompleteMigrationCommand extends $Command .f(void 0, void 0) .ser(se_CompleteMigrationCommand) .de(de_CompleteMigrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteMigrationMessage; + output: CompleteMigrationResponse; + }; + sdk: { + input: CompleteMigrationCommandInput; + output: CompleteMigrationCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CopyServerlessCacheSnapshotCommand.ts b/clients/client-elasticache/src/commands/CopyServerlessCacheSnapshotCommand.ts index a9ad63bcd779..7ae985a34949 100644 --- a/clients/client-elasticache/src/commands/CopyServerlessCacheSnapshotCommand.ts +++ b/clients/client-elasticache/src/commands/CopyServerlessCacheSnapshotCommand.ts @@ -127,4 +127,16 @@ export class CopyServerlessCacheSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopyServerlessCacheSnapshotCommand) .de(de_CopyServerlessCacheSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyServerlessCacheSnapshotRequest; + output: CopyServerlessCacheSnapshotResponse; + }; + sdk: { + input: CopyServerlessCacheSnapshotCommandInput; + output: CopyServerlessCacheSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CopySnapshotCommand.ts b/clients/client-elasticache/src/commands/CopySnapshotCommand.ts index ac33a5223808..21c8ef4622f1 100644 --- a/clients/client-elasticache/src/commands/CopySnapshotCommand.ts +++ b/clients/client-elasticache/src/commands/CopySnapshotCommand.ts @@ -297,4 +297,16 @@ export class CopySnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopySnapshotCommand) .de(de_CopySnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopySnapshotMessage; + output: CopySnapshotResult; + }; + sdk: { + input: CopySnapshotCommandInput; + output: CopySnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateCacheClusterCommand.ts b/clients/client-elasticache/src/commands/CreateCacheClusterCommand.ts index bd4fa08a891d..781f5790ddde 100644 --- a/clients/client-elasticache/src/commands/CreateCacheClusterCommand.ts +++ b/clients/client-elasticache/src/commands/CreateCacheClusterCommand.ts @@ -342,4 +342,16 @@ export class CreateCacheClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateCacheClusterCommand) .de(de_CreateCacheClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCacheClusterMessage; + output: CreateCacheClusterResult; + }; + sdk: { + input: CreateCacheClusterCommandInput; + output: CreateCacheClusterCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateCacheParameterGroupCommand.ts b/clients/client-elasticache/src/commands/CreateCacheParameterGroupCommand.ts index a9767d14ed46..f578ce8aad66 100644 --- a/clients/client-elasticache/src/commands/CreateCacheParameterGroupCommand.ts +++ b/clients/client-elasticache/src/commands/CreateCacheParameterGroupCommand.ts @@ -152,4 +152,16 @@ export class CreateCacheParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateCacheParameterGroupCommand) .de(de_CreateCacheParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCacheParameterGroupMessage; + output: CreateCacheParameterGroupResult; + }; + sdk: { + input: CreateCacheParameterGroupCommandInput; + output: CreateCacheParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateCacheSecurityGroupCommand.ts b/clients/client-elasticache/src/commands/CreateCacheSecurityGroupCommand.ts index 6c7eae31eb09..a8bf1ca211f0 100644 --- a/clients/client-elasticache/src/commands/CreateCacheSecurityGroupCommand.ts +++ b/clients/client-elasticache/src/commands/CreateCacheSecurityGroupCommand.ts @@ -130,4 +130,16 @@ export class CreateCacheSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateCacheSecurityGroupCommand) .de(de_CreateCacheSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCacheSecurityGroupMessage; + output: CreateCacheSecurityGroupResult; + }; + sdk: { + input: CreateCacheSecurityGroupCommandInput; + output: CreateCacheSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateCacheSubnetGroupCommand.ts b/clients/client-elasticache/src/commands/CreateCacheSubnetGroupCommand.ts index 54392df83def..f07915356e98 100644 --- a/clients/client-elasticache/src/commands/CreateCacheSubnetGroupCommand.ts +++ b/clients/client-elasticache/src/commands/CreateCacheSubnetGroupCommand.ts @@ -183,4 +183,16 @@ export class CreateCacheSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateCacheSubnetGroupCommand) .de(de_CreateCacheSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCacheSubnetGroupMessage; + output: CreateCacheSubnetGroupResult; + }; + sdk: { + input: CreateCacheSubnetGroupCommandInput; + output: CreateCacheSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/CreateGlobalReplicationGroupCommand.ts index 692d31a2e3f6..d1cf7076c342 100644 --- a/clients/client-elasticache/src/commands/CreateGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/CreateGlobalReplicationGroupCommand.ts @@ -138,4 +138,16 @@ export class CreateGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGlobalReplicationGroupCommand) .de(de_CreateGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlobalReplicationGroupMessage; + output: CreateGlobalReplicationGroupResult; + }; + sdk: { + input: CreateGlobalReplicationGroupCommandInput; + output: CreateGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/CreateReplicationGroupCommand.ts index add144c07f1c..8613dc114b2d 100644 --- a/clients/client-elasticache/src/commands/CreateReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/CreateReplicationGroupCommand.ts @@ -468,4 +468,16 @@ export class CreateReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationGroupCommand) .de(de_CreateReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationGroupMessage; + output: CreateReplicationGroupResult; + }; + sdk: { + input: CreateReplicationGroupCommandInput; + output: CreateReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateServerlessCacheCommand.ts b/clients/client-elasticache/src/commands/CreateServerlessCacheCommand.ts index bcfaba98cb14..0266346aa452 100644 --- a/clients/client-elasticache/src/commands/CreateServerlessCacheCommand.ts +++ b/clients/client-elasticache/src/commands/CreateServerlessCacheCommand.ts @@ -183,4 +183,16 @@ export class CreateServerlessCacheCommand extends $Command .f(void 0, void 0) .ser(se_CreateServerlessCacheCommand) .de(de_CreateServerlessCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServerlessCacheRequest; + output: CreateServerlessCacheResponse; + }; + sdk: { + input: CreateServerlessCacheCommandInput; + output: CreateServerlessCacheCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateServerlessCacheSnapshotCommand.ts b/clients/client-elasticache/src/commands/CreateServerlessCacheSnapshotCommand.ts index 4e3ae9c7a8b0..32046cb02ad7 100644 --- a/clients/client-elasticache/src/commands/CreateServerlessCacheSnapshotCommand.ts +++ b/clients/client-elasticache/src/commands/CreateServerlessCacheSnapshotCommand.ts @@ -130,4 +130,16 @@ export class CreateServerlessCacheSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateServerlessCacheSnapshotCommand) .de(de_CreateServerlessCacheSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServerlessCacheSnapshotRequest; + output: CreateServerlessCacheSnapshotResponse; + }; + sdk: { + input: CreateServerlessCacheSnapshotCommandInput; + output: CreateServerlessCacheSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateSnapshotCommand.ts b/clients/client-elasticache/src/commands/CreateSnapshotCommand.ts index 63d3a70dc763..b2721beef6bc 100644 --- a/clients/client-elasticache/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-elasticache/src/commands/CreateSnapshotCommand.ts @@ -274,4 +274,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotMessage; + output: CreateSnapshotResult; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateUserCommand.ts b/clients/client-elasticache/src/commands/CreateUserCommand.ts index b90a3948e49e..2d2aebb273be 100644 --- a/clients/client-elasticache/src/commands/CreateUserCommand.ts +++ b/clients/client-elasticache/src/commands/CreateUserCommand.ts @@ -133,4 +133,16 @@ export class CreateUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserMessage; + output: User; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/CreateUserGroupCommand.ts b/clients/client-elasticache/src/commands/CreateUserGroupCommand.ts index 89d6eb841b6d..204c4b49becd 100644 --- a/clients/client-elasticache/src/commands/CreateUserGroupCommand.ts +++ b/clients/client-elasticache/src/commands/CreateUserGroupCommand.ts @@ -136,4 +136,16 @@ export class CreateUserGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserGroupCommand) .de(de_CreateUserGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserGroupMessage; + output: UserGroup; + }; + sdk: { + input: CreateUserGroupCommandInput; + output: CreateUserGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DecreaseNodeGroupsInGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/DecreaseNodeGroupsInGlobalReplicationGroupCommand.ts index 0df7b755c339..2aa299a3f1b2 100644 --- a/clients/client-elasticache/src/commands/DecreaseNodeGroupsInGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DecreaseNodeGroupsInGlobalReplicationGroupCommand.ts @@ -133,4 +133,16 @@ export class DecreaseNodeGroupsInGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_DecreaseNodeGroupsInGlobalReplicationGroupCommand) .de(de_DecreaseNodeGroupsInGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DecreaseNodeGroupsInGlobalReplicationGroupMessage; + output: DecreaseNodeGroupsInGlobalReplicationGroupResult; + }; + sdk: { + input: DecreaseNodeGroupsInGlobalReplicationGroupCommandInput; + output: DecreaseNodeGroupsInGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DecreaseReplicaCountCommand.ts b/clients/client-elasticache/src/commands/DecreaseReplicaCountCommand.ts index 3e9bac2df9c5..542c9ccdcafa 100644 --- a/clients/client-elasticache/src/commands/DecreaseReplicaCountCommand.ts +++ b/clients/client-elasticache/src/commands/DecreaseReplicaCountCommand.ts @@ -256,4 +256,16 @@ export class DecreaseReplicaCountCommand extends $Command .f(void 0, void 0) .ser(se_DecreaseReplicaCountCommand) .de(de_DecreaseReplicaCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DecreaseReplicaCountMessage; + output: DecreaseReplicaCountResult; + }; + sdk: { + input: DecreaseReplicaCountCommandInput; + output: DecreaseReplicaCountCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteCacheClusterCommand.ts b/clients/client-elasticache/src/commands/DeleteCacheClusterCommand.ts index 6fafcdb07b83..749151e052c9 100644 --- a/clients/client-elasticache/src/commands/DeleteCacheClusterCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteCacheClusterCommand.ts @@ -289,4 +289,16 @@ export class DeleteCacheClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCacheClusterCommand) .de(de_DeleteCacheClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCacheClusterMessage; + output: DeleteCacheClusterResult; + }; + sdk: { + input: DeleteCacheClusterCommandInput; + output: DeleteCacheClusterCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteCacheParameterGroupCommand.ts b/clients/client-elasticache/src/commands/DeleteCacheParameterGroupCommand.ts index 3fd50faaae1f..668338cf9b2a 100644 --- a/clients/client-elasticache/src/commands/DeleteCacheParameterGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteCacheParameterGroupCommand.ts @@ -102,4 +102,16 @@ export class DeleteCacheParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCacheParameterGroupCommand) .de(de_DeleteCacheParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCacheParameterGroupMessage; + output: {}; + }; + sdk: { + input: DeleteCacheParameterGroupCommandInput; + output: DeleteCacheParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteCacheSecurityGroupCommand.ts b/clients/client-elasticache/src/commands/DeleteCacheSecurityGroupCommand.ts index ad52c8c770f2..385d6c8e63ff 100644 --- a/clients/client-elasticache/src/commands/DeleteCacheSecurityGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteCacheSecurityGroupCommand.ts @@ -103,4 +103,16 @@ export class DeleteCacheSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCacheSecurityGroupCommand) .de(de_DeleteCacheSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCacheSecurityGroupMessage; + output: {}; + }; + sdk: { + input: DeleteCacheSecurityGroupCommandInput; + output: DeleteCacheSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteCacheSubnetGroupCommand.ts b/clients/client-elasticache/src/commands/DeleteCacheSubnetGroupCommand.ts index e7641c0240a3..5b190aafefbf 100644 --- a/clients/client-elasticache/src/commands/DeleteCacheSubnetGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteCacheSubnetGroupCommand.ts @@ -97,4 +97,16 @@ export class DeleteCacheSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCacheSubnetGroupCommand) .de(de_DeleteCacheSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCacheSubnetGroupMessage; + output: {}; + }; + sdk: { + input: DeleteCacheSubnetGroupCommandInput; + output: DeleteCacheSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/DeleteGlobalReplicationGroupCommand.ts index 8ed523d1c82d..6b5406657667 100644 --- a/clients/client-elasticache/src/commands/DeleteGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteGlobalReplicationGroupCommand.ts @@ -136,4 +136,16 @@ export class DeleteGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGlobalReplicationGroupCommand) .de(de_DeleteGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGlobalReplicationGroupMessage; + output: DeleteGlobalReplicationGroupResult; + }; + sdk: { + input: DeleteGlobalReplicationGroupCommandInput; + output: DeleteGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/DeleteReplicationGroupCommand.ts index dd2e2564cd63..a653c8721b5f 100644 --- a/clients/client-elasticache/src/commands/DeleteReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteReplicationGroupCommand.ts @@ -273,4 +273,16 @@ export class DeleteReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationGroupCommand) .de(de_DeleteReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationGroupMessage; + output: DeleteReplicationGroupResult; + }; + sdk: { + input: DeleteReplicationGroupCommandInput; + output: DeleteReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteServerlessCacheCommand.ts b/clients/client-elasticache/src/commands/DeleteServerlessCacheCommand.ts index 4df261ba0c3e..21852e2a041f 100644 --- a/clients/client-elasticache/src/commands/DeleteServerlessCacheCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteServerlessCacheCommand.ts @@ -142,4 +142,16 @@ export class DeleteServerlessCacheCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServerlessCacheCommand) .de(de_DeleteServerlessCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServerlessCacheRequest; + output: DeleteServerlessCacheResponse; + }; + sdk: { + input: DeleteServerlessCacheCommandInput; + output: DeleteServerlessCacheCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteServerlessCacheSnapshotCommand.ts b/clients/client-elasticache/src/commands/DeleteServerlessCacheSnapshotCommand.ts index e7c469d600a3..44ad7a0ca790 100644 --- a/clients/client-elasticache/src/commands/DeleteServerlessCacheSnapshotCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteServerlessCacheSnapshotCommand.ts @@ -108,4 +108,16 @@ export class DeleteServerlessCacheSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServerlessCacheSnapshotCommand) .de(de_DeleteServerlessCacheSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServerlessCacheSnapshotRequest; + output: DeleteServerlessCacheSnapshotResponse; + }; + sdk: { + input: DeleteServerlessCacheSnapshotCommandInput; + output: DeleteServerlessCacheSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteSnapshotCommand.ts b/clients/client-elasticache/src/commands/DeleteSnapshotCommand.ts index c4c0ba20c242..a66f86332101 100644 --- a/clients/client-elasticache/src/commands/DeleteSnapshotCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteSnapshotCommand.ts @@ -189,4 +189,16 @@ export class DeleteSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCommand) .de(de_DeleteSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotMessage; + output: DeleteSnapshotResult; + }; + sdk: { + input: DeleteSnapshotCommandInput; + output: DeleteSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteUserCommand.ts b/clients/client-elasticache/src/commands/DeleteUserCommand.ts index 94c4ec8776bc..75a7c5e35c76 100644 --- a/clients/client-elasticache/src/commands/DeleteUserCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteUserCommand.ts @@ -107,4 +107,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserMessage; + output: User; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DeleteUserGroupCommand.ts b/clients/client-elasticache/src/commands/DeleteUserGroupCommand.ts index d17d293bf2d2..6fe7b4a99464 100644 --- a/clients/client-elasticache/src/commands/DeleteUserGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DeleteUserGroupCommand.ts @@ -112,4 +112,16 @@ export class DeleteUserGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserGroupCommand) .de(de_DeleteUserGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserGroupMessage; + output: UserGroup; + }; + sdk: { + input: DeleteUserGroupCommandInput; + output: DeleteUserGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeCacheClustersCommand.ts b/clients/client-elasticache/src/commands/DescribeCacheClustersCommand.ts index 67a194e72660..23a88a967384 100644 --- a/clients/client-elasticache/src/commands/DescribeCacheClustersCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeCacheClustersCommand.ts @@ -261,4 +261,16 @@ export class DescribeCacheClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCacheClustersCommand) .de(de_DescribeCacheClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCacheClustersMessage; + output: CacheClusterMessage; + }; + sdk: { + input: DescribeCacheClustersCommandInput; + output: DescribeCacheClustersCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeCacheEngineVersionsCommand.ts b/clients/client-elasticache/src/commands/DescribeCacheEngineVersionsCommand.ts index 7259e1301f40..19468bdc5794 100644 --- a/clients/client-elasticache/src/commands/DescribeCacheEngineVersionsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeCacheEngineVersionsCommand.ts @@ -190,4 +190,16 @@ export class DescribeCacheEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCacheEngineVersionsCommand) .de(de_DescribeCacheEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCacheEngineVersionsMessage; + output: CacheEngineVersionMessage; + }; + sdk: { + input: DescribeCacheEngineVersionsCommandInput; + output: DescribeCacheEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeCacheParameterGroupsCommand.ts b/clients/client-elasticache/src/commands/DescribeCacheParameterGroupsCommand.ts index b837066dfb0c..e0b7b5bd1998 100644 --- a/clients/client-elasticache/src/commands/DescribeCacheParameterGroupsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeCacheParameterGroupsCommand.ts @@ -121,4 +121,16 @@ export class DescribeCacheParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCacheParameterGroupsCommand) .de(de_DescribeCacheParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCacheParameterGroupsMessage; + output: CacheParameterGroupsMessage; + }; + sdk: { + input: DescribeCacheParameterGroupsCommandInput; + output: DescribeCacheParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeCacheParametersCommand.ts b/clients/client-elasticache/src/commands/DescribeCacheParametersCommand.ts index eb861378aaad..bda7ea3b40f6 100644 --- a/clients/client-elasticache/src/commands/DescribeCacheParametersCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeCacheParametersCommand.ts @@ -524,4 +524,16 @@ export class DescribeCacheParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCacheParametersCommand) .de(de_DescribeCacheParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCacheParametersMessage; + output: CacheParameterGroupDetails; + }; + sdk: { + input: DescribeCacheParametersCommandInput; + output: DescribeCacheParametersCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeCacheSecurityGroupsCommand.ts b/clients/client-elasticache/src/commands/DescribeCacheSecurityGroupsCommand.ts index 17a0c0de857e..ae7da992c01f 100644 --- a/clients/client-elasticache/src/commands/DescribeCacheSecurityGroupsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeCacheSecurityGroupsCommand.ts @@ -117,4 +117,16 @@ export class DescribeCacheSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCacheSecurityGroupsCommand) .de(de_DescribeCacheSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCacheSecurityGroupsMessage; + output: CacheSecurityGroupMessage; + }; + sdk: { + input: DescribeCacheSecurityGroupsCommandInput; + output: DescribeCacheSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeCacheSubnetGroupsCommand.ts b/clients/client-elasticache/src/commands/DescribeCacheSubnetGroupsCommand.ts index c8413989b158..c946cd77fbc0 100644 --- a/clients/client-elasticache/src/commands/DescribeCacheSubnetGroupsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeCacheSubnetGroupsCommand.ts @@ -160,4 +160,16 @@ export class DescribeCacheSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCacheSubnetGroupsCommand) .de(de_DescribeCacheSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCacheSubnetGroupsMessage; + output: CacheSubnetGroupMessage; + }; + sdk: { + input: DescribeCacheSubnetGroupsCommandInput; + output: DescribeCacheSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeEngineDefaultParametersCommand.ts b/clients/client-elasticache/src/commands/DescribeEngineDefaultParametersCommand.ts index 3b19958e231b..c3c0aeee40f7 100644 --- a/clients/client-elasticache/src/commands/DescribeEngineDefaultParametersCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeEngineDefaultParametersCommand.ts @@ -739,4 +739,16 @@ export class DescribeEngineDefaultParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineDefaultParametersCommand) .de(de_DescribeEngineDefaultParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineDefaultParametersMessage; + output: DescribeEngineDefaultParametersResult; + }; + sdk: { + input: DescribeEngineDefaultParametersCommandInput; + output: DescribeEngineDefaultParametersCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeEventsCommand.ts b/clients/client-elasticache/src/commands/DescribeEventsCommand.ts index c0d26f237401..4b9790f6e10a 100644 --- a/clients/client-elasticache/src/commands/DescribeEventsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeEventsCommand.ts @@ -150,4 +150,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsMessage; + output: EventsMessage; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeGlobalReplicationGroupsCommand.ts b/clients/client-elasticache/src/commands/DescribeGlobalReplicationGroupsCommand.ts index 9d4478d59f15..16c8caffb53b 100644 --- a/clients/client-elasticache/src/commands/DescribeGlobalReplicationGroupsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeGlobalReplicationGroupsCommand.ts @@ -125,4 +125,16 @@ export class DescribeGlobalReplicationGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalReplicationGroupsCommand) .de(de_DescribeGlobalReplicationGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGlobalReplicationGroupsMessage; + output: DescribeGlobalReplicationGroupsResult; + }; + sdk: { + input: DescribeGlobalReplicationGroupsCommandInput; + output: DescribeGlobalReplicationGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeReplicationGroupsCommand.ts b/clients/client-elasticache/src/commands/DescribeReplicationGroupsCommand.ts index 663b1c6113de..6828d064fdf1 100644 --- a/clients/client-elasticache/src/commands/DescribeReplicationGroupsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeReplicationGroupsCommand.ts @@ -278,4 +278,16 @@ export class DescribeReplicationGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicationGroupsCommand) .de(de_DescribeReplicationGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationGroupsMessage; + output: ReplicationGroupMessage; + }; + sdk: { + input: DescribeReplicationGroupsCommandInput; + output: DescribeReplicationGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeReservedCacheNodesCommand.ts b/clients/client-elasticache/src/commands/DescribeReservedCacheNodesCommand.ts index 6fc04595c461..992229df5722 100644 --- a/clients/client-elasticache/src/commands/DescribeReservedCacheNodesCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeReservedCacheNodesCommand.ts @@ -127,4 +127,16 @@ export class DescribeReservedCacheNodesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedCacheNodesCommand) .de(de_DescribeReservedCacheNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedCacheNodesMessage; + output: ReservedCacheNodeMessage; + }; + sdk: { + input: DescribeReservedCacheNodesCommandInput; + output: DescribeReservedCacheNodesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeReservedCacheNodesOfferingsCommand.ts b/clients/client-elasticache/src/commands/DescribeReservedCacheNodesOfferingsCommand.ts index d3b864d288fb..73dd259a69b5 100644 --- a/clients/client-elasticache/src/commands/DescribeReservedCacheNodesOfferingsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeReservedCacheNodesOfferingsCommand.ts @@ -387,4 +387,16 @@ export class DescribeReservedCacheNodesOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedCacheNodesOfferingsCommand) .de(de_DescribeReservedCacheNodesOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedCacheNodesOfferingsMessage; + output: ReservedCacheNodesOfferingMessage; + }; + sdk: { + input: DescribeReservedCacheNodesOfferingsCommandInput; + output: DescribeReservedCacheNodesOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeServerlessCacheSnapshotsCommand.ts b/clients/client-elasticache/src/commands/DescribeServerlessCacheSnapshotsCommand.ts index 02ab83f298d0..17bf685fcfb6 100644 --- a/clients/client-elasticache/src/commands/DescribeServerlessCacheSnapshotsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeServerlessCacheSnapshotsCommand.ts @@ -118,4 +118,16 @@ export class DescribeServerlessCacheSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServerlessCacheSnapshotsCommand) .de(de_DescribeServerlessCacheSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServerlessCacheSnapshotsRequest; + output: DescribeServerlessCacheSnapshotsResponse; + }; + sdk: { + input: DescribeServerlessCacheSnapshotsCommandInput; + output: DescribeServerlessCacheSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeServerlessCachesCommand.ts b/clients/client-elasticache/src/commands/DescribeServerlessCachesCommand.ts index 59fb098a52ac..e7873fee748b 100644 --- a/clients/client-elasticache/src/commands/DescribeServerlessCachesCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeServerlessCachesCommand.ts @@ -131,4 +131,16 @@ export class DescribeServerlessCachesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServerlessCachesCommand) .de(de_DescribeServerlessCachesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServerlessCachesRequest; + output: DescribeServerlessCachesResponse; + }; + sdk: { + input: DescribeServerlessCachesCommandInput; + output: DescribeServerlessCachesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeServiceUpdatesCommand.ts b/clients/client-elasticache/src/commands/DescribeServiceUpdatesCommand.ts index 06af87a2f793..6bbca1ae3447 100644 --- a/clients/client-elasticache/src/commands/DescribeServiceUpdatesCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeServiceUpdatesCommand.ts @@ -107,4 +107,16 @@ export class DescribeServiceUpdatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServiceUpdatesCommand) .de(de_DescribeServiceUpdatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServiceUpdatesMessage; + output: ServiceUpdatesMessage; + }; + sdk: { + input: DescribeServiceUpdatesCommandInput; + output: DescribeServiceUpdatesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeSnapshotsCommand.ts b/clients/client-elasticache/src/commands/DescribeSnapshotsCommand.ts index 503989dcafab..62d5d610bdea 100644 --- a/clients/client-elasticache/src/commands/DescribeSnapshotsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeSnapshotsCommand.ts @@ -201,4 +201,16 @@ export class DescribeSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotsCommand) .de(de_DescribeSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotsMessage; + output: DescribeSnapshotsListMessage; + }; + sdk: { + input: DescribeSnapshotsCommandInput; + output: DescribeSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeUpdateActionsCommand.ts b/clients/client-elasticache/src/commands/DescribeUpdateActionsCommand.ts index 820546cc6ff4..be3a2af4b028 100644 --- a/clients/client-elasticache/src/commands/DescribeUpdateActionsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeUpdateActionsCommand.ts @@ -152,4 +152,16 @@ export class DescribeUpdateActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUpdateActionsCommand) .de(de_DescribeUpdateActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUpdateActionsMessage; + output: UpdateActionsMessage; + }; + sdk: { + input: DescribeUpdateActionsCommandInput; + output: DescribeUpdateActionsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeUserGroupsCommand.ts b/clients/client-elasticache/src/commands/DescribeUserGroupsCommand.ts index 8426c0f55f20..7bb5cc13f81a 100644 --- a/clients/client-elasticache/src/commands/DescribeUserGroupsCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeUserGroupsCommand.ts @@ -114,4 +114,16 @@ export class DescribeUserGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserGroupsCommand) .de(de_DescribeUserGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserGroupsMessage; + output: DescribeUserGroupsResult; + }; + sdk: { + input: DescribeUserGroupsCommandInput; + output: DescribeUserGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DescribeUsersCommand.ts b/clients/client-elasticache/src/commands/DescribeUsersCommand.ts index 8cb32e3a0f33..11783f750a3a 100644 --- a/clients/client-elasticache/src/commands/DescribeUsersCommand.ts +++ b/clients/client-elasticache/src/commands/DescribeUsersCommand.ts @@ -115,4 +115,16 @@ export class DescribeUsersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUsersCommand) .de(de_DescribeUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUsersMessage; + output: DescribeUsersResult; + }; + sdk: { + input: DescribeUsersCommandInput; + output: DescribeUsersCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/DisassociateGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/DisassociateGlobalReplicationGroupCommand.ts index c091c64ad8fb..dad9da748331 100644 --- a/clients/client-elasticache/src/commands/DisassociateGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/DisassociateGlobalReplicationGroupCommand.ts @@ -128,4 +128,16 @@ export class DisassociateGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateGlobalReplicationGroupCommand) .de(de_DisassociateGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateGlobalReplicationGroupMessage; + output: DisassociateGlobalReplicationGroupResult; + }; + sdk: { + input: DisassociateGlobalReplicationGroupCommandInput; + output: DisassociateGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ExportServerlessCacheSnapshotCommand.ts b/clients/client-elasticache/src/commands/ExportServerlessCacheSnapshotCommand.ts index 19d659457acc..4697f9e45b5f 100644 --- a/clients/client-elasticache/src/commands/ExportServerlessCacheSnapshotCommand.ts +++ b/clients/client-elasticache/src/commands/ExportServerlessCacheSnapshotCommand.ts @@ -109,4 +109,16 @@ export class ExportServerlessCacheSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_ExportServerlessCacheSnapshotCommand) .de(de_ExportServerlessCacheSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportServerlessCacheSnapshotRequest; + output: ExportServerlessCacheSnapshotResponse; + }; + sdk: { + input: ExportServerlessCacheSnapshotCommandInput; + output: ExportServerlessCacheSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/FailoverGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/FailoverGlobalReplicationGroupCommand.ts index 04167c9f8520..353aa2952d87 100644 --- a/clients/client-elasticache/src/commands/FailoverGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/FailoverGlobalReplicationGroupCommand.ts @@ -124,4 +124,16 @@ export class FailoverGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_FailoverGlobalReplicationGroupCommand) .de(de_FailoverGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverGlobalReplicationGroupMessage; + output: FailoverGlobalReplicationGroupResult; + }; + sdk: { + input: FailoverGlobalReplicationGroupCommandInput; + output: FailoverGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/IncreaseNodeGroupsInGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/IncreaseNodeGroupsInGlobalReplicationGroupCommand.ts index 1ccab03407ed..570e31390361 100644 --- a/clients/client-elasticache/src/commands/IncreaseNodeGroupsInGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/IncreaseNodeGroupsInGlobalReplicationGroupCommand.ts @@ -138,4 +138,16 @@ export class IncreaseNodeGroupsInGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_IncreaseNodeGroupsInGlobalReplicationGroupCommand) .de(de_IncreaseNodeGroupsInGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IncreaseNodeGroupsInGlobalReplicationGroupMessage; + output: IncreaseNodeGroupsInGlobalReplicationGroupResult; + }; + sdk: { + input: IncreaseNodeGroupsInGlobalReplicationGroupCommandInput; + output: IncreaseNodeGroupsInGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/IncreaseReplicaCountCommand.ts b/clients/client-elasticache/src/commands/IncreaseReplicaCountCommand.ts index 0934742fb2ea..c14f3c357635 100644 --- a/clients/client-elasticache/src/commands/IncreaseReplicaCountCommand.ts +++ b/clients/client-elasticache/src/commands/IncreaseReplicaCountCommand.ts @@ -253,4 +253,16 @@ export class IncreaseReplicaCountCommand extends $Command .f(void 0, void 0) .ser(se_IncreaseReplicaCountCommand) .de(de_IncreaseReplicaCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IncreaseReplicaCountMessage; + output: IncreaseReplicaCountResult; + }; + sdk: { + input: IncreaseReplicaCountCommandInput; + output: IncreaseReplicaCountCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ListAllowedNodeTypeModificationsCommand.ts b/clients/client-elasticache/src/commands/ListAllowedNodeTypeModificationsCommand.ts index 9afe4c4be54f..6d56c449a8fa 100644 --- a/clients/client-elasticache/src/commands/ListAllowedNodeTypeModificationsCommand.ts +++ b/clients/client-elasticache/src/commands/ListAllowedNodeTypeModificationsCommand.ts @@ -130,4 +130,16 @@ export class ListAllowedNodeTypeModificationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAllowedNodeTypeModificationsCommand) .de(de_ListAllowedNodeTypeModificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAllowedNodeTypeModificationsMessage; + output: AllowedNodeTypeModificationsMessage; + }; + sdk: { + input: ListAllowedNodeTypeModificationsCommandInput; + output: ListAllowedNodeTypeModificationsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ListTagsForResourceCommand.ts b/clients/client-elasticache/src/commands/ListTagsForResourceCommand.ts index 4a87f26348a1..e4f223670f47 100644 --- a/clients/client-elasticache/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-elasticache/src/commands/ListTagsForResourceCommand.ts @@ -163,4 +163,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceMessage; + output: TagListMessage; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyCacheClusterCommand.ts b/clients/client-elasticache/src/commands/ModifyCacheClusterCommand.ts index b911b2433d3e..158d5278368e 100644 --- a/clients/client-elasticache/src/commands/ModifyCacheClusterCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyCacheClusterCommand.ts @@ -310,4 +310,16 @@ export class ModifyCacheClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCacheClusterCommand) .de(de_ModifyCacheClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCacheClusterMessage; + output: ModifyCacheClusterResult; + }; + sdk: { + input: ModifyCacheClusterCommandInput; + output: ModifyCacheClusterCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyCacheParameterGroupCommand.ts b/clients/client-elasticache/src/commands/ModifyCacheParameterGroupCommand.ts index 731ccac14f07..1a1adbbc0164 100644 --- a/clients/client-elasticache/src/commands/ModifyCacheParameterGroupCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyCacheParameterGroupCommand.ts @@ -127,4 +127,16 @@ export class ModifyCacheParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCacheParameterGroupCommand) .de(de_ModifyCacheParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCacheParameterGroupMessage; + output: CacheParameterGroupNameMessage; + }; + sdk: { + input: ModifyCacheParameterGroupCommandInput; + output: ModifyCacheParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyCacheSubnetGroupCommand.ts b/clients/client-elasticache/src/commands/ModifyCacheSubnetGroupCommand.ts index 1747e66d1109..f135e9dea254 100644 --- a/clients/client-elasticache/src/commands/ModifyCacheSubnetGroupCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyCacheSubnetGroupCommand.ts @@ -178,4 +178,16 @@ export class ModifyCacheSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCacheSubnetGroupCommand) .de(de_ModifyCacheSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCacheSubnetGroupMessage; + output: ModifyCacheSubnetGroupResult; + }; + sdk: { + input: ModifyCacheSubnetGroupCommandInput; + output: ModifyCacheSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/ModifyGlobalReplicationGroupCommand.ts index 6bbee203e18d..5bab7739296f 100644 --- a/clients/client-elasticache/src/commands/ModifyGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyGlobalReplicationGroupCommand.ts @@ -121,4 +121,16 @@ export class ModifyGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyGlobalReplicationGroupCommand) .de(de_ModifyGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyGlobalReplicationGroupMessage; + output: ModifyGlobalReplicationGroupResult; + }; + sdk: { + input: ModifyGlobalReplicationGroupCommandInput; + output: ModifyGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/ModifyReplicationGroupCommand.ts index e7e8e97a79e3..16f31d715488 100644 --- a/clients/client-elasticache/src/commands/ModifyReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyReplicationGroupCommand.ts @@ -389,4 +389,16 @@ export class ModifyReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReplicationGroupCommand) .de(de_ModifyReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReplicationGroupMessage; + output: ModifyReplicationGroupResult; + }; + sdk: { + input: ModifyReplicationGroupCommandInput; + output: ModifyReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyReplicationGroupShardConfigurationCommand.ts b/clients/client-elasticache/src/commands/ModifyReplicationGroupShardConfigurationCommand.ts index 3324b7e5f3a2..4c7291043863 100644 --- a/clients/client-elasticache/src/commands/ModifyReplicationGroupShardConfigurationCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyReplicationGroupShardConfigurationCommand.ts @@ -255,4 +255,16 @@ export class ModifyReplicationGroupShardConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyReplicationGroupShardConfigurationCommand) .de(de_ModifyReplicationGroupShardConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyReplicationGroupShardConfigurationMessage; + output: ModifyReplicationGroupShardConfigurationResult; + }; + sdk: { + input: ModifyReplicationGroupShardConfigurationCommandInput; + output: ModifyReplicationGroupShardConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyServerlessCacheCommand.ts b/clients/client-elasticache/src/commands/ModifyServerlessCacheCommand.ts index 8e8edf3a071d..ada97c650383 100644 --- a/clients/client-elasticache/src/commands/ModifyServerlessCacheCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyServerlessCacheCommand.ts @@ -158,4 +158,16 @@ export class ModifyServerlessCacheCommand extends $Command .f(void 0, void 0) .ser(se_ModifyServerlessCacheCommand) .de(de_ModifyServerlessCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyServerlessCacheRequest; + output: ModifyServerlessCacheResponse; + }; + sdk: { + input: ModifyServerlessCacheCommandInput; + output: ModifyServerlessCacheCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyUserCommand.ts b/clients/client-elasticache/src/commands/ModifyUserCommand.ts index c7dc415d5296..e026353e9fd8 100644 --- a/clients/client-elasticache/src/commands/ModifyUserCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyUserCommand.ts @@ -117,4 +117,16 @@ export class ModifyUserCommand extends $Command .f(void 0, void 0) .ser(se_ModifyUserCommand) .de(de_ModifyUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyUserMessage; + output: User; + }; + sdk: { + input: ModifyUserCommandInput; + output: ModifyUserCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ModifyUserGroupCommand.ts b/clients/client-elasticache/src/commands/ModifyUserGroupCommand.ts index d53d1e3e7546..c9bc739937ab 100644 --- a/clients/client-elasticache/src/commands/ModifyUserGroupCommand.ts +++ b/clients/client-elasticache/src/commands/ModifyUserGroupCommand.ts @@ -128,4 +128,16 @@ export class ModifyUserGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyUserGroupCommand) .de(de_ModifyUserGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyUserGroupMessage; + output: UserGroup; + }; + sdk: { + input: ModifyUserGroupCommandInput; + output: ModifyUserGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/PurchaseReservedCacheNodesOfferingCommand.ts b/clients/client-elasticache/src/commands/PurchaseReservedCacheNodesOfferingCommand.ts index 418e86144f98..249f24d53cb4 100644 --- a/clients/client-elasticache/src/commands/PurchaseReservedCacheNodesOfferingCommand.ts +++ b/clients/client-elasticache/src/commands/PurchaseReservedCacheNodesOfferingCommand.ts @@ -146,4 +146,16 @@ export class PurchaseReservedCacheNodesOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseReservedCacheNodesOfferingCommand) .de(de_PurchaseReservedCacheNodesOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseReservedCacheNodesOfferingMessage; + output: PurchaseReservedCacheNodesOfferingResult; + }; + sdk: { + input: PurchaseReservedCacheNodesOfferingCommandInput; + output: PurchaseReservedCacheNodesOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/RebalanceSlotsInGlobalReplicationGroupCommand.ts b/clients/client-elasticache/src/commands/RebalanceSlotsInGlobalReplicationGroupCommand.ts index faf066539a00..aece7d323e2f 100644 --- a/clients/client-elasticache/src/commands/RebalanceSlotsInGlobalReplicationGroupCommand.ts +++ b/clients/client-elasticache/src/commands/RebalanceSlotsInGlobalReplicationGroupCommand.ts @@ -124,4 +124,16 @@ export class RebalanceSlotsInGlobalReplicationGroupCommand extends $Command .f(void 0, void 0) .ser(se_RebalanceSlotsInGlobalReplicationGroupCommand) .de(de_RebalanceSlotsInGlobalReplicationGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebalanceSlotsInGlobalReplicationGroupMessage; + output: RebalanceSlotsInGlobalReplicationGroupResult; + }; + sdk: { + input: RebalanceSlotsInGlobalReplicationGroupCommandInput; + output: RebalanceSlotsInGlobalReplicationGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/RebootCacheClusterCommand.ts b/clients/client-elasticache/src/commands/RebootCacheClusterCommand.ts index 16c1fb28e0df..e66a2c49de82 100644 --- a/clients/client-elasticache/src/commands/RebootCacheClusterCommand.ts +++ b/clients/client-elasticache/src/commands/RebootCacheClusterCommand.ts @@ -252,4 +252,16 @@ export class RebootCacheClusterCommand extends $Command .f(void 0, void 0) .ser(se_RebootCacheClusterCommand) .de(de_RebootCacheClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootCacheClusterMessage; + output: RebootCacheClusterResult; + }; + sdk: { + input: RebootCacheClusterCommandInput; + output: RebootCacheClusterCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-elasticache/src/commands/RemoveTagsFromResourceCommand.ts index 65ca68c22d4d..7c84ac180694 100644 --- a/clients/client-elasticache/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-elasticache/src/commands/RemoveTagsFromResourceCommand.ts @@ -183,4 +183,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceMessage; + output: TagListMessage; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/ResetCacheParameterGroupCommand.ts b/clients/client-elasticache/src/commands/ResetCacheParameterGroupCommand.ts index fb6687f62581..d5ae1cfe5f93 100644 --- a/clients/client-elasticache/src/commands/ResetCacheParameterGroupCommand.ts +++ b/clients/client-elasticache/src/commands/ResetCacheParameterGroupCommand.ts @@ -121,4 +121,16 @@ export class ResetCacheParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetCacheParameterGroupCommand) .de(de_ResetCacheParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetCacheParameterGroupMessage; + output: CacheParameterGroupNameMessage; + }; + sdk: { + input: ResetCacheParameterGroupCommandInput; + output: ResetCacheParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/RevokeCacheSecurityGroupIngressCommand.ts b/clients/client-elasticache/src/commands/RevokeCacheSecurityGroupIngressCommand.ts index ea13adfdd03c..6a671e167402 100644 --- a/clients/client-elasticache/src/commands/RevokeCacheSecurityGroupIngressCommand.ts +++ b/clients/client-elasticache/src/commands/RevokeCacheSecurityGroupIngressCommand.ts @@ -127,4 +127,16 @@ export class RevokeCacheSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_RevokeCacheSecurityGroupIngressCommand) .de(de_RevokeCacheSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeCacheSecurityGroupIngressMessage; + output: RevokeCacheSecurityGroupIngressResult; + }; + sdk: { + input: RevokeCacheSecurityGroupIngressCommandInput; + output: RevokeCacheSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/StartMigrationCommand.ts b/clients/client-elasticache/src/commands/StartMigrationCommand.ts index 2cd79f156ff3..952c0af7099f 100644 --- a/clients/client-elasticache/src/commands/StartMigrationCommand.ts +++ b/clients/client-elasticache/src/commands/StartMigrationCommand.ts @@ -214,4 +214,16 @@ export class StartMigrationCommand extends $Command .f(void 0, void 0) .ser(se_StartMigrationCommand) .de(de_StartMigrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMigrationMessage; + output: StartMigrationResponse; + }; + sdk: { + input: StartMigrationCommandInput; + output: StartMigrationCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/TestFailoverCommand.ts b/clients/client-elasticache/src/commands/TestFailoverCommand.ts index bd784ac631b1..2375e4b7775d 100644 --- a/clients/client-elasticache/src/commands/TestFailoverCommand.ts +++ b/clients/client-elasticache/src/commands/TestFailoverCommand.ts @@ -302,4 +302,16 @@ export class TestFailoverCommand extends $Command .f(void 0, void 0) .ser(se_TestFailoverCommand) .de(de_TestFailoverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestFailoverMessage; + output: TestFailoverResult; + }; + sdk: { + input: TestFailoverCommandInput; + output: TestFailoverCommandOutput; + }; + }; +} diff --git a/clients/client-elasticache/src/commands/TestMigrationCommand.ts b/clients/client-elasticache/src/commands/TestMigrationCommand.ts index aa86a22d919f..432ef9659345 100644 --- a/clients/client-elasticache/src/commands/TestMigrationCommand.ts +++ b/clients/client-elasticache/src/commands/TestMigrationCommand.ts @@ -214,4 +214,16 @@ export class TestMigrationCommand extends $Command .f(void 0, void 0) .ser(se_TestMigrationCommand) .de(de_TestMigrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestMigrationMessage; + output: TestMigrationResponse; + }; + sdk: { + input: TestMigrationCommandInput; + output: TestMigrationCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/package.json b/clients/client-elasticsearch-service/package.json index 07d369749000..ee86b4caef17 100644 --- a/clients/client-elasticsearch-service/package.json +++ b/clients/client-elasticsearch-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-elasticsearch-service/src/commands/AcceptInboundCrossClusterSearchConnectionCommand.ts b/clients/client-elasticsearch-service/src/commands/AcceptInboundCrossClusterSearchConnectionCommand.ts index 665ac21c0d6a..d434e3b3817a 100644 --- a/clients/client-elasticsearch-service/src/commands/AcceptInboundCrossClusterSearchConnectionCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/AcceptInboundCrossClusterSearchConnectionCommand.ts @@ -115,4 +115,16 @@ export class AcceptInboundCrossClusterSearchConnectionCommand extends $Command .f(void 0, void 0) .ser(se_AcceptInboundCrossClusterSearchConnectionCommand) .de(de_AcceptInboundCrossClusterSearchConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptInboundCrossClusterSearchConnectionRequest; + output: AcceptInboundCrossClusterSearchConnectionResponse; + }; + sdk: { + input: AcceptInboundCrossClusterSearchConnectionCommandInput; + output: AcceptInboundCrossClusterSearchConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/AddTagsCommand.ts b/clients/client-elasticsearch-service/src/commands/AddTagsCommand.ts index 28a2b1118020..8218dc64cb87 100644 --- a/clients/client-elasticsearch-service/src/commands/AddTagsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/AddTagsCommand.ts @@ -98,4 +98,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsRequest; + output: {}; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/AssociatePackageCommand.ts b/clients/client-elasticsearch-service/src/commands/AssociatePackageCommand.ts index b88f7daf9e25..42a467fbb30d 100644 --- a/clients/client-elasticsearch-service/src/commands/AssociatePackageCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/AssociatePackageCommand.ts @@ -113,4 +113,16 @@ export class AssociatePackageCommand extends $Command .f(void 0, void 0) .ser(se_AssociatePackageCommand) .de(de_AssociatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePackageRequest; + output: AssociatePackageResponse; + }; + sdk: { + input: AssociatePackageCommandInput; + output: AssociatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/AuthorizeVpcEndpointAccessCommand.ts b/clients/client-elasticsearch-service/src/commands/AuthorizeVpcEndpointAccessCommand.ts index ed3ae18935ca..eb7925746e57 100644 --- a/clients/client-elasticsearch-service/src/commands/AuthorizeVpcEndpointAccessCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/AuthorizeVpcEndpointAccessCommand.ts @@ -103,4 +103,16 @@ export class AuthorizeVpcEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeVpcEndpointAccessCommand) .de(de_AuthorizeVpcEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeVpcEndpointAccessRequest; + output: AuthorizeVpcEndpointAccessResponse; + }; + sdk: { + input: AuthorizeVpcEndpointAccessCommandInput; + output: AuthorizeVpcEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/CancelDomainConfigChangeCommand.ts b/clients/client-elasticsearch-service/src/commands/CancelDomainConfigChangeCommand.ts index a1622383fa2e..425327896985 100644 --- a/clients/client-elasticsearch-service/src/commands/CancelDomainConfigChangeCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/CancelDomainConfigChangeCommand.ts @@ -107,4 +107,16 @@ export class CancelDomainConfigChangeCommand extends $Command .f(void 0, void 0) .ser(se_CancelDomainConfigChangeCommand) .de(de_CancelDomainConfigChangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDomainConfigChangeRequest; + output: CancelDomainConfigChangeResponse; + }; + sdk: { + input: CancelDomainConfigChangeCommandInput; + output: CancelDomainConfigChangeCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/CancelElasticsearchServiceSoftwareUpdateCommand.ts b/clients/client-elasticsearch-service/src/commands/CancelElasticsearchServiceSoftwareUpdateCommand.ts index c5b1298ebbf1..3025149b8fe1 100644 --- a/clients/client-elasticsearch-service/src/commands/CancelElasticsearchServiceSoftwareUpdateCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/CancelElasticsearchServiceSoftwareUpdateCommand.ts @@ -111,4 +111,16 @@ export class CancelElasticsearchServiceSoftwareUpdateCommand extends $Command .f(void 0, void 0) .ser(se_CancelElasticsearchServiceSoftwareUpdateCommand) .de(de_CancelElasticsearchServiceSoftwareUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelElasticsearchServiceSoftwareUpdateRequest; + output: CancelElasticsearchServiceSoftwareUpdateResponse; + }; + sdk: { + input: CancelElasticsearchServiceSoftwareUpdateCommandInput; + output: CancelElasticsearchServiceSoftwareUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/CreateElasticsearchDomainCommand.ts b/clients/client-elasticsearch-service/src/commands/CreateElasticsearchDomainCommand.ts index 296b1ea42d84..fe9241d99338 100644 --- a/clients/client-elasticsearch-service/src/commands/CreateElasticsearchDomainCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/CreateElasticsearchDomainCommand.ts @@ -343,4 +343,16 @@ export class CreateElasticsearchDomainCommand extends $Command .f(CreateElasticsearchDomainRequestFilterSensitiveLog, void 0) .ser(se_CreateElasticsearchDomainCommand) .de(de_CreateElasticsearchDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateElasticsearchDomainRequest; + output: CreateElasticsearchDomainResponse; + }; + sdk: { + input: CreateElasticsearchDomainCommandInput; + output: CreateElasticsearchDomainCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/CreateOutboundCrossClusterSearchConnectionCommand.ts b/clients/client-elasticsearch-service/src/commands/CreateOutboundCrossClusterSearchConnectionCommand.ts index 12554edfb2d4..0329a02398b2 100644 --- a/clients/client-elasticsearch-service/src/commands/CreateOutboundCrossClusterSearchConnectionCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/CreateOutboundCrossClusterSearchConnectionCommand.ts @@ -127,4 +127,16 @@ export class CreateOutboundCrossClusterSearchConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateOutboundCrossClusterSearchConnectionCommand) .de(de_CreateOutboundCrossClusterSearchConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOutboundCrossClusterSearchConnectionRequest; + output: CreateOutboundCrossClusterSearchConnectionResponse; + }; + sdk: { + input: CreateOutboundCrossClusterSearchConnectionCommandInput; + output: CreateOutboundCrossClusterSearchConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/CreatePackageCommand.ts b/clients/client-elasticsearch-service/src/commands/CreatePackageCommand.ts index 3f86967af0a3..749d472bff0d 100644 --- a/clients/client-elasticsearch-service/src/commands/CreatePackageCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/CreatePackageCommand.ts @@ -121,4 +121,16 @@ export class CreatePackageCommand extends $Command .f(void 0, void 0) .ser(se_CreatePackageCommand) .de(de_CreatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackageRequest; + output: CreatePackageResponse; + }; + sdk: { + input: CreatePackageCommandInput; + output: CreatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/CreateVpcEndpointCommand.ts b/clients/client-elasticsearch-service/src/commands/CreateVpcEndpointCommand.ts index 7fa3d202e14d..78a5df5ef956 100644 --- a/clients/client-elasticsearch-service/src/commands/CreateVpcEndpointCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/CreateVpcEndpointCommand.ts @@ -126,4 +126,16 @@ export class CreateVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcEndpointCommand) .de(de_CreateVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcEndpointRequest; + output: CreateVpcEndpointResponse; + }; + sdk: { + input: CreateVpcEndpointCommandInput; + output: CreateVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchDomainCommand.ts b/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchDomainCommand.ts index c71ac52e57a1..719b6e862230 100644 --- a/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchDomainCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchDomainCommand.ts @@ -222,4 +222,16 @@ export class DeleteElasticsearchDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteElasticsearchDomainCommand) .de(de_DeleteElasticsearchDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteElasticsearchDomainRequest; + output: DeleteElasticsearchDomainResponse; + }; + sdk: { + input: DeleteElasticsearchDomainCommandInput; + output: DeleteElasticsearchDomainCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchServiceRoleCommand.ts b/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchServiceRoleCommand.ts index 4821094a7e0b..15fe5f60ba8c 100644 --- a/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchServiceRoleCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DeleteElasticsearchServiceRoleCommand.ts @@ -88,4 +88,16 @@ export class DeleteElasticsearchServiceRoleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteElasticsearchServiceRoleCommand) .de(de_DeleteElasticsearchServiceRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteElasticsearchServiceRoleCommandInput; + output: DeleteElasticsearchServiceRoleCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DeleteInboundCrossClusterSearchConnectionCommand.ts b/clients/client-elasticsearch-service/src/commands/DeleteInboundCrossClusterSearchConnectionCommand.ts index 0798546c0dcd..d7b8047a19b1 100644 --- a/clients/client-elasticsearch-service/src/commands/DeleteInboundCrossClusterSearchConnectionCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DeleteInboundCrossClusterSearchConnectionCommand.ts @@ -112,4 +112,16 @@ export class DeleteInboundCrossClusterSearchConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInboundCrossClusterSearchConnectionCommand) .de(de_DeleteInboundCrossClusterSearchConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInboundCrossClusterSearchConnectionRequest; + output: DeleteInboundCrossClusterSearchConnectionResponse; + }; + sdk: { + input: DeleteInboundCrossClusterSearchConnectionCommandInput; + output: DeleteInboundCrossClusterSearchConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DeleteOutboundCrossClusterSearchConnectionCommand.ts b/clients/client-elasticsearch-service/src/commands/DeleteOutboundCrossClusterSearchConnectionCommand.ts index b8744ca161e1..05aeb17c6147 100644 --- a/clients/client-elasticsearch-service/src/commands/DeleteOutboundCrossClusterSearchConnectionCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DeleteOutboundCrossClusterSearchConnectionCommand.ts @@ -113,4 +113,16 @@ export class DeleteOutboundCrossClusterSearchConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOutboundCrossClusterSearchConnectionCommand) .de(de_DeleteOutboundCrossClusterSearchConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOutboundCrossClusterSearchConnectionRequest; + output: DeleteOutboundCrossClusterSearchConnectionResponse; + }; + sdk: { + input: DeleteOutboundCrossClusterSearchConnectionCommandInput; + output: DeleteOutboundCrossClusterSearchConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DeletePackageCommand.ts b/clients/client-elasticsearch-service/src/commands/DeletePackageCommand.ts index 7a88521ca657..1d1ebf231e95 100644 --- a/clients/client-elasticsearch-service/src/commands/DeletePackageCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DeletePackageCommand.ts @@ -112,4 +112,16 @@ export class DeletePackageCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageCommand) .de(de_DeletePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageRequest; + output: DeletePackageResponse; + }; + sdk: { + input: DeletePackageCommandInput; + output: DeletePackageCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DeleteVpcEndpointCommand.ts b/clients/client-elasticsearch-service/src/commands/DeleteVpcEndpointCommand.ts index b6956204c814..8f60f9e635a7 100644 --- a/clients/client-elasticsearch-service/src/commands/DeleteVpcEndpointCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DeleteVpcEndpointCommand.ts @@ -98,4 +98,16 @@ export class DeleteVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcEndpointCommand) .de(de_DeleteVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcEndpointRequest; + output: DeleteVpcEndpointResponse; + }; + sdk: { + input: DeleteVpcEndpointCommandInput; + output: DeleteVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeDomainAutoTunesCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeDomainAutoTunesCommand.ts index d1f63544cee1..beb33f1238ea 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeDomainAutoTunesCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeDomainAutoTunesCommand.ts @@ -108,4 +108,16 @@ export class DescribeDomainAutoTunesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainAutoTunesCommand) .de(de_DescribeDomainAutoTunesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainAutoTunesRequest; + output: DescribeDomainAutoTunesResponse; + }; + sdk: { + input: DescribeDomainAutoTunesCommandInput; + output: DescribeDomainAutoTunesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeDomainChangeProgressCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeDomainChangeProgressCommand.ts index efb9639e13d5..be44d8651fa0 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeDomainChangeProgressCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeDomainChangeProgressCommand.ts @@ -122,4 +122,16 @@ export class DescribeDomainChangeProgressCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainChangeProgressCommand) .de(de_DescribeDomainChangeProgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainChangeProgressRequest; + output: DescribeDomainChangeProgressResponse; + }; + sdk: { + input: DescribeDomainChangeProgressCommandInput; + output: DescribeDomainChangeProgressCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainCommand.ts index 988f6eb1a428..2fde9fa06fb0 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainCommand.ts @@ -227,4 +227,16 @@ export class DescribeElasticsearchDomainCommand extends $Command .f(void 0, void 0) .ser(se_DescribeElasticsearchDomainCommand) .de(de_DescribeElasticsearchDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeElasticsearchDomainRequest; + output: DescribeElasticsearchDomainResponse; + }; + sdk: { + input: DescribeElasticsearchDomainCommandInput; + output: DescribeElasticsearchDomainCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainConfigCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainConfigCommand.ts index 244e9c244276..7dd200dad437 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainConfigCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainConfigCommand.ts @@ -297,4 +297,16 @@ export class DescribeElasticsearchDomainConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeElasticsearchDomainConfigCommand) .de(de_DescribeElasticsearchDomainConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeElasticsearchDomainConfigRequest; + output: DescribeElasticsearchDomainConfigResponse; + }; + sdk: { + input: DescribeElasticsearchDomainConfigCommandInput; + output: DescribeElasticsearchDomainConfigCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainsCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainsCommand.ts index 2c5993b60cb3..cd9e0831266f 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchDomainsCommand.ts @@ -228,4 +228,16 @@ export class DescribeElasticsearchDomainsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeElasticsearchDomainsCommand) .de(de_DescribeElasticsearchDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeElasticsearchDomainsRequest; + output: DescribeElasticsearchDomainsResponse; + }; + sdk: { + input: DescribeElasticsearchDomainsCommandInput; + output: DescribeElasticsearchDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchInstanceTypeLimitsCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchInstanceTypeLimitsCommand.ts index 9b7b02ca76ee..aaa88db680e7 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchInstanceTypeLimitsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeElasticsearchInstanceTypeLimitsCommand.ts @@ -148,4 +148,16 @@ export class DescribeElasticsearchInstanceTypeLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeElasticsearchInstanceTypeLimitsCommand) .de(de_DescribeElasticsearchInstanceTypeLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeElasticsearchInstanceTypeLimitsRequest; + output: DescribeElasticsearchInstanceTypeLimitsResponse; + }; + sdk: { + input: DescribeElasticsearchInstanceTypeLimitsCommandInput; + output: DescribeElasticsearchInstanceTypeLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeInboundCrossClusterSearchConnectionsCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeInboundCrossClusterSearchConnectionsCommand.ts index a2ee0689a988..c44484934795 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeInboundCrossClusterSearchConnectionsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeInboundCrossClusterSearchConnectionsCommand.ts @@ -124,4 +124,16 @@ export class DescribeInboundCrossClusterSearchConnectionsCommand extends $Comman .f(void 0, void 0) .ser(se_DescribeInboundCrossClusterSearchConnectionsCommand) .de(de_DescribeInboundCrossClusterSearchConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInboundCrossClusterSearchConnectionsRequest; + output: DescribeInboundCrossClusterSearchConnectionsResponse; + }; + sdk: { + input: DescribeInboundCrossClusterSearchConnectionsCommandInput; + output: DescribeInboundCrossClusterSearchConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeOutboundCrossClusterSearchConnectionsCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeOutboundCrossClusterSearchConnectionsCommand.ts index 841756187649..c34f1329acc1 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeOutboundCrossClusterSearchConnectionsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeOutboundCrossClusterSearchConnectionsCommand.ts @@ -125,4 +125,16 @@ export class DescribeOutboundCrossClusterSearchConnectionsCommand extends $Comma .f(void 0, void 0) .ser(se_DescribeOutboundCrossClusterSearchConnectionsCommand) .de(de_DescribeOutboundCrossClusterSearchConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOutboundCrossClusterSearchConnectionsRequest; + output: DescribeOutboundCrossClusterSearchConnectionsResponse; + }; + sdk: { + input: DescribeOutboundCrossClusterSearchConnectionsCommandInput; + output: DescribeOutboundCrossClusterSearchConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribePackagesCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribePackagesCommand.ts index 14418f385918..1a0f26bbf673 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribePackagesCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribePackagesCommand.ts @@ -121,4 +121,16 @@ export class DescribePackagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackagesCommand) .de(de_DescribePackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackagesRequest; + output: DescribePackagesResponse; + }; + sdk: { + input: DescribePackagesCommandInput; + output: DescribePackagesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstanceOfferingsCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstanceOfferingsCommand.ts index f269794bde6e..795d32891ba2 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstanceOfferingsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstanceOfferingsCommand.ts @@ -121,4 +121,16 @@ export class DescribeReservedElasticsearchInstanceOfferingsCommand extends $Comm .f(void 0, void 0) .ser(se_DescribeReservedElasticsearchInstanceOfferingsCommand) .de(de_DescribeReservedElasticsearchInstanceOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedElasticsearchInstanceOfferingsRequest; + output: DescribeReservedElasticsearchInstanceOfferingsResponse; + }; + sdk: { + input: DescribeReservedElasticsearchInstanceOfferingsCommandInput; + output: DescribeReservedElasticsearchInstanceOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstancesCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstancesCommand.ts index b7d81c2d4478..4b95f3ee2b47 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstancesCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeReservedElasticsearchInstancesCommand.ts @@ -126,4 +126,16 @@ export class DescribeReservedElasticsearchInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedElasticsearchInstancesCommand) .de(de_DescribeReservedElasticsearchInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedElasticsearchInstancesRequest; + output: DescribeReservedElasticsearchInstancesResponse; + }; + sdk: { + input: DescribeReservedElasticsearchInstancesCommandInput; + output: DescribeReservedElasticsearchInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DescribeVpcEndpointsCommand.ts b/clients/client-elasticsearch-service/src/commands/DescribeVpcEndpointsCommand.ts index a186ab1d40a7..e8b5c47c0ad9 100644 --- a/clients/client-elasticsearch-service/src/commands/DescribeVpcEndpointsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DescribeVpcEndpointsCommand.ts @@ -122,4 +122,16 @@ export class DescribeVpcEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointsCommand) .de(de_DescribeVpcEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointsRequest; + output: DescribeVpcEndpointsResponse; + }; + sdk: { + input: DescribeVpcEndpointsCommandInput; + output: DescribeVpcEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/DissociatePackageCommand.ts b/clients/client-elasticsearch-service/src/commands/DissociatePackageCommand.ts index 9144dfb7745d..7f0aec663807 100644 --- a/clients/client-elasticsearch-service/src/commands/DissociatePackageCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/DissociatePackageCommand.ts @@ -113,4 +113,16 @@ export class DissociatePackageCommand extends $Command .f(void 0, void 0) .ser(se_DissociatePackageCommand) .de(de_DissociatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DissociatePackageRequest; + output: DissociatePackageResponse; + }; + sdk: { + input: DissociatePackageCommandInput; + output: DissociatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/GetCompatibleElasticsearchVersionsCommand.ts b/clients/client-elasticsearch-service/src/commands/GetCompatibleElasticsearchVersionsCommand.ts index bf4cc7714934..2a68311bf095 100644 --- a/clients/client-elasticsearch-service/src/commands/GetCompatibleElasticsearchVersionsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/GetCompatibleElasticsearchVersionsCommand.ts @@ -118,4 +118,16 @@ export class GetCompatibleElasticsearchVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetCompatibleElasticsearchVersionsCommand) .de(de_GetCompatibleElasticsearchVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCompatibleElasticsearchVersionsRequest; + output: GetCompatibleElasticsearchVersionsResponse; + }; + sdk: { + input: GetCompatibleElasticsearchVersionsCommandInput; + output: GetCompatibleElasticsearchVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/GetPackageVersionHistoryCommand.ts b/clients/client-elasticsearch-service/src/commands/GetPackageVersionHistoryCommand.ts index 148507946f73..dc0180184e5c 100644 --- a/clients/client-elasticsearch-service/src/commands/GetPackageVersionHistoryCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/GetPackageVersionHistoryCommand.ts @@ -106,4 +106,16 @@ export class GetPackageVersionHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetPackageVersionHistoryCommand) .de(de_GetPackageVersionHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPackageVersionHistoryRequest; + output: GetPackageVersionHistoryResponse; + }; + sdk: { + input: GetPackageVersionHistoryCommandInput; + output: GetPackageVersionHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/GetUpgradeHistoryCommand.ts b/clients/client-elasticsearch-service/src/commands/GetUpgradeHistoryCommand.ts index 1e7b3e1cabcc..9d71e73b2a51 100644 --- a/clients/client-elasticsearch-service/src/commands/GetUpgradeHistoryCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/GetUpgradeHistoryCommand.ts @@ -115,4 +115,16 @@ export class GetUpgradeHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetUpgradeHistoryCommand) .de(de_GetUpgradeHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUpgradeHistoryRequest; + output: GetUpgradeHistoryResponse; + }; + sdk: { + input: GetUpgradeHistoryCommandInput; + output: GetUpgradeHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/GetUpgradeStatusCommand.ts b/clients/client-elasticsearch-service/src/commands/GetUpgradeStatusCommand.ts index 72f3e5faef9a..9e2556cd1fbd 100644 --- a/clients/client-elasticsearch-service/src/commands/GetUpgradeStatusCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/GetUpgradeStatusCommand.ts @@ -98,4 +98,16 @@ export class GetUpgradeStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetUpgradeStatusCommand) .de(de_GetUpgradeStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUpgradeStatusRequest; + output: GetUpgradeStatusResponse; + }; + sdk: { + input: GetUpgradeStatusCommandInput; + output: GetUpgradeStatusCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListDomainNamesCommand.ts b/clients/client-elasticsearch-service/src/commands/ListDomainNamesCommand.ts index 1275aef53e2b..693fc38a0365 100644 --- a/clients/client-elasticsearch-service/src/commands/ListDomainNamesCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListDomainNamesCommand.ts @@ -92,4 +92,16 @@ export class ListDomainNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainNamesCommand) .de(de_ListDomainNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainNamesRequest; + output: ListDomainNamesResponse; + }; + sdk: { + input: ListDomainNamesCommandInput; + output: ListDomainNamesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListDomainsForPackageCommand.ts b/clients/client-elasticsearch-service/src/commands/ListDomainsForPackageCommand.ts index 13602da1387e..65504e4ada9b 100644 --- a/clients/client-elasticsearch-service/src/commands/ListDomainsForPackageCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListDomainsForPackageCommand.ts @@ -114,4 +114,16 @@ export class ListDomainsForPackageCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsForPackageCommand) .de(de_ListDomainsForPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsForPackageRequest; + output: ListDomainsForPackageResponse; + }; + sdk: { + input: ListDomainsForPackageCommandInput; + output: ListDomainsForPackageCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListElasticsearchInstanceTypesCommand.ts b/clients/client-elasticsearch-service/src/commands/ListElasticsearchInstanceTypesCommand.ts index 70ed22260c33..a81e35b8c75e 100644 --- a/clients/client-elasticsearch-service/src/commands/ListElasticsearchInstanceTypesCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListElasticsearchInstanceTypesCommand.ts @@ -104,4 +104,16 @@ export class ListElasticsearchInstanceTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListElasticsearchInstanceTypesCommand) .de(de_ListElasticsearchInstanceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListElasticsearchInstanceTypesRequest; + output: ListElasticsearchInstanceTypesResponse; + }; + sdk: { + input: ListElasticsearchInstanceTypesCommandInput; + output: ListElasticsearchInstanceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListElasticsearchVersionsCommand.ts b/clients/client-elasticsearch-service/src/commands/ListElasticsearchVersionsCommand.ts index da6c378bebc1..72c9645726d7 100644 --- a/clients/client-elasticsearch-service/src/commands/ListElasticsearchVersionsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListElasticsearchVersionsCommand.ts @@ -97,4 +97,16 @@ export class ListElasticsearchVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListElasticsearchVersionsCommand) .de(de_ListElasticsearchVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListElasticsearchVersionsRequest; + output: ListElasticsearchVersionsResponse; + }; + sdk: { + input: ListElasticsearchVersionsCommandInput; + output: ListElasticsearchVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListPackagesForDomainCommand.ts b/clients/client-elasticsearch-service/src/commands/ListPackagesForDomainCommand.ts index cef8a601a5f0..e3f91f19adbe 100644 --- a/clients/client-elasticsearch-service/src/commands/ListPackagesForDomainCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListPackagesForDomainCommand.ts @@ -114,4 +114,16 @@ export class ListPackagesForDomainCommand extends $Command .f(void 0, void 0) .ser(se_ListPackagesForDomainCommand) .de(de_ListPackagesForDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackagesForDomainRequest; + output: ListPackagesForDomainResponse; + }; + sdk: { + input: ListPackagesForDomainCommandInput; + output: ListPackagesForDomainCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListTagsCommand.ts b/clients/client-elasticsearch-service/src/commands/ListTagsCommand.ts index ed947879219c..92ce93dd53c4 100644 --- a/clients/client-elasticsearch-service/src/commands/ListTagsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListTagsCommand.ts @@ -98,4 +98,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListVpcEndpointAccessCommand.ts b/clients/client-elasticsearch-service/src/commands/ListVpcEndpointAccessCommand.ts index d3af56b12f30..59476269ab4e 100644 --- a/clients/client-elasticsearch-service/src/commands/ListVpcEndpointAccessCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListVpcEndpointAccessCommand.ts @@ -101,4 +101,16 @@ export class ListVpcEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcEndpointAccessCommand) .de(de_ListVpcEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcEndpointAccessRequest; + output: ListVpcEndpointAccessResponse; + }; + sdk: { + input: ListVpcEndpointAccessCommandInput; + output: ListVpcEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsCommand.ts b/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsCommand.ts index 89899b1ba410..4167d493c5cd 100644 --- a/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsCommand.ts @@ -98,4 +98,16 @@ export class ListVpcEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcEndpointsCommand) .de(de_ListVpcEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcEndpointsRequest; + output: ListVpcEndpointsResponse; + }; + sdk: { + input: ListVpcEndpointsCommandInput; + output: ListVpcEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsForDomainCommand.ts b/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsForDomainCommand.ts index ea0ea34de971..5ef85ef07947 100644 --- a/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsForDomainCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/ListVpcEndpointsForDomainCommand.ts @@ -102,4 +102,16 @@ export class ListVpcEndpointsForDomainCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcEndpointsForDomainCommand) .de(de_ListVpcEndpointsForDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcEndpointsForDomainRequest; + output: ListVpcEndpointsForDomainResponse; + }; + sdk: { + input: ListVpcEndpointsForDomainCommandInput; + output: ListVpcEndpointsForDomainCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/PurchaseReservedElasticsearchInstanceOfferingCommand.ts b/clients/client-elasticsearch-service/src/commands/PurchaseReservedElasticsearchInstanceOfferingCommand.ts index 3c0c826507ef..89cc33fc5bca 100644 --- a/clients/client-elasticsearch-service/src/commands/PurchaseReservedElasticsearchInstanceOfferingCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/PurchaseReservedElasticsearchInstanceOfferingCommand.ts @@ -111,4 +111,16 @@ export class PurchaseReservedElasticsearchInstanceOfferingCommand extends $Comma .f(void 0, void 0) .ser(se_PurchaseReservedElasticsearchInstanceOfferingCommand) .de(de_PurchaseReservedElasticsearchInstanceOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseReservedElasticsearchInstanceOfferingRequest; + output: PurchaseReservedElasticsearchInstanceOfferingResponse; + }; + sdk: { + input: PurchaseReservedElasticsearchInstanceOfferingCommandInput; + output: PurchaseReservedElasticsearchInstanceOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/RejectInboundCrossClusterSearchConnectionCommand.ts b/clients/client-elasticsearch-service/src/commands/RejectInboundCrossClusterSearchConnectionCommand.ts index b57f76f0d003..77b00a354165 100644 --- a/clients/client-elasticsearch-service/src/commands/RejectInboundCrossClusterSearchConnectionCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/RejectInboundCrossClusterSearchConnectionCommand.ts @@ -112,4 +112,16 @@ export class RejectInboundCrossClusterSearchConnectionCommand extends $Command .f(void 0, void 0) .ser(se_RejectInboundCrossClusterSearchConnectionCommand) .de(de_RejectInboundCrossClusterSearchConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectInboundCrossClusterSearchConnectionRequest; + output: RejectInboundCrossClusterSearchConnectionResponse; + }; + sdk: { + input: RejectInboundCrossClusterSearchConnectionCommandInput; + output: RejectInboundCrossClusterSearchConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/RemoveTagsCommand.ts b/clients/client-elasticsearch-service/src/commands/RemoveTagsCommand.ts index c396e4f63e51..5fca2a1605c0 100644 --- a/clients/client-elasticsearch-service/src/commands/RemoveTagsCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/RemoveTagsCommand.ts @@ -91,4 +91,16 @@ export class RemoveTagsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsCommand) .de(de_RemoveTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsRequest; + output: {}; + }; + sdk: { + input: RemoveTagsCommandInput; + output: RemoveTagsCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/RevokeVpcEndpointAccessCommand.ts b/clients/client-elasticsearch-service/src/commands/RevokeVpcEndpointAccessCommand.ts index 19d937f4def7..1b46825e495c 100644 --- a/clients/client-elasticsearch-service/src/commands/RevokeVpcEndpointAccessCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/RevokeVpcEndpointAccessCommand.ts @@ -96,4 +96,16 @@ export class RevokeVpcEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_RevokeVpcEndpointAccessCommand) .de(de_RevokeVpcEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeVpcEndpointAccessRequest; + output: {}; + }; + sdk: { + input: RevokeVpcEndpointAccessCommandInput; + output: RevokeVpcEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/StartElasticsearchServiceSoftwareUpdateCommand.ts b/clients/client-elasticsearch-service/src/commands/StartElasticsearchServiceSoftwareUpdateCommand.ts index 8de756c6ffe2..2fe45e633d7f 100644 --- a/clients/client-elasticsearch-service/src/commands/StartElasticsearchServiceSoftwareUpdateCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/StartElasticsearchServiceSoftwareUpdateCommand.ts @@ -111,4 +111,16 @@ export class StartElasticsearchServiceSoftwareUpdateCommand extends $Command .f(void 0, void 0) .ser(se_StartElasticsearchServiceSoftwareUpdateCommand) .de(de_StartElasticsearchServiceSoftwareUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartElasticsearchServiceSoftwareUpdateRequest; + output: StartElasticsearchServiceSoftwareUpdateResponse; + }; + sdk: { + input: StartElasticsearchServiceSoftwareUpdateCommandInput; + output: StartElasticsearchServiceSoftwareUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/UpdateElasticsearchDomainConfigCommand.ts b/clients/client-elasticsearch-service/src/commands/UpdateElasticsearchDomainConfigCommand.ts index 901a369887c3..baebd048706d 100644 --- a/clients/client-elasticsearch-service/src/commands/UpdateElasticsearchDomainConfigCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/UpdateElasticsearchDomainConfigCommand.ts @@ -410,4 +410,16 @@ export class UpdateElasticsearchDomainConfigCommand extends $Command .f(UpdateElasticsearchDomainConfigRequestFilterSensitiveLog, void 0) .ser(se_UpdateElasticsearchDomainConfigCommand) .de(de_UpdateElasticsearchDomainConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateElasticsearchDomainConfigRequest; + output: UpdateElasticsearchDomainConfigResponse; + }; + sdk: { + input: UpdateElasticsearchDomainConfigCommandInput; + output: UpdateElasticsearchDomainConfigCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/UpdatePackageCommand.ts b/clients/client-elasticsearch-service/src/commands/UpdatePackageCommand.ts index aae67f1420af..22573eb167e7 100644 --- a/clients/client-elasticsearch-service/src/commands/UpdatePackageCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/UpdatePackageCommand.ts @@ -118,4 +118,16 @@ export class UpdatePackageCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePackageCommand) .de(de_UpdatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageRequest; + output: UpdatePackageResponse; + }; + sdk: { + input: UpdatePackageCommandInput; + output: UpdatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/UpdateVpcEndpointCommand.ts b/clients/client-elasticsearch-service/src/commands/UpdateVpcEndpointCommand.ts index ce316b83bca5..161646c0cf84 100644 --- a/clients/client-elasticsearch-service/src/commands/UpdateVpcEndpointCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/UpdateVpcEndpointCommand.ts @@ -125,4 +125,16 @@ export class UpdateVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVpcEndpointCommand) .de(de_UpdateVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVpcEndpointRequest; + output: UpdateVpcEndpointResponse; + }; + sdk: { + input: UpdateVpcEndpointCommandInput; + output: UpdateVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-elasticsearch-service/src/commands/UpgradeElasticsearchDomainCommand.ts b/clients/client-elasticsearch-service/src/commands/UpgradeElasticsearchDomainCommand.ts index 3083849b25a9..613c7c53f323 100644 --- a/clients/client-elasticsearch-service/src/commands/UpgradeElasticsearchDomainCommand.ts +++ b/clients/client-elasticsearch-service/src/commands/UpgradeElasticsearchDomainCommand.ts @@ -111,4 +111,16 @@ export class UpgradeElasticsearchDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpgradeElasticsearchDomainCommand) .de(de_UpgradeElasticsearchDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpgradeElasticsearchDomainRequest; + output: UpgradeElasticsearchDomainResponse; + }; + sdk: { + input: UpgradeElasticsearchDomainCommandInput; + output: UpgradeElasticsearchDomainCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/package.json b/clients/client-emr-containers/package.json index 67dd27883b1f..ab6eb1c38241 100644 --- a/clients/client-emr-containers/package.json +++ b/clients/client-emr-containers/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-emr-containers/src/commands/CancelJobRunCommand.ts b/clients/client-emr-containers/src/commands/CancelJobRunCommand.ts index 2e3ce2115a3b..350f9e70602d 100644 --- a/clients/client-emr-containers/src/commands/CancelJobRunCommand.ts +++ b/clients/client-emr-containers/src/commands/CancelJobRunCommand.ts @@ -86,4 +86,16 @@ export class CancelJobRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobRunCommand) .de(de_CancelJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRunRequest; + output: CancelJobRunResponse; + }; + sdk: { + input: CancelJobRunCommandInput; + output: CancelJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/CreateJobTemplateCommand.ts b/clients/client-emr-containers/src/commands/CreateJobTemplateCommand.ts index 780652243e82..e599437f5327 100644 --- a/clients/client-emr-containers/src/commands/CreateJobTemplateCommand.ts +++ b/clients/client-emr-containers/src/commands/CreateJobTemplateCommand.ts @@ -156,4 +156,16 @@ export class CreateJobTemplateCommand extends $Command .f(CreateJobTemplateRequestFilterSensitiveLog, void 0) .ser(se_CreateJobTemplateCommand) .de(de_CreateJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobTemplateRequest; + output: CreateJobTemplateResponse; + }; + sdk: { + input: CreateJobTemplateCommandInput; + output: CreateJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/CreateManagedEndpointCommand.ts b/clients/client-emr-containers/src/commands/CreateManagedEndpointCommand.ts index 1bf44f32c340..651f6bbfd5dc 100644 --- a/clients/client-emr-containers/src/commands/CreateManagedEndpointCommand.ts +++ b/clients/client-emr-containers/src/commands/CreateManagedEndpointCommand.ts @@ -136,4 +136,16 @@ export class CreateManagedEndpointCommand extends $Command .f(CreateManagedEndpointRequestFilterSensitiveLog, void 0) .ser(se_CreateManagedEndpointCommand) .de(de_CreateManagedEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateManagedEndpointRequest; + output: CreateManagedEndpointResponse; + }; + sdk: { + input: CreateManagedEndpointCommandInput; + output: CreateManagedEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/CreateSecurityConfigurationCommand.ts b/clients/client-emr-containers/src/commands/CreateSecurityConfigurationCommand.ts index 54ebff0695af..68328cbc3441 100644 --- a/clients/client-emr-containers/src/commands/CreateSecurityConfigurationCommand.ts +++ b/clients/client-emr-containers/src/commands/CreateSecurityConfigurationCommand.ts @@ -118,4 +118,16 @@ export class CreateSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityConfigurationCommand) .de(de_CreateSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityConfigurationRequest; + output: CreateSecurityConfigurationResponse; + }; + sdk: { + input: CreateSecurityConfigurationCommandInput; + output: CreateSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/CreateVirtualClusterCommand.ts b/clients/client-emr-containers/src/commands/CreateVirtualClusterCommand.ts index 91fa6a4b4d7a..b26d85cd6255 100644 --- a/clients/client-emr-containers/src/commands/CreateVirtualClusterCommand.ts +++ b/clients/client-emr-containers/src/commands/CreateVirtualClusterCommand.ts @@ -108,4 +108,16 @@ export class CreateVirtualClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateVirtualClusterCommand) .de(de_CreateVirtualClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVirtualClusterRequest; + output: CreateVirtualClusterResponse; + }; + sdk: { + input: CreateVirtualClusterCommandInput; + output: CreateVirtualClusterCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DeleteJobTemplateCommand.ts b/clients/client-emr-containers/src/commands/DeleteJobTemplateCommand.ts index cf8eeb7b6c33..9a17fd91d593 100644 --- a/clients/client-emr-containers/src/commands/DeleteJobTemplateCommand.ts +++ b/clients/client-emr-containers/src/commands/DeleteJobTemplateCommand.ts @@ -86,4 +86,16 @@ export class DeleteJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobTemplateCommand) .de(de_DeleteJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobTemplateRequest; + output: DeleteJobTemplateResponse; + }; + sdk: { + input: DeleteJobTemplateCommandInput; + output: DeleteJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DeleteManagedEndpointCommand.ts b/clients/client-emr-containers/src/commands/DeleteManagedEndpointCommand.ts index 227087fece11..a8cb339e783a 100644 --- a/clients/client-emr-containers/src/commands/DeleteManagedEndpointCommand.ts +++ b/clients/client-emr-containers/src/commands/DeleteManagedEndpointCommand.ts @@ -86,4 +86,16 @@ export class DeleteManagedEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteManagedEndpointCommand) .de(de_DeleteManagedEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteManagedEndpointRequest; + output: DeleteManagedEndpointResponse; + }; + sdk: { + input: DeleteManagedEndpointCommandInput; + output: DeleteManagedEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DeleteVirtualClusterCommand.ts b/clients/client-emr-containers/src/commands/DeleteVirtualClusterCommand.ts index 3f884e37ca9d..65a2f74c8f02 100644 --- a/clients/client-emr-containers/src/commands/DeleteVirtualClusterCommand.ts +++ b/clients/client-emr-containers/src/commands/DeleteVirtualClusterCommand.ts @@ -86,4 +86,16 @@ export class DeleteVirtualClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVirtualClusterCommand) .de(de_DeleteVirtualClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVirtualClusterRequest; + output: DeleteVirtualClusterResponse; + }; + sdk: { + input: DeleteVirtualClusterCommandInput; + output: DeleteVirtualClusterCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DescribeJobRunCommand.ts b/clients/client-emr-containers/src/commands/DescribeJobRunCommand.ts index 61ad96356e92..be92313bedd1 100644 --- a/clients/client-emr-containers/src/commands/DescribeJobRunCommand.ts +++ b/clients/client-emr-containers/src/commands/DescribeJobRunCommand.ts @@ -161,4 +161,16 @@ export class DescribeJobRunCommand extends $Command .f(void 0, DescribeJobRunResponseFilterSensitiveLog) .ser(se_DescribeJobRunCommand) .de(de_DescribeJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobRunRequest; + output: DescribeJobRunResponse; + }; + sdk: { + input: DescribeJobRunCommandInput; + output: DescribeJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DescribeJobTemplateCommand.ts b/clients/client-emr-containers/src/commands/DescribeJobTemplateCommand.ts index 7c16a000a987..06b13125f9a3 100644 --- a/clients/client-emr-containers/src/commands/DescribeJobTemplateCommand.ts +++ b/clients/client-emr-containers/src/commands/DescribeJobTemplateCommand.ts @@ -159,4 +159,16 @@ export class DescribeJobTemplateCommand extends $Command .f(void 0, DescribeJobTemplateResponseFilterSensitiveLog) .ser(se_DescribeJobTemplateCommand) .de(de_DescribeJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobTemplateRequest; + output: DescribeJobTemplateResponse; + }; + sdk: { + input: DescribeJobTemplateCommandInput; + output: DescribeJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DescribeManagedEndpointCommand.ts b/clients/client-emr-containers/src/commands/DescribeManagedEndpointCommand.ts index b7e37866bef3..5b06c2dc6041 100644 --- a/clients/client-emr-containers/src/commands/DescribeManagedEndpointCommand.ts +++ b/clients/client-emr-containers/src/commands/DescribeManagedEndpointCommand.ts @@ -150,4 +150,16 @@ export class DescribeManagedEndpointCommand extends $Command .f(void 0, DescribeManagedEndpointResponseFilterSensitiveLog) .ser(se_DescribeManagedEndpointCommand) .de(de_DescribeManagedEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeManagedEndpointRequest; + output: DescribeManagedEndpointResponse; + }; + sdk: { + input: DescribeManagedEndpointCommandInput; + output: DescribeManagedEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DescribeSecurityConfigurationCommand.ts b/clients/client-emr-containers/src/commands/DescribeSecurityConfigurationCommand.ts index 79f18331921d..befc35062590 100644 --- a/clients/client-emr-containers/src/commands/DescribeSecurityConfigurationCommand.ts +++ b/clients/client-emr-containers/src/commands/DescribeSecurityConfigurationCommand.ts @@ -125,4 +125,16 @@ export class DescribeSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityConfigurationCommand) .de(de_DescribeSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityConfigurationRequest; + output: DescribeSecurityConfigurationResponse; + }; + sdk: { + input: DescribeSecurityConfigurationCommandInput; + output: DescribeSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/DescribeVirtualClusterCommand.ts b/clients/client-emr-containers/src/commands/DescribeVirtualClusterCommand.ts index 2f38e3043f58..b8ec4445771c 100644 --- a/clients/client-emr-containers/src/commands/DescribeVirtualClusterCommand.ts +++ b/clients/client-emr-containers/src/commands/DescribeVirtualClusterCommand.ts @@ -110,4 +110,16 @@ export class DescribeVirtualClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVirtualClusterCommand) .de(de_DescribeVirtualClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVirtualClusterRequest; + output: DescribeVirtualClusterResponse; + }; + sdk: { + input: DescribeVirtualClusterCommandInput; + output: DescribeVirtualClusterCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/GetManagedEndpointSessionCredentialsCommand.ts b/clients/client-emr-containers/src/commands/GetManagedEndpointSessionCredentialsCommand.ts index a912334c4ec1..d50a46008719 100644 --- a/clients/client-emr-containers/src/commands/GetManagedEndpointSessionCredentialsCommand.ts +++ b/clients/client-emr-containers/src/commands/GetManagedEndpointSessionCredentialsCommand.ts @@ -108,4 +108,16 @@ export class GetManagedEndpointSessionCredentialsCommand extends $Command .f(void 0, GetManagedEndpointSessionCredentialsResponseFilterSensitiveLog) .ser(se_GetManagedEndpointSessionCredentialsCommand) .de(de_GetManagedEndpointSessionCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetManagedEndpointSessionCredentialsRequest; + output: GetManagedEndpointSessionCredentialsResponse; + }; + sdk: { + input: GetManagedEndpointSessionCredentialsCommandInput; + output: GetManagedEndpointSessionCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/ListJobRunsCommand.ts b/clients/client-emr-containers/src/commands/ListJobRunsCommand.ts index 47b58233bb36..ef5aefc5c64c 100644 --- a/clients/client-emr-containers/src/commands/ListJobRunsCommand.ts +++ b/clients/client-emr-containers/src/commands/ListJobRunsCommand.ts @@ -164,4 +164,16 @@ export class ListJobRunsCommand extends $Command .f(void 0, ListJobRunsResponseFilterSensitiveLog) .ser(se_ListJobRunsCommand) .de(de_ListJobRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobRunsRequest; + output: ListJobRunsResponse; + }; + sdk: { + input: ListJobRunsCommandInput; + output: ListJobRunsCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/ListJobTemplatesCommand.ts b/clients/client-emr-containers/src/commands/ListJobTemplatesCommand.ts index b1e04d83bc2a..25c5cd47c5d8 100644 --- a/clients/client-emr-containers/src/commands/ListJobTemplatesCommand.ts +++ b/clients/client-emr-containers/src/commands/ListJobTemplatesCommand.ts @@ -162,4 +162,16 @@ export class ListJobTemplatesCommand extends $Command .f(void 0, ListJobTemplatesResponseFilterSensitiveLog) .ser(se_ListJobTemplatesCommand) .de(de_ListJobTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobTemplatesRequest; + output: ListJobTemplatesResponse; + }; + sdk: { + input: ListJobTemplatesCommandInput; + output: ListJobTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/ListManagedEndpointsCommand.ts b/clients/client-emr-containers/src/commands/ListManagedEndpointsCommand.ts index 022a207dca41..0d2f80f9e4ea 100644 --- a/clients/client-emr-containers/src/commands/ListManagedEndpointsCommand.ts +++ b/clients/client-emr-containers/src/commands/ListManagedEndpointsCommand.ts @@ -159,4 +159,16 @@ export class ListManagedEndpointsCommand extends $Command .f(void 0, ListManagedEndpointsResponseFilterSensitiveLog) .ser(se_ListManagedEndpointsCommand) .de(de_ListManagedEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedEndpointsRequest; + output: ListManagedEndpointsResponse; + }; + sdk: { + input: ListManagedEndpointsCommandInput; + output: ListManagedEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/ListSecurityConfigurationsCommand.ts b/clients/client-emr-containers/src/commands/ListSecurityConfigurationsCommand.ts index 68db1564d54f..75a8386076de 100644 --- a/clients/client-emr-containers/src/commands/ListSecurityConfigurationsCommand.ts +++ b/clients/client-emr-containers/src/commands/ListSecurityConfigurationsCommand.ts @@ -123,4 +123,16 @@ export class ListSecurityConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityConfigurationsCommand) .de(de_ListSecurityConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityConfigurationsRequest; + output: ListSecurityConfigurationsResponse; + }; + sdk: { + input: ListSecurityConfigurationsCommandInput; + output: ListSecurityConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/ListTagsForResourceCommand.ts b/clients/client-emr-containers/src/commands/ListTagsForResourceCommand.ts index b028ef5a2fa8..6240486045d3 100644 --- a/clients/client-emr-containers/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-emr-containers/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/ListVirtualClustersCommand.ts b/clients/client-emr-containers/src/commands/ListVirtualClustersCommand.ts index 7849c780182e..1b8006c81bfd 100644 --- a/clients/client-emr-containers/src/commands/ListVirtualClustersCommand.ts +++ b/clients/client-emr-containers/src/commands/ListVirtualClustersCommand.ts @@ -119,4 +119,16 @@ export class ListVirtualClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListVirtualClustersCommand) .de(de_ListVirtualClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualClustersRequest; + output: ListVirtualClustersResponse; + }; + sdk: { + input: ListVirtualClustersCommandInput; + output: ListVirtualClustersCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/StartJobRunCommand.ts b/clients/client-emr-containers/src/commands/StartJobRunCommand.ts index 7b1cbf82774c..3b76fdb1f48b 100644 --- a/clients/client-emr-containers/src/commands/StartJobRunCommand.ts +++ b/clients/client-emr-containers/src/commands/StartJobRunCommand.ts @@ -150,4 +150,16 @@ export class StartJobRunCommand extends $Command .f(StartJobRunRequestFilterSensitiveLog, void 0) .ser(se_StartJobRunCommand) .de(de_StartJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartJobRunRequest; + output: StartJobRunResponse; + }; + sdk: { + input: StartJobRunCommandInput; + output: StartJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/TagResourceCommand.ts b/clients/client-emr-containers/src/commands/TagResourceCommand.ts index 2ba448671444..c9a5479b651d 100644 --- a/clients/client-emr-containers/src/commands/TagResourceCommand.ts +++ b/clients/client-emr-containers/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-emr-containers/src/commands/UntagResourceCommand.ts b/clients/client-emr-containers/src/commands/UntagResourceCommand.ts index 8ed582e8d89f..148740d4d5c4 100644 --- a/clients/client-emr-containers/src/commands/UntagResourceCommand.ts +++ b/clients/client-emr-containers/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/package.json b/clients/client-emr-serverless/package.json index c486a10d7b56..22a5cb2049d2 100644 --- a/clients/client-emr-serverless/package.json +++ b/clients/client-emr-serverless/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-emr-serverless/src/commands/CancelJobRunCommand.ts b/clients/client-emr-serverless/src/commands/CancelJobRunCommand.ts index 95c0199c6c5e..4ea00d7bbf99 100644 --- a/clients/client-emr-serverless/src/commands/CancelJobRunCommand.ts +++ b/clients/client-emr-serverless/src/commands/CancelJobRunCommand.ts @@ -89,4 +89,16 @@ export class CancelJobRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobRunCommand) .de(de_CancelJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRunRequest; + output: CancelJobRunResponse; + }; + sdk: { + input: CancelJobRunCommandInput; + output: CancelJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/CreateApplicationCommand.ts b/clients/client-emr-serverless/src/commands/CreateApplicationCommand.ts index 4a8da8359528..20b49bb6a2d2 100644 --- a/clients/client-emr-serverless/src/commands/CreateApplicationCommand.ts +++ b/clients/client-emr-serverless/src/commands/CreateApplicationCommand.ts @@ -190,4 +190,16 @@ export class CreateApplicationCommand extends $Command .f(CreateApplicationRequestFilterSensitiveLog, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/DeleteApplicationCommand.ts b/clients/client-emr-serverless/src/commands/DeleteApplicationCommand.ts index 1476674269ed..1ac1fe5439f9 100644 --- a/clients/client-emr-serverless/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-emr-serverless/src/commands/DeleteApplicationCommand.ts @@ -86,4 +86,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/GetApplicationCommand.ts b/clients/client-emr-serverless/src/commands/GetApplicationCommand.ts index 6e549a032b6b..1f2d5d1fb445 100644 --- a/clients/client-emr-serverless/src/commands/GetApplicationCommand.ts +++ b/clients/client-emr-serverless/src/commands/GetApplicationCommand.ts @@ -193,4 +193,16 @@ export class GetApplicationCommand extends $Command .f(void 0, GetApplicationResponseFilterSensitiveLog) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: GetApplicationResponse; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/GetDashboardForJobRunCommand.ts b/clients/client-emr-serverless/src/commands/GetDashboardForJobRunCommand.ts index 755bc1f1d671..844c7d64c519 100644 --- a/clients/client-emr-serverless/src/commands/GetDashboardForJobRunCommand.ts +++ b/clients/client-emr-serverless/src/commands/GetDashboardForJobRunCommand.ts @@ -97,4 +97,16 @@ export class GetDashboardForJobRunCommand extends $Command .f(void 0, void 0) .ser(se_GetDashboardForJobRunCommand) .de(de_GetDashboardForJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDashboardForJobRunRequest; + output: GetDashboardForJobRunResponse; + }; + sdk: { + input: GetDashboardForJobRunCommandInput; + output: GetDashboardForJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/GetJobRunCommand.ts b/clients/client-emr-serverless/src/commands/GetJobRunCommand.ts index 33004ae494f0..c293d8429f99 100644 --- a/clients/client-emr-serverless/src/commands/GetJobRunCommand.ts +++ b/clients/client-emr-serverless/src/commands/GetJobRunCommand.ts @@ -189,4 +189,16 @@ export class GetJobRunCommand extends $Command .f(void 0, GetJobRunResponseFilterSensitiveLog) .ser(se_GetJobRunCommand) .de(de_GetJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRunRequest; + output: GetJobRunResponse; + }; + sdk: { + input: GetJobRunCommandInput; + output: GetJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/ListApplicationsCommand.ts b/clients/client-emr-serverless/src/commands/ListApplicationsCommand.ts index a4d3b23f7f28..1b72cd212682 100644 --- a/clients/client-emr-serverless/src/commands/ListApplicationsCommand.ts +++ b/clients/client-emr-serverless/src/commands/ListApplicationsCommand.ts @@ -102,4 +102,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/ListJobRunAttemptsCommand.ts b/clients/client-emr-serverless/src/commands/ListJobRunAttemptsCommand.ts index 97035f2349b9..6a085ac3c437 100644 --- a/clients/client-emr-serverless/src/commands/ListJobRunAttemptsCommand.ts +++ b/clients/client-emr-serverless/src/commands/ListJobRunAttemptsCommand.ts @@ -109,4 +109,16 @@ export class ListJobRunAttemptsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobRunAttemptsCommand) .de(de_ListJobRunAttemptsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobRunAttemptsRequest; + output: ListJobRunAttemptsResponse; + }; + sdk: { + input: ListJobRunAttemptsCommandInput; + output: ListJobRunAttemptsCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/ListJobRunsCommand.ts b/clients/client-emr-serverless/src/commands/ListJobRunsCommand.ts index 8ec522029d82..94311dcf5b91 100644 --- a/clients/client-emr-serverless/src/commands/ListJobRunsCommand.ts +++ b/clients/client-emr-serverless/src/commands/ListJobRunsCommand.ts @@ -112,4 +112,16 @@ export class ListJobRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobRunsCommand) .de(de_ListJobRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobRunsRequest; + output: ListJobRunsResponse; + }; + sdk: { + input: ListJobRunsCommandInput; + output: ListJobRunsCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/ListTagsForResourceCommand.ts b/clients/client-emr-serverless/src/commands/ListTagsForResourceCommand.ts index 8312956c9ddc..44fcd6eb7472 100644 --- a/clients/client-emr-serverless/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-emr-serverless/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/StartApplicationCommand.ts b/clients/client-emr-serverless/src/commands/StartApplicationCommand.ts index c85a9e663da1..837744b9a7e4 100644 --- a/clients/client-emr-serverless/src/commands/StartApplicationCommand.ts +++ b/clients/client-emr-serverless/src/commands/StartApplicationCommand.ts @@ -88,4 +88,16 @@ export class StartApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartApplicationCommand) .de(de_StartApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartApplicationRequest; + output: {}; + }; + sdk: { + input: StartApplicationCommandInput; + output: StartApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/StartJobRunCommand.ts b/clients/client-emr-serverless/src/commands/StartJobRunCommand.ts index 7c2eff6e33d7..876af6591db5 100644 --- a/clients/client-emr-serverless/src/commands/StartJobRunCommand.ts +++ b/clients/client-emr-serverless/src/commands/StartJobRunCommand.ts @@ -162,4 +162,16 @@ export class StartJobRunCommand extends $Command .f(StartJobRunRequestFilterSensitiveLog, void 0) .ser(se_StartJobRunCommand) .de(de_StartJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartJobRunRequest; + output: StartJobRunResponse; + }; + sdk: { + input: StartJobRunCommandInput; + output: StartJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/StopApplicationCommand.ts b/clients/client-emr-serverless/src/commands/StopApplicationCommand.ts index 30b40a0b27bb..7b59e767afdf 100644 --- a/clients/client-emr-serverless/src/commands/StopApplicationCommand.ts +++ b/clients/client-emr-serverless/src/commands/StopApplicationCommand.ts @@ -86,4 +86,16 @@ export class StopApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopApplicationCommand) .de(de_StopApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopApplicationRequest; + output: {}; + }; + sdk: { + input: StopApplicationCommandInput; + output: StopApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/TagResourceCommand.ts b/clients/client-emr-serverless/src/commands/TagResourceCommand.ts index 292d0fdbdda8..8fbfb0ee6fdb 100644 --- a/clients/client-emr-serverless/src/commands/TagResourceCommand.ts +++ b/clients/client-emr-serverless/src/commands/TagResourceCommand.ts @@ -92,4 +92,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/UntagResourceCommand.ts b/clients/client-emr-serverless/src/commands/UntagResourceCommand.ts index 7f825335134c..3b1203b5ab2b 100644 --- a/clients/client-emr-serverless/src/commands/UntagResourceCommand.ts +++ b/clients/client-emr-serverless/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-emr-serverless/src/commands/UpdateApplicationCommand.ts b/clients/client-emr-serverless/src/commands/UpdateApplicationCommand.ts index 52eb4221b027..ba8d5fd17f93 100644 --- a/clients/client-emr-serverless/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-emr-serverless/src/commands/UpdateApplicationCommand.ts @@ -284,4 +284,16 @@ export class UpdateApplicationCommand extends $Command .f(UpdateApplicationRequestFilterSensitiveLog, UpdateApplicationResponseFilterSensitiveLog) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: UpdateApplicationResponse; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-emr/package.json b/clients/client-emr/package.json index a9849f61c533..dcd603e4a805 100644 --- a/clients/client-emr/package.json +++ b/clients/client-emr/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-emr/src/commands/AddInstanceFleetCommand.ts b/clients/client-emr/src/commands/AddInstanceFleetCommand.ts index 637cd3a67b82..adec1f1e7ed9 100644 --- a/clients/client-emr/src/commands/AddInstanceFleetCommand.ts +++ b/clients/client-emr/src/commands/AddInstanceFleetCommand.ts @@ -168,4 +168,16 @@ export class AddInstanceFleetCommand extends $Command .f(void 0, void 0) .ser(se_AddInstanceFleetCommand) .de(de_AddInstanceFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddInstanceFleetInput; + output: AddInstanceFleetOutput; + }; + sdk: { + input: AddInstanceFleetCommandInput; + output: AddInstanceFleetCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/AddInstanceGroupsCommand.ts b/clients/client-emr/src/commands/AddInstanceGroupsCommand.ts index ae184860cf71..41b498b6c630 100644 --- a/clients/client-emr/src/commands/AddInstanceGroupsCommand.ts +++ b/clients/client-emr/src/commands/AddInstanceGroupsCommand.ts @@ -165,4 +165,16 @@ export class AddInstanceGroupsCommand extends $Command .f(void 0, void 0) .ser(se_AddInstanceGroupsCommand) .de(de_AddInstanceGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddInstanceGroupsInput; + output: AddInstanceGroupsOutput; + }; + sdk: { + input: AddInstanceGroupsCommandInput; + output: AddInstanceGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/AddJobFlowStepsCommand.ts b/clients/client-emr/src/commands/AddJobFlowStepsCommand.ts index cea335cb84fe..aaff10df2db8 100644 --- a/clients/client-emr/src/commands/AddJobFlowStepsCommand.ts +++ b/clients/client-emr/src/commands/AddJobFlowStepsCommand.ts @@ -121,4 +121,16 @@ export class AddJobFlowStepsCommand extends $Command .f(void 0, void 0) .ser(se_AddJobFlowStepsCommand) .de(de_AddJobFlowStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddJobFlowStepsInput; + output: AddJobFlowStepsOutput; + }; + sdk: { + input: AddJobFlowStepsCommandInput; + output: AddJobFlowStepsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/AddTagsCommand.ts b/clients/client-emr/src/commands/AddTagsCommand.ts index afb206f590a6..e67af8327f1e 100644 --- a/clients/client-emr/src/commands/AddTagsCommand.ts +++ b/clients/client-emr/src/commands/AddTagsCommand.ts @@ -92,4 +92,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsInput; + output: {}; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/CancelStepsCommand.ts b/clients/client-emr/src/commands/CancelStepsCommand.ts index 8546c0a4db5d..c79b411b6f24 100644 --- a/clients/client-emr/src/commands/CancelStepsCommand.ts +++ b/clients/client-emr/src/commands/CancelStepsCommand.ts @@ -98,4 +98,16 @@ export class CancelStepsCommand extends $Command .f(void 0, void 0) .ser(se_CancelStepsCommand) .de(de_CancelStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelStepsInput; + output: CancelStepsOutput; + }; + sdk: { + input: CancelStepsCommandInput; + output: CancelStepsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/CreateSecurityConfigurationCommand.ts b/clients/client-emr/src/commands/CreateSecurityConfigurationCommand.ts index 6647df2162b2..1b2bff7f1b06 100644 --- a/clients/client-emr/src/commands/CreateSecurityConfigurationCommand.ts +++ b/clients/client-emr/src/commands/CreateSecurityConfigurationCommand.ts @@ -87,4 +87,16 @@ export class CreateSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityConfigurationCommand) .de(de_CreateSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityConfigurationInput; + output: CreateSecurityConfigurationOutput; + }; + sdk: { + input: CreateSecurityConfigurationCommandInput; + output: CreateSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/CreateStudioCommand.ts b/clients/client-emr/src/commands/CreateStudioCommand.ts index cba28af1d2f5..5be8c2632bea 100644 --- a/clients/client-emr/src/commands/CreateStudioCommand.ts +++ b/clients/client-emr/src/commands/CreateStudioCommand.ts @@ -108,4 +108,16 @@ export class CreateStudioCommand extends $Command .f(void 0, void 0) .ser(se_CreateStudioCommand) .de(de_CreateStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStudioInput; + output: CreateStudioOutput; + }; + sdk: { + input: CreateStudioCommandInput; + output: CreateStudioCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/CreateStudioSessionMappingCommand.ts b/clients/client-emr/src/commands/CreateStudioSessionMappingCommand.ts index 3d2d99cd2fc1..be99516fd1f3 100644 --- a/clients/client-emr/src/commands/CreateStudioSessionMappingCommand.ts +++ b/clients/client-emr/src/commands/CreateStudioSessionMappingCommand.ts @@ -90,4 +90,16 @@ export class CreateStudioSessionMappingCommand extends $Command .f(void 0, void 0) .ser(se_CreateStudioSessionMappingCommand) .de(de_CreateStudioSessionMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStudioSessionMappingInput; + output: {}; + }; + sdk: { + input: CreateStudioSessionMappingCommandInput; + output: CreateStudioSessionMappingCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DeleteSecurityConfigurationCommand.ts b/clients/client-emr/src/commands/DeleteSecurityConfigurationCommand.ts index 77c3e24b50ea..d066a619d172 100644 --- a/clients/client-emr/src/commands/DeleteSecurityConfigurationCommand.ts +++ b/clients/client-emr/src/commands/DeleteSecurityConfigurationCommand.ts @@ -82,4 +82,16 @@ export class DeleteSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecurityConfigurationCommand) .de(de_DeleteSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecurityConfigurationInput; + output: {}; + }; + sdk: { + input: DeleteSecurityConfigurationCommandInput; + output: DeleteSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DeleteStudioCommand.ts b/clients/client-emr/src/commands/DeleteStudioCommand.ts index 56ee60795948..170944d77ee9 100644 --- a/clients/client-emr/src/commands/DeleteStudioCommand.ts +++ b/clients/client-emr/src/commands/DeleteStudioCommand.ts @@ -82,4 +82,16 @@ export class DeleteStudioCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStudioCommand) .de(de_DeleteStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStudioInput; + output: {}; + }; + sdk: { + input: DeleteStudioCommandInput; + output: DeleteStudioCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DeleteStudioSessionMappingCommand.ts b/clients/client-emr/src/commands/DeleteStudioSessionMappingCommand.ts index 57657b4c8e2d..4e45dde6208a 100644 --- a/clients/client-emr/src/commands/DeleteStudioSessionMappingCommand.ts +++ b/clients/client-emr/src/commands/DeleteStudioSessionMappingCommand.ts @@ -85,4 +85,16 @@ export class DeleteStudioSessionMappingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStudioSessionMappingCommand) .de(de_DeleteStudioSessionMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStudioSessionMappingInput; + output: {}; + }; + sdk: { + input: DeleteStudioSessionMappingCommandInput; + output: DeleteStudioSessionMappingCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DescribeClusterCommand.ts b/clients/client-emr/src/commands/DescribeClusterCommand.ts index 8d2c156a83e7..c61404184e60 100644 --- a/clients/client-emr/src/commands/DescribeClusterCommand.ts +++ b/clients/client-emr/src/commands/DescribeClusterCommand.ts @@ -205,4 +205,16 @@ export class DescribeClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterCommand) .de(de_DescribeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterInput; + output: DescribeClusterOutput; + }; + sdk: { + input: DescribeClusterCommandInput; + output: DescribeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DescribeJobFlowsCommand.ts b/clients/client-emr/src/commands/DescribeJobFlowsCommand.ts index ffbaf7c98824..603266ee85f8 100644 --- a/clients/client-emr/src/commands/DescribeJobFlowsCommand.ts +++ b/clients/client-emr/src/commands/DescribeJobFlowsCommand.ts @@ -214,4 +214,16 @@ export class DescribeJobFlowsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobFlowsCommand) .de(de_DescribeJobFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobFlowsInput; + output: DescribeJobFlowsOutput; + }; + sdk: { + input: DescribeJobFlowsCommandInput; + output: DescribeJobFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DescribeNotebookExecutionCommand.ts b/clients/client-emr/src/commands/DescribeNotebookExecutionCommand.ts index 596788b63dc4..2acf802a1e0a 100644 --- a/clients/client-emr/src/commands/DescribeNotebookExecutionCommand.ts +++ b/clients/client-emr/src/commands/DescribeNotebookExecutionCommand.ts @@ -120,4 +120,16 @@ export class DescribeNotebookExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNotebookExecutionCommand) .de(de_DescribeNotebookExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotebookExecutionInput; + output: DescribeNotebookExecutionOutput; + }; + sdk: { + input: DescribeNotebookExecutionCommandInput; + output: DescribeNotebookExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DescribeReleaseLabelCommand.ts b/clients/client-emr/src/commands/DescribeReleaseLabelCommand.ts index a33045f22c92..bc60de9df108 100644 --- a/clients/client-emr/src/commands/DescribeReleaseLabelCommand.ts +++ b/clients/client-emr/src/commands/DescribeReleaseLabelCommand.ts @@ -100,4 +100,16 @@ export class DescribeReleaseLabelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReleaseLabelCommand) .de(de_DescribeReleaseLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReleaseLabelInput; + output: DescribeReleaseLabelOutput; + }; + sdk: { + input: DescribeReleaseLabelCommandInput; + output: DescribeReleaseLabelCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DescribeSecurityConfigurationCommand.ts b/clients/client-emr/src/commands/DescribeSecurityConfigurationCommand.ts index c64de838f356..53d51606f9e8 100644 --- a/clients/client-emr/src/commands/DescribeSecurityConfigurationCommand.ts +++ b/clients/client-emr/src/commands/DescribeSecurityConfigurationCommand.ts @@ -92,4 +92,16 @@ export class DescribeSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityConfigurationCommand) .de(de_DescribeSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityConfigurationInput; + output: DescribeSecurityConfigurationOutput; + }; + sdk: { + input: DescribeSecurityConfigurationCommandInput; + output: DescribeSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DescribeStepCommand.ts b/clients/client-emr/src/commands/DescribeStepCommand.ts index 558b892c2452..682fa231ce6a 100644 --- a/clients/client-emr/src/commands/DescribeStepCommand.ts +++ b/clients/client-emr/src/commands/DescribeStepCommand.ts @@ -117,4 +117,16 @@ export class DescribeStepCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStepCommand) .de(de_DescribeStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStepInput; + output: DescribeStepOutput; + }; + sdk: { + input: DescribeStepCommandInput; + output: DescribeStepCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/DescribeStudioCommand.ts b/clients/client-emr/src/commands/DescribeStudioCommand.ts index 25c644be2ae6..d444efdd4f4e 100644 --- a/clients/client-emr/src/commands/DescribeStudioCommand.ts +++ b/clients/client-emr/src/commands/DescribeStudioCommand.ts @@ -114,4 +114,16 @@ export class DescribeStudioCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStudioCommand) .de(de_DescribeStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStudioInput; + output: DescribeStudioOutput; + }; + sdk: { + input: DescribeStudioCommandInput; + output: DescribeStudioCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/GetAutoTerminationPolicyCommand.ts b/clients/client-emr/src/commands/GetAutoTerminationPolicyCommand.ts index c9d239fd992c..7a877c09e3ed 100644 --- a/clients/client-emr/src/commands/GetAutoTerminationPolicyCommand.ts +++ b/clients/client-emr/src/commands/GetAutoTerminationPolicyCommand.ts @@ -79,4 +79,16 @@ export class GetAutoTerminationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetAutoTerminationPolicyCommand) .de(de_GetAutoTerminationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAutoTerminationPolicyInput; + output: GetAutoTerminationPolicyOutput; + }; + sdk: { + input: GetAutoTerminationPolicyCommandInput; + output: GetAutoTerminationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/GetBlockPublicAccessConfigurationCommand.ts b/clients/client-emr/src/commands/GetBlockPublicAccessConfigurationCommand.ts index fdd6bd4d952d..1020224fa45f 100644 --- a/clients/client-emr/src/commands/GetBlockPublicAccessConfigurationCommand.ts +++ b/clients/client-emr/src/commands/GetBlockPublicAccessConfigurationCommand.ts @@ -120,4 +120,16 @@ export class GetBlockPublicAccessConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBlockPublicAccessConfigurationCommand) .de(de_GetBlockPublicAccessConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetBlockPublicAccessConfigurationOutput; + }; + sdk: { + input: GetBlockPublicAccessConfigurationCommandInput; + output: GetBlockPublicAccessConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/GetClusterSessionCredentialsCommand.ts b/clients/client-emr/src/commands/GetClusterSessionCredentialsCommand.ts index 66e6220958ce..ebe7b057a72d 100644 --- a/clients/client-emr/src/commands/GetClusterSessionCredentialsCommand.ts +++ b/clients/client-emr/src/commands/GetClusterSessionCredentialsCommand.ts @@ -103,4 +103,16 @@ export class GetClusterSessionCredentialsCommand extends $Command .f(void 0, GetClusterSessionCredentialsOutputFilterSensitiveLog) .ser(se_GetClusterSessionCredentialsCommand) .de(de_GetClusterSessionCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClusterSessionCredentialsInput; + output: GetClusterSessionCredentialsOutput; + }; + sdk: { + input: GetClusterSessionCredentialsCommandInput; + output: GetClusterSessionCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/GetManagedScalingPolicyCommand.ts b/clients/client-emr/src/commands/GetManagedScalingPolicyCommand.ts index 85cce6a76492..e174f0794aa7 100644 --- a/clients/client-emr/src/commands/GetManagedScalingPolicyCommand.ts +++ b/clients/client-emr/src/commands/GetManagedScalingPolicyCommand.ts @@ -85,4 +85,16 @@ export class GetManagedScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetManagedScalingPolicyCommand) .de(de_GetManagedScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetManagedScalingPolicyInput; + output: GetManagedScalingPolicyOutput; + }; + sdk: { + input: GetManagedScalingPolicyCommandInput; + output: GetManagedScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/GetStudioSessionMappingCommand.ts b/clients/client-emr/src/commands/GetStudioSessionMappingCommand.ts index 9377db46f377..ea831604a398 100644 --- a/clients/client-emr/src/commands/GetStudioSessionMappingCommand.ts +++ b/clients/client-emr/src/commands/GetStudioSessionMappingCommand.ts @@ -96,4 +96,16 @@ export class GetStudioSessionMappingCommand extends $Command .f(void 0, void 0) .ser(se_GetStudioSessionMappingCommand) .de(de_GetStudioSessionMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStudioSessionMappingInput; + output: GetStudioSessionMappingOutput; + }; + sdk: { + input: GetStudioSessionMappingCommandInput; + output: GetStudioSessionMappingCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListBootstrapActionsCommand.ts b/clients/client-emr/src/commands/ListBootstrapActionsCommand.ts index 9e164fe33a08..4cc294aaadd8 100644 --- a/clients/client-emr/src/commands/ListBootstrapActionsCommand.ts +++ b/clients/client-emr/src/commands/ListBootstrapActionsCommand.ts @@ -94,4 +94,16 @@ export class ListBootstrapActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListBootstrapActionsCommand) .de(de_ListBootstrapActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBootstrapActionsInput; + output: ListBootstrapActionsOutput; + }; + sdk: { + input: ListBootstrapActionsCommandInput; + output: ListBootstrapActionsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListClustersCommand.ts b/clients/client-emr/src/commands/ListClustersCommand.ts index a900a48750b2..53c963bf0515 100644 --- a/clients/client-emr/src/commands/ListClustersCommand.ts +++ b/clients/client-emr/src/commands/ListClustersCommand.ts @@ -125,4 +125,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersInput; + output: ListClustersOutput; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListInstanceFleetsCommand.ts b/clients/client-emr/src/commands/ListInstanceFleetsCommand.ts index 4441d093e635..0efb4d941540 100644 --- a/clients/client-emr/src/commands/ListInstanceFleetsCommand.ts +++ b/clients/client-emr/src/commands/ListInstanceFleetsCommand.ts @@ -182,4 +182,16 @@ export class ListInstanceFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceFleetsCommand) .de(de_ListInstanceFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceFleetsInput; + output: ListInstanceFleetsOutput; + }; + sdk: { + input: ListInstanceFleetsCommandInput; + output: ListInstanceFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListInstanceGroupsCommand.ts b/clients/client-emr/src/commands/ListInstanceGroupsCommand.ts index 6d73d75d995c..f136ea09dd89 100644 --- a/clients/client-emr/src/commands/ListInstanceGroupsCommand.ts +++ b/clients/client-emr/src/commands/ListInstanceGroupsCommand.ts @@ -199,4 +199,16 @@ export class ListInstanceGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceGroupsCommand) .de(de_ListInstanceGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceGroupsInput; + output: ListInstanceGroupsOutput; + }; + sdk: { + input: ListInstanceGroupsCommandInput; + output: ListInstanceGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListInstancesCommand.ts b/clients/client-emr/src/commands/ListInstancesCommand.ts index 979c592fe7cb..b465d51a8434 100644 --- a/clients/client-emr/src/commands/ListInstancesCommand.ts +++ b/clients/client-emr/src/commands/ListInstancesCommand.ts @@ -129,4 +129,16 @@ export class ListInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListInstancesCommand) .de(de_ListInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstancesInput; + output: ListInstancesOutput; + }; + sdk: { + input: ListInstancesCommandInput; + output: ListInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListNotebookExecutionsCommand.ts b/clients/client-emr/src/commands/ListNotebookExecutionsCommand.ts index 59e378c2821a..870e4e06628f 100644 --- a/clients/client-emr/src/commands/ListNotebookExecutionsCommand.ts +++ b/clients/client-emr/src/commands/ListNotebookExecutionsCommand.ts @@ -107,4 +107,16 @@ export class ListNotebookExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListNotebookExecutionsCommand) .de(de_ListNotebookExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotebookExecutionsInput; + output: ListNotebookExecutionsOutput; + }; + sdk: { + input: ListNotebookExecutionsCommandInput; + output: ListNotebookExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListReleaseLabelsCommand.ts b/clients/client-emr/src/commands/ListReleaseLabelsCommand.ts index d3902f7cc8f4..58aa1f014e9f 100644 --- a/clients/client-emr/src/commands/ListReleaseLabelsCommand.ts +++ b/clients/client-emr/src/commands/ListReleaseLabelsCommand.ts @@ -93,4 +93,16 @@ export class ListReleaseLabelsCommand extends $Command .f(void 0, void 0) .ser(se_ListReleaseLabelsCommand) .de(de_ListReleaseLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReleaseLabelsInput; + output: ListReleaseLabelsOutput; + }; + sdk: { + input: ListReleaseLabelsCommandInput; + output: ListReleaseLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListSecurityConfigurationsCommand.ts b/clients/client-emr/src/commands/ListSecurityConfigurationsCommand.ts index 3a2fe9924a1a..002ce0f635b0 100644 --- a/clients/client-emr/src/commands/ListSecurityConfigurationsCommand.ts +++ b/clients/client-emr/src/commands/ListSecurityConfigurationsCommand.ts @@ -93,4 +93,16 @@ export class ListSecurityConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityConfigurationsCommand) .de(de_ListSecurityConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityConfigurationsInput; + output: ListSecurityConfigurationsOutput; + }; + sdk: { + input: ListSecurityConfigurationsCommandInput; + output: ListSecurityConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListStepsCommand.ts b/clients/client-emr/src/commands/ListStepsCommand.ts index 82fb9db3b8fe..0106328d2450 100644 --- a/clients/client-emr/src/commands/ListStepsCommand.ts +++ b/clients/client-emr/src/commands/ListStepsCommand.ts @@ -130,4 +130,16 @@ export class ListStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListStepsCommand) .de(de_ListStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStepsInput; + output: ListStepsOutput; + }; + sdk: { + input: ListStepsCommandInput; + output: ListStepsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListStudioSessionMappingsCommand.ts b/clients/client-emr/src/commands/ListStudioSessionMappingsCommand.ts index 4a6ee5a0fe8c..22580efa6e9c 100644 --- a/clients/client-emr/src/commands/ListStudioSessionMappingsCommand.ts +++ b/clients/client-emr/src/commands/ListStudioSessionMappingsCommand.ts @@ -97,4 +97,16 @@ export class ListStudioSessionMappingsCommand extends $Command .f(void 0, void 0) .ser(se_ListStudioSessionMappingsCommand) .de(de_ListStudioSessionMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStudioSessionMappingsInput; + output: ListStudioSessionMappingsOutput; + }; + sdk: { + input: ListStudioSessionMappingsCommandInput; + output: ListStudioSessionMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListStudiosCommand.ts b/clients/client-emr/src/commands/ListStudiosCommand.ts index 0e0f661df20a..a75e79a091e3 100644 --- a/clients/client-emr/src/commands/ListStudiosCommand.ts +++ b/clients/client-emr/src/commands/ListStudiosCommand.ts @@ -96,4 +96,16 @@ export class ListStudiosCommand extends $Command .f(void 0, void 0) .ser(se_ListStudiosCommand) .de(de_ListStudiosCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStudiosInput; + output: ListStudiosOutput; + }; + sdk: { + input: ListStudiosCommandInput; + output: ListStudiosCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ListSupportedInstanceTypesCommand.ts b/clients/client-emr/src/commands/ListSupportedInstanceTypesCommand.ts index a318375fbbfe..f42b591402a9 100644 --- a/clients/client-emr/src/commands/ListSupportedInstanceTypesCommand.ts +++ b/clients/client-emr/src/commands/ListSupportedInstanceTypesCommand.ts @@ -101,4 +101,16 @@ export class ListSupportedInstanceTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListSupportedInstanceTypesCommand) .de(de_ListSupportedInstanceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSupportedInstanceTypesInput; + output: ListSupportedInstanceTypesOutput; + }; + sdk: { + input: ListSupportedInstanceTypesCommandInput; + output: ListSupportedInstanceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ModifyClusterCommand.ts b/clients/client-emr/src/commands/ModifyClusterCommand.ts index 0410c084b1df..cee1d7b56a32 100644 --- a/clients/client-emr/src/commands/ModifyClusterCommand.ts +++ b/clients/client-emr/src/commands/ModifyClusterCommand.ts @@ -86,4 +86,16 @@ export class ModifyClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClusterCommand) .de(de_ModifyClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterInput; + output: ModifyClusterOutput; + }; + sdk: { + input: ModifyClusterCommandInput; + output: ModifyClusterCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ModifyInstanceFleetCommand.ts b/clients/client-emr/src/commands/ModifyInstanceFleetCommand.ts index 7ac07aa775c7..04bfa57bf38c 100644 --- a/clients/client-emr/src/commands/ModifyInstanceFleetCommand.ts +++ b/clients/client-emr/src/commands/ModifyInstanceFleetCommand.ts @@ -149,4 +149,16 @@ export class ModifyInstanceFleetCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceFleetCommand) .de(de_ModifyInstanceFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceFleetInput; + output: {}; + }; + sdk: { + input: ModifyInstanceFleetCommandInput; + output: ModifyInstanceFleetCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/ModifyInstanceGroupsCommand.ts b/clients/client-emr/src/commands/ModifyInstanceGroupsCommand.ts index 75570316f1dd..8c714867890f 100644 --- a/clients/client-emr/src/commands/ModifyInstanceGroupsCommand.ts +++ b/clients/client-emr/src/commands/ModifyInstanceGroupsCommand.ts @@ -120,4 +120,16 @@ export class ModifyInstanceGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ModifyInstanceGroupsCommand) .de(de_ModifyInstanceGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyInstanceGroupsInput; + output: {}; + }; + sdk: { + input: ModifyInstanceGroupsCommandInput; + output: ModifyInstanceGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/PutAutoScalingPolicyCommand.ts b/clients/client-emr/src/commands/PutAutoScalingPolicyCommand.ts index ebd195406889..813f9ba7d7fa 100644 --- a/clients/client-emr/src/commands/PutAutoScalingPolicyCommand.ts +++ b/clients/client-emr/src/commands/PutAutoScalingPolicyCommand.ts @@ -166,4 +166,16 @@ export class PutAutoScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutAutoScalingPolicyCommand) .de(de_PutAutoScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAutoScalingPolicyInput; + output: PutAutoScalingPolicyOutput; + }; + sdk: { + input: PutAutoScalingPolicyCommandInput; + output: PutAutoScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/PutAutoTerminationPolicyCommand.ts b/clients/client-emr/src/commands/PutAutoTerminationPolicyCommand.ts index de02a63b44e5..30df6227df32 100644 --- a/clients/client-emr/src/commands/PutAutoTerminationPolicyCommand.ts +++ b/clients/client-emr/src/commands/PutAutoTerminationPolicyCommand.ts @@ -86,4 +86,16 @@ export class PutAutoTerminationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutAutoTerminationPolicyCommand) .de(de_PutAutoTerminationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAutoTerminationPolicyInput; + output: {}; + }; + sdk: { + input: PutAutoTerminationPolicyCommandInput; + output: PutAutoTerminationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/PutBlockPublicAccessConfigurationCommand.ts b/clients/client-emr/src/commands/PutBlockPublicAccessConfigurationCommand.ts index 9ac84b93d351..8b6c02596f67 100644 --- a/clients/client-emr/src/commands/PutBlockPublicAccessConfigurationCommand.ts +++ b/clients/client-emr/src/commands/PutBlockPublicAccessConfigurationCommand.ts @@ -117,4 +117,16 @@ export class PutBlockPublicAccessConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBlockPublicAccessConfigurationCommand) .de(de_PutBlockPublicAccessConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBlockPublicAccessConfigurationInput; + output: {}; + }; + sdk: { + input: PutBlockPublicAccessConfigurationCommandInput; + output: PutBlockPublicAccessConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/PutManagedScalingPolicyCommand.ts b/clients/client-emr/src/commands/PutManagedScalingPolicyCommand.ts index 43199509bd06..987a2f5b6ddb 100644 --- a/clients/client-emr/src/commands/PutManagedScalingPolicyCommand.ts +++ b/clients/client-emr/src/commands/PutManagedScalingPolicyCommand.ts @@ -87,4 +87,16 @@ export class PutManagedScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutManagedScalingPolicyCommand) .de(de_PutManagedScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutManagedScalingPolicyInput; + output: {}; + }; + sdk: { + input: PutManagedScalingPolicyCommandInput; + output: PutManagedScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/RemoveAutoScalingPolicyCommand.ts b/clients/client-emr/src/commands/RemoveAutoScalingPolicyCommand.ts index 99fba1a27cf6..aef04782793a 100644 --- a/clients/client-emr/src/commands/RemoveAutoScalingPolicyCommand.ts +++ b/clients/client-emr/src/commands/RemoveAutoScalingPolicyCommand.ts @@ -76,4 +76,16 @@ export class RemoveAutoScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_RemoveAutoScalingPolicyCommand) .de(de_RemoveAutoScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAutoScalingPolicyInput; + output: {}; + }; + sdk: { + input: RemoveAutoScalingPolicyCommandInput; + output: RemoveAutoScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/RemoveAutoTerminationPolicyCommand.ts b/clients/client-emr/src/commands/RemoveAutoTerminationPolicyCommand.ts index 44367b014392..1909cd24bbc1 100644 --- a/clients/client-emr/src/commands/RemoveAutoTerminationPolicyCommand.ts +++ b/clients/client-emr/src/commands/RemoveAutoTerminationPolicyCommand.ts @@ -75,4 +75,16 @@ export class RemoveAutoTerminationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_RemoveAutoTerminationPolicyCommand) .de(de_RemoveAutoTerminationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAutoTerminationPolicyInput; + output: {}; + }; + sdk: { + input: RemoveAutoTerminationPolicyCommandInput; + output: RemoveAutoTerminationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/RemoveManagedScalingPolicyCommand.ts b/clients/client-emr/src/commands/RemoveManagedScalingPolicyCommand.ts index 23e9e1c3da26..5e8495d87ade 100644 --- a/clients/client-emr/src/commands/RemoveManagedScalingPolicyCommand.ts +++ b/clients/client-emr/src/commands/RemoveManagedScalingPolicyCommand.ts @@ -75,4 +75,16 @@ export class RemoveManagedScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_RemoveManagedScalingPolicyCommand) .de(de_RemoveManagedScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveManagedScalingPolicyInput; + output: {}; + }; + sdk: { + input: RemoveManagedScalingPolicyCommandInput; + output: RemoveManagedScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/RemoveTagsCommand.ts b/clients/client-emr/src/commands/RemoveTagsCommand.ts index f3fd15196bca..0ffaea662a98 100644 --- a/clients/client-emr/src/commands/RemoveTagsCommand.ts +++ b/clients/client-emr/src/commands/RemoveTagsCommand.ts @@ -89,4 +89,16 @@ export class RemoveTagsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsCommand) .de(de_RemoveTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsInput; + output: {}; + }; + sdk: { + input: RemoveTagsCommandInput; + output: RemoveTagsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/RunJobFlowCommand.ts b/clients/client-emr/src/commands/RunJobFlowCommand.ts index 21f5cbe623ff..7c189b1472af 100644 --- a/clients/client-emr/src/commands/RunJobFlowCommand.ts +++ b/clients/client-emr/src/commands/RunJobFlowCommand.ts @@ -377,4 +377,16 @@ export class RunJobFlowCommand extends $Command .f(void 0, void 0) .ser(se_RunJobFlowCommand) .de(de_RunJobFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RunJobFlowInput; + output: RunJobFlowOutput; + }; + sdk: { + input: RunJobFlowCommandInput; + output: RunJobFlowCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/SetKeepJobFlowAliveWhenNoStepsCommand.ts b/clients/client-emr/src/commands/SetKeepJobFlowAliveWhenNoStepsCommand.ts index 8ebaa9dbc8e3..71473e8a7b7f 100644 --- a/clients/client-emr/src/commands/SetKeepJobFlowAliveWhenNoStepsCommand.ts +++ b/clients/client-emr/src/commands/SetKeepJobFlowAliveWhenNoStepsCommand.ts @@ -88,4 +88,16 @@ export class SetKeepJobFlowAliveWhenNoStepsCommand extends $Command .f(void 0, void 0) .ser(se_SetKeepJobFlowAliveWhenNoStepsCommand) .de(de_SetKeepJobFlowAliveWhenNoStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetKeepJobFlowAliveWhenNoStepsInput; + output: {}; + }; + sdk: { + input: SetKeepJobFlowAliveWhenNoStepsCommandInput; + output: SetKeepJobFlowAliveWhenNoStepsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/SetTerminationProtectionCommand.ts b/clients/client-emr/src/commands/SetTerminationProtectionCommand.ts index a6904190f2b9..fe486c4d2626 100644 --- a/clients/client-emr/src/commands/SetTerminationProtectionCommand.ts +++ b/clients/client-emr/src/commands/SetTerminationProtectionCommand.ts @@ -98,4 +98,16 @@ export class SetTerminationProtectionCommand extends $Command .f(void 0, void 0) .ser(se_SetTerminationProtectionCommand) .de(de_SetTerminationProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTerminationProtectionInput; + output: {}; + }; + sdk: { + input: SetTerminationProtectionCommandInput; + output: SetTerminationProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/SetUnhealthyNodeReplacementCommand.ts b/clients/client-emr/src/commands/SetUnhealthyNodeReplacementCommand.ts index 188ffc34b0ee..e1232e67095b 100644 --- a/clients/client-emr/src/commands/SetUnhealthyNodeReplacementCommand.ts +++ b/clients/client-emr/src/commands/SetUnhealthyNodeReplacementCommand.ts @@ -93,4 +93,16 @@ export class SetUnhealthyNodeReplacementCommand extends $Command .f(void 0, void 0) .ser(se_SetUnhealthyNodeReplacementCommand) .de(de_SetUnhealthyNodeReplacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetUnhealthyNodeReplacementInput; + output: {}; + }; + sdk: { + input: SetUnhealthyNodeReplacementCommandInput; + output: SetUnhealthyNodeReplacementCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/SetVisibleToAllUsersCommand.ts b/clients/client-emr/src/commands/SetVisibleToAllUsersCommand.ts index 3713c490f984..9289ea6e44e3 100644 --- a/clients/client-emr/src/commands/SetVisibleToAllUsersCommand.ts +++ b/clients/client-emr/src/commands/SetVisibleToAllUsersCommand.ts @@ -94,4 +94,16 @@ export class SetVisibleToAllUsersCommand extends $Command .f(void 0, void 0) .ser(se_SetVisibleToAllUsersCommand) .de(de_SetVisibleToAllUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetVisibleToAllUsersInput; + output: {}; + }; + sdk: { + input: SetVisibleToAllUsersCommandInput; + output: SetVisibleToAllUsersCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/StartNotebookExecutionCommand.ts b/clients/client-emr/src/commands/StartNotebookExecutionCommand.ts index e10cc6f99bf3..dcd29ceb130f 100644 --- a/clients/client-emr/src/commands/StartNotebookExecutionCommand.ts +++ b/clients/client-emr/src/commands/StartNotebookExecutionCommand.ts @@ -113,4 +113,16 @@ export class StartNotebookExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartNotebookExecutionCommand) .de(de_StartNotebookExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartNotebookExecutionInput; + output: StartNotebookExecutionOutput; + }; + sdk: { + input: StartNotebookExecutionCommandInput; + output: StartNotebookExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/StopNotebookExecutionCommand.ts b/clients/client-emr/src/commands/StopNotebookExecutionCommand.ts index 43217ffc0be2..2936be4be13d 100644 --- a/clients/client-emr/src/commands/StopNotebookExecutionCommand.ts +++ b/clients/client-emr/src/commands/StopNotebookExecutionCommand.ts @@ -82,4 +82,16 @@ export class StopNotebookExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StopNotebookExecutionCommand) .de(de_StopNotebookExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopNotebookExecutionInput; + output: {}; + }; + sdk: { + input: StopNotebookExecutionCommandInput; + output: StopNotebookExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/TerminateJobFlowsCommand.ts b/clients/client-emr/src/commands/TerminateJobFlowsCommand.ts index e23d19249ea1..69e3a9da8f3f 100644 --- a/clients/client-emr/src/commands/TerminateJobFlowsCommand.ts +++ b/clients/client-emr/src/commands/TerminateJobFlowsCommand.ts @@ -87,4 +87,16 @@ export class TerminateJobFlowsCommand extends $Command .f(void 0, void 0) .ser(se_TerminateJobFlowsCommand) .de(de_TerminateJobFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateJobFlowsInput; + output: {}; + }; + sdk: { + input: TerminateJobFlowsCommandInput; + output: TerminateJobFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/UpdateStudioCommand.ts b/clients/client-emr/src/commands/UpdateStudioCommand.ts index 3444a5521771..fb3ba1cb8930 100644 --- a/clients/client-emr/src/commands/UpdateStudioCommand.ts +++ b/clients/client-emr/src/commands/UpdateStudioCommand.ts @@ -90,4 +90,16 @@ export class UpdateStudioCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStudioCommand) .de(de_UpdateStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStudioInput; + output: {}; + }; + sdk: { + input: UpdateStudioCommandInput; + output: UpdateStudioCommandOutput; + }; + }; +} diff --git a/clients/client-emr/src/commands/UpdateStudioSessionMappingCommand.ts b/clients/client-emr/src/commands/UpdateStudioSessionMappingCommand.ts index 46f476068d78..f977304e793c 100644 --- a/clients/client-emr/src/commands/UpdateStudioSessionMappingCommand.ts +++ b/clients/client-emr/src/commands/UpdateStudioSessionMappingCommand.ts @@ -86,4 +86,16 @@ export class UpdateStudioSessionMappingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStudioSessionMappingCommand) .de(de_UpdateStudioSessionMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStudioSessionMappingInput; + output: {}; + }; + sdk: { + input: UpdateStudioSessionMappingCommandInput; + output: UpdateStudioSessionMappingCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/package.json b/clients/client-entityresolution/package.json index 39ec0bec6501..fadbac9a873d 100644 --- a/clients/client-entityresolution/package.json +++ b/clients/client-entityresolution/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-entityresolution/src/commands/AddPolicyStatementCommand.ts b/clients/client-entityresolution/src/commands/AddPolicyStatementCommand.ts index e33193ac7603..a27059523d3c 100644 --- a/clients/client-entityresolution/src/commands/AddPolicyStatementCommand.ts +++ b/clients/client-entityresolution/src/commands/AddPolicyStatementCommand.ts @@ -110,4 +110,16 @@ export class AddPolicyStatementCommand extends $Command .f(void 0, void 0) .ser(se_AddPolicyStatementCommand) .de(de_AddPolicyStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddPolicyStatementInput; + output: AddPolicyStatementOutput; + }; + sdk: { + input: AddPolicyStatementCommandInput; + output: AddPolicyStatementCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/BatchDeleteUniqueIdCommand.ts b/clients/client-entityresolution/src/commands/BatchDeleteUniqueIdCommand.ts index 2356890aeb18..0170aff3d4b4 100644 --- a/clients/client-entityresolution/src/commands/BatchDeleteUniqueIdCommand.ts +++ b/clients/client-entityresolution/src/commands/BatchDeleteUniqueIdCommand.ts @@ -105,4 +105,16 @@ export class BatchDeleteUniqueIdCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteUniqueIdCommand) .de(de_BatchDeleteUniqueIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteUniqueIdInput; + output: BatchDeleteUniqueIdOutput; + }; + sdk: { + input: BatchDeleteUniqueIdCommandInput; + output: BatchDeleteUniqueIdCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/CreateIdMappingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/CreateIdMappingWorkflowCommand.ts index 9cd2a019a1f4..2110d8973ce1 100644 --- a/clients/client-entityresolution/src/commands/CreateIdMappingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/CreateIdMappingWorkflowCommand.ts @@ -183,4 +183,16 @@ export class CreateIdMappingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_CreateIdMappingWorkflowCommand) .de(de_CreateIdMappingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdMappingWorkflowInput; + output: CreateIdMappingWorkflowOutput; + }; + sdk: { + input: CreateIdMappingWorkflowCommandInput; + output: CreateIdMappingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/CreateIdNamespaceCommand.ts b/clients/client-entityresolution/src/commands/CreateIdNamespaceCommand.ts index 52db71a0ec36..82a0ff85d11b 100644 --- a/clients/client-entityresolution/src/commands/CreateIdNamespaceCommand.ts +++ b/clients/client-entityresolution/src/commands/CreateIdNamespaceCommand.ts @@ -181,4 +181,16 @@ export class CreateIdNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateIdNamespaceCommand) .de(de_CreateIdNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdNamespaceInput; + output: CreateIdNamespaceOutput; + }; + sdk: { + input: CreateIdNamespaceCommandInput; + output: CreateIdNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/CreateMatchingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/CreateMatchingWorkflowCommand.ts index e408a2469f63..156c3d125732 100644 --- a/clients/client-entityresolution/src/commands/CreateMatchingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/CreateMatchingWorkflowCommand.ts @@ -201,4 +201,16 @@ export class CreateMatchingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_CreateMatchingWorkflowCommand) .de(de_CreateMatchingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMatchingWorkflowInput; + output: CreateMatchingWorkflowOutput; + }; + sdk: { + input: CreateMatchingWorkflowCommandInput; + output: CreateMatchingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/CreateSchemaMappingCommand.ts b/clients/client-entityresolution/src/commands/CreateSchemaMappingCommand.ts index 148590154b0c..09ff8ef59b21 100644 --- a/clients/client-entityresolution/src/commands/CreateSchemaMappingCommand.ts +++ b/clients/client-entityresolution/src/commands/CreateSchemaMappingCommand.ts @@ -128,4 +128,16 @@ export class CreateSchemaMappingCommand extends $Command .f(void 0, void 0) .ser(se_CreateSchemaMappingCommand) .de(de_CreateSchemaMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSchemaMappingInput; + output: CreateSchemaMappingOutput; + }; + sdk: { + input: CreateSchemaMappingCommandInput; + output: CreateSchemaMappingCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/DeleteIdMappingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/DeleteIdMappingWorkflowCommand.ts index 4e3a269a593f..d898bd7b6658 100644 --- a/clients/client-entityresolution/src/commands/DeleteIdMappingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/DeleteIdMappingWorkflowCommand.ts @@ -96,4 +96,16 @@ export class DeleteIdMappingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdMappingWorkflowCommand) .de(de_DeleteIdMappingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdMappingWorkflowInput; + output: DeleteIdMappingWorkflowOutput; + }; + sdk: { + input: DeleteIdMappingWorkflowCommandInput; + output: DeleteIdMappingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/DeleteIdNamespaceCommand.ts b/clients/client-entityresolution/src/commands/DeleteIdNamespaceCommand.ts index c52901f8ecb4..34c546458acc 100644 --- a/clients/client-entityresolution/src/commands/DeleteIdNamespaceCommand.ts +++ b/clients/client-entityresolution/src/commands/DeleteIdNamespaceCommand.ts @@ -90,4 +90,16 @@ export class DeleteIdNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdNamespaceCommand) .de(de_DeleteIdNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdNamespaceInput; + output: DeleteIdNamespaceOutput; + }; + sdk: { + input: DeleteIdNamespaceCommandInput; + output: DeleteIdNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/DeleteMatchingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/DeleteMatchingWorkflowCommand.ts index ecc148c20f11..d56a333c9de3 100644 --- a/clients/client-entityresolution/src/commands/DeleteMatchingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/DeleteMatchingWorkflowCommand.ts @@ -96,4 +96,16 @@ export class DeleteMatchingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMatchingWorkflowCommand) .de(de_DeleteMatchingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMatchingWorkflowInput; + output: DeleteMatchingWorkflowOutput; + }; + sdk: { + input: DeleteMatchingWorkflowCommandInput; + output: DeleteMatchingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/DeletePolicyStatementCommand.ts b/clients/client-entityresolution/src/commands/DeletePolicyStatementCommand.ts index a884d1eba3b4..c9c81ca618fb 100644 --- a/clients/client-entityresolution/src/commands/DeletePolicyStatementCommand.ts +++ b/clients/client-entityresolution/src/commands/DeletePolicyStatementCommand.ts @@ -101,4 +101,16 @@ export class DeletePolicyStatementCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyStatementCommand) .de(de_DeletePolicyStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyStatementInput; + output: DeletePolicyStatementOutput; + }; + sdk: { + input: DeletePolicyStatementCommandInput; + output: DeletePolicyStatementCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/DeleteSchemaMappingCommand.ts b/clients/client-entityresolution/src/commands/DeleteSchemaMappingCommand.ts index 8a35e9873d7b..1d721ea1160b 100644 --- a/clients/client-entityresolution/src/commands/DeleteSchemaMappingCommand.ts +++ b/clients/client-entityresolution/src/commands/DeleteSchemaMappingCommand.ts @@ -98,4 +98,16 @@ export class DeleteSchemaMappingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchemaMappingCommand) .de(de_DeleteSchemaMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchemaMappingInput; + output: DeleteSchemaMappingOutput; + }; + sdk: { + input: DeleteSchemaMappingCommandInput; + output: DeleteSchemaMappingCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetIdMappingJobCommand.ts b/clients/client-entityresolution/src/commands/GetIdMappingJobCommand.ts index aa27f7029078..674c8b1ef97d 100644 --- a/clients/client-entityresolution/src/commands/GetIdMappingJobCommand.ts +++ b/clients/client-entityresolution/src/commands/GetIdMappingJobCommand.ts @@ -116,4 +116,16 @@ export class GetIdMappingJobCommand extends $Command .f(void 0, void 0) .ser(se_GetIdMappingJobCommand) .de(de_GetIdMappingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdMappingJobInput; + output: GetIdMappingJobOutput; + }; + sdk: { + input: GetIdMappingJobCommandInput; + output: GetIdMappingJobCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetIdMappingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/GetIdMappingWorkflowCommand.ts index 65363bf79834..edabd6fdb089 100644 --- a/clients/client-entityresolution/src/commands/GetIdMappingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/GetIdMappingWorkflowCommand.ts @@ -137,4 +137,16 @@ export class GetIdMappingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_GetIdMappingWorkflowCommand) .de(de_GetIdMappingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdMappingWorkflowInput; + output: GetIdMappingWorkflowOutput; + }; + sdk: { + input: GetIdMappingWorkflowCommandInput; + output: GetIdMappingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetIdNamespaceCommand.ts b/clients/client-entityresolution/src/commands/GetIdNamespaceCommand.ts index f5b3a2a5fccb..05f6ddf821ef 100644 --- a/clients/client-entityresolution/src/commands/GetIdNamespaceCommand.ts +++ b/clients/client-entityresolution/src/commands/GetIdNamespaceCommand.ts @@ -134,4 +134,16 @@ export class GetIdNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_GetIdNamespaceCommand) .de(de_GetIdNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdNamespaceInput; + output: GetIdNamespaceOutput; + }; + sdk: { + input: GetIdNamespaceCommandInput; + output: GetIdNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetMatchIdCommand.ts b/clients/client-entityresolution/src/commands/GetMatchIdCommand.ts index f2253ce55db3..e51ec97a6204 100644 --- a/clients/client-entityresolution/src/commands/GetMatchIdCommand.ts +++ b/clients/client-entityresolution/src/commands/GetMatchIdCommand.ts @@ -99,4 +99,16 @@ export class GetMatchIdCommand extends $Command .f(GetMatchIdInputFilterSensitiveLog, void 0) .ser(se_GetMatchIdCommand) .de(de_GetMatchIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMatchIdInput; + output: GetMatchIdOutput; + }; + sdk: { + input: GetMatchIdCommandInput; + output: GetMatchIdCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetMatchingJobCommand.ts b/clients/client-entityresolution/src/commands/GetMatchingJobCommand.ts index ce2893dc284f..c6580bc19923 100644 --- a/clients/client-entityresolution/src/commands/GetMatchingJobCommand.ts +++ b/clients/client-entityresolution/src/commands/GetMatchingJobCommand.ts @@ -114,4 +114,16 @@ export class GetMatchingJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMatchingJobCommand) .de(de_GetMatchingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMatchingJobInput; + output: GetMatchingJobOutput; + }; + sdk: { + input: GetMatchingJobCommandInput; + output: GetMatchingJobCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetMatchingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/GetMatchingWorkflowCommand.ts index 9884dcd78972..a17ef0cd5090 100644 --- a/clients/client-entityresolution/src/commands/GetMatchingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/GetMatchingWorkflowCommand.ts @@ -146,4 +146,16 @@ export class GetMatchingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_GetMatchingWorkflowCommand) .de(de_GetMatchingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMatchingWorkflowInput; + output: GetMatchingWorkflowOutput; + }; + sdk: { + input: GetMatchingWorkflowCommandInput; + output: GetMatchingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetPolicyCommand.ts b/clients/client-entityresolution/src/commands/GetPolicyCommand.ts index 0da99de27cb8..626ed112dc9d 100644 --- a/clients/client-entityresolution/src/commands/GetPolicyCommand.ts +++ b/clients/client-entityresolution/src/commands/GetPolicyCommand.ts @@ -95,4 +95,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyInput; + output: GetPolicyOutput; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetProviderServiceCommand.ts b/clients/client-entityresolution/src/commands/GetProviderServiceCommand.ts index 006933344b9c..52cb3eadc1aa 100644 --- a/clients/client-entityresolution/src/commands/GetProviderServiceCommand.ts +++ b/clients/client-entityresolution/src/commands/GetProviderServiceCommand.ts @@ -138,4 +138,16 @@ export class GetProviderServiceCommand extends $Command .f(void 0, void 0) .ser(se_GetProviderServiceCommand) .de(de_GetProviderServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProviderServiceInput; + output: GetProviderServiceOutput; + }; + sdk: { + input: GetProviderServiceCommandInput; + output: GetProviderServiceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/GetSchemaMappingCommand.ts b/clients/client-entityresolution/src/commands/GetSchemaMappingCommand.ts index e640b88582ea..b6ded111a8c5 100644 --- a/clients/client-entityresolution/src/commands/GetSchemaMappingCommand.ts +++ b/clients/client-entityresolution/src/commands/GetSchemaMappingCommand.ts @@ -111,4 +111,16 @@ export class GetSchemaMappingCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaMappingCommand) .de(de_GetSchemaMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaMappingInput; + output: GetSchemaMappingOutput; + }; + sdk: { + input: GetSchemaMappingCommandInput; + output: GetSchemaMappingCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListIdMappingJobsCommand.ts b/clients/client-entityresolution/src/commands/ListIdMappingJobsCommand.ts index 889f80a54335..338d493f130c 100644 --- a/clients/client-entityresolution/src/commands/ListIdMappingJobsCommand.ts +++ b/clients/client-entityresolution/src/commands/ListIdMappingJobsCommand.ts @@ -103,4 +103,16 @@ export class ListIdMappingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListIdMappingJobsCommand) .de(de_ListIdMappingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdMappingJobsInput; + output: ListIdMappingJobsOutput; + }; + sdk: { + input: ListIdMappingJobsCommandInput; + output: ListIdMappingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListIdMappingWorkflowsCommand.ts b/clients/client-entityresolution/src/commands/ListIdMappingWorkflowsCommand.ts index f26b31595984..bb2d86400c91 100644 --- a/clients/client-entityresolution/src/commands/ListIdMappingWorkflowsCommand.ts +++ b/clients/client-entityresolution/src/commands/ListIdMappingWorkflowsCommand.ts @@ -100,4 +100,16 @@ export class ListIdMappingWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListIdMappingWorkflowsCommand) .de(de_ListIdMappingWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdMappingWorkflowsInput; + output: ListIdMappingWorkflowsOutput; + }; + sdk: { + input: ListIdMappingWorkflowsCommandInput; + output: ListIdMappingWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListIdNamespacesCommand.ts b/clients/client-entityresolution/src/commands/ListIdNamespacesCommand.ts index 46a7a4958ce7..fc2353992d87 100644 --- a/clients/client-entityresolution/src/commands/ListIdNamespacesCommand.ts +++ b/clients/client-entityresolution/src/commands/ListIdNamespacesCommand.ts @@ -106,4 +106,16 @@ export class ListIdNamespacesCommand extends $Command .f(void 0, void 0) .ser(se_ListIdNamespacesCommand) .de(de_ListIdNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdNamespacesInput; + output: ListIdNamespacesOutput; + }; + sdk: { + input: ListIdNamespacesCommandInput; + output: ListIdNamespacesCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListMatchingJobsCommand.ts b/clients/client-entityresolution/src/commands/ListMatchingJobsCommand.ts index 7883fd6d87f2..b253e9eb16a1 100644 --- a/clients/client-entityresolution/src/commands/ListMatchingJobsCommand.ts +++ b/clients/client-entityresolution/src/commands/ListMatchingJobsCommand.ts @@ -103,4 +103,16 @@ export class ListMatchingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMatchingJobsCommand) .de(de_ListMatchingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMatchingJobsInput; + output: ListMatchingJobsOutput; + }; + sdk: { + input: ListMatchingJobsCommandInput; + output: ListMatchingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListMatchingWorkflowsCommand.ts b/clients/client-entityresolution/src/commands/ListMatchingWorkflowsCommand.ts index dfbcbae1da78..7797bb5031cc 100644 --- a/clients/client-entityresolution/src/commands/ListMatchingWorkflowsCommand.ts +++ b/clients/client-entityresolution/src/commands/ListMatchingWorkflowsCommand.ts @@ -101,4 +101,16 @@ export class ListMatchingWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListMatchingWorkflowsCommand) .de(de_ListMatchingWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMatchingWorkflowsInput; + output: ListMatchingWorkflowsOutput; + }; + sdk: { + input: ListMatchingWorkflowsCommandInput; + output: ListMatchingWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListProviderServicesCommand.ts b/clients/client-entityresolution/src/commands/ListProviderServicesCommand.ts index 69a818b2cc1a..4f5040aae1e0 100644 --- a/clients/client-entityresolution/src/commands/ListProviderServicesCommand.ts +++ b/clients/client-entityresolution/src/commands/ListProviderServicesCommand.ts @@ -102,4 +102,16 @@ export class ListProviderServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListProviderServicesCommand) .de(de_ListProviderServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProviderServicesInput; + output: ListProviderServicesOutput; + }; + sdk: { + input: ListProviderServicesCommandInput; + output: ListProviderServicesCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListSchemaMappingsCommand.ts b/clients/client-entityresolution/src/commands/ListSchemaMappingsCommand.ts index 44f464242929..94090ca9f556 100644 --- a/clients/client-entityresolution/src/commands/ListSchemaMappingsCommand.ts +++ b/clients/client-entityresolution/src/commands/ListSchemaMappingsCommand.ts @@ -101,4 +101,16 @@ export class ListSchemaMappingsCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemaMappingsCommand) .de(de_ListSchemaMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemaMappingsInput; + output: ListSchemaMappingsOutput; + }; + sdk: { + input: ListSchemaMappingsCommandInput; + output: ListSchemaMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/ListTagsForResourceCommand.ts b/clients/client-entityresolution/src/commands/ListTagsForResourceCommand.ts index c62b92c79003..1b9cc6cdb4d1 100644 --- a/clients/client-entityresolution/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-entityresolution/src/commands/ListTagsForResourceCommand.ts @@ -90,4 +90,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/PutPolicyCommand.ts b/clients/client-entityresolution/src/commands/PutPolicyCommand.ts index d89833a22c89..301b4af711f4 100644 --- a/clients/client-entityresolution/src/commands/PutPolicyCommand.ts +++ b/clients/client-entityresolution/src/commands/PutPolicyCommand.ts @@ -102,4 +102,16 @@ export class PutPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutPolicyCommand) .de(de_PutPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPolicyInput; + output: PutPolicyOutput; + }; + sdk: { + input: PutPolicyCommandInput; + output: PutPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/StartIdMappingJobCommand.ts b/clients/client-entityresolution/src/commands/StartIdMappingJobCommand.ts index 48023103aff5..acf2360633a2 100644 --- a/clients/client-entityresolution/src/commands/StartIdMappingJobCommand.ts +++ b/clients/client-entityresolution/src/commands/StartIdMappingJobCommand.ts @@ -118,4 +118,16 @@ export class StartIdMappingJobCommand extends $Command .f(void 0, void 0) .ser(se_StartIdMappingJobCommand) .de(de_StartIdMappingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartIdMappingJobInput; + output: StartIdMappingJobOutput; + }; + sdk: { + input: StartIdMappingJobCommandInput; + output: StartIdMappingJobCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/StartMatchingJobCommand.ts b/clients/client-entityresolution/src/commands/StartMatchingJobCommand.ts index d2b22b9aac69..ff8395001b32 100644 --- a/clients/client-entityresolution/src/commands/StartMatchingJobCommand.ts +++ b/clients/client-entityresolution/src/commands/StartMatchingJobCommand.ts @@ -104,4 +104,16 @@ export class StartMatchingJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMatchingJobCommand) .de(de_StartMatchingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMatchingJobInput; + output: StartMatchingJobOutput; + }; + sdk: { + input: StartMatchingJobCommandInput; + output: StartMatchingJobCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/TagResourceCommand.ts b/clients/client-entityresolution/src/commands/TagResourceCommand.ts index 0097f78adcea..e9264dfbb41c 100644 --- a/clients/client-entityresolution/src/commands/TagResourceCommand.ts +++ b/clients/client-entityresolution/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/UntagResourceCommand.ts b/clients/client-entityresolution/src/commands/UntagResourceCommand.ts index ffd286bc8f23..5bc6bf614aae 100644 --- a/clients/client-entityresolution/src/commands/UntagResourceCommand.ts +++ b/clients/client-entityresolution/src/commands/UntagResourceCommand.ts @@ -86,4 +86,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/UpdateIdMappingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/UpdateIdMappingWorkflowCommand.ts index 1dc6baeac4e6..147a13ec5ba3 100644 --- a/clients/client-entityresolution/src/commands/UpdateIdMappingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/UpdateIdMappingWorkflowCommand.ts @@ -173,4 +173,16 @@ export class UpdateIdMappingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdMappingWorkflowCommand) .de(de_UpdateIdMappingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdMappingWorkflowInput; + output: UpdateIdMappingWorkflowOutput; + }; + sdk: { + input: UpdateIdMappingWorkflowCommandInput; + output: UpdateIdMappingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/UpdateIdNamespaceCommand.ts b/clients/client-entityresolution/src/commands/UpdateIdNamespaceCommand.ts index af61a6946a65..b65a8a7b0615 100644 --- a/clients/client-entityresolution/src/commands/UpdateIdNamespaceCommand.ts +++ b/clients/client-entityresolution/src/commands/UpdateIdNamespaceCommand.ts @@ -165,4 +165,16 @@ export class UpdateIdNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdNamespaceCommand) .de(de_UpdateIdNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdNamespaceInput; + output: UpdateIdNamespaceOutput; + }; + sdk: { + input: UpdateIdNamespaceCommandInput; + output: UpdateIdNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/UpdateMatchingWorkflowCommand.ts b/clients/client-entityresolution/src/commands/UpdateMatchingWorkflowCommand.ts index f8576b35501a..1823fd09a5e2 100644 --- a/clients/client-entityresolution/src/commands/UpdateMatchingWorkflowCommand.ts +++ b/clients/client-entityresolution/src/commands/UpdateMatchingWorkflowCommand.ts @@ -190,4 +190,16 @@ export class UpdateMatchingWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMatchingWorkflowCommand) .de(de_UpdateMatchingWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMatchingWorkflowInput; + output: UpdateMatchingWorkflowOutput; + }; + sdk: { + input: UpdateMatchingWorkflowCommandInput; + output: UpdateMatchingWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-entityresolution/src/commands/UpdateSchemaMappingCommand.ts b/clients/client-entityresolution/src/commands/UpdateSchemaMappingCommand.ts index 3ace07a39a18..b3b36a6dde7f 100644 --- a/clients/client-entityresolution/src/commands/UpdateSchemaMappingCommand.ts +++ b/clients/client-entityresolution/src/commands/UpdateSchemaMappingCommand.ts @@ -125,4 +125,16 @@ export class UpdateSchemaMappingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSchemaMappingCommand) .de(de_UpdateSchemaMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSchemaMappingInput; + output: UpdateSchemaMappingOutput; + }; + sdk: { + input: UpdateSchemaMappingCommandInput; + output: UpdateSchemaMappingCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/package.json b/clients/client-eventbridge/package.json index 6805618b69e1..5697f4f2e820 100644 --- a/clients/client-eventbridge/package.json +++ b/clients/client-eventbridge/package.json @@ -36,30 +36,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-eventbridge/src/commands/ActivateEventSourceCommand.ts b/clients/client-eventbridge/src/commands/ActivateEventSourceCommand.ts index 52ea35dc7325..ae1b69f79e46 100644 --- a/clients/client-eventbridge/src/commands/ActivateEventSourceCommand.ts +++ b/clients/client-eventbridge/src/commands/ActivateEventSourceCommand.ts @@ -91,4 +91,16 @@ export class ActivateEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_ActivateEventSourceCommand) .de(de_ActivateEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateEventSourceRequest; + output: {}; + }; + sdk: { + input: ActivateEventSourceCommandInput; + output: ActivateEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/CancelReplayCommand.ts b/clients/client-eventbridge/src/commands/CancelReplayCommand.ts index c27fbe9e1198..537b71b231fb 100644 --- a/clients/client-eventbridge/src/commands/CancelReplayCommand.ts +++ b/clients/client-eventbridge/src/commands/CancelReplayCommand.ts @@ -92,4 +92,16 @@ export class CancelReplayCommand extends $Command .f(void 0, void 0) .ser(se_CancelReplayCommand) .de(de_CancelReplayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelReplayRequest; + output: CancelReplayResponse; + }; + sdk: { + input: CancelReplayCommandInput; + output: CancelReplayCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/CreateApiDestinationCommand.ts b/clients/client-eventbridge/src/commands/CreateApiDestinationCommand.ts index 03282e7b055c..c5ed734f1eb7 100644 --- a/clients/client-eventbridge/src/commands/CreateApiDestinationCommand.ts +++ b/clients/client-eventbridge/src/commands/CreateApiDestinationCommand.ts @@ -103,4 +103,16 @@ export class CreateApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApiDestinationCommand) .de(de_CreateApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApiDestinationRequest; + output: CreateApiDestinationResponse; + }; + sdk: { + input: CreateApiDestinationCommandInput; + output: CreateApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/CreateArchiveCommand.ts b/clients/client-eventbridge/src/commands/CreateArchiveCommand.ts index 7c97765ae6cf..ea3453f73b62 100644 --- a/clients/client-eventbridge/src/commands/CreateArchiveCommand.ts +++ b/clients/client-eventbridge/src/commands/CreateArchiveCommand.ts @@ -130,4 +130,16 @@ export class CreateArchiveCommand extends $Command .f(void 0, void 0) .ser(se_CreateArchiveCommand) .de(de_CreateArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateArchiveRequest; + output: CreateArchiveResponse; + }; + sdk: { + input: CreateArchiveCommandInput; + output: CreateArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/CreateConnectionCommand.ts b/clients/client-eventbridge/src/commands/CreateConnectionCommand.ts index b492f5dfd06d..c0036f94cb8c 100644 --- a/clients/client-eventbridge/src/commands/CreateConnectionCommand.ts +++ b/clients/client-eventbridge/src/commands/CreateConnectionCommand.ts @@ -161,4 +161,16 @@ export class CreateConnectionCommand extends $Command .f(CreateConnectionRequestFilterSensitiveLog, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionRequest; + output: CreateConnectionResponse; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/CreateEndpointCommand.ts b/clients/client-eventbridge/src/commands/CreateEndpointCommand.ts index 3399aba4d9ce..b43e969fa8c0 100644 --- a/clients/client-eventbridge/src/commands/CreateEndpointCommand.ts +++ b/clients/client-eventbridge/src/commands/CreateEndpointCommand.ts @@ -133,4 +133,16 @@ export class CreateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointCommand) .de(de_CreateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointRequest; + output: CreateEndpointResponse; + }; + sdk: { + input: CreateEndpointCommandInput; + output: CreateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/CreateEventBusCommand.ts b/clients/client-eventbridge/src/commands/CreateEventBusCommand.ts index 1e1ba613894a..79ba75743165 100644 --- a/clients/client-eventbridge/src/commands/CreateEventBusCommand.ts +++ b/clients/client-eventbridge/src/commands/CreateEventBusCommand.ts @@ -118,4 +118,16 @@ export class CreateEventBusCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventBusCommand) .de(de_CreateEventBusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventBusRequest; + output: CreateEventBusResponse; + }; + sdk: { + input: CreateEventBusCommandInput; + output: CreateEventBusCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/CreatePartnerEventSourceCommand.ts b/clients/client-eventbridge/src/commands/CreatePartnerEventSourceCommand.ts index 36b3a755e2fc..1cde082175f1 100644 --- a/clients/client-eventbridge/src/commands/CreatePartnerEventSourceCommand.ts +++ b/clients/client-eventbridge/src/commands/CreatePartnerEventSourceCommand.ts @@ -133,4 +133,16 @@ export class CreatePartnerEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreatePartnerEventSourceCommand) .de(de_CreatePartnerEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePartnerEventSourceRequest; + output: CreatePartnerEventSourceResponse; + }; + sdk: { + input: CreatePartnerEventSourceCommandInput; + output: CreatePartnerEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeactivateEventSourceCommand.ts b/clients/client-eventbridge/src/commands/DeactivateEventSourceCommand.ts index a987ba4f6c9c..ac97f46cb327 100644 --- a/clients/client-eventbridge/src/commands/DeactivateEventSourceCommand.ts +++ b/clients/client-eventbridge/src/commands/DeactivateEventSourceCommand.ts @@ -94,4 +94,16 @@ export class DeactivateEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateEventSourceCommand) .de(de_DeactivateEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateEventSourceRequest; + output: {}; + }; + sdk: { + input: DeactivateEventSourceCommandInput; + output: DeactivateEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeauthorizeConnectionCommand.ts b/clients/client-eventbridge/src/commands/DeauthorizeConnectionCommand.ts index 02e44f55c61b..782dd2950c08 100644 --- a/clients/client-eventbridge/src/commands/DeauthorizeConnectionCommand.ts +++ b/clients/client-eventbridge/src/commands/DeauthorizeConnectionCommand.ts @@ -91,4 +91,16 @@ export class DeauthorizeConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeauthorizeConnectionCommand) .de(de_DeauthorizeConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeauthorizeConnectionRequest; + output: DeauthorizeConnectionResponse; + }; + sdk: { + input: DeauthorizeConnectionCommandInput; + output: DeauthorizeConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeleteApiDestinationCommand.ts b/clients/client-eventbridge/src/commands/DeleteApiDestinationCommand.ts index 1a3471374ff0..ca6cfb72881d 100644 --- a/clients/client-eventbridge/src/commands/DeleteApiDestinationCommand.ts +++ b/clients/client-eventbridge/src/commands/DeleteApiDestinationCommand.ts @@ -84,4 +84,16 @@ export class DeleteApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApiDestinationCommand) .de(de_DeleteApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApiDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteApiDestinationCommandInput; + output: DeleteApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeleteArchiveCommand.ts b/clients/client-eventbridge/src/commands/DeleteArchiveCommand.ts index c3cf49c854d0..eea117d5a18b 100644 --- a/clients/client-eventbridge/src/commands/DeleteArchiveCommand.ts +++ b/clients/client-eventbridge/src/commands/DeleteArchiveCommand.ts @@ -84,4 +84,16 @@ export class DeleteArchiveCommand extends $Command .f(void 0, void 0) .ser(se_DeleteArchiveCommand) .de(de_DeleteArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteArchiveRequest; + output: {}; + }; + sdk: { + input: DeleteArchiveCommandInput; + output: DeleteArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeleteConnectionCommand.ts b/clients/client-eventbridge/src/commands/DeleteConnectionCommand.ts index 39782587fd65..1dec1cc24280 100644 --- a/clients/client-eventbridge/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-eventbridge/src/commands/DeleteConnectionCommand.ts @@ -90,4 +90,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRequest; + output: DeleteConnectionResponse; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeleteEndpointCommand.ts b/clients/client-eventbridge/src/commands/DeleteEndpointCommand.ts index a5141a57b9ba..d19a96ad343f 100644 --- a/clients/client-eventbridge/src/commands/DeleteEndpointCommand.ts +++ b/clients/client-eventbridge/src/commands/DeleteEndpointCommand.ts @@ -88,4 +88,16 @@ export class DeleteEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointCommand) .de(de_DeleteEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointRequest; + output: {}; + }; + sdk: { + input: DeleteEndpointCommandInput; + output: DeleteEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeleteEventBusCommand.ts b/clients/client-eventbridge/src/commands/DeleteEventBusCommand.ts index 3707e6ce8a73..c45ed273266e 100644 --- a/clients/client-eventbridge/src/commands/DeleteEventBusCommand.ts +++ b/clients/client-eventbridge/src/commands/DeleteEventBusCommand.ts @@ -82,4 +82,16 @@ export class DeleteEventBusCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventBusCommand) .de(de_DeleteEventBusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventBusRequest; + output: {}; + }; + sdk: { + input: DeleteEventBusCommandInput; + output: DeleteEventBusCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeletePartnerEventSourceCommand.ts b/clients/client-eventbridge/src/commands/DeletePartnerEventSourceCommand.ts index 3574ad95554a..839a6cb09110 100644 --- a/clients/client-eventbridge/src/commands/DeletePartnerEventSourceCommand.ts +++ b/clients/client-eventbridge/src/commands/DeletePartnerEventSourceCommand.ts @@ -89,4 +89,16 @@ export class DeletePartnerEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeletePartnerEventSourceCommand) .de(de_DeletePartnerEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePartnerEventSourceRequest; + output: {}; + }; + sdk: { + input: DeletePartnerEventSourceCommandInput; + output: DeletePartnerEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DeleteRuleCommand.ts b/clients/client-eventbridge/src/commands/DeleteRuleCommand.ts index 681fb12c062b..ff4f7ef4e58a 100644 --- a/clients/client-eventbridge/src/commands/DeleteRuleCommand.ts +++ b/clients/client-eventbridge/src/commands/DeleteRuleCommand.ts @@ -105,4 +105,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: {}; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeApiDestinationCommand.ts b/clients/client-eventbridge/src/commands/DescribeApiDestinationCommand.ts index d678d053af6c..2fd2dfb00c71 100644 --- a/clients/client-eventbridge/src/commands/DescribeApiDestinationCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeApiDestinationCommand.ts @@ -92,4 +92,16 @@ export class DescribeApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApiDestinationCommand) .de(de_DescribeApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApiDestinationRequest; + output: DescribeApiDestinationResponse; + }; + sdk: { + input: DescribeApiDestinationCommandInput; + output: DescribeApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeArchiveCommand.ts b/clients/client-eventbridge/src/commands/DescribeArchiveCommand.ts index a7dbbd3cce0d..ccbe4057981e 100644 --- a/clients/client-eventbridge/src/commands/DescribeArchiveCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeArchiveCommand.ts @@ -96,4 +96,16 @@ export class DescribeArchiveCommand extends $Command .f(void 0, void 0) .ser(se_DescribeArchiveCommand) .de(de_DescribeArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeArchiveRequest; + output: DescribeArchiveResponse; + }; + sdk: { + input: DescribeArchiveCommandInput; + output: DescribeArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeConnectionCommand.ts b/clients/client-eventbridge/src/commands/DescribeConnectionCommand.ts index cc3cde1d86bc..d21fe57ae9e1 100644 --- a/clients/client-eventbridge/src/commands/DescribeConnectionCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeConnectionCommand.ts @@ -157,4 +157,16 @@ export class DescribeConnectionCommand extends $Command .f(void 0, DescribeConnectionResponseFilterSensitiveLog) .ser(se_DescribeConnectionCommand) .de(de_DescribeConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionRequest; + output: DescribeConnectionResponse; + }; + sdk: { + input: DescribeConnectionCommandInput; + output: DescribeConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeEndpointCommand.ts b/clients/client-eventbridge/src/commands/DescribeEndpointCommand.ts index 4f9793658906..8917582aa5d5 100644 --- a/clients/client-eventbridge/src/commands/DescribeEndpointCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeEndpointCommand.ts @@ -116,4 +116,16 @@ export class DescribeEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointCommand) .de(de_DescribeEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointRequest; + output: DescribeEndpointResponse; + }; + sdk: { + input: DescribeEndpointCommandInput; + output: DescribeEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeEventBusCommand.ts b/clients/client-eventbridge/src/commands/DescribeEventBusCommand.ts index 13fe9037fec9..7b4e6929e26d 100644 --- a/clients/client-eventbridge/src/commands/DescribeEventBusCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeEventBusCommand.ts @@ -97,4 +97,16 @@ export class DescribeEventBusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventBusCommand) .de(de_DescribeEventBusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventBusRequest; + output: DescribeEventBusResponse; + }; + sdk: { + input: DescribeEventBusCommandInput; + output: DescribeEventBusCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeEventSourceCommand.ts b/clients/client-eventbridge/src/commands/DescribeEventSourceCommand.ts index cbc834f712cc..6d294a571384 100644 --- a/clients/client-eventbridge/src/commands/DescribeEventSourceCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeEventSourceCommand.ts @@ -92,4 +92,16 @@ export class DescribeEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSourceCommand) .de(de_DescribeEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventSourceRequest; + output: DescribeEventSourceResponse; + }; + sdk: { + input: DescribeEventSourceCommandInput; + output: DescribeEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribePartnerEventSourceCommand.ts b/clients/client-eventbridge/src/commands/DescribePartnerEventSourceCommand.ts index 11b09a98be7f..9e92a1ce7c03 100644 --- a/clients/client-eventbridge/src/commands/DescribePartnerEventSourceCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribePartnerEventSourceCommand.ts @@ -89,4 +89,16 @@ export class DescribePartnerEventSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribePartnerEventSourceCommand) .de(de_DescribePartnerEventSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePartnerEventSourceRequest; + output: DescribePartnerEventSourceResponse; + }; + sdk: { + input: DescribePartnerEventSourceCommandInput; + output: DescribePartnerEventSourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeReplayCommand.ts b/clients/client-eventbridge/src/commands/DescribeReplayCommand.ts index 7792d7298603..1eb986d9392c 100644 --- a/clients/client-eventbridge/src/commands/DescribeReplayCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeReplayCommand.ts @@ -107,4 +107,16 @@ export class DescribeReplayCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplayCommand) .de(de_DescribeReplayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplayRequest; + output: DescribeReplayResponse; + }; + sdk: { + input: DescribeReplayCommandInput; + output: DescribeReplayCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DescribeRuleCommand.ts b/clients/client-eventbridge/src/commands/DescribeRuleCommand.ts index 62bd249116c1..d8fc5fbbd004 100644 --- a/clients/client-eventbridge/src/commands/DescribeRuleCommand.ts +++ b/clients/client-eventbridge/src/commands/DescribeRuleCommand.ts @@ -95,4 +95,16 @@ export class DescribeRuleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuleCommand) .de(de_DescribeRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuleRequest; + output: DescribeRuleResponse; + }; + sdk: { + input: DescribeRuleCommandInput; + output: DescribeRuleCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/DisableRuleCommand.ts b/clients/client-eventbridge/src/commands/DisableRuleCommand.ts index 76dcb0ac18d2..e4fff248ad71 100644 --- a/clients/client-eventbridge/src/commands/DisableRuleCommand.ts +++ b/clients/client-eventbridge/src/commands/DisableRuleCommand.ts @@ -96,4 +96,16 @@ export class DisableRuleCommand extends $Command .f(void 0, void 0) .ser(se_DisableRuleCommand) .de(de_DisableRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableRuleRequest; + output: {}; + }; + sdk: { + input: DisableRuleCommandInput; + output: DisableRuleCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/EnableRuleCommand.ts b/clients/client-eventbridge/src/commands/EnableRuleCommand.ts index e424e248da40..2c3ec0c47e39 100644 --- a/clients/client-eventbridge/src/commands/EnableRuleCommand.ts +++ b/clients/client-eventbridge/src/commands/EnableRuleCommand.ts @@ -95,4 +95,16 @@ export class EnableRuleCommand extends $Command .f(void 0, void 0) .ser(se_EnableRuleCommand) .de(de_EnableRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableRuleRequest; + output: {}; + }; + sdk: { + input: EnableRuleCommandInput; + output: EnableRuleCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListApiDestinationsCommand.ts b/clients/client-eventbridge/src/commands/ListApiDestinationsCommand.ts index d45a70cf2a5e..f508dae79442 100644 --- a/clients/client-eventbridge/src/commands/ListApiDestinationsCommand.ts +++ b/clients/client-eventbridge/src/commands/ListApiDestinationsCommand.ts @@ -96,4 +96,16 @@ export class ListApiDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApiDestinationsCommand) .de(de_ListApiDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApiDestinationsRequest; + output: ListApiDestinationsResponse; + }; + sdk: { + input: ListApiDestinationsCommandInput; + output: ListApiDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListArchivesCommand.ts b/clients/client-eventbridge/src/commands/ListArchivesCommand.ts index dfa70a2c20cf..3534df212b85 100644 --- a/clients/client-eventbridge/src/commands/ListArchivesCommand.ts +++ b/clients/client-eventbridge/src/commands/ListArchivesCommand.ts @@ -100,4 +100,16 @@ export class ListArchivesCommand extends $Command .f(void 0, void 0) .ser(se_ListArchivesCommand) .de(de_ListArchivesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArchivesRequest; + output: ListArchivesResponse; + }; + sdk: { + input: ListArchivesCommandInput; + output: ListArchivesCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListConnectionsCommand.ts b/clients/client-eventbridge/src/commands/ListConnectionsCommand.ts index b34b46b6f54a..30acee1762e1 100644 --- a/clients/client-eventbridge/src/commands/ListConnectionsCommand.ts +++ b/clients/client-eventbridge/src/commands/ListConnectionsCommand.ts @@ -95,4 +95,16 @@ export class ListConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectionsCommand) .de(de_ListConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectionsRequest; + output: ListConnectionsResponse; + }; + sdk: { + input: ListConnectionsCommandInput; + output: ListConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListEndpointsCommand.ts b/clients/client-eventbridge/src/commands/ListEndpointsCommand.ts index a51de3b35652..66bd0a7c3ea7 100644 --- a/clients/client-eventbridge/src/commands/ListEndpointsCommand.ts +++ b/clients/client-eventbridge/src/commands/ListEndpointsCommand.ts @@ -120,4 +120,16 @@ export class ListEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointsCommand) .de(de_ListEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointsRequest; + output: ListEndpointsResponse; + }; + sdk: { + input: ListEndpointsCommandInput; + output: ListEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListEventBusesCommand.ts b/clients/client-eventbridge/src/commands/ListEventBusesCommand.ts index 1c6cfb696e5f..661f6ae3f1c3 100644 --- a/clients/client-eventbridge/src/commands/ListEventBusesCommand.ts +++ b/clients/client-eventbridge/src/commands/ListEventBusesCommand.ts @@ -93,4 +93,16 @@ export class ListEventBusesCommand extends $Command .f(void 0, void 0) .ser(se_ListEventBusesCommand) .de(de_ListEventBusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventBusesRequest; + output: ListEventBusesResponse; + }; + sdk: { + input: ListEventBusesCommandInput; + output: ListEventBusesCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListEventSourcesCommand.ts b/clients/client-eventbridge/src/commands/ListEventSourcesCommand.ts index 271ee5732116..98b9f3729d53 100644 --- a/clients/client-eventbridge/src/commands/ListEventSourcesCommand.ts +++ b/clients/client-eventbridge/src/commands/ListEventSourcesCommand.ts @@ -96,4 +96,16 @@ export class ListEventSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListEventSourcesCommand) .de(de_ListEventSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventSourcesRequest; + output: ListEventSourcesResponse; + }; + sdk: { + input: ListEventSourcesCommandInput; + output: ListEventSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListPartnerEventSourceAccountsCommand.ts b/clients/client-eventbridge/src/commands/ListPartnerEventSourceAccountsCommand.ts index a5310e824d60..486b2f114234 100644 --- a/clients/client-eventbridge/src/commands/ListPartnerEventSourceAccountsCommand.ts +++ b/clients/client-eventbridge/src/commands/ListPartnerEventSourceAccountsCommand.ts @@ -102,4 +102,16 @@ export class ListPartnerEventSourceAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListPartnerEventSourceAccountsCommand) .de(de_ListPartnerEventSourceAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartnerEventSourceAccountsRequest; + output: ListPartnerEventSourceAccountsResponse; + }; + sdk: { + input: ListPartnerEventSourceAccountsCommandInput; + output: ListPartnerEventSourceAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListPartnerEventSourcesCommand.ts b/clients/client-eventbridge/src/commands/ListPartnerEventSourcesCommand.ts index f9f34ec6096f..7a9bda330313 100644 --- a/clients/client-eventbridge/src/commands/ListPartnerEventSourcesCommand.ts +++ b/clients/client-eventbridge/src/commands/ListPartnerEventSourcesCommand.ts @@ -92,4 +92,16 @@ export class ListPartnerEventSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListPartnerEventSourcesCommand) .de(de_ListPartnerEventSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartnerEventSourcesRequest; + output: ListPartnerEventSourcesResponse; + }; + sdk: { + input: ListPartnerEventSourcesCommandInput; + output: ListPartnerEventSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListReplaysCommand.ts b/clients/client-eventbridge/src/commands/ListReplaysCommand.ts index 4e759b9643b9..9a3af71d3868 100644 --- a/clients/client-eventbridge/src/commands/ListReplaysCommand.ts +++ b/clients/client-eventbridge/src/commands/ListReplaysCommand.ts @@ -98,4 +98,16 @@ export class ListReplaysCommand extends $Command .f(void 0, void 0) .ser(se_ListReplaysCommand) .de(de_ListReplaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReplaysRequest; + output: ListReplaysResponse; + }; + sdk: { + input: ListReplaysCommandInput; + output: ListReplaysCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListRuleNamesByTargetCommand.ts b/clients/client-eventbridge/src/commands/ListRuleNamesByTargetCommand.ts index bbb8ddc4cd1a..13d1f13bae32 100644 --- a/clients/client-eventbridge/src/commands/ListRuleNamesByTargetCommand.ts +++ b/clients/client-eventbridge/src/commands/ListRuleNamesByTargetCommand.ts @@ -91,4 +91,16 @@ export class ListRuleNamesByTargetCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleNamesByTargetCommand) .de(de_ListRuleNamesByTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleNamesByTargetRequest; + output: ListRuleNamesByTargetResponse; + }; + sdk: { + input: ListRuleNamesByTargetCommandInput; + output: ListRuleNamesByTargetCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListRulesCommand.ts b/clients/client-eventbridge/src/commands/ListRulesCommand.ts index 4752a6f9f333..0594afebd7b5 100644 --- a/clients/client-eventbridge/src/commands/ListRulesCommand.ts +++ b/clients/client-eventbridge/src/commands/ListRulesCommand.ts @@ -103,4 +103,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListTagsForResourceCommand.ts b/clients/client-eventbridge/src/commands/ListTagsForResourceCommand.ts index f18a432cb214..f0235ef872fa 100644 --- a/clients/client-eventbridge/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-eventbridge/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/ListTargetsByRuleCommand.ts b/clients/client-eventbridge/src/commands/ListTargetsByRuleCommand.ts index 54af501b6171..91973eb4b519 100644 --- a/clients/client-eventbridge/src/commands/ListTargetsByRuleCommand.ts +++ b/clients/client-eventbridge/src/commands/ListTargetsByRuleCommand.ts @@ -219,4 +219,16 @@ export class ListTargetsByRuleCommand extends $Command .f(void 0, ListTargetsByRuleResponseFilterSensitiveLog) .ser(se_ListTargetsByRuleCommand) .de(de_ListTargetsByRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetsByRuleRequest; + output: ListTargetsByRuleResponse; + }; + sdk: { + input: ListTargetsByRuleCommandInput; + output: ListTargetsByRuleCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/PutEventsCommand.ts b/clients/client-eventbridge/src/commands/PutEventsCommand.ts index af6bd4a868b8..41cfdc9b943a 100644 --- a/clients/client-eventbridge/src/commands/PutEventsCommand.ts +++ b/clients/client-eventbridge/src/commands/PutEventsCommand.ts @@ -116,4 +116,16 @@ export class PutEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutEventsCommand) .de(de_PutEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventsRequest; + output: PutEventsResponse; + }; + sdk: { + input: PutEventsCommandInput; + output: PutEventsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/PutPartnerEventsCommand.ts b/clients/client-eventbridge/src/commands/PutPartnerEventsCommand.ts index 9c30224d3a6b..dbd5dc42ca95 100644 --- a/clients/client-eventbridge/src/commands/PutPartnerEventsCommand.ts +++ b/clients/client-eventbridge/src/commands/PutPartnerEventsCommand.ts @@ -102,4 +102,16 @@ export class PutPartnerEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutPartnerEventsCommand) .de(de_PutPartnerEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPartnerEventsRequest; + output: PutPartnerEventsResponse; + }; + sdk: { + input: PutPartnerEventsCommandInput; + output: PutPartnerEventsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/PutPermissionCommand.ts b/clients/client-eventbridge/src/commands/PutPermissionCommand.ts index 05a3dd6bc46c..4c68ef37fe2e 100644 --- a/clients/client-eventbridge/src/commands/PutPermissionCommand.ts +++ b/clients/client-eventbridge/src/commands/PutPermissionCommand.ts @@ -115,4 +115,16 @@ export class PutPermissionCommand extends $Command .f(void 0, void 0) .ser(se_PutPermissionCommand) .de(de_PutPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPermissionRequest; + output: {}; + }; + sdk: { + input: PutPermissionCommandInput; + output: PutPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/PutRuleCommand.ts b/clients/client-eventbridge/src/commands/PutRuleCommand.ts index 21838f605dea..bb70021d0ad8 100644 --- a/clients/client-eventbridge/src/commands/PutRuleCommand.ts +++ b/clients/client-eventbridge/src/commands/PutRuleCommand.ts @@ -151,4 +151,16 @@ export class PutRuleCommand extends $Command .f(void 0, void 0) .ser(se_PutRuleCommand) .de(de_PutRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRuleRequest; + output: PutRuleResponse; + }; + sdk: { + input: PutRuleCommandInput; + output: PutRuleCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/PutTargetsCommand.ts b/clients/client-eventbridge/src/commands/PutTargetsCommand.ts index 3f93a7f5df31..d48f38a4c447 100644 --- a/clients/client-eventbridge/src/commands/PutTargetsCommand.ts +++ b/clients/client-eventbridge/src/commands/PutTargetsCommand.ts @@ -346,4 +346,16 @@ export class PutTargetsCommand extends $Command .f(PutTargetsRequestFilterSensitiveLog, void 0) .ser(se_PutTargetsCommand) .de(de_PutTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutTargetsRequest; + output: PutTargetsResponse; + }; + sdk: { + input: PutTargetsCommandInput; + output: PutTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/RemovePermissionCommand.ts b/clients/client-eventbridge/src/commands/RemovePermissionCommand.ts index d691a1ce8caa..e4acee4413b2 100644 --- a/clients/client-eventbridge/src/commands/RemovePermissionCommand.ts +++ b/clients/client-eventbridge/src/commands/RemovePermissionCommand.ts @@ -92,4 +92,16 @@ export class RemovePermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemovePermissionCommand) .de(de_RemovePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemovePermissionRequest; + output: {}; + }; + sdk: { + input: RemovePermissionCommandInput; + output: RemovePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/RemoveTargetsCommand.ts b/clients/client-eventbridge/src/commands/RemoveTargetsCommand.ts index 568ae07ab021..38456022dac6 100644 --- a/clients/client-eventbridge/src/commands/RemoveTargetsCommand.ts +++ b/clients/client-eventbridge/src/commands/RemoveTargetsCommand.ts @@ -117,4 +117,16 @@ export class RemoveTargetsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTargetsCommand) .de(de_RemoveTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTargetsRequest; + output: RemoveTargetsResponse; + }; + sdk: { + input: RemoveTargetsCommandInput; + output: RemoveTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/StartReplayCommand.ts b/clients/client-eventbridge/src/commands/StartReplayCommand.ts index 87ac70a9a8b4..f9684643f543 100644 --- a/clients/client-eventbridge/src/commands/StartReplayCommand.ts +++ b/clients/client-eventbridge/src/commands/StartReplayCommand.ts @@ -114,4 +114,16 @@ export class StartReplayCommand extends $Command .f(void 0, void 0) .ser(se_StartReplayCommand) .de(de_StartReplayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplayRequest; + output: StartReplayResponse; + }; + sdk: { + input: StartReplayCommandInput; + output: StartReplayCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/TagResourceCommand.ts b/clients/client-eventbridge/src/commands/TagResourceCommand.ts index e1612fc3e105..96cd0e9ddd51 100644 --- a/clients/client-eventbridge/src/commands/TagResourceCommand.ts +++ b/clients/client-eventbridge/src/commands/TagResourceCommand.ts @@ -108,4 +108,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/TestEventPatternCommand.ts b/clients/client-eventbridge/src/commands/TestEventPatternCommand.ts index 598446e317af..f5d59fd0d9ea 100644 --- a/clients/client-eventbridge/src/commands/TestEventPatternCommand.ts +++ b/clients/client-eventbridge/src/commands/TestEventPatternCommand.ts @@ -88,4 +88,16 @@ export class TestEventPatternCommand extends $Command .f(void 0, void 0) .ser(se_TestEventPatternCommand) .de(de_TestEventPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestEventPatternRequest; + output: TestEventPatternResponse; + }; + sdk: { + input: TestEventPatternCommandInput; + output: TestEventPatternCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/UntagResourceCommand.ts b/clients/client-eventbridge/src/commands/UntagResourceCommand.ts index 86423e621f2b..0407b356ec9e 100644 --- a/clients/client-eventbridge/src/commands/UntagResourceCommand.ts +++ b/clients/client-eventbridge/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/UpdateApiDestinationCommand.ts b/clients/client-eventbridge/src/commands/UpdateApiDestinationCommand.ts index 7028c2b6f3bb..85eae1f7cc2e 100644 --- a/clients/client-eventbridge/src/commands/UpdateApiDestinationCommand.ts +++ b/clients/client-eventbridge/src/commands/UpdateApiDestinationCommand.ts @@ -98,4 +98,16 @@ export class UpdateApiDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApiDestinationCommand) .de(de_UpdateApiDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApiDestinationRequest; + output: UpdateApiDestinationResponse; + }; + sdk: { + input: UpdateApiDestinationCommandInput; + output: UpdateApiDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/UpdateArchiveCommand.ts b/clients/client-eventbridge/src/commands/UpdateArchiveCommand.ts index 7aefe71fafe2..1e8c2cbfb93e 100644 --- a/clients/client-eventbridge/src/commands/UpdateArchiveCommand.ts +++ b/clients/client-eventbridge/src/commands/UpdateArchiveCommand.ts @@ -99,4 +99,16 @@ export class UpdateArchiveCommand extends $Command .f(void 0, void 0) .ser(se_UpdateArchiveCommand) .de(de_UpdateArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateArchiveRequest; + output: UpdateArchiveResponse; + }; + sdk: { + input: UpdateArchiveCommandInput; + output: UpdateArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/UpdateConnectionCommand.ts b/clients/client-eventbridge/src/commands/UpdateConnectionCommand.ts index d7b11303b7b1..d4bb1f88309e 100644 --- a/clients/client-eventbridge/src/commands/UpdateConnectionCommand.ts +++ b/clients/client-eventbridge/src/commands/UpdateConnectionCommand.ts @@ -164,4 +164,16 @@ export class UpdateConnectionCommand extends $Command .f(UpdateConnectionRequestFilterSensitiveLog, void 0) .ser(se_UpdateConnectionCommand) .de(de_UpdateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectionRequest; + output: UpdateConnectionResponse; + }; + sdk: { + input: UpdateConnectionCommandInput; + output: UpdateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/UpdateEndpointCommand.ts b/clients/client-eventbridge/src/commands/UpdateEndpointCommand.ts index a1c96390b381..817c4a33459f 100644 --- a/clients/client-eventbridge/src/commands/UpdateEndpointCommand.ts +++ b/clients/client-eventbridge/src/commands/UpdateEndpointCommand.ts @@ -133,4 +133,16 @@ export class UpdateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointCommand) .de(de_UpdateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointRequest; + output: UpdateEndpointResponse; + }; + sdk: { + input: UpdateEndpointCommandInput; + output: UpdateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-eventbridge/src/commands/UpdateEventBusCommand.ts b/clients/client-eventbridge/src/commands/UpdateEventBusCommand.ts index 54d42c784102..9674fdbfc14f 100644 --- a/clients/client-eventbridge/src/commands/UpdateEventBusCommand.ts +++ b/clients/client-eventbridge/src/commands/UpdateEventBusCommand.ts @@ -100,4 +100,16 @@ export class UpdateEventBusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventBusCommand) .de(de_UpdateEventBusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventBusRequest; + output: UpdateEventBusResponse; + }; + sdk: { + input: UpdateEventBusCommandInput; + output: UpdateEventBusCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/package.json b/clients/client-evidently/package.json index 67798bec7850..7f5bfb54a39c 100644 --- a/clients/client-evidently/package.json +++ b/clients/client-evidently/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-evidently/src/commands/BatchEvaluateFeatureCommand.ts b/clients/client-evidently/src/commands/BatchEvaluateFeatureCommand.ts index 71152828b845..e6483ef226c3 100644 --- a/clients/client-evidently/src/commands/BatchEvaluateFeatureCommand.ts +++ b/clients/client-evidently/src/commands/BatchEvaluateFeatureCommand.ts @@ -125,4 +125,16 @@ export class BatchEvaluateFeatureCommand extends $Command .f(void 0, void 0) .ser(se_BatchEvaluateFeatureCommand) .de(de_BatchEvaluateFeatureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchEvaluateFeatureRequest; + output: BatchEvaluateFeatureResponse; + }; + sdk: { + input: BatchEvaluateFeatureCommandInput; + output: BatchEvaluateFeatureCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/CreateExperimentCommand.ts b/clients/client-evidently/src/commands/CreateExperimentCommand.ts index 64a9d782c1df..3fbeba30ea86 100644 --- a/clients/client-evidently/src/commands/CreateExperimentCommand.ts +++ b/clients/client-evidently/src/commands/CreateExperimentCommand.ts @@ -185,4 +185,16 @@ export class CreateExperimentCommand extends $Command .f(void 0, void 0) .ser(se_CreateExperimentCommand) .de(de_CreateExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExperimentRequest; + output: CreateExperimentResponse; + }; + sdk: { + input: CreateExperimentCommandInput; + output: CreateExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/CreateFeatureCommand.ts b/clients/client-evidently/src/commands/CreateFeatureCommand.ts index d0b260508dca..d7eb87001464 100644 --- a/clients/client-evidently/src/commands/CreateFeatureCommand.ts +++ b/clients/client-evidently/src/commands/CreateFeatureCommand.ts @@ -151,4 +151,16 @@ export class CreateFeatureCommand extends $Command .f(void 0, void 0) .ser(se_CreateFeatureCommand) .de(de_CreateFeatureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFeatureRequest; + output: CreateFeatureResponse; + }; + sdk: { + input: CreateFeatureCommandInput; + output: CreateFeatureCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/CreateLaunchCommand.ts b/clients/client-evidently/src/commands/CreateLaunchCommand.ts index 87a852e822ee..2db1cbae6de4 100644 --- a/clients/client-evidently/src/commands/CreateLaunchCommand.ts +++ b/clients/client-evidently/src/commands/CreateLaunchCommand.ts @@ -200,4 +200,16 @@ export class CreateLaunchCommand extends $Command .f(void 0, void 0) .ser(se_CreateLaunchCommand) .de(de_CreateLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLaunchRequest; + output: CreateLaunchResponse; + }; + sdk: { + input: CreateLaunchCommandInput; + output: CreateLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/CreateProjectCommand.ts b/clients/client-evidently/src/commands/CreateProjectCommand.ts index 62da65b59b5d..97d0a82d1f62 100644 --- a/clients/client-evidently/src/commands/CreateProjectCommand.ts +++ b/clients/client-evidently/src/commands/CreateProjectCommand.ts @@ -137,4 +137,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: CreateProjectResponse; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/CreateSegmentCommand.ts b/clients/client-evidently/src/commands/CreateSegmentCommand.ts index f1be69cbd871..b38455e7133b 100644 --- a/clients/client-evidently/src/commands/CreateSegmentCommand.ts +++ b/clients/client-evidently/src/commands/CreateSegmentCommand.ts @@ -118,4 +118,16 @@ export class CreateSegmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateSegmentCommand) .de(de_CreateSegmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSegmentRequest; + output: CreateSegmentResponse; + }; + sdk: { + input: CreateSegmentCommandInput; + output: CreateSegmentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/DeleteExperimentCommand.ts b/clients/client-evidently/src/commands/DeleteExperimentCommand.ts index 4a7354740bb4..393a7318d3d9 100644 --- a/clients/client-evidently/src/commands/DeleteExperimentCommand.ts +++ b/clients/client-evidently/src/commands/DeleteExperimentCommand.ts @@ -95,4 +95,16 @@ export class DeleteExperimentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExperimentCommand) .de(de_DeleteExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExperimentRequest; + output: {}; + }; + sdk: { + input: DeleteExperimentCommandInput; + output: DeleteExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/DeleteFeatureCommand.ts b/clients/client-evidently/src/commands/DeleteFeatureCommand.ts index 40cf8978d614..d3f2f195c31a 100644 --- a/clients/client-evidently/src/commands/DeleteFeatureCommand.ts +++ b/clients/client-evidently/src/commands/DeleteFeatureCommand.ts @@ -91,4 +91,16 @@ export class DeleteFeatureCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFeatureCommand) .de(de_DeleteFeatureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFeatureRequest; + output: {}; + }; + sdk: { + input: DeleteFeatureCommandInput; + output: DeleteFeatureCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/DeleteLaunchCommand.ts b/clients/client-evidently/src/commands/DeleteLaunchCommand.ts index 03ef03c7500a..1e05a50f47fd 100644 --- a/clients/client-evidently/src/commands/DeleteLaunchCommand.ts +++ b/clients/client-evidently/src/commands/DeleteLaunchCommand.ts @@ -92,4 +92,16 @@ export class DeleteLaunchCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchCommand) .de(de_DeleteLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchRequest; + output: {}; + }; + sdk: { + input: DeleteLaunchCommandInput; + output: DeleteLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/DeleteProjectCommand.ts b/clients/client-evidently/src/commands/DeleteProjectCommand.ts index 54acffcc8b4f..2f958bde4d31 100644 --- a/clients/client-evidently/src/commands/DeleteProjectCommand.ts +++ b/clients/client-evidently/src/commands/DeleteProjectCommand.ts @@ -91,4 +91,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: {}; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/DeleteSegmentCommand.ts b/clients/client-evidently/src/commands/DeleteSegmentCommand.ts index 54abfd80692c..b04b582967b8 100644 --- a/clients/client-evidently/src/commands/DeleteSegmentCommand.ts +++ b/clients/client-evidently/src/commands/DeleteSegmentCommand.ts @@ -91,4 +91,16 @@ export class DeleteSegmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSegmentCommand) .de(de_DeleteSegmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSegmentRequest; + output: {}; + }; + sdk: { + input: DeleteSegmentCommandInput; + output: DeleteSegmentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/EvaluateFeatureCommand.ts b/clients/client-evidently/src/commands/EvaluateFeatureCommand.ts index 53833ea565b2..2cca7d994498 100644 --- a/clients/client-evidently/src/commands/EvaluateFeatureCommand.ts +++ b/clients/client-evidently/src/commands/EvaluateFeatureCommand.ts @@ -124,4 +124,16 @@ export class EvaluateFeatureCommand extends $Command .f(void 0, void 0) .ser(se_EvaluateFeatureCommand) .de(de_EvaluateFeatureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EvaluateFeatureRequest; + output: EvaluateFeatureResponse; + }; + sdk: { + input: EvaluateFeatureCommandInput; + output: EvaluateFeatureCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/GetExperimentCommand.ts b/clients/client-evidently/src/commands/GetExperimentCommand.ts index 98e067ea79e5..11bc4f43aeb1 100644 --- a/clients/client-evidently/src/commands/GetExperimentCommand.ts +++ b/clients/client-evidently/src/commands/GetExperimentCommand.ts @@ -141,4 +141,16 @@ export class GetExperimentCommand extends $Command .f(void 0, void 0) .ser(se_GetExperimentCommand) .de(de_GetExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExperimentRequest; + output: GetExperimentResponse; + }; + sdk: { + input: GetExperimentCommandInput; + output: GetExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/GetExperimentResultsCommand.ts b/clients/client-evidently/src/commands/GetExperimentResultsCommand.ts index 295c1018c246..2fe34e28a82b 100644 --- a/clients/client-evidently/src/commands/GetExperimentResultsCommand.ts +++ b/clients/client-evidently/src/commands/GetExperimentResultsCommand.ts @@ -137,4 +137,16 @@ export class GetExperimentResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetExperimentResultsCommand) .de(de_GetExperimentResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExperimentResultsRequest; + output: GetExperimentResultsResponse; + }; + sdk: { + input: GetExperimentResultsCommandInput; + output: GetExperimentResultsCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/GetFeatureCommand.ts b/clients/client-evidently/src/commands/GetFeatureCommand.ts index 9de253b7a6cb..982b352de727 100644 --- a/clients/client-evidently/src/commands/GetFeatureCommand.ts +++ b/clients/client-evidently/src/commands/GetFeatureCommand.ts @@ -125,4 +125,16 @@ export class GetFeatureCommand extends $Command .f(void 0, void 0) .ser(se_GetFeatureCommand) .de(de_GetFeatureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFeatureRequest; + output: GetFeatureResponse; + }; + sdk: { + input: GetFeatureCommandInput; + output: GetFeatureCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/GetLaunchCommand.ts b/clients/client-evidently/src/commands/GetLaunchCommand.ts index 43ff625d8806..9fa659a0afc7 100644 --- a/clients/client-evidently/src/commands/GetLaunchCommand.ts +++ b/clients/client-evidently/src/commands/GetLaunchCommand.ts @@ -148,4 +148,16 @@ export class GetLaunchCommand extends $Command .f(void 0, void 0) .ser(se_GetLaunchCommand) .de(de_GetLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchRequest; + output: GetLaunchResponse; + }; + sdk: { + input: GetLaunchCommandInput; + output: GetLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/GetProjectCommand.ts b/clients/client-evidently/src/commands/GetProjectCommand.ts index 85557d8297c4..b2f65d12b1c2 100644 --- a/clients/client-evidently/src/commands/GetProjectCommand.ts +++ b/clients/client-evidently/src/commands/GetProjectCommand.ts @@ -119,4 +119,16 @@ export class GetProjectCommand extends $Command .f(void 0, void 0) .ser(se_GetProjectCommand) .de(de_GetProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProjectRequest; + output: GetProjectResponse; + }; + sdk: { + input: GetProjectCommandInput; + output: GetProjectCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/GetSegmentCommand.ts b/clients/client-evidently/src/commands/GetSegmentCommand.ts index f5cc40f1dead..98e3d167bc8b 100644 --- a/clients/client-evidently/src/commands/GetSegmentCommand.ts +++ b/clients/client-evidently/src/commands/GetSegmentCommand.ts @@ -102,4 +102,16 @@ export class GetSegmentCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentCommand) .de(de_GetSegmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentRequest; + output: GetSegmentResponse; + }; + sdk: { + input: GetSegmentCommandInput; + output: GetSegmentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/ListExperimentsCommand.ts b/clients/client-evidently/src/commands/ListExperimentsCommand.ts index 06fa5aa0d855..e475a25da8ec 100644 --- a/clients/client-evidently/src/commands/ListExperimentsCommand.ts +++ b/clients/client-evidently/src/commands/ListExperimentsCommand.ts @@ -142,4 +142,16 @@ export class ListExperimentsCommand extends $Command .f(void 0, void 0) .ser(se_ListExperimentsCommand) .de(de_ListExperimentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperimentsRequest; + output: ListExperimentsResponse; + }; + sdk: { + input: ListExperimentsCommandInput; + output: ListExperimentsCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/ListFeaturesCommand.ts b/clients/client-evidently/src/commands/ListFeaturesCommand.ts index e569105ef4d5..5f413912ed57 100644 --- a/clients/client-evidently/src/commands/ListFeaturesCommand.ts +++ b/clients/client-evidently/src/commands/ListFeaturesCommand.ts @@ -112,4 +112,16 @@ export class ListFeaturesCommand extends $Command .f(void 0, void 0) .ser(se_ListFeaturesCommand) .de(de_ListFeaturesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFeaturesRequest; + output: ListFeaturesResponse; + }; + sdk: { + input: ListFeaturesCommandInput; + output: ListFeaturesCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/ListLaunchesCommand.ts b/clients/client-evidently/src/commands/ListLaunchesCommand.ts index 1db0566ffe9c..b32a652c8258 100644 --- a/clients/client-evidently/src/commands/ListLaunchesCommand.ts +++ b/clients/client-evidently/src/commands/ListLaunchesCommand.ts @@ -149,4 +149,16 @@ export class ListLaunchesCommand extends $Command .f(void 0, void 0) .ser(se_ListLaunchesCommand) .de(de_ListLaunchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLaunchesRequest; + output: ListLaunchesResponse; + }; + sdk: { + input: ListLaunchesCommandInput; + output: ListLaunchesCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/ListProjectsCommand.ts b/clients/client-evidently/src/commands/ListProjectsCommand.ts index 6a503d010412..3011704b1a41 100644 --- a/clients/client-evidently/src/commands/ListProjectsCommand.ts +++ b/clients/client-evidently/src/commands/ListProjectsCommand.ts @@ -106,4 +106,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsRequest; + output: ListProjectsResponse; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/ListSegmentReferencesCommand.ts b/clients/client-evidently/src/commands/ListSegmentReferencesCommand.ts index 254e7770960a..71499362a4a1 100644 --- a/clients/client-evidently/src/commands/ListSegmentReferencesCommand.ts +++ b/clients/client-evidently/src/commands/ListSegmentReferencesCommand.ts @@ -103,4 +103,16 @@ export class ListSegmentReferencesCommand extends $Command .f(void 0, void 0) .ser(se_ListSegmentReferencesCommand) .de(de_ListSegmentReferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSegmentReferencesRequest; + output: ListSegmentReferencesResponse; + }; + sdk: { + input: ListSegmentReferencesCommandInput; + output: ListSegmentReferencesCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/ListSegmentsCommand.ts b/clients/client-evidently/src/commands/ListSegmentsCommand.ts index c8ee5ceb6d04..68a5ae3b921f 100644 --- a/clients/client-evidently/src/commands/ListSegmentsCommand.ts +++ b/clients/client-evidently/src/commands/ListSegmentsCommand.ts @@ -102,4 +102,16 @@ export class ListSegmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListSegmentsCommand) .de(de_ListSegmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSegmentsRequest; + output: ListSegmentsResponse; + }; + sdk: { + input: ListSegmentsCommandInput; + output: ListSegmentsCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/ListTagsForResourceCommand.ts b/clients/client-evidently/src/commands/ListTagsForResourceCommand.ts index 73f68be9d120..828c502b5e4e 100644 --- a/clients/client-evidently/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-evidently/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/PutProjectEventsCommand.ts b/clients/client-evidently/src/commands/PutProjectEventsCommand.ts index 2942385e4cbd..b80eb96b3411 100644 --- a/clients/client-evidently/src/commands/PutProjectEventsCommand.ts +++ b/clients/client-evidently/src/commands/PutProjectEventsCommand.ts @@ -104,4 +104,16 @@ export class PutProjectEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutProjectEventsCommand) .de(de_PutProjectEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutProjectEventsRequest; + output: PutProjectEventsResponse; + }; + sdk: { + input: PutProjectEventsCommandInput; + output: PutProjectEventsCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/StartExperimentCommand.ts b/clients/client-evidently/src/commands/StartExperimentCommand.ts index ef84f5278717..3722d04e6394 100644 --- a/clients/client-evidently/src/commands/StartExperimentCommand.ts +++ b/clients/client-evidently/src/commands/StartExperimentCommand.ts @@ -98,4 +98,16 @@ export class StartExperimentCommand extends $Command .f(void 0, void 0) .ser(se_StartExperimentCommand) .de(de_StartExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExperimentRequest; + output: StartExperimentResponse; + }; + sdk: { + input: StartExperimentCommandInput; + output: StartExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/StartLaunchCommand.ts b/clients/client-evidently/src/commands/StartLaunchCommand.ts index 86426b38f27d..d4a0843ed542 100644 --- a/clients/client-evidently/src/commands/StartLaunchCommand.ts +++ b/clients/client-evidently/src/commands/StartLaunchCommand.ts @@ -154,4 +154,16 @@ export class StartLaunchCommand extends $Command .f(void 0, void 0) .ser(se_StartLaunchCommand) .de(de_StartLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartLaunchRequest; + output: StartLaunchResponse; + }; + sdk: { + input: StartLaunchCommandInput; + output: StartLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/StopExperimentCommand.ts b/clients/client-evidently/src/commands/StopExperimentCommand.ts index 33e5058bc05f..372736811729 100644 --- a/clients/client-evidently/src/commands/StopExperimentCommand.ts +++ b/clients/client-evidently/src/commands/StopExperimentCommand.ts @@ -99,4 +99,16 @@ export class StopExperimentCommand extends $Command .f(void 0, void 0) .ser(se_StopExperimentCommand) .de(de_StopExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopExperimentRequest; + output: StopExperimentResponse; + }; + sdk: { + input: StopExperimentCommandInput; + output: StopExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/StopLaunchCommand.ts b/clients/client-evidently/src/commands/StopLaunchCommand.ts index bcb7cb847267..373b00d10a01 100644 --- a/clients/client-evidently/src/commands/StopLaunchCommand.ts +++ b/clients/client-evidently/src/commands/StopLaunchCommand.ts @@ -96,4 +96,16 @@ export class StopLaunchCommand extends $Command .f(void 0, void 0) .ser(se_StopLaunchCommand) .de(de_StopLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopLaunchRequest; + output: StopLaunchResponse; + }; + sdk: { + input: StopLaunchCommandInput; + output: StopLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/TagResourceCommand.ts b/clients/client-evidently/src/commands/TagResourceCommand.ts index e3715a72a804..d71e0ccad710 100644 --- a/clients/client-evidently/src/commands/TagResourceCommand.ts +++ b/clients/client-evidently/src/commands/TagResourceCommand.ts @@ -99,4 +99,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/TestSegmentPatternCommand.ts b/clients/client-evidently/src/commands/TestSegmentPatternCommand.ts index 1fb378f37156..232ecaf57021 100644 --- a/clients/client-evidently/src/commands/TestSegmentPatternCommand.ts +++ b/clients/client-evidently/src/commands/TestSegmentPatternCommand.ts @@ -88,4 +88,16 @@ export class TestSegmentPatternCommand extends $Command .f(void 0, void 0) .ser(se_TestSegmentPatternCommand) .de(de_TestSegmentPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestSegmentPatternRequest; + output: TestSegmentPatternResponse; + }; + sdk: { + input: TestSegmentPatternCommandInput; + output: TestSegmentPatternCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/UntagResourceCommand.ts b/clients/client-evidently/src/commands/UntagResourceCommand.ts index 7a09f28075f6..b07dbfb0a96e 100644 --- a/clients/client-evidently/src/commands/UntagResourceCommand.ts +++ b/clients/client-evidently/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/UpdateExperimentCommand.ts b/clients/client-evidently/src/commands/UpdateExperimentCommand.ts index 59470c7fab43..1e7a433028b8 100644 --- a/clients/client-evidently/src/commands/UpdateExperimentCommand.ts +++ b/clients/client-evidently/src/commands/UpdateExperimentCommand.ts @@ -173,4 +173,16 @@ export class UpdateExperimentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExperimentCommand) .de(de_UpdateExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExperimentRequest; + output: UpdateExperimentResponse; + }; + sdk: { + input: UpdateExperimentCommandInput; + output: UpdateExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/UpdateFeatureCommand.ts b/clients/client-evidently/src/commands/UpdateFeatureCommand.ts index 5064a88b3021..d2062e3c6b44 100644 --- a/clients/client-evidently/src/commands/UpdateFeatureCommand.ts +++ b/clients/client-evidently/src/commands/UpdateFeatureCommand.ts @@ -149,4 +149,16 @@ export class UpdateFeatureCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFeatureCommand) .de(de_UpdateFeatureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFeatureRequest; + output: UpdateFeatureResponse; + }; + sdk: { + input: UpdateFeatureCommandInput; + output: UpdateFeatureCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/UpdateLaunchCommand.ts b/clients/client-evidently/src/commands/UpdateLaunchCommand.ts index 9f658755af36..d9991b519a6f 100644 --- a/clients/client-evidently/src/commands/UpdateLaunchCommand.ts +++ b/clients/client-evidently/src/commands/UpdateLaunchCommand.ts @@ -189,4 +189,16 @@ export class UpdateLaunchCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLaunchCommand) .de(de_UpdateLaunchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLaunchRequest; + output: UpdateLaunchResponse; + }; + sdk: { + input: UpdateLaunchCommandInput; + output: UpdateLaunchCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/UpdateProjectCommand.ts b/clients/client-evidently/src/commands/UpdateProjectCommand.ts index 5c85ecaa15ab..be29eb7dbbac 100644 --- a/clients/client-evidently/src/commands/UpdateProjectCommand.ts +++ b/clients/client-evidently/src/commands/UpdateProjectCommand.ts @@ -131,4 +131,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectRequest; + output: UpdateProjectResponse; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-evidently/src/commands/UpdateProjectDataDeliveryCommand.ts b/clients/client-evidently/src/commands/UpdateProjectDataDeliveryCommand.ts index 4e55dd3931c7..b6fe1042a775 100644 --- a/clients/client-evidently/src/commands/UpdateProjectDataDeliveryCommand.ts +++ b/clients/client-evidently/src/commands/UpdateProjectDataDeliveryCommand.ts @@ -132,4 +132,16 @@ export class UpdateProjectDataDeliveryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectDataDeliveryCommand) .de(de_UpdateProjectDataDeliveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectDataDeliveryRequest; + output: UpdateProjectDataDeliveryResponse; + }; + sdk: { + input: UpdateProjectDataDeliveryCommandInput; + output: UpdateProjectDataDeliveryCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/package.json b/clients/client-finspace-data/package.json index 610da5a1ec02..7cafb96471ea 100644 --- a/clients/client-finspace-data/package.json +++ b/clients/client-finspace-data/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-finspace-data/src/commands/AssociateUserToPermissionGroupCommand.ts b/clients/client-finspace-data/src/commands/AssociateUserToPermissionGroupCommand.ts index d186f53cdfb2..0790b5bd816a 100644 --- a/clients/client-finspace-data/src/commands/AssociateUserToPermissionGroupCommand.ts +++ b/clients/client-finspace-data/src/commands/AssociateUserToPermissionGroupCommand.ts @@ -105,4 +105,16 @@ export class AssociateUserToPermissionGroupCommand extends $Command .f(void 0, void 0) .ser(se_AssociateUserToPermissionGroupCommand) .de(de_AssociateUserToPermissionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateUserToPermissionGroupRequest; + output: AssociateUserToPermissionGroupResponse; + }; + sdk: { + input: AssociateUserToPermissionGroupCommandInput; + output: AssociateUserToPermissionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/CreateChangesetCommand.ts b/clients/client-finspace-data/src/commands/CreateChangesetCommand.ts index f04a47b427af..e6d2eb39932c 100644 --- a/clients/client-finspace-data/src/commands/CreateChangesetCommand.ts +++ b/clients/client-finspace-data/src/commands/CreateChangesetCommand.ts @@ -110,4 +110,16 @@ export class CreateChangesetCommand extends $Command .f(void 0, void 0) .ser(se_CreateChangesetCommand) .de(de_CreateChangesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChangesetRequest; + output: CreateChangesetResponse; + }; + sdk: { + input: CreateChangesetCommandInput; + output: CreateChangesetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/CreateDataViewCommand.ts b/clients/client-finspace-data/src/commands/CreateDataViewCommand.ts index 7d7750d18120..508b64ef70b0 100644 --- a/clients/client-finspace-data/src/commands/CreateDataViewCommand.ts +++ b/clients/client-finspace-data/src/commands/CreateDataViewCommand.ts @@ -115,4 +115,16 @@ export class CreateDataViewCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataViewCommand) .de(de_CreateDataViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataViewRequest; + output: CreateDataViewResponse; + }; + sdk: { + input: CreateDataViewCommandInput; + output: CreateDataViewCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/CreateDatasetCommand.ts b/clients/client-finspace-data/src/commands/CreateDatasetCommand.ts index 96af766de294..6150f199cec1 100644 --- a/clients/client-finspace-data/src/commands/CreateDatasetCommand.ts +++ b/clients/client-finspace-data/src/commands/CreateDatasetCommand.ts @@ -136,4 +136,16 @@ export class CreateDatasetCommand extends $Command .f(CreateDatasetRequestFilterSensitiveLog, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/CreatePermissionGroupCommand.ts b/clients/client-finspace-data/src/commands/CreatePermissionGroupCommand.ts index 57504acfd690..1bf820640eb8 100644 --- a/clients/client-finspace-data/src/commands/CreatePermissionGroupCommand.ts +++ b/clients/client-finspace-data/src/commands/CreatePermissionGroupCommand.ts @@ -107,4 +107,16 @@ export class CreatePermissionGroupCommand extends $Command .f(CreatePermissionGroupRequestFilterSensitiveLog, void 0) .ser(se_CreatePermissionGroupCommand) .de(de_CreatePermissionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePermissionGroupRequest; + output: CreatePermissionGroupResponse; + }; + sdk: { + input: CreatePermissionGroupCommandInput; + output: CreatePermissionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/CreateUserCommand.ts b/clients/client-finspace-data/src/commands/CreateUserCommand.ts index 33da063eb91a..c61e17c2cee6 100644 --- a/clients/client-finspace-data/src/commands/CreateUserCommand.ts +++ b/clients/client-finspace-data/src/commands/CreateUserCommand.ts @@ -104,4 +104,16 @@ export class CreateUserCommand extends $Command .f(CreateUserRequestFilterSensitiveLog, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/DeleteDatasetCommand.ts b/clients/client-finspace-data/src/commands/DeleteDatasetCommand.ts index 50187e4f6f14..d33ec945208b 100644 --- a/clients/client-finspace-data/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-finspace-data/src/commands/DeleteDatasetCommand.ts @@ -102,4 +102,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: DeleteDatasetResponse; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/DeletePermissionGroupCommand.ts b/clients/client-finspace-data/src/commands/DeletePermissionGroupCommand.ts index 8a5df2857856..052efd794382 100644 --- a/clients/client-finspace-data/src/commands/DeletePermissionGroupCommand.ts +++ b/clients/client-finspace-data/src/commands/DeletePermissionGroupCommand.ts @@ -102,4 +102,16 @@ export class DeletePermissionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionGroupCommand) .de(de_DeletePermissionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionGroupRequest; + output: DeletePermissionGroupResponse; + }; + sdk: { + input: DeletePermissionGroupCommandInput; + output: DeletePermissionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/DisableUserCommand.ts b/clients/client-finspace-data/src/commands/DisableUserCommand.ts index fe9a69250cae..96257227832e 100644 --- a/clients/client-finspace-data/src/commands/DisableUserCommand.ts +++ b/clients/client-finspace-data/src/commands/DisableUserCommand.ts @@ -99,4 +99,16 @@ export class DisableUserCommand extends $Command .f(void 0, void 0) .ser(se_DisableUserCommand) .de(de_DisableUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableUserRequest; + output: DisableUserResponse; + }; + sdk: { + input: DisableUserCommandInput; + output: DisableUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/DisassociateUserFromPermissionGroupCommand.ts b/clients/client-finspace-data/src/commands/DisassociateUserFromPermissionGroupCommand.ts index 7dead9b4e5b8..cdababdfd8f7 100644 --- a/clients/client-finspace-data/src/commands/DisassociateUserFromPermissionGroupCommand.ts +++ b/clients/client-finspace-data/src/commands/DisassociateUserFromPermissionGroupCommand.ts @@ -108,4 +108,16 @@ export class DisassociateUserFromPermissionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateUserFromPermissionGroupCommand) .de(de_DisassociateUserFromPermissionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateUserFromPermissionGroupRequest; + output: DisassociateUserFromPermissionGroupResponse; + }; + sdk: { + input: DisassociateUserFromPermissionGroupCommandInput; + output: DisassociateUserFromPermissionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/EnableUserCommand.ts b/clients/client-finspace-data/src/commands/EnableUserCommand.ts index 7d0b8d876033..2e697eaa0397 100644 --- a/clients/client-finspace-data/src/commands/EnableUserCommand.ts +++ b/clients/client-finspace-data/src/commands/EnableUserCommand.ts @@ -102,4 +102,16 @@ export class EnableUserCommand extends $Command .f(void 0, void 0) .ser(se_EnableUserCommand) .de(de_EnableUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableUserRequest; + output: EnableUserResponse; + }; + sdk: { + input: EnableUserCommandInput; + output: EnableUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetChangesetCommand.ts b/clients/client-finspace-data/src/commands/GetChangesetCommand.ts index a1225f1073a9..5f3c7f19e49f 100644 --- a/clients/client-finspace-data/src/commands/GetChangesetCommand.ts +++ b/clients/client-finspace-data/src/commands/GetChangesetCommand.ts @@ -118,4 +118,16 @@ export class GetChangesetCommand extends $Command .f(void 0, void 0) .ser(se_GetChangesetCommand) .de(de_GetChangesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChangesetRequest; + output: GetChangesetResponse; + }; + sdk: { + input: GetChangesetCommandInput; + output: GetChangesetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetDataViewCommand.ts b/clients/client-finspace-data/src/commands/GetDataViewCommand.ts index 1f6655874e76..f648b8ac5706 100644 --- a/clients/client-finspace-data/src/commands/GetDataViewCommand.ts +++ b/clients/client-finspace-data/src/commands/GetDataViewCommand.ts @@ -120,4 +120,16 @@ export class GetDataViewCommand extends $Command .f(void 0, void 0) .ser(se_GetDataViewCommand) .de(de_GetDataViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataViewRequest; + output: GetDataViewResponse; + }; + sdk: { + input: GetDataViewCommandInput; + output: GetDataViewCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetDatasetCommand.ts b/clients/client-finspace-data/src/commands/GetDatasetCommand.ts index 952670d07f0c..f02225e04422 100644 --- a/clients/client-finspace-data/src/commands/GetDatasetCommand.ts +++ b/clients/client-finspace-data/src/commands/GetDatasetCommand.ts @@ -120,4 +120,16 @@ export class GetDatasetCommand extends $Command .f(void 0, void 0) .ser(se_GetDatasetCommand) .de(de_GetDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDatasetRequest; + output: GetDatasetResponse; + }; + sdk: { + input: GetDatasetCommandInput; + output: GetDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetExternalDataViewAccessDetailsCommand.ts b/clients/client-finspace-data/src/commands/GetExternalDataViewAccessDetailsCommand.ts index 4703f7f66222..e16743155e37 100644 --- a/clients/client-finspace-data/src/commands/GetExternalDataViewAccessDetailsCommand.ts +++ b/clients/client-finspace-data/src/commands/GetExternalDataViewAccessDetailsCommand.ts @@ -122,4 +122,16 @@ export class GetExternalDataViewAccessDetailsCommand extends $Command .f(void 0, GetExternalDataViewAccessDetailsResponseFilterSensitiveLog) .ser(se_GetExternalDataViewAccessDetailsCommand) .de(de_GetExternalDataViewAccessDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExternalDataViewAccessDetailsRequest; + output: GetExternalDataViewAccessDetailsResponse; + }; + sdk: { + input: GetExternalDataViewAccessDetailsCommandInput; + output: GetExternalDataViewAccessDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetPermissionGroupCommand.ts b/clients/client-finspace-data/src/commands/GetPermissionGroupCommand.ts index 5d4e04b812c1..b03aa2397224 100644 --- a/clients/client-finspace-data/src/commands/GetPermissionGroupCommand.ts +++ b/clients/client-finspace-data/src/commands/GetPermissionGroupCommand.ts @@ -109,4 +109,16 @@ export class GetPermissionGroupCommand extends $Command .f(void 0, GetPermissionGroupResponseFilterSensitiveLog) .ser(se_GetPermissionGroupCommand) .de(de_GetPermissionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPermissionGroupRequest; + output: GetPermissionGroupResponse; + }; + sdk: { + input: GetPermissionGroupCommandInput; + output: GetPermissionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetProgrammaticAccessCredentialsCommand.ts b/clients/client-finspace-data/src/commands/GetProgrammaticAccessCredentialsCommand.ts index 369aa61273c0..d6af88afdda1 100644 --- a/clients/client-finspace-data/src/commands/GetProgrammaticAccessCredentialsCommand.ts +++ b/clients/client-finspace-data/src/commands/GetProgrammaticAccessCredentialsCommand.ts @@ -107,4 +107,16 @@ export class GetProgrammaticAccessCredentialsCommand extends $Command .f(void 0, GetProgrammaticAccessCredentialsResponseFilterSensitiveLog) .ser(se_GetProgrammaticAccessCredentialsCommand) .de(de_GetProgrammaticAccessCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProgrammaticAccessCredentialsRequest; + output: GetProgrammaticAccessCredentialsResponse; + }; + sdk: { + input: GetProgrammaticAccessCredentialsCommandInput; + output: GetProgrammaticAccessCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetUserCommand.ts b/clients/client-finspace-data/src/commands/GetUserCommand.ts index e1041c8c272a..78cd08c3078d 100644 --- a/clients/client-finspace-data/src/commands/GetUserCommand.ts +++ b/clients/client-finspace-data/src/commands/GetUserCommand.ts @@ -107,4 +107,16 @@ export class GetUserCommand extends $Command .f(void 0, GetUserResponseFilterSensitiveLog) .ser(se_GetUserCommand) .de(de_GetUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserRequest; + output: GetUserResponse; + }; + sdk: { + input: GetUserCommandInput; + output: GetUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/GetWorkingLocationCommand.ts b/clients/client-finspace-data/src/commands/GetWorkingLocationCommand.ts index eaf15c4ac24e..5c3612490746 100644 --- a/clients/client-finspace-data/src/commands/GetWorkingLocationCommand.ts +++ b/clients/client-finspace-data/src/commands/GetWorkingLocationCommand.ts @@ -95,4 +95,16 @@ export class GetWorkingLocationCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkingLocationCommand) .de(de_GetWorkingLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkingLocationRequest; + output: GetWorkingLocationResponse; + }; + sdk: { + input: GetWorkingLocationCommandInput; + output: GetWorkingLocationCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ListChangesetsCommand.ts b/clients/client-finspace-data/src/commands/ListChangesetsCommand.ts index b0498cf6bbf8..fec8783b9959 100644 --- a/clients/client-finspace-data/src/commands/ListChangesetsCommand.ts +++ b/clients/client-finspace-data/src/commands/ListChangesetsCommand.ts @@ -124,4 +124,16 @@ export class ListChangesetsCommand extends $Command .f(void 0, void 0) .ser(se_ListChangesetsCommand) .de(de_ListChangesetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChangesetsRequest; + output: ListChangesetsResponse; + }; + sdk: { + input: ListChangesetsCommandInput; + output: ListChangesetsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ListDataViewsCommand.ts b/clients/client-finspace-data/src/commands/ListDataViewsCommand.ts index 0f6e84de1346..b1546ea3faf4 100644 --- a/clients/client-finspace-data/src/commands/ListDataViewsCommand.ts +++ b/clients/client-finspace-data/src/commands/ListDataViewsCommand.ts @@ -126,4 +126,16 @@ export class ListDataViewsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataViewsCommand) .de(de_ListDataViewsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataViewsRequest; + output: ListDataViewsResponse; + }; + sdk: { + input: ListDataViewsCommandInput; + output: ListDataViewsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ListDatasetsCommand.ts b/clients/client-finspace-data/src/commands/ListDatasetsCommand.ts index 45804b8b0edc..0b991c1c29bd 100644 --- a/clients/client-finspace-data/src/commands/ListDatasetsCommand.ts +++ b/clients/client-finspace-data/src/commands/ListDatasetsCommand.ts @@ -127,4 +127,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, ListDatasetsResponseFilterSensitiveLog) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ListPermissionGroupsByUserCommand.ts b/clients/client-finspace-data/src/commands/ListPermissionGroupsByUserCommand.ts index eed365a11c9d..7bd1d9f13092 100644 --- a/clients/client-finspace-data/src/commands/ListPermissionGroupsByUserCommand.ts +++ b/clients/client-finspace-data/src/commands/ListPermissionGroupsByUserCommand.ts @@ -108,4 +108,16 @@ export class ListPermissionGroupsByUserCommand extends $Command .f(void 0, ListPermissionGroupsByUserResponseFilterSensitiveLog) .ser(se_ListPermissionGroupsByUserCommand) .de(de_ListPermissionGroupsByUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionGroupsByUserRequest; + output: ListPermissionGroupsByUserResponse; + }; + sdk: { + input: ListPermissionGroupsByUserCommandInput; + output: ListPermissionGroupsByUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ListPermissionGroupsCommand.ts b/clients/client-finspace-data/src/commands/ListPermissionGroupsCommand.ts index e9a8c528bbca..942512418c6b 100644 --- a/clients/client-finspace-data/src/commands/ListPermissionGroupsCommand.ts +++ b/clients/client-finspace-data/src/commands/ListPermissionGroupsCommand.ts @@ -110,4 +110,16 @@ export class ListPermissionGroupsCommand extends $Command .f(void 0, ListPermissionGroupsResponseFilterSensitiveLog) .ser(se_ListPermissionGroupsCommand) .de(de_ListPermissionGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionGroupsRequest; + output: ListPermissionGroupsResponse; + }; + sdk: { + input: ListPermissionGroupsCommandInput; + output: ListPermissionGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ListUsersByPermissionGroupCommand.ts b/clients/client-finspace-data/src/commands/ListUsersByPermissionGroupCommand.ts index 119a4a332aab..2a3040b1153a 100644 --- a/clients/client-finspace-data/src/commands/ListUsersByPermissionGroupCommand.ts +++ b/clients/client-finspace-data/src/commands/ListUsersByPermissionGroupCommand.ts @@ -114,4 +114,16 @@ export class ListUsersByPermissionGroupCommand extends $Command .f(void 0, ListUsersByPermissionGroupResponseFilterSensitiveLog) .ser(se_ListUsersByPermissionGroupCommand) .de(de_ListUsersByPermissionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersByPermissionGroupRequest; + output: ListUsersByPermissionGroupResponse; + }; + sdk: { + input: ListUsersByPermissionGroupCommandInput; + output: ListUsersByPermissionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ListUsersCommand.ts b/clients/client-finspace-data/src/commands/ListUsersCommand.ts index 6f9861198d3d..d0423b9bffcc 100644 --- a/clients/client-finspace-data/src/commands/ListUsersCommand.ts +++ b/clients/client-finspace-data/src/commands/ListUsersCommand.ts @@ -110,4 +110,16 @@ export class ListUsersCommand extends $Command .f(void 0, ListUsersResponseFilterSensitiveLog) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/ResetUserPasswordCommand.ts b/clients/client-finspace-data/src/commands/ResetUserPasswordCommand.ts index aa7c01b4fec3..050b0a0e4a19 100644 --- a/clients/client-finspace-data/src/commands/ResetUserPasswordCommand.ts +++ b/clients/client-finspace-data/src/commands/ResetUserPasswordCommand.ts @@ -104,4 +104,16 @@ export class ResetUserPasswordCommand extends $Command .f(void 0, ResetUserPasswordResponseFilterSensitiveLog) .ser(se_ResetUserPasswordCommand) .de(de_ResetUserPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetUserPasswordRequest; + output: ResetUserPasswordResponse; + }; + sdk: { + input: ResetUserPasswordCommandInput; + output: ResetUserPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/UpdateChangesetCommand.ts b/clients/client-finspace-data/src/commands/UpdateChangesetCommand.ts index 9c9a08316c56..2e453e648c5b 100644 --- a/clients/client-finspace-data/src/commands/UpdateChangesetCommand.ts +++ b/clients/client-finspace-data/src/commands/UpdateChangesetCommand.ts @@ -107,4 +107,16 @@ export class UpdateChangesetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChangesetCommand) .de(de_UpdateChangesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChangesetRequest; + output: UpdateChangesetResponse; + }; + sdk: { + input: UpdateChangesetCommandInput; + output: UpdateChangesetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/UpdateDatasetCommand.ts b/clients/client-finspace-data/src/commands/UpdateDatasetCommand.ts index 252a08853773..8a95e1b44155 100644 --- a/clients/client-finspace-data/src/commands/UpdateDatasetCommand.ts +++ b/clients/client-finspace-data/src/commands/UpdateDatasetCommand.ts @@ -117,4 +117,16 @@ export class UpdateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasetCommand) .de(de_UpdateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasetRequest; + output: UpdateDatasetResponse; + }; + sdk: { + input: UpdateDatasetCommandInput; + output: UpdateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/UpdatePermissionGroupCommand.ts b/clients/client-finspace-data/src/commands/UpdatePermissionGroupCommand.ts index b3a6c97afe1e..8303f68a49b1 100644 --- a/clients/client-finspace-data/src/commands/UpdatePermissionGroupCommand.ts +++ b/clients/client-finspace-data/src/commands/UpdatePermissionGroupCommand.ts @@ -108,4 +108,16 @@ export class UpdatePermissionGroupCommand extends $Command .f(UpdatePermissionGroupRequestFilterSensitiveLog, void 0) .ser(se_UpdatePermissionGroupCommand) .de(de_UpdatePermissionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePermissionGroupRequest; + output: UpdatePermissionGroupResponse; + }; + sdk: { + input: UpdatePermissionGroupCommandInput; + output: UpdatePermissionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace-data/src/commands/UpdateUserCommand.ts b/clients/client-finspace-data/src/commands/UpdateUserCommand.ts index 2692f615b235..48a7d51cb2ee 100644 --- a/clients/client-finspace-data/src/commands/UpdateUserCommand.ts +++ b/clients/client-finspace-data/src/commands/UpdateUserCommand.ts @@ -104,4 +104,16 @@ export class UpdateUserCommand extends $Command .f(UpdateUserRequestFilterSensitiveLog, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: UpdateUserResponse; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/package.json b/clients/client-finspace/package.json index b9c3fb90c1f9..48f316c94e5e 100644 --- a/clients/client-finspace/package.json +++ b/clients/client-finspace/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-finspace/src/commands/CreateEnvironmentCommand.ts b/clients/client-finspace/src/commands/CreateEnvironmentCommand.ts index c41b8ca3b099..2c37288c2abd 100644 --- a/clients/client-finspace/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/CreateEnvironmentCommand.ts @@ -129,4 +129,16 @@ export class CreateEnvironmentCommand extends $Command .f(CreateEnvironmentRequestFilterSensitiveLog, void 0) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentRequest; + output: CreateEnvironmentResponse; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxChangesetCommand.ts b/clients/client-finspace/src/commands/CreateKxChangesetCommand.ts index 42bfdc146b92..9d92d12f9948 100644 --- a/clients/client-finspace/src/commands/CreateKxChangesetCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxChangesetCommand.ts @@ -126,4 +126,16 @@ export class CreateKxChangesetCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxChangesetCommand) .de(de_CreateKxChangesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxChangesetRequest; + output: CreateKxChangesetResponse; + }; + sdk: { + input: CreateKxChangesetCommandInput; + output: CreateKxChangesetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxClusterCommand.ts b/clients/client-finspace/src/commands/CreateKxClusterCommand.ts index 92cbddb1320e..ce955f3babd1 100644 --- a/clients/client-finspace/src/commands/CreateKxClusterCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxClusterCommand.ts @@ -301,4 +301,16 @@ export class CreateKxClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxClusterCommand) .de(de_CreateKxClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxClusterRequest; + output: CreateKxClusterResponse; + }; + sdk: { + input: CreateKxClusterCommandInput; + output: CreateKxClusterCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxDatabaseCommand.ts b/clients/client-finspace/src/commands/CreateKxDatabaseCommand.ts index de47d4ba7750..506639120594 100644 --- a/clients/client-finspace/src/commands/CreateKxDatabaseCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxDatabaseCommand.ts @@ -113,4 +113,16 @@ export class CreateKxDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxDatabaseCommand) .de(de_CreateKxDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxDatabaseRequest; + output: CreateKxDatabaseResponse; + }; + sdk: { + input: CreateKxDatabaseCommandInput; + output: CreateKxDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxDataviewCommand.ts b/clients/client-finspace/src/commands/CreateKxDataviewCommand.ts index 310cbc7b1e69..10784ee94230 100644 --- a/clients/client-finspace/src/commands/CreateKxDataviewCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxDataviewCommand.ts @@ -144,4 +144,16 @@ export class CreateKxDataviewCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxDataviewCommand) .de(de_CreateKxDataviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxDataviewRequest; + output: CreateKxDataviewResponse; + }; + sdk: { + input: CreateKxDataviewCommandInput; + output: CreateKxDataviewCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxEnvironmentCommand.ts b/clients/client-finspace/src/commands/CreateKxEnvironmentCommand.ts index 2c357f1a5c9e..98a8f0b21b8e 100644 --- a/clients/client-finspace/src/commands/CreateKxEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxEnvironmentCommand.ts @@ -112,4 +112,16 @@ export class CreateKxEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxEnvironmentCommand) .de(de_CreateKxEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxEnvironmentRequest; + output: CreateKxEnvironmentResponse; + }; + sdk: { + input: CreateKxEnvironmentCommandInput; + output: CreateKxEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxScalingGroupCommand.ts b/clients/client-finspace/src/commands/CreateKxScalingGroupCommand.ts index a572d550114c..3226ab158384 100644 --- a/clients/client-finspace/src/commands/CreateKxScalingGroupCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxScalingGroupCommand.ts @@ -112,4 +112,16 @@ export class CreateKxScalingGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxScalingGroupCommand) .de(de_CreateKxScalingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxScalingGroupRequest; + output: CreateKxScalingGroupResponse; + }; + sdk: { + input: CreateKxScalingGroupCommandInput; + output: CreateKxScalingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxUserCommand.ts b/clients/client-finspace/src/commands/CreateKxUserCommand.ts index e9fb1f3b8390..f7015177f88b 100644 --- a/clients/client-finspace/src/commands/CreateKxUserCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxUserCommand.ts @@ -111,4 +111,16 @@ export class CreateKxUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxUserCommand) .de(de_CreateKxUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxUserRequest; + output: CreateKxUserResponse; + }; + sdk: { + input: CreateKxUserCommandInput; + output: CreateKxUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/CreateKxVolumeCommand.ts b/clients/client-finspace/src/commands/CreateKxVolumeCommand.ts index 12debf9994a0..e3dff9ecde7d 100644 --- a/clients/client-finspace/src/commands/CreateKxVolumeCommand.ts +++ b/clients/client-finspace/src/commands/CreateKxVolumeCommand.ts @@ -133,4 +133,16 @@ export class CreateKxVolumeCommand extends $Command .f(void 0, void 0) .ser(se_CreateKxVolumeCommand) .de(de_CreateKxVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKxVolumeRequest; + output: CreateKxVolumeResponse; + }; + sdk: { + input: CreateKxVolumeCommandInput; + output: CreateKxVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteEnvironmentCommand.ts b/clients/client-finspace/src/commands/DeleteEnvironmentCommand.ts index 8e3c139cafb5..58e759dd2cfc 100644 --- a/clients/client-finspace/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/DeleteEnvironmentCommand.ts @@ -93,4 +93,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxClusterCommand.ts b/clients/client-finspace/src/commands/DeleteKxClusterCommand.ts index 62920db2e63c..f75a8d273fde 100644 --- a/clients/client-finspace/src/commands/DeleteKxClusterCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxClusterCommand.ts @@ -99,4 +99,16 @@ export class DeleteKxClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxClusterCommand) .de(de_DeleteKxClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxClusterRequest; + output: {}; + }; + sdk: { + input: DeleteKxClusterCommandInput; + output: DeleteKxClusterCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxClusterNodeCommand.ts b/clients/client-finspace/src/commands/DeleteKxClusterNodeCommand.ts index b6ae0f5f9955..9a2de49a623f 100644 --- a/clients/client-finspace/src/commands/DeleteKxClusterNodeCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxClusterNodeCommand.ts @@ -94,4 +94,16 @@ export class DeleteKxClusterNodeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxClusterNodeCommand) .de(de_DeleteKxClusterNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxClusterNodeRequest; + output: {}; + }; + sdk: { + input: DeleteKxClusterNodeCommandInput; + output: DeleteKxClusterNodeCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxDatabaseCommand.ts b/clients/client-finspace/src/commands/DeleteKxDatabaseCommand.ts index 83d6729e8b77..4dc8a156603c 100644 --- a/clients/client-finspace/src/commands/DeleteKxDatabaseCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxDatabaseCommand.ts @@ -96,4 +96,16 @@ export class DeleteKxDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxDatabaseCommand) .de(de_DeleteKxDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxDatabaseRequest; + output: {}; + }; + sdk: { + input: DeleteKxDatabaseCommandInput; + output: DeleteKxDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxDataviewCommand.ts b/clients/client-finspace/src/commands/DeleteKxDataviewCommand.ts index 3f5ae775c09b..a6a7a798008a 100644 --- a/clients/client-finspace/src/commands/DeleteKxDataviewCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxDataviewCommand.ts @@ -98,4 +98,16 @@ export class DeleteKxDataviewCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxDataviewCommand) .de(de_DeleteKxDataviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxDataviewRequest; + output: {}; + }; + sdk: { + input: DeleteKxDataviewCommandInput; + output: DeleteKxDataviewCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxEnvironmentCommand.ts b/clients/client-finspace/src/commands/DeleteKxEnvironmentCommand.ts index 1bd74f308745..378e092df87c 100644 --- a/clients/client-finspace/src/commands/DeleteKxEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxEnvironmentCommand.ts @@ -95,4 +95,16 @@ export class DeleteKxEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxEnvironmentCommand) .de(de_DeleteKxEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteKxEnvironmentCommandInput; + output: DeleteKxEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxScalingGroupCommand.ts b/clients/client-finspace/src/commands/DeleteKxScalingGroupCommand.ts index d7b253e3daba..c7a92e9ba00b 100644 --- a/clients/client-finspace/src/commands/DeleteKxScalingGroupCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxScalingGroupCommand.ts @@ -100,4 +100,16 @@ export class DeleteKxScalingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxScalingGroupCommand) .de(de_DeleteKxScalingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxScalingGroupRequest; + output: {}; + }; + sdk: { + input: DeleteKxScalingGroupCommandInput; + output: DeleteKxScalingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxUserCommand.ts b/clients/client-finspace/src/commands/DeleteKxUserCommand.ts index 846fe925a087..e77ee8f780ef 100644 --- a/clients/client-finspace/src/commands/DeleteKxUserCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxUserCommand.ts @@ -96,4 +96,16 @@ export class DeleteKxUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxUserCommand) .de(de_DeleteKxUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxUserRequest; + output: {}; + }; + sdk: { + input: DeleteKxUserCommandInput; + output: DeleteKxUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/DeleteKxVolumeCommand.ts b/clients/client-finspace/src/commands/DeleteKxVolumeCommand.ts index 3af9cdb88946..0790909897da 100644 --- a/clients/client-finspace/src/commands/DeleteKxVolumeCommand.ts +++ b/clients/client-finspace/src/commands/DeleteKxVolumeCommand.ts @@ -102,4 +102,16 @@ export class DeleteKxVolumeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKxVolumeCommand) .de(de_DeleteKxVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKxVolumeRequest; + output: {}; + }; + sdk: { + input: DeleteKxVolumeCommandInput; + output: DeleteKxVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetEnvironmentCommand.ts b/clients/client-finspace/src/commands/GetEnvironmentCommand.ts index 3bb56d130559..5bedf788de61 100644 --- a/clients/client-finspace/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/GetEnvironmentCommand.ts @@ -114,4 +114,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentRequest; + output: GetEnvironmentResponse; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxChangesetCommand.ts b/clients/client-finspace/src/commands/GetKxChangesetCommand.ts index f2cb223cd26d..6c0bfa9c70fe 100644 --- a/clients/client-finspace/src/commands/GetKxChangesetCommand.ts +++ b/clients/client-finspace/src/commands/GetKxChangesetCommand.ts @@ -112,4 +112,16 @@ export class GetKxChangesetCommand extends $Command .f(void 0, void 0) .ser(se_GetKxChangesetCommand) .de(de_GetKxChangesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxChangesetRequest; + output: GetKxChangesetResponse; + }; + sdk: { + input: GetKxChangesetCommandInput; + output: GetKxChangesetCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxClusterCommand.ts b/clients/client-finspace/src/commands/GetKxClusterCommand.ts index de0bc1e914bf..7c71d268a12a 100644 --- a/clients/client-finspace/src/commands/GetKxClusterCommand.ts +++ b/clients/client-finspace/src/commands/GetKxClusterCommand.ts @@ -203,4 +203,16 @@ export class GetKxClusterCommand extends $Command .f(void 0, void 0) .ser(se_GetKxClusterCommand) .de(de_GetKxClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxClusterRequest; + output: GetKxClusterResponse; + }; + sdk: { + input: GetKxClusterCommandInput; + output: GetKxClusterCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxConnectionStringCommand.ts b/clients/client-finspace/src/commands/GetKxConnectionStringCommand.ts index cb24094bb868..2431420b46ed 100644 --- a/clients/client-finspace/src/commands/GetKxConnectionStringCommand.ts +++ b/clients/client-finspace/src/commands/GetKxConnectionStringCommand.ts @@ -99,4 +99,16 @@ export class GetKxConnectionStringCommand extends $Command .f(void 0, GetKxConnectionStringResponseFilterSensitiveLog) .ser(se_GetKxConnectionStringCommand) .de(de_GetKxConnectionStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxConnectionStringRequest; + output: GetKxConnectionStringResponse; + }; + sdk: { + input: GetKxConnectionStringCommandInput; + output: GetKxConnectionStringCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxDatabaseCommand.ts b/clients/client-finspace/src/commands/GetKxDatabaseCommand.ts index b277abe63893..cd52f71427d3 100644 --- a/clients/client-finspace/src/commands/GetKxDatabaseCommand.ts +++ b/clients/client-finspace/src/commands/GetKxDatabaseCommand.ts @@ -103,4 +103,16 @@ export class GetKxDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_GetKxDatabaseCommand) .de(de_GetKxDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxDatabaseRequest; + output: GetKxDatabaseResponse; + }; + sdk: { + input: GetKxDatabaseCommandInput; + output: GetKxDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxDataviewCommand.ts b/clients/client-finspace/src/commands/GetKxDataviewCommand.ts index aee0fcc4428a..82b1e15ef091 100644 --- a/clients/client-finspace/src/commands/GetKxDataviewCommand.ts +++ b/clients/client-finspace/src/commands/GetKxDataviewCommand.ts @@ -137,4 +137,16 @@ export class GetKxDataviewCommand extends $Command .f(void 0, void 0) .ser(se_GetKxDataviewCommand) .de(de_GetKxDataviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxDataviewRequest; + output: GetKxDataviewResponse; + }; + sdk: { + input: GetKxDataviewCommandInput; + output: GetKxDataviewCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxEnvironmentCommand.ts b/clients/client-finspace/src/commands/GetKxEnvironmentCommand.ts index c98186bfe442..02d679f36133 100644 --- a/clients/client-finspace/src/commands/GetKxEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/GetKxEnvironmentCommand.ts @@ -135,4 +135,16 @@ export class GetKxEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_GetKxEnvironmentCommand) .de(de_GetKxEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxEnvironmentRequest; + output: GetKxEnvironmentResponse; + }; + sdk: { + input: GetKxEnvironmentCommandInput; + output: GetKxEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxScalingGroupCommand.ts b/clients/client-finspace/src/commands/GetKxScalingGroupCommand.ts index 1e60d1f91796..4dbedce570a3 100644 --- a/clients/client-finspace/src/commands/GetKxScalingGroupCommand.ts +++ b/clients/client-finspace/src/commands/GetKxScalingGroupCommand.ts @@ -111,4 +111,16 @@ export class GetKxScalingGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetKxScalingGroupCommand) .de(de_GetKxScalingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxScalingGroupRequest; + output: GetKxScalingGroupResponse; + }; + sdk: { + input: GetKxScalingGroupCommandInput; + output: GetKxScalingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxUserCommand.ts b/clients/client-finspace/src/commands/GetKxUserCommand.ts index 7c5029ec8c4f..813a24c6878f 100644 --- a/clients/client-finspace/src/commands/GetKxUserCommand.ts +++ b/clients/client-finspace/src/commands/GetKxUserCommand.ts @@ -97,4 +97,16 @@ export class GetKxUserCommand extends $Command .f(void 0, void 0) .ser(se_GetKxUserCommand) .de(de_GetKxUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxUserRequest; + output: GetKxUserResponse; + }; + sdk: { + input: GetKxUserCommandInput; + output: GetKxUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/GetKxVolumeCommand.ts b/clients/client-finspace/src/commands/GetKxVolumeCommand.ts index 40de775baed2..48212ee352c9 100644 --- a/clients/client-finspace/src/commands/GetKxVolumeCommand.ts +++ b/clients/client-finspace/src/commands/GetKxVolumeCommand.ts @@ -124,4 +124,16 @@ export class GetKxVolumeCommand extends $Command .f(void 0, void 0) .ser(se_GetKxVolumeCommand) .de(de_GetKxVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKxVolumeRequest; + output: GetKxVolumeResponse; + }; + sdk: { + input: GetKxVolumeCommandInput; + output: GetKxVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListEnvironmentsCommand.ts b/clients/client-finspace/src/commands/ListEnvironmentsCommand.ts index 7d6aa7494341..063947754b61 100644 --- a/clients/client-finspace/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-finspace/src/commands/ListEnvironmentsCommand.ts @@ -115,4 +115,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsRequest; + output: ListEnvironmentsResponse; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxChangesetsCommand.ts b/clients/client-finspace/src/commands/ListKxChangesetsCommand.ts index df35d253f72e..515e1cd5f362 100644 --- a/clients/client-finspace/src/commands/ListKxChangesetsCommand.ts +++ b/clients/client-finspace/src/commands/ListKxChangesetsCommand.ts @@ -105,4 +105,16 @@ export class ListKxChangesetsCommand extends $Command .f(void 0, void 0) .ser(se_ListKxChangesetsCommand) .de(de_ListKxChangesetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxChangesetsRequest; + output: ListKxChangesetsResponse; + }; + sdk: { + input: ListKxChangesetsCommandInput; + output: ListKxChangesetsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxClusterNodesCommand.ts b/clients/client-finspace/src/commands/ListKxClusterNodesCommand.ts index 8770e14eb789..556f45cd3a98 100644 --- a/clients/client-finspace/src/commands/ListKxClusterNodesCommand.ts +++ b/clients/client-finspace/src/commands/ListKxClusterNodesCommand.ts @@ -107,4 +107,16 @@ export class ListKxClusterNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListKxClusterNodesCommand) .de(de_ListKxClusterNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxClusterNodesRequest; + output: ListKxClusterNodesResponse; + }; + sdk: { + input: ListKxClusterNodesCommandInput; + output: ListKxClusterNodesCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxClustersCommand.ts b/clients/client-finspace/src/commands/ListKxClustersCommand.ts index fd82688d8c30..169a55576fff 100644 --- a/clients/client-finspace/src/commands/ListKxClustersCommand.ts +++ b/clients/client-finspace/src/commands/ListKxClustersCommand.ts @@ -124,4 +124,16 @@ export class ListKxClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListKxClustersCommand) .de(de_ListKxClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxClustersRequest; + output: ListKxClustersResponse; + }; + sdk: { + input: ListKxClustersCommandInput; + output: ListKxClustersCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxDatabasesCommand.ts b/clients/client-finspace/src/commands/ListKxDatabasesCommand.ts index 10a41c8b6271..a27699d3d3b8 100644 --- a/clients/client-finspace/src/commands/ListKxDatabasesCommand.ts +++ b/clients/client-finspace/src/commands/ListKxDatabasesCommand.ts @@ -102,4 +102,16 @@ export class ListKxDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_ListKxDatabasesCommand) .de(de_ListKxDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxDatabasesRequest; + output: ListKxDatabasesResponse; + }; + sdk: { + input: ListKxDatabasesCommandInput; + output: ListKxDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxDataviewsCommand.ts b/clients/client-finspace/src/commands/ListKxDataviewsCommand.ts index c94f3dfba606..544aaeb5e072 100644 --- a/clients/client-finspace/src/commands/ListKxDataviewsCommand.ts +++ b/clients/client-finspace/src/commands/ListKxDataviewsCommand.ts @@ -142,4 +142,16 @@ export class ListKxDataviewsCommand extends $Command .f(void 0, void 0) .ser(se_ListKxDataviewsCommand) .de(de_ListKxDataviewsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxDataviewsRequest; + output: ListKxDataviewsResponse; + }; + sdk: { + input: ListKxDataviewsCommandInput; + output: ListKxDataviewsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxEnvironmentsCommand.ts b/clients/client-finspace/src/commands/ListKxEnvironmentsCommand.ts index 10b5cf64a2a5..998b43fbcbbb 100644 --- a/clients/client-finspace/src/commands/ListKxEnvironmentsCommand.ts +++ b/clients/client-finspace/src/commands/ListKxEnvironmentsCommand.ts @@ -135,4 +135,16 @@ export class ListKxEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListKxEnvironmentsCommand) .de(de_ListKxEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxEnvironmentsRequest; + output: ListKxEnvironmentsResponse; + }; + sdk: { + input: ListKxEnvironmentsCommandInput; + output: ListKxEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxScalingGroupsCommand.ts b/clients/client-finspace/src/commands/ListKxScalingGroupsCommand.ts index 61512a400b56..4ad5ccc8d112 100644 --- a/clients/client-finspace/src/commands/ListKxScalingGroupsCommand.ts +++ b/clients/client-finspace/src/commands/ListKxScalingGroupsCommand.ts @@ -116,4 +116,16 @@ export class ListKxScalingGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListKxScalingGroupsCommand) .de(de_ListKxScalingGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxScalingGroupsRequest; + output: ListKxScalingGroupsResponse; + }; + sdk: { + input: ListKxScalingGroupsCommandInput; + output: ListKxScalingGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxUsersCommand.ts b/clients/client-finspace/src/commands/ListKxUsersCommand.ts index 545540151934..f00bc62c907a 100644 --- a/clients/client-finspace/src/commands/ListKxUsersCommand.ts +++ b/clients/client-finspace/src/commands/ListKxUsersCommand.ts @@ -104,4 +104,16 @@ export class ListKxUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListKxUsersCommand) .de(de_ListKxUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxUsersRequest; + output: ListKxUsersResponse; + }; + sdk: { + input: ListKxUsersCommandInput; + output: ListKxUsersCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListKxVolumesCommand.ts b/clients/client-finspace/src/commands/ListKxVolumesCommand.ts index 07021c621517..ea2a0bd48275 100644 --- a/clients/client-finspace/src/commands/ListKxVolumesCommand.ts +++ b/clients/client-finspace/src/commands/ListKxVolumesCommand.ts @@ -119,4 +119,16 @@ export class ListKxVolumesCommand extends $Command .f(void 0, void 0) .ser(se_ListKxVolumesCommand) .de(de_ListKxVolumesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKxVolumesRequest; + output: ListKxVolumesResponse; + }; + sdk: { + input: ListKxVolumesCommandInput; + output: ListKxVolumesCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/ListTagsForResourceCommand.ts b/clients/client-finspace/src/commands/ListTagsForResourceCommand.ts index 30ccefc9135e..90622173e0f7 100644 --- a/clients/client-finspace/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-finspace/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/TagResourceCommand.ts b/clients/client-finspace/src/commands/TagResourceCommand.ts index 9a02b7d9619f..1c82781d3528 100644 --- a/clients/client-finspace/src/commands/TagResourceCommand.ts +++ b/clients/client-finspace/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UntagResourceCommand.ts b/clients/client-finspace/src/commands/UntagResourceCommand.ts index 28a7fb26a58c..2d337dbc6b01 100644 --- a/clients/client-finspace/src/commands/UntagResourceCommand.ts +++ b/clients/client-finspace/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateEnvironmentCommand.ts b/clients/client-finspace/src/commands/UpdateEnvironmentCommand.ts index 2904b3dee5c5..981c48ebeafa 100644 --- a/clients/client-finspace/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/UpdateEnvironmentCommand.ts @@ -130,4 +130,16 @@ export class UpdateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentRequest; + output: UpdateEnvironmentResponse; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxClusterCodeConfigurationCommand.ts b/clients/client-finspace/src/commands/UpdateKxClusterCodeConfigurationCommand.ts index 280a79d4dc7e..2e75e2803bd3 100644 --- a/clients/client-finspace/src/commands/UpdateKxClusterCodeConfigurationCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxClusterCodeConfigurationCommand.ts @@ -122,4 +122,16 @@ export class UpdateKxClusterCodeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxClusterCodeConfigurationCommand) .de(de_UpdateKxClusterCodeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxClusterCodeConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateKxClusterCodeConfigurationCommandInput; + output: UpdateKxClusterCodeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxClusterDatabasesCommand.ts b/clients/client-finspace/src/commands/UpdateKxClusterDatabasesCommand.ts index 4bacb0732df9..1dc83bc2189c 100644 --- a/clients/client-finspace/src/commands/UpdateKxClusterDatabasesCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxClusterDatabasesCommand.ts @@ -133,4 +133,16 @@ export class UpdateKxClusterDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxClusterDatabasesCommand) .de(de_UpdateKxClusterDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxClusterDatabasesRequest; + output: {}; + }; + sdk: { + input: UpdateKxClusterDatabasesCommandInput; + output: UpdateKxClusterDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxDatabaseCommand.ts b/clients/client-finspace/src/commands/UpdateKxDatabaseCommand.ts index 50cdafa4b829..54e5d8c6356a 100644 --- a/clients/client-finspace/src/commands/UpdateKxDatabaseCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxDatabaseCommand.ts @@ -102,4 +102,16 @@ export class UpdateKxDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxDatabaseCommand) .de(de_UpdateKxDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxDatabaseRequest; + output: UpdateKxDatabaseResponse; + }; + sdk: { + input: UpdateKxDatabaseCommandInput; + output: UpdateKxDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxDataviewCommand.ts b/clients/client-finspace/src/commands/UpdateKxDataviewCommand.ts index 76af014aa318..3ac7f4069d00 100644 --- a/clients/client-finspace/src/commands/UpdateKxDataviewCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxDataviewCommand.ts @@ -153,4 +153,16 @@ export class UpdateKxDataviewCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxDataviewCommand) .de(de_UpdateKxDataviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxDataviewRequest; + output: UpdateKxDataviewResponse; + }; + sdk: { + input: UpdateKxDataviewCommandInput; + output: UpdateKxDataviewCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxEnvironmentCommand.ts b/clients/client-finspace/src/commands/UpdateKxEnvironmentCommand.ts index 43f09d3fe765..df811a9f6f76 100644 --- a/clients/client-finspace/src/commands/UpdateKxEnvironmentCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxEnvironmentCommand.ts @@ -140,4 +140,16 @@ export class UpdateKxEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxEnvironmentCommand) .de(de_UpdateKxEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxEnvironmentRequest; + output: UpdateKxEnvironmentResponse; + }; + sdk: { + input: UpdateKxEnvironmentCommandInput; + output: UpdateKxEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxEnvironmentNetworkCommand.ts b/clients/client-finspace/src/commands/UpdateKxEnvironmentNetworkCommand.ts index 31a27956b779..f5430ca12525 100644 --- a/clients/client-finspace/src/commands/UpdateKxEnvironmentNetworkCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxEnvironmentNetworkCommand.ts @@ -165,4 +165,16 @@ export class UpdateKxEnvironmentNetworkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxEnvironmentNetworkCommand) .de(de_UpdateKxEnvironmentNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxEnvironmentNetworkRequest; + output: UpdateKxEnvironmentNetworkResponse; + }; + sdk: { + input: UpdateKxEnvironmentNetworkCommandInput; + output: UpdateKxEnvironmentNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxUserCommand.ts b/clients/client-finspace/src/commands/UpdateKxUserCommand.ts index b2bb249278d4..13ba4a77d7db 100644 --- a/clients/client-finspace/src/commands/UpdateKxUserCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxUserCommand.ts @@ -105,4 +105,16 @@ export class UpdateKxUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxUserCommand) .de(de_UpdateKxUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxUserRequest; + output: UpdateKxUserResponse; + }; + sdk: { + input: UpdateKxUserCommandInput; + output: UpdateKxUserCommandOutput; + }; + }; +} diff --git a/clients/client-finspace/src/commands/UpdateKxVolumeCommand.ts b/clients/client-finspace/src/commands/UpdateKxVolumeCommand.ts index a193a592dbc2..16e1dc14cee2 100644 --- a/clients/client-finspace/src/commands/UpdateKxVolumeCommand.ts +++ b/clients/client-finspace/src/commands/UpdateKxVolumeCommand.ts @@ -132,4 +132,16 @@ export class UpdateKxVolumeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKxVolumeCommand) .de(de_UpdateKxVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKxVolumeRequest; + output: UpdateKxVolumeResponse; + }; + sdk: { + input: UpdateKxVolumeCommandInput; + output: UpdateKxVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/package.json b/clients/client-firehose/package.json index 1fbb9ecf13aa..88e07b85363f 100644 --- a/clients/client-firehose/package.json +++ b/clients/client-firehose/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-firehose/src/commands/CreateDeliveryStreamCommand.ts b/clients/client-firehose/src/commands/CreateDeliveryStreamCommand.ts index eaa923585d3a..92239cd40f0e 100644 --- a/clients/client-firehose/src/commands/CreateDeliveryStreamCommand.ts +++ b/clients/client-firehose/src/commands/CreateDeliveryStreamCommand.ts @@ -658,4 +658,16 @@ export class CreateDeliveryStreamCommand extends $Command .f(CreateDeliveryStreamInputFilterSensitiveLog, void 0) .ser(se_CreateDeliveryStreamCommand) .de(de_CreateDeliveryStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeliveryStreamInput; + output: CreateDeliveryStreamOutput; + }; + sdk: { + input: CreateDeliveryStreamCommandInput; + output: CreateDeliveryStreamCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/DeleteDeliveryStreamCommand.ts b/clients/client-firehose/src/commands/DeleteDeliveryStreamCommand.ts index 3976072276dd..5553662911bb 100644 --- a/clients/client-firehose/src/commands/DeleteDeliveryStreamCommand.ts +++ b/clients/client-firehose/src/commands/DeleteDeliveryStreamCommand.ts @@ -94,4 +94,16 @@ export class DeleteDeliveryStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeliveryStreamCommand) .de(de_DeleteDeliveryStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeliveryStreamInput; + output: {}; + }; + sdk: { + input: DeleteDeliveryStreamCommandInput; + output: DeleteDeliveryStreamCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/DescribeDeliveryStreamCommand.ts b/clients/client-firehose/src/commands/DescribeDeliveryStreamCommand.ts index 903a8b8391ac..d6e692a2a9ec 100644 --- a/clients/client-firehose/src/commands/DescribeDeliveryStreamCommand.ts +++ b/clients/client-firehose/src/commands/DescribeDeliveryStreamCommand.ts @@ -606,4 +606,16 @@ export class DescribeDeliveryStreamCommand extends $Command .f(void 0, DescribeDeliveryStreamOutputFilterSensitiveLog) .ser(se_DescribeDeliveryStreamCommand) .de(de_DescribeDeliveryStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeliveryStreamInput; + output: DescribeDeliveryStreamOutput; + }; + sdk: { + input: DescribeDeliveryStreamCommandInput; + output: DescribeDeliveryStreamCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/ListDeliveryStreamsCommand.ts b/clients/client-firehose/src/commands/ListDeliveryStreamsCommand.ts index 92474ab494de..be4786da713e 100644 --- a/clients/client-firehose/src/commands/ListDeliveryStreamsCommand.ts +++ b/clients/client-firehose/src/commands/ListDeliveryStreamsCommand.ts @@ -89,4 +89,16 @@ export class ListDeliveryStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeliveryStreamsCommand) .de(de_ListDeliveryStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeliveryStreamsInput; + output: ListDeliveryStreamsOutput; + }; + sdk: { + input: ListDeliveryStreamsCommandInput; + output: ListDeliveryStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/ListTagsForDeliveryStreamCommand.ts b/clients/client-firehose/src/commands/ListTagsForDeliveryStreamCommand.ts index e1934461d632..a76db5a031ca 100644 --- a/clients/client-firehose/src/commands/ListTagsForDeliveryStreamCommand.ts +++ b/clients/client-firehose/src/commands/ListTagsForDeliveryStreamCommand.ts @@ -95,4 +95,16 @@ export class ListTagsForDeliveryStreamCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForDeliveryStreamCommand) .de(de_ListTagsForDeliveryStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForDeliveryStreamInput; + output: ListTagsForDeliveryStreamOutput; + }; + sdk: { + input: ListTagsForDeliveryStreamCommandInput; + output: ListTagsForDeliveryStreamCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/PutRecordBatchCommand.ts b/clients/client-firehose/src/commands/PutRecordBatchCommand.ts index 8aa9030ea49c..2703733f801a 100644 --- a/clients/client-firehose/src/commands/PutRecordBatchCommand.ts +++ b/clients/client-firehose/src/commands/PutRecordBatchCommand.ts @@ -165,4 +165,16 @@ export class PutRecordBatchCommand extends $Command .f(void 0, void 0) .ser(se_PutRecordBatchCommand) .de(de_PutRecordBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRecordBatchInput; + output: PutRecordBatchOutput; + }; + sdk: { + input: PutRecordBatchCommandInput; + output: PutRecordBatchCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/PutRecordCommand.ts b/clients/client-firehose/src/commands/PutRecordCommand.ts index 48eb7cc42cf6..2ff6f08be691 100644 --- a/clients/client-firehose/src/commands/PutRecordCommand.ts +++ b/clients/client-firehose/src/commands/PutRecordCommand.ts @@ -138,4 +138,16 @@ export class PutRecordCommand extends $Command .f(void 0, void 0) .ser(se_PutRecordCommand) .de(de_PutRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRecordInput; + output: PutRecordOutput; + }; + sdk: { + input: PutRecordCommandInput; + output: PutRecordCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/StartDeliveryStreamEncryptionCommand.ts b/clients/client-firehose/src/commands/StartDeliveryStreamEncryptionCommand.ts index 72c55a7f288d..cddca96e110d 100644 --- a/clients/client-firehose/src/commands/StartDeliveryStreamEncryptionCommand.ts +++ b/clients/client-firehose/src/commands/StartDeliveryStreamEncryptionCommand.ts @@ -140,4 +140,16 @@ export class StartDeliveryStreamEncryptionCommand extends $Command .f(void 0, void 0) .ser(se_StartDeliveryStreamEncryptionCommand) .de(de_StartDeliveryStreamEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDeliveryStreamEncryptionInput; + output: {}; + }; + sdk: { + input: StartDeliveryStreamEncryptionCommandInput; + output: StartDeliveryStreamEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/StopDeliveryStreamEncryptionCommand.ts b/clients/client-firehose/src/commands/StopDeliveryStreamEncryptionCommand.ts index 5b5c48860621..9ec8e02068e7 100644 --- a/clients/client-firehose/src/commands/StopDeliveryStreamEncryptionCommand.ts +++ b/clients/client-firehose/src/commands/StopDeliveryStreamEncryptionCommand.ts @@ -110,4 +110,16 @@ export class StopDeliveryStreamEncryptionCommand extends $Command .f(void 0, void 0) .ser(se_StopDeliveryStreamEncryptionCommand) .de(de_StopDeliveryStreamEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDeliveryStreamEncryptionInput; + output: {}; + }; + sdk: { + input: StopDeliveryStreamEncryptionCommandInput; + output: StopDeliveryStreamEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/TagDeliveryStreamCommand.ts b/clients/client-firehose/src/commands/TagDeliveryStreamCommand.ts index e1985739ada0..c53b62d12fb7 100644 --- a/clients/client-firehose/src/commands/TagDeliveryStreamCommand.ts +++ b/clients/client-firehose/src/commands/TagDeliveryStreamCommand.ts @@ -102,4 +102,16 @@ export class TagDeliveryStreamCommand extends $Command .f(void 0, void 0) .ser(se_TagDeliveryStreamCommand) .de(de_TagDeliveryStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagDeliveryStreamInput; + output: {}; + }; + sdk: { + input: TagDeliveryStreamCommandInput; + output: TagDeliveryStreamCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/UntagDeliveryStreamCommand.ts b/clients/client-firehose/src/commands/UntagDeliveryStreamCommand.ts index ae7e367f77a5..f20babcd9fa7 100644 --- a/clients/client-firehose/src/commands/UntagDeliveryStreamCommand.ts +++ b/clients/client-firehose/src/commands/UntagDeliveryStreamCommand.ts @@ -93,4 +93,16 @@ export class UntagDeliveryStreamCommand extends $Command .f(void 0, void 0) .ser(se_UntagDeliveryStreamCommand) .de(de_UntagDeliveryStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagDeliveryStreamInput; + output: {}; + }; + sdk: { + input: UntagDeliveryStreamCommandInput; + output: UntagDeliveryStreamCommandOutput; + }; + }; +} diff --git a/clients/client-firehose/src/commands/UpdateDestinationCommand.ts b/clients/client-firehose/src/commands/UpdateDestinationCommand.ts index fe01bbdd4115..116db9006b14 100644 --- a/clients/client-firehose/src/commands/UpdateDestinationCommand.ts +++ b/clients/client-firehose/src/commands/UpdateDestinationCommand.ts @@ -563,4 +563,16 @@ export class UpdateDestinationCommand extends $Command .f(UpdateDestinationInputFilterSensitiveLog, void 0) .ser(se_UpdateDestinationCommand) .de(de_UpdateDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDestinationInput; + output: {}; + }; + sdk: { + input: UpdateDestinationCommandInput; + output: UpdateDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-fis/package.json b/clients/client-fis/package.json index 371df57e9abf..f09d974299de 100644 --- a/clients/client-fis/package.json +++ b/clients/client-fis/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-fis/src/commands/CreateExperimentTemplateCommand.ts b/clients/client-fis/src/commands/CreateExperimentTemplateCommand.ts index 9454a87b69e2..54fef9744a19 100644 --- a/clients/client-fis/src/commands/CreateExperimentTemplateCommand.ts +++ b/clients/client-fis/src/commands/CreateExperimentTemplateCommand.ts @@ -243,4 +243,16 @@ export class CreateExperimentTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateExperimentTemplateCommand) .de(de_CreateExperimentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExperimentTemplateRequest; + output: CreateExperimentTemplateResponse; + }; + sdk: { + input: CreateExperimentTemplateCommandInput; + output: CreateExperimentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/CreateTargetAccountConfigurationCommand.ts b/clients/client-fis/src/commands/CreateTargetAccountConfigurationCommand.ts index b5d06e6b8405..3fce841bfa10 100644 --- a/clients/client-fis/src/commands/CreateTargetAccountConfigurationCommand.ts +++ b/clients/client-fis/src/commands/CreateTargetAccountConfigurationCommand.ts @@ -106,4 +106,16 @@ export class CreateTargetAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateTargetAccountConfigurationCommand) .de(de_CreateTargetAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTargetAccountConfigurationRequest; + output: CreateTargetAccountConfigurationResponse; + }; + sdk: { + input: CreateTargetAccountConfigurationCommandInput; + output: CreateTargetAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/DeleteExperimentTemplateCommand.ts b/clients/client-fis/src/commands/DeleteExperimentTemplateCommand.ts index 17035bfc1fa4..f1c23335b672 100644 --- a/clients/client-fis/src/commands/DeleteExperimentTemplateCommand.ts +++ b/clients/client-fis/src/commands/DeleteExperimentTemplateCommand.ts @@ -152,4 +152,16 @@ export class DeleteExperimentTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExperimentTemplateCommand) .de(de_DeleteExperimentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExperimentTemplateRequest; + output: DeleteExperimentTemplateResponse; + }; + sdk: { + input: DeleteExperimentTemplateCommandInput; + output: DeleteExperimentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/DeleteTargetAccountConfigurationCommand.ts b/clients/client-fis/src/commands/DeleteTargetAccountConfigurationCommand.ts index 6d6ed78b2b59..35f22fab8f6b 100644 --- a/clients/client-fis/src/commands/DeleteTargetAccountConfigurationCommand.ts +++ b/clients/client-fis/src/commands/DeleteTargetAccountConfigurationCommand.ts @@ -93,4 +93,16 @@ export class DeleteTargetAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTargetAccountConfigurationCommand) .de(de_DeleteTargetAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTargetAccountConfigurationRequest; + output: DeleteTargetAccountConfigurationResponse; + }; + sdk: { + input: DeleteTargetAccountConfigurationCommandInput; + output: DeleteTargetAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/GetActionCommand.ts b/clients/client-fis/src/commands/GetActionCommand.ts index 8eed13a2e4ce..43acf447babd 100644 --- a/clients/client-fis/src/commands/GetActionCommand.ts +++ b/clients/client-fis/src/commands/GetActionCommand.ts @@ -101,4 +101,16 @@ export class GetActionCommand extends $Command .f(void 0, void 0) .ser(se_GetActionCommand) .de(de_GetActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetActionRequest; + output: GetActionResponse; + }; + sdk: { + input: GetActionCommandInput; + output: GetActionCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/GetExperimentCommand.ts b/clients/client-fis/src/commands/GetExperimentCommand.ts index 4283d4330933..62df95eee842 100644 --- a/clients/client-fis/src/commands/GetExperimentCommand.ts +++ b/clients/client-fis/src/commands/GetExperimentCommand.ts @@ -169,4 +169,16 @@ export class GetExperimentCommand extends $Command .f(void 0, void 0) .ser(se_GetExperimentCommand) .de(de_GetExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExperimentRequest; + output: GetExperimentResponse; + }; + sdk: { + input: GetExperimentCommandInput; + output: GetExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/GetExperimentTargetAccountConfigurationCommand.ts b/clients/client-fis/src/commands/GetExperimentTargetAccountConfigurationCommand.ts index 5446f6352f5b..f57bc2396e54 100644 --- a/clients/client-fis/src/commands/GetExperimentTargetAccountConfigurationCommand.ts +++ b/clients/client-fis/src/commands/GetExperimentTargetAccountConfigurationCommand.ts @@ -97,4 +97,16 @@ export class GetExperimentTargetAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetExperimentTargetAccountConfigurationCommand) .de(de_GetExperimentTargetAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExperimentTargetAccountConfigurationRequest; + output: GetExperimentTargetAccountConfigurationResponse; + }; + sdk: { + input: GetExperimentTargetAccountConfigurationCommandInput; + output: GetExperimentTargetAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/GetExperimentTemplateCommand.ts b/clients/client-fis/src/commands/GetExperimentTemplateCommand.ts index 875bf4352add..035d70458fef 100644 --- a/clients/client-fis/src/commands/GetExperimentTemplateCommand.ts +++ b/clients/client-fis/src/commands/GetExperimentTemplateCommand.ts @@ -152,4 +152,16 @@ export class GetExperimentTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetExperimentTemplateCommand) .de(de_GetExperimentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExperimentTemplateRequest; + output: GetExperimentTemplateResponse; + }; + sdk: { + input: GetExperimentTemplateCommandInput; + output: GetExperimentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/GetSafetyLeverCommand.ts b/clients/client-fis/src/commands/GetSafetyLeverCommand.ts index 0656149225a8..13fe1181d5fe 100644 --- a/clients/client-fis/src/commands/GetSafetyLeverCommand.ts +++ b/clients/client-fis/src/commands/GetSafetyLeverCommand.ts @@ -89,4 +89,16 @@ export class GetSafetyLeverCommand extends $Command .f(void 0, void 0) .ser(se_GetSafetyLeverCommand) .de(de_GetSafetyLeverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSafetyLeverRequest; + output: GetSafetyLeverResponse; + }; + sdk: { + input: GetSafetyLeverCommandInput; + output: GetSafetyLeverCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/GetTargetAccountConfigurationCommand.ts b/clients/client-fis/src/commands/GetTargetAccountConfigurationCommand.ts index 088649d37fc3..f5e7735eb6e1 100644 --- a/clients/client-fis/src/commands/GetTargetAccountConfigurationCommand.ts +++ b/clients/client-fis/src/commands/GetTargetAccountConfigurationCommand.ts @@ -93,4 +93,16 @@ export class GetTargetAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetTargetAccountConfigurationCommand) .de(de_GetTargetAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTargetAccountConfigurationRequest; + output: GetTargetAccountConfigurationResponse; + }; + sdk: { + input: GetTargetAccountConfigurationCommandInput; + output: GetTargetAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/GetTargetResourceTypeCommand.ts b/clients/client-fis/src/commands/GetTargetResourceTypeCommand.ts index 73c661685d99..145eec7c4cfd 100644 --- a/clients/client-fis/src/commands/GetTargetResourceTypeCommand.ts +++ b/clients/client-fis/src/commands/GetTargetResourceTypeCommand.ts @@ -92,4 +92,16 @@ export class GetTargetResourceTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetTargetResourceTypeCommand) .de(de_GetTargetResourceTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTargetResourceTypeRequest; + output: GetTargetResourceTypeResponse; + }; + sdk: { + input: GetTargetResourceTypeCommandInput; + output: GetTargetResourceTypeCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListActionsCommand.ts b/clients/client-fis/src/commands/ListActionsCommand.ts index a4534e200de0..3f36a372afd7 100644 --- a/clients/client-fis/src/commands/ListActionsCommand.ts +++ b/clients/client-fis/src/commands/ListActionsCommand.ts @@ -96,4 +96,16 @@ export class ListActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListActionsCommand) .de(de_ListActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActionsRequest; + output: ListActionsResponse; + }; + sdk: { + input: ListActionsCommandInput; + output: ListActionsCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListExperimentResolvedTargetsCommand.ts b/clients/client-fis/src/commands/ListExperimentResolvedTargetsCommand.ts index ad9714e99794..8acf2961414e 100644 --- a/clients/client-fis/src/commands/ListExperimentResolvedTargetsCommand.ts +++ b/clients/client-fis/src/commands/ListExperimentResolvedTargetsCommand.ts @@ -100,4 +100,16 @@ export class ListExperimentResolvedTargetsCommand extends $Command .f(void 0, void 0) .ser(se_ListExperimentResolvedTargetsCommand) .de(de_ListExperimentResolvedTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperimentResolvedTargetsRequest; + output: ListExperimentResolvedTargetsResponse; + }; + sdk: { + input: ListExperimentResolvedTargetsCommandInput; + output: ListExperimentResolvedTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListExperimentTargetAccountConfigurationsCommand.ts b/clients/client-fis/src/commands/ListExperimentTargetAccountConfigurationsCommand.ts index 7fce7d7083de..15f8456a6ac4 100644 --- a/clients/client-fis/src/commands/ListExperimentTargetAccountConfigurationsCommand.ts +++ b/clients/client-fis/src/commands/ListExperimentTargetAccountConfigurationsCommand.ts @@ -100,4 +100,16 @@ export class ListExperimentTargetAccountConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListExperimentTargetAccountConfigurationsCommand) .de(de_ListExperimentTargetAccountConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperimentTargetAccountConfigurationsRequest; + output: ListExperimentTargetAccountConfigurationsResponse; + }; + sdk: { + input: ListExperimentTargetAccountConfigurationsCommandInput; + output: ListExperimentTargetAccountConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListExperimentTemplatesCommand.ts b/clients/client-fis/src/commands/ListExperimentTemplatesCommand.ts index c620f10cfe70..dfc3b44bbad3 100644 --- a/clients/client-fis/src/commands/ListExperimentTemplatesCommand.ts +++ b/clients/client-fis/src/commands/ListExperimentTemplatesCommand.ts @@ -93,4 +93,16 @@ export class ListExperimentTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListExperimentTemplatesCommand) .de(de_ListExperimentTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperimentTemplatesRequest; + output: ListExperimentTemplatesResponse; + }; + sdk: { + input: ListExperimentTemplatesCommandInput; + output: ListExperimentTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListExperimentsCommand.ts b/clients/client-fis/src/commands/ListExperimentsCommand.ts index 43cf4bac14b7..828c09ecdcf6 100644 --- a/clients/client-fis/src/commands/ListExperimentsCommand.ts +++ b/clients/client-fis/src/commands/ListExperimentsCommand.ts @@ -107,4 +107,16 @@ export class ListExperimentsCommand extends $Command .f(void 0, void 0) .ser(se_ListExperimentsCommand) .de(de_ListExperimentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperimentsRequest; + output: ListExperimentsResponse; + }; + sdk: { + input: ListExperimentsCommandInput; + output: ListExperimentsCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListTagsForResourceCommand.ts b/clients/client-fis/src/commands/ListTagsForResourceCommand.ts index 257113251659..26c7f7808e79 100644 --- a/clients/client-fis/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-fis/src/commands/ListTagsForResourceCommand.ts @@ -79,4 +79,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListTargetAccountConfigurationsCommand.ts b/clients/client-fis/src/commands/ListTargetAccountConfigurationsCommand.ts index d8fb80084cf9..ab615f01467b 100644 --- a/clients/client-fis/src/commands/ListTargetAccountConfigurationsCommand.ts +++ b/clients/client-fis/src/commands/ListTargetAccountConfigurationsCommand.ts @@ -97,4 +97,16 @@ export class ListTargetAccountConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetAccountConfigurationsCommand) .de(de_ListTargetAccountConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetAccountConfigurationsRequest; + output: ListTargetAccountConfigurationsResponse; + }; + sdk: { + input: ListTargetAccountConfigurationsCommandInput; + output: ListTargetAccountConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/ListTargetResourceTypesCommand.ts b/clients/client-fis/src/commands/ListTargetResourceTypesCommand.ts index 53e4ab281a8d..2a4e81d4bc12 100644 --- a/clients/client-fis/src/commands/ListTargetResourceTypesCommand.ts +++ b/clients/client-fis/src/commands/ListTargetResourceTypesCommand.ts @@ -87,4 +87,16 @@ export class ListTargetResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetResourceTypesCommand) .de(de_ListTargetResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetResourceTypesRequest; + output: ListTargetResourceTypesResponse; + }; + sdk: { + input: ListTargetResourceTypesCommandInput; + output: ListTargetResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/StartExperimentCommand.ts b/clients/client-fis/src/commands/StartExperimentCommand.ts index 0aaa064a3a28..d64f9277deee 100644 --- a/clients/client-fis/src/commands/StartExperimentCommand.ts +++ b/clients/client-fis/src/commands/StartExperimentCommand.ts @@ -182,4 +182,16 @@ export class StartExperimentCommand extends $Command .f(void 0, void 0) .ser(se_StartExperimentCommand) .de(de_StartExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExperimentRequest; + output: StartExperimentResponse; + }; + sdk: { + input: StartExperimentCommandInput; + output: StartExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/StopExperimentCommand.ts b/clients/client-fis/src/commands/StopExperimentCommand.ts index 78ef3cf29ca6..59b496191727 100644 --- a/clients/client-fis/src/commands/StopExperimentCommand.ts +++ b/clients/client-fis/src/commands/StopExperimentCommand.ts @@ -169,4 +169,16 @@ export class StopExperimentCommand extends $Command .f(void 0, void 0) .ser(se_StopExperimentCommand) .de(de_StopExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopExperimentRequest; + output: StopExperimentResponse; + }; + sdk: { + input: StopExperimentCommandInput; + output: StopExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/TagResourceCommand.ts b/clients/client-fis/src/commands/TagResourceCommand.ts index 0beabcb5425d..d3ecfdc3c4da 100644 --- a/clients/client-fis/src/commands/TagResourceCommand.ts +++ b/clients/client-fis/src/commands/TagResourceCommand.ts @@ -78,4 +78,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/UntagResourceCommand.ts b/clients/client-fis/src/commands/UntagResourceCommand.ts index 152cea4eab98..167bc8226218 100644 --- a/clients/client-fis/src/commands/UntagResourceCommand.ts +++ b/clients/client-fis/src/commands/UntagResourceCommand.ts @@ -78,4 +78,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/UpdateExperimentTemplateCommand.ts b/clients/client-fis/src/commands/UpdateExperimentTemplateCommand.ts index 31194baddab8..981ffa37a62e 100644 --- a/clients/client-fis/src/commands/UpdateExperimentTemplateCommand.ts +++ b/clients/client-fis/src/commands/UpdateExperimentTemplateCommand.ts @@ -214,4 +214,16 @@ export class UpdateExperimentTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExperimentTemplateCommand) .de(de_UpdateExperimentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExperimentTemplateRequest; + output: UpdateExperimentTemplateResponse; + }; + sdk: { + input: UpdateExperimentTemplateCommandInput; + output: UpdateExperimentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/UpdateSafetyLeverStateCommand.ts b/clients/client-fis/src/commands/UpdateSafetyLeverStateCommand.ts index a19702e7e539..b089a672cd8a 100644 --- a/clients/client-fis/src/commands/UpdateSafetyLeverStateCommand.ts +++ b/clients/client-fis/src/commands/UpdateSafetyLeverStateCommand.ts @@ -99,4 +99,16 @@ export class UpdateSafetyLeverStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSafetyLeverStateCommand) .de(de_UpdateSafetyLeverStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSafetyLeverStateRequest; + output: UpdateSafetyLeverStateResponse; + }; + sdk: { + input: UpdateSafetyLeverStateCommandInput; + output: UpdateSafetyLeverStateCommandOutput; + }; + }; +} diff --git a/clients/client-fis/src/commands/UpdateTargetAccountConfigurationCommand.ts b/clients/client-fis/src/commands/UpdateTargetAccountConfigurationCommand.ts index e45b1f38b8a2..70ccb6e3bd2b 100644 --- a/clients/client-fis/src/commands/UpdateTargetAccountConfigurationCommand.ts +++ b/clients/client-fis/src/commands/UpdateTargetAccountConfigurationCommand.ts @@ -95,4 +95,16 @@ export class UpdateTargetAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTargetAccountConfigurationCommand) .de(de_UpdateTargetAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTargetAccountConfigurationRequest; + output: UpdateTargetAccountConfigurationResponse; + }; + sdk: { + input: UpdateTargetAccountConfigurationCommandInput; + output: UpdateTargetAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-fms/package.json b/clients/client-fms/package.json index 881156b85471..6126feaf6393 100644 --- a/clients/client-fms/package.json +++ b/clients/client-fms/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-fms/src/commands/AssociateAdminAccountCommand.ts b/clients/client-fms/src/commands/AssociateAdminAccountCommand.ts index 45a9c1861b5f..a7effcdb8fc3 100644 --- a/clients/client-fms/src/commands/AssociateAdminAccountCommand.ts +++ b/clients/client-fms/src/commands/AssociateAdminAccountCommand.ts @@ -99,4 +99,16 @@ export class AssociateAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAdminAccountCommand) .de(de_AssociateAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAdminAccountRequest; + output: {}; + }; + sdk: { + input: AssociateAdminAccountCommandInput; + output: AssociateAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/AssociateThirdPartyFirewallCommand.ts b/clients/client-fms/src/commands/AssociateThirdPartyFirewallCommand.ts index 7cd9b26ba2c6..682804aa7d74 100644 --- a/clients/client-fms/src/commands/AssociateThirdPartyFirewallCommand.ts +++ b/clients/client-fms/src/commands/AssociateThirdPartyFirewallCommand.ts @@ -96,4 +96,16 @@ export class AssociateThirdPartyFirewallCommand extends $Command .f(void 0, void 0) .ser(se_AssociateThirdPartyFirewallCommand) .de(de_AssociateThirdPartyFirewallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateThirdPartyFirewallRequest; + output: AssociateThirdPartyFirewallResponse; + }; + sdk: { + input: AssociateThirdPartyFirewallCommandInput; + output: AssociateThirdPartyFirewallCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/BatchAssociateResourceCommand.ts b/clients/client-fms/src/commands/BatchAssociateResourceCommand.ts index bf1e22b15343..564dbe0cf6a5 100644 --- a/clients/client-fms/src/commands/BatchAssociateResourceCommand.ts +++ b/clients/client-fms/src/commands/BatchAssociateResourceCommand.ts @@ -109,4 +109,16 @@ export class BatchAssociateResourceCommand extends $Command .f(void 0, void 0) .ser(se_BatchAssociateResourceCommand) .de(de_BatchAssociateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateResourceRequest; + output: BatchAssociateResourceResponse; + }; + sdk: { + input: BatchAssociateResourceCommandInput; + output: BatchAssociateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/BatchDisassociateResourceCommand.ts b/clients/client-fms/src/commands/BatchDisassociateResourceCommand.ts index 2f87da33a780..db7635c66873 100644 --- a/clients/client-fms/src/commands/BatchDisassociateResourceCommand.ts +++ b/clients/client-fms/src/commands/BatchDisassociateResourceCommand.ts @@ -103,4 +103,16 @@ export class BatchDisassociateResourceCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisassociateResourceCommand) .de(de_BatchDisassociateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateResourceRequest; + output: BatchDisassociateResourceResponse; + }; + sdk: { + input: BatchDisassociateResourceCommandInput; + output: BatchDisassociateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/DeleteAppsListCommand.ts b/clients/client-fms/src/commands/DeleteAppsListCommand.ts index 5f355872b7c5..78e1fa7d7239 100644 --- a/clients/client-fms/src/commands/DeleteAppsListCommand.ts +++ b/clients/client-fms/src/commands/DeleteAppsListCommand.ts @@ -89,4 +89,16 @@ export class DeleteAppsListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppsListCommand) .de(de_DeleteAppsListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppsListRequest; + output: {}; + }; + sdk: { + input: DeleteAppsListCommandInput; + output: DeleteAppsListCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/DeleteNotificationChannelCommand.ts b/clients/client-fms/src/commands/DeleteNotificationChannelCommand.ts index 9825c3d5bb00..89e758d11396 100644 --- a/clients/client-fms/src/commands/DeleteNotificationChannelCommand.ts +++ b/clients/client-fms/src/commands/DeleteNotificationChannelCommand.ts @@ -88,4 +88,16 @@ export class DeleteNotificationChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotificationChannelCommand) .de(de_DeleteNotificationChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteNotificationChannelCommandInput; + output: DeleteNotificationChannelCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/DeletePolicyCommand.ts b/clients/client-fms/src/commands/DeletePolicyCommand.ts index 56ead5373d40..9853d22dc04a 100644 --- a/clients/client-fms/src/commands/DeletePolicyCommand.ts +++ b/clients/client-fms/src/commands/DeletePolicyCommand.ts @@ -99,4 +99,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyRequest; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/DeleteProtocolsListCommand.ts b/clients/client-fms/src/commands/DeleteProtocolsListCommand.ts index ce2bdea18d22..8b6310b59335 100644 --- a/clients/client-fms/src/commands/DeleteProtocolsListCommand.ts +++ b/clients/client-fms/src/commands/DeleteProtocolsListCommand.ts @@ -89,4 +89,16 @@ export class DeleteProtocolsListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProtocolsListCommand) .de(de_DeleteProtocolsListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProtocolsListRequest; + output: {}; + }; + sdk: { + input: DeleteProtocolsListCommandInput; + output: DeleteProtocolsListCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/DeleteResourceSetCommand.ts b/clients/client-fms/src/commands/DeleteResourceSetCommand.ts index 4961fec8a6f4..f63bdb0feb4f 100644 --- a/clients/client-fms/src/commands/DeleteResourceSetCommand.ts +++ b/clients/client-fms/src/commands/DeleteResourceSetCommand.ts @@ -92,4 +92,16 @@ export class DeleteResourceSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceSetCommand) .de(de_DeleteResourceSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceSetRequest; + output: {}; + }; + sdk: { + input: DeleteResourceSetCommandInput; + output: DeleteResourceSetCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/DisassociateAdminAccountCommand.ts b/clients/client-fms/src/commands/DisassociateAdminAccountCommand.ts index 2c0a6ce9c92b..2ca41466a39d 100644 --- a/clients/client-fms/src/commands/DisassociateAdminAccountCommand.ts +++ b/clients/client-fms/src/commands/DisassociateAdminAccountCommand.ts @@ -88,4 +88,16 @@ export class DisassociateAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAdminAccountCommand) .de(de_DisassociateAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateAdminAccountCommandInput; + output: DisassociateAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/DisassociateThirdPartyFirewallCommand.ts b/clients/client-fms/src/commands/DisassociateThirdPartyFirewallCommand.ts index ed9cf443bf29..862027d7d346 100644 --- a/clients/client-fms/src/commands/DisassociateThirdPartyFirewallCommand.ts +++ b/clients/client-fms/src/commands/DisassociateThirdPartyFirewallCommand.ts @@ -99,4 +99,16 @@ export class DisassociateThirdPartyFirewallCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateThirdPartyFirewallCommand) .de(de_DisassociateThirdPartyFirewallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateThirdPartyFirewallRequest; + output: DisassociateThirdPartyFirewallResponse; + }; + sdk: { + input: DisassociateThirdPartyFirewallCommandInput; + output: DisassociateThirdPartyFirewallCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetAdminAccountCommand.ts b/clients/client-fms/src/commands/GetAdminAccountCommand.ts index 7e88d37e1827..978546ab0e3c 100644 --- a/clients/client-fms/src/commands/GetAdminAccountCommand.ts +++ b/clients/client-fms/src/commands/GetAdminAccountCommand.ts @@ -91,4 +91,16 @@ export class GetAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetAdminAccountCommand) .de(de_GetAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAdminAccountResponse; + }; + sdk: { + input: GetAdminAccountCommandInput; + output: GetAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetAdminScopeCommand.ts b/clients/client-fms/src/commands/GetAdminScopeCommand.ts index d7786928d1d1..8c74460bf93c 100644 --- a/clients/client-fms/src/commands/GetAdminScopeCommand.ts +++ b/clients/client-fms/src/commands/GetAdminScopeCommand.ts @@ -128,4 +128,16 @@ export class GetAdminScopeCommand extends $Command .f(void 0, void 0) .ser(se_GetAdminScopeCommand) .de(de_GetAdminScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAdminScopeRequest; + output: GetAdminScopeResponse; + }; + sdk: { + input: GetAdminScopeCommandInput; + output: GetAdminScopeCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetAppsListCommand.ts b/clients/client-fms/src/commands/GetAppsListCommand.ts index a4434725ee5d..ba7cd8809d56 100644 --- a/clients/client-fms/src/commands/GetAppsListCommand.ts +++ b/clients/client-fms/src/commands/GetAppsListCommand.ts @@ -115,4 +115,16 @@ export class GetAppsListCommand extends $Command .f(void 0, void 0) .ser(se_GetAppsListCommand) .de(de_GetAppsListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppsListRequest; + output: GetAppsListResponse; + }; + sdk: { + input: GetAppsListCommandInput; + output: GetAppsListCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetComplianceDetailCommand.ts b/clients/client-fms/src/commands/GetComplianceDetailCommand.ts index 3d6c8c0cdf29..32fbbf5e1454 100644 --- a/clients/client-fms/src/commands/GetComplianceDetailCommand.ts +++ b/clients/client-fms/src/commands/GetComplianceDetailCommand.ts @@ -116,4 +116,16 @@ export class GetComplianceDetailCommand extends $Command .f(void 0, void 0) .ser(se_GetComplianceDetailCommand) .de(de_GetComplianceDetailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComplianceDetailRequest; + output: GetComplianceDetailResponse; + }; + sdk: { + input: GetComplianceDetailCommandInput; + output: GetComplianceDetailCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetNotificationChannelCommand.ts b/clients/client-fms/src/commands/GetNotificationChannelCommand.ts index 527f13a6b509..2683e6ed9ee9 100644 --- a/clients/client-fms/src/commands/GetNotificationChannelCommand.ts +++ b/clients/client-fms/src/commands/GetNotificationChannelCommand.ts @@ -92,4 +92,16 @@ export class GetNotificationChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetNotificationChannelCommand) .de(de_GetNotificationChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetNotificationChannelResponse; + }; + sdk: { + input: GetNotificationChannelCommandInput; + output: GetNotificationChannelCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetPolicyCommand.ts b/clients/client-fms/src/commands/GetPolicyCommand.ts index 71c77c49f7d2..615cc551a30c 100644 --- a/clients/client-fms/src/commands/GetPolicyCommand.ts +++ b/clients/client-fms/src/commands/GetPolicyCommand.ts @@ -179,4 +179,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyRequest; + output: GetPolicyResponse; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetProtectionStatusCommand.ts b/clients/client-fms/src/commands/GetProtectionStatusCommand.ts index a3c37db80cf9..366868bca033 100644 --- a/clients/client-fms/src/commands/GetProtectionStatusCommand.ts +++ b/clients/client-fms/src/commands/GetProtectionStatusCommand.ts @@ -96,4 +96,16 @@ export class GetProtectionStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetProtectionStatusCommand) .de(de_GetProtectionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProtectionStatusRequest; + output: GetProtectionStatusResponse; + }; + sdk: { + input: GetProtectionStatusCommandInput; + output: GetProtectionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetProtocolsListCommand.ts b/clients/client-fms/src/commands/GetProtocolsListCommand.ts index 7bd44ad701fd..8cab57d2abda 100644 --- a/clients/client-fms/src/commands/GetProtocolsListCommand.ts +++ b/clients/client-fms/src/commands/GetProtocolsListCommand.ts @@ -107,4 +107,16 @@ export class GetProtocolsListCommand extends $Command .f(void 0, void 0) .ser(se_GetProtocolsListCommand) .de(de_GetProtocolsListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProtocolsListRequest; + output: GetProtocolsListResponse; + }; + sdk: { + input: GetProtocolsListCommandInput; + output: GetProtocolsListCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetResourceSetCommand.ts b/clients/client-fms/src/commands/GetResourceSetCommand.ts index feb23594c47b..053027a8835e 100644 --- a/clients/client-fms/src/commands/GetResourceSetCommand.ts +++ b/clients/client-fms/src/commands/GetResourceSetCommand.ts @@ -105,4 +105,16 @@ export class GetResourceSetCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceSetCommand) .de(de_GetResourceSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceSetRequest; + output: GetResourceSetResponse; + }; + sdk: { + input: GetResourceSetCommandInput; + output: GetResourceSetCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetThirdPartyFirewallAssociationStatusCommand.ts b/clients/client-fms/src/commands/GetThirdPartyFirewallAssociationStatusCommand.ts index ad1fda4a1a3c..abc892c3bd98 100644 --- a/clients/client-fms/src/commands/GetThirdPartyFirewallAssociationStatusCommand.ts +++ b/clients/client-fms/src/commands/GetThirdPartyFirewallAssociationStatusCommand.ts @@ -104,4 +104,16 @@ export class GetThirdPartyFirewallAssociationStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetThirdPartyFirewallAssociationStatusCommand) .de(de_GetThirdPartyFirewallAssociationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetThirdPartyFirewallAssociationStatusRequest; + output: GetThirdPartyFirewallAssociationStatusResponse; + }; + sdk: { + input: GetThirdPartyFirewallAssociationStatusCommandInput; + output: GetThirdPartyFirewallAssociationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/GetViolationDetailsCommand.ts b/clients/client-fms/src/commands/GetViolationDetailsCommand.ts index 21d14e4e53ef..60f84372ffdd 100644 --- a/clients/client-fms/src/commands/GetViolationDetailsCommand.ts +++ b/clients/client-fms/src/commands/GetViolationDetailsCommand.ts @@ -636,4 +636,16 @@ export class GetViolationDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetViolationDetailsCommand) .de(de_GetViolationDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetViolationDetailsRequest; + output: GetViolationDetailsResponse; + }; + sdk: { + input: GetViolationDetailsCommandInput; + output: GetViolationDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListAdminAccountsForOrganizationCommand.ts b/clients/client-fms/src/commands/ListAdminAccountsForOrganizationCommand.ts index 98a5a6ada57e..72495d4447aa 100644 --- a/clients/client-fms/src/commands/ListAdminAccountsForOrganizationCommand.ts +++ b/clients/client-fms/src/commands/ListAdminAccountsForOrganizationCommand.ts @@ -111,4 +111,16 @@ export class ListAdminAccountsForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_ListAdminAccountsForOrganizationCommand) .de(de_ListAdminAccountsForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAdminAccountsForOrganizationRequest; + output: ListAdminAccountsForOrganizationResponse; + }; + sdk: { + input: ListAdminAccountsForOrganizationCommandInput; + output: ListAdminAccountsForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListAdminsManagingAccountCommand.ts b/clients/client-fms/src/commands/ListAdminsManagingAccountCommand.ts index 4fc3a8633e8d..8abb7a87ae9f 100644 --- a/clients/client-fms/src/commands/ListAdminsManagingAccountCommand.ts +++ b/clients/client-fms/src/commands/ListAdminsManagingAccountCommand.ts @@ -91,4 +91,16 @@ export class ListAdminsManagingAccountCommand extends $Command .f(void 0, void 0) .ser(se_ListAdminsManagingAccountCommand) .de(de_ListAdminsManagingAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAdminsManagingAccountRequest; + output: ListAdminsManagingAccountResponse; + }; + sdk: { + input: ListAdminsManagingAccountCommandInput; + output: ListAdminsManagingAccountCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListAppsListsCommand.ts b/clients/client-fms/src/commands/ListAppsListsCommand.ts index 407ac70dad19..d23ad51223ea 100644 --- a/clients/client-fms/src/commands/ListAppsListsCommand.ts +++ b/clients/client-fms/src/commands/ListAppsListsCommand.ts @@ -113,4 +113,16 @@ export class ListAppsListsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppsListsCommand) .de(de_ListAppsListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppsListsRequest; + output: ListAppsListsResponse; + }; + sdk: { + input: ListAppsListsCommandInput; + output: ListAppsListsCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListComplianceStatusCommand.ts b/clients/client-fms/src/commands/ListComplianceStatusCommand.ts index 9af77f7ab809..4cf64a044b06 100644 --- a/clients/client-fms/src/commands/ListComplianceStatusCommand.ts +++ b/clients/client-fms/src/commands/ListComplianceStatusCommand.ts @@ -107,4 +107,16 @@ export class ListComplianceStatusCommand extends $Command .f(void 0, void 0) .ser(se_ListComplianceStatusCommand) .de(de_ListComplianceStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComplianceStatusRequest; + output: ListComplianceStatusResponse; + }; + sdk: { + input: ListComplianceStatusCommandInput; + output: ListComplianceStatusCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListDiscoveredResourcesCommand.ts b/clients/client-fms/src/commands/ListDiscoveredResourcesCommand.ts index 8871964f0a2d..1eaedf5df023 100644 --- a/clients/client-fms/src/commands/ListDiscoveredResourcesCommand.ts +++ b/clients/client-fms/src/commands/ListDiscoveredResourcesCommand.ts @@ -104,4 +104,16 @@ export class ListDiscoveredResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDiscoveredResourcesCommand) .de(de_ListDiscoveredResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDiscoveredResourcesRequest; + output: ListDiscoveredResourcesResponse; + }; + sdk: { + input: ListDiscoveredResourcesCommandInput; + output: ListDiscoveredResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListMemberAccountsCommand.ts b/clients/client-fms/src/commands/ListMemberAccountsCommand.ts index b05a3b6739bf..aa6907bcd7e5 100644 --- a/clients/client-fms/src/commands/ListMemberAccountsCommand.ts +++ b/clients/client-fms/src/commands/ListMemberAccountsCommand.ts @@ -90,4 +90,16 @@ export class ListMemberAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListMemberAccountsCommand) .de(de_ListMemberAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMemberAccountsRequest; + output: ListMemberAccountsResponse; + }; + sdk: { + input: ListMemberAccountsCommandInput; + output: ListMemberAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListPoliciesCommand.ts b/clients/client-fms/src/commands/ListPoliciesCommand.ts index a890f06c9e95..ab365a32a63e 100644 --- a/clients/client-fms/src/commands/ListPoliciesCommand.ts +++ b/clients/client-fms/src/commands/ListPoliciesCommand.ts @@ -110,4 +110,16 @@ export class ListPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListPoliciesCommand) .de(de_ListPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoliciesRequest; + output: ListPoliciesResponse; + }; + sdk: { + input: ListPoliciesCommandInput; + output: ListPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListProtocolsListsCommand.ts b/clients/client-fms/src/commands/ListProtocolsListsCommand.ts index 8d9d4ed43e2d..18cac19a6949 100644 --- a/clients/client-fms/src/commands/ListProtocolsListsCommand.ts +++ b/clients/client-fms/src/commands/ListProtocolsListsCommand.ts @@ -103,4 +103,16 @@ export class ListProtocolsListsCommand extends $Command .f(void 0, void 0) .ser(se_ListProtocolsListsCommand) .de(de_ListProtocolsListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProtocolsListsRequest; + output: ListProtocolsListsResponse; + }; + sdk: { + input: ListProtocolsListsCommandInput; + output: ListProtocolsListsCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListResourceSetResourcesCommand.ts b/clients/client-fms/src/commands/ListResourceSetResourcesCommand.ts index 6abf4874a60b..0a346ac3dcfe 100644 --- a/clients/client-fms/src/commands/ListResourceSetResourcesCommand.ts +++ b/clients/client-fms/src/commands/ListResourceSetResourcesCommand.ts @@ -102,4 +102,16 @@ export class ListResourceSetResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceSetResourcesCommand) .de(de_ListResourceSetResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceSetResourcesRequest; + output: ListResourceSetResourcesResponse; + }; + sdk: { + input: ListResourceSetResourcesCommandInput; + output: ListResourceSetResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListResourceSetsCommand.ts b/clients/client-fms/src/commands/ListResourceSetsCommand.ts index d11d8d608f4a..44e1be4f2101 100644 --- a/clients/client-fms/src/commands/ListResourceSetsCommand.ts +++ b/clients/client-fms/src/commands/ListResourceSetsCommand.ts @@ -101,4 +101,16 @@ export class ListResourceSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceSetsCommand) .de(de_ListResourceSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceSetsRequest; + output: ListResourceSetsResponse; + }; + sdk: { + input: ListResourceSetsCommandInput; + output: ListResourceSetsCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListTagsForResourceCommand.ts b/clients/client-fms/src/commands/ListTagsForResourceCommand.ts index cc5a3214467f..fa1f24a57359 100644 --- a/clients/client-fms/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-fms/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/ListThirdPartyFirewallFirewallPoliciesCommand.ts b/clients/client-fms/src/commands/ListThirdPartyFirewallFirewallPoliciesCommand.ts index c7e044c7b671..7113d282c997 100644 --- a/clients/client-fms/src/commands/ListThirdPartyFirewallFirewallPoliciesCommand.ts +++ b/clients/client-fms/src/commands/ListThirdPartyFirewallFirewallPoliciesCommand.ts @@ -111,4 +111,16 @@ export class ListThirdPartyFirewallFirewallPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListThirdPartyFirewallFirewallPoliciesCommand) .de(de_ListThirdPartyFirewallFirewallPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThirdPartyFirewallFirewallPoliciesRequest; + output: ListThirdPartyFirewallFirewallPoliciesResponse; + }; + sdk: { + input: ListThirdPartyFirewallFirewallPoliciesCommandInput; + output: ListThirdPartyFirewallFirewallPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/PutAdminAccountCommand.ts b/clients/client-fms/src/commands/PutAdminAccountCommand.ts index a89f20380c50..618990fd516a 100644 --- a/clients/client-fms/src/commands/PutAdminAccountCommand.ts +++ b/clients/client-fms/src/commands/PutAdminAccountCommand.ts @@ -124,4 +124,16 @@ export class PutAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_PutAdminAccountCommand) .de(de_PutAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAdminAccountRequest; + output: {}; + }; + sdk: { + input: PutAdminAccountCommandInput; + output: PutAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/PutAppsListCommand.ts b/clients/client-fms/src/commands/PutAppsListCommand.ts index d4954e38ccd9..ce311490904c 100644 --- a/clients/client-fms/src/commands/PutAppsListCommand.ts +++ b/clients/client-fms/src/commands/PutAppsListCommand.ts @@ -151,4 +151,16 @@ export class PutAppsListCommand extends $Command .f(void 0, void 0) .ser(se_PutAppsListCommand) .de(de_PutAppsListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppsListRequest; + output: PutAppsListResponse; + }; + sdk: { + input: PutAppsListCommandInput; + output: PutAppsListCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/PutNotificationChannelCommand.ts b/clients/client-fms/src/commands/PutNotificationChannelCommand.ts index cb27cb4a347a..ab0c83468923 100644 --- a/clients/client-fms/src/commands/PutNotificationChannelCommand.ts +++ b/clients/client-fms/src/commands/PutNotificationChannelCommand.ts @@ -93,4 +93,16 @@ export class PutNotificationChannelCommand extends $Command .f(void 0, void 0) .ser(se_PutNotificationChannelCommand) .de(de_PutNotificationChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutNotificationChannelRequest; + output: {}; + }; + sdk: { + input: PutNotificationChannelCommandInput; + output: PutNotificationChannelCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/PutPolicyCommand.ts b/clients/client-fms/src/commands/PutPolicyCommand.ts index dd726dcf279d..b60321fe75b5 100644 --- a/clients/client-fms/src/commands/PutPolicyCommand.ts +++ b/clients/client-fms/src/commands/PutPolicyCommand.ts @@ -334,4 +334,16 @@ export class PutPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutPolicyCommand) .de(de_PutPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPolicyRequest; + output: PutPolicyResponse; + }; + sdk: { + input: PutPolicyCommandInput; + output: PutPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/PutProtocolsListCommand.ts b/clients/client-fms/src/commands/PutProtocolsListCommand.ts index 591182c87f34..4a9cfc85fc6d 100644 --- a/clients/client-fms/src/commands/PutProtocolsListCommand.ts +++ b/clients/client-fms/src/commands/PutProtocolsListCommand.ts @@ -135,4 +135,16 @@ export class PutProtocolsListCommand extends $Command .f(void 0, void 0) .ser(se_PutProtocolsListCommand) .de(de_PutProtocolsListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutProtocolsListRequest; + output: PutProtocolsListResponse; + }; + sdk: { + input: PutProtocolsListCommandInput; + output: PutProtocolsListCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/PutResourceSetCommand.ts b/clients/client-fms/src/commands/PutResourceSetCommand.ts index 1ff71d967fc2..269d8c0ad4be 100644 --- a/clients/client-fms/src/commands/PutResourceSetCommand.ts +++ b/clients/client-fms/src/commands/PutResourceSetCommand.ts @@ -125,4 +125,16 @@ export class PutResourceSetCommand extends $Command .f(void 0, void 0) .ser(se_PutResourceSetCommand) .de(de_PutResourceSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourceSetRequest; + output: PutResourceSetResponse; + }; + sdk: { + input: PutResourceSetCommandInput; + output: PutResourceSetCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/TagResourceCommand.ts b/clients/client-fms/src/commands/TagResourceCommand.ts index 21d41cdfcdf6..103bb9c6ef9f 100644 --- a/clients/client-fms/src/commands/TagResourceCommand.ts +++ b/clients/client-fms/src/commands/TagResourceCommand.ts @@ -104,4 +104,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fms/src/commands/UntagResourceCommand.ts b/clients/client-fms/src/commands/UntagResourceCommand.ts index f8912d3448ea..081ca5e691ae 100644 --- a/clients/client-fms/src/commands/UntagResourceCommand.ts +++ b/clients/client-fms/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/package.json b/clients/client-forecast/package.json index 96536ecfd7c3..b10e1ff329c9 100644 --- a/clients/client-forecast/package.json +++ b/clients/client-forecast/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-forecast/src/commands/CreateAutoPredictorCommand.ts b/clients/client-forecast/src/commands/CreateAutoPredictorCommand.ts index d463ac8917b7..22307c0e0720 100644 --- a/clients/client-forecast/src/commands/CreateAutoPredictorCommand.ts +++ b/clients/client-forecast/src/commands/CreateAutoPredictorCommand.ts @@ -197,4 +197,16 @@ export class CreateAutoPredictorCommand extends $Command .f(CreateAutoPredictorRequestFilterSensitiveLog, void 0) .ser(se_CreateAutoPredictorCommand) .de(de_CreateAutoPredictorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAutoPredictorRequest; + output: CreateAutoPredictorResponse; + }; + sdk: { + input: CreateAutoPredictorCommandInput; + output: CreateAutoPredictorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateDatasetCommand.ts b/clients/client-forecast/src/commands/CreateDatasetCommand.ts index 9dd9d00b3f8c..93b5e84b028b 100644 --- a/clients/client-forecast/src/commands/CreateDatasetCommand.ts +++ b/clients/client-forecast/src/commands/CreateDatasetCommand.ts @@ -153,4 +153,16 @@ export class CreateDatasetCommand extends $Command .f(CreateDatasetRequestFilterSensitiveLog, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateDatasetGroupCommand.ts b/clients/client-forecast/src/commands/CreateDatasetGroupCommand.ts index ef8ee8974c46..ee26e157efff 100644 --- a/clients/client-forecast/src/commands/CreateDatasetGroupCommand.ts +++ b/clients/client-forecast/src/commands/CreateDatasetGroupCommand.ts @@ -117,4 +117,16 @@ export class CreateDatasetGroupCommand extends $Command .f(CreateDatasetGroupRequestFilterSensitiveLog, void 0) .ser(se_CreateDatasetGroupCommand) .de(de_CreateDatasetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetGroupRequest; + output: CreateDatasetGroupResponse; + }; + sdk: { + input: CreateDatasetGroupCommandInput; + output: CreateDatasetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateDatasetImportJobCommand.ts b/clients/client-forecast/src/commands/CreateDatasetImportJobCommand.ts index e5c268a21816..943bb646e55c 100644 --- a/clients/client-forecast/src/commands/CreateDatasetImportJobCommand.ts +++ b/clients/client-forecast/src/commands/CreateDatasetImportJobCommand.ts @@ -134,4 +134,16 @@ export class CreateDatasetImportJobCommand extends $Command .f(CreateDatasetImportJobRequestFilterSensitiveLog, void 0) .ser(se_CreateDatasetImportJobCommand) .de(de_CreateDatasetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetImportJobRequest; + output: CreateDatasetImportJobResponse; + }; + sdk: { + input: CreateDatasetImportJobCommandInput; + output: CreateDatasetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateExplainabilityCommand.ts b/clients/client-forecast/src/commands/CreateExplainabilityCommand.ts index 35ebd97cb789..0a5dd722ea4e 100644 --- a/clients/client-forecast/src/commands/CreateExplainabilityCommand.ts +++ b/clients/client-forecast/src/commands/CreateExplainabilityCommand.ts @@ -245,4 +245,16 @@ export class CreateExplainabilityCommand extends $Command .f(CreateExplainabilityRequestFilterSensitiveLog, void 0) .ser(se_CreateExplainabilityCommand) .de(de_CreateExplainabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExplainabilityRequest; + output: CreateExplainabilityResponse; + }; + sdk: { + input: CreateExplainabilityCommandInput; + output: CreateExplainabilityCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateExplainabilityExportCommand.ts b/clients/client-forecast/src/commands/CreateExplainabilityExportCommand.ts index 3d0127211500..173810d45fe6 100644 --- a/clients/client-forecast/src/commands/CreateExplainabilityExportCommand.ts +++ b/clients/client-forecast/src/commands/CreateExplainabilityExportCommand.ts @@ -121,4 +121,16 @@ export class CreateExplainabilityExportCommand extends $Command .f(CreateExplainabilityExportRequestFilterSensitiveLog, void 0) .ser(se_CreateExplainabilityExportCommand) .de(de_CreateExplainabilityExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExplainabilityExportRequest; + output: CreateExplainabilityExportResponse; + }; + sdk: { + input: CreateExplainabilityExportCommandInput; + output: CreateExplainabilityExportCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateForecastCommand.ts b/clients/client-forecast/src/commands/CreateForecastCommand.ts index 63db06f6c4c7..1d1c77ab908c 100644 --- a/clients/client-forecast/src/commands/CreateForecastCommand.ts +++ b/clients/client-forecast/src/commands/CreateForecastCommand.ts @@ -148,4 +148,16 @@ export class CreateForecastCommand extends $Command .f(CreateForecastRequestFilterSensitiveLog, void 0) .ser(se_CreateForecastCommand) .de(de_CreateForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateForecastRequest; + output: CreateForecastResponse; + }; + sdk: { + input: CreateForecastCommandInput; + output: CreateForecastCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateForecastExportJobCommand.ts b/clients/client-forecast/src/commands/CreateForecastExportJobCommand.ts index fb4956b1e58f..85c18a1d661f 100644 --- a/clients/client-forecast/src/commands/CreateForecastExportJobCommand.ts +++ b/clients/client-forecast/src/commands/CreateForecastExportJobCommand.ts @@ -126,4 +126,16 @@ export class CreateForecastExportJobCommand extends $Command .f(CreateForecastExportJobRequestFilterSensitiveLog, void 0) .ser(se_CreateForecastExportJobCommand) .de(de_CreateForecastExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateForecastExportJobRequest; + output: CreateForecastExportJobResponse; + }; + sdk: { + input: CreateForecastExportJobCommandInput; + output: CreateForecastExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateMonitorCommand.ts b/clients/client-forecast/src/commands/CreateMonitorCommand.ts index a67271861471..7b098368b5dc 100644 --- a/clients/client-forecast/src/commands/CreateMonitorCommand.ts +++ b/clients/client-forecast/src/commands/CreateMonitorCommand.ts @@ -107,4 +107,16 @@ export class CreateMonitorCommand extends $Command .f(CreateMonitorRequestFilterSensitiveLog, void 0) .ser(se_CreateMonitorCommand) .de(de_CreateMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMonitorRequest; + output: CreateMonitorResponse; + }; + sdk: { + input: CreateMonitorCommandInput; + output: CreateMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreatePredictorBacktestExportJobCommand.ts b/clients/client-forecast/src/commands/CreatePredictorBacktestExportJobCommand.ts index a7fe1274da36..d1f86991d1c6 100644 --- a/clients/client-forecast/src/commands/CreatePredictorBacktestExportJobCommand.ts +++ b/clients/client-forecast/src/commands/CreatePredictorBacktestExportJobCommand.ts @@ -132,4 +132,16 @@ export class CreatePredictorBacktestExportJobCommand extends $Command .f(CreatePredictorBacktestExportJobRequestFilterSensitiveLog, void 0) .ser(se_CreatePredictorBacktestExportJobCommand) .de(de_CreatePredictorBacktestExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePredictorBacktestExportJobRequest; + output: CreatePredictorBacktestExportJobResponse; + }; + sdk: { + input: CreatePredictorBacktestExportJobCommandInput; + output: CreatePredictorBacktestExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreatePredictorCommand.ts b/clients/client-forecast/src/commands/CreatePredictorCommand.ts index e341bb4df00d..76ff52feb972 100644 --- a/clients/client-forecast/src/commands/CreatePredictorCommand.ts +++ b/clients/client-forecast/src/commands/CreatePredictorCommand.ts @@ -239,4 +239,16 @@ export class CreatePredictorCommand extends $Command .f(CreatePredictorRequestFilterSensitiveLog, void 0) .ser(se_CreatePredictorCommand) .de(de_CreatePredictorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePredictorRequest; + output: CreatePredictorResponse; + }; + sdk: { + input: CreatePredictorCommandInput; + output: CreatePredictorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateWhatIfAnalysisCommand.ts b/clients/client-forecast/src/commands/CreateWhatIfAnalysisCommand.ts index 0322249bb58f..791f992f75c7 100644 --- a/clients/client-forecast/src/commands/CreateWhatIfAnalysisCommand.ts +++ b/clients/client-forecast/src/commands/CreateWhatIfAnalysisCommand.ts @@ -137,4 +137,16 @@ export class CreateWhatIfAnalysisCommand extends $Command .f(CreateWhatIfAnalysisRequestFilterSensitiveLog, void 0) .ser(se_CreateWhatIfAnalysisCommand) .de(de_CreateWhatIfAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWhatIfAnalysisRequest; + output: CreateWhatIfAnalysisResponse; + }; + sdk: { + input: CreateWhatIfAnalysisCommandInput; + output: CreateWhatIfAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateWhatIfForecastCommand.ts b/clients/client-forecast/src/commands/CreateWhatIfForecastCommand.ts index 516f8375fe1b..5d0736d53a88 100644 --- a/clients/client-forecast/src/commands/CreateWhatIfForecastCommand.ts +++ b/clients/client-forecast/src/commands/CreateWhatIfForecastCommand.ts @@ -139,4 +139,16 @@ export class CreateWhatIfForecastCommand extends $Command .f(CreateWhatIfForecastRequestFilterSensitiveLog, void 0) .ser(se_CreateWhatIfForecastCommand) .de(de_CreateWhatIfForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWhatIfForecastRequest; + output: CreateWhatIfForecastResponse; + }; + sdk: { + input: CreateWhatIfForecastCommandInput; + output: CreateWhatIfForecastCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/CreateWhatIfForecastExportCommand.ts b/clients/client-forecast/src/commands/CreateWhatIfForecastExportCommand.ts index 4ad371516a88..f0d6f036abad 100644 --- a/clients/client-forecast/src/commands/CreateWhatIfForecastExportCommand.ts +++ b/clients/client-forecast/src/commands/CreateWhatIfForecastExportCommand.ts @@ -131,4 +131,16 @@ export class CreateWhatIfForecastExportCommand extends $Command .f(CreateWhatIfForecastExportRequestFilterSensitiveLog, void 0) .ser(se_CreateWhatIfForecastExportCommand) .de(de_CreateWhatIfForecastExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWhatIfForecastExportRequest; + output: CreateWhatIfForecastExportResponse; + }; + sdk: { + input: CreateWhatIfForecastExportCommandInput; + output: CreateWhatIfForecastExportCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteDatasetCommand.ts b/clients/client-forecast/src/commands/DeleteDatasetCommand.ts index 2e27ac1d2d96..1ee624f620d6 100644 --- a/clients/client-forecast/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-forecast/src/commands/DeleteDatasetCommand.ts @@ -93,4 +93,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteDatasetGroupCommand.ts b/clients/client-forecast/src/commands/DeleteDatasetGroupCommand.ts index d633e556baf0..b5a8b512481f 100644 --- a/clients/client-forecast/src/commands/DeleteDatasetGroupCommand.ts +++ b/clients/client-forecast/src/commands/DeleteDatasetGroupCommand.ts @@ -89,4 +89,16 @@ export class DeleteDatasetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetGroupCommand) .de(de_DeleteDatasetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetGroupRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetGroupCommandInput; + output: DeleteDatasetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteDatasetImportJobCommand.ts b/clients/client-forecast/src/commands/DeleteDatasetImportJobCommand.ts index 2f68b2935f85..0026042ee2ed 100644 --- a/clients/client-forecast/src/commands/DeleteDatasetImportJobCommand.ts +++ b/clients/client-forecast/src/commands/DeleteDatasetImportJobCommand.ts @@ -89,4 +89,16 @@ export class DeleteDatasetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetImportJobCommand) .de(de_DeleteDatasetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetImportJobRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetImportJobCommandInput; + output: DeleteDatasetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteExplainabilityCommand.ts b/clients/client-forecast/src/commands/DeleteExplainabilityCommand.ts index b68e45b537e7..970bf7abd95d 100644 --- a/clients/client-forecast/src/commands/DeleteExplainabilityCommand.ts +++ b/clients/client-forecast/src/commands/DeleteExplainabilityCommand.ts @@ -88,4 +88,16 @@ export class DeleteExplainabilityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExplainabilityCommand) .de(de_DeleteExplainabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExplainabilityRequest; + output: {}; + }; + sdk: { + input: DeleteExplainabilityCommandInput; + output: DeleteExplainabilityCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteExplainabilityExportCommand.ts b/clients/client-forecast/src/commands/DeleteExplainabilityExportCommand.ts index 84e84e715fbd..b11c60615dea 100644 --- a/clients/client-forecast/src/commands/DeleteExplainabilityExportCommand.ts +++ b/clients/client-forecast/src/commands/DeleteExplainabilityExportCommand.ts @@ -86,4 +86,16 @@ export class DeleteExplainabilityExportCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExplainabilityExportCommand) .de(de_DeleteExplainabilityExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExplainabilityExportRequest; + output: {}; + }; + sdk: { + input: DeleteExplainabilityExportCommandInput; + output: DeleteExplainabilityExportCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteForecastCommand.ts b/clients/client-forecast/src/commands/DeleteForecastCommand.ts index c063d834ffbc..d538fbb9ed5f 100644 --- a/clients/client-forecast/src/commands/DeleteForecastCommand.ts +++ b/clients/client-forecast/src/commands/DeleteForecastCommand.ts @@ -90,4 +90,16 @@ export class DeleteForecastCommand extends $Command .f(void 0, void 0) .ser(se_DeleteForecastCommand) .de(de_DeleteForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteForecastRequest; + output: {}; + }; + sdk: { + input: DeleteForecastCommandInput; + output: DeleteForecastCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteForecastExportJobCommand.ts b/clients/client-forecast/src/commands/DeleteForecastExportJobCommand.ts index ed065ffc4aac..1e18a01eeaf9 100644 --- a/clients/client-forecast/src/commands/DeleteForecastExportJobCommand.ts +++ b/clients/client-forecast/src/commands/DeleteForecastExportJobCommand.ts @@ -88,4 +88,16 @@ export class DeleteForecastExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteForecastExportJobCommand) .de(de_DeleteForecastExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteForecastExportJobRequest; + output: {}; + }; + sdk: { + input: DeleteForecastExportJobCommandInput; + output: DeleteForecastExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteMonitorCommand.ts b/clients/client-forecast/src/commands/DeleteMonitorCommand.ts index 8616e7f5cbad..1dd14878c743 100644 --- a/clients/client-forecast/src/commands/DeleteMonitorCommand.ts +++ b/clients/client-forecast/src/commands/DeleteMonitorCommand.ts @@ -86,4 +86,16 @@ export class DeleteMonitorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMonitorCommand) .de(de_DeleteMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMonitorRequest; + output: {}; + }; + sdk: { + input: DeleteMonitorCommandInput; + output: DeleteMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeletePredictorBacktestExportJobCommand.ts b/clients/client-forecast/src/commands/DeletePredictorBacktestExportJobCommand.ts index a548de5eecdc..321343347ae4 100644 --- a/clients/client-forecast/src/commands/DeletePredictorBacktestExportJobCommand.ts +++ b/clients/client-forecast/src/commands/DeletePredictorBacktestExportJobCommand.ts @@ -89,4 +89,16 @@ export class DeletePredictorBacktestExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DeletePredictorBacktestExportJobCommand) .de(de_DeletePredictorBacktestExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePredictorBacktestExportJobRequest; + output: {}; + }; + sdk: { + input: DeletePredictorBacktestExportJobCommandInput; + output: DeletePredictorBacktestExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeletePredictorCommand.ts b/clients/client-forecast/src/commands/DeletePredictorCommand.ts index a889327b75c5..388790ffc7a1 100644 --- a/clients/client-forecast/src/commands/DeletePredictorCommand.ts +++ b/clients/client-forecast/src/commands/DeletePredictorCommand.ts @@ -87,4 +87,16 @@ export class DeletePredictorCommand extends $Command .f(void 0, void 0) .ser(se_DeletePredictorCommand) .de(de_DeletePredictorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePredictorRequest; + output: {}; + }; + sdk: { + input: DeletePredictorCommandInput; + output: DeletePredictorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteResourceTreeCommand.ts b/clients/client-forecast/src/commands/DeleteResourceTreeCommand.ts index 03067ed0fe1d..ec882083c262 100644 --- a/clients/client-forecast/src/commands/DeleteResourceTreeCommand.ts +++ b/clients/client-forecast/src/commands/DeleteResourceTreeCommand.ts @@ -116,4 +116,16 @@ export class DeleteResourceTreeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceTreeCommand) .de(de_DeleteResourceTreeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceTreeRequest; + output: {}; + }; + sdk: { + input: DeleteResourceTreeCommandInput; + output: DeleteResourceTreeCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteWhatIfAnalysisCommand.ts b/clients/client-forecast/src/commands/DeleteWhatIfAnalysisCommand.ts index dfed09ad00dc..642caa93b6c4 100644 --- a/clients/client-forecast/src/commands/DeleteWhatIfAnalysisCommand.ts +++ b/clients/client-forecast/src/commands/DeleteWhatIfAnalysisCommand.ts @@ -88,4 +88,16 @@ export class DeleteWhatIfAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWhatIfAnalysisCommand) .de(de_DeleteWhatIfAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWhatIfAnalysisRequest; + output: {}; + }; + sdk: { + input: DeleteWhatIfAnalysisCommandInput; + output: DeleteWhatIfAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteWhatIfForecastCommand.ts b/clients/client-forecast/src/commands/DeleteWhatIfForecastCommand.ts index 6a7bc20b0e92..eaad167174e4 100644 --- a/clients/client-forecast/src/commands/DeleteWhatIfForecastCommand.ts +++ b/clients/client-forecast/src/commands/DeleteWhatIfForecastCommand.ts @@ -88,4 +88,16 @@ export class DeleteWhatIfForecastCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWhatIfForecastCommand) .de(de_DeleteWhatIfForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWhatIfForecastRequest; + output: {}; + }; + sdk: { + input: DeleteWhatIfForecastCommandInput; + output: DeleteWhatIfForecastCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DeleteWhatIfForecastExportCommand.ts b/clients/client-forecast/src/commands/DeleteWhatIfForecastExportCommand.ts index 817815e6fa6b..2941c1b974b5 100644 --- a/clients/client-forecast/src/commands/DeleteWhatIfForecastExportCommand.ts +++ b/clients/client-forecast/src/commands/DeleteWhatIfForecastExportCommand.ts @@ -87,4 +87,16 @@ export class DeleteWhatIfForecastExportCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWhatIfForecastExportCommand) .de(de_DeleteWhatIfForecastExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWhatIfForecastExportRequest; + output: {}; + }; + sdk: { + input: DeleteWhatIfForecastExportCommandInput; + output: DeleteWhatIfForecastExportCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeAutoPredictorCommand.ts b/clients/client-forecast/src/commands/DescribeAutoPredictorCommand.ts index 493245ff9eca..2bdffec9eb22 100644 --- a/clients/client-forecast/src/commands/DescribeAutoPredictorCommand.ts +++ b/clients/client-forecast/src/commands/DescribeAutoPredictorCommand.ts @@ -146,4 +146,16 @@ export class DescribeAutoPredictorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutoPredictorCommand) .de(de_DescribeAutoPredictorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAutoPredictorRequest; + output: DescribeAutoPredictorResponse; + }; + sdk: { + input: DescribeAutoPredictorCommandInput; + output: DescribeAutoPredictorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeDatasetCommand.ts b/clients/client-forecast/src/commands/DescribeDatasetCommand.ts index 8d997fdb5ee9..81f629f05f58 100644 --- a/clients/client-forecast/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-forecast/src/commands/DescribeDatasetCommand.ts @@ -123,4 +123,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeDatasetGroupCommand.ts b/clients/client-forecast/src/commands/DescribeDatasetGroupCommand.ts index ad90caaf7883..92872095ace9 100644 --- a/clients/client-forecast/src/commands/DescribeDatasetGroupCommand.ts +++ b/clients/client-forecast/src/commands/DescribeDatasetGroupCommand.ts @@ -117,4 +117,16 @@ export class DescribeDatasetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetGroupCommand) .de(de_DescribeDatasetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetGroupRequest; + output: DescribeDatasetGroupResponse; + }; + sdk: { + input: DescribeDatasetGroupCommandInput; + output: DescribeDatasetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeDatasetImportJobCommand.ts b/clients/client-forecast/src/commands/DescribeDatasetImportJobCommand.ts index 5009cf0b3937..98196c5b2fa8 100644 --- a/clients/client-forecast/src/commands/DescribeDatasetImportJobCommand.ts +++ b/clients/client-forecast/src/commands/DescribeDatasetImportJobCommand.ts @@ -156,4 +156,16 @@ export class DescribeDatasetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetImportJobCommand) .de(de_DescribeDatasetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetImportJobRequest; + output: DescribeDatasetImportJobResponse; + }; + sdk: { + input: DescribeDatasetImportJobCommandInput; + output: DescribeDatasetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeExplainabilityCommand.ts b/clients/client-forecast/src/commands/DescribeExplainabilityCommand.ts index 9cabcd7b2e24..5529d90d57f4 100644 --- a/clients/client-forecast/src/commands/DescribeExplainabilityCommand.ts +++ b/clients/client-forecast/src/commands/DescribeExplainabilityCommand.ts @@ -114,4 +114,16 @@ export class DescribeExplainabilityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExplainabilityCommand) .de(de_DescribeExplainabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExplainabilityRequest; + output: DescribeExplainabilityResponse; + }; + sdk: { + input: DescribeExplainabilityCommandInput; + output: DescribeExplainabilityCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeExplainabilityExportCommand.ts b/clients/client-forecast/src/commands/DescribeExplainabilityExportCommand.ts index 3b9573abf6c9..cd32f6d6494f 100644 --- a/clients/client-forecast/src/commands/DescribeExplainabilityExportCommand.ts +++ b/clients/client-forecast/src/commands/DescribeExplainabilityExportCommand.ts @@ -104,4 +104,16 @@ export class DescribeExplainabilityExportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExplainabilityExportCommand) .de(de_DescribeExplainabilityExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExplainabilityExportRequest; + output: DescribeExplainabilityExportResponse; + }; + sdk: { + input: DescribeExplainabilityExportCommandInput; + output: DescribeExplainabilityExportCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeForecastCommand.ts b/clients/client-forecast/src/commands/DescribeForecastCommand.ts index 87139712ebb2..d9fdd09c66e1 100644 --- a/clients/client-forecast/src/commands/DescribeForecastCommand.ts +++ b/clients/client-forecast/src/commands/DescribeForecastCommand.ts @@ -144,4 +144,16 @@ export class DescribeForecastCommand extends $Command .f(void 0, void 0) .ser(se_DescribeForecastCommand) .de(de_DescribeForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeForecastRequest; + output: DescribeForecastResponse; + }; + sdk: { + input: DescribeForecastCommandInput; + output: DescribeForecastCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeForecastExportJobCommand.ts b/clients/client-forecast/src/commands/DescribeForecastExportJobCommand.ts index 4af0599f12d1..48fcb6281e47 100644 --- a/clients/client-forecast/src/commands/DescribeForecastExportJobCommand.ts +++ b/clients/client-forecast/src/commands/DescribeForecastExportJobCommand.ts @@ -123,4 +123,16 @@ export class DescribeForecastExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeForecastExportJobCommand) .de(de_DescribeForecastExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeForecastExportJobRequest; + output: DescribeForecastExportJobResponse; + }; + sdk: { + input: DescribeForecastExportJobCommandInput; + output: DescribeForecastExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeMonitorCommand.ts b/clients/client-forecast/src/commands/DescribeMonitorCommand.ts index 3a71391267a0..1cb45ae3f945 100644 --- a/clients/client-forecast/src/commands/DescribeMonitorCommand.ts +++ b/clients/client-forecast/src/commands/DescribeMonitorCommand.ts @@ -141,4 +141,16 @@ export class DescribeMonitorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMonitorCommand) .de(de_DescribeMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMonitorRequest; + output: DescribeMonitorResponse; + }; + sdk: { + input: DescribeMonitorCommandInput; + output: DescribeMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribePredictorBacktestExportJobCommand.ts b/clients/client-forecast/src/commands/DescribePredictorBacktestExportJobCommand.ts index bba3035a60dd..c22a903d6f07 100644 --- a/clients/client-forecast/src/commands/DescribePredictorBacktestExportJobCommand.ts +++ b/clients/client-forecast/src/commands/DescribePredictorBacktestExportJobCommand.ts @@ -131,4 +131,16 @@ export class DescribePredictorBacktestExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribePredictorBacktestExportJobCommand) .de(de_DescribePredictorBacktestExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePredictorBacktestExportJobRequest; + output: DescribePredictorBacktestExportJobResponse; + }; + sdk: { + input: DescribePredictorBacktestExportJobCommandInput; + output: DescribePredictorBacktestExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribePredictorCommand.ts b/clients/client-forecast/src/commands/DescribePredictorCommand.ts index 5c5778d5cc5c..24ab8f489a8a 100644 --- a/clients/client-forecast/src/commands/DescribePredictorCommand.ts +++ b/clients/client-forecast/src/commands/DescribePredictorCommand.ts @@ -227,4 +227,16 @@ export class DescribePredictorCommand extends $Command .f(void 0, void 0) .ser(se_DescribePredictorCommand) .de(de_DescribePredictorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePredictorRequest; + output: DescribePredictorResponse; + }; + sdk: { + input: DescribePredictorCommandInput; + output: DescribePredictorCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeWhatIfAnalysisCommand.ts b/clients/client-forecast/src/commands/DescribeWhatIfAnalysisCommand.ts index dd936fd615f2..2151b10b56c4 100644 --- a/clients/client-forecast/src/commands/DescribeWhatIfAnalysisCommand.ts +++ b/clients/client-forecast/src/commands/DescribeWhatIfAnalysisCommand.ts @@ -134,4 +134,16 @@ export class DescribeWhatIfAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWhatIfAnalysisCommand) .de(de_DescribeWhatIfAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWhatIfAnalysisRequest; + output: DescribeWhatIfAnalysisResponse; + }; + sdk: { + input: DescribeWhatIfAnalysisCommandInput; + output: DescribeWhatIfAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeWhatIfForecastCommand.ts b/clients/client-forecast/src/commands/DescribeWhatIfForecastCommand.ts index 71d85e2f3d72..588563fec6e9 100644 --- a/clients/client-forecast/src/commands/DescribeWhatIfForecastCommand.ts +++ b/clients/client-forecast/src/commands/DescribeWhatIfForecastCommand.ts @@ -150,4 +150,16 @@ export class DescribeWhatIfForecastCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWhatIfForecastCommand) .de(de_DescribeWhatIfForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWhatIfForecastRequest; + output: DescribeWhatIfForecastResponse; + }; + sdk: { + input: DescribeWhatIfForecastCommandInput; + output: DescribeWhatIfForecastCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/DescribeWhatIfForecastExportCommand.ts b/clients/client-forecast/src/commands/DescribeWhatIfForecastExportCommand.ts index 0759f93a5da9..f6336adec4a6 100644 --- a/clients/client-forecast/src/commands/DescribeWhatIfForecastExportCommand.ts +++ b/clients/client-forecast/src/commands/DescribeWhatIfForecastExportCommand.ts @@ -129,4 +129,16 @@ export class DescribeWhatIfForecastExportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWhatIfForecastExportCommand) .de(de_DescribeWhatIfForecastExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWhatIfForecastExportRequest; + output: DescribeWhatIfForecastExportResponse; + }; + sdk: { + input: DescribeWhatIfForecastExportCommandInput; + output: DescribeWhatIfForecastExportCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/GetAccuracyMetricsCommand.ts b/clients/client-forecast/src/commands/GetAccuracyMetricsCommand.ts index f8dad9143329..cc38dd6c49a0 100644 --- a/clients/client-forecast/src/commands/GetAccuracyMetricsCommand.ts +++ b/clients/client-forecast/src/commands/GetAccuracyMetricsCommand.ts @@ -138,4 +138,16 @@ export class GetAccuracyMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccuracyMetricsCommand) .de(de_GetAccuracyMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccuracyMetricsRequest; + output: GetAccuracyMetricsResponse; + }; + sdk: { + input: GetAccuracyMetricsCommandInput; + output: GetAccuracyMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListDatasetGroupsCommand.ts b/clients/client-forecast/src/commands/ListDatasetGroupsCommand.ts index fb96220c1685..bb6f8d1afef2 100644 --- a/clients/client-forecast/src/commands/ListDatasetGroupsCommand.ts +++ b/clients/client-forecast/src/commands/ListDatasetGroupsCommand.ts @@ -93,4 +93,16 @@ export class ListDatasetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetGroupsCommand) .de(de_ListDatasetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetGroupsRequest; + output: ListDatasetGroupsResponse; + }; + sdk: { + input: ListDatasetGroupsCommandInput; + output: ListDatasetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListDatasetImportJobsCommand.ts b/clients/client-forecast/src/commands/ListDatasetImportJobsCommand.ts index 895e2cedd188..eafa1f51064a 100644 --- a/clients/client-forecast/src/commands/ListDatasetImportJobsCommand.ts +++ b/clients/client-forecast/src/commands/ListDatasetImportJobsCommand.ts @@ -114,4 +114,16 @@ export class ListDatasetImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetImportJobsCommand) .de(de_ListDatasetImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetImportJobsRequest; + output: ListDatasetImportJobsResponse; + }; + sdk: { + input: ListDatasetImportJobsCommandInput; + output: ListDatasetImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListDatasetsCommand.ts b/clients/client-forecast/src/commands/ListDatasetsCommand.ts index d978c1b00365..850b4e7ae896 100644 --- a/clients/client-forecast/src/commands/ListDatasetsCommand.ts +++ b/clients/client-forecast/src/commands/ListDatasetsCommand.ts @@ -93,4 +93,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListExplainabilitiesCommand.ts b/clients/client-forecast/src/commands/ListExplainabilitiesCommand.ts index f65924ed5596..2a074147af42 100644 --- a/clients/client-forecast/src/commands/ListExplainabilitiesCommand.ts +++ b/clients/client-forecast/src/commands/ListExplainabilitiesCommand.ts @@ -111,4 +111,16 @@ export class ListExplainabilitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListExplainabilitiesCommand) .de(de_ListExplainabilitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExplainabilitiesRequest; + output: ListExplainabilitiesResponse; + }; + sdk: { + input: ListExplainabilitiesCommandInput; + output: ListExplainabilitiesCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListExplainabilityExportsCommand.ts b/clients/client-forecast/src/commands/ListExplainabilityExportsCommand.ts index ff33e047b27f..831eb566c6a4 100644 --- a/clients/client-forecast/src/commands/ListExplainabilityExportsCommand.ts +++ b/clients/client-forecast/src/commands/ListExplainabilityExportsCommand.ts @@ -112,4 +112,16 @@ export class ListExplainabilityExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListExplainabilityExportsCommand) .de(de_ListExplainabilityExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExplainabilityExportsRequest; + output: ListExplainabilityExportsResponse; + }; + sdk: { + input: ListExplainabilityExportsCommandInput; + output: ListExplainabilityExportsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListForecastExportJobsCommand.ts b/clients/client-forecast/src/commands/ListForecastExportJobsCommand.ts index b20a40bbe26f..0cbf48edefc2 100644 --- a/clients/client-forecast/src/commands/ListForecastExportJobsCommand.ts +++ b/clients/client-forecast/src/commands/ListForecastExportJobsCommand.ts @@ -112,4 +112,16 @@ export class ListForecastExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListForecastExportJobsCommand) .de(de_ListForecastExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListForecastExportJobsRequest; + output: ListForecastExportJobsResponse; + }; + sdk: { + input: ListForecastExportJobsCommandInput; + output: ListForecastExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListForecastsCommand.ts b/clients/client-forecast/src/commands/ListForecastsCommand.ts index 56a6bbbecf8f..35f072ff2e73 100644 --- a/clients/client-forecast/src/commands/ListForecastsCommand.ts +++ b/clients/client-forecast/src/commands/ListForecastsCommand.ts @@ -109,4 +109,16 @@ export class ListForecastsCommand extends $Command .f(void 0, void 0) .ser(se_ListForecastsCommand) .de(de_ListForecastsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListForecastsRequest; + output: ListForecastsResponse; + }; + sdk: { + input: ListForecastsCommandInput; + output: ListForecastsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListMonitorEvaluationsCommand.ts b/clients/client-forecast/src/commands/ListMonitorEvaluationsCommand.ts index 02e9af5cde80..8f1635a03202 100644 --- a/clients/client-forecast/src/commands/ListMonitorEvaluationsCommand.ts +++ b/clients/client-forecast/src/commands/ListMonitorEvaluationsCommand.ts @@ -127,4 +127,16 @@ export class ListMonitorEvaluationsCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitorEvaluationsCommand) .de(de_ListMonitorEvaluationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitorEvaluationsRequest; + output: ListMonitorEvaluationsResponse; + }; + sdk: { + input: ListMonitorEvaluationsCommandInput; + output: ListMonitorEvaluationsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListMonitorsCommand.ts b/clients/client-forecast/src/commands/ListMonitorsCommand.ts index d779acded0cb..6835f3b7c6d6 100644 --- a/clients/client-forecast/src/commands/ListMonitorsCommand.ts +++ b/clients/client-forecast/src/commands/ListMonitorsCommand.ts @@ -103,4 +103,16 @@ export class ListMonitorsCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitorsCommand) .de(de_ListMonitorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitorsRequest; + output: ListMonitorsResponse; + }; + sdk: { + input: ListMonitorsCommandInput; + output: ListMonitorsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListPredictorBacktestExportJobsCommand.ts b/clients/client-forecast/src/commands/ListPredictorBacktestExportJobsCommand.ts index bdc365e31532..d5ae5600e9d2 100644 --- a/clients/client-forecast/src/commands/ListPredictorBacktestExportJobsCommand.ts +++ b/clients/client-forecast/src/commands/ListPredictorBacktestExportJobsCommand.ts @@ -117,4 +117,16 @@ export class ListPredictorBacktestExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListPredictorBacktestExportJobsCommand) .de(de_ListPredictorBacktestExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPredictorBacktestExportJobsRequest; + output: ListPredictorBacktestExportJobsResponse; + }; + sdk: { + input: ListPredictorBacktestExportJobsCommandInput; + output: ListPredictorBacktestExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListPredictorsCommand.ts b/clients/client-forecast/src/commands/ListPredictorsCommand.ts index be703e4df122..c8e4134dad99 100644 --- a/clients/client-forecast/src/commands/ListPredictorsCommand.ts +++ b/clients/client-forecast/src/commands/ListPredictorsCommand.ts @@ -112,4 +112,16 @@ export class ListPredictorsCommand extends $Command .f(void 0, void 0) .ser(se_ListPredictorsCommand) .de(de_ListPredictorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPredictorsRequest; + output: ListPredictorsResponse; + }; + sdk: { + input: ListPredictorsCommandInput; + output: ListPredictorsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListTagsForResourceCommand.ts b/clients/client-forecast/src/commands/ListTagsForResourceCommand.ts index 3ac92c0ad10b..44b4c5320b08 100644 --- a/clients/client-forecast/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-forecast/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListWhatIfAnalysesCommand.ts b/clients/client-forecast/src/commands/ListWhatIfAnalysesCommand.ts index faae1a1c8090..124473a4b662 100644 --- a/clients/client-forecast/src/commands/ListWhatIfAnalysesCommand.ts +++ b/clients/client-forecast/src/commands/ListWhatIfAnalysesCommand.ts @@ -103,4 +103,16 @@ export class ListWhatIfAnalysesCommand extends $Command .f(void 0, void 0) .ser(se_ListWhatIfAnalysesCommand) .de(de_ListWhatIfAnalysesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWhatIfAnalysesRequest; + output: ListWhatIfAnalysesResponse; + }; + sdk: { + input: ListWhatIfAnalysesCommandInput; + output: ListWhatIfAnalysesCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListWhatIfForecastExportsCommand.ts b/clients/client-forecast/src/commands/ListWhatIfForecastExportsCommand.ts index 847d356b5409..4e3e40194f30 100644 --- a/clients/client-forecast/src/commands/ListWhatIfForecastExportsCommand.ts +++ b/clients/client-forecast/src/commands/ListWhatIfForecastExportsCommand.ts @@ -112,4 +112,16 @@ export class ListWhatIfForecastExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListWhatIfForecastExportsCommand) .de(de_ListWhatIfForecastExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWhatIfForecastExportsRequest; + output: ListWhatIfForecastExportsResponse; + }; + sdk: { + input: ListWhatIfForecastExportsCommandInput; + output: ListWhatIfForecastExportsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ListWhatIfForecastsCommand.ts b/clients/client-forecast/src/commands/ListWhatIfForecastsCommand.ts index a4716d4f4c56..6c6ea55b5d11 100644 --- a/clients/client-forecast/src/commands/ListWhatIfForecastsCommand.ts +++ b/clients/client-forecast/src/commands/ListWhatIfForecastsCommand.ts @@ -103,4 +103,16 @@ export class ListWhatIfForecastsCommand extends $Command .f(void 0, void 0) .ser(se_ListWhatIfForecastsCommand) .de(de_ListWhatIfForecastsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWhatIfForecastsRequest; + output: ListWhatIfForecastsResponse; + }; + sdk: { + input: ListWhatIfForecastsCommandInput; + output: ListWhatIfForecastsCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/ResumeResourceCommand.ts b/clients/client-forecast/src/commands/ResumeResourceCommand.ts index f67119f78d42..f0366344e404 100644 --- a/clients/client-forecast/src/commands/ResumeResourceCommand.ts +++ b/clients/client-forecast/src/commands/ResumeResourceCommand.ts @@ -89,4 +89,16 @@ export class ResumeResourceCommand extends $Command .f(void 0, void 0) .ser(se_ResumeResourceCommand) .de(de_ResumeResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeResourceRequest; + output: {}; + }; + sdk: { + input: ResumeResourceCommandInput; + output: ResumeResourceCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/StopResourceCommand.ts b/clients/client-forecast/src/commands/StopResourceCommand.ts index b8cf470a1315..bd429d33b31a 100644 --- a/clients/client-forecast/src/commands/StopResourceCommand.ts +++ b/clients/client-forecast/src/commands/StopResourceCommand.ts @@ -114,4 +114,16 @@ export class StopResourceCommand extends $Command .f(void 0, void 0) .ser(se_StopResourceCommand) .de(de_StopResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopResourceRequest; + output: {}; + }; + sdk: { + input: StopResourceCommandInput; + output: StopResourceCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/TagResourceCommand.ts b/clients/client-forecast/src/commands/TagResourceCommand.ts index ce55f0a211e5..b8e0e029f152 100644 --- a/clients/client-forecast/src/commands/TagResourceCommand.ts +++ b/clients/client-forecast/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/UntagResourceCommand.ts b/clients/client-forecast/src/commands/UntagResourceCommand.ts index 86ca92f11f27..f04f59da4310 100644 --- a/clients/client-forecast/src/commands/UntagResourceCommand.ts +++ b/clients/client-forecast/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-forecast/src/commands/UpdateDatasetGroupCommand.ts b/clients/client-forecast/src/commands/UpdateDatasetGroupCommand.ts index 4dafde752f04..c7784f28bfb7 100644 --- a/clients/client-forecast/src/commands/UpdateDatasetGroupCommand.ts +++ b/clients/client-forecast/src/commands/UpdateDatasetGroupCommand.ts @@ -94,4 +94,16 @@ export class UpdateDatasetGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasetGroupCommand) .de(de_UpdateDatasetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasetGroupRequest; + output: {}; + }; + sdk: { + input: UpdateDatasetGroupCommandInput; + output: UpdateDatasetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-forecastquery/package.json b/clients/client-forecastquery/package.json index 2c84f0f730c2..6fd1af475070 100644 --- a/clients/client-forecastquery/package.json +++ b/clients/client-forecastquery/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-forecastquery/src/commands/QueryForecastCommand.ts b/clients/client-forecastquery/src/commands/QueryForecastCommand.ts index a0160c6536f5..156235eee984 100644 --- a/clients/client-forecastquery/src/commands/QueryForecastCommand.ts +++ b/clients/client-forecastquery/src/commands/QueryForecastCommand.ts @@ -119,4 +119,16 @@ export class QueryForecastCommand extends $Command .f(void 0, void 0) .ser(se_QueryForecastCommand) .de(de_QueryForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryForecastRequest; + output: QueryForecastResponse; + }; + sdk: { + input: QueryForecastCommandInput; + output: QueryForecastCommandOutput; + }; + }; +} diff --git a/clients/client-forecastquery/src/commands/QueryWhatIfForecastCommand.ts b/clients/client-forecastquery/src/commands/QueryWhatIfForecastCommand.ts index 84a0a3c910e9..114d1db0b1e2 100644 --- a/clients/client-forecastquery/src/commands/QueryWhatIfForecastCommand.ts +++ b/clients/client-forecastquery/src/commands/QueryWhatIfForecastCommand.ts @@ -108,4 +108,16 @@ export class QueryWhatIfForecastCommand extends $Command .f(void 0, void 0) .ser(se_QueryWhatIfForecastCommand) .de(de_QueryWhatIfForecastCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryWhatIfForecastRequest; + output: QueryWhatIfForecastResponse; + }; + sdk: { + input: QueryWhatIfForecastCommandInput; + output: QueryWhatIfForecastCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/package.json b/clients/client-frauddetector/package.json index 5d7659a9d866..d1bcee53618c 100644 --- a/clients/client-frauddetector/package.json +++ b/clients/client-frauddetector/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-frauddetector/src/commands/BatchCreateVariableCommand.ts b/clients/client-frauddetector/src/commands/BatchCreateVariableCommand.ts index 3737405e6b6f..3a81d053b25f 100644 --- a/clients/client-frauddetector/src/commands/BatchCreateVariableCommand.ts +++ b/clients/client-frauddetector/src/commands/BatchCreateVariableCommand.ts @@ -110,4 +110,16 @@ export class BatchCreateVariableCommand extends $Command .f(void 0, void 0) .ser(se_BatchCreateVariableCommand) .de(de_BatchCreateVariableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateVariableRequest; + output: BatchCreateVariableResult; + }; + sdk: { + input: BatchCreateVariableCommandInput; + output: BatchCreateVariableCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/BatchGetVariableCommand.ts b/clients/client-frauddetector/src/commands/BatchGetVariableCommand.ts index 074be74567cc..d069952643dc 100644 --- a/clients/client-frauddetector/src/commands/BatchGetVariableCommand.ts +++ b/clients/client-frauddetector/src/commands/BatchGetVariableCommand.ts @@ -110,4 +110,16 @@ export class BatchGetVariableCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetVariableCommand) .de(de_BatchGetVariableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetVariableRequest; + output: BatchGetVariableResult; + }; + sdk: { + input: BatchGetVariableCommandInput; + output: BatchGetVariableCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CancelBatchImportJobCommand.ts b/clients/client-frauddetector/src/commands/CancelBatchImportJobCommand.ts index 438c1ba93ba1..8131e58a10ac 100644 --- a/clients/client-frauddetector/src/commands/CancelBatchImportJobCommand.ts +++ b/clients/client-frauddetector/src/commands/CancelBatchImportJobCommand.ts @@ -90,4 +90,16 @@ export class CancelBatchImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelBatchImportJobCommand) .de(de_CancelBatchImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelBatchImportJobRequest; + output: {}; + }; + sdk: { + input: CancelBatchImportJobCommandInput; + output: CancelBatchImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CancelBatchPredictionJobCommand.ts b/clients/client-frauddetector/src/commands/CancelBatchPredictionJobCommand.ts index 4ba10ef5fb65..a521763c556d 100644 --- a/clients/client-frauddetector/src/commands/CancelBatchPredictionJobCommand.ts +++ b/clients/client-frauddetector/src/commands/CancelBatchPredictionJobCommand.ts @@ -90,4 +90,16 @@ export class CancelBatchPredictionJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelBatchPredictionJobCommand) .de(de_CancelBatchPredictionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelBatchPredictionJobRequest; + output: {}; + }; + sdk: { + input: CancelBatchPredictionJobCommandInput; + output: CancelBatchPredictionJobCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateBatchImportJobCommand.ts b/clients/client-frauddetector/src/commands/CreateBatchImportJobCommand.ts index 883b36c78322..d72a72a12575 100644 --- a/clients/client-frauddetector/src/commands/CreateBatchImportJobCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateBatchImportJobCommand.ts @@ -100,4 +100,16 @@ export class CreateBatchImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateBatchImportJobCommand) .de(de_CreateBatchImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBatchImportJobRequest; + output: {}; + }; + sdk: { + input: CreateBatchImportJobCommandInput; + output: CreateBatchImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateBatchPredictionJobCommand.ts b/clients/client-frauddetector/src/commands/CreateBatchPredictionJobCommand.ts index d9e8763bd56e..c081a8741978 100644 --- a/clients/client-frauddetector/src/commands/CreateBatchPredictionJobCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateBatchPredictionJobCommand.ts @@ -102,4 +102,16 @@ export class CreateBatchPredictionJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateBatchPredictionJobCommand) .de(de_CreateBatchPredictionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBatchPredictionJobRequest; + output: {}; + }; + sdk: { + input: CreateBatchPredictionJobCommandInput; + output: CreateBatchPredictionJobCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateDetectorVersionCommand.ts b/clients/client-frauddetector/src/commands/CreateDetectorVersionCommand.ts index 19dc59fed307..cb770d74146e 100644 --- a/clients/client-frauddetector/src/commands/CreateDetectorVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateDetectorVersionCommand.ts @@ -120,4 +120,16 @@ export class CreateDetectorVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDetectorVersionCommand) .de(de_CreateDetectorVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDetectorVersionRequest; + output: CreateDetectorVersionResult; + }; + sdk: { + input: CreateDetectorVersionCommandInput; + output: CreateDetectorVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateListCommand.ts b/clients/client-frauddetector/src/commands/CreateListCommand.ts index 7e407cac1d75..d49d204c0abb 100644 --- a/clients/client-frauddetector/src/commands/CreateListCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateListCommand.ts @@ -102,4 +102,16 @@ export class CreateListCommand extends $Command .f(CreateListRequestFilterSensitiveLog, void 0) .ser(se_CreateListCommand) .de(de_CreateListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateListRequest; + output: {}; + }; + sdk: { + input: CreateListCommandInput; + output: CreateListCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateModelCommand.ts b/clients/client-frauddetector/src/commands/CreateModelCommand.ts index 18bbbea1c8f9..bf002858b990 100644 --- a/clients/client-frauddetector/src/commands/CreateModelCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateModelCommand.ts @@ -96,4 +96,16 @@ export class CreateModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCommand) .de(de_CreateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelRequest; + output: {}; + }; + sdk: { + input: CreateModelCommandInput; + output: CreateModelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateModelVersionCommand.ts b/clients/client-frauddetector/src/commands/CreateModelVersionCommand.ts index 2bc1910c3651..4a875a37669a 100644 --- a/clients/client-frauddetector/src/commands/CreateModelVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateModelVersionCommand.ts @@ -127,4 +127,16 @@ export class CreateModelVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelVersionCommand) .de(de_CreateModelVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelVersionRequest; + output: CreateModelVersionResult; + }; + sdk: { + input: CreateModelVersionCommandInput; + output: CreateModelVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateRuleCommand.ts b/clients/client-frauddetector/src/commands/CreateRuleCommand.ts index 3bb88e0affe1..bd314fe4150f 100644 --- a/clients/client-frauddetector/src/commands/CreateRuleCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateRuleCommand.ts @@ -106,4 +106,16 @@ export class CreateRuleCommand extends $Command .f(CreateRuleRequestFilterSensitiveLog, void 0) .ser(se_CreateRuleCommand) .de(de_CreateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleRequest; + output: CreateRuleResult; + }; + sdk: { + input: CreateRuleCommandInput; + output: CreateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/CreateVariableCommand.ts b/clients/client-frauddetector/src/commands/CreateVariableCommand.ts index 6f2b3436bdfe..073415919cbe 100644 --- a/clients/client-frauddetector/src/commands/CreateVariableCommand.ts +++ b/clients/client-frauddetector/src/commands/CreateVariableCommand.ts @@ -98,4 +98,16 @@ export class CreateVariableCommand extends $Command .f(void 0, void 0) .ser(se_CreateVariableCommand) .de(de_CreateVariableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVariableRequest; + output: {}; + }; + sdk: { + input: CreateVariableCommandInput; + output: CreateVariableCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteBatchImportJobCommand.ts b/clients/client-frauddetector/src/commands/DeleteBatchImportJobCommand.ts index 0de5b0b1c51d..6e3a970ef22c 100644 --- a/clients/client-frauddetector/src/commands/DeleteBatchImportJobCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteBatchImportJobCommand.ts @@ -87,4 +87,16 @@ export class DeleteBatchImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBatchImportJobCommand) .de(de_DeleteBatchImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBatchImportJobRequest; + output: {}; + }; + sdk: { + input: DeleteBatchImportJobCommandInput; + output: DeleteBatchImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteBatchPredictionJobCommand.ts b/clients/client-frauddetector/src/commands/DeleteBatchPredictionJobCommand.ts index 02a18e87f77e..0dceca1cb771 100644 --- a/clients/client-frauddetector/src/commands/DeleteBatchPredictionJobCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteBatchPredictionJobCommand.ts @@ -87,4 +87,16 @@ export class DeleteBatchPredictionJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBatchPredictionJobCommand) .de(de_DeleteBatchPredictionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBatchPredictionJobRequest; + output: {}; + }; + sdk: { + input: DeleteBatchPredictionJobCommandInput; + output: DeleteBatchPredictionJobCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteDetectorCommand.ts b/clients/client-frauddetector/src/commands/DeleteDetectorCommand.ts index fbf9728c2bfc..ba223bada012 100644 --- a/clients/client-frauddetector/src/commands/DeleteDetectorCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteDetectorCommand.ts @@ -91,4 +91,16 @@ export class DeleteDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDetectorCommand) .de(de_DeleteDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDetectorRequest; + output: {}; + }; + sdk: { + input: DeleteDetectorCommandInput; + output: DeleteDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteDetectorVersionCommand.ts b/clients/client-frauddetector/src/commands/DeleteDetectorVersionCommand.ts index fdbf9c933711..77c4824f68ec 100644 --- a/clients/client-frauddetector/src/commands/DeleteDetectorVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteDetectorVersionCommand.ts @@ -95,4 +95,16 @@ export class DeleteDetectorVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDetectorVersionCommand) .de(de_DeleteDetectorVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDetectorVersionRequest; + output: {}; + }; + sdk: { + input: DeleteDetectorVersionCommandInput; + output: DeleteDetectorVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteEntityTypeCommand.ts b/clients/client-frauddetector/src/commands/DeleteEntityTypeCommand.ts index d11e622e08fe..c70028cb1000 100644 --- a/clients/client-frauddetector/src/commands/DeleteEntityTypeCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteEntityTypeCommand.ts @@ -92,4 +92,16 @@ export class DeleteEntityTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEntityTypeCommand) .de(de_DeleteEntityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEntityTypeRequest; + output: {}; + }; + sdk: { + input: DeleteEntityTypeCommandInput; + output: DeleteEntityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteEventCommand.ts b/clients/client-frauddetector/src/commands/DeleteEventCommand.ts index 371fb717bf06..1e9d71ca6215 100644 --- a/clients/client-frauddetector/src/commands/DeleteEventCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteEventCommand.ts @@ -91,4 +91,16 @@ export class DeleteEventCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventCommand) .de(de_DeleteEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventRequest; + output: {}; + }; + sdk: { + input: DeleteEventCommandInput; + output: DeleteEventCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteEventTypeCommand.ts b/clients/client-frauddetector/src/commands/DeleteEventTypeCommand.ts index f2d09cb7ce0f..594dd253c76c 100644 --- a/clients/client-frauddetector/src/commands/DeleteEventTypeCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteEventTypeCommand.ts @@ -92,4 +92,16 @@ export class DeleteEventTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventTypeCommand) .de(de_DeleteEventTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventTypeRequest; + output: {}; + }; + sdk: { + input: DeleteEventTypeCommandInput; + output: DeleteEventTypeCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteEventsByEventTypeCommand.ts b/clients/client-frauddetector/src/commands/DeleteEventsByEventTypeCommand.ts index 625d9bbd3251..7740f0b9f90f 100644 --- a/clients/client-frauddetector/src/commands/DeleteEventsByEventTypeCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteEventsByEventTypeCommand.ts @@ -96,4 +96,16 @@ export class DeleteEventsByEventTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventsByEventTypeCommand) .de(de_DeleteEventsByEventTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventsByEventTypeRequest; + output: DeleteEventsByEventTypeResult; + }; + sdk: { + input: DeleteEventsByEventTypeCommandInput; + output: DeleteEventsByEventTypeCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteExternalModelCommand.ts b/clients/client-frauddetector/src/commands/DeleteExternalModelCommand.ts index f12d673fd5a3..45c5b1f57d6d 100644 --- a/clients/client-frauddetector/src/commands/DeleteExternalModelCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteExternalModelCommand.ts @@ -91,4 +91,16 @@ export class DeleteExternalModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExternalModelCommand) .de(de_DeleteExternalModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExternalModelRequest; + output: {}; + }; + sdk: { + input: DeleteExternalModelCommandInput; + output: DeleteExternalModelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteLabelCommand.ts b/clients/client-frauddetector/src/commands/DeleteLabelCommand.ts index 0af09c0119d2..2ff68e8a89b5 100644 --- a/clients/client-frauddetector/src/commands/DeleteLabelCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteLabelCommand.ts @@ -90,4 +90,16 @@ export class DeleteLabelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLabelCommand) .de(de_DeleteLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLabelRequest; + output: {}; + }; + sdk: { + input: DeleteLabelCommandInput; + output: DeleteLabelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteListCommand.ts b/clients/client-frauddetector/src/commands/DeleteListCommand.ts index fefb7918cbb0..ccf1911ed2b5 100644 --- a/clients/client-frauddetector/src/commands/DeleteListCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteListCommand.ts @@ -93,4 +93,16 @@ export class DeleteListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteListCommand) .de(de_DeleteListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteListRequest; + output: {}; + }; + sdk: { + input: DeleteListCommandInput; + output: DeleteListCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteModelCommand.ts b/clients/client-frauddetector/src/commands/DeleteModelCommand.ts index 3878ea540844..73cc7a058d69 100644 --- a/clients/client-frauddetector/src/commands/DeleteModelCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteModelCommand.ts @@ -93,4 +93,16 @@ export class DeleteModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelCommand) .de(de_DeleteModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelRequest; + output: {}; + }; + sdk: { + input: DeleteModelCommandInput; + output: DeleteModelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteModelVersionCommand.ts b/clients/client-frauddetector/src/commands/DeleteModelVersionCommand.ts index 61d768f1bb99..ba53aadd59df 100644 --- a/clients/client-frauddetector/src/commands/DeleteModelVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteModelVersionCommand.ts @@ -94,4 +94,16 @@ export class DeleteModelVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelVersionCommand) .de(de_DeleteModelVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelVersionRequest; + output: {}; + }; + sdk: { + input: DeleteModelVersionCommandInput; + output: DeleteModelVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteOutcomeCommand.ts b/clients/client-frauddetector/src/commands/DeleteOutcomeCommand.ts index 67b9978a08e4..91bcf80d3930 100644 --- a/clients/client-frauddetector/src/commands/DeleteOutcomeCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteOutcomeCommand.ts @@ -92,4 +92,16 @@ export class DeleteOutcomeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOutcomeCommand) .de(de_DeleteOutcomeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOutcomeRequest; + output: {}; + }; + sdk: { + input: DeleteOutcomeCommandInput; + output: DeleteOutcomeCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteRuleCommand.ts b/clients/client-frauddetector/src/commands/DeleteRuleCommand.ts index 202abde5be3a..e3db09841377 100644 --- a/clients/client-frauddetector/src/commands/DeleteRuleCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteRuleCommand.ts @@ -95,4 +95,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: {}; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DeleteVariableCommand.ts b/clients/client-frauddetector/src/commands/DeleteVariableCommand.ts index 81724e84afd4..fc7e803056b3 100644 --- a/clients/client-frauddetector/src/commands/DeleteVariableCommand.ts +++ b/clients/client-frauddetector/src/commands/DeleteVariableCommand.ts @@ -93,4 +93,16 @@ export class DeleteVariableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVariableCommand) .de(de_DeleteVariableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVariableRequest; + output: {}; + }; + sdk: { + input: DeleteVariableCommandInput; + output: DeleteVariableCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DescribeDetectorCommand.ts b/clients/client-frauddetector/src/commands/DescribeDetectorCommand.ts index 9ac7e28c1267..9e5b8701e356 100644 --- a/clients/client-frauddetector/src/commands/DescribeDetectorCommand.ts +++ b/clients/client-frauddetector/src/commands/DescribeDetectorCommand.ts @@ -104,4 +104,16 @@ export class DescribeDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDetectorCommand) .de(de_DescribeDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDetectorRequest; + output: DescribeDetectorResult; + }; + sdk: { + input: DescribeDetectorCommandInput; + output: DescribeDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/DescribeModelVersionsCommand.ts b/clients/client-frauddetector/src/commands/DescribeModelVersionsCommand.ts index a515fc98037a..65b1c44d67b8 100644 --- a/clients/client-frauddetector/src/commands/DescribeModelVersionsCommand.ts +++ b/clients/client-frauddetector/src/commands/DescribeModelVersionsCommand.ts @@ -257,4 +257,16 @@ export class DescribeModelVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelVersionsCommand) .de(de_DescribeModelVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelVersionsRequest; + output: DescribeModelVersionsResult; + }; + sdk: { + input: DescribeModelVersionsCommandInput; + output: DescribeModelVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetBatchImportJobsCommand.ts b/clients/client-frauddetector/src/commands/GetBatchImportJobsCommand.ts index 4740425acdff..5555ef568ce5 100644 --- a/clients/client-frauddetector/src/commands/GetBatchImportJobsCommand.ts +++ b/clients/client-frauddetector/src/commands/GetBatchImportJobsCommand.ts @@ -114,4 +114,16 @@ export class GetBatchImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_GetBatchImportJobsCommand) .de(de_GetBatchImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBatchImportJobsRequest; + output: GetBatchImportJobsResult; + }; + sdk: { + input: GetBatchImportJobsCommandInput; + output: GetBatchImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetBatchPredictionJobsCommand.ts b/clients/client-frauddetector/src/commands/GetBatchPredictionJobsCommand.ts index 6c1d4eb1299f..321ad3447004 100644 --- a/clients/client-frauddetector/src/commands/GetBatchPredictionJobsCommand.ts +++ b/clients/client-frauddetector/src/commands/GetBatchPredictionJobsCommand.ts @@ -113,4 +113,16 @@ export class GetBatchPredictionJobsCommand extends $Command .f(void 0, void 0) .ser(se_GetBatchPredictionJobsCommand) .de(de_GetBatchPredictionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBatchPredictionJobsRequest; + output: GetBatchPredictionJobsResult; + }; + sdk: { + input: GetBatchPredictionJobsCommandInput; + output: GetBatchPredictionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetDeleteEventsByEventTypeStatusCommand.ts b/clients/client-frauddetector/src/commands/GetDeleteEventsByEventTypeStatusCommand.ts index 4155126a9230..52f43ebf9654 100644 --- a/clients/client-frauddetector/src/commands/GetDeleteEventsByEventTypeStatusCommand.ts +++ b/clients/client-frauddetector/src/commands/GetDeleteEventsByEventTypeStatusCommand.ts @@ -98,4 +98,16 @@ export class GetDeleteEventsByEventTypeStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetDeleteEventsByEventTypeStatusCommand) .de(de_GetDeleteEventsByEventTypeStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeleteEventsByEventTypeStatusRequest; + output: GetDeleteEventsByEventTypeStatusResult; + }; + sdk: { + input: GetDeleteEventsByEventTypeStatusCommandInput; + output: GetDeleteEventsByEventTypeStatusCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetDetectorVersionCommand.ts b/clients/client-frauddetector/src/commands/GetDetectorVersionCommand.ts index 9ebe38b48b86..2abcc3fda303 100644 --- a/clients/client-frauddetector/src/commands/GetDetectorVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/GetDetectorVersionCommand.ts @@ -118,4 +118,16 @@ export class GetDetectorVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetDetectorVersionCommand) .de(de_GetDetectorVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDetectorVersionRequest; + output: GetDetectorVersionResult; + }; + sdk: { + input: GetDetectorVersionCommandInput; + output: GetDetectorVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetDetectorsCommand.ts b/clients/client-frauddetector/src/commands/GetDetectorsCommand.ts index 3362c8709c41..aa6d098d28ad 100644 --- a/clients/client-frauddetector/src/commands/GetDetectorsCommand.ts +++ b/clients/client-frauddetector/src/commands/GetDetectorsCommand.ts @@ -109,4 +109,16 @@ export class GetDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_GetDetectorsCommand) .de(de_GetDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDetectorsRequest; + output: GetDetectorsResult; + }; + sdk: { + input: GetDetectorsCommandInput; + output: GetDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetEntityTypesCommand.ts b/clients/client-frauddetector/src/commands/GetEntityTypesCommand.ts index e0ba8a1dad6b..2b17c90544c5 100644 --- a/clients/client-frauddetector/src/commands/GetEntityTypesCommand.ts +++ b/clients/client-frauddetector/src/commands/GetEntityTypesCommand.ts @@ -108,4 +108,16 @@ export class GetEntityTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetEntityTypesCommand) .de(de_GetEntityTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEntityTypesRequest; + output: GetEntityTypesResult; + }; + sdk: { + input: GetEntityTypesCommandInput; + output: GetEntityTypesCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetEventCommand.ts b/clients/client-frauddetector/src/commands/GetEventCommand.ts index a7b39ee96b92..4d5fa2fa0f0c 100644 --- a/clients/client-frauddetector/src/commands/GetEventCommand.ts +++ b/clients/client-frauddetector/src/commands/GetEventCommand.ts @@ -108,4 +108,16 @@ export class GetEventCommand extends $Command .f(void 0, GetEventResultFilterSensitiveLog) .ser(se_GetEventCommand) .de(de_GetEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventRequest; + output: GetEventResult; + }; + sdk: { + input: GetEventCommandInput; + output: GetEventCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetEventPredictionCommand.ts b/clients/client-frauddetector/src/commands/GetEventPredictionCommand.ts index fa9a2cc69aa2..a76e66b7bb0a 100644 --- a/clients/client-frauddetector/src/commands/GetEventPredictionCommand.ts +++ b/clients/client-frauddetector/src/commands/GetEventPredictionCommand.ts @@ -152,4 +152,16 @@ export class GetEventPredictionCommand extends $Command .f(GetEventPredictionRequestFilterSensitiveLog, void 0) .ser(se_GetEventPredictionCommand) .de(de_GetEventPredictionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventPredictionRequest; + output: GetEventPredictionResult; + }; + sdk: { + input: GetEventPredictionCommandInput; + output: GetEventPredictionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetEventPredictionMetadataCommand.ts b/clients/client-frauddetector/src/commands/GetEventPredictionMetadataCommand.ts index 816a65f2c3a5..5983d38ac95a 100644 --- a/clients/client-frauddetector/src/commands/GetEventPredictionMetadataCommand.ts +++ b/clients/client-frauddetector/src/commands/GetEventPredictionMetadataCommand.ts @@ -175,4 +175,16 @@ export class GetEventPredictionMetadataCommand extends $Command .f(void 0, GetEventPredictionMetadataResultFilterSensitiveLog) .ser(se_GetEventPredictionMetadataCommand) .de(de_GetEventPredictionMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventPredictionMetadataRequest; + output: GetEventPredictionMetadataResult; + }; + sdk: { + input: GetEventPredictionMetadataCommandInput; + output: GetEventPredictionMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetEventTypesCommand.ts b/clients/client-frauddetector/src/commands/GetEventTypesCommand.ts index 70a45c8029b1..453b21fc125d 100644 --- a/clients/client-frauddetector/src/commands/GetEventTypesCommand.ts +++ b/clients/client-frauddetector/src/commands/GetEventTypesCommand.ts @@ -128,4 +128,16 @@ export class GetEventTypesCommand extends $Command .f(void 0, GetEventTypesResultFilterSensitiveLog) .ser(se_GetEventTypesCommand) .de(de_GetEventTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventTypesRequest; + output: GetEventTypesResult; + }; + sdk: { + input: GetEventTypesCommandInput; + output: GetEventTypesCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetExternalModelsCommand.ts b/clients/client-frauddetector/src/commands/GetExternalModelsCommand.ts index 8733f3a11d03..e3fccb21c9c0 100644 --- a/clients/client-frauddetector/src/commands/GetExternalModelsCommand.ts +++ b/clients/client-frauddetector/src/commands/GetExternalModelsCommand.ts @@ -126,4 +126,16 @@ export class GetExternalModelsCommand extends $Command .f(void 0, void 0) .ser(se_GetExternalModelsCommand) .de(de_GetExternalModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExternalModelsRequest; + output: GetExternalModelsResult; + }; + sdk: { + input: GetExternalModelsCommandInput; + output: GetExternalModelsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetKMSEncryptionKeyCommand.ts b/clients/client-frauddetector/src/commands/GetKMSEncryptionKeyCommand.ts index a6d27a63d7b4..42be0539aef4 100644 --- a/clients/client-frauddetector/src/commands/GetKMSEncryptionKeyCommand.ts +++ b/clients/client-frauddetector/src/commands/GetKMSEncryptionKeyCommand.ts @@ -89,4 +89,16 @@ export class GetKMSEncryptionKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetKMSEncryptionKeyCommand) .de(de_GetKMSEncryptionKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetKMSEncryptionKeyResult; + }; + sdk: { + input: GetKMSEncryptionKeyCommandInput; + output: GetKMSEncryptionKeyCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetLabelsCommand.ts b/clients/client-frauddetector/src/commands/GetLabelsCommand.ts index 90bc3a189052..9ff969ae9096 100644 --- a/clients/client-frauddetector/src/commands/GetLabelsCommand.ts +++ b/clients/client-frauddetector/src/commands/GetLabelsCommand.ts @@ -108,4 +108,16 @@ export class GetLabelsCommand extends $Command .f(void 0, void 0) .ser(se_GetLabelsCommand) .de(de_GetLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLabelsRequest; + output: GetLabelsResult; + }; + sdk: { + input: GetLabelsCommandInput; + output: GetLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetListElementsCommand.ts b/clients/client-frauddetector/src/commands/GetListElementsCommand.ts index a22fa856a046..6e14f43757d8 100644 --- a/clients/client-frauddetector/src/commands/GetListElementsCommand.ts +++ b/clients/client-frauddetector/src/commands/GetListElementsCommand.ts @@ -103,4 +103,16 @@ export class GetListElementsCommand extends $Command .f(void 0, GetListElementsResultFilterSensitiveLog) .ser(se_GetListElementsCommand) .de(de_GetListElementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetListElementsRequest; + output: GetListElementsResult; + }; + sdk: { + input: GetListElementsCommandInput; + output: GetListElementsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetListsMetadataCommand.ts b/clients/client-frauddetector/src/commands/GetListsMetadataCommand.ts index f1dd198b9d3d..3ab8b8c29a4e 100644 --- a/clients/client-frauddetector/src/commands/GetListsMetadataCommand.ts +++ b/clients/client-frauddetector/src/commands/GetListsMetadataCommand.ts @@ -106,4 +106,16 @@ export class GetListsMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetListsMetadataCommand) .de(de_GetListsMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetListsMetadataRequest; + output: GetListsMetadataResult; + }; + sdk: { + input: GetListsMetadataCommandInput; + output: GetListsMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetModelVersionCommand.ts b/clients/client-frauddetector/src/commands/GetModelVersionCommand.ts index f2af73c60d95..f2d81b61afa3 100644 --- a/clients/client-frauddetector/src/commands/GetModelVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/GetModelVersionCommand.ts @@ -122,4 +122,16 @@ export class GetModelVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetModelVersionCommand) .de(de_GetModelVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelVersionRequest; + output: GetModelVersionResult; + }; + sdk: { + input: GetModelVersionCommandInput; + output: GetModelVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetModelsCommand.ts b/clients/client-frauddetector/src/commands/GetModelsCommand.ts index 664a58013f38..4fa4706983c8 100644 --- a/clients/client-frauddetector/src/commands/GetModelsCommand.ts +++ b/clients/client-frauddetector/src/commands/GetModelsCommand.ts @@ -112,4 +112,16 @@ export class GetModelsCommand extends $Command .f(void 0, void 0) .ser(se_GetModelsCommand) .de(de_GetModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelsRequest; + output: GetModelsResult; + }; + sdk: { + input: GetModelsCommandInput; + output: GetModelsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetOutcomesCommand.ts b/clients/client-frauddetector/src/commands/GetOutcomesCommand.ts index 709760507503..5745fb5947b4 100644 --- a/clients/client-frauddetector/src/commands/GetOutcomesCommand.ts +++ b/clients/client-frauddetector/src/commands/GetOutcomesCommand.ts @@ -108,4 +108,16 @@ export class GetOutcomesCommand extends $Command .f(void 0, void 0) .ser(se_GetOutcomesCommand) .de(de_GetOutcomesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOutcomesRequest; + output: GetOutcomesResult; + }; + sdk: { + input: GetOutcomesCommandInput; + output: GetOutcomesCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetRulesCommand.ts b/clients/client-frauddetector/src/commands/GetRulesCommand.ts index 15524e0b88c7..f8fa59f5d2a6 100644 --- a/clients/client-frauddetector/src/commands/GetRulesCommand.ts +++ b/clients/client-frauddetector/src/commands/GetRulesCommand.ts @@ -113,4 +113,16 @@ export class GetRulesCommand extends $Command .f(void 0, GetRulesResultFilterSensitiveLog) .ser(se_GetRulesCommand) .de(de_GetRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRulesRequest; + output: GetRulesResult; + }; + sdk: { + input: GetRulesCommandInput; + output: GetRulesCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/GetVariablesCommand.ts b/clients/client-frauddetector/src/commands/GetVariablesCommand.ts index 8c29280f61d8..801df4f14cc6 100644 --- a/clients/client-frauddetector/src/commands/GetVariablesCommand.ts +++ b/clients/client-frauddetector/src/commands/GetVariablesCommand.ts @@ -112,4 +112,16 @@ export class GetVariablesCommand extends $Command .f(void 0, void 0) .ser(se_GetVariablesCommand) .de(de_GetVariablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVariablesRequest; + output: GetVariablesResult; + }; + sdk: { + input: GetVariablesCommandInput; + output: GetVariablesCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/ListEventPredictionsCommand.ts b/clients/client-frauddetector/src/commands/ListEventPredictionsCommand.ts index f81f271fa998..41acf209e9ea 100644 --- a/clients/client-frauddetector/src/commands/ListEventPredictionsCommand.ts +++ b/clients/client-frauddetector/src/commands/ListEventPredictionsCommand.ts @@ -127,4 +127,16 @@ export class ListEventPredictionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventPredictionsCommand) .de(de_ListEventPredictionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventPredictionsRequest; + output: ListEventPredictionsResult; + }; + sdk: { + input: ListEventPredictionsCommandInput; + output: ListEventPredictionsCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/ListTagsForResourceCommand.ts b/clients/client-frauddetector/src/commands/ListTagsForResourceCommand.ts index 0bba60826016..bd11ad957e7b 100644 --- a/clients/client-frauddetector/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-frauddetector/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/PutDetectorCommand.ts b/clients/client-frauddetector/src/commands/PutDetectorCommand.ts index a59a8ddcbd77..f4f99a47d6ea 100644 --- a/clients/client-frauddetector/src/commands/PutDetectorCommand.ts +++ b/clients/client-frauddetector/src/commands/PutDetectorCommand.ts @@ -98,4 +98,16 @@ export class PutDetectorCommand extends $Command .f(void 0, void 0) .ser(se_PutDetectorCommand) .de(de_PutDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDetectorRequest; + output: {}; + }; + sdk: { + input: PutDetectorCommandInput; + output: PutDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/PutEntityTypeCommand.ts b/clients/client-frauddetector/src/commands/PutEntityTypeCommand.ts index fe904836cb02..c0272cdfd8de 100644 --- a/clients/client-frauddetector/src/commands/PutEntityTypeCommand.ts +++ b/clients/client-frauddetector/src/commands/PutEntityTypeCommand.ts @@ -97,4 +97,16 @@ export class PutEntityTypeCommand extends $Command .f(void 0, void 0) .ser(se_PutEntityTypeCommand) .de(de_PutEntityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEntityTypeRequest; + output: {}; + }; + sdk: { + input: PutEntityTypeCommandInput; + output: PutEntityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/PutEventTypeCommand.ts b/clients/client-frauddetector/src/commands/PutEventTypeCommand.ts index 7e1d0b32f50c..c40e2e566f3d 100644 --- a/clients/client-frauddetector/src/commands/PutEventTypeCommand.ts +++ b/clients/client-frauddetector/src/commands/PutEventTypeCommand.ts @@ -110,4 +110,16 @@ export class PutEventTypeCommand extends $Command .f(void 0, void 0) .ser(se_PutEventTypeCommand) .de(de_PutEventTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventTypeRequest; + output: {}; + }; + sdk: { + input: PutEventTypeCommandInput; + output: PutEventTypeCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/PutExternalModelCommand.ts b/clients/client-frauddetector/src/commands/PutExternalModelCommand.ts index 972fd9cf8307..b7b25e86ae05 100644 --- a/clients/client-frauddetector/src/commands/PutExternalModelCommand.ts +++ b/clients/client-frauddetector/src/commands/PutExternalModelCommand.ts @@ -115,4 +115,16 @@ export class PutExternalModelCommand extends $Command .f(void 0, void 0) .ser(se_PutExternalModelCommand) .de(de_PutExternalModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutExternalModelRequest; + output: {}; + }; + sdk: { + input: PutExternalModelCommandInput; + output: PutExternalModelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/PutKMSEncryptionKeyCommand.ts b/clients/client-frauddetector/src/commands/PutKMSEncryptionKeyCommand.ts index a15d07f17d78..c0a1e5fea2d5 100644 --- a/clients/client-frauddetector/src/commands/PutKMSEncryptionKeyCommand.ts +++ b/clients/client-frauddetector/src/commands/PutKMSEncryptionKeyCommand.ts @@ -93,4 +93,16 @@ export class PutKMSEncryptionKeyCommand extends $Command .f(void 0, void 0) .ser(se_PutKMSEncryptionKeyCommand) .de(de_PutKMSEncryptionKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutKMSEncryptionKeyRequest; + output: {}; + }; + sdk: { + input: PutKMSEncryptionKeyCommandInput; + output: PutKMSEncryptionKeyCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/PutLabelCommand.ts b/clients/client-frauddetector/src/commands/PutLabelCommand.ts index 744aef574b6c..a4b3fe74b482 100644 --- a/clients/client-frauddetector/src/commands/PutLabelCommand.ts +++ b/clients/client-frauddetector/src/commands/PutLabelCommand.ts @@ -97,4 +97,16 @@ export class PutLabelCommand extends $Command .f(void 0, void 0) .ser(se_PutLabelCommand) .de(de_PutLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLabelRequest; + output: {}; + }; + sdk: { + input: PutLabelCommandInput; + output: PutLabelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/PutOutcomeCommand.ts b/clients/client-frauddetector/src/commands/PutOutcomeCommand.ts index 300a0b3bb597..45d116c40749 100644 --- a/clients/client-frauddetector/src/commands/PutOutcomeCommand.ts +++ b/clients/client-frauddetector/src/commands/PutOutcomeCommand.ts @@ -97,4 +97,16 @@ export class PutOutcomeCommand extends $Command .f(void 0, void 0) .ser(se_PutOutcomeCommand) .de(de_PutOutcomeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutOutcomeRequest; + output: {}; + }; + sdk: { + input: PutOutcomeCommandInput; + output: PutOutcomeCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/SendEventCommand.ts b/clients/client-frauddetector/src/commands/SendEventCommand.ts index 51507145c69f..5e1d639dc3ab 100644 --- a/clients/client-frauddetector/src/commands/SendEventCommand.ts +++ b/clients/client-frauddetector/src/commands/SendEventCommand.ts @@ -106,4 +106,16 @@ export class SendEventCommand extends $Command .f(SendEventRequestFilterSensitiveLog, void 0) .ser(se_SendEventCommand) .de(de_SendEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendEventRequest; + output: {}; + }; + sdk: { + input: SendEventCommandInput; + output: SendEventCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/TagResourceCommand.ts b/clients/client-frauddetector/src/commands/TagResourceCommand.ts index 69655f796115..b78c896ae3d6 100644 --- a/clients/client-frauddetector/src/commands/TagResourceCommand.ts +++ b/clients/client-frauddetector/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UntagResourceCommand.ts b/clients/client-frauddetector/src/commands/UntagResourceCommand.ts index 689c4b2b0caf..432ad04c9169 100644 --- a/clients/client-frauddetector/src/commands/UntagResourceCommand.ts +++ b/clients/client-frauddetector/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateDetectorVersionCommand.ts b/clients/client-frauddetector/src/commands/UpdateDetectorVersionCommand.ts index 106d623b8eec..75da2a113b22 100644 --- a/clients/client-frauddetector/src/commands/UpdateDetectorVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateDetectorVersionCommand.ts @@ -114,4 +114,16 @@ export class UpdateDetectorVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDetectorVersionCommand) .de(de_UpdateDetectorVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDetectorVersionRequest; + output: {}; + }; + sdk: { + input: UpdateDetectorVersionCommandInput; + output: UpdateDetectorVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateDetectorVersionMetadataCommand.ts b/clients/client-frauddetector/src/commands/UpdateDetectorVersionMetadataCommand.ts index 18620e960a4c..b691a4f056c0 100644 --- a/clients/client-frauddetector/src/commands/UpdateDetectorVersionMetadataCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateDetectorVersionMetadataCommand.ts @@ -98,4 +98,16 @@ export class UpdateDetectorVersionMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDetectorVersionMetadataCommand) .de(de_UpdateDetectorVersionMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDetectorVersionMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateDetectorVersionMetadataCommandInput; + output: UpdateDetectorVersionMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateDetectorVersionStatusCommand.ts b/clients/client-frauddetector/src/commands/UpdateDetectorVersionStatusCommand.ts index bbaca9ff4d75..87a3e64915ec 100644 --- a/clients/client-frauddetector/src/commands/UpdateDetectorVersionStatusCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateDetectorVersionStatusCommand.ts @@ -96,4 +96,16 @@ export class UpdateDetectorVersionStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDetectorVersionStatusCommand) .de(de_UpdateDetectorVersionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDetectorVersionStatusRequest; + output: {}; + }; + sdk: { + input: UpdateDetectorVersionStatusCommandInput; + output: UpdateDetectorVersionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateEventLabelCommand.ts b/clients/client-frauddetector/src/commands/UpdateEventLabelCommand.ts index 5f71ef7625ab..f2700e6de3b0 100644 --- a/clients/client-frauddetector/src/commands/UpdateEventLabelCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateEventLabelCommand.ts @@ -96,4 +96,16 @@ export class UpdateEventLabelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventLabelCommand) .de(de_UpdateEventLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventLabelRequest; + output: {}; + }; + sdk: { + input: UpdateEventLabelCommandInput; + output: UpdateEventLabelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateListCommand.ts b/clients/client-frauddetector/src/commands/UpdateListCommand.ts index 871e1ea1600b..f088f9d16912 100644 --- a/clients/client-frauddetector/src/commands/UpdateListCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateListCommand.ts @@ -101,4 +101,16 @@ export class UpdateListCommand extends $Command .f(UpdateListRequestFilterSensitiveLog, void 0) .ser(se_UpdateListCommand) .de(de_UpdateListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateListRequest; + output: {}; + }; + sdk: { + input: UpdateListCommandInput; + output: UpdateListCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateModelCommand.ts b/clients/client-frauddetector/src/commands/UpdateModelCommand.ts index be0a25bf8dd9..1d8b10887e1c 100644 --- a/clients/client-frauddetector/src/commands/UpdateModelCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateModelCommand.ts @@ -95,4 +95,16 @@ export class UpdateModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateModelCommand) .de(de_UpdateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelRequest; + output: {}; + }; + sdk: { + input: UpdateModelCommandInput; + output: UpdateModelCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateModelVersionCommand.ts b/clients/client-frauddetector/src/commands/UpdateModelVersionCommand.ts index 69319eb918ec..b1088d4fe598 100644 --- a/clients/client-frauddetector/src/commands/UpdateModelVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateModelVersionCommand.ts @@ -116,4 +116,16 @@ export class UpdateModelVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateModelVersionCommand) .de(de_UpdateModelVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelVersionRequest; + output: UpdateModelVersionResult; + }; + sdk: { + input: UpdateModelVersionCommandInput; + output: UpdateModelVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateModelVersionStatusCommand.ts b/clients/client-frauddetector/src/commands/UpdateModelVersionStatusCommand.ts index 15c07c6e4d47..09d7fe98921e 100644 --- a/clients/client-frauddetector/src/commands/UpdateModelVersionStatusCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateModelVersionStatusCommand.ts @@ -108,4 +108,16 @@ export class UpdateModelVersionStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateModelVersionStatusCommand) .de(de_UpdateModelVersionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelVersionStatusRequest; + output: {}; + }; + sdk: { + input: UpdateModelVersionStatusCommandInput; + output: UpdateModelVersionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateRuleMetadataCommand.ts b/clients/client-frauddetector/src/commands/UpdateRuleMetadataCommand.ts index 279f2a4ae89f..bd9ecab35499 100644 --- a/clients/client-frauddetector/src/commands/UpdateRuleMetadataCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateRuleMetadataCommand.ts @@ -98,4 +98,16 @@ export class UpdateRuleMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleMetadataCommand) .de(de_UpdateRuleMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateRuleMetadataCommandInput; + output: UpdateRuleMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateRuleVersionCommand.ts b/clients/client-frauddetector/src/commands/UpdateRuleVersionCommand.ts index ae744aa5012c..1a28c27e38fa 100644 --- a/clients/client-frauddetector/src/commands/UpdateRuleVersionCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateRuleVersionCommand.ts @@ -119,4 +119,16 @@ export class UpdateRuleVersionCommand extends $Command .f(UpdateRuleVersionRequestFilterSensitiveLog, void 0) .ser(se_UpdateRuleVersionCommand) .de(de_UpdateRuleVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleVersionRequest; + output: UpdateRuleVersionResult; + }; + sdk: { + input: UpdateRuleVersionCommandInput; + output: UpdateRuleVersionCommandOutput; + }; + }; +} diff --git a/clients/client-frauddetector/src/commands/UpdateVariableCommand.ts b/clients/client-frauddetector/src/commands/UpdateVariableCommand.ts index 7dcb54922c10..8387c364d20f 100644 --- a/clients/client-frauddetector/src/commands/UpdateVariableCommand.ts +++ b/clients/client-frauddetector/src/commands/UpdateVariableCommand.ts @@ -96,4 +96,16 @@ export class UpdateVariableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVariableCommand) .de(de_UpdateVariableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVariableRequest; + output: {}; + }; + sdk: { + input: UpdateVariableCommandInput; + output: UpdateVariableCommandOutput; + }; + }; +} diff --git a/clients/client-freetier/package.json b/clients/client-freetier/package.json index b7fc54b0ea69..fd30a351c727 100644 --- a/clients/client-freetier/package.json +++ b/clients/client-freetier/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-freetier/src/commands/GetFreeTierUsageCommand.ts b/clients/client-freetier/src/commands/GetFreeTierUsageCommand.ts index 0de66267f186..aa494fb4402d 100644 --- a/clients/client-freetier/src/commands/GetFreeTierUsageCommand.ts +++ b/clients/client-freetier/src/commands/GetFreeTierUsageCommand.ts @@ -136,4 +136,16 @@ export class GetFreeTierUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetFreeTierUsageCommand) .de(de_GetFreeTierUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFreeTierUsageRequest; + output: GetFreeTierUsageResponse; + }; + sdk: { + input: GetFreeTierUsageCommandInput; + output: GetFreeTierUsageCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/package.json b/clients/client-fsx/package.json index 3755113f3cda..f6c025669414 100644 --- a/clients/client-fsx/package.json +++ b/clients/client-fsx/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-fsx/src/commands/AssociateFileSystemAliasesCommand.ts b/clients/client-fsx/src/commands/AssociateFileSystemAliasesCommand.ts index d8f6550ee2bc..70f2ee01b5a7 100644 --- a/clients/client-fsx/src/commands/AssociateFileSystemAliasesCommand.ts +++ b/clients/client-fsx/src/commands/AssociateFileSystemAliasesCommand.ts @@ -105,4 +105,16 @@ export class AssociateFileSystemAliasesCommand extends $Command .f(void 0, void 0) .ser(se_AssociateFileSystemAliasesCommand) .de(de_AssociateFileSystemAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFileSystemAliasesRequest; + output: AssociateFileSystemAliasesResponse; + }; + sdk: { + input: AssociateFileSystemAliasesCommandInput; + output: AssociateFileSystemAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CancelDataRepositoryTaskCommand.ts b/clients/client-fsx/src/commands/CancelDataRepositoryTaskCommand.ts index 34bbf5d6721a..750f2e58375f 100644 --- a/clients/client-fsx/src/commands/CancelDataRepositoryTaskCommand.ts +++ b/clients/client-fsx/src/commands/CancelDataRepositoryTaskCommand.ts @@ -108,4 +108,16 @@ export class CancelDataRepositoryTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelDataRepositoryTaskCommand) .de(de_CancelDataRepositoryTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDataRepositoryTaskRequest; + output: CancelDataRepositoryTaskResponse; + }; + sdk: { + input: CancelDataRepositoryTaskCommandInput; + output: CancelDataRepositoryTaskCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CopyBackupCommand.ts b/clients/client-fsx/src/commands/CopyBackupCommand.ts index faff5930bc83..3dc95a600786 100644 --- a/clients/client-fsx/src/commands/CopyBackupCommand.ts +++ b/clients/client-fsx/src/commands/CopyBackupCommand.ts @@ -779,4 +779,16 @@ export class CopyBackupCommand extends $Command .f(void 0, CopyBackupResponseFilterSensitiveLog) .ser(se_CopyBackupCommand) .de(de_CopyBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyBackupRequest; + output: CopyBackupResponse; + }; + sdk: { + input: CopyBackupCommandInput; + output: CopyBackupCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CopySnapshotAndUpdateVolumeCommand.ts b/clients/client-fsx/src/commands/CopySnapshotAndUpdateVolumeCommand.ts index 27dc2e0c59d3..f96e76deac41 100644 --- a/clients/client-fsx/src/commands/CopySnapshotAndUpdateVolumeCommand.ts +++ b/clients/client-fsx/src/commands/CopySnapshotAndUpdateVolumeCommand.ts @@ -686,4 +686,16 @@ export class CopySnapshotAndUpdateVolumeCommand extends $Command .f(void 0, CopySnapshotAndUpdateVolumeResponseFilterSensitiveLog) .ser(se_CopySnapshotAndUpdateVolumeCommand) .de(de_CopySnapshotAndUpdateVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopySnapshotAndUpdateVolumeRequest; + output: CopySnapshotAndUpdateVolumeResponse; + }; + sdk: { + input: CopySnapshotAndUpdateVolumeCommandInput; + output: CopySnapshotAndUpdateVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateBackupCommand.ts b/clients/client-fsx/src/commands/CreateBackupCommand.ts index 31d039dec05c..dbce61261bdf 100644 --- a/clients/client-fsx/src/commands/CreateBackupCommand.ts +++ b/clients/client-fsx/src/commands/CreateBackupCommand.ts @@ -801,4 +801,16 @@ export class CreateBackupCommand extends $Command .f(void 0, CreateBackupResponseFilterSensitiveLog) .ser(se_CreateBackupCommand) .de(de_CreateBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackupRequest; + output: CreateBackupResponse; + }; + sdk: { + input: CreateBackupCommandInput; + output: CreateBackupCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateDataRepositoryAssociationCommand.ts b/clients/client-fsx/src/commands/CreateDataRepositoryAssociationCommand.ts index 0da77aa51d79..8b4c969bc4a3 100644 --- a/clients/client-fsx/src/commands/CreateDataRepositoryAssociationCommand.ts +++ b/clients/client-fsx/src/commands/CreateDataRepositoryAssociationCommand.ts @@ -190,4 +190,16 @@ export class CreateDataRepositoryAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataRepositoryAssociationCommand) .de(de_CreateDataRepositoryAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataRepositoryAssociationRequest; + output: CreateDataRepositoryAssociationResponse; + }; + sdk: { + input: CreateDataRepositoryAssociationCommandInput; + output: CreateDataRepositoryAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateDataRepositoryTaskCommand.ts b/clients/client-fsx/src/commands/CreateDataRepositoryTaskCommand.ts index 0a63e8d0c802..96764f57a3d4 100644 --- a/clients/client-fsx/src/commands/CreateDataRepositoryTaskCommand.ts +++ b/clients/client-fsx/src/commands/CreateDataRepositoryTaskCommand.ts @@ -182,4 +182,16 @@ export class CreateDataRepositoryTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataRepositoryTaskCommand) .de(de_CreateDataRepositoryTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataRepositoryTaskRequest; + output: CreateDataRepositoryTaskResponse; + }; + sdk: { + input: CreateDataRepositoryTaskCommandInput; + output: CreateDataRepositoryTaskCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateFileCacheCommand.ts b/clients/client-fsx/src/commands/CreateFileCacheCommand.ts index 2b63e02d6c1d..ee3c881238cd 100644 --- a/clients/client-fsx/src/commands/CreateFileCacheCommand.ts +++ b/clients/client-fsx/src/commands/CreateFileCacheCommand.ts @@ -208,4 +208,16 @@ export class CreateFileCacheCommand extends $Command .f(void 0, void 0) .ser(se_CreateFileCacheCommand) .de(de_CreateFileCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFileCacheRequest; + output: CreateFileCacheResponse; + }; + sdk: { + input: CreateFileCacheCommandInput; + output: CreateFileCacheCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateFileSystemCommand.ts b/clients/client-fsx/src/commands/CreateFileSystemCommand.ts index 2f81d140d869..f0e6fae33baa 100644 --- a/clients/client-fsx/src/commands/CreateFileSystemCommand.ts +++ b/clients/client-fsx/src/commands/CreateFileSystemCommand.ts @@ -938,4 +938,16 @@ export class CreateFileSystemCommand extends $Command .f(CreateFileSystemRequestFilterSensitiveLog, CreateFileSystemResponseFilterSensitiveLog) .ser(se_CreateFileSystemCommand) .de(de_CreateFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFileSystemRequest; + output: CreateFileSystemResponse; + }; + sdk: { + input: CreateFileSystemCommandInput; + output: CreateFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateFileSystemFromBackupCommand.ts b/clients/client-fsx/src/commands/CreateFileSystemFromBackupCommand.ts index 88363534a9dc..a4533ac664bb 100644 --- a/clients/client-fsx/src/commands/CreateFileSystemFromBackupCommand.ts +++ b/clients/client-fsx/src/commands/CreateFileSystemFromBackupCommand.ts @@ -886,4 +886,16 @@ export class CreateFileSystemFromBackupCommand extends $Command .f(CreateFileSystemFromBackupRequestFilterSensitiveLog, CreateFileSystemFromBackupResponseFilterSensitiveLog) .ser(se_CreateFileSystemFromBackupCommand) .de(de_CreateFileSystemFromBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFileSystemFromBackupRequest; + output: CreateFileSystemFromBackupResponse; + }; + sdk: { + input: CreateFileSystemFromBackupCommandInput; + output: CreateFileSystemFromBackupCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateSnapshotCommand.ts b/clients/client-fsx/src/commands/CreateSnapshotCommand.ts index f09496a10ece..052524695548 100644 --- a/clients/client-fsx/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-fsx/src/commands/CreateSnapshotCommand.ts @@ -691,4 +691,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, CreateSnapshotResponseFilterSensitiveLog) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotRequest; + output: CreateSnapshotResponse; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateStorageVirtualMachineCommand.ts b/clients/client-fsx/src/commands/CreateStorageVirtualMachineCommand.ts index cdd02307a2d1..5e0f2c288d77 100644 --- a/clients/client-fsx/src/commands/CreateStorageVirtualMachineCommand.ts +++ b/clients/client-fsx/src/commands/CreateStorageVirtualMachineCommand.ts @@ -187,4 +187,16 @@ export class CreateStorageVirtualMachineCommand extends $Command .f(CreateStorageVirtualMachineRequestFilterSensitiveLog, void 0) .ser(se_CreateStorageVirtualMachineCommand) .de(de_CreateStorageVirtualMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStorageVirtualMachineRequest; + output: CreateStorageVirtualMachineResponse; + }; + sdk: { + input: CreateStorageVirtualMachineCommandInput; + output: CreateStorageVirtualMachineCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateVolumeCommand.ts b/clients/client-fsx/src/commands/CreateVolumeCommand.ts index aa9e5823d70d..19b015f2f44f 100644 --- a/clients/client-fsx/src/commands/CreateVolumeCommand.ts +++ b/clients/client-fsx/src/commands/CreateVolumeCommand.ts @@ -752,4 +752,16 @@ export class CreateVolumeCommand extends $Command .f(void 0, CreateVolumeResponseFilterSensitiveLog) .ser(se_CreateVolumeCommand) .de(de_CreateVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVolumeRequest; + output: CreateVolumeResponse; + }; + sdk: { + input: CreateVolumeCommandInput; + output: CreateVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/CreateVolumeFromBackupCommand.ts b/clients/client-fsx/src/commands/CreateVolumeFromBackupCommand.ts index c777a38d8bf5..7c850706cdc3 100644 --- a/clients/client-fsx/src/commands/CreateVolumeFromBackupCommand.ts +++ b/clients/client-fsx/src/commands/CreateVolumeFromBackupCommand.ts @@ -725,4 +725,16 @@ export class CreateVolumeFromBackupCommand extends $Command .f(void 0, CreateVolumeFromBackupResponseFilterSensitiveLog) .ser(se_CreateVolumeFromBackupCommand) .de(de_CreateVolumeFromBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVolumeFromBackupRequest; + output: CreateVolumeFromBackupResponse; + }; + sdk: { + input: CreateVolumeFromBackupCommandInput; + output: CreateVolumeFromBackupCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DeleteBackupCommand.ts b/clients/client-fsx/src/commands/DeleteBackupCommand.ts index 0f388ad87913..9662fe82abec 100644 --- a/clients/client-fsx/src/commands/DeleteBackupCommand.ts +++ b/clients/client-fsx/src/commands/DeleteBackupCommand.ts @@ -128,4 +128,16 @@ export class DeleteBackupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupCommand) .de(de_DeleteBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupRequest; + output: DeleteBackupResponse; + }; + sdk: { + input: DeleteBackupCommandInput; + output: DeleteBackupCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DeleteDataRepositoryAssociationCommand.ts b/clients/client-fsx/src/commands/DeleteDataRepositoryAssociationCommand.ts index 84d30f341246..40f56a9e3d67 100644 --- a/clients/client-fsx/src/commands/DeleteDataRepositoryAssociationCommand.ts +++ b/clients/client-fsx/src/commands/DeleteDataRepositoryAssociationCommand.ts @@ -110,4 +110,16 @@ export class DeleteDataRepositoryAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataRepositoryAssociationCommand) .de(de_DeleteDataRepositoryAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataRepositoryAssociationRequest; + output: DeleteDataRepositoryAssociationResponse; + }; + sdk: { + input: DeleteDataRepositoryAssociationCommandInput; + output: DeleteDataRepositoryAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DeleteFileCacheCommand.ts b/clients/client-fsx/src/commands/DeleteFileCacheCommand.ts index cab86850b7c7..05fc7992a6f6 100644 --- a/clients/client-fsx/src/commands/DeleteFileCacheCommand.ts +++ b/clients/client-fsx/src/commands/DeleteFileCacheCommand.ts @@ -108,4 +108,16 @@ export class DeleteFileCacheCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFileCacheCommand) .de(de_DeleteFileCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFileCacheRequest; + output: DeleteFileCacheResponse; + }; + sdk: { + input: DeleteFileCacheCommandInput; + output: DeleteFileCacheCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DeleteFileSystemCommand.ts b/clients/client-fsx/src/commands/DeleteFileSystemCommand.ts index 6b5e1a77fefd..5af8abba6e25 100644 --- a/clients/client-fsx/src/commands/DeleteFileSystemCommand.ts +++ b/clients/client-fsx/src/commands/DeleteFileSystemCommand.ts @@ -207,4 +207,16 @@ export class DeleteFileSystemCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFileSystemCommand) .de(de_DeleteFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFileSystemRequest; + output: DeleteFileSystemResponse; + }; + sdk: { + input: DeleteFileSystemCommandInput; + output: DeleteFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DeleteSnapshotCommand.ts b/clients/client-fsx/src/commands/DeleteSnapshotCommand.ts index 6b7b0b22f53a..51e7be411859 100644 --- a/clients/client-fsx/src/commands/DeleteSnapshotCommand.ts +++ b/clients/client-fsx/src/commands/DeleteSnapshotCommand.ts @@ -92,4 +92,16 @@ export class DeleteSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCommand) .de(de_DeleteSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotRequest; + output: DeleteSnapshotResponse; + }; + sdk: { + input: DeleteSnapshotCommandInput; + output: DeleteSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DeleteStorageVirtualMachineCommand.ts b/clients/client-fsx/src/commands/DeleteStorageVirtualMachineCommand.ts index fce2114cad04..3e418776d486 100644 --- a/clients/client-fsx/src/commands/DeleteStorageVirtualMachineCommand.ts +++ b/clients/client-fsx/src/commands/DeleteStorageVirtualMachineCommand.ts @@ -96,4 +96,16 @@ export class DeleteStorageVirtualMachineCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStorageVirtualMachineCommand) .de(de_DeleteStorageVirtualMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStorageVirtualMachineRequest; + output: DeleteStorageVirtualMachineResponse; + }; + sdk: { + input: DeleteStorageVirtualMachineCommandInput; + output: DeleteStorageVirtualMachineCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DeleteVolumeCommand.ts b/clients/client-fsx/src/commands/DeleteVolumeCommand.ts index 4df8a6c38223..4f28b3b4bea3 100644 --- a/clients/client-fsx/src/commands/DeleteVolumeCommand.ts +++ b/clients/client-fsx/src/commands/DeleteVolumeCommand.ts @@ -122,4 +122,16 @@ export class DeleteVolumeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVolumeCommand) .de(de_DeleteVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVolumeRequest; + output: DeleteVolumeResponse; + }; + sdk: { + input: DeleteVolumeCommandInput; + output: DeleteVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeBackupsCommand.ts b/clients/client-fsx/src/commands/DescribeBackupsCommand.ts index cc7ca8e35ce9..77ebdc5b805b 100644 --- a/clients/client-fsx/src/commands/DescribeBackupsCommand.ts +++ b/clients/client-fsx/src/commands/DescribeBackupsCommand.ts @@ -762,4 +762,16 @@ export class DescribeBackupsCommand extends $Command .f(void 0, DescribeBackupsResponseFilterSensitiveLog) .ser(se_DescribeBackupsCommand) .de(de_DescribeBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBackupsRequest; + output: DescribeBackupsResponse; + }; + sdk: { + input: DescribeBackupsCommandInput; + output: DescribeBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeDataRepositoryAssociationsCommand.ts b/clients/client-fsx/src/commands/DescribeDataRepositoryAssociationsCommand.ts index a9461c43d2f1..449a0e22f470 100644 --- a/clients/client-fsx/src/commands/DescribeDataRepositoryAssociationsCommand.ts +++ b/clients/client-fsx/src/commands/DescribeDataRepositoryAssociationsCommand.ts @@ -180,4 +180,16 @@ export class DescribeDataRepositoryAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataRepositoryAssociationsCommand) .de(de_DescribeDataRepositoryAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataRepositoryAssociationsRequest; + output: DescribeDataRepositoryAssociationsResponse; + }; + sdk: { + input: DescribeDataRepositoryAssociationsCommandInput; + output: DescribeDataRepositoryAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeDataRepositoryTasksCommand.ts b/clients/client-fsx/src/commands/DescribeDataRepositoryTasksCommand.ts index d9277960a989..2d43ec6ef7f5 100644 --- a/clients/client-fsx/src/commands/DescribeDataRepositoryTasksCommand.ts +++ b/clients/client-fsx/src/commands/DescribeDataRepositoryTasksCommand.ts @@ -157,4 +157,16 @@ export class DescribeDataRepositoryTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataRepositoryTasksCommand) .de(de_DescribeDataRepositoryTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataRepositoryTasksRequest; + output: DescribeDataRepositoryTasksResponse; + }; + sdk: { + input: DescribeDataRepositoryTasksCommandInput; + output: DescribeDataRepositoryTasksCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeFileCachesCommand.ts b/clients/client-fsx/src/commands/DescribeFileCachesCommand.ts index 5644c2a5e193..2274d3b6b7f8 100644 --- a/clients/client-fsx/src/commands/DescribeFileCachesCommand.ts +++ b/clients/client-fsx/src/commands/DescribeFileCachesCommand.ts @@ -157,4 +157,16 @@ export class DescribeFileCachesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFileCachesCommand) .de(de_DescribeFileCachesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFileCachesRequest; + output: DescribeFileCachesResponse; + }; + sdk: { + input: DescribeFileCachesCommandInput; + output: DescribeFileCachesCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeFileSystemAliasesCommand.ts b/clients/client-fsx/src/commands/DescribeFileSystemAliasesCommand.ts index e69e17aa2e77..7771ae469667 100644 --- a/clients/client-fsx/src/commands/DescribeFileSystemAliasesCommand.ts +++ b/clients/client-fsx/src/commands/DescribeFileSystemAliasesCommand.ts @@ -97,4 +97,16 @@ export class DescribeFileSystemAliasesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFileSystemAliasesCommand) .de(de_DescribeFileSystemAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFileSystemAliasesRequest; + output: DescribeFileSystemAliasesResponse; + }; + sdk: { + input: DescribeFileSystemAliasesCommandInput; + output: DescribeFileSystemAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeFileSystemsCommand.ts b/clients/client-fsx/src/commands/DescribeFileSystemsCommand.ts index 72d950b360d4..5d92efbd5220 100644 --- a/clients/client-fsx/src/commands/DescribeFileSystemsCommand.ts +++ b/clients/client-fsx/src/commands/DescribeFileSystemsCommand.ts @@ -733,4 +733,16 @@ export class DescribeFileSystemsCommand extends $Command .f(void 0, DescribeFileSystemsResponseFilterSensitiveLog) .ser(se_DescribeFileSystemsCommand) .de(de_DescribeFileSystemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFileSystemsRequest; + output: DescribeFileSystemsResponse; + }; + sdk: { + input: DescribeFileSystemsCommandInput; + output: DescribeFileSystemsCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeSharedVpcConfigurationCommand.ts b/clients/client-fsx/src/commands/DescribeSharedVpcConfigurationCommand.ts index ac8067b9e3a6..f2c925835111 100644 --- a/clients/client-fsx/src/commands/DescribeSharedVpcConfigurationCommand.ts +++ b/clients/client-fsx/src/commands/DescribeSharedVpcConfigurationCommand.ts @@ -87,4 +87,16 @@ export class DescribeSharedVpcConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSharedVpcConfigurationCommand) .de(de_DescribeSharedVpcConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeSharedVpcConfigurationResponse; + }; + sdk: { + input: DescribeSharedVpcConfigurationCommandInput; + output: DescribeSharedVpcConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeSnapshotsCommand.ts b/clients/client-fsx/src/commands/DescribeSnapshotsCommand.ts index 31db29118539..ee1b0cce84df 100644 --- a/clients/client-fsx/src/commands/DescribeSnapshotsCommand.ts +++ b/clients/client-fsx/src/commands/DescribeSnapshotsCommand.ts @@ -694,4 +694,16 @@ export class DescribeSnapshotsCommand extends $Command .f(void 0, DescribeSnapshotsResponseFilterSensitiveLog) .ser(se_DescribeSnapshotsCommand) .de(de_DescribeSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotsRequest; + output: DescribeSnapshotsResponse; + }; + sdk: { + input: DescribeSnapshotsCommandInput; + output: DescribeSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeStorageVirtualMachinesCommand.ts b/clients/client-fsx/src/commands/DescribeStorageVirtualMachinesCommand.ts index 6f353be1de8b..eab9af1dcb4f 100644 --- a/clients/client-fsx/src/commands/DescribeStorageVirtualMachinesCommand.ts +++ b/clients/client-fsx/src/commands/DescribeStorageVirtualMachinesCommand.ts @@ -163,4 +163,16 @@ export class DescribeStorageVirtualMachinesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStorageVirtualMachinesCommand) .de(de_DescribeStorageVirtualMachinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStorageVirtualMachinesRequest; + output: DescribeStorageVirtualMachinesResponse; + }; + sdk: { + input: DescribeStorageVirtualMachinesCommandInput; + output: DescribeStorageVirtualMachinesCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DescribeVolumesCommand.ts b/clients/client-fsx/src/commands/DescribeVolumesCommand.ts index 6ca783bb298c..81847984205e 100644 --- a/clients/client-fsx/src/commands/DescribeVolumesCommand.ts +++ b/clients/client-fsx/src/commands/DescribeVolumesCommand.ts @@ -668,4 +668,16 @@ export class DescribeVolumesCommand extends $Command .f(void 0, DescribeVolumesResponseFilterSensitiveLog) .ser(se_DescribeVolumesCommand) .de(de_DescribeVolumesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVolumesRequest; + output: DescribeVolumesResponse; + }; + sdk: { + input: DescribeVolumesCommandInput; + output: DescribeVolumesCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/DisassociateFileSystemAliasesCommand.ts b/clients/client-fsx/src/commands/DisassociateFileSystemAliasesCommand.ts index a88663171754..61d09b674ced 100644 --- a/clients/client-fsx/src/commands/DisassociateFileSystemAliasesCommand.ts +++ b/clients/client-fsx/src/commands/DisassociateFileSystemAliasesCommand.ts @@ -108,4 +108,16 @@ export class DisassociateFileSystemAliasesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFileSystemAliasesCommand) .de(de_DisassociateFileSystemAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFileSystemAliasesRequest; + output: DisassociateFileSystemAliasesResponse; + }; + sdk: { + input: DisassociateFileSystemAliasesCommandInput; + output: DisassociateFileSystemAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/ListTagsForResourceCommand.ts b/clients/client-fsx/src/commands/ListTagsForResourceCommand.ts index 3ca0a5a80d7c..7d8dfc4c90ed 100644 --- a/clients/client-fsx/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-fsx/src/commands/ListTagsForResourceCommand.ts @@ -145,4 +145,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/ReleaseFileSystemNfsV3LocksCommand.ts b/clients/client-fsx/src/commands/ReleaseFileSystemNfsV3LocksCommand.ts index c9de2edea0a0..84b0759d9f14 100644 --- a/clients/client-fsx/src/commands/ReleaseFileSystemNfsV3LocksCommand.ts +++ b/clients/client-fsx/src/commands/ReleaseFileSystemNfsV3LocksCommand.ts @@ -667,4 +667,16 @@ export class ReleaseFileSystemNfsV3LocksCommand extends $Command .f(void 0, ReleaseFileSystemNfsV3LocksResponseFilterSensitiveLog) .ser(se_ReleaseFileSystemNfsV3LocksCommand) .de(de_ReleaseFileSystemNfsV3LocksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleaseFileSystemNfsV3LocksRequest; + output: ReleaseFileSystemNfsV3LocksResponse; + }; + sdk: { + input: ReleaseFileSystemNfsV3LocksCommandInput; + output: ReleaseFileSystemNfsV3LocksCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/RestoreVolumeFromSnapshotCommand.ts b/clients/client-fsx/src/commands/RestoreVolumeFromSnapshotCommand.ts index 83e772c1ee91..6a5ca056ea94 100644 --- a/clients/client-fsx/src/commands/RestoreVolumeFromSnapshotCommand.ts +++ b/clients/client-fsx/src/commands/RestoreVolumeFromSnapshotCommand.ts @@ -677,4 +677,16 @@ export class RestoreVolumeFromSnapshotCommand extends $Command .f(void 0, RestoreVolumeFromSnapshotResponseFilterSensitiveLog) .ser(se_RestoreVolumeFromSnapshotCommand) .de(de_RestoreVolumeFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreVolumeFromSnapshotRequest; + output: RestoreVolumeFromSnapshotResponse; + }; + sdk: { + input: RestoreVolumeFromSnapshotCommandInput; + output: RestoreVolumeFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/StartMisconfiguredStateRecoveryCommand.ts b/clients/client-fsx/src/commands/StartMisconfiguredStateRecoveryCommand.ts index 0262d538635e..aaefe1cfb6c1 100644 --- a/clients/client-fsx/src/commands/StartMisconfiguredStateRecoveryCommand.ts +++ b/clients/client-fsx/src/commands/StartMisconfiguredStateRecoveryCommand.ts @@ -661,4 +661,16 @@ export class StartMisconfiguredStateRecoveryCommand extends $Command .f(void 0, StartMisconfiguredStateRecoveryResponseFilterSensitiveLog) .ser(se_StartMisconfiguredStateRecoveryCommand) .de(de_StartMisconfiguredStateRecoveryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMisconfiguredStateRecoveryRequest; + output: StartMisconfiguredStateRecoveryResponse; + }; + sdk: { + input: StartMisconfiguredStateRecoveryCommandInput; + output: StartMisconfiguredStateRecoveryCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/TagResourceCommand.ts b/clients/client-fsx/src/commands/TagResourceCommand.ts index 610cb75e452c..6abeb27a0bfd 100644 --- a/clients/client-fsx/src/commands/TagResourceCommand.ts +++ b/clients/client-fsx/src/commands/TagResourceCommand.ts @@ -114,4 +114,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UntagResourceCommand.ts b/clients/client-fsx/src/commands/UntagResourceCommand.ts index 75f90b797b23..51832be7b96e 100644 --- a/clients/client-fsx/src/commands/UntagResourceCommand.ts +++ b/clients/client-fsx/src/commands/UntagResourceCommand.ts @@ -108,4 +108,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UpdateDataRepositoryAssociationCommand.ts b/clients/client-fsx/src/commands/UpdateDataRepositoryAssociationCommand.ts index a6d957cd447f..c7bd91163810 100644 --- a/clients/client-fsx/src/commands/UpdateDataRepositoryAssociationCommand.ts +++ b/clients/client-fsx/src/commands/UpdateDataRepositoryAssociationCommand.ts @@ -164,4 +164,16 @@ export class UpdateDataRepositoryAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataRepositoryAssociationCommand) .de(de_UpdateDataRepositoryAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataRepositoryAssociationRequest; + output: UpdateDataRepositoryAssociationResponse; + }; + sdk: { + input: UpdateDataRepositoryAssociationCommandInput; + output: UpdateDataRepositoryAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UpdateFileCacheCommand.ts b/clients/client-fsx/src/commands/UpdateFileCacheCommand.ts index 19837ac45beb..839dbcda003e 100644 --- a/clients/client-fsx/src/commands/UpdateFileCacheCommand.ts +++ b/clients/client-fsx/src/commands/UpdateFileCacheCommand.ts @@ -143,4 +143,16 @@ export class UpdateFileCacheCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFileCacheCommand) .de(de_UpdateFileCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFileCacheRequest; + output: UpdateFileCacheResponse; + }; + sdk: { + input: UpdateFileCacheCommandInput; + output: UpdateFileCacheCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UpdateFileSystemCommand.ts b/clients/client-fsx/src/commands/UpdateFileSystemCommand.ts index 705db6c7678b..0c751175aada 100644 --- a/clients/client-fsx/src/commands/UpdateFileSystemCommand.ts +++ b/clients/client-fsx/src/commands/UpdateFileSystemCommand.ts @@ -1023,4 +1023,16 @@ export class UpdateFileSystemCommand extends $Command .f(UpdateFileSystemRequestFilterSensitiveLog, UpdateFileSystemResponseFilterSensitiveLog) .ser(se_UpdateFileSystemCommand) .de(de_UpdateFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFileSystemRequest; + output: UpdateFileSystemResponse; + }; + sdk: { + input: UpdateFileSystemCommandInput; + output: UpdateFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UpdateSharedVpcConfigurationCommand.ts b/clients/client-fsx/src/commands/UpdateSharedVpcConfigurationCommand.ts index 75ba61643756..db6be31c428d 100644 --- a/clients/client-fsx/src/commands/UpdateSharedVpcConfigurationCommand.ts +++ b/clients/client-fsx/src/commands/UpdateSharedVpcConfigurationCommand.ts @@ -103,4 +103,16 @@ export class UpdateSharedVpcConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSharedVpcConfigurationCommand) .de(de_UpdateSharedVpcConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSharedVpcConfigurationRequest; + output: UpdateSharedVpcConfigurationResponse; + }; + sdk: { + input: UpdateSharedVpcConfigurationCommandInput; + output: UpdateSharedVpcConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UpdateSnapshotCommand.ts b/clients/client-fsx/src/commands/UpdateSnapshotCommand.ts index 61d463bf9d11..136d4ad2f78c 100644 --- a/clients/client-fsx/src/commands/UpdateSnapshotCommand.ts +++ b/clients/client-fsx/src/commands/UpdateSnapshotCommand.ts @@ -654,4 +654,16 @@ export class UpdateSnapshotCommand extends $Command .f(void 0, UpdateSnapshotResponseFilterSensitiveLog) .ser(se_UpdateSnapshotCommand) .de(de_UpdateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSnapshotRequest; + output: UpdateSnapshotResponse; + }; + sdk: { + input: UpdateSnapshotCommandInput; + output: UpdateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UpdateStorageVirtualMachineCommand.ts b/clients/client-fsx/src/commands/UpdateStorageVirtualMachineCommand.ts index aa117afbcafc..6ab4f2fdc302 100644 --- a/clients/client-fsx/src/commands/UpdateStorageVirtualMachineCommand.ts +++ b/clients/client-fsx/src/commands/UpdateStorageVirtualMachineCommand.ts @@ -172,4 +172,16 @@ export class UpdateStorageVirtualMachineCommand extends $Command .f(UpdateStorageVirtualMachineRequestFilterSensitiveLog, void 0) .ser(se_UpdateStorageVirtualMachineCommand) .de(de_UpdateStorageVirtualMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStorageVirtualMachineRequest; + output: UpdateStorageVirtualMachineResponse; + }; + sdk: { + input: UpdateStorageVirtualMachineCommandInput; + output: UpdateStorageVirtualMachineCommandOutput; + }; + }; +} diff --git a/clients/client-fsx/src/commands/UpdateVolumeCommand.ts b/clients/client-fsx/src/commands/UpdateVolumeCommand.ts index bf0d6d15e2db..f3c1e3af47b9 100644 --- a/clients/client-fsx/src/commands/UpdateVolumeCommand.ts +++ b/clients/client-fsx/src/commands/UpdateVolumeCommand.ts @@ -720,4 +720,16 @@ export class UpdateVolumeCommand extends $Command .f(void 0, UpdateVolumeResponseFilterSensitiveLog) .ser(se_UpdateVolumeCommand) .de(de_UpdateVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVolumeRequest; + output: UpdateVolumeResponse; + }; + sdk: { + input: UpdateVolumeCommandInput; + output: UpdateVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/package.json b/clients/client-gamelift/package.json index 6e14b5c163c0..0eddea41f00b 100644 --- a/clients/client-gamelift/package.json +++ b/clients/client-gamelift/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-gamelift/src/commands/AcceptMatchCommand.ts b/clients/client-gamelift/src/commands/AcceptMatchCommand.ts index 38e02820107b..7f29ffb18a5c 100644 --- a/clients/client-gamelift/src/commands/AcceptMatchCommand.ts +++ b/clients/client-gamelift/src/commands/AcceptMatchCommand.ts @@ -127,4 +127,16 @@ export class AcceptMatchCommand extends $Command .f(AcceptMatchInputFilterSensitiveLog, void 0) .ser(se_AcceptMatchCommand) .de(de_AcceptMatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptMatchInput; + output: {}; + }; + sdk: { + input: AcceptMatchCommandInput; + output: AcceptMatchCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ClaimGameServerCommand.ts b/clients/client-gamelift/src/commands/ClaimGameServerCommand.ts index 63d3241275c5..0624fd80c84b 100644 --- a/clients/client-gamelift/src/commands/ClaimGameServerCommand.ts +++ b/clients/client-gamelift/src/commands/ClaimGameServerCommand.ts @@ -163,4 +163,16 @@ export class ClaimGameServerCommand extends $Command .f(void 0, void 0) .ser(se_ClaimGameServerCommand) .de(de_ClaimGameServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ClaimGameServerInput; + output: ClaimGameServerOutput; + }; + sdk: { + input: ClaimGameServerCommandInput; + output: ClaimGameServerCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateAliasCommand.ts b/clients/client-gamelift/src/commands/CreateAliasCommand.ts index 5f9f99c922eb..2072fa399bdf 100644 --- a/clients/client-gamelift/src/commands/CreateAliasCommand.ts +++ b/clients/client-gamelift/src/commands/CreateAliasCommand.ts @@ -146,4 +146,16 @@ export class CreateAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAliasCommand) .de(de_CreateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAliasInput; + output: CreateAliasOutput; + }; + sdk: { + input: CreateAliasCommandInput; + output: CreateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateBuildCommand.ts b/clients/client-gamelift/src/commands/CreateBuildCommand.ts index 4929e51957d8..d80438194a68 100644 --- a/clients/client-gamelift/src/commands/CreateBuildCommand.ts +++ b/clients/client-gamelift/src/commands/CreateBuildCommand.ts @@ -177,4 +177,16 @@ export class CreateBuildCommand extends $Command .f(void 0, CreateBuildOutputFilterSensitiveLog) .ser(se_CreateBuildCommand) .de(de_CreateBuildCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBuildInput; + output: CreateBuildOutput; + }; + sdk: { + input: CreateBuildCommandInput; + output: CreateBuildCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateContainerGroupDefinitionCommand.ts b/clients/client-gamelift/src/commands/CreateContainerGroupDefinitionCommand.ts index b9052d2e3ac4..45d01f5185f7 100644 --- a/clients/client-gamelift/src/commands/CreateContainerGroupDefinitionCommand.ts +++ b/clients/client-gamelift/src/commands/CreateContainerGroupDefinitionCommand.ts @@ -290,4 +290,16 @@ export class CreateContainerGroupDefinitionCommand extends $Command .f(CreateContainerGroupDefinitionInputFilterSensitiveLog, CreateContainerGroupDefinitionOutputFilterSensitiveLog) .ser(se_CreateContainerGroupDefinitionCommand) .de(de_CreateContainerGroupDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContainerGroupDefinitionInput; + output: CreateContainerGroupDefinitionOutput; + }; + sdk: { + input: CreateContainerGroupDefinitionCommandInput; + output: CreateContainerGroupDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateFleetCommand.ts b/clients/client-gamelift/src/commands/CreateFleetCommand.ts index 45784261a30b..945165f37550 100644 --- a/clients/client-gamelift/src/commands/CreateFleetCommand.ts +++ b/clients/client-gamelift/src/commands/CreateFleetCommand.ts @@ -398,4 +398,16 @@ export class CreateFleetCommand extends $Command .f(CreateFleetInputFilterSensitiveLog, CreateFleetOutputFilterSensitiveLog) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetInput; + output: CreateFleetOutput; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateFleetLocationsCommand.ts b/clients/client-gamelift/src/commands/CreateFleetLocationsCommand.ts index b03476b749e9..051a4acb5d49 100644 --- a/clients/client-gamelift/src/commands/CreateFleetLocationsCommand.ts +++ b/clients/client-gamelift/src/commands/CreateFleetLocationsCommand.ts @@ -155,4 +155,16 @@ export class CreateFleetLocationsCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetLocationsCommand) .de(de_CreateFleetLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetLocationsInput; + output: CreateFleetLocationsOutput; + }; + sdk: { + input: CreateFleetLocationsCommandInput; + output: CreateFleetLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateGameServerGroupCommand.ts b/clients/client-gamelift/src/commands/CreateGameServerGroupCommand.ts index d0c8ce6ccb25..ddb1a2383d91 100644 --- a/clients/client-gamelift/src/commands/CreateGameServerGroupCommand.ts +++ b/clients/client-gamelift/src/commands/CreateGameServerGroupCommand.ts @@ -190,4 +190,16 @@ export class CreateGameServerGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGameServerGroupCommand) .de(de_CreateGameServerGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGameServerGroupInput; + output: CreateGameServerGroupOutput; + }; + sdk: { + input: CreateGameServerGroupCommandInput; + output: CreateGameServerGroupCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateGameSessionCommand.ts b/clients/client-gamelift/src/commands/CreateGameSessionCommand.ts index 306831da8ece..e612e008cb8e 100644 --- a/clients/client-gamelift/src/commands/CreateGameSessionCommand.ts +++ b/clients/client-gamelift/src/commands/CreateGameSessionCommand.ts @@ -210,4 +210,16 @@ export class CreateGameSessionCommand extends $Command .f(void 0, CreateGameSessionOutputFilterSensitiveLog) .ser(se_CreateGameSessionCommand) .de(de_CreateGameSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGameSessionInput; + output: CreateGameSessionOutput; + }; + sdk: { + input: CreateGameSessionCommandInput; + output: CreateGameSessionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateGameSessionQueueCommand.ts b/clients/client-gamelift/src/commands/CreateGameSessionQueueCommand.ts index 00fcedcfd6c4..828bd05821ba 100644 --- a/clients/client-gamelift/src/commands/CreateGameSessionQueueCommand.ts +++ b/clients/client-gamelift/src/commands/CreateGameSessionQueueCommand.ts @@ -208,4 +208,16 @@ export class CreateGameSessionQueueCommand extends $Command .f(void 0, void 0) .ser(se_CreateGameSessionQueueCommand) .de(de_CreateGameSessionQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGameSessionQueueInput; + output: CreateGameSessionQueueOutput; + }; + sdk: { + input: CreateGameSessionQueueCommandInput; + output: CreateGameSessionQueueCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateLocationCommand.ts b/clients/client-gamelift/src/commands/CreateLocationCommand.ts index db473c1184d3..272bb4894c3b 100644 --- a/clients/client-gamelift/src/commands/CreateLocationCommand.ts +++ b/clients/client-gamelift/src/commands/CreateLocationCommand.ts @@ -112,4 +112,16 @@ export class CreateLocationCommand extends $Command .f(void 0, void 0) .ser(se_CreateLocationCommand) .de(de_CreateLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLocationInput; + output: CreateLocationOutput; + }; + sdk: { + input: CreateLocationCommandInput; + output: CreateLocationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateMatchmakingConfigurationCommand.ts b/clients/client-gamelift/src/commands/CreateMatchmakingConfigurationCommand.ts index 6f355b10d740..2cc75cbc3c83 100644 --- a/clients/client-gamelift/src/commands/CreateMatchmakingConfigurationCommand.ts +++ b/clients/client-gamelift/src/commands/CreateMatchmakingConfigurationCommand.ts @@ -181,4 +181,16 @@ export class CreateMatchmakingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateMatchmakingConfigurationCommand) .de(de_CreateMatchmakingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMatchmakingConfigurationInput; + output: CreateMatchmakingConfigurationOutput; + }; + sdk: { + input: CreateMatchmakingConfigurationCommandInput; + output: CreateMatchmakingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateMatchmakingRuleSetCommand.ts b/clients/client-gamelift/src/commands/CreateMatchmakingRuleSetCommand.ts index 226e00dbeed7..b4639671f6c8 100644 --- a/clients/client-gamelift/src/commands/CreateMatchmakingRuleSetCommand.ts +++ b/clients/client-gamelift/src/commands/CreateMatchmakingRuleSetCommand.ts @@ -139,4 +139,16 @@ export class CreateMatchmakingRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateMatchmakingRuleSetCommand) .de(de_CreateMatchmakingRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMatchmakingRuleSetInput; + output: CreateMatchmakingRuleSetOutput; + }; + sdk: { + input: CreateMatchmakingRuleSetCommandInput; + output: CreateMatchmakingRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreatePlayerSessionCommand.ts b/clients/client-gamelift/src/commands/CreatePlayerSessionCommand.ts index 9333197541dc..af2996c183c6 100644 --- a/clients/client-gamelift/src/commands/CreatePlayerSessionCommand.ts +++ b/clients/client-gamelift/src/commands/CreatePlayerSessionCommand.ts @@ -143,4 +143,16 @@ export class CreatePlayerSessionCommand extends $Command .f(CreatePlayerSessionInputFilterSensitiveLog, CreatePlayerSessionOutputFilterSensitiveLog) .ser(se_CreatePlayerSessionCommand) .de(de_CreatePlayerSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlayerSessionInput; + output: CreatePlayerSessionOutput; + }; + sdk: { + input: CreatePlayerSessionCommandInput; + output: CreatePlayerSessionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreatePlayerSessionsCommand.ts b/clients/client-gamelift/src/commands/CreatePlayerSessionsCommand.ts index aa6ed1f1a13e..edad3eb4d764 100644 --- a/clients/client-gamelift/src/commands/CreatePlayerSessionsCommand.ts +++ b/clients/client-gamelift/src/commands/CreatePlayerSessionsCommand.ts @@ -150,4 +150,16 @@ export class CreatePlayerSessionsCommand extends $Command .f(CreatePlayerSessionsInputFilterSensitiveLog, CreatePlayerSessionsOutputFilterSensitiveLog) .ser(se_CreatePlayerSessionsCommand) .de(de_CreatePlayerSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlayerSessionsInput; + output: CreatePlayerSessionsOutput; + }; + sdk: { + input: CreatePlayerSessionsCommandInput; + output: CreatePlayerSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateScriptCommand.ts b/clients/client-gamelift/src/commands/CreateScriptCommand.ts index 3809aebe095e..815acd20563e 100644 --- a/clients/client-gamelift/src/commands/CreateScriptCommand.ts +++ b/clients/client-gamelift/src/commands/CreateScriptCommand.ts @@ -164,4 +164,16 @@ export class CreateScriptCommand extends $Command .f(void 0, void 0) .ser(se_CreateScriptCommand) .de(de_CreateScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScriptInput; + output: CreateScriptOutput; + }; + sdk: { + input: CreateScriptCommandInput; + output: CreateScriptCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateVpcPeeringAuthorizationCommand.ts b/clients/client-gamelift/src/commands/CreateVpcPeeringAuthorizationCommand.ts index 86104b60a81e..0dd74e831589 100644 --- a/clients/client-gamelift/src/commands/CreateVpcPeeringAuthorizationCommand.ts +++ b/clients/client-gamelift/src/commands/CreateVpcPeeringAuthorizationCommand.ts @@ -129,4 +129,16 @@ export class CreateVpcPeeringAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcPeeringAuthorizationCommand) .de(de_CreateVpcPeeringAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcPeeringAuthorizationInput; + output: CreateVpcPeeringAuthorizationOutput; + }; + sdk: { + input: CreateVpcPeeringAuthorizationCommandInput; + output: CreateVpcPeeringAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/CreateVpcPeeringConnectionCommand.ts b/clients/client-gamelift/src/commands/CreateVpcPeeringConnectionCommand.ts index acf4a1639fd1..fde4e9411318 100644 --- a/clients/client-gamelift/src/commands/CreateVpcPeeringConnectionCommand.ts +++ b/clients/client-gamelift/src/commands/CreateVpcPeeringConnectionCommand.ts @@ -114,4 +114,16 @@ export class CreateVpcPeeringConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcPeeringConnectionCommand) .de(de_CreateVpcPeeringConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcPeeringConnectionInput; + output: {}; + }; + sdk: { + input: CreateVpcPeeringConnectionCommandInput; + output: CreateVpcPeeringConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteAliasCommand.ts b/clients/client-gamelift/src/commands/DeleteAliasCommand.ts index 368471ef26ed..a5dbb999afc3 100644 --- a/clients/client-gamelift/src/commands/DeleteAliasCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteAliasCommand.ts @@ -102,4 +102,16 @@ export class DeleteAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAliasCommand) .de(de_DeleteAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAliasInput; + output: {}; + }; + sdk: { + input: DeleteAliasCommandInput; + output: DeleteAliasCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteBuildCommand.ts b/clients/client-gamelift/src/commands/DeleteBuildCommand.ts index 91d0339b386a..f200e3e14474 100644 --- a/clients/client-gamelift/src/commands/DeleteBuildCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteBuildCommand.ts @@ -107,4 +107,16 @@ export class DeleteBuildCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBuildCommand) .de(de_DeleteBuildCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBuildInput; + output: {}; + }; + sdk: { + input: DeleteBuildCommandInput; + output: DeleteBuildCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteContainerGroupDefinitionCommand.ts b/clients/client-gamelift/src/commands/DeleteContainerGroupDefinitionCommand.ts index bdd424e40ad3..e969f97893d7 100644 --- a/clients/client-gamelift/src/commands/DeleteContainerGroupDefinitionCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteContainerGroupDefinitionCommand.ts @@ -115,4 +115,16 @@ export class DeleteContainerGroupDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContainerGroupDefinitionCommand) .de(de_DeleteContainerGroupDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContainerGroupDefinitionInput; + output: {}; + }; + sdk: { + input: DeleteContainerGroupDefinitionCommandInput; + output: DeleteContainerGroupDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteFleetCommand.ts b/clients/client-gamelift/src/commands/DeleteFleetCommand.ts index 9f4769bd4ca9..78feb1065649 100644 --- a/clients/client-gamelift/src/commands/DeleteFleetCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteFleetCommand.ts @@ -116,4 +116,16 @@ export class DeleteFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetCommand) .de(de_DeleteFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetInput; + output: {}; + }; + sdk: { + input: DeleteFleetCommandInput; + output: DeleteFleetCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteFleetLocationsCommand.ts b/clients/client-gamelift/src/commands/DeleteFleetLocationsCommand.ts index 0c79dc17d39b..6f7487009ccf 100644 --- a/clients/client-gamelift/src/commands/DeleteFleetLocationsCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteFleetLocationsCommand.ts @@ -117,4 +117,16 @@ export class DeleteFleetLocationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetLocationsCommand) .de(de_DeleteFleetLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetLocationsInput; + output: DeleteFleetLocationsOutput; + }; + sdk: { + input: DeleteFleetLocationsCommandInput; + output: DeleteFleetLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteGameServerGroupCommand.ts b/clients/client-gamelift/src/commands/DeleteGameServerGroupCommand.ts index 8b4829857996..26ecf56a94a9 100644 --- a/clients/client-gamelift/src/commands/DeleteGameServerGroupCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteGameServerGroupCommand.ts @@ -146,4 +146,16 @@ export class DeleteGameServerGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGameServerGroupCommand) .de(de_DeleteGameServerGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGameServerGroupInput; + output: DeleteGameServerGroupOutput; + }; + sdk: { + input: DeleteGameServerGroupCommandInput; + output: DeleteGameServerGroupCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteGameSessionQueueCommand.ts b/clients/client-gamelift/src/commands/DeleteGameSessionQueueCommand.ts index 986947fac8c7..66e04efb7b7c 100644 --- a/clients/client-gamelift/src/commands/DeleteGameSessionQueueCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteGameSessionQueueCommand.ts @@ -95,4 +95,16 @@ export class DeleteGameSessionQueueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGameSessionQueueCommand) .de(de_DeleteGameSessionQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGameSessionQueueInput; + output: {}; + }; + sdk: { + input: DeleteGameSessionQueueCommandInput; + output: DeleteGameSessionQueueCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteLocationCommand.ts b/clients/client-gamelift/src/commands/DeleteLocationCommand.ts index bf4b07248e16..ddf17244d187 100644 --- a/clients/client-gamelift/src/commands/DeleteLocationCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteLocationCommand.ts @@ -91,4 +91,16 @@ export class DeleteLocationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLocationCommand) .de(de_DeleteLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLocationInput; + output: {}; + }; + sdk: { + input: DeleteLocationCommandInput; + output: DeleteLocationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteMatchmakingConfigurationCommand.ts b/clients/client-gamelift/src/commands/DeleteMatchmakingConfigurationCommand.ts index 546c5b644b0c..74e03e31a007 100644 --- a/clients/client-gamelift/src/commands/DeleteMatchmakingConfigurationCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteMatchmakingConfigurationCommand.ts @@ -101,4 +101,16 @@ export class DeleteMatchmakingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMatchmakingConfigurationCommand) .de(de_DeleteMatchmakingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMatchmakingConfigurationInput; + output: {}; + }; + sdk: { + input: DeleteMatchmakingConfigurationCommandInput; + output: DeleteMatchmakingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteMatchmakingRuleSetCommand.ts b/clients/client-gamelift/src/commands/DeleteMatchmakingRuleSetCommand.ts index 90d12fe5fe3b..23be0c624309 100644 --- a/clients/client-gamelift/src/commands/DeleteMatchmakingRuleSetCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteMatchmakingRuleSetCommand.ts @@ -107,4 +107,16 @@ export class DeleteMatchmakingRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMatchmakingRuleSetCommand) .de(de_DeleteMatchmakingRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMatchmakingRuleSetInput; + output: {}; + }; + sdk: { + input: DeleteMatchmakingRuleSetCommandInput; + output: DeleteMatchmakingRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteScalingPolicyCommand.ts b/clients/client-gamelift/src/commands/DeleteScalingPolicyCommand.ts index c3b3598c5820..8935fe66be92 100644 --- a/clients/client-gamelift/src/commands/DeleteScalingPolicyCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteScalingPolicyCommand.ts @@ -94,4 +94,16 @@ export class DeleteScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScalingPolicyCommand) .de(de_DeleteScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScalingPolicyInput; + output: {}; + }; + sdk: { + input: DeleteScalingPolicyCommandInput; + output: DeleteScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteScriptCommand.ts b/clients/client-gamelift/src/commands/DeleteScriptCommand.ts index 792f1e8d7c8a..27e6ec952f2c 100644 --- a/clients/client-gamelift/src/commands/DeleteScriptCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteScriptCommand.ts @@ -112,4 +112,16 @@ export class DeleteScriptCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScriptCommand) .de(de_DeleteScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScriptInput; + output: {}; + }; + sdk: { + input: DeleteScriptCommandInput; + output: DeleteScriptCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteVpcPeeringAuthorizationCommand.ts b/clients/client-gamelift/src/commands/DeleteVpcPeeringAuthorizationCommand.ts index 14ee703425f0..e4fdda24f999 100644 --- a/clients/client-gamelift/src/commands/DeleteVpcPeeringAuthorizationCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteVpcPeeringAuthorizationCommand.ts @@ -102,4 +102,16 @@ export class DeleteVpcPeeringAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcPeeringAuthorizationCommand) .de(de_DeleteVpcPeeringAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcPeeringAuthorizationInput; + output: {}; + }; + sdk: { + input: DeleteVpcPeeringAuthorizationCommandInput; + output: DeleteVpcPeeringAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeleteVpcPeeringConnectionCommand.ts b/clients/client-gamelift/src/commands/DeleteVpcPeeringConnectionCommand.ts index 5f895446e848..8d3e63463fd7 100644 --- a/clients/client-gamelift/src/commands/DeleteVpcPeeringConnectionCommand.ts +++ b/clients/client-gamelift/src/commands/DeleteVpcPeeringConnectionCommand.ts @@ -100,4 +100,16 @@ export class DeleteVpcPeeringConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcPeeringConnectionCommand) .de(de_DeleteVpcPeeringConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcPeeringConnectionInput; + output: {}; + }; + sdk: { + input: DeleteVpcPeeringConnectionCommandInput; + output: DeleteVpcPeeringConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeregisterComputeCommand.ts b/clients/client-gamelift/src/commands/DeregisterComputeCommand.ts index bbae0f36c85b..2d2877bd05ba 100644 --- a/clients/client-gamelift/src/commands/DeregisterComputeCommand.ts +++ b/clients/client-gamelift/src/commands/DeregisterComputeCommand.ts @@ -99,4 +99,16 @@ export class DeregisterComputeCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterComputeCommand) .de(de_DeregisterComputeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterComputeInput; + output: {}; + }; + sdk: { + input: DeregisterComputeCommandInput; + output: DeregisterComputeCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DeregisterGameServerCommand.ts b/clients/client-gamelift/src/commands/DeregisterGameServerCommand.ts index f20f4fcc6739..8033209df9d4 100644 --- a/clients/client-gamelift/src/commands/DeregisterGameServerCommand.ts +++ b/clients/client-gamelift/src/commands/DeregisterGameServerCommand.ts @@ -105,4 +105,16 @@ export class DeregisterGameServerCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterGameServerCommand) .de(de_DeregisterGameServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterGameServerInput; + output: {}; + }; + sdk: { + input: DeregisterGameServerCommandInput; + output: DeregisterGameServerCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeAliasCommand.ts b/clients/client-gamelift/src/commands/DescribeAliasCommand.ts index da9c4c0beb67..1bbec477184b 100644 --- a/clients/client-gamelift/src/commands/DescribeAliasCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeAliasCommand.ts @@ -112,4 +112,16 @@ export class DescribeAliasCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAliasCommand) .de(de_DescribeAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAliasInput; + output: DescribeAliasOutput; + }; + sdk: { + input: DescribeAliasCommandInput; + output: DescribeAliasCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeBuildCommand.ts b/clients/client-gamelift/src/commands/DescribeBuildCommand.ts index 7d1c69d934fe..3b80df9a96e6 100644 --- a/clients/client-gamelift/src/commands/DescribeBuildCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeBuildCommand.ts @@ -112,4 +112,16 @@ export class DescribeBuildCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBuildCommand) .de(de_DescribeBuildCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBuildInput; + output: DescribeBuildOutput; + }; + sdk: { + input: DescribeBuildCommandInput; + output: DescribeBuildCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeComputeCommand.ts b/clients/client-gamelift/src/commands/DescribeComputeCommand.ts index c9f6794d34ed..44c27407bcfe 100644 --- a/clients/client-gamelift/src/commands/DescribeComputeCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeComputeCommand.ts @@ -143,4 +143,16 @@ export class DescribeComputeCommand extends $Command .f(void 0, DescribeComputeOutputFilterSensitiveLog) .ser(se_DescribeComputeCommand) .de(de_DescribeComputeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComputeInput; + output: DescribeComputeOutput; + }; + sdk: { + input: DescribeComputeCommandInput; + output: DescribeComputeCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeContainerGroupDefinitionCommand.ts b/clients/client-gamelift/src/commands/DescribeContainerGroupDefinitionCommand.ts index 8c29284a4559..ca83078275ff 100644 --- a/clients/client-gamelift/src/commands/DescribeContainerGroupDefinitionCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeContainerGroupDefinitionCommand.ts @@ -179,4 +179,16 @@ export class DescribeContainerGroupDefinitionCommand extends $Command .f(void 0, DescribeContainerGroupDefinitionOutputFilterSensitiveLog) .ser(se_DescribeContainerGroupDefinitionCommand) .de(de_DescribeContainerGroupDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContainerGroupDefinitionInput; + output: DescribeContainerGroupDefinitionOutput; + }; + sdk: { + input: DescribeContainerGroupDefinitionCommandInput; + output: DescribeContainerGroupDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeEC2InstanceLimitsCommand.ts b/clients/client-gamelift/src/commands/DescribeEC2InstanceLimitsCommand.ts index d35f11562f10..6628214802b3 100644 --- a/clients/client-gamelift/src/commands/DescribeEC2InstanceLimitsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeEC2InstanceLimitsCommand.ts @@ -153,4 +153,16 @@ export class DescribeEC2InstanceLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEC2InstanceLimitsCommand) .de(de_DescribeEC2InstanceLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEC2InstanceLimitsInput; + output: DescribeEC2InstanceLimitsOutput; + }; + sdk: { + input: DescribeEC2InstanceLimitsCommandInput; + output: DescribeEC2InstanceLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetAttributesCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetAttributesCommand.ts index 8fcd9121965f..38c2afc43c30 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetAttributesCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetAttributesCommand.ts @@ -187,4 +187,16 @@ export class DescribeFleetAttributesCommand extends $Command .f(void 0, DescribeFleetAttributesOutputFilterSensitiveLog) .ser(se_DescribeFleetAttributesCommand) .de(de_DescribeFleetAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetAttributesInput; + output: DescribeFleetAttributesOutput; + }; + sdk: { + input: DescribeFleetAttributesCommandInput; + output: DescribeFleetAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetCapacityCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetCapacityCommand.ts index cfdfacc51c54..46fdfb75e5d6 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetCapacityCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetCapacityCommand.ts @@ -157,4 +157,16 @@ export class DescribeFleetCapacityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetCapacityCommand) .de(de_DescribeFleetCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetCapacityInput; + output: DescribeFleetCapacityOutput; + }; + sdk: { + input: DescribeFleetCapacityCommandInput; + output: DescribeFleetCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetEventsCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetEventsCommand.ts index 47bd6584ce78..6c4e101a61a6 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetEventsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetEventsCommand.ts @@ -120,4 +120,16 @@ export class DescribeFleetEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetEventsCommand) .de(de_DescribeFleetEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetEventsInput; + output: DescribeFleetEventsOutput; + }; + sdk: { + input: DescribeFleetEventsCommandInput; + output: DescribeFleetEventsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetLocationAttributesCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetLocationAttributesCommand.ts index 08bd3b2a01f1..1bd66a036e8c 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetLocationAttributesCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetLocationAttributesCommand.ts @@ -146,4 +146,16 @@ export class DescribeFleetLocationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetLocationAttributesCommand) .de(de_DescribeFleetLocationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetLocationAttributesInput; + output: DescribeFleetLocationAttributesOutput; + }; + sdk: { + input: DescribeFleetLocationAttributesCommandInput; + output: DescribeFleetLocationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetLocationCapacityCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetLocationCapacityCommand.ts index 372f9ce70b2a..5dd71f5e2e8d 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetLocationCapacityCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetLocationCapacityCommand.ts @@ -141,4 +141,16 @@ export class DescribeFleetLocationCapacityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetLocationCapacityCommand) .de(de_DescribeFleetLocationCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetLocationCapacityInput; + output: DescribeFleetLocationCapacityOutput; + }; + sdk: { + input: DescribeFleetLocationCapacityCommandInput; + output: DescribeFleetLocationCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetLocationUtilizationCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetLocationUtilizationCommand.ts index 7b72b39620d2..23638c6f92e8 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetLocationUtilizationCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetLocationUtilizationCommand.ts @@ -127,4 +127,16 @@ export class DescribeFleetLocationUtilizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetLocationUtilizationCommand) .de(de_DescribeFleetLocationUtilizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetLocationUtilizationInput; + output: DescribeFleetLocationUtilizationOutput; + }; + sdk: { + input: DescribeFleetLocationUtilizationCommandInput; + output: DescribeFleetLocationUtilizationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetPortSettingsCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetPortSettingsCommand.ts index 1b79dda17ac5..95c887c658d2 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetPortSettingsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetPortSettingsCommand.ts @@ -136,4 +136,16 @@ export class DescribeFleetPortSettingsCommand extends $Command .f(void 0, DescribeFleetPortSettingsOutputFilterSensitiveLog) .ser(se_DescribeFleetPortSettingsCommand) .de(de_DescribeFleetPortSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetPortSettingsInput; + output: DescribeFleetPortSettingsOutput; + }; + sdk: { + input: DescribeFleetPortSettingsCommandInput; + output: DescribeFleetPortSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeFleetUtilizationCommand.ts b/clients/client-gamelift/src/commands/DescribeFleetUtilizationCommand.ts index 7374412b86ce..94cd97a9f19a 100644 --- a/clients/client-gamelift/src/commands/DescribeFleetUtilizationCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeFleetUtilizationCommand.ts @@ -141,4 +141,16 @@ export class DescribeFleetUtilizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetUtilizationCommand) .de(de_DescribeFleetUtilizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetUtilizationInput; + output: DescribeFleetUtilizationOutput; + }; + sdk: { + input: DescribeFleetUtilizationCommandInput; + output: DescribeFleetUtilizationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeGameServerCommand.ts b/clients/client-gamelift/src/commands/DescribeGameServerCommand.ts index bb2855db8a2e..c4773cf4c683 100644 --- a/clients/client-gamelift/src/commands/DescribeGameServerCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeGameServerCommand.ts @@ -118,4 +118,16 @@ export class DescribeGameServerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGameServerCommand) .de(de_DescribeGameServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGameServerInput; + output: DescribeGameServerOutput; + }; + sdk: { + input: DescribeGameServerCommandInput; + output: DescribeGameServerCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeGameServerGroupCommand.ts b/clients/client-gamelift/src/commands/DescribeGameServerGroupCommand.ts index 4bda10598b6c..5abd2a2b1752 100644 --- a/clients/client-gamelift/src/commands/DescribeGameServerGroupCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeGameServerGroupCommand.ts @@ -127,4 +127,16 @@ export class DescribeGameServerGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGameServerGroupCommand) .de(de_DescribeGameServerGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGameServerGroupInput; + output: DescribeGameServerGroupOutput; + }; + sdk: { + input: DescribeGameServerGroupCommandInput; + output: DescribeGameServerGroupCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeGameServerInstancesCommand.ts b/clients/client-gamelift/src/commands/DescribeGameServerInstancesCommand.ts index c567e3fde14b..77d267b4f071 100644 --- a/clients/client-gamelift/src/commands/DescribeGameServerInstancesCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeGameServerInstancesCommand.ts @@ -126,4 +126,16 @@ export class DescribeGameServerInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGameServerInstancesCommand) .de(de_DescribeGameServerInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGameServerInstancesInput; + output: DescribeGameServerInstancesOutput; + }; + sdk: { + input: DescribeGameServerInstancesCommandInput; + output: DescribeGameServerInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeGameSessionDetailsCommand.ts b/clients/client-gamelift/src/commands/DescribeGameSessionDetailsCommand.ts index 1ff4ce5423a4..00e65044f2a0 100644 --- a/clients/client-gamelift/src/commands/DescribeGameSessionDetailsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeGameSessionDetailsCommand.ts @@ -175,4 +175,16 @@ export class DescribeGameSessionDetailsCommand extends $Command .f(void 0, DescribeGameSessionDetailsOutputFilterSensitiveLog) .ser(se_DescribeGameSessionDetailsCommand) .de(de_DescribeGameSessionDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGameSessionDetailsInput; + output: DescribeGameSessionDetailsOutput; + }; + sdk: { + input: DescribeGameSessionDetailsCommandInput; + output: DescribeGameSessionDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeGameSessionPlacementCommand.ts b/clients/client-gamelift/src/commands/DescribeGameSessionPlacementCommand.ts index 76cc2362f6d4..5b6cab6c5942 100644 --- a/clients/client-gamelift/src/commands/DescribeGameSessionPlacementCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeGameSessionPlacementCommand.ts @@ -142,4 +142,16 @@ export class DescribeGameSessionPlacementCommand extends $Command .f(void 0, DescribeGameSessionPlacementOutputFilterSensitiveLog) .ser(se_DescribeGameSessionPlacementCommand) .de(de_DescribeGameSessionPlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGameSessionPlacementInput; + output: DescribeGameSessionPlacementOutput; + }; + sdk: { + input: DescribeGameSessionPlacementCommandInput; + output: DescribeGameSessionPlacementCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeGameSessionQueuesCommand.ts b/clients/client-gamelift/src/commands/DescribeGameSessionQueuesCommand.ts index 346b212b1d00..c126ceb12882 100644 --- a/clients/client-gamelift/src/commands/DescribeGameSessionQueuesCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeGameSessionQueuesCommand.ts @@ -138,4 +138,16 @@ export class DescribeGameSessionQueuesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGameSessionQueuesCommand) .de(de_DescribeGameSessionQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGameSessionQueuesInput; + output: DescribeGameSessionQueuesOutput; + }; + sdk: { + input: DescribeGameSessionQueuesCommandInput; + output: DescribeGameSessionQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeGameSessionsCommand.ts b/clients/client-gamelift/src/commands/DescribeGameSessionsCommand.ts index 6ccc3950e878..19696265b44d 100644 --- a/clients/client-gamelift/src/commands/DescribeGameSessionsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeGameSessionsCommand.ts @@ -179,4 +179,16 @@ export class DescribeGameSessionsCommand extends $Command .f(void 0, DescribeGameSessionsOutputFilterSensitiveLog) .ser(se_DescribeGameSessionsCommand) .de(de_DescribeGameSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGameSessionsInput; + output: DescribeGameSessionsOutput; + }; + sdk: { + input: DescribeGameSessionsCommandInput; + output: DescribeGameSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeInstancesCommand.ts b/clients/client-gamelift/src/commands/DescribeInstancesCommand.ts index ae1590b5fa3d..f04c0fda93f4 100644 --- a/clients/client-gamelift/src/commands/DescribeInstancesCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeInstancesCommand.ts @@ -156,4 +156,16 @@ export class DescribeInstancesCommand extends $Command .f(void 0, DescribeInstancesOutputFilterSensitiveLog) .ser(se_DescribeInstancesCommand) .de(de_DescribeInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancesInput; + output: DescribeInstancesOutput; + }; + sdk: { + input: DescribeInstancesCommandInput; + output: DescribeInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeMatchmakingCommand.ts b/clients/client-gamelift/src/commands/DescribeMatchmakingCommand.ts index a81e356621c7..488b11ac5eed 100644 --- a/clients/client-gamelift/src/commands/DescribeMatchmakingCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeMatchmakingCommand.ts @@ -160,4 +160,16 @@ export class DescribeMatchmakingCommand extends $Command .f(void 0, DescribeMatchmakingOutputFilterSensitiveLog) .ser(se_DescribeMatchmakingCommand) .de(de_DescribeMatchmakingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMatchmakingInput; + output: DescribeMatchmakingOutput; + }; + sdk: { + input: DescribeMatchmakingCommandInput; + output: DescribeMatchmakingCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeMatchmakingConfigurationsCommand.ts b/clients/client-gamelift/src/commands/DescribeMatchmakingConfigurationsCommand.ts index 1d1862667d51..8251d96e2503 100644 --- a/clients/client-gamelift/src/commands/DescribeMatchmakingConfigurationsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeMatchmakingConfigurationsCommand.ts @@ -138,4 +138,16 @@ export class DescribeMatchmakingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMatchmakingConfigurationsCommand) .de(de_DescribeMatchmakingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMatchmakingConfigurationsInput; + output: DescribeMatchmakingConfigurationsOutput; + }; + sdk: { + input: DescribeMatchmakingConfigurationsCommandInput; + output: DescribeMatchmakingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeMatchmakingRuleSetsCommand.ts b/clients/client-gamelift/src/commands/DescribeMatchmakingRuleSetsCommand.ts index 513e679553cc..da35f0797045 100644 --- a/clients/client-gamelift/src/commands/DescribeMatchmakingRuleSetsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeMatchmakingRuleSetsCommand.ts @@ -117,4 +117,16 @@ export class DescribeMatchmakingRuleSetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMatchmakingRuleSetsCommand) .de(de_DescribeMatchmakingRuleSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMatchmakingRuleSetsInput; + output: DescribeMatchmakingRuleSetsOutput; + }; + sdk: { + input: DescribeMatchmakingRuleSetsCommandInput; + output: DescribeMatchmakingRuleSetsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribePlayerSessionsCommand.ts b/clients/client-gamelift/src/commands/DescribePlayerSessionsCommand.ts index d481ab43738d..fdc752275eac 100644 --- a/clients/client-gamelift/src/commands/DescribePlayerSessionsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribePlayerSessionsCommand.ts @@ -144,4 +144,16 @@ export class DescribePlayerSessionsCommand extends $Command .f(DescribePlayerSessionsInputFilterSensitiveLog, DescribePlayerSessionsOutputFilterSensitiveLog) .ser(se_DescribePlayerSessionsCommand) .de(de_DescribePlayerSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePlayerSessionsInput; + output: DescribePlayerSessionsOutput; + }; + sdk: { + input: DescribePlayerSessionsCommandInput; + output: DescribePlayerSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeRuntimeConfigurationCommand.ts b/clients/client-gamelift/src/commands/DescribeRuntimeConfigurationCommand.ts index 05d416cd897b..99fdaa549afa 100644 --- a/clients/client-gamelift/src/commands/DescribeRuntimeConfigurationCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeRuntimeConfigurationCommand.ts @@ -126,4 +126,16 @@ export class DescribeRuntimeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuntimeConfigurationCommand) .de(de_DescribeRuntimeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuntimeConfigurationInput; + output: DescribeRuntimeConfigurationOutput; + }; + sdk: { + input: DescribeRuntimeConfigurationCommandInput; + output: DescribeRuntimeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeScalingPoliciesCommand.ts b/clients/client-gamelift/src/commands/DescribeScalingPoliciesCommand.ts index ddc273f04c72..6c1278f03ea0 100644 --- a/clients/client-gamelift/src/commands/DescribeScalingPoliciesCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeScalingPoliciesCommand.ts @@ -124,4 +124,16 @@ export class DescribeScalingPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScalingPoliciesCommand) .de(de_DescribeScalingPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScalingPoliciesInput; + output: DescribeScalingPoliciesOutput; + }; + sdk: { + input: DescribeScalingPoliciesCommandInput; + output: DescribeScalingPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeScriptCommand.ts b/clients/client-gamelift/src/commands/DescribeScriptCommand.ts index a51f085b970b..e9104c36f328 100644 --- a/clients/client-gamelift/src/commands/DescribeScriptCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeScriptCommand.ts @@ -118,4 +118,16 @@ export class DescribeScriptCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScriptCommand) .de(de_DescribeScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScriptInput; + output: DescribeScriptOutput; + }; + sdk: { + input: DescribeScriptCommandInput; + output: DescribeScriptCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeVpcPeeringAuthorizationsCommand.ts b/clients/client-gamelift/src/commands/DescribeVpcPeeringAuthorizationsCommand.ts index cb1c31d7f35e..87e7b2d61322 100644 --- a/clients/client-gamelift/src/commands/DescribeVpcPeeringAuthorizationsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeVpcPeeringAuthorizationsCommand.ts @@ -107,4 +107,16 @@ export class DescribeVpcPeeringAuthorizationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcPeeringAuthorizationsCommand) .de(de_DescribeVpcPeeringAuthorizationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeVpcPeeringAuthorizationsOutput; + }; + sdk: { + input: DescribeVpcPeeringAuthorizationsCommandInput; + output: DescribeVpcPeeringAuthorizationsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/DescribeVpcPeeringConnectionsCommand.ts b/clients/client-gamelift/src/commands/DescribeVpcPeeringConnectionsCommand.ts index c0986bd0dd29..5aa363b2cfb7 100644 --- a/clients/client-gamelift/src/commands/DescribeVpcPeeringConnectionsCommand.ts +++ b/clients/client-gamelift/src/commands/DescribeVpcPeeringConnectionsCommand.ts @@ -121,4 +121,16 @@ export class DescribeVpcPeeringConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcPeeringConnectionsCommand) .de(de_DescribeVpcPeeringConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcPeeringConnectionsInput; + output: DescribeVpcPeeringConnectionsOutput; + }; + sdk: { + input: DescribeVpcPeeringConnectionsCommandInput; + output: DescribeVpcPeeringConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/GetComputeAccessCommand.ts b/clients/client-gamelift/src/commands/GetComputeAccessCommand.ts index b82c39d8dcaa..69fc07a08f78 100644 --- a/clients/client-gamelift/src/commands/GetComputeAccessCommand.ts +++ b/clients/client-gamelift/src/commands/GetComputeAccessCommand.ts @@ -142,4 +142,16 @@ export class GetComputeAccessCommand extends $Command .f(void 0, GetComputeAccessOutputFilterSensitiveLog) .ser(se_GetComputeAccessCommand) .de(de_GetComputeAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComputeAccessInput; + output: GetComputeAccessOutput; + }; + sdk: { + input: GetComputeAccessCommandInput; + output: GetComputeAccessCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/GetComputeAuthTokenCommand.ts b/clients/client-gamelift/src/commands/GetComputeAuthTokenCommand.ts index 022acb4f45dd..db77e3325bcc 100644 --- a/clients/client-gamelift/src/commands/GetComputeAuthTokenCommand.ts +++ b/clients/client-gamelift/src/commands/GetComputeAuthTokenCommand.ts @@ -138,4 +138,16 @@ export class GetComputeAuthTokenCommand extends $Command .f(void 0, void 0) .ser(se_GetComputeAuthTokenCommand) .de(de_GetComputeAuthTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComputeAuthTokenInput; + output: GetComputeAuthTokenOutput; + }; + sdk: { + input: GetComputeAuthTokenCommandInput; + output: GetComputeAuthTokenCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/GetGameSessionLogUrlCommand.ts b/clients/client-gamelift/src/commands/GetGameSessionLogUrlCommand.ts index 8e0cfcb1d54b..f8479b16a542 100644 --- a/clients/client-gamelift/src/commands/GetGameSessionLogUrlCommand.ts +++ b/clients/client-gamelift/src/commands/GetGameSessionLogUrlCommand.ts @@ -101,4 +101,16 @@ export class GetGameSessionLogUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetGameSessionLogUrlCommand) .de(de_GetGameSessionLogUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGameSessionLogUrlInput; + output: GetGameSessionLogUrlOutput; + }; + sdk: { + input: GetGameSessionLogUrlCommandInput; + output: GetGameSessionLogUrlCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/GetInstanceAccessCommand.ts b/clients/client-gamelift/src/commands/GetInstanceAccessCommand.ts index 06e6f883e3c2..10983416ba8c 100644 --- a/clients/client-gamelift/src/commands/GetInstanceAccessCommand.ts +++ b/clients/client-gamelift/src/commands/GetInstanceAccessCommand.ts @@ -141,4 +141,16 @@ export class GetInstanceAccessCommand extends $Command .f(void 0, GetInstanceAccessOutputFilterSensitiveLog) .ser(se_GetInstanceAccessCommand) .de(de_GetInstanceAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceAccessInput; + output: GetInstanceAccessOutput; + }; + sdk: { + input: GetInstanceAccessCommandInput; + output: GetInstanceAccessCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListAliasesCommand.ts b/clients/client-gamelift/src/commands/ListAliasesCommand.ts index 60c2e3e70fb2..22642c04565e 100644 --- a/clients/client-gamelift/src/commands/ListAliasesCommand.ts +++ b/clients/client-gamelift/src/commands/ListAliasesCommand.ts @@ -117,4 +117,16 @@ export class ListAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAliasesCommand) .de(de_ListAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAliasesInput; + output: ListAliasesOutput; + }; + sdk: { + input: ListAliasesCommandInput; + output: ListAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListBuildsCommand.ts b/clients/client-gamelift/src/commands/ListBuildsCommand.ts index 6408307c0ace..58e8da850ba4 100644 --- a/clients/client-gamelift/src/commands/ListBuildsCommand.ts +++ b/clients/client-gamelift/src/commands/ListBuildsCommand.ts @@ -119,4 +119,16 @@ export class ListBuildsCommand extends $Command .f(void 0, void 0) .ser(se_ListBuildsCommand) .de(de_ListBuildsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBuildsInput; + output: ListBuildsOutput; + }; + sdk: { + input: ListBuildsCommandInput; + output: ListBuildsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListComputeCommand.ts b/clients/client-gamelift/src/commands/ListComputeCommand.ts index 7a894f100b45..e714f8b6d6cb 100644 --- a/clients/client-gamelift/src/commands/ListComputeCommand.ts +++ b/clients/client-gamelift/src/commands/ListComputeCommand.ts @@ -144,4 +144,16 @@ export class ListComputeCommand extends $Command .f(void 0, ListComputeOutputFilterSensitiveLog) .ser(se_ListComputeCommand) .de(de_ListComputeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComputeInput; + output: ListComputeOutput; + }; + sdk: { + input: ListComputeCommandInput; + output: ListComputeCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListContainerGroupDefinitionsCommand.ts b/clients/client-gamelift/src/commands/ListContainerGroupDefinitionsCommand.ts index 7a2d19f11ca5..f4e3d30babbe 100644 --- a/clients/client-gamelift/src/commands/ListContainerGroupDefinitionsCommand.ts +++ b/clients/client-gamelift/src/commands/ListContainerGroupDefinitionsCommand.ts @@ -183,4 +183,16 @@ export class ListContainerGroupDefinitionsCommand extends $Command .f(void 0, ListContainerGroupDefinitionsOutputFilterSensitiveLog) .ser(se_ListContainerGroupDefinitionsCommand) .de(de_ListContainerGroupDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContainerGroupDefinitionsInput; + output: ListContainerGroupDefinitionsOutput; + }; + sdk: { + input: ListContainerGroupDefinitionsCommandInput; + output: ListContainerGroupDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListFleetsCommand.ts b/clients/client-gamelift/src/commands/ListFleetsCommand.ts index 3747893f17e5..23ad7371cbfc 100644 --- a/clients/client-gamelift/src/commands/ListFleetsCommand.ts +++ b/clients/client-gamelift/src/commands/ListFleetsCommand.ts @@ -130,4 +130,16 @@ export class ListFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetsCommand) .de(de_ListFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetsInput; + output: ListFleetsOutput; + }; + sdk: { + input: ListFleetsCommandInput; + output: ListFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListGameServerGroupsCommand.ts b/clients/client-gamelift/src/commands/ListGameServerGroupsCommand.ts index 183c57ce64c0..4325b0bcae08 100644 --- a/clients/client-gamelift/src/commands/ListGameServerGroupsCommand.ts +++ b/clients/client-gamelift/src/commands/ListGameServerGroupsCommand.ts @@ -112,4 +112,16 @@ export class ListGameServerGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGameServerGroupsCommand) .de(de_ListGameServerGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGameServerGroupsInput; + output: ListGameServerGroupsOutput; + }; + sdk: { + input: ListGameServerGroupsCommandInput; + output: ListGameServerGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListGameServersCommand.ts b/clients/client-gamelift/src/commands/ListGameServersCommand.ts index 0b753d2ddeef..ed5110cda78c 100644 --- a/clients/client-gamelift/src/commands/ListGameServersCommand.ts +++ b/clients/client-gamelift/src/commands/ListGameServersCommand.ts @@ -119,4 +119,16 @@ export class ListGameServersCommand extends $Command .f(void 0, void 0) .ser(se_ListGameServersCommand) .de(de_ListGameServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGameServersInput; + output: ListGameServersOutput; + }; + sdk: { + input: ListGameServersCommandInput; + output: ListGameServersCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListLocationsCommand.ts b/clients/client-gamelift/src/commands/ListLocationsCommand.ts index 7169162ea99b..66b9e5a664ea 100644 --- a/clients/client-gamelift/src/commands/ListLocationsCommand.ts +++ b/clients/client-gamelift/src/commands/ListLocationsCommand.ts @@ -98,4 +98,16 @@ export class ListLocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLocationsCommand) .de(de_ListLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLocationsInput; + output: ListLocationsOutput; + }; + sdk: { + input: ListLocationsCommandInput; + output: ListLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListScriptsCommand.ts b/clients/client-gamelift/src/commands/ListScriptsCommand.ts index 6cac3d366aab..709e246f0b27 100644 --- a/clients/client-gamelift/src/commands/ListScriptsCommand.ts +++ b/clients/client-gamelift/src/commands/ListScriptsCommand.ts @@ -118,4 +118,16 @@ export class ListScriptsCommand extends $Command .f(void 0, void 0) .ser(se_ListScriptsCommand) .de(de_ListScriptsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScriptsInput; + output: ListScriptsOutput; + }; + sdk: { + input: ListScriptsCommandInput; + output: ListScriptsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ListTagsForResourceCommand.ts b/clients/client-gamelift/src/commands/ListTagsForResourceCommand.ts index 30d5feeb2a3b..21dbd600baef 100644 --- a/clients/client-gamelift/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-gamelift/src/commands/ListTagsForResourceCommand.ts @@ -118,4 +118,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/PutScalingPolicyCommand.ts b/clients/client-gamelift/src/commands/PutScalingPolicyCommand.ts index 7a2bec8e7acb..776b09cb03c1 100644 --- a/clients/client-gamelift/src/commands/PutScalingPolicyCommand.ts +++ b/clients/client-gamelift/src/commands/PutScalingPolicyCommand.ts @@ -159,4 +159,16 @@ export class PutScalingPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutScalingPolicyCommand) .de(de_PutScalingPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutScalingPolicyInput; + output: PutScalingPolicyOutput; + }; + sdk: { + input: PutScalingPolicyCommandInput; + output: PutScalingPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/RegisterComputeCommand.ts b/clients/client-gamelift/src/commands/RegisterComputeCommand.ts index 172ed0fdc873..f885d4859e73 100644 --- a/clients/client-gamelift/src/commands/RegisterComputeCommand.ts +++ b/clients/client-gamelift/src/commands/RegisterComputeCommand.ts @@ -175,4 +175,16 @@ export class RegisterComputeCommand extends $Command .f(RegisterComputeInputFilterSensitiveLog, RegisterComputeOutputFilterSensitiveLog) .ser(se_RegisterComputeCommand) .de(de_RegisterComputeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterComputeInput; + output: RegisterComputeOutput; + }; + sdk: { + input: RegisterComputeCommandInput; + output: RegisterComputeCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/RegisterGameServerCommand.ts b/clients/client-gamelift/src/commands/RegisterGameServerCommand.ts index 4d258bc8a233..85c5c9963ad0 100644 --- a/clients/client-gamelift/src/commands/RegisterGameServerCommand.ts +++ b/clients/client-gamelift/src/commands/RegisterGameServerCommand.ts @@ -136,4 +136,16 @@ export class RegisterGameServerCommand extends $Command .f(void 0, void 0) .ser(se_RegisterGameServerCommand) .de(de_RegisterGameServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterGameServerInput; + output: RegisterGameServerOutput; + }; + sdk: { + input: RegisterGameServerCommandInput; + output: RegisterGameServerCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/RequestUploadCredentialsCommand.ts b/clients/client-gamelift/src/commands/RequestUploadCredentialsCommand.ts index 8d391fdb8e0f..131072405fd9 100644 --- a/clients/client-gamelift/src/commands/RequestUploadCredentialsCommand.ts +++ b/clients/client-gamelift/src/commands/RequestUploadCredentialsCommand.ts @@ -119,4 +119,16 @@ export class RequestUploadCredentialsCommand extends $Command .f(void 0, RequestUploadCredentialsOutputFilterSensitiveLog) .ser(se_RequestUploadCredentialsCommand) .de(de_RequestUploadCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestUploadCredentialsInput; + output: RequestUploadCredentialsOutput; + }; + sdk: { + input: RequestUploadCredentialsCommandInput; + output: RequestUploadCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ResolveAliasCommand.ts b/clients/client-gamelift/src/commands/ResolveAliasCommand.ts index e443dd64aeda..2af106f7a786 100644 --- a/clients/client-gamelift/src/commands/ResolveAliasCommand.ts +++ b/clients/client-gamelift/src/commands/ResolveAliasCommand.ts @@ -108,4 +108,16 @@ export class ResolveAliasCommand extends $Command .f(void 0, void 0) .ser(se_ResolveAliasCommand) .de(de_ResolveAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResolveAliasInput; + output: ResolveAliasOutput; + }; + sdk: { + input: ResolveAliasCommandInput; + output: ResolveAliasCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ResumeGameServerGroupCommand.ts b/clients/client-gamelift/src/commands/ResumeGameServerGroupCommand.ts index 3cd6c9daec6c..85533980e1e1 100644 --- a/clients/client-gamelift/src/commands/ResumeGameServerGroupCommand.ts +++ b/clients/client-gamelift/src/commands/ResumeGameServerGroupCommand.ts @@ -134,4 +134,16 @@ export class ResumeGameServerGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResumeGameServerGroupCommand) .de(de_ResumeGameServerGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeGameServerGroupInput; + output: ResumeGameServerGroupOutput; + }; + sdk: { + input: ResumeGameServerGroupCommandInput; + output: ResumeGameServerGroupCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/SearchGameSessionsCommand.ts b/clients/client-gamelift/src/commands/SearchGameSessionsCommand.ts index d02f7f17d8e2..5098a5e7b178 100644 --- a/clients/client-gamelift/src/commands/SearchGameSessionsCommand.ts +++ b/clients/client-gamelift/src/commands/SearchGameSessionsCommand.ts @@ -219,4 +219,16 @@ export class SearchGameSessionsCommand extends $Command .f(void 0, SearchGameSessionsOutputFilterSensitiveLog) .ser(se_SearchGameSessionsCommand) .de(de_SearchGameSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchGameSessionsInput; + output: SearchGameSessionsOutput; + }; + sdk: { + input: SearchGameSessionsCommandInput; + output: SearchGameSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/StartFleetActionsCommand.ts b/clients/client-gamelift/src/commands/StartFleetActionsCommand.ts index bda699af21fe..a6cc044569d3 100644 --- a/clients/client-gamelift/src/commands/StartFleetActionsCommand.ts +++ b/clients/client-gamelift/src/commands/StartFleetActionsCommand.ts @@ -122,4 +122,16 @@ export class StartFleetActionsCommand extends $Command .f(void 0, void 0) .ser(se_StartFleetActionsCommand) .de(de_StartFleetActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFleetActionsInput; + output: StartFleetActionsOutput; + }; + sdk: { + input: StartFleetActionsCommandInput; + output: StartFleetActionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/StartGameSessionPlacementCommand.ts b/clients/client-gamelift/src/commands/StartGameSessionPlacementCommand.ts index 404525ed9ce1..2f5802be1e86 100644 --- a/clients/client-gamelift/src/commands/StartGameSessionPlacementCommand.ts +++ b/clients/client-gamelift/src/commands/StartGameSessionPlacementCommand.ts @@ -193,4 +193,16 @@ export class StartGameSessionPlacementCommand extends $Command .f(StartGameSessionPlacementInputFilterSensitiveLog, StartGameSessionPlacementOutputFilterSensitiveLog) .ser(se_StartGameSessionPlacementCommand) .de(de_StartGameSessionPlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartGameSessionPlacementInput; + output: StartGameSessionPlacementOutput; + }; + sdk: { + input: StartGameSessionPlacementCommandInput; + output: StartGameSessionPlacementCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/StartMatchBackfillCommand.ts b/clients/client-gamelift/src/commands/StartMatchBackfillCommand.ts index f565ffc37fa1..7f5cf5cd8c9b 100644 --- a/clients/client-gamelift/src/commands/StartMatchBackfillCommand.ts +++ b/clients/client-gamelift/src/commands/StartMatchBackfillCommand.ts @@ -199,4 +199,16 @@ export class StartMatchBackfillCommand extends $Command .f(StartMatchBackfillInputFilterSensitiveLog, StartMatchBackfillOutputFilterSensitiveLog) .ser(se_StartMatchBackfillCommand) .de(de_StartMatchBackfillCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMatchBackfillInput; + output: StartMatchBackfillOutput; + }; + sdk: { + input: StartMatchBackfillCommandInput; + output: StartMatchBackfillCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/StartMatchmakingCommand.ts b/clients/client-gamelift/src/commands/StartMatchmakingCommand.ts index b7ac90310541..3cccb4b52a77 100644 --- a/clients/client-gamelift/src/commands/StartMatchmakingCommand.ts +++ b/clients/client-gamelift/src/commands/StartMatchmakingCommand.ts @@ -190,4 +190,16 @@ export class StartMatchmakingCommand extends $Command .f(StartMatchmakingInputFilterSensitiveLog, StartMatchmakingOutputFilterSensitiveLog) .ser(se_StartMatchmakingCommand) .de(de_StartMatchmakingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMatchmakingInput; + output: StartMatchmakingOutput; + }; + sdk: { + input: StartMatchmakingCommandInput; + output: StartMatchmakingCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/StopFleetActionsCommand.ts b/clients/client-gamelift/src/commands/StopFleetActionsCommand.ts index be26e0409a2f..888b11ff210d 100644 --- a/clients/client-gamelift/src/commands/StopFleetActionsCommand.ts +++ b/clients/client-gamelift/src/commands/StopFleetActionsCommand.ts @@ -126,4 +126,16 @@ export class StopFleetActionsCommand extends $Command .f(void 0, void 0) .ser(se_StopFleetActionsCommand) .de(de_StopFleetActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopFleetActionsInput; + output: StopFleetActionsOutput; + }; + sdk: { + input: StopFleetActionsCommandInput; + output: StopFleetActionsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/StopGameSessionPlacementCommand.ts b/clients/client-gamelift/src/commands/StopGameSessionPlacementCommand.ts index b6bcceaa271f..f0f2ec736fc9 100644 --- a/clients/client-gamelift/src/commands/StopGameSessionPlacementCommand.ts +++ b/clients/client-gamelift/src/commands/StopGameSessionPlacementCommand.ts @@ -132,4 +132,16 @@ export class StopGameSessionPlacementCommand extends $Command .f(void 0, StopGameSessionPlacementOutputFilterSensitiveLog) .ser(se_StopGameSessionPlacementCommand) .de(de_StopGameSessionPlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopGameSessionPlacementInput; + output: StopGameSessionPlacementOutput; + }; + sdk: { + input: StopGameSessionPlacementCommandInput; + output: StopGameSessionPlacementCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/StopMatchmakingCommand.ts b/clients/client-gamelift/src/commands/StopMatchmakingCommand.ts index 2fa3c0a57a61..fefe4ec86430 100644 --- a/clients/client-gamelift/src/commands/StopMatchmakingCommand.ts +++ b/clients/client-gamelift/src/commands/StopMatchmakingCommand.ts @@ -107,4 +107,16 @@ export class StopMatchmakingCommand extends $Command .f(void 0, void 0) .ser(se_StopMatchmakingCommand) .de(de_StopMatchmakingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMatchmakingInput; + output: {}; + }; + sdk: { + input: StopMatchmakingCommandInput; + output: StopMatchmakingCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/SuspendGameServerGroupCommand.ts b/clients/client-gamelift/src/commands/SuspendGameServerGroupCommand.ts index 31edaf8294fe..adc32e7594cf 100644 --- a/clients/client-gamelift/src/commands/SuspendGameServerGroupCommand.ts +++ b/clients/client-gamelift/src/commands/SuspendGameServerGroupCommand.ts @@ -143,4 +143,16 @@ export class SuspendGameServerGroupCommand extends $Command .f(void 0, void 0) .ser(se_SuspendGameServerGroupCommand) .de(de_SuspendGameServerGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SuspendGameServerGroupInput; + output: SuspendGameServerGroupOutput; + }; + sdk: { + input: SuspendGameServerGroupCommandInput; + output: SuspendGameServerGroupCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/TagResourceCommand.ts b/clients/client-gamelift/src/commands/TagResourceCommand.ts index 192ee6fa19ca..28196b59b362 100644 --- a/clients/client-gamelift/src/commands/TagResourceCommand.ts +++ b/clients/client-gamelift/src/commands/TagResourceCommand.ts @@ -120,4 +120,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UntagResourceCommand.ts b/clients/client-gamelift/src/commands/UntagResourceCommand.ts index a895c255ff86..d10a69263852 100644 --- a/clients/client-gamelift/src/commands/UntagResourceCommand.ts +++ b/clients/client-gamelift/src/commands/UntagResourceCommand.ts @@ -116,4 +116,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateAliasCommand.ts b/clients/client-gamelift/src/commands/UpdateAliasCommand.ts index 97da4db3b9b8..801de4d4c44a 100644 --- a/clients/client-gamelift/src/commands/UpdateAliasCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateAliasCommand.ts @@ -118,4 +118,16 @@ export class UpdateAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAliasCommand) .de(de_UpdateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAliasInput; + output: UpdateAliasOutput; + }; + sdk: { + input: UpdateAliasCommandInput; + output: UpdateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateBuildCommand.ts b/clients/client-gamelift/src/commands/UpdateBuildCommand.ts index ee1ceb1797c5..70dac483a48a 100644 --- a/clients/client-gamelift/src/commands/UpdateBuildCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateBuildCommand.ts @@ -115,4 +115,16 @@ export class UpdateBuildCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBuildCommand) .de(de_UpdateBuildCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBuildInput; + output: UpdateBuildOutput; + }; + sdk: { + input: UpdateBuildCommandInput; + output: UpdateBuildCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateFleetAttributesCommand.ts b/clients/client-gamelift/src/commands/UpdateFleetAttributesCommand.ts index c1c0658ffb94..fabdf6c468cf 100644 --- a/clients/client-gamelift/src/commands/UpdateFleetAttributesCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateFleetAttributesCommand.ts @@ -130,4 +130,16 @@ export class UpdateFleetAttributesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFleetAttributesCommand) .de(de_UpdateFleetAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetAttributesInput; + output: UpdateFleetAttributesOutput; + }; + sdk: { + input: UpdateFleetAttributesCommandInput; + output: UpdateFleetAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateFleetCapacityCommand.ts b/clients/client-gamelift/src/commands/UpdateFleetCapacityCommand.ts index b1301eba1e49..2442aade5bf6 100644 --- a/clients/client-gamelift/src/commands/UpdateFleetCapacityCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateFleetCapacityCommand.ts @@ -156,4 +156,16 @@ export class UpdateFleetCapacityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFleetCapacityCommand) .de(de_UpdateFleetCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetCapacityInput; + output: UpdateFleetCapacityOutput; + }; + sdk: { + input: UpdateFleetCapacityCommandInput; + output: UpdateFleetCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateFleetPortSettingsCommand.ts b/clients/client-gamelift/src/commands/UpdateFleetPortSettingsCommand.ts index d4d975bc75d8..bc29fd958a43 100644 --- a/clients/client-gamelift/src/commands/UpdateFleetPortSettingsCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateFleetPortSettingsCommand.ts @@ -146,4 +146,16 @@ export class UpdateFleetPortSettingsCommand extends $Command .f(UpdateFleetPortSettingsInputFilterSensitiveLog, void 0) .ser(se_UpdateFleetPortSettingsCommand) .de(de_UpdateFleetPortSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetPortSettingsInput; + output: UpdateFleetPortSettingsOutput; + }; + sdk: { + input: UpdateFleetPortSettingsCommandInput; + output: UpdateFleetPortSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateGameServerCommand.ts b/clients/client-gamelift/src/commands/UpdateGameServerCommand.ts index b6e8143cac94..e33522588446 100644 --- a/clients/client-gamelift/src/commands/UpdateGameServerCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateGameServerCommand.ts @@ -143,4 +143,16 @@ export class UpdateGameServerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGameServerCommand) .de(de_UpdateGameServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGameServerInput; + output: UpdateGameServerOutput; + }; + sdk: { + input: UpdateGameServerCommandInput; + output: UpdateGameServerCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateGameServerGroupCommand.ts b/clients/client-gamelift/src/commands/UpdateGameServerGroupCommand.ts index 3039d9c5e476..273f1b861a41 100644 --- a/clients/client-gamelift/src/commands/UpdateGameServerGroupCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateGameServerGroupCommand.ts @@ -137,4 +137,16 @@ export class UpdateGameServerGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGameServerGroupCommand) .de(de_UpdateGameServerGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGameServerGroupInput; + output: UpdateGameServerGroupOutput; + }; + sdk: { + input: UpdateGameServerGroupCommandInput; + output: UpdateGameServerGroupCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateGameSessionCommand.ts b/clients/client-gamelift/src/commands/UpdateGameSessionCommand.ts index 7352ebb75fa4..287b04feee0a 100644 --- a/clients/client-gamelift/src/commands/UpdateGameSessionCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateGameSessionCommand.ts @@ -147,4 +147,16 @@ export class UpdateGameSessionCommand extends $Command .f(void 0, UpdateGameSessionOutputFilterSensitiveLog) .ser(se_UpdateGameSessionCommand) .de(de_UpdateGameSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGameSessionInput; + output: UpdateGameSessionOutput; + }; + sdk: { + input: UpdateGameSessionCommandInput; + output: UpdateGameSessionCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateGameSessionQueueCommand.ts b/clients/client-gamelift/src/commands/UpdateGameSessionQueueCommand.ts index 55ca0813ab05..506991719818 100644 --- a/clients/client-gamelift/src/commands/UpdateGameSessionQueueCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateGameSessionQueueCommand.ts @@ -158,4 +158,16 @@ export class UpdateGameSessionQueueCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGameSessionQueueCommand) .de(de_UpdateGameSessionQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGameSessionQueueInput; + output: UpdateGameSessionQueueOutput; + }; + sdk: { + input: UpdateGameSessionQueueCommandInput; + output: UpdateGameSessionQueueCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateMatchmakingConfigurationCommand.ts b/clients/client-gamelift/src/commands/UpdateMatchmakingConfigurationCommand.ts index 3d944cdf9893..b3fbeb16ad1b 100644 --- a/clients/client-gamelift/src/commands/UpdateMatchmakingConfigurationCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateMatchmakingConfigurationCommand.ts @@ -150,4 +150,16 @@ export class UpdateMatchmakingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMatchmakingConfigurationCommand) .de(de_UpdateMatchmakingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMatchmakingConfigurationInput; + output: UpdateMatchmakingConfigurationOutput; + }; + sdk: { + input: UpdateMatchmakingConfigurationCommandInput; + output: UpdateMatchmakingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateRuntimeConfigurationCommand.ts b/clients/client-gamelift/src/commands/UpdateRuntimeConfigurationCommand.ts index f4490a215a18..afbd5dd77306 100644 --- a/clients/client-gamelift/src/commands/UpdateRuntimeConfigurationCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateRuntimeConfigurationCommand.ts @@ -142,4 +142,16 @@ export class UpdateRuntimeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuntimeConfigurationCommand) .de(de_UpdateRuntimeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuntimeConfigurationInput; + output: UpdateRuntimeConfigurationOutput; + }; + sdk: { + input: UpdateRuntimeConfigurationCommandInput; + output: UpdateRuntimeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/UpdateScriptCommand.ts b/clients/client-gamelift/src/commands/UpdateScriptCommand.ts index 894ee2324aed..0770751fb927 100644 --- a/clients/client-gamelift/src/commands/UpdateScriptCommand.ts +++ b/clients/client-gamelift/src/commands/UpdateScriptCommand.ts @@ -134,4 +134,16 @@ export class UpdateScriptCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScriptCommand) .de(de_UpdateScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScriptInput; + output: UpdateScriptOutput; + }; + sdk: { + input: UpdateScriptCommandInput; + output: UpdateScriptCommandOutput; + }; + }; +} diff --git a/clients/client-gamelift/src/commands/ValidateMatchmakingRuleSetCommand.ts b/clients/client-gamelift/src/commands/ValidateMatchmakingRuleSetCommand.ts index e71f683d3633..7fe6cd2c8d32 100644 --- a/clients/client-gamelift/src/commands/ValidateMatchmakingRuleSetCommand.ts +++ b/clients/client-gamelift/src/commands/ValidateMatchmakingRuleSetCommand.ts @@ -101,4 +101,16 @@ export class ValidateMatchmakingRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_ValidateMatchmakingRuleSetCommand) .de(de_ValidateMatchmakingRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateMatchmakingRuleSetInput; + output: ValidateMatchmakingRuleSetOutput; + }; + sdk: { + input: ValidateMatchmakingRuleSetCommandInput; + output: ValidateMatchmakingRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/package.json b/clients/client-glacier/package.json index 6ebb6e66a899..e7b267eb9bfc 100644 --- a/clients/client-glacier/package.json +++ b/clients/client-glacier/package.json @@ -36,33 +36,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-glacier/src/commands/AbortMultipartUploadCommand.ts b/clients/client-glacier/src/commands/AbortMultipartUploadCommand.ts index 9c6caab01386..a9aca879bd82 100644 --- a/clients/client-glacier/src/commands/AbortMultipartUploadCommand.ts +++ b/clients/client-glacier/src/commands/AbortMultipartUploadCommand.ts @@ -120,4 +120,16 @@ export class AbortMultipartUploadCommand extends $Command .f(void 0, void 0) .ser(se_AbortMultipartUploadCommand) .de(de_AbortMultipartUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AbortMultipartUploadInput; + output: {}; + }; + sdk: { + input: AbortMultipartUploadCommandInput; + output: AbortMultipartUploadCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/AbortVaultLockCommand.ts b/clients/client-glacier/src/commands/AbortVaultLockCommand.ts index fd85571cee4a..86dcf94035fd 100644 --- a/clients/client-glacier/src/commands/AbortVaultLockCommand.ts +++ b/clients/client-glacier/src/commands/AbortVaultLockCommand.ts @@ -114,4 +114,16 @@ export class AbortVaultLockCommand extends $Command .f(void 0, void 0) .ser(se_AbortVaultLockCommand) .de(de_AbortVaultLockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AbortVaultLockInput; + output: {}; + }; + sdk: { + input: AbortVaultLockCommandInput; + output: AbortVaultLockCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/AddTagsToVaultCommand.ts b/clients/client-glacier/src/commands/AddTagsToVaultCommand.ts index fc99784f936b..9ebcd1559291 100644 --- a/clients/client-glacier/src/commands/AddTagsToVaultCommand.ts +++ b/clients/client-glacier/src/commands/AddTagsToVaultCommand.ts @@ -116,4 +116,16 @@ export class AddTagsToVaultCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToVaultCommand) .de(de_AddTagsToVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToVaultInput; + output: {}; + }; + sdk: { + input: AddTagsToVaultCommandInput; + output: AddTagsToVaultCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/CompleteMultipartUploadCommand.ts b/clients/client-glacier/src/commands/CompleteMultipartUploadCommand.ts index 853f5536044e..c50dae2de562 100644 --- a/clients/client-glacier/src/commands/CompleteMultipartUploadCommand.ts +++ b/clients/client-glacier/src/commands/CompleteMultipartUploadCommand.ts @@ -155,4 +155,16 @@ export class CompleteMultipartUploadCommand extends $Command .f(void 0, void 0) .ser(se_CompleteMultipartUploadCommand) .de(de_CompleteMultipartUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteMultipartUploadInput; + output: ArchiveCreationOutput; + }; + sdk: { + input: CompleteMultipartUploadCommandInput; + output: CompleteMultipartUploadCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/CompleteVaultLockCommand.ts b/clients/client-glacier/src/commands/CompleteVaultLockCommand.ts index eec95bffa5e5..516e5b13573c 100644 --- a/clients/client-glacier/src/commands/CompleteVaultLockCommand.ts +++ b/clients/client-glacier/src/commands/CompleteVaultLockCommand.ts @@ -116,4 +116,16 @@ export class CompleteVaultLockCommand extends $Command .f(void 0, void 0) .ser(se_CompleteVaultLockCommand) .de(de_CompleteVaultLockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteVaultLockInput; + output: {}; + }; + sdk: { + input: CompleteVaultLockCommandInput; + output: CompleteVaultLockCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/CreateVaultCommand.ts b/clients/client-glacier/src/commands/CreateVaultCommand.ts index c9c1efd8cf2e..db8ed47b2f5b 100644 --- a/clients/client-glacier/src/commands/CreateVaultCommand.ts +++ b/clients/client-glacier/src/commands/CreateVaultCommand.ts @@ -130,4 +130,16 @@ export class CreateVaultCommand extends $Command .f(void 0, void 0) .ser(se_CreateVaultCommand) .de(de_CreateVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVaultInput; + output: CreateVaultOutput; + }; + sdk: { + input: CreateVaultCommandInput; + output: CreateVaultCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/DeleteArchiveCommand.ts b/clients/client-glacier/src/commands/DeleteArchiveCommand.ts index 512c91be6a6b..c8221669079b 100644 --- a/clients/client-glacier/src/commands/DeleteArchiveCommand.ts +++ b/clients/client-glacier/src/commands/DeleteArchiveCommand.ts @@ -129,4 +129,16 @@ export class DeleteArchiveCommand extends $Command .f(void 0, void 0) .ser(se_DeleteArchiveCommand) .de(de_DeleteArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteArchiveInput; + output: {}; + }; + sdk: { + input: DeleteArchiveCommandInput; + output: DeleteArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/DeleteVaultAccessPolicyCommand.ts b/clients/client-glacier/src/commands/DeleteVaultAccessPolicyCommand.ts index d70492ad0a30..83dd6871bf40 100644 --- a/clients/client-glacier/src/commands/DeleteVaultAccessPolicyCommand.ts +++ b/clients/client-glacier/src/commands/DeleteVaultAccessPolicyCommand.ts @@ -107,4 +107,16 @@ export class DeleteVaultAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVaultAccessPolicyCommand) .de(de_DeleteVaultAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVaultAccessPolicyInput; + output: {}; + }; + sdk: { + input: DeleteVaultAccessPolicyCommandInput; + output: DeleteVaultAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/DeleteVaultCommand.ts b/clients/client-glacier/src/commands/DeleteVaultCommand.ts index fba47b1b14bd..e0c2f4012445 100644 --- a/clients/client-glacier/src/commands/DeleteVaultCommand.ts +++ b/clients/client-glacier/src/commands/DeleteVaultCommand.ts @@ -120,4 +120,16 @@ export class DeleteVaultCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVaultCommand) .de(de_DeleteVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVaultInput; + output: {}; + }; + sdk: { + input: DeleteVaultCommandInput; + output: DeleteVaultCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/DeleteVaultNotificationsCommand.ts b/clients/client-glacier/src/commands/DeleteVaultNotificationsCommand.ts index b93104b6a0e8..43f2acf81aa4 100644 --- a/clients/client-glacier/src/commands/DeleteVaultNotificationsCommand.ts +++ b/clients/client-glacier/src/commands/DeleteVaultNotificationsCommand.ts @@ -113,4 +113,16 @@ export class DeleteVaultNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVaultNotificationsCommand) .de(de_DeleteVaultNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVaultNotificationsInput; + output: {}; + }; + sdk: { + input: DeleteVaultNotificationsCommandInput; + output: DeleteVaultNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/DescribeJobCommand.ts b/clients/client-glacier/src/commands/DescribeJobCommand.ts index 45931be5874a..2e1bf188cf81 100644 --- a/clients/client-glacier/src/commands/DescribeJobCommand.ts +++ b/clients/client-glacier/src/commands/DescribeJobCommand.ts @@ -219,4 +219,16 @@ export class DescribeJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobCommand) .de(de_DescribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobInput; + output: GlacierJobDescription; + }; + sdk: { + input: DescribeJobCommandInput; + output: DescribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/DescribeVaultCommand.ts b/clients/client-glacier/src/commands/DescribeVaultCommand.ts index 5fc1d7188078..515ba8f804a5 100644 --- a/clients/client-glacier/src/commands/DescribeVaultCommand.ts +++ b/clients/client-glacier/src/commands/DescribeVaultCommand.ts @@ -134,4 +134,16 @@ export class DescribeVaultCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVaultCommand) .de(de_DescribeVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVaultInput; + output: DescribeVaultOutput; + }; + sdk: { + input: DescribeVaultCommandInput; + output: DescribeVaultCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/GetDataRetrievalPolicyCommand.ts b/clients/client-glacier/src/commands/GetDataRetrievalPolicyCommand.ts index 77cceeac24e0..dd88812f75d0 100644 --- a/clients/client-glacier/src/commands/GetDataRetrievalPolicyCommand.ts +++ b/clients/client-glacier/src/commands/GetDataRetrievalPolicyCommand.ts @@ -118,4 +118,16 @@ export class GetDataRetrievalPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetDataRetrievalPolicyCommand) .de(de_GetDataRetrievalPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataRetrievalPolicyInput; + output: GetDataRetrievalPolicyOutput; + }; + sdk: { + input: GetDataRetrievalPolicyCommandInput; + output: GetDataRetrievalPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/GetJobOutputCommand.ts b/clients/client-glacier/src/commands/GetJobOutputCommand.ts index 1907a0907aa2..c6f95359f619 100644 --- a/clients/client-glacier/src/commands/GetJobOutputCommand.ts +++ b/clients/client-glacier/src/commands/GetJobOutputCommand.ts @@ -159,4 +159,16 @@ export class GetJobOutputCommand extends $Command .f(void 0, GetJobOutputOutputFilterSensitiveLog) .ser(se_GetJobOutputCommand) .de(de_GetJobOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobOutputInput; + output: GetJobOutputOutput; + }; + sdk: { + input: GetJobOutputCommandInput; + output: GetJobOutputCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/GetVaultAccessPolicyCommand.ts b/clients/client-glacier/src/commands/GetVaultAccessPolicyCommand.ts index 5c1f08364e01..b2773c65a410 100644 --- a/clients/client-glacier/src/commands/GetVaultAccessPolicyCommand.ts +++ b/clients/client-glacier/src/commands/GetVaultAccessPolicyCommand.ts @@ -117,4 +117,16 @@ export class GetVaultAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetVaultAccessPolicyCommand) .de(de_GetVaultAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVaultAccessPolicyInput; + output: GetVaultAccessPolicyOutput; + }; + sdk: { + input: GetVaultAccessPolicyCommandInput; + output: GetVaultAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/GetVaultLockCommand.ts b/clients/client-glacier/src/commands/GetVaultLockCommand.ts index a83e4b51e8a2..18c422a6fbaf 100644 --- a/clients/client-glacier/src/commands/GetVaultLockCommand.ts +++ b/clients/client-glacier/src/commands/GetVaultLockCommand.ts @@ -141,4 +141,16 @@ export class GetVaultLockCommand extends $Command .f(void 0, void 0) .ser(se_GetVaultLockCommand) .de(de_GetVaultLockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVaultLockInput; + output: GetVaultLockOutput; + }; + sdk: { + input: GetVaultLockCommandInput; + output: GetVaultLockCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/GetVaultNotificationsCommand.ts b/clients/client-glacier/src/commands/GetVaultNotificationsCommand.ts index 556b4969ae82..5e381d1cc99b 100644 --- a/clients/client-glacier/src/commands/GetVaultNotificationsCommand.ts +++ b/clients/client-glacier/src/commands/GetVaultNotificationsCommand.ts @@ -134,4 +134,16 @@ export class GetVaultNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_GetVaultNotificationsCommand) .de(de_GetVaultNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVaultNotificationsInput; + output: GetVaultNotificationsOutput; + }; + sdk: { + input: GetVaultNotificationsCommandInput; + output: GetVaultNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/InitiateJobCommand.ts b/clients/client-glacier/src/commands/InitiateJobCommand.ts index 06ab26f86685..8dd5f5517175 100644 --- a/clients/client-glacier/src/commands/InitiateJobCommand.ts +++ b/clients/client-glacier/src/commands/InitiateJobCommand.ts @@ -199,4 +199,16 @@ export class InitiateJobCommand extends $Command .f(void 0, void 0) .ser(se_InitiateJobCommand) .de(de_InitiateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateJobInput; + output: InitiateJobOutput; + }; + sdk: { + input: InitiateJobCommandInput; + output: InitiateJobCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/InitiateMultipartUploadCommand.ts b/clients/client-glacier/src/commands/InitiateMultipartUploadCommand.ts index ffd6b5fd1b5f..d59fc8343777 100644 --- a/clients/client-glacier/src/commands/InitiateMultipartUploadCommand.ts +++ b/clients/client-glacier/src/commands/InitiateMultipartUploadCommand.ts @@ -146,4 +146,16 @@ export class InitiateMultipartUploadCommand extends $Command .f(void 0, void 0) .ser(se_InitiateMultipartUploadCommand) .de(de_InitiateMultipartUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateMultipartUploadInput; + output: InitiateMultipartUploadOutput; + }; + sdk: { + input: InitiateMultipartUploadCommandInput; + output: InitiateMultipartUploadCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/InitiateVaultLockCommand.ts b/clients/client-glacier/src/commands/InitiateVaultLockCommand.ts index 4ee736ee2810..fae70897a5c2 100644 --- a/clients/client-glacier/src/commands/InitiateVaultLockCommand.ts +++ b/clients/client-glacier/src/commands/InitiateVaultLockCommand.ts @@ -148,4 +148,16 @@ export class InitiateVaultLockCommand extends $Command .f(void 0, void 0) .ser(se_InitiateVaultLockCommand) .de(de_InitiateVaultLockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateVaultLockInput; + output: InitiateVaultLockOutput; + }; + sdk: { + input: InitiateVaultLockCommandInput; + output: InitiateVaultLockCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/ListJobsCommand.ts b/clients/client-glacier/src/commands/ListJobsCommand.ts index 84b5f2b5d305..73cfab7da927 100644 --- a/clients/client-glacier/src/commands/ListJobsCommand.ts +++ b/clients/client-glacier/src/commands/ListJobsCommand.ts @@ -257,4 +257,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsInput; + output: ListJobsOutput; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/ListMultipartUploadsCommand.ts b/clients/client-glacier/src/commands/ListMultipartUploadsCommand.ts index 198b017c899b..76580d4a6131 100644 --- a/clients/client-glacier/src/commands/ListMultipartUploadsCommand.ts +++ b/clients/client-glacier/src/commands/ListMultipartUploadsCommand.ts @@ -167,4 +167,16 @@ export class ListMultipartUploadsCommand extends $Command .f(void 0, void 0) .ser(se_ListMultipartUploadsCommand) .de(de_ListMultipartUploadsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMultipartUploadsInput; + output: ListMultipartUploadsOutput; + }; + sdk: { + input: ListMultipartUploadsCommandInput; + output: ListMultipartUploadsCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/ListPartsCommand.ts b/clients/client-glacier/src/commands/ListPartsCommand.ts index 6c73875e840c..bce9ef0f2c97 100644 --- a/clients/client-glacier/src/commands/ListPartsCommand.ts +++ b/clients/client-glacier/src/commands/ListPartsCommand.ts @@ -159,4 +159,16 @@ export class ListPartsCommand extends $Command .f(void 0, void 0) .ser(se_ListPartsCommand) .de(de_ListPartsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartsInput; + output: ListPartsOutput; + }; + sdk: { + input: ListPartsCommandInput; + output: ListPartsCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/ListProvisionedCapacityCommand.ts b/clients/client-glacier/src/commands/ListProvisionedCapacityCommand.ts index e2ee9d2f4550..380c8b482ff9 100644 --- a/clients/client-glacier/src/commands/ListProvisionedCapacityCommand.ts +++ b/clients/client-glacier/src/commands/ListProvisionedCapacityCommand.ts @@ -120,4 +120,16 @@ export class ListProvisionedCapacityCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisionedCapacityCommand) .de(de_ListProvisionedCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisionedCapacityInput; + output: ListProvisionedCapacityOutput; + }; + sdk: { + input: ListProvisionedCapacityCommandInput; + output: ListProvisionedCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/ListTagsForVaultCommand.ts b/clients/client-glacier/src/commands/ListTagsForVaultCommand.ts index 0340ba468e6d..acafd96c4403 100644 --- a/clients/client-glacier/src/commands/ListTagsForVaultCommand.ts +++ b/clients/client-glacier/src/commands/ListTagsForVaultCommand.ts @@ -115,4 +115,16 @@ export class ListTagsForVaultCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForVaultCommand) .de(de_ListTagsForVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForVaultInput; + output: ListTagsForVaultOutput; + }; + sdk: { + input: ListTagsForVaultCommandInput; + output: ListTagsForVaultCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/ListVaultsCommand.ts b/clients/client-glacier/src/commands/ListVaultsCommand.ts index 301633c05c99..75d8bc7cd1b9 100644 --- a/clients/client-glacier/src/commands/ListVaultsCommand.ts +++ b/clients/client-glacier/src/commands/ListVaultsCommand.ts @@ -147,4 +147,16 @@ export class ListVaultsCommand extends $Command .f(void 0, void 0) .ser(se_ListVaultsCommand) .de(de_ListVaultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVaultsInput; + output: ListVaultsOutput; + }; + sdk: { + input: ListVaultsCommandInput; + output: ListVaultsCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/PurchaseProvisionedCapacityCommand.ts b/clients/client-glacier/src/commands/PurchaseProvisionedCapacityCommand.ts index 259518ab63c8..8481c31fbe93 100644 --- a/clients/client-glacier/src/commands/PurchaseProvisionedCapacityCommand.ts +++ b/clients/client-glacier/src/commands/PurchaseProvisionedCapacityCommand.ts @@ -108,4 +108,16 @@ export class PurchaseProvisionedCapacityCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseProvisionedCapacityCommand) .de(de_PurchaseProvisionedCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseProvisionedCapacityInput; + output: PurchaseProvisionedCapacityOutput; + }; + sdk: { + input: PurchaseProvisionedCapacityCommandInput; + output: PurchaseProvisionedCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/RemoveTagsFromVaultCommand.ts b/clients/client-glacier/src/commands/RemoveTagsFromVaultCommand.ts index 70182a9ebcd8..abb32babd6d0 100644 --- a/clients/client-glacier/src/commands/RemoveTagsFromVaultCommand.ts +++ b/clients/client-glacier/src/commands/RemoveTagsFromVaultCommand.ts @@ -111,4 +111,16 @@ export class RemoveTagsFromVaultCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromVaultCommand) .de(de_RemoveTagsFromVaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromVaultInput; + output: {}; + }; + sdk: { + input: RemoveTagsFromVaultCommandInput; + output: RemoveTagsFromVaultCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/SetDataRetrievalPolicyCommand.ts b/clients/client-glacier/src/commands/SetDataRetrievalPolicyCommand.ts index 6a0795ad30e4..1c85c4586e00 100644 --- a/clients/client-glacier/src/commands/SetDataRetrievalPolicyCommand.ts +++ b/clients/client-glacier/src/commands/SetDataRetrievalPolicyCommand.ts @@ -116,4 +116,16 @@ export class SetDataRetrievalPolicyCommand extends $Command .f(void 0, void 0) .ser(se_SetDataRetrievalPolicyCommand) .de(de_SetDataRetrievalPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDataRetrievalPolicyInput; + output: {}; + }; + sdk: { + input: SetDataRetrievalPolicyCommandInput; + output: SetDataRetrievalPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/SetVaultAccessPolicyCommand.ts b/clients/client-glacier/src/commands/SetVaultAccessPolicyCommand.ts index d347f1664f27..abd72741fb73 100644 --- a/clients/client-glacier/src/commands/SetVaultAccessPolicyCommand.ts +++ b/clients/client-glacier/src/commands/SetVaultAccessPolicyCommand.ts @@ -112,4 +112,16 @@ export class SetVaultAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_SetVaultAccessPolicyCommand) .de(de_SetVaultAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetVaultAccessPolicyInput; + output: {}; + }; + sdk: { + input: SetVaultAccessPolicyCommandInput; + output: SetVaultAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/SetVaultNotificationsCommand.ts b/clients/client-glacier/src/commands/SetVaultNotificationsCommand.ts index 260d0a12cd94..ee58a9d6b524 100644 --- a/clients/client-glacier/src/commands/SetVaultNotificationsCommand.ts +++ b/clients/client-glacier/src/commands/SetVaultNotificationsCommand.ts @@ -151,4 +151,16 @@ export class SetVaultNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_SetVaultNotificationsCommand) .de(de_SetVaultNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetVaultNotificationsInput; + output: {}; + }; + sdk: { + input: SetVaultNotificationsCommandInput; + output: SetVaultNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/UploadArchiveCommand.ts b/clients/client-glacier/src/commands/UploadArchiveCommand.ts index e46728eaf808..b75562cd0887 100644 --- a/clients/client-glacier/src/commands/UploadArchiveCommand.ts +++ b/clients/client-glacier/src/commands/UploadArchiveCommand.ts @@ -156,4 +156,16 @@ export class UploadArchiveCommand extends $Command .f(UploadArchiveInputFilterSensitiveLog, void 0) .ser(se_UploadArchiveCommand) .de(de_UploadArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadArchiveInput; + output: ArchiveCreationOutput; + }; + sdk: { + input: UploadArchiveCommandInput; + output: UploadArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-glacier/src/commands/UploadMultipartPartCommand.ts b/clients/client-glacier/src/commands/UploadMultipartPartCommand.ts index 0c3f2cbb28f5..99a874a302e3 100644 --- a/clients/client-glacier/src/commands/UploadMultipartPartCommand.ts +++ b/clients/client-glacier/src/commands/UploadMultipartPartCommand.ts @@ -177,4 +177,16 @@ export class UploadMultipartPartCommand extends $Command .f(UploadMultipartPartInputFilterSensitiveLog, void 0) .ser(se_UploadMultipartPartCommand) .de(de_UploadMultipartPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadMultipartPartInput; + output: UploadMultipartPartOutput; + }; + sdk: { + input: UploadMultipartPartCommandInput; + output: UploadMultipartPartCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/package.json b/clients/client-global-accelerator/package.json index 41fcd7dee00e..ff7f7285a83b 100644 --- a/clients/client-global-accelerator/package.json +++ b/clients/client-global-accelerator/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-global-accelerator/src/commands/AddCustomRoutingEndpointsCommand.ts b/clients/client-global-accelerator/src/commands/AddCustomRoutingEndpointsCommand.ts index 77e0c4ce2bb5..bebd75b7e763 100644 --- a/clients/client-global-accelerator/src/commands/AddCustomRoutingEndpointsCommand.ts +++ b/clients/client-global-accelerator/src/commands/AddCustomRoutingEndpointsCommand.ts @@ -123,4 +123,16 @@ export class AddCustomRoutingEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_AddCustomRoutingEndpointsCommand) .de(de_AddCustomRoutingEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddCustomRoutingEndpointsRequest; + output: AddCustomRoutingEndpointsResponse; + }; + sdk: { + input: AddCustomRoutingEndpointsCommandInput; + output: AddCustomRoutingEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/AddEndpointsCommand.ts b/clients/client-global-accelerator/src/commands/AddEndpointsCommand.ts index 0e64ee072504..08c5b04085ea 100644 --- a/clients/client-global-accelerator/src/commands/AddEndpointsCommand.ts +++ b/clients/client-global-accelerator/src/commands/AddEndpointsCommand.ts @@ -135,4 +135,16 @@ export class AddEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_AddEndpointsCommand) .de(de_AddEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddEndpointsRequest; + output: AddEndpointsResponse; + }; + sdk: { + input: AddEndpointsCommandInput; + output: AddEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/AdvertiseByoipCidrCommand.ts b/clients/client-global-accelerator/src/commands/AdvertiseByoipCidrCommand.ts index 47d32befada2..82d32033ce2b 100644 --- a/clients/client-global-accelerator/src/commands/AdvertiseByoipCidrCommand.ts +++ b/clients/client-global-accelerator/src/commands/AdvertiseByoipCidrCommand.ts @@ -112,4 +112,16 @@ export class AdvertiseByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_AdvertiseByoipCidrCommand) .de(de_AdvertiseByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AdvertiseByoipCidrRequest; + output: AdvertiseByoipCidrResponse; + }; + sdk: { + input: AdvertiseByoipCidrCommandInput; + output: AdvertiseByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/AllowCustomRoutingTrafficCommand.ts b/clients/client-global-accelerator/src/commands/AllowCustomRoutingTrafficCommand.ts index 986f9b21ebfc..295b42c8a4ca 100644 --- a/clients/client-global-accelerator/src/commands/AllowCustomRoutingTrafficCommand.ts +++ b/clients/client-global-accelerator/src/commands/AllowCustomRoutingTrafficCommand.ts @@ -101,4 +101,16 @@ export class AllowCustomRoutingTrafficCommand extends $Command .f(void 0, void 0) .ser(se_AllowCustomRoutingTrafficCommand) .de(de_AllowCustomRoutingTrafficCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllowCustomRoutingTrafficRequest; + output: {}; + }; + sdk: { + input: AllowCustomRoutingTrafficCommandInput; + output: AllowCustomRoutingTrafficCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/CreateAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/CreateAcceleratorCommand.ts index 980f0e8b7707..50b5736e8fda 100644 --- a/clients/client-global-accelerator/src/commands/CreateAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/CreateAcceleratorCommand.ts @@ -139,4 +139,16 @@ export class CreateAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_CreateAcceleratorCommand) .de(de_CreateAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAcceleratorRequest; + output: CreateAcceleratorResponse; + }; + sdk: { + input: CreateAcceleratorCommandInput; + output: CreateAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/CreateCrossAccountAttachmentCommand.ts b/clients/client-global-accelerator/src/commands/CreateCrossAccountAttachmentCommand.ts index b1d4249e2446..8fa63efe0de9 100644 --- a/clients/client-global-accelerator/src/commands/CreateCrossAccountAttachmentCommand.ts +++ b/clients/client-global-accelerator/src/commands/CreateCrossAccountAttachmentCommand.ts @@ -150,4 +150,16 @@ export class CreateCrossAccountAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateCrossAccountAttachmentCommand) .de(de_CreateCrossAccountAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCrossAccountAttachmentRequest; + output: CreateCrossAccountAttachmentResponse; + }; + sdk: { + input: CreateCrossAccountAttachmentCommandInput; + output: CreateCrossAccountAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/CreateCustomRoutingAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/CreateCustomRoutingAcceleratorCommand.ts index 2aa521a44255..1bcf36cc80c5 100644 --- a/clients/client-global-accelerator/src/commands/CreateCustomRoutingAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/CreateCustomRoutingAcceleratorCommand.ts @@ -141,4 +141,16 @@ export class CreateCustomRoutingAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomRoutingAcceleratorCommand) .de(de_CreateCustomRoutingAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomRoutingAcceleratorRequest; + output: CreateCustomRoutingAcceleratorResponse; + }; + sdk: { + input: CreateCustomRoutingAcceleratorCommandInput; + output: CreateCustomRoutingAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/CreateCustomRoutingEndpointGroupCommand.ts b/clients/client-global-accelerator/src/commands/CreateCustomRoutingEndpointGroupCommand.ts index eaa7d41f2bc3..b71e495b423c 100644 --- a/clients/client-global-accelerator/src/commands/CreateCustomRoutingEndpointGroupCommand.ts +++ b/clients/client-global-accelerator/src/commands/CreateCustomRoutingEndpointGroupCommand.ts @@ -140,4 +140,16 @@ export class CreateCustomRoutingEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomRoutingEndpointGroupCommand) .de(de_CreateCustomRoutingEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomRoutingEndpointGroupRequest; + output: CreateCustomRoutingEndpointGroupResponse; + }; + sdk: { + input: CreateCustomRoutingEndpointGroupCommandInput; + output: CreateCustomRoutingEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/CreateCustomRoutingListenerCommand.ts b/clients/client-global-accelerator/src/commands/CreateCustomRoutingListenerCommand.ts index a1adc16028fb..0bec04c3c017 100644 --- a/clients/client-global-accelerator/src/commands/CreateCustomRoutingListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/CreateCustomRoutingListenerCommand.ts @@ -114,4 +114,16 @@ export class CreateCustomRoutingListenerCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomRoutingListenerCommand) .de(de_CreateCustomRoutingListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomRoutingListenerRequest; + output: CreateCustomRoutingListenerResponse; + }; + sdk: { + input: CreateCustomRoutingListenerCommandInput; + output: CreateCustomRoutingListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/CreateEndpointGroupCommand.ts b/clients/client-global-accelerator/src/commands/CreateEndpointGroupCommand.ts index 129801c956c6..02f5c049692a 100644 --- a/clients/client-global-accelerator/src/commands/CreateEndpointGroupCommand.ts +++ b/clients/client-global-accelerator/src/commands/CreateEndpointGroupCommand.ts @@ -152,4 +152,16 @@ export class CreateEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointGroupCommand) .de(de_CreateEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointGroupRequest; + output: CreateEndpointGroupResponse; + }; + sdk: { + input: CreateEndpointGroupCommandInput; + output: CreateEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/CreateListenerCommand.ts b/clients/client-global-accelerator/src/commands/CreateListenerCommand.ts index aef73ccac120..8b37a08e4b38 100644 --- a/clients/client-global-accelerator/src/commands/CreateListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/CreateListenerCommand.ts @@ -116,4 +116,16 @@ export class CreateListenerCommand extends $Command .f(void 0, void 0) .ser(se_CreateListenerCommand) .de(de_CreateListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateListenerRequest; + output: CreateListenerResponse; + }; + sdk: { + input: CreateListenerCommandInput; + output: CreateListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeleteAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/DeleteAcceleratorCommand.ts index e98fd8faabc7..625042f5ea8a 100644 --- a/clients/client-global-accelerator/src/commands/DeleteAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeleteAcceleratorCommand.ts @@ -111,4 +111,16 @@ export class DeleteAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAcceleratorCommand) .de(de_DeleteAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAcceleratorRequest; + output: {}; + }; + sdk: { + input: DeleteAcceleratorCommandInput; + output: DeleteAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeleteCrossAccountAttachmentCommand.ts b/clients/client-global-accelerator/src/commands/DeleteCrossAccountAttachmentCommand.ts index 4b9eb9c64729..f8402bcd36ca 100644 --- a/clients/client-global-accelerator/src/commands/DeleteCrossAccountAttachmentCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeleteCrossAccountAttachmentCommand.ts @@ -102,4 +102,16 @@ export class DeleteCrossAccountAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCrossAccountAttachmentCommand) .de(de_DeleteCrossAccountAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCrossAccountAttachmentRequest; + output: {}; + }; + sdk: { + input: DeleteCrossAccountAttachmentCommandInput; + output: DeleteCrossAccountAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeleteCustomRoutingAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/DeleteCustomRoutingAcceleratorCommand.ts index 04fc625b62b4..c4a74150825b 100644 --- a/clients/client-global-accelerator/src/commands/DeleteCustomRoutingAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeleteCustomRoutingAcceleratorCommand.ts @@ -114,4 +114,16 @@ export class DeleteCustomRoutingAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomRoutingAcceleratorCommand) .de(de_DeleteCustomRoutingAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomRoutingAcceleratorRequest; + output: {}; + }; + sdk: { + input: DeleteCustomRoutingAcceleratorCommandInput; + output: DeleteCustomRoutingAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeleteCustomRoutingEndpointGroupCommand.ts b/clients/client-global-accelerator/src/commands/DeleteCustomRoutingEndpointGroupCommand.ts index 796b3b2aa74d..93f6eb6a5802 100644 --- a/clients/client-global-accelerator/src/commands/DeleteCustomRoutingEndpointGroupCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeleteCustomRoutingEndpointGroupCommand.ts @@ -91,4 +91,16 @@ export class DeleteCustomRoutingEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomRoutingEndpointGroupCommand) .de(de_DeleteCustomRoutingEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomRoutingEndpointGroupRequest; + output: {}; + }; + sdk: { + input: DeleteCustomRoutingEndpointGroupCommandInput; + output: DeleteCustomRoutingEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeleteCustomRoutingListenerCommand.ts b/clients/client-global-accelerator/src/commands/DeleteCustomRoutingListenerCommand.ts index e16faafa1050..d357321d6352 100644 --- a/clients/client-global-accelerator/src/commands/DeleteCustomRoutingListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeleteCustomRoutingListenerCommand.ts @@ -92,4 +92,16 @@ export class DeleteCustomRoutingListenerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomRoutingListenerCommand) .de(de_DeleteCustomRoutingListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomRoutingListenerRequest; + output: {}; + }; + sdk: { + input: DeleteCustomRoutingListenerCommandInput; + output: DeleteCustomRoutingListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeleteEndpointGroupCommand.ts b/clients/client-global-accelerator/src/commands/DeleteEndpointGroupCommand.ts index 9646e764c77f..dd214ca4ec81 100644 --- a/clients/client-global-accelerator/src/commands/DeleteEndpointGroupCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeleteEndpointGroupCommand.ts @@ -88,4 +88,16 @@ export class DeleteEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointGroupCommand) .de(de_DeleteEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointGroupRequest; + output: {}; + }; + sdk: { + input: DeleteEndpointGroupCommandInput; + output: DeleteEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeleteListenerCommand.ts b/clients/client-global-accelerator/src/commands/DeleteListenerCommand.ts index 3a200494e7c8..693dffed254a 100644 --- a/clients/client-global-accelerator/src/commands/DeleteListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeleteListenerCommand.ts @@ -92,4 +92,16 @@ export class DeleteListenerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteListenerCommand) .de(de_DeleteListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteListenerRequest; + output: {}; + }; + sdk: { + input: DeleteListenerCommandInput; + output: DeleteListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DenyCustomRoutingTrafficCommand.ts b/clients/client-global-accelerator/src/commands/DenyCustomRoutingTrafficCommand.ts index 638e385d4258..a8ce1d8df6be 100644 --- a/clients/client-global-accelerator/src/commands/DenyCustomRoutingTrafficCommand.ts +++ b/clients/client-global-accelerator/src/commands/DenyCustomRoutingTrafficCommand.ts @@ -101,4 +101,16 @@ export class DenyCustomRoutingTrafficCommand extends $Command .f(void 0, void 0) .ser(se_DenyCustomRoutingTrafficCommand) .de(de_DenyCustomRoutingTrafficCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DenyCustomRoutingTrafficRequest; + output: {}; + }; + sdk: { + input: DenyCustomRoutingTrafficCommandInput; + output: DenyCustomRoutingTrafficCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DeprovisionByoipCidrCommand.ts b/clients/client-global-accelerator/src/commands/DeprovisionByoipCidrCommand.ts index 63bc825efdf9..0afdc81d38ce 100644 --- a/clients/client-global-accelerator/src/commands/DeprovisionByoipCidrCommand.ts +++ b/clients/client-global-accelerator/src/commands/DeprovisionByoipCidrCommand.ts @@ -112,4 +112,16 @@ export class DeprovisionByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_DeprovisionByoipCidrCommand) .de(de_DeprovisionByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprovisionByoipCidrRequest; + output: DeprovisionByoipCidrResponse; + }; + sdk: { + input: DeprovisionByoipCidrCommandInput; + output: DeprovisionByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeAcceleratorAttributesCommand.ts b/clients/client-global-accelerator/src/commands/DescribeAcceleratorAttributesCommand.ts index 3018a9c2369f..0720e7264e82 100644 --- a/clients/client-global-accelerator/src/commands/DescribeAcceleratorAttributesCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeAcceleratorAttributesCommand.ts @@ -100,4 +100,16 @@ export class DescribeAcceleratorAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAcceleratorAttributesCommand) .de(de_DescribeAcceleratorAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAcceleratorAttributesRequest; + output: DescribeAcceleratorAttributesResponse; + }; + sdk: { + input: DescribeAcceleratorAttributesCommandInput; + output: DescribeAcceleratorAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/DescribeAcceleratorCommand.ts index 1e16e86a5f9e..04c886aeeb26 100644 --- a/clients/client-global-accelerator/src/commands/DescribeAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeAcceleratorCommand.ts @@ -115,4 +115,16 @@ export class DescribeAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAcceleratorCommand) .de(de_DescribeAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAcceleratorRequest; + output: DescribeAcceleratorResponse; + }; + sdk: { + input: DescribeAcceleratorCommandInput; + output: DescribeAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeCrossAccountAttachmentCommand.ts b/clients/client-global-accelerator/src/commands/DescribeCrossAccountAttachmentCommand.ts index 4cbc8808ffa0..d891e5c62157 100644 --- a/clients/client-global-accelerator/src/commands/DescribeCrossAccountAttachmentCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeCrossAccountAttachmentCommand.ts @@ -113,4 +113,16 @@ export class DescribeCrossAccountAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCrossAccountAttachmentCommand) .de(de_DescribeCrossAccountAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCrossAccountAttachmentRequest; + output: DescribeCrossAccountAttachmentResponse; + }; + sdk: { + input: DescribeCrossAccountAttachmentCommandInput; + output: DescribeCrossAccountAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorAttributesCommand.ts b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorAttributesCommand.ts index 9c4aa8c05e5e..bce12ef85caa 100644 --- a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorAttributesCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorAttributesCommand.ts @@ -103,4 +103,16 @@ export class DescribeCustomRoutingAcceleratorAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomRoutingAcceleratorAttributesCommand) .de(de_DescribeCustomRoutingAcceleratorAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomRoutingAcceleratorAttributesRequest; + output: DescribeCustomRoutingAcceleratorAttributesResponse; + }; + sdk: { + input: DescribeCustomRoutingAcceleratorAttributesCommandInput; + output: DescribeCustomRoutingAcceleratorAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorCommand.ts index 4bb775acea9f..fc140bd59d3f 100644 --- a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingAcceleratorCommand.ts @@ -113,4 +113,16 @@ export class DescribeCustomRoutingAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomRoutingAcceleratorCommand) .de(de_DescribeCustomRoutingAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomRoutingAcceleratorRequest; + output: DescribeCustomRoutingAcceleratorResponse; + }; + sdk: { + input: DescribeCustomRoutingAcceleratorCommandInput; + output: DescribeCustomRoutingAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingEndpointGroupCommand.ts b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingEndpointGroupCommand.ts index dd9fbb7f385d..8abbe3b64b01 100644 --- a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingEndpointGroupCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingEndpointGroupCommand.ts @@ -115,4 +115,16 @@ export class DescribeCustomRoutingEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomRoutingEndpointGroupCommand) .de(de_DescribeCustomRoutingEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomRoutingEndpointGroupRequest; + output: DescribeCustomRoutingEndpointGroupResponse; + }; + sdk: { + input: DescribeCustomRoutingEndpointGroupCommandInput; + output: DescribeCustomRoutingEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingListenerCommand.ts b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingListenerCommand.ts index 83c206f3a01c..f727840ed712 100644 --- a/clients/client-global-accelerator/src/commands/DescribeCustomRoutingListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeCustomRoutingListenerCommand.ts @@ -103,4 +103,16 @@ export class DescribeCustomRoutingListenerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomRoutingListenerCommand) .de(de_DescribeCustomRoutingListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomRoutingListenerRequest; + output: DescribeCustomRoutingListenerResponse; + }; + sdk: { + input: DescribeCustomRoutingListenerCommandInput; + output: DescribeCustomRoutingListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeEndpointGroupCommand.ts b/clients/client-global-accelerator/src/commands/DescribeEndpointGroupCommand.ts index 1c379886702e..faae6e3f3a1d 100644 --- a/clients/client-global-accelerator/src/commands/DescribeEndpointGroupCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeEndpointGroupCommand.ts @@ -114,4 +114,16 @@ export class DescribeEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointGroupCommand) .de(de_DescribeEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointGroupRequest; + output: DescribeEndpointGroupResponse; + }; + sdk: { + input: DescribeEndpointGroupCommandInput; + output: DescribeEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/DescribeListenerCommand.ts b/clients/client-global-accelerator/src/commands/DescribeListenerCommand.ts index f4c878adb150..07cdd26f40fe 100644 --- a/clients/client-global-accelerator/src/commands/DescribeListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/DescribeListenerCommand.ts @@ -100,4 +100,16 @@ export class DescribeListenerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeListenerCommand) .de(de_DescribeListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeListenerRequest; + output: DescribeListenerResponse; + }; + sdk: { + input: DescribeListenerCommandInput; + output: DescribeListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListAcceleratorsCommand.ts b/clients/client-global-accelerator/src/commands/ListAcceleratorsCommand.ts index 73fffd2bd28e..470c914e385a 100644 --- a/clients/client-global-accelerator/src/commands/ListAcceleratorsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListAcceleratorsCommand.ts @@ -119,4 +119,16 @@ export class ListAcceleratorsCommand extends $Command .f(void 0, void 0) .ser(se_ListAcceleratorsCommand) .de(de_ListAcceleratorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAcceleratorsRequest; + output: ListAcceleratorsResponse; + }; + sdk: { + input: ListAcceleratorsCommandInput; + output: ListAcceleratorsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListByoipCidrsCommand.ts b/clients/client-global-accelerator/src/commands/ListByoipCidrsCommand.ts index 1f62fc17d3ce..8feef811e629 100644 --- a/clients/client-global-accelerator/src/commands/ListByoipCidrsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListByoipCidrsCommand.ts @@ -107,4 +107,16 @@ export class ListByoipCidrsCommand extends $Command .f(void 0, void 0) .ser(se_ListByoipCidrsCommand) .de(de_ListByoipCidrsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListByoipCidrsRequest; + output: ListByoipCidrsResponse; + }; + sdk: { + input: ListByoipCidrsCommandInput; + output: ListByoipCidrsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCrossAccountAttachmentsCommand.ts b/clients/client-global-accelerator/src/commands/ListCrossAccountAttachmentsCommand.ts index a59396c0ad54..2ccbb6beb8dd 100644 --- a/clients/client-global-accelerator/src/commands/ListCrossAccountAttachmentsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCrossAccountAttachmentsCommand.ts @@ -114,4 +114,16 @@ export class ListCrossAccountAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListCrossAccountAttachmentsCommand) .de(de_ListCrossAccountAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCrossAccountAttachmentsRequest; + output: ListCrossAccountAttachmentsResponse; + }; + sdk: { + input: ListCrossAccountAttachmentsCommandInput; + output: ListCrossAccountAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCrossAccountResourceAccountsCommand.ts b/clients/client-global-accelerator/src/commands/ListCrossAccountResourceAccountsCommand.ts index 926534a1d9f9..11e166b7502f 100644 --- a/clients/client-global-accelerator/src/commands/ListCrossAccountResourceAccountsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCrossAccountResourceAccountsCommand.ts @@ -95,4 +95,16 @@ export class ListCrossAccountResourceAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListCrossAccountResourceAccountsCommand) .de(de_ListCrossAccountResourceAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListCrossAccountResourceAccountsResponse; + }; + sdk: { + input: ListCrossAccountResourceAccountsCommandInput; + output: ListCrossAccountResourceAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCrossAccountResourcesCommand.ts b/clients/client-global-accelerator/src/commands/ListCrossAccountResourcesCommand.ts index 2ee69325497e..016b3f72d6a7 100644 --- a/clients/client-global-accelerator/src/commands/ListCrossAccountResourcesCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCrossAccountResourcesCommand.ts @@ -106,4 +106,16 @@ export class ListCrossAccountResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListCrossAccountResourcesCommand) .de(de_ListCrossAccountResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCrossAccountResourcesRequest; + output: ListCrossAccountResourcesResponse; + }; + sdk: { + input: ListCrossAccountResourcesCommandInput; + output: ListCrossAccountResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCustomRoutingAcceleratorsCommand.ts b/clients/client-global-accelerator/src/commands/ListCustomRoutingAcceleratorsCommand.ts index d07b3b9dae24..3bbadd29106c 100644 --- a/clients/client-global-accelerator/src/commands/ListCustomRoutingAcceleratorsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCustomRoutingAcceleratorsCommand.ts @@ -117,4 +117,16 @@ export class ListCustomRoutingAcceleratorsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomRoutingAcceleratorsCommand) .de(de_ListCustomRoutingAcceleratorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomRoutingAcceleratorsRequest; + output: ListCustomRoutingAcceleratorsResponse; + }; + sdk: { + input: ListCustomRoutingAcceleratorsCommandInput; + output: ListCustomRoutingAcceleratorsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCustomRoutingEndpointGroupsCommand.ts b/clients/client-global-accelerator/src/commands/ListCustomRoutingEndpointGroupsCommand.ts index 562676fd978d..eb2b96b0c86d 100644 --- a/clients/client-global-accelerator/src/commands/ListCustomRoutingEndpointGroupsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCustomRoutingEndpointGroupsCommand.ts @@ -120,4 +120,16 @@ export class ListCustomRoutingEndpointGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomRoutingEndpointGroupsCommand) .de(de_ListCustomRoutingEndpointGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomRoutingEndpointGroupsRequest; + output: ListCustomRoutingEndpointGroupsResponse; + }; + sdk: { + input: ListCustomRoutingEndpointGroupsCommandInput; + output: ListCustomRoutingEndpointGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCustomRoutingListenersCommand.ts b/clients/client-global-accelerator/src/commands/ListCustomRoutingListenersCommand.ts index 65ab9589db67..858d8dfc2ee5 100644 --- a/clients/client-global-accelerator/src/commands/ListCustomRoutingListenersCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCustomRoutingListenersCommand.ts @@ -106,4 +106,16 @@ export class ListCustomRoutingListenersCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomRoutingListenersCommand) .de(de_ListCustomRoutingListenersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomRoutingListenersRequest; + output: ListCustomRoutingListenersResponse; + }; + sdk: { + input: ListCustomRoutingListenersCommandInput; + output: ListCustomRoutingListenersCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsByDestinationCommand.ts b/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsByDestinationCommand.ts index 2f942d6f4356..cbcfa62784e8 100644 --- a/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsByDestinationCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsByDestinationCommand.ts @@ -128,4 +128,16 @@ export class ListCustomRoutingPortMappingsByDestinationCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomRoutingPortMappingsByDestinationCommand) .de(de_ListCustomRoutingPortMappingsByDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomRoutingPortMappingsByDestinationRequest; + output: ListCustomRoutingPortMappingsByDestinationResponse; + }; + sdk: { + input: ListCustomRoutingPortMappingsByDestinationCommandInput; + output: ListCustomRoutingPortMappingsByDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsCommand.ts b/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsCommand.ts index 7ce66f176c4e..d33a3f970197 100644 --- a/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListCustomRoutingPortMappingsCommand.ts @@ -127,4 +127,16 @@ export class ListCustomRoutingPortMappingsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomRoutingPortMappingsCommand) .de(de_ListCustomRoutingPortMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomRoutingPortMappingsRequest; + output: ListCustomRoutingPortMappingsResponse; + }; + sdk: { + input: ListCustomRoutingPortMappingsCommandInput; + output: ListCustomRoutingPortMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListEndpointGroupsCommand.ts b/clients/client-global-accelerator/src/commands/ListEndpointGroupsCommand.ts index 6587b5a56f5f..8e39aa97ade8 100644 --- a/clients/client-global-accelerator/src/commands/ListEndpointGroupsCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListEndpointGroupsCommand.ts @@ -122,4 +122,16 @@ export class ListEndpointGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointGroupsCommand) .de(de_ListEndpointGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointGroupsRequest; + output: ListEndpointGroupsResponse; + }; + sdk: { + input: ListEndpointGroupsCommandInput; + output: ListEndpointGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListListenersCommand.ts b/clients/client-global-accelerator/src/commands/ListListenersCommand.ts index 74773eda6c65..2191d6634956 100644 --- a/clients/client-global-accelerator/src/commands/ListListenersCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListListenersCommand.ts @@ -108,4 +108,16 @@ export class ListListenersCommand extends $Command .f(void 0, void 0) .ser(se_ListListenersCommand) .de(de_ListListenersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListListenersRequest; + output: ListListenersResponse; + }; + sdk: { + input: ListListenersCommandInput; + output: ListListenersCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ListTagsForResourceCommand.ts b/clients/client-global-accelerator/src/commands/ListTagsForResourceCommand.ts index c83c8bdca891..32ac9b56996c 100644 --- a/clients/client-global-accelerator/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-global-accelerator/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/ProvisionByoipCidrCommand.ts b/clients/client-global-accelerator/src/commands/ProvisionByoipCidrCommand.ts index b3a5299ead1d..1fb26763a620 100644 --- a/clients/client-global-accelerator/src/commands/ProvisionByoipCidrCommand.ts +++ b/clients/client-global-accelerator/src/commands/ProvisionByoipCidrCommand.ts @@ -115,4 +115,16 @@ export class ProvisionByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionByoipCidrCommand) .de(de_ProvisionByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionByoipCidrRequest; + output: ProvisionByoipCidrResponse; + }; + sdk: { + input: ProvisionByoipCidrCommandInput; + output: ProvisionByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/RemoveCustomRoutingEndpointsCommand.ts b/clients/client-global-accelerator/src/commands/RemoveCustomRoutingEndpointsCommand.ts index 5a2530ea4864..60fedcf70669 100644 --- a/clients/client-global-accelerator/src/commands/RemoveCustomRoutingEndpointsCommand.ts +++ b/clients/client-global-accelerator/src/commands/RemoveCustomRoutingEndpointsCommand.ts @@ -103,4 +103,16 @@ export class RemoveCustomRoutingEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveCustomRoutingEndpointsCommand) .de(de_RemoveCustomRoutingEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveCustomRoutingEndpointsRequest; + output: {}; + }; + sdk: { + input: RemoveCustomRoutingEndpointsCommandInput; + output: RemoveCustomRoutingEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/RemoveEndpointsCommand.ts b/clients/client-global-accelerator/src/commands/RemoveEndpointsCommand.ts index a636a0c00619..12a4b1dcc132 100644 --- a/clients/client-global-accelerator/src/commands/RemoveEndpointsCommand.ts +++ b/clients/client-global-accelerator/src/commands/RemoveEndpointsCommand.ts @@ -116,4 +116,16 @@ export class RemoveEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveEndpointsCommand) .de(de_RemoveEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveEndpointsRequest; + output: {}; + }; + sdk: { + input: RemoveEndpointsCommandInput; + output: RemoveEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/TagResourceCommand.ts b/clients/client-global-accelerator/src/commands/TagResourceCommand.ts index fa8052fb4a4e..2020bf7ecd7b 100644 --- a/clients/client-global-accelerator/src/commands/TagResourceCommand.ts +++ b/clients/client-global-accelerator/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UntagResourceCommand.ts b/clients/client-global-accelerator/src/commands/UntagResourceCommand.ts index ccc212ac30d7..33c4d426f2f8 100644 --- a/clients/client-global-accelerator/src/commands/UntagResourceCommand.ts +++ b/clients/client-global-accelerator/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateAcceleratorAttributesCommand.ts b/clients/client-global-accelerator/src/commands/UpdateAcceleratorAttributesCommand.ts index bb6d77d5e309..0a587448ac41 100644 --- a/clients/client-global-accelerator/src/commands/UpdateAcceleratorAttributesCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateAcceleratorAttributesCommand.ts @@ -105,4 +105,16 @@ export class UpdateAcceleratorAttributesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAcceleratorAttributesCommand) .de(de_UpdateAcceleratorAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAcceleratorAttributesRequest; + output: UpdateAcceleratorAttributesResponse; + }; + sdk: { + input: UpdateAcceleratorAttributesCommandInput; + output: UpdateAcceleratorAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/UpdateAcceleratorCommand.ts index 7601857ceb1d..4c3ec6cca8b3 100644 --- a/clients/client-global-accelerator/src/commands/UpdateAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateAcceleratorCommand.ts @@ -152,4 +152,16 @@ export class UpdateAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAcceleratorCommand) .de(de_UpdateAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAcceleratorRequest; + output: UpdateAcceleratorResponse; + }; + sdk: { + input: UpdateAcceleratorCommandInput; + output: UpdateAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateCrossAccountAttachmentCommand.ts b/clients/client-global-accelerator/src/commands/UpdateCrossAccountAttachmentCommand.ts index 5a3239d88b2a..bf27e7ddb4a7 100644 --- a/clients/client-global-accelerator/src/commands/UpdateCrossAccountAttachmentCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateCrossAccountAttachmentCommand.ts @@ -145,4 +145,16 @@ export class UpdateCrossAccountAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCrossAccountAttachmentCommand) .de(de_UpdateCrossAccountAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCrossAccountAttachmentRequest; + output: UpdateCrossAccountAttachmentResponse; + }; + sdk: { + input: UpdateCrossAccountAttachmentCommandInput; + output: UpdateCrossAccountAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorAttributesCommand.ts b/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorAttributesCommand.ts index 2112cc82a8f0..9e6ad15ca1d4 100644 --- a/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorAttributesCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorAttributesCommand.ts @@ -112,4 +112,16 @@ export class UpdateCustomRoutingAcceleratorAttributesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCustomRoutingAcceleratorAttributesCommand) .de(de_UpdateCustomRoutingAcceleratorAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomRoutingAcceleratorAttributesRequest; + output: UpdateCustomRoutingAcceleratorAttributesResponse; + }; + sdk: { + input: UpdateCustomRoutingAcceleratorAttributesCommandInput; + output: UpdateCustomRoutingAcceleratorAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorCommand.ts b/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorCommand.ts index 25d1537dc764..30eef6efe6ae 100644 --- a/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateCustomRoutingAcceleratorCommand.ts @@ -125,4 +125,16 @@ export class UpdateCustomRoutingAcceleratorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCustomRoutingAcceleratorCommand) .de(de_UpdateCustomRoutingAcceleratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomRoutingAcceleratorRequest; + output: UpdateCustomRoutingAcceleratorResponse; + }; + sdk: { + input: UpdateCustomRoutingAcceleratorCommandInput; + output: UpdateCustomRoutingAcceleratorCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateCustomRoutingListenerCommand.ts b/clients/client-global-accelerator/src/commands/UpdateCustomRoutingListenerCommand.ts index f762673634a9..a4306515eb49 100644 --- a/clients/client-global-accelerator/src/commands/UpdateCustomRoutingListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateCustomRoutingListenerCommand.ts @@ -112,4 +112,16 @@ export class UpdateCustomRoutingListenerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCustomRoutingListenerCommand) .de(de_UpdateCustomRoutingListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomRoutingListenerRequest; + output: UpdateCustomRoutingListenerResponse; + }; + sdk: { + input: UpdateCustomRoutingListenerCommandInput; + output: UpdateCustomRoutingListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateEndpointGroupCommand.ts b/clients/client-global-accelerator/src/commands/UpdateEndpointGroupCommand.ts index ecfb3a809387..63ca54b97250 100644 --- a/clients/client-global-accelerator/src/commands/UpdateEndpointGroupCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateEndpointGroupCommand.ts @@ -140,4 +140,16 @@ export class UpdateEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointGroupCommand) .de(de_UpdateEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointGroupRequest; + output: UpdateEndpointGroupResponse; + }; + sdk: { + input: UpdateEndpointGroupCommandInput; + output: UpdateEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/UpdateListenerCommand.ts b/clients/client-global-accelerator/src/commands/UpdateListenerCommand.ts index 069b99777fb5..a9fd4878ad1e 100644 --- a/clients/client-global-accelerator/src/commands/UpdateListenerCommand.ts +++ b/clients/client-global-accelerator/src/commands/UpdateListenerCommand.ts @@ -114,4 +114,16 @@ export class UpdateListenerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateListenerCommand) .de(de_UpdateListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateListenerRequest; + output: UpdateListenerResponse; + }; + sdk: { + input: UpdateListenerCommandInput; + output: UpdateListenerCommandOutput; + }; + }; +} diff --git a/clients/client-global-accelerator/src/commands/WithdrawByoipCidrCommand.ts b/clients/client-global-accelerator/src/commands/WithdrawByoipCidrCommand.ts index c9c7a8da617a..b6d18241e97f 100644 --- a/clients/client-global-accelerator/src/commands/WithdrawByoipCidrCommand.ts +++ b/clients/client-global-accelerator/src/commands/WithdrawByoipCidrCommand.ts @@ -112,4 +112,16 @@ export class WithdrawByoipCidrCommand extends $Command .f(void 0, void 0) .ser(se_WithdrawByoipCidrCommand) .de(de_WithdrawByoipCidrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: WithdrawByoipCidrRequest; + output: WithdrawByoipCidrResponse; + }; + sdk: { + input: WithdrawByoipCidrCommandInput; + output: WithdrawByoipCidrCommandOutput; + }; + }; +} diff --git a/clients/client-glue/package.json b/clients/client-glue/package.json index 17219af69d3d..73cb8977a927 100644 --- a/clients/client-glue/package.json +++ b/clients/client-glue/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-glue/src/commands/BatchCreatePartitionCommand.ts b/clients/client-glue/src/commands/BatchCreatePartitionCommand.ts index fbf6b7468ef4..99ce3c4d2a5f 100644 --- a/clients/client-glue/src/commands/BatchCreatePartitionCommand.ts +++ b/clients/client-glue/src/commands/BatchCreatePartitionCommand.ts @@ -178,4 +178,16 @@ export class BatchCreatePartitionCommand extends $Command .f(void 0, void 0) .ser(se_BatchCreatePartitionCommand) .de(de_BatchCreatePartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreatePartitionRequest; + output: BatchCreatePartitionResponse; + }; + sdk: { + input: BatchCreatePartitionCommandInput; + output: BatchCreatePartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchDeleteConnectionCommand.ts b/clients/client-glue/src/commands/BatchDeleteConnectionCommand.ts index 10b3062721b8..0858b4754d9c 100644 --- a/clients/client-glue/src/commands/BatchDeleteConnectionCommand.ts +++ b/clients/client-glue/src/commands/BatchDeleteConnectionCommand.ts @@ -94,4 +94,16 @@ export class BatchDeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteConnectionCommand) .de(de_BatchDeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteConnectionRequest; + output: BatchDeleteConnectionResponse; + }; + sdk: { + input: BatchDeleteConnectionCommandInput; + output: BatchDeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchDeletePartitionCommand.ts b/clients/client-glue/src/commands/BatchDeletePartitionCommand.ts index a8f3b6298295..8ca692f9d546 100644 --- a/clients/client-glue/src/commands/BatchDeletePartitionCommand.ts +++ b/clients/client-glue/src/commands/BatchDeletePartitionCommand.ts @@ -108,4 +108,16 @@ export class BatchDeletePartitionCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeletePartitionCommand) .de(de_BatchDeletePartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeletePartitionRequest; + output: BatchDeletePartitionResponse; + }; + sdk: { + input: BatchDeletePartitionCommandInput; + output: BatchDeletePartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchDeleteTableCommand.ts b/clients/client-glue/src/commands/BatchDeleteTableCommand.ts index ccbf0912be03..9d8e8637d5b9 100644 --- a/clients/client-glue/src/commands/BatchDeleteTableCommand.ts +++ b/clients/client-glue/src/commands/BatchDeleteTableCommand.ts @@ -118,4 +118,16 @@ export class BatchDeleteTableCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteTableCommand) .de(de_BatchDeleteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteTableRequest; + output: BatchDeleteTableResponse; + }; + sdk: { + input: BatchDeleteTableCommandInput; + output: BatchDeleteTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchDeleteTableVersionCommand.ts b/clients/client-glue/src/commands/BatchDeleteTableVersionCommand.ts index e898b7229667..23fc171a8b8a 100644 --- a/clients/client-glue/src/commands/BatchDeleteTableVersionCommand.ts +++ b/clients/client-glue/src/commands/BatchDeleteTableVersionCommand.ts @@ -103,4 +103,16 @@ export class BatchDeleteTableVersionCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteTableVersionCommand) .de(de_BatchDeleteTableVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteTableVersionRequest; + output: BatchDeleteTableVersionResponse; + }; + sdk: { + input: BatchDeleteTableVersionCommandInput; + output: BatchDeleteTableVersionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetBlueprintsCommand.ts b/clients/client-glue/src/commands/BatchGetBlueprintsCommand.ts index e3f8b611a7d2..38d26c843e2e 100644 --- a/clients/client-glue/src/commands/BatchGetBlueprintsCommand.ts +++ b/clients/client-glue/src/commands/BatchGetBlueprintsCommand.ts @@ -112,4 +112,16 @@ export class BatchGetBlueprintsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetBlueprintsCommand) .de(de_BatchGetBlueprintsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetBlueprintsRequest; + output: BatchGetBlueprintsResponse; + }; + sdk: { + input: BatchGetBlueprintsCommandInput; + output: BatchGetBlueprintsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetCrawlersCommand.ts b/clients/client-glue/src/commands/BatchGetCrawlersCommand.ts index ed9ab9fda05f..a54c81e7a01b 100644 --- a/clients/client-glue/src/commands/BatchGetCrawlersCommand.ts +++ b/clients/client-glue/src/commands/BatchGetCrawlersCommand.ts @@ -213,4 +213,16 @@ export class BatchGetCrawlersCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetCrawlersCommand) .de(de_BatchGetCrawlersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetCrawlersRequest; + output: BatchGetCrawlersResponse; + }; + sdk: { + input: BatchGetCrawlersCommandInput; + output: BatchGetCrawlersCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetCustomEntityTypesCommand.ts b/clients/client-glue/src/commands/BatchGetCustomEntityTypesCommand.ts index 32531ec9defe..5954fd515ffe 100644 --- a/clients/client-glue/src/commands/BatchGetCustomEntityTypesCommand.ts +++ b/clients/client-glue/src/commands/BatchGetCustomEntityTypesCommand.ts @@ -99,4 +99,16 @@ export class BatchGetCustomEntityTypesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetCustomEntityTypesCommand) .de(de_BatchGetCustomEntityTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetCustomEntityTypesRequest; + output: BatchGetCustomEntityTypesResponse; + }; + sdk: { + input: BatchGetCustomEntityTypesCommandInput; + output: BatchGetCustomEntityTypesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetDataQualityResultCommand.ts b/clients/client-glue/src/commands/BatchGetDataQualityResultCommand.ts index ce8b0812b192..58e7d6007782 100644 --- a/clients/client-glue/src/commands/BatchGetDataQualityResultCommand.ts +++ b/clients/client-glue/src/commands/BatchGetDataQualityResultCommand.ts @@ -159,4 +159,16 @@ export class BatchGetDataQualityResultCommand extends $Command .f(void 0, BatchGetDataQualityResultResponseFilterSensitiveLog) .ser(se_BatchGetDataQualityResultCommand) .de(de_BatchGetDataQualityResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDataQualityResultRequest; + output: BatchGetDataQualityResultResponse; + }; + sdk: { + input: BatchGetDataQualityResultCommandInput; + output: BatchGetDataQualityResultCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetDevEndpointsCommand.ts b/clients/client-glue/src/commands/BatchGetDevEndpointsCommand.ts index deb0ea1312fe..6af3f5835dc3 100644 --- a/clients/client-glue/src/commands/BatchGetDevEndpointsCommand.ts +++ b/clients/client-glue/src/commands/BatchGetDevEndpointsCommand.ts @@ -131,4 +131,16 @@ export class BatchGetDevEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetDevEndpointsCommand) .de(de_BatchGetDevEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDevEndpointsRequest; + output: BatchGetDevEndpointsResponse; + }; + sdk: { + input: BatchGetDevEndpointsCommandInput; + output: BatchGetDevEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetJobsCommand.ts b/clients/client-glue/src/commands/BatchGetJobsCommand.ts index 9a53e77391d7..a2301c56d9c6 100644 --- a/clients/client-glue/src/commands/BatchGetJobsCommand.ts +++ b/clients/client-glue/src/commands/BatchGetJobsCommand.ts @@ -1190,4 +1190,16 @@ export class BatchGetJobsCommand extends $Command .f(void 0, BatchGetJobsResponseFilterSensitiveLog) .ser(se_BatchGetJobsCommand) .de(de_BatchGetJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetJobsRequest; + output: BatchGetJobsResponse; + }; + sdk: { + input: BatchGetJobsCommandInput; + output: BatchGetJobsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetPartitionCommand.ts b/clients/client-glue/src/commands/BatchGetPartitionCommand.ts index 20c21d868295..c2d001e9a4fe 100644 --- a/clients/client-glue/src/commands/BatchGetPartitionCommand.ts +++ b/clients/client-glue/src/commands/BatchGetPartitionCommand.ts @@ -188,4 +188,16 @@ export class BatchGetPartitionCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetPartitionCommand) .de(de_BatchGetPartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetPartitionRequest; + output: BatchGetPartitionResponse; + }; + sdk: { + input: BatchGetPartitionCommandInput; + output: BatchGetPartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetTableOptimizerCommand.ts b/clients/client-glue/src/commands/BatchGetTableOptimizerCommand.ts index a24fbda48345..5328e7698c38 100644 --- a/clients/client-glue/src/commands/BatchGetTableOptimizerCommand.ts +++ b/clients/client-glue/src/commands/BatchGetTableOptimizerCommand.ts @@ -173,4 +173,16 @@ export class BatchGetTableOptimizerCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetTableOptimizerCommand) .de(de_BatchGetTableOptimizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetTableOptimizerRequest; + output: BatchGetTableOptimizerResponse; + }; + sdk: { + input: BatchGetTableOptimizerCommandInput; + output: BatchGetTableOptimizerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetTriggersCommand.ts b/clients/client-glue/src/commands/BatchGetTriggersCommand.ts index 32b79f327218..718311944def 100644 --- a/clients/client-glue/src/commands/BatchGetTriggersCommand.ts +++ b/clients/client-glue/src/commands/BatchGetTriggersCommand.ts @@ -131,4 +131,16 @@ export class BatchGetTriggersCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetTriggersCommand) .de(de_BatchGetTriggersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetTriggersRequest; + output: BatchGetTriggersResponse; + }; + sdk: { + input: BatchGetTriggersCommandInput; + output: BatchGetTriggersCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchGetWorkflowsCommand.ts b/clients/client-glue/src/commands/BatchGetWorkflowsCommand.ts index a3c672d5dcd7..589eb459e7e5 100644 --- a/clients/client-glue/src/commands/BatchGetWorkflowsCommand.ts +++ b/clients/client-glue/src/commands/BatchGetWorkflowsCommand.ts @@ -353,4 +353,16 @@ export class BatchGetWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetWorkflowsCommand) .de(de_BatchGetWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetWorkflowsRequest; + output: BatchGetWorkflowsResponse; + }; + sdk: { + input: BatchGetWorkflowsCommandInput; + output: BatchGetWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchPutDataQualityStatisticAnnotationCommand.ts b/clients/client-glue/src/commands/BatchPutDataQualityStatisticAnnotationCommand.ts index 6afe5e3d3bd3..89e3929b45d0 100644 --- a/clients/client-glue/src/commands/BatchPutDataQualityStatisticAnnotationCommand.ts +++ b/clients/client-glue/src/commands/BatchPutDataQualityStatisticAnnotationCommand.ts @@ -111,4 +111,16 @@ export class BatchPutDataQualityStatisticAnnotationCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutDataQualityStatisticAnnotationCommand) .de(de_BatchPutDataQualityStatisticAnnotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutDataQualityStatisticAnnotationRequest; + output: BatchPutDataQualityStatisticAnnotationResponse; + }; + sdk: { + input: BatchPutDataQualityStatisticAnnotationCommandInput; + output: BatchPutDataQualityStatisticAnnotationCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchStopJobRunCommand.ts b/clients/client-glue/src/commands/BatchStopJobRunCommand.ts index df7f02309777..dd73a4253c6e 100644 --- a/clients/client-glue/src/commands/BatchStopJobRunCommand.ts +++ b/clients/client-glue/src/commands/BatchStopJobRunCommand.ts @@ -104,4 +104,16 @@ export class BatchStopJobRunCommand extends $Command .f(void 0, void 0) .ser(se_BatchStopJobRunCommand) .de(de_BatchStopJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchStopJobRunRequest; + output: BatchStopJobRunResponse; + }; + sdk: { + input: BatchStopJobRunCommandInput; + output: BatchStopJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/BatchUpdatePartitionCommand.ts b/clients/client-glue/src/commands/BatchUpdatePartitionCommand.ts index b78b009f95c2..a29a6d5d6850 100644 --- a/clients/client-glue/src/commands/BatchUpdatePartitionCommand.ts +++ b/clients/client-glue/src/commands/BatchUpdatePartitionCommand.ts @@ -177,4 +177,16 @@ export class BatchUpdatePartitionCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdatePartitionCommand) .de(de_BatchUpdatePartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdatePartitionRequest; + output: BatchUpdatePartitionResponse; + }; + sdk: { + input: BatchUpdatePartitionCommandInput; + output: BatchUpdatePartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CancelDataQualityRuleRecommendationRunCommand.ts b/clients/client-glue/src/commands/CancelDataQualityRuleRecommendationRunCommand.ts index b6e507521434..8ef298edc54d 100644 --- a/clients/client-glue/src/commands/CancelDataQualityRuleRecommendationRunCommand.ts +++ b/clients/client-glue/src/commands/CancelDataQualityRuleRecommendationRunCommand.ts @@ -96,4 +96,16 @@ export class CancelDataQualityRuleRecommendationRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelDataQualityRuleRecommendationRunCommand) .de(de_CancelDataQualityRuleRecommendationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDataQualityRuleRecommendationRunRequest; + output: {}; + }; + sdk: { + input: CancelDataQualityRuleRecommendationRunCommandInput; + output: CancelDataQualityRuleRecommendationRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CancelDataQualityRulesetEvaluationRunCommand.ts b/clients/client-glue/src/commands/CancelDataQualityRulesetEvaluationRunCommand.ts index 8854742b428d..afbd34e67a85 100644 --- a/clients/client-glue/src/commands/CancelDataQualityRulesetEvaluationRunCommand.ts +++ b/clients/client-glue/src/commands/CancelDataQualityRulesetEvaluationRunCommand.ts @@ -96,4 +96,16 @@ export class CancelDataQualityRulesetEvaluationRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelDataQualityRulesetEvaluationRunCommand) .de(de_CancelDataQualityRulesetEvaluationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDataQualityRulesetEvaluationRunRequest; + output: {}; + }; + sdk: { + input: CancelDataQualityRulesetEvaluationRunCommandInput; + output: CancelDataQualityRulesetEvaluationRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CancelMLTaskRunCommand.ts b/clients/client-glue/src/commands/CancelMLTaskRunCommand.ts index 656053db9708..61926475529b 100644 --- a/clients/client-glue/src/commands/CancelMLTaskRunCommand.ts +++ b/clients/client-glue/src/commands/CancelMLTaskRunCommand.ts @@ -94,4 +94,16 @@ export class CancelMLTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelMLTaskRunCommand) .de(de_CancelMLTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMLTaskRunRequest; + output: CancelMLTaskRunResponse; + }; + sdk: { + input: CancelMLTaskRunCommandInput; + output: CancelMLTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CancelStatementCommand.ts b/clients/client-glue/src/commands/CancelStatementCommand.ts index 3bd9570e16ff..69e85b23b19c 100644 --- a/clients/client-glue/src/commands/CancelStatementCommand.ts +++ b/clients/client-glue/src/commands/CancelStatementCommand.ts @@ -95,4 +95,16 @@ export class CancelStatementCommand extends $Command .f(void 0, void 0) .ser(se_CancelStatementCommand) .de(de_CancelStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelStatementRequest; + output: {}; + }; + sdk: { + input: CancelStatementCommandInput; + output: CancelStatementCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CheckSchemaVersionValidityCommand.ts b/clients/client-glue/src/commands/CheckSchemaVersionValidityCommand.ts index 4f1e2c7b8dd5..efae6f3f42fa 100644 --- a/clients/client-glue/src/commands/CheckSchemaVersionValidityCommand.ts +++ b/clients/client-glue/src/commands/CheckSchemaVersionValidityCommand.ts @@ -88,4 +88,16 @@ export class CheckSchemaVersionValidityCommand extends $Command .f(void 0, void 0) .ser(se_CheckSchemaVersionValidityCommand) .de(de_CheckSchemaVersionValidityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckSchemaVersionValidityInput; + output: CheckSchemaVersionValidityResponse; + }; + sdk: { + input: CheckSchemaVersionValidityCommandInput; + output: CheckSchemaVersionValidityCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateBlueprintCommand.ts b/clients/client-glue/src/commands/CreateBlueprintCommand.ts index 6c0afbf0d97a..d783dc6cd810 100644 --- a/clients/client-glue/src/commands/CreateBlueprintCommand.ts +++ b/clients/client-glue/src/commands/CreateBlueprintCommand.ts @@ -97,4 +97,16 @@ export class CreateBlueprintCommand extends $Command .f(void 0, void 0) .ser(se_CreateBlueprintCommand) .de(de_CreateBlueprintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBlueprintRequest; + output: CreateBlueprintResponse; + }; + sdk: { + input: CreateBlueprintCommandInput; + output: CreateBlueprintCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateClassifierCommand.ts b/clients/client-glue/src/commands/CreateClassifierCommand.ts index c8639ef9504b..99e395455585 100644 --- a/clients/client-glue/src/commands/CreateClassifierCommand.ts +++ b/clients/client-glue/src/commands/CreateClassifierCommand.ts @@ -116,4 +116,16 @@ export class CreateClassifierCommand extends $Command .f(void 0, void 0) .ser(se_CreateClassifierCommand) .de(de_CreateClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClassifierRequest; + output: {}; + }; + sdk: { + input: CreateClassifierCommandInput; + output: CreateClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateConnectionCommand.ts b/clients/client-glue/src/commands/CreateConnectionCommand.ts index 5dc75f61ec9e..ba2c934620f5 100644 --- a/clients/client-glue/src/commands/CreateConnectionCommand.ts +++ b/clients/client-glue/src/commands/CreateConnectionCommand.ts @@ -134,4 +134,16 @@ export class CreateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionRequest; + output: CreateConnectionResponse; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateCrawlerCommand.ts b/clients/client-glue/src/commands/CreateCrawlerCommand.ts index 49b257168ad4..edfff312e4ca 100644 --- a/clients/client-glue/src/commands/CreateCrawlerCommand.ts +++ b/clients/client-glue/src/commands/CreateCrawlerCommand.ts @@ -197,4 +197,16 @@ export class CreateCrawlerCommand extends $Command .f(void 0, void 0) .ser(se_CreateCrawlerCommand) .de(de_CreateCrawlerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCrawlerRequest; + output: {}; + }; + sdk: { + input: CreateCrawlerCommandInput; + output: CreateCrawlerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateCustomEntityTypeCommand.ts b/clients/client-glue/src/commands/CreateCustomEntityTypeCommand.ts index f6ef9336abb5..76a5506c7d50 100644 --- a/clients/client-glue/src/commands/CreateCustomEntityTypeCommand.ts +++ b/clients/client-glue/src/commands/CreateCustomEntityTypeCommand.ts @@ -106,4 +106,16 @@ export class CreateCustomEntityTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomEntityTypeCommand) .de(de_CreateCustomEntityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomEntityTypeRequest; + output: CreateCustomEntityTypeResponse; + }; + sdk: { + input: CreateCustomEntityTypeCommandInput; + output: CreateCustomEntityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateDataQualityRulesetCommand.ts b/clients/client-glue/src/commands/CreateDataQualityRulesetCommand.ts index 759c2f009351..d6b1d30d42f3 100644 --- a/clients/client-glue/src/commands/CreateDataQualityRulesetCommand.ts +++ b/clients/client-glue/src/commands/CreateDataQualityRulesetCommand.ts @@ -105,4 +105,16 @@ export class CreateDataQualityRulesetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataQualityRulesetCommand) .de(de_CreateDataQualityRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataQualityRulesetRequest; + output: CreateDataQualityRulesetResponse; + }; + sdk: { + input: CreateDataQualityRulesetCommandInput; + output: CreateDataQualityRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateDatabaseCommand.ts b/clients/client-glue/src/commands/CreateDatabaseCommand.ts index d2638dd9cbec..8b7c21c51e6d 100644 --- a/clients/client-glue/src/commands/CreateDatabaseCommand.ts +++ b/clients/client-glue/src/commands/CreateDatabaseCommand.ts @@ -129,4 +129,16 @@ export class CreateDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatabaseCommand) .de(de_CreateDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatabaseRequest; + output: {}; + }; + sdk: { + input: CreateDatabaseCommandInput; + output: CreateDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateDevEndpointCommand.ts b/clients/client-glue/src/commands/CreateDevEndpointCommand.ts index 9b77300101da..d85de0190727 100644 --- a/clients/client-glue/src/commands/CreateDevEndpointCommand.ts +++ b/clients/client-glue/src/commands/CreateDevEndpointCommand.ts @@ -145,4 +145,16 @@ export class CreateDevEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateDevEndpointCommand) .de(de_CreateDevEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDevEndpointRequest; + output: CreateDevEndpointResponse; + }; + sdk: { + input: CreateDevEndpointCommandInput; + output: CreateDevEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateJobCommand.ts b/clients/client-glue/src/commands/CreateJobCommand.ts index a2509f9e4126..8e9533961f58 100644 --- a/clients/client-glue/src/commands/CreateJobCommand.ts +++ b/clients/client-glue/src/commands/CreateJobCommand.ts @@ -1192,4 +1192,16 @@ export class CreateJobCommand extends $Command .f(CreateJobRequestFilterSensitiveLog, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResponse; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateMLTransformCommand.ts b/clients/client-glue/src/commands/CreateMLTransformCommand.ts index 596f76bc49e5..36e2b30908c2 100644 --- a/clients/client-glue/src/commands/CreateMLTransformCommand.ts +++ b/clients/client-glue/src/commands/CreateMLTransformCommand.ts @@ -146,4 +146,16 @@ export class CreateMLTransformCommand extends $Command .f(void 0, void 0) .ser(se_CreateMLTransformCommand) .de(de_CreateMLTransformCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMLTransformRequest; + output: CreateMLTransformResponse; + }; + sdk: { + input: CreateMLTransformCommandInput; + output: CreateMLTransformCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreatePartitionCommand.ts b/clients/client-glue/src/commands/CreatePartitionCommand.ts index f44db6195b58..a596032c7246 100644 --- a/clients/client-glue/src/commands/CreatePartitionCommand.ts +++ b/clients/client-glue/src/commands/CreatePartitionCommand.ts @@ -164,4 +164,16 @@ export class CreatePartitionCommand extends $Command .f(void 0, void 0) .ser(se_CreatePartitionCommand) .de(de_CreatePartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePartitionRequest; + output: {}; + }; + sdk: { + input: CreatePartitionCommandInput; + output: CreatePartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreatePartitionIndexCommand.ts b/clients/client-glue/src/commands/CreatePartitionIndexCommand.ts index 6e90074130b0..a7345999b427 100644 --- a/clients/client-glue/src/commands/CreatePartitionIndexCommand.ts +++ b/clients/client-glue/src/commands/CreatePartitionIndexCommand.ts @@ -104,4 +104,16 @@ export class CreatePartitionIndexCommand extends $Command .f(void 0, void 0) .ser(se_CreatePartitionIndexCommand) .de(de_CreatePartitionIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePartitionIndexRequest; + output: {}; + }; + sdk: { + input: CreatePartitionIndexCommandInput; + output: CreatePartitionIndexCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateRegistryCommand.ts b/clients/client-glue/src/commands/CreateRegistryCommand.ts index bc1d702fdf89..e602b90cc139 100644 --- a/clients/client-glue/src/commands/CreateRegistryCommand.ts +++ b/clients/client-glue/src/commands/CreateRegistryCommand.ts @@ -104,4 +104,16 @@ export class CreateRegistryCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegistryCommand) .de(de_CreateRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegistryInput; + output: CreateRegistryResponse; + }; + sdk: { + input: CreateRegistryCommandInput; + output: CreateRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateSchemaCommand.ts b/clients/client-glue/src/commands/CreateSchemaCommand.ts index ed30a83df58d..f314f7233fc2 100644 --- a/clients/client-glue/src/commands/CreateSchemaCommand.ts +++ b/clients/client-glue/src/commands/CreateSchemaCommand.ts @@ -126,4 +126,16 @@ export class CreateSchemaCommand extends $Command .f(void 0, void 0) .ser(se_CreateSchemaCommand) .de(de_CreateSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSchemaInput; + output: CreateSchemaResponse; + }; + sdk: { + input: CreateSchemaCommandInput; + output: CreateSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateScriptCommand.ts b/clients/client-glue/src/commands/CreateScriptCommand.ts index 84cb5b6934de..0792dbaff7fe 100644 --- a/clients/client-glue/src/commands/CreateScriptCommand.ts +++ b/clients/client-glue/src/commands/CreateScriptCommand.ts @@ -108,4 +108,16 @@ export class CreateScriptCommand extends $Command .f(void 0, void 0) .ser(se_CreateScriptCommand) .de(de_CreateScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScriptRequest; + output: CreateScriptResponse; + }; + sdk: { + input: CreateScriptCommandInput; + output: CreateScriptCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateSecurityConfigurationCommand.ts b/clients/client-glue/src/commands/CreateSecurityConfigurationCommand.ts index f4af515fca9d..7230560e60d6 100644 --- a/clients/client-glue/src/commands/CreateSecurityConfigurationCommand.ts +++ b/clients/client-glue/src/commands/CreateSecurityConfigurationCommand.ts @@ -111,4 +111,16 @@ export class CreateSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityConfigurationCommand) .de(de_CreateSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityConfigurationRequest; + output: CreateSecurityConfigurationResponse; + }; + sdk: { + input: CreateSecurityConfigurationCommandInput; + output: CreateSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateSessionCommand.ts b/clients/client-glue/src/commands/CreateSessionCommand.ts index f5ccbb6c61d3..33b2dda99e69 100644 --- a/clients/client-glue/src/commands/CreateSessionCommand.ts +++ b/clients/client-glue/src/commands/CreateSessionCommand.ts @@ -156,4 +156,16 @@ export class CreateSessionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSessionCommand) .de(de_CreateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSessionRequest; + output: CreateSessionResponse; + }; + sdk: { + input: CreateSessionCommandInput; + output: CreateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateTableCommand.ts b/clients/client-glue/src/commands/CreateTableCommand.ts index ceb9ed8f31f6..bff84f97e6f8 100644 --- a/clients/client-glue/src/commands/CreateTableCommand.ts +++ b/clients/client-glue/src/commands/CreateTableCommand.ts @@ -218,4 +218,16 @@ export class CreateTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateTableCommand) .de(de_CreateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTableRequest; + output: {}; + }; + sdk: { + input: CreateTableCommandInput; + output: CreateTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateTableOptimizerCommand.ts b/clients/client-glue/src/commands/CreateTableOptimizerCommand.ts index 5f9dd8ad981e..9d205b808327 100644 --- a/clients/client-glue/src/commands/CreateTableOptimizerCommand.ts +++ b/clients/client-glue/src/commands/CreateTableOptimizerCommand.ts @@ -116,4 +116,16 @@ export class CreateTableOptimizerCommand extends $Command .f(void 0, void 0) .ser(se_CreateTableOptimizerCommand) .de(de_CreateTableOptimizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTableOptimizerRequest; + output: {}; + }; + sdk: { + input: CreateTableOptimizerCommandInput; + output: CreateTableOptimizerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateTriggerCommand.ts b/clients/client-glue/src/commands/CreateTriggerCommand.ts index 96fa6e1095e9..345e3b86483a 100644 --- a/clients/client-glue/src/commands/CreateTriggerCommand.ts +++ b/clients/client-glue/src/commands/CreateTriggerCommand.ts @@ -139,4 +139,16 @@ export class CreateTriggerCommand extends $Command .f(void 0, void 0) .ser(se_CreateTriggerCommand) .de(de_CreateTriggerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTriggerRequest; + output: CreateTriggerResponse; + }; + sdk: { + input: CreateTriggerCommandInput; + output: CreateTriggerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateUsageProfileCommand.ts b/clients/client-glue/src/commands/CreateUsageProfileCommand.ts index 4c7087fbd641..245c9eca4a57 100644 --- a/clients/client-glue/src/commands/CreateUsageProfileCommand.ts +++ b/clients/client-glue/src/commands/CreateUsageProfileCommand.ts @@ -121,4 +121,16 @@ export class CreateUsageProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateUsageProfileCommand) .de(de_CreateUsageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUsageProfileRequest; + output: CreateUsageProfileResponse; + }; + sdk: { + input: CreateUsageProfileCommandInput; + output: CreateUsageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateUserDefinedFunctionCommand.ts b/clients/client-glue/src/commands/CreateUserDefinedFunctionCommand.ts index 485f52a79a58..4bf0e78e0bdc 100644 --- a/clients/client-glue/src/commands/CreateUserDefinedFunctionCommand.ts +++ b/clients/client-glue/src/commands/CreateUserDefinedFunctionCommand.ts @@ -109,4 +109,16 @@ export class CreateUserDefinedFunctionCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserDefinedFunctionCommand) .de(de_CreateUserDefinedFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserDefinedFunctionRequest; + output: {}; + }; + sdk: { + input: CreateUserDefinedFunctionCommandInput; + output: CreateUserDefinedFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/CreateWorkflowCommand.ts b/clients/client-glue/src/commands/CreateWorkflowCommand.ts index 56923bc75718..50cbacb9faf1 100644 --- a/clients/client-glue/src/commands/CreateWorkflowCommand.ts +++ b/clients/client-glue/src/commands/CreateWorkflowCommand.ts @@ -103,4 +103,16 @@ export class CreateWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkflowCommand) .de(de_CreateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkflowRequest; + output: CreateWorkflowResponse; + }; + sdk: { + input: CreateWorkflowCommandInput; + output: CreateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteBlueprintCommand.ts b/clients/client-glue/src/commands/DeleteBlueprintCommand.ts index 11b9649a1730..6708ab5f43fd 100644 --- a/clients/client-glue/src/commands/DeleteBlueprintCommand.ts +++ b/clients/client-glue/src/commands/DeleteBlueprintCommand.ts @@ -86,4 +86,16 @@ export class DeleteBlueprintCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBlueprintCommand) .de(de_DeleteBlueprintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBlueprintRequest; + output: DeleteBlueprintResponse; + }; + sdk: { + input: DeleteBlueprintCommandInput; + output: DeleteBlueprintCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteClassifierCommand.ts b/clients/client-glue/src/commands/DeleteClassifierCommand.ts index 7ecb5564a08c..fbbd1396b6a5 100644 --- a/clients/client-glue/src/commands/DeleteClassifierCommand.ts +++ b/clients/client-glue/src/commands/DeleteClassifierCommand.ts @@ -81,4 +81,16 @@ export class DeleteClassifierCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClassifierCommand) .de(de_DeleteClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClassifierRequest; + output: {}; + }; + sdk: { + input: DeleteClassifierCommandInput; + output: DeleteClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteColumnStatisticsForPartitionCommand.ts b/clients/client-glue/src/commands/DeleteColumnStatisticsForPartitionCommand.ts index 46702a536627..62cda3cf1229 100644 --- a/clients/client-glue/src/commands/DeleteColumnStatisticsForPartitionCommand.ts +++ b/clients/client-glue/src/commands/DeleteColumnStatisticsForPartitionCommand.ts @@ -105,4 +105,16 @@ export class DeleteColumnStatisticsForPartitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteColumnStatisticsForPartitionCommand) .de(de_DeleteColumnStatisticsForPartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteColumnStatisticsForPartitionRequest; + output: {}; + }; + sdk: { + input: DeleteColumnStatisticsForPartitionCommandInput; + output: DeleteColumnStatisticsForPartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteColumnStatisticsForTableCommand.ts b/clients/client-glue/src/commands/DeleteColumnStatisticsForTableCommand.ts index 65ba259e8c3a..cc61aa0a8113 100644 --- a/clients/client-glue/src/commands/DeleteColumnStatisticsForTableCommand.ts +++ b/clients/client-glue/src/commands/DeleteColumnStatisticsForTableCommand.ts @@ -99,4 +99,16 @@ export class DeleteColumnStatisticsForTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteColumnStatisticsForTableCommand) .de(de_DeleteColumnStatisticsForTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteColumnStatisticsForTableRequest; + output: {}; + }; + sdk: { + input: DeleteColumnStatisticsForTableCommandInput; + output: DeleteColumnStatisticsForTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteConnectionCommand.ts b/clients/client-glue/src/commands/DeleteConnectionCommand.ts index 7593b52fe98f..e000f74da45d 100644 --- a/clients/client-glue/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-glue/src/commands/DeleteConnectionCommand.ts @@ -82,4 +82,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRequest; + output: {}; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteCrawlerCommand.ts b/clients/client-glue/src/commands/DeleteCrawlerCommand.ts index 0f8a784cd454..54ce9e1a2e54 100644 --- a/clients/client-glue/src/commands/DeleteCrawlerCommand.ts +++ b/clients/client-glue/src/commands/DeleteCrawlerCommand.ts @@ -88,4 +88,16 @@ export class DeleteCrawlerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCrawlerCommand) .de(de_DeleteCrawlerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCrawlerRequest; + output: {}; + }; + sdk: { + input: DeleteCrawlerCommandInput; + output: DeleteCrawlerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteCustomEntityTypeCommand.ts b/clients/client-glue/src/commands/DeleteCustomEntityTypeCommand.ts index 297f094e8da5..4816563190d4 100644 --- a/clients/client-glue/src/commands/DeleteCustomEntityTypeCommand.ts +++ b/clients/client-glue/src/commands/DeleteCustomEntityTypeCommand.ts @@ -92,4 +92,16 @@ export class DeleteCustomEntityTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomEntityTypeCommand) .de(de_DeleteCustomEntityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomEntityTypeRequest; + output: DeleteCustomEntityTypeResponse; + }; + sdk: { + input: DeleteCustomEntityTypeCommandInput; + output: DeleteCustomEntityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteDataQualityRulesetCommand.ts b/clients/client-glue/src/commands/DeleteDataQualityRulesetCommand.ts index 680c6e13f0ab..4c860c1a7eee 100644 --- a/clients/client-glue/src/commands/DeleteDataQualityRulesetCommand.ts +++ b/clients/client-glue/src/commands/DeleteDataQualityRulesetCommand.ts @@ -87,4 +87,16 @@ export class DeleteDataQualityRulesetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataQualityRulesetCommand) .de(de_DeleteDataQualityRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataQualityRulesetRequest; + output: {}; + }; + sdk: { + input: DeleteDataQualityRulesetCommandInput; + output: DeleteDataQualityRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteDatabaseCommand.ts b/clients/client-glue/src/commands/DeleteDatabaseCommand.ts index 75d000d23039..dd311b4ad883 100644 --- a/clients/client-glue/src/commands/DeleteDatabaseCommand.ts +++ b/clients/client-glue/src/commands/DeleteDatabaseCommand.ts @@ -103,4 +103,16 @@ export class DeleteDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatabaseCommand) .de(de_DeleteDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatabaseRequest; + output: {}; + }; + sdk: { + input: DeleteDatabaseCommandInput; + output: DeleteDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteDevEndpointCommand.ts b/clients/client-glue/src/commands/DeleteDevEndpointCommand.ts index 290458112b64..61dbfe5aef1b 100644 --- a/clients/client-glue/src/commands/DeleteDevEndpointCommand.ts +++ b/clients/client-glue/src/commands/DeleteDevEndpointCommand.ts @@ -87,4 +87,16 @@ export class DeleteDevEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDevEndpointCommand) .de(de_DeleteDevEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDevEndpointRequest; + output: {}; + }; + sdk: { + input: DeleteDevEndpointCommandInput; + output: DeleteDevEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteJobCommand.ts b/clients/client-glue/src/commands/DeleteJobCommand.ts index aa6ae0bc42ef..dd23eb9de27d 100644 --- a/clients/client-glue/src/commands/DeleteJobCommand.ts +++ b/clients/client-glue/src/commands/DeleteJobCommand.ts @@ -87,4 +87,16 @@ export class DeleteJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobCommand) .de(de_DeleteJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobRequest; + output: DeleteJobResponse; + }; + sdk: { + input: DeleteJobCommandInput; + output: DeleteJobCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteMLTransformCommand.ts b/clients/client-glue/src/commands/DeleteMLTransformCommand.ts index 6976dcb14cf1..3c3049599196 100644 --- a/clients/client-glue/src/commands/DeleteMLTransformCommand.ts +++ b/clients/client-glue/src/commands/DeleteMLTransformCommand.ts @@ -94,4 +94,16 @@ export class DeleteMLTransformCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMLTransformCommand) .de(de_DeleteMLTransformCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMLTransformRequest; + output: DeleteMLTransformResponse; + }; + sdk: { + input: DeleteMLTransformCommandInput; + output: DeleteMLTransformCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeletePartitionCommand.ts b/clients/client-glue/src/commands/DeletePartitionCommand.ts index 289aab693142..73ce65835167 100644 --- a/clients/client-glue/src/commands/DeletePartitionCommand.ts +++ b/clients/client-glue/src/commands/DeletePartitionCommand.ts @@ -92,4 +92,16 @@ export class DeletePartitionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePartitionCommand) .de(de_DeletePartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePartitionRequest; + output: {}; + }; + sdk: { + input: DeletePartitionCommandInput; + output: DeletePartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeletePartitionIndexCommand.ts b/clients/client-glue/src/commands/DeletePartitionIndexCommand.ts index 23f469a88a80..9df1bc4b7b19 100644 --- a/clients/client-glue/src/commands/DeletePartitionIndexCommand.ts +++ b/clients/client-glue/src/commands/DeletePartitionIndexCommand.ts @@ -96,4 +96,16 @@ export class DeletePartitionIndexCommand extends $Command .f(void 0, void 0) .ser(se_DeletePartitionIndexCommand) .de(de_DeletePartitionIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePartitionIndexRequest; + output: {}; + }; + sdk: { + input: DeletePartitionIndexCommandInput; + output: DeletePartitionIndexCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteRegistryCommand.ts b/clients/client-glue/src/commands/DeleteRegistryCommand.ts index 058b9e1bc23f..f158b0b9631b 100644 --- a/clients/client-glue/src/commands/DeleteRegistryCommand.ts +++ b/clients/client-glue/src/commands/DeleteRegistryCommand.ts @@ -94,4 +94,16 @@ export class DeleteRegistryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegistryCommand) .de(de_DeleteRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegistryInput; + output: DeleteRegistryResponse; + }; + sdk: { + input: DeleteRegistryCommandInput; + output: DeleteRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-glue/src/commands/DeleteResourcePolicyCommand.ts index 61a9d5a2c167..7c3e7c3f3461 100644 --- a/clients/client-glue/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-glue/src/commands/DeleteResourcePolicyCommand.ts @@ -91,4 +91,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteSchemaCommand.ts b/clients/client-glue/src/commands/DeleteSchemaCommand.ts index 51e286c9c28d..1a1443b8cc33 100644 --- a/clients/client-glue/src/commands/DeleteSchemaCommand.ts +++ b/clients/client-glue/src/commands/DeleteSchemaCommand.ts @@ -95,4 +95,16 @@ export class DeleteSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchemaCommand) .de(de_DeleteSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchemaInput; + output: DeleteSchemaResponse; + }; + sdk: { + input: DeleteSchemaCommandInput; + output: DeleteSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteSchemaVersionsCommand.ts b/clients/client-glue/src/commands/DeleteSchemaVersionsCommand.ts index 8d6558c24442..325f998bdac0 100644 --- a/clients/client-glue/src/commands/DeleteSchemaVersionsCommand.ts +++ b/clients/client-glue/src/commands/DeleteSchemaVersionsCommand.ts @@ -105,4 +105,16 @@ export class DeleteSchemaVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchemaVersionsCommand) .de(de_DeleteSchemaVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchemaVersionsInput; + output: DeleteSchemaVersionsResponse; + }; + sdk: { + input: DeleteSchemaVersionsCommandInput; + output: DeleteSchemaVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteSecurityConfigurationCommand.ts b/clients/client-glue/src/commands/DeleteSecurityConfigurationCommand.ts index f426982e0a7a..003803c11d6d 100644 --- a/clients/client-glue/src/commands/DeleteSecurityConfigurationCommand.ts +++ b/clients/client-glue/src/commands/DeleteSecurityConfigurationCommand.ts @@ -89,4 +89,16 @@ export class DeleteSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecurityConfigurationCommand) .de(de_DeleteSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecurityConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteSecurityConfigurationCommandInput; + output: DeleteSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteSessionCommand.ts b/clients/client-glue/src/commands/DeleteSessionCommand.ts index 4c0600913b3c..bf1910f9a0ea 100644 --- a/clients/client-glue/src/commands/DeleteSessionCommand.ts +++ b/clients/client-glue/src/commands/DeleteSessionCommand.ts @@ -96,4 +96,16 @@ export class DeleteSessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSessionCommand) .de(de_DeleteSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSessionRequest; + output: DeleteSessionResponse; + }; + sdk: { + input: DeleteSessionCommandInput; + output: DeleteSessionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteTableCommand.ts b/clients/client-glue/src/commands/DeleteTableCommand.ts index 56a14452c18c..8eb5fd029270 100644 --- a/clients/client-glue/src/commands/DeleteTableCommand.ts +++ b/clients/client-glue/src/commands/DeleteTableCommand.ts @@ -106,4 +106,16 @@ export class DeleteTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTableCommand) .de(de_DeleteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTableRequest; + output: {}; + }; + sdk: { + input: DeleteTableCommandInput; + output: DeleteTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteTableOptimizerCommand.ts b/clients/client-glue/src/commands/DeleteTableOptimizerCommand.ts index 458183890a9b..1f2527c4fc6c 100644 --- a/clients/client-glue/src/commands/DeleteTableOptimizerCommand.ts +++ b/clients/client-glue/src/commands/DeleteTableOptimizerCommand.ts @@ -93,4 +93,16 @@ export class DeleteTableOptimizerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTableOptimizerCommand) .de(de_DeleteTableOptimizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTableOptimizerRequest; + output: {}; + }; + sdk: { + input: DeleteTableOptimizerCommandInput; + output: DeleteTableOptimizerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteTableVersionCommand.ts b/clients/client-glue/src/commands/DeleteTableVersionCommand.ts index 75d8524a148c..1d5b7be2b1e8 100644 --- a/clients/client-glue/src/commands/DeleteTableVersionCommand.ts +++ b/clients/client-glue/src/commands/DeleteTableVersionCommand.ts @@ -90,4 +90,16 @@ export class DeleteTableVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTableVersionCommand) .de(de_DeleteTableVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTableVersionRequest; + output: {}; + }; + sdk: { + input: DeleteTableVersionCommandInput; + output: DeleteTableVersionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteTriggerCommand.ts b/clients/client-glue/src/commands/DeleteTriggerCommand.ts index 2bdfe950faa8..b08d93a5fac9 100644 --- a/clients/client-glue/src/commands/DeleteTriggerCommand.ts +++ b/clients/client-glue/src/commands/DeleteTriggerCommand.ts @@ -90,4 +90,16 @@ export class DeleteTriggerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTriggerCommand) .de(de_DeleteTriggerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTriggerRequest; + output: DeleteTriggerResponse; + }; + sdk: { + input: DeleteTriggerCommandInput; + output: DeleteTriggerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteUsageProfileCommand.ts b/clients/client-glue/src/commands/DeleteUsageProfileCommand.ts index 2b9bac1b024f..1324df3c85b8 100644 --- a/clients/client-glue/src/commands/DeleteUsageProfileCommand.ts +++ b/clients/client-glue/src/commands/DeleteUsageProfileCommand.ts @@ -87,4 +87,16 @@ export class DeleteUsageProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUsageProfileCommand) .de(de_DeleteUsageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUsageProfileRequest; + output: {}; + }; + sdk: { + input: DeleteUsageProfileCommandInput; + output: DeleteUsageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteUserDefinedFunctionCommand.ts b/clients/client-glue/src/commands/DeleteUserDefinedFunctionCommand.ts index 8da79ad00a89..5cb702ab0ead 100644 --- a/clients/client-glue/src/commands/DeleteUserDefinedFunctionCommand.ts +++ b/clients/client-glue/src/commands/DeleteUserDefinedFunctionCommand.ts @@ -89,4 +89,16 @@ export class DeleteUserDefinedFunctionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserDefinedFunctionCommand) .de(de_DeleteUserDefinedFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserDefinedFunctionRequest; + output: {}; + }; + sdk: { + input: DeleteUserDefinedFunctionCommandInput; + output: DeleteUserDefinedFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/DeleteWorkflowCommand.ts b/clients/client-glue/src/commands/DeleteWorkflowCommand.ts index 3ed09aeed428..60ef327f51e8 100644 --- a/clients/client-glue/src/commands/DeleteWorkflowCommand.ts +++ b/clients/client-glue/src/commands/DeleteWorkflowCommand.ts @@ -89,4 +89,16 @@ export class DeleteWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowCommand) .de(de_DeleteWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowRequest; + output: DeleteWorkflowResponse; + }; + sdk: { + input: DeleteWorkflowCommandInput; + output: DeleteWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetBlueprintCommand.ts b/clients/client-glue/src/commands/GetBlueprintCommand.ts index e65f3bffe5ca..8f2ee203c2af 100644 --- a/clients/client-glue/src/commands/GetBlueprintCommand.ts +++ b/clients/client-glue/src/commands/GetBlueprintCommand.ts @@ -108,4 +108,16 @@ export class GetBlueprintCommand extends $Command .f(void 0, void 0) .ser(se_GetBlueprintCommand) .de(de_GetBlueprintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlueprintRequest; + output: GetBlueprintResponse; + }; + sdk: { + input: GetBlueprintCommandInput; + output: GetBlueprintCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetBlueprintRunCommand.ts b/clients/client-glue/src/commands/GetBlueprintRunCommand.ts index bc6992550a44..a300423f7ed5 100644 --- a/clients/client-glue/src/commands/GetBlueprintRunCommand.ts +++ b/clients/client-glue/src/commands/GetBlueprintRunCommand.ts @@ -98,4 +98,16 @@ export class GetBlueprintRunCommand extends $Command .f(void 0, void 0) .ser(se_GetBlueprintRunCommand) .de(de_GetBlueprintRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlueprintRunRequest; + output: GetBlueprintRunResponse; + }; + sdk: { + input: GetBlueprintRunCommandInput; + output: GetBlueprintRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetBlueprintRunsCommand.ts b/clients/client-glue/src/commands/GetBlueprintRunsCommand.ts index 1454637ef141..19e70e4f65ea 100644 --- a/clients/client-glue/src/commands/GetBlueprintRunsCommand.ts +++ b/clients/client-glue/src/commands/GetBlueprintRunsCommand.ts @@ -105,4 +105,16 @@ export class GetBlueprintRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetBlueprintRunsCommand) .de(de_GetBlueprintRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlueprintRunsRequest; + output: GetBlueprintRunsResponse; + }; + sdk: { + input: GetBlueprintRunsCommandInput; + output: GetBlueprintRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetCatalogImportStatusCommand.ts b/clients/client-glue/src/commands/GetCatalogImportStatusCommand.ts index a1efdd073afd..94c34571c7ad 100644 --- a/clients/client-glue/src/commands/GetCatalogImportStatusCommand.ts +++ b/clients/client-glue/src/commands/GetCatalogImportStatusCommand.ts @@ -87,4 +87,16 @@ export class GetCatalogImportStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetCatalogImportStatusCommand) .de(de_GetCatalogImportStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCatalogImportStatusRequest; + output: GetCatalogImportStatusResponse; + }; + sdk: { + input: GetCatalogImportStatusCommandInput; + output: GetCatalogImportStatusCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetClassifierCommand.ts b/clients/client-glue/src/commands/GetClassifierCommand.ts index a4809a19f1bf..ce0c3455e57f 100644 --- a/clients/client-glue/src/commands/GetClassifierCommand.ts +++ b/clients/client-glue/src/commands/GetClassifierCommand.ts @@ -127,4 +127,16 @@ export class GetClassifierCommand extends $Command .f(void 0, void 0) .ser(se_GetClassifierCommand) .de(de_GetClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClassifierRequest; + output: GetClassifierResponse; + }; + sdk: { + input: GetClassifierCommandInput; + output: GetClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetClassifiersCommand.ts b/clients/client-glue/src/commands/GetClassifiersCommand.ts index e24d77e7ffb0..01bbb059ab55 100644 --- a/clients/client-glue/src/commands/GetClassifiersCommand.ts +++ b/clients/client-glue/src/commands/GetClassifiersCommand.ts @@ -128,4 +128,16 @@ export class GetClassifiersCommand extends $Command .f(void 0, void 0) .ser(se_GetClassifiersCommand) .de(de_GetClassifiersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClassifiersRequest; + output: GetClassifiersResponse; + }; + sdk: { + input: GetClassifiersCommandInput; + output: GetClassifiersCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetColumnStatisticsForPartitionCommand.ts b/clients/client-glue/src/commands/GetColumnStatisticsForPartitionCommand.ts index 6e7ad04dcc56..3ce67561441e 100644 --- a/clients/client-glue/src/commands/GetColumnStatisticsForPartitionCommand.ts +++ b/clients/client-glue/src/commands/GetColumnStatisticsForPartitionCommand.ts @@ -170,4 +170,16 @@ export class GetColumnStatisticsForPartitionCommand extends $Command .f(void 0, void 0) .ser(se_GetColumnStatisticsForPartitionCommand) .de(de_GetColumnStatisticsForPartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetColumnStatisticsForPartitionRequest; + output: GetColumnStatisticsForPartitionResponse; + }; + sdk: { + input: GetColumnStatisticsForPartitionCommandInput; + output: GetColumnStatisticsForPartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetColumnStatisticsForTableCommand.ts b/clients/client-glue/src/commands/GetColumnStatisticsForTableCommand.ts index 1e975caeee87..2c4c7df92acd 100644 --- a/clients/client-glue/src/commands/GetColumnStatisticsForTableCommand.ts +++ b/clients/client-glue/src/commands/GetColumnStatisticsForTableCommand.ts @@ -164,4 +164,16 @@ export class GetColumnStatisticsForTableCommand extends $Command .f(void 0, void 0) .ser(se_GetColumnStatisticsForTableCommand) .de(de_GetColumnStatisticsForTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetColumnStatisticsForTableRequest; + output: GetColumnStatisticsForTableResponse; + }; + sdk: { + input: GetColumnStatisticsForTableCommandInput; + output: GetColumnStatisticsForTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetColumnStatisticsTaskRunCommand.ts b/clients/client-glue/src/commands/GetColumnStatisticsTaskRunCommand.ts index 1d2120388495..84f011394c97 100644 --- a/clients/client-glue/src/commands/GetColumnStatisticsTaskRunCommand.ts +++ b/clients/client-glue/src/commands/GetColumnStatisticsTaskRunCommand.ts @@ -107,4 +107,16 @@ export class GetColumnStatisticsTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_GetColumnStatisticsTaskRunCommand) .de(de_GetColumnStatisticsTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetColumnStatisticsTaskRunRequest; + output: GetColumnStatisticsTaskRunResponse; + }; + sdk: { + input: GetColumnStatisticsTaskRunCommandInput; + output: GetColumnStatisticsTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetColumnStatisticsTaskRunsCommand.ts b/clients/client-glue/src/commands/GetColumnStatisticsTaskRunsCommand.ts index 2026fc361c02..59d2699bf921 100644 --- a/clients/client-glue/src/commands/GetColumnStatisticsTaskRunsCommand.ts +++ b/clients/client-glue/src/commands/GetColumnStatisticsTaskRunsCommand.ts @@ -109,4 +109,16 @@ export class GetColumnStatisticsTaskRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetColumnStatisticsTaskRunsCommand) .de(de_GetColumnStatisticsTaskRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetColumnStatisticsTaskRunsRequest; + output: GetColumnStatisticsTaskRunsResponse; + }; + sdk: { + input: GetColumnStatisticsTaskRunsCommandInput; + output: GetColumnStatisticsTaskRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetConnectionCommand.ts b/clients/client-glue/src/commands/GetConnectionCommand.ts index 2aa77d18765b..aa3823fe18b4 100644 --- a/clients/client-glue/src/commands/GetConnectionCommand.ts +++ b/clients/client-glue/src/commands/GetConnectionCommand.ts @@ -129,4 +129,16 @@ export class GetConnectionCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionCommand) .de(de_GetConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionRequest; + output: GetConnectionResponse; + }; + sdk: { + input: GetConnectionCommandInput; + output: GetConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetConnectionsCommand.ts b/clients/client-glue/src/commands/GetConnectionsCommand.ts index 70432c3a3ec2..eb9efd91faca 100644 --- a/clients/client-glue/src/commands/GetConnectionsCommand.ts +++ b/clients/client-glue/src/commands/GetConnectionsCommand.ts @@ -139,4 +139,16 @@ export class GetConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionsCommand) .de(de_GetConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionsRequest; + output: GetConnectionsResponse; + }; + sdk: { + input: GetConnectionsCommandInput; + output: GetConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetCrawlerCommand.ts b/clients/client-glue/src/commands/GetCrawlerCommand.ts index 6a43bd0a0187..2773259c6d27 100644 --- a/clients/client-glue/src/commands/GetCrawlerCommand.ts +++ b/clients/client-glue/src/commands/GetCrawlerCommand.ts @@ -206,4 +206,16 @@ export class GetCrawlerCommand extends $Command .f(void 0, void 0) .ser(se_GetCrawlerCommand) .de(de_GetCrawlerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCrawlerRequest; + output: GetCrawlerResponse; + }; + sdk: { + input: GetCrawlerCommandInput; + output: GetCrawlerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetCrawlerMetricsCommand.ts b/clients/client-glue/src/commands/GetCrawlerMetricsCommand.ts index 164b480b7d49..e3ad05138615 100644 --- a/clients/client-glue/src/commands/GetCrawlerMetricsCommand.ts +++ b/clients/client-glue/src/commands/GetCrawlerMetricsCommand.ts @@ -96,4 +96,16 @@ export class GetCrawlerMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetCrawlerMetricsCommand) .de(de_GetCrawlerMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCrawlerMetricsRequest; + output: GetCrawlerMetricsResponse; + }; + sdk: { + input: GetCrawlerMetricsCommandInput; + output: GetCrawlerMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetCrawlersCommand.ts b/clients/client-glue/src/commands/GetCrawlersCommand.ts index 11929040cc14..7e3af2aec3bd 100644 --- a/clients/client-glue/src/commands/GetCrawlersCommand.ts +++ b/clients/client-glue/src/commands/GetCrawlersCommand.ts @@ -208,4 +208,16 @@ export class GetCrawlersCommand extends $Command .f(void 0, void 0) .ser(se_GetCrawlersCommand) .de(de_GetCrawlersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCrawlersRequest; + output: GetCrawlersResponse; + }; + sdk: { + input: GetCrawlersCommandInput; + output: GetCrawlersCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetCustomEntityTypeCommand.ts b/clients/client-glue/src/commands/GetCustomEntityTypeCommand.ts index 07674484658c..8ac643e62fa2 100644 --- a/clients/client-glue/src/commands/GetCustomEntityTypeCommand.ts +++ b/clients/client-glue/src/commands/GetCustomEntityTypeCommand.ts @@ -96,4 +96,16 @@ export class GetCustomEntityTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomEntityTypeCommand) .de(de_GetCustomEntityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomEntityTypeRequest; + output: GetCustomEntityTypeResponse; + }; + sdk: { + input: GetCustomEntityTypeCommandInput; + output: GetCustomEntityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataCatalogEncryptionSettingsCommand.ts b/clients/client-glue/src/commands/GetDataCatalogEncryptionSettingsCommand.ts index fa22c26bfcc0..94873e4dcd4d 100644 --- a/clients/client-glue/src/commands/GetDataCatalogEncryptionSettingsCommand.ts +++ b/clients/client-glue/src/commands/GetDataCatalogEncryptionSettingsCommand.ts @@ -101,4 +101,16 @@ export class GetDataCatalogEncryptionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetDataCatalogEncryptionSettingsCommand) .de(de_GetDataCatalogEncryptionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataCatalogEncryptionSettingsRequest; + output: GetDataCatalogEncryptionSettingsResponse; + }; + sdk: { + input: GetDataCatalogEncryptionSettingsCommandInput; + output: GetDataCatalogEncryptionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataQualityModelCommand.ts b/clients/client-glue/src/commands/GetDataQualityModelCommand.ts index 71178762d5e5..bc17dd9b3860 100644 --- a/clients/client-glue/src/commands/GetDataQualityModelCommand.ts +++ b/clients/client-glue/src/commands/GetDataQualityModelCommand.ts @@ -93,4 +93,16 @@ export class GetDataQualityModelCommand extends $Command .f(void 0, void 0) .ser(se_GetDataQualityModelCommand) .de(de_GetDataQualityModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataQualityModelRequest; + output: GetDataQualityModelResponse; + }; + sdk: { + input: GetDataQualityModelCommandInput; + output: GetDataQualityModelCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataQualityModelResultCommand.ts b/clients/client-glue/src/commands/GetDataQualityModelResultCommand.ts index 604463c83f65..5e98b81ca015 100644 --- a/clients/client-glue/src/commands/GetDataQualityModelResultCommand.ts +++ b/clients/client-glue/src/commands/GetDataQualityModelResultCommand.ts @@ -100,4 +100,16 @@ export class GetDataQualityModelResultCommand extends $Command .f(void 0, void 0) .ser(se_GetDataQualityModelResultCommand) .de(de_GetDataQualityModelResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataQualityModelResultRequest; + output: GetDataQualityModelResultResponse; + }; + sdk: { + input: GetDataQualityModelResultCommandInput; + output: GetDataQualityModelResultCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataQualityResultCommand.ts b/clients/client-glue/src/commands/GetDataQualityResultCommand.ts index 88b2a83f2cc0..5c656d71733d 100644 --- a/clients/client-glue/src/commands/GetDataQualityResultCommand.ts +++ b/clients/client-glue/src/commands/GetDataQualityResultCommand.ts @@ -153,4 +153,16 @@ export class GetDataQualityResultCommand extends $Command .f(void 0, GetDataQualityResultResponseFilterSensitiveLog) .ser(se_GetDataQualityResultCommand) .de(de_GetDataQualityResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataQualityResultRequest; + output: GetDataQualityResultResponse; + }; + sdk: { + input: GetDataQualityResultCommandInput; + output: GetDataQualityResultCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataQualityRuleRecommendationRunCommand.ts b/clients/client-glue/src/commands/GetDataQualityRuleRecommendationRunCommand.ts index 7fa1d35dbd9d..813aa5b23234 100644 --- a/clients/client-glue/src/commands/GetDataQualityRuleRecommendationRunCommand.ts +++ b/clients/client-glue/src/commands/GetDataQualityRuleRecommendationRunCommand.ts @@ -120,4 +120,16 @@ export class GetDataQualityRuleRecommendationRunCommand extends $Command .f(void 0, void 0) .ser(se_GetDataQualityRuleRecommendationRunCommand) .de(de_GetDataQualityRuleRecommendationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataQualityRuleRecommendationRunRequest; + output: GetDataQualityRuleRecommendationRunResponse; + }; + sdk: { + input: GetDataQualityRuleRecommendationRunCommandInput; + output: GetDataQualityRuleRecommendationRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataQualityRulesetCommand.ts b/clients/client-glue/src/commands/GetDataQualityRulesetCommand.ts index 4ec988dd6616..63188cffbef0 100644 --- a/clients/client-glue/src/commands/GetDataQualityRulesetCommand.ts +++ b/clients/client-glue/src/commands/GetDataQualityRulesetCommand.ts @@ -100,4 +100,16 @@ export class GetDataQualityRulesetCommand extends $Command .f(void 0, void 0) .ser(se_GetDataQualityRulesetCommand) .de(de_GetDataQualityRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataQualityRulesetRequest; + output: GetDataQualityRulesetResponse; + }; + sdk: { + input: GetDataQualityRulesetCommandInput; + output: GetDataQualityRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataQualityRulesetEvaluationRunCommand.ts b/clients/client-glue/src/commands/GetDataQualityRulesetEvaluationRunCommand.ts index 693eeead5a31..b5fd341b213a 100644 --- a/clients/client-glue/src/commands/GetDataQualityRulesetEvaluationRunCommand.ts +++ b/clients/client-glue/src/commands/GetDataQualityRulesetEvaluationRunCommand.ts @@ -141,4 +141,16 @@ export class GetDataQualityRulesetEvaluationRunCommand extends $Command .f(void 0, void 0) .ser(se_GetDataQualityRulesetEvaluationRunCommand) .de(de_GetDataQualityRulesetEvaluationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataQualityRulesetEvaluationRunRequest; + output: GetDataQualityRulesetEvaluationRunResponse; + }; + sdk: { + input: GetDataQualityRulesetEvaluationRunCommandInput; + output: GetDataQualityRulesetEvaluationRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDatabaseCommand.ts b/clients/client-glue/src/commands/GetDatabaseCommand.ts index f1b13e38736d..1fb7a8d29267 100644 --- a/clients/client-glue/src/commands/GetDatabaseCommand.ts +++ b/clients/client-glue/src/commands/GetDatabaseCommand.ts @@ -124,4 +124,16 @@ export class GetDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_GetDatabaseCommand) .de(de_GetDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDatabaseRequest; + output: GetDatabaseResponse; + }; + sdk: { + input: GetDatabaseCommandInput; + output: GetDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDatabasesCommand.ts b/clients/client-glue/src/commands/GetDatabasesCommand.ts index e787bdd07568..2abb9a2f1917 100644 --- a/clients/client-glue/src/commands/GetDatabasesCommand.ts +++ b/clients/client-glue/src/commands/GetDatabasesCommand.ts @@ -126,4 +126,16 @@ export class GetDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_GetDatabasesCommand) .de(de_GetDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDatabasesRequest; + output: GetDatabasesResponse; + }; + sdk: { + input: GetDatabasesCommandInput; + output: GetDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDataflowGraphCommand.ts b/clients/client-glue/src/commands/GetDataflowGraphCommand.ts index 6974ef618565..ed990a7e1203 100644 --- a/clients/client-glue/src/commands/GetDataflowGraphCommand.ts +++ b/clients/client-glue/src/commands/GetDataflowGraphCommand.ts @@ -106,4 +106,16 @@ export class GetDataflowGraphCommand extends $Command .f(void 0, void 0) .ser(se_GetDataflowGraphCommand) .de(de_GetDataflowGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataflowGraphRequest; + output: GetDataflowGraphResponse; + }; + sdk: { + input: GetDataflowGraphCommandInput; + output: GetDataflowGraphCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDevEndpointCommand.ts b/clients/client-glue/src/commands/GetDevEndpointCommand.ts index f996911cba84..72fdb451b8e0 100644 --- a/clients/client-glue/src/commands/GetDevEndpointCommand.ts +++ b/clients/client-glue/src/commands/GetDevEndpointCommand.ts @@ -126,4 +126,16 @@ export class GetDevEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetDevEndpointCommand) .de(de_GetDevEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevEndpointRequest; + output: GetDevEndpointResponse; + }; + sdk: { + input: GetDevEndpointCommandInput; + output: GetDevEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetDevEndpointsCommand.ts b/clients/client-glue/src/commands/GetDevEndpointsCommand.ts index aefe1262e3d0..5d9eaaeade47 100644 --- a/clients/client-glue/src/commands/GetDevEndpointsCommand.ts +++ b/clients/client-glue/src/commands/GetDevEndpointsCommand.ts @@ -130,4 +130,16 @@ export class GetDevEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_GetDevEndpointsCommand) .de(de_GetDevEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevEndpointsRequest; + output: GetDevEndpointsResponse; + }; + sdk: { + input: GetDevEndpointsCommandInput; + output: GetDevEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetJobBookmarkCommand.ts b/clients/client-glue/src/commands/GetJobBookmarkCommand.ts index 4600d7979737..28adb222fcab 100644 --- a/clients/client-glue/src/commands/GetJobBookmarkCommand.ts +++ b/clients/client-glue/src/commands/GetJobBookmarkCommand.ts @@ -119,4 +119,16 @@ export class GetJobBookmarkCommand extends $Command .f(void 0, void 0) .ser(se_GetJobBookmarkCommand) .de(de_GetJobBookmarkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobBookmarkRequest; + output: GetJobBookmarkResponse; + }; + sdk: { + input: GetJobBookmarkCommandInput; + output: GetJobBookmarkCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetJobCommand.ts b/clients/client-glue/src/commands/GetJobCommand.ts index 5db45b193a17..cdc2449fdd10 100644 --- a/clients/client-glue/src/commands/GetJobCommand.ts +++ b/clients/client-glue/src/commands/GetJobCommand.ts @@ -1185,4 +1185,16 @@ export class GetJobCommand extends $Command .f(void 0, GetJobResponseFilterSensitiveLog) .ser(se_GetJobCommand) .de(de_GetJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRequest; + output: GetJobResponse; + }; + sdk: { + input: GetJobCommandInput; + output: GetJobCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetJobRunCommand.ts b/clients/client-glue/src/commands/GetJobRunCommand.ts index b8164242aaa3..f815bbe726ff 100644 --- a/clients/client-glue/src/commands/GetJobRunCommand.ts +++ b/clients/client-glue/src/commands/GetJobRunCommand.ts @@ -130,4 +130,16 @@ export class GetJobRunCommand extends $Command .f(void 0, void 0) .ser(se_GetJobRunCommand) .de(de_GetJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRunRequest; + output: GetJobRunResponse; + }; + sdk: { + input: GetJobRunCommandInput; + output: GetJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetJobRunsCommand.ts b/clients/client-glue/src/commands/GetJobRunsCommand.ts index 6cb0a15b9aa1..a19b74a16711 100644 --- a/clients/client-glue/src/commands/GetJobRunsCommand.ts +++ b/clients/client-glue/src/commands/GetJobRunsCommand.ts @@ -133,4 +133,16 @@ export class GetJobRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetJobRunsCommand) .de(de_GetJobRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRunsRequest; + output: GetJobRunsResponse; + }; + sdk: { + input: GetJobRunsCommandInput; + output: GetJobRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetJobsCommand.ts b/clients/client-glue/src/commands/GetJobsCommand.ts index 9f7c46f25324..a4e54a62b099 100644 --- a/clients/client-glue/src/commands/GetJobsCommand.ts +++ b/clients/client-glue/src/commands/GetJobsCommand.ts @@ -1189,4 +1189,16 @@ export class GetJobsCommand extends $Command .f(void 0, GetJobsResponseFilterSensitiveLog) .ser(se_GetJobsCommand) .de(de_GetJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobsRequest; + output: GetJobsResponse; + }; + sdk: { + input: GetJobsCommandInput; + output: GetJobsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetMLTaskRunCommand.ts b/clients/client-glue/src/commands/GetMLTaskRunCommand.ts index 07344e6539a9..e2f7a04d9f8c 100644 --- a/clients/client-glue/src/commands/GetMLTaskRunCommand.ts +++ b/clients/client-glue/src/commands/GetMLTaskRunCommand.ts @@ -120,4 +120,16 @@ export class GetMLTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_GetMLTaskRunCommand) .de(de_GetMLTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLTaskRunRequest; + output: GetMLTaskRunResponse; + }; + sdk: { + input: GetMLTaskRunCommandInput; + output: GetMLTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetMLTaskRunsCommand.ts b/clients/client-glue/src/commands/GetMLTaskRunsCommand.ts index a27b8985212f..80b543219d44 100644 --- a/clients/client-glue/src/commands/GetMLTaskRunsCommand.ts +++ b/clients/client-glue/src/commands/GetMLTaskRunsCommand.ts @@ -137,4 +137,16 @@ export class GetMLTaskRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetMLTaskRunsCommand) .de(de_GetMLTaskRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLTaskRunsRequest; + output: GetMLTaskRunsResponse; + }; + sdk: { + input: GetMLTaskRunsCommandInput; + output: GetMLTaskRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetMLTransformCommand.ts b/clients/client-glue/src/commands/GetMLTransformCommand.ts index 0d33daf40f20..6434d4c5096a 100644 --- a/clients/client-glue/src/commands/GetMLTransformCommand.ts +++ b/clients/client-glue/src/commands/GetMLTransformCommand.ts @@ -160,4 +160,16 @@ export class GetMLTransformCommand extends $Command .f(void 0, void 0) .ser(se_GetMLTransformCommand) .de(de_GetMLTransformCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLTransformRequest; + output: GetMLTransformResponse; + }; + sdk: { + input: GetMLTransformCommandInput; + output: GetMLTransformCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetMLTransformsCommand.ts b/clients/client-glue/src/commands/GetMLTransformsCommand.ts index f6eff253130d..fdb1f59e7ec1 100644 --- a/clients/client-glue/src/commands/GetMLTransformsCommand.ts +++ b/clients/client-glue/src/commands/GetMLTransformsCommand.ts @@ -186,4 +186,16 @@ export class GetMLTransformsCommand extends $Command .f(void 0, void 0) .ser(se_GetMLTransformsCommand) .de(de_GetMLTransformsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLTransformsRequest; + output: GetMLTransformsResponse; + }; + sdk: { + input: GetMLTransformsCommandInput; + output: GetMLTransformsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetMappingCommand.ts b/clients/client-glue/src/commands/GetMappingCommand.ts index 9f7fa42313ab..790f7bf8cdf6 100644 --- a/clients/client-glue/src/commands/GetMappingCommand.ts +++ b/clients/client-glue/src/commands/GetMappingCommand.ts @@ -130,4 +130,16 @@ export class GetMappingCommand extends $Command .f(void 0, void 0) .ser(se_GetMappingCommand) .de(de_GetMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMappingRequest; + output: GetMappingResponse; + }; + sdk: { + input: GetMappingCommandInput; + output: GetMappingCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetPartitionCommand.ts b/clients/client-glue/src/commands/GetPartitionCommand.ts index b4cfce8e90e4..5d8148ea26a4 100644 --- a/clients/client-glue/src/commands/GetPartitionCommand.ts +++ b/clients/client-glue/src/commands/GetPartitionCommand.ts @@ -172,4 +172,16 @@ export class GetPartitionCommand extends $Command .f(void 0, void 0) .ser(se_GetPartitionCommand) .de(de_GetPartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPartitionRequest; + output: GetPartitionResponse; + }; + sdk: { + input: GetPartitionCommandInput; + output: GetPartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetPartitionIndexesCommand.ts b/clients/client-glue/src/commands/GetPartitionIndexesCommand.ts index 32ea9597a27f..582168c9dc8b 100644 --- a/clients/client-glue/src/commands/GetPartitionIndexesCommand.ts +++ b/clients/client-glue/src/commands/GetPartitionIndexesCommand.ts @@ -119,4 +119,16 @@ export class GetPartitionIndexesCommand extends $Command .f(void 0, void 0) .ser(se_GetPartitionIndexesCommand) .de(de_GetPartitionIndexesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPartitionIndexesRequest; + output: GetPartitionIndexesResponse; + }; + sdk: { + input: GetPartitionIndexesCommandInput; + output: GetPartitionIndexesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetPartitionsCommand.ts b/clients/client-glue/src/commands/GetPartitionsCommand.ts index cd87a97141be..e16b891e5593 100644 --- a/clients/client-glue/src/commands/GetPartitionsCommand.ts +++ b/clients/client-glue/src/commands/GetPartitionsCommand.ts @@ -188,4 +188,16 @@ export class GetPartitionsCommand extends $Command .f(void 0, void 0) .ser(se_GetPartitionsCommand) .de(de_GetPartitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPartitionsRequest; + output: GetPartitionsResponse; + }; + sdk: { + input: GetPartitionsCommandInput; + output: GetPartitionsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetPlanCommand.ts b/clients/client-glue/src/commands/GetPlanCommand.ts index 82ab59108fc4..e3b4119120a2 100644 --- a/clients/client-glue/src/commands/GetPlanCommand.ts +++ b/clients/client-glue/src/commands/GetPlanCommand.ts @@ -133,4 +133,16 @@ export class GetPlanCommand extends $Command .f(void 0, void 0) .ser(se_GetPlanCommand) .de(de_GetPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPlanRequest; + output: GetPlanResponse; + }; + sdk: { + input: GetPlanCommandInput; + output: GetPlanCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetRegistryCommand.ts b/clients/client-glue/src/commands/GetRegistryCommand.ts index 1b7dac94e299..603dcd222b5e 100644 --- a/clients/client-glue/src/commands/GetRegistryCommand.ts +++ b/clients/client-glue/src/commands/GetRegistryCommand.ts @@ -97,4 +97,16 @@ export class GetRegistryCommand extends $Command .f(void 0, void 0) .ser(se_GetRegistryCommand) .de(de_GetRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegistryInput; + output: GetRegistryResponse; + }; + sdk: { + input: GetRegistryCommandInput; + output: GetRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetResourcePoliciesCommand.ts b/clients/client-glue/src/commands/GetResourcePoliciesCommand.ts index 04cfec58be43..764427e924e6 100644 --- a/clients/client-glue/src/commands/GetResourcePoliciesCommand.ts +++ b/clients/client-glue/src/commands/GetResourcePoliciesCommand.ts @@ -103,4 +103,16 @@ export class GetResourcePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePoliciesCommand) .de(de_GetResourcePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePoliciesRequest; + output: GetResourcePoliciesResponse; + }; + sdk: { + input: GetResourcePoliciesCommandInput; + output: GetResourcePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetResourcePolicyCommand.ts b/clients/client-glue/src/commands/GetResourcePolicyCommand.ts index 55c475e46814..f10d434ff952 100644 --- a/clients/client-glue/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-glue/src/commands/GetResourcePolicyCommand.ts @@ -92,4 +92,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetSchemaByDefinitionCommand.ts b/clients/client-glue/src/commands/GetSchemaByDefinitionCommand.ts index 5f9bbe7c361d..0654f50e7bc1 100644 --- a/clients/client-glue/src/commands/GetSchemaByDefinitionCommand.ts +++ b/clients/client-glue/src/commands/GetSchemaByDefinitionCommand.ts @@ -98,4 +98,16 @@ export class GetSchemaByDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaByDefinitionCommand) .de(de_GetSchemaByDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaByDefinitionInput; + output: GetSchemaByDefinitionResponse; + }; + sdk: { + input: GetSchemaByDefinitionCommandInput; + output: GetSchemaByDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetSchemaCommand.ts b/clients/client-glue/src/commands/GetSchemaCommand.ts index 149e32fd356f..3a606060a7ea 100644 --- a/clients/client-glue/src/commands/GetSchemaCommand.ts +++ b/clients/client-glue/src/commands/GetSchemaCommand.ts @@ -105,4 +105,16 @@ export class GetSchemaCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaCommand) .de(de_GetSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaInput; + output: GetSchemaResponse; + }; + sdk: { + input: GetSchemaCommandInput; + output: GetSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetSchemaVersionCommand.ts b/clients/client-glue/src/commands/GetSchemaVersionCommand.ts index 4adbc775eb1a..9b857d904667 100644 --- a/clients/client-glue/src/commands/GetSchemaVersionCommand.ts +++ b/clients/client-glue/src/commands/GetSchemaVersionCommand.ts @@ -104,4 +104,16 @@ export class GetSchemaVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaVersionCommand) .de(de_GetSchemaVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaVersionInput; + output: GetSchemaVersionResponse; + }; + sdk: { + input: GetSchemaVersionCommandInput; + output: GetSchemaVersionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetSchemaVersionsDiffCommand.ts b/clients/client-glue/src/commands/GetSchemaVersionsDiffCommand.ts index 06cf8795109c..b5b54a201c99 100644 --- a/clients/client-glue/src/commands/GetSchemaVersionsDiffCommand.ts +++ b/clients/client-glue/src/commands/GetSchemaVersionsDiffCommand.ts @@ -103,4 +103,16 @@ export class GetSchemaVersionsDiffCommand extends $Command .f(void 0, void 0) .ser(se_GetSchemaVersionsDiffCommand) .de(de_GetSchemaVersionsDiffCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaVersionsDiffInput; + output: GetSchemaVersionsDiffResponse; + }; + sdk: { + input: GetSchemaVersionsDiffCommandInput; + output: GetSchemaVersionsDiffCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetSecurityConfigurationCommand.ts b/clients/client-glue/src/commands/GetSecurityConfigurationCommand.ts index 331a5b532741..87c9d4444468 100644 --- a/clients/client-glue/src/commands/GetSecurityConfigurationCommand.ts +++ b/clients/client-glue/src/commands/GetSecurityConfigurationCommand.ts @@ -108,4 +108,16 @@ export class GetSecurityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetSecurityConfigurationCommand) .de(de_GetSecurityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSecurityConfigurationRequest; + output: GetSecurityConfigurationResponse; + }; + sdk: { + input: GetSecurityConfigurationCommandInput; + output: GetSecurityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetSecurityConfigurationsCommand.ts b/clients/client-glue/src/commands/GetSecurityConfigurationsCommand.ts index 8cc903e4a96c..f53150329775 100644 --- a/clients/client-glue/src/commands/GetSecurityConfigurationsCommand.ts +++ b/clients/client-glue/src/commands/GetSecurityConfigurationsCommand.ts @@ -112,4 +112,16 @@ export class GetSecurityConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_GetSecurityConfigurationsCommand) .de(de_GetSecurityConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSecurityConfigurationsRequest; + output: GetSecurityConfigurationsResponse; + }; + sdk: { + input: GetSecurityConfigurationsCommandInput; + output: GetSecurityConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetSessionCommand.ts b/clients/client-glue/src/commands/GetSessionCommand.ts index 9bd4b21291ad..3b4f89b183fb 100644 --- a/clients/client-glue/src/commands/GetSessionCommand.ts +++ b/clients/client-glue/src/commands/GetSessionCommand.ts @@ -123,4 +123,16 @@ export class GetSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetSessionCommand) .de(de_GetSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetStatementCommand.ts b/clients/client-glue/src/commands/GetStatementCommand.ts index 5569cfaf2622..b8ecd5463ce3 100644 --- a/clients/client-glue/src/commands/GetStatementCommand.ts +++ b/clients/client-glue/src/commands/GetStatementCommand.ts @@ -116,4 +116,16 @@ export class GetStatementCommand extends $Command .f(void 0, void 0) .ser(se_GetStatementCommand) .de(de_GetStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStatementRequest; + output: GetStatementResponse; + }; + sdk: { + input: GetStatementCommandInput; + output: GetStatementCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTableCommand.ts b/clients/client-glue/src/commands/GetTableCommand.ts index 33ade21a8e1f..5f4234fcb5b1 100644 --- a/clients/client-glue/src/commands/GetTableCommand.ts +++ b/clients/client-glue/src/commands/GetTableCommand.ts @@ -362,4 +362,16 @@ export class GetTableCommand extends $Command .f(void 0, void 0) .ser(se_GetTableCommand) .de(de_GetTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableRequest; + output: GetTableResponse; + }; + sdk: { + input: GetTableCommandInput; + output: GetTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTableOptimizerCommand.ts b/clients/client-glue/src/commands/GetTableOptimizerCommand.ts index 5627d2226840..537489a98488 100644 --- a/clients/client-glue/src/commands/GetTableOptimizerCommand.ts +++ b/clients/client-glue/src/commands/GetTableOptimizerCommand.ts @@ -153,4 +153,16 @@ export class GetTableOptimizerCommand extends $Command .f(void 0, void 0) .ser(se_GetTableOptimizerCommand) .de(de_GetTableOptimizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableOptimizerRequest; + output: GetTableOptimizerResponse; + }; + sdk: { + input: GetTableOptimizerCommandInput; + output: GetTableOptimizerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTableVersionCommand.ts b/clients/client-glue/src/commands/GetTableVersionCommand.ts index abff7804af7d..8ae48a13ed8c 100644 --- a/clients/client-glue/src/commands/GetTableVersionCommand.ts +++ b/clients/client-glue/src/commands/GetTableVersionCommand.ts @@ -353,4 +353,16 @@ export class GetTableVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetTableVersionCommand) .de(de_GetTableVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableVersionRequest; + output: GetTableVersionResponse; + }; + sdk: { + input: GetTableVersionCommandInput; + output: GetTableVersionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTableVersionsCommand.ts b/clients/client-glue/src/commands/GetTableVersionsCommand.ts index 0a65e2ec13fd..61a749b89577 100644 --- a/clients/client-glue/src/commands/GetTableVersionsCommand.ts +++ b/clients/client-glue/src/commands/GetTableVersionsCommand.ts @@ -358,4 +358,16 @@ export class GetTableVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetTableVersionsCommand) .de(de_GetTableVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableVersionsRequest; + output: GetTableVersionsResponse; + }; + sdk: { + input: GetTableVersionsCommandInput; + output: GetTableVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTablesCommand.ts b/clients/client-glue/src/commands/GetTablesCommand.ts index cd746b8d188b..5a9cf38b22de 100644 --- a/clients/client-glue/src/commands/GetTablesCommand.ts +++ b/clients/client-glue/src/commands/GetTablesCommand.ts @@ -367,4 +367,16 @@ export class GetTablesCommand extends $Command .f(void 0, void 0) .ser(se_GetTablesCommand) .de(de_GetTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTablesRequest; + output: GetTablesResponse; + }; + sdk: { + input: GetTablesCommandInput; + output: GetTablesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTagsCommand.ts b/clients/client-glue/src/commands/GetTagsCommand.ts index aad309be9bfb..c59765f7c161 100644 --- a/clients/client-glue/src/commands/GetTagsCommand.ts +++ b/clients/client-glue/src/commands/GetTagsCommand.ts @@ -91,4 +91,16 @@ export class GetTagsCommand extends $Command .f(void 0, void 0) .ser(se_GetTagsCommand) .de(de_GetTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTagsRequest; + output: GetTagsResponse; + }; + sdk: { + input: GetTagsCommandInput; + output: GetTagsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTriggerCommand.ts b/clients/client-glue/src/commands/GetTriggerCommand.ts index 7dbacff33ad8..f50c8a458633 100644 --- a/clients/client-glue/src/commands/GetTriggerCommand.ts +++ b/clients/client-glue/src/commands/GetTriggerCommand.ts @@ -127,4 +127,16 @@ export class GetTriggerCommand extends $Command .f(void 0, void 0) .ser(se_GetTriggerCommand) .de(de_GetTriggerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTriggerRequest; + output: GetTriggerResponse; + }; + sdk: { + input: GetTriggerCommandInput; + output: GetTriggerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetTriggersCommand.ts b/clients/client-glue/src/commands/GetTriggersCommand.ts index 9714fb3b13eb..fff9b4663d53 100644 --- a/clients/client-glue/src/commands/GetTriggersCommand.ts +++ b/clients/client-glue/src/commands/GetTriggersCommand.ts @@ -132,4 +132,16 @@ export class GetTriggersCommand extends $Command .f(void 0, void 0) .ser(se_GetTriggersCommand) .de(de_GetTriggersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTriggersRequest; + output: GetTriggersResponse; + }; + sdk: { + input: GetTriggersCommandInput; + output: GetTriggersCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetUnfilteredPartitionMetadataCommand.ts b/clients/client-glue/src/commands/GetUnfilteredPartitionMetadataCommand.ts index 92ec914a0423..55a302cdfb73 100644 --- a/clients/client-glue/src/commands/GetUnfilteredPartitionMetadataCommand.ts +++ b/clients/client-glue/src/commands/GetUnfilteredPartitionMetadataCommand.ts @@ -204,4 +204,16 @@ export class GetUnfilteredPartitionMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetUnfilteredPartitionMetadataCommand) .de(de_GetUnfilteredPartitionMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUnfilteredPartitionMetadataRequest; + output: GetUnfilteredPartitionMetadataResponse; + }; + sdk: { + input: GetUnfilteredPartitionMetadataCommandInput; + output: GetUnfilteredPartitionMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetUnfilteredPartitionsMetadataCommand.ts b/clients/client-glue/src/commands/GetUnfilteredPartitionsMetadataCommand.ts index 5317b4c61f02..07444b8a4109 100644 --- a/clients/client-glue/src/commands/GetUnfilteredPartitionsMetadataCommand.ts +++ b/clients/client-glue/src/commands/GetUnfilteredPartitionsMetadataCommand.ts @@ -213,4 +213,16 @@ export class GetUnfilteredPartitionsMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetUnfilteredPartitionsMetadataCommand) .de(de_GetUnfilteredPartitionsMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUnfilteredPartitionsMetadataRequest; + output: GetUnfilteredPartitionsMetadataResponse; + }; + sdk: { + input: GetUnfilteredPartitionsMetadataCommandInput; + output: GetUnfilteredPartitionsMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetUnfilteredTableMetadataCommand.ts b/clients/client-glue/src/commands/GetUnfilteredTableMetadataCommand.ts index 009f3f96926a..4fddcc77785c 100644 --- a/clients/client-glue/src/commands/GetUnfilteredTableMetadataCommand.ts +++ b/clients/client-glue/src/commands/GetUnfilteredTableMetadataCommand.ts @@ -404,4 +404,16 @@ export class GetUnfilteredTableMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetUnfilteredTableMetadataCommand) .de(de_GetUnfilteredTableMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUnfilteredTableMetadataRequest; + output: GetUnfilteredTableMetadataResponse; + }; + sdk: { + input: GetUnfilteredTableMetadataCommandInput; + output: GetUnfilteredTableMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetUsageProfileCommand.ts b/clients/client-glue/src/commands/GetUsageProfileCommand.ts index 9037928e98a1..76029d43ee89 100644 --- a/clients/client-glue/src/commands/GetUsageProfileCommand.ts +++ b/clients/client-glue/src/commands/GetUsageProfileCommand.ts @@ -117,4 +117,16 @@ export class GetUsageProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetUsageProfileCommand) .de(de_GetUsageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsageProfileRequest; + output: GetUsageProfileResponse; + }; + sdk: { + input: GetUsageProfileCommandInput; + output: GetUsageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetUserDefinedFunctionCommand.ts b/clients/client-glue/src/commands/GetUserDefinedFunctionCommand.ts index 01c6f81cd5c3..1977032db840 100644 --- a/clients/client-glue/src/commands/GetUserDefinedFunctionCommand.ts +++ b/clients/client-glue/src/commands/GetUserDefinedFunctionCommand.ts @@ -108,4 +108,16 @@ export class GetUserDefinedFunctionCommand extends $Command .f(void 0, void 0) .ser(se_GetUserDefinedFunctionCommand) .de(de_GetUserDefinedFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserDefinedFunctionRequest; + output: GetUserDefinedFunctionResponse; + }; + sdk: { + input: GetUserDefinedFunctionCommandInput; + output: GetUserDefinedFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetUserDefinedFunctionsCommand.ts b/clients/client-glue/src/commands/GetUserDefinedFunctionsCommand.ts index ef59ca4ab378..c485e627ce5e 100644 --- a/clients/client-glue/src/commands/GetUserDefinedFunctionsCommand.ts +++ b/clients/client-glue/src/commands/GetUserDefinedFunctionsCommand.ts @@ -113,4 +113,16 @@ export class GetUserDefinedFunctionsCommand extends $Command .f(void 0, void 0) .ser(se_GetUserDefinedFunctionsCommand) .de(de_GetUserDefinedFunctionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserDefinedFunctionsRequest; + output: GetUserDefinedFunctionsResponse; + }; + sdk: { + input: GetUserDefinedFunctionsCommandInput; + output: GetUserDefinedFunctionsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetWorkflowCommand.ts b/clients/client-glue/src/commands/GetWorkflowCommand.ts index 6fd738bf2f68..9e883f19caed 100644 --- a/clients/client-glue/src/commands/GetWorkflowCommand.ts +++ b/clients/client-glue/src/commands/GetWorkflowCommand.ts @@ -349,4 +349,16 @@ export class GetWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowCommand) .de(de_GetWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRequest; + output: GetWorkflowResponse; + }; + sdk: { + input: GetWorkflowCommandInput; + output: GetWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetWorkflowRunCommand.ts b/clients/client-glue/src/commands/GetWorkflowRunCommand.ts index 08901dd577f4..00c001a2a35d 100644 --- a/clients/client-glue/src/commands/GetWorkflowRunCommand.ts +++ b/clients/client-glue/src/commands/GetWorkflowRunCommand.ts @@ -228,4 +228,16 @@ export class GetWorkflowRunCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowRunCommand) .de(de_GetWorkflowRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRunRequest; + output: GetWorkflowRunResponse; + }; + sdk: { + input: GetWorkflowRunCommandInput; + output: GetWorkflowRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetWorkflowRunPropertiesCommand.ts b/clients/client-glue/src/commands/GetWorkflowRunPropertiesCommand.ts index e0e3479be9f1..6337b8883795 100644 --- a/clients/client-glue/src/commands/GetWorkflowRunPropertiesCommand.ts +++ b/clients/client-glue/src/commands/GetWorkflowRunPropertiesCommand.ts @@ -92,4 +92,16 @@ export class GetWorkflowRunPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowRunPropertiesCommand) .de(de_GetWorkflowRunPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRunPropertiesRequest; + output: GetWorkflowRunPropertiesResponse; + }; + sdk: { + input: GetWorkflowRunPropertiesCommandInput; + output: GetWorkflowRunPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/GetWorkflowRunsCommand.ts b/clients/client-glue/src/commands/GetWorkflowRunsCommand.ts index 260bbb20e0c0..b20b4ce0465c 100644 --- a/clients/client-glue/src/commands/GetWorkflowRunsCommand.ts +++ b/clients/client-glue/src/commands/GetWorkflowRunsCommand.ts @@ -232,4 +232,16 @@ export class GetWorkflowRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowRunsCommand) .de(de_GetWorkflowRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRunsRequest; + output: GetWorkflowRunsResponse; + }; + sdk: { + input: GetWorkflowRunsCommandInput; + output: GetWorkflowRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ImportCatalogToGlueCommand.ts b/clients/client-glue/src/commands/ImportCatalogToGlueCommand.ts index 2ead157551ab..244fe2e7f825 100644 --- a/clients/client-glue/src/commands/ImportCatalogToGlueCommand.ts +++ b/clients/client-glue/src/commands/ImportCatalogToGlueCommand.ts @@ -81,4 +81,16 @@ export class ImportCatalogToGlueCommand extends $Command .f(void 0, void 0) .ser(se_ImportCatalogToGlueCommand) .de(de_ImportCatalogToGlueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportCatalogToGlueRequest; + output: {}; + }; + sdk: { + input: ImportCatalogToGlueCommandInput; + output: ImportCatalogToGlueCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListBlueprintsCommand.ts b/clients/client-glue/src/commands/ListBlueprintsCommand.ts index 7a81e5299bae..5934c1bb4186 100644 --- a/clients/client-glue/src/commands/ListBlueprintsCommand.ts +++ b/clients/client-glue/src/commands/ListBlueprintsCommand.ts @@ -93,4 +93,16 @@ export class ListBlueprintsCommand extends $Command .f(void 0, void 0) .ser(se_ListBlueprintsCommand) .de(de_ListBlueprintsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBlueprintsRequest; + output: ListBlueprintsResponse; + }; + sdk: { + input: ListBlueprintsCommandInput; + output: ListBlueprintsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListColumnStatisticsTaskRunsCommand.ts b/clients/client-glue/src/commands/ListColumnStatisticsTaskRunsCommand.ts index 19ee3785dc54..f1057781cc20 100644 --- a/clients/client-glue/src/commands/ListColumnStatisticsTaskRunsCommand.ts +++ b/clients/client-glue/src/commands/ListColumnStatisticsTaskRunsCommand.ts @@ -89,4 +89,16 @@ export class ListColumnStatisticsTaskRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListColumnStatisticsTaskRunsCommand) .de(de_ListColumnStatisticsTaskRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListColumnStatisticsTaskRunsRequest; + output: ListColumnStatisticsTaskRunsResponse; + }; + sdk: { + input: ListColumnStatisticsTaskRunsCommandInput; + output: ListColumnStatisticsTaskRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListCrawlersCommand.ts b/clients/client-glue/src/commands/ListCrawlersCommand.ts index 296f57633e4e..bf3960eb0ec1 100644 --- a/clients/client-glue/src/commands/ListCrawlersCommand.ts +++ b/clients/client-glue/src/commands/ListCrawlersCommand.ts @@ -92,4 +92,16 @@ export class ListCrawlersCommand extends $Command .f(void 0, void 0) .ser(se_ListCrawlersCommand) .de(de_ListCrawlersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCrawlersRequest; + output: ListCrawlersResponse; + }; + sdk: { + input: ListCrawlersCommandInput; + output: ListCrawlersCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListCrawlsCommand.ts b/clients/client-glue/src/commands/ListCrawlsCommand.ts index fcd48825e95d..c6711b4b0c3c 100644 --- a/clients/client-glue/src/commands/ListCrawlsCommand.ts +++ b/clients/client-glue/src/commands/ListCrawlsCommand.ts @@ -124,4 +124,16 @@ export class ListCrawlsCommand extends $Command .f(void 0, void 0) .ser(se_ListCrawlsCommand) .de(de_ListCrawlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCrawlsRequest; + output: ListCrawlsResponse; + }; + sdk: { + input: ListCrawlsCommandInput; + output: ListCrawlsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListCustomEntityTypesCommand.ts b/clients/client-glue/src/commands/ListCustomEntityTypesCommand.ts index b13921869f40..cd52ae5318eb 100644 --- a/clients/client-glue/src/commands/ListCustomEntityTypesCommand.ts +++ b/clients/client-glue/src/commands/ListCustomEntityTypesCommand.ts @@ -99,4 +99,16 @@ export class ListCustomEntityTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomEntityTypesCommand) .de(de_ListCustomEntityTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomEntityTypesRequest; + output: ListCustomEntityTypesResponse; + }; + sdk: { + input: ListCustomEntityTypesCommandInput; + output: ListCustomEntityTypesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListDataQualityResultsCommand.ts b/clients/client-glue/src/commands/ListDataQualityResultsCommand.ts index 15b52c5bd8fd..9068f745f44c 100644 --- a/clients/client-glue/src/commands/ListDataQualityResultsCommand.ts +++ b/clients/client-glue/src/commands/ListDataQualityResultsCommand.ts @@ -123,4 +123,16 @@ export class ListDataQualityResultsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataQualityResultsCommand) .de(de_ListDataQualityResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataQualityResultsRequest; + output: ListDataQualityResultsResponse; + }; + sdk: { + input: ListDataQualityResultsCommandInput; + output: ListDataQualityResultsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListDataQualityRuleRecommendationRunsCommand.ts b/clients/client-glue/src/commands/ListDataQualityRuleRecommendationRunsCommand.ts index f81a3bba4dc9..324adacbec3c 100644 --- a/clients/client-glue/src/commands/ListDataQualityRuleRecommendationRunsCommand.ts +++ b/clients/client-glue/src/commands/ListDataQualityRuleRecommendationRunsCommand.ts @@ -129,4 +129,16 @@ export class ListDataQualityRuleRecommendationRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataQualityRuleRecommendationRunsCommand) .de(de_ListDataQualityRuleRecommendationRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataQualityRuleRecommendationRunsRequest; + output: ListDataQualityRuleRecommendationRunsResponse; + }; + sdk: { + input: ListDataQualityRuleRecommendationRunsCommandInput; + output: ListDataQualityRuleRecommendationRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListDataQualityRulesetEvaluationRunsCommand.ts b/clients/client-glue/src/commands/ListDataQualityRulesetEvaluationRunsCommand.ts index ea0fa37f6ee7..bd7927cb2758 100644 --- a/clients/client-glue/src/commands/ListDataQualityRulesetEvaluationRunsCommand.ts +++ b/clients/client-glue/src/commands/ListDataQualityRulesetEvaluationRunsCommand.ts @@ -128,4 +128,16 @@ export class ListDataQualityRulesetEvaluationRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataQualityRulesetEvaluationRunsCommand) .de(de_ListDataQualityRulesetEvaluationRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataQualityRulesetEvaluationRunsRequest; + output: ListDataQualityRulesetEvaluationRunsResponse; + }; + sdk: { + input: ListDataQualityRulesetEvaluationRunsCommandInput; + output: ListDataQualityRulesetEvaluationRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListDataQualityRulesetsCommand.ts b/clients/client-glue/src/commands/ListDataQualityRulesetsCommand.ts index 5f53f1dd25bc..c281ef8bbad9 100644 --- a/clients/client-glue/src/commands/ListDataQualityRulesetsCommand.ts +++ b/clients/client-glue/src/commands/ListDataQualityRulesetsCommand.ts @@ -121,4 +121,16 @@ export class ListDataQualityRulesetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataQualityRulesetsCommand) .de(de_ListDataQualityRulesetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataQualityRulesetsRequest; + output: ListDataQualityRulesetsResponse; + }; + sdk: { + input: ListDataQualityRulesetsCommandInput; + output: ListDataQualityRulesetsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListDataQualityStatisticAnnotationsCommand.ts b/clients/client-glue/src/commands/ListDataQualityStatisticAnnotationsCommand.ts index 13a481eb3b99..52c3e9ec0584 100644 --- a/clients/client-glue/src/commands/ListDataQualityStatisticAnnotationsCommand.ts +++ b/clients/client-glue/src/commands/ListDataQualityStatisticAnnotationsCommand.ts @@ -109,4 +109,16 @@ export class ListDataQualityStatisticAnnotationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataQualityStatisticAnnotationsCommand) .de(de_ListDataQualityStatisticAnnotationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataQualityStatisticAnnotationsRequest; + output: ListDataQualityStatisticAnnotationsResponse; + }; + sdk: { + input: ListDataQualityStatisticAnnotationsCommandInput; + output: ListDataQualityStatisticAnnotationsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListDataQualityStatisticsCommand.ts b/clients/client-glue/src/commands/ListDataQualityStatisticsCommand.ts index bf0c3b6d4476..166372e3aefa 100644 --- a/clients/client-glue/src/commands/ListDataQualityStatisticsCommand.ts +++ b/clients/client-glue/src/commands/ListDataQualityStatisticsCommand.ts @@ -124,4 +124,16 @@ export class ListDataQualityStatisticsCommand extends $Command .f(void 0, ListDataQualityStatisticsResponseFilterSensitiveLog) .ser(se_ListDataQualityStatisticsCommand) .de(de_ListDataQualityStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataQualityStatisticsRequest; + output: ListDataQualityStatisticsResponse; + }; + sdk: { + input: ListDataQualityStatisticsCommandInput; + output: ListDataQualityStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListDevEndpointsCommand.ts b/clients/client-glue/src/commands/ListDevEndpointsCommand.ts index 0bdbb27cf8ff..f00f368fe88f 100644 --- a/clients/client-glue/src/commands/ListDevEndpointsCommand.ts +++ b/clients/client-glue/src/commands/ListDevEndpointsCommand.ts @@ -101,4 +101,16 @@ export class ListDevEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListDevEndpointsCommand) .de(de_ListDevEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevEndpointsRequest; + output: ListDevEndpointsResponse; + }; + sdk: { + input: ListDevEndpointsCommandInput; + output: ListDevEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListJobsCommand.ts b/clients/client-glue/src/commands/ListJobsCommand.ts index 11ca01317382..40692c51f6be 100644 --- a/clients/client-glue/src/commands/ListJobsCommand.ts +++ b/clients/client-glue/src/commands/ListJobsCommand.ts @@ -99,4 +99,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResponse; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListMLTransformsCommand.ts b/clients/client-glue/src/commands/ListMLTransformsCommand.ts index 4e2319e377b4..880925e3c246 100644 --- a/clients/client-glue/src/commands/ListMLTransformsCommand.ts +++ b/clients/client-glue/src/commands/ListMLTransformsCommand.ts @@ -120,4 +120,16 @@ export class ListMLTransformsCommand extends $Command .f(void 0, void 0) .ser(se_ListMLTransformsCommand) .de(de_ListMLTransformsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMLTransformsRequest; + output: ListMLTransformsResponse; + }; + sdk: { + input: ListMLTransformsCommandInput; + output: ListMLTransformsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListRegistriesCommand.ts b/clients/client-glue/src/commands/ListRegistriesCommand.ts index 0c4f01594dc5..454f49502524 100644 --- a/clients/client-glue/src/commands/ListRegistriesCommand.ts +++ b/clients/client-glue/src/commands/ListRegistriesCommand.ts @@ -97,4 +97,16 @@ export class ListRegistriesCommand extends $Command .f(void 0, void 0) .ser(se_ListRegistriesCommand) .de(de_ListRegistriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegistriesInput; + output: ListRegistriesResponse; + }; + sdk: { + input: ListRegistriesCommandInput; + output: ListRegistriesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListSchemaVersionsCommand.ts b/clients/client-glue/src/commands/ListSchemaVersionsCommand.ts index 531504e08ea6..aa2aa61cbcca 100644 --- a/clients/client-glue/src/commands/ListSchemaVersionsCommand.ts +++ b/clients/client-glue/src/commands/ListSchemaVersionsCommand.ts @@ -104,4 +104,16 @@ export class ListSchemaVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemaVersionsCommand) .de(de_ListSchemaVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemaVersionsInput; + output: ListSchemaVersionsResponse; + }; + sdk: { + input: ListSchemaVersionsCommandInput; + output: ListSchemaVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListSchemasCommand.ts b/clients/client-glue/src/commands/ListSchemasCommand.ts index 97d33f443aae..e50a2ccd987b 100644 --- a/clients/client-glue/src/commands/ListSchemasCommand.ts +++ b/clients/client-glue/src/commands/ListSchemasCommand.ts @@ -106,4 +106,16 @@ export class ListSchemasCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemasCommand) .de(de_ListSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemasInput; + output: ListSchemasResponse; + }; + sdk: { + input: ListSchemasCommandInput; + output: ListSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListSessionsCommand.ts b/clients/client-glue/src/commands/ListSessionsCommand.ts index fc4627a07533..3791ee73aa07 100644 --- a/clients/client-glue/src/commands/ListSessionsCommand.ts +++ b/clients/client-glue/src/commands/ListSessionsCommand.ts @@ -130,4 +130,16 @@ export class ListSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSessionsCommand) .de(de_ListSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionsRequest; + output: ListSessionsResponse; + }; + sdk: { + input: ListSessionsCommandInput; + output: ListSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListStatementsCommand.ts b/clients/client-glue/src/commands/ListStatementsCommand.ts index a8205a66d860..ef6563fa1004 100644 --- a/clients/client-glue/src/commands/ListStatementsCommand.ts +++ b/clients/client-glue/src/commands/ListStatementsCommand.ts @@ -119,4 +119,16 @@ export class ListStatementsCommand extends $Command .f(void 0, void 0) .ser(se_ListStatementsCommand) .de(de_ListStatementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStatementsRequest; + output: ListStatementsResponse; + }; + sdk: { + input: ListStatementsCommandInput; + output: ListStatementsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListTableOptimizerRunsCommand.ts b/clients/client-glue/src/commands/ListTableOptimizerRunsCommand.ts index dff2f252642d..c4dc3768035e 100644 --- a/clients/client-glue/src/commands/ListTableOptimizerRunsCommand.ts +++ b/clients/client-glue/src/commands/ListTableOptimizerRunsCommand.ts @@ -141,4 +141,16 @@ export class ListTableOptimizerRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListTableOptimizerRunsCommand) .de(de_ListTableOptimizerRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTableOptimizerRunsRequest; + output: ListTableOptimizerRunsResponse; + }; + sdk: { + input: ListTableOptimizerRunsCommandInput; + output: ListTableOptimizerRunsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListTriggersCommand.ts b/clients/client-glue/src/commands/ListTriggersCommand.ts index ea8ea72f72da..4d7eb81e80de 100644 --- a/clients/client-glue/src/commands/ListTriggersCommand.ts +++ b/clients/client-glue/src/commands/ListTriggersCommand.ts @@ -100,4 +100,16 @@ export class ListTriggersCommand extends $Command .f(void 0, void 0) .ser(se_ListTriggersCommand) .de(de_ListTriggersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTriggersRequest; + output: ListTriggersResponse; + }; + sdk: { + input: ListTriggersCommandInput; + output: ListTriggersCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListUsageProfilesCommand.ts b/clients/client-glue/src/commands/ListUsageProfilesCommand.ts index 9178a506fbac..5965928583e5 100644 --- a/clients/client-glue/src/commands/ListUsageProfilesCommand.ts +++ b/clients/client-glue/src/commands/ListUsageProfilesCommand.ts @@ -98,4 +98,16 @@ export class ListUsageProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListUsageProfilesCommand) .de(de_ListUsageProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsageProfilesRequest; + output: ListUsageProfilesResponse; + }; + sdk: { + input: ListUsageProfilesCommandInput; + output: ListUsageProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ListWorkflowsCommand.ts b/clients/client-glue/src/commands/ListWorkflowsCommand.ts index cabf333b527c..757c762faea7 100644 --- a/clients/client-glue/src/commands/ListWorkflowsCommand.ts +++ b/clients/client-glue/src/commands/ListWorkflowsCommand.ts @@ -90,4 +90,16 @@ export class ListWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowsCommand) .de(de_ListWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowsRequest; + output: ListWorkflowsResponse; + }; + sdk: { + input: ListWorkflowsCommandInput; + output: ListWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/PutDataCatalogEncryptionSettingsCommand.ts b/clients/client-glue/src/commands/PutDataCatalogEncryptionSettingsCommand.ts index 8660044f7a8e..74a3348fb2ae 100644 --- a/clients/client-glue/src/commands/PutDataCatalogEncryptionSettingsCommand.ts +++ b/clients/client-glue/src/commands/PutDataCatalogEncryptionSettingsCommand.ts @@ -101,4 +101,16 @@ export class PutDataCatalogEncryptionSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutDataCatalogEncryptionSettingsCommand) .de(de_PutDataCatalogEncryptionSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDataCatalogEncryptionSettingsRequest; + output: {}; + }; + sdk: { + input: PutDataCatalogEncryptionSettingsCommandInput; + output: PutDataCatalogEncryptionSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/PutDataQualityProfileAnnotationCommand.ts b/clients/client-glue/src/commands/PutDataQualityProfileAnnotationCommand.ts index 06f2ddf2a2dd..dc45e7439190 100644 --- a/clients/client-glue/src/commands/PutDataQualityProfileAnnotationCommand.ts +++ b/clients/client-glue/src/commands/PutDataQualityProfileAnnotationCommand.ts @@ -90,4 +90,16 @@ export class PutDataQualityProfileAnnotationCommand extends $Command .f(void 0, void 0) .ser(se_PutDataQualityProfileAnnotationCommand) .de(de_PutDataQualityProfileAnnotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDataQualityProfileAnnotationRequest; + output: {}; + }; + sdk: { + input: PutDataQualityProfileAnnotationCommandInput; + output: PutDataQualityProfileAnnotationCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/PutResourcePolicyCommand.ts b/clients/client-glue/src/commands/PutResourcePolicyCommand.ts index 6a9ecaded3ac..ba31a6dcf3be 100644 --- a/clients/client-glue/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-glue/src/commands/PutResourcePolicyCommand.ts @@ -96,4 +96,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/PutSchemaVersionMetadataCommand.ts b/clients/client-glue/src/commands/PutSchemaVersionMetadataCommand.ts index ed81f313dab8..668c94bd1bad 100644 --- a/clients/client-glue/src/commands/PutSchemaVersionMetadataCommand.ts +++ b/clients/client-glue/src/commands/PutSchemaVersionMetadataCommand.ts @@ -112,4 +112,16 @@ export class PutSchemaVersionMetadataCommand extends $Command .f(void 0, void 0) .ser(se_PutSchemaVersionMetadataCommand) .de(de_PutSchemaVersionMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSchemaVersionMetadataInput; + output: PutSchemaVersionMetadataResponse; + }; + sdk: { + input: PutSchemaVersionMetadataCommandInput; + output: PutSchemaVersionMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/PutWorkflowRunPropertiesCommand.ts b/clients/client-glue/src/commands/PutWorkflowRunPropertiesCommand.ts index 014af80d0b67..85e73ba3f9e3 100644 --- a/clients/client-glue/src/commands/PutWorkflowRunPropertiesCommand.ts +++ b/clients/client-glue/src/commands/PutWorkflowRunPropertiesCommand.ts @@ -100,4 +100,16 @@ export class PutWorkflowRunPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_PutWorkflowRunPropertiesCommand) .de(de_PutWorkflowRunPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWorkflowRunPropertiesRequest; + output: {}; + }; + sdk: { + input: PutWorkflowRunPropertiesCommandInput; + output: PutWorkflowRunPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/QuerySchemaVersionMetadataCommand.ts b/clients/client-glue/src/commands/QuerySchemaVersionMetadataCommand.ts index 9829d2aad2af..ae1aeda8c845 100644 --- a/clients/client-glue/src/commands/QuerySchemaVersionMetadataCommand.ts +++ b/clients/client-glue/src/commands/QuerySchemaVersionMetadataCommand.ts @@ -116,4 +116,16 @@ export class QuerySchemaVersionMetadataCommand extends $Command .f(void 0, void 0) .ser(se_QuerySchemaVersionMetadataCommand) .de(de_QuerySchemaVersionMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QuerySchemaVersionMetadataInput; + output: QuerySchemaVersionMetadataResponse; + }; + sdk: { + input: QuerySchemaVersionMetadataCommandInput; + output: QuerySchemaVersionMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/RegisterSchemaVersionCommand.ts b/clients/client-glue/src/commands/RegisterSchemaVersionCommand.ts index bccf7ceedc8d..3401824a1cf3 100644 --- a/clients/client-glue/src/commands/RegisterSchemaVersionCommand.ts +++ b/clients/client-glue/src/commands/RegisterSchemaVersionCommand.ts @@ -104,4 +104,16 @@ export class RegisterSchemaVersionCommand extends $Command .f(void 0, void 0) .ser(se_RegisterSchemaVersionCommand) .de(de_RegisterSchemaVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterSchemaVersionInput; + output: RegisterSchemaVersionResponse; + }; + sdk: { + input: RegisterSchemaVersionCommandInput; + output: RegisterSchemaVersionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/RemoveSchemaVersionMetadataCommand.ts b/clients/client-glue/src/commands/RemoveSchemaVersionMetadataCommand.ts index 31469b784a11..4af535b2c6d3 100644 --- a/clients/client-glue/src/commands/RemoveSchemaVersionMetadataCommand.ts +++ b/clients/client-glue/src/commands/RemoveSchemaVersionMetadataCommand.ts @@ -108,4 +108,16 @@ export class RemoveSchemaVersionMetadataCommand extends $Command .f(void 0, void 0) .ser(se_RemoveSchemaVersionMetadataCommand) .de(de_RemoveSchemaVersionMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveSchemaVersionMetadataInput; + output: RemoveSchemaVersionMetadataResponse; + }; + sdk: { + input: RemoveSchemaVersionMetadataCommandInput; + output: RemoveSchemaVersionMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ResetJobBookmarkCommand.ts b/clients/client-glue/src/commands/ResetJobBookmarkCommand.ts index c42634eb90c8..5809c4dea873 100644 --- a/clients/client-glue/src/commands/ResetJobBookmarkCommand.ts +++ b/clients/client-glue/src/commands/ResetJobBookmarkCommand.ts @@ -116,4 +116,16 @@ export class ResetJobBookmarkCommand extends $Command .f(void 0, void 0) .ser(se_ResetJobBookmarkCommand) .de(de_ResetJobBookmarkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetJobBookmarkRequest; + output: ResetJobBookmarkResponse; + }; + sdk: { + input: ResetJobBookmarkCommandInput; + output: ResetJobBookmarkCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/ResumeWorkflowRunCommand.ts b/clients/client-glue/src/commands/ResumeWorkflowRunCommand.ts index 9dd7e0eef75b..73f379da5513 100644 --- a/clients/client-glue/src/commands/ResumeWorkflowRunCommand.ts +++ b/clients/client-glue/src/commands/ResumeWorkflowRunCommand.ts @@ -102,4 +102,16 @@ export class ResumeWorkflowRunCommand extends $Command .f(void 0, void 0) .ser(se_ResumeWorkflowRunCommand) .de(de_ResumeWorkflowRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeWorkflowRunRequest; + output: ResumeWorkflowRunResponse; + }; + sdk: { + input: ResumeWorkflowRunCommandInput; + output: ResumeWorkflowRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/RunStatementCommand.ts b/clients/client-glue/src/commands/RunStatementCommand.ts index 117999dca7ef..85968711d249 100644 --- a/clients/client-glue/src/commands/RunStatementCommand.ts +++ b/clients/client-glue/src/commands/RunStatementCommand.ts @@ -103,4 +103,16 @@ export class RunStatementCommand extends $Command .f(void 0, void 0) .ser(se_RunStatementCommand) .de(de_RunStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RunStatementRequest; + output: RunStatementResponse; + }; + sdk: { + input: RunStatementCommandInput; + output: RunStatementCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/SearchTablesCommand.ts b/clients/client-glue/src/commands/SearchTablesCommand.ts index 543b8a28e3b2..d2decd82eb0a 100644 --- a/clients/client-glue/src/commands/SearchTablesCommand.ts +++ b/clients/client-glue/src/commands/SearchTablesCommand.ts @@ -363,4 +363,16 @@ export class SearchTablesCommand extends $Command .f(void 0, void 0) .ser(se_SearchTablesCommand) .de(de_SearchTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchTablesRequest; + output: SearchTablesResponse; + }; + sdk: { + input: SearchTablesCommandInput; + output: SearchTablesCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartBlueprintRunCommand.ts b/clients/client-glue/src/commands/StartBlueprintRunCommand.ts index 28c0516d36a4..0ec806c012ae 100644 --- a/clients/client-glue/src/commands/StartBlueprintRunCommand.ts +++ b/clients/client-glue/src/commands/StartBlueprintRunCommand.ts @@ -97,4 +97,16 @@ export class StartBlueprintRunCommand extends $Command .f(void 0, void 0) .ser(se_StartBlueprintRunCommand) .de(de_StartBlueprintRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBlueprintRunRequest; + output: StartBlueprintRunResponse; + }; + sdk: { + input: StartBlueprintRunCommandInput; + output: StartBlueprintRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartColumnStatisticsTaskRunCommand.ts b/clients/client-glue/src/commands/StartColumnStatisticsTaskRunCommand.ts index 999d26a76124..c86f30ee011b 100644 --- a/clients/client-glue/src/commands/StartColumnStatisticsTaskRunCommand.ts +++ b/clients/client-glue/src/commands/StartColumnStatisticsTaskRunCommand.ts @@ -108,4 +108,16 @@ export class StartColumnStatisticsTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_StartColumnStatisticsTaskRunCommand) .de(de_StartColumnStatisticsTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartColumnStatisticsTaskRunRequest; + output: StartColumnStatisticsTaskRunResponse; + }; + sdk: { + input: StartColumnStatisticsTaskRunCommandInput; + output: StartColumnStatisticsTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartCrawlerCommand.ts b/clients/client-glue/src/commands/StartCrawlerCommand.ts index 328c44b7c634..ffddb10f21cb 100644 --- a/clients/client-glue/src/commands/StartCrawlerCommand.ts +++ b/clients/client-glue/src/commands/StartCrawlerCommand.ts @@ -86,4 +86,16 @@ export class StartCrawlerCommand extends $Command .f(void 0, void 0) .ser(se_StartCrawlerCommand) .de(de_StartCrawlerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCrawlerRequest; + output: {}; + }; + sdk: { + input: StartCrawlerCommandInput; + output: StartCrawlerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartCrawlerScheduleCommand.ts b/clients/client-glue/src/commands/StartCrawlerScheduleCommand.ts index 3a31484f3b5c..5d068ae0fc61 100644 --- a/clients/client-glue/src/commands/StartCrawlerScheduleCommand.ts +++ b/clients/client-glue/src/commands/StartCrawlerScheduleCommand.ts @@ -92,4 +92,16 @@ export class StartCrawlerScheduleCommand extends $Command .f(void 0, void 0) .ser(se_StartCrawlerScheduleCommand) .de(de_StartCrawlerScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCrawlerScheduleRequest; + output: {}; + }; + sdk: { + input: StartCrawlerScheduleCommandInput; + output: StartCrawlerScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartDataQualityRuleRecommendationRunCommand.ts b/clients/client-glue/src/commands/StartDataQualityRuleRecommendationRunCommand.ts index e1241bc9805c..e3d4575e7ad7 100644 --- a/clients/client-glue/src/commands/StartDataQualityRuleRecommendationRunCommand.ts +++ b/clients/client-glue/src/commands/StartDataQualityRuleRecommendationRunCommand.ts @@ -115,4 +115,16 @@ export class StartDataQualityRuleRecommendationRunCommand extends $Command .f(void 0, void 0) .ser(se_StartDataQualityRuleRecommendationRunCommand) .de(de_StartDataQualityRuleRecommendationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataQualityRuleRecommendationRunRequest; + output: StartDataQualityRuleRecommendationRunResponse; + }; + sdk: { + input: StartDataQualityRuleRecommendationRunCommandInput; + output: StartDataQualityRuleRecommendationRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartDataQualityRulesetEvaluationRunCommand.ts b/clients/client-glue/src/commands/StartDataQualityRulesetEvaluationRunCommand.ts index 20fb1d422fd6..d8beef5a8a94 100644 --- a/clients/client-glue/src/commands/StartDataQualityRulesetEvaluationRunCommand.ts +++ b/clients/client-glue/src/commands/StartDataQualityRulesetEvaluationRunCommand.ts @@ -135,4 +135,16 @@ export class StartDataQualityRulesetEvaluationRunCommand extends $Command .f(void 0, void 0) .ser(se_StartDataQualityRulesetEvaluationRunCommand) .de(de_StartDataQualityRulesetEvaluationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataQualityRulesetEvaluationRunRequest; + output: StartDataQualityRulesetEvaluationRunResponse; + }; + sdk: { + input: StartDataQualityRulesetEvaluationRunCommandInput; + output: StartDataQualityRulesetEvaluationRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartExportLabelsTaskRunCommand.ts b/clients/client-glue/src/commands/StartExportLabelsTaskRunCommand.ts index a0cddcd55354..45a9a6e4c1f8 100644 --- a/clients/client-glue/src/commands/StartExportLabelsTaskRunCommand.ts +++ b/clients/client-glue/src/commands/StartExportLabelsTaskRunCommand.ts @@ -98,4 +98,16 @@ export class StartExportLabelsTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_StartExportLabelsTaskRunCommand) .de(de_StartExportLabelsTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExportLabelsTaskRunRequest; + output: StartExportLabelsTaskRunResponse; + }; + sdk: { + input: StartExportLabelsTaskRunCommandInput; + output: StartExportLabelsTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartImportLabelsTaskRunCommand.ts b/clients/client-glue/src/commands/StartImportLabelsTaskRunCommand.ts index aa6a86d6ddf1..c08f18368abf 100644 --- a/clients/client-glue/src/commands/StartImportLabelsTaskRunCommand.ts +++ b/clients/client-glue/src/commands/StartImportLabelsTaskRunCommand.ts @@ -115,4 +115,16 @@ export class StartImportLabelsTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_StartImportLabelsTaskRunCommand) .de(de_StartImportLabelsTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportLabelsTaskRunRequest; + output: StartImportLabelsTaskRunResponse; + }; + sdk: { + input: StartImportLabelsTaskRunCommandInput; + output: StartImportLabelsTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartJobRunCommand.ts b/clients/client-glue/src/commands/StartJobRunCommand.ts index a74f6369a7bf..4682175ec164 100644 --- a/clients/client-glue/src/commands/StartJobRunCommand.ts +++ b/clients/client-glue/src/commands/StartJobRunCommand.ts @@ -110,4 +110,16 @@ export class StartJobRunCommand extends $Command .f(void 0, void 0) .ser(se_StartJobRunCommand) .de(de_StartJobRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartJobRunRequest; + output: StartJobRunResponse; + }; + sdk: { + input: StartJobRunCommandInput; + output: StartJobRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartMLEvaluationTaskRunCommand.ts b/clients/client-glue/src/commands/StartMLEvaluationTaskRunCommand.ts index 22e25490b77b..84c51ca0641a 100644 --- a/clients/client-glue/src/commands/StartMLEvaluationTaskRunCommand.ts +++ b/clients/client-glue/src/commands/StartMLEvaluationTaskRunCommand.ts @@ -100,4 +100,16 @@ export class StartMLEvaluationTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_StartMLEvaluationTaskRunCommand) .de(de_StartMLEvaluationTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMLEvaluationTaskRunRequest; + output: StartMLEvaluationTaskRunResponse; + }; + sdk: { + input: StartMLEvaluationTaskRunCommandInput; + output: StartMLEvaluationTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartMLLabelingSetGenerationTaskRunCommand.ts b/clients/client-glue/src/commands/StartMLLabelingSetGenerationTaskRunCommand.ts index 978a1dcc9434..cc7f26cb80df 100644 --- a/clients/client-glue/src/commands/StartMLLabelingSetGenerationTaskRunCommand.ts +++ b/clients/client-glue/src/commands/StartMLLabelingSetGenerationTaskRunCommand.ts @@ -111,4 +111,16 @@ export class StartMLLabelingSetGenerationTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_StartMLLabelingSetGenerationTaskRunCommand) .de(de_StartMLLabelingSetGenerationTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMLLabelingSetGenerationTaskRunRequest; + output: StartMLLabelingSetGenerationTaskRunResponse; + }; + sdk: { + input: StartMLLabelingSetGenerationTaskRunCommandInput; + output: StartMLLabelingSetGenerationTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartTriggerCommand.ts b/clients/client-glue/src/commands/StartTriggerCommand.ts index 1550e671065d..901c07279aa2 100644 --- a/clients/client-glue/src/commands/StartTriggerCommand.ts +++ b/clients/client-glue/src/commands/StartTriggerCommand.ts @@ -97,4 +97,16 @@ export class StartTriggerCommand extends $Command .f(void 0, void 0) .ser(se_StartTriggerCommand) .de(de_StartTriggerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTriggerRequest; + output: StartTriggerResponse; + }; + sdk: { + input: StartTriggerCommandInput; + output: StartTriggerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StartWorkflowRunCommand.ts b/clients/client-glue/src/commands/StartWorkflowRunCommand.ts index 6e116f728d02..4c8699c6cd3a 100644 --- a/clients/client-glue/src/commands/StartWorkflowRunCommand.ts +++ b/clients/client-glue/src/commands/StartWorkflowRunCommand.ts @@ -98,4 +98,16 @@ export class StartWorkflowRunCommand extends $Command .f(void 0, void 0) .ser(se_StartWorkflowRunCommand) .de(de_StartWorkflowRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartWorkflowRunRequest; + output: StartWorkflowRunResponse; + }; + sdk: { + input: StartWorkflowRunCommandInput; + output: StartWorkflowRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StopColumnStatisticsTaskRunCommand.ts b/clients/client-glue/src/commands/StopColumnStatisticsTaskRunCommand.ts index f40f67fed991..fccf65c00cab 100644 --- a/clients/client-glue/src/commands/StopColumnStatisticsTaskRunCommand.ts +++ b/clients/client-glue/src/commands/StopColumnStatisticsTaskRunCommand.ts @@ -90,4 +90,16 @@ export class StopColumnStatisticsTaskRunCommand extends $Command .f(void 0, void 0) .ser(se_StopColumnStatisticsTaskRunCommand) .de(de_StopColumnStatisticsTaskRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopColumnStatisticsTaskRunRequest; + output: {}; + }; + sdk: { + input: StopColumnStatisticsTaskRunCommandInput; + output: StopColumnStatisticsTaskRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StopCrawlerCommand.ts b/clients/client-glue/src/commands/StopCrawlerCommand.ts index 7df4955307d5..c94c12e84558 100644 --- a/clients/client-glue/src/commands/StopCrawlerCommand.ts +++ b/clients/client-glue/src/commands/StopCrawlerCommand.ts @@ -87,4 +87,16 @@ export class StopCrawlerCommand extends $Command .f(void 0, void 0) .ser(se_StopCrawlerCommand) .de(de_StopCrawlerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCrawlerRequest; + output: {}; + }; + sdk: { + input: StopCrawlerCommandInput; + output: StopCrawlerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StopCrawlerScheduleCommand.ts b/clients/client-glue/src/commands/StopCrawlerScheduleCommand.ts index 59cf805d2423..c1e256e83eb0 100644 --- a/clients/client-glue/src/commands/StopCrawlerScheduleCommand.ts +++ b/clients/client-glue/src/commands/StopCrawlerScheduleCommand.ts @@ -89,4 +89,16 @@ export class StopCrawlerScheduleCommand extends $Command .f(void 0, void 0) .ser(se_StopCrawlerScheduleCommand) .de(de_StopCrawlerScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCrawlerScheduleRequest; + output: {}; + }; + sdk: { + input: StopCrawlerScheduleCommandInput; + output: StopCrawlerScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StopSessionCommand.ts b/clients/client-glue/src/commands/StopSessionCommand.ts index 1b1ead200339..9561a76a041b 100644 --- a/clients/client-glue/src/commands/StopSessionCommand.ts +++ b/clients/client-glue/src/commands/StopSessionCommand.ts @@ -96,4 +96,16 @@ export class StopSessionCommand extends $Command .f(void 0, void 0) .ser(se_StopSessionCommand) .de(de_StopSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSessionRequest; + output: StopSessionResponse; + }; + sdk: { + input: StopSessionCommandInput; + output: StopSessionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StopTriggerCommand.ts b/clients/client-glue/src/commands/StopTriggerCommand.ts index 52670203ff8a..86c79f19e992 100644 --- a/clients/client-glue/src/commands/StopTriggerCommand.ts +++ b/clients/client-glue/src/commands/StopTriggerCommand.ts @@ -92,4 +92,16 @@ export class StopTriggerCommand extends $Command .f(void 0, void 0) .ser(se_StopTriggerCommand) .de(de_StopTriggerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTriggerRequest; + output: StopTriggerResponse; + }; + sdk: { + input: StopTriggerCommandInput; + output: StopTriggerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/StopWorkflowRunCommand.ts b/clients/client-glue/src/commands/StopWorkflowRunCommand.ts index ff287114f253..8a10323bf94e 100644 --- a/clients/client-glue/src/commands/StopWorkflowRunCommand.ts +++ b/clients/client-glue/src/commands/StopWorkflowRunCommand.ts @@ -91,4 +91,16 @@ export class StopWorkflowRunCommand extends $Command .f(void 0, void 0) .ser(se_StopWorkflowRunCommand) .de(de_StopWorkflowRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopWorkflowRunRequest; + output: {}; + }; + sdk: { + input: StopWorkflowRunCommandInput; + output: StopWorkflowRunCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/TagResourceCommand.ts b/clients/client-glue/src/commands/TagResourceCommand.ts index b9f3fca00b72..6fea4c487213 100644 --- a/clients/client-glue/src/commands/TagResourceCommand.ts +++ b/clients/client-glue/src/commands/TagResourceCommand.ts @@ -92,4 +92,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UntagResourceCommand.ts b/clients/client-glue/src/commands/UntagResourceCommand.ts index ac4cb349e319..95417025a49f 100644 --- a/clients/client-glue/src/commands/UntagResourceCommand.ts +++ b/clients/client-glue/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateBlueprintCommand.ts b/clients/client-glue/src/commands/UpdateBlueprintCommand.ts index 16cf1b6fe512..3597f39bffe2 100644 --- a/clients/client-glue/src/commands/UpdateBlueprintCommand.ts +++ b/clients/client-glue/src/commands/UpdateBlueprintCommand.ts @@ -97,4 +97,16 @@ export class UpdateBlueprintCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBlueprintCommand) .de(de_UpdateBlueprintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBlueprintRequest; + output: UpdateBlueprintResponse; + }; + sdk: { + input: UpdateBlueprintCommandInput; + output: UpdateBlueprintCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateClassifierCommand.ts b/clients/client-glue/src/commands/UpdateClassifierCommand.ts index 900a12e1421b..327a9f6df5c7 100644 --- a/clients/client-glue/src/commands/UpdateClassifierCommand.ts +++ b/clients/client-glue/src/commands/UpdateClassifierCommand.ts @@ -119,4 +119,16 @@ export class UpdateClassifierCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClassifierCommand) .de(de_UpdateClassifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClassifierRequest; + output: {}; + }; + sdk: { + input: UpdateClassifierCommandInput; + output: UpdateClassifierCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateColumnStatisticsForPartitionCommand.ts b/clients/client-glue/src/commands/UpdateColumnStatisticsForPartitionCommand.ts index b3fe862dca37..eb3a16a5cd1a 100644 --- a/clients/client-glue/src/commands/UpdateColumnStatisticsForPartitionCommand.ts +++ b/clients/client-glue/src/commands/UpdateColumnStatisticsForPartitionCommand.ts @@ -223,4 +223,16 @@ export class UpdateColumnStatisticsForPartitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateColumnStatisticsForPartitionCommand) .de(de_UpdateColumnStatisticsForPartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateColumnStatisticsForPartitionRequest; + output: UpdateColumnStatisticsForPartitionResponse; + }; + sdk: { + input: UpdateColumnStatisticsForPartitionCommandInput; + output: UpdateColumnStatisticsForPartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateColumnStatisticsForTableCommand.ts b/clients/client-glue/src/commands/UpdateColumnStatisticsForTableCommand.ts index ba6b53f822ff..598875304502 100644 --- a/clients/client-glue/src/commands/UpdateColumnStatisticsForTableCommand.ts +++ b/clients/client-glue/src/commands/UpdateColumnStatisticsForTableCommand.ts @@ -217,4 +217,16 @@ export class UpdateColumnStatisticsForTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateColumnStatisticsForTableCommand) .de(de_UpdateColumnStatisticsForTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateColumnStatisticsForTableRequest; + output: UpdateColumnStatisticsForTableResponse; + }; + sdk: { + input: UpdateColumnStatisticsForTableCommandInput; + output: UpdateColumnStatisticsForTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateConnectionCommand.ts b/clients/client-glue/src/commands/UpdateConnectionCommand.ts index fdda85e0efe0..f0d8d202953d 100644 --- a/clients/client-glue/src/commands/UpdateConnectionCommand.ts +++ b/clients/client-glue/src/commands/UpdateConnectionCommand.ts @@ -126,4 +126,16 @@ export class UpdateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectionCommand) .de(de_UpdateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectionRequest; + output: {}; + }; + sdk: { + input: UpdateConnectionCommandInput; + output: UpdateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateCrawlerCommand.ts b/clients/client-glue/src/commands/UpdateCrawlerCommand.ts index 2c1ec7ef48d4..492800a6cbb4 100644 --- a/clients/client-glue/src/commands/UpdateCrawlerCommand.ts +++ b/clients/client-glue/src/commands/UpdateCrawlerCommand.ts @@ -197,4 +197,16 @@ export class UpdateCrawlerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCrawlerCommand) .de(de_UpdateCrawlerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCrawlerRequest; + output: {}; + }; + sdk: { + input: UpdateCrawlerCommandInput; + output: UpdateCrawlerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateCrawlerScheduleCommand.ts b/clients/client-glue/src/commands/UpdateCrawlerScheduleCommand.ts index 1afd87b691c2..d1daf23bb424 100644 --- a/clients/client-glue/src/commands/UpdateCrawlerScheduleCommand.ts +++ b/clients/client-glue/src/commands/UpdateCrawlerScheduleCommand.ts @@ -91,4 +91,16 @@ export class UpdateCrawlerScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCrawlerScheduleCommand) .de(de_UpdateCrawlerScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCrawlerScheduleRequest; + output: {}; + }; + sdk: { + input: UpdateCrawlerScheduleCommandInput; + output: UpdateCrawlerScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateDataQualityRulesetCommand.ts b/clients/client-glue/src/commands/UpdateDataQualityRulesetCommand.ts index c18cada0c2ba..b2d8e3e014a2 100644 --- a/clients/client-glue/src/commands/UpdateDataQualityRulesetCommand.ts +++ b/clients/client-glue/src/commands/UpdateDataQualityRulesetCommand.ts @@ -102,4 +102,16 @@ export class UpdateDataQualityRulesetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataQualityRulesetCommand) .de(de_UpdateDataQualityRulesetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataQualityRulesetRequest; + output: UpdateDataQualityRulesetResponse; + }; + sdk: { + input: UpdateDataQualityRulesetCommandInput; + output: UpdateDataQualityRulesetCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateDatabaseCommand.ts b/clients/client-glue/src/commands/UpdateDatabaseCommand.ts index e3b50f1efa68..9c97fe81aec6 100644 --- a/clients/client-glue/src/commands/UpdateDatabaseCommand.ts +++ b/clients/client-glue/src/commands/UpdateDatabaseCommand.ts @@ -121,4 +121,16 @@ export class UpdateDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatabaseCommand) .de(de_UpdateDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatabaseRequest; + output: {}; + }; + sdk: { + input: UpdateDatabaseCommandInput; + output: UpdateDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateDevEndpointCommand.ts b/clients/client-glue/src/commands/UpdateDevEndpointCommand.ts index 24acff6280c0..54e44df81457 100644 --- a/clients/client-glue/src/commands/UpdateDevEndpointCommand.ts +++ b/clients/client-glue/src/commands/UpdateDevEndpointCommand.ts @@ -108,4 +108,16 @@ export class UpdateDevEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDevEndpointCommand) .de(de_UpdateDevEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDevEndpointRequest; + output: {}; + }; + sdk: { + input: UpdateDevEndpointCommandInput; + output: UpdateDevEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateJobCommand.ts b/clients/client-glue/src/commands/UpdateJobCommand.ts index f2fea4bbaee4..3163f6677ab5 100644 --- a/clients/client-glue/src/commands/UpdateJobCommand.ts +++ b/clients/client-glue/src/commands/UpdateJobCommand.ts @@ -1185,4 +1185,16 @@ export class UpdateJobCommand extends $Command .f(UpdateJobRequestFilterSensitiveLog, void 0) .ser(se_UpdateJobCommand) .de(de_UpdateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobRequest; + output: UpdateJobResponse; + }; + sdk: { + input: UpdateJobCommandInput; + output: UpdateJobCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateJobFromSourceControlCommand.ts b/clients/client-glue/src/commands/UpdateJobFromSourceControlCommand.ts index 66efcdddc27d..19fbc9d9167c 100644 --- a/clients/client-glue/src/commands/UpdateJobFromSourceControlCommand.ts +++ b/clients/client-glue/src/commands/UpdateJobFromSourceControlCommand.ts @@ -107,4 +107,16 @@ export class UpdateJobFromSourceControlCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobFromSourceControlCommand) .de(de_UpdateJobFromSourceControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobFromSourceControlRequest; + output: UpdateJobFromSourceControlResponse; + }; + sdk: { + input: UpdateJobFromSourceControlCommandInput; + output: UpdateJobFromSourceControlCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateMLTransformCommand.ts b/clients/client-glue/src/commands/UpdateMLTransformCommand.ts index 7fc442a92098..e646c61cc631 100644 --- a/clients/client-glue/src/commands/UpdateMLTransformCommand.ts +++ b/clients/client-glue/src/commands/UpdateMLTransformCommand.ts @@ -113,4 +113,16 @@ export class UpdateMLTransformCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMLTransformCommand) .de(de_UpdateMLTransformCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMLTransformRequest; + output: UpdateMLTransformResponse; + }; + sdk: { + input: UpdateMLTransformCommandInput; + output: UpdateMLTransformCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdatePartitionCommand.ts b/clients/client-glue/src/commands/UpdatePartitionCommand.ts index e92875fd1ec6..5a5984f3616c 100644 --- a/clients/client-glue/src/commands/UpdatePartitionCommand.ts +++ b/clients/client-glue/src/commands/UpdatePartitionCommand.ts @@ -161,4 +161,16 @@ export class UpdatePartitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePartitionCommand) .de(de_UpdatePartitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePartitionRequest; + output: {}; + }; + sdk: { + input: UpdatePartitionCommandInput; + output: UpdatePartitionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateRegistryCommand.ts b/clients/client-glue/src/commands/UpdateRegistryCommand.ts index f54fd2e0db1c..df65fd1acfb8 100644 --- a/clients/client-glue/src/commands/UpdateRegistryCommand.ts +++ b/clients/client-glue/src/commands/UpdateRegistryCommand.ts @@ -97,4 +97,16 @@ export class UpdateRegistryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegistryCommand) .de(de_UpdateRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegistryInput; + output: UpdateRegistryResponse; + }; + sdk: { + input: UpdateRegistryCommandInput; + output: UpdateRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateSchemaCommand.ts b/clients/client-glue/src/commands/UpdateSchemaCommand.ts index 04696b726bf6..0c37ba8f3bee 100644 --- a/clients/client-glue/src/commands/UpdateSchemaCommand.ts +++ b/clients/client-glue/src/commands/UpdateSchemaCommand.ts @@ -107,4 +107,16 @@ export class UpdateSchemaCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSchemaCommand) .de(de_UpdateSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSchemaInput; + output: UpdateSchemaResponse; + }; + sdk: { + input: UpdateSchemaCommandInput; + output: UpdateSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts b/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts index 765f1ae58120..724fa064a430 100644 --- a/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts +++ b/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts @@ -107,4 +107,16 @@ export class UpdateSourceControlFromJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSourceControlFromJobCommand) .de(de_UpdateSourceControlFromJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSourceControlFromJobRequest; + output: UpdateSourceControlFromJobResponse; + }; + sdk: { + input: UpdateSourceControlFromJobCommandInput; + output: UpdateSourceControlFromJobCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateTableCommand.ts b/clients/client-glue/src/commands/UpdateTableCommand.ts index 59f9b6340a4f..312776606b10 100644 --- a/clients/client-glue/src/commands/UpdateTableCommand.ts +++ b/clients/client-glue/src/commands/UpdateTableCommand.ts @@ -206,4 +206,16 @@ export class UpdateTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableCommand) .de(de_UpdateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableRequest; + output: {}; + }; + sdk: { + input: UpdateTableCommandInput; + output: UpdateTableCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateTableOptimizerCommand.ts b/clients/client-glue/src/commands/UpdateTableOptimizerCommand.ts index 5362ef5c01e1..ffd8c2270809 100644 --- a/clients/client-glue/src/commands/UpdateTableOptimizerCommand.ts +++ b/clients/client-glue/src/commands/UpdateTableOptimizerCommand.ts @@ -116,4 +116,16 @@ export class UpdateTableOptimizerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableOptimizerCommand) .de(de_UpdateTableOptimizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableOptimizerRequest; + output: {}; + }; + sdk: { + input: UpdateTableOptimizerCommandInput; + output: UpdateTableOptimizerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateTriggerCommand.ts b/clients/client-glue/src/commands/UpdateTriggerCommand.ts index 0fd6e9957c7f..d4fb35fe3964 100644 --- a/clients/client-glue/src/commands/UpdateTriggerCommand.ts +++ b/clients/client-glue/src/commands/UpdateTriggerCommand.ts @@ -165,4 +165,16 @@ export class UpdateTriggerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTriggerCommand) .de(de_UpdateTriggerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTriggerRequest; + output: UpdateTriggerResponse; + }; + sdk: { + input: UpdateTriggerCommandInput; + output: UpdateTriggerCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateUsageProfileCommand.ts b/clients/client-glue/src/commands/UpdateUsageProfileCommand.ts index 00de00ba382e..1dff55c0424e 100644 --- a/clients/client-glue/src/commands/UpdateUsageProfileCommand.ts +++ b/clients/client-glue/src/commands/UpdateUsageProfileCommand.ts @@ -118,4 +118,16 @@ export class UpdateUsageProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUsageProfileCommand) .de(de_UpdateUsageProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUsageProfileRequest; + output: UpdateUsageProfileResponse; + }; + sdk: { + input: UpdateUsageProfileCommandInput; + output: UpdateUsageProfileCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateUserDefinedFunctionCommand.ts b/clients/client-glue/src/commands/UpdateUserDefinedFunctionCommand.ts index 3dcd1ff77829..1851c78ecbca 100644 --- a/clients/client-glue/src/commands/UpdateUserDefinedFunctionCommand.ts +++ b/clients/client-glue/src/commands/UpdateUserDefinedFunctionCommand.ts @@ -104,4 +104,16 @@ export class UpdateUserDefinedFunctionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserDefinedFunctionCommand) .de(de_UpdateUserDefinedFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserDefinedFunctionRequest; + output: {}; + }; + sdk: { + input: UpdateUserDefinedFunctionCommandInput; + output: UpdateUserDefinedFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateWorkflowCommand.ts b/clients/client-glue/src/commands/UpdateWorkflowCommand.ts index 9d3299f459c0..87100690cc53 100644 --- a/clients/client-glue/src/commands/UpdateWorkflowCommand.ts +++ b/clients/client-glue/src/commands/UpdateWorkflowCommand.ts @@ -97,4 +97,16 @@ export class UpdateWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkflowCommand) .de(de_UpdateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkflowRequest; + output: UpdateWorkflowResponse; + }; + sdk: { + input: UpdateWorkflowCommandInput; + output: UpdateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/package.json b/clients/client-grafana/package.json index 90bf455046ca..f1e80e77bfc8 100644 --- a/clients/client-grafana/package.json +++ b/clients/client-grafana/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-grafana/src/commands/AssociateLicenseCommand.ts b/clients/client-grafana/src/commands/AssociateLicenseCommand.ts index 4fc2ab66d2d0..e08e0f284b2d 100644 --- a/clients/client-grafana/src/commands/AssociateLicenseCommand.ts +++ b/clients/client-grafana/src/commands/AssociateLicenseCommand.ts @@ -155,4 +155,16 @@ export class AssociateLicenseCommand extends $Command .f(void 0, AssociateLicenseResponseFilterSensitiveLog) .ser(se_AssociateLicenseCommand) .de(de_AssociateLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateLicenseRequest; + output: AssociateLicenseResponse; + }; + sdk: { + input: AssociateLicenseCommandInput; + output: AssociateLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/CreateWorkspaceApiKeyCommand.ts b/clients/client-grafana/src/commands/CreateWorkspaceApiKeyCommand.ts index 1a9148190d72..fe7e9c9aba5a 100644 --- a/clients/client-grafana/src/commands/CreateWorkspaceApiKeyCommand.ts +++ b/clients/client-grafana/src/commands/CreateWorkspaceApiKeyCommand.ts @@ -113,4 +113,16 @@ export class CreateWorkspaceApiKeyCommand extends $Command .f(void 0, CreateWorkspaceApiKeyResponseFilterSensitiveLog) .ser(se_CreateWorkspaceApiKeyCommand) .de(de_CreateWorkspaceApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceApiKeyRequest; + output: CreateWorkspaceApiKeyResponse; + }; + sdk: { + input: CreateWorkspaceApiKeyCommandInput; + output: CreateWorkspaceApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/CreateWorkspaceCommand.ts b/clients/client-grafana/src/commands/CreateWorkspaceCommand.ts index 543ed798d924..aa89853ecf4d 100644 --- a/clients/client-grafana/src/commands/CreateWorkspaceCommand.ts +++ b/clients/client-grafana/src/commands/CreateWorkspaceCommand.ts @@ -197,4 +197,16 @@ export class CreateWorkspaceCommand extends $Command .f(CreateWorkspaceRequestFilterSensitiveLog, CreateWorkspaceResponseFilterSensitiveLog) .ser(se_CreateWorkspaceCommand) .de(de_CreateWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceRequest; + output: CreateWorkspaceResponse; + }; + sdk: { + input: CreateWorkspaceCommandInput; + output: CreateWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountCommand.ts b/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountCommand.ts index 50cd60111831..626373af9290 100644 --- a/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountCommand.ts +++ b/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountCommand.ts @@ -120,4 +120,16 @@ export class CreateWorkspaceServiceAccountCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkspaceServiceAccountCommand) .de(de_CreateWorkspaceServiceAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceServiceAccountRequest; + output: CreateWorkspaceServiceAccountResponse; + }; + sdk: { + input: CreateWorkspaceServiceAccountCommandInput; + output: CreateWorkspaceServiceAccountCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountTokenCommand.ts b/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountTokenCommand.ts index 38214e848088..7ba13ca7e139 100644 --- a/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountTokenCommand.ts +++ b/clients/client-grafana/src/commands/CreateWorkspaceServiceAccountTokenCommand.ts @@ -128,4 +128,16 @@ export class CreateWorkspaceServiceAccountTokenCommand extends $Command .f(void 0, CreateWorkspaceServiceAccountTokenResponseFilterSensitiveLog) .ser(se_CreateWorkspaceServiceAccountTokenCommand) .de(de_CreateWorkspaceServiceAccountTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceServiceAccountTokenRequest; + output: CreateWorkspaceServiceAccountTokenResponse; + }; + sdk: { + input: CreateWorkspaceServiceAccountTokenCommandInput; + output: CreateWorkspaceServiceAccountTokenCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DeleteWorkspaceApiKeyCommand.ts b/clients/client-grafana/src/commands/DeleteWorkspaceApiKeyCommand.ts index 7f6aea8f58eb..fca56c36533d 100644 --- a/clients/client-grafana/src/commands/DeleteWorkspaceApiKeyCommand.ts +++ b/clients/client-grafana/src/commands/DeleteWorkspaceApiKeyCommand.ts @@ -101,4 +101,16 @@ export class DeleteWorkspaceApiKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkspaceApiKeyCommand) .de(de_DeleteWorkspaceApiKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceApiKeyRequest; + output: DeleteWorkspaceApiKeyResponse; + }; + sdk: { + input: DeleteWorkspaceApiKeyCommandInput; + output: DeleteWorkspaceApiKeyCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DeleteWorkspaceCommand.ts b/clients/client-grafana/src/commands/DeleteWorkspaceCommand.ts index 29b87d02af5c..c55b3cac2861 100644 --- a/clients/client-grafana/src/commands/DeleteWorkspaceCommand.ts +++ b/clients/client-grafana/src/commands/DeleteWorkspaceCommand.ts @@ -152,4 +152,16 @@ export class DeleteWorkspaceCommand extends $Command .f(void 0, DeleteWorkspaceResponseFilterSensitiveLog) .ser(se_DeleteWorkspaceCommand) .de(de_DeleteWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceRequest; + output: DeleteWorkspaceResponse; + }; + sdk: { + input: DeleteWorkspaceCommandInput; + output: DeleteWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountCommand.ts b/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountCommand.ts index 5edeedb8bc78..c097ca8eab3e 100644 --- a/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountCommand.ts +++ b/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountCommand.ts @@ -107,4 +107,16 @@ export class DeleteWorkspaceServiceAccountCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkspaceServiceAccountCommand) .de(de_DeleteWorkspaceServiceAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceServiceAccountRequest; + output: DeleteWorkspaceServiceAccountResponse; + }; + sdk: { + input: DeleteWorkspaceServiceAccountCommandInput; + output: DeleteWorkspaceServiceAccountCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountTokenCommand.ts b/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountTokenCommand.ts index f949d94b1344..0de1e8ec1a73 100644 --- a/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountTokenCommand.ts +++ b/clients/client-grafana/src/commands/DeleteWorkspaceServiceAccountTokenCommand.ts @@ -112,4 +112,16 @@ export class DeleteWorkspaceServiceAccountTokenCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkspaceServiceAccountTokenCommand) .de(de_DeleteWorkspaceServiceAccountTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceServiceAccountTokenRequest; + output: DeleteWorkspaceServiceAccountTokenResponse; + }; + sdk: { + input: DeleteWorkspaceServiceAccountTokenCommandInput; + output: DeleteWorkspaceServiceAccountTokenCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DescribeWorkspaceAuthenticationCommand.ts b/clients/client-grafana/src/commands/DescribeWorkspaceAuthenticationCommand.ts index 4e8c3fde95bd..dea482f55e4e 100644 --- a/clients/client-grafana/src/commands/DescribeWorkspaceAuthenticationCommand.ts +++ b/clients/client-grafana/src/commands/DescribeWorkspaceAuthenticationCommand.ts @@ -141,4 +141,16 @@ export class DescribeWorkspaceAuthenticationCommand extends $Command .f(void 0, DescribeWorkspaceAuthenticationResponseFilterSensitiveLog) .ser(se_DescribeWorkspaceAuthenticationCommand) .de(de_DescribeWorkspaceAuthenticationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceAuthenticationRequest; + output: DescribeWorkspaceAuthenticationResponse; + }; + sdk: { + input: DescribeWorkspaceAuthenticationCommandInput; + output: DescribeWorkspaceAuthenticationCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DescribeWorkspaceCommand.ts b/clients/client-grafana/src/commands/DescribeWorkspaceCommand.ts index 94ca00095c37..2a119d2a7b27 100644 --- a/clients/client-grafana/src/commands/DescribeWorkspaceCommand.ts +++ b/clients/client-grafana/src/commands/DescribeWorkspaceCommand.ts @@ -149,4 +149,16 @@ export class DescribeWorkspaceCommand extends $Command .f(void 0, DescribeWorkspaceResponseFilterSensitiveLog) .ser(se_DescribeWorkspaceCommand) .de(de_DescribeWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceRequest; + output: DescribeWorkspaceResponse; + }; + sdk: { + input: DescribeWorkspaceCommandInput; + output: DescribeWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DescribeWorkspaceConfigurationCommand.ts b/clients/client-grafana/src/commands/DescribeWorkspaceConfigurationCommand.ts index 5e21383657f6..66e751085b24 100644 --- a/clients/client-grafana/src/commands/DescribeWorkspaceConfigurationCommand.ts +++ b/clients/client-grafana/src/commands/DescribeWorkspaceConfigurationCommand.ts @@ -95,4 +95,16 @@ export class DescribeWorkspaceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceConfigurationCommand) .de(de_DescribeWorkspaceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceConfigurationRequest; + output: DescribeWorkspaceConfigurationResponse; + }; + sdk: { + input: DescribeWorkspaceConfigurationCommandInput; + output: DescribeWorkspaceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/DisassociateLicenseCommand.ts b/clients/client-grafana/src/commands/DisassociateLicenseCommand.ts index 60e95373ebd8..d41554841e0b 100644 --- a/clients/client-grafana/src/commands/DisassociateLicenseCommand.ts +++ b/clients/client-grafana/src/commands/DisassociateLicenseCommand.ts @@ -150,4 +150,16 @@ export class DisassociateLicenseCommand extends $Command .f(void 0, DisassociateLicenseResponseFilterSensitiveLog) .ser(se_DisassociateLicenseCommand) .de(de_DisassociateLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateLicenseRequest; + output: DisassociateLicenseResponse; + }; + sdk: { + input: DisassociateLicenseCommandInput; + output: DisassociateLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/ListPermissionsCommand.ts b/clients/client-grafana/src/commands/ListPermissionsCommand.ts index 5051a6fc90d4..58124d2f46a8 100644 --- a/clients/client-grafana/src/commands/ListPermissionsCommand.ts +++ b/clients/client-grafana/src/commands/ListPermissionsCommand.ts @@ -111,4 +111,16 @@ export class ListPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionsCommand) .de(de_ListPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionsRequest; + output: ListPermissionsResponse; + }; + sdk: { + input: ListPermissionsCommandInput; + output: ListPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/ListTagsForResourceCommand.ts b/clients/client-grafana/src/commands/ListTagsForResourceCommand.ts index 43432f31daad..68bd4452baa6 100644 --- a/clients/client-grafana/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-grafana/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/ListVersionsCommand.ts b/clients/client-grafana/src/commands/ListVersionsCommand.ts index c58bf4488a3a..8242e8fc85d6 100644 --- a/clients/client-grafana/src/commands/ListVersionsCommand.ts +++ b/clients/client-grafana/src/commands/ListVersionsCommand.ts @@ -99,4 +99,16 @@ export class ListVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListVersionsCommand) .de(de_ListVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVersionsRequest; + output: ListVersionsResponse; + }; + sdk: { + input: ListVersionsCommandInput; + output: ListVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/ListWorkspaceServiceAccountTokensCommand.ts b/clients/client-grafana/src/commands/ListWorkspaceServiceAccountTokensCommand.ts index 780236660897..006d60025836 100644 --- a/clients/client-grafana/src/commands/ListWorkspaceServiceAccountTokensCommand.ts +++ b/clients/client-grafana/src/commands/ListWorkspaceServiceAccountTokensCommand.ts @@ -123,4 +123,16 @@ export class ListWorkspaceServiceAccountTokensCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkspaceServiceAccountTokensCommand) .de(de_ListWorkspaceServiceAccountTokensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkspaceServiceAccountTokensRequest; + output: ListWorkspaceServiceAccountTokensResponse; + }; + sdk: { + input: ListWorkspaceServiceAccountTokensCommandInput; + output: ListWorkspaceServiceAccountTokensCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/ListWorkspaceServiceAccountsCommand.ts b/clients/client-grafana/src/commands/ListWorkspaceServiceAccountsCommand.ts index 41196e72b4b0..402a919d0fd6 100644 --- a/clients/client-grafana/src/commands/ListWorkspaceServiceAccountsCommand.ts +++ b/clients/client-grafana/src/commands/ListWorkspaceServiceAccountsCommand.ts @@ -113,4 +113,16 @@ export class ListWorkspaceServiceAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkspaceServiceAccountsCommand) .de(de_ListWorkspaceServiceAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkspaceServiceAccountsRequest; + output: ListWorkspaceServiceAccountsResponse; + }; + sdk: { + input: ListWorkspaceServiceAccountsCommandInput; + output: ListWorkspaceServiceAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/ListWorkspacesCommand.ts b/clients/client-grafana/src/commands/ListWorkspacesCommand.ts index e8ca87ae9d27..3285bad79efe 100644 --- a/clients/client-grafana/src/commands/ListWorkspacesCommand.ts +++ b/clients/client-grafana/src/commands/ListWorkspacesCommand.ts @@ -118,4 +118,16 @@ export class ListWorkspacesCommand extends $Command .f(void 0, ListWorkspacesResponseFilterSensitiveLog) .ser(se_ListWorkspacesCommand) .de(de_ListWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkspacesRequest; + output: ListWorkspacesResponse; + }; + sdk: { + input: ListWorkspacesCommandInput; + output: ListWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/TagResourceCommand.ts b/clients/client-grafana/src/commands/TagResourceCommand.ts index 3c64cd754a0b..54e3a7899d31 100644 --- a/clients/client-grafana/src/commands/TagResourceCommand.ts +++ b/clients/client-grafana/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/UntagResourceCommand.ts b/clients/client-grafana/src/commands/UntagResourceCommand.ts index 9afd98122d86..1a7b5e373487 100644 --- a/clients/client-grafana/src/commands/UntagResourceCommand.ts +++ b/clients/client-grafana/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/UpdatePermissionsCommand.ts b/clients/client-grafana/src/commands/UpdatePermissionsCommand.ts index ffe7e135fc5d..6615dacbae09 100644 --- a/clients/client-grafana/src/commands/UpdatePermissionsCommand.ts +++ b/clients/client-grafana/src/commands/UpdatePermissionsCommand.ts @@ -120,4 +120,16 @@ export class UpdatePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePermissionsCommand) .de(de_UpdatePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePermissionsRequest; + output: UpdatePermissionsResponse; + }; + sdk: { + input: UpdatePermissionsCommandInput; + output: UpdatePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/UpdateWorkspaceAuthenticationCommand.ts b/clients/client-grafana/src/commands/UpdateWorkspaceAuthenticationCommand.ts index f994fb79c1ba..42c9aec386d9 100644 --- a/clients/client-grafana/src/commands/UpdateWorkspaceAuthenticationCommand.ts +++ b/clients/client-grafana/src/commands/UpdateWorkspaceAuthenticationCommand.ts @@ -177,4 +177,16 @@ export class UpdateWorkspaceAuthenticationCommand extends $Command .f(UpdateWorkspaceAuthenticationRequestFilterSensitiveLog, UpdateWorkspaceAuthenticationResponseFilterSensitiveLog) .ser(se_UpdateWorkspaceAuthenticationCommand) .de(de_UpdateWorkspaceAuthenticationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspaceAuthenticationRequest; + output: UpdateWorkspaceAuthenticationResponse; + }; + sdk: { + input: UpdateWorkspaceAuthenticationCommandInput; + output: UpdateWorkspaceAuthenticationCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/UpdateWorkspaceCommand.ts b/clients/client-grafana/src/commands/UpdateWorkspaceCommand.ts index 8d2a1fcc777f..d3b86b7ee49f 100644 --- a/clients/client-grafana/src/commands/UpdateWorkspaceCommand.ts +++ b/clients/client-grafana/src/commands/UpdateWorkspaceCommand.ts @@ -192,4 +192,16 @@ export class UpdateWorkspaceCommand extends $Command .f(UpdateWorkspaceRequestFilterSensitiveLog, UpdateWorkspaceResponseFilterSensitiveLog) .ser(se_UpdateWorkspaceCommand) .de(de_UpdateWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspaceRequest; + output: UpdateWorkspaceResponse; + }; + sdk: { + input: UpdateWorkspaceCommandInput; + output: UpdateWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-grafana/src/commands/UpdateWorkspaceConfigurationCommand.ts b/clients/client-grafana/src/commands/UpdateWorkspaceConfigurationCommand.ts index 2b69ce86dcaa..8e12a7fb3d32 100644 --- a/clients/client-grafana/src/commands/UpdateWorkspaceConfigurationCommand.ts +++ b/clients/client-grafana/src/commands/UpdateWorkspaceConfigurationCommand.ts @@ -100,4 +100,16 @@ export class UpdateWorkspaceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkspaceConfigurationCommand) .de(de_UpdateWorkspaceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspaceConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateWorkspaceConfigurationCommandInput; + output: UpdateWorkspaceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/package.json b/clients/client-greengrass/package.json index 49b52003c252..1856071d7dae 100644 --- a/clients/client-greengrass/package.json +++ b/clients/client-greengrass/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-greengrass/src/commands/AssociateRoleToGroupCommand.ts b/clients/client-greengrass/src/commands/AssociateRoleToGroupCommand.ts index 0c65f58944b6..aa1b19d6effe 100644 --- a/clients/client-greengrass/src/commands/AssociateRoleToGroupCommand.ts +++ b/clients/client-greengrass/src/commands/AssociateRoleToGroupCommand.ts @@ -84,4 +84,16 @@ export class AssociateRoleToGroupCommand extends $Command .f(void 0, void 0) .ser(se_AssociateRoleToGroupCommand) .de(de_AssociateRoleToGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateRoleToGroupRequest; + output: AssociateRoleToGroupResponse; + }; + sdk: { + input: AssociateRoleToGroupCommandInput; + output: AssociateRoleToGroupCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/AssociateServiceRoleToAccountCommand.ts b/clients/client-greengrass/src/commands/AssociateServiceRoleToAccountCommand.ts index 0d11565d3c3a..ff6808e02c04 100644 --- a/clients/client-greengrass/src/commands/AssociateServiceRoleToAccountCommand.ts +++ b/clients/client-greengrass/src/commands/AssociateServiceRoleToAccountCommand.ts @@ -88,4 +88,16 @@ export class AssociateServiceRoleToAccountCommand extends $Command .f(void 0, void 0) .ser(se_AssociateServiceRoleToAccountCommand) .de(de_AssociateServiceRoleToAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateServiceRoleToAccountRequest; + output: AssociateServiceRoleToAccountResponse; + }; + sdk: { + input: AssociateServiceRoleToAccountCommandInput; + output: AssociateServiceRoleToAccountCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateConnectorDefinitionCommand.ts b/clients/client-greengrass/src/commands/CreateConnectorDefinitionCommand.ts index e4a9d0505d49..6188c0778cbf 100644 --- a/clients/client-greengrass/src/commands/CreateConnectorDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateConnectorDefinitionCommand.ts @@ -101,4 +101,16 @@ export class CreateConnectorDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectorDefinitionCommand) .de(de_CreateConnectorDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorDefinitionRequest; + output: CreateConnectorDefinitionResponse; + }; + sdk: { + input: CreateConnectorDefinitionCommandInput; + output: CreateConnectorDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateConnectorDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/CreateConnectorDefinitionVersionCommand.ts index 3e6155eb22f1..94c930afbc06 100644 --- a/clients/client-greengrass/src/commands/CreateConnectorDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateConnectorDefinitionVersionCommand.ts @@ -98,4 +98,16 @@ export class CreateConnectorDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectorDefinitionVersionCommand) .de(de_CreateConnectorDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorDefinitionVersionRequest; + output: CreateConnectorDefinitionVersionResponse; + }; + sdk: { + input: CreateConnectorDefinitionVersionCommandInput; + output: CreateConnectorDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateCoreDefinitionCommand.ts b/clients/client-greengrass/src/commands/CreateCoreDefinitionCommand.ts index 2d1f8841bba1..9c32ec1c06de 100644 --- a/clients/client-greengrass/src/commands/CreateCoreDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateCoreDefinitionCommand.ts @@ -100,4 +100,16 @@ export class CreateCoreDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateCoreDefinitionCommand) .de(de_CreateCoreDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCoreDefinitionRequest; + output: CreateCoreDefinitionResponse; + }; + sdk: { + input: CreateCoreDefinitionCommandInput; + output: CreateCoreDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateCoreDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/CreateCoreDefinitionVersionCommand.ts index a7907d6e2b9e..dcccdb4e6e24 100644 --- a/clients/client-greengrass/src/commands/CreateCoreDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateCoreDefinitionVersionCommand.ts @@ -97,4 +97,16 @@ export class CreateCoreDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateCoreDefinitionVersionCommand) .de(de_CreateCoreDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCoreDefinitionVersionRequest; + output: CreateCoreDefinitionVersionResponse; + }; + sdk: { + input: CreateCoreDefinitionVersionCommandInput; + output: CreateCoreDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateDeploymentCommand.ts b/clients/client-greengrass/src/commands/CreateDeploymentCommand.ts index 5439391e571c..822561f0bce5 100644 --- a/clients/client-greengrass/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-greengrass/src/commands/CreateDeploymentCommand.ts @@ -85,4 +85,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentRequest; + output: CreateDeploymentResponse; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateDeviceDefinitionCommand.ts b/clients/client-greengrass/src/commands/CreateDeviceDefinitionCommand.ts index 58c23123a7dc..1e267201ec60 100644 --- a/clients/client-greengrass/src/commands/CreateDeviceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateDeviceDefinitionCommand.ts @@ -100,4 +100,16 @@ export class CreateDeviceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeviceDefinitionCommand) .de(de_CreateDeviceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeviceDefinitionRequest; + output: CreateDeviceDefinitionResponse; + }; + sdk: { + input: CreateDeviceDefinitionCommandInput; + output: CreateDeviceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateDeviceDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/CreateDeviceDefinitionVersionCommand.ts index 22eb178145e8..cbb84a1fb736 100644 --- a/clients/client-greengrass/src/commands/CreateDeviceDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateDeviceDefinitionVersionCommand.ts @@ -97,4 +97,16 @@ export class CreateDeviceDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeviceDefinitionVersionCommand) .de(de_CreateDeviceDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeviceDefinitionVersionRequest; + output: CreateDeviceDefinitionVersionResponse; + }; + sdk: { + input: CreateDeviceDefinitionVersionCommandInput; + output: CreateDeviceDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateFunctionDefinitionCommand.ts b/clients/client-greengrass/src/commands/CreateFunctionDefinitionCommand.ts index f6d57794d59a..d8302a96e8f1 100644 --- a/clients/client-greengrass/src/commands/CreateFunctionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateFunctionDefinitionCommand.ts @@ -135,4 +135,16 @@ export class CreateFunctionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateFunctionDefinitionCommand) .de(de_CreateFunctionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFunctionDefinitionRequest; + output: CreateFunctionDefinitionResponse; + }; + sdk: { + input: CreateFunctionDefinitionCommandInput; + output: CreateFunctionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateFunctionDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/CreateFunctionDefinitionVersionCommand.ts index 3a85efe29d5b..f9bd3831f922 100644 --- a/clients/client-greengrass/src/commands/CreateFunctionDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateFunctionDefinitionVersionCommand.ts @@ -132,4 +132,16 @@ export class CreateFunctionDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateFunctionDefinitionVersionCommand) .de(de_CreateFunctionDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFunctionDefinitionVersionRequest; + output: CreateFunctionDefinitionVersionResponse; + }; + sdk: { + input: CreateFunctionDefinitionVersionCommandInput; + output: CreateFunctionDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateGroupCertificateAuthorityCommand.ts b/clients/client-greengrass/src/commands/CreateGroupCertificateAuthorityCommand.ts index c79500ea40bc..6733c9864aaa 100644 --- a/clients/client-greengrass/src/commands/CreateGroupCertificateAuthorityCommand.ts +++ b/clients/client-greengrass/src/commands/CreateGroupCertificateAuthorityCommand.ts @@ -89,4 +89,16 @@ export class CreateGroupCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCertificateAuthorityCommand) .de(de_CreateGroupCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupCertificateAuthorityRequest; + output: CreateGroupCertificateAuthorityResponse; + }; + sdk: { + input: CreateGroupCertificateAuthorityCommandInput; + output: CreateGroupCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateGroupCommand.ts b/clients/client-greengrass/src/commands/CreateGroupCommand.ts index c35b73428504..47cb7deea270 100644 --- a/clients/client-greengrass/src/commands/CreateGroupCommand.ts +++ b/clients/client-greengrass/src/commands/CreateGroupCommand.ts @@ -99,4 +99,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResponse; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateGroupVersionCommand.ts b/clients/client-greengrass/src/commands/CreateGroupVersionCommand.ts index a3ba34289580..b73dbbdf49cd 100644 --- a/clients/client-greengrass/src/commands/CreateGroupVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateGroupVersionCommand.ts @@ -91,4 +91,16 @@ export class CreateGroupVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupVersionCommand) .de(de_CreateGroupVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupVersionRequest; + output: CreateGroupVersionResponse; + }; + sdk: { + input: CreateGroupVersionCommandInput; + output: CreateGroupVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateLoggerDefinitionCommand.ts b/clients/client-greengrass/src/commands/CreateLoggerDefinitionCommand.ts index 8eebe0ab118e..4eefe338555f 100644 --- a/clients/client-greengrass/src/commands/CreateLoggerDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateLoggerDefinitionCommand.ts @@ -101,4 +101,16 @@ export class CreateLoggerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoggerDefinitionCommand) .de(de_CreateLoggerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoggerDefinitionRequest; + output: CreateLoggerDefinitionResponse; + }; + sdk: { + input: CreateLoggerDefinitionCommandInput; + output: CreateLoggerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateLoggerDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/CreateLoggerDefinitionVersionCommand.ts index 6655a7b52e46..791216b04b69 100644 --- a/clients/client-greengrass/src/commands/CreateLoggerDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateLoggerDefinitionVersionCommand.ts @@ -98,4 +98,16 @@ export class CreateLoggerDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoggerDefinitionVersionCommand) .de(de_CreateLoggerDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoggerDefinitionVersionRequest; + output: CreateLoggerDefinitionVersionResponse; + }; + sdk: { + input: CreateLoggerDefinitionVersionCommandInput; + output: CreateLoggerDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateResourceDefinitionCommand.ts b/clients/client-greengrass/src/commands/CreateResourceDefinitionCommand.ts index dced0b800d06..232dfaed00df 100644 --- a/clients/client-greengrass/src/commands/CreateResourceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateResourceDefinitionCommand.ts @@ -137,4 +137,16 @@ export class CreateResourceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceDefinitionCommand) .de(de_CreateResourceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceDefinitionRequest; + output: CreateResourceDefinitionResponse; + }; + sdk: { + input: CreateResourceDefinitionCommandInput; + output: CreateResourceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateResourceDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/CreateResourceDefinitionVersionCommand.ts index 2ccf98dd81fd..3fd5d8291880 100644 --- a/clients/client-greengrass/src/commands/CreateResourceDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateResourceDefinitionVersionCommand.ts @@ -134,4 +134,16 @@ export class CreateResourceDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceDefinitionVersionCommand) .de(de_CreateResourceDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceDefinitionVersionRequest; + output: CreateResourceDefinitionVersionResponse; + }; + sdk: { + input: CreateResourceDefinitionVersionCommandInput; + output: CreateResourceDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateSoftwareUpdateJobCommand.ts b/clients/client-greengrass/src/commands/CreateSoftwareUpdateJobCommand.ts index 279488f2a593..34916be24b9d 100644 --- a/clients/client-greengrass/src/commands/CreateSoftwareUpdateJobCommand.ts +++ b/clients/client-greengrass/src/commands/CreateSoftwareUpdateJobCommand.ts @@ -93,4 +93,16 @@ export class CreateSoftwareUpdateJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateSoftwareUpdateJobCommand) .de(de_CreateSoftwareUpdateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSoftwareUpdateJobRequest; + output: CreateSoftwareUpdateJobResponse; + }; + sdk: { + input: CreateSoftwareUpdateJobCommandInput; + output: CreateSoftwareUpdateJobCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionCommand.ts b/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionCommand.ts index 330dff5d7d6e..3831f90f31f4 100644 --- a/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionCommand.ts @@ -105,4 +105,16 @@ export class CreateSubscriptionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubscriptionDefinitionCommand) .de(de_CreateSubscriptionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriptionDefinitionRequest; + output: CreateSubscriptionDefinitionResponse; + }; + sdk: { + input: CreateSubscriptionDefinitionCommandInput; + output: CreateSubscriptionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionVersionCommand.ts index 20bd3578b274..b3e1006d9ab7 100644 --- a/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/CreateSubscriptionDefinitionVersionCommand.ts @@ -100,4 +100,16 @@ export class CreateSubscriptionDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubscriptionDefinitionVersionCommand) .de(de_CreateSubscriptionDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriptionDefinitionVersionRequest; + output: CreateSubscriptionDefinitionVersionResponse; + }; + sdk: { + input: CreateSubscriptionDefinitionVersionCommandInput; + output: CreateSubscriptionDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteConnectorDefinitionCommand.ts b/clients/client-greengrass/src/commands/DeleteConnectorDefinitionCommand.ts index f0b33166b715..877934720bcc 100644 --- a/clients/client-greengrass/src/commands/DeleteConnectorDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteConnectorDefinitionCommand.ts @@ -78,4 +78,16 @@ export class DeleteConnectorDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectorDefinitionCommand) .de(de_DeleteConnectorDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectorDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteConnectorDefinitionCommandInput; + output: DeleteConnectorDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteCoreDefinitionCommand.ts b/clients/client-greengrass/src/commands/DeleteCoreDefinitionCommand.ts index 71d730f87532..025f6bbc3fcd 100644 --- a/clients/client-greengrass/src/commands/DeleteCoreDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteCoreDefinitionCommand.ts @@ -78,4 +78,16 @@ export class DeleteCoreDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCoreDefinitionCommand) .de(de_DeleteCoreDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCoreDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteCoreDefinitionCommandInput; + output: DeleteCoreDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteDeviceDefinitionCommand.ts b/clients/client-greengrass/src/commands/DeleteDeviceDefinitionCommand.ts index 80f7ed9446be..36c88dd73fa4 100644 --- a/clients/client-greengrass/src/commands/DeleteDeviceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteDeviceDefinitionCommand.ts @@ -78,4 +78,16 @@ export class DeleteDeviceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeviceDefinitionCommand) .de(de_DeleteDeviceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeviceDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteDeviceDefinitionCommandInput; + output: DeleteDeviceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteFunctionDefinitionCommand.ts b/clients/client-greengrass/src/commands/DeleteFunctionDefinitionCommand.ts index ab4445408677..2faae39d8931 100644 --- a/clients/client-greengrass/src/commands/DeleteFunctionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteFunctionDefinitionCommand.ts @@ -78,4 +78,16 @@ export class DeleteFunctionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionDefinitionCommand) .de(de_DeleteFunctionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionDefinitionCommandInput; + output: DeleteFunctionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteGroupCommand.ts b/clients/client-greengrass/src/commands/DeleteGroupCommand.ts index 75a1a6b31910..4e95527b0890 100644 --- a/clients/client-greengrass/src/commands/DeleteGroupCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteGroupCommand.ts @@ -78,4 +78,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteLoggerDefinitionCommand.ts b/clients/client-greengrass/src/commands/DeleteLoggerDefinitionCommand.ts index b6fbda6f07e7..95cfcbe5e135 100644 --- a/clients/client-greengrass/src/commands/DeleteLoggerDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteLoggerDefinitionCommand.ts @@ -78,4 +78,16 @@ export class DeleteLoggerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoggerDefinitionCommand) .de(de_DeleteLoggerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoggerDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteLoggerDefinitionCommandInput; + output: DeleteLoggerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteResourceDefinitionCommand.ts b/clients/client-greengrass/src/commands/DeleteResourceDefinitionCommand.ts index 3ce397309c0b..e5c33a9306e5 100644 --- a/clients/client-greengrass/src/commands/DeleteResourceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteResourceDefinitionCommand.ts @@ -78,4 +78,16 @@ export class DeleteResourceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceDefinitionCommand) .de(de_DeleteResourceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteResourceDefinitionCommandInput; + output: DeleteResourceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DeleteSubscriptionDefinitionCommand.ts b/clients/client-greengrass/src/commands/DeleteSubscriptionDefinitionCommand.ts index efacb3c97f3a..a09bce380052 100644 --- a/clients/client-greengrass/src/commands/DeleteSubscriptionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/DeleteSubscriptionDefinitionCommand.ts @@ -83,4 +83,16 @@ export class DeleteSubscriptionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriptionDefinitionCommand) .de(de_DeleteSubscriptionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriptionDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteSubscriptionDefinitionCommandInput; + output: DeleteSubscriptionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DisassociateRoleFromGroupCommand.ts b/clients/client-greengrass/src/commands/DisassociateRoleFromGroupCommand.ts index 182f4bf8593d..cca8ff56362a 100644 --- a/clients/client-greengrass/src/commands/DisassociateRoleFromGroupCommand.ts +++ b/clients/client-greengrass/src/commands/DisassociateRoleFromGroupCommand.ts @@ -83,4 +83,16 @@ export class DisassociateRoleFromGroupCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateRoleFromGroupCommand) .de(de_DisassociateRoleFromGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateRoleFromGroupRequest; + output: DisassociateRoleFromGroupResponse; + }; + sdk: { + input: DisassociateRoleFromGroupCommandInput; + output: DisassociateRoleFromGroupCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/DisassociateServiceRoleFromAccountCommand.ts b/clients/client-greengrass/src/commands/DisassociateServiceRoleFromAccountCommand.ts index f23c208ef357..654c979ce9fd 100644 --- a/clients/client-greengrass/src/commands/DisassociateServiceRoleFromAccountCommand.ts +++ b/clients/client-greengrass/src/commands/DisassociateServiceRoleFromAccountCommand.ts @@ -86,4 +86,16 @@ export class DisassociateServiceRoleFromAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateServiceRoleFromAccountCommand) .de(de_DisassociateServiceRoleFromAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DisassociateServiceRoleFromAccountResponse; + }; + sdk: { + input: DisassociateServiceRoleFromAccountCommandInput; + output: DisassociateServiceRoleFromAccountCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetAssociatedRoleCommand.ts b/clients/client-greengrass/src/commands/GetAssociatedRoleCommand.ts index 429954c1175d..021da01de669 100644 --- a/clients/client-greengrass/src/commands/GetAssociatedRoleCommand.ts +++ b/clients/client-greengrass/src/commands/GetAssociatedRoleCommand.ts @@ -84,4 +84,16 @@ export class GetAssociatedRoleCommand extends $Command .f(void 0, void 0) .ser(se_GetAssociatedRoleCommand) .de(de_GetAssociatedRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssociatedRoleRequest; + output: GetAssociatedRoleResponse; + }; + sdk: { + input: GetAssociatedRoleCommandInput; + output: GetAssociatedRoleCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetBulkDeploymentStatusCommand.ts b/clients/client-greengrass/src/commands/GetBulkDeploymentStatusCommand.ts index 8c7b2d7a8e12..fae45e2a1744 100644 --- a/clients/client-greengrass/src/commands/GetBulkDeploymentStatusCommand.ts +++ b/clients/client-greengrass/src/commands/GetBulkDeploymentStatusCommand.ts @@ -96,4 +96,16 @@ export class GetBulkDeploymentStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetBulkDeploymentStatusCommand) .de(de_GetBulkDeploymentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBulkDeploymentStatusRequest; + output: GetBulkDeploymentStatusResponse; + }; + sdk: { + input: GetBulkDeploymentStatusCommandInput; + output: GetBulkDeploymentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetConnectivityInfoCommand.ts b/clients/client-greengrass/src/commands/GetConnectivityInfoCommand.ts index 11561aa6160d..7e3b26f858af 100644 --- a/clients/client-greengrass/src/commands/GetConnectivityInfoCommand.ts +++ b/clients/client-greengrass/src/commands/GetConnectivityInfoCommand.ts @@ -91,4 +91,16 @@ export class GetConnectivityInfoCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectivityInfoCommand) .de(de_GetConnectivityInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectivityInfoRequest; + output: GetConnectivityInfoResponse; + }; + sdk: { + input: GetConnectivityInfoCommandInput; + output: GetConnectivityInfoCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetConnectorDefinitionCommand.ts b/clients/client-greengrass/src/commands/GetConnectorDefinitionCommand.ts index 51b2859e091d..621faca7bce5 100644 --- a/clients/client-greengrass/src/commands/GetConnectorDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/GetConnectorDefinitionCommand.ts @@ -89,4 +89,16 @@ export class GetConnectorDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectorDefinitionCommand) .de(de_GetConnectorDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectorDefinitionRequest; + output: GetConnectorDefinitionResponse; + }; + sdk: { + input: GetConnectorDefinitionCommandInput; + output: GetConnectorDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetConnectorDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/GetConnectorDefinitionVersionCommand.ts index bc1d2d5ef023..bb61a0529159 100644 --- a/clients/client-greengrass/src/commands/GetConnectorDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetConnectorDefinitionVersionCommand.ts @@ -102,4 +102,16 @@ export class GetConnectorDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectorDefinitionVersionCommand) .de(de_GetConnectorDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectorDefinitionVersionRequest; + output: GetConnectorDefinitionVersionResponse; + }; + sdk: { + input: GetConnectorDefinitionVersionCommandInput; + output: GetConnectorDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetCoreDefinitionCommand.ts b/clients/client-greengrass/src/commands/GetCoreDefinitionCommand.ts index 46a38d9d9824..82981b5f83e1 100644 --- a/clients/client-greengrass/src/commands/GetCoreDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/GetCoreDefinitionCommand.ts @@ -89,4 +89,16 @@ export class GetCoreDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetCoreDefinitionCommand) .de(de_GetCoreDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoreDefinitionRequest; + output: GetCoreDefinitionResponse; + }; + sdk: { + input: GetCoreDefinitionCommandInput; + output: GetCoreDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetCoreDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/GetCoreDefinitionVersionCommand.ts index e68be6c98974..1dc7e1e82b9a 100644 --- a/clients/client-greengrass/src/commands/GetCoreDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetCoreDefinitionVersionCommand.ts @@ -95,4 +95,16 @@ export class GetCoreDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetCoreDefinitionVersionCommand) .de(de_GetCoreDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoreDefinitionVersionRequest; + output: GetCoreDefinitionVersionResponse; + }; + sdk: { + input: GetCoreDefinitionVersionCommandInput; + output: GetCoreDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetDeploymentStatusCommand.ts b/clients/client-greengrass/src/commands/GetDeploymentStatusCommand.ts index d6af8a47bb99..a5ad24e5edbc 100644 --- a/clients/client-greengrass/src/commands/GetDeploymentStatusCommand.ts +++ b/clients/client-greengrass/src/commands/GetDeploymentStatusCommand.ts @@ -90,4 +90,16 @@ export class GetDeploymentStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentStatusCommand) .de(de_GetDeploymentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentStatusRequest; + output: GetDeploymentStatusResponse; + }; + sdk: { + input: GetDeploymentStatusCommandInput; + output: GetDeploymentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetDeviceDefinitionCommand.ts b/clients/client-greengrass/src/commands/GetDeviceDefinitionCommand.ts index b175826a1a32..f37d5749411a 100644 --- a/clients/client-greengrass/src/commands/GetDeviceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/GetDeviceDefinitionCommand.ts @@ -89,4 +89,16 @@ export class GetDeviceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceDefinitionCommand) .de(de_GetDeviceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceDefinitionRequest; + output: GetDeviceDefinitionResponse; + }; + sdk: { + input: GetDeviceDefinitionCommandInput; + output: GetDeviceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetDeviceDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/GetDeviceDefinitionVersionCommand.ts index c135206496f0..82f1ef34323d 100644 --- a/clients/client-greengrass/src/commands/GetDeviceDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetDeviceDefinitionVersionCommand.ts @@ -96,4 +96,16 @@ export class GetDeviceDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceDefinitionVersionCommand) .de(de_GetDeviceDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceDefinitionVersionRequest; + output: GetDeviceDefinitionVersionResponse; + }; + sdk: { + input: GetDeviceDefinitionVersionCommandInput; + output: GetDeviceDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetFunctionDefinitionCommand.ts b/clients/client-greengrass/src/commands/GetFunctionDefinitionCommand.ts index ed55f2fd6c68..1583f3aec5be 100644 --- a/clients/client-greengrass/src/commands/GetFunctionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/GetFunctionDefinitionCommand.ts @@ -89,4 +89,16 @@ export class GetFunctionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionDefinitionCommand) .de(de_GetFunctionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionDefinitionRequest; + output: GetFunctionDefinitionResponse; + }; + sdk: { + input: GetFunctionDefinitionCommandInput; + output: GetFunctionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetFunctionDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/GetFunctionDefinitionVersionCommand.ts index 7a869b5bbe42..a3d578f9b725 100644 --- a/clients/client-greengrass/src/commands/GetFunctionDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetFunctionDefinitionVersionCommand.ts @@ -136,4 +136,16 @@ export class GetFunctionDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionDefinitionVersionCommand) .de(de_GetFunctionDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionDefinitionVersionRequest; + output: GetFunctionDefinitionVersionResponse; + }; + sdk: { + input: GetFunctionDefinitionVersionCommandInput; + output: GetFunctionDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetGroupCertificateAuthorityCommand.ts b/clients/client-greengrass/src/commands/GetGroupCertificateAuthorityCommand.ts index 0d09a07f41cf..1f13714c68af 100644 --- a/clients/client-greengrass/src/commands/GetGroupCertificateAuthorityCommand.ts +++ b/clients/client-greengrass/src/commands/GetGroupCertificateAuthorityCommand.ts @@ -91,4 +91,16 @@ export class GetGroupCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCertificateAuthorityCommand) .de(de_GetGroupCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupCertificateAuthorityRequest; + output: GetGroupCertificateAuthorityResponse; + }; + sdk: { + input: GetGroupCertificateAuthorityCommandInput; + output: GetGroupCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetGroupCertificateConfigurationCommand.ts b/clients/client-greengrass/src/commands/GetGroupCertificateConfigurationCommand.ts index c4a20c64506d..db887644b265 100644 --- a/clients/client-greengrass/src/commands/GetGroupCertificateConfigurationCommand.ts +++ b/clients/client-greengrass/src/commands/GetGroupCertificateConfigurationCommand.ts @@ -90,4 +90,16 @@ export class GetGroupCertificateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCertificateConfigurationCommand) .de(de_GetGroupCertificateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupCertificateConfigurationRequest; + output: GetGroupCertificateConfigurationResponse; + }; + sdk: { + input: GetGroupCertificateConfigurationCommandInput; + output: GetGroupCertificateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetGroupCommand.ts b/clients/client-greengrass/src/commands/GetGroupCommand.ts index 8fac8d162ad8..98277da243d2 100644 --- a/clients/client-greengrass/src/commands/GetGroupCommand.ts +++ b/clients/client-greengrass/src/commands/GetGroupCommand.ts @@ -89,4 +89,16 @@ export class GetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCommand) .de(de_GetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupRequest; + output: GetGroupResponse; + }; + sdk: { + input: GetGroupCommandInput; + output: GetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetGroupVersionCommand.ts b/clients/client-greengrass/src/commands/GetGroupVersionCommand.ts index dc190c9797cc..8f7c1801354b 100644 --- a/clients/client-greengrass/src/commands/GetGroupVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetGroupVersionCommand.ts @@ -93,4 +93,16 @@ export class GetGroupVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupVersionCommand) .de(de_GetGroupVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupVersionRequest; + output: GetGroupVersionResponse; + }; + sdk: { + input: GetGroupVersionCommandInput; + output: GetGroupVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetLoggerDefinitionCommand.ts b/clients/client-greengrass/src/commands/GetLoggerDefinitionCommand.ts index e3045cad8547..4f3fb43bf120 100644 --- a/clients/client-greengrass/src/commands/GetLoggerDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/GetLoggerDefinitionCommand.ts @@ -89,4 +89,16 @@ export class GetLoggerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggerDefinitionCommand) .de(de_GetLoggerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoggerDefinitionRequest; + output: GetLoggerDefinitionResponse; + }; + sdk: { + input: GetLoggerDefinitionCommandInput; + output: GetLoggerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetLoggerDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/GetLoggerDefinitionVersionCommand.ts index a8f4739cd1cd..6acb3f337449 100644 --- a/clients/client-greengrass/src/commands/GetLoggerDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetLoggerDefinitionVersionCommand.ts @@ -96,4 +96,16 @@ export class GetLoggerDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggerDefinitionVersionCommand) .de(de_GetLoggerDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoggerDefinitionVersionRequest; + output: GetLoggerDefinitionVersionResponse; + }; + sdk: { + input: GetLoggerDefinitionVersionCommandInput; + output: GetLoggerDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetResourceDefinitionCommand.ts b/clients/client-greengrass/src/commands/GetResourceDefinitionCommand.ts index c63141c85683..dc8146c484e1 100644 --- a/clients/client-greengrass/src/commands/GetResourceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/GetResourceDefinitionCommand.ts @@ -89,4 +89,16 @@ export class GetResourceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceDefinitionCommand) .de(de_GetResourceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceDefinitionRequest; + output: GetResourceDefinitionResponse; + }; + sdk: { + input: GetResourceDefinitionCommandInput; + output: GetResourceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetResourceDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/GetResourceDefinitionVersionCommand.ts index 84813f9487f6..dbb3f027d36b 100644 --- a/clients/client-greengrass/src/commands/GetResourceDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetResourceDefinitionVersionCommand.ts @@ -136,4 +136,16 @@ export class GetResourceDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceDefinitionVersionCommand) .de(de_GetResourceDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceDefinitionVersionRequest; + output: GetResourceDefinitionVersionResponse; + }; + sdk: { + input: GetResourceDefinitionVersionCommandInput; + output: GetResourceDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetServiceRoleForAccountCommand.ts b/clients/client-greengrass/src/commands/GetServiceRoleForAccountCommand.ts index 25bb0cd42cf4..64498364af70 100644 --- a/clients/client-greengrass/src/commands/GetServiceRoleForAccountCommand.ts +++ b/clients/client-greengrass/src/commands/GetServiceRoleForAccountCommand.ts @@ -79,4 +79,16 @@ export class GetServiceRoleForAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceRoleForAccountCommand) .de(de_GetServiceRoleForAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetServiceRoleForAccountResponse; + }; + sdk: { + input: GetServiceRoleForAccountCommandInput; + output: GetServiceRoleForAccountCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetSubscriptionDefinitionCommand.ts b/clients/client-greengrass/src/commands/GetSubscriptionDefinitionCommand.ts index 57e5fedbb91c..c31c91855a6a 100644 --- a/clients/client-greengrass/src/commands/GetSubscriptionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/GetSubscriptionDefinitionCommand.ts @@ -89,4 +89,16 @@ export class GetSubscriptionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetSubscriptionDefinitionCommand) .de(de_GetSubscriptionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionDefinitionRequest; + output: GetSubscriptionDefinitionResponse; + }; + sdk: { + input: GetSubscriptionDefinitionCommandInput; + output: GetSubscriptionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetSubscriptionDefinitionVersionCommand.ts b/clients/client-greengrass/src/commands/GetSubscriptionDefinitionVersionCommand.ts index 53f97cec94b8..e57d4255accc 100644 --- a/clients/client-greengrass/src/commands/GetSubscriptionDefinitionVersionCommand.ts +++ b/clients/client-greengrass/src/commands/GetSubscriptionDefinitionVersionCommand.ts @@ -101,4 +101,16 @@ export class GetSubscriptionDefinitionVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetSubscriptionDefinitionVersionCommand) .de(de_GetSubscriptionDefinitionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionDefinitionVersionRequest; + output: GetSubscriptionDefinitionVersionResponse; + }; + sdk: { + input: GetSubscriptionDefinitionVersionCommandInput; + output: GetSubscriptionDefinitionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/GetThingRuntimeConfigurationCommand.ts b/clients/client-greengrass/src/commands/GetThingRuntimeConfigurationCommand.ts index 21887e5fe6cf..24ffbf0d4abd 100644 --- a/clients/client-greengrass/src/commands/GetThingRuntimeConfigurationCommand.ts +++ b/clients/client-greengrass/src/commands/GetThingRuntimeConfigurationCommand.ts @@ -93,4 +93,16 @@ export class GetThingRuntimeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetThingRuntimeConfigurationCommand) .de(de_GetThingRuntimeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetThingRuntimeConfigurationRequest; + output: GetThingRuntimeConfigurationResponse; + }; + sdk: { + input: GetThingRuntimeConfigurationCommandInput; + output: GetThingRuntimeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListBulkDeploymentDetailedReportsCommand.ts b/clients/client-greengrass/src/commands/ListBulkDeploymentDetailedReportsCommand.ts index 1d0ba2316643..e162619039be 100644 --- a/clients/client-greengrass/src/commands/ListBulkDeploymentDetailedReportsCommand.ts +++ b/clients/client-greengrass/src/commands/ListBulkDeploymentDetailedReportsCommand.ts @@ -107,4 +107,16 @@ export class ListBulkDeploymentDetailedReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListBulkDeploymentDetailedReportsCommand) .de(de_ListBulkDeploymentDetailedReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBulkDeploymentDetailedReportsRequest; + output: ListBulkDeploymentDetailedReportsResponse; + }; + sdk: { + input: ListBulkDeploymentDetailedReportsCommandInput; + output: ListBulkDeploymentDetailedReportsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListBulkDeploymentsCommand.ts b/clients/client-greengrass/src/commands/ListBulkDeploymentsCommand.ts index 1a3573c2cdb7..6791e3c4b8f9 100644 --- a/clients/client-greengrass/src/commands/ListBulkDeploymentsCommand.ts +++ b/clients/client-greengrass/src/commands/ListBulkDeploymentsCommand.ts @@ -88,4 +88,16 @@ export class ListBulkDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListBulkDeploymentsCommand) .de(de_ListBulkDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBulkDeploymentsRequest; + output: ListBulkDeploymentsResponse; + }; + sdk: { + input: ListBulkDeploymentsCommandInput; + output: ListBulkDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListConnectorDefinitionVersionsCommand.ts b/clients/client-greengrass/src/commands/ListConnectorDefinitionVersionsCommand.ts index 810ce36859aa..107020f6e445 100644 --- a/clients/client-greengrass/src/commands/ListConnectorDefinitionVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListConnectorDefinitionVersionsCommand.ts @@ -95,4 +95,16 @@ export class ListConnectorDefinitionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorDefinitionVersionsCommand) .de(de_ListConnectorDefinitionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorDefinitionVersionsRequest; + output: ListConnectorDefinitionVersionsResponse; + }; + sdk: { + input: ListConnectorDefinitionVersionsCommandInput; + output: ListConnectorDefinitionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListConnectorDefinitionsCommand.ts b/clients/client-greengrass/src/commands/ListConnectorDefinitionsCommand.ts index 0e9c845ec667..0e5f7761aa2b 100644 --- a/clients/client-greengrass/src/commands/ListConnectorDefinitionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListConnectorDefinitionsCommand.ts @@ -92,4 +92,16 @@ export class ListConnectorDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorDefinitionsCommand) .de(de_ListConnectorDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorDefinitionsRequest; + output: ListConnectorDefinitionsResponse; + }; + sdk: { + input: ListConnectorDefinitionsCommandInput; + output: ListConnectorDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListCoreDefinitionVersionsCommand.ts b/clients/client-greengrass/src/commands/ListCoreDefinitionVersionsCommand.ts index 4c6e6fcc5a62..ce77ce419481 100644 --- a/clients/client-greengrass/src/commands/ListCoreDefinitionVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListCoreDefinitionVersionsCommand.ts @@ -90,4 +90,16 @@ export class ListCoreDefinitionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCoreDefinitionVersionsCommand) .de(de_ListCoreDefinitionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoreDefinitionVersionsRequest; + output: ListCoreDefinitionVersionsResponse; + }; + sdk: { + input: ListCoreDefinitionVersionsCommandInput; + output: ListCoreDefinitionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListCoreDefinitionsCommand.ts b/clients/client-greengrass/src/commands/ListCoreDefinitionsCommand.ts index 535fee7c3749..83d405fadb5f 100644 --- a/clients/client-greengrass/src/commands/ListCoreDefinitionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListCoreDefinitionsCommand.ts @@ -92,4 +92,16 @@ export class ListCoreDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCoreDefinitionsCommand) .de(de_ListCoreDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoreDefinitionsRequest; + output: ListCoreDefinitionsResponse; + }; + sdk: { + input: ListCoreDefinitionsCommandInput; + output: ListCoreDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListDeploymentsCommand.ts b/clients/client-greengrass/src/commands/ListDeploymentsCommand.ts index 2e68c5149bac..f40ff2ca03a1 100644 --- a/clients/client-greengrass/src/commands/ListDeploymentsCommand.ts +++ b/clients/client-greengrass/src/commands/ListDeploymentsCommand.ts @@ -91,4 +91,16 @@ export class ListDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentsCommand) .de(de_ListDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentsRequest; + output: ListDeploymentsResponse; + }; + sdk: { + input: ListDeploymentsCommandInput; + output: ListDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListDeviceDefinitionVersionsCommand.ts b/clients/client-greengrass/src/commands/ListDeviceDefinitionVersionsCommand.ts index f69a651c6ef4..4afbbb913a92 100644 --- a/clients/client-greengrass/src/commands/ListDeviceDefinitionVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListDeviceDefinitionVersionsCommand.ts @@ -95,4 +95,16 @@ export class ListDeviceDefinitionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeviceDefinitionVersionsCommand) .de(de_ListDeviceDefinitionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceDefinitionVersionsRequest; + output: ListDeviceDefinitionVersionsResponse; + }; + sdk: { + input: ListDeviceDefinitionVersionsCommandInput; + output: ListDeviceDefinitionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListDeviceDefinitionsCommand.ts b/clients/client-greengrass/src/commands/ListDeviceDefinitionsCommand.ts index be18b90a4068..5e88ab1f2982 100644 --- a/clients/client-greengrass/src/commands/ListDeviceDefinitionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListDeviceDefinitionsCommand.ts @@ -92,4 +92,16 @@ export class ListDeviceDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeviceDefinitionsCommand) .de(de_ListDeviceDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceDefinitionsRequest; + output: ListDeviceDefinitionsResponse; + }; + sdk: { + input: ListDeviceDefinitionsCommandInput; + output: ListDeviceDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListFunctionDefinitionVersionsCommand.ts b/clients/client-greengrass/src/commands/ListFunctionDefinitionVersionsCommand.ts index f9f6ae317ae2..b7cbf344d3f8 100644 --- a/clients/client-greengrass/src/commands/ListFunctionDefinitionVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListFunctionDefinitionVersionsCommand.ts @@ -95,4 +95,16 @@ export class ListFunctionDefinitionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListFunctionDefinitionVersionsCommand) .de(de_ListFunctionDefinitionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionDefinitionVersionsRequest; + output: ListFunctionDefinitionVersionsResponse; + }; + sdk: { + input: ListFunctionDefinitionVersionsCommandInput; + output: ListFunctionDefinitionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListFunctionDefinitionsCommand.ts b/clients/client-greengrass/src/commands/ListFunctionDefinitionsCommand.ts index 44bc4b719a64..e7fd3d091f37 100644 --- a/clients/client-greengrass/src/commands/ListFunctionDefinitionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListFunctionDefinitionsCommand.ts @@ -92,4 +92,16 @@ export class ListFunctionDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListFunctionDefinitionsCommand) .de(de_ListFunctionDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionDefinitionsRequest; + output: ListFunctionDefinitionsResponse; + }; + sdk: { + input: ListFunctionDefinitionsCommandInput; + output: ListFunctionDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListGroupCertificateAuthoritiesCommand.ts b/clients/client-greengrass/src/commands/ListGroupCertificateAuthoritiesCommand.ts index 257fe7a2028c..27d413c9a065 100644 --- a/clients/client-greengrass/src/commands/ListGroupCertificateAuthoritiesCommand.ts +++ b/clients/client-greengrass/src/commands/ListGroupCertificateAuthoritiesCommand.ts @@ -93,4 +93,16 @@ export class ListGroupCertificateAuthoritiesCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupCertificateAuthoritiesCommand) .de(de_ListGroupCertificateAuthoritiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupCertificateAuthoritiesRequest; + output: ListGroupCertificateAuthoritiesResponse; + }; + sdk: { + input: ListGroupCertificateAuthoritiesCommandInput; + output: ListGroupCertificateAuthoritiesCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListGroupVersionsCommand.ts b/clients/client-greengrass/src/commands/ListGroupVersionsCommand.ts index 3a3e83e7a9b9..48bccb35dc8e 100644 --- a/clients/client-greengrass/src/commands/ListGroupVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListGroupVersionsCommand.ts @@ -90,4 +90,16 @@ export class ListGroupVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupVersionsCommand) .de(de_ListGroupVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupVersionsRequest; + output: ListGroupVersionsResponse; + }; + sdk: { + input: ListGroupVersionsCommandInput; + output: ListGroupVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListGroupsCommand.ts b/clients/client-greengrass/src/commands/ListGroupsCommand.ts index 5f016734b466..d59edf9379e0 100644 --- a/clients/client-greengrass/src/commands/ListGroupsCommand.ts +++ b/clients/client-greengrass/src/commands/ListGroupsCommand.ts @@ -89,4 +89,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListLoggerDefinitionVersionsCommand.ts b/clients/client-greengrass/src/commands/ListLoggerDefinitionVersionsCommand.ts index 974cd9cdecd7..e043a29b373b 100644 --- a/clients/client-greengrass/src/commands/ListLoggerDefinitionVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListLoggerDefinitionVersionsCommand.ts @@ -95,4 +95,16 @@ export class ListLoggerDefinitionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLoggerDefinitionVersionsCommand) .de(de_ListLoggerDefinitionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLoggerDefinitionVersionsRequest; + output: ListLoggerDefinitionVersionsResponse; + }; + sdk: { + input: ListLoggerDefinitionVersionsCommandInput; + output: ListLoggerDefinitionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListLoggerDefinitionsCommand.ts b/clients/client-greengrass/src/commands/ListLoggerDefinitionsCommand.ts index 06f6a4b096b6..daef79080058 100644 --- a/clients/client-greengrass/src/commands/ListLoggerDefinitionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListLoggerDefinitionsCommand.ts @@ -92,4 +92,16 @@ export class ListLoggerDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLoggerDefinitionsCommand) .de(de_ListLoggerDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLoggerDefinitionsRequest; + output: ListLoggerDefinitionsResponse; + }; + sdk: { + input: ListLoggerDefinitionsCommandInput; + output: ListLoggerDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListResourceDefinitionVersionsCommand.ts b/clients/client-greengrass/src/commands/ListResourceDefinitionVersionsCommand.ts index 3d779ee9e4ab..8d512d3064ff 100644 --- a/clients/client-greengrass/src/commands/ListResourceDefinitionVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListResourceDefinitionVersionsCommand.ts @@ -95,4 +95,16 @@ export class ListResourceDefinitionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceDefinitionVersionsCommand) .de(de_ListResourceDefinitionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceDefinitionVersionsRequest; + output: ListResourceDefinitionVersionsResponse; + }; + sdk: { + input: ListResourceDefinitionVersionsCommandInput; + output: ListResourceDefinitionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListResourceDefinitionsCommand.ts b/clients/client-greengrass/src/commands/ListResourceDefinitionsCommand.ts index 250e4750ce06..0ece31224d84 100644 --- a/clients/client-greengrass/src/commands/ListResourceDefinitionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListResourceDefinitionsCommand.ts @@ -92,4 +92,16 @@ export class ListResourceDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceDefinitionsCommand) .de(de_ListResourceDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceDefinitionsRequest; + output: ListResourceDefinitionsResponse; + }; + sdk: { + input: ListResourceDefinitionsCommandInput; + output: ListResourceDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListSubscriptionDefinitionVersionsCommand.ts b/clients/client-greengrass/src/commands/ListSubscriptionDefinitionVersionsCommand.ts index d3e05b67731d..71c46ea85aca 100644 --- a/clients/client-greengrass/src/commands/ListSubscriptionDefinitionVersionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListSubscriptionDefinitionVersionsCommand.ts @@ -98,4 +98,16 @@ export class ListSubscriptionDefinitionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscriptionDefinitionVersionsCommand) .de(de_ListSubscriptionDefinitionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionDefinitionVersionsRequest; + output: ListSubscriptionDefinitionVersionsResponse; + }; + sdk: { + input: ListSubscriptionDefinitionVersionsCommandInput; + output: ListSubscriptionDefinitionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListSubscriptionDefinitionsCommand.ts b/clients/client-greengrass/src/commands/ListSubscriptionDefinitionsCommand.ts index 72171dc18031..fb09aed60027 100644 --- a/clients/client-greengrass/src/commands/ListSubscriptionDefinitionsCommand.ts +++ b/clients/client-greengrass/src/commands/ListSubscriptionDefinitionsCommand.ts @@ -97,4 +97,16 @@ export class ListSubscriptionDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscriptionDefinitionsCommand) .de(de_ListSubscriptionDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionDefinitionsRequest; + output: ListSubscriptionDefinitionsResponse; + }; + sdk: { + input: ListSubscriptionDefinitionsCommandInput; + output: ListSubscriptionDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ListTagsForResourceCommand.ts b/clients/client-greengrass/src/commands/ListTagsForResourceCommand.ts index 311c84c5a92b..9104ca437602 100644 --- a/clients/client-greengrass/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-greengrass/src/commands/ListTagsForResourceCommand.ts @@ -82,4 +82,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/ResetDeploymentsCommand.ts b/clients/client-greengrass/src/commands/ResetDeploymentsCommand.ts index 25d8b634cf57..6418c0375deb 100644 --- a/clients/client-greengrass/src/commands/ResetDeploymentsCommand.ts +++ b/clients/client-greengrass/src/commands/ResetDeploymentsCommand.ts @@ -83,4 +83,16 @@ export class ResetDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ResetDeploymentsCommand) .de(de_ResetDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetDeploymentsRequest; + output: ResetDeploymentsResponse; + }; + sdk: { + input: ResetDeploymentsCommandInput; + output: ResetDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/StartBulkDeploymentCommand.ts b/clients/client-greengrass/src/commands/StartBulkDeploymentCommand.ts index fdd6013f4e35..2241c28123d0 100644 --- a/clients/client-greengrass/src/commands/StartBulkDeploymentCommand.ts +++ b/clients/client-greengrass/src/commands/StartBulkDeploymentCommand.ts @@ -86,4 +86,16 @@ export class StartBulkDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StartBulkDeploymentCommand) .de(de_StartBulkDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBulkDeploymentRequest; + output: StartBulkDeploymentResponse; + }; + sdk: { + input: StartBulkDeploymentCommandInput; + output: StartBulkDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/StopBulkDeploymentCommand.ts b/clients/client-greengrass/src/commands/StopBulkDeploymentCommand.ts index be8c1834753b..fa6f682ab699 100644 --- a/clients/client-greengrass/src/commands/StopBulkDeploymentCommand.ts +++ b/clients/client-greengrass/src/commands/StopBulkDeploymentCommand.ts @@ -78,4 +78,16 @@ export class StopBulkDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StopBulkDeploymentCommand) .de(de_StopBulkDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopBulkDeploymentRequest; + output: {}; + }; + sdk: { + input: StopBulkDeploymentCommandInput; + output: StopBulkDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/TagResourceCommand.ts b/clients/client-greengrass/src/commands/TagResourceCommand.ts index c97513fa8a31..c0d6c48421fc 100644 --- a/clients/client-greengrass/src/commands/TagResourceCommand.ts +++ b/clients/client-greengrass/src/commands/TagResourceCommand.ts @@ -81,4 +81,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UntagResourceCommand.ts b/clients/client-greengrass/src/commands/UntagResourceCommand.ts index 94e4a5f409b2..2f91fcbaa1e8 100644 --- a/clients/client-greengrass/src/commands/UntagResourceCommand.ts +++ b/clients/client-greengrass/src/commands/UntagResourceCommand.ts @@ -81,4 +81,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateConnectivityInfoCommand.ts b/clients/client-greengrass/src/commands/UpdateConnectivityInfoCommand.ts index 6fb5155c480a..4bc8fc28c9f8 100644 --- a/clients/client-greengrass/src/commands/UpdateConnectivityInfoCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateConnectivityInfoCommand.ts @@ -92,4 +92,16 @@ export class UpdateConnectivityInfoCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectivityInfoCommand) .de(de_UpdateConnectivityInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectivityInfoRequest; + output: UpdateConnectivityInfoResponse; + }; + sdk: { + input: UpdateConnectivityInfoCommandInput; + output: UpdateConnectivityInfoCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateConnectorDefinitionCommand.ts b/clients/client-greengrass/src/commands/UpdateConnectorDefinitionCommand.ts index 63f052bcc5d7..84e96a69336a 100644 --- a/clients/client-greengrass/src/commands/UpdateConnectorDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateConnectorDefinitionCommand.ts @@ -79,4 +79,16 @@ export class UpdateConnectorDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectorDefinitionCommand) .de(de_UpdateConnectorDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectorDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateConnectorDefinitionCommandInput; + output: UpdateConnectorDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateCoreDefinitionCommand.ts b/clients/client-greengrass/src/commands/UpdateCoreDefinitionCommand.ts index 7f856cebd3d5..1c34adc10cae 100644 --- a/clients/client-greengrass/src/commands/UpdateCoreDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateCoreDefinitionCommand.ts @@ -79,4 +79,16 @@ export class UpdateCoreDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCoreDefinitionCommand) .de(de_UpdateCoreDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCoreDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateCoreDefinitionCommandInput; + output: UpdateCoreDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateDeviceDefinitionCommand.ts b/clients/client-greengrass/src/commands/UpdateDeviceDefinitionCommand.ts index 36797ee96668..37f715398808 100644 --- a/clients/client-greengrass/src/commands/UpdateDeviceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateDeviceDefinitionCommand.ts @@ -79,4 +79,16 @@ export class UpdateDeviceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeviceDefinitionCommand) .de(de_UpdateDeviceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateDeviceDefinitionCommandInput; + output: UpdateDeviceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateFunctionDefinitionCommand.ts b/clients/client-greengrass/src/commands/UpdateFunctionDefinitionCommand.ts index 8ad062c62e4e..46a2d9dd4b7b 100644 --- a/clients/client-greengrass/src/commands/UpdateFunctionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateFunctionDefinitionCommand.ts @@ -79,4 +79,16 @@ export class UpdateFunctionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFunctionDefinitionCommand) .de(de_UpdateFunctionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFunctionDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateFunctionDefinitionCommandInput; + output: UpdateFunctionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateGroupCertificateConfigurationCommand.ts b/clients/client-greengrass/src/commands/UpdateGroupCertificateConfigurationCommand.ts index a7d73fa13708..181a2aa04fba 100644 --- a/clients/client-greengrass/src/commands/UpdateGroupCertificateConfigurationCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateGroupCertificateConfigurationCommand.ts @@ -94,4 +94,16 @@ export class UpdateGroupCertificateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCertificateConfigurationCommand) .de(de_UpdateGroupCertificateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupCertificateConfigurationRequest; + output: UpdateGroupCertificateConfigurationResponse; + }; + sdk: { + input: UpdateGroupCertificateConfigurationCommandInput; + output: UpdateGroupCertificateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateGroupCommand.ts b/clients/client-greengrass/src/commands/UpdateGroupCommand.ts index 44a0686543fc..f5b0c7fba816 100644 --- a/clients/client-greengrass/src/commands/UpdateGroupCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateGroupCommand.ts @@ -79,4 +79,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: {}; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateLoggerDefinitionCommand.ts b/clients/client-greengrass/src/commands/UpdateLoggerDefinitionCommand.ts index 53c9caaff06b..f8cbc84e10ae 100644 --- a/clients/client-greengrass/src/commands/UpdateLoggerDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateLoggerDefinitionCommand.ts @@ -79,4 +79,16 @@ export class UpdateLoggerDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLoggerDefinitionCommand) .de(de_UpdateLoggerDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLoggerDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateLoggerDefinitionCommandInput; + output: UpdateLoggerDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateResourceDefinitionCommand.ts b/clients/client-greengrass/src/commands/UpdateResourceDefinitionCommand.ts index 320dab3a1112..1f56264acf45 100644 --- a/clients/client-greengrass/src/commands/UpdateResourceDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateResourceDefinitionCommand.ts @@ -79,4 +79,16 @@ export class UpdateResourceDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceDefinitionCommand) .de(de_UpdateResourceDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateResourceDefinitionCommandInput; + output: UpdateResourceDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateSubscriptionDefinitionCommand.ts b/clients/client-greengrass/src/commands/UpdateSubscriptionDefinitionCommand.ts index 1d28a04e968e..c874af876c12 100644 --- a/clients/client-greengrass/src/commands/UpdateSubscriptionDefinitionCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateSubscriptionDefinitionCommand.ts @@ -84,4 +84,16 @@ export class UpdateSubscriptionDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubscriptionDefinitionCommand) .de(de_UpdateSubscriptionDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriptionDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateSubscriptionDefinitionCommandInput; + output: UpdateSubscriptionDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrass/src/commands/UpdateThingRuntimeConfigurationCommand.ts b/clients/client-greengrass/src/commands/UpdateThingRuntimeConfigurationCommand.ts index 2b8aafe8e000..02810a8dff9e 100644 --- a/clients/client-greengrass/src/commands/UpdateThingRuntimeConfigurationCommand.ts +++ b/clients/client-greengrass/src/commands/UpdateThingRuntimeConfigurationCommand.ts @@ -89,4 +89,16 @@ export class UpdateThingRuntimeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThingRuntimeConfigurationCommand) .de(de_UpdateThingRuntimeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThingRuntimeConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateThingRuntimeConfigurationCommandInput; + output: UpdateThingRuntimeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/package.json b/clients/client-greengrassv2/package.json index e0808a81be49..83836a3e00e1 100644 --- a/clients/client-greengrassv2/package.json +++ b/clients/client-greengrassv2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-greengrassv2/src/commands/AssociateServiceRoleToAccountCommand.ts b/clients/client-greengrassv2/src/commands/AssociateServiceRoleToAccountCommand.ts index 5fb0dfa118fc..f0c8bbfc822a 100644 --- a/clients/client-greengrassv2/src/commands/AssociateServiceRoleToAccountCommand.ts +++ b/clients/client-greengrassv2/src/commands/AssociateServiceRoleToAccountCommand.ts @@ -93,4 +93,16 @@ export class AssociateServiceRoleToAccountCommand extends $Command .f(void 0, void 0) .ser(se_AssociateServiceRoleToAccountCommand) .de(de_AssociateServiceRoleToAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateServiceRoleToAccountRequest; + output: AssociateServiceRoleToAccountResponse; + }; + sdk: { + input: AssociateServiceRoleToAccountCommandInput; + output: AssociateServiceRoleToAccountCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/BatchAssociateClientDeviceWithCoreDeviceCommand.ts b/clients/client-greengrassv2/src/commands/BatchAssociateClientDeviceWithCoreDeviceCommand.ts index 1b1e2358c72e..8631c0503991 100644 --- a/clients/client-greengrassv2/src/commands/BatchAssociateClientDeviceWithCoreDeviceCommand.ts +++ b/clients/client-greengrassv2/src/commands/BatchAssociateClientDeviceWithCoreDeviceCommand.ts @@ -125,4 +125,16 @@ export class BatchAssociateClientDeviceWithCoreDeviceCommand extends $Command .f(void 0, void 0) .ser(se_BatchAssociateClientDeviceWithCoreDeviceCommand) .de(de_BatchAssociateClientDeviceWithCoreDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateClientDeviceWithCoreDeviceRequest; + output: BatchAssociateClientDeviceWithCoreDeviceResponse; + }; + sdk: { + input: BatchAssociateClientDeviceWithCoreDeviceCommandInput; + output: BatchAssociateClientDeviceWithCoreDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/BatchDisassociateClientDeviceFromCoreDeviceCommand.ts b/clients/client-greengrassv2/src/commands/BatchDisassociateClientDeviceFromCoreDeviceCommand.ts index 661aa28f9d5b..f2dbbd6a5979 100644 --- a/clients/client-greengrassv2/src/commands/BatchDisassociateClientDeviceFromCoreDeviceCommand.ts +++ b/clients/client-greengrassv2/src/commands/BatchDisassociateClientDeviceFromCoreDeviceCommand.ts @@ -116,4 +116,16 @@ export class BatchDisassociateClientDeviceFromCoreDeviceCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisassociateClientDeviceFromCoreDeviceCommand) .de(de_BatchDisassociateClientDeviceFromCoreDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateClientDeviceFromCoreDeviceRequest; + output: BatchDisassociateClientDeviceFromCoreDeviceResponse; + }; + sdk: { + input: BatchDisassociateClientDeviceFromCoreDeviceCommandInput; + output: BatchDisassociateClientDeviceFromCoreDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/CancelDeploymentCommand.ts b/clients/client-greengrassv2/src/commands/CancelDeploymentCommand.ts index bec6e85d5d5d..710b3024adb9 100644 --- a/clients/client-greengrassv2/src/commands/CancelDeploymentCommand.ts +++ b/clients/client-greengrassv2/src/commands/CancelDeploymentCommand.ts @@ -100,4 +100,16 @@ export class CancelDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CancelDeploymentCommand) .de(de_CancelDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDeploymentRequest; + output: CancelDeploymentResponse; + }; + sdk: { + input: CancelDeploymentCommandInput; + output: CancelDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/CreateComponentVersionCommand.ts b/clients/client-greengrassv2/src/commands/CreateComponentVersionCommand.ts index 5330002d2789..e7e4cae8c34a 100644 --- a/clients/client-greengrassv2/src/commands/CreateComponentVersionCommand.ts +++ b/clients/client-greengrassv2/src/commands/CreateComponentVersionCommand.ts @@ -214,4 +214,16 @@ export class CreateComponentVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateComponentVersionCommand) .de(de_CreateComponentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComponentVersionRequest; + output: CreateComponentVersionResponse; + }; + sdk: { + input: CreateComponentVersionCommandInput; + output: CreateComponentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/CreateDeploymentCommand.ts b/clients/client-greengrassv2/src/commands/CreateDeploymentCommand.ts index ba66f66c0175..be498cda7145 100644 --- a/clients/client-greengrassv2/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-greengrassv2/src/commands/CreateDeploymentCommand.ts @@ -176,4 +176,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentRequest; + output: CreateDeploymentResponse; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/DeleteComponentCommand.ts b/clients/client-greengrassv2/src/commands/DeleteComponentCommand.ts index 35acf9c6c4f8..5620f5f941e7 100644 --- a/clients/client-greengrassv2/src/commands/DeleteComponentCommand.ts +++ b/clients/client-greengrassv2/src/commands/DeleteComponentCommand.ts @@ -102,4 +102,16 @@ export class DeleteComponentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteComponentCommand) .de(de_DeleteComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComponentRequest; + output: {}; + }; + sdk: { + input: DeleteComponentCommandInput; + output: DeleteComponentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/DeleteCoreDeviceCommand.ts b/clients/client-greengrassv2/src/commands/DeleteCoreDeviceCommand.ts index e1f8b2160205..cca156d90bbe 100644 --- a/clients/client-greengrassv2/src/commands/DeleteCoreDeviceCommand.ts +++ b/clients/client-greengrassv2/src/commands/DeleteCoreDeviceCommand.ts @@ -99,4 +99,16 @@ export class DeleteCoreDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCoreDeviceCommand) .de(de_DeleteCoreDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCoreDeviceRequest; + output: {}; + }; + sdk: { + input: DeleteCoreDeviceCommandInput; + output: DeleteCoreDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/DeleteDeploymentCommand.ts b/clients/client-greengrassv2/src/commands/DeleteDeploymentCommand.ts index c472407a8de6..5a927e515371 100644 --- a/clients/client-greengrassv2/src/commands/DeleteDeploymentCommand.ts +++ b/clients/client-greengrassv2/src/commands/DeleteDeploymentCommand.ts @@ -100,4 +100,16 @@ export class DeleteDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeploymentCommand) .de(de_DeleteDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentRequest; + output: {}; + }; + sdk: { + input: DeleteDeploymentCommandInput; + output: DeleteDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/DescribeComponentCommand.ts b/clients/client-greengrassv2/src/commands/DescribeComponentCommand.ts index 5bb7397d0fa5..51c9b4672068 100644 --- a/clients/client-greengrassv2/src/commands/DescribeComponentCommand.ts +++ b/clients/client-greengrassv2/src/commands/DescribeComponentCommand.ts @@ -119,4 +119,16 @@ export class DescribeComponentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeComponentCommand) .de(de_DescribeComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeComponentRequest; + output: DescribeComponentResponse; + }; + sdk: { + input: DescribeComponentCommandInput; + output: DescribeComponentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/DisassociateServiceRoleFromAccountCommand.ts b/clients/client-greengrassv2/src/commands/DisassociateServiceRoleFromAccountCommand.ts index 1a8d0911002a..ce787bee2db1 100644 --- a/clients/client-greengrassv2/src/commands/DisassociateServiceRoleFromAccountCommand.ts +++ b/clients/client-greengrassv2/src/commands/DisassociateServiceRoleFromAccountCommand.ts @@ -89,4 +89,16 @@ export class DisassociateServiceRoleFromAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateServiceRoleFromAccountCommand) .de(de_DisassociateServiceRoleFromAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DisassociateServiceRoleFromAccountResponse; + }; + sdk: { + input: DisassociateServiceRoleFromAccountCommandInput; + output: DisassociateServiceRoleFromAccountCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/GetComponentCommand.ts b/clients/client-greengrassv2/src/commands/GetComponentCommand.ts index fcdff0aeaf7d..a5995f9872ed 100644 --- a/clients/client-greengrassv2/src/commands/GetComponentCommand.ts +++ b/clients/client-greengrassv2/src/commands/GetComponentCommand.ts @@ -99,4 +99,16 @@ export class GetComponentCommand extends $Command .f(void 0, void 0) .ser(se_GetComponentCommand) .de(de_GetComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentRequest; + output: GetComponentResponse; + }; + sdk: { + input: GetComponentCommandInput; + output: GetComponentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/GetComponentVersionArtifactCommand.ts b/clients/client-greengrassv2/src/commands/GetComponentVersionArtifactCommand.ts index f1bdf8ea8299..384384d6ecc9 100644 --- a/clients/client-greengrassv2/src/commands/GetComponentVersionArtifactCommand.ts +++ b/clients/client-greengrassv2/src/commands/GetComponentVersionArtifactCommand.ts @@ -104,4 +104,16 @@ export class GetComponentVersionArtifactCommand extends $Command .f(void 0, void 0) .ser(se_GetComponentVersionArtifactCommand) .de(de_GetComponentVersionArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentVersionArtifactRequest; + output: GetComponentVersionArtifactResponse; + }; + sdk: { + input: GetComponentVersionArtifactCommandInput; + output: GetComponentVersionArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/GetConnectivityInfoCommand.ts b/clients/client-greengrassv2/src/commands/GetConnectivityInfoCommand.ts index b46bf4276541..6153ef046e93 100644 --- a/clients/client-greengrassv2/src/commands/GetConnectivityInfoCommand.ts +++ b/clients/client-greengrassv2/src/commands/GetConnectivityInfoCommand.ts @@ -98,4 +98,16 @@ export class GetConnectivityInfoCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectivityInfoCommand) .de(de_GetConnectivityInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectivityInfoRequest; + output: GetConnectivityInfoResponse; + }; + sdk: { + input: GetConnectivityInfoCommandInput; + output: GetConnectivityInfoCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/GetCoreDeviceCommand.ts b/clients/client-greengrassv2/src/commands/GetCoreDeviceCommand.ts index 1a5fc6f428cf..208d88e531b2 100644 --- a/clients/client-greengrassv2/src/commands/GetCoreDeviceCommand.ts +++ b/clients/client-greengrassv2/src/commands/GetCoreDeviceCommand.ts @@ -129,4 +129,16 @@ export class GetCoreDeviceCommand extends $Command .f(void 0, void 0) .ser(se_GetCoreDeviceCommand) .de(de_GetCoreDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoreDeviceRequest; + output: GetCoreDeviceResponse; + }; + sdk: { + input: GetCoreDeviceCommandInput; + output: GetCoreDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/GetDeploymentCommand.ts b/clients/client-greengrassv2/src/commands/GetDeploymentCommand.ts index ef93e739ef8d..aed6bee92c40 100644 --- a/clients/client-greengrassv2/src/commands/GetDeploymentCommand.ts +++ b/clients/client-greengrassv2/src/commands/GetDeploymentCommand.ts @@ -161,4 +161,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentRequest; + output: GetDeploymentResponse; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/GetServiceRoleForAccountCommand.ts b/clients/client-greengrassv2/src/commands/GetServiceRoleForAccountCommand.ts index 7e698915a558..4f5a51ceaed3 100644 --- a/clients/client-greengrassv2/src/commands/GetServiceRoleForAccountCommand.ts +++ b/clients/client-greengrassv2/src/commands/GetServiceRoleForAccountCommand.ts @@ -82,4 +82,16 @@ export class GetServiceRoleForAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceRoleForAccountCommand) .de(de_GetServiceRoleForAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetServiceRoleForAccountResponse; + }; + sdk: { + input: GetServiceRoleForAccountCommandInput; + output: GetServiceRoleForAccountCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListClientDevicesAssociatedWithCoreDeviceCommand.ts b/clients/client-greengrassv2/src/commands/ListClientDevicesAssociatedWithCoreDeviceCommand.ts index 33db69708d7c..b7716de05b1e 100644 --- a/clients/client-greengrassv2/src/commands/ListClientDevicesAssociatedWithCoreDeviceCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListClientDevicesAssociatedWithCoreDeviceCommand.ts @@ -112,4 +112,16 @@ export class ListClientDevicesAssociatedWithCoreDeviceCommand extends $Command .f(void 0, void 0) .ser(se_ListClientDevicesAssociatedWithCoreDeviceCommand) .de(de_ListClientDevicesAssociatedWithCoreDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClientDevicesAssociatedWithCoreDeviceRequest; + output: ListClientDevicesAssociatedWithCoreDeviceResponse; + }; + sdk: { + input: ListClientDevicesAssociatedWithCoreDeviceCommandInput; + output: ListClientDevicesAssociatedWithCoreDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListComponentVersionsCommand.ts b/clients/client-greengrassv2/src/commands/ListComponentVersionsCommand.ts index 1e4964966145..cf164e0c4692 100644 --- a/clients/client-greengrassv2/src/commands/ListComponentVersionsCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListComponentVersionsCommand.ts @@ -104,4 +104,16 @@ export class ListComponentVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentVersionsCommand) .de(de_ListComponentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentVersionsRequest; + output: ListComponentVersionsResponse; + }; + sdk: { + input: ListComponentVersionsCommandInput; + output: ListComponentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListComponentsCommand.ts b/clients/client-greengrassv2/src/commands/ListComponentsCommand.ts index 764f3c705134..692eae4b4054 100644 --- a/clients/client-greengrassv2/src/commands/ListComponentsCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListComponentsCommand.ts @@ -118,4 +118,16 @@ export class ListComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentsCommand) .de(de_ListComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentsRequest; + output: ListComponentsResponse; + }; + sdk: { + input: ListComponentsCommandInput; + output: ListComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListCoreDevicesCommand.ts b/clients/client-greengrassv2/src/commands/ListCoreDevicesCommand.ts index 21af7a51808e..7e9fd6fd8ea9 100644 --- a/clients/client-greengrassv2/src/commands/ListCoreDevicesCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListCoreDevicesCommand.ts @@ -128,4 +128,16 @@ export class ListCoreDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListCoreDevicesCommand) .de(de_ListCoreDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoreDevicesRequest; + output: ListCoreDevicesResponse; + }; + sdk: { + input: ListCoreDevicesCommandInput; + output: ListCoreDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListDeploymentsCommand.ts b/clients/client-greengrassv2/src/commands/ListDeploymentsCommand.ts index c0b9578cb75d..7b96f797c751 100644 --- a/clients/client-greengrassv2/src/commands/ListDeploymentsCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListDeploymentsCommand.ts @@ -107,4 +107,16 @@ export class ListDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentsCommand) .de(de_ListDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentsRequest; + output: ListDeploymentsResponse; + }; + sdk: { + input: ListDeploymentsCommandInput; + output: ListDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListEffectiveDeploymentsCommand.ts b/clients/client-greengrassv2/src/commands/ListEffectiveDeploymentsCommand.ts index 3375f8fb5858..5d9ad8eed3fd 100644 --- a/clients/client-greengrassv2/src/commands/ListEffectiveDeploymentsCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListEffectiveDeploymentsCommand.ts @@ -118,4 +118,16 @@ export class ListEffectiveDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListEffectiveDeploymentsCommand) .de(de_ListEffectiveDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEffectiveDeploymentsRequest; + output: ListEffectiveDeploymentsResponse; + }; + sdk: { + input: ListEffectiveDeploymentsCommandInput; + output: ListEffectiveDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListInstalledComponentsCommand.ts b/clients/client-greengrassv2/src/commands/ListInstalledComponentsCommand.ts index 052f4bd3160f..123174705107 100644 --- a/clients/client-greengrassv2/src/commands/ListInstalledComponentsCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListInstalledComponentsCommand.ts @@ -142,4 +142,16 @@ export class ListInstalledComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListInstalledComponentsCommand) .de(de_ListInstalledComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstalledComponentsRequest; + output: ListInstalledComponentsResponse; + }; + sdk: { + input: ListInstalledComponentsCommandInput; + output: ListInstalledComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ListTagsForResourceCommand.ts b/clients/client-greengrassv2/src/commands/ListTagsForResourceCommand.ts index d6808502b9ea..5778dc91c1df 100644 --- a/clients/client-greengrassv2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-greengrassv2/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/ResolveComponentCandidatesCommand.ts b/clients/client-greengrassv2/src/commands/ResolveComponentCandidatesCommand.ts index d5bf46233f9c..ccb5d800bfdd 100644 --- a/clients/client-greengrassv2/src/commands/ResolveComponentCandidatesCommand.ts +++ b/clients/client-greengrassv2/src/commands/ResolveComponentCandidatesCommand.ts @@ -135,4 +135,16 @@ export class ResolveComponentCandidatesCommand extends $Command .f(void 0, void 0) .ser(se_ResolveComponentCandidatesCommand) .de(de_ResolveComponentCandidatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResolveComponentCandidatesRequest; + output: ResolveComponentCandidatesResponse; + }; + sdk: { + input: ResolveComponentCandidatesCommandInput; + output: ResolveComponentCandidatesCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/TagResourceCommand.ts b/clients/client-greengrassv2/src/commands/TagResourceCommand.ts index 3f7f83363411..c4814d83acf4 100644 --- a/clients/client-greengrassv2/src/commands/TagResourceCommand.ts +++ b/clients/client-greengrassv2/src/commands/TagResourceCommand.ts @@ -89,4 +89,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/UntagResourceCommand.ts b/clients/client-greengrassv2/src/commands/UntagResourceCommand.ts index 24537df8cac0..7fa29180bbcf 100644 --- a/clients/client-greengrassv2/src/commands/UntagResourceCommand.ts +++ b/clients/client-greengrassv2/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-greengrassv2/src/commands/UpdateConnectivityInfoCommand.ts b/clients/client-greengrassv2/src/commands/UpdateConnectivityInfoCommand.ts index 2ebd2e0ebd8a..d69cb196e8b2 100644 --- a/clients/client-greengrassv2/src/commands/UpdateConnectivityInfoCommand.ts +++ b/clients/client-greengrassv2/src/commands/UpdateConnectivityInfoCommand.ts @@ -99,4 +99,16 @@ export class UpdateConnectivityInfoCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectivityInfoCommand) .de(de_UpdateConnectivityInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectivityInfoRequest; + output: UpdateConnectivityInfoResponse; + }; + sdk: { + input: UpdateConnectivityInfoCommandInput; + output: UpdateConnectivityInfoCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/package.json b/clients/client-groundstation/package.json index 16aa3fe4fcca..9e5dcada4d01 100644 --- a/clients/client-groundstation/package.json +++ b/clients/client-groundstation/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-groundstation/src/commands/CancelContactCommand.ts b/clients/client-groundstation/src/commands/CancelContactCommand.ts index c28e46fa26a2..f81e955ea73e 100644 --- a/clients/client-groundstation/src/commands/CancelContactCommand.ts +++ b/clients/client-groundstation/src/commands/CancelContactCommand.ts @@ -86,4 +86,16 @@ export class CancelContactCommand extends $Command .f(void 0, void 0) .ser(se_CancelContactCommand) .de(de_CancelContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelContactRequest; + output: ContactIdResponse; + }; + sdk: { + input: CancelContactCommandInput; + output: CancelContactCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/CreateConfigCommand.ts b/clients/client-groundstation/src/commands/CreateConfigCommand.ts index ee1433c67c4d..e36a85a7e800 100644 --- a/clients/client-groundstation/src/commands/CreateConfigCommand.ts +++ b/clients/client-groundstation/src/commands/CreateConfigCommand.ts @@ -159,4 +159,16 @@ export class CreateConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigCommand) .de(de_CreateConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigRequest; + output: ConfigIdResponse; + }; + sdk: { + input: CreateConfigCommandInput; + output: CreateConfigCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/CreateDataflowEndpointGroupCommand.ts b/clients/client-groundstation/src/commands/CreateDataflowEndpointGroupCommand.ts index ffa9acf59711..bb5d3b4a3b09 100644 --- a/clients/client-groundstation/src/commands/CreateDataflowEndpointGroupCommand.ts +++ b/clients/client-groundstation/src/commands/CreateDataflowEndpointGroupCommand.ts @@ -145,4 +145,16 @@ export class CreateDataflowEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataflowEndpointGroupCommand) .de(de_CreateDataflowEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataflowEndpointGroupRequest; + output: DataflowEndpointGroupIdResponse; + }; + sdk: { + input: CreateDataflowEndpointGroupCommandInput; + output: CreateDataflowEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/CreateEphemerisCommand.ts b/clients/client-groundstation/src/commands/CreateEphemerisCommand.ts index 28b872f3db12..c0f458bff7b7 100644 --- a/clients/client-groundstation/src/commands/CreateEphemerisCommand.ts +++ b/clients/client-groundstation/src/commands/CreateEphemerisCommand.ts @@ -121,4 +121,16 @@ export class CreateEphemerisCommand extends $Command .f(void 0, void 0) .ser(se_CreateEphemerisCommand) .de(de_CreateEphemerisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEphemerisRequest; + output: EphemerisIdResponse; + }; + sdk: { + input: CreateEphemerisCommandInput; + output: CreateEphemerisCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/CreateMissionProfileCommand.ts b/clients/client-groundstation/src/commands/CreateMissionProfileCommand.ts index a4d1fd6658ec..45ca5ccd3ec1 100644 --- a/clients/client-groundstation/src/commands/CreateMissionProfileCommand.ts +++ b/clients/client-groundstation/src/commands/CreateMissionProfileCommand.ts @@ -107,4 +107,16 @@ export class CreateMissionProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateMissionProfileCommand) .de(de_CreateMissionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMissionProfileRequest; + output: MissionProfileIdResponse; + }; + sdk: { + input: CreateMissionProfileCommandInput; + output: CreateMissionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/DeleteConfigCommand.ts b/clients/client-groundstation/src/commands/DeleteConfigCommand.ts index e2e5a6bdbc2f..2dbea9fdefca 100644 --- a/clients/client-groundstation/src/commands/DeleteConfigCommand.ts +++ b/clients/client-groundstation/src/commands/DeleteConfigCommand.ts @@ -89,4 +89,16 @@ export class DeleteConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigCommand) .de(de_DeleteConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigRequest; + output: ConfigIdResponse; + }; + sdk: { + input: DeleteConfigCommandInput; + output: DeleteConfigCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/DeleteDataflowEndpointGroupCommand.ts b/clients/client-groundstation/src/commands/DeleteDataflowEndpointGroupCommand.ts index d95a6d1b3b25..35e330566dda 100644 --- a/clients/client-groundstation/src/commands/DeleteDataflowEndpointGroupCommand.ts +++ b/clients/client-groundstation/src/commands/DeleteDataflowEndpointGroupCommand.ts @@ -89,4 +89,16 @@ export class DeleteDataflowEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataflowEndpointGroupCommand) .de(de_DeleteDataflowEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataflowEndpointGroupRequest; + output: DataflowEndpointGroupIdResponse; + }; + sdk: { + input: DeleteDataflowEndpointGroupCommandInput; + output: DeleteDataflowEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/DeleteEphemerisCommand.ts b/clients/client-groundstation/src/commands/DeleteEphemerisCommand.ts index 3b7a3d0d7147..43846b3f30ec 100644 --- a/clients/client-groundstation/src/commands/DeleteEphemerisCommand.ts +++ b/clients/client-groundstation/src/commands/DeleteEphemerisCommand.ts @@ -86,4 +86,16 @@ export class DeleteEphemerisCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEphemerisCommand) .de(de_DeleteEphemerisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEphemerisRequest; + output: EphemerisIdResponse; + }; + sdk: { + input: DeleteEphemerisCommandInput; + output: DeleteEphemerisCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/DeleteMissionProfileCommand.ts b/clients/client-groundstation/src/commands/DeleteMissionProfileCommand.ts index c3c24a6fde81..85f1ac5fbfa5 100644 --- a/clients/client-groundstation/src/commands/DeleteMissionProfileCommand.ts +++ b/clients/client-groundstation/src/commands/DeleteMissionProfileCommand.ts @@ -86,4 +86,16 @@ export class DeleteMissionProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMissionProfileCommand) .de(de_DeleteMissionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMissionProfileRequest; + output: MissionProfileIdResponse; + }; + sdk: { + input: DeleteMissionProfileCommandInput; + output: DeleteMissionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/DescribeContactCommand.ts b/clients/client-groundstation/src/commands/DescribeContactCommand.ts index ea0ace6face4..a4e91a7071ac 100644 --- a/clients/client-groundstation/src/commands/DescribeContactCommand.ts +++ b/clients/client-groundstation/src/commands/DescribeContactCommand.ts @@ -230,4 +230,16 @@ export class DescribeContactCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContactCommand) .de(de_DescribeContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContactRequest; + output: DescribeContactResponse; + }; + sdk: { + input: DescribeContactCommandInput; + output: DescribeContactCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/DescribeEphemerisCommand.ts b/clients/client-groundstation/src/commands/DescribeEphemerisCommand.ts index ae089b0cba03..07c65db264ce 100644 --- a/clients/client-groundstation/src/commands/DescribeEphemerisCommand.ts +++ b/clients/client-groundstation/src/commands/DescribeEphemerisCommand.ts @@ -114,4 +114,16 @@ export class DescribeEphemerisCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEphemerisCommand) .de(de_DescribeEphemerisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEphemerisRequest; + output: DescribeEphemerisResponse; + }; + sdk: { + input: DescribeEphemerisCommandInput; + output: DescribeEphemerisCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/GetAgentConfigurationCommand.ts b/clients/client-groundstation/src/commands/GetAgentConfigurationCommand.ts index f5fd97cd270f..5b83a56a215c 100644 --- a/clients/client-groundstation/src/commands/GetAgentConfigurationCommand.ts +++ b/clients/client-groundstation/src/commands/GetAgentConfigurationCommand.ts @@ -90,4 +90,16 @@ export class GetAgentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAgentConfigurationCommand) .de(de_GetAgentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgentConfigurationRequest; + output: GetAgentConfigurationResponse; + }; + sdk: { + input: GetAgentConfigurationCommandInput; + output: GetAgentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/GetConfigCommand.ts b/clients/client-groundstation/src/commands/GetConfigCommand.ts index dd16d7252aec..8c416f8d1d4b 100644 --- a/clients/client-groundstation/src/commands/GetConfigCommand.ts +++ b/clients/client-groundstation/src/commands/GetConfigCommand.ts @@ -158,4 +158,16 @@ export class GetConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigCommand) .de(de_GetConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigRequest; + output: GetConfigResponse; + }; + sdk: { + input: GetConfigCommandInput; + output: GetConfigCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/GetDataflowEndpointGroupCommand.ts b/clients/client-groundstation/src/commands/GetDataflowEndpointGroupCommand.ts index 4b7a4b07ceb4..850c15236dda 100644 --- a/clients/client-groundstation/src/commands/GetDataflowEndpointGroupCommand.ts +++ b/clients/client-groundstation/src/commands/GetDataflowEndpointGroupCommand.ts @@ -140,4 +140,16 @@ export class GetDataflowEndpointGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetDataflowEndpointGroupCommand) .de(de_GetDataflowEndpointGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataflowEndpointGroupRequest; + output: GetDataflowEndpointGroupResponse; + }; + sdk: { + input: GetDataflowEndpointGroupCommandInput; + output: GetDataflowEndpointGroupCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/GetMinuteUsageCommand.ts b/clients/client-groundstation/src/commands/GetMinuteUsageCommand.ts index a833ce63ad21..780a752ddcff 100644 --- a/clients/client-groundstation/src/commands/GetMinuteUsageCommand.ts +++ b/clients/client-groundstation/src/commands/GetMinuteUsageCommand.ts @@ -91,4 +91,16 @@ export class GetMinuteUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetMinuteUsageCommand) .de(de_GetMinuteUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMinuteUsageRequest; + output: GetMinuteUsageResponse; + }; + sdk: { + input: GetMinuteUsageCommandInput; + output: GetMinuteUsageCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/GetMissionProfileCommand.ts b/clients/client-groundstation/src/commands/GetMissionProfileCommand.ts index e7b128e89c99..2b043d22f1eb 100644 --- a/clients/client-groundstation/src/commands/GetMissionProfileCommand.ts +++ b/clients/client-groundstation/src/commands/GetMissionProfileCommand.ts @@ -107,4 +107,16 @@ export class GetMissionProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetMissionProfileCommand) .de(de_GetMissionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMissionProfileRequest; + output: GetMissionProfileResponse; + }; + sdk: { + input: GetMissionProfileCommandInput; + output: GetMissionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/GetSatelliteCommand.ts b/clients/client-groundstation/src/commands/GetSatelliteCommand.ts index c914ecb37585..c61f6a3fb5fb 100644 --- a/clients/client-groundstation/src/commands/GetSatelliteCommand.ts +++ b/clients/client-groundstation/src/commands/GetSatelliteCommand.ts @@ -97,4 +97,16 @@ export class GetSatelliteCommand extends $Command .f(void 0, void 0) .ser(se_GetSatelliteCommand) .de(de_GetSatelliteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSatelliteRequest; + output: GetSatelliteResponse; + }; + sdk: { + input: GetSatelliteCommandInput; + output: GetSatelliteCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListConfigsCommand.ts b/clients/client-groundstation/src/commands/ListConfigsCommand.ts index 835747d225e4..261760d2a865 100644 --- a/clients/client-groundstation/src/commands/ListConfigsCommand.ts +++ b/clients/client-groundstation/src/commands/ListConfigsCommand.ts @@ -95,4 +95,16 @@ export class ListConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigsCommand) .de(de_ListConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigsRequest; + output: ListConfigsResponse; + }; + sdk: { + input: ListConfigsCommandInput; + output: ListConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListContactsCommand.ts b/clients/client-groundstation/src/commands/ListContactsCommand.ts index 499659125039..c99c7d0599d5 100644 --- a/clients/client-groundstation/src/commands/ListContactsCommand.ts +++ b/clients/client-groundstation/src/commands/ListContactsCommand.ts @@ -122,4 +122,16 @@ export class ListContactsCommand extends $Command .f(void 0, void 0) .ser(se_ListContactsCommand) .de(de_ListContactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactsRequest; + output: ListContactsResponse; + }; + sdk: { + input: ListContactsCommandInput; + output: ListContactsCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListDataflowEndpointGroupsCommand.ts b/clients/client-groundstation/src/commands/ListDataflowEndpointGroupsCommand.ts index 77ee33551258..535c869739d5 100644 --- a/clients/client-groundstation/src/commands/ListDataflowEndpointGroupsCommand.ts +++ b/clients/client-groundstation/src/commands/ListDataflowEndpointGroupsCommand.ts @@ -93,4 +93,16 @@ export class ListDataflowEndpointGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataflowEndpointGroupsCommand) .de(de_ListDataflowEndpointGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataflowEndpointGroupsRequest; + output: ListDataflowEndpointGroupsResponse; + }; + sdk: { + input: ListDataflowEndpointGroupsCommandInput; + output: ListDataflowEndpointGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListEphemeridesCommand.ts b/clients/client-groundstation/src/commands/ListEphemeridesCommand.ts index 5e4899b112d8..be6034209653 100644 --- a/clients/client-groundstation/src/commands/ListEphemeridesCommand.ts +++ b/clients/client-groundstation/src/commands/ListEphemeridesCommand.ts @@ -108,4 +108,16 @@ export class ListEphemeridesCommand extends $Command .f(void 0, void 0) .ser(se_ListEphemeridesCommand) .de(de_ListEphemeridesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEphemeridesRequest; + output: ListEphemeridesResponse; + }; + sdk: { + input: ListEphemeridesCommandInput; + output: ListEphemeridesCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListGroundStationsCommand.ts b/clients/client-groundstation/src/commands/ListGroundStationsCommand.ts index d2b87ed26abe..3ee7fc3a3b3c 100644 --- a/clients/client-groundstation/src/commands/ListGroundStationsCommand.ts +++ b/clients/client-groundstation/src/commands/ListGroundStationsCommand.ts @@ -95,4 +95,16 @@ export class ListGroundStationsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroundStationsCommand) .de(de_ListGroundStationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroundStationsRequest; + output: ListGroundStationsResponse; + }; + sdk: { + input: ListGroundStationsCommandInput; + output: ListGroundStationsCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListMissionProfilesCommand.ts b/clients/client-groundstation/src/commands/ListMissionProfilesCommand.ts index d96fc64f7ea3..c22761d95f7b 100644 --- a/clients/client-groundstation/src/commands/ListMissionProfilesCommand.ts +++ b/clients/client-groundstation/src/commands/ListMissionProfilesCommand.ts @@ -95,4 +95,16 @@ export class ListMissionProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListMissionProfilesCommand) .de(de_ListMissionProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMissionProfilesRequest; + output: ListMissionProfilesResponse; + }; + sdk: { + input: ListMissionProfilesCommandInput; + output: ListMissionProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListSatellitesCommand.ts b/clients/client-groundstation/src/commands/ListSatellitesCommand.ts index dd989ad914cf..28e6bd31d830 100644 --- a/clients/client-groundstation/src/commands/ListSatellitesCommand.ts +++ b/clients/client-groundstation/src/commands/ListSatellitesCommand.ts @@ -103,4 +103,16 @@ export class ListSatellitesCommand extends $Command .f(void 0, void 0) .ser(se_ListSatellitesCommand) .de(de_ListSatellitesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSatellitesRequest; + output: ListSatellitesResponse; + }; + sdk: { + input: ListSatellitesCommandInput; + output: ListSatellitesCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ListTagsForResourceCommand.ts b/clients/client-groundstation/src/commands/ListTagsForResourceCommand.ts index 970cd06192cb..990f892774c8 100644 --- a/clients/client-groundstation/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-groundstation/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/RegisterAgentCommand.ts b/clients/client-groundstation/src/commands/RegisterAgentCommand.ts index 8540612a653f..10d5a0ecdbcc 100644 --- a/clients/client-groundstation/src/commands/RegisterAgentCommand.ts +++ b/clients/client-groundstation/src/commands/RegisterAgentCommand.ts @@ -118,4 +118,16 @@ export class RegisterAgentCommand extends $Command .f(void 0, void 0) .ser(se_RegisterAgentCommand) .de(de_RegisterAgentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterAgentRequest; + output: RegisterAgentResponse; + }; + sdk: { + input: RegisterAgentCommandInput; + output: RegisterAgentCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/ReserveContactCommand.ts b/clients/client-groundstation/src/commands/ReserveContactCommand.ts index 7a307e9e2138..084fc07dedc6 100644 --- a/clients/client-groundstation/src/commands/ReserveContactCommand.ts +++ b/clients/client-groundstation/src/commands/ReserveContactCommand.ts @@ -93,4 +93,16 @@ export class ReserveContactCommand extends $Command .f(void 0, void 0) .ser(se_ReserveContactCommand) .de(de_ReserveContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReserveContactRequest; + output: ContactIdResponse; + }; + sdk: { + input: ReserveContactCommandInput; + output: ReserveContactCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/TagResourceCommand.ts b/clients/client-groundstation/src/commands/TagResourceCommand.ts index f75e031bd716..4b466b323ec1 100644 --- a/clients/client-groundstation/src/commands/TagResourceCommand.ts +++ b/clients/client-groundstation/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/UntagResourceCommand.ts b/clients/client-groundstation/src/commands/UntagResourceCommand.ts index 3a9ce4dae954..d428aad467a3 100644 --- a/clients/client-groundstation/src/commands/UntagResourceCommand.ts +++ b/clients/client-groundstation/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/UpdateAgentStatusCommand.ts b/clients/client-groundstation/src/commands/UpdateAgentStatusCommand.ts index 50c684ae37d0..22a3c49371fc 100644 --- a/clients/client-groundstation/src/commands/UpdateAgentStatusCommand.ts +++ b/clients/client-groundstation/src/commands/UpdateAgentStatusCommand.ts @@ -107,4 +107,16 @@ export class UpdateAgentStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAgentStatusCommand) .de(de_UpdateAgentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgentStatusRequest; + output: UpdateAgentStatusResponse; + }; + sdk: { + input: UpdateAgentStatusCommandInput; + output: UpdateAgentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/UpdateConfigCommand.ts b/clients/client-groundstation/src/commands/UpdateConfigCommand.ts index 608cd0ffa34d..73b509b5db23 100644 --- a/clients/client-groundstation/src/commands/UpdateConfigCommand.ts +++ b/clients/client-groundstation/src/commands/UpdateConfigCommand.ts @@ -156,4 +156,16 @@ export class UpdateConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigCommand) .de(de_UpdateConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigRequest; + output: ConfigIdResponse; + }; + sdk: { + input: UpdateConfigCommandInput; + output: UpdateConfigCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/UpdateEphemerisCommand.ts b/clients/client-groundstation/src/commands/UpdateEphemerisCommand.ts index 1029fb0f964d..40a9165b68ae 100644 --- a/clients/client-groundstation/src/commands/UpdateEphemerisCommand.ts +++ b/clients/client-groundstation/src/commands/UpdateEphemerisCommand.ts @@ -89,4 +89,16 @@ export class UpdateEphemerisCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEphemerisCommand) .de(de_UpdateEphemerisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEphemerisRequest; + output: EphemerisIdResponse; + }; + sdk: { + input: UpdateEphemerisCommandInput; + output: UpdateEphemerisCommandOutput; + }; + }; +} diff --git a/clients/client-groundstation/src/commands/UpdateMissionProfileCommand.ts b/clients/client-groundstation/src/commands/UpdateMissionProfileCommand.ts index c65cf58c9235..5c927f04ae02 100644 --- a/clients/client-groundstation/src/commands/UpdateMissionProfileCommand.ts +++ b/clients/client-groundstation/src/commands/UpdateMissionProfileCommand.ts @@ -104,4 +104,16 @@ export class UpdateMissionProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMissionProfileCommand) .de(de_UpdateMissionProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMissionProfileRequest; + output: MissionProfileIdResponse; + }; + sdk: { + input: UpdateMissionProfileCommandInput; + output: UpdateMissionProfileCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/package.json b/clients/client-guardduty/package.json index a9da9c1f0c0e..b1a3524bb93c 100644 --- a/clients/client-guardduty/package.json +++ b/clients/client-guardduty/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-guardduty/src/commands/AcceptAdministratorInvitationCommand.ts b/clients/client-guardduty/src/commands/AcceptAdministratorInvitationCommand.ts index 0384d1597335..f61cf44b0b9a 100644 --- a/clients/client-guardduty/src/commands/AcceptAdministratorInvitationCommand.ts +++ b/clients/client-guardduty/src/commands/AcceptAdministratorInvitationCommand.ts @@ -89,4 +89,16 @@ export class AcceptAdministratorInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptAdministratorInvitationCommand) .de(de_AcceptAdministratorInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptAdministratorInvitationRequest; + output: {}; + }; + sdk: { + input: AcceptAdministratorInvitationCommandInput; + output: AcceptAdministratorInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/AcceptInvitationCommand.ts b/clients/client-guardduty/src/commands/AcceptInvitationCommand.ts index d7378322c0d5..ae23aa699a7b 100644 --- a/clients/client-guardduty/src/commands/AcceptInvitationCommand.ts +++ b/clients/client-guardduty/src/commands/AcceptInvitationCommand.ts @@ -85,4 +85,16 @@ export class AcceptInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptInvitationCommand) .de(de_AcceptInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptInvitationRequest; + output: {}; + }; + sdk: { + input: AcceptInvitationCommandInput; + output: AcceptInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ArchiveFindingsCommand.ts b/clients/client-guardduty/src/commands/ArchiveFindingsCommand.ts index c19a0725ac17..4edc724e58f4 100644 --- a/clients/client-guardduty/src/commands/ArchiveFindingsCommand.ts +++ b/clients/client-guardduty/src/commands/ArchiveFindingsCommand.ts @@ -88,4 +88,16 @@ export class ArchiveFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ArchiveFindingsCommand) .de(de_ArchiveFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ArchiveFindingsRequest; + output: {}; + }; + sdk: { + input: ArchiveFindingsCommandInput; + output: ArchiveFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreateDetectorCommand.ts b/clients/client-guardduty/src/commands/CreateDetectorCommand.ts index f7cb6649755a..8bdf1d4b3e2b 100644 --- a/clients/client-guardduty/src/commands/CreateDetectorCommand.ts +++ b/clients/client-guardduty/src/commands/CreateDetectorCommand.ts @@ -148,4 +148,16 @@ export class CreateDetectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateDetectorCommand) .de(de_CreateDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDetectorRequest; + output: CreateDetectorResponse; + }; + sdk: { + input: CreateDetectorCommandInput; + output: CreateDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreateFilterCommand.ts b/clients/client-guardduty/src/commands/CreateFilterCommand.ts index 1ad40d00742f..234361261f2f 100644 --- a/clients/client-guardduty/src/commands/CreateFilterCommand.ts +++ b/clients/client-guardduty/src/commands/CreateFilterCommand.ts @@ -118,4 +118,16 @@ export class CreateFilterCommand extends $Command .f(void 0, void 0) .ser(se_CreateFilterCommand) .de(de_CreateFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFilterRequest; + output: CreateFilterResponse; + }; + sdk: { + input: CreateFilterCommandInput; + output: CreateFilterCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreateIPSetCommand.ts b/clients/client-guardduty/src/commands/CreateIPSetCommand.ts index 1e44da6a034b..2544a0d0993d 100644 --- a/clients/client-guardduty/src/commands/CreateIPSetCommand.ts +++ b/clients/client-guardduty/src/commands/CreateIPSetCommand.ts @@ -94,4 +94,16 @@ export class CreateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateIPSetCommand) .de(de_CreateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIPSetRequest; + output: CreateIPSetResponse; + }; + sdk: { + input: CreateIPSetCommandInput; + output: CreateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreateMalwareProtectionPlanCommand.ts b/clients/client-guardduty/src/commands/CreateMalwareProtectionPlanCommand.ts index d1959f5974b6..dc778f4ad730 100644 --- a/clients/client-guardduty/src/commands/CreateMalwareProtectionPlanCommand.ts +++ b/clients/client-guardduty/src/commands/CreateMalwareProtectionPlanCommand.ts @@ -113,4 +113,16 @@ export class CreateMalwareProtectionPlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateMalwareProtectionPlanCommand) .de(de_CreateMalwareProtectionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMalwareProtectionPlanRequest; + output: CreateMalwareProtectionPlanResponse; + }; + sdk: { + input: CreateMalwareProtectionPlanCommandInput; + output: CreateMalwareProtectionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreateMembersCommand.ts b/clients/client-guardduty/src/commands/CreateMembersCommand.ts index 23eeae5ad92e..710ee6fbf704 100644 --- a/clients/client-guardduty/src/commands/CreateMembersCommand.ts +++ b/clients/client-guardduty/src/commands/CreateMembersCommand.ts @@ -117,4 +117,16 @@ export class CreateMembersCommand extends $Command .f(CreateMembersRequestFilterSensitiveLog, void 0) .ser(se_CreateMembersCommand) .de(de_CreateMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMembersRequest; + output: CreateMembersResponse; + }; + sdk: { + input: CreateMembersCommandInput; + output: CreateMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreatePublishingDestinationCommand.ts b/clients/client-guardduty/src/commands/CreatePublishingDestinationCommand.ts index 67ba467f9ac2..5fe1f106513c 100644 --- a/clients/client-guardduty/src/commands/CreatePublishingDestinationCommand.ts +++ b/clients/client-guardduty/src/commands/CreatePublishingDestinationCommand.ts @@ -95,4 +95,16 @@ export class CreatePublishingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreatePublishingDestinationCommand) .de(de_CreatePublishingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePublishingDestinationRequest; + output: CreatePublishingDestinationResponse; + }; + sdk: { + input: CreatePublishingDestinationCommandInput; + output: CreatePublishingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreateSampleFindingsCommand.ts b/clients/client-guardduty/src/commands/CreateSampleFindingsCommand.ts index f068d4c02857..f6ee427c6d14 100644 --- a/clients/client-guardduty/src/commands/CreateSampleFindingsCommand.ts +++ b/clients/client-guardduty/src/commands/CreateSampleFindingsCommand.ts @@ -86,4 +86,16 @@ export class CreateSampleFindingsCommand extends $Command .f(void 0, void 0) .ser(se_CreateSampleFindingsCommand) .de(de_CreateSampleFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSampleFindingsRequest; + output: {}; + }; + sdk: { + input: CreateSampleFindingsCommandInput; + output: CreateSampleFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/CreateThreatIntelSetCommand.ts b/clients/client-guardduty/src/commands/CreateThreatIntelSetCommand.ts index 2a866ff38538..1c32dece43c0 100644 --- a/clients/client-guardduty/src/commands/CreateThreatIntelSetCommand.ts +++ b/clients/client-guardduty/src/commands/CreateThreatIntelSetCommand.ts @@ -93,4 +93,16 @@ export class CreateThreatIntelSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateThreatIntelSetCommand) .de(de_CreateThreatIntelSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThreatIntelSetRequest; + output: CreateThreatIntelSetResponse; + }; + sdk: { + input: CreateThreatIntelSetCommandInput; + output: CreateThreatIntelSetCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeclineInvitationsCommand.ts b/clients/client-guardduty/src/commands/DeclineInvitationsCommand.ts index 176a75f3636c..c8a9216b0bfa 100644 --- a/clients/client-guardduty/src/commands/DeclineInvitationsCommand.ts +++ b/clients/client-guardduty/src/commands/DeclineInvitationsCommand.ts @@ -91,4 +91,16 @@ export class DeclineInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_DeclineInvitationsCommand) .de(de_DeclineInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeclineInvitationsRequest; + output: DeclineInvitationsResponse; + }; + sdk: { + input: DeclineInvitationsCommandInput; + output: DeclineInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeleteDetectorCommand.ts b/clients/client-guardduty/src/commands/DeleteDetectorCommand.ts index 17cd0949e018..1cc4108cd54a 100644 --- a/clients/client-guardduty/src/commands/DeleteDetectorCommand.ts +++ b/clients/client-guardduty/src/commands/DeleteDetectorCommand.ts @@ -81,4 +81,16 @@ export class DeleteDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDetectorCommand) .de(de_DeleteDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDetectorRequest; + output: {}; + }; + sdk: { + input: DeleteDetectorCommandInput; + output: DeleteDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeleteFilterCommand.ts b/clients/client-guardduty/src/commands/DeleteFilterCommand.ts index 0c4fcbf2cd80..bffc560e8d93 100644 --- a/clients/client-guardduty/src/commands/DeleteFilterCommand.ts +++ b/clients/client-guardduty/src/commands/DeleteFilterCommand.ts @@ -82,4 +82,16 @@ export class DeleteFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFilterCommand) .de(de_DeleteFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFilterRequest; + output: {}; + }; + sdk: { + input: DeleteFilterCommandInput; + output: DeleteFilterCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeleteIPSetCommand.ts b/clients/client-guardduty/src/commands/DeleteIPSetCommand.ts index 4ab16fa1c740..1e374f39277a 100644 --- a/clients/client-guardduty/src/commands/DeleteIPSetCommand.ts +++ b/clients/client-guardduty/src/commands/DeleteIPSetCommand.ts @@ -83,4 +83,16 @@ export class DeleteIPSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIPSetCommand) .de(de_DeleteIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIPSetRequest; + output: {}; + }; + sdk: { + input: DeleteIPSetCommandInput; + output: DeleteIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeleteInvitationsCommand.ts b/clients/client-guardduty/src/commands/DeleteInvitationsCommand.ts index 9567f167c654..39f9ecb59f50 100644 --- a/clients/client-guardduty/src/commands/DeleteInvitationsCommand.ts +++ b/clients/client-guardduty/src/commands/DeleteInvitationsCommand.ts @@ -91,4 +91,16 @@ export class DeleteInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInvitationsCommand) .de(de_DeleteInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInvitationsRequest; + output: DeleteInvitationsResponse; + }; + sdk: { + input: DeleteInvitationsCommandInput; + output: DeleteInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeleteMalwareProtectionPlanCommand.ts b/clients/client-guardduty/src/commands/DeleteMalwareProtectionPlanCommand.ts index 4ad3c095b67f..730e922f82ed 100644 --- a/clients/client-guardduty/src/commands/DeleteMalwareProtectionPlanCommand.ts +++ b/clients/client-guardduty/src/commands/DeleteMalwareProtectionPlanCommand.ts @@ -92,4 +92,16 @@ export class DeleteMalwareProtectionPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMalwareProtectionPlanCommand) .de(de_DeleteMalwareProtectionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMalwareProtectionPlanRequest; + output: {}; + }; + sdk: { + input: DeleteMalwareProtectionPlanCommandInput; + output: DeleteMalwareProtectionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeleteMembersCommand.ts b/clients/client-guardduty/src/commands/DeleteMembersCommand.ts index 860a7651f64c..515bf75f146c 100644 --- a/clients/client-guardduty/src/commands/DeleteMembersCommand.ts +++ b/clients/client-guardduty/src/commands/DeleteMembersCommand.ts @@ -95,4 +95,16 @@ export class DeleteMembersCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMembersCommand) .de(de_DeleteMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMembersRequest; + output: DeleteMembersResponse; + }; + sdk: { + input: DeleteMembersCommandInput; + output: DeleteMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeletePublishingDestinationCommand.ts b/clients/client-guardduty/src/commands/DeletePublishingDestinationCommand.ts index 1ec272bb637b..a4a2e7e08a78 100644 --- a/clients/client-guardduty/src/commands/DeletePublishingDestinationCommand.ts +++ b/clients/client-guardduty/src/commands/DeletePublishingDestinationCommand.ts @@ -87,4 +87,16 @@ export class DeletePublishingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeletePublishingDestinationCommand) .de(de_DeletePublishingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePublishingDestinationRequest; + output: {}; + }; + sdk: { + input: DeletePublishingDestinationCommandInput; + output: DeletePublishingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DeleteThreatIntelSetCommand.ts b/clients/client-guardduty/src/commands/DeleteThreatIntelSetCommand.ts index f48456b7a3ae..a420a79d390b 100644 --- a/clients/client-guardduty/src/commands/DeleteThreatIntelSetCommand.ts +++ b/clients/client-guardduty/src/commands/DeleteThreatIntelSetCommand.ts @@ -82,4 +82,16 @@ export class DeleteThreatIntelSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThreatIntelSetCommand) .de(de_DeleteThreatIntelSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThreatIntelSetRequest; + output: {}; + }; + sdk: { + input: DeleteThreatIntelSetCommandInput; + output: DeleteThreatIntelSetCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DescribeMalwareScansCommand.ts b/clients/client-guardduty/src/commands/DescribeMalwareScansCommand.ts index cdd550e09fc4..3af63ee3cf4b 100644 --- a/clients/client-guardduty/src/commands/DescribeMalwareScansCommand.ts +++ b/clients/client-guardduty/src/commands/DescribeMalwareScansCommand.ts @@ -141,4 +141,16 @@ export class DescribeMalwareScansCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMalwareScansCommand) .de(de_DescribeMalwareScansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMalwareScansRequest; + output: DescribeMalwareScansResponse; + }; + sdk: { + input: DescribeMalwareScansCommandInput; + output: DescribeMalwareScansCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DescribeOrganizationConfigurationCommand.ts b/clients/client-guardduty/src/commands/DescribeOrganizationConfigurationCommand.ts index d881f3d72567..99eed03b4f2f 100644 --- a/clients/client-guardduty/src/commands/DescribeOrganizationConfigurationCommand.ts +++ b/clients/client-guardduty/src/commands/DescribeOrganizationConfigurationCommand.ts @@ -129,4 +129,16 @@ export class DescribeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConfigurationCommand) .de(de_DescribeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationConfigurationRequest; + output: DescribeOrganizationConfigurationResponse; + }; + sdk: { + input: DescribeOrganizationConfigurationCommandInput; + output: DescribeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DescribePublishingDestinationCommand.ts b/clients/client-guardduty/src/commands/DescribePublishingDestinationCommand.ts index 3dd9f15c1c9b..0e6a7cfe7841 100644 --- a/clients/client-guardduty/src/commands/DescribePublishingDestinationCommand.ts +++ b/clients/client-guardduty/src/commands/DescribePublishingDestinationCommand.ts @@ -97,4 +97,16 @@ export class DescribePublishingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DescribePublishingDestinationCommand) .de(de_DescribePublishingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePublishingDestinationRequest; + output: DescribePublishingDestinationResponse; + }; + sdk: { + input: DescribePublishingDestinationCommandInput; + output: DescribePublishingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DisableOrganizationAdminAccountCommand.ts b/clients/client-guardduty/src/commands/DisableOrganizationAdminAccountCommand.ts index fdce457b06cf..8029dd3919fa 100644 --- a/clients/client-guardduty/src/commands/DisableOrganizationAdminAccountCommand.ts +++ b/clients/client-guardduty/src/commands/DisableOrganizationAdminAccountCommand.ts @@ -88,4 +88,16 @@ export class DisableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisableOrganizationAdminAccountCommand) .de(de_DisableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: DisableOrganizationAdminAccountCommandInput; + output: DisableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DisassociateFromAdministratorAccountCommand.ts b/clients/client-guardduty/src/commands/DisassociateFromAdministratorAccountCommand.ts index 4e4c86be8516..d86ecd35e9ae 100644 --- a/clients/client-guardduty/src/commands/DisassociateFromAdministratorAccountCommand.ts +++ b/clients/client-guardduty/src/commands/DisassociateFromAdministratorAccountCommand.ts @@ -98,4 +98,16 @@ export class DisassociateFromAdministratorAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFromAdministratorAccountCommand) .de(de_DisassociateFromAdministratorAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFromAdministratorAccountRequest; + output: {}; + }; + sdk: { + input: DisassociateFromAdministratorAccountCommandInput; + output: DisassociateFromAdministratorAccountCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DisassociateFromMasterAccountCommand.ts b/clients/client-guardduty/src/commands/DisassociateFromMasterAccountCommand.ts index 52ecfb3ec15c..6c2e9a87b7ab 100644 --- a/clients/client-guardduty/src/commands/DisassociateFromMasterAccountCommand.ts +++ b/clients/client-guardduty/src/commands/DisassociateFromMasterAccountCommand.ts @@ -94,4 +94,16 @@ export class DisassociateFromMasterAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFromMasterAccountCommand) .de(de_DisassociateFromMasterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFromMasterAccountRequest; + output: {}; + }; + sdk: { + input: DisassociateFromMasterAccountCommandInput; + output: DisassociateFromMasterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/DisassociateMembersCommand.ts b/clients/client-guardduty/src/commands/DisassociateMembersCommand.ts index 8f0a2fb565df..384a17be89fe 100644 --- a/clients/client-guardduty/src/commands/DisassociateMembersCommand.ts +++ b/clients/client-guardduty/src/commands/DisassociateMembersCommand.ts @@ -109,4 +109,16 @@ export class DisassociateMembersCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMembersCommand) .de(de_DisassociateMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMembersRequest; + output: DisassociateMembersResponse; + }; + sdk: { + input: DisassociateMembersCommandInput; + output: DisassociateMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/EnableOrganizationAdminAccountCommand.ts b/clients/client-guardduty/src/commands/EnableOrganizationAdminAccountCommand.ts index 1fff9ebfba21..dbaf6d5d8f95 100644 --- a/clients/client-guardduty/src/commands/EnableOrganizationAdminAccountCommand.ts +++ b/clients/client-guardduty/src/commands/EnableOrganizationAdminAccountCommand.ts @@ -88,4 +88,16 @@ export class EnableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_EnableOrganizationAdminAccountCommand) .de(de_EnableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: EnableOrganizationAdminAccountCommandInput; + output: EnableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetAdministratorAccountCommand.ts b/clients/client-guardduty/src/commands/GetAdministratorAccountCommand.ts index 32a3ed0ef828..db0916cfdd35 100644 --- a/clients/client-guardduty/src/commands/GetAdministratorAccountCommand.ts +++ b/clients/client-guardduty/src/commands/GetAdministratorAccountCommand.ts @@ -93,4 +93,16 @@ export class GetAdministratorAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetAdministratorAccountCommand) .de(de_GetAdministratorAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAdministratorAccountRequest; + output: GetAdministratorAccountResponse; + }; + sdk: { + input: GetAdministratorAccountCommandInput; + output: GetAdministratorAccountCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetCoverageStatisticsCommand.ts b/clients/client-guardduty/src/commands/GetCoverageStatisticsCommand.ts index bcfead8d57b8..3d62a5b88b78 100644 --- a/clients/client-guardduty/src/commands/GetCoverageStatisticsCommand.ts +++ b/clients/client-guardduty/src/commands/GetCoverageStatisticsCommand.ts @@ -111,4 +111,16 @@ export class GetCoverageStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetCoverageStatisticsCommand) .de(de_GetCoverageStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoverageStatisticsRequest; + output: GetCoverageStatisticsResponse; + }; + sdk: { + input: GetCoverageStatisticsCommandInput; + output: GetCoverageStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetDetectorCommand.ts b/clients/client-guardduty/src/commands/GetDetectorCommand.ts index c8344e559684..aceacfb0a06c 100644 --- a/clients/client-guardduty/src/commands/GetDetectorCommand.ts +++ b/clients/client-guardduty/src/commands/GetDetectorCommand.ts @@ -135,4 +135,16 @@ export class GetDetectorCommand extends $Command .f(void 0, void 0) .ser(se_GetDetectorCommand) .de(de_GetDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDetectorRequest; + output: GetDetectorResponse; + }; + sdk: { + input: GetDetectorCommandInput; + output: GetDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetFilterCommand.ts b/clients/client-guardduty/src/commands/GetFilterCommand.ts index 0f9b256d9a6c..4739588f9aee 100644 --- a/clients/client-guardduty/src/commands/GetFilterCommand.ts +++ b/clients/client-guardduty/src/commands/GetFilterCommand.ts @@ -116,4 +116,16 @@ export class GetFilterCommand extends $Command .f(void 0, void 0) .ser(se_GetFilterCommand) .de(de_GetFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFilterRequest; + output: GetFilterResponse; + }; + sdk: { + input: GetFilterCommandInput; + output: GetFilterCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetFindingsCommand.ts b/clients/client-guardduty/src/commands/GetFindingsCommand.ts index 3777cb63fae6..b044f85225a2 100644 --- a/clients/client-guardduty/src/commands/GetFindingsCommand.ts +++ b/clients/client-guardduty/src/commands/GetFindingsCommand.ts @@ -865,4 +865,16 @@ export class GetFindingsCommand extends $Command .f(void 0, GetFindingsResponseFilterSensitiveLog) .ser(se_GetFindingsCommand) .de(de_GetFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsRequest; + output: GetFindingsResponse; + }; + sdk: { + input: GetFindingsCommandInput; + output: GetFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetFindingsStatisticsCommand.ts b/clients/client-guardduty/src/commands/GetFindingsStatisticsCommand.ts index cb8479476811..4484d8343081 100644 --- a/clients/client-guardduty/src/commands/GetFindingsStatisticsCommand.ts +++ b/clients/client-guardduty/src/commands/GetFindingsStatisticsCommand.ts @@ -163,4 +163,16 @@ export class GetFindingsStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsStatisticsCommand) .de(de_GetFindingsStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsStatisticsRequest; + output: GetFindingsStatisticsResponse; + }; + sdk: { + input: GetFindingsStatisticsCommandInput; + output: GetFindingsStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetIPSetCommand.ts b/clients/client-guardduty/src/commands/GetIPSetCommand.ts index ac689bfbec26..eaa5c874b323 100644 --- a/clients/client-guardduty/src/commands/GetIPSetCommand.ts +++ b/clients/client-guardduty/src/commands/GetIPSetCommand.ts @@ -90,4 +90,16 @@ export class GetIPSetCommand extends $Command .f(void 0, void 0) .ser(se_GetIPSetCommand) .de(de_GetIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIPSetRequest; + output: GetIPSetResponse; + }; + sdk: { + input: GetIPSetCommandInput; + output: GetIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetInvitationsCountCommand.ts b/clients/client-guardduty/src/commands/GetInvitationsCountCommand.ts index 07d35f1122cb..7f43d2912536 100644 --- a/clients/client-guardduty/src/commands/GetInvitationsCountCommand.ts +++ b/clients/client-guardduty/src/commands/GetInvitationsCountCommand.ts @@ -82,4 +82,16 @@ export class GetInvitationsCountCommand extends $Command .f(void 0, void 0) .ser(se_GetInvitationsCountCommand) .de(de_GetInvitationsCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetInvitationsCountResponse; + }; + sdk: { + input: GetInvitationsCountCommandInput; + output: GetInvitationsCountCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetMalwareProtectionPlanCommand.ts b/clients/client-guardduty/src/commands/GetMalwareProtectionPlanCommand.ts index 7f8620d5ffec..db3730b05dc0 100644 --- a/clients/client-guardduty/src/commands/GetMalwareProtectionPlanCommand.ts +++ b/clients/client-guardduty/src/commands/GetMalwareProtectionPlanCommand.ts @@ -115,4 +115,16 @@ export class GetMalwareProtectionPlanCommand extends $Command .f(void 0, void 0) .ser(se_GetMalwareProtectionPlanCommand) .de(de_GetMalwareProtectionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMalwareProtectionPlanRequest; + output: GetMalwareProtectionPlanResponse; + }; + sdk: { + input: GetMalwareProtectionPlanCommandInput; + output: GetMalwareProtectionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetMalwareScanSettingsCommand.ts b/clients/client-guardduty/src/commands/GetMalwareScanSettingsCommand.ts index 5d2f6196f529..33c0c4e9c4b8 100644 --- a/clients/client-guardduty/src/commands/GetMalwareScanSettingsCommand.ts +++ b/clients/client-guardduty/src/commands/GetMalwareScanSettingsCommand.ts @@ -108,4 +108,16 @@ export class GetMalwareScanSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetMalwareScanSettingsCommand) .de(de_GetMalwareScanSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMalwareScanSettingsRequest; + output: GetMalwareScanSettingsResponse; + }; + sdk: { + input: GetMalwareScanSettingsCommandInput; + output: GetMalwareScanSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetMasterAccountCommand.ts b/clients/client-guardduty/src/commands/GetMasterAccountCommand.ts index 54c1597c05f4..8cadfa59425f 100644 --- a/clients/client-guardduty/src/commands/GetMasterAccountCommand.ts +++ b/clients/client-guardduty/src/commands/GetMasterAccountCommand.ts @@ -91,4 +91,16 @@ export class GetMasterAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetMasterAccountCommand) .de(de_GetMasterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMasterAccountRequest; + output: GetMasterAccountResponse; + }; + sdk: { + input: GetMasterAccountCommandInput; + output: GetMasterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetMemberDetectorsCommand.ts b/clients/client-guardduty/src/commands/GetMemberDetectorsCommand.ts index 3ca8204f4964..6c07bc837d81 100644 --- a/clients/client-guardduty/src/commands/GetMemberDetectorsCommand.ts +++ b/clients/client-guardduty/src/commands/GetMemberDetectorsCommand.ts @@ -141,4 +141,16 @@ export class GetMemberDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_GetMemberDetectorsCommand) .de(de_GetMemberDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMemberDetectorsRequest; + output: GetMemberDetectorsResponse; + }; + sdk: { + input: GetMemberDetectorsCommandInput; + output: GetMemberDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetMembersCommand.ts b/clients/client-guardduty/src/commands/GetMembersCommand.ts index b4fbd04bc26e..f5ac4d3a8adb 100644 --- a/clients/client-guardduty/src/commands/GetMembersCommand.ts +++ b/clients/client-guardduty/src/commands/GetMembersCommand.ts @@ -104,4 +104,16 @@ export class GetMembersCommand extends $Command .f(void 0, GetMembersResponseFilterSensitiveLog) .ser(se_GetMembersCommand) .de(de_GetMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMembersRequest; + output: GetMembersResponse; + }; + sdk: { + input: GetMembersCommandInput; + output: GetMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetOrganizationStatisticsCommand.ts b/clients/client-guardduty/src/commands/GetOrganizationStatisticsCommand.ts index 9f847fb0d25e..fe72c7576fcc 100644 --- a/clients/client-guardduty/src/commands/GetOrganizationStatisticsCommand.ts +++ b/clients/client-guardduty/src/commands/GetOrganizationStatisticsCommand.ts @@ -104,4 +104,16 @@ export class GetOrganizationStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetOrganizationStatisticsCommand) .de(de_GetOrganizationStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetOrganizationStatisticsResponse; + }; + sdk: { + input: GetOrganizationStatisticsCommandInput; + output: GetOrganizationStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetRemainingFreeTrialDaysCommand.ts b/clients/client-guardduty/src/commands/GetRemainingFreeTrialDaysCommand.ts index b9ed4d8b47c8..b923bb2d353a 100644 --- a/clients/client-guardduty/src/commands/GetRemainingFreeTrialDaysCommand.ts +++ b/clients/client-guardduty/src/commands/GetRemainingFreeTrialDaysCommand.ts @@ -125,4 +125,16 @@ export class GetRemainingFreeTrialDaysCommand extends $Command .f(void 0, void 0) .ser(se_GetRemainingFreeTrialDaysCommand) .de(de_GetRemainingFreeTrialDaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRemainingFreeTrialDaysRequest; + output: GetRemainingFreeTrialDaysResponse; + }; + sdk: { + input: GetRemainingFreeTrialDaysCommandInput; + output: GetRemainingFreeTrialDaysCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetThreatIntelSetCommand.ts b/clients/client-guardduty/src/commands/GetThreatIntelSetCommand.ts index 68722e46797c..2739627af587 100644 --- a/clients/client-guardduty/src/commands/GetThreatIntelSetCommand.ts +++ b/clients/client-guardduty/src/commands/GetThreatIntelSetCommand.ts @@ -90,4 +90,16 @@ export class GetThreatIntelSetCommand extends $Command .f(void 0, void 0) .ser(se_GetThreatIntelSetCommand) .de(de_GetThreatIntelSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetThreatIntelSetRequest; + output: GetThreatIntelSetResponse; + }; + sdk: { + input: GetThreatIntelSetCommandInput; + output: GetThreatIntelSetCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/GetUsageStatisticsCommand.ts b/clients/client-guardduty/src/commands/GetUsageStatisticsCommand.ts index c6dca096468d..ce8df464d0fd 100644 --- a/clients/client-guardduty/src/commands/GetUsageStatisticsCommand.ts +++ b/clients/client-guardduty/src/commands/GetUsageStatisticsCommand.ts @@ -162,4 +162,16 @@ export class GetUsageStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetUsageStatisticsCommand) .de(de_GetUsageStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsageStatisticsRequest; + output: GetUsageStatisticsResponse; + }; + sdk: { + input: GetUsageStatisticsCommandInput; + output: GetUsageStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/InviteMembersCommand.ts b/clients/client-guardduty/src/commands/InviteMembersCommand.ts index 84478fe65867..fe92fa68e0e7 100644 --- a/clients/client-guardduty/src/commands/InviteMembersCommand.ts +++ b/clients/client-guardduty/src/commands/InviteMembersCommand.ts @@ -118,4 +118,16 @@ export class InviteMembersCommand extends $Command .f(void 0, void 0) .ser(se_InviteMembersCommand) .de(de_InviteMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InviteMembersRequest; + output: InviteMembersResponse; + }; + sdk: { + input: InviteMembersCommandInput; + output: InviteMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListCoverageCommand.ts b/clients/client-guardduty/src/commands/ListCoverageCommand.ts index b28d556078e3..1d935be30fc2 100644 --- a/clients/client-guardduty/src/commands/ListCoverageCommand.ts +++ b/clients/client-guardduty/src/commands/ListCoverageCommand.ts @@ -152,4 +152,16 @@ export class ListCoverageCommand extends $Command .f(void 0, void 0) .ser(se_ListCoverageCommand) .de(de_ListCoverageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoverageRequest; + output: ListCoverageResponse; + }; + sdk: { + input: ListCoverageCommandInput; + output: ListCoverageCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListDetectorsCommand.ts b/clients/client-guardduty/src/commands/ListDetectorsCommand.ts index 6ef65d3021b0..8211e2e63542 100644 --- a/clients/client-guardduty/src/commands/ListDetectorsCommand.ts +++ b/clients/client-guardduty/src/commands/ListDetectorsCommand.ts @@ -87,4 +87,16 @@ export class ListDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListDetectorsCommand) .de(de_ListDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDetectorsRequest; + output: ListDetectorsResponse; + }; + sdk: { + input: ListDetectorsCommandInput; + output: ListDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListFiltersCommand.ts b/clients/client-guardduty/src/commands/ListFiltersCommand.ts index d475ddc634be..3c059ece8fd0 100644 --- a/clients/client-guardduty/src/commands/ListFiltersCommand.ts +++ b/clients/client-guardduty/src/commands/ListFiltersCommand.ts @@ -88,4 +88,16 @@ export class ListFiltersCommand extends $Command .f(void 0, void 0) .ser(se_ListFiltersCommand) .de(de_ListFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFiltersRequest; + output: ListFiltersResponse; + }; + sdk: { + input: ListFiltersCommandInput; + output: ListFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListFindingsCommand.ts b/clients/client-guardduty/src/commands/ListFindingsCommand.ts index 9a8842a7738c..e4ff213692f9 100644 --- a/clients/client-guardduty/src/commands/ListFindingsCommand.ts +++ b/clients/client-guardduty/src/commands/ListFindingsCommand.ts @@ -120,4 +120,16 @@ export class ListFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsCommand) .de(de_ListFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsRequest; + output: ListFindingsResponse; + }; + sdk: { + input: ListFindingsCommandInput; + output: ListFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListIPSetsCommand.ts b/clients/client-guardduty/src/commands/ListIPSetsCommand.ts index da3c1b8c6fcd..8f2562334e9f 100644 --- a/clients/client-guardduty/src/commands/ListIPSetsCommand.ts +++ b/clients/client-guardduty/src/commands/ListIPSetsCommand.ts @@ -90,4 +90,16 @@ export class ListIPSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListIPSetsCommand) .de(de_ListIPSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIPSetsRequest; + output: ListIPSetsResponse; + }; + sdk: { + input: ListIPSetsCommandInput; + output: ListIPSetsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListInvitationsCommand.ts b/clients/client-guardduty/src/commands/ListInvitationsCommand.ts index 7cc70e7cba0f..f9c8f5152f86 100644 --- a/clients/client-guardduty/src/commands/ListInvitationsCommand.ts +++ b/clients/client-guardduty/src/commands/ListInvitationsCommand.ts @@ -93,4 +93,16 @@ export class ListInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_ListInvitationsCommand) .de(de_ListInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInvitationsRequest; + output: ListInvitationsResponse; + }; + sdk: { + input: ListInvitationsCommandInput; + output: ListInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListMalwareProtectionPlansCommand.ts b/clients/client-guardduty/src/commands/ListMalwareProtectionPlansCommand.ts index 954e8ce6d5b3..c2050d7803c1 100644 --- a/clients/client-guardduty/src/commands/ListMalwareProtectionPlansCommand.ts +++ b/clients/client-guardduty/src/commands/ListMalwareProtectionPlansCommand.ts @@ -92,4 +92,16 @@ export class ListMalwareProtectionPlansCommand extends $Command .f(void 0, void 0) .ser(se_ListMalwareProtectionPlansCommand) .de(de_ListMalwareProtectionPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMalwareProtectionPlansRequest; + output: ListMalwareProtectionPlansResponse; + }; + sdk: { + input: ListMalwareProtectionPlansCommandInput; + output: ListMalwareProtectionPlansCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListMembersCommand.ts b/clients/client-guardduty/src/commands/ListMembersCommand.ts index eb0453fa3b78..923c6076e9d7 100644 --- a/clients/client-guardduty/src/commands/ListMembersCommand.ts +++ b/clients/client-guardduty/src/commands/ListMembersCommand.ts @@ -99,4 +99,16 @@ export class ListMembersCommand extends $Command .f(void 0, ListMembersResponseFilterSensitiveLog) .ser(se_ListMembersCommand) .de(de_ListMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembersRequest; + output: ListMembersResponse; + }; + sdk: { + input: ListMembersCommandInput; + output: ListMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListOrganizationAdminAccountsCommand.ts b/clients/client-guardduty/src/commands/ListOrganizationAdminAccountsCommand.ts index 0608e1e729a6..9ae18fde8639 100644 --- a/clients/client-guardduty/src/commands/ListOrganizationAdminAccountsCommand.ts +++ b/clients/client-guardduty/src/commands/ListOrganizationAdminAccountsCommand.ts @@ -97,4 +97,16 @@ export class ListOrganizationAdminAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationAdminAccountsCommand) .de(de_ListOrganizationAdminAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationAdminAccountsRequest; + output: ListOrganizationAdminAccountsResponse; + }; + sdk: { + input: ListOrganizationAdminAccountsCommandInput; + output: ListOrganizationAdminAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListPublishingDestinationsCommand.ts b/clients/client-guardduty/src/commands/ListPublishingDestinationsCommand.ts index f06535b8aed5..4248971ef766 100644 --- a/clients/client-guardduty/src/commands/ListPublishingDestinationsCommand.ts +++ b/clients/client-guardduty/src/commands/ListPublishingDestinationsCommand.ts @@ -93,4 +93,16 @@ export class ListPublishingDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPublishingDestinationsCommand) .de(de_ListPublishingDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPublishingDestinationsRequest; + output: ListPublishingDestinationsResponse; + }; + sdk: { + input: ListPublishingDestinationsCommandInput; + output: ListPublishingDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListTagsForResourceCommand.ts b/clients/client-guardduty/src/commands/ListTagsForResourceCommand.ts index 679405b1d35a..394584a47cc9 100644 --- a/clients/client-guardduty/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-guardduty/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/ListThreatIntelSetsCommand.ts b/clients/client-guardduty/src/commands/ListThreatIntelSetsCommand.ts index 40f1f479bd6f..e42d96d5336a 100644 --- a/clients/client-guardduty/src/commands/ListThreatIntelSetsCommand.ts +++ b/clients/client-guardduty/src/commands/ListThreatIntelSetsCommand.ts @@ -90,4 +90,16 @@ export class ListThreatIntelSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListThreatIntelSetsCommand) .de(de_ListThreatIntelSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThreatIntelSetsRequest; + output: ListThreatIntelSetsResponse; + }; + sdk: { + input: ListThreatIntelSetsCommandInput; + output: ListThreatIntelSetsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/StartMalwareScanCommand.ts b/clients/client-guardduty/src/commands/StartMalwareScanCommand.ts index b2b8c93cc0e8..16f9a53d5e99 100644 --- a/clients/client-guardduty/src/commands/StartMalwareScanCommand.ts +++ b/clients/client-guardduty/src/commands/StartMalwareScanCommand.ts @@ -89,4 +89,16 @@ export class StartMalwareScanCommand extends $Command .f(void 0, void 0) .ser(se_StartMalwareScanCommand) .de(de_StartMalwareScanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMalwareScanRequest; + output: StartMalwareScanResponse; + }; + sdk: { + input: StartMalwareScanCommandInput; + output: StartMalwareScanCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/StartMonitoringMembersCommand.ts b/clients/client-guardduty/src/commands/StartMonitoringMembersCommand.ts index f2ada631724e..6fba6c9624d6 100644 --- a/clients/client-guardduty/src/commands/StartMonitoringMembersCommand.ts +++ b/clients/client-guardduty/src/commands/StartMonitoringMembersCommand.ts @@ -92,4 +92,16 @@ export class StartMonitoringMembersCommand extends $Command .f(void 0, void 0) .ser(se_StartMonitoringMembersCommand) .de(de_StartMonitoringMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMonitoringMembersRequest; + output: StartMonitoringMembersResponse; + }; + sdk: { + input: StartMonitoringMembersCommandInput; + output: StartMonitoringMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/StopMonitoringMembersCommand.ts b/clients/client-guardduty/src/commands/StopMonitoringMembersCommand.ts index c6ddb6dd5ec1..aab8f691b496 100644 --- a/clients/client-guardduty/src/commands/StopMonitoringMembersCommand.ts +++ b/clients/client-guardduty/src/commands/StopMonitoringMembersCommand.ts @@ -96,4 +96,16 @@ export class StopMonitoringMembersCommand extends $Command .f(void 0, void 0) .ser(se_StopMonitoringMembersCommand) .de(de_StopMonitoringMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMonitoringMembersRequest; + output: StopMonitoringMembersResponse; + }; + sdk: { + input: StopMonitoringMembersCommandInput; + output: StopMonitoringMembersCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/TagResourceCommand.ts b/clients/client-guardduty/src/commands/TagResourceCommand.ts index 563ca0886d34..9c98c9795904 100644 --- a/clients/client-guardduty/src/commands/TagResourceCommand.ts +++ b/clients/client-guardduty/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UnarchiveFindingsCommand.ts b/clients/client-guardduty/src/commands/UnarchiveFindingsCommand.ts index bbe336b8fb07..f4555c12e74b 100644 --- a/clients/client-guardduty/src/commands/UnarchiveFindingsCommand.ts +++ b/clients/client-guardduty/src/commands/UnarchiveFindingsCommand.ts @@ -84,4 +84,16 @@ export class UnarchiveFindingsCommand extends $Command .f(void 0, void 0) .ser(se_UnarchiveFindingsCommand) .de(de_UnarchiveFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnarchiveFindingsRequest; + output: {}; + }; + sdk: { + input: UnarchiveFindingsCommandInput; + output: UnarchiveFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UntagResourceCommand.ts b/clients/client-guardduty/src/commands/UntagResourceCommand.ts index a1e5a89706b5..d8ff739e6877 100644 --- a/clients/client-guardduty/src/commands/UntagResourceCommand.ts +++ b/clients/client-guardduty/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateDetectorCommand.ts b/clients/client-guardduty/src/commands/UpdateDetectorCommand.ts index 5bdb268ea2fd..a2ad4627787b 100644 --- a/clients/client-guardduty/src/commands/UpdateDetectorCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateDetectorCommand.ts @@ -118,4 +118,16 @@ export class UpdateDetectorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDetectorCommand) .de(de_UpdateDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDetectorRequest; + output: {}; + }; + sdk: { + input: UpdateDetectorCommandInput; + output: UpdateDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateFilterCommand.ts b/clients/client-guardduty/src/commands/UpdateFilterCommand.ts index a81037d43a82..e9b492adb5d9 100644 --- a/clients/client-guardduty/src/commands/UpdateFilterCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateFilterCommand.ts @@ -113,4 +113,16 @@ export class UpdateFilterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFilterCommand) .de(de_UpdateFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFilterRequest; + output: UpdateFilterResponse; + }; + sdk: { + input: UpdateFilterCommandInput; + output: UpdateFilterCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateFindingsFeedbackCommand.ts b/clients/client-guardduty/src/commands/UpdateFindingsFeedbackCommand.ts index 497396b26cb0..9f62a2e1361a 100644 --- a/clients/client-guardduty/src/commands/UpdateFindingsFeedbackCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateFindingsFeedbackCommand.ts @@ -86,4 +86,16 @@ export class UpdateFindingsFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFindingsFeedbackCommand) .de(de_UpdateFindingsFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFindingsFeedbackRequest; + output: {}; + }; + sdk: { + input: UpdateFindingsFeedbackCommandInput; + output: UpdateFindingsFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateIPSetCommand.ts b/clients/client-guardduty/src/commands/UpdateIPSetCommand.ts index 4a758510f872..f5a4551bb6d9 100644 --- a/clients/client-guardduty/src/commands/UpdateIPSetCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateIPSetCommand.ts @@ -85,4 +85,16 @@ export class UpdateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIPSetCommand) .de(de_UpdateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIPSetRequest; + output: {}; + }; + sdk: { + input: UpdateIPSetCommandInput; + output: UpdateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateMalwareProtectionPlanCommand.ts b/clients/client-guardduty/src/commands/UpdateMalwareProtectionPlanCommand.ts index 35d41d7d5585..d47f142acf7c 100644 --- a/clients/client-guardduty/src/commands/UpdateMalwareProtectionPlanCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateMalwareProtectionPlanCommand.ts @@ -103,4 +103,16 @@ export class UpdateMalwareProtectionPlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMalwareProtectionPlanCommand) .de(de_UpdateMalwareProtectionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMalwareProtectionPlanRequest; + output: {}; + }; + sdk: { + input: UpdateMalwareProtectionPlanCommandInput; + output: UpdateMalwareProtectionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateMalwareScanSettingsCommand.ts b/clients/client-guardduty/src/commands/UpdateMalwareScanSettingsCommand.ts index 4d9fdec1310a..456f0c832b6b 100644 --- a/clients/client-guardduty/src/commands/UpdateMalwareScanSettingsCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateMalwareScanSettingsCommand.ts @@ -107,4 +107,16 @@ export class UpdateMalwareScanSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMalwareScanSettingsCommand) .de(de_UpdateMalwareScanSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMalwareScanSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateMalwareScanSettingsCommandInput; + output: UpdateMalwareScanSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateMemberDetectorsCommand.ts b/clients/client-guardduty/src/commands/UpdateMemberDetectorsCommand.ts index 5e294bb2eb62..4f40c1afb9ff 100644 --- a/clients/client-guardduty/src/commands/UpdateMemberDetectorsCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateMemberDetectorsCommand.ts @@ -126,4 +126,16 @@ export class UpdateMemberDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMemberDetectorsCommand) .de(de_UpdateMemberDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMemberDetectorsRequest; + output: UpdateMemberDetectorsResponse; + }; + sdk: { + input: UpdateMemberDetectorsCommandInput; + output: UpdateMemberDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateOrganizationConfigurationCommand.ts b/clients/client-guardduty/src/commands/UpdateOrganizationConfigurationCommand.ts index d1620337a62c..26a5c7949c91 100644 --- a/clients/client-guardduty/src/commands/UpdateOrganizationConfigurationCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateOrganizationConfigurationCommand.ts @@ -126,4 +126,16 @@ export class UpdateOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOrganizationConfigurationCommand) .de(de_UpdateOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrganizationConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateOrganizationConfigurationCommandInput; + output: UpdateOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdatePublishingDestinationCommand.ts b/clients/client-guardduty/src/commands/UpdatePublishingDestinationCommand.ts index 8b7e80de779c..360375069470 100644 --- a/clients/client-guardduty/src/commands/UpdatePublishingDestinationCommand.ts +++ b/clients/client-guardduty/src/commands/UpdatePublishingDestinationCommand.ts @@ -92,4 +92,16 @@ export class UpdatePublishingDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePublishingDestinationCommand) .de(de_UpdatePublishingDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePublishingDestinationRequest; + output: {}; + }; + sdk: { + input: UpdatePublishingDestinationCommandInput; + output: UpdatePublishingDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-guardduty/src/commands/UpdateThreatIntelSetCommand.ts b/clients/client-guardduty/src/commands/UpdateThreatIntelSetCommand.ts index 316d376c8bc9..33285edf1740 100644 --- a/clients/client-guardduty/src/commands/UpdateThreatIntelSetCommand.ts +++ b/clients/client-guardduty/src/commands/UpdateThreatIntelSetCommand.ts @@ -85,4 +85,16 @@ export class UpdateThreatIntelSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThreatIntelSetCommand) .de(de_UpdateThreatIntelSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThreatIntelSetRequest; + output: {}; + }; + sdk: { + input: UpdateThreatIntelSetCommandInput; + output: UpdateThreatIntelSetCommandOutput; + }; + }; +} diff --git a/clients/client-health/package.json b/clients/client-health/package.json index 7ec93e696ded..ecb914f5ac35 100644 --- a/clients/client-health/package.json +++ b/clients/client-health/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-health/src/commands/DescribeAffectedAccountsForOrganizationCommand.ts b/clients/client-health/src/commands/DescribeAffectedAccountsForOrganizationCommand.ts index 02ffe708674a..8055196c2121 100644 --- a/clients/client-health/src/commands/DescribeAffectedAccountsForOrganizationCommand.ts +++ b/clients/client-health/src/commands/DescribeAffectedAccountsForOrganizationCommand.ts @@ -103,4 +103,16 @@ export class DescribeAffectedAccountsForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAffectedAccountsForOrganizationCommand) .de(de_DescribeAffectedAccountsForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAffectedAccountsForOrganizationRequest; + output: DescribeAffectedAccountsForOrganizationResponse; + }; + sdk: { + input: DescribeAffectedAccountsForOrganizationCommandInput; + output: DescribeAffectedAccountsForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeAffectedEntitiesCommand.ts b/clients/client-health/src/commands/DescribeAffectedEntitiesCommand.ts index 6c06ae67e115..6612524c9261 100644 --- a/clients/client-health/src/commands/DescribeAffectedEntitiesCommand.ts +++ b/clients/client-health/src/commands/DescribeAffectedEntitiesCommand.ts @@ -140,4 +140,16 @@ export class DescribeAffectedEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAffectedEntitiesCommand) .de(de_DescribeAffectedEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAffectedEntitiesRequest; + output: DescribeAffectedEntitiesResponse; + }; + sdk: { + input: DescribeAffectedEntitiesCommandInput; + output: DescribeAffectedEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeAffectedEntitiesForOrganizationCommand.ts b/clients/client-health/src/commands/DescribeAffectedEntitiesForOrganizationCommand.ts index 8ce47412dc0e..448e82b9c982 100644 --- a/clients/client-health/src/commands/DescribeAffectedEntitiesForOrganizationCommand.ts +++ b/clients/client-health/src/commands/DescribeAffectedEntitiesForOrganizationCommand.ts @@ -149,4 +149,16 @@ export class DescribeAffectedEntitiesForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAffectedEntitiesForOrganizationCommand) .de(de_DescribeAffectedEntitiesForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAffectedEntitiesForOrganizationRequest; + output: DescribeAffectedEntitiesForOrganizationResponse; + }; + sdk: { + input: DescribeAffectedEntitiesForOrganizationCommandInput; + output: DescribeAffectedEntitiesForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEntityAggregatesCommand.ts b/clients/client-health/src/commands/DescribeEntityAggregatesCommand.ts index 21ad197488d4..09e5ad5998c8 100644 --- a/clients/client-health/src/commands/DescribeEntityAggregatesCommand.ts +++ b/clients/client-health/src/commands/DescribeEntityAggregatesCommand.ts @@ -87,4 +87,16 @@ export class DescribeEntityAggregatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEntityAggregatesCommand) .de(de_DescribeEntityAggregatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntityAggregatesRequest; + output: DescribeEntityAggregatesResponse; + }; + sdk: { + input: DescribeEntityAggregatesCommandInput; + output: DescribeEntityAggregatesCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEntityAggregatesForOrganizationCommand.ts b/clients/client-health/src/commands/DescribeEntityAggregatesForOrganizationCommand.ts index 4b691ad43564..fd10ef0179fe 100644 --- a/clients/client-health/src/commands/DescribeEntityAggregatesForOrganizationCommand.ts +++ b/clients/client-health/src/commands/DescribeEntityAggregatesForOrganizationCommand.ts @@ -108,4 +108,16 @@ export class DescribeEntityAggregatesForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEntityAggregatesForOrganizationCommand) .de(de_DescribeEntityAggregatesForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntityAggregatesForOrganizationRequest; + output: DescribeEntityAggregatesForOrganizationResponse; + }; + sdk: { + input: DescribeEntityAggregatesForOrganizationCommandInput; + output: DescribeEntityAggregatesForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEventAggregatesCommand.ts b/clients/client-health/src/commands/DescribeEventAggregatesCommand.ts index 4ce0a957b33b..a2487afd5f74 100644 --- a/clients/client-health/src/commands/DescribeEventAggregatesCommand.ts +++ b/clients/client-health/src/commands/DescribeEventAggregatesCommand.ts @@ -145,4 +145,16 @@ export class DescribeEventAggregatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventAggregatesCommand) .de(de_DescribeEventAggregatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventAggregatesRequest; + output: DescribeEventAggregatesResponse; + }; + sdk: { + input: DescribeEventAggregatesCommandInput; + output: DescribeEventAggregatesCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEventDetailsCommand.ts b/clients/client-health/src/commands/DescribeEventDetailsCommand.ts index dfe7a4f91509..b088c034b093 100644 --- a/clients/client-health/src/commands/DescribeEventDetailsCommand.ts +++ b/clients/client-health/src/commands/DescribeEventDetailsCommand.ts @@ -121,4 +121,16 @@ export class DescribeEventDetailsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventDetailsCommand) .de(de_DescribeEventDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventDetailsRequest; + output: DescribeEventDetailsResponse; + }; + sdk: { + input: DescribeEventDetailsCommandInput; + output: DescribeEventDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEventDetailsForOrganizationCommand.ts b/clients/client-health/src/commands/DescribeEventDetailsForOrganizationCommand.ts index 32e6f554c564..7facfe2c9483 100644 --- a/clients/client-health/src/commands/DescribeEventDetailsForOrganizationCommand.ts +++ b/clients/client-health/src/commands/DescribeEventDetailsForOrganizationCommand.ts @@ -156,4 +156,16 @@ export class DescribeEventDetailsForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventDetailsForOrganizationCommand) .de(de_DescribeEventDetailsForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventDetailsForOrganizationRequest; + output: DescribeEventDetailsForOrganizationResponse; + }; + sdk: { + input: DescribeEventDetailsForOrganizationCommandInput; + output: DescribeEventDetailsForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEventTypesCommand.ts b/clients/client-health/src/commands/DescribeEventTypesCommand.ts index 7240cfeb5db7..c8c23f5612b1 100644 --- a/clients/client-health/src/commands/DescribeEventTypesCommand.ts +++ b/clients/client-health/src/commands/DescribeEventTypesCommand.ts @@ -109,4 +109,16 @@ export class DescribeEventTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventTypesCommand) .de(de_DescribeEventTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventTypesRequest; + output: DescribeEventTypesResponse; + }; + sdk: { + input: DescribeEventTypesCommandInput; + output: DescribeEventTypesCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEventsCommand.ts b/clients/client-health/src/commands/DescribeEventsCommand.ts index e69b67aa1520..f046a9992fbe 100644 --- a/clients/client-health/src/commands/DescribeEventsCommand.ts +++ b/clients/client-health/src/commands/DescribeEventsCommand.ts @@ -174,4 +174,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsRequest; + output: DescribeEventsResponse; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeEventsForOrganizationCommand.ts b/clients/client-health/src/commands/DescribeEventsForOrganizationCommand.ts index aeae2b03b49c..814440b08799 100644 --- a/clients/client-health/src/commands/DescribeEventsForOrganizationCommand.ts +++ b/clients/client-health/src/commands/DescribeEventsForOrganizationCommand.ts @@ -173,4 +173,16 @@ export class DescribeEventsForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsForOrganizationCommand) .de(de_DescribeEventsForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsForOrganizationRequest; + output: DescribeEventsForOrganizationResponse; + }; + sdk: { + input: DescribeEventsForOrganizationCommandInput; + output: DescribeEventsForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DescribeHealthServiceStatusForOrganizationCommand.ts b/clients/client-health/src/commands/DescribeHealthServiceStatusForOrganizationCommand.ts index 159af1dcdeca..ffc4beb23ccc 100644 --- a/clients/client-health/src/commands/DescribeHealthServiceStatusForOrganizationCommand.ts +++ b/clients/client-health/src/commands/DescribeHealthServiceStatusForOrganizationCommand.ts @@ -82,4 +82,16 @@ export class DescribeHealthServiceStatusForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHealthServiceStatusForOrganizationCommand) .de(de_DescribeHealthServiceStatusForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeHealthServiceStatusForOrganizationResponse; + }; + sdk: { + input: DescribeHealthServiceStatusForOrganizationCommandInput; + output: DescribeHealthServiceStatusForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/DisableHealthServiceAccessForOrganizationCommand.ts b/clients/client-health/src/commands/DisableHealthServiceAccessForOrganizationCommand.ts index a52312544c5d..8fe9111fe794 100644 --- a/clients/client-health/src/commands/DisableHealthServiceAccessForOrganizationCommand.ts +++ b/clients/client-health/src/commands/DisableHealthServiceAccessForOrganizationCommand.ts @@ -93,4 +93,16 @@ export class DisableHealthServiceAccessForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DisableHealthServiceAccessForOrganizationCommand) .de(de_DisableHealthServiceAccessForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisableHealthServiceAccessForOrganizationCommandInput; + output: DisableHealthServiceAccessForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-health/src/commands/EnableHealthServiceAccessForOrganizationCommand.ts b/clients/client-health/src/commands/EnableHealthServiceAccessForOrganizationCommand.ts index d95816daf45c..d9a8801c85af 100644 --- a/clients/client-health/src/commands/EnableHealthServiceAccessForOrganizationCommand.ts +++ b/clients/client-health/src/commands/EnableHealthServiceAccessForOrganizationCommand.ts @@ -102,4 +102,16 @@ export class EnableHealthServiceAccessForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_EnableHealthServiceAccessForOrganizationCommand) .de(de_EnableHealthServiceAccessForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EnableHealthServiceAccessForOrganizationCommandInput; + output: EnableHealthServiceAccessForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/package.json b/clients/client-healthlake/package.json index 29ddbbc62d6a..ac6e6be443e8 100644 --- a/clients/client-healthlake/package.json +++ b/clients/client-healthlake/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-healthlake/src/commands/CreateFHIRDatastoreCommand.ts b/clients/client-healthlake/src/commands/CreateFHIRDatastoreCommand.ts index 98f36d38ed8e..c73effda5a1d 100644 --- a/clients/client-healthlake/src/commands/CreateFHIRDatastoreCommand.ts +++ b/clients/client-healthlake/src/commands/CreateFHIRDatastoreCommand.ts @@ -115,4 +115,16 @@ export class CreateFHIRDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateFHIRDatastoreCommand) .de(de_CreateFHIRDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFHIRDatastoreRequest; + output: CreateFHIRDatastoreResponse; + }; + sdk: { + input: CreateFHIRDatastoreCommandInput; + output: CreateFHIRDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/DeleteFHIRDatastoreCommand.ts b/clients/client-healthlake/src/commands/DeleteFHIRDatastoreCommand.ts index ebdb97eb1e2b..08c3f87b0a0a 100644 --- a/clients/client-healthlake/src/commands/DeleteFHIRDatastoreCommand.ts +++ b/clients/client-healthlake/src/commands/DeleteFHIRDatastoreCommand.ts @@ -98,4 +98,16 @@ export class DeleteFHIRDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFHIRDatastoreCommand) .de(de_DeleteFHIRDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFHIRDatastoreRequest; + output: DeleteFHIRDatastoreResponse; + }; + sdk: { + input: DeleteFHIRDatastoreCommandInput; + output: DeleteFHIRDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/DescribeFHIRDatastoreCommand.ts b/clients/client-healthlake/src/commands/DescribeFHIRDatastoreCommand.ts index c505e7d45675..c20762bdbe83 100644 --- a/clients/client-healthlake/src/commands/DescribeFHIRDatastoreCommand.ts +++ b/clients/client-healthlake/src/commands/DescribeFHIRDatastoreCommand.ts @@ -117,4 +117,16 @@ export class DescribeFHIRDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFHIRDatastoreCommand) .de(de_DescribeFHIRDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFHIRDatastoreRequest; + output: DescribeFHIRDatastoreResponse; + }; + sdk: { + input: DescribeFHIRDatastoreCommandInput; + output: DescribeFHIRDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/DescribeFHIRExportJobCommand.ts b/clients/client-healthlake/src/commands/DescribeFHIRExportJobCommand.ts index 19f9c5afa6a9..0b90f1224587 100644 --- a/clients/client-healthlake/src/commands/DescribeFHIRExportJobCommand.ts +++ b/clients/client-healthlake/src/commands/DescribeFHIRExportJobCommand.ts @@ -105,4 +105,16 @@ export class DescribeFHIRExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFHIRExportJobCommand) .de(de_DescribeFHIRExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFHIRExportJobRequest; + output: DescribeFHIRExportJobResponse; + }; + sdk: { + input: DescribeFHIRExportJobCommandInput; + output: DescribeFHIRExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/DescribeFHIRImportJobCommand.ts b/clients/client-healthlake/src/commands/DescribeFHIRImportJobCommand.ts index 182ff043ef9b..896ba8142153 100644 --- a/clients/client-healthlake/src/commands/DescribeFHIRImportJobCommand.ts +++ b/clients/client-healthlake/src/commands/DescribeFHIRImportJobCommand.ts @@ -118,4 +118,16 @@ export class DescribeFHIRImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFHIRImportJobCommand) .de(de_DescribeFHIRImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFHIRImportJobRequest; + output: DescribeFHIRImportJobResponse; + }; + sdk: { + input: DescribeFHIRImportJobCommandInput; + output: DescribeFHIRImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/ListFHIRDatastoresCommand.ts b/clients/client-healthlake/src/commands/ListFHIRDatastoresCommand.ts index 942931a10922..12353cd786b1 100644 --- a/clients/client-healthlake/src/commands/ListFHIRDatastoresCommand.ts +++ b/clients/client-healthlake/src/commands/ListFHIRDatastoresCommand.ts @@ -123,4 +123,16 @@ export class ListFHIRDatastoresCommand extends $Command .f(void 0, void 0) .ser(se_ListFHIRDatastoresCommand) .de(de_ListFHIRDatastoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFHIRDatastoresRequest; + output: ListFHIRDatastoresResponse; + }; + sdk: { + input: ListFHIRDatastoresCommandInput; + output: ListFHIRDatastoresCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/ListFHIRExportJobsCommand.ts b/clients/client-healthlake/src/commands/ListFHIRExportJobsCommand.ts index e7453fee9d66..58cd53a8ea6f 100644 --- a/clients/client-healthlake/src/commands/ListFHIRExportJobsCommand.ts +++ b/clients/client-healthlake/src/commands/ListFHIRExportJobsCommand.ts @@ -118,4 +118,16 @@ export class ListFHIRExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListFHIRExportJobsCommand) .de(de_ListFHIRExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFHIRExportJobsRequest; + output: ListFHIRExportJobsResponse; + }; + sdk: { + input: ListFHIRExportJobsCommandInput; + output: ListFHIRExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/ListFHIRImportJobsCommand.ts b/clients/client-healthlake/src/commands/ListFHIRImportJobsCommand.ts index 8c5ad8094f4a..1e24509b0cf8 100644 --- a/clients/client-healthlake/src/commands/ListFHIRImportJobsCommand.ts +++ b/clients/client-healthlake/src/commands/ListFHIRImportJobsCommand.ts @@ -131,4 +131,16 @@ export class ListFHIRImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListFHIRImportJobsCommand) .de(de_ListFHIRImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFHIRImportJobsRequest; + output: ListFHIRImportJobsResponse; + }; + sdk: { + input: ListFHIRImportJobsCommandInput; + output: ListFHIRImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/ListTagsForResourceCommand.ts b/clients/client-healthlake/src/commands/ListTagsForResourceCommand.ts index 935ea818e60c..f0ebb0025f02 100644 --- a/clients/client-healthlake/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-healthlake/src/commands/ListTagsForResourceCommand.ts @@ -90,4 +90,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/StartFHIRExportJobCommand.ts b/clients/client-healthlake/src/commands/StartFHIRExportJobCommand.ts index a023e08c8987..bf49e63a0359 100644 --- a/clients/client-healthlake/src/commands/StartFHIRExportJobCommand.ts +++ b/clients/client-healthlake/src/commands/StartFHIRExportJobCommand.ts @@ -103,4 +103,16 @@ export class StartFHIRExportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartFHIRExportJobCommand) .de(de_StartFHIRExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFHIRExportJobRequest; + output: StartFHIRExportJobResponse; + }; + sdk: { + input: StartFHIRExportJobCommandInput; + output: StartFHIRExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/StartFHIRImportJobCommand.ts b/clients/client-healthlake/src/commands/StartFHIRImportJobCommand.ts index 247e84934f10..6dcdd93dd699 100644 --- a/clients/client-healthlake/src/commands/StartFHIRImportJobCommand.ts +++ b/clients/client-healthlake/src/commands/StartFHIRImportJobCommand.ts @@ -106,4 +106,16 @@ export class StartFHIRImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartFHIRImportJobCommand) .de(de_StartFHIRImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFHIRImportJobRequest; + output: StartFHIRImportJobResponse; + }; + sdk: { + input: StartFHIRImportJobCommandInput; + output: StartFHIRImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/TagResourceCommand.ts b/clients/client-healthlake/src/commands/TagResourceCommand.ts index d6bd90d6d27a..0cdcc355f1d1 100644 --- a/clients/client-healthlake/src/commands/TagResourceCommand.ts +++ b/clients/client-healthlake/src/commands/TagResourceCommand.ts @@ -89,4 +89,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-healthlake/src/commands/UntagResourceCommand.ts b/clients/client-healthlake/src/commands/UntagResourceCommand.ts index 65746ff42075..69601a69b23a 100644 --- a/clients/client-healthlake/src/commands/UntagResourceCommand.ts +++ b/clients/client-healthlake/src/commands/UntagResourceCommand.ts @@ -86,4 +86,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/package.json b/clients/client-iam/package.json index 7b5467b29e43..a139165f1fd6 100644 --- a/clients/client-iam/package.json +++ b/clients/client-iam/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-iam/src/commands/AddClientIDToOpenIDConnectProviderCommand.ts b/clients/client-iam/src/commands/AddClientIDToOpenIDConnectProviderCommand.ts index 6e5f88c9a25c..e979cc0ebca9 100644 --- a/clients/client-iam/src/commands/AddClientIDToOpenIDConnectProviderCommand.ts +++ b/clients/client-iam/src/commands/AddClientIDToOpenIDConnectProviderCommand.ts @@ -110,4 +110,16 @@ export class AddClientIDToOpenIDConnectProviderCommand extends $Command .f(void 0, void 0) .ser(se_AddClientIDToOpenIDConnectProviderCommand) .de(de_AddClientIDToOpenIDConnectProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddClientIDToOpenIDConnectProviderRequest; + output: {}; + }; + sdk: { + input: AddClientIDToOpenIDConnectProviderCommandInput; + output: AddClientIDToOpenIDConnectProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/AddRoleToInstanceProfileCommand.ts b/clients/client-iam/src/commands/AddRoleToInstanceProfileCommand.ts index e1c227b376e2..6d8c19744cd1 100644 --- a/clients/client-iam/src/commands/AddRoleToInstanceProfileCommand.ts +++ b/clients/client-iam/src/commands/AddRoleToInstanceProfileCommand.ts @@ -123,4 +123,16 @@ export class AddRoleToInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_AddRoleToInstanceProfileCommand) .de(de_AddRoleToInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddRoleToInstanceProfileRequest; + output: {}; + }; + sdk: { + input: AddRoleToInstanceProfileCommandInput; + output: AddRoleToInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/AddUserToGroupCommand.ts b/clients/client-iam/src/commands/AddUserToGroupCommand.ts index 9903d65adf62..6018154e0d1d 100644 --- a/clients/client-iam/src/commands/AddUserToGroupCommand.ts +++ b/clients/client-iam/src/commands/AddUserToGroupCommand.ts @@ -100,4 +100,16 @@ export class AddUserToGroupCommand extends $Command .f(void 0, void 0) .ser(se_AddUserToGroupCommand) .de(de_AddUserToGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddUserToGroupRequest; + output: {}; + }; + sdk: { + input: AddUserToGroupCommandInput; + output: AddUserToGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/AttachGroupPolicyCommand.ts b/clients/client-iam/src/commands/AttachGroupPolicyCommand.ts index cf70b3dfcdba..081652e592cb 100644 --- a/clients/client-iam/src/commands/AttachGroupPolicyCommand.ts +++ b/clients/client-iam/src/commands/AttachGroupPolicyCommand.ts @@ -117,4 +117,16 @@ export class AttachGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AttachGroupPolicyCommand) .de(de_AttachGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachGroupPolicyRequest; + output: {}; + }; + sdk: { + input: AttachGroupPolicyCommandInput; + output: AttachGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/AttachRolePolicyCommand.ts b/clients/client-iam/src/commands/AttachRolePolicyCommand.ts index d5035f54e0b0..04acf299a967 100644 --- a/clients/client-iam/src/commands/AttachRolePolicyCommand.ts +++ b/clients/client-iam/src/commands/AttachRolePolicyCommand.ts @@ -134,4 +134,16 @@ export class AttachRolePolicyCommand extends $Command .f(void 0, void 0) .ser(se_AttachRolePolicyCommand) .de(de_AttachRolePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachRolePolicyRequest; + output: {}; + }; + sdk: { + input: AttachRolePolicyCommandInput; + output: AttachRolePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/AttachUserPolicyCommand.ts b/clients/client-iam/src/commands/AttachUserPolicyCommand.ts index c8fcec29eea8..60a2ec3e7493 100644 --- a/clients/client-iam/src/commands/AttachUserPolicyCommand.ts +++ b/clients/client-iam/src/commands/AttachUserPolicyCommand.ts @@ -117,4 +117,16 @@ export class AttachUserPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AttachUserPolicyCommand) .de(de_AttachUserPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachUserPolicyRequest; + output: {}; + }; + sdk: { + input: AttachUserPolicyCommandInput; + output: AttachUserPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ChangePasswordCommand.ts b/clients/client-iam/src/commands/ChangePasswordCommand.ts index c47b2d01b035..1c50564addbd 100644 --- a/clients/client-iam/src/commands/ChangePasswordCommand.ts +++ b/clients/client-iam/src/commands/ChangePasswordCommand.ts @@ -121,4 +121,16 @@ export class ChangePasswordCommand extends $Command .f(ChangePasswordRequestFilterSensitiveLog, void 0) .ser(se_ChangePasswordCommand) .de(de_ChangePasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangePasswordRequest; + output: {}; + }; + sdk: { + input: ChangePasswordCommandInput; + output: ChangePasswordCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateAccessKeyCommand.ts b/clients/client-iam/src/commands/CreateAccessKeyCommand.ts index 26cc56fa5e0d..9a733d9da03f 100644 --- a/clients/client-iam/src/commands/CreateAccessKeyCommand.ts +++ b/clients/client-iam/src/commands/CreateAccessKeyCommand.ts @@ -134,4 +134,16 @@ export class CreateAccessKeyCommand extends $Command .f(void 0, CreateAccessKeyResponseFilterSensitiveLog) .ser(se_CreateAccessKeyCommand) .de(de_CreateAccessKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessKeyRequest; + output: CreateAccessKeyResponse; + }; + sdk: { + input: CreateAccessKeyCommandInput; + output: CreateAccessKeyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateAccountAliasCommand.ts b/clients/client-iam/src/commands/CreateAccountAliasCommand.ts index a5bc1d8b9b94..166d3ae823d2 100644 --- a/clients/client-iam/src/commands/CreateAccountAliasCommand.ts +++ b/clients/client-iam/src/commands/CreateAccountAliasCommand.ts @@ -105,4 +105,16 @@ export class CreateAccountAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccountAliasCommand) .de(de_CreateAccountAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccountAliasRequest; + output: {}; + }; + sdk: { + input: CreateAccountAliasCommandInput; + output: CreateAccountAliasCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateGroupCommand.ts b/clients/client-iam/src/commands/CreateGroupCommand.ts index 4ed7b125393d..b7a78d2446ef 100644 --- a/clients/client-iam/src/commands/CreateGroupCommand.ts +++ b/clients/client-iam/src/commands/CreateGroupCommand.ts @@ -124,4 +124,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResponse; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateInstanceProfileCommand.ts b/clients/client-iam/src/commands/CreateInstanceProfileCommand.ts index 75ce8ccf3e39..ba928314d9e5 100644 --- a/clients/client-iam/src/commands/CreateInstanceProfileCommand.ts +++ b/clients/client-iam/src/commands/CreateInstanceProfileCommand.ts @@ -169,4 +169,16 @@ export class CreateInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceProfileCommand) .de(de_CreateInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceProfileRequest; + output: CreateInstanceProfileResponse; + }; + sdk: { + input: CreateInstanceProfileCommandInput; + output: CreateInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateLoginProfileCommand.ts b/clients/client-iam/src/commands/CreateLoginProfileCommand.ts index 441be95db1d1..e12954197c94 100644 --- a/clients/client-iam/src/commands/CreateLoginProfileCommand.ts +++ b/clients/client-iam/src/commands/CreateLoginProfileCommand.ts @@ -134,4 +134,16 @@ export class CreateLoginProfileCommand extends $Command .f(CreateLoginProfileRequestFilterSensitiveLog, void 0) .ser(se_CreateLoginProfileCommand) .de(de_CreateLoginProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoginProfileRequest; + output: CreateLoginProfileResponse; + }; + sdk: { + input: CreateLoginProfileCommandInput; + output: CreateLoginProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateOpenIDConnectProviderCommand.ts b/clients/client-iam/src/commands/CreateOpenIDConnectProviderCommand.ts index 8c78d26b7cc0..e2dd53ef5fb0 100644 --- a/clients/client-iam/src/commands/CreateOpenIDConnectProviderCommand.ts +++ b/clients/client-iam/src/commands/CreateOpenIDConnectProviderCommand.ts @@ -183,4 +183,16 @@ export class CreateOpenIDConnectProviderCommand extends $Command .f(void 0, void 0) .ser(se_CreateOpenIDConnectProviderCommand) .de(de_CreateOpenIDConnectProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOpenIDConnectProviderRequest; + output: CreateOpenIDConnectProviderResponse; + }; + sdk: { + input: CreateOpenIDConnectProviderCommandInput; + output: CreateOpenIDConnectProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreatePolicyCommand.ts b/clients/client-iam/src/commands/CreatePolicyCommand.ts index 5922d82b823c..5279812d2fa3 100644 --- a/clients/client-iam/src/commands/CreatePolicyCommand.ts +++ b/clients/client-iam/src/commands/CreatePolicyCommand.ts @@ -138,4 +138,16 @@ export class CreatePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreatePolicyCommand) .de(de_CreatePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyRequest; + output: CreatePolicyResponse; + }; + sdk: { + input: CreatePolicyCommandInput; + output: CreatePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreatePolicyVersionCommand.ts b/clients/client-iam/src/commands/CreatePolicyVersionCommand.ts index 326b0c402abb..0555fec0755c 100644 --- a/clients/client-iam/src/commands/CreatePolicyVersionCommand.ts +++ b/clients/client-iam/src/commands/CreatePolicyVersionCommand.ts @@ -111,4 +111,16 @@ export class CreatePolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreatePolicyVersionCommand) .de(de_CreatePolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyVersionRequest; + output: CreatePolicyVersionResponse; + }; + sdk: { + input: CreatePolicyVersionCommandInput; + output: CreatePolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateRoleCommand.ts b/clients/client-iam/src/commands/CreateRoleCommand.ts index 148a6adbda5c..b8380d37442c 100644 --- a/clients/client-iam/src/commands/CreateRoleCommand.ts +++ b/clients/client-iam/src/commands/CreateRoleCommand.ts @@ -164,4 +164,16 @@ export class CreateRoleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRoleCommand) .de(de_CreateRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoleRequest; + output: CreateRoleResponse; + }; + sdk: { + input: CreateRoleCommandInput; + output: CreateRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateSAMLProviderCommand.ts b/clients/client-iam/src/commands/CreateSAMLProviderCommand.ts index f2d5daf8e25d..de967d0f76b1 100644 --- a/clients/client-iam/src/commands/CreateSAMLProviderCommand.ts +++ b/clients/client-iam/src/commands/CreateSAMLProviderCommand.ts @@ -127,4 +127,16 @@ export class CreateSAMLProviderCommand extends $Command .f(void 0, void 0) .ser(se_CreateSAMLProviderCommand) .de(de_CreateSAMLProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSAMLProviderRequest; + output: CreateSAMLProviderResponse; + }; + sdk: { + input: CreateSAMLProviderCommandInput; + output: CreateSAMLProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateServiceLinkedRoleCommand.ts b/clients/client-iam/src/commands/CreateServiceLinkedRoleCommand.ts index 147deae3076f..c8a40af5daf0 100644 --- a/clients/client-iam/src/commands/CreateServiceLinkedRoleCommand.ts +++ b/clients/client-iam/src/commands/CreateServiceLinkedRoleCommand.ts @@ -126,4 +126,16 @@ export class CreateServiceLinkedRoleCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceLinkedRoleCommand) .de(de_CreateServiceLinkedRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceLinkedRoleRequest; + output: CreateServiceLinkedRoleResponse; + }; + sdk: { + input: CreateServiceLinkedRoleCommandInput; + output: CreateServiceLinkedRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateServiceSpecificCredentialCommand.ts b/clients/client-iam/src/commands/CreateServiceSpecificCredentialCommand.ts index 4c6af4780a5d..24bda9652a35 100644 --- a/clients/client-iam/src/commands/CreateServiceSpecificCredentialCommand.ts +++ b/clients/client-iam/src/commands/CreateServiceSpecificCredentialCommand.ts @@ -116,4 +116,16 @@ export class CreateServiceSpecificCredentialCommand extends $Command .f(void 0, CreateServiceSpecificCredentialResponseFilterSensitiveLog) .ser(se_CreateServiceSpecificCredentialCommand) .de(de_CreateServiceSpecificCredentialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceSpecificCredentialRequest; + output: CreateServiceSpecificCredentialResponse; + }; + sdk: { + input: CreateServiceSpecificCredentialCommandInput; + output: CreateServiceSpecificCredentialCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateUserCommand.ts b/clients/client-iam/src/commands/CreateUserCommand.ts index 6cd08310d428..04a02e70daee 100644 --- a/clients/client-iam/src/commands/CreateUserCommand.ts +++ b/clients/client-iam/src/commands/CreateUserCommand.ts @@ -150,4 +150,16 @@ export class CreateUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/CreateVirtualMFADeviceCommand.ts b/clients/client-iam/src/commands/CreateVirtualMFADeviceCommand.ts index 349c1d177f75..deb6ea2462e6 100644 --- a/clients/client-iam/src/commands/CreateVirtualMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/CreateVirtualMFADeviceCommand.ts @@ -149,4 +149,16 @@ export class CreateVirtualMFADeviceCommand extends $Command .f(void 0, CreateVirtualMFADeviceResponseFilterSensitiveLog) .ser(se_CreateVirtualMFADeviceCommand) .de(de_CreateVirtualMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVirtualMFADeviceRequest; + output: CreateVirtualMFADeviceResponse; + }; + sdk: { + input: CreateVirtualMFADeviceCommandInput; + output: CreateVirtualMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeactivateMFADeviceCommand.ts b/clients/client-iam/src/commands/DeactivateMFADeviceCommand.ts index 688db1f9b2c5..00c3a552ea23 100644 --- a/clients/client-iam/src/commands/DeactivateMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/DeactivateMFADeviceCommand.ts @@ -102,4 +102,16 @@ export class DeactivateMFADeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateMFADeviceCommand) .de(de_DeactivateMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateMFADeviceRequest; + output: {}; + }; + sdk: { + input: DeactivateMFADeviceCommandInput; + output: DeactivateMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteAccessKeyCommand.ts b/clients/client-iam/src/commands/DeleteAccessKeyCommand.ts index 825c3265f5cb..15b8fb034658 100644 --- a/clients/client-iam/src/commands/DeleteAccessKeyCommand.ts +++ b/clients/client-iam/src/commands/DeleteAccessKeyCommand.ts @@ -104,4 +104,16 @@ export class DeleteAccessKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessKeyCommand) .de(de_DeleteAccessKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessKeyRequest; + output: {}; + }; + sdk: { + input: DeleteAccessKeyCommandInput; + output: DeleteAccessKeyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteAccountAliasCommand.ts b/clients/client-iam/src/commands/DeleteAccountAliasCommand.ts index 69d14cf39583..25dcca99c850 100644 --- a/clients/client-iam/src/commands/DeleteAccountAliasCommand.ts +++ b/clients/client-iam/src/commands/DeleteAccountAliasCommand.ts @@ -105,4 +105,16 @@ export class DeleteAccountAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountAliasCommand) .de(de_DeleteAccountAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountAliasRequest; + output: {}; + }; + sdk: { + input: DeleteAccountAliasCommandInput; + output: DeleteAccountAliasCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteAccountPasswordPolicyCommand.ts b/clients/client-iam/src/commands/DeleteAccountPasswordPolicyCommand.ts index 1e171084eb4b..8c9f057cc7e3 100644 --- a/clients/client-iam/src/commands/DeleteAccountPasswordPolicyCommand.ts +++ b/clients/client-iam/src/commands/DeleteAccountPasswordPolicyCommand.ts @@ -93,4 +93,16 @@ export class DeleteAccountPasswordPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountPasswordPolicyCommand) .de(de_DeleteAccountPasswordPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteAccountPasswordPolicyCommandInput; + output: DeleteAccountPasswordPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteGroupCommand.ts b/clients/client-iam/src/commands/DeleteGroupCommand.ts index f588ac02370c..70bf517d3011 100644 --- a/clients/client-iam/src/commands/DeleteGroupCommand.ts +++ b/clients/client-iam/src/commands/DeleteGroupCommand.ts @@ -92,4 +92,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteGroupPolicyCommand.ts b/clients/client-iam/src/commands/DeleteGroupPolicyCommand.ts index 1ecfcb6a36fc..c7fbf89d619e 100644 --- a/clients/client-iam/src/commands/DeleteGroupPolicyCommand.ts +++ b/clients/client-iam/src/commands/DeleteGroupPolicyCommand.ts @@ -105,4 +105,16 @@ export class DeleteGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupPolicyCommand) .de(de_DeleteGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteGroupPolicyCommandInput; + output: DeleteGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteInstanceProfileCommand.ts b/clients/client-iam/src/commands/DeleteInstanceProfileCommand.ts index 36aa1a1cf7fe..4ddb5457161d 100644 --- a/clients/client-iam/src/commands/DeleteInstanceProfileCommand.ts +++ b/clients/client-iam/src/commands/DeleteInstanceProfileCommand.ts @@ -111,4 +111,16 @@ export class DeleteInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceProfileCommand) .de(de_DeleteInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceProfileRequest; + output: {}; + }; + sdk: { + input: DeleteInstanceProfileCommandInput; + output: DeleteInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteLoginProfileCommand.ts b/clients/client-iam/src/commands/DeleteLoginProfileCommand.ts index f85def4f397e..cb130b3cd71b 100644 --- a/clients/client-iam/src/commands/DeleteLoginProfileCommand.ts +++ b/clients/client-iam/src/commands/DeleteLoginProfileCommand.ts @@ -116,4 +116,16 @@ export class DeleteLoginProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoginProfileCommand) .de(de_DeleteLoginProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoginProfileRequest; + output: {}; + }; + sdk: { + input: DeleteLoginProfileCommandInput; + output: DeleteLoginProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteOpenIDConnectProviderCommand.ts b/clients/client-iam/src/commands/DeleteOpenIDConnectProviderCommand.ts index dd804e35babf..a8388f4cf1b2 100644 --- a/clients/client-iam/src/commands/DeleteOpenIDConnectProviderCommand.ts +++ b/clients/client-iam/src/commands/DeleteOpenIDConnectProviderCommand.ts @@ -92,4 +92,16 @@ export class DeleteOpenIDConnectProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOpenIDConnectProviderCommand) .de(de_DeleteOpenIDConnectProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOpenIDConnectProviderRequest; + output: {}; + }; + sdk: { + input: DeleteOpenIDConnectProviderCommandInput; + output: DeleteOpenIDConnectProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeletePolicyCommand.ts b/clients/client-iam/src/commands/DeletePolicyCommand.ts index 56fc864037a8..2782648c62a3 100644 --- a/clients/client-iam/src/commands/DeletePolicyCommand.ts +++ b/clients/client-iam/src/commands/DeletePolicyCommand.ts @@ -119,4 +119,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyRequest; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeletePolicyVersionCommand.ts b/clients/client-iam/src/commands/DeletePolicyVersionCommand.ts index dc2d7f9c05e0..0733efbcdfd3 100644 --- a/clients/client-iam/src/commands/DeletePolicyVersionCommand.ts +++ b/clients/client-iam/src/commands/DeletePolicyVersionCommand.ts @@ -101,4 +101,16 @@ export class DeletePolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyVersionCommand) .de(de_DeletePolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyVersionRequest; + output: {}; + }; + sdk: { + input: DeletePolicyVersionCommandInput; + output: DeletePolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteRoleCommand.ts b/clients/client-iam/src/commands/DeleteRoleCommand.ts index d03dbb4e03ff..50c6e213cac2 100644 --- a/clients/client-iam/src/commands/DeleteRoleCommand.ts +++ b/clients/client-iam/src/commands/DeleteRoleCommand.ts @@ -135,4 +135,16 @@ export class DeleteRoleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoleCommand) .de(de_DeleteRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoleRequest; + output: {}; + }; + sdk: { + input: DeleteRoleCommandInput; + output: DeleteRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteRolePermissionsBoundaryCommand.ts b/clients/client-iam/src/commands/DeleteRolePermissionsBoundaryCommand.ts index 3e2685f288e8..9d63bf786cb5 100644 --- a/clients/client-iam/src/commands/DeleteRolePermissionsBoundaryCommand.ts +++ b/clients/client-iam/src/commands/DeleteRolePermissionsBoundaryCommand.ts @@ -98,4 +98,16 @@ export class DeleteRolePermissionsBoundaryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRolePermissionsBoundaryCommand) .de(de_DeleteRolePermissionsBoundaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRolePermissionsBoundaryRequest; + output: {}; + }; + sdk: { + input: DeleteRolePermissionsBoundaryCommandInput; + output: DeleteRolePermissionsBoundaryCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteRolePolicyCommand.ts b/clients/client-iam/src/commands/DeleteRolePolicyCommand.ts index 579870d8a61a..816363bdea0d 100644 --- a/clients/client-iam/src/commands/DeleteRolePolicyCommand.ts +++ b/clients/client-iam/src/commands/DeleteRolePolicyCommand.ts @@ -111,4 +111,16 @@ export class DeleteRolePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRolePolicyCommand) .de(de_DeleteRolePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRolePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteRolePolicyCommandInput; + output: DeleteRolePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteSAMLProviderCommand.ts b/clients/client-iam/src/commands/DeleteSAMLProviderCommand.ts index 52e6ee28e884..9f58c2313770 100644 --- a/clients/client-iam/src/commands/DeleteSAMLProviderCommand.ts +++ b/clients/client-iam/src/commands/DeleteSAMLProviderCommand.ts @@ -97,4 +97,16 @@ export class DeleteSAMLProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSAMLProviderCommand) .de(de_DeleteSAMLProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSAMLProviderRequest; + output: {}; + }; + sdk: { + input: DeleteSAMLProviderCommandInput; + output: DeleteSAMLProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteSSHPublicKeyCommand.ts b/clients/client-iam/src/commands/DeleteSSHPublicKeyCommand.ts index 76e1c2d2dfb5..3081f0f774cc 100644 --- a/clients/client-iam/src/commands/DeleteSSHPublicKeyCommand.ts +++ b/clients/client-iam/src/commands/DeleteSSHPublicKeyCommand.ts @@ -84,4 +84,16 @@ export class DeleteSSHPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSSHPublicKeyCommand) .de(de_DeleteSSHPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSSHPublicKeyRequest; + output: {}; + }; + sdk: { + input: DeleteSSHPublicKeyCommandInput; + output: DeleteSSHPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteServerCertificateCommand.ts b/clients/client-iam/src/commands/DeleteServerCertificateCommand.ts index 7786cb3ad791..c0a82f02b2fb 100644 --- a/clients/client-iam/src/commands/DeleteServerCertificateCommand.ts +++ b/clients/client-iam/src/commands/DeleteServerCertificateCommand.ts @@ -105,4 +105,16 @@ export class DeleteServerCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServerCertificateCommand) .de(de_DeleteServerCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServerCertificateRequest; + output: {}; + }; + sdk: { + input: DeleteServerCertificateCommandInput; + output: DeleteServerCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteServiceLinkedRoleCommand.ts b/clients/client-iam/src/commands/DeleteServiceLinkedRoleCommand.ts index 06980b122096..8dab6c62b169 100644 --- a/clients/client-iam/src/commands/DeleteServiceLinkedRoleCommand.ts +++ b/clients/client-iam/src/commands/DeleteServiceLinkedRoleCommand.ts @@ -105,4 +105,16 @@ export class DeleteServiceLinkedRoleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceLinkedRoleCommand) .de(de_DeleteServiceLinkedRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceLinkedRoleRequest; + output: DeleteServiceLinkedRoleResponse; + }; + sdk: { + input: DeleteServiceLinkedRoleCommandInput; + output: DeleteServiceLinkedRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteServiceSpecificCredentialCommand.ts b/clients/client-iam/src/commands/DeleteServiceSpecificCredentialCommand.ts index 126a4625ef44..3e434730e7ea 100644 --- a/clients/client-iam/src/commands/DeleteServiceSpecificCredentialCommand.ts +++ b/clients/client-iam/src/commands/DeleteServiceSpecificCredentialCommand.ts @@ -83,4 +83,16 @@ export class DeleteServiceSpecificCredentialCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceSpecificCredentialCommand) .de(de_DeleteServiceSpecificCredentialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceSpecificCredentialRequest; + output: {}; + }; + sdk: { + input: DeleteServiceSpecificCredentialCommandInput; + output: DeleteServiceSpecificCredentialCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteSigningCertificateCommand.ts b/clients/client-iam/src/commands/DeleteSigningCertificateCommand.ts index 5481fbe5c4f9..9f7cc04531ed 100644 --- a/clients/client-iam/src/commands/DeleteSigningCertificateCommand.ts +++ b/clients/client-iam/src/commands/DeleteSigningCertificateCommand.ts @@ -108,4 +108,16 @@ export class DeleteSigningCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSigningCertificateCommand) .de(de_DeleteSigningCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSigningCertificateRequest; + output: {}; + }; + sdk: { + input: DeleteSigningCertificateCommandInput; + output: DeleteSigningCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteUserCommand.ts b/clients/client-iam/src/commands/DeleteUserCommand.ts index 9ba18c5df095..04d1ffd3fdae 100644 --- a/clients/client-iam/src/commands/DeleteUserCommand.ts +++ b/clients/client-iam/src/commands/DeleteUserCommand.ts @@ -138,4 +138,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteUserPermissionsBoundaryCommand.ts b/clients/client-iam/src/commands/DeleteUserPermissionsBoundaryCommand.ts index ca6d0e420157..41b0ca9d83cd 100644 --- a/clients/client-iam/src/commands/DeleteUserPermissionsBoundaryCommand.ts +++ b/clients/client-iam/src/commands/DeleteUserPermissionsBoundaryCommand.ts @@ -91,4 +91,16 @@ export class DeleteUserPermissionsBoundaryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserPermissionsBoundaryCommand) .de(de_DeleteUserPermissionsBoundaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserPermissionsBoundaryRequest; + output: {}; + }; + sdk: { + input: DeleteUserPermissionsBoundaryCommandInput; + output: DeleteUserPermissionsBoundaryCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteUserPolicyCommand.ts b/clients/client-iam/src/commands/DeleteUserPolicyCommand.ts index 702d13d65698..239a7f570352 100644 --- a/clients/client-iam/src/commands/DeleteUserPolicyCommand.ts +++ b/clients/client-iam/src/commands/DeleteUserPolicyCommand.ts @@ -105,4 +105,16 @@ export class DeleteUserPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserPolicyCommand) .de(de_DeleteUserPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteUserPolicyCommandInput; + output: DeleteUserPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DeleteVirtualMFADeviceCommand.ts b/clients/client-iam/src/commands/DeleteVirtualMFADeviceCommand.ts index 871b12a8a9fd..eb9b18e8f286 100644 --- a/clients/client-iam/src/commands/DeleteVirtualMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/DeleteVirtualMFADeviceCommand.ts @@ -110,4 +110,16 @@ export class DeleteVirtualMFADeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVirtualMFADeviceCommand) .de(de_DeleteVirtualMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVirtualMFADeviceRequest; + output: {}; + }; + sdk: { + input: DeleteVirtualMFADeviceCommandInput; + output: DeleteVirtualMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DetachGroupPolicyCommand.ts b/clients/client-iam/src/commands/DetachGroupPolicyCommand.ts index 6f5608e6ffb4..e3de982cc2d2 100644 --- a/clients/client-iam/src/commands/DetachGroupPolicyCommand.ts +++ b/clients/client-iam/src/commands/DetachGroupPolicyCommand.ts @@ -96,4 +96,16 @@ export class DetachGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DetachGroupPolicyCommand) .de(de_DetachGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachGroupPolicyRequest; + output: {}; + }; + sdk: { + input: DetachGroupPolicyCommandInput; + output: DetachGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DetachRolePolicyCommand.ts b/clients/client-iam/src/commands/DetachRolePolicyCommand.ts index 14e5d621a46d..b2f8b008a037 100644 --- a/clients/client-iam/src/commands/DetachRolePolicyCommand.ts +++ b/clients/client-iam/src/commands/DetachRolePolicyCommand.ts @@ -102,4 +102,16 @@ export class DetachRolePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DetachRolePolicyCommand) .de(de_DetachRolePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachRolePolicyRequest; + output: {}; + }; + sdk: { + input: DetachRolePolicyCommandInput; + output: DetachRolePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/DetachUserPolicyCommand.ts b/clients/client-iam/src/commands/DetachUserPolicyCommand.ts index 229138bcc0e3..469ff2e2db0b 100644 --- a/clients/client-iam/src/commands/DetachUserPolicyCommand.ts +++ b/clients/client-iam/src/commands/DetachUserPolicyCommand.ts @@ -96,4 +96,16 @@ export class DetachUserPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DetachUserPolicyCommand) .de(de_DetachUserPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachUserPolicyRequest; + output: {}; + }; + sdk: { + input: DetachUserPolicyCommandInput; + output: DetachUserPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/EnableMFADeviceCommand.ts b/clients/client-iam/src/commands/EnableMFADeviceCommand.ts index 98c410b1f4ad..64dd1eecd616 100644 --- a/clients/client-iam/src/commands/EnableMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/EnableMFADeviceCommand.ts @@ -110,4 +110,16 @@ export class EnableMFADeviceCommand extends $Command .f(void 0, void 0) .ser(se_EnableMFADeviceCommand) .de(de_EnableMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableMFADeviceRequest; + output: {}; + }; + sdk: { + input: EnableMFADeviceCommandInput; + output: EnableMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GenerateCredentialReportCommand.ts b/clients/client-iam/src/commands/GenerateCredentialReportCommand.ts index 66b3c4cdaf68..2b6dec31f312 100644 --- a/clients/client-iam/src/commands/GenerateCredentialReportCommand.ts +++ b/clients/client-iam/src/commands/GenerateCredentialReportCommand.ts @@ -86,4 +86,16 @@ export class GenerateCredentialReportCommand extends $Command .f(void 0, void 0) .ser(se_GenerateCredentialReportCommand) .de(de_GenerateCredentialReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GenerateCredentialReportResponse; + }; + sdk: { + input: GenerateCredentialReportCommandInput; + output: GenerateCredentialReportCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GenerateOrganizationsAccessReportCommand.ts b/clients/client-iam/src/commands/GenerateOrganizationsAccessReportCommand.ts index 436d67afbaa4..428442c8f398 100644 --- a/clients/client-iam/src/commands/GenerateOrganizationsAccessReportCommand.ts +++ b/clients/client-iam/src/commands/GenerateOrganizationsAccessReportCommand.ts @@ -236,4 +236,16 @@ export class GenerateOrganizationsAccessReportCommand extends $Command .f(void 0, void 0) .ser(se_GenerateOrganizationsAccessReportCommand) .de(de_GenerateOrganizationsAccessReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateOrganizationsAccessReportRequest; + output: GenerateOrganizationsAccessReportResponse; + }; + sdk: { + input: GenerateOrganizationsAccessReportCommandInput; + output: GenerateOrganizationsAccessReportCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GenerateServiceLastAccessedDetailsCommand.ts b/clients/client-iam/src/commands/GenerateServiceLastAccessedDetailsCommand.ts index 1af5c99a6ada..7f8e293b9f18 100644 --- a/clients/client-iam/src/commands/GenerateServiceLastAccessedDetailsCommand.ts +++ b/clients/client-iam/src/commands/GenerateServiceLastAccessedDetailsCommand.ts @@ -165,4 +165,16 @@ export class GenerateServiceLastAccessedDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GenerateServiceLastAccessedDetailsCommand) .de(de_GenerateServiceLastAccessedDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateServiceLastAccessedDetailsRequest; + output: GenerateServiceLastAccessedDetailsResponse; + }; + sdk: { + input: GenerateServiceLastAccessedDetailsCommandInput; + output: GenerateServiceLastAccessedDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetAccessKeyLastUsedCommand.ts b/clients/client-iam/src/commands/GetAccessKeyLastUsedCommand.ts index b92745ec6ca3..81408962962c 100644 --- a/clients/client-iam/src/commands/GetAccessKeyLastUsedCommand.ts +++ b/clients/client-iam/src/commands/GetAccessKeyLastUsedCommand.ts @@ -84,4 +84,16 @@ export class GetAccessKeyLastUsedCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessKeyLastUsedCommand) .de(de_GetAccessKeyLastUsedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessKeyLastUsedRequest; + output: GetAccessKeyLastUsedResponse; + }; + sdk: { + input: GetAccessKeyLastUsedCommandInput; + output: GetAccessKeyLastUsedCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetAccountAuthorizationDetailsCommand.ts b/clients/client-iam/src/commands/GetAccountAuthorizationDetailsCommand.ts index daa34b74a06c..943cd1559f3a 100644 --- a/clients/client-iam/src/commands/GetAccountAuthorizationDetailsCommand.ts +++ b/clients/client-iam/src/commands/GetAccountAuthorizationDetailsCommand.ts @@ -249,4 +249,16 @@ export class GetAccountAuthorizationDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountAuthorizationDetailsCommand) .de(de_GetAccountAuthorizationDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccountAuthorizationDetailsRequest; + output: GetAccountAuthorizationDetailsResponse; + }; + sdk: { + input: GetAccountAuthorizationDetailsCommandInput; + output: GetAccountAuthorizationDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetAccountPasswordPolicyCommand.ts b/clients/client-iam/src/commands/GetAccountPasswordPolicyCommand.ts index a1ef94d9dc0a..cc4d94185958 100644 --- a/clients/client-iam/src/commands/GetAccountPasswordPolicyCommand.ts +++ b/clients/client-iam/src/commands/GetAccountPasswordPolicyCommand.ts @@ -122,4 +122,16 @@ export class GetAccountPasswordPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountPasswordPolicyCommand) .de(de_GetAccountPasswordPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountPasswordPolicyResponse; + }; + sdk: { + input: GetAccountPasswordPolicyCommandInput; + output: GetAccountPasswordPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetAccountSummaryCommand.ts b/clients/client-iam/src/commands/GetAccountSummaryCommand.ts index 66441219f24c..1fde1281b413 100644 --- a/clients/client-iam/src/commands/GetAccountSummaryCommand.ts +++ b/clients/client-iam/src/commands/GetAccountSummaryCommand.ts @@ -125,4 +125,16 @@ export class GetAccountSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSummaryCommand) .de(de_GetAccountSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSummaryResponse; + }; + sdk: { + input: GetAccountSummaryCommandInput; + output: GetAccountSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetContextKeysForCustomPolicyCommand.ts b/clients/client-iam/src/commands/GetContextKeysForCustomPolicyCommand.ts index d1b6db458ae6..abdb1896c7e9 100644 --- a/clients/client-iam/src/commands/GetContextKeysForCustomPolicyCommand.ts +++ b/clients/client-iam/src/commands/GetContextKeysForCustomPolicyCommand.ts @@ -97,4 +97,16 @@ export class GetContextKeysForCustomPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetContextKeysForCustomPolicyCommand) .de(de_GetContextKeysForCustomPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContextKeysForCustomPolicyRequest; + output: GetContextKeysForPolicyResponse; + }; + sdk: { + input: GetContextKeysForCustomPolicyCommandInput; + output: GetContextKeysForCustomPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetContextKeysForPrincipalPolicyCommand.ts b/clients/client-iam/src/commands/GetContextKeysForPrincipalPolicyCommand.ts index 8d9ad4a1fc19..186fbbd4cb2c 100644 --- a/clients/client-iam/src/commands/GetContextKeysForPrincipalPolicyCommand.ts +++ b/clients/client-iam/src/commands/GetContextKeysForPrincipalPolicyCommand.ts @@ -108,4 +108,16 @@ export class GetContextKeysForPrincipalPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetContextKeysForPrincipalPolicyCommand) .de(de_GetContextKeysForPrincipalPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContextKeysForPrincipalPolicyRequest; + output: GetContextKeysForPolicyResponse; + }; + sdk: { + input: GetContextKeysForPrincipalPolicyCommandInput; + output: GetContextKeysForPrincipalPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetCredentialReportCommand.ts b/clients/client-iam/src/commands/GetCredentialReportCommand.ts index d25a2f5ff84b..6f0fa9231de8 100644 --- a/clients/client-iam/src/commands/GetCredentialReportCommand.ts +++ b/clients/client-iam/src/commands/GetCredentialReportCommand.ts @@ -96,4 +96,16 @@ export class GetCredentialReportCommand extends $Command .f(void 0, void 0) .ser(se_GetCredentialReportCommand) .de(de_GetCredentialReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetCredentialReportResponse; + }; + sdk: { + input: GetCredentialReportCommandInput; + output: GetCredentialReportCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetGroupCommand.ts b/clients/client-iam/src/commands/GetGroupCommand.ts index 93d9b7b51fa6..d5d6be114ae8 100644 --- a/clients/client-iam/src/commands/GetGroupCommand.ts +++ b/clients/client-iam/src/commands/GetGroupCommand.ts @@ -116,4 +116,16 @@ export class GetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCommand) .de(de_GetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupRequest; + output: GetGroupResponse; + }; + sdk: { + input: GetGroupCommandInput; + output: GetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetGroupPolicyCommand.ts b/clients/client-iam/src/commands/GetGroupPolicyCommand.ts index 9eaddd9dca72..b4123e8755c2 100644 --- a/clients/client-iam/src/commands/GetGroupPolicyCommand.ts +++ b/clients/client-iam/src/commands/GetGroupPolicyCommand.ts @@ -102,4 +102,16 @@ export class GetGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupPolicyCommand) .de(de_GetGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupPolicyRequest; + output: GetGroupPolicyResponse; + }; + sdk: { + input: GetGroupPolicyCommandInput; + output: GetGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetInstanceProfileCommand.ts b/clients/client-iam/src/commands/GetInstanceProfileCommand.ts index f4443a91c954..e58f4516d2fd 100644 --- a/clients/client-iam/src/commands/GetInstanceProfileCommand.ts +++ b/clients/client-iam/src/commands/GetInstanceProfileCommand.ts @@ -158,4 +158,16 @@ export class GetInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceProfileCommand) .de(de_GetInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceProfileRequest; + output: GetInstanceProfileResponse; + }; + sdk: { + input: GetInstanceProfileCommandInput; + output: GetInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetLoginProfileCommand.ts b/clients/client-iam/src/commands/GetLoginProfileCommand.ts index e63a86758f47..f723c3a3c561 100644 --- a/clients/client-iam/src/commands/GetLoginProfileCommand.ts +++ b/clients/client-iam/src/commands/GetLoginProfileCommand.ts @@ -117,4 +117,16 @@ export class GetLoginProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetLoginProfileCommand) .de(de_GetLoginProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoginProfileRequest; + output: GetLoginProfileResponse; + }; + sdk: { + input: GetLoginProfileCommandInput; + output: GetLoginProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetMFADeviceCommand.ts b/clients/client-iam/src/commands/GetMFADeviceCommand.ts index 39c72889537b..b9603a581f35 100644 --- a/clients/client-iam/src/commands/GetMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/GetMFADeviceCommand.ts @@ -91,4 +91,16 @@ export class GetMFADeviceCommand extends $Command .f(void 0, void 0) .ser(se_GetMFADeviceCommand) .de(de_GetMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMFADeviceRequest; + output: GetMFADeviceResponse; + }; + sdk: { + input: GetMFADeviceCommandInput; + output: GetMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetOpenIDConnectProviderCommand.ts b/clients/client-iam/src/commands/GetOpenIDConnectProviderCommand.ts index e03f7b023eda..d71e695df40b 100644 --- a/clients/client-iam/src/commands/GetOpenIDConnectProviderCommand.ts +++ b/clients/client-iam/src/commands/GetOpenIDConnectProviderCommand.ts @@ -103,4 +103,16 @@ export class GetOpenIDConnectProviderCommand extends $Command .f(void 0, void 0) .ser(se_GetOpenIDConnectProviderCommand) .de(de_GetOpenIDConnectProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOpenIDConnectProviderRequest; + output: GetOpenIDConnectProviderResponse; + }; + sdk: { + input: GetOpenIDConnectProviderCommandInput; + output: GetOpenIDConnectProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetOrganizationsAccessReportCommand.ts b/clients/client-iam/src/commands/GetOrganizationsAccessReportCommand.ts index 7973667b0dbc..5e204565c964 100644 --- a/clients/client-iam/src/commands/GetOrganizationsAccessReportCommand.ts +++ b/clients/client-iam/src/commands/GetOrganizationsAccessReportCommand.ts @@ -168,4 +168,16 @@ export class GetOrganizationsAccessReportCommand extends $Command .f(void 0, void 0) .ser(se_GetOrganizationsAccessReportCommand) .de(de_GetOrganizationsAccessReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOrganizationsAccessReportRequest; + output: GetOrganizationsAccessReportResponse; + }; + sdk: { + input: GetOrganizationsAccessReportCommandInput; + output: GetOrganizationsAccessReportCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetPolicyCommand.ts b/clients/client-iam/src/commands/GetPolicyCommand.ts index 07b2745a61aa..a7f3349a57de 100644 --- a/clients/client-iam/src/commands/GetPolicyCommand.ts +++ b/clients/client-iam/src/commands/GetPolicyCommand.ts @@ -116,4 +116,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyRequest; + output: GetPolicyResponse; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetPolicyVersionCommand.ts b/clients/client-iam/src/commands/GetPolicyVersionCommand.ts index 594714798411..f404e8e463b4 100644 --- a/clients/client-iam/src/commands/GetPolicyVersionCommand.ts +++ b/clients/client-iam/src/commands/GetPolicyVersionCommand.ts @@ -110,4 +110,16 @@ export class GetPolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyVersionCommand) .de(de_GetPolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyVersionRequest; + output: GetPolicyVersionResponse; + }; + sdk: { + input: GetPolicyVersionCommandInput; + output: GetPolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetRoleCommand.ts b/clients/client-iam/src/commands/GetRoleCommand.ts index 4b72e8e125e4..60530cf1d389 100644 --- a/clients/client-iam/src/commands/GetRoleCommand.ts +++ b/clients/client-iam/src/commands/GetRoleCommand.ts @@ -146,4 +146,16 @@ export class GetRoleCommand extends $Command .f(void 0, void 0) .ser(se_GetRoleCommand) .de(de_GetRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRoleRequest; + output: GetRoleResponse; + }; + sdk: { + input: GetRoleCommandInput; + output: GetRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetRolePolicyCommand.ts b/clients/client-iam/src/commands/GetRolePolicyCommand.ts index 2bf0639afb0f..265a907d1d57 100644 --- a/clients/client-iam/src/commands/GetRolePolicyCommand.ts +++ b/clients/client-iam/src/commands/GetRolePolicyCommand.ts @@ -104,4 +104,16 @@ export class GetRolePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetRolePolicyCommand) .de(de_GetRolePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRolePolicyRequest; + output: GetRolePolicyResponse; + }; + sdk: { + input: GetRolePolicyCommandInput; + output: GetRolePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetSAMLProviderCommand.ts b/clients/client-iam/src/commands/GetSAMLProviderCommand.ts index 868284ba2084..ce8733199513 100644 --- a/clients/client-iam/src/commands/GetSAMLProviderCommand.ts +++ b/clients/client-iam/src/commands/GetSAMLProviderCommand.ts @@ -101,4 +101,16 @@ export class GetSAMLProviderCommand extends $Command .f(void 0, void 0) .ser(se_GetSAMLProviderCommand) .de(de_GetSAMLProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSAMLProviderRequest; + output: GetSAMLProviderResponse; + }; + sdk: { + input: GetSAMLProviderCommandInput; + output: GetSAMLProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetSSHPublicKeyCommand.ts b/clients/client-iam/src/commands/GetSSHPublicKeyCommand.ts index 1701b33b43f0..292776dce6ba 100644 --- a/clients/client-iam/src/commands/GetSSHPublicKeyCommand.ts +++ b/clients/client-iam/src/commands/GetSSHPublicKeyCommand.ts @@ -98,4 +98,16 @@ export class GetSSHPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetSSHPublicKeyCommand) .de(de_GetSSHPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSSHPublicKeyRequest; + output: GetSSHPublicKeyResponse; + }; + sdk: { + input: GetSSHPublicKeyCommandInput; + output: GetSSHPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetServerCertificateCommand.ts b/clients/client-iam/src/commands/GetServerCertificateCommand.ts index 899337f6af80..ffc3d0b8c6ae 100644 --- a/clients/client-iam/src/commands/GetServerCertificateCommand.ts +++ b/clients/client-iam/src/commands/GetServerCertificateCommand.ts @@ -106,4 +106,16 @@ export class GetServerCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetServerCertificateCommand) .de(de_GetServerCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServerCertificateRequest; + output: GetServerCertificateResponse; + }; + sdk: { + input: GetServerCertificateCommandInput; + output: GetServerCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetServiceLastAccessedDetailsCommand.ts b/clients/client-iam/src/commands/GetServiceLastAccessedDetailsCommand.ts index 17737b209e69..e300a39c79ee 100644 --- a/clients/client-iam/src/commands/GetServiceLastAccessedDetailsCommand.ts +++ b/clients/client-iam/src/commands/GetServiceLastAccessedDetailsCommand.ts @@ -203,4 +203,16 @@ export class GetServiceLastAccessedDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceLastAccessedDetailsCommand) .de(de_GetServiceLastAccessedDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceLastAccessedDetailsRequest; + output: GetServiceLastAccessedDetailsResponse; + }; + sdk: { + input: GetServiceLastAccessedDetailsCommandInput; + output: GetServiceLastAccessedDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetServiceLastAccessedDetailsWithEntitiesCommand.ts b/clients/client-iam/src/commands/GetServiceLastAccessedDetailsWithEntitiesCommand.ts index 27efa62a91d4..31a26d44e12f 100644 --- a/clients/client-iam/src/commands/GetServiceLastAccessedDetailsWithEntitiesCommand.ts +++ b/clients/client-iam/src/commands/GetServiceLastAccessedDetailsWithEntitiesCommand.ts @@ -183,4 +183,16 @@ export class GetServiceLastAccessedDetailsWithEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceLastAccessedDetailsWithEntitiesCommand) .de(de_GetServiceLastAccessedDetailsWithEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceLastAccessedDetailsWithEntitiesRequest; + output: GetServiceLastAccessedDetailsWithEntitiesResponse; + }; + sdk: { + input: GetServiceLastAccessedDetailsWithEntitiesCommandInput; + output: GetServiceLastAccessedDetailsWithEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetServiceLinkedRoleDeletionStatusCommand.ts b/clients/client-iam/src/commands/GetServiceLinkedRoleDeletionStatusCommand.ts index e99aa773ff6f..87be3232921d 100644 --- a/clients/client-iam/src/commands/GetServiceLinkedRoleDeletionStatusCommand.ts +++ b/clients/client-iam/src/commands/GetServiceLinkedRoleDeletionStatusCommand.ts @@ -112,4 +112,16 @@ export class GetServiceLinkedRoleDeletionStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceLinkedRoleDeletionStatusCommand) .de(de_GetServiceLinkedRoleDeletionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceLinkedRoleDeletionStatusRequest; + output: GetServiceLinkedRoleDeletionStatusResponse; + }; + sdk: { + input: GetServiceLinkedRoleDeletionStatusCommandInput; + output: GetServiceLinkedRoleDeletionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetUserCommand.ts b/clients/client-iam/src/commands/GetUserCommand.ts index 9eaab095ac71..4033ca274e07 100644 --- a/clients/client-iam/src/commands/GetUserCommand.ts +++ b/clients/client-iam/src/commands/GetUserCommand.ts @@ -127,4 +127,16 @@ export class GetUserCommand extends $Command .f(void 0, void 0) .ser(se_GetUserCommand) .de(de_GetUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserRequest; + output: GetUserResponse; + }; + sdk: { + input: GetUserCommandInput; + output: GetUserCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/GetUserPolicyCommand.ts b/clients/client-iam/src/commands/GetUserPolicyCommand.ts index 62b97ec0f518..2cd1426298e0 100644 --- a/clients/client-iam/src/commands/GetUserPolicyCommand.ts +++ b/clients/client-iam/src/commands/GetUserPolicyCommand.ts @@ -102,4 +102,16 @@ export class GetUserPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetUserPolicyCommand) .de(de_GetUserPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserPolicyRequest; + output: GetUserPolicyResponse; + }; + sdk: { + input: GetUserPolicyCommandInput; + output: GetUserPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListAccessKeysCommand.ts b/clients/client-iam/src/commands/ListAccessKeysCommand.ts index 6719d5d9d93b..6472e520e19b 100644 --- a/clients/client-iam/src/commands/ListAccessKeysCommand.ts +++ b/clients/client-iam/src/commands/ListAccessKeysCommand.ts @@ -139,4 +139,16 @@ export class ListAccessKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessKeysCommand) .de(de_ListAccessKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessKeysRequest; + output: ListAccessKeysResponse; + }; + sdk: { + input: ListAccessKeysCommandInput; + output: ListAccessKeysCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListAccountAliasesCommand.ts b/clients/client-iam/src/commands/ListAccountAliasesCommand.ts index 9c7d842ffc85..b2acaf4249aa 100644 --- a/clients/client-iam/src/commands/ListAccountAliasesCommand.ts +++ b/clients/client-iam/src/commands/ListAccountAliasesCommand.ts @@ -105,4 +105,16 @@ export class ListAccountAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountAliasesCommand) .de(de_ListAccountAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountAliasesRequest; + output: ListAccountAliasesResponse; + }; + sdk: { + input: ListAccountAliasesCommandInput; + output: ListAccountAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListAttachedGroupPoliciesCommand.ts b/clients/client-iam/src/commands/ListAttachedGroupPoliciesCommand.ts index 2c06b246b4b2..514ac14659e6 100644 --- a/clients/client-iam/src/commands/ListAttachedGroupPoliciesCommand.ts +++ b/clients/client-iam/src/commands/ListAttachedGroupPoliciesCommand.ts @@ -108,4 +108,16 @@ export class ListAttachedGroupPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAttachedGroupPoliciesCommand) .de(de_ListAttachedGroupPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttachedGroupPoliciesRequest; + output: ListAttachedGroupPoliciesResponse; + }; + sdk: { + input: ListAttachedGroupPoliciesCommandInput; + output: ListAttachedGroupPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListAttachedRolePoliciesCommand.ts b/clients/client-iam/src/commands/ListAttachedRolePoliciesCommand.ts index 457211090477..d673b6fc4512 100644 --- a/clients/client-iam/src/commands/ListAttachedRolePoliciesCommand.ts +++ b/clients/client-iam/src/commands/ListAttachedRolePoliciesCommand.ts @@ -108,4 +108,16 @@ export class ListAttachedRolePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAttachedRolePoliciesCommand) .de(de_ListAttachedRolePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttachedRolePoliciesRequest; + output: ListAttachedRolePoliciesResponse; + }; + sdk: { + input: ListAttachedRolePoliciesCommandInput; + output: ListAttachedRolePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListAttachedUserPoliciesCommand.ts b/clients/client-iam/src/commands/ListAttachedUserPoliciesCommand.ts index 8de9d4796a96..903ed67698ab 100644 --- a/clients/client-iam/src/commands/ListAttachedUserPoliciesCommand.ts +++ b/clients/client-iam/src/commands/ListAttachedUserPoliciesCommand.ts @@ -108,4 +108,16 @@ export class ListAttachedUserPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAttachedUserPoliciesCommand) .de(de_ListAttachedUserPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttachedUserPoliciesRequest; + output: ListAttachedUserPoliciesResponse; + }; + sdk: { + input: ListAttachedUserPoliciesCommandInput; + output: ListAttachedUserPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListEntitiesForPolicyCommand.ts b/clients/client-iam/src/commands/ListEntitiesForPolicyCommand.ts index b4730889a85c..d63442eafdff 100644 --- a/clients/client-iam/src/commands/ListEntitiesForPolicyCommand.ts +++ b/clients/client-iam/src/commands/ListEntitiesForPolicyCommand.ts @@ -120,4 +120,16 @@ export class ListEntitiesForPolicyCommand extends $Command .f(void 0, void 0) .ser(se_ListEntitiesForPolicyCommand) .de(de_ListEntitiesForPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntitiesForPolicyRequest; + output: ListEntitiesForPolicyResponse; + }; + sdk: { + input: ListEntitiesForPolicyCommandInput; + output: ListEntitiesForPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListGroupPoliciesCommand.ts b/clients/client-iam/src/commands/ListGroupPoliciesCommand.ts index 7c11815b7f35..6016ff5981fa 100644 --- a/clients/client-iam/src/commands/ListGroupPoliciesCommand.ts +++ b/clients/client-iam/src/commands/ListGroupPoliciesCommand.ts @@ -118,4 +118,16 @@ export class ListGroupPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupPoliciesCommand) .de(de_ListGroupPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupPoliciesRequest; + output: ListGroupPoliciesResponse; + }; + sdk: { + input: ListGroupPoliciesCommandInput; + output: ListGroupPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListGroupsCommand.ts b/clients/client-iam/src/commands/ListGroupsCommand.ts index 877eefb2aa9f..9d3171729198 100644 --- a/clients/client-iam/src/commands/ListGroupsCommand.ts +++ b/clients/client-iam/src/commands/ListGroupsCommand.ts @@ -131,4 +131,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListGroupsForUserCommand.ts b/clients/client-iam/src/commands/ListGroupsForUserCommand.ts index 4500e15f2128..c2be4022dabd 100644 --- a/clients/client-iam/src/commands/ListGroupsForUserCommand.ts +++ b/clients/client-iam/src/commands/ListGroupsForUserCommand.ts @@ -130,4 +130,16 @@ export class ListGroupsForUserCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsForUserCommand) .de(de_ListGroupsForUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsForUserRequest; + output: ListGroupsForUserResponse; + }; + sdk: { + input: ListGroupsForUserCommandInput; + output: ListGroupsForUserCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListInstanceProfileTagsCommand.ts b/clients/client-iam/src/commands/ListInstanceProfileTagsCommand.ts index 4aa32916d56d..ee18a4396e10 100644 --- a/clients/client-iam/src/commands/ListInstanceProfileTagsCommand.ts +++ b/clients/client-iam/src/commands/ListInstanceProfileTagsCommand.ts @@ -96,4 +96,16 @@ export class ListInstanceProfileTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceProfileTagsCommand) .de(de_ListInstanceProfileTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceProfileTagsRequest; + output: ListInstanceProfileTagsResponse; + }; + sdk: { + input: ListInstanceProfileTagsCommandInput; + output: ListInstanceProfileTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListInstanceProfilesCommand.ts b/clients/client-iam/src/commands/ListInstanceProfilesCommand.ts index fe12faa409fd..b3147920b3f7 100644 --- a/clients/client-iam/src/commands/ListInstanceProfilesCommand.ts +++ b/clients/client-iam/src/commands/ListInstanceProfilesCommand.ts @@ -134,4 +134,16 @@ export class ListInstanceProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceProfilesCommand) .de(de_ListInstanceProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceProfilesRequest; + output: ListInstanceProfilesResponse; + }; + sdk: { + input: ListInstanceProfilesCommandInput; + output: ListInstanceProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListInstanceProfilesForRoleCommand.ts b/clients/client-iam/src/commands/ListInstanceProfilesForRoleCommand.ts index 47ebcff455ce..d309f85ddc5e 100644 --- a/clients/client-iam/src/commands/ListInstanceProfilesForRoleCommand.ts +++ b/clients/client-iam/src/commands/ListInstanceProfilesForRoleCommand.ts @@ -136,4 +136,16 @@ export class ListInstanceProfilesForRoleCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceProfilesForRoleCommand) .de(de_ListInstanceProfilesForRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceProfilesForRoleRequest; + output: ListInstanceProfilesForRoleResponse; + }; + sdk: { + input: ListInstanceProfilesForRoleCommandInput; + output: ListInstanceProfilesForRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListMFADeviceTagsCommand.ts b/clients/client-iam/src/commands/ListMFADeviceTagsCommand.ts index 989fe3c3676e..8705b3da5c22 100644 --- a/clients/client-iam/src/commands/ListMFADeviceTagsCommand.ts +++ b/clients/client-iam/src/commands/ListMFADeviceTagsCommand.ts @@ -100,4 +100,16 @@ export class ListMFADeviceTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListMFADeviceTagsCommand) .de(de_ListMFADeviceTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMFADeviceTagsRequest; + output: ListMFADeviceTagsResponse; + }; + sdk: { + input: ListMFADeviceTagsCommandInput; + output: ListMFADeviceTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListMFADevicesCommand.ts b/clients/client-iam/src/commands/ListMFADevicesCommand.ts index 7be098185e72..c7da46c51256 100644 --- a/clients/client-iam/src/commands/ListMFADevicesCommand.ts +++ b/clients/client-iam/src/commands/ListMFADevicesCommand.ts @@ -100,4 +100,16 @@ export class ListMFADevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListMFADevicesCommand) .de(de_ListMFADevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMFADevicesRequest; + output: ListMFADevicesResponse; + }; + sdk: { + input: ListMFADevicesCommandInput; + output: ListMFADevicesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListOpenIDConnectProviderTagsCommand.ts b/clients/client-iam/src/commands/ListOpenIDConnectProviderTagsCommand.ts index 192e92885d2a..1e90de103da9 100644 --- a/clients/client-iam/src/commands/ListOpenIDConnectProviderTagsCommand.ts +++ b/clients/client-iam/src/commands/ListOpenIDConnectProviderTagsCommand.ts @@ -107,4 +107,16 @@ export class ListOpenIDConnectProviderTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListOpenIDConnectProviderTagsCommand) .de(de_ListOpenIDConnectProviderTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOpenIDConnectProviderTagsRequest; + output: ListOpenIDConnectProviderTagsResponse; + }; + sdk: { + input: ListOpenIDConnectProviderTagsCommandInput; + output: ListOpenIDConnectProviderTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListOpenIDConnectProvidersCommand.ts b/clients/client-iam/src/commands/ListOpenIDConnectProvidersCommand.ts index ad1a01e2bd18..b6e661ad141b 100644 --- a/clients/client-iam/src/commands/ListOpenIDConnectProvidersCommand.ts +++ b/clients/client-iam/src/commands/ListOpenIDConnectProvidersCommand.ts @@ -88,4 +88,16 @@ export class ListOpenIDConnectProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListOpenIDConnectProvidersCommand) .de(de_ListOpenIDConnectProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListOpenIDConnectProvidersResponse; + }; + sdk: { + input: ListOpenIDConnectProvidersCommandInput; + output: ListOpenIDConnectProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListPoliciesCommand.ts b/clients/client-iam/src/commands/ListPoliciesCommand.ts index 6258f025833d..6aefccb1d99c 100644 --- a/clients/client-iam/src/commands/ListPoliciesCommand.ts +++ b/clients/client-iam/src/commands/ListPoliciesCommand.ts @@ -123,4 +123,16 @@ export class ListPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListPoliciesCommand) .de(de_ListPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoliciesRequest; + output: ListPoliciesResponse; + }; + sdk: { + input: ListPoliciesCommandInput; + output: ListPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListPoliciesGrantingServiceAccessCommand.ts b/clients/client-iam/src/commands/ListPoliciesGrantingServiceAccessCommand.ts index a622b0469493..80edd3b48011 100644 --- a/clients/client-iam/src/commands/ListPoliciesGrantingServiceAccessCommand.ts +++ b/clients/client-iam/src/commands/ListPoliciesGrantingServiceAccessCommand.ts @@ -199,4 +199,16 @@ export class ListPoliciesGrantingServiceAccessCommand extends $Command .f(void 0, void 0) .ser(se_ListPoliciesGrantingServiceAccessCommand) .de(de_ListPoliciesGrantingServiceAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoliciesGrantingServiceAccessRequest; + output: ListPoliciesGrantingServiceAccessResponse; + }; + sdk: { + input: ListPoliciesGrantingServiceAccessCommandInput; + output: ListPoliciesGrantingServiceAccessCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListPolicyTagsCommand.ts b/clients/client-iam/src/commands/ListPolicyTagsCommand.ts index ac4db4810d23..102efa64e053 100644 --- a/clients/client-iam/src/commands/ListPolicyTagsCommand.ts +++ b/clients/client-iam/src/commands/ListPolicyTagsCommand.ts @@ -100,4 +100,16 @@ export class ListPolicyTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListPolicyTagsCommand) .de(de_ListPolicyTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyTagsRequest; + output: ListPolicyTagsResponse; + }; + sdk: { + input: ListPolicyTagsCommandInput; + output: ListPolicyTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListPolicyVersionsCommand.ts b/clients/client-iam/src/commands/ListPolicyVersionsCommand.ts index 69559ec00c14..67ef1340196c 100644 --- a/clients/client-iam/src/commands/ListPolicyVersionsCommand.ts +++ b/clients/client-iam/src/commands/ListPolicyVersionsCommand.ts @@ -103,4 +103,16 @@ export class ListPolicyVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPolicyVersionsCommand) .de(de_ListPolicyVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyVersionsRequest; + output: ListPolicyVersionsResponse; + }; + sdk: { + input: ListPolicyVersionsCommandInput; + output: ListPolicyVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListRolePoliciesCommand.ts b/clients/client-iam/src/commands/ListRolePoliciesCommand.ts index 31e902411b30..224d38eb2ea9 100644 --- a/clients/client-iam/src/commands/ListRolePoliciesCommand.ts +++ b/clients/client-iam/src/commands/ListRolePoliciesCommand.ts @@ -99,4 +99,16 @@ export class ListRolePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListRolePoliciesCommand) .de(de_ListRolePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRolePoliciesRequest; + output: ListRolePoliciesResponse; + }; + sdk: { + input: ListRolePoliciesCommandInput; + output: ListRolePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListRoleTagsCommand.ts b/clients/client-iam/src/commands/ListRoleTagsCommand.ts index 7108073a8058..82bce6e910e0 100644 --- a/clients/client-iam/src/commands/ListRoleTagsCommand.ts +++ b/clients/client-iam/src/commands/ListRoleTagsCommand.ts @@ -122,4 +122,16 @@ export class ListRoleTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListRoleTagsCommand) .de(de_ListRoleTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoleTagsRequest; + output: ListRoleTagsResponse; + }; + sdk: { + input: ListRoleTagsCommandInput; + output: ListRoleTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListRolesCommand.ts b/clients/client-iam/src/commands/ListRolesCommand.ts index 55d8c29e7c9e..b8788099c7c4 100644 --- a/clients/client-iam/src/commands/ListRolesCommand.ts +++ b/clients/client-iam/src/commands/ListRolesCommand.ts @@ -130,4 +130,16 @@ export class ListRolesCommand extends $Command .f(void 0, void 0) .ser(se_ListRolesCommand) .de(de_ListRolesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRolesRequest; + output: ListRolesResponse; + }; + sdk: { + input: ListRolesCommandInput; + output: ListRolesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListSAMLProviderTagsCommand.ts b/clients/client-iam/src/commands/ListSAMLProviderTagsCommand.ts index e8acd6275594..5b7ba1561c49 100644 --- a/clients/client-iam/src/commands/ListSAMLProviderTagsCommand.ts +++ b/clients/client-iam/src/commands/ListSAMLProviderTagsCommand.ts @@ -102,4 +102,16 @@ export class ListSAMLProviderTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListSAMLProviderTagsCommand) .de(de_ListSAMLProviderTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSAMLProviderTagsRequest; + output: ListSAMLProviderTagsResponse; + }; + sdk: { + input: ListSAMLProviderTagsCommandInput; + output: ListSAMLProviderTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListSAMLProvidersCommand.ts b/clients/client-iam/src/commands/ListSAMLProvidersCommand.ts index 5d56c966cdd7..d07e92f28863 100644 --- a/clients/client-iam/src/commands/ListSAMLProvidersCommand.ts +++ b/clients/client-iam/src/commands/ListSAMLProvidersCommand.ts @@ -90,4 +90,16 @@ export class ListSAMLProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListSAMLProvidersCommand) .de(de_ListSAMLProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListSAMLProvidersResponse; + }; + sdk: { + input: ListSAMLProvidersCommandInput; + output: ListSAMLProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListSSHPublicKeysCommand.ts b/clients/client-iam/src/commands/ListSSHPublicKeysCommand.ts index 62a994230467..94fd8e25f309 100644 --- a/clients/client-iam/src/commands/ListSSHPublicKeysCommand.ts +++ b/clients/client-iam/src/commands/ListSSHPublicKeysCommand.ts @@ -99,4 +99,16 @@ export class ListSSHPublicKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListSSHPublicKeysCommand) .de(de_ListSSHPublicKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSSHPublicKeysRequest; + output: ListSSHPublicKeysResponse; + }; + sdk: { + input: ListSSHPublicKeysCommandInput; + output: ListSSHPublicKeysCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListServerCertificateTagsCommand.ts b/clients/client-iam/src/commands/ListServerCertificateTagsCommand.ts index 439ad557ca8d..b30d1a9c1d9f 100644 --- a/clients/client-iam/src/commands/ListServerCertificateTagsCommand.ts +++ b/clients/client-iam/src/commands/ListServerCertificateTagsCommand.ts @@ -103,4 +103,16 @@ export class ListServerCertificateTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListServerCertificateTagsCommand) .de(de_ListServerCertificateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServerCertificateTagsRequest; + output: ListServerCertificateTagsResponse; + }; + sdk: { + input: ListServerCertificateTagsCommandInput; + output: ListServerCertificateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListServerCertificatesCommand.ts b/clients/client-iam/src/commands/ListServerCertificatesCommand.ts index a78268bd3590..4c60348905f0 100644 --- a/clients/client-iam/src/commands/ListServerCertificatesCommand.ts +++ b/clients/client-iam/src/commands/ListServerCertificatesCommand.ts @@ -105,4 +105,16 @@ export class ListServerCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListServerCertificatesCommand) .de(de_ListServerCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServerCertificatesRequest; + output: ListServerCertificatesResponse; + }; + sdk: { + input: ListServerCertificatesCommandInput; + output: ListServerCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListServiceSpecificCredentialsCommand.ts b/clients/client-iam/src/commands/ListServiceSpecificCredentialsCommand.ts index 515b07a1a864..93f25482e302 100644 --- a/clients/client-iam/src/commands/ListServiceSpecificCredentialsCommand.ts +++ b/clients/client-iam/src/commands/ListServiceSpecificCredentialsCommand.ts @@ -104,4 +104,16 @@ export class ListServiceSpecificCredentialsCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceSpecificCredentialsCommand) .de(de_ListServiceSpecificCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceSpecificCredentialsRequest; + output: ListServiceSpecificCredentialsResponse; + }; + sdk: { + input: ListServiceSpecificCredentialsCommandInput; + output: ListServiceSpecificCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListSigningCertificatesCommand.ts b/clients/client-iam/src/commands/ListSigningCertificatesCommand.ts index 9c5429c4a4b1..d9e4405cc838 100644 --- a/clients/client-iam/src/commands/ListSigningCertificatesCommand.ts +++ b/clients/client-iam/src/commands/ListSigningCertificatesCommand.ts @@ -130,4 +130,16 @@ export class ListSigningCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListSigningCertificatesCommand) .de(de_ListSigningCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSigningCertificatesRequest; + output: ListSigningCertificatesResponse; + }; + sdk: { + input: ListSigningCertificatesCommandInput; + output: ListSigningCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListUserPoliciesCommand.ts b/clients/client-iam/src/commands/ListUserPoliciesCommand.ts index fb1c200f2767..9b0e7a1e732d 100644 --- a/clients/client-iam/src/commands/ListUserPoliciesCommand.ts +++ b/clients/client-iam/src/commands/ListUserPoliciesCommand.ts @@ -98,4 +98,16 @@ export class ListUserPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListUserPoliciesCommand) .de(de_ListUserPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserPoliciesRequest; + output: ListUserPoliciesResponse; + }; + sdk: { + input: ListUserPoliciesCommandInput; + output: ListUserPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListUserTagsCommand.ts b/clients/client-iam/src/commands/ListUserTagsCommand.ts index 2920b126941d..0a4f30f3536c 100644 --- a/clients/client-iam/src/commands/ListUserTagsCommand.ts +++ b/clients/client-iam/src/commands/ListUserTagsCommand.ts @@ -121,4 +121,16 @@ export class ListUserTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListUserTagsCommand) .de(de_ListUserTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserTagsRequest; + output: ListUserTagsResponse; + }; + sdk: { + input: ListUserTagsCommandInput; + output: ListUserTagsCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListUsersCommand.ts b/clients/client-iam/src/commands/ListUsersCommand.ts index 5616066eca7e..62d4a58ba16c 100644 --- a/clients/client-iam/src/commands/ListUsersCommand.ts +++ b/clients/client-iam/src/commands/ListUsersCommand.ts @@ -152,4 +152,16 @@ export class ListUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ListVirtualMFADevicesCommand.ts b/clients/client-iam/src/commands/ListVirtualMFADevicesCommand.ts index e7115324371b..df752f629a46 100644 --- a/clients/client-iam/src/commands/ListVirtualMFADevicesCommand.ts +++ b/clients/client-iam/src/commands/ListVirtualMFADevicesCommand.ts @@ -146,4 +146,16 @@ export class ListVirtualMFADevicesCommand extends $Command .f(void 0, ListVirtualMFADevicesResponseFilterSensitiveLog) .ser(se_ListVirtualMFADevicesCommand) .de(de_ListVirtualMFADevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVirtualMFADevicesRequest; + output: ListVirtualMFADevicesResponse; + }; + sdk: { + input: ListVirtualMFADevicesCommandInput; + output: ListVirtualMFADevicesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/PutGroupPolicyCommand.ts b/clients/client-iam/src/commands/PutGroupPolicyCommand.ts index d4f2339c7779..32db9c9fe13b 100644 --- a/clients/client-iam/src/commands/PutGroupPolicyCommand.ts +++ b/clients/client-iam/src/commands/PutGroupPolicyCommand.ts @@ -124,4 +124,16 @@ export class PutGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutGroupPolicyCommand) .de(de_PutGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutGroupPolicyRequest; + output: {}; + }; + sdk: { + input: PutGroupPolicyCommandInput; + output: PutGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/PutRolePermissionsBoundaryCommand.ts b/clients/client-iam/src/commands/PutRolePermissionsBoundaryCommand.ts index ab0f27bce701..b1b817bbf34a 100644 --- a/clients/client-iam/src/commands/PutRolePermissionsBoundaryCommand.ts +++ b/clients/client-iam/src/commands/PutRolePermissionsBoundaryCommand.ts @@ -109,4 +109,16 @@ export class PutRolePermissionsBoundaryCommand extends $Command .f(void 0, void 0) .ser(se_PutRolePermissionsBoundaryCommand) .de(de_PutRolePermissionsBoundaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRolePermissionsBoundaryRequest; + output: {}; + }; + sdk: { + input: PutRolePermissionsBoundaryCommandInput; + output: PutRolePermissionsBoundaryCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/PutRolePolicyCommand.ts b/clients/client-iam/src/commands/PutRolePolicyCommand.ts index 0df95b7e4009..e178d48f7479 100644 --- a/clients/client-iam/src/commands/PutRolePolicyCommand.ts +++ b/clients/client-iam/src/commands/PutRolePolicyCommand.ts @@ -140,4 +140,16 @@ export class PutRolePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutRolePolicyCommand) .de(de_PutRolePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRolePolicyRequest; + output: {}; + }; + sdk: { + input: PutRolePolicyCommandInput; + output: PutRolePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/PutUserPermissionsBoundaryCommand.ts b/clients/client-iam/src/commands/PutUserPermissionsBoundaryCommand.ts index b207f8d54e34..800dff023273 100644 --- a/clients/client-iam/src/commands/PutUserPermissionsBoundaryCommand.ts +++ b/clients/client-iam/src/commands/PutUserPermissionsBoundaryCommand.ts @@ -102,4 +102,16 @@ export class PutUserPermissionsBoundaryCommand extends $Command .f(void 0, void 0) .ser(se_PutUserPermissionsBoundaryCommand) .de(de_PutUserPermissionsBoundaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutUserPermissionsBoundaryRequest; + output: {}; + }; + sdk: { + input: PutUserPermissionsBoundaryCommandInput; + output: PutUserPermissionsBoundaryCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/PutUserPolicyCommand.ts b/clients/client-iam/src/commands/PutUserPolicyCommand.ts index a3a59ac67466..9d02144e231e 100644 --- a/clients/client-iam/src/commands/PutUserPolicyCommand.ts +++ b/clients/client-iam/src/commands/PutUserPolicyCommand.ts @@ -124,4 +124,16 @@ export class PutUserPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutUserPolicyCommand) .de(de_PutUserPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutUserPolicyRequest; + output: {}; + }; + sdk: { + input: PutUserPolicyCommandInput; + output: PutUserPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/RemoveClientIDFromOpenIDConnectProviderCommand.ts b/clients/client-iam/src/commands/RemoveClientIDFromOpenIDConnectProviderCommand.ts index d0ed51e8e912..a240a892f72a 100644 --- a/clients/client-iam/src/commands/RemoveClientIDFromOpenIDConnectProviderCommand.ts +++ b/clients/client-iam/src/commands/RemoveClientIDFromOpenIDConnectProviderCommand.ts @@ -96,4 +96,16 @@ export class RemoveClientIDFromOpenIDConnectProviderCommand extends $Command .f(void 0, void 0) .ser(se_RemoveClientIDFromOpenIDConnectProviderCommand) .de(de_RemoveClientIDFromOpenIDConnectProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveClientIDFromOpenIDConnectProviderRequest; + output: {}; + }; + sdk: { + input: RemoveClientIDFromOpenIDConnectProviderCommandInput; + output: RemoveClientIDFromOpenIDConnectProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/RemoveRoleFromInstanceProfileCommand.ts b/clients/client-iam/src/commands/RemoveRoleFromInstanceProfileCommand.ts index dc68b6dbb62f..fab228590857 100644 --- a/clients/client-iam/src/commands/RemoveRoleFromInstanceProfileCommand.ts +++ b/clients/client-iam/src/commands/RemoveRoleFromInstanceProfileCommand.ts @@ -119,4 +119,16 @@ export class RemoveRoleFromInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_RemoveRoleFromInstanceProfileCommand) .de(de_RemoveRoleFromInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveRoleFromInstanceProfileRequest; + output: {}; + }; + sdk: { + input: RemoveRoleFromInstanceProfileCommandInput; + output: RemoveRoleFromInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/RemoveUserFromGroupCommand.ts b/clients/client-iam/src/commands/RemoveUserFromGroupCommand.ts index 93e7a58055b5..43ac34c5a362 100644 --- a/clients/client-iam/src/commands/RemoveUserFromGroupCommand.ts +++ b/clients/client-iam/src/commands/RemoveUserFromGroupCommand.ts @@ -100,4 +100,16 @@ export class RemoveUserFromGroupCommand extends $Command .f(void 0, void 0) .ser(se_RemoveUserFromGroupCommand) .de(de_RemoveUserFromGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveUserFromGroupRequest; + output: {}; + }; + sdk: { + input: RemoveUserFromGroupCommandInput; + output: RemoveUserFromGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ResetServiceSpecificCredentialCommand.ts b/clients/client-iam/src/commands/ResetServiceSpecificCredentialCommand.ts index eedce7bceae9..a4c0d46c5a08 100644 --- a/clients/client-iam/src/commands/ResetServiceSpecificCredentialCommand.ts +++ b/clients/client-iam/src/commands/ResetServiceSpecificCredentialCommand.ts @@ -102,4 +102,16 @@ export class ResetServiceSpecificCredentialCommand extends $Command .f(void 0, ResetServiceSpecificCredentialResponseFilterSensitiveLog) .ser(se_ResetServiceSpecificCredentialCommand) .de(de_ResetServiceSpecificCredentialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetServiceSpecificCredentialRequest; + output: ResetServiceSpecificCredentialResponse; + }; + sdk: { + input: ResetServiceSpecificCredentialCommandInput; + output: ResetServiceSpecificCredentialCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/ResyncMFADeviceCommand.ts b/clients/client-iam/src/commands/ResyncMFADeviceCommand.ts index 552180b3bf8a..191b546f7a08 100644 --- a/clients/client-iam/src/commands/ResyncMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/ResyncMFADeviceCommand.ts @@ -101,4 +101,16 @@ export class ResyncMFADeviceCommand extends $Command .f(void 0, void 0) .ser(se_ResyncMFADeviceCommand) .de(de_ResyncMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResyncMFADeviceRequest; + output: {}; + }; + sdk: { + input: ResyncMFADeviceCommandInput; + output: ResyncMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/SetDefaultPolicyVersionCommand.ts b/clients/client-iam/src/commands/SetDefaultPolicyVersionCommand.ts index bc544434ed80..33e729968df4 100644 --- a/clients/client-iam/src/commands/SetDefaultPolicyVersionCommand.ts +++ b/clients/client-iam/src/commands/SetDefaultPolicyVersionCommand.ts @@ -97,4 +97,16 @@ export class SetDefaultPolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_SetDefaultPolicyVersionCommand) .de(de_SetDefaultPolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDefaultPolicyVersionRequest; + output: {}; + }; + sdk: { + input: SetDefaultPolicyVersionCommandInput; + output: SetDefaultPolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/SetSecurityTokenServicePreferencesCommand.ts b/clients/client-iam/src/commands/SetSecurityTokenServicePreferencesCommand.ts index c02c7a87f6af..cb257c312210 100644 --- a/clients/client-iam/src/commands/SetSecurityTokenServicePreferencesCommand.ts +++ b/clients/client-iam/src/commands/SetSecurityTokenServicePreferencesCommand.ts @@ -111,4 +111,16 @@ export class SetSecurityTokenServicePreferencesCommand extends $Command .f(void 0, void 0) .ser(se_SetSecurityTokenServicePreferencesCommand) .de(de_SetSecurityTokenServicePreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetSecurityTokenServicePreferencesRequest; + output: {}; + }; + sdk: { + input: SetSecurityTokenServicePreferencesCommandInput; + output: SetSecurityTokenServicePreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/SimulateCustomPolicyCommand.ts b/clients/client-iam/src/commands/SimulateCustomPolicyCommand.ts index 120100cef09f..873f00044b3e 100644 --- a/clients/client-iam/src/commands/SimulateCustomPolicyCommand.ts +++ b/clients/client-iam/src/commands/SimulateCustomPolicyCommand.ts @@ -197,4 +197,16 @@ export class SimulateCustomPolicyCommand extends $Command .f(void 0, void 0) .ser(se_SimulateCustomPolicyCommand) .de(de_SimulateCustomPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimulateCustomPolicyRequest; + output: SimulatePolicyResponse; + }; + sdk: { + input: SimulateCustomPolicyCommandInput; + output: SimulateCustomPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/SimulatePrincipalPolicyCommand.ts b/clients/client-iam/src/commands/SimulatePrincipalPolicyCommand.ts index 2fd43fd73ece..3c0240432d85 100644 --- a/clients/client-iam/src/commands/SimulatePrincipalPolicyCommand.ts +++ b/clients/client-iam/src/commands/SimulatePrincipalPolicyCommand.ts @@ -211,4 +211,16 @@ export class SimulatePrincipalPolicyCommand extends $Command .f(void 0, void 0) .ser(se_SimulatePrincipalPolicyCommand) .de(de_SimulatePrincipalPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimulatePrincipalPolicyRequest; + output: SimulatePolicyResponse; + }; + sdk: { + input: SimulatePrincipalPolicyCommandInput; + output: SimulatePrincipalPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagInstanceProfileCommand.ts b/clients/client-iam/src/commands/TagInstanceProfileCommand.ts index efee3576f64a..53b1533a496d 100644 --- a/clients/client-iam/src/commands/TagInstanceProfileCommand.ts +++ b/clients/client-iam/src/commands/TagInstanceProfileCommand.ts @@ -136,4 +136,16 @@ export class TagInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_TagInstanceProfileCommand) .de(de_TagInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagInstanceProfileRequest; + output: {}; + }; + sdk: { + input: TagInstanceProfileCommandInput; + output: TagInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagMFADeviceCommand.ts b/clients/client-iam/src/commands/TagMFADeviceCommand.ts index 69cd5b28052e..733ba925d0e2 100644 --- a/clients/client-iam/src/commands/TagMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/TagMFADeviceCommand.ts @@ -137,4 +137,16 @@ export class TagMFADeviceCommand extends $Command .f(void 0, void 0) .ser(se_TagMFADeviceCommand) .de(de_TagMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagMFADeviceRequest; + output: {}; + }; + sdk: { + input: TagMFADeviceCommandInput; + output: TagMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagOpenIDConnectProviderCommand.ts b/clients/client-iam/src/commands/TagOpenIDConnectProviderCommand.ts index edc616032fbe..666fb0a935c1 100644 --- a/clients/client-iam/src/commands/TagOpenIDConnectProviderCommand.ts +++ b/clients/client-iam/src/commands/TagOpenIDConnectProviderCommand.ts @@ -138,4 +138,16 @@ export class TagOpenIDConnectProviderCommand extends $Command .f(void 0, void 0) .ser(se_TagOpenIDConnectProviderCommand) .de(de_TagOpenIDConnectProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagOpenIDConnectProviderRequest; + output: {}; + }; + sdk: { + input: TagOpenIDConnectProviderCommandInput; + output: TagOpenIDConnectProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagPolicyCommand.ts b/clients/client-iam/src/commands/TagPolicyCommand.ts index 53b61a9b64e4..6e10b94f8158 100644 --- a/clients/client-iam/src/commands/TagPolicyCommand.ts +++ b/clients/client-iam/src/commands/TagPolicyCommand.ts @@ -136,4 +136,16 @@ export class TagPolicyCommand extends $Command .f(void 0, void 0) .ser(se_TagPolicyCommand) .de(de_TagPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagPolicyRequest; + output: {}; + }; + sdk: { + input: TagPolicyCommandInput; + output: TagPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagRoleCommand.ts b/clients/client-iam/src/commands/TagRoleCommand.ts index 5cd32b844824..ff5517452fab 100644 --- a/clients/client-iam/src/commands/TagRoleCommand.ts +++ b/clients/client-iam/src/commands/TagRoleCommand.ts @@ -166,4 +166,16 @@ export class TagRoleCommand extends $Command .f(void 0, void 0) .ser(se_TagRoleCommand) .de(de_TagRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagRoleRequest; + output: {}; + }; + sdk: { + input: TagRoleCommandInput; + output: TagRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagSAMLProviderCommand.ts b/clients/client-iam/src/commands/TagSAMLProviderCommand.ts index 8c8838b6a526..8e8217a8b536 100644 --- a/clients/client-iam/src/commands/TagSAMLProviderCommand.ts +++ b/clients/client-iam/src/commands/TagSAMLProviderCommand.ts @@ -138,4 +138,16 @@ export class TagSAMLProviderCommand extends $Command .f(void 0, void 0) .ser(se_TagSAMLProviderCommand) .de(de_TagSAMLProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagSAMLProviderRequest; + output: {}; + }; + sdk: { + input: TagSAMLProviderCommandInput; + output: TagSAMLProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagServerCertificateCommand.ts b/clients/client-iam/src/commands/TagServerCertificateCommand.ts index 7fa565fc4ce8..58487070462b 100644 --- a/clients/client-iam/src/commands/TagServerCertificateCommand.ts +++ b/clients/client-iam/src/commands/TagServerCertificateCommand.ts @@ -148,4 +148,16 @@ export class TagServerCertificateCommand extends $Command .f(void 0, void 0) .ser(se_TagServerCertificateCommand) .de(de_TagServerCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagServerCertificateRequest; + output: {}; + }; + sdk: { + input: TagServerCertificateCommandInput; + output: TagServerCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/TagUserCommand.ts b/clients/client-iam/src/commands/TagUserCommand.ts index b6f3871d2ee3..8f7453254ab8 100644 --- a/clients/client-iam/src/commands/TagUserCommand.ts +++ b/clients/client-iam/src/commands/TagUserCommand.ts @@ -165,4 +165,16 @@ export class TagUserCommand extends $Command .f(void 0, void 0) .ser(se_TagUserCommand) .de(de_TagUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagUserRequest; + output: {}; + }; + sdk: { + input: TagUserCommandInput; + output: TagUserCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagInstanceProfileCommand.ts b/clients/client-iam/src/commands/UntagInstanceProfileCommand.ts index 01412c2332a9..b3229a911ccb 100644 --- a/clients/client-iam/src/commands/UntagInstanceProfileCommand.ts +++ b/clients/client-iam/src/commands/UntagInstanceProfileCommand.ts @@ -95,4 +95,16 @@ export class UntagInstanceProfileCommand extends $Command .f(void 0, void 0) .ser(se_UntagInstanceProfileCommand) .de(de_UntagInstanceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagInstanceProfileRequest; + output: {}; + }; + sdk: { + input: UntagInstanceProfileCommandInput; + output: UntagInstanceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagMFADeviceCommand.ts b/clients/client-iam/src/commands/UntagMFADeviceCommand.ts index 138da279564f..0987173412c2 100644 --- a/clients/client-iam/src/commands/UntagMFADeviceCommand.ts +++ b/clients/client-iam/src/commands/UntagMFADeviceCommand.ts @@ -96,4 +96,16 @@ export class UntagMFADeviceCommand extends $Command .f(void 0, void 0) .ser(se_UntagMFADeviceCommand) .de(de_UntagMFADeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagMFADeviceRequest; + output: {}; + }; + sdk: { + input: UntagMFADeviceCommandInput; + output: UntagMFADeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagOpenIDConnectProviderCommand.ts b/clients/client-iam/src/commands/UntagOpenIDConnectProviderCommand.ts index a78e343e138f..036f3aaeb0bd 100644 --- a/clients/client-iam/src/commands/UntagOpenIDConnectProviderCommand.ts +++ b/clients/client-iam/src/commands/UntagOpenIDConnectProviderCommand.ts @@ -97,4 +97,16 @@ export class UntagOpenIDConnectProviderCommand extends $Command .f(void 0, void 0) .ser(se_UntagOpenIDConnectProviderCommand) .de(de_UntagOpenIDConnectProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagOpenIDConnectProviderRequest; + output: {}; + }; + sdk: { + input: UntagOpenIDConnectProviderCommandInput; + output: UntagOpenIDConnectProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagPolicyCommand.ts b/clients/client-iam/src/commands/UntagPolicyCommand.ts index ad8b4e4b4455..e0c546f769d3 100644 --- a/clients/client-iam/src/commands/UntagPolicyCommand.ts +++ b/clients/client-iam/src/commands/UntagPolicyCommand.ts @@ -95,4 +95,16 @@ export class UntagPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UntagPolicyCommand) .de(de_UntagPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagPolicyRequest; + output: {}; + }; + sdk: { + input: UntagPolicyCommandInput; + output: UntagPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagRoleCommand.ts b/clients/client-iam/src/commands/UntagRoleCommand.ts index 05c5221b3240..3cad0c874b94 100644 --- a/clients/client-iam/src/commands/UntagRoleCommand.ts +++ b/clients/client-iam/src/commands/UntagRoleCommand.ts @@ -105,4 +105,16 @@ export class UntagRoleCommand extends $Command .f(void 0, void 0) .ser(se_UntagRoleCommand) .de(de_UntagRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagRoleRequest; + output: {}; + }; + sdk: { + input: UntagRoleCommandInput; + output: UntagRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagSAMLProviderCommand.ts b/clients/client-iam/src/commands/UntagSAMLProviderCommand.ts index 0586fef3eb7e..67b2f5251167 100644 --- a/clients/client-iam/src/commands/UntagSAMLProviderCommand.ts +++ b/clients/client-iam/src/commands/UntagSAMLProviderCommand.ts @@ -97,4 +97,16 @@ export class UntagSAMLProviderCommand extends $Command .f(void 0, void 0) .ser(se_UntagSAMLProviderCommand) .de(de_UntagSAMLProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagSAMLProviderRequest; + output: {}; + }; + sdk: { + input: UntagSAMLProviderCommandInput; + output: UntagSAMLProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagServerCertificateCommand.ts b/clients/client-iam/src/commands/UntagServerCertificateCommand.ts index 50ad0ae146c5..aa6fd55e7921 100644 --- a/clients/client-iam/src/commands/UntagServerCertificateCommand.ts +++ b/clients/client-iam/src/commands/UntagServerCertificateCommand.ts @@ -103,4 +103,16 @@ export class UntagServerCertificateCommand extends $Command .f(void 0, void 0) .ser(se_UntagServerCertificateCommand) .de(de_UntagServerCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagServerCertificateRequest; + output: {}; + }; + sdk: { + input: UntagServerCertificateCommandInput; + output: UntagServerCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UntagUserCommand.ts b/clients/client-iam/src/commands/UntagUserCommand.ts index 30479510e980..1411b07f10a3 100644 --- a/clients/client-iam/src/commands/UntagUserCommand.ts +++ b/clients/client-iam/src/commands/UntagUserCommand.ts @@ -105,4 +105,16 @@ export class UntagUserCommand extends $Command .f(void 0, void 0) .ser(se_UntagUserCommand) .de(de_UntagUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagUserRequest; + output: {}; + }; + sdk: { + input: UntagUserCommandInput; + output: UntagUserCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateAccessKeyCommand.ts b/clients/client-iam/src/commands/UpdateAccessKeyCommand.ts index 593a3e6ad3eb..41828abdcb7b 100644 --- a/clients/client-iam/src/commands/UpdateAccessKeyCommand.ts +++ b/clients/client-iam/src/commands/UpdateAccessKeyCommand.ts @@ -112,4 +112,16 @@ export class UpdateAccessKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessKeyCommand) .de(de_UpdateAccessKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessKeyRequest; + output: {}; + }; + sdk: { + input: UpdateAccessKeyCommandInput; + output: UpdateAccessKeyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateAccountPasswordPolicyCommand.ts b/clients/client-iam/src/commands/UpdateAccountPasswordPolicyCommand.ts index 8da9f50e4b67..a99540c46d03 100644 --- a/clients/client-iam/src/commands/UpdateAccountPasswordPolicyCommand.ts +++ b/clients/client-iam/src/commands/UpdateAccountPasswordPolicyCommand.ts @@ -121,4 +121,16 @@ export class UpdateAccountPasswordPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountPasswordPolicyCommand) .de(de_UpdateAccountPasswordPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountPasswordPolicyRequest; + output: {}; + }; + sdk: { + input: UpdateAccountPasswordPolicyCommandInput; + output: UpdateAccountPasswordPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateAssumeRolePolicyCommand.ts b/clients/client-iam/src/commands/UpdateAssumeRolePolicyCommand.ts index 54ad1858b072..393a50dc87a8 100644 --- a/clients/client-iam/src/commands/UpdateAssumeRolePolicyCommand.ts +++ b/clients/client-iam/src/commands/UpdateAssumeRolePolicyCommand.ts @@ -113,4 +113,16 @@ export class UpdateAssumeRolePolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAssumeRolePolicyCommand) .de(de_UpdateAssumeRolePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssumeRolePolicyRequest; + output: {}; + }; + sdk: { + input: UpdateAssumeRolePolicyCommandInput; + output: UpdateAssumeRolePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateGroupCommand.ts b/clients/client-iam/src/commands/UpdateGroupCommand.ts index 4f285ed0a2fe..962ac31b794c 100644 --- a/clients/client-iam/src/commands/UpdateGroupCommand.ts +++ b/clients/client-iam/src/commands/UpdateGroupCommand.ts @@ -119,4 +119,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: {}; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateLoginProfileCommand.ts b/clients/client-iam/src/commands/UpdateLoginProfileCommand.ts index 93637f815fc6..295619b1aaf0 100644 --- a/clients/client-iam/src/commands/UpdateLoginProfileCommand.ts +++ b/clients/client-iam/src/commands/UpdateLoginProfileCommand.ts @@ -117,4 +117,16 @@ export class UpdateLoginProfileCommand extends $Command .f(UpdateLoginProfileRequestFilterSensitiveLog, void 0) .ser(se_UpdateLoginProfileCommand) .de(de_UpdateLoginProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLoginProfileRequest; + output: {}; + }; + sdk: { + input: UpdateLoginProfileCommandInput; + output: UpdateLoginProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateOpenIDConnectProviderThumbprintCommand.ts b/clients/client-iam/src/commands/UpdateOpenIDConnectProviderThumbprintCommand.ts index 6a1f464a7c0b..3876a8b88969 100644 --- a/clients/client-iam/src/commands/UpdateOpenIDConnectProviderThumbprintCommand.ts +++ b/clients/client-iam/src/commands/UpdateOpenIDConnectProviderThumbprintCommand.ts @@ -115,4 +115,16 @@ export class UpdateOpenIDConnectProviderThumbprintCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOpenIDConnectProviderThumbprintCommand) .de(de_UpdateOpenIDConnectProviderThumbprintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOpenIDConnectProviderThumbprintRequest; + output: {}; + }; + sdk: { + input: UpdateOpenIDConnectProviderThumbprintCommandInput; + output: UpdateOpenIDConnectProviderThumbprintCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateRoleCommand.ts b/clients/client-iam/src/commands/UpdateRoleCommand.ts index fea366ee2fdb..9cc8828d8184 100644 --- a/clients/client-iam/src/commands/UpdateRoleCommand.ts +++ b/clients/client-iam/src/commands/UpdateRoleCommand.ts @@ -91,4 +91,16 @@ export class UpdateRoleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoleCommand) .de(de_UpdateRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoleRequest; + output: {}; + }; + sdk: { + input: UpdateRoleCommandInput; + output: UpdateRoleCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateRoleDescriptionCommand.ts b/clients/client-iam/src/commands/UpdateRoleDescriptionCommand.ts index 4bbf4b1551e4..d1a2ae266c36 100644 --- a/clients/client-iam/src/commands/UpdateRoleDescriptionCommand.ts +++ b/clients/client-iam/src/commands/UpdateRoleDescriptionCommand.ts @@ -117,4 +117,16 @@ export class UpdateRoleDescriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoleDescriptionCommand) .de(de_UpdateRoleDescriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoleDescriptionRequest; + output: UpdateRoleDescriptionResponse; + }; + sdk: { + input: UpdateRoleDescriptionCommandInput; + output: UpdateRoleDescriptionCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateSAMLProviderCommand.ts b/clients/client-iam/src/commands/UpdateSAMLProviderCommand.ts index 0325f1cadada..c49e0bea24fb 100644 --- a/clients/client-iam/src/commands/UpdateSAMLProviderCommand.ts +++ b/clients/client-iam/src/commands/UpdateSAMLProviderCommand.ts @@ -97,4 +97,16 @@ export class UpdateSAMLProviderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSAMLProviderCommand) .de(de_UpdateSAMLProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSAMLProviderRequest; + output: UpdateSAMLProviderResponse; + }; + sdk: { + input: UpdateSAMLProviderCommandInput; + output: UpdateSAMLProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateSSHPublicKeyCommand.ts b/clients/client-iam/src/commands/UpdateSSHPublicKeyCommand.ts index f2a23da00102..668174ba99cf 100644 --- a/clients/client-iam/src/commands/UpdateSSHPublicKeyCommand.ts +++ b/clients/client-iam/src/commands/UpdateSSHPublicKeyCommand.ts @@ -87,4 +87,16 @@ export class UpdateSSHPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSSHPublicKeyCommand) .de(de_UpdateSSHPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSSHPublicKeyRequest; + output: {}; + }; + sdk: { + input: UpdateSSHPublicKeyCommandInput; + output: UpdateSSHPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateServerCertificateCommand.ts b/clients/client-iam/src/commands/UpdateServerCertificateCommand.ts index d0d6e136e726..62c639c4e3da 100644 --- a/clients/client-iam/src/commands/UpdateServerCertificateCommand.ts +++ b/clients/client-iam/src/commands/UpdateServerCertificateCommand.ts @@ -112,4 +112,16 @@ export class UpdateServerCertificateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServerCertificateCommand) .de(de_UpdateServerCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServerCertificateRequest; + output: {}; + }; + sdk: { + input: UpdateServerCertificateCommandInput; + output: UpdateServerCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateServiceSpecificCredentialCommand.ts b/clients/client-iam/src/commands/UpdateServiceSpecificCredentialCommand.ts index a6a9ce895365..cc57b53df112 100644 --- a/clients/client-iam/src/commands/UpdateServiceSpecificCredentialCommand.ts +++ b/clients/client-iam/src/commands/UpdateServiceSpecificCredentialCommand.ts @@ -87,4 +87,16 @@ export class UpdateServiceSpecificCredentialCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceSpecificCredentialCommand) .de(de_UpdateServiceSpecificCredentialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceSpecificCredentialRequest; + output: {}; + }; + sdk: { + input: UpdateServiceSpecificCredentialCommandInput; + output: UpdateServiceSpecificCredentialCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateSigningCertificateCommand.ts b/clients/client-iam/src/commands/UpdateSigningCertificateCommand.ts index b0b026e1ac79..7c9bec7b0735 100644 --- a/clients/client-iam/src/commands/UpdateSigningCertificateCommand.ts +++ b/clients/client-iam/src/commands/UpdateSigningCertificateCommand.ts @@ -109,4 +109,16 @@ export class UpdateSigningCertificateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSigningCertificateCommand) .de(de_UpdateSigningCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSigningCertificateRequest; + output: {}; + }; + sdk: { + input: UpdateSigningCertificateCommandInput; + output: UpdateSigningCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UpdateUserCommand.ts b/clients/client-iam/src/commands/UpdateUserCommand.ts index cc159a86cc52..dcf648d827ff 100644 --- a/clients/client-iam/src/commands/UpdateUserCommand.ts +++ b/clients/client-iam/src/commands/UpdateUserCommand.ts @@ -127,4 +127,16 @@ export class UpdateUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: {}; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UploadSSHPublicKeyCommand.ts b/clients/client-iam/src/commands/UploadSSHPublicKeyCommand.ts index 9daa4da6286c..daa8592023a6 100644 --- a/clients/client-iam/src/commands/UploadSSHPublicKeyCommand.ts +++ b/clients/client-iam/src/commands/UploadSSHPublicKeyCommand.ts @@ -108,4 +108,16 @@ export class UploadSSHPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_UploadSSHPublicKeyCommand) .de(de_UploadSSHPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadSSHPublicKeyRequest; + output: UploadSSHPublicKeyResponse; + }; + sdk: { + input: UploadSSHPublicKeyCommandInput; + output: UploadSSHPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UploadServerCertificateCommand.ts b/clients/client-iam/src/commands/UploadServerCertificateCommand.ts index 0fccd1006f75..be48434b5b10 100644 --- a/clients/client-iam/src/commands/UploadServerCertificateCommand.ts +++ b/clients/client-iam/src/commands/UploadServerCertificateCommand.ts @@ -181,4 +181,16 @@ export class UploadServerCertificateCommand extends $Command .f(UploadServerCertificateRequestFilterSensitiveLog, void 0) .ser(se_UploadServerCertificateCommand) .de(de_UploadServerCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadServerCertificateRequest; + output: UploadServerCertificateResponse; + }; + sdk: { + input: UploadServerCertificateCommandInput; + output: UploadServerCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iam/src/commands/UploadSigningCertificateCommand.ts b/clients/client-iam/src/commands/UploadSigningCertificateCommand.ts index 6377c80c4b25..d06d5a36d41f 100644 --- a/clients/client-iam/src/commands/UploadSigningCertificateCommand.ts +++ b/clients/client-iam/src/commands/UploadSigningCertificateCommand.ts @@ -157,4 +157,16 @@ export class UploadSigningCertificateCommand extends $Command .f(void 0, void 0) .ser(se_UploadSigningCertificateCommand) .de(de_UploadSigningCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadSigningCertificateRequest; + output: UploadSigningCertificateResponse; + }; + sdk: { + input: UploadSigningCertificateCommandInput; + output: UploadSigningCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/package.json b/clients/client-identitystore/package.json index c9a9800a65f2..523014a463d0 100644 --- a/clients/client-identitystore/package.json +++ b/clients/client-identitystore/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-identitystore/src/commands/CreateGroupCommand.ts b/clients/client-identitystore/src/commands/CreateGroupCommand.ts index aef5f562daf1..e607dc5936a7 100644 --- a/clients/client-identitystore/src/commands/CreateGroupCommand.ts +++ b/clients/client-identitystore/src/commands/CreateGroupCommand.ts @@ -109,4 +109,16 @@ export class CreateGroupCommand extends $Command .f(CreateGroupRequestFilterSensitiveLog, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResponse; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/CreateGroupMembershipCommand.ts b/clients/client-identitystore/src/commands/CreateGroupMembershipCommand.ts index 5c3be47f71a3..afca47daf390 100644 --- a/clients/client-identitystore/src/commands/CreateGroupMembershipCommand.ts +++ b/clients/client-identitystore/src/commands/CreateGroupMembershipCommand.ts @@ -111,4 +111,16 @@ export class CreateGroupMembershipCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupMembershipCommand) .de(de_CreateGroupMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupMembershipRequest; + output: CreateGroupMembershipResponse; + }; + sdk: { + input: CreateGroupMembershipCommandInput; + output: CreateGroupMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/CreateUserCommand.ts b/clients/client-identitystore/src/commands/CreateUserCommand.ts index 62d17554b259..5b3ce09bb3d5 100644 --- a/clients/client-identitystore/src/commands/CreateUserCommand.ts +++ b/clients/client-identitystore/src/commands/CreateUserCommand.ts @@ -150,4 +150,16 @@ export class CreateUserCommand extends $Command .f(CreateUserRequestFilterSensitiveLog, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/DeleteGroupCommand.ts b/clients/client-identitystore/src/commands/DeleteGroupCommand.ts index a0a91329df09..53e6fa9559af 100644 --- a/clients/client-identitystore/src/commands/DeleteGroupCommand.ts +++ b/clients/client-identitystore/src/commands/DeleteGroupCommand.ts @@ -102,4 +102,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/DeleteGroupMembershipCommand.ts b/clients/client-identitystore/src/commands/DeleteGroupMembershipCommand.ts index 3b0fb47e1d62..2f2fb72c4427 100644 --- a/clients/client-identitystore/src/commands/DeleteGroupMembershipCommand.ts +++ b/clients/client-identitystore/src/commands/DeleteGroupMembershipCommand.ts @@ -102,4 +102,16 @@ export class DeleteGroupMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupMembershipCommand) .de(de_DeleteGroupMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupMembershipRequest; + output: {}; + }; + sdk: { + input: DeleteGroupMembershipCommandInput; + output: DeleteGroupMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/DeleteUserCommand.ts b/clients/client-identitystore/src/commands/DeleteUserCommand.ts index e85f165981b6..e3e1cda7af7d 100644 --- a/clients/client-identitystore/src/commands/DeleteUserCommand.ts +++ b/clients/client-identitystore/src/commands/DeleteUserCommand.ts @@ -102,4 +102,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/DescribeGroupCommand.ts b/clients/client-identitystore/src/commands/DescribeGroupCommand.ts index bfc687e0d30c..da58bf3d9ca8 100644 --- a/clients/client-identitystore/src/commands/DescribeGroupCommand.ts +++ b/clients/client-identitystore/src/commands/DescribeGroupCommand.ts @@ -112,4 +112,16 @@ export class DescribeGroupCommand extends $Command .f(void 0, DescribeGroupResponseFilterSensitiveLog) .ser(se_DescribeGroupCommand) .de(de_DescribeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGroupRequest; + output: DescribeGroupResponse; + }; + sdk: { + input: DescribeGroupCommandInput; + output: DescribeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/DescribeGroupMembershipCommand.ts b/clients/client-identitystore/src/commands/DescribeGroupMembershipCommand.ts index 065901f71003..425e328b3b67 100644 --- a/clients/client-identitystore/src/commands/DescribeGroupMembershipCommand.ts +++ b/clients/client-identitystore/src/commands/DescribeGroupMembershipCommand.ts @@ -103,4 +103,16 @@ export class DescribeGroupMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGroupMembershipCommand) .de(de_DescribeGroupMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGroupMembershipRequest; + output: DescribeGroupMembershipResponse; + }; + sdk: { + input: DescribeGroupMembershipCommandInput; + output: DescribeGroupMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/DescribeUserCommand.ts b/clients/client-identitystore/src/commands/DescribeUserCommand.ts index 1d9c8f520b08..cf8fb888de3d 100644 --- a/clients/client-identitystore/src/commands/DescribeUserCommand.ts +++ b/clients/client-identitystore/src/commands/DescribeUserCommand.ts @@ -148,4 +148,16 @@ export class DescribeUserCommand extends $Command .f(void 0, DescribeUserResponseFilterSensitiveLog) .ser(se_DescribeUserCommand) .de(de_DescribeUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserRequest; + output: DescribeUserResponse; + }; + sdk: { + input: DescribeUserCommandInput; + output: DescribeUserCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/GetGroupIdCommand.ts b/clients/client-identitystore/src/commands/GetGroupIdCommand.ts index 67a7976efdf2..1018697e07e6 100644 --- a/clients/client-identitystore/src/commands/GetGroupIdCommand.ts +++ b/clients/client-identitystore/src/commands/GetGroupIdCommand.ts @@ -108,4 +108,16 @@ export class GetGroupIdCommand extends $Command .f(GetGroupIdRequestFilterSensitiveLog, void 0) .ser(se_GetGroupIdCommand) .de(de_GetGroupIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupIdRequest; + output: GetGroupIdResponse; + }; + sdk: { + input: GetGroupIdCommandInput; + output: GetGroupIdCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/GetGroupMembershipIdCommand.ts b/clients/client-identitystore/src/commands/GetGroupMembershipIdCommand.ts index 96330ae2c16e..dca3e6105cd3 100644 --- a/clients/client-identitystore/src/commands/GetGroupMembershipIdCommand.ts +++ b/clients/client-identitystore/src/commands/GetGroupMembershipIdCommand.ts @@ -102,4 +102,16 @@ export class GetGroupMembershipIdCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupMembershipIdCommand) .de(de_GetGroupMembershipIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupMembershipIdRequest; + output: GetGroupMembershipIdResponse; + }; + sdk: { + input: GetGroupMembershipIdCommandInput; + output: GetGroupMembershipIdCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/GetUserIdCommand.ts b/clients/client-identitystore/src/commands/GetUserIdCommand.ts index 02372d4b19f7..babaf198099d 100644 --- a/clients/client-identitystore/src/commands/GetUserIdCommand.ts +++ b/clients/client-identitystore/src/commands/GetUserIdCommand.ts @@ -108,4 +108,16 @@ export class GetUserIdCommand extends $Command .f(GetUserIdRequestFilterSensitiveLog, void 0) .ser(se_GetUserIdCommand) .de(de_GetUserIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserIdRequest; + output: GetUserIdResponse; + }; + sdk: { + input: GetUserIdCommandInput; + output: GetUserIdCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/IsMemberInGroupsCommand.ts b/clients/client-identitystore/src/commands/IsMemberInGroupsCommand.ts index 446639a17d67..23131e6fb47d 100644 --- a/clients/client-identitystore/src/commands/IsMemberInGroupsCommand.ts +++ b/clients/client-identitystore/src/commands/IsMemberInGroupsCommand.ts @@ -115,4 +115,16 @@ export class IsMemberInGroupsCommand extends $Command .f(void 0, IsMemberInGroupsResponseFilterSensitiveLog) .ser(se_IsMemberInGroupsCommand) .de(de_IsMemberInGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IsMemberInGroupsRequest; + output: IsMemberInGroupsResponse; + }; + sdk: { + input: IsMemberInGroupsCommandInput; + output: IsMemberInGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/ListGroupMembershipsCommand.ts b/clients/client-identitystore/src/commands/ListGroupMembershipsCommand.ts index a0b2f025fd5b..1757ff000e61 100644 --- a/clients/client-identitystore/src/commands/ListGroupMembershipsCommand.ts +++ b/clients/client-identitystore/src/commands/ListGroupMembershipsCommand.ts @@ -110,4 +110,16 @@ export class ListGroupMembershipsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupMembershipsCommand) .de(de_ListGroupMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupMembershipsRequest; + output: ListGroupMembershipsResponse; + }; + sdk: { + input: ListGroupMembershipsCommandInput; + output: ListGroupMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/ListGroupMembershipsForMemberCommand.ts b/clients/client-identitystore/src/commands/ListGroupMembershipsForMemberCommand.ts index 5e261ae29000..1f7904c628db 100644 --- a/clients/client-identitystore/src/commands/ListGroupMembershipsForMemberCommand.ts +++ b/clients/client-identitystore/src/commands/ListGroupMembershipsForMemberCommand.ts @@ -117,4 +117,16 @@ export class ListGroupMembershipsForMemberCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupMembershipsForMemberCommand) .de(de_ListGroupMembershipsForMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupMembershipsForMemberRequest; + output: ListGroupMembershipsForMemberResponse; + }; + sdk: { + input: ListGroupMembershipsForMemberCommandInput; + output: ListGroupMembershipsForMemberCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/ListGroupsCommand.ts b/clients/client-identitystore/src/commands/ListGroupsCommand.ts index 9e60e096b1be..6f26c105ab28 100644 --- a/clients/client-identitystore/src/commands/ListGroupsCommand.ts +++ b/clients/client-identitystore/src/commands/ListGroupsCommand.ts @@ -125,4 +125,16 @@ export class ListGroupsCommand extends $Command .f(ListGroupsRequestFilterSensitiveLog, ListGroupsResponseFilterSensitiveLog) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/ListUsersCommand.ts b/clients/client-identitystore/src/commands/ListUsersCommand.ts index ec80e68f86a0..88352627fa6a 100644 --- a/clients/client-identitystore/src/commands/ListUsersCommand.ts +++ b/clients/client-identitystore/src/commands/ListUsersCommand.ts @@ -166,4 +166,16 @@ export class ListUsersCommand extends $Command .f(ListUsersRequestFilterSensitiveLog, ListUsersResponseFilterSensitiveLog) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/UpdateGroupCommand.ts b/clients/client-identitystore/src/commands/UpdateGroupCommand.ts index 668277f4cd86..a7f2b63b7d72 100644 --- a/clients/client-identitystore/src/commands/UpdateGroupCommand.ts +++ b/clients/client-identitystore/src/commands/UpdateGroupCommand.ts @@ -111,4 +111,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: {}; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-identitystore/src/commands/UpdateUserCommand.ts b/clients/client-identitystore/src/commands/UpdateUserCommand.ts index d08b5f01d696..2e5785348342 100644 --- a/clients/client-identitystore/src/commands/UpdateUserCommand.ts +++ b/clients/client-identitystore/src/commands/UpdateUserCommand.ts @@ -111,4 +111,16 @@ export class UpdateUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: {}; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/package.json b/clients/client-imagebuilder/package.json index 18cc106ee112..e2bc33f56267 100644 --- a/clients/client-imagebuilder/package.json +++ b/clients/client-imagebuilder/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-imagebuilder/src/commands/CancelImageCreationCommand.ts b/clients/client-imagebuilder/src/commands/CancelImageCreationCommand.ts index 82d64a74308a..e9694013516f 100644 --- a/clients/client-imagebuilder/src/commands/CancelImageCreationCommand.ts +++ b/clients/client-imagebuilder/src/commands/CancelImageCreationCommand.ts @@ -110,4 +110,16 @@ export class CancelImageCreationCommand extends $Command .f(void 0, void 0) .ser(se_CancelImageCreationCommand) .de(de_CancelImageCreationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelImageCreationRequest; + output: CancelImageCreationResponse; + }; + sdk: { + input: CancelImageCreationCommandInput; + output: CancelImageCreationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CancelLifecycleExecutionCommand.ts b/clients/client-imagebuilder/src/commands/CancelLifecycleExecutionCommand.ts index 891586ad6ed0..44e7ed3deeb5 100644 --- a/clients/client-imagebuilder/src/commands/CancelLifecycleExecutionCommand.ts +++ b/clients/client-imagebuilder/src/commands/CancelLifecycleExecutionCommand.ts @@ -107,4 +107,16 @@ export class CancelLifecycleExecutionCommand extends $Command .f(void 0, void 0) .ser(se_CancelLifecycleExecutionCommand) .de(de_CancelLifecycleExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelLifecycleExecutionRequest; + output: CancelLifecycleExecutionResponse; + }; + sdk: { + input: CancelLifecycleExecutionCommandInput; + output: CancelLifecycleExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateComponentCommand.ts b/clients/client-imagebuilder/src/commands/CreateComponentCommand.ts index 1f80e3bc469a..80e0931711b3 100644 --- a/clients/client-imagebuilder/src/commands/CreateComponentCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateComponentCommand.ts @@ -145,4 +145,16 @@ export class CreateComponentCommand extends $Command .f(void 0, void 0) .ser(se_CreateComponentCommand) .de(de_CreateComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComponentRequest; + output: CreateComponentResponse; + }; + sdk: { + input: CreateComponentCommandInput; + output: CreateComponentCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateContainerRecipeCommand.ts b/clients/client-imagebuilder/src/commands/CreateContainerRecipeCommand.ts index 956b278514ad..c50b0a9bb502 100644 --- a/clients/client-imagebuilder/src/commands/CreateContainerRecipeCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateContainerRecipeCommand.ts @@ -171,4 +171,16 @@ export class CreateContainerRecipeCommand extends $Command .f(void 0, void 0) .ser(se_CreateContainerRecipeCommand) .de(de_CreateContainerRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContainerRecipeRequest; + output: CreateContainerRecipeResponse; + }; + sdk: { + input: CreateContainerRecipeCommandInput; + output: CreateContainerRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateDistributionConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/CreateDistributionConfigurationCommand.ts index fc491936cdbc..113ab0da555c 100644 --- a/clients/client-imagebuilder/src/commands/CreateDistributionConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateDistributionConfigurationCommand.ts @@ -202,4 +202,16 @@ export class CreateDistributionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDistributionConfigurationCommand) .de(de_CreateDistributionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDistributionConfigurationRequest; + output: CreateDistributionConfigurationResponse; + }; + sdk: { + input: CreateDistributionConfigurationCommandInput; + output: CreateDistributionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateImageCommand.ts b/clients/client-imagebuilder/src/commands/CreateImageCommand.ts index c332b8484aa7..62aeb0794f52 100644 --- a/clients/client-imagebuilder/src/commands/CreateImageCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateImageCommand.ts @@ -153,4 +153,16 @@ export class CreateImageCommand extends $Command .f(void 0, void 0) .ser(se_CreateImageCommand) .de(de_CreateImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImageRequest; + output: CreateImageResponse; + }; + sdk: { + input: CreateImageCommandInput; + output: CreateImageCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateImagePipelineCommand.ts b/clients/client-imagebuilder/src/commands/CreateImagePipelineCommand.ts index 3750362e4117..ea6dfa3ef715 100644 --- a/clients/client-imagebuilder/src/commands/CreateImagePipelineCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateImagePipelineCommand.ts @@ -162,4 +162,16 @@ export class CreateImagePipelineCommand extends $Command .f(void 0, void 0) .ser(se_CreateImagePipelineCommand) .de(de_CreateImagePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImagePipelineRequest; + output: CreateImagePipelineResponse; + }; + sdk: { + input: CreateImagePipelineCommandInput; + output: CreateImagePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateImageRecipeCommand.ts b/clients/client-imagebuilder/src/commands/CreateImageRecipeCommand.ts index 46cdfdbe2bbe..8a23b79529a2 100644 --- a/clients/client-imagebuilder/src/commands/CreateImageRecipeCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateImageRecipeCommand.ts @@ -164,4 +164,16 @@ export class CreateImageRecipeCommand extends $Command .f(void 0, void 0) .ser(se_CreateImageRecipeCommand) .de(de_CreateImageRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImageRecipeRequest; + output: CreateImageRecipeResponse; + }; + sdk: { + input: CreateImageRecipeCommandInput; + output: CreateImageRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateInfrastructureConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/CreateInfrastructureConfigurationCommand.ts index 49e88660c884..2f15bd739d63 100644 --- a/clients/client-imagebuilder/src/commands/CreateInfrastructureConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateInfrastructureConfigurationCommand.ts @@ -154,4 +154,16 @@ export class CreateInfrastructureConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateInfrastructureConfigurationCommand) .de(de_CreateInfrastructureConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInfrastructureConfigurationRequest; + output: CreateInfrastructureConfigurationResponse; + }; + sdk: { + input: CreateInfrastructureConfigurationCommandInput; + output: CreateInfrastructureConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateLifecyclePolicyCommand.ts b/clients/client-imagebuilder/src/commands/CreateLifecyclePolicyCommand.ts index f577436a7452..cbefde56ec6d 100644 --- a/clients/client-imagebuilder/src/commands/CreateLifecyclePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateLifecyclePolicyCommand.ts @@ -169,4 +169,16 @@ export class CreateLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateLifecyclePolicyCommand) .de(de_CreateLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLifecyclePolicyRequest; + output: CreateLifecyclePolicyResponse; + }; + sdk: { + input: CreateLifecyclePolicyCommandInput; + output: CreateLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/CreateWorkflowCommand.ts b/clients/client-imagebuilder/src/commands/CreateWorkflowCommand.ts index 18bdbe558e96..502029a4f2bf 100644 --- a/clients/client-imagebuilder/src/commands/CreateWorkflowCommand.ts +++ b/clients/client-imagebuilder/src/commands/CreateWorkflowCommand.ts @@ -130,4 +130,16 @@ export class CreateWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkflowCommand) .de(de_CreateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkflowRequest; + output: CreateWorkflowResponse; + }; + sdk: { + input: CreateWorkflowCommandInput; + output: CreateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteComponentCommand.ts b/clients/client-imagebuilder/src/commands/DeleteComponentCommand.ts index 00a2dd065e03..48ab0ad25098 100644 --- a/clients/client-imagebuilder/src/commands/DeleteComponentCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteComponentCommand.ts @@ -103,4 +103,16 @@ export class DeleteComponentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteComponentCommand) .de(de_DeleteComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComponentRequest; + output: DeleteComponentResponse; + }; + sdk: { + input: DeleteComponentCommandInput; + output: DeleteComponentCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteContainerRecipeCommand.ts b/clients/client-imagebuilder/src/commands/DeleteContainerRecipeCommand.ts index 06f81478a7db..6cf45c340497 100644 --- a/clients/client-imagebuilder/src/commands/DeleteContainerRecipeCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteContainerRecipeCommand.ts @@ -103,4 +103,16 @@ export class DeleteContainerRecipeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContainerRecipeCommand) .de(de_DeleteContainerRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContainerRecipeRequest; + output: DeleteContainerRecipeResponse; + }; + sdk: { + input: DeleteContainerRecipeCommandInput; + output: DeleteContainerRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteDistributionConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/DeleteDistributionConfigurationCommand.ts index a91cd7fc4860..fe3ce5846525 100644 --- a/clients/client-imagebuilder/src/commands/DeleteDistributionConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteDistributionConfigurationCommand.ts @@ -108,4 +108,16 @@ export class DeleteDistributionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDistributionConfigurationCommand) .de(de_DeleteDistributionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDistributionConfigurationRequest; + output: DeleteDistributionConfigurationResponse; + }; + sdk: { + input: DeleteDistributionConfigurationCommandInput; + output: DeleteDistributionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteImageCommand.ts b/clients/client-imagebuilder/src/commands/DeleteImageCommand.ts index 7a2e25f3f77f..26224dd6452f 100644 --- a/clients/client-imagebuilder/src/commands/DeleteImageCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteImageCommand.ts @@ -124,4 +124,16 @@ export class DeleteImageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImageCommand) .de(de_DeleteImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImageRequest; + output: DeleteImageResponse; + }; + sdk: { + input: DeleteImageCommandInput; + output: DeleteImageCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteImagePipelineCommand.ts b/clients/client-imagebuilder/src/commands/DeleteImagePipelineCommand.ts index c54a862a5e10..5d12a5a951e9 100644 --- a/clients/client-imagebuilder/src/commands/DeleteImagePipelineCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteImagePipelineCommand.ts @@ -103,4 +103,16 @@ export class DeleteImagePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImagePipelineCommand) .de(de_DeleteImagePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImagePipelineRequest; + output: DeleteImagePipelineResponse; + }; + sdk: { + input: DeleteImagePipelineCommandInput; + output: DeleteImagePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteImageRecipeCommand.ts b/clients/client-imagebuilder/src/commands/DeleteImageRecipeCommand.ts index 6bc86fc734b8..19fe8cc89f92 100644 --- a/clients/client-imagebuilder/src/commands/DeleteImageRecipeCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteImageRecipeCommand.ts @@ -103,4 +103,16 @@ export class DeleteImageRecipeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImageRecipeCommand) .de(de_DeleteImageRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImageRecipeRequest; + output: DeleteImageRecipeResponse; + }; + sdk: { + input: DeleteImageRecipeCommandInput; + output: DeleteImageRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteInfrastructureConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/DeleteInfrastructureConfigurationCommand.ts index 02fb130f319c..f5d07ad9b639 100644 --- a/clients/client-imagebuilder/src/commands/DeleteInfrastructureConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteInfrastructureConfigurationCommand.ts @@ -111,4 +111,16 @@ export class DeleteInfrastructureConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInfrastructureConfigurationCommand) .de(de_DeleteInfrastructureConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInfrastructureConfigurationRequest; + output: DeleteInfrastructureConfigurationResponse; + }; + sdk: { + input: DeleteInfrastructureConfigurationCommandInput; + output: DeleteInfrastructureConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteLifecyclePolicyCommand.ts b/clients/client-imagebuilder/src/commands/DeleteLifecyclePolicyCommand.ts index 3645b3eb92c5..090ef4168327 100644 --- a/clients/client-imagebuilder/src/commands/DeleteLifecyclePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteLifecyclePolicyCommand.ts @@ -102,4 +102,16 @@ export class DeleteLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLifecyclePolicyCommand) .de(de_DeleteLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLifecyclePolicyRequest; + output: DeleteLifecyclePolicyResponse; + }; + sdk: { + input: DeleteLifecyclePolicyCommandInput; + output: DeleteLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/DeleteWorkflowCommand.ts b/clients/client-imagebuilder/src/commands/DeleteWorkflowCommand.ts index aaf4e34d5eca..4988fc37b21b 100644 --- a/clients/client-imagebuilder/src/commands/DeleteWorkflowCommand.ts +++ b/clients/client-imagebuilder/src/commands/DeleteWorkflowCommand.ts @@ -102,4 +102,16 @@ export class DeleteWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowCommand) .de(de_DeleteWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowRequest; + output: DeleteWorkflowResponse; + }; + sdk: { + input: DeleteWorkflowCommandInput; + output: DeleteWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetComponentCommand.ts b/clients/client-imagebuilder/src/commands/GetComponentCommand.ts index 2117bd79ba6f..e70da0f88aa7 100644 --- a/clients/client-imagebuilder/src/commands/GetComponentCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetComponentCommand.ts @@ -134,4 +134,16 @@ export class GetComponentCommand extends $Command .f(void 0, void 0) .ser(se_GetComponentCommand) .de(de_GetComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentRequest; + output: GetComponentResponse; + }; + sdk: { + input: GetComponentCommandInput; + output: GetComponentCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetComponentPolicyCommand.ts b/clients/client-imagebuilder/src/commands/GetComponentPolicyCommand.ts index 3ae4ce9ca5d4..de608c9a13ce 100644 --- a/clients/client-imagebuilder/src/commands/GetComponentPolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetComponentPolicyCommand.ts @@ -97,4 +97,16 @@ export class GetComponentPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetComponentPolicyCommand) .de(de_GetComponentPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentPolicyRequest; + output: GetComponentPolicyResponse; + }; + sdk: { + input: GetComponentPolicyCommandInput; + output: GetComponentPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetContainerRecipeCommand.ts b/clients/client-imagebuilder/src/commands/GetContainerRecipeCommand.ts index 7971a8ec4988..cf65faaf6b2a 100644 --- a/clients/client-imagebuilder/src/commands/GetContainerRecipeCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetContainerRecipeCommand.ts @@ -153,4 +153,16 @@ export class GetContainerRecipeCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerRecipeCommand) .de(de_GetContainerRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerRecipeRequest; + output: GetContainerRecipeResponse; + }; + sdk: { + input: GetContainerRecipeCommandInput; + output: GetContainerRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetContainerRecipePolicyCommand.ts b/clients/client-imagebuilder/src/commands/GetContainerRecipePolicyCommand.ts index dcfb57613199..f0be32c9cdff 100644 --- a/clients/client-imagebuilder/src/commands/GetContainerRecipePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetContainerRecipePolicyCommand.ts @@ -97,4 +97,16 @@ export class GetContainerRecipePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerRecipePolicyCommand) .de(de_GetContainerRecipePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerRecipePolicyRequest; + output: GetContainerRecipePolicyResponse; + }; + sdk: { + input: GetContainerRecipePolicyCommandInput; + output: GetContainerRecipePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetDistributionConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/GetDistributionConfigurationCommand.ts index 36cd2cc6c04a..ee2819f33823 100644 --- a/clients/client-imagebuilder/src/commands/GetDistributionConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetDistributionConfigurationCommand.ts @@ -185,4 +185,16 @@ export class GetDistributionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetDistributionConfigurationCommand) .de(de_GetDistributionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDistributionConfigurationRequest; + output: GetDistributionConfigurationResponse; + }; + sdk: { + input: GetDistributionConfigurationCommandInput; + output: GetDistributionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetImageCommand.ts b/clients/client-imagebuilder/src/commands/GetImageCommand.ts index 19322ce6cbe0..f711c0292853 100644 --- a/clients/client-imagebuilder/src/commands/GetImageCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetImageCommand.ts @@ -393,4 +393,16 @@ export class GetImageCommand extends $Command .f(void 0, void 0) .ser(se_GetImageCommand) .de(de_GetImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImageRequest; + output: GetImageResponse; + }; + sdk: { + input: GetImageCommandInput; + output: GetImageCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetImagePipelineCommand.ts b/clients/client-imagebuilder/src/commands/GetImagePipelineCommand.ts index 13e211fdc02a..f4ad3312ee0b 100644 --- a/clients/client-imagebuilder/src/commands/GetImagePipelineCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetImagePipelineCommand.ts @@ -151,4 +151,16 @@ export class GetImagePipelineCommand extends $Command .f(void 0, void 0) .ser(se_GetImagePipelineCommand) .de(de_GetImagePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImagePipelineRequest; + output: GetImagePipelineResponse; + }; + sdk: { + input: GetImagePipelineCommandInput; + output: GetImagePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetImagePolicyCommand.ts b/clients/client-imagebuilder/src/commands/GetImagePolicyCommand.ts index 7f1d4873aad8..b0d8a026dc07 100644 --- a/clients/client-imagebuilder/src/commands/GetImagePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetImagePolicyCommand.ts @@ -97,4 +97,16 @@ export class GetImagePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetImagePolicyCommand) .de(de_GetImagePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImagePolicyRequest; + output: GetImagePolicyResponse; + }; + sdk: { + input: GetImagePolicyCommandInput; + output: GetImagePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetImageRecipeCommand.ts b/clients/client-imagebuilder/src/commands/GetImageRecipeCommand.ts index bd85a1e69c5f..7100c94de182 100644 --- a/clients/client-imagebuilder/src/commands/GetImageRecipeCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetImageRecipeCommand.ts @@ -149,4 +149,16 @@ export class GetImageRecipeCommand extends $Command .f(void 0, void 0) .ser(se_GetImageRecipeCommand) .de(de_GetImageRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImageRecipeRequest; + output: GetImageRecipeResponse; + }; + sdk: { + input: GetImageRecipeCommandInput; + output: GetImageRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetImageRecipePolicyCommand.ts b/clients/client-imagebuilder/src/commands/GetImageRecipePolicyCommand.ts index 1c76997c99fb..40d45224c3af 100644 --- a/clients/client-imagebuilder/src/commands/GetImageRecipePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetImageRecipePolicyCommand.ts @@ -97,4 +97,16 @@ export class GetImageRecipePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetImageRecipePolicyCommand) .de(de_GetImageRecipePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImageRecipePolicyRequest; + output: GetImageRecipePolicyResponse; + }; + sdk: { + input: GetImageRecipePolicyCommandInput; + output: GetImageRecipePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetInfrastructureConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/GetInfrastructureConfigurationCommand.ts index 6d9b29206b2d..ef7d6c8b0931 100644 --- a/clients/client-imagebuilder/src/commands/GetInfrastructureConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetInfrastructureConfigurationCommand.ts @@ -137,4 +137,16 @@ export class GetInfrastructureConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetInfrastructureConfigurationCommand) .de(de_GetInfrastructureConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInfrastructureConfigurationRequest; + output: GetInfrastructureConfigurationResponse; + }; + sdk: { + input: GetInfrastructureConfigurationCommandInput; + output: GetInfrastructureConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetLifecycleExecutionCommand.ts b/clients/client-imagebuilder/src/commands/GetLifecycleExecutionCommand.ts index a866211a3576..eac1ba717d0f 100644 --- a/clients/client-imagebuilder/src/commands/GetLifecycleExecutionCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetLifecycleExecutionCommand.ts @@ -110,4 +110,16 @@ export class GetLifecycleExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetLifecycleExecutionCommand) .de(de_GetLifecycleExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLifecycleExecutionRequest; + output: GetLifecycleExecutionResponse; + }; + sdk: { + input: GetLifecycleExecutionCommandInput; + output: GetLifecycleExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetLifecyclePolicyCommand.ts b/clients/client-imagebuilder/src/commands/GetLifecyclePolicyCommand.ts index 1ee4b58af9b7..b91b922bb7a2 100644 --- a/clients/client-imagebuilder/src/commands/GetLifecyclePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetLifecyclePolicyCommand.ts @@ -157,4 +157,16 @@ export class GetLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetLifecyclePolicyCommand) .de(de_GetLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLifecyclePolicyRequest; + output: GetLifecyclePolicyResponse; + }; + sdk: { + input: GetLifecyclePolicyCommandInput; + output: GetLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetWorkflowCommand.ts b/clients/client-imagebuilder/src/commands/GetWorkflowCommand.ts index b3f9c1097ae8..819c3634f723 100644 --- a/clients/client-imagebuilder/src/commands/GetWorkflowCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetWorkflowCommand.ts @@ -126,4 +126,16 @@ export class GetWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowCommand) .de(de_GetWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRequest; + output: GetWorkflowResponse; + }; + sdk: { + input: GetWorkflowCommandInput; + output: GetWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetWorkflowExecutionCommand.ts b/clients/client-imagebuilder/src/commands/GetWorkflowExecutionCommand.ts index 537b8f46c10d..76b75749faec 100644 --- a/clients/client-imagebuilder/src/commands/GetWorkflowExecutionCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetWorkflowExecutionCommand.ts @@ -112,4 +112,16 @@ export class GetWorkflowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowExecutionCommand) .de(de_GetWorkflowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowExecutionRequest; + output: GetWorkflowExecutionResponse; + }; + sdk: { + input: GetWorkflowExecutionCommandInput; + output: GetWorkflowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/GetWorkflowStepExecutionCommand.ts b/clients/client-imagebuilder/src/commands/GetWorkflowStepExecutionCommand.ts index c2b0267526e1..a6d89b869f60 100644 --- a/clients/client-imagebuilder/src/commands/GetWorkflowStepExecutionCommand.ts +++ b/clients/client-imagebuilder/src/commands/GetWorkflowStepExecutionCommand.ts @@ -115,4 +115,16 @@ export class GetWorkflowStepExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowStepExecutionCommand) .de(de_GetWorkflowStepExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowStepExecutionRequest; + output: GetWorkflowStepExecutionResponse; + }; + sdk: { + input: GetWorkflowStepExecutionCommandInput; + output: GetWorkflowStepExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ImportComponentCommand.ts b/clients/client-imagebuilder/src/commands/ImportComponentCommand.ts index e38a2cedd70b..a57c93afad7d 100644 --- a/clients/client-imagebuilder/src/commands/ImportComponentCommand.ts +++ b/clients/client-imagebuilder/src/commands/ImportComponentCommand.ts @@ -128,4 +128,16 @@ export class ImportComponentCommand extends $Command .f(void 0, void 0) .ser(se_ImportComponentCommand) .de(de_ImportComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportComponentRequest; + output: ImportComponentResponse; + }; + sdk: { + input: ImportComponentCommandInput; + output: ImportComponentCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ImportVmImageCommand.ts b/clients/client-imagebuilder/src/commands/ImportVmImageCommand.ts index 0db37182a6df..d46d84f267ab 100644 --- a/clients/client-imagebuilder/src/commands/ImportVmImageCommand.ts +++ b/clients/client-imagebuilder/src/commands/ImportVmImageCommand.ts @@ -107,4 +107,16 @@ export class ImportVmImageCommand extends $Command .f(void 0, void 0) .ser(se_ImportVmImageCommand) .de(de_ImportVmImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportVmImageRequest; + output: ImportVmImageResponse; + }; + sdk: { + input: ImportVmImageCommandInput; + output: ImportVmImageCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListComponentBuildVersionsCommand.ts b/clients/client-imagebuilder/src/commands/ListComponentBuildVersionsCommand.ts index 1b1e974d51cf..2b9e0febdf43 100644 --- a/clients/client-imagebuilder/src/commands/ListComponentBuildVersionsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListComponentBuildVersionsCommand.ts @@ -139,4 +139,16 @@ export class ListComponentBuildVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentBuildVersionsCommand) .de(de_ListComponentBuildVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentBuildVersionsRequest; + output: ListComponentBuildVersionsResponse; + }; + sdk: { + input: ListComponentBuildVersionsCommandInput; + output: ListComponentBuildVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListComponentsCommand.ts b/clients/client-imagebuilder/src/commands/ListComponentsCommand.ts index 31ccdabd1de8..14e211ec5368 100644 --- a/clients/client-imagebuilder/src/commands/ListComponentsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListComponentsCommand.ts @@ -139,4 +139,16 @@ export class ListComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentsCommand) .de(de_ListComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentsRequest; + output: ListComponentsResponse; + }; + sdk: { + input: ListComponentsCommandInput; + output: ListComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListContainerRecipesCommand.ts b/clients/client-imagebuilder/src/commands/ListContainerRecipesCommand.ts index a260e512695f..12a53cdefd17 100644 --- a/clients/client-imagebuilder/src/commands/ListContainerRecipesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListContainerRecipesCommand.ts @@ -126,4 +126,16 @@ export class ListContainerRecipesCommand extends $Command .f(void 0, void 0) .ser(se_ListContainerRecipesCommand) .de(de_ListContainerRecipesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContainerRecipesRequest; + output: ListContainerRecipesResponse; + }; + sdk: { + input: ListContainerRecipesCommandInput; + output: ListContainerRecipesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListDistributionConfigurationsCommand.ts b/clients/client-imagebuilder/src/commands/ListDistributionConfigurationsCommand.ts index 8a26184e92f4..28bcae1a060c 100644 --- a/clients/client-imagebuilder/src/commands/ListDistributionConfigurationsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListDistributionConfigurationsCommand.ts @@ -131,4 +131,16 @@ export class ListDistributionConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDistributionConfigurationsCommand) .de(de_ListDistributionConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributionConfigurationsRequest; + output: ListDistributionConfigurationsResponse; + }; + sdk: { + input: ListDistributionConfigurationsCommandInput; + output: ListDistributionConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImageBuildVersionsCommand.ts b/clients/client-imagebuilder/src/commands/ListImageBuildVersionsCommand.ts index 2a53c3417fc5..240c0e93404c 100644 --- a/clients/client-imagebuilder/src/commands/ListImageBuildVersionsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImageBuildVersionsCommand.ts @@ -158,4 +158,16 @@ export class ListImageBuildVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListImageBuildVersionsCommand) .de(de_ListImageBuildVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImageBuildVersionsRequest; + output: ListImageBuildVersionsResponse; + }; + sdk: { + input: ListImageBuildVersionsCommandInput; + output: ListImageBuildVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImagePackagesCommand.ts b/clients/client-imagebuilder/src/commands/ListImagePackagesCommand.ts index 11db664a9f0a..b11320e28a84 100644 --- a/clients/client-imagebuilder/src/commands/ListImagePackagesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImagePackagesCommand.ts @@ -114,4 +114,16 @@ export class ListImagePackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListImagePackagesCommand) .de(de_ListImagePackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImagePackagesRequest; + output: ListImagePackagesResponse; + }; + sdk: { + input: ListImagePackagesCommandInput; + output: ListImagePackagesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImagePipelineImagesCommand.ts b/clients/client-imagebuilder/src/commands/ListImagePipelineImagesCommand.ts index 3dcad6d3b0cc..0f317e598bf4 100644 --- a/clients/client-imagebuilder/src/commands/ListImagePipelineImagesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImagePipelineImagesCommand.ts @@ -161,4 +161,16 @@ export class ListImagePipelineImagesCommand extends $Command .f(void 0, void 0) .ser(se_ListImagePipelineImagesCommand) .de(de_ListImagePipelineImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImagePipelineImagesRequest; + output: ListImagePipelineImagesResponse; + }; + sdk: { + input: ListImagePipelineImagesCommandInput; + output: ListImagePipelineImagesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImagePipelinesCommand.ts b/clients/client-imagebuilder/src/commands/ListImagePipelinesCommand.ts index 9fd9323534b5..7da080abec1e 100644 --- a/clients/client-imagebuilder/src/commands/ListImagePipelinesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImagePipelinesCommand.ts @@ -166,4 +166,16 @@ export class ListImagePipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListImagePipelinesCommand) .de(de_ListImagePipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImagePipelinesRequest; + output: ListImagePipelinesResponse; + }; + sdk: { + input: ListImagePipelinesCommandInput; + output: ListImagePipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImageRecipesCommand.ts b/clients/client-imagebuilder/src/commands/ListImageRecipesCommand.ts index e9f8503638dd..b175b7e4f3a1 100644 --- a/clients/client-imagebuilder/src/commands/ListImageRecipesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImageRecipesCommand.ts @@ -125,4 +125,16 @@ export class ListImageRecipesCommand extends $Command .f(void 0, void 0) .ser(se_ListImageRecipesCommand) .de(de_ListImageRecipesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImageRecipesRequest; + output: ListImageRecipesResponse; + }; + sdk: { + input: ListImageRecipesCommandInput; + output: ListImageRecipesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImageScanFindingAggregationsCommand.ts b/clients/client-imagebuilder/src/commands/ListImageScanFindingAggregationsCommand.ts index a5bdcfc49feb..9a863d88cdd5 100644 --- a/clients/client-imagebuilder/src/commands/ListImageScanFindingAggregationsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImageScanFindingAggregationsCommand.ts @@ -181,4 +181,16 @@ export class ListImageScanFindingAggregationsCommand extends $Command .f(void 0, void 0) .ser(se_ListImageScanFindingAggregationsCommand) .de(de_ListImageScanFindingAggregationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImageScanFindingAggregationsRequest; + output: ListImageScanFindingAggregationsResponse; + }; + sdk: { + input: ListImageScanFindingAggregationsCommandInput; + output: ListImageScanFindingAggregationsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImageScanFindingsCommand.ts b/clients/client-imagebuilder/src/commands/ListImageScanFindingsCommand.ts index 7ea0e14441a1..1bf4f1ac727c 100644 --- a/clients/client-imagebuilder/src/commands/ListImageScanFindingsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImageScanFindingsCommand.ts @@ -183,4 +183,16 @@ export class ListImageScanFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListImageScanFindingsCommand) .de(de_ListImageScanFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImageScanFindingsRequest; + output: ListImageScanFindingsResponse; + }; + sdk: { + input: ListImageScanFindingsCommandInput; + output: ListImageScanFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListImagesCommand.ts b/clients/client-imagebuilder/src/commands/ListImagesCommand.ts index 8de409ca39f8..db14d57f2275 100644 --- a/clients/client-imagebuilder/src/commands/ListImagesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListImagesCommand.ts @@ -129,4 +129,16 @@ export class ListImagesCommand extends $Command .f(void 0, void 0) .ser(se_ListImagesCommand) .de(de_ListImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImagesRequest; + output: ListImagesResponse; + }; + sdk: { + input: ListImagesCommandInput; + output: ListImagesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListInfrastructureConfigurationsCommand.ts b/clients/client-imagebuilder/src/commands/ListInfrastructureConfigurationsCommand.ts index 6670f01ecc47..dddea40a7c94 100644 --- a/clients/client-imagebuilder/src/commands/ListInfrastructureConfigurationsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListInfrastructureConfigurationsCommand.ts @@ -135,4 +135,16 @@ export class ListInfrastructureConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListInfrastructureConfigurationsCommand) .de(de_ListInfrastructureConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInfrastructureConfigurationsRequest; + output: ListInfrastructureConfigurationsResponse; + }; + sdk: { + input: ListInfrastructureConfigurationsCommandInput; + output: ListInfrastructureConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListLifecycleExecutionResourcesCommand.ts b/clients/client-imagebuilder/src/commands/ListLifecycleExecutionResourcesCommand.ts index 1a557c189540..b68744584101 100644 --- a/clients/client-imagebuilder/src/commands/ListLifecycleExecutionResourcesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListLifecycleExecutionResourcesCommand.ts @@ -143,4 +143,16 @@ export class ListLifecycleExecutionResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListLifecycleExecutionResourcesCommand) .de(de_ListLifecycleExecutionResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLifecycleExecutionResourcesRequest; + output: ListLifecycleExecutionResourcesResponse; + }; + sdk: { + input: ListLifecycleExecutionResourcesCommandInput; + output: ListLifecycleExecutionResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListLifecycleExecutionsCommand.ts b/clients/client-imagebuilder/src/commands/ListLifecycleExecutionsCommand.ts index b626261be8e0..f17d729f313b 100644 --- a/clients/client-imagebuilder/src/commands/ListLifecycleExecutionsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListLifecycleExecutionsCommand.ts @@ -118,4 +118,16 @@ export class ListLifecycleExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLifecycleExecutionsCommand) .de(de_ListLifecycleExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLifecycleExecutionsRequest; + output: ListLifecycleExecutionsResponse; + }; + sdk: { + input: ListLifecycleExecutionsCommandInput; + output: ListLifecycleExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListLifecyclePoliciesCommand.ts b/clients/client-imagebuilder/src/commands/ListLifecyclePoliciesCommand.ts index e12ea056b27d..5ef9762b5ec3 100644 --- a/clients/client-imagebuilder/src/commands/ListLifecyclePoliciesCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListLifecyclePoliciesCommand.ts @@ -126,4 +126,16 @@ export class ListLifecyclePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListLifecyclePoliciesCommand) .de(de_ListLifecyclePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLifecyclePoliciesRequest; + output: ListLifecyclePoliciesResponse; + }; + sdk: { + input: ListLifecyclePoliciesCommandInput; + output: ListLifecyclePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListTagsForResourceCommand.ts b/clients/client-imagebuilder/src/commands/ListTagsForResourceCommand.ts index 865a954add0e..8c674b31a2a7 100644 --- a/clients/client-imagebuilder/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListTagsForResourceCommand.ts @@ -90,4 +90,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListWaitingWorkflowStepsCommand.ts b/clients/client-imagebuilder/src/commands/ListWaitingWorkflowStepsCommand.ts index 4e3dc8f7d102..52f4dfb76186 100644 --- a/clients/client-imagebuilder/src/commands/ListWaitingWorkflowStepsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListWaitingWorkflowStepsCommand.ts @@ -114,4 +114,16 @@ export class ListWaitingWorkflowStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListWaitingWorkflowStepsCommand) .de(de_ListWaitingWorkflowStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWaitingWorkflowStepsRequest; + output: ListWaitingWorkflowStepsResponse; + }; + sdk: { + input: ListWaitingWorkflowStepsCommandInput; + output: ListWaitingWorkflowStepsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListWorkflowBuildVersionsCommand.ts b/clients/client-imagebuilder/src/commands/ListWorkflowBuildVersionsCommand.ts index a12a6b31d080..e945274738fa 100644 --- a/clients/client-imagebuilder/src/commands/ListWorkflowBuildVersionsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListWorkflowBuildVersionsCommand.ts @@ -122,4 +122,16 @@ export class ListWorkflowBuildVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowBuildVersionsCommand) .de(de_ListWorkflowBuildVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowBuildVersionsRequest; + output: ListWorkflowBuildVersionsResponse; + }; + sdk: { + input: ListWorkflowBuildVersionsCommandInput; + output: ListWorkflowBuildVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListWorkflowExecutionsCommand.ts b/clients/client-imagebuilder/src/commands/ListWorkflowExecutionsCommand.ts index 93dfd84b794d..26acbbe5a212 100644 --- a/clients/client-imagebuilder/src/commands/ListWorkflowExecutionsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListWorkflowExecutionsCommand.ts @@ -123,4 +123,16 @@ export class ListWorkflowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowExecutionsCommand) .de(de_ListWorkflowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowExecutionsRequest; + output: ListWorkflowExecutionsResponse; + }; + sdk: { + input: ListWorkflowExecutionsCommandInput; + output: ListWorkflowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListWorkflowStepExecutionsCommand.ts b/clients/client-imagebuilder/src/commands/ListWorkflowStepExecutionsCommand.ts index 15de6948a402..c9cd26e477f6 100644 --- a/clients/client-imagebuilder/src/commands/ListWorkflowStepExecutionsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListWorkflowStepExecutionsCommand.ts @@ -124,4 +124,16 @@ export class ListWorkflowStepExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowStepExecutionsCommand) .de(de_ListWorkflowStepExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowStepExecutionsRequest; + output: ListWorkflowStepExecutionsResponse; + }; + sdk: { + input: ListWorkflowStepExecutionsCommandInput; + output: ListWorkflowStepExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/ListWorkflowsCommand.ts b/clients/client-imagebuilder/src/commands/ListWorkflowsCommand.ts index 73780c53edea..4b84eebd60b7 100644 --- a/clients/client-imagebuilder/src/commands/ListWorkflowsCommand.ts +++ b/clients/client-imagebuilder/src/commands/ListWorkflowsCommand.ts @@ -123,4 +123,16 @@ export class ListWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowsCommand) .de(de_ListWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowsRequest; + output: ListWorkflowsResponse; + }; + sdk: { + input: ListWorkflowsCommandInput; + output: ListWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/PutComponentPolicyCommand.ts b/clients/client-imagebuilder/src/commands/PutComponentPolicyCommand.ts index 09bf230b4731..428f28722315 100644 --- a/clients/client-imagebuilder/src/commands/PutComponentPolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/PutComponentPolicyCommand.ts @@ -108,4 +108,16 @@ export class PutComponentPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutComponentPolicyCommand) .de(de_PutComponentPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutComponentPolicyRequest; + output: PutComponentPolicyResponse; + }; + sdk: { + input: PutComponentPolicyCommandInput; + output: PutComponentPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/PutContainerRecipePolicyCommand.ts b/clients/client-imagebuilder/src/commands/PutContainerRecipePolicyCommand.ts index 7bc62888cef5..df508efe18e2 100644 --- a/clients/client-imagebuilder/src/commands/PutContainerRecipePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/PutContainerRecipePolicyCommand.ts @@ -113,4 +113,16 @@ export class PutContainerRecipePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutContainerRecipePolicyCommand) .de(de_PutContainerRecipePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutContainerRecipePolicyRequest; + output: PutContainerRecipePolicyResponse; + }; + sdk: { + input: PutContainerRecipePolicyCommandInput; + output: PutContainerRecipePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/PutImagePolicyCommand.ts b/clients/client-imagebuilder/src/commands/PutImagePolicyCommand.ts index a985c9b54521..175473f5be16 100644 --- a/clients/client-imagebuilder/src/commands/PutImagePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/PutImagePolicyCommand.ts @@ -108,4 +108,16 @@ export class PutImagePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutImagePolicyCommand) .de(de_PutImagePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutImagePolicyRequest; + output: PutImagePolicyResponse; + }; + sdk: { + input: PutImagePolicyCommandInput; + output: PutImagePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/PutImageRecipePolicyCommand.ts b/clients/client-imagebuilder/src/commands/PutImageRecipePolicyCommand.ts index 2f4352d0c5be..9e0803fa9c93 100644 --- a/clients/client-imagebuilder/src/commands/PutImageRecipePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/PutImageRecipePolicyCommand.ts @@ -108,4 +108,16 @@ export class PutImageRecipePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutImageRecipePolicyCommand) .de(de_PutImageRecipePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutImageRecipePolicyRequest; + output: PutImageRecipePolicyResponse; + }; + sdk: { + input: PutImageRecipePolicyCommandInput; + output: PutImageRecipePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/SendWorkflowStepActionCommand.ts b/clients/client-imagebuilder/src/commands/SendWorkflowStepActionCommand.ts index 03c47cea7de3..ae00c5143db6 100644 --- a/clients/client-imagebuilder/src/commands/SendWorkflowStepActionCommand.ts +++ b/clients/client-imagebuilder/src/commands/SendWorkflowStepActionCommand.ts @@ -119,4 +119,16 @@ export class SendWorkflowStepActionCommand extends $Command .f(void 0, void 0) .ser(se_SendWorkflowStepActionCommand) .de(de_SendWorkflowStepActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendWorkflowStepActionRequest; + output: SendWorkflowStepActionResponse; + }; + sdk: { + input: SendWorkflowStepActionCommandInput; + output: SendWorkflowStepActionCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/StartImagePipelineExecutionCommand.ts b/clients/client-imagebuilder/src/commands/StartImagePipelineExecutionCommand.ts index 47e5df3bb8e5..a0104bce1547 100644 --- a/clients/client-imagebuilder/src/commands/StartImagePipelineExecutionCommand.ts +++ b/clients/client-imagebuilder/src/commands/StartImagePipelineExecutionCommand.ts @@ -117,4 +117,16 @@ export class StartImagePipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartImagePipelineExecutionCommand) .de(de_StartImagePipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImagePipelineExecutionRequest; + output: StartImagePipelineExecutionResponse; + }; + sdk: { + input: StartImagePipelineExecutionCommandInput; + output: StartImagePipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/StartResourceStateUpdateCommand.ts b/clients/client-imagebuilder/src/commands/StartResourceStateUpdateCommand.ts index eea7c33c074e..0e30290f57f1 100644 --- a/clients/client-imagebuilder/src/commands/StartResourceStateUpdateCommand.ts +++ b/clients/client-imagebuilder/src/commands/StartResourceStateUpdateCommand.ts @@ -140,4 +140,16 @@ export class StartResourceStateUpdateCommand extends $Command .f(void 0, void 0) .ser(se_StartResourceStateUpdateCommand) .de(de_StartResourceStateUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartResourceStateUpdateRequest; + output: StartResourceStateUpdateResponse; + }; + sdk: { + input: StartResourceStateUpdateCommandInput; + output: StartResourceStateUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/TagResourceCommand.ts b/clients/client-imagebuilder/src/commands/TagResourceCommand.ts index a202d826f7ff..0940d8839a41 100644 --- a/clients/client-imagebuilder/src/commands/TagResourceCommand.ts +++ b/clients/client-imagebuilder/src/commands/TagResourceCommand.ts @@ -89,4 +89,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/UntagResourceCommand.ts b/clients/client-imagebuilder/src/commands/UntagResourceCommand.ts index cd750c727a29..1117e8422a1b 100644 --- a/clients/client-imagebuilder/src/commands/UntagResourceCommand.ts +++ b/clients/client-imagebuilder/src/commands/UntagResourceCommand.ts @@ -89,4 +89,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/UpdateDistributionConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/UpdateDistributionConfigurationCommand.ts index c8b9ad09ab22..48651a2f4c6d 100644 --- a/clients/client-imagebuilder/src/commands/UpdateDistributionConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/UpdateDistributionConfigurationCommand.ts @@ -191,4 +191,16 @@ export class UpdateDistributionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDistributionConfigurationCommand) .de(de_UpdateDistributionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDistributionConfigurationRequest; + output: UpdateDistributionConfigurationResponse; + }; + sdk: { + input: UpdateDistributionConfigurationCommandInput; + output: UpdateDistributionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/UpdateImagePipelineCommand.ts b/clients/client-imagebuilder/src/commands/UpdateImagePipelineCommand.ts index c606ca08f510..92641db4af47 100644 --- a/clients/client-imagebuilder/src/commands/UpdateImagePipelineCommand.ts +++ b/clients/client-imagebuilder/src/commands/UpdateImagePipelineCommand.ts @@ -157,4 +157,16 @@ export class UpdateImagePipelineCommand extends $Command .f(void 0, void 0) .ser(se_UpdateImagePipelineCommand) .de(de_UpdateImagePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateImagePipelineRequest; + output: UpdateImagePipelineResponse; + }; + sdk: { + input: UpdateImagePipelineCommandInput; + output: UpdateImagePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/UpdateInfrastructureConfigurationCommand.ts b/clients/client-imagebuilder/src/commands/UpdateInfrastructureConfigurationCommand.ts index 43908f91121d..5323ca409a68 100644 --- a/clients/client-imagebuilder/src/commands/UpdateInfrastructureConfigurationCommand.ts +++ b/clients/client-imagebuilder/src/commands/UpdateInfrastructureConfigurationCommand.ts @@ -143,4 +143,16 @@ export class UpdateInfrastructureConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInfrastructureConfigurationCommand) .de(de_UpdateInfrastructureConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInfrastructureConfigurationRequest; + output: UpdateInfrastructureConfigurationResponse; + }; + sdk: { + input: UpdateInfrastructureConfigurationCommandInput; + output: UpdateInfrastructureConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-imagebuilder/src/commands/UpdateLifecyclePolicyCommand.ts b/clients/client-imagebuilder/src/commands/UpdateLifecyclePolicyCommand.ts index 913608fb20e8..c5e53a7e8a23 100644 --- a/clients/client-imagebuilder/src/commands/UpdateLifecyclePolicyCommand.ts +++ b/clients/client-imagebuilder/src/commands/UpdateLifecyclePolicyCommand.ts @@ -163,4 +163,16 @@ export class UpdateLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLifecyclePolicyCommand) .de(de_UpdateLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLifecyclePolicyRequest; + output: UpdateLifecyclePolicyResponse; + }; + sdk: { + input: UpdateLifecyclePolicyCommandInput; + output: UpdateLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-inspector-scan/package.json b/clients/client-inspector-scan/package.json index 146ab85a3005..af7e4504ac7e 100644 --- a/clients/client-inspector-scan/package.json +++ b/clients/client-inspector-scan/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-inspector-scan/src/commands/ScanSbomCommand.ts b/clients/client-inspector-scan/src/commands/ScanSbomCommand.ts index 4b0a8bc57c30..93b335d68127 100644 --- a/clients/client-inspector-scan/src/commands/ScanSbomCommand.ts +++ b/clients/client-inspector-scan/src/commands/ScanSbomCommand.ts @@ -268,4 +268,16 @@ export class ScanSbomCommand extends $Command .f(void 0, void 0) .ser(se_ScanSbomCommand) .de(de_ScanSbomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScanSbomRequest; + output: ScanSbomResponse; + }; + sdk: { + input: ScanSbomCommandInput; + output: ScanSbomCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/package.json b/clients/client-inspector/package.json index d1b9e0a18c41..6326cef38374 100644 --- a/clients/client-inspector/package.json +++ b/clients/client-inspector/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-inspector/src/commands/AddAttributesToFindingsCommand.ts b/clients/client-inspector/src/commands/AddAttributesToFindingsCommand.ts index 85c1d1ba3c52..75e0b0df9484 100644 --- a/clients/client-inspector/src/commands/AddAttributesToFindingsCommand.ts +++ b/clients/client-inspector/src/commands/AddAttributesToFindingsCommand.ts @@ -132,4 +132,16 @@ export class AddAttributesToFindingsCommand extends $Command .f(void 0, void 0) .ser(se_AddAttributesToFindingsCommand) .de(de_AddAttributesToFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddAttributesToFindingsRequest; + output: AddAttributesToFindingsResponse; + }; + sdk: { + input: AddAttributesToFindingsCommandInput; + output: AddAttributesToFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/CreateAssessmentTargetCommand.ts b/clients/client-inspector/src/commands/CreateAssessmentTargetCommand.ts index b6406fc53652..28492e9d7165 100644 --- a/clients/client-inspector/src/commands/CreateAssessmentTargetCommand.ts +++ b/clients/client-inspector/src/commands/CreateAssessmentTargetCommand.ts @@ -127,4 +127,16 @@ export class CreateAssessmentTargetCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssessmentTargetCommand) .de(de_CreateAssessmentTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssessmentTargetRequest; + output: CreateAssessmentTargetResponse; + }; + sdk: { + input: CreateAssessmentTargetCommandInput; + output: CreateAssessmentTargetCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/CreateAssessmentTemplateCommand.ts b/clients/client-inspector/src/commands/CreateAssessmentTemplateCommand.ts index 94a6f9b01ef7..d4683ca8e261 100644 --- a/clients/client-inspector/src/commands/CreateAssessmentTemplateCommand.ts +++ b/clients/client-inspector/src/commands/CreateAssessmentTemplateCommand.ts @@ -139,4 +139,16 @@ export class CreateAssessmentTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssessmentTemplateCommand) .de(de_CreateAssessmentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssessmentTemplateRequest; + output: CreateAssessmentTemplateResponse; + }; + sdk: { + input: CreateAssessmentTemplateCommandInput; + output: CreateAssessmentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/CreateExclusionsPreviewCommand.ts b/clients/client-inspector/src/commands/CreateExclusionsPreviewCommand.ts index 47f65a496153..2407f6a82358 100644 --- a/clients/client-inspector/src/commands/CreateExclusionsPreviewCommand.ts +++ b/clients/client-inspector/src/commands/CreateExclusionsPreviewCommand.ts @@ -100,4 +100,16 @@ export class CreateExclusionsPreviewCommand extends $Command .f(void 0, void 0) .ser(se_CreateExclusionsPreviewCommand) .de(de_CreateExclusionsPreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExclusionsPreviewRequest; + output: CreateExclusionsPreviewResponse; + }; + sdk: { + input: CreateExclusionsPreviewCommandInput; + output: CreateExclusionsPreviewCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/CreateResourceGroupCommand.ts b/clients/client-inspector/src/commands/CreateResourceGroupCommand.ts index e2a8ef537454..6f6fb9468e1b 100644 --- a/clients/client-inspector/src/commands/CreateResourceGroupCommand.ts +++ b/clients/client-inspector/src/commands/CreateResourceGroupCommand.ts @@ -123,4 +123,16 @@ export class CreateResourceGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceGroupCommand) .de(de_CreateResourceGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceGroupRequest; + output: CreateResourceGroupResponse; + }; + sdk: { + input: CreateResourceGroupCommandInput; + output: CreateResourceGroupCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DeleteAssessmentRunCommand.ts b/clients/client-inspector/src/commands/DeleteAssessmentRunCommand.ts index 5b55a6b0f4b4..1a2f53dc3cb0 100644 --- a/clients/client-inspector/src/commands/DeleteAssessmentRunCommand.ts +++ b/clients/client-inspector/src/commands/DeleteAssessmentRunCommand.ts @@ -108,4 +108,16 @@ export class DeleteAssessmentRunCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssessmentRunCommand) .de(de_DeleteAssessmentRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssessmentRunRequest; + output: {}; + }; + sdk: { + input: DeleteAssessmentRunCommandInput; + output: DeleteAssessmentRunCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DeleteAssessmentTargetCommand.ts b/clients/client-inspector/src/commands/DeleteAssessmentTargetCommand.ts index dcace3db0f8b..8d6010859664 100644 --- a/clients/client-inspector/src/commands/DeleteAssessmentTargetCommand.ts +++ b/clients/client-inspector/src/commands/DeleteAssessmentTargetCommand.ts @@ -108,4 +108,16 @@ export class DeleteAssessmentTargetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssessmentTargetCommand) .de(de_DeleteAssessmentTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssessmentTargetRequest; + output: {}; + }; + sdk: { + input: DeleteAssessmentTargetCommandInput; + output: DeleteAssessmentTargetCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DeleteAssessmentTemplateCommand.ts b/clients/client-inspector/src/commands/DeleteAssessmentTemplateCommand.ts index d91e03a4c6a5..995ddbb2779a 100644 --- a/clients/client-inspector/src/commands/DeleteAssessmentTemplateCommand.ts +++ b/clients/client-inspector/src/commands/DeleteAssessmentTemplateCommand.ts @@ -108,4 +108,16 @@ export class DeleteAssessmentTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssessmentTemplateCommand) .de(de_DeleteAssessmentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssessmentTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteAssessmentTemplateCommandInput; + output: DeleteAssessmentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeAssessmentRunsCommand.ts b/clients/client-inspector/src/commands/DescribeAssessmentRunsCommand.ts index 8f8fc0f83b7b..76e01b4ccf69 100644 --- a/clients/client-inspector/src/commands/DescribeAssessmentRunsCommand.ts +++ b/clients/client-inspector/src/commands/DescribeAssessmentRunsCommand.ts @@ -212,4 +212,16 @@ export class DescribeAssessmentRunsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssessmentRunsCommand) .de(de_DescribeAssessmentRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssessmentRunsRequest; + output: DescribeAssessmentRunsResponse; + }; + sdk: { + input: DescribeAssessmentRunsCommandInput; + output: DescribeAssessmentRunsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeAssessmentTargetsCommand.ts b/clients/client-inspector/src/commands/DescribeAssessmentTargetsCommand.ts index 5c62a6ce30c2..d7e22a830852 100644 --- a/clients/client-inspector/src/commands/DescribeAssessmentTargetsCommand.ts +++ b/clients/client-inspector/src/commands/DescribeAssessmentTargetsCommand.ts @@ -128,4 +128,16 @@ export class DescribeAssessmentTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssessmentTargetsCommand) .de(de_DescribeAssessmentTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssessmentTargetsRequest; + output: DescribeAssessmentTargetsResponse; + }; + sdk: { + input: DescribeAssessmentTargetsCommandInput; + output: DescribeAssessmentTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeAssessmentTemplatesCommand.ts b/clients/client-inspector/src/commands/DescribeAssessmentTemplatesCommand.ts index a1ec5238a5a8..db0064e3eb5b 100644 --- a/clients/client-inspector/src/commands/DescribeAssessmentTemplatesCommand.ts +++ b/clients/client-inspector/src/commands/DescribeAssessmentTemplatesCommand.ts @@ -146,4 +146,16 @@ export class DescribeAssessmentTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssessmentTemplatesCommand) .de(de_DescribeAssessmentTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssessmentTemplatesRequest; + output: DescribeAssessmentTemplatesResponse; + }; + sdk: { + input: DescribeAssessmentTemplatesCommandInput; + output: DescribeAssessmentTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeCrossAccountAccessRoleCommand.ts b/clients/client-inspector/src/commands/DescribeCrossAccountAccessRoleCommand.ts index 48a6097bd3f5..86a4c2bbea67 100644 --- a/clients/client-inspector/src/commands/DescribeCrossAccountAccessRoleCommand.ts +++ b/clients/client-inspector/src/commands/DescribeCrossAccountAccessRoleCommand.ts @@ -102,4 +102,16 @@ export class DescribeCrossAccountAccessRoleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCrossAccountAccessRoleCommand) .de(de_DescribeCrossAccountAccessRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeCrossAccountAccessRoleResponse; + }; + sdk: { + input: DescribeCrossAccountAccessRoleCommandInput; + output: DescribeCrossAccountAccessRoleCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeExclusionsCommand.ts b/clients/client-inspector/src/commands/DescribeExclusionsCommand.ts index fc5f153995e7..624bb32c44cd 100644 --- a/clients/client-inspector/src/commands/DescribeExclusionsCommand.ts +++ b/clients/client-inspector/src/commands/DescribeExclusionsCommand.ts @@ -112,4 +112,16 @@ export class DescribeExclusionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExclusionsCommand) .de(de_DescribeExclusionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExclusionsRequest; + output: DescribeExclusionsResponse; + }; + sdk: { + input: DescribeExclusionsCommandInput; + output: DescribeExclusionsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeFindingsCommand.ts b/clients/client-inspector/src/commands/DescribeFindingsCommand.ts index d89d8e1728d2..ee6790912921 100644 --- a/clients/client-inspector/src/commands/DescribeFindingsCommand.ts +++ b/clients/client-inspector/src/commands/DescribeFindingsCommand.ts @@ -215,4 +215,16 @@ export class DescribeFindingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFindingsCommand) .de(de_DescribeFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFindingsRequest; + output: DescribeFindingsResponse; + }; + sdk: { + input: DescribeFindingsCommandInput; + output: DescribeFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeResourceGroupsCommand.ts b/clients/client-inspector/src/commands/DescribeResourceGroupsCommand.ts index 3491bee25d88..f68cdb8378fa 100644 --- a/clients/client-inspector/src/commands/DescribeResourceGroupsCommand.ts +++ b/clients/client-inspector/src/commands/DescribeResourceGroupsCommand.ts @@ -134,4 +134,16 @@ export class DescribeResourceGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourceGroupsCommand) .de(de_DescribeResourceGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourceGroupsRequest; + output: DescribeResourceGroupsResponse; + }; + sdk: { + input: DescribeResourceGroupsCommandInput; + output: DescribeResourceGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/DescribeRulesPackagesCommand.ts b/clients/client-inspector/src/commands/DescribeRulesPackagesCommand.ts index 10c04345f25e..387f4c26dcdd 100644 --- a/clients/client-inspector/src/commands/DescribeRulesPackagesCommand.ts +++ b/clients/client-inspector/src/commands/DescribeRulesPackagesCommand.ts @@ -129,4 +129,16 @@ export class DescribeRulesPackagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRulesPackagesCommand) .de(de_DescribeRulesPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRulesPackagesRequest; + output: DescribeRulesPackagesResponse; + }; + sdk: { + input: DescribeRulesPackagesCommandInput; + output: DescribeRulesPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/GetAssessmentReportCommand.ts b/clients/client-inspector/src/commands/GetAssessmentReportCommand.ts index 6620379cccf7..68c36a42e9b7 100644 --- a/clients/client-inspector/src/commands/GetAssessmentReportCommand.ts +++ b/clients/client-inspector/src/commands/GetAssessmentReportCommand.ts @@ -109,4 +109,16 @@ export class GetAssessmentReportCommand extends $Command .f(void 0, void 0) .ser(se_GetAssessmentReportCommand) .de(de_GetAssessmentReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssessmentReportRequest; + output: GetAssessmentReportResponse; + }; + sdk: { + input: GetAssessmentReportCommandInput; + output: GetAssessmentReportCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/GetExclusionsPreviewCommand.ts b/clients/client-inspector/src/commands/GetExclusionsPreviewCommand.ts index 067fdfbed65a..172768d39aec 100644 --- a/clients/client-inspector/src/commands/GetExclusionsPreviewCommand.ts +++ b/clients/client-inspector/src/commands/GetExclusionsPreviewCommand.ts @@ -117,4 +117,16 @@ export class GetExclusionsPreviewCommand extends $Command .f(void 0, void 0) .ser(se_GetExclusionsPreviewCommand) .de(de_GetExclusionsPreviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExclusionsPreviewRequest; + output: GetExclusionsPreviewResponse; + }; + sdk: { + input: GetExclusionsPreviewCommandInput; + output: GetExclusionsPreviewCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/GetTelemetryMetadataCommand.ts b/clients/client-inspector/src/commands/GetTelemetryMetadataCommand.ts index 3c6ab7f99c6a..a78a7f5e8d27 100644 --- a/clients/client-inspector/src/commands/GetTelemetryMetadataCommand.ts +++ b/clients/client-inspector/src/commands/GetTelemetryMetadataCommand.ts @@ -260,4 +260,16 @@ export class GetTelemetryMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetTelemetryMetadataCommand) .de(de_GetTelemetryMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTelemetryMetadataRequest; + output: GetTelemetryMetadataResponse; + }; + sdk: { + input: GetTelemetryMetadataCommandInput; + output: GetTelemetryMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListAssessmentRunAgentsCommand.ts b/clients/client-inspector/src/commands/ListAssessmentRunAgentsCommand.ts index 4b84adda301d..0aa240be97ba 100644 --- a/clients/client-inspector/src/commands/ListAssessmentRunAgentsCommand.ts +++ b/clients/client-inspector/src/commands/ListAssessmentRunAgentsCommand.ts @@ -291,4 +291,16 @@ export class ListAssessmentRunAgentsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssessmentRunAgentsCommand) .de(de_ListAssessmentRunAgentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentRunAgentsRequest; + output: ListAssessmentRunAgentsResponse; + }; + sdk: { + input: ListAssessmentRunAgentsCommandInput; + output: ListAssessmentRunAgentsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListAssessmentRunsCommand.ts b/clients/client-inspector/src/commands/ListAssessmentRunsCommand.ts index d608df3b3674..d4c12ba274bb 100644 --- a/clients/client-inspector/src/commands/ListAssessmentRunsCommand.ts +++ b/clients/client-inspector/src/commands/ListAssessmentRunsCommand.ts @@ -147,4 +147,16 @@ export class ListAssessmentRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssessmentRunsCommand) .de(de_ListAssessmentRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentRunsRequest; + output: ListAssessmentRunsResponse; + }; + sdk: { + input: ListAssessmentRunsCommandInput; + output: ListAssessmentRunsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListAssessmentTargetsCommand.ts b/clients/client-inspector/src/commands/ListAssessmentTargetsCommand.ts index d1cf2d52b53a..6ad0d3023b78 100644 --- a/clients/client-inspector/src/commands/ListAssessmentTargetsCommand.ts +++ b/clients/client-inspector/src/commands/ListAssessmentTargetsCommand.ts @@ -115,4 +115,16 @@ export class ListAssessmentTargetsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssessmentTargetsCommand) .de(de_ListAssessmentTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentTargetsRequest; + output: ListAssessmentTargetsResponse; + }; + sdk: { + input: ListAssessmentTargetsCommandInput; + output: ListAssessmentTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListAssessmentTemplatesCommand.ts b/clients/client-inspector/src/commands/ListAssessmentTemplatesCommand.ts index 5a93a1e1a508..4a1888aadfbb 100644 --- a/clients/client-inspector/src/commands/ListAssessmentTemplatesCommand.ts +++ b/clients/client-inspector/src/commands/ListAssessmentTemplatesCommand.ts @@ -132,4 +132,16 @@ export class ListAssessmentTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListAssessmentTemplatesCommand) .de(de_ListAssessmentTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssessmentTemplatesRequest; + output: ListAssessmentTemplatesResponse; + }; + sdk: { + input: ListAssessmentTemplatesCommandInput; + output: ListAssessmentTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListEventSubscriptionsCommand.ts b/clients/client-inspector/src/commands/ListEventSubscriptionsCommand.ts index 7576d125c59a..65c4fe690512 100644 --- a/clients/client-inspector/src/commands/ListEventSubscriptionsCommand.ts +++ b/clients/client-inspector/src/commands/ListEventSubscriptionsCommand.ts @@ -135,4 +135,16 @@ export class ListEventSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventSubscriptionsCommand) .de(de_ListEventSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventSubscriptionsRequest; + output: ListEventSubscriptionsResponse; + }; + sdk: { + input: ListEventSubscriptionsCommandInput; + output: ListEventSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListExclusionsCommand.ts b/clients/client-inspector/src/commands/ListExclusionsCommand.ts index 5a0a355e4f1d..9e4bd2851d7a 100644 --- a/clients/client-inspector/src/commands/ListExclusionsCommand.ts +++ b/clients/client-inspector/src/commands/ListExclusionsCommand.ts @@ -96,4 +96,16 @@ export class ListExclusionsCommand extends $Command .f(void 0, void 0) .ser(se_ListExclusionsCommand) .de(de_ListExclusionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExclusionsRequest; + output: ListExclusionsResponse; + }; + sdk: { + input: ListExclusionsCommandInput; + output: ListExclusionsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListFindingsCommand.ts b/clients/client-inspector/src/commands/ListFindingsCommand.ts index 12f4653f1247..16fbd0653a6f 100644 --- a/clients/client-inspector/src/commands/ListFindingsCommand.ts +++ b/clients/client-inspector/src/commands/ListFindingsCommand.ts @@ -155,4 +155,16 @@ export class ListFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsCommand) .de(de_ListFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsRequest; + output: ListFindingsResponse; + }; + sdk: { + input: ListFindingsCommandInput; + output: ListFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListRulesPackagesCommand.ts b/clients/client-inspector/src/commands/ListRulesPackagesCommand.ts index 6ea32ded28b0..43a2da3cefc1 100644 --- a/clients/client-inspector/src/commands/ListRulesPackagesCommand.ts +++ b/clients/client-inspector/src/commands/ListRulesPackagesCommand.ts @@ -113,4 +113,16 @@ export class ListRulesPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesPackagesCommand) .de(de_ListRulesPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesPackagesRequest; + output: ListRulesPackagesResponse; + }; + sdk: { + input: ListRulesPackagesCommandInput; + output: ListRulesPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/ListTagsForResourceCommand.ts b/clients/client-inspector/src/commands/ListTagsForResourceCommand.ts index 817ea203bfa6..29bcbb2dcf90 100644 --- a/clients/client-inspector/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-inspector/src/commands/ListTagsForResourceCommand.ts @@ -117,4 +117,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/PreviewAgentsCommand.ts b/clients/client-inspector/src/commands/PreviewAgentsCommand.ts index 2c0305f25060..b59062c73075 100644 --- a/clients/client-inspector/src/commands/PreviewAgentsCommand.ts +++ b/clients/client-inspector/src/commands/PreviewAgentsCommand.ts @@ -132,4 +132,16 @@ export class PreviewAgentsCommand extends $Command .f(void 0, void 0) .ser(se_PreviewAgentsCommand) .de(de_PreviewAgentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PreviewAgentsRequest; + output: PreviewAgentsResponse; + }; + sdk: { + input: PreviewAgentsCommandInput; + output: PreviewAgentsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/RegisterCrossAccountAccessRoleCommand.ts b/clients/client-inspector/src/commands/RegisterCrossAccountAccessRoleCommand.ts index ed9821f248ed..57b9ee0add75 100644 --- a/clients/client-inspector/src/commands/RegisterCrossAccountAccessRoleCommand.ts +++ b/clients/client-inspector/src/commands/RegisterCrossAccountAccessRoleCommand.ts @@ -107,4 +107,16 @@ export class RegisterCrossAccountAccessRoleCommand extends $Command .f(void 0, void 0) .ser(se_RegisterCrossAccountAccessRoleCommand) .de(de_RegisterCrossAccountAccessRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterCrossAccountAccessRoleRequest; + output: {}; + }; + sdk: { + input: RegisterCrossAccountAccessRoleCommandInput; + output: RegisterCrossAccountAccessRoleCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/RemoveAttributesFromFindingsCommand.ts b/clients/client-inspector/src/commands/RemoveAttributesFromFindingsCommand.ts index a28054be5589..1f9ec4e81460 100644 --- a/clients/client-inspector/src/commands/RemoveAttributesFromFindingsCommand.ts +++ b/clients/client-inspector/src/commands/RemoveAttributesFromFindingsCommand.ts @@ -131,4 +131,16 @@ export class RemoveAttributesFromFindingsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveAttributesFromFindingsCommand) .de(de_RemoveAttributesFromFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAttributesFromFindingsRequest; + output: RemoveAttributesFromFindingsResponse; + }; + sdk: { + input: RemoveAttributesFromFindingsCommandInput; + output: RemoveAttributesFromFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/SetTagsForResourceCommand.ts b/clients/client-inspector/src/commands/SetTagsForResourceCommand.ts index c760b7994b6a..48f8a4d3b317 100644 --- a/clients/client-inspector/src/commands/SetTagsForResourceCommand.ts +++ b/clients/client-inspector/src/commands/SetTagsForResourceCommand.ts @@ -116,4 +116,16 @@ export class SetTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_SetTagsForResourceCommand) .de(de_SetTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTagsForResourceRequest; + output: {}; + }; + sdk: { + input: SetTagsForResourceCommandInput; + output: SetTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/StartAssessmentRunCommand.ts b/clients/client-inspector/src/commands/StartAssessmentRunCommand.ts index e1158090addc..86461d7577da 100644 --- a/clients/client-inspector/src/commands/StartAssessmentRunCommand.ts +++ b/clients/client-inspector/src/commands/StartAssessmentRunCommand.ts @@ -126,4 +126,16 @@ export class StartAssessmentRunCommand extends $Command .f(void 0, void 0) .ser(se_StartAssessmentRunCommand) .de(de_StartAssessmentRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAssessmentRunRequest; + output: StartAssessmentRunResponse; + }; + sdk: { + input: StartAssessmentRunCommandInput; + output: StartAssessmentRunCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/StopAssessmentRunCommand.ts b/clients/client-inspector/src/commands/StopAssessmentRunCommand.ts index 2dc2c3d21f3c..25a32a9d2f56 100644 --- a/clients/client-inspector/src/commands/StopAssessmentRunCommand.ts +++ b/clients/client-inspector/src/commands/StopAssessmentRunCommand.ts @@ -105,4 +105,16 @@ export class StopAssessmentRunCommand extends $Command .f(void 0, void 0) .ser(se_StopAssessmentRunCommand) .de(de_StopAssessmentRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAssessmentRunRequest; + output: {}; + }; + sdk: { + input: StopAssessmentRunCommandInput; + output: StopAssessmentRunCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/SubscribeToEventCommand.ts b/clients/client-inspector/src/commands/SubscribeToEventCommand.ts index 9d11d715304c..39bd1c6317e3 100644 --- a/clients/client-inspector/src/commands/SubscribeToEventCommand.ts +++ b/clients/client-inspector/src/commands/SubscribeToEventCommand.ts @@ -112,4 +112,16 @@ export class SubscribeToEventCommand extends $Command .f(void 0, void 0) .ser(se_SubscribeToEventCommand) .de(de_SubscribeToEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubscribeToEventRequest; + output: {}; + }; + sdk: { + input: SubscribeToEventCommandInput; + output: SubscribeToEventCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/UnsubscribeFromEventCommand.ts b/clients/client-inspector/src/commands/UnsubscribeFromEventCommand.ts index c43099bd9a3b..984b08d78b4c 100644 --- a/clients/client-inspector/src/commands/UnsubscribeFromEventCommand.ts +++ b/clients/client-inspector/src/commands/UnsubscribeFromEventCommand.ts @@ -108,4 +108,16 @@ export class UnsubscribeFromEventCommand extends $Command .f(void 0, void 0) .ser(se_UnsubscribeFromEventCommand) .de(de_UnsubscribeFromEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnsubscribeFromEventRequest; + output: {}; + }; + sdk: { + input: UnsubscribeFromEventCommandInput; + output: UnsubscribeFromEventCommandOutput; + }; + }; +} diff --git a/clients/client-inspector/src/commands/UpdateAssessmentTargetCommand.ts b/clients/client-inspector/src/commands/UpdateAssessmentTargetCommand.ts index b78868f92c24..712a01bc2cd7 100644 --- a/clients/client-inspector/src/commands/UpdateAssessmentTargetCommand.ts +++ b/clients/client-inspector/src/commands/UpdateAssessmentTargetCommand.ts @@ -110,4 +110,16 @@ export class UpdateAssessmentTargetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAssessmentTargetCommand) .de(de_UpdateAssessmentTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssessmentTargetRequest; + output: {}; + }; + sdk: { + input: UpdateAssessmentTargetCommandInput; + output: UpdateAssessmentTargetCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/package.json b/clients/client-inspector2/package.json index 52e5a489c700..c5998f4987b6 100644 --- a/clients/client-inspector2/package.json +++ b/clients/client-inspector2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-inspector2/src/commands/AssociateMemberCommand.ts b/clients/client-inspector2/src/commands/AssociateMemberCommand.ts index ace17abe3d3d..612cf7adef7c 100644 --- a/clients/client-inspector2/src/commands/AssociateMemberCommand.ts +++ b/clients/client-inspector2/src/commands/AssociateMemberCommand.ts @@ -93,4 +93,16 @@ export class AssociateMemberCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMemberCommand) .de(de_AssociateMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMemberRequest; + output: AssociateMemberResponse; + }; + sdk: { + input: AssociateMemberCommandInput; + output: AssociateMemberCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/BatchGetAccountStatusCommand.ts b/clients/client-inspector2/src/commands/BatchGetAccountStatusCommand.ts index 812b3c83e12f..30389eedf158 100644 --- a/clients/client-inspector2/src/commands/BatchGetAccountStatusCommand.ts +++ b/clients/client-inspector2/src/commands/BatchGetAccountStatusCommand.ts @@ -143,4 +143,16 @@ export class BatchGetAccountStatusCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetAccountStatusCommand) .de(de_BatchGetAccountStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetAccountStatusRequest; + output: BatchGetAccountStatusResponse; + }; + sdk: { + input: BatchGetAccountStatusCommandInput; + output: BatchGetAccountStatusCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/BatchGetCodeSnippetCommand.ts b/clients/client-inspector2/src/commands/BatchGetCodeSnippetCommand.ts index bf05daa4caae..947fe8f1d513 100644 --- a/clients/client-inspector2/src/commands/BatchGetCodeSnippetCommand.ts +++ b/clients/client-inspector2/src/commands/BatchGetCodeSnippetCommand.ts @@ -120,4 +120,16 @@ export class BatchGetCodeSnippetCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetCodeSnippetCommand) .de(de_BatchGetCodeSnippetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetCodeSnippetRequest; + output: BatchGetCodeSnippetResponse; + }; + sdk: { + input: BatchGetCodeSnippetCommandInput; + output: BatchGetCodeSnippetCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/BatchGetFindingDetailsCommand.ts b/clients/client-inspector2/src/commands/BatchGetFindingDetailsCommand.ts index a8c9a49ebc49..9a02cb92a847 100644 --- a/clients/client-inspector2/src/commands/BatchGetFindingDetailsCommand.ts +++ b/clients/client-inspector2/src/commands/BatchGetFindingDetailsCommand.ts @@ -136,4 +136,16 @@ export class BatchGetFindingDetailsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetFindingDetailsCommand) .de(de_BatchGetFindingDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetFindingDetailsRequest; + output: BatchGetFindingDetailsResponse; + }; + sdk: { + input: BatchGetFindingDetailsCommandInput; + output: BatchGetFindingDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/BatchGetFreeTrialInfoCommand.ts b/clients/client-inspector2/src/commands/BatchGetFreeTrialInfoCommand.ts index ae9bed2b4c3b..34cb2bcf4b9f 100644 --- a/clients/client-inspector2/src/commands/BatchGetFreeTrialInfoCommand.ts +++ b/clients/client-inspector2/src/commands/BatchGetFreeTrialInfoCommand.ts @@ -114,4 +114,16 @@ export class BatchGetFreeTrialInfoCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetFreeTrialInfoCommand) .de(de_BatchGetFreeTrialInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetFreeTrialInfoRequest; + output: BatchGetFreeTrialInfoResponse; + }; + sdk: { + input: BatchGetFreeTrialInfoCommandInput; + output: BatchGetFreeTrialInfoCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/BatchGetMemberEc2DeepInspectionStatusCommand.ts b/clients/client-inspector2/src/commands/BatchGetMemberEc2DeepInspectionStatusCommand.ts index 88442cb692bd..78067ccb0111 100644 --- a/clients/client-inspector2/src/commands/BatchGetMemberEc2DeepInspectionStatusCommand.ts +++ b/clients/client-inspector2/src/commands/BatchGetMemberEc2DeepInspectionStatusCommand.ts @@ -117,4 +117,16 @@ export class BatchGetMemberEc2DeepInspectionStatusCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetMemberEc2DeepInspectionStatusCommand) .de(de_BatchGetMemberEc2DeepInspectionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetMemberEc2DeepInspectionStatusRequest; + output: BatchGetMemberEc2DeepInspectionStatusResponse; + }; + sdk: { + input: BatchGetMemberEc2DeepInspectionStatusCommandInput; + output: BatchGetMemberEc2DeepInspectionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/BatchUpdateMemberEc2DeepInspectionStatusCommand.ts b/clients/client-inspector2/src/commands/BatchUpdateMemberEc2DeepInspectionStatusCommand.ts index d3e1a2008c6b..c5e5c562df67 100644 --- a/clients/client-inspector2/src/commands/BatchUpdateMemberEc2DeepInspectionStatusCommand.ts +++ b/clients/client-inspector2/src/commands/BatchUpdateMemberEc2DeepInspectionStatusCommand.ts @@ -120,4 +120,16 @@ export class BatchUpdateMemberEc2DeepInspectionStatusCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateMemberEc2DeepInspectionStatusCommand) .de(de_BatchUpdateMemberEc2DeepInspectionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateMemberEc2DeepInspectionStatusRequest; + output: BatchUpdateMemberEc2DeepInspectionStatusResponse; + }; + sdk: { + input: BatchUpdateMemberEc2DeepInspectionStatusCommandInput; + output: BatchUpdateMemberEc2DeepInspectionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/CancelFindingsReportCommand.ts b/clients/client-inspector2/src/commands/CancelFindingsReportCommand.ts index b1b38c206a4b..3ae125a5ba17 100644 --- a/clients/client-inspector2/src/commands/CancelFindingsReportCommand.ts +++ b/clients/client-inspector2/src/commands/CancelFindingsReportCommand.ts @@ -96,4 +96,16 @@ export class CancelFindingsReportCommand extends $Command .f(void 0, void 0) .ser(se_CancelFindingsReportCommand) .de(de_CancelFindingsReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelFindingsReportRequest; + output: CancelFindingsReportResponse; + }; + sdk: { + input: CancelFindingsReportCommandInput; + output: CancelFindingsReportCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/CancelSbomExportCommand.ts b/clients/client-inspector2/src/commands/CancelSbomExportCommand.ts index 7a1016798376..641ffdb360e6 100644 --- a/clients/client-inspector2/src/commands/CancelSbomExportCommand.ts +++ b/clients/client-inspector2/src/commands/CancelSbomExportCommand.ts @@ -96,4 +96,16 @@ export class CancelSbomExportCommand extends $Command .f(void 0, void 0) .ser(se_CancelSbomExportCommand) .de(de_CancelSbomExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSbomExportRequest; + output: CancelSbomExportResponse; + }; + sdk: { + input: CancelSbomExportCommandInput; + output: CancelSbomExportCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/CreateCisScanConfigurationCommand.ts b/clients/client-inspector2/src/commands/CreateCisScanConfigurationCommand.ts index 09ec308cb818..67adb10d057c 100644 --- a/clients/client-inspector2/src/commands/CreateCisScanConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/CreateCisScanConfigurationCommand.ts @@ -132,4 +132,16 @@ export class CreateCisScanConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateCisScanConfigurationCommand) .de(de_CreateCisScanConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCisScanConfigurationRequest; + output: CreateCisScanConfigurationResponse; + }; + sdk: { + input: CreateCisScanConfigurationCommandInput; + output: CreateCisScanConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/CreateFilterCommand.ts b/clients/client-inspector2/src/commands/CreateFilterCommand.ts index 6e0c1f582c06..c10c10e77d24 100644 --- a/clients/client-inspector2/src/commands/CreateFilterCommand.ts +++ b/clients/client-inspector2/src/commands/CreateFilterCommand.ts @@ -234,4 +234,16 @@ export class CreateFilterCommand extends $Command .f(void 0, void 0) .ser(se_CreateFilterCommand) .de(de_CreateFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFilterRequest; + output: CreateFilterResponse; + }; + sdk: { + input: CreateFilterCommandInput; + output: CreateFilterCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/CreateFindingsReportCommand.ts b/clients/client-inspector2/src/commands/CreateFindingsReportCommand.ts index 742dd704f64f..821027cb4485 100644 --- a/clients/client-inspector2/src/commands/CreateFindingsReportCommand.ts +++ b/clients/client-inspector2/src/commands/CreateFindingsReportCommand.ts @@ -229,4 +229,16 @@ export class CreateFindingsReportCommand extends $Command .f(void 0, void 0) .ser(se_CreateFindingsReportCommand) .de(de_CreateFindingsReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFindingsReportRequest; + output: CreateFindingsReportResponse; + }; + sdk: { + input: CreateFindingsReportCommandInput; + output: CreateFindingsReportCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/CreateSbomExportCommand.ts b/clients/client-inspector2/src/commands/CreateSbomExportCommand.ts index 8c7dbf740fa6..18cab155f049 100644 --- a/clients/client-inspector2/src/commands/CreateSbomExportCommand.ts +++ b/clients/client-inspector2/src/commands/CreateSbomExportCommand.ts @@ -148,4 +148,16 @@ export class CreateSbomExportCommand extends $Command .f(void 0, void 0) .ser(se_CreateSbomExportCommand) .de(de_CreateSbomExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSbomExportRequest; + output: CreateSbomExportResponse; + }; + sdk: { + input: CreateSbomExportCommandInput; + output: CreateSbomExportCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/DeleteCisScanConfigurationCommand.ts b/clients/client-inspector2/src/commands/DeleteCisScanConfigurationCommand.ts index 62b736596b70..97cc8d305b66 100644 --- a/clients/client-inspector2/src/commands/DeleteCisScanConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/DeleteCisScanConfigurationCommand.ts @@ -96,4 +96,16 @@ export class DeleteCisScanConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCisScanConfigurationCommand) .de(de_DeleteCisScanConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCisScanConfigurationRequest; + output: DeleteCisScanConfigurationResponse; + }; + sdk: { + input: DeleteCisScanConfigurationCommandInput; + output: DeleteCisScanConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/DeleteFilterCommand.ts b/clients/client-inspector2/src/commands/DeleteFilterCommand.ts index 7f27a23b83c0..9639feb33a10 100644 --- a/clients/client-inspector2/src/commands/DeleteFilterCommand.ts +++ b/clients/client-inspector2/src/commands/DeleteFilterCommand.ts @@ -96,4 +96,16 @@ export class DeleteFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFilterCommand) .de(de_DeleteFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFilterRequest; + output: DeleteFilterResponse; + }; + sdk: { + input: DeleteFilterCommandInput; + output: DeleteFilterCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/DescribeOrganizationConfigurationCommand.ts b/clients/client-inspector2/src/commands/DescribeOrganizationConfigurationCommand.ts index 395836d9d85e..42a33b5e5dcc 100644 --- a/clients/client-inspector2/src/commands/DescribeOrganizationConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/DescribeOrganizationConfigurationCommand.ts @@ -105,4 +105,16 @@ export class DescribeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConfigurationCommand) .de(de_DescribeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeOrganizationConfigurationResponse; + }; + sdk: { + input: DescribeOrganizationConfigurationCommandInput; + output: DescribeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/DisableCommand.ts b/clients/client-inspector2/src/commands/DisableCommand.ts index 5fe12f2d32a6..fe729547389b 100644 --- a/clients/client-inspector2/src/commands/DisableCommand.ts +++ b/clients/client-inspector2/src/commands/DisableCommand.ts @@ -127,4 +127,16 @@ export class DisableCommand extends $Command .f(void 0, void 0) .ser(se_DisableCommand) .de(de_DisableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableRequest; + output: DisableResponse; + }; + sdk: { + input: DisableCommandInput; + output: DisableCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/DisableDelegatedAdminAccountCommand.ts b/clients/client-inspector2/src/commands/DisableDelegatedAdminAccountCommand.ts index c01569684788..a2946a9d1c10 100644 --- a/clients/client-inspector2/src/commands/DisableDelegatedAdminAccountCommand.ts +++ b/clients/client-inspector2/src/commands/DisableDelegatedAdminAccountCommand.ts @@ -104,4 +104,16 @@ export class DisableDelegatedAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisableDelegatedAdminAccountCommand) .de(de_DisableDelegatedAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableDelegatedAdminAccountRequest; + output: DisableDelegatedAdminAccountResponse; + }; + sdk: { + input: DisableDelegatedAdminAccountCommandInput; + output: DisableDelegatedAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/DisassociateMemberCommand.ts b/clients/client-inspector2/src/commands/DisassociateMemberCommand.ts index 57404485cc1c..5fafc87fe694 100644 --- a/clients/client-inspector2/src/commands/DisassociateMemberCommand.ts +++ b/clients/client-inspector2/src/commands/DisassociateMemberCommand.ts @@ -93,4 +93,16 @@ export class DisassociateMemberCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMemberCommand) .de(de_DisassociateMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMemberRequest; + output: DisassociateMemberResponse; + }; + sdk: { + input: DisassociateMemberCommandInput; + output: DisassociateMemberCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/EnableCommand.ts b/clients/client-inspector2/src/commands/EnableCommand.ts index 0732c9b65952..afb4acc6e20c 100644 --- a/clients/client-inspector2/src/commands/EnableCommand.ts +++ b/clients/client-inspector2/src/commands/EnableCommand.ts @@ -127,4 +127,16 @@ export class EnableCommand extends $Command .f(void 0, void 0) .ser(se_EnableCommand) .de(de_EnableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableRequest; + output: EnableResponse; + }; + sdk: { + input: EnableCommandInput; + output: EnableCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/EnableDelegatedAdminAccountCommand.ts b/clients/client-inspector2/src/commands/EnableDelegatedAdminAccountCommand.ts index 47b2221a98b3..eeb9216ee8fb 100644 --- a/clients/client-inspector2/src/commands/EnableDelegatedAdminAccountCommand.ts +++ b/clients/client-inspector2/src/commands/EnableDelegatedAdminAccountCommand.ts @@ -105,4 +105,16 @@ export class EnableDelegatedAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_EnableDelegatedAdminAccountCommand) .de(de_EnableDelegatedAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableDelegatedAdminAccountRequest; + output: EnableDelegatedAdminAccountResponse; + }; + sdk: { + input: EnableDelegatedAdminAccountCommandInput; + output: EnableDelegatedAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetCisScanReportCommand.ts b/clients/client-inspector2/src/commands/GetCisScanReportCommand.ts index bc2428169371..4c783d55905a 100644 --- a/clients/client-inspector2/src/commands/GetCisScanReportCommand.ts +++ b/clients/client-inspector2/src/commands/GetCisScanReportCommand.ts @@ -101,4 +101,16 @@ export class GetCisScanReportCommand extends $Command .f(void 0, void 0) .ser(se_GetCisScanReportCommand) .de(de_GetCisScanReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCisScanReportRequest; + output: GetCisScanReportResponse; + }; + sdk: { + input: GetCisScanReportCommandInput; + output: GetCisScanReportCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetCisScanResultDetailsCommand.ts b/clients/client-inspector2/src/commands/GetCisScanResultDetailsCommand.ts index 48328a44d8a0..2602bdb45e6d 100644 --- a/clients/client-inspector2/src/commands/GetCisScanResultDetailsCommand.ts +++ b/clients/client-inspector2/src/commands/GetCisScanResultDetailsCommand.ts @@ -147,4 +147,16 @@ export class GetCisScanResultDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetCisScanResultDetailsCommand) .de(de_GetCisScanResultDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCisScanResultDetailsRequest; + output: GetCisScanResultDetailsResponse; + }; + sdk: { + input: GetCisScanResultDetailsCommandInput; + output: GetCisScanResultDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetConfigurationCommand.ts b/clients/client-inspector2/src/commands/GetConfigurationCommand.ts index a1520bf13dcf..bb52d1475d26 100644 --- a/clients/client-inspector2/src/commands/GetConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/GetConfigurationCommand.ts @@ -97,4 +97,16 @@ export class GetConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationCommand) .de(de_GetConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetConfigurationResponse; + }; + sdk: { + input: GetConfigurationCommandInput; + output: GetConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetDelegatedAdminAccountCommand.ts b/clients/client-inspector2/src/commands/GetDelegatedAdminAccountCommand.ts index 7c67df92f961..2e5a22c10655 100644 --- a/clients/client-inspector2/src/commands/GetDelegatedAdminAccountCommand.ts +++ b/clients/client-inspector2/src/commands/GetDelegatedAdminAccountCommand.ts @@ -98,4 +98,16 @@ export class GetDelegatedAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetDelegatedAdminAccountCommand) .de(de_GetDelegatedAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDelegatedAdminAccountResponse; + }; + sdk: { + input: GetDelegatedAdminAccountCommandInput; + output: GetDelegatedAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetEc2DeepInspectionConfigurationCommand.ts b/clients/client-inspector2/src/commands/GetEc2DeepInspectionConfigurationCommand.ts index 739c98d88e0a..89067ee858a4 100644 --- a/clients/client-inspector2/src/commands/GetEc2DeepInspectionConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/GetEc2DeepInspectionConfigurationCommand.ts @@ -106,4 +106,16 @@ export class GetEc2DeepInspectionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetEc2DeepInspectionConfigurationCommand) .de(de_GetEc2DeepInspectionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetEc2DeepInspectionConfigurationResponse; + }; + sdk: { + input: GetEc2DeepInspectionConfigurationCommandInput; + output: GetEc2DeepInspectionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetEncryptionKeyCommand.ts b/clients/client-inspector2/src/commands/GetEncryptionKeyCommand.ts index d086cf138115..3e71dacd1923 100644 --- a/clients/client-inspector2/src/commands/GetEncryptionKeyCommand.ts +++ b/clients/client-inspector2/src/commands/GetEncryptionKeyCommand.ts @@ -97,4 +97,16 @@ export class GetEncryptionKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetEncryptionKeyCommand) .de(de_GetEncryptionKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEncryptionKeyRequest; + output: GetEncryptionKeyResponse; + }; + sdk: { + input: GetEncryptionKeyCommandInput; + output: GetEncryptionKeyCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetFindingsReportStatusCommand.ts b/clients/client-inspector2/src/commands/GetFindingsReportStatusCommand.ts index 296692efdff1..407ec1cf50a2 100644 --- a/clients/client-inspector2/src/commands/GetFindingsReportStatusCommand.ts +++ b/clients/client-inspector2/src/commands/GetFindingsReportStatusCommand.ts @@ -232,4 +232,16 @@ export class GetFindingsReportStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsReportStatusCommand) .de(de_GetFindingsReportStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsReportStatusRequest; + output: GetFindingsReportStatusResponse; + }; + sdk: { + input: GetFindingsReportStatusCommandInput; + output: GetFindingsReportStatusCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetMemberCommand.ts b/clients/client-inspector2/src/commands/GetMemberCommand.ts index 2ef834f0b1ce..d6443b536857 100644 --- a/clients/client-inspector2/src/commands/GetMemberCommand.ts +++ b/clients/client-inspector2/src/commands/GetMemberCommand.ts @@ -101,4 +101,16 @@ export class GetMemberCommand extends $Command .f(void 0, void 0) .ser(se_GetMemberCommand) .de(de_GetMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMemberRequest; + output: GetMemberResponse; + }; + sdk: { + input: GetMemberCommandInput; + output: GetMemberCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/GetSbomExportCommand.ts b/clients/client-inspector2/src/commands/GetSbomExportCommand.ts index d46e38167baa..97562601fac8 100644 --- a/clients/client-inspector2/src/commands/GetSbomExportCommand.ts +++ b/clients/client-inspector2/src/commands/GetSbomExportCommand.ts @@ -152,4 +152,16 @@ export class GetSbomExportCommand extends $Command .f(void 0, void 0) .ser(se_GetSbomExportCommand) .de(de_GetSbomExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSbomExportRequest; + output: GetSbomExportResponse; + }; + sdk: { + input: GetSbomExportCommandInput; + output: GetSbomExportCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListAccountPermissionsCommand.ts b/clients/client-inspector2/src/commands/ListAccountPermissionsCommand.ts index 4b50a1f311c1..796f84236e46 100644 --- a/clients/client-inspector2/src/commands/ListAccountPermissionsCommand.ts +++ b/clients/client-inspector2/src/commands/ListAccountPermissionsCommand.ts @@ -101,4 +101,16 @@ export class ListAccountPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountPermissionsCommand) .de(de_ListAccountPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountPermissionsRequest; + output: ListAccountPermissionsResponse; + }; + sdk: { + input: ListAccountPermissionsCommandInput; + output: ListAccountPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListCisScanConfigurationsCommand.ts b/clients/client-inspector2/src/commands/ListCisScanConfigurationsCommand.ts index 7f6045cbb37f..257f6b54010e 100644 --- a/clients/client-inspector2/src/commands/ListCisScanConfigurationsCommand.ts +++ b/clients/client-inspector2/src/commands/ListCisScanConfigurationsCommand.ts @@ -163,4 +163,16 @@ export class ListCisScanConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCisScanConfigurationsCommand) .de(de_ListCisScanConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCisScanConfigurationsRequest; + output: ListCisScanConfigurationsResponse; + }; + sdk: { + input: ListCisScanConfigurationsCommandInput; + output: ListCisScanConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByChecksCommand.ts b/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByChecksCommand.ts index 9fa68d5293df..9dbf421f852f 100644 --- a/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByChecksCommand.ts +++ b/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByChecksCommand.ts @@ -159,4 +159,16 @@ export class ListCisScanResultsAggregatedByChecksCommand extends $Command .f(void 0, void 0) .ser(se_ListCisScanResultsAggregatedByChecksCommand) .de(de_ListCisScanResultsAggregatedByChecksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCisScanResultsAggregatedByChecksRequest; + output: ListCisScanResultsAggregatedByChecksResponse; + }; + sdk: { + input: ListCisScanResultsAggregatedByChecksCommandInput; + output: ListCisScanResultsAggregatedByChecksCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByTargetResourceCommand.ts b/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByTargetResourceCommand.ts index 9d50b10574af..803b837f29f8 100644 --- a/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByTargetResourceCommand.ts +++ b/clients/client-inspector2/src/commands/ListCisScanResultsAggregatedByTargetResourceCommand.ts @@ -183,4 +183,16 @@ export class ListCisScanResultsAggregatedByTargetResourceCommand extends $Comman .f(void 0, void 0) .ser(se_ListCisScanResultsAggregatedByTargetResourceCommand) .de(de_ListCisScanResultsAggregatedByTargetResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCisScanResultsAggregatedByTargetResourceRequest; + output: ListCisScanResultsAggregatedByTargetResourceResponse; + }; + sdk: { + input: ListCisScanResultsAggregatedByTargetResourceCommandInput; + output: ListCisScanResultsAggregatedByTargetResourceCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListCisScansCommand.ts b/clients/client-inspector2/src/commands/ListCisScansCommand.ts index 7e3c073ebf74..c50a79d5dcdf 100644 --- a/clients/client-inspector2/src/commands/ListCisScansCommand.ts +++ b/clients/client-inspector2/src/commands/ListCisScansCommand.ts @@ -180,4 +180,16 @@ export class ListCisScansCommand extends $Command .f(void 0, void 0) .ser(se_ListCisScansCommand) .de(de_ListCisScansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCisScansRequest; + output: ListCisScansResponse; + }; + sdk: { + input: ListCisScansCommandInput; + output: ListCisScansCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListCoverageCommand.ts b/clients/client-inspector2/src/commands/ListCoverageCommand.ts index 03fa5fccf5e1..04a4f5d678a6 100644 --- a/clients/client-inspector2/src/commands/ListCoverageCommand.ts +++ b/clients/client-inspector2/src/commands/ListCoverageCommand.ts @@ -195,4 +195,16 @@ export class ListCoverageCommand extends $Command .f(void 0, void 0) .ser(se_ListCoverageCommand) .de(de_ListCoverageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoverageRequest; + output: ListCoverageResponse; + }; + sdk: { + input: ListCoverageCommandInput; + output: ListCoverageCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListCoverageStatisticsCommand.ts b/clients/client-inspector2/src/commands/ListCoverageStatisticsCommand.ts index 85521ab81c19..7c3bf9e31fed 100644 --- a/clients/client-inspector2/src/commands/ListCoverageStatisticsCommand.ts +++ b/clients/client-inspector2/src/commands/ListCoverageStatisticsCommand.ts @@ -159,4 +159,16 @@ export class ListCoverageStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_ListCoverageStatisticsCommand) .de(de_ListCoverageStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoverageStatisticsRequest; + output: ListCoverageStatisticsResponse; + }; + sdk: { + input: ListCoverageStatisticsCommandInput; + output: ListCoverageStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListDelegatedAdminAccountsCommand.ts b/clients/client-inspector2/src/commands/ListDelegatedAdminAccountsCommand.ts index ee87fb1332a1..d900d4b2000c 100644 --- a/clients/client-inspector2/src/commands/ListDelegatedAdminAccountsCommand.ts +++ b/clients/client-inspector2/src/commands/ListDelegatedAdminAccountsCommand.ts @@ -101,4 +101,16 @@ export class ListDelegatedAdminAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListDelegatedAdminAccountsCommand) .de(de_ListDelegatedAdminAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDelegatedAdminAccountsRequest; + output: ListDelegatedAdminAccountsResponse; + }; + sdk: { + input: ListDelegatedAdminAccountsCommandInput; + output: ListDelegatedAdminAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListFiltersCommand.ts b/clients/client-inspector2/src/commands/ListFiltersCommand.ts index 8b241764152e..d8371a7b5f67 100644 --- a/clients/client-inspector2/src/commands/ListFiltersCommand.ts +++ b/clients/client-inspector2/src/commands/ListFiltersCommand.ts @@ -241,4 +241,16 @@ export class ListFiltersCommand extends $Command .f(void 0, void 0) .ser(se_ListFiltersCommand) .de(de_ListFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFiltersRequest; + output: ListFiltersResponse; + }; + sdk: { + input: ListFiltersCommandInput; + output: ListFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListFindingAggregationsCommand.ts b/clients/client-inspector2/src/commands/ListFindingAggregationsCommand.ts index d51ba90cd129..cdd56161f607 100644 --- a/clients/client-inspector2/src/commands/ListFindingAggregationsCommand.ts +++ b/clients/client-inspector2/src/commands/ListFindingAggregationsCommand.ts @@ -315,4 +315,16 @@ export class ListFindingAggregationsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingAggregationsCommand) .de(de_ListFindingAggregationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingAggregationsRequest; + output: ListFindingAggregationsResponse; + }; + sdk: { + input: ListFindingAggregationsCommandInput; + output: ListFindingAggregationsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListFindingsCommand.ts b/clients/client-inspector2/src/commands/ListFindingsCommand.ts index e9b3832555eb..336df2a6806d 100644 --- a/clients/client-inspector2/src/commands/ListFindingsCommand.ts +++ b/clients/client-inspector2/src/commands/ListFindingsCommand.ts @@ -402,4 +402,16 @@ export class ListFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsCommand) .de(de_ListFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsRequest; + output: ListFindingsResponse; + }; + sdk: { + input: ListFindingsCommandInput; + output: ListFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListMembersCommand.ts b/clients/client-inspector2/src/commands/ListMembersCommand.ts index 8351eec8ea6e..475b97f0b1f1 100644 --- a/clients/client-inspector2/src/commands/ListMembersCommand.ts +++ b/clients/client-inspector2/src/commands/ListMembersCommand.ts @@ -104,4 +104,16 @@ export class ListMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListMembersCommand) .de(de_ListMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembersRequest; + output: ListMembersResponse; + }; + sdk: { + input: ListMembersCommandInput; + output: ListMembersCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListTagsForResourceCommand.ts b/clients/client-inspector2/src/commands/ListTagsForResourceCommand.ts index 8517120f0c4a..718d63b5b3f2 100644 --- a/clients/client-inspector2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-inspector2/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ListUsageTotalsCommand.ts b/clients/client-inspector2/src/commands/ListUsageTotalsCommand.ts index 3f8bfaf74ad6..ff2450a434ea 100644 --- a/clients/client-inspector2/src/commands/ListUsageTotalsCommand.ts +++ b/clients/client-inspector2/src/commands/ListUsageTotalsCommand.ts @@ -110,4 +110,16 @@ export class ListUsageTotalsCommand extends $Command .f(void 0, void 0) .ser(se_ListUsageTotalsCommand) .de(de_ListUsageTotalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsageTotalsRequest; + output: ListUsageTotalsResponse; + }; + sdk: { + input: ListUsageTotalsCommandInput; + output: ListUsageTotalsCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/ResetEncryptionKeyCommand.ts b/clients/client-inspector2/src/commands/ResetEncryptionKeyCommand.ts index a8bccb5b4a73..6c15c4a9f003 100644 --- a/clients/client-inspector2/src/commands/ResetEncryptionKeyCommand.ts +++ b/clients/client-inspector2/src/commands/ResetEncryptionKeyCommand.ts @@ -95,4 +95,16 @@ export class ResetEncryptionKeyCommand extends $Command .f(void 0, void 0) .ser(se_ResetEncryptionKeyCommand) .de(de_ResetEncryptionKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetEncryptionKeyRequest; + output: {}; + }; + sdk: { + input: ResetEncryptionKeyCommandInput; + output: ResetEncryptionKeyCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/SearchVulnerabilitiesCommand.ts b/clients/client-inspector2/src/commands/SearchVulnerabilitiesCommand.ts index b84a25554dea..6c9f15a9fb17 100644 --- a/clients/client-inspector2/src/commands/SearchVulnerabilitiesCommand.ts +++ b/clients/client-inspector2/src/commands/SearchVulnerabilitiesCommand.ts @@ -151,4 +151,16 @@ export class SearchVulnerabilitiesCommand extends $Command .f(void 0, void 0) .ser(se_SearchVulnerabilitiesCommand) .de(de_SearchVulnerabilitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchVulnerabilitiesRequest; + output: SearchVulnerabilitiesResponse; + }; + sdk: { + input: SearchVulnerabilitiesCommandInput; + output: SearchVulnerabilitiesCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/SendCisSessionHealthCommand.ts b/clients/client-inspector2/src/commands/SendCisSessionHealthCommand.ts index f23d3351e1a1..5b7b91115b20 100644 --- a/clients/client-inspector2/src/commands/SendCisSessionHealthCommand.ts +++ b/clients/client-inspector2/src/commands/SendCisSessionHealthCommand.ts @@ -99,4 +99,16 @@ export class SendCisSessionHealthCommand extends $Command .f(void 0, void 0) .ser(se_SendCisSessionHealthCommand) .de(de_SendCisSessionHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendCisSessionHealthRequest; + output: {}; + }; + sdk: { + input: SendCisSessionHealthCommandInput; + output: SendCisSessionHealthCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/SendCisSessionTelemetryCommand.ts b/clients/client-inspector2/src/commands/SendCisSessionTelemetryCommand.ts index 60d5b65c51e3..02703ec65249 100644 --- a/clients/client-inspector2/src/commands/SendCisSessionTelemetryCommand.ts +++ b/clients/client-inspector2/src/commands/SendCisSessionTelemetryCommand.ts @@ -106,4 +106,16 @@ export class SendCisSessionTelemetryCommand extends $Command .f(void 0, void 0) .ser(se_SendCisSessionTelemetryCommand) .de(de_SendCisSessionTelemetryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendCisSessionTelemetryRequest; + output: {}; + }; + sdk: { + input: SendCisSessionTelemetryCommandInput; + output: SendCisSessionTelemetryCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/StartCisSessionCommand.ts b/clients/client-inspector2/src/commands/StartCisSessionCommand.ts index 80d4c2f9e848..d15acd1ddfbc 100644 --- a/clients/client-inspector2/src/commands/StartCisSessionCommand.ts +++ b/clients/client-inspector2/src/commands/StartCisSessionCommand.ts @@ -101,4 +101,16 @@ export class StartCisSessionCommand extends $Command .f(void 0, void 0) .ser(se_StartCisSessionCommand) .de(de_StartCisSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCisSessionRequest; + output: {}; + }; + sdk: { + input: StartCisSessionCommandInput; + output: StartCisSessionCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/StopCisSessionCommand.ts b/clients/client-inspector2/src/commands/StopCisSessionCommand.ts index d63567b50c2d..eab70a4ce14f 100644 --- a/clients/client-inspector2/src/commands/StopCisSessionCommand.ts +++ b/clients/client-inspector2/src/commands/StopCisSessionCommand.ts @@ -120,4 +120,16 @@ export class StopCisSessionCommand extends $Command .f(void 0, void 0) .ser(se_StopCisSessionCommand) .de(de_StopCisSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCisSessionRequest; + output: {}; + }; + sdk: { + input: StopCisSessionCommandInput; + output: StopCisSessionCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/TagResourceCommand.ts b/clients/client-inspector2/src/commands/TagResourceCommand.ts index 94b33915d25d..a3e7c9d2e576 100644 --- a/clients/client-inspector2/src/commands/TagResourceCommand.ts +++ b/clients/client-inspector2/src/commands/TagResourceCommand.ts @@ -94,4 +94,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UntagResourceCommand.ts b/clients/client-inspector2/src/commands/UntagResourceCommand.ts index 4d44e9d3dfe6..571bedf9eec6 100644 --- a/clients/client-inspector2/src/commands/UntagResourceCommand.ts +++ b/clients/client-inspector2/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UpdateCisScanConfigurationCommand.ts b/clients/client-inspector2/src/commands/UpdateCisScanConfigurationCommand.ts index 02b4658cb435..df94880a31ef 100644 --- a/clients/client-inspector2/src/commands/UpdateCisScanConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/UpdateCisScanConfigurationCommand.ts @@ -133,4 +133,16 @@ export class UpdateCisScanConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCisScanConfigurationCommand) .de(de_UpdateCisScanConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCisScanConfigurationRequest; + output: UpdateCisScanConfigurationResponse; + }; + sdk: { + input: UpdateCisScanConfigurationCommandInput; + output: UpdateCisScanConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UpdateConfigurationCommand.ts b/clients/client-inspector2/src/commands/UpdateConfigurationCommand.ts index 3c6024d63191..9d812735e3e9 100644 --- a/clients/client-inspector2/src/commands/UpdateConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/UpdateConfigurationCommand.ts @@ -97,4 +97,16 @@ export class UpdateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationCommand) .de(de_UpdateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationCommandInput; + output: UpdateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UpdateEc2DeepInspectionConfigurationCommand.ts b/clients/client-inspector2/src/commands/UpdateEc2DeepInspectionConfigurationCommand.ts index 9cc427baefc1..0c1e4b2bf63c 100644 --- a/clients/client-inspector2/src/commands/UpdateEc2DeepInspectionConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/UpdateEc2DeepInspectionConfigurationCommand.ts @@ -111,4 +111,16 @@ export class UpdateEc2DeepInspectionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEc2DeepInspectionConfigurationCommand) .de(de_UpdateEc2DeepInspectionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEc2DeepInspectionConfigurationRequest; + output: UpdateEc2DeepInspectionConfigurationResponse; + }; + sdk: { + input: UpdateEc2DeepInspectionConfigurationCommandInput; + output: UpdateEc2DeepInspectionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UpdateEncryptionKeyCommand.ts b/clients/client-inspector2/src/commands/UpdateEncryptionKeyCommand.ts index f526e865f62a..7f063549cf3f 100644 --- a/clients/client-inspector2/src/commands/UpdateEncryptionKeyCommand.ts +++ b/clients/client-inspector2/src/commands/UpdateEncryptionKeyCommand.ts @@ -96,4 +96,16 @@ export class UpdateEncryptionKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEncryptionKeyCommand) .de(de_UpdateEncryptionKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEncryptionKeyRequest; + output: {}; + }; + sdk: { + input: UpdateEncryptionKeyCommandInput; + output: UpdateEncryptionKeyCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UpdateFilterCommand.ts b/clients/client-inspector2/src/commands/UpdateFilterCommand.ts index 3c2f9f0d0daa..8010e524bc1d 100644 --- a/clients/client-inspector2/src/commands/UpdateFilterCommand.ts +++ b/clients/client-inspector2/src/commands/UpdateFilterCommand.ts @@ -228,4 +228,16 @@ export class UpdateFilterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFilterCommand) .de(de_UpdateFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFilterRequest; + output: UpdateFilterResponse; + }; + sdk: { + input: UpdateFilterCommandInput; + output: UpdateFilterCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UpdateOrgEc2DeepInspectionConfigurationCommand.ts b/clients/client-inspector2/src/commands/UpdateOrgEc2DeepInspectionConfigurationCommand.ts index b427ec212e6f..df97808ba2ca 100644 --- a/clients/client-inspector2/src/commands/UpdateOrgEc2DeepInspectionConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/UpdateOrgEc2DeepInspectionConfigurationCommand.ts @@ -102,4 +102,16 @@ export class UpdateOrgEc2DeepInspectionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOrgEc2DeepInspectionConfigurationCommand) .de(de_UpdateOrgEc2DeepInspectionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrgEc2DeepInspectionConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateOrgEc2DeepInspectionConfigurationCommandInput; + output: UpdateOrgEc2DeepInspectionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-inspector2/src/commands/UpdateOrganizationConfigurationCommand.ts b/clients/client-inspector2/src/commands/UpdateOrganizationConfigurationCommand.ts index c2896d1782e5..ca4ddfd0ea39 100644 --- a/clients/client-inspector2/src/commands/UpdateOrganizationConfigurationCommand.ts +++ b/clients/client-inspector2/src/commands/UpdateOrganizationConfigurationCommand.ts @@ -108,4 +108,16 @@ export class UpdateOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOrganizationConfigurationCommand) .de(de_UpdateOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrganizationConfigurationRequest; + output: UpdateOrganizationConfigurationResponse; + }; + sdk: { + input: UpdateOrganizationConfigurationCommandInput; + output: UpdateOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/package.json b/clients/client-internetmonitor/package.json index b51b1e9d06ea..3a5aa5aec52a 100644 --- a/clients/client-internetmonitor/package.json +++ b/clients/client-internetmonitor/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-internetmonitor/src/commands/CreateMonitorCommand.ts b/clients/client-internetmonitor/src/commands/CreateMonitorCommand.ts index 969b813ffec1..9e6dc01b17cf 100644 --- a/clients/client-internetmonitor/src/commands/CreateMonitorCommand.ts +++ b/clients/client-internetmonitor/src/commands/CreateMonitorCommand.ts @@ -134,4 +134,16 @@ export class CreateMonitorCommand extends $Command .f(void 0, void 0) .ser(se_CreateMonitorCommand) .de(de_CreateMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMonitorInput; + output: CreateMonitorOutput; + }; + sdk: { + input: CreateMonitorCommandInput; + output: CreateMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/DeleteMonitorCommand.ts b/clients/client-internetmonitor/src/commands/DeleteMonitorCommand.ts index a0d37797003a..c48eb6cc4438 100644 --- a/clients/client-internetmonitor/src/commands/DeleteMonitorCommand.ts +++ b/clients/client-internetmonitor/src/commands/DeleteMonitorCommand.ts @@ -87,4 +87,16 @@ export class DeleteMonitorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMonitorCommand) .de(de_DeleteMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMonitorInput; + output: {}; + }; + sdk: { + input: DeleteMonitorCommandInput; + output: DeleteMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/GetHealthEventCommand.ts b/clients/client-internetmonitor/src/commands/GetHealthEventCommand.ts index efa2bfd7add8..5b7413c7c8ac 100644 --- a/clients/client-internetmonitor/src/commands/GetHealthEventCommand.ts +++ b/clients/client-internetmonitor/src/commands/GetHealthEventCommand.ts @@ -155,4 +155,16 @@ export class GetHealthEventCommand extends $Command .f(void 0, void 0) .ser(se_GetHealthEventCommand) .de(de_GetHealthEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHealthEventInput; + output: GetHealthEventOutput; + }; + sdk: { + input: GetHealthEventCommandInput; + output: GetHealthEventCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/GetInternetEventCommand.ts b/clients/client-internetmonitor/src/commands/GetInternetEventCommand.ts index 547fa411c4c6..132867abe14f 100644 --- a/clients/client-internetmonitor/src/commands/GetInternetEventCommand.ts +++ b/clients/client-internetmonitor/src/commands/GetInternetEventCommand.ts @@ -109,4 +109,16 @@ export class GetInternetEventCommand extends $Command .f(void 0, void 0) .ser(se_GetInternetEventCommand) .de(de_GetInternetEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInternetEventInput; + output: GetInternetEventOutput; + }; + sdk: { + input: GetInternetEventCommandInput; + output: GetInternetEventCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/GetMonitorCommand.ts b/clients/client-internetmonitor/src/commands/GetMonitorCommand.ts index de03257fcbe4..613717216aa6 100644 --- a/clients/client-internetmonitor/src/commands/GetMonitorCommand.ts +++ b/clients/client-internetmonitor/src/commands/GetMonitorCommand.ts @@ -126,4 +126,16 @@ export class GetMonitorCommand extends $Command .f(void 0, void 0) .ser(se_GetMonitorCommand) .de(de_GetMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMonitorInput; + output: GetMonitorOutput; + }; + sdk: { + input: GetMonitorCommandInput; + output: GetMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/GetQueryResultsCommand.ts b/clients/client-internetmonitor/src/commands/GetQueryResultsCommand.ts index f7de7694f8c1..4cc0a7dc1fa8 100644 --- a/clients/client-internetmonitor/src/commands/GetQueryResultsCommand.ts +++ b/clients/client-internetmonitor/src/commands/GetQueryResultsCommand.ts @@ -110,4 +110,16 @@ export class GetQueryResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryResultsCommand) .de(de_GetQueryResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryResultsInput; + output: GetQueryResultsOutput; + }; + sdk: { + input: GetQueryResultsCommandInput; + output: GetQueryResultsCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/GetQueryStatusCommand.ts b/clients/client-internetmonitor/src/commands/GetQueryStatusCommand.ts index c05e66054d0c..86e4358312cd 100644 --- a/clients/client-internetmonitor/src/commands/GetQueryStatusCommand.ts +++ b/clients/client-internetmonitor/src/commands/GetQueryStatusCommand.ts @@ -116,4 +116,16 @@ export class GetQueryStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryStatusCommand) .de(de_GetQueryStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryStatusInput; + output: GetQueryStatusOutput; + }; + sdk: { + input: GetQueryStatusCommandInput; + output: GetQueryStatusCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/ListHealthEventsCommand.ts b/clients/client-internetmonitor/src/commands/ListHealthEventsCommand.ts index f2a9ea1f4276..d4db288c8c4a 100644 --- a/clients/client-internetmonitor/src/commands/ListHealthEventsCommand.ts +++ b/clients/client-internetmonitor/src/commands/ListHealthEventsCommand.ts @@ -164,4 +164,16 @@ export class ListHealthEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListHealthEventsCommand) .de(de_ListHealthEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHealthEventsInput; + output: ListHealthEventsOutput; + }; + sdk: { + input: ListHealthEventsCommandInput; + output: ListHealthEventsCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/ListInternetEventsCommand.ts b/clients/client-internetmonitor/src/commands/ListInternetEventsCommand.ts index 994064aadb0a..bf307725efd0 100644 --- a/clients/client-internetmonitor/src/commands/ListInternetEventsCommand.ts +++ b/clients/client-internetmonitor/src/commands/ListInternetEventsCommand.ts @@ -121,4 +121,16 @@ export class ListInternetEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListInternetEventsCommand) .de(de_ListInternetEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInternetEventsInput; + output: ListInternetEventsOutput; + }; + sdk: { + input: ListInternetEventsCommandInput; + output: ListInternetEventsCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/ListMonitorsCommand.ts b/clients/client-internetmonitor/src/commands/ListMonitorsCommand.ts index 78126c0dba53..16e36bac9d3e 100644 --- a/clients/client-internetmonitor/src/commands/ListMonitorsCommand.ts +++ b/clients/client-internetmonitor/src/commands/ListMonitorsCommand.ts @@ -100,4 +100,16 @@ export class ListMonitorsCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitorsCommand) .de(de_ListMonitorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitorsInput; + output: ListMonitorsOutput; + }; + sdk: { + input: ListMonitorsCommandInput; + output: ListMonitorsCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/ListTagsForResourceCommand.ts b/clients/client-internetmonitor/src/commands/ListTagsForResourceCommand.ts index 06ac2bcda1c3..d15c626bdd75 100644 --- a/clients/client-internetmonitor/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-internetmonitor/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/StartQueryCommand.ts b/clients/client-internetmonitor/src/commands/StartQueryCommand.ts index 563c3af69ee7..7365bbca4eda 100644 --- a/clients/client-internetmonitor/src/commands/StartQueryCommand.ts +++ b/clients/client-internetmonitor/src/commands/StartQueryCommand.ts @@ -110,4 +110,16 @@ export class StartQueryCommand extends $Command .f(void 0, void 0) .ser(se_StartQueryCommand) .de(de_StartQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartQueryInput; + output: StartQueryOutput; + }; + sdk: { + input: StartQueryCommandInput; + output: StartQueryCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/StopQueryCommand.ts b/clients/client-internetmonitor/src/commands/StopQueryCommand.ts index f4df8624bc3a..5b70856aec2e 100644 --- a/clients/client-internetmonitor/src/commands/StopQueryCommand.ts +++ b/clients/client-internetmonitor/src/commands/StopQueryCommand.ts @@ -91,4 +91,16 @@ export class StopQueryCommand extends $Command .f(void 0, void 0) .ser(se_StopQueryCommand) .de(de_StopQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopQueryInput; + output: {}; + }; + sdk: { + input: StopQueryCommandInput; + output: StopQueryCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/TagResourceCommand.ts b/clients/client-internetmonitor/src/commands/TagResourceCommand.ts index 38e4583b72be..aa5adedf0789 100644 --- a/clients/client-internetmonitor/src/commands/TagResourceCommand.ts +++ b/clients/client-internetmonitor/src/commands/TagResourceCommand.ts @@ -94,4 +94,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/UntagResourceCommand.ts b/clients/client-internetmonitor/src/commands/UntagResourceCommand.ts index 2992989f149d..7e5ce91c2c1b 100644 --- a/clients/client-internetmonitor/src/commands/UntagResourceCommand.ts +++ b/clients/client-internetmonitor/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-internetmonitor/src/commands/UpdateMonitorCommand.ts b/clients/client-internetmonitor/src/commands/UpdateMonitorCommand.ts index 93dd66196795..ea91a3f8fdf1 100644 --- a/clients/client-internetmonitor/src/commands/UpdateMonitorCommand.ts +++ b/clients/client-internetmonitor/src/commands/UpdateMonitorCommand.ts @@ -130,4 +130,16 @@ export class UpdateMonitorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMonitorCommand) .de(de_UpdateMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMonitorInput; + output: UpdateMonitorOutput; + }; + sdk: { + input: UpdateMonitorCommandInput; + output: UpdateMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/package.json b/clients/client-iot-1click-devices-service/package.json index e877d40e98d3..41cea7a8eaa7 100644 --- a/clients/client-iot-1click-devices-service/package.json +++ b/clients/client-iot-1click-devices-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iot-1click-devices-service/src/commands/ClaimDevicesByClaimCodeCommand.ts b/clients/client-iot-1click-devices-service/src/commands/ClaimDevicesByClaimCodeCommand.ts index 497a07ede0bd..9e0c5ac05765 100644 --- a/clients/client-iot-1click-devices-service/src/commands/ClaimDevicesByClaimCodeCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/ClaimDevicesByClaimCodeCommand.ts @@ -89,4 +89,16 @@ export class ClaimDevicesByClaimCodeCommand extends $Command .f(void 0, void 0) .ser(se_ClaimDevicesByClaimCodeCommand) .de(de_ClaimDevicesByClaimCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ClaimDevicesByClaimCodeRequest; + output: ClaimDevicesByClaimCodeResponse; + }; + sdk: { + input: ClaimDevicesByClaimCodeCommandInput; + output: ClaimDevicesByClaimCodeCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/DescribeDeviceCommand.ts b/clients/client-iot-1click-devices-service/src/commands/DescribeDeviceCommand.ts index 64ee4864f6d7..6f1d6a9f4ac5 100644 --- a/clients/client-iot-1click-devices-service/src/commands/DescribeDeviceCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/DescribeDeviceCommand.ts @@ -100,4 +100,16 @@ export class DescribeDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceCommand) .de(de_DescribeDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceRequest; + output: DescribeDeviceResponse; + }; + sdk: { + input: DescribeDeviceCommandInput; + output: DescribeDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/FinalizeDeviceClaimCommand.ts b/clients/client-iot-1click-devices-service/src/commands/FinalizeDeviceClaimCommand.ts index b2c067330480..9851e443ed9a 100644 --- a/clients/client-iot-1click-devices-service/src/commands/FinalizeDeviceClaimCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/FinalizeDeviceClaimCommand.ts @@ -98,4 +98,16 @@ export class FinalizeDeviceClaimCommand extends $Command .f(void 0, void 0) .ser(se_FinalizeDeviceClaimCommand) .de(de_FinalizeDeviceClaimCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FinalizeDeviceClaimRequest; + output: FinalizeDeviceClaimResponse; + }; + sdk: { + input: FinalizeDeviceClaimCommandInput; + output: FinalizeDeviceClaimCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/GetDeviceMethodsCommand.ts b/clients/client-iot-1click-devices-service/src/commands/GetDeviceMethodsCommand.ts index 1801b50a96a6..f9ce3286ada4 100644 --- a/clients/client-iot-1click-devices-service/src/commands/GetDeviceMethodsCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/GetDeviceMethodsCommand.ts @@ -92,4 +92,16 @@ export class GetDeviceMethodsCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceMethodsCommand) .de(de_GetDeviceMethodsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceMethodsRequest; + output: GetDeviceMethodsResponse; + }; + sdk: { + input: GetDeviceMethodsCommandInput; + output: GetDeviceMethodsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/InitiateDeviceClaimCommand.ts b/clients/client-iot-1click-devices-service/src/commands/InitiateDeviceClaimCommand.ts index add2d5ccaf4c..314cf4075fc6 100644 --- a/clients/client-iot-1click-devices-service/src/commands/InitiateDeviceClaimCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/InitiateDeviceClaimCommand.ts @@ -93,4 +93,16 @@ export class InitiateDeviceClaimCommand extends $Command .f(void 0, void 0) .ser(se_InitiateDeviceClaimCommand) .de(de_InitiateDeviceClaimCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateDeviceClaimRequest; + output: InitiateDeviceClaimResponse; + }; + sdk: { + input: InitiateDeviceClaimCommandInput; + output: InitiateDeviceClaimCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/InvokeDeviceMethodCommand.ts b/clients/client-iot-1click-devices-service/src/commands/InvokeDeviceMethodCommand.ts index 6623d919abf5..8a63aba6ba75 100644 --- a/clients/client-iot-1click-devices-service/src/commands/InvokeDeviceMethodCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/InvokeDeviceMethodCommand.ts @@ -99,4 +99,16 @@ export class InvokeDeviceMethodCommand extends $Command .f(void 0, void 0) .ser(se_InvokeDeviceMethodCommand) .de(de_InvokeDeviceMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeDeviceMethodRequest; + output: InvokeDeviceMethodResponse; + }; + sdk: { + input: InvokeDeviceMethodCommandInput; + output: InvokeDeviceMethodCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/ListDeviceEventsCommand.ts b/clients/client-iot-1click-devices-service/src/commands/ListDeviceEventsCommand.ts index 2b2367ab805d..056205c96275 100644 --- a/clients/client-iot-1click-devices-service/src/commands/ListDeviceEventsCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/ListDeviceEventsCommand.ts @@ -104,4 +104,16 @@ export class ListDeviceEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeviceEventsCommand) .de(de_ListDeviceEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceEventsRequest; + output: ListDeviceEventsResponse; + }; + sdk: { + input: ListDeviceEventsCommandInput; + output: ListDeviceEventsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/ListDevicesCommand.ts b/clients/client-iot-1click-devices-service/src/commands/ListDevicesCommand.ts index 737473b43823..2fb2cca60c65 100644 --- a/clients/client-iot-1click-devices-service/src/commands/ListDevicesCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/ListDevicesCommand.ts @@ -104,4 +104,16 @@ export class ListDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesRequest; + output: ListDevicesResponse; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/ListTagsForResourceCommand.ts b/clients/client-iot-1click-devices-service/src/commands/ListTagsForResourceCommand.ts index 08e35bca3fbf..da54010475e1 100644 --- a/clients/client-iot-1click-devices-service/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/ListTagsForResourceCommand.ts @@ -87,4 +87,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/TagResourceCommand.ts b/clients/client-iot-1click-devices-service/src/commands/TagResourceCommand.ts index ce6c9be25dc6..f6d5d02d4763 100644 --- a/clients/client-iot-1click-devices-service/src/commands/TagResourceCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/TagResourceCommand.ts @@ -89,4 +89,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/UnclaimDeviceCommand.ts b/clients/client-iot-1click-devices-service/src/commands/UnclaimDeviceCommand.ts index 394c8752e712..08de2c25a4b5 100644 --- a/clients/client-iot-1click-devices-service/src/commands/UnclaimDeviceCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/UnclaimDeviceCommand.ts @@ -87,4 +87,16 @@ export class UnclaimDeviceCommand extends $Command .f(void 0, void 0) .ser(se_UnclaimDeviceCommand) .de(de_UnclaimDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnclaimDeviceRequest; + output: UnclaimDeviceResponse; + }; + sdk: { + input: UnclaimDeviceCommandInput; + output: UnclaimDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/UntagResourceCommand.ts b/clients/client-iot-1click-devices-service/src/commands/UntagResourceCommand.ts index 9814923499cc..3eb27d1986bb 100644 --- a/clients/client-iot-1click-devices-service/src/commands/UntagResourceCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/UntagResourceCommand.ts @@ -89,4 +89,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-devices-service/src/commands/UpdateDeviceStateCommand.ts b/clients/client-iot-1click-devices-service/src/commands/UpdateDeviceStateCommand.ts index 74775ae41651..d771cc94d613 100644 --- a/clients/client-iot-1click-devices-service/src/commands/UpdateDeviceStateCommand.ts +++ b/clients/client-iot-1click-devices-service/src/commands/UpdateDeviceStateCommand.ts @@ -87,4 +87,16 @@ export class UpdateDeviceStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeviceStateCommand) .de(de_UpdateDeviceStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceStateRequest; + output: {}; + }; + sdk: { + input: UpdateDeviceStateCommandInput; + output: UpdateDeviceStateCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/package.json b/clients/client-iot-1click-projects/package.json index 01101c4b470a..eedee015a7f4 100644 --- a/clients/client-iot-1click-projects/package.json +++ b/clients/client-iot-1click-projects/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iot-1click-projects/src/commands/AssociateDeviceWithPlacementCommand.ts b/clients/client-iot-1click-projects/src/commands/AssociateDeviceWithPlacementCommand.ts index 59c40458929a..8d987cf80812 100644 --- a/clients/client-iot-1click-projects/src/commands/AssociateDeviceWithPlacementCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/AssociateDeviceWithPlacementCommand.ts @@ -99,4 +99,16 @@ export class AssociateDeviceWithPlacementCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDeviceWithPlacementCommand) .de(de_AssociateDeviceWithPlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDeviceWithPlacementRequest; + output: {}; + }; + sdk: { + input: AssociateDeviceWithPlacementCommandInput; + output: AssociateDeviceWithPlacementCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/CreatePlacementCommand.ts b/clients/client-iot-1click-projects/src/commands/CreatePlacementCommand.ts index 6fea201ac73d..1aef6341bad2 100644 --- a/clients/client-iot-1click-projects/src/commands/CreatePlacementCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/CreatePlacementCommand.ts @@ -95,4 +95,16 @@ export class CreatePlacementCommand extends $Command .f(void 0, void 0) .ser(se_CreatePlacementCommand) .de(de_CreatePlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlacementRequest; + output: {}; + }; + sdk: { + input: CreatePlacementCommandInput; + output: CreatePlacementCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/CreateProjectCommand.ts b/clients/client-iot-1click-projects/src/commands/CreateProjectCommand.ts index bf7324a81060..4f8144a31c3c 100644 --- a/clients/client-iot-1click-projects/src/commands/CreateProjectCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/CreateProjectCommand.ts @@ -106,4 +106,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: {}; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/DeletePlacementCommand.ts b/clients/client-iot-1click-projects/src/commands/DeletePlacementCommand.ts index 413e40230bf4..1266984f8e90 100644 --- a/clients/client-iot-1click-projects/src/commands/DeletePlacementCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/DeletePlacementCommand.ts @@ -96,4 +96,16 @@ export class DeletePlacementCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlacementCommand) .de(de_DeletePlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlacementRequest; + output: {}; + }; + sdk: { + input: DeletePlacementCommandInput; + output: DeletePlacementCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/DeleteProjectCommand.ts b/clients/client-iot-1click-projects/src/commands/DeleteProjectCommand.ts index b80f4b9c6e0e..751035a9ce4d 100644 --- a/clients/client-iot-1click-projects/src/commands/DeleteProjectCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/DeleteProjectCommand.ts @@ -95,4 +95,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: {}; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/DescribePlacementCommand.ts b/clients/client-iot-1click-projects/src/commands/DescribePlacementCommand.ts index 68636a77cc11..06151afed297 100644 --- a/clients/client-iot-1click-projects/src/commands/DescribePlacementCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/DescribePlacementCommand.ts @@ -99,4 +99,16 @@ export class DescribePlacementCommand extends $Command .f(void 0, void 0) .ser(se_DescribePlacementCommand) .de(de_DescribePlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePlacementRequest; + output: DescribePlacementResponse; + }; + sdk: { + input: DescribePlacementCommandInput; + output: DescribePlacementCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/DescribeProjectCommand.ts b/clients/client-iot-1click-projects/src/commands/DescribeProjectCommand.ts index c87ca2f9d5f3..db0c4c93f326 100644 --- a/clients/client-iot-1click-projects/src/commands/DescribeProjectCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/DescribeProjectCommand.ts @@ -112,4 +112,16 @@ export class DescribeProjectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProjectCommand) .de(de_DescribeProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProjectRequest; + output: DescribeProjectResponse; + }; + sdk: { + input: DescribeProjectCommandInput; + output: DescribeProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/DisassociateDeviceFromPlacementCommand.ts b/clients/client-iot-1click-projects/src/commands/DisassociateDeviceFromPlacementCommand.ts index 03a4bcf3cb94..a91b31367166 100644 --- a/clients/client-iot-1click-projects/src/commands/DisassociateDeviceFromPlacementCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/DisassociateDeviceFromPlacementCommand.ts @@ -98,4 +98,16 @@ export class DisassociateDeviceFromPlacementCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDeviceFromPlacementCommand) .de(de_DisassociateDeviceFromPlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateDeviceFromPlacementRequest; + output: {}; + }; + sdk: { + input: DisassociateDeviceFromPlacementCommandInput; + output: DisassociateDeviceFromPlacementCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/GetDevicesInPlacementCommand.ts b/clients/client-iot-1click-projects/src/commands/GetDevicesInPlacementCommand.ts index 5da189393901..9c5bc7135cb1 100644 --- a/clients/client-iot-1click-projects/src/commands/GetDevicesInPlacementCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/GetDevicesInPlacementCommand.ts @@ -93,4 +93,16 @@ export class GetDevicesInPlacementCommand extends $Command .f(void 0, void 0) .ser(se_GetDevicesInPlacementCommand) .de(de_GetDevicesInPlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevicesInPlacementRequest; + output: GetDevicesInPlacementResponse; + }; + sdk: { + input: GetDevicesInPlacementCommandInput; + output: GetDevicesInPlacementCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/ListPlacementsCommand.ts b/clients/client-iot-1click-projects/src/commands/ListPlacementsCommand.ts index ee8703d989bf..5ff488149b47 100644 --- a/clients/client-iot-1click-projects/src/commands/ListPlacementsCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/ListPlacementsCommand.ts @@ -100,4 +100,16 @@ export class ListPlacementsCommand extends $Command .f(void 0, void 0) .ser(se_ListPlacementsCommand) .de(de_ListPlacementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlacementsRequest; + output: ListPlacementsResponse; + }; + sdk: { + input: ListPlacementsCommandInput; + output: ListPlacementsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/ListProjectsCommand.ts b/clients/client-iot-1click-projects/src/commands/ListProjectsCommand.ts index 958fdc5bd9d6..2d4a75059441 100644 --- a/clients/client-iot-1click-projects/src/commands/ListProjectsCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/ListProjectsCommand.ts @@ -99,4 +99,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsRequest; + output: ListProjectsResponse; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/ListTagsForResourceCommand.ts b/clients/client-iot-1click-projects/src/commands/ListTagsForResourceCommand.ts index a5919abda2b9..3771a044e665 100644 --- a/clients/client-iot-1click-projects/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/TagResourceCommand.ts b/clients/client-iot-1click-projects/src/commands/TagResourceCommand.ts index bd80c0f1b0cf..ea37ec77ebce 100644 --- a/clients/client-iot-1click-projects/src/commands/TagResourceCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/UntagResourceCommand.ts b/clients/client-iot-1click-projects/src/commands/UntagResourceCommand.ts index ee995840fe73..33849f9b913d 100644 --- a/clients/client-iot-1click-projects/src/commands/UntagResourceCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/UpdatePlacementCommand.ts b/clients/client-iot-1click-projects/src/commands/UpdatePlacementCommand.ts index 2d6a38282692..8bee807e323c 100644 --- a/clients/client-iot-1click-projects/src/commands/UpdatePlacementCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/UpdatePlacementCommand.ts @@ -96,4 +96,16 @@ export class UpdatePlacementCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePlacementCommand) .de(de_UpdatePlacementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePlacementRequest; + output: {}; + }; + sdk: { + input: UpdatePlacementCommandInput; + output: UpdatePlacementCommandOutput; + }; + }; +} diff --git a/clients/client-iot-1click-projects/src/commands/UpdateProjectCommand.ts b/clients/client-iot-1click-projects/src/commands/UpdateProjectCommand.ts index f0f3742c3b5b..b05d71368acc 100644 --- a/clients/client-iot-1click-projects/src/commands/UpdateProjectCommand.ts +++ b/clients/client-iot-1click-projects/src/commands/UpdateProjectCommand.ts @@ -108,4 +108,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectRequest; + output: {}; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iot-data-plane/package.json b/clients/client-iot-data-plane/package.json index bf925a60a341..eacf2a1b8cd7 100644 --- a/clients/client-iot-data-plane/package.json +++ b/clients/client-iot-data-plane/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iot-data-plane/src/commands/DeleteThingShadowCommand.ts b/clients/client-iot-data-plane/src/commands/DeleteThingShadowCommand.ts index c99d0777a9b3..98fa5508e23c 100644 --- a/clients/client-iot-data-plane/src/commands/DeleteThingShadowCommand.ts +++ b/clients/client-iot-data-plane/src/commands/DeleteThingShadowCommand.ts @@ -112,4 +112,16 @@ export class DeleteThingShadowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThingShadowCommand) .de(de_DeleteThingShadowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThingShadowRequest; + output: DeleteThingShadowResponse; + }; + sdk: { + input: DeleteThingShadowCommandInput; + output: DeleteThingShadowCommandOutput; + }; + }; +} diff --git a/clients/client-iot-data-plane/src/commands/GetRetainedMessageCommand.ts b/clients/client-iot-data-plane/src/commands/GetRetainedMessageCommand.ts index fa5f04ca9376..54fa3ac57656 100644 --- a/clients/client-iot-data-plane/src/commands/GetRetainedMessageCommand.ts +++ b/clients/client-iot-data-plane/src/commands/GetRetainedMessageCommand.ts @@ -108,4 +108,16 @@ export class GetRetainedMessageCommand extends $Command .f(void 0, void 0) .ser(se_GetRetainedMessageCommand) .de(de_GetRetainedMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRetainedMessageRequest; + output: GetRetainedMessageResponse; + }; + sdk: { + input: GetRetainedMessageCommandInput; + output: GetRetainedMessageCommandOutput; + }; + }; +} diff --git a/clients/client-iot-data-plane/src/commands/GetThingShadowCommand.ts b/clients/client-iot-data-plane/src/commands/GetThingShadowCommand.ts index 8d5c45916008..46c40482f6a2 100644 --- a/clients/client-iot-data-plane/src/commands/GetThingShadowCommand.ts +++ b/clients/client-iot-data-plane/src/commands/GetThingShadowCommand.ts @@ -113,4 +113,16 @@ export class GetThingShadowCommand extends $Command .f(void 0, void 0) .ser(se_GetThingShadowCommand) .de(de_GetThingShadowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetThingShadowRequest; + output: GetThingShadowResponse; + }; + sdk: { + input: GetThingShadowCommandInput; + output: GetThingShadowCommandOutput; + }; + }; +} diff --git a/clients/client-iot-data-plane/src/commands/ListNamedShadowsForThingCommand.ts b/clients/client-iot-data-plane/src/commands/ListNamedShadowsForThingCommand.ts index ba0f528e2b18..d97d7c75aca5 100644 --- a/clients/client-iot-data-plane/src/commands/ListNamedShadowsForThingCommand.ts +++ b/clients/client-iot-data-plane/src/commands/ListNamedShadowsForThingCommand.ts @@ -105,4 +105,16 @@ export class ListNamedShadowsForThingCommand extends $Command .f(void 0, void 0) .ser(se_ListNamedShadowsForThingCommand) .de(de_ListNamedShadowsForThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNamedShadowsForThingRequest; + output: ListNamedShadowsForThingResponse; + }; + sdk: { + input: ListNamedShadowsForThingCommandInput; + output: ListNamedShadowsForThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot-data-plane/src/commands/ListRetainedMessagesCommand.ts b/clients/client-iot-data-plane/src/commands/ListRetainedMessagesCommand.ts index 19b13737808a..bfbaa22d915e 100644 --- a/clients/client-iot-data-plane/src/commands/ListRetainedMessagesCommand.ts +++ b/clients/client-iot-data-plane/src/commands/ListRetainedMessagesCommand.ts @@ -113,4 +113,16 @@ export class ListRetainedMessagesCommand extends $Command .f(void 0, void 0) .ser(se_ListRetainedMessagesCommand) .de(de_ListRetainedMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRetainedMessagesRequest; + output: ListRetainedMessagesResponse; + }; + sdk: { + input: ListRetainedMessagesCommandInput; + output: ListRetainedMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-data-plane/src/commands/PublishCommand.ts b/clients/client-iot-data-plane/src/commands/PublishCommand.ts index b1e5199dc7c0..47f800dc1c16 100644 --- a/clients/client-iot-data-plane/src/commands/PublishCommand.ts +++ b/clients/client-iot-data-plane/src/commands/PublishCommand.ts @@ -112,4 +112,16 @@ export class PublishCommand extends $Command .f(void 0, void 0) .ser(se_PublishCommand) .de(de_PublishCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishRequest; + output: {}; + }; + sdk: { + input: PublishCommandInput; + output: PublishCommandOutput; + }; + }; +} diff --git a/clients/client-iot-data-plane/src/commands/UpdateThingShadowCommand.ts b/clients/client-iot-data-plane/src/commands/UpdateThingShadowCommand.ts index 76152af934bd..390a1cea37e2 100644 --- a/clients/client-iot-data-plane/src/commands/UpdateThingShadowCommand.ts +++ b/clients/client-iot-data-plane/src/commands/UpdateThingShadowCommand.ts @@ -124,4 +124,16 @@ export class UpdateThingShadowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThingShadowCommand) .de(de_UpdateThingShadowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThingShadowRequest; + output: UpdateThingShadowResponse; + }; + sdk: { + input: UpdateThingShadowCommandInput; + output: UpdateThingShadowCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/package.json b/clients/client-iot-events-data/package.json index 88f05be756ad..f4d5f06a115b 100644 --- a/clients/client-iot-events-data/package.json +++ b/clients/client-iot-events-data/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iot-events-data/src/commands/BatchAcknowledgeAlarmCommand.ts b/clients/client-iot-events-data/src/commands/BatchAcknowledgeAlarmCommand.ts index 6684cedf663f..a912e0ed6260 100644 --- a/clients/client-iot-events-data/src/commands/BatchAcknowledgeAlarmCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchAcknowledgeAlarmCommand.ts @@ -103,4 +103,16 @@ export class BatchAcknowledgeAlarmCommand extends $Command .f(void 0, void 0) .ser(se_BatchAcknowledgeAlarmCommand) .de(de_BatchAcknowledgeAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAcknowledgeAlarmRequest; + output: BatchAcknowledgeAlarmResponse; + }; + sdk: { + input: BatchAcknowledgeAlarmCommandInput; + output: BatchAcknowledgeAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/BatchDeleteDetectorCommand.ts b/clients/client-iot-events-data/src/commands/BatchDeleteDetectorCommand.ts index 4067df8400ea..274681388dc4 100644 --- a/clients/client-iot-events-data/src/commands/BatchDeleteDetectorCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchDeleteDetectorCommand.ts @@ -101,4 +101,16 @@ export class BatchDeleteDetectorCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteDetectorCommand) .de(de_BatchDeleteDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteDetectorRequest; + output: BatchDeleteDetectorResponse; + }; + sdk: { + input: BatchDeleteDetectorCommandInput; + output: BatchDeleteDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/BatchDisableAlarmCommand.ts b/clients/client-iot-events-data/src/commands/BatchDisableAlarmCommand.ts index 4a832f657ce6..53c093291a27 100644 --- a/clients/client-iot-events-data/src/commands/BatchDisableAlarmCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchDisableAlarmCommand.ts @@ -103,4 +103,16 @@ export class BatchDisableAlarmCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisableAlarmCommand) .de(de_BatchDisableAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisableAlarmRequest; + output: BatchDisableAlarmResponse; + }; + sdk: { + input: BatchDisableAlarmCommandInput; + output: BatchDisableAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/BatchEnableAlarmCommand.ts b/clients/client-iot-events-data/src/commands/BatchEnableAlarmCommand.ts index 78087ca20a5a..9ddb5b9465cc 100644 --- a/clients/client-iot-events-data/src/commands/BatchEnableAlarmCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchEnableAlarmCommand.ts @@ -103,4 +103,16 @@ export class BatchEnableAlarmCommand extends $Command .f(void 0, void 0) .ser(se_BatchEnableAlarmCommand) .de(de_BatchEnableAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchEnableAlarmRequest; + output: BatchEnableAlarmResponse; + }; + sdk: { + input: BatchEnableAlarmCommandInput; + output: BatchEnableAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/BatchPutMessageCommand.ts b/clients/client-iot-events-data/src/commands/BatchPutMessageCommand.ts index 232433864451..aae00b1696cd 100644 --- a/clients/client-iot-events-data/src/commands/BatchPutMessageCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchPutMessageCommand.ts @@ -108,4 +108,16 @@ export class BatchPutMessageCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutMessageCommand) .de(de_BatchPutMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutMessageRequest; + output: BatchPutMessageResponse; + }; + sdk: { + input: BatchPutMessageCommandInput; + output: BatchPutMessageCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/BatchResetAlarmCommand.ts b/clients/client-iot-events-data/src/commands/BatchResetAlarmCommand.ts index a1f66e6bbafd..58324098e747 100644 --- a/clients/client-iot-events-data/src/commands/BatchResetAlarmCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchResetAlarmCommand.ts @@ -103,4 +103,16 @@ export class BatchResetAlarmCommand extends $Command .f(void 0, void 0) .ser(se_BatchResetAlarmCommand) .de(de_BatchResetAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchResetAlarmRequest; + output: BatchResetAlarmResponse; + }; + sdk: { + input: BatchResetAlarmCommandInput; + output: BatchResetAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/BatchSnoozeAlarmCommand.ts b/clients/client-iot-events-data/src/commands/BatchSnoozeAlarmCommand.ts index d4abbf9e1b9a..fd8fc08bc27b 100644 --- a/clients/client-iot-events-data/src/commands/BatchSnoozeAlarmCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchSnoozeAlarmCommand.ts @@ -104,4 +104,16 @@ export class BatchSnoozeAlarmCommand extends $Command .f(void 0, void 0) .ser(se_BatchSnoozeAlarmCommand) .de(de_BatchSnoozeAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchSnoozeAlarmRequest; + output: BatchSnoozeAlarmResponse; + }; + sdk: { + input: BatchSnoozeAlarmCommandInput; + output: BatchSnoozeAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/BatchUpdateDetectorCommand.ts b/clients/client-iot-events-data/src/commands/BatchUpdateDetectorCommand.ts index 30d2a0882fe6..4d9554dc8e01 100644 --- a/clients/client-iot-events-data/src/commands/BatchUpdateDetectorCommand.ts +++ b/clients/client-iot-events-data/src/commands/BatchUpdateDetectorCommand.ts @@ -117,4 +117,16 @@ export class BatchUpdateDetectorCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateDetectorCommand) .de(de_BatchUpdateDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateDetectorRequest; + output: BatchUpdateDetectorResponse; + }; + sdk: { + input: BatchUpdateDetectorCommandInput; + output: BatchUpdateDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/DescribeAlarmCommand.ts b/clients/client-iot-events-data/src/commands/DescribeAlarmCommand.ts index f88c2bad187c..fcf01268b52f 100644 --- a/clients/client-iot-events-data/src/commands/DescribeAlarmCommand.ts +++ b/clients/client-iot-events-data/src/commands/DescribeAlarmCommand.ts @@ -135,4 +135,16 @@ export class DescribeAlarmCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlarmCommand) .de(de_DescribeAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlarmRequest; + output: DescribeAlarmResponse; + }; + sdk: { + input: DescribeAlarmCommandInput; + output: DescribeAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/DescribeDetectorCommand.ts b/clients/client-iot-events-data/src/commands/DescribeDetectorCommand.ts index 33d8caa08d2a..b896a75a6140 100644 --- a/clients/client-iot-events-data/src/commands/DescribeDetectorCommand.ts +++ b/clients/client-iot-events-data/src/commands/DescribeDetectorCommand.ts @@ -114,4 +114,16 @@ export class DescribeDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDetectorCommand) .de(de_DescribeDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDetectorRequest; + output: DescribeDetectorResponse; + }; + sdk: { + input: DescribeDetectorCommandInput; + output: DescribeDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/ListAlarmsCommand.ts b/clients/client-iot-events-data/src/commands/ListAlarmsCommand.ts index 66837ef4badf..4b081e12b948 100644 --- a/clients/client-iot-events-data/src/commands/ListAlarmsCommand.ts +++ b/clients/client-iot-events-data/src/commands/ListAlarmsCommand.ts @@ -105,4 +105,16 @@ export class ListAlarmsCommand extends $Command .f(void 0, void 0) .ser(se_ListAlarmsCommand) .de(de_ListAlarmsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAlarmsRequest; + output: ListAlarmsResponse; + }; + sdk: { + input: ListAlarmsCommandInput; + output: ListAlarmsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events-data/src/commands/ListDetectorsCommand.ts b/clients/client-iot-events-data/src/commands/ListDetectorsCommand.ts index 3afb1d939348..a22685d7da4b 100644 --- a/clients/client-iot-events-data/src/commands/ListDetectorsCommand.ts +++ b/clients/client-iot-events-data/src/commands/ListDetectorsCommand.ts @@ -107,4 +107,16 @@ export class ListDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListDetectorsCommand) .de(de_ListDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDetectorsRequest; + output: ListDetectorsResponse; + }; + sdk: { + input: ListDetectorsCommandInput; + output: ListDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/package.json b/clients/client-iot-events/package.json index 95f087e056de..b909fd51be04 100644 --- a/clients/client-iot-events/package.json +++ b/clients/client-iot-events/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iot-events/src/commands/CreateAlarmModelCommand.ts b/clients/client-iot-events/src/commands/CreateAlarmModelCommand.ts index 1088d36454c6..88596cba7fd2 100644 --- a/clients/client-iot-events/src/commands/CreateAlarmModelCommand.ts +++ b/clients/client-iot-events/src/commands/CreateAlarmModelCommand.ts @@ -256,4 +256,16 @@ export class CreateAlarmModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateAlarmModelCommand) .de(de_CreateAlarmModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAlarmModelRequest; + output: CreateAlarmModelResponse; + }; + sdk: { + input: CreateAlarmModelCommandInput; + output: CreateAlarmModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/CreateDetectorModelCommand.ts b/clients/client-iot-events/src/commands/CreateDetectorModelCommand.ts index d769f1f4af1d..73a3b16a88a5 100644 --- a/clients/client-iot-events/src/commands/CreateDetectorModelCommand.ts +++ b/clients/client-iot-events/src/commands/CreateDetectorModelCommand.ts @@ -493,4 +493,16 @@ export class CreateDetectorModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateDetectorModelCommand) .de(de_CreateDetectorModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDetectorModelRequest; + output: CreateDetectorModelResponse; + }; + sdk: { + input: CreateDetectorModelCommandInput; + output: CreateDetectorModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/CreateInputCommand.ts b/clients/client-iot-events/src/commands/CreateInputCommand.ts index d3ac0f9edd47..5521e4698ada 100644 --- a/clients/client-iot-events/src/commands/CreateInputCommand.ts +++ b/clients/client-iot-events/src/commands/CreateInputCommand.ts @@ -113,4 +113,16 @@ export class CreateInputCommand extends $Command .f(void 0, void 0) .ser(se_CreateInputCommand) .de(de_CreateInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInputRequest; + output: CreateInputResponse; + }; + sdk: { + input: CreateInputCommandInput; + output: CreateInputCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DeleteAlarmModelCommand.ts b/clients/client-iot-events/src/commands/DeleteAlarmModelCommand.ts index 69510ab53020..00084cae4e72 100644 --- a/clients/client-iot-events/src/commands/DeleteAlarmModelCommand.ts +++ b/clients/client-iot-events/src/commands/DeleteAlarmModelCommand.ts @@ -94,4 +94,16 @@ export class DeleteAlarmModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAlarmModelCommand) .de(de_DeleteAlarmModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAlarmModelRequest; + output: {}; + }; + sdk: { + input: DeleteAlarmModelCommandInput; + output: DeleteAlarmModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DeleteDetectorModelCommand.ts b/clients/client-iot-events/src/commands/DeleteDetectorModelCommand.ts index 8c22df8b3570..73e4546b7c8d 100644 --- a/clients/client-iot-events/src/commands/DeleteDetectorModelCommand.ts +++ b/clients/client-iot-events/src/commands/DeleteDetectorModelCommand.ts @@ -94,4 +94,16 @@ export class DeleteDetectorModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDetectorModelCommand) .de(de_DeleteDetectorModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDetectorModelRequest; + output: {}; + }; + sdk: { + input: DeleteDetectorModelCommandInput; + output: DeleteDetectorModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DeleteInputCommand.ts b/clients/client-iot-events/src/commands/DeleteInputCommand.ts index 001f673784b3..3a2e9eb25c85 100644 --- a/clients/client-iot-events/src/commands/DeleteInputCommand.ts +++ b/clients/client-iot-events/src/commands/DeleteInputCommand.ts @@ -93,4 +93,16 @@ export class DeleteInputCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInputCommand) .de(de_DeleteInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInputRequest; + output: {}; + }; + sdk: { + input: DeleteInputCommandInput; + output: DeleteInputCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DescribeAlarmModelCommand.ts b/clients/client-iot-events/src/commands/DescribeAlarmModelCommand.ts index 3610a770e98d..e789f0a92629 100644 --- a/clients/client-iot-events/src/commands/DescribeAlarmModelCommand.ts +++ b/clients/client-iot-events/src/commands/DescribeAlarmModelCommand.ts @@ -246,4 +246,16 @@ export class DescribeAlarmModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlarmModelCommand) .de(de_DescribeAlarmModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlarmModelRequest; + output: DescribeAlarmModelResponse; + }; + sdk: { + input: DescribeAlarmModelCommandInput; + output: DescribeAlarmModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DescribeDetectorModelAnalysisCommand.ts b/clients/client-iot-events/src/commands/DescribeDetectorModelAnalysisCommand.ts index 97e78bdc36dd..c0b7134ed734 100644 --- a/clients/client-iot-events/src/commands/DescribeDetectorModelAnalysisCommand.ts +++ b/clients/client-iot-events/src/commands/DescribeDetectorModelAnalysisCommand.ts @@ -100,4 +100,16 @@ export class DescribeDetectorModelAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDetectorModelAnalysisCommand) .de(de_DescribeDetectorModelAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDetectorModelAnalysisRequest; + output: DescribeDetectorModelAnalysisResponse; + }; + sdk: { + input: DescribeDetectorModelAnalysisCommandInput; + output: DescribeDetectorModelAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DescribeDetectorModelCommand.ts b/clients/client-iot-events/src/commands/DescribeDetectorModelCommand.ts index 56588c65ae43..3f4eff6184ca 100644 --- a/clients/client-iot-events/src/commands/DescribeDetectorModelCommand.ts +++ b/clients/client-iot-events/src/commands/DescribeDetectorModelCommand.ts @@ -481,4 +481,16 @@ export class DescribeDetectorModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDetectorModelCommand) .de(de_DescribeDetectorModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDetectorModelRequest; + output: DescribeDetectorModelResponse; + }; + sdk: { + input: DescribeDetectorModelCommandInput; + output: DescribeDetectorModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DescribeInputCommand.ts b/clients/client-iot-events/src/commands/DescribeInputCommand.ts index f51c5d985baf..142f64a4dec1 100644 --- a/clients/client-iot-events/src/commands/DescribeInputCommand.ts +++ b/clients/client-iot-events/src/commands/DescribeInputCommand.ts @@ -108,4 +108,16 @@ export class DescribeInputCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInputCommand) .de(de_DescribeInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInputRequest; + output: DescribeInputResponse; + }; + sdk: { + input: DescribeInputCommandInput; + output: DescribeInputCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/DescribeLoggingOptionsCommand.ts b/clients/client-iot-events/src/commands/DescribeLoggingOptionsCommand.ts index bde4b15d0093..2784e70b7fe5 100644 --- a/clients/client-iot-events/src/commands/DescribeLoggingOptionsCommand.ts +++ b/clients/client-iot-events/src/commands/DescribeLoggingOptionsCommand.ts @@ -103,4 +103,16 @@ export class DescribeLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoggingOptionsCommand) .de(de_DescribeLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeLoggingOptionsResponse; + }; + sdk: { + input: DescribeLoggingOptionsCommandInput; + output: DescribeLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/GetDetectorModelAnalysisResultsCommand.ts b/clients/client-iot-events/src/commands/GetDetectorModelAnalysisResultsCommand.ts index 1d3e5545d741..28155cdee5be 100644 --- a/clients/client-iot-events/src/commands/GetDetectorModelAnalysisResultsCommand.ts +++ b/clients/client-iot-events/src/commands/GetDetectorModelAnalysisResultsCommand.ts @@ -114,4 +114,16 @@ export class GetDetectorModelAnalysisResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetDetectorModelAnalysisResultsCommand) .de(de_GetDetectorModelAnalysisResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDetectorModelAnalysisResultsRequest; + output: GetDetectorModelAnalysisResultsResponse; + }; + sdk: { + input: GetDetectorModelAnalysisResultsCommandInput; + output: GetDetectorModelAnalysisResultsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/ListAlarmModelVersionsCommand.ts b/clients/client-iot-events/src/commands/ListAlarmModelVersionsCommand.ts index bdbdc49ec6f7..d006ed669606 100644 --- a/clients/client-iot-events/src/commands/ListAlarmModelVersionsCommand.ts +++ b/clients/client-iot-events/src/commands/ListAlarmModelVersionsCommand.ts @@ -107,4 +107,16 @@ export class ListAlarmModelVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAlarmModelVersionsCommand) .de(de_ListAlarmModelVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAlarmModelVersionsRequest; + output: ListAlarmModelVersionsResponse; + }; + sdk: { + input: ListAlarmModelVersionsCommandInput; + output: ListAlarmModelVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/ListAlarmModelsCommand.ts b/clients/client-iot-events/src/commands/ListAlarmModelsCommand.ts index 6178b294eb8b..0d52f05b6283 100644 --- a/clients/client-iot-events/src/commands/ListAlarmModelsCommand.ts +++ b/clients/client-iot-events/src/commands/ListAlarmModelsCommand.ts @@ -98,4 +98,16 @@ export class ListAlarmModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListAlarmModelsCommand) .de(de_ListAlarmModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAlarmModelsRequest; + output: ListAlarmModelsResponse; + }; + sdk: { + input: ListAlarmModelsCommandInput; + output: ListAlarmModelsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/ListDetectorModelVersionsCommand.ts b/clients/client-iot-events/src/commands/ListDetectorModelVersionsCommand.ts index 88aa53f23304..7e062a9293cc 100644 --- a/clients/client-iot-events/src/commands/ListDetectorModelVersionsCommand.ts +++ b/clients/client-iot-events/src/commands/ListDetectorModelVersionsCommand.ts @@ -107,4 +107,16 @@ export class ListDetectorModelVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDetectorModelVersionsCommand) .de(de_ListDetectorModelVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDetectorModelVersionsRequest; + output: ListDetectorModelVersionsResponse; + }; + sdk: { + input: ListDetectorModelVersionsCommandInput; + output: ListDetectorModelVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/ListDetectorModelsCommand.ts b/clients/client-iot-events/src/commands/ListDetectorModelsCommand.ts index 39807fb3f1a3..3af4f0e4b728 100644 --- a/clients/client-iot-events/src/commands/ListDetectorModelsCommand.ts +++ b/clients/client-iot-events/src/commands/ListDetectorModelsCommand.ts @@ -98,4 +98,16 @@ export class ListDetectorModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListDetectorModelsCommand) .de(de_ListDetectorModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDetectorModelsRequest; + output: ListDetectorModelsResponse; + }; + sdk: { + input: ListDetectorModelsCommandInput; + output: ListDetectorModelsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/ListInputRoutingsCommand.ts b/clients/client-iot-events/src/commands/ListInputRoutingsCommand.ts index b614308466d6..fbeccb45236e 100644 --- a/clients/client-iot-events/src/commands/ListInputRoutingsCommand.ts +++ b/clients/client-iot-events/src/commands/ListInputRoutingsCommand.ts @@ -112,4 +112,16 @@ export class ListInputRoutingsCommand extends $Command .f(void 0, void 0) .ser(se_ListInputRoutingsCommand) .de(de_ListInputRoutingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInputRoutingsRequest; + output: ListInputRoutingsResponse; + }; + sdk: { + input: ListInputRoutingsCommandInput; + output: ListInputRoutingsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/ListInputsCommand.ts b/clients/client-iot-events/src/commands/ListInputsCommand.ts index de5e986db35c..8a2169528080 100644 --- a/clients/client-iot-events/src/commands/ListInputsCommand.ts +++ b/clients/client-iot-events/src/commands/ListInputsCommand.ts @@ -100,4 +100,16 @@ export class ListInputsCommand extends $Command .f(void 0, void 0) .ser(se_ListInputsCommand) .de(de_ListInputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInputsRequest; + output: ListInputsResponse; + }; + sdk: { + input: ListInputsCommandInput; + output: ListInputsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/ListTagsForResourceCommand.ts b/clients/client-iot-events/src/commands/ListTagsForResourceCommand.ts index ad5f15575f16..72d5d434af20 100644 --- a/clients/client-iot-events/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iot-events/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/PutLoggingOptionsCommand.ts b/clients/client-iot-events/src/commands/PutLoggingOptionsCommand.ts index 478e337b7587..de406ca9c1e5 100644 --- a/clients/client-iot-events/src/commands/PutLoggingOptionsCommand.ts +++ b/clients/client-iot-events/src/commands/PutLoggingOptionsCommand.ts @@ -107,4 +107,16 @@ export class PutLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutLoggingOptionsCommand) .de(de_PutLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLoggingOptionsRequest; + output: {}; + }; + sdk: { + input: PutLoggingOptionsCommandInput; + output: PutLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/StartDetectorModelAnalysisCommand.ts b/clients/client-iot-events/src/commands/StartDetectorModelAnalysisCommand.ts index cd0b0bfaa4c0..393db983146f 100644 --- a/clients/client-iot-events/src/commands/StartDetectorModelAnalysisCommand.ts +++ b/clients/client-iot-events/src/commands/StartDetectorModelAnalysisCommand.ts @@ -467,4 +467,16 @@ export class StartDetectorModelAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_StartDetectorModelAnalysisCommand) .de(de_StartDetectorModelAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDetectorModelAnalysisRequest; + output: StartDetectorModelAnalysisResponse; + }; + sdk: { + input: StartDetectorModelAnalysisCommandInput; + output: StartDetectorModelAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/TagResourceCommand.ts b/clients/client-iot-events/src/commands/TagResourceCommand.ts index 55f2188dca49..0b1ec56357cc 100644 --- a/clients/client-iot-events/src/commands/TagResourceCommand.ts +++ b/clients/client-iot-events/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/UntagResourceCommand.ts b/clients/client-iot-events/src/commands/UntagResourceCommand.ts index 2fbf4e045703..eb13a6870482 100644 --- a/clients/client-iot-events/src/commands/UntagResourceCommand.ts +++ b/clients/client-iot-events/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/UpdateAlarmModelCommand.ts b/clients/client-iot-events/src/commands/UpdateAlarmModelCommand.ts index 7c8bf7d808a9..1b615957852d 100644 --- a/clients/client-iot-events/src/commands/UpdateAlarmModelCommand.ts +++ b/clients/client-iot-events/src/commands/UpdateAlarmModelCommand.ts @@ -245,4 +245,16 @@ export class UpdateAlarmModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAlarmModelCommand) .de(de_UpdateAlarmModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAlarmModelRequest; + output: UpdateAlarmModelResponse; + }; + sdk: { + input: UpdateAlarmModelCommandInput; + output: UpdateAlarmModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/UpdateDetectorModelCommand.ts b/clients/client-iot-events/src/commands/UpdateDetectorModelCommand.ts index ae0e973935a9..c2bfc750f82b 100644 --- a/clients/client-iot-events/src/commands/UpdateDetectorModelCommand.ts +++ b/clients/client-iot-events/src/commands/UpdateDetectorModelCommand.ts @@ -484,4 +484,16 @@ export class UpdateDetectorModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDetectorModelCommand) .de(de_UpdateDetectorModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDetectorModelRequest; + output: UpdateDetectorModelResponse; + }; + sdk: { + input: UpdateDetectorModelCommandInput; + output: UpdateDetectorModelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-events/src/commands/UpdateInputCommand.ts b/clients/client-iot-events/src/commands/UpdateInputCommand.ts index d15cfedea78d..97fbce6b5266 100644 --- a/clients/client-iot-events/src/commands/UpdateInputCommand.ts +++ b/clients/client-iot-events/src/commands/UpdateInputCommand.ts @@ -110,4 +110,16 @@ export class UpdateInputCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInputCommand) .de(de_UpdateInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInputRequest; + output: UpdateInputResponse; + }; + sdk: { + input: UpdateInputCommandInput; + output: UpdateInputCommandOutput; + }; + }; +} diff --git a/clients/client-iot-jobs-data-plane/package.json b/clients/client-iot-jobs-data-plane/package.json index acb75692d176..9a3dbd8caf5b 100644 --- a/clients/client-iot-jobs-data-plane/package.json +++ b/clients/client-iot-jobs-data-plane/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iot-jobs-data-plane/src/commands/DescribeJobExecutionCommand.ts b/clients/client-iot-jobs-data-plane/src/commands/DescribeJobExecutionCommand.ts index 838c8f9fac7f..ff94e71e48ff 100644 --- a/clients/client-iot-jobs-data-plane/src/commands/DescribeJobExecutionCommand.ts +++ b/clients/client-iot-jobs-data-plane/src/commands/DescribeJobExecutionCommand.ts @@ -112,4 +112,16 @@ export class DescribeJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobExecutionCommand) .de(de_DescribeJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobExecutionRequest; + output: DescribeJobExecutionResponse; + }; + sdk: { + input: DescribeJobExecutionCommandInput; + output: DescribeJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-jobs-data-plane/src/commands/GetPendingJobExecutionsCommand.ts b/clients/client-iot-jobs-data-plane/src/commands/GetPendingJobExecutionsCommand.ts index ca24befcc21f..c968aae38372 100644 --- a/clients/client-iot-jobs-data-plane/src/commands/GetPendingJobExecutionsCommand.ts +++ b/clients/client-iot-jobs-data-plane/src/commands/GetPendingJobExecutionsCommand.ts @@ -111,4 +111,16 @@ export class GetPendingJobExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_GetPendingJobExecutionsCommand) .de(de_GetPendingJobExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPendingJobExecutionsRequest; + output: GetPendingJobExecutionsResponse; + }; + sdk: { + input: GetPendingJobExecutionsCommandInput; + output: GetPendingJobExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-jobs-data-plane/src/commands/StartNextPendingJobExecutionCommand.ts b/clients/client-iot-jobs-data-plane/src/commands/StartNextPendingJobExecutionCommand.ts index 133b11422ec0..ee928c38e81c 100644 --- a/clients/client-iot-jobs-data-plane/src/commands/StartNextPendingJobExecutionCommand.ts +++ b/clients/client-iot-jobs-data-plane/src/commands/StartNextPendingJobExecutionCommand.ts @@ -115,4 +115,16 @@ export class StartNextPendingJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartNextPendingJobExecutionCommand) .de(de_StartNextPendingJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartNextPendingJobExecutionRequest; + output: StartNextPendingJobExecutionResponse; + }; + sdk: { + input: StartNextPendingJobExecutionCommandInput; + output: StartNextPendingJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-jobs-data-plane/src/commands/UpdateJobExecutionCommand.ts b/clients/client-iot-jobs-data-plane/src/commands/UpdateJobExecutionCommand.ts index 5bda794ac09c..5a91ebbd111a 100644 --- a/clients/client-iot-jobs-data-plane/src/commands/UpdateJobExecutionCommand.ts +++ b/clients/client-iot-jobs-data-plane/src/commands/UpdateJobExecutionCommand.ts @@ -114,4 +114,16 @@ export class UpdateJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobExecutionCommand) .de(de_UpdateJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobExecutionRequest; + output: UpdateJobExecutionResponse; + }; + sdk: { + input: UpdateJobExecutionCommandInput; + output: UpdateJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/package.json b/clients/client-iot-wireless/package.json index 8b4953221030..a98f5d7e407d 100644 --- a/clients/client-iot-wireless/package.json +++ b/clients/client-iot-wireless/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-iot-wireless/src/commands/AssociateAwsAccountWithPartnerAccountCommand.ts b/clients/client-iot-wireless/src/commands/AssociateAwsAccountWithPartnerAccountCommand.ts index 9c6528b6bbd3..571b5704a086 100644 --- a/clients/client-iot-wireless/src/commands/AssociateAwsAccountWithPartnerAccountCommand.ts +++ b/clients/client-iot-wireless/src/commands/AssociateAwsAccountWithPartnerAccountCommand.ts @@ -123,4 +123,16 @@ export class AssociateAwsAccountWithPartnerAccountCommand extends $Command ) .ser(se_AssociateAwsAccountWithPartnerAccountCommand) .de(de_AssociateAwsAccountWithPartnerAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAwsAccountWithPartnerAccountRequest; + output: AssociateAwsAccountWithPartnerAccountResponse; + }; + sdk: { + input: AssociateAwsAccountWithPartnerAccountCommandInput; + output: AssociateAwsAccountWithPartnerAccountCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/AssociateMulticastGroupWithFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/AssociateMulticastGroupWithFuotaTaskCommand.ts index ba9ffbec0ab3..02ea350e89eb 100644 --- a/clients/client-iot-wireless/src/commands/AssociateMulticastGroupWithFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/AssociateMulticastGroupWithFuotaTaskCommand.ts @@ -102,4 +102,16 @@ export class AssociateMulticastGroupWithFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMulticastGroupWithFuotaTaskCommand) .de(de_AssociateMulticastGroupWithFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMulticastGroupWithFuotaTaskRequest; + output: {}; + }; + sdk: { + input: AssociateMulticastGroupWithFuotaTaskCommandInput; + output: AssociateMulticastGroupWithFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithFuotaTaskCommand.ts index 6ba996357633..c2234b923916 100644 --- a/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithFuotaTaskCommand.ts @@ -102,4 +102,16 @@ export class AssociateWirelessDeviceWithFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWirelessDeviceWithFuotaTaskCommand) .de(de_AssociateWirelessDeviceWithFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWirelessDeviceWithFuotaTaskRequest; + output: {}; + }; + sdk: { + input: AssociateWirelessDeviceWithFuotaTaskCommandInput; + output: AssociateWirelessDeviceWithFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithMulticastGroupCommand.ts index d8a567160f9a..65d86e49bace 100644 --- a/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithMulticastGroupCommand.ts @@ -103,4 +103,16 @@ export class AssociateWirelessDeviceWithMulticastGroupCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWirelessDeviceWithMulticastGroupCommand) .de(de_AssociateWirelessDeviceWithMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWirelessDeviceWithMulticastGroupRequest; + output: {}; + }; + sdk: { + input: AssociateWirelessDeviceWithMulticastGroupCommandInput; + output: AssociateWirelessDeviceWithMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithThingCommand.ts b/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithThingCommand.ts index 4b89454bf6b9..b6d518531677 100644 --- a/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithThingCommand.ts +++ b/clients/client-iot-wireless/src/commands/AssociateWirelessDeviceWithThingCommand.ts @@ -99,4 +99,16 @@ export class AssociateWirelessDeviceWithThingCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWirelessDeviceWithThingCommand) .de(de_AssociateWirelessDeviceWithThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWirelessDeviceWithThingRequest; + output: {}; + }; + sdk: { + input: AssociateWirelessDeviceWithThingCommandInput; + output: AssociateWirelessDeviceWithThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithCertificateCommand.ts b/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithCertificateCommand.ts index 79983d5a5e21..a36c2aa62c09 100644 --- a/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithCertificateCommand.ts +++ b/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithCertificateCommand.ts @@ -105,4 +105,16 @@ export class AssociateWirelessGatewayWithCertificateCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWirelessGatewayWithCertificateCommand) .de(de_AssociateWirelessGatewayWithCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWirelessGatewayWithCertificateRequest; + output: AssociateWirelessGatewayWithCertificateResponse; + }; + sdk: { + input: AssociateWirelessGatewayWithCertificateCommandInput; + output: AssociateWirelessGatewayWithCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithThingCommand.ts b/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithThingCommand.ts index 0d65ed7d0516..e586dc73640b 100644 --- a/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithThingCommand.ts +++ b/clients/client-iot-wireless/src/commands/AssociateWirelessGatewayWithThingCommand.ts @@ -102,4 +102,16 @@ export class AssociateWirelessGatewayWithThingCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWirelessGatewayWithThingCommand) .de(de_AssociateWirelessGatewayWithThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWirelessGatewayWithThingRequest; + output: {}; + }; + sdk: { + input: AssociateWirelessGatewayWithThingCommandInput; + output: AssociateWirelessGatewayWithThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CancelMulticastGroupSessionCommand.ts b/clients/client-iot-wireless/src/commands/CancelMulticastGroupSessionCommand.ts index 8584425d7814..d15bd8f09c89 100644 --- a/clients/client-iot-wireless/src/commands/CancelMulticastGroupSessionCommand.ts +++ b/clients/client-iot-wireless/src/commands/CancelMulticastGroupSessionCommand.ts @@ -98,4 +98,16 @@ export class CancelMulticastGroupSessionCommand extends $Command .f(void 0, void 0) .ser(se_CancelMulticastGroupSessionCommand) .de(de_CancelMulticastGroupSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMulticastGroupSessionRequest; + output: {}; + }; + sdk: { + input: CancelMulticastGroupSessionCommandInput; + output: CancelMulticastGroupSessionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateDestinationCommand.ts b/clients/client-iot-wireless/src/commands/CreateDestinationCommand.ts index a0dbcd5ca9cf..f90604bc59aa 100644 --- a/clients/client-iot-wireless/src/commands/CreateDestinationCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateDestinationCommand.ts @@ -107,4 +107,16 @@ export class CreateDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDestinationCommand) .de(de_CreateDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDestinationRequest; + output: CreateDestinationResponse; + }; + sdk: { + input: CreateDestinationCommandInput; + output: CreateDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateDeviceProfileCommand.ts b/clients/client-iot-wireless/src/commands/CreateDeviceProfileCommand.ts index 7ecbf321f297..a4e039284705 100644 --- a/clients/client-iot-wireless/src/commands/CreateDeviceProfileCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateDeviceProfileCommand.ts @@ -124,4 +124,16 @@ export class CreateDeviceProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeviceProfileCommand) .de(de_CreateDeviceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeviceProfileRequest; + output: CreateDeviceProfileResponse; + }; + sdk: { + input: CreateDeviceProfileCommandInput; + output: CreateDeviceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/CreateFuotaTaskCommand.ts index 24fd19d69443..e0725718498f 100644 --- a/clients/client-iot-wireless/src/commands/CreateFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateFuotaTaskCommand.ts @@ -112,4 +112,16 @@ export class CreateFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateFuotaTaskCommand) .de(de_CreateFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFuotaTaskRequest; + output: CreateFuotaTaskResponse; + }; + sdk: { + input: CreateFuotaTaskCommandInput; + output: CreateFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/CreateMulticastGroupCommand.ts index 0080edaebd3e..66cfb031a1cf 100644 --- a/clients/client-iot-wireless/src/commands/CreateMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateMulticastGroupCommand.ts @@ -108,4 +108,16 @@ export class CreateMulticastGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateMulticastGroupCommand) .de(de_CreateMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMulticastGroupRequest; + output: CreateMulticastGroupResponse; + }; + sdk: { + input: CreateMulticastGroupCommandInput; + output: CreateMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateNetworkAnalyzerConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/CreateNetworkAnalyzerConfigurationCommand.ts index 69b29b5d6bd4..63fba6401ed4 100644 --- a/clients/client-iot-wireless/src/commands/CreateNetworkAnalyzerConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateNetworkAnalyzerConfigurationCommand.ts @@ -126,4 +126,16 @@ export class CreateNetworkAnalyzerConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkAnalyzerConfigurationCommand) .de(de_CreateNetworkAnalyzerConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkAnalyzerConfigurationRequest; + output: CreateNetworkAnalyzerConfigurationResponse; + }; + sdk: { + input: CreateNetworkAnalyzerConfigurationCommandInput; + output: CreateNetworkAnalyzerConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateServiceProfileCommand.ts b/clients/client-iot-wireless/src/commands/CreateServiceProfileCommand.ts index e2392250ebef..dd225d41de15 100644 --- a/clients/client-iot-wireless/src/commands/CreateServiceProfileCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateServiceProfileCommand.ts @@ -107,4 +107,16 @@ export class CreateServiceProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceProfileCommand) .de(de_CreateServiceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceProfileRequest; + output: CreateServiceProfileResponse; + }; + sdk: { + input: CreateServiceProfileCommandInput; + output: CreateServiceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateWirelessDeviceCommand.ts b/clients/client-iot-wireless/src/commands/CreateWirelessDeviceCommand.ts index cb876350ba86..bf9b2d388751 100644 --- a/clients/client-iot-wireless/src/commands/CreateWirelessDeviceCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateWirelessDeviceCommand.ts @@ -161,4 +161,16 @@ export class CreateWirelessDeviceCommand extends $Command .f(void 0, void 0) .ser(se_CreateWirelessDeviceCommand) .de(de_CreateWirelessDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWirelessDeviceRequest; + output: CreateWirelessDeviceResponse; + }; + sdk: { + input: CreateWirelessDeviceCommandInput; + output: CreateWirelessDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateWirelessGatewayCommand.ts b/clients/client-iot-wireless/src/commands/CreateWirelessGatewayCommand.ts index 6c8c1f4a1249..5442002a3309 100644 --- a/clients/client-iot-wireless/src/commands/CreateWirelessGatewayCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateWirelessGatewayCommand.ts @@ -138,4 +138,16 @@ export class CreateWirelessGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateWirelessGatewayCommand) .de(de_CreateWirelessGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWirelessGatewayRequest; + output: CreateWirelessGatewayResponse; + }; + sdk: { + input: CreateWirelessGatewayCommandInput; + output: CreateWirelessGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskCommand.ts b/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskCommand.ts index d39acdce21fe..bebc7939e2d1 100644 --- a/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskCommand.ts @@ -97,4 +97,16 @@ export class CreateWirelessGatewayTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateWirelessGatewayTaskCommand) .de(de_CreateWirelessGatewayTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWirelessGatewayTaskRequest; + output: CreateWirelessGatewayTaskResponse; + }; + sdk: { + input: CreateWirelessGatewayTaskCommandInput; + output: CreateWirelessGatewayTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskDefinitionCommand.ts b/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskDefinitionCommand.ts index c58bbe70e6df..c5b60b42e1d2 100644 --- a/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskDefinitionCommand.ts +++ b/clients/client-iot-wireless/src/commands/CreateWirelessGatewayTaskDefinitionCommand.ts @@ -130,4 +130,16 @@ export class CreateWirelessGatewayTaskDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateWirelessGatewayTaskDefinitionCommand) .de(de_CreateWirelessGatewayTaskDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWirelessGatewayTaskDefinitionRequest; + output: CreateWirelessGatewayTaskDefinitionResponse; + }; + sdk: { + input: CreateWirelessGatewayTaskDefinitionCommandInput; + output: CreateWirelessGatewayTaskDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteDestinationCommand.ts b/clients/client-iot-wireless/src/commands/DeleteDestinationCommand.ts index 336c84d40716..9ebfec4c9ddc 100644 --- a/clients/client-iot-wireless/src/commands/DeleteDestinationCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteDestinationCommand.ts @@ -93,4 +93,16 @@ export class DeleteDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDestinationCommand) .de(de_DeleteDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteDestinationCommandInput; + output: DeleteDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteDeviceProfileCommand.ts b/clients/client-iot-wireless/src/commands/DeleteDeviceProfileCommand.ts index 3a99e01673f2..4ed5a4a30160 100644 --- a/clients/client-iot-wireless/src/commands/DeleteDeviceProfileCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteDeviceProfileCommand.ts @@ -93,4 +93,16 @@ export class DeleteDeviceProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeviceProfileCommand) .de(de_DeleteDeviceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeviceProfileRequest; + output: {}; + }; + sdk: { + input: DeleteDeviceProfileCommandInput; + output: DeleteDeviceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/DeleteFuotaTaskCommand.ts index 2ada1256cb4f..0043f2946fef 100644 --- a/clients/client-iot-wireless/src/commands/DeleteFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteFuotaTaskCommand.ts @@ -90,4 +90,16 @@ export class DeleteFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFuotaTaskCommand) .de(de_DeleteFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFuotaTaskRequest; + output: {}; + }; + sdk: { + input: DeleteFuotaTaskCommandInput; + output: DeleteFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/DeleteMulticastGroupCommand.ts index acb20512a488..13c48b595c59 100644 --- a/clients/client-iot-wireless/src/commands/DeleteMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteMulticastGroupCommand.ts @@ -93,4 +93,16 @@ export class DeleteMulticastGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMulticastGroupCommand) .de(de_DeleteMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMulticastGroupRequest; + output: {}; + }; + sdk: { + input: DeleteMulticastGroupCommandInput; + output: DeleteMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteNetworkAnalyzerConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/DeleteNetworkAnalyzerConfigurationCommand.ts index 78dc9549393f..49a0ef56e959 100644 --- a/clients/client-iot-wireless/src/commands/DeleteNetworkAnalyzerConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteNetworkAnalyzerConfigurationCommand.ts @@ -101,4 +101,16 @@ export class DeleteNetworkAnalyzerConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkAnalyzerConfigurationCommand) .de(de_DeleteNetworkAnalyzerConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkAnalyzerConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteNetworkAnalyzerConfigurationCommandInput; + output: DeleteNetworkAnalyzerConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteQueuedMessagesCommand.ts b/clients/client-iot-wireless/src/commands/DeleteQueuedMessagesCommand.ts index 3f15045b5fc0..bf7ab686467a 100644 --- a/clients/client-iot-wireless/src/commands/DeleteQueuedMessagesCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteQueuedMessagesCommand.ts @@ -92,4 +92,16 @@ export class DeleteQueuedMessagesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueuedMessagesCommand) .de(de_DeleteQueuedMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueuedMessagesRequest; + output: {}; + }; + sdk: { + input: DeleteQueuedMessagesCommandInput; + output: DeleteQueuedMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteServiceProfileCommand.ts b/clients/client-iot-wireless/src/commands/DeleteServiceProfileCommand.ts index 388ee16d4155..d6927fac602c 100644 --- a/clients/client-iot-wireless/src/commands/DeleteServiceProfileCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteServiceProfileCommand.ts @@ -93,4 +93,16 @@ export class DeleteServiceProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceProfileCommand) .de(de_DeleteServiceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceProfileRequest; + output: {}; + }; + sdk: { + input: DeleteServiceProfileCommandInput; + output: DeleteServiceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceCommand.ts b/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceCommand.ts index 663d467af177..607a54537a4a 100644 --- a/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceCommand.ts @@ -90,4 +90,16 @@ export class DeleteWirelessDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWirelessDeviceCommand) .de(de_DeleteWirelessDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWirelessDeviceRequest; + output: {}; + }; + sdk: { + input: DeleteWirelessDeviceCommandInput; + output: DeleteWirelessDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceImportTaskCommand.ts b/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceImportTaskCommand.ts index ba0f2fe0a6c3..51586692550e 100644 --- a/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceImportTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteWirelessDeviceImportTaskCommand.ts @@ -98,4 +98,16 @@ export class DeleteWirelessDeviceImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWirelessDeviceImportTaskCommand) .de(de_DeleteWirelessDeviceImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWirelessDeviceImportTaskRequest; + output: {}; + }; + sdk: { + input: DeleteWirelessDeviceImportTaskCommandInput; + output: DeleteWirelessDeviceImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayCommand.ts b/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayCommand.ts index ba04e4ec0b39..7dd29f34761a 100644 --- a/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayCommand.ts @@ -105,4 +105,16 @@ export class DeleteWirelessGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWirelessGatewayCommand) .de(de_DeleteWirelessGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWirelessGatewayRequest; + output: {}; + }; + sdk: { + input: DeleteWirelessGatewayCommandInput; + output: DeleteWirelessGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskCommand.ts b/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskCommand.ts index 7d5435236322..d96838abec88 100644 --- a/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskCommand.ts @@ -90,4 +90,16 @@ export class DeleteWirelessGatewayTaskCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWirelessGatewayTaskCommand) .de(de_DeleteWirelessGatewayTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWirelessGatewayTaskRequest; + output: {}; + }; + sdk: { + input: DeleteWirelessGatewayTaskCommandInput; + output: DeleteWirelessGatewayTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskDefinitionCommand.ts b/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskDefinitionCommand.ts index d39121451170..a3696129ef06 100644 --- a/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskDefinitionCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeleteWirelessGatewayTaskDefinitionCommand.ts @@ -99,4 +99,16 @@ export class DeleteWirelessGatewayTaskDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWirelessGatewayTaskDefinitionCommand) .de(de_DeleteWirelessGatewayTaskDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWirelessGatewayTaskDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteWirelessGatewayTaskDefinitionCommandInput; + output: DeleteWirelessGatewayTaskDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DeregisterWirelessDeviceCommand.ts b/clients/client-iot-wireless/src/commands/DeregisterWirelessDeviceCommand.ts index bf03dd896af0..8f863b00d066 100644 --- a/clients/client-iot-wireless/src/commands/DeregisterWirelessDeviceCommand.ts +++ b/clients/client-iot-wireless/src/commands/DeregisterWirelessDeviceCommand.ts @@ -88,4 +88,16 @@ export class DeregisterWirelessDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterWirelessDeviceCommand) .de(de_DeregisterWirelessDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterWirelessDeviceRequest; + output: {}; + }; + sdk: { + input: DeregisterWirelessDeviceCommandInput; + output: DeregisterWirelessDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DisassociateAwsAccountFromPartnerAccountCommand.ts b/clients/client-iot-wireless/src/commands/DisassociateAwsAccountFromPartnerAccountCommand.ts index 7129f8daba36..19aa00c2fb90 100644 --- a/clients/client-iot-wireless/src/commands/DisassociateAwsAccountFromPartnerAccountCommand.ts +++ b/clients/client-iot-wireless/src/commands/DisassociateAwsAccountFromPartnerAccountCommand.ts @@ -99,4 +99,16 @@ export class DisassociateAwsAccountFromPartnerAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAwsAccountFromPartnerAccountCommand) .de(de_DisassociateAwsAccountFromPartnerAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAwsAccountFromPartnerAccountRequest; + output: {}; + }; + sdk: { + input: DisassociateAwsAccountFromPartnerAccountCommandInput; + output: DisassociateAwsAccountFromPartnerAccountCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DisassociateMulticastGroupFromFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/DisassociateMulticastGroupFromFuotaTaskCommand.ts index 3903633ddb64..3127f1bc9c3c 100644 --- a/clients/client-iot-wireless/src/commands/DisassociateMulticastGroupFromFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/DisassociateMulticastGroupFromFuotaTaskCommand.ts @@ -100,4 +100,16 @@ export class DisassociateMulticastGroupFromFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMulticastGroupFromFuotaTaskCommand) .de(de_DisassociateMulticastGroupFromFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMulticastGroupFromFuotaTaskRequest; + output: {}; + }; + sdk: { + input: DisassociateMulticastGroupFromFuotaTaskCommandInput; + output: DisassociateMulticastGroupFromFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromFuotaTaskCommand.ts index 0e660ce49782..20eddee4c796 100644 --- a/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromFuotaTaskCommand.ts @@ -103,4 +103,16 @@ export class DisassociateWirelessDeviceFromFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWirelessDeviceFromFuotaTaskCommand) .de(de_DisassociateWirelessDeviceFromFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWirelessDeviceFromFuotaTaskRequest; + output: {}; + }; + sdk: { + input: DisassociateWirelessDeviceFromFuotaTaskCommandInput; + output: DisassociateWirelessDeviceFromFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromMulticastGroupCommand.ts index 1f5076f3476e..a730efdd47e8 100644 --- a/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromMulticastGroupCommand.ts @@ -100,4 +100,16 @@ export class DisassociateWirelessDeviceFromMulticastGroupCommand extends $Comman .f(void 0, void 0) .ser(se_DisassociateWirelessDeviceFromMulticastGroupCommand) .de(de_DisassociateWirelessDeviceFromMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWirelessDeviceFromMulticastGroupRequest; + output: {}; + }; + sdk: { + input: DisassociateWirelessDeviceFromMulticastGroupCommandInput; + output: DisassociateWirelessDeviceFromMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromThingCommand.ts b/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromThingCommand.ts index 16337d4ab993..3e2f0e16f6ea 100644 --- a/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromThingCommand.ts +++ b/clients/client-iot-wireless/src/commands/DisassociateWirelessDeviceFromThingCommand.ts @@ -101,4 +101,16 @@ export class DisassociateWirelessDeviceFromThingCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWirelessDeviceFromThingCommand) .de(de_DisassociateWirelessDeviceFromThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWirelessDeviceFromThingRequest; + output: {}; + }; + sdk: { + input: DisassociateWirelessDeviceFromThingCommandInput; + output: DisassociateWirelessDeviceFromThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromCertificateCommand.ts b/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromCertificateCommand.ts index dc56bd872aa9..16116910ef50 100644 --- a/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromCertificateCommand.ts +++ b/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromCertificateCommand.ts @@ -99,4 +99,16 @@ export class DisassociateWirelessGatewayFromCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWirelessGatewayFromCertificateCommand) .de(de_DisassociateWirelessGatewayFromCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWirelessGatewayFromCertificateRequest; + output: {}; + }; + sdk: { + input: DisassociateWirelessGatewayFromCertificateCommandInput; + output: DisassociateWirelessGatewayFromCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromThingCommand.ts b/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromThingCommand.ts index 71c70ac36daf..2b788303ddd4 100644 --- a/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromThingCommand.ts +++ b/clients/client-iot-wireless/src/commands/DisassociateWirelessGatewayFromThingCommand.ts @@ -101,4 +101,16 @@ export class DisassociateWirelessGatewayFromThingCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWirelessGatewayFromThingCommand) .de(de_DisassociateWirelessGatewayFromThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWirelessGatewayFromThingRequest; + output: {}; + }; + sdk: { + input: DisassociateWirelessGatewayFromThingCommandInput; + output: DisassociateWirelessGatewayFromThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetDestinationCommand.ts b/clients/client-iot-wireless/src/commands/GetDestinationCommand.ts index 0750da7463ad..ae0eeacb01dd 100644 --- a/clients/client-iot-wireless/src/commands/GetDestinationCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetDestinationCommand.ts @@ -97,4 +97,16 @@ export class GetDestinationCommand extends $Command .f(void 0, void 0) .ser(se_GetDestinationCommand) .de(de_GetDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDestinationRequest; + output: GetDestinationResponse; + }; + sdk: { + input: GetDestinationCommandInput; + output: GetDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetDeviceProfileCommand.ts b/clients/client-iot-wireless/src/commands/GetDeviceProfileCommand.ts index d298455c2bd0..24994f579779 100644 --- a/clients/client-iot-wireless/src/commands/GetDeviceProfileCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetDeviceProfileCommand.ts @@ -134,4 +134,16 @@ export class GetDeviceProfileCommand extends $Command .f(void 0, GetDeviceProfileResponseFilterSensitiveLog) .ser(se_GetDeviceProfileCommand) .de(de_GetDeviceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceProfileRequest; + output: GetDeviceProfileResponse; + }; + sdk: { + input: GetDeviceProfileCommandInput; + output: GetDeviceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetEventConfigurationByResourceTypesCommand.ts b/clients/client-iot-wireless/src/commands/GetEventConfigurationByResourceTypesCommand.ts index a1502c4b50aa..cf250ef42ca9 100644 --- a/clients/client-iot-wireless/src/commands/GetEventConfigurationByResourceTypesCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetEventConfigurationByResourceTypesCommand.ts @@ -116,4 +116,16 @@ export class GetEventConfigurationByResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetEventConfigurationByResourceTypesCommand) .de(de_GetEventConfigurationByResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetEventConfigurationByResourceTypesResponse; + }; + sdk: { + input: GetEventConfigurationByResourceTypesCommandInput; + output: GetEventConfigurationByResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/GetFuotaTaskCommand.ts index aaf7011eaa72..1687c3ce1e6f 100644 --- a/clients/client-iot-wireless/src/commands/GetFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetFuotaTaskCommand.ts @@ -106,4 +106,16 @@ export class GetFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetFuotaTaskCommand) .de(de_GetFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFuotaTaskRequest; + output: GetFuotaTaskResponse; + }; + sdk: { + input: GetFuotaTaskCommandInput; + output: GetFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetLogLevelsByResourceTypesCommand.ts b/clients/client-iot-wireless/src/commands/GetLogLevelsByResourceTypesCommand.ts index e050fcb30525..8dd84b9988f3 100644 --- a/clients/client-iot-wireless/src/commands/GetLogLevelsByResourceTypesCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetLogLevelsByResourceTypesCommand.ts @@ -121,4 +121,16 @@ export class GetLogLevelsByResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetLogLevelsByResourceTypesCommand) .de(de_GetLogLevelsByResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetLogLevelsByResourceTypesResponse; + }; + sdk: { + input: GetLogLevelsByResourceTypesCommandInput; + output: GetLogLevelsByResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetMetricConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/GetMetricConfigurationCommand.ts index db205d5c48b2..f9baca24dfa4 100644 --- a/clients/client-iot-wireless/src/commands/GetMetricConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetMetricConfigurationCommand.ts @@ -95,4 +95,16 @@ export class GetMetricConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricConfigurationCommand) .de(de_GetMetricConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetMetricConfigurationResponse; + }; + sdk: { + input: GetMetricConfigurationCommandInput; + output: GetMetricConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetMetricsCommand.ts b/clients/client-iot-wireless/src/commands/GetMetricsCommand.ts index 6389fabac0ed..02ad73f3f730 100644 --- a/clients/client-iot-wireless/src/commands/GetMetricsCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetMetricsCommand.ts @@ -139,4 +139,16 @@ export class GetMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricsCommand) .de(de_GetMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricsRequest; + output: GetMetricsResponse; + }; + sdk: { + input: GetMetricsCommandInput; + output: GetMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/GetMulticastGroupCommand.ts index a60fe090cab6..53989d72700b 100644 --- a/clients/client-iot-wireless/src/commands/GetMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetMulticastGroupCommand.ts @@ -103,4 +103,16 @@ export class GetMulticastGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetMulticastGroupCommand) .de(de_GetMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMulticastGroupRequest; + output: GetMulticastGroupResponse; + }; + sdk: { + input: GetMulticastGroupCommandInput; + output: GetMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetMulticastGroupSessionCommand.ts b/clients/client-iot-wireless/src/commands/GetMulticastGroupSessionCommand.ts index b3198dc80200..94768da7ebf5 100644 --- a/clients/client-iot-wireless/src/commands/GetMulticastGroupSessionCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetMulticastGroupSessionCommand.ts @@ -98,4 +98,16 @@ export class GetMulticastGroupSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetMulticastGroupSessionCommand) .de(de_GetMulticastGroupSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMulticastGroupSessionRequest; + output: GetMulticastGroupSessionResponse; + }; + sdk: { + input: GetMulticastGroupSessionCommandInput; + output: GetMulticastGroupSessionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetNetworkAnalyzerConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/GetNetworkAnalyzerConfigurationCommand.ts index b3f4906525a2..c2789ab87082 100644 --- a/clients/client-iot-wireless/src/commands/GetNetworkAnalyzerConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetNetworkAnalyzerConfigurationCommand.ts @@ -113,4 +113,16 @@ export class GetNetworkAnalyzerConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkAnalyzerConfigurationCommand) .de(de_GetNetworkAnalyzerConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkAnalyzerConfigurationRequest; + output: GetNetworkAnalyzerConfigurationResponse; + }; + sdk: { + input: GetNetworkAnalyzerConfigurationCommandInput; + output: GetNetworkAnalyzerConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetPartnerAccountCommand.ts b/clients/client-iot-wireless/src/commands/GetPartnerAccountCommand.ts index 072b026e8f1f..94506d0bb032 100644 --- a/clients/client-iot-wireless/src/commands/GetPartnerAccountCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetPartnerAccountCommand.ts @@ -100,4 +100,16 @@ export class GetPartnerAccountCommand extends $Command .f(void 0, GetPartnerAccountResponseFilterSensitiveLog) .ser(se_GetPartnerAccountCommand) .de(de_GetPartnerAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPartnerAccountRequest; + output: GetPartnerAccountResponse; + }; + sdk: { + input: GetPartnerAccountCommandInput; + output: GetPartnerAccountCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetPositionCommand.ts b/clients/client-iot-wireless/src/commands/GetPositionCommand.ts index b2ebe35d5995..5e57ad0f5e3f 100644 --- a/clients/client-iot-wireless/src/commands/GetPositionCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetPositionCommand.ts @@ -109,4 +109,16 @@ export class GetPositionCommand extends $Command .f(void 0, void 0) .ser(se_GetPositionCommand) .de(de_GetPositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPositionRequest; + output: GetPositionResponse; + }; + sdk: { + input: GetPositionCommandInput; + output: GetPositionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetPositionConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/GetPositionConfigurationCommand.ts index f0bfcfb0e876..bdaf3d9527fa 100644 --- a/clients/client-iot-wireless/src/commands/GetPositionConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetPositionConfigurationCommand.ts @@ -107,4 +107,16 @@ export class GetPositionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetPositionConfigurationCommand) .de(de_GetPositionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPositionConfigurationRequest; + output: GetPositionConfigurationResponse; + }; + sdk: { + input: GetPositionConfigurationCommandInput; + output: GetPositionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetPositionEstimateCommand.ts b/clients/client-iot-wireless/src/commands/GetPositionEstimateCommand.ts index c046f34a4d60..93b9ec8c85b6 100644 --- a/clients/client-iot-wireless/src/commands/GetPositionEstimateCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetPositionEstimateCommand.ts @@ -243,4 +243,16 @@ export class GetPositionEstimateCommand extends $Command .f(void 0, void 0) .ser(se_GetPositionEstimateCommand) .de(de_GetPositionEstimateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPositionEstimateRequest; + output: GetPositionEstimateResponse; + }; + sdk: { + input: GetPositionEstimateCommandInput; + output: GetPositionEstimateCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetResourceEventConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/GetResourceEventConfigurationCommand.ts index a7f185b5566c..b65a59cc3c65 100644 --- a/clients/client-iot-wireless/src/commands/GetResourceEventConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetResourceEventConfigurationCommand.ts @@ -128,4 +128,16 @@ export class GetResourceEventConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceEventConfigurationCommand) .de(de_GetResourceEventConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceEventConfigurationRequest; + output: GetResourceEventConfigurationResponse; + }; + sdk: { + input: GetResourceEventConfigurationCommandInput; + output: GetResourceEventConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetResourceLogLevelCommand.ts b/clients/client-iot-wireless/src/commands/GetResourceLogLevelCommand.ts index 1bf9adf987a8..0fb9f37f7fb9 100644 --- a/clients/client-iot-wireless/src/commands/GetResourceLogLevelCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetResourceLogLevelCommand.ts @@ -94,4 +94,16 @@ export class GetResourceLogLevelCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceLogLevelCommand) .de(de_GetResourceLogLevelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceLogLevelRequest; + output: GetResourceLogLevelResponse; + }; + sdk: { + input: GetResourceLogLevelCommandInput; + output: GetResourceLogLevelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetResourcePositionCommand.ts b/clients/client-iot-wireless/src/commands/GetResourcePositionCommand.ts index 410b00243cbb..672cd822f927 100644 --- a/clients/client-iot-wireless/src/commands/GetResourcePositionCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetResourcePositionCommand.ts @@ -103,4 +103,16 @@ export class GetResourcePositionCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePositionCommand) .de(de_GetResourcePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePositionRequest; + output: GetResourcePositionResponse; + }; + sdk: { + input: GetResourcePositionCommandInput; + output: GetResourcePositionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetServiceEndpointCommand.ts b/clients/client-iot-wireless/src/commands/GetServiceEndpointCommand.ts index 5a1432d37533..642fb0b149ed 100644 --- a/clients/client-iot-wireless/src/commands/GetServiceEndpointCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetServiceEndpointCommand.ts @@ -92,4 +92,16 @@ export class GetServiceEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceEndpointCommand) .de(de_GetServiceEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceEndpointRequest; + output: GetServiceEndpointResponse; + }; + sdk: { + input: GetServiceEndpointCommandInput; + output: GetServiceEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetServiceProfileCommand.ts b/clients/client-iot-wireless/src/commands/GetServiceProfileCommand.ts index 79bab6984f0c..50473c09862b 100644 --- a/clients/client-iot-wireless/src/commands/GetServiceProfileCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetServiceProfileCommand.ts @@ -115,4 +115,16 @@ export class GetServiceProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceProfileCommand) .de(de_GetServiceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceProfileRequest; + output: GetServiceProfileResponse; + }; + sdk: { + input: GetServiceProfileCommandInput; + output: GetServiceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessDeviceCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessDeviceCommand.ts index 453a0362580f..bd52a1f52c4e 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessDeviceCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessDeviceCommand.ts @@ -172,4 +172,16 @@ export class GetWirelessDeviceCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessDeviceCommand) .de(de_GetWirelessDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessDeviceRequest; + output: GetWirelessDeviceResponse; + }; + sdk: { + input: GetWirelessDeviceCommandInput; + output: GetWirelessDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessDeviceImportTaskCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessDeviceImportTaskCommand.ts index 4201bd003c5f..39a040cb7e5c 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessDeviceImportTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessDeviceImportTaskCommand.ts @@ -116,4 +116,16 @@ export class GetWirelessDeviceImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessDeviceImportTaskCommand) .de(de_GetWirelessDeviceImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessDeviceImportTaskRequest; + output: GetWirelessDeviceImportTaskResponse; + }; + sdk: { + input: GetWirelessDeviceImportTaskCommandInput; + output: GetWirelessDeviceImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessDeviceStatisticsCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessDeviceStatisticsCommand.ts index e58d012c69fa..e6f54467f428 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessDeviceStatisticsCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessDeviceStatisticsCommand.ts @@ -128,4 +128,16 @@ export class GetWirelessDeviceStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessDeviceStatisticsCommand) .de(de_GetWirelessDeviceStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessDeviceStatisticsRequest; + output: GetWirelessDeviceStatisticsResponse; + }; + sdk: { + input: GetWirelessDeviceStatisticsCommandInput; + output: GetWirelessDeviceStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessGatewayCertificateCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessGatewayCertificateCommand.ts index 8fca2e1e1894..41fda39689a7 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessGatewayCertificateCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessGatewayCertificateCommand.ts @@ -99,4 +99,16 @@ export class GetWirelessGatewayCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessGatewayCertificateCommand) .de(de_GetWirelessGatewayCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessGatewayCertificateRequest; + output: GetWirelessGatewayCertificateResponse; + }; + sdk: { + input: GetWirelessGatewayCertificateCommandInput; + output: GetWirelessGatewayCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessGatewayCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessGatewayCommand.ts index b8a2d4fca6b5..7e29166f5c46 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessGatewayCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessGatewayCommand.ts @@ -120,4 +120,16 @@ export class GetWirelessGatewayCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessGatewayCommand) .de(de_GetWirelessGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessGatewayRequest; + output: GetWirelessGatewayResponse; + }; + sdk: { + input: GetWirelessGatewayCommandInput; + output: GetWirelessGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessGatewayFirmwareInformationCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessGatewayFirmwareInformationCommand.ts index 1eb0e36a163a..f18b343135da 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessGatewayFirmwareInformationCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessGatewayFirmwareInformationCommand.ts @@ -107,4 +107,16 @@ export class GetWirelessGatewayFirmwareInformationCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessGatewayFirmwareInformationCommand) .de(de_GetWirelessGatewayFirmwareInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessGatewayFirmwareInformationRequest; + output: GetWirelessGatewayFirmwareInformationResponse; + }; + sdk: { + input: GetWirelessGatewayFirmwareInformationCommandInput; + output: GetWirelessGatewayFirmwareInformationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessGatewayStatisticsCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessGatewayStatisticsCommand.ts index ae6e7d8434b2..d6aaffd19e90 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessGatewayStatisticsCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessGatewayStatisticsCommand.ts @@ -99,4 +99,16 @@ export class GetWirelessGatewayStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessGatewayStatisticsCommand) .de(de_GetWirelessGatewayStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessGatewayStatisticsRequest; + output: GetWirelessGatewayStatisticsResponse; + }; + sdk: { + input: GetWirelessGatewayStatisticsCommandInput; + output: GetWirelessGatewayStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskCommand.ts index 50692e0c5e3f..2adf3db271a5 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskCommand.ts @@ -96,4 +96,16 @@ export class GetWirelessGatewayTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessGatewayTaskCommand) .de(de_GetWirelessGatewayTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessGatewayTaskRequest; + output: GetWirelessGatewayTaskResponse; + }; + sdk: { + input: GetWirelessGatewayTaskCommandInput; + output: GetWirelessGatewayTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskDefinitionCommand.ts b/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskDefinitionCommand.ts index 4e967dca4a72..d619a929777d 100644 --- a/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskDefinitionCommand.ts +++ b/clients/client-iot-wireless/src/commands/GetWirelessGatewayTaskDefinitionCommand.ts @@ -117,4 +117,16 @@ export class GetWirelessGatewayTaskDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetWirelessGatewayTaskDefinitionCommand) .de(de_GetWirelessGatewayTaskDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWirelessGatewayTaskDefinitionRequest; + output: GetWirelessGatewayTaskDefinitionResponse; + }; + sdk: { + input: GetWirelessGatewayTaskDefinitionCommandInput; + output: GetWirelessGatewayTaskDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListDestinationsCommand.ts b/clients/client-iot-wireless/src/commands/ListDestinationsCommand.ts index b70877bb767e..89215751952f 100644 --- a/clients/client-iot-wireless/src/commands/ListDestinationsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListDestinationsCommand.ts @@ -100,4 +100,16 @@ export class ListDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDestinationsCommand) .de(de_ListDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDestinationsRequest; + output: ListDestinationsResponse; + }; + sdk: { + input: ListDestinationsCommandInput; + output: ListDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListDeviceProfilesCommand.ts b/clients/client-iot-wireless/src/commands/ListDeviceProfilesCommand.ts index 821bf1e8ad8f..b527e8a4802b 100644 --- a/clients/client-iot-wireless/src/commands/ListDeviceProfilesCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListDeviceProfilesCommand.ts @@ -98,4 +98,16 @@ export class ListDeviceProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListDeviceProfilesCommand) .de(de_ListDeviceProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceProfilesRequest; + output: ListDeviceProfilesResponse; + }; + sdk: { + input: ListDeviceProfilesCommandInput; + output: ListDeviceProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListDevicesForWirelessDeviceImportTaskCommand.ts b/clients/client-iot-wireless/src/commands/ListDevicesForWirelessDeviceImportTaskCommand.ts index b6956846d6b4..c6a69df07b80 100644 --- a/clients/client-iot-wireless/src/commands/ListDevicesForWirelessDeviceImportTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListDevicesForWirelessDeviceImportTaskCommand.ts @@ -118,4 +118,16 @@ export class ListDevicesForWirelessDeviceImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesForWirelessDeviceImportTaskCommand) .de(de_ListDevicesForWirelessDeviceImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesForWirelessDeviceImportTaskRequest; + output: ListDevicesForWirelessDeviceImportTaskResponse; + }; + sdk: { + input: ListDevicesForWirelessDeviceImportTaskCommandInput; + output: ListDevicesForWirelessDeviceImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListEventConfigurationsCommand.ts b/clients/client-iot-wireless/src/commands/ListEventConfigurationsCommand.ts index 6ac7906a6787..a8e5e03143ad 100644 --- a/clients/client-iot-wireless/src/commands/ListEventConfigurationsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListEventConfigurationsCommand.ts @@ -130,4 +130,16 @@ export class ListEventConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventConfigurationsCommand) .de(de_ListEventConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventConfigurationsRequest; + output: ListEventConfigurationsResponse; + }; + sdk: { + input: ListEventConfigurationsCommandInput; + output: ListEventConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListFuotaTasksCommand.ts b/clients/client-iot-wireless/src/commands/ListFuotaTasksCommand.ts index 392ef13537a7..3b95fcdd6835 100644 --- a/clients/client-iot-wireless/src/commands/ListFuotaTasksCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListFuotaTasksCommand.ts @@ -97,4 +97,16 @@ export class ListFuotaTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListFuotaTasksCommand) .de(de_ListFuotaTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFuotaTasksRequest; + output: ListFuotaTasksResponse; + }; + sdk: { + input: ListFuotaTasksCommandInput; + output: ListFuotaTasksCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListMulticastGroupsByFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/ListMulticastGroupsByFuotaTaskCommand.ts index 3cfcef9080a3..b281e9c58316 100644 --- a/clients/client-iot-wireless/src/commands/ListMulticastGroupsByFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListMulticastGroupsByFuotaTaskCommand.ts @@ -104,4 +104,16 @@ export class ListMulticastGroupsByFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_ListMulticastGroupsByFuotaTaskCommand) .de(de_ListMulticastGroupsByFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMulticastGroupsByFuotaTaskRequest; + output: ListMulticastGroupsByFuotaTaskResponse; + }; + sdk: { + input: ListMulticastGroupsByFuotaTaskCommandInput; + output: ListMulticastGroupsByFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListMulticastGroupsCommand.ts b/clients/client-iot-wireless/src/commands/ListMulticastGroupsCommand.ts index 7f27ef77fbbd..187da8cfe9f8 100644 --- a/clients/client-iot-wireless/src/commands/ListMulticastGroupsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListMulticastGroupsCommand.ts @@ -97,4 +97,16 @@ export class ListMulticastGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListMulticastGroupsCommand) .de(de_ListMulticastGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMulticastGroupsRequest; + output: ListMulticastGroupsResponse; + }; + sdk: { + input: ListMulticastGroupsCommandInput; + output: ListMulticastGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListNetworkAnalyzerConfigurationsCommand.ts b/clients/client-iot-wireless/src/commands/ListNetworkAnalyzerConfigurationsCommand.ts index 70c8451bb236..45f1e07bd1e3 100644 --- a/clients/client-iot-wireless/src/commands/ListNetworkAnalyzerConfigurationsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListNetworkAnalyzerConfigurationsCommand.ts @@ -104,4 +104,16 @@ export class ListNetworkAnalyzerConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListNetworkAnalyzerConfigurationsCommand) .de(de_ListNetworkAnalyzerConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworkAnalyzerConfigurationsRequest; + output: ListNetworkAnalyzerConfigurationsResponse; + }; + sdk: { + input: ListNetworkAnalyzerConfigurationsCommandInput; + output: ListNetworkAnalyzerConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListPartnerAccountsCommand.ts b/clients/client-iot-wireless/src/commands/ListPartnerAccountsCommand.ts index ac7f324f13ac..edbf244d716d 100644 --- a/clients/client-iot-wireless/src/commands/ListPartnerAccountsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListPartnerAccountsCommand.ts @@ -101,4 +101,16 @@ export class ListPartnerAccountsCommand extends $Command .f(void 0, ListPartnerAccountsResponseFilterSensitiveLog) .ser(se_ListPartnerAccountsCommand) .de(de_ListPartnerAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartnerAccountsRequest; + output: ListPartnerAccountsResponse; + }; + sdk: { + input: ListPartnerAccountsCommandInput; + output: ListPartnerAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListPositionConfigurationsCommand.ts b/clients/client-iot-wireless/src/commands/ListPositionConfigurationsCommand.ts index 5b47655e1b67..9a8ada68c601 100644 --- a/clients/client-iot-wireless/src/commands/ListPositionConfigurationsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListPositionConfigurationsCommand.ts @@ -112,4 +112,16 @@ export class ListPositionConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPositionConfigurationsCommand) .de(de_ListPositionConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPositionConfigurationsRequest; + output: ListPositionConfigurationsResponse; + }; + sdk: { + input: ListPositionConfigurationsCommandInput; + output: ListPositionConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListQueuedMessagesCommand.ts b/clients/client-iot-wireless/src/commands/ListQueuedMessagesCommand.ts index 55f7b39c3ff3..c9d3ef30b6f0 100644 --- a/clients/client-iot-wireless/src/commands/ListQueuedMessagesCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListQueuedMessagesCommand.ts @@ -115,4 +115,16 @@ export class ListQueuedMessagesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueuedMessagesCommand) .de(de_ListQueuedMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueuedMessagesRequest; + output: ListQueuedMessagesResponse; + }; + sdk: { + input: ListQueuedMessagesCommandInput; + output: ListQueuedMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListServiceProfilesCommand.ts b/clients/client-iot-wireless/src/commands/ListServiceProfilesCommand.ts index 487067db9942..a8403e508939 100644 --- a/clients/client-iot-wireless/src/commands/ListServiceProfilesCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListServiceProfilesCommand.ts @@ -97,4 +97,16 @@ export class ListServiceProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceProfilesCommand) .de(de_ListServiceProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceProfilesRequest; + output: ListServiceProfilesResponse; + }; + sdk: { + input: ListServiceProfilesCommandInput; + output: ListServiceProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListTagsForResourceCommand.ts b/clients/client-iot-wireless/src/commands/ListTagsForResourceCommand.ts index a19d4833cd15..0d5788885817 100644 --- a/clients/client-iot-wireless/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListWirelessDeviceImportTasksCommand.ts b/clients/client-iot-wireless/src/commands/ListWirelessDeviceImportTasksCommand.ts index 86d18116aa71..0a293c69e350 100644 --- a/clients/client-iot-wireless/src/commands/ListWirelessDeviceImportTasksCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListWirelessDeviceImportTasksCommand.ts @@ -121,4 +121,16 @@ export class ListWirelessDeviceImportTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListWirelessDeviceImportTasksCommand) .de(de_ListWirelessDeviceImportTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWirelessDeviceImportTasksRequest; + output: ListWirelessDeviceImportTasksResponse; + }; + sdk: { + input: ListWirelessDeviceImportTasksCommandInput; + output: ListWirelessDeviceImportTasksCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListWirelessDevicesCommand.ts b/clients/client-iot-wireless/src/commands/ListWirelessDevicesCommand.ts index a3d375ad925b..6fdce8c7dc43 100644 --- a/clients/client-iot-wireless/src/commands/ListWirelessDevicesCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListWirelessDevicesCommand.ts @@ -125,4 +125,16 @@ export class ListWirelessDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListWirelessDevicesCommand) .de(de_ListWirelessDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWirelessDevicesRequest; + output: ListWirelessDevicesResponse; + }; + sdk: { + input: ListWirelessDevicesCommandInput; + output: ListWirelessDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListWirelessGatewayTaskDefinitionsCommand.ts b/clients/client-iot-wireless/src/commands/ListWirelessGatewayTaskDefinitionsCommand.ts index 5d53d3cc6f2d..fb8ecf16641c 100644 --- a/clients/client-iot-wireless/src/commands/ListWirelessGatewayTaskDefinitionsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListWirelessGatewayTaskDefinitionsCommand.ts @@ -117,4 +117,16 @@ export class ListWirelessGatewayTaskDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListWirelessGatewayTaskDefinitionsCommand) .de(de_ListWirelessGatewayTaskDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWirelessGatewayTaskDefinitionsRequest; + output: ListWirelessGatewayTaskDefinitionsResponse; + }; + sdk: { + input: ListWirelessGatewayTaskDefinitionsCommandInput; + output: ListWirelessGatewayTaskDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ListWirelessGatewaysCommand.ts b/clients/client-iot-wireless/src/commands/ListWirelessGatewaysCommand.ts index a375240e4039..3220d986868f 100644 --- a/clients/client-iot-wireless/src/commands/ListWirelessGatewaysCommand.ts +++ b/clients/client-iot-wireless/src/commands/ListWirelessGatewaysCommand.ts @@ -121,4 +121,16 @@ export class ListWirelessGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_ListWirelessGatewaysCommand) .de(de_ListWirelessGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWirelessGatewaysRequest; + output: ListWirelessGatewaysResponse; + }; + sdk: { + input: ListWirelessGatewaysCommandInput; + output: ListWirelessGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/PutPositionConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/PutPositionConfigurationCommand.ts index 2805d07727d4..a1ddc6eeffb7 100644 --- a/clients/client-iot-wireless/src/commands/PutPositionConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/PutPositionConfigurationCommand.ts @@ -104,4 +104,16 @@ export class PutPositionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutPositionConfigurationCommand) .de(de_PutPositionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPositionConfigurationRequest; + output: {}; + }; + sdk: { + input: PutPositionConfigurationCommandInput; + output: PutPositionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/PutResourceLogLevelCommand.ts b/clients/client-iot-wireless/src/commands/PutResourceLogLevelCommand.ts index aa82d750ef29..f67fe1271c56 100644 --- a/clients/client-iot-wireless/src/commands/PutResourceLogLevelCommand.ts +++ b/clients/client-iot-wireless/src/commands/PutResourceLogLevelCommand.ts @@ -94,4 +94,16 @@ export class PutResourceLogLevelCommand extends $Command .f(void 0, void 0) .ser(se_PutResourceLogLevelCommand) .de(de_PutResourceLogLevelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourceLogLevelRequest; + output: {}; + }; + sdk: { + input: PutResourceLogLevelCommandInput; + output: PutResourceLogLevelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ResetAllResourceLogLevelsCommand.ts b/clients/client-iot-wireless/src/commands/ResetAllResourceLogLevelsCommand.ts index 6133330f1ba9..04ecfe0a1a33 100644 --- a/clients/client-iot-wireless/src/commands/ResetAllResourceLogLevelsCommand.ts +++ b/clients/client-iot-wireless/src/commands/ResetAllResourceLogLevelsCommand.ts @@ -89,4 +89,16 @@ export class ResetAllResourceLogLevelsCommand extends $Command .f(void 0, void 0) .ser(se_ResetAllResourceLogLevelsCommand) .de(de_ResetAllResourceLogLevelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: ResetAllResourceLogLevelsCommandInput; + output: ResetAllResourceLogLevelsCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/ResetResourceLogLevelCommand.ts b/clients/client-iot-wireless/src/commands/ResetResourceLogLevelCommand.ts index 6eb279d3c586..c98a15480d00 100644 --- a/clients/client-iot-wireless/src/commands/ResetResourceLogLevelCommand.ts +++ b/clients/client-iot-wireless/src/commands/ResetResourceLogLevelCommand.ts @@ -92,4 +92,16 @@ export class ResetResourceLogLevelCommand extends $Command .f(void 0, void 0) .ser(se_ResetResourceLogLevelCommand) .de(de_ResetResourceLogLevelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetResourceLogLevelRequest; + output: {}; + }; + sdk: { + input: ResetResourceLogLevelCommandInput; + output: ResetResourceLogLevelCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/SendDataToMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/SendDataToMulticastGroupCommand.ts index 9451aca77e1d..1d606e85047a 100644 --- a/clients/client-iot-wireless/src/commands/SendDataToMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/SendDataToMulticastGroupCommand.ts @@ -101,4 +101,16 @@ export class SendDataToMulticastGroupCommand extends $Command .f(void 0, void 0) .ser(se_SendDataToMulticastGroupCommand) .de(de_SendDataToMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendDataToMulticastGroupRequest; + output: SendDataToMulticastGroupResponse; + }; + sdk: { + input: SendDataToMulticastGroupCommandInput; + output: SendDataToMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/SendDataToWirelessDeviceCommand.ts b/clients/client-iot-wireless/src/commands/SendDataToWirelessDeviceCommand.ts index 706f6086bed6..e1c7eaef9415 100644 --- a/clients/client-iot-wireless/src/commands/SendDataToWirelessDeviceCommand.ts +++ b/clients/client-iot-wireless/src/commands/SendDataToWirelessDeviceCommand.ts @@ -111,4 +111,16 @@ export class SendDataToWirelessDeviceCommand extends $Command .f(void 0, void 0) .ser(se_SendDataToWirelessDeviceCommand) .de(de_SendDataToWirelessDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendDataToWirelessDeviceRequest; + output: SendDataToWirelessDeviceResponse; + }; + sdk: { + input: SendDataToWirelessDeviceCommandInput; + output: SendDataToWirelessDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/StartBulkAssociateWirelessDeviceWithMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/StartBulkAssociateWirelessDeviceWithMulticastGroupCommand.ts index 9ae880282d1e..608b89f6f94c 100644 --- a/clients/client-iot-wireless/src/commands/StartBulkAssociateWirelessDeviceWithMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/StartBulkAssociateWirelessDeviceWithMulticastGroupCommand.ts @@ -107,4 +107,16 @@ export class StartBulkAssociateWirelessDeviceWithMulticastGroupCommand extends $ .f(void 0, void 0) .ser(se_StartBulkAssociateWirelessDeviceWithMulticastGroupCommand) .de(de_StartBulkAssociateWirelessDeviceWithMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBulkAssociateWirelessDeviceWithMulticastGroupRequest; + output: {}; + }; + sdk: { + input: StartBulkAssociateWirelessDeviceWithMulticastGroupCommandInput; + output: StartBulkAssociateWirelessDeviceWithMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/StartBulkDisassociateWirelessDeviceFromMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/StartBulkDisassociateWirelessDeviceFromMulticastGroupCommand.ts index 9ce969f87b78..2680e0efa470 100644 --- a/clients/client-iot-wireless/src/commands/StartBulkDisassociateWirelessDeviceFromMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/StartBulkDisassociateWirelessDeviceFromMulticastGroupCommand.ts @@ -107,4 +107,16 @@ export class StartBulkDisassociateWirelessDeviceFromMulticastGroupCommand extend .f(void 0, void 0) .ser(se_StartBulkDisassociateWirelessDeviceFromMulticastGroupCommand) .de(de_StartBulkDisassociateWirelessDeviceFromMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBulkDisassociateWirelessDeviceFromMulticastGroupRequest; + output: {}; + }; + sdk: { + input: StartBulkDisassociateWirelessDeviceFromMulticastGroupCommandInput; + output: StartBulkDisassociateWirelessDeviceFromMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/StartFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/StartFuotaTaskCommand.ts index 3b3b6bfd1344..69697296ccf8 100644 --- a/clients/client-iot-wireless/src/commands/StartFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/StartFuotaTaskCommand.ts @@ -96,4 +96,16 @@ export class StartFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartFuotaTaskCommand) .de(de_StartFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFuotaTaskRequest; + output: {}; + }; + sdk: { + input: StartFuotaTaskCommandInput; + output: StartFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/StartMulticastGroupSessionCommand.ts b/clients/client-iot-wireless/src/commands/StartMulticastGroupSessionCommand.ts index e883e77afb85..53f858cd39a6 100644 --- a/clients/client-iot-wireless/src/commands/StartMulticastGroupSessionCommand.ts +++ b/clients/client-iot-wireless/src/commands/StartMulticastGroupSessionCommand.ts @@ -100,4 +100,16 @@ export class StartMulticastGroupSessionCommand extends $Command .f(void 0, void 0) .ser(se_StartMulticastGroupSessionCommand) .de(de_StartMulticastGroupSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMulticastGroupSessionRequest; + output: {}; + }; + sdk: { + input: StartMulticastGroupSessionCommandInput; + output: StartMulticastGroupSessionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/StartSingleWirelessDeviceImportTaskCommand.ts b/clients/client-iot-wireless/src/commands/StartSingleWirelessDeviceImportTaskCommand.ts index e89df4d64d50..fa59bc120de4 100644 --- a/clients/client-iot-wireless/src/commands/StartSingleWirelessDeviceImportTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/StartSingleWirelessDeviceImportTaskCommand.ts @@ -115,4 +115,16 @@ export class StartSingleWirelessDeviceImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartSingleWirelessDeviceImportTaskCommand) .de(de_StartSingleWirelessDeviceImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSingleWirelessDeviceImportTaskRequest; + output: StartSingleWirelessDeviceImportTaskResponse; + }; + sdk: { + input: StartSingleWirelessDeviceImportTaskCommandInput; + output: StartSingleWirelessDeviceImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/StartWirelessDeviceImportTaskCommand.ts b/clients/client-iot-wireless/src/commands/StartWirelessDeviceImportTaskCommand.ts index ce735087f5f2..bbabfd173370 100644 --- a/clients/client-iot-wireless/src/commands/StartWirelessDeviceImportTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/StartWirelessDeviceImportTaskCommand.ts @@ -113,4 +113,16 @@ export class StartWirelessDeviceImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartWirelessDeviceImportTaskCommand) .de(de_StartWirelessDeviceImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartWirelessDeviceImportTaskRequest; + output: StartWirelessDeviceImportTaskResponse; + }; + sdk: { + input: StartWirelessDeviceImportTaskCommandInput; + output: StartWirelessDeviceImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/TagResourceCommand.ts b/clients/client-iot-wireless/src/commands/TagResourceCommand.ts index b0b5e19eb63e..65edbc21b36a 100644 --- a/clients/client-iot-wireless/src/commands/TagResourceCommand.ts +++ b/clients/client-iot-wireless/src/commands/TagResourceCommand.ts @@ -99,4 +99,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/TestWirelessDeviceCommand.ts b/clients/client-iot-wireless/src/commands/TestWirelessDeviceCommand.ts index 10af443a5f32..1c4f01a236e3 100644 --- a/clients/client-iot-wireless/src/commands/TestWirelessDeviceCommand.ts +++ b/clients/client-iot-wireless/src/commands/TestWirelessDeviceCommand.ts @@ -90,4 +90,16 @@ export class TestWirelessDeviceCommand extends $Command .f(void 0, void 0) .ser(se_TestWirelessDeviceCommand) .de(de_TestWirelessDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestWirelessDeviceRequest; + output: TestWirelessDeviceResponse; + }; + sdk: { + input: TestWirelessDeviceCommandInput; + output: TestWirelessDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UntagResourceCommand.ts b/clients/client-iot-wireless/src/commands/UntagResourceCommand.ts index fa4ada3c1fd1..33ba7f4c9728 100644 --- a/clients/client-iot-wireless/src/commands/UntagResourceCommand.ts +++ b/clients/client-iot-wireless/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateDestinationCommand.ts b/clients/client-iot-wireless/src/commands/UpdateDestinationCommand.ts index 3e9d6f295c6f..0361d8ec4d83 100644 --- a/clients/client-iot-wireless/src/commands/UpdateDestinationCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateDestinationCommand.ts @@ -94,4 +94,16 @@ export class UpdateDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDestinationCommand) .de(de_UpdateDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDestinationRequest; + output: {}; + }; + sdk: { + input: UpdateDestinationCommandInput; + output: UpdateDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateEventConfigurationByResourceTypesCommand.ts b/clients/client-iot-wireless/src/commands/UpdateEventConfigurationByResourceTypesCommand.ts index 15899fe17ca6..67cc56a53d85 100644 --- a/clients/client-iot-wireless/src/commands/UpdateEventConfigurationByResourceTypesCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateEventConfigurationByResourceTypesCommand.ts @@ -120,4 +120,16 @@ export class UpdateEventConfigurationByResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventConfigurationByResourceTypesCommand) .de(de_UpdateEventConfigurationByResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventConfigurationByResourceTypesRequest; + output: {}; + }; + sdk: { + input: UpdateEventConfigurationByResourceTypesCommandInput; + output: UpdateEventConfigurationByResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateFuotaTaskCommand.ts b/clients/client-iot-wireless/src/commands/UpdateFuotaTaskCommand.ts index fae00422429c..f698221c461b 100644 --- a/clients/client-iot-wireless/src/commands/UpdateFuotaTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateFuotaTaskCommand.ts @@ -103,4 +103,16 @@ export class UpdateFuotaTaskCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFuotaTaskCommand) .de(de_UpdateFuotaTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFuotaTaskRequest; + output: {}; + }; + sdk: { + input: UpdateFuotaTaskCommandInput; + output: UpdateFuotaTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateLogLevelsByResourceTypesCommand.ts b/clients/client-iot-wireless/src/commands/UpdateLogLevelsByResourceTypesCommand.ts index d2086ae9571b..3704b56d086d 100644 --- a/clients/client-iot-wireless/src/commands/UpdateLogLevelsByResourceTypesCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateLogLevelsByResourceTypesCommand.ts @@ -124,4 +124,16 @@ export class UpdateLogLevelsByResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLogLevelsByResourceTypesCommand) .de(de_UpdateLogLevelsByResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLogLevelsByResourceTypesRequest; + output: {}; + }; + sdk: { + input: UpdateLogLevelsByResourceTypesCommandInput; + output: UpdateLogLevelsByResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateMetricConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/UpdateMetricConfigurationCommand.ts index 52a6b91bcab0..3dfb894a0ce7 100644 --- a/clients/client-iot-wireless/src/commands/UpdateMetricConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateMetricConfigurationCommand.ts @@ -95,4 +95,16 @@ export class UpdateMetricConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMetricConfigurationCommand) .de(de_UpdateMetricConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMetricConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateMetricConfigurationCommandInput; + output: UpdateMetricConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateMulticastGroupCommand.ts b/clients/client-iot-wireless/src/commands/UpdateMulticastGroupCommand.ts index 1f91302a03c7..2ee387d90a75 100644 --- a/clients/client-iot-wireless/src/commands/UpdateMulticastGroupCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateMulticastGroupCommand.ts @@ -99,4 +99,16 @@ export class UpdateMulticastGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMulticastGroupCommand) .de(de_UpdateMulticastGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMulticastGroupRequest; + output: {}; + }; + sdk: { + input: UpdateMulticastGroupCommandInput; + output: UpdateMulticastGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateNetworkAnalyzerConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/UpdateNetworkAnalyzerConfigurationCommand.ts index 5baedc386aea..ca6187e27455 100644 --- a/clients/client-iot-wireless/src/commands/UpdateNetworkAnalyzerConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateNetworkAnalyzerConfigurationCommand.ts @@ -122,4 +122,16 @@ export class UpdateNetworkAnalyzerConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNetworkAnalyzerConfigurationCommand) .de(de_UpdateNetworkAnalyzerConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNetworkAnalyzerConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateNetworkAnalyzerConfigurationCommandInput; + output: UpdateNetworkAnalyzerConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdatePartnerAccountCommand.ts b/clients/client-iot-wireless/src/commands/UpdatePartnerAccountCommand.ts index 3fb494641bc4..38ebbfbacc5a 100644 --- a/clients/client-iot-wireless/src/commands/UpdatePartnerAccountCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdatePartnerAccountCommand.ts @@ -95,4 +95,16 @@ export class UpdatePartnerAccountCommand extends $Command .f(UpdatePartnerAccountRequestFilterSensitiveLog, void 0) .ser(se_UpdatePartnerAccountCommand) .de(de_UpdatePartnerAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePartnerAccountRequest; + output: {}; + }; + sdk: { + input: UpdatePartnerAccountCommandInput; + output: UpdatePartnerAccountCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdatePositionCommand.ts b/clients/client-iot-wireless/src/commands/UpdatePositionCommand.ts index 48afbc13bc15..7cfa0a9a6ec8 100644 --- a/clients/client-iot-wireless/src/commands/UpdatePositionCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdatePositionCommand.ts @@ -100,4 +100,16 @@ export class UpdatePositionCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePositionCommand) .de(de_UpdatePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePositionRequest; + output: {}; + }; + sdk: { + input: UpdatePositionCommandInput; + output: UpdatePositionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateResourceEventConfigurationCommand.ts b/clients/client-iot-wireless/src/commands/UpdateResourceEventConfigurationCommand.ts index 7a5e5d668ed2..f4706627460f 100644 --- a/clients/client-iot-wireless/src/commands/UpdateResourceEventConfigurationCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateResourceEventConfigurationCommand.ts @@ -130,4 +130,16 @@ export class UpdateResourceEventConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceEventConfigurationCommand) .de(de_UpdateResourceEventConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceEventConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateResourceEventConfigurationCommandInput; + output: UpdateResourceEventConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateResourcePositionCommand.ts b/clients/client-iot-wireless/src/commands/UpdateResourcePositionCommand.ts index 20a0668f895c..50e874fcff0c 100644 --- a/clients/client-iot-wireless/src/commands/UpdateResourcePositionCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateResourcePositionCommand.ts @@ -101,4 +101,16 @@ export class UpdateResourcePositionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourcePositionCommand) .de(de_UpdateResourcePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourcePositionRequest; + output: {}; + }; + sdk: { + input: UpdateResourcePositionCommandInput; + output: UpdateResourcePositionCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceCommand.ts b/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceCommand.ts index 6894006dda22..59d78ad99713 100644 --- a/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceCommand.ts @@ -118,4 +118,16 @@ export class UpdateWirelessDeviceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWirelessDeviceCommand) .de(de_UpdateWirelessDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWirelessDeviceRequest; + output: {}; + }; + sdk: { + input: UpdateWirelessDeviceCommandInput; + output: UpdateWirelessDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceImportTaskCommand.ts b/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceImportTaskCommand.ts index 34c8b00d61b1..72c06ecf7af8 100644 --- a/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceImportTaskCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateWirelessDeviceImportTaskCommand.ts @@ -101,4 +101,16 @@ export class UpdateWirelessDeviceImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWirelessDeviceImportTaskCommand) .de(de_UpdateWirelessDeviceImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWirelessDeviceImportTaskRequest; + output: {}; + }; + sdk: { + input: UpdateWirelessDeviceImportTaskCommandInput; + output: UpdateWirelessDeviceImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot-wireless/src/commands/UpdateWirelessGatewayCommand.ts b/clients/client-iot-wireless/src/commands/UpdateWirelessGatewayCommand.ts index cb2fb0f787ce..5d65e7cf1928 100644 --- a/clients/client-iot-wireless/src/commands/UpdateWirelessGatewayCommand.ts +++ b/clients/client-iot-wireless/src/commands/UpdateWirelessGatewayCommand.ts @@ -101,4 +101,16 @@ export class UpdateWirelessGatewayCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWirelessGatewayCommand) .de(de_UpdateWirelessGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWirelessGatewayRequest; + output: {}; + }; + sdk: { + input: UpdateWirelessGatewayCommandInput; + output: UpdateWirelessGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iot/package.json b/clients/client-iot/package.json index e3f1026e187b..f8faee31a04b 100644 --- a/clients/client-iot/package.json +++ b/clients/client-iot/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-iot/src/commands/AcceptCertificateTransferCommand.ts b/clients/client-iot/src/commands/AcceptCertificateTransferCommand.ts index df7fe8a0d044..33ae3442143d 100644 --- a/clients/client-iot/src/commands/AcceptCertificateTransferCommand.ts +++ b/clients/client-iot/src/commands/AcceptCertificateTransferCommand.ts @@ -102,4 +102,16 @@ export class AcceptCertificateTransferCommand extends $Command .f(void 0, void 0) .ser(se_AcceptCertificateTransferCommand) .de(de_AcceptCertificateTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptCertificateTransferRequest; + output: {}; + }; + sdk: { + input: AcceptCertificateTransferCommandInput; + output: AcceptCertificateTransferCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AddThingToBillingGroupCommand.ts b/clients/client-iot/src/commands/AddThingToBillingGroupCommand.ts index ae99172b6d35..2bf0ba5d5ec5 100644 --- a/clients/client-iot/src/commands/AddThingToBillingGroupCommand.ts +++ b/clients/client-iot/src/commands/AddThingToBillingGroupCommand.ts @@ -91,4 +91,16 @@ export class AddThingToBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_AddThingToBillingGroupCommand) .de(de_AddThingToBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddThingToBillingGroupRequest; + output: {}; + }; + sdk: { + input: AddThingToBillingGroupCommandInput; + output: AddThingToBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AddThingToThingGroupCommand.ts b/clients/client-iot/src/commands/AddThingToThingGroupCommand.ts index 4c5525997625..ef6c0ce3b343 100644 --- a/clients/client-iot/src/commands/AddThingToThingGroupCommand.ts +++ b/clients/client-iot/src/commands/AddThingToThingGroupCommand.ts @@ -92,4 +92,16 @@ export class AddThingToThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_AddThingToThingGroupCommand) .de(de_AddThingToThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddThingToThingGroupRequest; + output: {}; + }; + sdk: { + input: AddThingToThingGroupCommandInput; + output: AddThingToThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts b/clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts index 46096a6ee7fe..db931888b90d 100644 --- a/clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts +++ b/clients/client-iot/src/commands/AssociateSbomWithPackageVersionCommand.ts @@ -120,4 +120,16 @@ export class AssociateSbomWithPackageVersionCommand extends $Command .f(void 0, void 0) .ser(se_AssociateSbomWithPackageVersionCommand) .de(de_AssociateSbomWithPackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSbomWithPackageVersionRequest; + output: AssociateSbomWithPackageVersionResponse; + }; + sdk: { + input: AssociateSbomWithPackageVersionCommandInput; + output: AssociateSbomWithPackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AssociateTargetsWithJobCommand.ts b/clients/client-iot/src/commands/AssociateTargetsWithJobCommand.ts index 1aabd7eecdc2..f375687c025f 100644 --- a/clients/client-iot/src/commands/AssociateTargetsWithJobCommand.ts +++ b/clients/client-iot/src/commands/AssociateTargetsWithJobCommand.ts @@ -112,4 +112,16 @@ export class AssociateTargetsWithJobCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTargetsWithJobCommand) .de(de_AssociateTargetsWithJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTargetsWithJobRequest; + output: AssociateTargetsWithJobResponse; + }; + sdk: { + input: AssociateTargetsWithJobCommandInput; + output: AssociateTargetsWithJobCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AttachPolicyCommand.ts b/clients/client-iot/src/commands/AttachPolicyCommand.ts index e6c2a12c844d..fab8f441f936 100644 --- a/clients/client-iot/src/commands/AttachPolicyCommand.ts +++ b/clients/client-iot/src/commands/AttachPolicyCommand.ts @@ -99,4 +99,16 @@ export class AttachPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AttachPolicyCommand) .de(de_AttachPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachPolicyRequest; + output: {}; + }; + sdk: { + input: AttachPolicyCommandInput; + output: AttachPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AttachPrincipalPolicyCommand.ts b/clients/client-iot/src/commands/AttachPrincipalPolicyCommand.ts index 7a8583777a1c..7c02cd6b79cd 100644 --- a/clients/client-iot/src/commands/AttachPrincipalPolicyCommand.ts +++ b/clients/client-iot/src/commands/AttachPrincipalPolicyCommand.ts @@ -104,4 +104,16 @@ export class AttachPrincipalPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AttachPrincipalPolicyCommand) .de(de_AttachPrincipalPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachPrincipalPolicyRequest; + output: {}; + }; + sdk: { + input: AttachPrincipalPolicyCommandInput; + output: AttachPrincipalPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AttachSecurityProfileCommand.ts b/clients/client-iot/src/commands/AttachSecurityProfileCommand.ts index 8e7db2b0b4e1..1990a369e46e 100644 --- a/clients/client-iot/src/commands/AttachSecurityProfileCommand.ts +++ b/clients/client-iot/src/commands/AttachSecurityProfileCommand.ts @@ -98,4 +98,16 @@ export class AttachSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_AttachSecurityProfileCommand) .de(de_AttachSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachSecurityProfileRequest; + output: {}; + }; + sdk: { + input: AttachSecurityProfileCommandInput; + output: AttachSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/AttachThingPrincipalCommand.ts b/clients/client-iot/src/commands/AttachThingPrincipalCommand.ts index 8dd63dab0293..bb0fc4acbcb7 100644 --- a/clients/client-iot/src/commands/AttachThingPrincipalCommand.ts +++ b/clients/client-iot/src/commands/AttachThingPrincipalCommand.ts @@ -96,4 +96,16 @@ export class AttachThingPrincipalCommand extends $Command .f(void 0, void 0) .ser(se_AttachThingPrincipalCommand) .de(de_AttachThingPrincipalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachThingPrincipalRequest; + output: {}; + }; + sdk: { + input: AttachThingPrincipalCommandInput; + output: AttachThingPrincipalCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CancelAuditMitigationActionsTaskCommand.ts b/clients/client-iot/src/commands/CancelAuditMitigationActionsTaskCommand.ts index 99095277f131..32a20cbb77d2 100644 --- a/clients/client-iot/src/commands/CancelAuditMitigationActionsTaskCommand.ts +++ b/clients/client-iot/src/commands/CancelAuditMitigationActionsTaskCommand.ts @@ -95,4 +95,16 @@ export class CancelAuditMitigationActionsTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelAuditMitigationActionsTaskCommand) .de(de_CancelAuditMitigationActionsTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelAuditMitigationActionsTaskRequest; + output: {}; + }; + sdk: { + input: CancelAuditMitigationActionsTaskCommandInput; + output: CancelAuditMitigationActionsTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CancelAuditTaskCommand.ts b/clients/client-iot/src/commands/CancelAuditTaskCommand.ts index e02e94422191..eb98037090c0 100644 --- a/clients/client-iot/src/commands/CancelAuditTaskCommand.ts +++ b/clients/client-iot/src/commands/CancelAuditTaskCommand.ts @@ -88,4 +88,16 @@ export class CancelAuditTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelAuditTaskCommand) .de(de_CancelAuditTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelAuditTaskRequest; + output: {}; + }; + sdk: { + input: CancelAuditTaskCommandInput; + output: CancelAuditTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CancelCertificateTransferCommand.ts b/clients/client-iot/src/commands/CancelCertificateTransferCommand.ts index fa4a70b6637d..7ba37b6221c0 100644 --- a/clients/client-iot/src/commands/CancelCertificateTransferCommand.ts +++ b/clients/client-iot/src/commands/CancelCertificateTransferCommand.ts @@ -105,4 +105,16 @@ export class CancelCertificateTransferCommand extends $Command .f(void 0, void 0) .ser(se_CancelCertificateTransferCommand) .de(de_CancelCertificateTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelCertificateTransferRequest; + output: {}; + }; + sdk: { + input: CancelCertificateTransferCommandInput; + output: CancelCertificateTransferCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CancelDetectMitigationActionsTaskCommand.ts b/clients/client-iot/src/commands/CancelDetectMitigationActionsTaskCommand.ts index ef373ae3739f..3f9b186f72ad 100644 --- a/clients/client-iot/src/commands/CancelDetectMitigationActionsTaskCommand.ts +++ b/clients/client-iot/src/commands/CancelDetectMitigationActionsTaskCommand.ts @@ -98,4 +98,16 @@ export class CancelDetectMitigationActionsTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelDetectMitigationActionsTaskCommand) .de(de_CancelDetectMitigationActionsTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDetectMitigationActionsTaskRequest; + output: {}; + }; + sdk: { + input: CancelDetectMitigationActionsTaskCommandInput; + output: CancelDetectMitigationActionsTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CancelJobCommand.ts b/clients/client-iot/src/commands/CancelJobCommand.ts index 5cbc1cc671da..d6fa99cc0c32 100644 --- a/clients/client-iot/src/commands/CancelJobCommand.ts +++ b/clients/client-iot/src/commands/CancelJobCommand.ts @@ -98,4 +98,16 @@ export class CancelJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobCommand) .de(de_CancelJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRequest; + output: CancelJobResponse; + }; + sdk: { + input: CancelJobCommandInput; + output: CancelJobCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CancelJobExecutionCommand.ts b/clients/client-iot/src/commands/CancelJobExecutionCommand.ts index 5feace20166e..441e226681e8 100644 --- a/clients/client-iot/src/commands/CancelJobExecutionCommand.ts +++ b/clients/client-iot/src/commands/CancelJobExecutionCommand.ts @@ -104,4 +104,16 @@ export class CancelJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobExecutionCommand) .de(de_CancelJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobExecutionRequest; + output: {}; + }; + sdk: { + input: CancelJobExecutionCommandInput; + output: CancelJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ClearDefaultAuthorizerCommand.ts b/clients/client-iot/src/commands/ClearDefaultAuthorizerCommand.ts index dc43bdaa0eb8..3fae1e88931b 100644 --- a/clients/client-iot/src/commands/ClearDefaultAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/ClearDefaultAuthorizerCommand.ts @@ -92,4 +92,16 @@ export class ClearDefaultAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_ClearDefaultAuthorizerCommand) .de(de_ClearDefaultAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: ClearDefaultAuthorizerCommandInput; + output: ClearDefaultAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ConfirmTopicRuleDestinationCommand.ts b/clients/client-iot/src/commands/ConfirmTopicRuleDestinationCommand.ts index 54fd5dcd3545..7d451267c034 100644 --- a/clients/client-iot/src/commands/ConfirmTopicRuleDestinationCommand.ts +++ b/clients/client-iot/src/commands/ConfirmTopicRuleDestinationCommand.ts @@ -100,4 +100,16 @@ export class ConfirmTopicRuleDestinationCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmTopicRuleDestinationCommand) .de(de_ConfirmTopicRuleDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmTopicRuleDestinationRequest; + output: {}; + }; + sdk: { + input: ConfirmTopicRuleDestinationCommandInput; + output: ConfirmTopicRuleDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateAuditSuppressionCommand.ts b/clients/client-iot/src/commands/CreateAuditSuppressionCommand.ts index 2f8cd42d1068..886c7b794b95 100644 --- a/clients/client-iot/src/commands/CreateAuditSuppressionCommand.ts +++ b/clients/client-iot/src/commands/CreateAuditSuppressionCommand.ts @@ -116,4 +116,16 @@ export class CreateAuditSuppressionCommand extends $Command .f(void 0, void 0) .ser(se_CreateAuditSuppressionCommand) .de(de_CreateAuditSuppressionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAuditSuppressionRequest; + output: {}; + }; + sdk: { + input: CreateAuditSuppressionCommandInput; + output: CreateAuditSuppressionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateAuthorizerCommand.ts b/clients/client-iot/src/commands/CreateAuthorizerCommand.ts index 4651741aefb2..b73a7da4dac7 100644 --- a/clients/client-iot/src/commands/CreateAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/CreateAuthorizerCommand.ts @@ -114,4 +114,16 @@ export class CreateAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_CreateAuthorizerCommand) .de(de_CreateAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAuthorizerRequest; + output: CreateAuthorizerResponse; + }; + sdk: { + input: CreateAuthorizerCommandInput; + output: CreateAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateBillingGroupCommand.ts b/clients/client-iot/src/commands/CreateBillingGroupCommand.ts index 8e3093b0e9bd..3e4898d6907f 100644 --- a/clients/client-iot/src/commands/CreateBillingGroupCommand.ts +++ b/clients/client-iot/src/commands/CreateBillingGroupCommand.ts @@ -101,4 +101,16 @@ export class CreateBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateBillingGroupCommand) .de(de_CreateBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBillingGroupRequest; + output: CreateBillingGroupResponse; + }; + sdk: { + input: CreateBillingGroupCommandInput; + output: CreateBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateCertificateFromCsrCommand.ts b/clients/client-iot/src/commands/CreateCertificateFromCsrCommand.ts index 0cff1e8010cc..dafc80d71ec2 100644 --- a/clients/client-iot/src/commands/CreateCertificateFromCsrCommand.ts +++ b/clients/client-iot/src/commands/CreateCertificateFromCsrCommand.ts @@ -142,4 +142,16 @@ export class CreateCertificateFromCsrCommand extends $Command .f(void 0, void 0) .ser(se_CreateCertificateFromCsrCommand) .de(de_CreateCertificateFromCsrCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCertificateFromCsrRequest; + output: CreateCertificateFromCsrResponse; + }; + sdk: { + input: CreateCertificateFromCsrCommandInput; + output: CreateCertificateFromCsrCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateCertificateProviderCommand.ts b/clients/client-iot/src/commands/CreateCertificateProviderCommand.ts index 2dbeaa83aeab..3c15caf6dd48 100644 --- a/clients/client-iot/src/commands/CreateCertificateProviderCommand.ts +++ b/clients/client-iot/src/commands/CreateCertificateProviderCommand.ts @@ -122,4 +122,16 @@ export class CreateCertificateProviderCommand extends $Command .f(void 0, void 0) .ser(se_CreateCertificateProviderCommand) .de(de_CreateCertificateProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCertificateProviderRequest; + output: CreateCertificateProviderResponse; + }; + sdk: { + input: CreateCertificateProviderCommandInput; + output: CreateCertificateProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateCustomMetricCommand.ts b/clients/client-iot/src/commands/CreateCustomMetricCommand.ts index 9e16ed468ed6..c13cff79d8a5 100644 --- a/clients/client-iot/src/commands/CreateCustomMetricCommand.ts +++ b/clients/client-iot/src/commands/CreateCustomMetricCommand.ts @@ -106,4 +106,16 @@ export class CreateCustomMetricCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomMetricCommand) .de(de_CreateCustomMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomMetricRequest; + output: CreateCustomMetricResponse; + }; + sdk: { + input: CreateCustomMetricCommandInput; + output: CreateCustomMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateDimensionCommand.ts b/clients/client-iot/src/commands/CreateDimensionCommand.ts index 6b9942c37069..c50424d187ee 100644 --- a/clients/client-iot/src/commands/CreateDimensionCommand.ts +++ b/clients/client-iot/src/commands/CreateDimensionCommand.ts @@ -106,4 +106,16 @@ export class CreateDimensionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDimensionCommand) .de(de_CreateDimensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDimensionRequest; + output: CreateDimensionResponse; + }; + sdk: { + input: CreateDimensionCommandInput; + output: CreateDimensionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateDomainConfigurationCommand.ts b/clients/client-iot/src/commands/CreateDomainConfigurationCommand.ts index 05c9fd9587e4..039e9cc5b7b5 100644 --- a/clients/client-iot/src/commands/CreateDomainConfigurationCommand.ts +++ b/clients/client-iot/src/commands/CreateDomainConfigurationCommand.ts @@ -125,4 +125,16 @@ export class CreateDomainConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainConfigurationCommand) .de(de_CreateDomainConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainConfigurationRequest; + output: CreateDomainConfigurationResponse; + }; + sdk: { + input: CreateDomainConfigurationCommandInput; + output: CreateDomainConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateDynamicThingGroupCommand.ts b/clients/client-iot/src/commands/CreateDynamicThingGroupCommand.ts index 13d8cda3a9ae..06e0b0a9e56e 100644 --- a/clients/client-iot/src/commands/CreateDynamicThingGroupCommand.ts +++ b/clients/client-iot/src/commands/CreateDynamicThingGroupCommand.ts @@ -122,4 +122,16 @@ export class CreateDynamicThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDynamicThingGroupCommand) .de(de_CreateDynamicThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDynamicThingGroupRequest; + output: CreateDynamicThingGroupResponse; + }; + sdk: { + input: CreateDynamicThingGroupCommandInput; + output: CreateDynamicThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateFleetMetricCommand.ts b/clients/client-iot/src/commands/CreateFleetMetricCommand.ts index 37b43ffa95fd..f978f109bfc9 100644 --- a/clients/client-iot/src/commands/CreateFleetMetricCommand.ts +++ b/clients/client-iot/src/commands/CreateFleetMetricCommand.ts @@ -131,4 +131,16 @@ export class CreateFleetMetricCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetMetricCommand) .de(de_CreateFleetMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetMetricRequest; + output: CreateFleetMetricResponse; + }; + sdk: { + input: CreateFleetMetricCommandInput; + output: CreateFleetMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateJobCommand.ts b/clients/client-iot/src/commands/CreateJobCommand.ts index 8b3bb04b36b7..b2b4ad7eae7f 100644 --- a/clients/client-iot/src/commands/CreateJobCommand.ts +++ b/clients/client-iot/src/commands/CreateJobCommand.ts @@ -166,4 +166,16 @@ export class CreateJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResponse; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateJobTemplateCommand.ts b/clients/client-iot/src/commands/CreateJobTemplateCommand.ts index 1fae53a68870..809b2e35edf9 100644 --- a/clients/client-iot/src/commands/CreateJobTemplateCommand.ts +++ b/clients/client-iot/src/commands/CreateJobTemplateCommand.ts @@ -152,4 +152,16 @@ export class CreateJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobTemplateCommand) .de(de_CreateJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobTemplateRequest; + output: CreateJobTemplateResponse; + }; + sdk: { + input: CreateJobTemplateCommandInput; + output: CreateJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateKeysAndCertificateCommand.ts b/clients/client-iot/src/commands/CreateKeysAndCertificateCommand.ts index 50e749a81de7..57440a675da4 100644 --- a/clients/client-iot/src/commands/CreateKeysAndCertificateCommand.ts +++ b/clients/client-iot/src/commands/CreateKeysAndCertificateCommand.ts @@ -108,4 +108,16 @@ export class CreateKeysAndCertificateCommand extends $Command .f(void 0, CreateKeysAndCertificateResponseFilterSensitiveLog) .ser(se_CreateKeysAndCertificateCommand) .de(de_CreateKeysAndCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeysAndCertificateRequest; + output: CreateKeysAndCertificateResponse; + }; + sdk: { + input: CreateKeysAndCertificateCommandInput; + output: CreateKeysAndCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateMitigationActionCommand.ts b/clients/client-iot/src/commands/CreateMitigationActionCommand.ts index 816cfecea790..4e795bc1d0d6 100644 --- a/clients/client-iot/src/commands/CreateMitigationActionCommand.ts +++ b/clients/client-iot/src/commands/CreateMitigationActionCommand.ts @@ -126,4 +126,16 @@ export class CreateMitigationActionCommand extends $Command .f(void 0, void 0) .ser(se_CreateMitigationActionCommand) .de(de_CreateMitigationActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMitigationActionRequest; + output: CreateMitigationActionResponse; + }; + sdk: { + input: CreateMitigationActionCommandInput; + output: CreateMitigationActionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateOTAUpdateCommand.ts b/clients/client-iot/src/commands/CreateOTAUpdateCommand.ts index 8930c0f7b952..8d7bf6c213ac 100644 --- a/clients/client-iot/src/commands/CreateOTAUpdateCommand.ts +++ b/clients/client-iot/src/commands/CreateOTAUpdateCommand.ts @@ -200,4 +200,16 @@ export class CreateOTAUpdateCommand extends $Command .f(void 0, void 0) .ser(se_CreateOTAUpdateCommand) .de(de_CreateOTAUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOTAUpdateRequest; + output: CreateOTAUpdateResponse; + }; + sdk: { + input: CreateOTAUpdateCommandInput; + output: CreateOTAUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreatePackageCommand.ts b/clients/client-iot/src/commands/CreatePackageCommand.ts index 8a3d592d49ae..b5f01ae96c6e 100644 --- a/clients/client-iot/src/commands/CreatePackageCommand.ts +++ b/clients/client-iot/src/commands/CreatePackageCommand.ts @@ -106,4 +106,16 @@ export class CreatePackageCommand extends $Command .f(CreatePackageRequestFilterSensitiveLog, CreatePackageResponseFilterSensitiveLog) .ser(se_CreatePackageCommand) .de(de_CreatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackageRequest; + output: CreatePackageResponse; + }; + sdk: { + input: CreatePackageCommandInput; + output: CreatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreatePackageVersionCommand.ts b/clients/client-iot/src/commands/CreatePackageVersionCommand.ts index 7028c4d52d71..f7558b3476d1 100644 --- a/clients/client-iot/src/commands/CreatePackageVersionCommand.ts +++ b/clients/client-iot/src/commands/CreatePackageVersionCommand.ts @@ -124,4 +124,16 @@ export class CreatePackageVersionCommand extends $Command .f(CreatePackageVersionRequestFilterSensitiveLog, CreatePackageVersionResponseFilterSensitiveLog) .ser(se_CreatePackageVersionCommand) .de(de_CreatePackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackageVersionRequest; + output: CreatePackageVersionResponse; + }; + sdk: { + input: CreatePackageVersionCommandInput; + output: CreatePackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreatePolicyCommand.ts b/clients/client-iot/src/commands/CreatePolicyCommand.ts index 7a3e610eb219..d03c183a78c0 100644 --- a/clients/client-iot/src/commands/CreatePolicyCommand.ts +++ b/clients/client-iot/src/commands/CreatePolicyCommand.ts @@ -112,4 +112,16 @@ export class CreatePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreatePolicyCommand) .de(de_CreatePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyRequest; + output: CreatePolicyResponse; + }; + sdk: { + input: CreatePolicyCommandInput; + output: CreatePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreatePolicyVersionCommand.ts b/clients/client-iot/src/commands/CreatePolicyVersionCommand.ts index 7e5f13ead8b6..ec25e26d3f80 100644 --- a/clients/client-iot/src/commands/CreatePolicyVersionCommand.ts +++ b/clients/client-iot/src/commands/CreatePolicyVersionCommand.ts @@ -113,4 +113,16 @@ export class CreatePolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreatePolicyVersionCommand) .de(de_CreatePolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyVersionRequest; + output: CreatePolicyVersionResponse; + }; + sdk: { + input: CreatePolicyVersionCommandInput; + output: CreatePolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateProvisioningClaimCommand.ts b/clients/client-iot/src/commands/CreateProvisioningClaimCommand.ts index 83b3fd03105a..81e58f0da004 100644 --- a/clients/client-iot/src/commands/CreateProvisioningClaimCommand.ts +++ b/clients/client-iot/src/commands/CreateProvisioningClaimCommand.ts @@ -106,4 +106,16 @@ export class CreateProvisioningClaimCommand extends $Command .f(void 0, CreateProvisioningClaimResponseFilterSensitiveLog) .ser(se_CreateProvisioningClaimCommand) .de(de_CreateProvisioningClaimCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProvisioningClaimRequest; + output: CreateProvisioningClaimResponse; + }; + sdk: { + input: CreateProvisioningClaimCommandInput; + output: CreateProvisioningClaimCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateProvisioningTemplateCommand.ts b/clients/client-iot/src/commands/CreateProvisioningTemplateCommand.ts index 4d33f8d13058..c6704d327e13 100644 --- a/clients/client-iot/src/commands/CreateProvisioningTemplateCommand.ts +++ b/clients/client-iot/src/commands/CreateProvisioningTemplateCommand.ts @@ -113,4 +113,16 @@ export class CreateProvisioningTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateProvisioningTemplateCommand) .de(de_CreateProvisioningTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProvisioningTemplateRequest; + output: CreateProvisioningTemplateResponse; + }; + sdk: { + input: CreateProvisioningTemplateCommandInput; + output: CreateProvisioningTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateProvisioningTemplateVersionCommand.ts b/clients/client-iot/src/commands/CreateProvisioningTemplateVersionCommand.ts index e711ec80fbc2..9978cc3db76c 100644 --- a/clients/client-iot/src/commands/CreateProvisioningTemplateVersionCommand.ts +++ b/clients/client-iot/src/commands/CreateProvisioningTemplateVersionCommand.ts @@ -113,4 +113,16 @@ export class CreateProvisioningTemplateVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateProvisioningTemplateVersionCommand) .de(de_CreateProvisioningTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProvisioningTemplateVersionRequest; + output: CreateProvisioningTemplateVersionResponse; + }; + sdk: { + input: CreateProvisioningTemplateVersionCommandInput; + output: CreateProvisioningTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateRoleAliasCommand.ts b/clients/client-iot/src/commands/CreateRoleAliasCommand.ts index 2bf4eb385468..55952eef26a0 100644 --- a/clients/client-iot/src/commands/CreateRoleAliasCommand.ts +++ b/clients/client-iot/src/commands/CreateRoleAliasCommand.ts @@ -108,4 +108,16 @@ export class CreateRoleAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateRoleAliasCommand) .de(de_CreateRoleAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoleAliasRequest; + output: CreateRoleAliasResponse; + }; + sdk: { + input: CreateRoleAliasCommandInput; + output: CreateRoleAliasCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateScheduledAuditCommand.ts b/clients/client-iot/src/commands/CreateScheduledAuditCommand.ts index 647ec20edfe9..4ebcc240a5f3 100644 --- a/clients/client-iot/src/commands/CreateScheduledAuditCommand.ts +++ b/clients/client-iot/src/commands/CreateScheduledAuditCommand.ts @@ -106,4 +106,16 @@ export class CreateScheduledAuditCommand extends $Command .f(void 0, void 0) .ser(se_CreateScheduledAuditCommand) .de(de_CreateScheduledAuditCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScheduledAuditRequest; + output: CreateScheduledAuditResponse; + }; + sdk: { + input: CreateScheduledAuditCommandInput; + output: CreateScheduledAuditCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateSecurityProfileCommand.ts b/clients/client-iot/src/commands/CreateSecurityProfileCommand.ts index 94f0786d233a..228a6cc5b408 100644 --- a/clients/client-iot/src/commands/CreateSecurityProfileCommand.ts +++ b/clients/client-iot/src/commands/CreateSecurityProfileCommand.ts @@ -161,4 +161,16 @@ export class CreateSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityProfileCommand) .de(de_CreateSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityProfileRequest; + output: CreateSecurityProfileResponse; + }; + sdk: { + input: CreateSecurityProfileCommandInput; + output: CreateSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateStreamCommand.ts b/clients/client-iot/src/commands/CreateStreamCommand.ts index cc86eb6b4cc7..e7d39f3a3754 100644 --- a/clients/client-iot/src/commands/CreateStreamCommand.ts +++ b/clients/client-iot/src/commands/CreateStreamCommand.ts @@ -125,4 +125,16 @@ export class CreateStreamCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamCommand) .de(de_CreateStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamRequest; + output: CreateStreamResponse; + }; + sdk: { + input: CreateStreamCommandInput; + output: CreateStreamCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateThingCommand.ts b/clients/client-iot/src/commands/CreateThingCommand.ts index 9b058fcf1b3a..5aae9ed28589 100644 --- a/clients/client-iot/src/commands/CreateThingCommand.ts +++ b/clients/client-iot/src/commands/CreateThingCommand.ts @@ -116,4 +116,16 @@ export class CreateThingCommand extends $Command .f(void 0, void 0) .ser(se_CreateThingCommand) .de(de_CreateThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThingRequest; + output: CreateThingResponse; + }; + sdk: { + input: CreateThingCommandInput; + output: CreateThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateThingGroupCommand.ts b/clients/client-iot/src/commands/CreateThingGroupCommand.ts index 7a4187f4b493..240c73e8e751 100644 --- a/clients/client-iot/src/commands/CreateThingGroupCommand.ts +++ b/clients/client-iot/src/commands/CreateThingGroupCommand.ts @@ -115,4 +115,16 @@ export class CreateThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateThingGroupCommand) .de(de_CreateThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThingGroupRequest; + output: CreateThingGroupResponse; + }; + sdk: { + input: CreateThingGroupCommandInput; + output: CreateThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateThingTypeCommand.ts b/clients/client-iot/src/commands/CreateThingTypeCommand.ts index e0a59a9cdb3c..caf8850826c3 100644 --- a/clients/client-iot/src/commands/CreateThingTypeCommand.ts +++ b/clients/client-iot/src/commands/CreateThingTypeCommand.ts @@ -110,4 +110,16 @@ export class CreateThingTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateThingTypeCommand) .de(de_CreateThingTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThingTypeRequest; + output: CreateThingTypeResponse; + }; + sdk: { + input: CreateThingTypeCommandInput; + output: CreateThingTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateTopicRuleCommand.ts b/clients/client-iot/src/commands/CreateTopicRuleCommand.ts index 66f2c19f3c65..4450a5a0dc03 100644 --- a/clients/client-iot/src/commands/CreateTopicRuleCommand.ts +++ b/clients/client-iot/src/commands/CreateTopicRuleCommand.ts @@ -517,4 +517,16 @@ export class CreateTopicRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateTopicRuleCommand) .de(de_CreateTopicRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTopicRuleRequest; + output: {}; + }; + sdk: { + input: CreateTopicRuleCommandInput; + output: CreateTopicRuleCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/CreateTopicRuleDestinationCommand.ts b/clients/client-iot/src/commands/CreateTopicRuleDestinationCommand.ts index 69890907305c..e90ee650368b 100644 --- a/clients/client-iot/src/commands/CreateTopicRuleDestinationCommand.ts +++ b/clients/client-iot/src/commands/CreateTopicRuleDestinationCommand.ts @@ -127,4 +127,16 @@ export class CreateTopicRuleDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateTopicRuleDestinationCommand) .de(de_CreateTopicRuleDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTopicRuleDestinationRequest; + output: CreateTopicRuleDestinationResponse; + }; + sdk: { + input: CreateTopicRuleDestinationCommandInput; + output: CreateTopicRuleDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteAccountAuditConfigurationCommand.ts b/clients/client-iot/src/commands/DeleteAccountAuditConfigurationCommand.ts index 60e54d83e94d..c2a58d6a471b 100644 --- a/clients/client-iot/src/commands/DeleteAccountAuditConfigurationCommand.ts +++ b/clients/client-iot/src/commands/DeleteAccountAuditConfigurationCommand.ts @@ -95,4 +95,16 @@ export class DeleteAccountAuditConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountAuditConfigurationCommand) .de(de_DeleteAccountAuditConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountAuditConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteAccountAuditConfigurationCommandInput; + output: DeleteAccountAuditConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteAuditSuppressionCommand.ts b/clients/client-iot/src/commands/DeleteAuditSuppressionCommand.ts index 8b9aac6061b0..6539e15b3adc 100644 --- a/clients/client-iot/src/commands/DeleteAuditSuppressionCommand.ts +++ b/clients/client-iot/src/commands/DeleteAuditSuppressionCommand.ts @@ -106,4 +106,16 @@ export class DeleteAuditSuppressionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAuditSuppressionCommand) .de(de_DeleteAuditSuppressionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAuditSuppressionRequest; + output: {}; + }; + sdk: { + input: DeleteAuditSuppressionCommandInput; + output: DeleteAuditSuppressionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteAuthorizerCommand.ts b/clients/client-iot/src/commands/DeleteAuthorizerCommand.ts index b8b335c13332..8768e087edf2 100644 --- a/clients/client-iot/src/commands/DeleteAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/DeleteAuthorizerCommand.ts @@ -98,4 +98,16 @@ export class DeleteAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAuthorizerCommand) .de(de_DeleteAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAuthorizerRequest; + output: {}; + }; + sdk: { + input: DeleteAuthorizerCommandInput; + output: DeleteAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteBillingGroupCommand.ts b/clients/client-iot/src/commands/DeleteBillingGroupCommand.ts index 7142ac4eff6e..e2f45177c9a3 100644 --- a/clients/client-iot/src/commands/DeleteBillingGroupCommand.ts +++ b/clients/client-iot/src/commands/DeleteBillingGroupCommand.ts @@ -91,4 +91,16 @@ export class DeleteBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBillingGroupCommand) .de(de_DeleteBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBillingGroupRequest; + output: {}; + }; + sdk: { + input: DeleteBillingGroupCommandInput; + output: DeleteBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteCACertificateCommand.ts b/clients/client-iot/src/commands/DeleteCACertificateCommand.ts index a8b3f5dcf35b..a7c1a360cd29 100644 --- a/clients/client-iot/src/commands/DeleteCACertificateCommand.ts +++ b/clients/client-iot/src/commands/DeleteCACertificateCommand.ts @@ -97,4 +97,16 @@ export class DeleteCACertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCACertificateCommand) .de(de_DeleteCACertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCACertificateRequest; + output: {}; + }; + sdk: { + input: DeleteCACertificateCommandInput; + output: DeleteCACertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteCertificateCommand.ts b/clients/client-iot/src/commands/DeleteCertificateCommand.ts index c13b8f5d47e0..6e71845bf9cf 100644 --- a/clients/client-iot/src/commands/DeleteCertificateCommand.ts +++ b/clients/client-iot/src/commands/DeleteCertificateCommand.ts @@ -105,4 +105,16 @@ export class DeleteCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCertificateCommand) .de(de_DeleteCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCertificateRequest; + output: {}; + }; + sdk: { + input: DeleteCertificateCommandInput; + output: DeleteCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts b/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts index f9edb6503bfa..367ab4f8da5a 100644 --- a/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts +++ b/clients/client-iot/src/commands/DeleteCertificateProviderCommand.ts @@ -102,4 +102,16 @@ export class DeleteCertificateProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCertificateProviderCommand) .de(de_DeleteCertificateProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCertificateProviderRequest; + output: {}; + }; + sdk: { + input: DeleteCertificateProviderCommandInput; + output: DeleteCertificateProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteCustomMetricCommand.ts b/clients/client-iot/src/commands/DeleteCustomMetricCommand.ts index def00af0eaab..292faeca59b2 100644 --- a/clients/client-iot/src/commands/DeleteCustomMetricCommand.ts +++ b/clients/client-iot/src/commands/DeleteCustomMetricCommand.ts @@ -95,4 +95,16 @@ export class DeleteCustomMetricCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomMetricCommand) .de(de_DeleteCustomMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomMetricRequest; + output: {}; + }; + sdk: { + input: DeleteCustomMetricCommandInput; + output: DeleteCustomMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteDimensionCommand.ts b/clients/client-iot/src/commands/DeleteDimensionCommand.ts index b28b4edfd8dc..9aba14163e1b 100644 --- a/clients/client-iot/src/commands/DeleteDimensionCommand.ts +++ b/clients/client-iot/src/commands/DeleteDimensionCommand.ts @@ -85,4 +85,16 @@ export class DeleteDimensionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDimensionCommand) .de(de_DeleteDimensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDimensionRequest; + output: {}; + }; + sdk: { + input: DeleteDimensionCommandInput; + output: DeleteDimensionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteDomainConfigurationCommand.ts b/clients/client-iot/src/commands/DeleteDomainConfigurationCommand.ts index 0c0b1bfe8172..5e2937373c57 100644 --- a/clients/client-iot/src/commands/DeleteDomainConfigurationCommand.ts +++ b/clients/client-iot/src/commands/DeleteDomainConfigurationCommand.ts @@ -94,4 +94,16 @@ export class DeleteDomainConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainConfigurationCommand) .de(de_DeleteDomainConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteDomainConfigurationCommandInput; + output: DeleteDomainConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteDynamicThingGroupCommand.ts b/clients/client-iot/src/commands/DeleteDynamicThingGroupCommand.ts index 1b1991e79d75..d18798b39e77 100644 --- a/clients/client-iot/src/commands/DeleteDynamicThingGroupCommand.ts +++ b/clients/client-iot/src/commands/DeleteDynamicThingGroupCommand.ts @@ -91,4 +91,16 @@ export class DeleteDynamicThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDynamicThingGroupCommand) .de(de_DeleteDynamicThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDynamicThingGroupRequest; + output: {}; + }; + sdk: { + input: DeleteDynamicThingGroupCommandInput; + output: DeleteDynamicThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteFleetMetricCommand.ts b/clients/client-iot/src/commands/DeleteFleetMetricCommand.ts index a3cda7a0ad8a..633f2e9dd2c4 100644 --- a/clients/client-iot/src/commands/DeleteFleetMetricCommand.ts +++ b/clients/client-iot/src/commands/DeleteFleetMetricCommand.ts @@ -98,4 +98,16 @@ export class DeleteFleetMetricCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetMetricCommand) .de(de_DeleteFleetMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetMetricRequest; + output: {}; + }; + sdk: { + input: DeleteFleetMetricCommandInput; + output: DeleteFleetMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteJobCommand.ts b/clients/client-iot/src/commands/DeleteJobCommand.ts index 9d63907eb114..60c519f9fea4 100644 --- a/clients/client-iot/src/commands/DeleteJobCommand.ts +++ b/clients/client-iot/src/commands/DeleteJobCommand.ts @@ -105,4 +105,16 @@ export class DeleteJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobCommand) .de(de_DeleteJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobRequest; + output: {}; + }; + sdk: { + input: DeleteJobCommandInput; + output: DeleteJobCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteJobExecutionCommand.ts b/clients/client-iot/src/commands/DeleteJobExecutionCommand.ts index c96644152e9e..d1d42d4cecdc 100644 --- a/clients/client-iot/src/commands/DeleteJobExecutionCommand.ts +++ b/clients/client-iot/src/commands/DeleteJobExecutionCommand.ts @@ -97,4 +97,16 @@ export class DeleteJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobExecutionCommand) .de(de_DeleteJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobExecutionRequest; + output: {}; + }; + sdk: { + input: DeleteJobExecutionCommandInput; + output: DeleteJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteJobTemplateCommand.ts b/clients/client-iot/src/commands/DeleteJobTemplateCommand.ts index 2090a2777256..3bca4755091e 100644 --- a/clients/client-iot/src/commands/DeleteJobTemplateCommand.ts +++ b/clients/client-iot/src/commands/DeleteJobTemplateCommand.ts @@ -87,4 +87,16 @@ export class DeleteJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobTemplateCommand) .de(de_DeleteJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteJobTemplateCommandInput; + output: DeleteJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteMitigationActionCommand.ts b/clients/client-iot/src/commands/DeleteMitigationActionCommand.ts index 9111cc66aa9f..25a7868a2fba 100644 --- a/clients/client-iot/src/commands/DeleteMitigationActionCommand.ts +++ b/clients/client-iot/src/commands/DeleteMitigationActionCommand.ts @@ -85,4 +85,16 @@ export class DeleteMitigationActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMitigationActionCommand) .de(de_DeleteMitigationActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMitigationActionRequest; + output: {}; + }; + sdk: { + input: DeleteMitigationActionCommandInput; + output: DeleteMitigationActionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteOTAUpdateCommand.ts b/clients/client-iot/src/commands/DeleteOTAUpdateCommand.ts index 863f0c45399e..0044109fea64 100644 --- a/clients/client-iot/src/commands/DeleteOTAUpdateCommand.ts +++ b/clients/client-iot/src/commands/DeleteOTAUpdateCommand.ts @@ -101,4 +101,16 @@ export class DeleteOTAUpdateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOTAUpdateCommand) .de(de_DeleteOTAUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOTAUpdateRequest; + output: {}; + }; + sdk: { + input: DeleteOTAUpdateCommandInput; + output: DeleteOTAUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeletePackageCommand.ts b/clients/client-iot/src/commands/DeletePackageCommand.ts index 0fd3aab6deee..7c4a6fee7397 100644 --- a/clients/client-iot/src/commands/DeletePackageCommand.ts +++ b/clients/client-iot/src/commands/DeletePackageCommand.ts @@ -89,4 +89,16 @@ export class DeletePackageCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageCommand) .de(de_DeletePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageRequest; + output: {}; + }; + sdk: { + input: DeletePackageCommandInput; + output: DeletePackageCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeletePackageVersionCommand.ts b/clients/client-iot/src/commands/DeletePackageVersionCommand.ts index dde2b139af3e..c1de5f2f6012 100644 --- a/clients/client-iot/src/commands/DeletePackageVersionCommand.ts +++ b/clients/client-iot/src/commands/DeletePackageVersionCommand.ts @@ -89,4 +89,16 @@ export class DeletePackageVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageVersionCommand) .de(de_DeletePackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageVersionRequest; + output: {}; + }; + sdk: { + input: DeletePackageVersionCommandInput; + output: DeletePackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeletePolicyCommand.ts b/clients/client-iot/src/commands/DeletePolicyCommand.ts index 0dae09e761ff..98dd51605d99 100644 --- a/clients/client-iot/src/commands/DeletePolicyCommand.ts +++ b/clients/client-iot/src/commands/DeletePolicyCommand.ts @@ -109,4 +109,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyRequest; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeletePolicyVersionCommand.ts b/clients/client-iot/src/commands/DeletePolicyVersionCommand.ts index e030f99e09a9..877fdae7a1ca 100644 --- a/clients/client-iot/src/commands/DeletePolicyVersionCommand.ts +++ b/clients/client-iot/src/commands/DeletePolicyVersionCommand.ts @@ -101,4 +101,16 @@ export class DeletePolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyVersionCommand) .de(de_DeletePolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyVersionRequest; + output: {}; + }; + sdk: { + input: DeletePolicyVersionCommandInput; + output: DeletePolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteProvisioningTemplateCommand.ts b/clients/client-iot/src/commands/DeleteProvisioningTemplateCommand.ts index 76abfb8134dd..0d5a9205458d 100644 --- a/clients/client-iot/src/commands/DeleteProvisioningTemplateCommand.ts +++ b/clients/client-iot/src/commands/DeleteProvisioningTemplateCommand.ts @@ -99,4 +99,16 @@ export class DeleteProvisioningTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProvisioningTemplateCommand) .de(de_DeleteProvisioningTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProvisioningTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteProvisioningTemplateCommandInput; + output: DeleteProvisioningTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteProvisioningTemplateVersionCommand.ts b/clients/client-iot/src/commands/DeleteProvisioningTemplateVersionCommand.ts index 99461f4e409b..2a065580e2bc 100644 --- a/clients/client-iot/src/commands/DeleteProvisioningTemplateVersionCommand.ts +++ b/clients/client-iot/src/commands/DeleteProvisioningTemplateVersionCommand.ts @@ -108,4 +108,16 @@ export class DeleteProvisioningTemplateVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProvisioningTemplateVersionCommand) .de(de_DeleteProvisioningTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProvisioningTemplateVersionRequest; + output: {}; + }; + sdk: { + input: DeleteProvisioningTemplateVersionCommandInput; + output: DeleteProvisioningTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteRegistrationCodeCommand.ts b/clients/client-iot/src/commands/DeleteRegistrationCodeCommand.ts index 238a7113a4d6..78c693edae24 100644 --- a/clients/client-iot/src/commands/DeleteRegistrationCodeCommand.ts +++ b/clients/client-iot/src/commands/DeleteRegistrationCodeCommand.ts @@ -89,4 +89,16 @@ export class DeleteRegistrationCodeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegistrationCodeCommand) .de(de_DeleteRegistrationCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteRegistrationCodeCommandInput; + output: DeleteRegistrationCodeCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteRoleAliasCommand.ts b/clients/client-iot/src/commands/DeleteRoleAliasCommand.ts index 8ad55f8fe74b..6688b37b6057 100644 --- a/clients/client-iot/src/commands/DeleteRoleAliasCommand.ts +++ b/clients/client-iot/src/commands/DeleteRoleAliasCommand.ts @@ -98,4 +98,16 @@ export class DeleteRoleAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoleAliasCommand) .de(de_DeleteRoleAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoleAliasRequest; + output: {}; + }; + sdk: { + input: DeleteRoleAliasCommandInput; + output: DeleteRoleAliasCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteScheduledAuditCommand.ts b/clients/client-iot/src/commands/DeleteScheduledAuditCommand.ts index 124363fc63a7..4cc4ed565a76 100644 --- a/clients/client-iot/src/commands/DeleteScheduledAuditCommand.ts +++ b/clients/client-iot/src/commands/DeleteScheduledAuditCommand.ts @@ -88,4 +88,16 @@ export class DeleteScheduledAuditCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduledAuditCommand) .de(de_DeleteScheduledAuditCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduledAuditRequest; + output: {}; + }; + sdk: { + input: DeleteScheduledAuditCommandInput; + output: DeleteScheduledAuditCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteSecurityProfileCommand.ts b/clients/client-iot/src/commands/DeleteSecurityProfileCommand.ts index a6a905648568..439b540c8ce3 100644 --- a/clients/client-iot/src/commands/DeleteSecurityProfileCommand.ts +++ b/clients/client-iot/src/commands/DeleteSecurityProfileCommand.ts @@ -91,4 +91,16 @@ export class DeleteSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecurityProfileCommand) .de(de_DeleteSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecurityProfileRequest; + output: {}; + }; + sdk: { + input: DeleteSecurityProfileCommandInput; + output: DeleteSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteStreamCommand.ts b/clients/client-iot/src/commands/DeleteStreamCommand.ts index d49e94ae5085..17c889897b26 100644 --- a/clients/client-iot/src/commands/DeleteStreamCommand.ts +++ b/clients/client-iot/src/commands/DeleteStreamCommand.ts @@ -98,4 +98,16 @@ export class DeleteStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStreamCommand) .de(de_DeleteStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamRequest; + output: {}; + }; + sdk: { + input: DeleteStreamCommandInput; + output: DeleteStreamCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteThingCommand.ts b/clients/client-iot/src/commands/DeleteThingCommand.ts index 35587ac60628..f9a70e8e6e26 100644 --- a/clients/client-iot/src/commands/DeleteThingCommand.ts +++ b/clients/client-iot/src/commands/DeleteThingCommand.ts @@ -101,4 +101,16 @@ export class DeleteThingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThingCommand) .de(de_DeleteThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThingRequest; + output: {}; + }; + sdk: { + input: DeleteThingCommandInput; + output: DeleteThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteThingGroupCommand.ts b/clients/client-iot/src/commands/DeleteThingGroupCommand.ts index e29d9a709229..09b6f5247414 100644 --- a/clients/client-iot/src/commands/DeleteThingGroupCommand.ts +++ b/clients/client-iot/src/commands/DeleteThingGroupCommand.ts @@ -91,4 +91,16 @@ export class DeleteThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThingGroupCommand) .de(de_DeleteThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThingGroupRequest; + output: {}; + }; + sdk: { + input: DeleteThingGroupCommandInput; + output: DeleteThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteThingTypeCommand.ts b/clients/client-iot/src/commands/DeleteThingTypeCommand.ts index c92a4ef310dd..348aa4efc9ed 100644 --- a/clients/client-iot/src/commands/DeleteThingTypeCommand.ts +++ b/clients/client-iot/src/commands/DeleteThingTypeCommand.ts @@ -96,4 +96,16 @@ export class DeleteThingTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThingTypeCommand) .de(de_DeleteThingTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThingTypeRequest; + output: {}; + }; + sdk: { + input: DeleteThingTypeCommandInput; + output: DeleteThingTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteTopicRuleCommand.ts b/clients/client-iot/src/commands/DeleteTopicRuleCommand.ts index cde6c551ad64..e026f431244b 100644 --- a/clients/client-iot/src/commands/DeleteTopicRuleCommand.ts +++ b/clients/client-iot/src/commands/DeleteTopicRuleCommand.ts @@ -92,4 +92,16 @@ export class DeleteTopicRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTopicRuleCommand) .de(de_DeleteTopicRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTopicRuleRequest; + output: {}; + }; + sdk: { + input: DeleteTopicRuleCommandInput; + output: DeleteTopicRuleCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteTopicRuleDestinationCommand.ts b/clients/client-iot/src/commands/DeleteTopicRuleDestinationCommand.ts index 9c6cfdff7b8b..244ef78825e3 100644 --- a/clients/client-iot/src/commands/DeleteTopicRuleDestinationCommand.ts +++ b/clients/client-iot/src/commands/DeleteTopicRuleDestinationCommand.ts @@ -92,4 +92,16 @@ export class DeleteTopicRuleDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTopicRuleDestinationCommand) .de(de_DeleteTopicRuleDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTopicRuleDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteTopicRuleDestinationCommandInput; + output: DeleteTopicRuleDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeleteV2LoggingLevelCommand.ts b/clients/client-iot/src/commands/DeleteV2LoggingLevelCommand.ts index cdb685b394ee..0c7574874f97 100644 --- a/clients/client-iot/src/commands/DeleteV2LoggingLevelCommand.ts +++ b/clients/client-iot/src/commands/DeleteV2LoggingLevelCommand.ts @@ -86,4 +86,16 @@ export class DeleteV2LoggingLevelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteV2LoggingLevelCommand) .de(de_DeleteV2LoggingLevelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteV2LoggingLevelRequest; + output: {}; + }; + sdk: { + input: DeleteV2LoggingLevelCommandInput; + output: DeleteV2LoggingLevelCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DeprecateThingTypeCommand.ts b/clients/client-iot/src/commands/DeprecateThingTypeCommand.ts index 011516655152..fa13ef28df7c 100644 --- a/clients/client-iot/src/commands/DeprecateThingTypeCommand.ts +++ b/clients/client-iot/src/commands/DeprecateThingTypeCommand.ts @@ -96,4 +96,16 @@ export class DeprecateThingTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeprecateThingTypeCommand) .de(de_DeprecateThingTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprecateThingTypeRequest; + output: {}; + }; + sdk: { + input: DeprecateThingTypeCommandInput; + output: DeprecateThingTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeAccountAuditConfigurationCommand.ts b/clients/client-iot/src/commands/DescribeAccountAuditConfigurationCommand.ts index e0a20d700259..4932361d5fb5 100644 --- a/clients/client-iot/src/commands/DescribeAccountAuditConfigurationCommand.ts +++ b/clients/client-iot/src/commands/DescribeAccountAuditConfigurationCommand.ts @@ -104,4 +104,16 @@ export class DescribeAccountAuditConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAuditConfigurationCommand) .de(de_DescribeAccountAuditConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountAuditConfigurationResponse; + }; + sdk: { + input: DescribeAccountAuditConfigurationCommandInput; + output: DescribeAccountAuditConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeAuditFindingCommand.ts b/clients/client-iot/src/commands/DescribeAuditFindingCommand.ts index 86b8d9efa78c..22e1028bb46a 100644 --- a/clients/client-iot/src/commands/DescribeAuditFindingCommand.ts +++ b/clients/client-iot/src/commands/DescribeAuditFindingCommand.ts @@ -156,4 +156,16 @@ export class DescribeAuditFindingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuditFindingCommand) .de(de_DescribeAuditFindingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuditFindingRequest; + output: DescribeAuditFindingResponse; + }; + sdk: { + input: DescribeAuditFindingCommandInput; + output: DescribeAuditFindingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeAuditMitigationActionsTaskCommand.ts b/clients/client-iot/src/commands/DescribeAuditMitigationActionsTaskCommand.ts index f7b15f659f54..ac836d61690e 100644 --- a/clients/client-iot/src/commands/DescribeAuditMitigationActionsTaskCommand.ts +++ b/clients/client-iot/src/commands/DescribeAuditMitigationActionsTaskCommand.ts @@ -155,4 +155,16 @@ export class DescribeAuditMitigationActionsTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuditMitigationActionsTaskCommand) .de(de_DescribeAuditMitigationActionsTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuditMitigationActionsTaskRequest; + output: DescribeAuditMitigationActionsTaskResponse; + }; + sdk: { + input: DescribeAuditMitigationActionsTaskCommandInput; + output: DescribeAuditMitigationActionsTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeAuditSuppressionCommand.ts b/clients/client-iot/src/commands/DescribeAuditSuppressionCommand.ts index 644c2e04b908..24eb3859bcc9 100644 --- a/clients/client-iot/src/commands/DescribeAuditSuppressionCommand.ts +++ b/clients/client-iot/src/commands/DescribeAuditSuppressionCommand.ts @@ -132,4 +132,16 @@ export class DescribeAuditSuppressionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuditSuppressionCommand) .de(de_DescribeAuditSuppressionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuditSuppressionRequest; + output: DescribeAuditSuppressionResponse; + }; + sdk: { + input: DescribeAuditSuppressionCommandInput; + output: DescribeAuditSuppressionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeAuditTaskCommand.ts b/clients/client-iot/src/commands/DescribeAuditTaskCommand.ts index 1438b52d3ba4..b1993e809de9 100644 --- a/clients/client-iot/src/commands/DescribeAuditTaskCommand.ts +++ b/clients/client-iot/src/commands/DescribeAuditTaskCommand.ts @@ -113,4 +113,16 @@ export class DescribeAuditTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuditTaskCommand) .de(de_DescribeAuditTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuditTaskRequest; + output: DescribeAuditTaskResponse; + }; + sdk: { + input: DescribeAuditTaskCommandInput; + output: DescribeAuditTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeAuthorizerCommand.ts b/clients/client-iot/src/commands/DescribeAuthorizerCommand.ts index 234cfcb19cce..51e68b0bf805 100644 --- a/clients/client-iot/src/commands/DescribeAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/DescribeAuthorizerCommand.ts @@ -109,4 +109,16 @@ export class DescribeAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuthorizerCommand) .de(de_DescribeAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuthorizerRequest; + output: DescribeAuthorizerResponse; + }; + sdk: { + input: DescribeAuthorizerCommandInput; + output: DescribeAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeBillingGroupCommand.ts b/clients/client-iot/src/commands/DescribeBillingGroupCommand.ts index 4ed2e3c7ff11..a0b4da7fc889 100644 --- a/clients/client-iot/src/commands/DescribeBillingGroupCommand.ts +++ b/clients/client-iot/src/commands/DescribeBillingGroupCommand.ts @@ -99,4 +99,16 @@ export class DescribeBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBillingGroupCommand) .de(de_DescribeBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBillingGroupRequest; + output: DescribeBillingGroupResponse; + }; + sdk: { + input: DescribeBillingGroupCommandInput; + output: DescribeBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeCACertificateCommand.ts b/clients/client-iot/src/commands/DescribeCACertificateCommand.ts index cf74f1c0ca2e..b1dda8aa8eb1 100644 --- a/clients/client-iot/src/commands/DescribeCACertificateCommand.ts +++ b/clients/client-iot/src/commands/DescribeCACertificateCommand.ts @@ -117,4 +117,16 @@ export class DescribeCACertificateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCACertificateCommand) .de(de_DescribeCACertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCACertificateRequest; + output: DescribeCACertificateResponse; + }; + sdk: { + input: DescribeCACertificateCommandInput; + output: DescribeCACertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeCertificateCommand.ts b/clients/client-iot/src/commands/DescribeCertificateCommand.ts index 2a738d16b8db..dd189b13d710 100644 --- a/clients/client-iot/src/commands/DescribeCertificateCommand.ts +++ b/clients/client-iot/src/commands/DescribeCertificateCommand.ts @@ -120,4 +120,16 @@ export class DescribeCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificateCommand) .de(de_DescribeCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificateRequest; + output: DescribeCertificateResponse; + }; + sdk: { + input: DescribeCertificateCommandInput; + output: DescribeCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeCertificateProviderCommand.ts b/clients/client-iot/src/commands/DescribeCertificateProviderCommand.ts index df984b666e50..96874d21bf0c 100644 --- a/clients/client-iot/src/commands/DescribeCertificateProviderCommand.ts +++ b/clients/client-iot/src/commands/DescribeCertificateProviderCommand.ts @@ -109,4 +109,16 @@ export class DescribeCertificateProviderCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificateProviderCommand) .de(de_DescribeCertificateProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificateProviderRequest; + output: DescribeCertificateProviderResponse; + }; + sdk: { + input: DescribeCertificateProviderCommandInput; + output: DescribeCertificateProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeCustomMetricCommand.ts b/clients/client-iot/src/commands/DescribeCustomMetricCommand.ts index fb4c402e6f84..2064f678711c 100644 --- a/clients/client-iot/src/commands/DescribeCustomMetricCommand.ts +++ b/clients/client-iot/src/commands/DescribeCustomMetricCommand.ts @@ -97,4 +97,16 @@ export class DescribeCustomMetricCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomMetricCommand) .de(de_DescribeCustomMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomMetricRequest; + output: DescribeCustomMetricResponse; + }; + sdk: { + input: DescribeCustomMetricCommandInput; + output: DescribeCustomMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeDefaultAuthorizerCommand.ts b/clients/client-iot/src/commands/DescribeDefaultAuthorizerCommand.ts index fb611ee2b46b..64c3ef5659d5 100644 --- a/clients/client-iot/src/commands/DescribeDefaultAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/DescribeDefaultAuthorizerCommand.ts @@ -107,4 +107,16 @@ export class DescribeDefaultAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDefaultAuthorizerCommand) .de(de_DescribeDefaultAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeDefaultAuthorizerResponse; + }; + sdk: { + input: DescribeDefaultAuthorizerCommandInput; + output: DescribeDefaultAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeDetectMitigationActionsTaskCommand.ts b/clients/client-iot/src/commands/DescribeDetectMitigationActionsTaskCommand.ts index 300f786fc37f..0f149beece7c 100644 --- a/clients/client-iot/src/commands/DescribeDetectMitigationActionsTaskCommand.ts +++ b/clients/client-iot/src/commands/DescribeDetectMitigationActionsTaskCommand.ts @@ -154,4 +154,16 @@ export class DescribeDetectMitigationActionsTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDetectMitigationActionsTaskCommand) .de(de_DescribeDetectMitigationActionsTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDetectMitigationActionsTaskRequest; + output: DescribeDetectMitigationActionsTaskResponse; + }; + sdk: { + input: DescribeDetectMitigationActionsTaskCommandInput; + output: DescribeDetectMitigationActionsTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeDimensionCommand.ts b/clients/client-iot/src/commands/DescribeDimensionCommand.ts index eaa5106e358c..371c8c721166 100644 --- a/clients/client-iot/src/commands/DescribeDimensionCommand.ts +++ b/clients/client-iot/src/commands/DescribeDimensionCommand.ts @@ -97,4 +97,16 @@ export class DescribeDimensionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDimensionCommand) .de(de_DescribeDimensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDimensionRequest; + output: DescribeDimensionResponse; + }; + sdk: { + input: DescribeDimensionCommandInput; + output: DescribeDimensionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeDomainConfigurationCommand.ts b/clients/client-iot/src/commands/DescribeDomainConfigurationCommand.ts index aa1532ac21bb..0309d1b17312 100644 --- a/clients/client-iot/src/commands/DescribeDomainConfigurationCommand.ts +++ b/clients/client-iot/src/commands/DescribeDomainConfigurationCommand.ts @@ -124,4 +124,16 @@ export class DescribeDomainConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainConfigurationCommand) .de(de_DescribeDomainConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainConfigurationRequest; + output: DescribeDomainConfigurationResponse; + }; + sdk: { + input: DescribeDomainConfigurationCommandInput; + output: DescribeDomainConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeEndpointCommand.ts b/clients/client-iot/src/commands/DescribeEndpointCommand.ts index 678d581e0f95..5568c55ad9ea 100644 --- a/clients/client-iot/src/commands/DescribeEndpointCommand.ts +++ b/clients/client-iot/src/commands/DescribeEndpointCommand.ts @@ -94,4 +94,16 @@ export class DescribeEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointCommand) .de(de_DescribeEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointRequest; + output: DescribeEndpointResponse; + }; + sdk: { + input: DescribeEndpointCommandInput; + output: DescribeEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeEventConfigurationsCommand.ts b/clients/client-iot/src/commands/DescribeEventConfigurationsCommand.ts index 16ded725cb57..1c138e55794c 100644 --- a/clients/client-iot/src/commands/DescribeEventConfigurationsCommand.ts +++ b/clients/client-iot/src/commands/DescribeEventConfigurationsCommand.ts @@ -93,4 +93,16 @@ export class DescribeEventConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventConfigurationsCommand) .de(de_DescribeEventConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeEventConfigurationsResponse; + }; + sdk: { + input: DescribeEventConfigurationsCommandInput; + output: DescribeEventConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeFleetMetricCommand.ts b/clients/client-iot/src/commands/DescribeFleetMetricCommand.ts index b3785bc37e2d..6c13d439c46a 100644 --- a/clients/client-iot/src/commands/DescribeFleetMetricCommand.ts +++ b/clients/client-iot/src/commands/DescribeFleetMetricCommand.ts @@ -113,4 +113,16 @@ export class DescribeFleetMetricCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetMetricCommand) .de(de_DescribeFleetMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetMetricRequest; + output: DescribeFleetMetricResponse; + }; + sdk: { + input: DescribeFleetMetricCommandInput; + output: DescribeFleetMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeIndexCommand.ts b/clients/client-iot/src/commands/DescribeIndexCommand.ts index c94a7b756bca..53c20ababa14 100644 --- a/clients/client-iot/src/commands/DescribeIndexCommand.ts +++ b/clients/client-iot/src/commands/DescribeIndexCommand.ts @@ -98,4 +98,16 @@ export class DescribeIndexCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIndexCommand) .de(de_DescribeIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIndexRequest; + output: DescribeIndexResponse; + }; + sdk: { + input: DescribeIndexCommandInput; + output: DescribeIndexCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeJobCommand.ts b/clients/client-iot/src/commands/DescribeJobCommand.ts index 8ea9b31bf9c9..1d80eacf755c 100644 --- a/clients/client-iot/src/commands/DescribeJobCommand.ts +++ b/clients/client-iot/src/commands/DescribeJobCommand.ts @@ -181,4 +181,16 @@ export class DescribeJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobCommand) .de(de_DescribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobRequest; + output: DescribeJobResponse; + }; + sdk: { + input: DescribeJobCommandInput; + output: DescribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeJobExecutionCommand.ts b/clients/client-iot/src/commands/DescribeJobExecutionCommand.ts index cdd2ff8f3465..891889dc8696 100644 --- a/clients/client-iot/src/commands/DescribeJobExecutionCommand.ts +++ b/clients/client-iot/src/commands/DescribeJobExecutionCommand.ts @@ -108,4 +108,16 @@ export class DescribeJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobExecutionCommand) .de(de_DescribeJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobExecutionRequest; + output: DescribeJobExecutionResponse; + }; + sdk: { + input: DescribeJobExecutionCommandInput; + output: DescribeJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeJobTemplateCommand.ts b/clients/client-iot/src/commands/DescribeJobTemplateCommand.ts index 356abde04cd1..634277b2b7c4 100644 --- a/clients/client-iot/src/commands/DescribeJobTemplateCommand.ts +++ b/clients/client-iot/src/commands/DescribeJobTemplateCommand.ts @@ -139,4 +139,16 @@ export class DescribeJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobTemplateCommand) .de(de_DescribeJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobTemplateRequest; + output: DescribeJobTemplateResponse; + }; + sdk: { + input: DescribeJobTemplateCommandInput; + output: DescribeJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeManagedJobTemplateCommand.ts b/clients/client-iot/src/commands/DescribeManagedJobTemplateCommand.ts index b8e9ea8141f5..1a1a45214005 100644 --- a/clients/client-iot/src/commands/DescribeManagedJobTemplateCommand.ts +++ b/clients/client-iot/src/commands/DescribeManagedJobTemplateCommand.ts @@ -107,4 +107,16 @@ export class DescribeManagedJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeManagedJobTemplateCommand) .de(de_DescribeManagedJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeManagedJobTemplateRequest; + output: DescribeManagedJobTemplateResponse; + }; + sdk: { + input: DescribeManagedJobTemplateCommandInput; + output: DescribeManagedJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeMitigationActionCommand.ts b/clients/client-iot/src/commands/DescribeMitigationActionCommand.ts index 72d5cb57c4ee..15aa6425dc6e 100644 --- a/clients/client-iot/src/commands/DescribeMitigationActionCommand.ts +++ b/clients/client-iot/src/commands/DescribeMitigationActionCommand.ts @@ -120,4 +120,16 @@ export class DescribeMitigationActionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMitigationActionCommand) .de(de_DescribeMitigationActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMitigationActionRequest; + output: DescribeMitigationActionResponse; + }; + sdk: { + input: DescribeMitigationActionCommandInput; + output: DescribeMitigationActionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeProvisioningTemplateCommand.ts b/clients/client-iot/src/commands/DescribeProvisioningTemplateCommand.ts index 7415e0673c58..c941585a4716 100644 --- a/clients/client-iot/src/commands/DescribeProvisioningTemplateCommand.ts +++ b/clients/client-iot/src/commands/DescribeProvisioningTemplateCommand.ts @@ -111,4 +111,16 @@ export class DescribeProvisioningTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProvisioningTemplateCommand) .de(de_DescribeProvisioningTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProvisioningTemplateRequest; + output: DescribeProvisioningTemplateResponse; + }; + sdk: { + input: DescribeProvisioningTemplateCommandInput; + output: DescribeProvisioningTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeProvisioningTemplateVersionCommand.ts b/clients/client-iot/src/commands/DescribeProvisioningTemplateVersionCommand.ts index 96a639d92f88..991f7c33ed50 100644 --- a/clients/client-iot/src/commands/DescribeProvisioningTemplateVersionCommand.ts +++ b/clients/client-iot/src/commands/DescribeProvisioningTemplateVersionCommand.ts @@ -105,4 +105,16 @@ export class DescribeProvisioningTemplateVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProvisioningTemplateVersionCommand) .de(de_DescribeProvisioningTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProvisioningTemplateVersionRequest; + output: DescribeProvisioningTemplateVersionResponse; + }; + sdk: { + input: DescribeProvisioningTemplateVersionCommandInput; + output: DescribeProvisioningTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeRoleAliasCommand.ts b/clients/client-iot/src/commands/DescribeRoleAliasCommand.ts index 381f5bc97310..533094bfc06c 100644 --- a/clients/client-iot/src/commands/DescribeRoleAliasCommand.ts +++ b/clients/client-iot/src/commands/DescribeRoleAliasCommand.ts @@ -104,4 +104,16 @@ export class DescribeRoleAliasCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRoleAliasCommand) .de(de_DescribeRoleAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRoleAliasRequest; + output: DescribeRoleAliasResponse; + }; + sdk: { + input: DescribeRoleAliasCommandInput; + output: DescribeRoleAliasCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeScheduledAuditCommand.ts b/clients/client-iot/src/commands/DescribeScheduledAuditCommand.ts index 9be1a70550f1..156124e23016 100644 --- a/clients/client-iot/src/commands/DescribeScheduledAuditCommand.ts +++ b/clients/client-iot/src/commands/DescribeScheduledAuditCommand.ts @@ -97,4 +97,16 @@ export class DescribeScheduledAuditCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduledAuditCommand) .de(de_DescribeScheduledAuditCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduledAuditRequest; + output: DescribeScheduledAuditResponse; + }; + sdk: { + input: DescribeScheduledAuditCommandInput; + output: DescribeScheduledAuditCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeSecurityProfileCommand.ts b/clients/client-iot/src/commands/DescribeSecurityProfileCommand.ts index 225ce4e58f84..131e8cc5d5a3 100644 --- a/clients/client-iot/src/commands/DescribeSecurityProfileCommand.ts +++ b/clients/client-iot/src/commands/DescribeSecurityProfileCommand.ts @@ -158,4 +158,16 @@ export class DescribeSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityProfileCommand) .de(de_DescribeSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityProfileRequest; + output: DescribeSecurityProfileResponse; + }; + sdk: { + input: DescribeSecurityProfileCommandInput; + output: DescribeSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeStreamCommand.ts b/clients/client-iot/src/commands/DescribeStreamCommand.ts index 17f4d9d9cb5f..3a16b5099482 100644 --- a/clients/client-iot/src/commands/DescribeStreamCommand.ts +++ b/clients/client-iot/src/commands/DescribeStreamCommand.ts @@ -114,4 +114,16 @@ export class DescribeStreamCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStreamCommand) .de(de_DescribeStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStreamRequest; + output: DescribeStreamResponse; + }; + sdk: { + input: DescribeStreamCommandInput; + output: DescribeStreamCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeThingCommand.ts b/clients/client-iot/src/commands/DescribeThingCommand.ts index b8b9324b2ae0..de47cc9d64af 100644 --- a/clients/client-iot/src/commands/DescribeThingCommand.ts +++ b/clients/client-iot/src/commands/DescribeThingCommand.ts @@ -105,4 +105,16 @@ export class DescribeThingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThingCommand) .de(de_DescribeThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThingRequest; + output: DescribeThingResponse; + }; + sdk: { + input: DescribeThingCommandInput; + output: DescribeThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeThingGroupCommand.ts b/clients/client-iot/src/commands/DescribeThingGroupCommand.ts index 50ca704e636f..17f1ec33dbfc 100644 --- a/clients/client-iot/src/commands/DescribeThingGroupCommand.ts +++ b/clients/client-iot/src/commands/DescribeThingGroupCommand.ts @@ -116,4 +116,16 @@ export class DescribeThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThingGroupCommand) .de(de_DescribeThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThingGroupRequest; + output: DescribeThingGroupResponse; + }; + sdk: { + input: DescribeThingGroupCommandInput; + output: DescribeThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeThingRegistrationTaskCommand.ts b/clients/client-iot/src/commands/DescribeThingRegistrationTaskCommand.ts index 2642b408110f..e591aae98fba 100644 --- a/clients/client-iot/src/commands/DescribeThingRegistrationTaskCommand.ts +++ b/clients/client-iot/src/commands/DescribeThingRegistrationTaskCommand.ts @@ -109,4 +109,16 @@ export class DescribeThingRegistrationTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThingRegistrationTaskCommand) .de(de_DescribeThingRegistrationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThingRegistrationTaskRequest; + output: DescribeThingRegistrationTaskResponse; + }; + sdk: { + input: DescribeThingRegistrationTaskCommandInput; + output: DescribeThingRegistrationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DescribeThingTypeCommand.ts b/clients/client-iot/src/commands/DescribeThingTypeCommand.ts index 2589632a2335..82c673bf5f05 100644 --- a/clients/client-iot/src/commands/DescribeThingTypeCommand.ts +++ b/clients/client-iot/src/commands/DescribeThingTypeCommand.ts @@ -109,4 +109,16 @@ export class DescribeThingTypeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThingTypeCommand) .de(de_DescribeThingTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThingTypeRequest; + output: DescribeThingTypeResponse; + }; + sdk: { + input: DescribeThingTypeCommandInput; + output: DescribeThingTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DetachPolicyCommand.ts b/clients/client-iot/src/commands/DetachPolicyCommand.ts index 7c9fbe72bdb3..d85457619b7e 100644 --- a/clients/client-iot/src/commands/DetachPolicyCommand.ts +++ b/clients/client-iot/src/commands/DetachPolicyCommand.ts @@ -99,4 +99,16 @@ export class DetachPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DetachPolicyCommand) .de(de_DetachPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachPolicyRequest; + output: {}; + }; + sdk: { + input: DetachPolicyCommandInput; + output: DetachPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DetachPrincipalPolicyCommand.ts b/clients/client-iot/src/commands/DetachPrincipalPolicyCommand.ts index 476af48ef2cb..02be1bb478b0 100644 --- a/clients/client-iot/src/commands/DetachPrincipalPolicyCommand.ts +++ b/clients/client-iot/src/commands/DetachPrincipalPolicyCommand.ts @@ -100,4 +100,16 @@ export class DetachPrincipalPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DetachPrincipalPolicyCommand) .de(de_DetachPrincipalPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachPrincipalPolicyRequest; + output: {}; + }; + sdk: { + input: DetachPrincipalPolicyCommandInput; + output: DetachPrincipalPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DetachSecurityProfileCommand.ts b/clients/client-iot/src/commands/DetachSecurityProfileCommand.ts index e7f76f7ae57f..c2491c7da14a 100644 --- a/clients/client-iot/src/commands/DetachSecurityProfileCommand.ts +++ b/clients/client-iot/src/commands/DetachSecurityProfileCommand.ts @@ -89,4 +89,16 @@ export class DetachSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_DetachSecurityProfileCommand) .de(de_DetachSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachSecurityProfileRequest; + output: {}; + }; + sdk: { + input: DetachSecurityProfileCommandInput; + output: DetachSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DetachThingPrincipalCommand.ts b/clients/client-iot/src/commands/DetachThingPrincipalCommand.ts index 760229ef35c2..48f6a6a4f423 100644 --- a/clients/client-iot/src/commands/DetachThingPrincipalCommand.ts +++ b/clients/client-iot/src/commands/DetachThingPrincipalCommand.ts @@ -101,4 +101,16 @@ export class DetachThingPrincipalCommand extends $Command .f(void 0, void 0) .ser(se_DetachThingPrincipalCommand) .de(de_DetachThingPrincipalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachThingPrincipalRequest; + output: {}; + }; + sdk: { + input: DetachThingPrincipalCommandInput; + output: DetachThingPrincipalCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DisableTopicRuleCommand.ts b/clients/client-iot/src/commands/DisableTopicRuleCommand.ts index 5e7fbc5cb830..99396aa83911 100644 --- a/clients/client-iot/src/commands/DisableTopicRuleCommand.ts +++ b/clients/client-iot/src/commands/DisableTopicRuleCommand.ts @@ -92,4 +92,16 @@ export class DisableTopicRuleCommand extends $Command .f(void 0, void 0) .ser(se_DisableTopicRuleCommand) .de(de_DisableTopicRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableTopicRuleRequest; + output: {}; + }; + sdk: { + input: DisableTopicRuleCommandInput; + output: DisableTopicRuleCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts b/clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts index d8017d9df254..b448a9ef0b97 100644 --- a/clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts +++ b/clients/client-iot/src/commands/DisassociateSbomFromPackageVersionCommand.ts @@ -102,4 +102,16 @@ export class DisassociateSbomFromPackageVersionCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateSbomFromPackageVersionCommand) .de(de_DisassociateSbomFromPackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateSbomFromPackageVersionRequest; + output: {}; + }; + sdk: { + input: DisassociateSbomFromPackageVersionCommandInput; + output: DisassociateSbomFromPackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/EnableTopicRuleCommand.ts b/clients/client-iot/src/commands/EnableTopicRuleCommand.ts index 4a16ca17c418..54efa1c56761 100644 --- a/clients/client-iot/src/commands/EnableTopicRuleCommand.ts +++ b/clients/client-iot/src/commands/EnableTopicRuleCommand.ts @@ -92,4 +92,16 @@ export class EnableTopicRuleCommand extends $Command .f(void 0, void 0) .ser(se_EnableTopicRuleCommand) .de(de_EnableTopicRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableTopicRuleRequest; + output: {}; + }; + sdk: { + input: EnableTopicRuleCommandInput; + output: EnableTopicRuleCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetBehaviorModelTrainingSummariesCommand.ts b/clients/client-iot/src/commands/GetBehaviorModelTrainingSummariesCommand.ts index adc84c78e18e..48f0ed278276 100644 --- a/clients/client-iot/src/commands/GetBehaviorModelTrainingSummariesCommand.ts +++ b/clients/client-iot/src/commands/GetBehaviorModelTrainingSummariesCommand.ts @@ -112,4 +112,16 @@ export class GetBehaviorModelTrainingSummariesCommand extends $Command .f(void 0, void 0) .ser(se_GetBehaviorModelTrainingSummariesCommand) .de(de_GetBehaviorModelTrainingSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBehaviorModelTrainingSummariesRequest; + output: GetBehaviorModelTrainingSummariesResponse; + }; + sdk: { + input: GetBehaviorModelTrainingSummariesCommandInput; + output: GetBehaviorModelTrainingSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetBucketsAggregationCommand.ts b/clients/client-iot/src/commands/GetBucketsAggregationCommand.ts index ebf1e1a1127f..e1c192858219 100644 --- a/clients/client-iot/src/commands/GetBucketsAggregationCommand.ts +++ b/clients/client-iot/src/commands/GetBucketsAggregationCommand.ts @@ -119,4 +119,16 @@ export class GetBucketsAggregationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketsAggregationCommand) .de(de_GetBucketsAggregationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketsAggregationRequest; + output: GetBucketsAggregationResponse; + }; + sdk: { + input: GetBucketsAggregationCommandInput; + output: GetBucketsAggregationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetCardinalityCommand.ts b/clients/client-iot/src/commands/GetCardinalityCommand.ts index 26fd3a3a24ce..46abc3ef6ccb 100644 --- a/clients/client-iot/src/commands/GetCardinalityCommand.ts +++ b/clients/client-iot/src/commands/GetCardinalityCommand.ts @@ -108,4 +108,16 @@ export class GetCardinalityCommand extends $Command .f(void 0, void 0) .ser(se_GetCardinalityCommand) .de(de_GetCardinalityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCardinalityRequest; + output: GetCardinalityResponse; + }; + sdk: { + input: GetCardinalityCommandInput; + output: GetCardinalityCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetEffectivePoliciesCommand.ts b/clients/client-iot/src/commands/GetEffectivePoliciesCommand.ts index d3dc2990ac62..a9af842d4894 100644 --- a/clients/client-iot/src/commands/GetEffectivePoliciesCommand.ts +++ b/clients/client-iot/src/commands/GetEffectivePoliciesCommand.ts @@ -108,4 +108,16 @@ export class GetEffectivePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetEffectivePoliciesCommand) .de(de_GetEffectivePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEffectivePoliciesRequest; + output: GetEffectivePoliciesResponse; + }; + sdk: { + input: GetEffectivePoliciesCommandInput; + output: GetEffectivePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetIndexingConfigurationCommand.ts b/clients/client-iot/src/commands/GetIndexingConfigurationCommand.ts index 563ec6dfea6f..7f8789e21988 100644 --- a/clients/client-iot/src/commands/GetIndexingConfigurationCommand.ts +++ b/clients/client-iot/src/commands/GetIndexingConfigurationCommand.ts @@ -134,4 +134,16 @@ export class GetIndexingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetIndexingConfigurationCommand) .de(de_GetIndexingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetIndexingConfigurationResponse; + }; + sdk: { + input: GetIndexingConfigurationCommandInput; + output: GetIndexingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetJobDocumentCommand.ts b/clients/client-iot/src/commands/GetJobDocumentCommand.ts index b09f3844d6f7..fa3ae1cb1e10 100644 --- a/clients/client-iot/src/commands/GetJobDocumentCommand.ts +++ b/clients/client-iot/src/commands/GetJobDocumentCommand.ts @@ -91,4 +91,16 @@ export class GetJobDocumentCommand extends $Command .f(void 0, void 0) .ser(se_GetJobDocumentCommand) .de(de_GetJobDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobDocumentRequest; + output: GetJobDocumentResponse; + }; + sdk: { + input: GetJobDocumentCommandInput; + output: GetJobDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetLoggingOptionsCommand.ts b/clients/client-iot/src/commands/GetLoggingOptionsCommand.ts index a843ee14c601..9030df7d2cf9 100644 --- a/clients/client-iot/src/commands/GetLoggingOptionsCommand.ts +++ b/clients/client-iot/src/commands/GetLoggingOptionsCommand.ts @@ -88,4 +88,16 @@ export class GetLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggingOptionsCommand) .de(de_GetLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetLoggingOptionsResponse; + }; + sdk: { + input: GetLoggingOptionsCommandInput; + output: GetLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetOTAUpdateCommand.ts b/clients/client-iot/src/commands/GetOTAUpdateCommand.ts index bf4c85f313b0..1fb68a95b7cf 100644 --- a/clients/client-iot/src/commands/GetOTAUpdateCommand.ts +++ b/clients/client-iot/src/commands/GetOTAUpdateCommand.ts @@ -182,4 +182,16 @@ export class GetOTAUpdateCommand extends $Command .f(void 0, void 0) .ser(se_GetOTAUpdateCommand) .de(de_GetOTAUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOTAUpdateRequest; + output: GetOTAUpdateResponse; + }; + sdk: { + input: GetOTAUpdateCommandInput; + output: GetOTAUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetPackageCommand.ts b/clients/client-iot/src/commands/GetPackageCommand.ts index 246d214ead00..accb5ee569b1 100644 --- a/clients/client-iot/src/commands/GetPackageCommand.ts +++ b/clients/client-iot/src/commands/GetPackageCommand.ts @@ -96,4 +96,16 @@ export class GetPackageCommand extends $Command .f(void 0, GetPackageResponseFilterSensitiveLog) .ser(se_GetPackageCommand) .de(de_GetPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPackageRequest; + output: GetPackageResponse; + }; + sdk: { + input: GetPackageCommandInput; + output: GetPackageCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetPackageConfigurationCommand.ts b/clients/client-iot/src/commands/GetPackageConfigurationCommand.ts index 3f8c38b51cc6..e2784951cc3f 100644 --- a/clients/client-iot/src/commands/GetPackageConfigurationCommand.ts +++ b/clients/client-iot/src/commands/GetPackageConfigurationCommand.ts @@ -86,4 +86,16 @@ export class GetPackageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetPackageConfigurationCommand) .de(de_GetPackageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPackageConfigurationResponse; + }; + sdk: { + input: GetPackageConfigurationCommandInput; + output: GetPackageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetPackageVersionCommand.ts b/clients/client-iot/src/commands/GetPackageVersionCommand.ts index ccadd386e0be..aba38005f719 100644 --- a/clients/client-iot/src/commands/GetPackageVersionCommand.ts +++ b/clients/client-iot/src/commands/GetPackageVersionCommand.ts @@ -122,4 +122,16 @@ export class GetPackageVersionCommand extends $Command .f(void 0, GetPackageVersionResponseFilterSensitiveLog) .ser(se_GetPackageVersionCommand) .de(de_GetPackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPackageVersionRequest; + output: GetPackageVersionResponse; + }; + sdk: { + input: GetPackageVersionCommandInput; + output: GetPackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetPercentilesCommand.ts b/clients/client-iot/src/commands/GetPercentilesCommand.ts index 8ed2191e1a37..1c8cbe1b893c 100644 --- a/clients/client-iot/src/commands/GetPercentilesCommand.ts +++ b/clients/client-iot/src/commands/GetPercentilesCommand.ts @@ -124,4 +124,16 @@ export class GetPercentilesCommand extends $Command .f(void 0, void 0) .ser(se_GetPercentilesCommand) .de(de_GetPercentilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPercentilesRequest; + output: GetPercentilesResponse; + }; + sdk: { + input: GetPercentilesCommandInput; + output: GetPercentilesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetPolicyCommand.ts b/clients/client-iot/src/commands/GetPolicyCommand.ts index 6d3b1df756ca..2b668c1a6e15 100644 --- a/clients/client-iot/src/commands/GetPolicyCommand.ts +++ b/clients/client-iot/src/commands/GetPolicyCommand.ts @@ -103,4 +103,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyRequest; + output: GetPolicyResponse; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetPolicyVersionCommand.ts b/clients/client-iot/src/commands/GetPolicyVersionCommand.ts index 71f3b18c396c..eeaab73d0925 100644 --- a/clients/client-iot/src/commands/GetPolicyVersionCommand.ts +++ b/clients/client-iot/src/commands/GetPolicyVersionCommand.ts @@ -104,4 +104,16 @@ export class GetPolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyVersionCommand) .de(de_GetPolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyVersionRequest; + output: GetPolicyVersionResponse; + }; + sdk: { + input: GetPolicyVersionCommandInput; + output: GetPolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetRegistrationCodeCommand.ts b/clients/client-iot/src/commands/GetRegistrationCodeCommand.ts index b73e125578b5..fa5043c48cde 100644 --- a/clients/client-iot/src/commands/GetRegistrationCodeCommand.ts +++ b/clients/client-iot/src/commands/GetRegistrationCodeCommand.ts @@ -94,4 +94,16 @@ export class GetRegistrationCodeCommand extends $Command .f(void 0, void 0) .ser(se_GetRegistrationCodeCommand) .de(de_GetRegistrationCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetRegistrationCodeResponse; + }; + sdk: { + input: GetRegistrationCodeCommandInput; + output: GetRegistrationCodeCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetStatisticsCommand.ts b/clients/client-iot/src/commands/GetStatisticsCommand.ts index 4ee211dec5d8..0694005c70e4 100644 --- a/clients/client-iot/src/commands/GetStatisticsCommand.ts +++ b/clients/client-iot/src/commands/GetStatisticsCommand.ts @@ -119,4 +119,16 @@ export class GetStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetStatisticsCommand) .de(de_GetStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStatisticsRequest; + output: GetStatisticsResponse; + }; + sdk: { + input: GetStatisticsCommandInput; + output: GetStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetTopicRuleCommand.ts b/clients/client-iot/src/commands/GetTopicRuleCommand.ts index 4f1abbf0184a..84b1bb4bb7d9 100644 --- a/clients/client-iot/src/commands/GetTopicRuleCommand.ts +++ b/clients/client-iot/src/commands/GetTopicRuleCommand.ts @@ -512,4 +512,16 @@ export class GetTopicRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetTopicRuleCommand) .de(de_GetTopicRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTopicRuleRequest; + output: GetTopicRuleResponse; + }; + sdk: { + input: GetTopicRuleCommandInput; + output: GetTopicRuleCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetTopicRuleDestinationCommand.ts b/clients/client-iot/src/commands/GetTopicRuleDestinationCommand.ts index 630499e9230a..e6a22baaa446 100644 --- a/clients/client-iot/src/commands/GetTopicRuleDestinationCommand.ts +++ b/clients/client-iot/src/commands/GetTopicRuleDestinationCommand.ts @@ -109,4 +109,16 @@ export class GetTopicRuleDestinationCommand extends $Command .f(void 0, void 0) .ser(se_GetTopicRuleDestinationCommand) .de(de_GetTopicRuleDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTopicRuleDestinationRequest; + output: GetTopicRuleDestinationResponse; + }; + sdk: { + input: GetTopicRuleDestinationCommandInput; + output: GetTopicRuleDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/GetV2LoggingOptionsCommand.ts b/clients/client-iot/src/commands/GetV2LoggingOptionsCommand.ts index 5476fc45bcad..cbb4e17397fb 100644 --- a/clients/client-iot/src/commands/GetV2LoggingOptionsCommand.ts +++ b/clients/client-iot/src/commands/GetV2LoggingOptionsCommand.ts @@ -87,4 +87,16 @@ export class GetV2LoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetV2LoggingOptionsCommand) .de(de_GetV2LoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetV2LoggingOptionsResponse; + }; + sdk: { + input: GetV2LoggingOptionsCommandInput; + output: GetV2LoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListActiveViolationsCommand.ts b/clients/client-iot/src/commands/ListActiveViolationsCommand.ts index cb6785ca6e3f..cfc426592556 100644 --- a/clients/client-iot/src/commands/ListActiveViolationsCommand.ts +++ b/clients/client-iot/src/commands/ListActiveViolationsCommand.ts @@ -164,4 +164,16 @@ export class ListActiveViolationsCommand extends $Command .f(void 0, void 0) .ser(se_ListActiveViolationsCommand) .de(de_ListActiveViolationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActiveViolationsRequest; + output: ListActiveViolationsResponse; + }; + sdk: { + input: ListActiveViolationsCommandInput; + output: ListActiveViolationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListAttachedPoliciesCommand.ts b/clients/client-iot/src/commands/ListAttachedPoliciesCommand.ts index e75c13c50019..64ee5b0b3934 100644 --- a/clients/client-iot/src/commands/ListAttachedPoliciesCommand.ts +++ b/clients/client-iot/src/commands/ListAttachedPoliciesCommand.ts @@ -108,4 +108,16 @@ export class ListAttachedPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAttachedPoliciesCommand) .de(de_ListAttachedPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttachedPoliciesRequest; + output: ListAttachedPoliciesResponse; + }; + sdk: { + input: ListAttachedPoliciesCommandInput; + output: ListAttachedPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListAuditFindingsCommand.ts b/clients/client-iot/src/commands/ListAuditFindingsCommand.ts index 1d88b6d1fdea..82ce03522e24 100644 --- a/clients/client-iot/src/commands/ListAuditFindingsCommand.ts +++ b/clients/client-iot/src/commands/ListAuditFindingsCommand.ts @@ -178,4 +178,16 @@ export class ListAuditFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListAuditFindingsCommand) .de(de_ListAuditFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAuditFindingsRequest; + output: ListAuditFindingsResponse; + }; + sdk: { + input: ListAuditFindingsCommandInput; + output: ListAuditFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListAuditMitigationActionsExecutionsCommand.ts b/clients/client-iot/src/commands/ListAuditMitigationActionsExecutionsCommand.ts index 9e045105fdb7..96071cc322e4 100644 --- a/clients/client-iot/src/commands/ListAuditMitigationActionsExecutionsCommand.ts +++ b/clients/client-iot/src/commands/ListAuditMitigationActionsExecutionsCommand.ts @@ -113,4 +113,16 @@ export class ListAuditMitigationActionsExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAuditMitigationActionsExecutionsCommand) .de(de_ListAuditMitigationActionsExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAuditMitigationActionsExecutionsRequest; + output: ListAuditMitigationActionsExecutionsResponse; + }; + sdk: { + input: ListAuditMitigationActionsExecutionsCommandInput; + output: ListAuditMitigationActionsExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListAuditMitigationActionsTasksCommand.ts b/clients/client-iot/src/commands/ListAuditMitigationActionsTasksCommand.ts index a3f4f479eb8e..0b091b1a87ce 100644 --- a/clients/client-iot/src/commands/ListAuditMitigationActionsTasksCommand.ts +++ b/clients/client-iot/src/commands/ListAuditMitigationActionsTasksCommand.ts @@ -105,4 +105,16 @@ export class ListAuditMitigationActionsTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListAuditMitigationActionsTasksCommand) .de(de_ListAuditMitigationActionsTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAuditMitigationActionsTasksRequest; + output: ListAuditMitigationActionsTasksResponse; + }; + sdk: { + input: ListAuditMitigationActionsTasksCommandInput; + output: ListAuditMitigationActionsTasksCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListAuditSuppressionsCommand.ts b/clients/client-iot/src/commands/ListAuditSuppressionsCommand.ts index e3fa481dafb3..da801a24f5a8 100644 --- a/clients/client-iot/src/commands/ListAuditSuppressionsCommand.ts +++ b/clients/client-iot/src/commands/ListAuditSuppressionsCommand.ts @@ -138,4 +138,16 @@ export class ListAuditSuppressionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAuditSuppressionsCommand) .de(de_ListAuditSuppressionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAuditSuppressionsRequest; + output: ListAuditSuppressionsResponse; + }; + sdk: { + input: ListAuditSuppressionsCommandInput; + output: ListAuditSuppressionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListAuditTasksCommand.ts b/clients/client-iot/src/commands/ListAuditTasksCommand.ts index 5212eecfbac9..2f5b4e9225a9 100644 --- a/clients/client-iot/src/commands/ListAuditTasksCommand.ts +++ b/clients/client-iot/src/commands/ListAuditTasksCommand.ts @@ -100,4 +100,16 @@ export class ListAuditTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListAuditTasksCommand) .de(de_ListAuditTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAuditTasksRequest; + output: ListAuditTasksResponse; + }; + sdk: { + input: ListAuditTasksCommandInput; + output: ListAuditTasksCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListAuthorizersCommand.ts b/clients/client-iot/src/commands/ListAuthorizersCommand.ts index c337c17df3de..799b1348667a 100644 --- a/clients/client-iot/src/commands/ListAuthorizersCommand.ts +++ b/clients/client-iot/src/commands/ListAuthorizersCommand.ts @@ -102,4 +102,16 @@ export class ListAuthorizersCommand extends $Command .f(void 0, void 0) .ser(se_ListAuthorizersCommand) .de(de_ListAuthorizersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAuthorizersRequest; + output: ListAuthorizersResponse; + }; + sdk: { + input: ListAuthorizersCommandInput; + output: ListAuthorizersCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListBillingGroupsCommand.ts b/clients/client-iot/src/commands/ListBillingGroupsCommand.ts index be7f81a1c50f..698967729e1c 100644 --- a/clients/client-iot/src/commands/ListBillingGroupsCommand.ts +++ b/clients/client-iot/src/commands/ListBillingGroupsCommand.ts @@ -98,4 +98,16 @@ export class ListBillingGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListBillingGroupsCommand) .de(de_ListBillingGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBillingGroupsRequest; + output: ListBillingGroupsResponse; + }; + sdk: { + input: ListBillingGroupsCommandInput; + output: ListBillingGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListCACertificatesCommand.ts b/clients/client-iot/src/commands/ListCACertificatesCommand.ts index 406a8c9258a9..0c3a6046c84b 100644 --- a/clients/client-iot/src/commands/ListCACertificatesCommand.ts +++ b/clients/client-iot/src/commands/ListCACertificatesCommand.ts @@ -106,4 +106,16 @@ export class ListCACertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCACertificatesCommand) .de(de_ListCACertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCACertificatesRequest; + output: ListCACertificatesResponse; + }; + sdk: { + input: ListCACertificatesCommandInput; + output: ListCACertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListCertificateProvidersCommand.ts b/clients/client-iot/src/commands/ListCertificateProvidersCommand.ts index 067a1d2af530..a1e7764eb3ec 100644 --- a/clients/client-iot/src/commands/ListCertificateProvidersCommand.ts +++ b/clients/client-iot/src/commands/ListCertificateProvidersCommand.ts @@ -101,4 +101,16 @@ export class ListCertificateProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListCertificateProvidersCommand) .de(de_ListCertificateProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCertificateProvidersRequest; + output: ListCertificateProvidersResponse; + }; + sdk: { + input: ListCertificateProvidersCommandInput; + output: ListCertificateProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListCertificatesByCACommand.ts b/clients/client-iot/src/commands/ListCertificatesByCACommand.ts index 4d7c676e5496..fc4bb8c5016c 100644 --- a/clients/client-iot/src/commands/ListCertificatesByCACommand.ts +++ b/clients/client-iot/src/commands/ListCertificatesByCACommand.ts @@ -105,4 +105,16 @@ export class ListCertificatesByCACommand extends $Command .f(void 0, void 0) .ser(se_ListCertificatesByCACommand) .de(de_ListCertificatesByCACommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCertificatesByCARequest; + output: ListCertificatesByCAResponse; + }; + sdk: { + input: ListCertificatesByCACommandInput; + output: ListCertificatesByCACommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListCertificatesCommand.ts b/clients/client-iot/src/commands/ListCertificatesCommand.ts index e7d6304961cb..0ad87459bd0c 100644 --- a/clients/client-iot/src/commands/ListCertificatesCommand.ts +++ b/clients/client-iot/src/commands/ListCertificatesCommand.ts @@ -106,4 +106,16 @@ export class ListCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCertificatesCommand) .de(de_ListCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCertificatesRequest; + output: ListCertificatesResponse; + }; + sdk: { + input: ListCertificatesCommandInput; + output: ListCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListCustomMetricsCommand.ts b/clients/client-iot/src/commands/ListCustomMetricsCommand.ts index 6c72b359f59e..989b839078f1 100644 --- a/clients/client-iot/src/commands/ListCustomMetricsCommand.ts +++ b/clients/client-iot/src/commands/ListCustomMetricsCommand.ts @@ -93,4 +93,16 @@ export class ListCustomMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomMetricsCommand) .de(de_ListCustomMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomMetricsRequest; + output: ListCustomMetricsResponse; + }; + sdk: { + input: ListCustomMetricsCommandInput; + output: ListCustomMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListDetectMitigationActionsExecutionsCommand.ts b/clients/client-iot/src/commands/ListDetectMitigationActionsExecutionsCommand.ts index c6be20d65061..690bdff5c6f9 100644 --- a/clients/client-iot/src/commands/ListDetectMitigationActionsExecutionsCommand.ts +++ b/clients/client-iot/src/commands/ListDetectMitigationActionsExecutionsCommand.ts @@ -117,4 +117,16 @@ export class ListDetectMitigationActionsExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDetectMitigationActionsExecutionsCommand) .de(de_ListDetectMitigationActionsExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDetectMitigationActionsExecutionsRequest; + output: ListDetectMitigationActionsExecutionsResponse; + }; + sdk: { + input: ListDetectMitigationActionsExecutionsCommandInput; + output: ListDetectMitigationActionsExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListDetectMitigationActionsTasksCommand.ts b/clients/client-iot/src/commands/ListDetectMitigationActionsTasksCommand.ts index 12988a77494e..3f1633468de0 100644 --- a/clients/client-iot/src/commands/ListDetectMitigationActionsTasksCommand.ts +++ b/clients/client-iot/src/commands/ListDetectMitigationActionsTasksCommand.ts @@ -154,4 +154,16 @@ export class ListDetectMitigationActionsTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListDetectMitigationActionsTasksCommand) .de(de_ListDetectMitigationActionsTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDetectMitigationActionsTasksRequest; + output: ListDetectMitigationActionsTasksResponse; + }; + sdk: { + input: ListDetectMitigationActionsTasksCommandInput; + output: ListDetectMitigationActionsTasksCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListDimensionsCommand.ts b/clients/client-iot/src/commands/ListDimensionsCommand.ts index 851078d9eb86..358418d9d3ab 100644 --- a/clients/client-iot/src/commands/ListDimensionsCommand.ts +++ b/clients/client-iot/src/commands/ListDimensionsCommand.ts @@ -91,4 +91,16 @@ export class ListDimensionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDimensionsCommand) .de(de_ListDimensionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDimensionsRequest; + output: ListDimensionsResponse; + }; + sdk: { + input: ListDimensionsCommandInput; + output: ListDimensionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListDomainConfigurationsCommand.ts b/clients/client-iot/src/commands/ListDomainConfigurationsCommand.ts index 37f15cd5de0d..37298345cb8c 100644 --- a/clients/client-iot/src/commands/ListDomainConfigurationsCommand.ts +++ b/clients/client-iot/src/commands/ListDomainConfigurationsCommand.ts @@ -103,4 +103,16 @@ export class ListDomainConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainConfigurationsCommand) .de(de_ListDomainConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainConfigurationsRequest; + output: ListDomainConfigurationsResponse; + }; + sdk: { + input: ListDomainConfigurationsCommandInput; + output: ListDomainConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListFleetMetricsCommand.ts b/clients/client-iot/src/commands/ListFleetMetricsCommand.ts index 394d52613ef6..578230896292 100644 --- a/clients/client-iot/src/commands/ListFleetMetricsCommand.ts +++ b/clients/client-iot/src/commands/ListFleetMetricsCommand.ts @@ -100,4 +100,16 @@ export class ListFleetMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetMetricsCommand) .de(de_ListFleetMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetMetricsRequest; + output: ListFleetMetricsResponse; + }; + sdk: { + input: ListFleetMetricsCommandInput; + output: ListFleetMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListIndicesCommand.ts b/clients/client-iot/src/commands/ListIndicesCommand.ts index 2f2f8d1c010a..cb8bfc8c17db 100644 --- a/clients/client-iot/src/commands/ListIndicesCommand.ts +++ b/clients/client-iot/src/commands/ListIndicesCommand.ts @@ -97,4 +97,16 @@ export class ListIndicesCommand extends $Command .f(void 0, void 0) .ser(se_ListIndicesCommand) .de(de_ListIndicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIndicesRequest; + output: ListIndicesResponse; + }; + sdk: { + input: ListIndicesCommandInput; + output: ListIndicesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListJobExecutionsForJobCommand.ts b/clients/client-iot/src/commands/ListJobExecutionsForJobCommand.ts index 3edd84c62517..60dd7e3ed2d9 100644 --- a/clients/client-iot/src/commands/ListJobExecutionsForJobCommand.ts +++ b/clients/client-iot/src/commands/ListJobExecutionsForJobCommand.ts @@ -106,4 +106,16 @@ export class ListJobExecutionsForJobCommand extends $Command .f(void 0, void 0) .ser(se_ListJobExecutionsForJobCommand) .de(de_ListJobExecutionsForJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobExecutionsForJobRequest; + output: ListJobExecutionsForJobResponse; + }; + sdk: { + input: ListJobExecutionsForJobCommandInput; + output: ListJobExecutionsForJobCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListJobExecutionsForThingCommand.ts b/clients/client-iot/src/commands/ListJobExecutionsForThingCommand.ts index ba98c6ba85a7..c9b8c94e6355 100644 --- a/clients/client-iot/src/commands/ListJobExecutionsForThingCommand.ts +++ b/clients/client-iot/src/commands/ListJobExecutionsForThingCommand.ts @@ -108,4 +108,16 @@ export class ListJobExecutionsForThingCommand extends $Command .f(void 0, void 0) .ser(se_ListJobExecutionsForThingCommand) .de(de_ListJobExecutionsForThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobExecutionsForThingRequest; + output: ListJobExecutionsForThingResponse; + }; + sdk: { + input: ListJobExecutionsForThingCommandInput; + output: ListJobExecutionsForThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListJobTemplatesCommand.ts b/clients/client-iot/src/commands/ListJobTemplatesCommand.ts index e120bf086bcc..f86d5c575e33 100644 --- a/clients/client-iot/src/commands/ListJobTemplatesCommand.ts +++ b/clients/client-iot/src/commands/ListJobTemplatesCommand.ts @@ -96,4 +96,16 @@ export class ListJobTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListJobTemplatesCommand) .de(de_ListJobTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobTemplatesRequest; + output: ListJobTemplatesResponse; + }; + sdk: { + input: ListJobTemplatesCommandInput; + output: ListJobTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListJobsCommand.ts b/clients/client-iot/src/commands/ListJobsCommand.ts index e2a8a28c9d6c..e244ef86aba9 100644 --- a/clients/client-iot/src/commands/ListJobsCommand.ts +++ b/clients/client-iot/src/commands/ListJobsCommand.ts @@ -109,4 +109,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResponse; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListManagedJobTemplatesCommand.ts b/clients/client-iot/src/commands/ListManagedJobTemplatesCommand.ts index 89b271aef849..02e0e900874b 100644 --- a/clients/client-iot/src/commands/ListManagedJobTemplatesCommand.ts +++ b/clients/client-iot/src/commands/ListManagedJobTemplatesCommand.ts @@ -103,4 +103,16 @@ export class ListManagedJobTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedJobTemplatesCommand) .de(de_ListManagedJobTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedJobTemplatesRequest; + output: ListManagedJobTemplatesResponse; + }; + sdk: { + input: ListManagedJobTemplatesCommandInput; + output: ListManagedJobTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListMetricValuesCommand.ts b/clients/client-iot/src/commands/ListMetricValuesCommand.ts index a58cfeca7008..6d605d074128 100644 --- a/clients/client-iot/src/commands/ListMetricValuesCommand.ts +++ b/clients/client-iot/src/commands/ListMetricValuesCommand.ts @@ -119,4 +119,16 @@ export class ListMetricValuesCommand extends $Command .f(void 0, void 0) .ser(se_ListMetricValuesCommand) .de(de_ListMetricValuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetricValuesRequest; + output: ListMetricValuesResponse; + }; + sdk: { + input: ListMetricValuesCommandInput; + output: ListMetricValuesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListMitigationActionsCommand.ts b/clients/client-iot/src/commands/ListMitigationActionsCommand.ts index efc199da6cbd..a01ebdbaef42 100644 --- a/clients/client-iot/src/commands/ListMitigationActionsCommand.ts +++ b/clients/client-iot/src/commands/ListMitigationActionsCommand.ts @@ -96,4 +96,16 @@ export class ListMitigationActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListMitigationActionsCommand) .de(de_ListMitigationActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMitigationActionsRequest; + output: ListMitigationActionsResponse; + }; + sdk: { + input: ListMitigationActionsCommandInput; + output: ListMitigationActionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts b/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts index 96047997e88e..af6ce33d880f 100644 --- a/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts +++ b/clients/client-iot/src/commands/ListOTAUpdatesCommand.ts @@ -102,4 +102,16 @@ export class ListOTAUpdatesCommand extends $Command .f(void 0, void 0) .ser(se_ListOTAUpdatesCommand) .de(de_ListOTAUpdatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOTAUpdatesRequest; + output: ListOTAUpdatesResponse; + }; + sdk: { + input: ListOTAUpdatesCommandInput; + output: ListOTAUpdatesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListOutgoingCertificatesCommand.ts b/clients/client-iot/src/commands/ListOutgoingCertificatesCommand.ts index 96d12a21565c..222e85bbc1ff 100644 --- a/clients/client-iot/src/commands/ListOutgoingCertificatesCommand.ts +++ b/clients/client-iot/src/commands/ListOutgoingCertificatesCommand.ts @@ -105,4 +105,16 @@ export class ListOutgoingCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListOutgoingCertificatesCommand) .de(de_ListOutgoingCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOutgoingCertificatesRequest; + output: ListOutgoingCertificatesResponse; + }; + sdk: { + input: ListOutgoingCertificatesCommandInput; + output: ListOutgoingCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListPackageVersionsCommand.ts b/clients/client-iot/src/commands/ListPackageVersionsCommand.ts index 4ce0f672aae2..4a61fe295eee 100644 --- a/clients/client-iot/src/commands/ListPackageVersionsCommand.ts +++ b/clients/client-iot/src/commands/ListPackageVersionsCommand.ts @@ -100,4 +100,16 @@ export class ListPackageVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPackageVersionsCommand) .de(de_ListPackageVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackageVersionsRequest; + output: ListPackageVersionsResponse; + }; + sdk: { + input: ListPackageVersionsCommandInput; + output: ListPackageVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListPackagesCommand.ts b/clients/client-iot/src/commands/ListPackagesCommand.ts index c7d4e9bcbbe9..933cc2f88b9e 100644 --- a/clients/client-iot/src/commands/ListPackagesCommand.ts +++ b/clients/client-iot/src/commands/ListPackagesCommand.ts @@ -97,4 +97,16 @@ export class ListPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListPackagesCommand) .de(de_ListPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackagesRequest; + output: ListPackagesResponse; + }; + sdk: { + input: ListPackagesCommandInput; + output: ListPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListPoliciesCommand.ts b/clients/client-iot/src/commands/ListPoliciesCommand.ts index 9b26b0c10162..abe2c826a12b 100644 --- a/clients/client-iot/src/commands/ListPoliciesCommand.ts +++ b/clients/client-iot/src/commands/ListPoliciesCommand.ts @@ -101,4 +101,16 @@ export class ListPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListPoliciesCommand) .de(de_ListPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoliciesRequest; + output: ListPoliciesResponse; + }; + sdk: { + input: ListPoliciesCommandInput; + output: ListPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListPolicyPrincipalsCommand.ts b/clients/client-iot/src/commands/ListPolicyPrincipalsCommand.ts index 5bb76d84a767..d823bc37438a 100644 --- a/clients/client-iot/src/commands/ListPolicyPrincipalsCommand.ts +++ b/clients/client-iot/src/commands/ListPolicyPrincipalsCommand.ts @@ -107,4 +107,16 @@ export class ListPolicyPrincipalsCommand extends $Command .f(void 0, void 0) .ser(se_ListPolicyPrincipalsCommand) .de(de_ListPolicyPrincipalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyPrincipalsRequest; + output: ListPolicyPrincipalsResponse; + }; + sdk: { + input: ListPolicyPrincipalsCommandInput; + output: ListPolicyPrincipalsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListPolicyVersionsCommand.ts b/clients/client-iot/src/commands/ListPolicyVersionsCommand.ts index 393d4c33501c..b97e4d514658 100644 --- a/clients/client-iot/src/commands/ListPolicyVersionsCommand.ts +++ b/clients/client-iot/src/commands/ListPolicyVersionsCommand.ts @@ -103,4 +103,16 @@ export class ListPolicyVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPolicyVersionsCommand) .de(de_ListPolicyVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyVersionsRequest; + output: ListPolicyVersionsResponse; + }; + sdk: { + input: ListPolicyVersionsCommandInput; + output: ListPolicyVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListPrincipalPoliciesCommand.ts b/clients/client-iot/src/commands/ListPrincipalPoliciesCommand.ts index c6f6c9da95c0..399e02243ecc 100644 --- a/clients/client-iot/src/commands/ListPrincipalPoliciesCommand.ts +++ b/clients/client-iot/src/commands/ListPrincipalPoliciesCommand.ts @@ -111,4 +111,16 @@ export class ListPrincipalPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListPrincipalPoliciesCommand) .de(de_ListPrincipalPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrincipalPoliciesRequest; + output: ListPrincipalPoliciesResponse; + }; + sdk: { + input: ListPrincipalPoliciesCommandInput; + output: ListPrincipalPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListPrincipalThingsCommand.ts b/clients/client-iot/src/commands/ListPrincipalThingsCommand.ts index ca24ffaf5cb3..17d753a4269a 100644 --- a/clients/client-iot/src/commands/ListPrincipalThingsCommand.ts +++ b/clients/client-iot/src/commands/ListPrincipalThingsCommand.ts @@ -103,4 +103,16 @@ export class ListPrincipalThingsCommand extends $Command .f(void 0, void 0) .ser(se_ListPrincipalThingsCommand) .de(de_ListPrincipalThingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrincipalThingsRequest; + output: ListPrincipalThingsResponse; + }; + sdk: { + input: ListPrincipalThingsCommandInput; + output: ListPrincipalThingsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListProvisioningTemplateVersionsCommand.ts b/clients/client-iot/src/commands/ListProvisioningTemplateVersionsCommand.ts index f2fc71e2cc53..4d13266f3b68 100644 --- a/clients/client-iot/src/commands/ListProvisioningTemplateVersionsCommand.ts +++ b/clients/client-iot/src/commands/ListProvisioningTemplateVersionsCommand.ts @@ -107,4 +107,16 @@ export class ListProvisioningTemplateVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisioningTemplateVersionsCommand) .de(de_ListProvisioningTemplateVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisioningTemplateVersionsRequest; + output: ListProvisioningTemplateVersionsResponse; + }; + sdk: { + input: ListProvisioningTemplateVersionsCommandInput; + output: ListProvisioningTemplateVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListProvisioningTemplatesCommand.ts b/clients/client-iot/src/commands/ListProvisioningTemplatesCommand.ts index 5d40731476c6..f8486ee57cc1 100644 --- a/clients/client-iot/src/commands/ListProvisioningTemplatesCommand.ts +++ b/clients/client-iot/src/commands/ListProvisioningTemplatesCommand.ts @@ -102,4 +102,16 @@ export class ListProvisioningTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisioningTemplatesCommand) .de(de_ListProvisioningTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisioningTemplatesRequest; + output: ListProvisioningTemplatesResponse; + }; + sdk: { + input: ListProvisioningTemplatesCommandInput; + output: ListProvisioningTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListRelatedResourcesForAuditFindingCommand.ts b/clients/client-iot/src/commands/ListRelatedResourcesForAuditFindingCommand.ts index ac6fd67a81cd..54fa3e926c52 100644 --- a/clients/client-iot/src/commands/ListRelatedResourcesForAuditFindingCommand.ts +++ b/clients/client-iot/src/commands/ListRelatedResourcesForAuditFindingCommand.ts @@ -162,4 +162,16 @@ export class ListRelatedResourcesForAuditFindingCommand extends $Command .f(void 0, void 0) .ser(se_ListRelatedResourcesForAuditFindingCommand) .de(de_ListRelatedResourcesForAuditFindingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRelatedResourcesForAuditFindingRequest; + output: ListRelatedResourcesForAuditFindingResponse; + }; + sdk: { + input: ListRelatedResourcesForAuditFindingCommandInput; + output: ListRelatedResourcesForAuditFindingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListRoleAliasesCommand.ts b/clients/client-iot/src/commands/ListRoleAliasesCommand.ts index 87c567dcfe5b..9522001bc015 100644 --- a/clients/client-iot/src/commands/ListRoleAliasesCommand.ts +++ b/clients/client-iot/src/commands/ListRoleAliasesCommand.ts @@ -98,4 +98,16 @@ export class ListRoleAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListRoleAliasesCommand) .de(de_ListRoleAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoleAliasesRequest; + output: ListRoleAliasesResponse; + }; + sdk: { + input: ListRoleAliasesCommandInput; + output: ListRoleAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts b/clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts index ea04150f6e8e..f45a832ba4df 100644 --- a/clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts +++ b/clients/client-iot/src/commands/ListSbomValidationResultsCommand.ts @@ -103,4 +103,16 @@ export class ListSbomValidationResultsCommand extends $Command .f(void 0, void 0) .ser(se_ListSbomValidationResultsCommand) .de(de_ListSbomValidationResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSbomValidationResultsRequest; + output: ListSbomValidationResultsResponse; + }; + sdk: { + input: ListSbomValidationResultsCommandInput; + output: ListSbomValidationResultsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListScheduledAuditsCommand.ts b/clients/client-iot/src/commands/ListScheduledAuditsCommand.ts index 72dbc34f569d..df19b39fb865 100644 --- a/clients/client-iot/src/commands/ListScheduledAuditsCommand.ts +++ b/clients/client-iot/src/commands/ListScheduledAuditsCommand.ts @@ -97,4 +97,16 @@ export class ListScheduledAuditsCommand extends $Command .f(void 0, void 0) .ser(se_ListScheduledAuditsCommand) .de(de_ListScheduledAuditsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScheduledAuditsRequest; + output: ListScheduledAuditsResponse; + }; + sdk: { + input: ListScheduledAuditsCommandInput; + output: ListScheduledAuditsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListSecurityProfilesCommand.ts b/clients/client-iot/src/commands/ListSecurityProfilesCommand.ts index a1175599dbb4..48bf23ab4fad 100644 --- a/clients/client-iot/src/commands/ListSecurityProfilesCommand.ts +++ b/clients/client-iot/src/commands/ListSecurityProfilesCommand.ts @@ -105,4 +105,16 @@ export class ListSecurityProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityProfilesCommand) .de(de_ListSecurityProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityProfilesRequest; + output: ListSecurityProfilesResponse; + }; + sdk: { + input: ListSecurityProfilesCommandInput; + output: ListSecurityProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListSecurityProfilesForTargetCommand.ts b/clients/client-iot/src/commands/ListSecurityProfilesForTargetCommand.ts index 34cb6ea26f9f..c17e7c891918 100644 --- a/clients/client-iot/src/commands/ListSecurityProfilesForTargetCommand.ts +++ b/clients/client-iot/src/commands/ListSecurityProfilesForTargetCommand.ts @@ -109,4 +109,16 @@ export class ListSecurityProfilesForTargetCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityProfilesForTargetCommand) .de(de_ListSecurityProfilesForTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityProfilesForTargetRequest; + output: ListSecurityProfilesForTargetResponse; + }; + sdk: { + input: ListSecurityProfilesForTargetCommandInput; + output: ListSecurityProfilesForTargetCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListStreamsCommand.ts b/clients/client-iot/src/commands/ListStreamsCommand.ts index 2c35af3ec2c7..788aa7d45eb8 100644 --- a/clients/client-iot/src/commands/ListStreamsCommand.ts +++ b/clients/client-iot/src/commands/ListStreamsCommand.ts @@ -103,4 +103,16 @@ export class ListStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamsCommand) .de(de_ListStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamsRequest; + output: ListStreamsResponse; + }; + sdk: { + input: ListStreamsCommandInput; + output: ListStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListTagsForResourceCommand.ts b/clients/client-iot/src/commands/ListTagsForResourceCommand.ts index ff25a47f64cc..ac0fd585e922 100644 --- a/clients/client-iot/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iot/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListTargetsForPolicyCommand.ts b/clients/client-iot/src/commands/ListTargetsForPolicyCommand.ts index d73811720afa..1eedf955aee5 100644 --- a/clients/client-iot/src/commands/ListTargetsForPolicyCommand.ts +++ b/clients/client-iot/src/commands/ListTargetsForPolicyCommand.ts @@ -104,4 +104,16 @@ export class ListTargetsForPolicyCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetsForPolicyCommand) .de(de_ListTargetsForPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetsForPolicyRequest; + output: ListTargetsForPolicyResponse; + }; + sdk: { + input: ListTargetsForPolicyCommandInput; + output: ListTargetsForPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListTargetsForSecurityProfileCommand.ts b/clients/client-iot/src/commands/ListTargetsForSecurityProfileCommand.ts index cb403d9fbbb0..cb0dd525a847 100644 --- a/clients/client-iot/src/commands/ListTargetsForSecurityProfileCommand.ts +++ b/clients/client-iot/src/commands/ListTargetsForSecurityProfileCommand.ts @@ -102,4 +102,16 @@ export class ListTargetsForSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetsForSecurityProfileCommand) .de(de_ListTargetsForSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetsForSecurityProfileRequest; + output: ListTargetsForSecurityProfileResponse; + }; + sdk: { + input: ListTargetsForSecurityProfileCommandInput; + output: ListTargetsForSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingGroupsCommand.ts b/clients/client-iot/src/commands/ListThingGroupsCommand.ts index 0a5e7cdee03a..865b004f878a 100644 --- a/clients/client-iot/src/commands/ListThingGroupsCommand.ts +++ b/clients/client-iot/src/commands/ListThingGroupsCommand.ts @@ -100,4 +100,16 @@ export class ListThingGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListThingGroupsCommand) .de(de_ListThingGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingGroupsRequest; + output: ListThingGroupsResponse; + }; + sdk: { + input: ListThingGroupsCommandInput; + output: ListThingGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingGroupsForThingCommand.ts b/clients/client-iot/src/commands/ListThingGroupsForThingCommand.ts index 9a0ef205d111..ecf890b70f64 100644 --- a/clients/client-iot/src/commands/ListThingGroupsForThingCommand.ts +++ b/clients/client-iot/src/commands/ListThingGroupsForThingCommand.ts @@ -98,4 +98,16 @@ export class ListThingGroupsForThingCommand extends $Command .f(void 0, void 0) .ser(se_ListThingGroupsForThingCommand) .de(de_ListThingGroupsForThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingGroupsForThingRequest; + output: ListThingGroupsForThingResponse; + }; + sdk: { + input: ListThingGroupsForThingCommandInput; + output: ListThingGroupsForThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingPrincipalsCommand.ts b/clients/client-iot/src/commands/ListThingPrincipalsCommand.ts index 264fa37b7907..c766f5a8b601 100644 --- a/clients/client-iot/src/commands/ListThingPrincipalsCommand.ts +++ b/clients/client-iot/src/commands/ListThingPrincipalsCommand.ts @@ -103,4 +103,16 @@ export class ListThingPrincipalsCommand extends $Command .f(void 0, void 0) .ser(se_ListThingPrincipalsCommand) .de(de_ListThingPrincipalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingPrincipalsRequest; + output: ListThingPrincipalsResponse; + }; + sdk: { + input: ListThingPrincipalsCommandInput; + output: ListThingPrincipalsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingRegistrationTaskReportsCommand.ts b/clients/client-iot/src/commands/ListThingRegistrationTaskReportsCommand.ts index 10c9bbc39ba9..15069e2da424 100644 --- a/clients/client-iot/src/commands/ListThingRegistrationTaskReportsCommand.ts +++ b/clients/client-iot/src/commands/ListThingRegistrationTaskReportsCommand.ts @@ -101,4 +101,16 @@ export class ListThingRegistrationTaskReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListThingRegistrationTaskReportsCommand) .de(de_ListThingRegistrationTaskReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingRegistrationTaskReportsRequest; + output: ListThingRegistrationTaskReportsResponse; + }; + sdk: { + input: ListThingRegistrationTaskReportsCommandInput; + output: ListThingRegistrationTaskReportsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingRegistrationTasksCommand.ts b/clients/client-iot/src/commands/ListThingRegistrationTasksCommand.ts index 592326c523d3..44776ef677e9 100644 --- a/clients/client-iot/src/commands/ListThingRegistrationTasksCommand.ts +++ b/clients/client-iot/src/commands/ListThingRegistrationTasksCommand.ts @@ -95,4 +95,16 @@ export class ListThingRegistrationTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListThingRegistrationTasksCommand) .de(de_ListThingRegistrationTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingRegistrationTasksRequest; + output: ListThingRegistrationTasksResponse; + }; + sdk: { + input: ListThingRegistrationTasksCommandInput; + output: ListThingRegistrationTasksCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingTypesCommand.ts b/clients/client-iot/src/commands/ListThingTypesCommand.ts index 81423d4de256..25c994e2415d 100644 --- a/clients/client-iot/src/commands/ListThingTypesCommand.ts +++ b/clients/client-iot/src/commands/ListThingTypesCommand.ts @@ -112,4 +112,16 @@ export class ListThingTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListThingTypesCommand) .de(de_ListThingTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingTypesRequest; + output: ListThingTypesResponse; + }; + sdk: { + input: ListThingTypesCommandInput; + output: ListThingTypesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingsCommand.ts b/clients/client-iot/src/commands/ListThingsCommand.ts index 0a3d16533eaf..8cce2b23a511 100644 --- a/clients/client-iot/src/commands/ListThingsCommand.ts +++ b/clients/client-iot/src/commands/ListThingsCommand.ts @@ -116,4 +116,16 @@ export class ListThingsCommand extends $Command .f(void 0, void 0) .ser(se_ListThingsCommand) .de(de_ListThingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingsRequest; + output: ListThingsResponse; + }; + sdk: { + input: ListThingsCommandInput; + output: ListThingsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingsInBillingGroupCommand.ts b/clients/client-iot/src/commands/ListThingsInBillingGroupCommand.ts index d790b0fd0319..44aa31e63041 100644 --- a/clients/client-iot/src/commands/ListThingsInBillingGroupCommand.ts +++ b/clients/client-iot/src/commands/ListThingsInBillingGroupCommand.ts @@ -95,4 +95,16 @@ export class ListThingsInBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListThingsInBillingGroupCommand) .de(de_ListThingsInBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingsInBillingGroupRequest; + output: ListThingsInBillingGroupResponse; + }; + sdk: { + input: ListThingsInBillingGroupCommandInput; + output: ListThingsInBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListThingsInThingGroupCommand.ts b/clients/client-iot/src/commands/ListThingsInThingGroupCommand.ts index 2cdbc59b4f55..7a53e5828297 100644 --- a/clients/client-iot/src/commands/ListThingsInThingGroupCommand.ts +++ b/clients/client-iot/src/commands/ListThingsInThingGroupCommand.ts @@ -96,4 +96,16 @@ export class ListThingsInThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListThingsInThingGroupCommand) .de(de_ListThingsInThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThingsInThingGroupRequest; + output: ListThingsInThingGroupResponse; + }; + sdk: { + input: ListThingsInThingGroupCommandInput; + output: ListThingsInThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListTopicRuleDestinationsCommand.ts b/clients/client-iot/src/commands/ListTopicRuleDestinationsCommand.ts index 39624115e031..519ebb17de17 100644 --- a/clients/client-iot/src/commands/ListTopicRuleDestinationsCommand.ts +++ b/clients/client-iot/src/commands/ListTopicRuleDestinationsCommand.ts @@ -113,4 +113,16 @@ export class ListTopicRuleDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListTopicRuleDestinationsCommand) .de(de_ListTopicRuleDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTopicRuleDestinationsRequest; + output: ListTopicRuleDestinationsResponse; + }; + sdk: { + input: ListTopicRuleDestinationsCommandInput; + output: ListTopicRuleDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListTopicRulesCommand.ts b/clients/client-iot/src/commands/ListTopicRulesCommand.ts index ea4418651695..28c2e7a3c690 100644 --- a/clients/client-iot/src/commands/ListTopicRulesCommand.ts +++ b/clients/client-iot/src/commands/ListTopicRulesCommand.ts @@ -99,4 +99,16 @@ export class ListTopicRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListTopicRulesCommand) .de(de_ListTopicRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTopicRulesRequest; + output: ListTopicRulesResponse; + }; + sdk: { + input: ListTopicRulesCommandInput; + output: ListTopicRulesCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListV2LoggingLevelsCommand.ts b/clients/client-iot/src/commands/ListV2LoggingLevelsCommand.ts index 292c4d3e9784..1d4707b8d493 100644 --- a/clients/client-iot/src/commands/ListV2LoggingLevelsCommand.ts +++ b/clients/client-iot/src/commands/ListV2LoggingLevelsCommand.ts @@ -101,4 +101,16 @@ export class ListV2LoggingLevelsCommand extends $Command .f(void 0, void 0) .ser(se_ListV2LoggingLevelsCommand) .de(de_ListV2LoggingLevelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListV2LoggingLevelsRequest; + output: ListV2LoggingLevelsResponse; + }; + sdk: { + input: ListV2LoggingLevelsCommandInput; + output: ListV2LoggingLevelsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ListViolationEventsCommand.ts b/clients/client-iot/src/commands/ListViolationEventsCommand.ts index db9fcfd539ee..5c1b80493fda 100644 --- a/clients/client-iot/src/commands/ListViolationEventsCommand.ts +++ b/clients/client-iot/src/commands/ListViolationEventsCommand.ts @@ -165,4 +165,16 @@ export class ListViolationEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListViolationEventsCommand) .de(de_ListViolationEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListViolationEventsRequest; + output: ListViolationEventsResponse; + }; + sdk: { + input: ListViolationEventsCommandInput; + output: ListViolationEventsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/PutVerificationStateOnViolationCommand.ts b/clients/client-iot/src/commands/PutVerificationStateOnViolationCommand.ts index 3e8e367cafd7..1ba0d346845a 100644 --- a/clients/client-iot/src/commands/PutVerificationStateOnViolationCommand.ts +++ b/clients/client-iot/src/commands/PutVerificationStateOnViolationCommand.ts @@ -91,4 +91,16 @@ export class PutVerificationStateOnViolationCommand extends $Command .f(void 0, void 0) .ser(se_PutVerificationStateOnViolationCommand) .de(de_PutVerificationStateOnViolationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutVerificationStateOnViolationRequest; + output: {}; + }; + sdk: { + input: PutVerificationStateOnViolationCommandInput; + output: PutVerificationStateOnViolationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/RegisterCACertificateCommand.ts b/clients/client-iot/src/commands/RegisterCACertificateCommand.ts index f587ac423d1d..14936da13040 100644 --- a/clients/client-iot/src/commands/RegisterCACertificateCommand.ts +++ b/clients/client-iot/src/commands/RegisterCACertificateCommand.ts @@ -126,4 +126,16 @@ export class RegisterCACertificateCommand extends $Command .f(void 0, void 0) .ser(se_RegisterCACertificateCommand) .de(de_RegisterCACertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterCACertificateRequest; + output: RegisterCACertificateResponse; + }; + sdk: { + input: RegisterCACertificateCommandInput; + output: RegisterCACertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/RegisterCertificateCommand.ts b/clients/client-iot/src/commands/RegisterCertificateCommand.ts index aebccb576e9c..4b40578e9b8d 100644 --- a/clients/client-iot/src/commands/RegisterCertificateCommand.ts +++ b/clients/client-iot/src/commands/RegisterCertificateCommand.ts @@ -113,4 +113,16 @@ export class RegisterCertificateCommand extends $Command .f(void 0, void 0) .ser(se_RegisterCertificateCommand) .de(de_RegisterCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterCertificateRequest; + output: RegisterCertificateResponse; + }; + sdk: { + input: RegisterCertificateCommandInput; + output: RegisterCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/RegisterCertificateWithoutCACommand.ts b/clients/client-iot/src/commands/RegisterCertificateWithoutCACommand.ts index 02b446869166..e876c0104815 100644 --- a/clients/client-iot/src/commands/RegisterCertificateWithoutCACommand.ts +++ b/clients/client-iot/src/commands/RegisterCertificateWithoutCACommand.ts @@ -111,4 +111,16 @@ export class RegisterCertificateWithoutCACommand extends $Command .f(void 0, void 0) .ser(se_RegisterCertificateWithoutCACommand) .de(de_RegisterCertificateWithoutCACommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterCertificateWithoutCARequest; + output: RegisterCertificateWithoutCAResponse; + }; + sdk: { + input: RegisterCertificateWithoutCACommandInput; + output: RegisterCertificateWithoutCACommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/RegisterThingCommand.ts b/clients/client-iot/src/commands/RegisterThingCommand.ts index d64027e5bec6..1f09195c2682 100644 --- a/clients/client-iot/src/commands/RegisterThingCommand.ts +++ b/clients/client-iot/src/commands/RegisterThingCommand.ts @@ -109,4 +109,16 @@ export class RegisterThingCommand extends $Command .f(void 0, void 0) .ser(se_RegisterThingCommand) .de(de_RegisterThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterThingRequest; + output: RegisterThingResponse; + }; + sdk: { + input: RegisterThingCommandInput; + output: RegisterThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/RejectCertificateTransferCommand.ts b/clients/client-iot/src/commands/RejectCertificateTransferCommand.ts index f2ceee8bcef9..752c20619950 100644 --- a/clients/client-iot/src/commands/RejectCertificateTransferCommand.ts +++ b/clients/client-iot/src/commands/RejectCertificateTransferCommand.ts @@ -105,4 +105,16 @@ export class RejectCertificateTransferCommand extends $Command .f(void 0, void 0) .ser(se_RejectCertificateTransferCommand) .de(de_RejectCertificateTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectCertificateTransferRequest; + output: {}; + }; + sdk: { + input: RejectCertificateTransferCommandInput; + output: RejectCertificateTransferCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/RemoveThingFromBillingGroupCommand.ts b/clients/client-iot/src/commands/RemoveThingFromBillingGroupCommand.ts index 99d34823056b..d590535c47ac 100644 --- a/clients/client-iot/src/commands/RemoveThingFromBillingGroupCommand.ts +++ b/clients/client-iot/src/commands/RemoveThingFromBillingGroupCommand.ts @@ -99,4 +99,16 @@ export class RemoveThingFromBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_RemoveThingFromBillingGroupCommand) .de(de_RemoveThingFromBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveThingFromBillingGroupRequest; + output: {}; + }; + sdk: { + input: RemoveThingFromBillingGroupCommandInput; + output: RemoveThingFromBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/RemoveThingFromThingGroupCommand.ts b/clients/client-iot/src/commands/RemoveThingFromThingGroupCommand.ts index 621fa4936f83..e06d4b74f0b7 100644 --- a/clients/client-iot/src/commands/RemoveThingFromThingGroupCommand.ts +++ b/clients/client-iot/src/commands/RemoveThingFromThingGroupCommand.ts @@ -96,4 +96,16 @@ export class RemoveThingFromThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_RemoveThingFromThingGroupCommand) .de(de_RemoveThingFromThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveThingFromThingGroupRequest; + output: {}; + }; + sdk: { + input: RemoveThingFromThingGroupCommandInput; + output: RemoveThingFromThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ReplaceTopicRuleCommand.ts b/clients/client-iot/src/commands/ReplaceTopicRuleCommand.ts index 87157c735116..ffdb39ecdadd 100644 --- a/clients/client-iot/src/commands/ReplaceTopicRuleCommand.ts +++ b/clients/client-iot/src/commands/ReplaceTopicRuleCommand.ts @@ -517,4 +517,16 @@ export class ReplaceTopicRuleCommand extends $Command .f(void 0, void 0) .ser(se_ReplaceTopicRuleCommand) .de(de_ReplaceTopicRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplaceTopicRuleRequest; + output: {}; + }; + sdk: { + input: ReplaceTopicRuleCommandInput; + output: ReplaceTopicRuleCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/SearchIndexCommand.ts b/clients/client-iot/src/commands/SearchIndexCommand.ts index 0791e27b5362..b1678e4037e5 100644 --- a/clients/client-iot/src/commands/SearchIndexCommand.ts +++ b/clients/client-iot/src/commands/SearchIndexCommand.ts @@ -139,4 +139,16 @@ export class SearchIndexCommand extends $Command .f(void 0, void 0) .ser(se_SearchIndexCommand) .de(de_SearchIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchIndexRequest; + output: SearchIndexResponse; + }; + sdk: { + input: SearchIndexCommandInput; + output: SearchIndexCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/SetDefaultAuthorizerCommand.ts b/clients/client-iot/src/commands/SetDefaultAuthorizerCommand.ts index 99a9a0e59866..e74c8f2383eb 100644 --- a/clients/client-iot/src/commands/SetDefaultAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/SetDefaultAuthorizerCommand.ts @@ -101,4 +101,16 @@ export class SetDefaultAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_SetDefaultAuthorizerCommand) .de(de_SetDefaultAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDefaultAuthorizerRequest; + output: SetDefaultAuthorizerResponse; + }; + sdk: { + input: SetDefaultAuthorizerCommandInput; + output: SetDefaultAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/SetDefaultPolicyVersionCommand.ts b/clients/client-iot/src/commands/SetDefaultPolicyVersionCommand.ts index d1f4c727c64c..efa8015ba68e 100644 --- a/clients/client-iot/src/commands/SetDefaultPolicyVersionCommand.ts +++ b/clients/client-iot/src/commands/SetDefaultPolicyVersionCommand.ts @@ -98,4 +98,16 @@ export class SetDefaultPolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_SetDefaultPolicyVersionCommand) .de(de_SetDefaultPolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDefaultPolicyVersionRequest; + output: {}; + }; + sdk: { + input: SetDefaultPolicyVersionCommandInput; + output: SetDefaultPolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/SetLoggingOptionsCommand.ts b/clients/client-iot/src/commands/SetLoggingOptionsCommand.ts index 9033f8bd3286..a6b42bc397a3 100644 --- a/clients/client-iot/src/commands/SetLoggingOptionsCommand.ts +++ b/clients/client-iot/src/commands/SetLoggingOptionsCommand.ts @@ -90,4 +90,16 @@ export class SetLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_SetLoggingOptionsCommand) .de(de_SetLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetLoggingOptionsRequest; + output: {}; + }; + sdk: { + input: SetLoggingOptionsCommandInput; + output: SetLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/SetV2LoggingLevelCommand.ts b/clients/client-iot/src/commands/SetV2LoggingLevelCommand.ts index dfecf3023ffb..f7819b75abf5 100644 --- a/clients/client-iot/src/commands/SetV2LoggingLevelCommand.ts +++ b/clients/client-iot/src/commands/SetV2LoggingLevelCommand.ts @@ -95,4 +95,16 @@ export class SetV2LoggingLevelCommand extends $Command .f(void 0, void 0) .ser(se_SetV2LoggingLevelCommand) .de(de_SetV2LoggingLevelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetV2LoggingLevelRequest; + output: {}; + }; + sdk: { + input: SetV2LoggingLevelCommandInput; + output: SetV2LoggingLevelCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/SetV2LoggingOptionsCommand.ts b/clients/client-iot/src/commands/SetV2LoggingOptionsCommand.ts index 392e077042f2..26b766cf8e77 100644 --- a/clients/client-iot/src/commands/SetV2LoggingOptionsCommand.ts +++ b/clients/client-iot/src/commands/SetV2LoggingOptionsCommand.ts @@ -87,4 +87,16 @@ export class SetV2LoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_SetV2LoggingOptionsCommand) .de(de_SetV2LoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetV2LoggingOptionsRequest; + output: {}; + }; + sdk: { + input: SetV2LoggingOptionsCommandInput; + output: SetV2LoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/StartAuditMitigationActionsTaskCommand.ts b/clients/client-iot/src/commands/StartAuditMitigationActionsTaskCommand.ts index def99211686b..7ff011ddf12c 100644 --- a/clients/client-iot/src/commands/StartAuditMitigationActionsTaskCommand.ts +++ b/clients/client-iot/src/commands/StartAuditMitigationActionsTaskCommand.ts @@ -117,4 +117,16 @@ export class StartAuditMitigationActionsTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartAuditMitigationActionsTaskCommand) .de(de_StartAuditMitigationActionsTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAuditMitigationActionsTaskRequest; + output: StartAuditMitigationActionsTaskResponse; + }; + sdk: { + input: StartAuditMitigationActionsTaskCommandInput; + output: StartAuditMitigationActionsTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/StartDetectMitigationActionsTaskCommand.ts b/clients/client-iot/src/commands/StartDetectMitigationActionsTaskCommand.ts index f9b1f38a931a..7954c613313f 100644 --- a/clients/client-iot/src/commands/StartDetectMitigationActionsTaskCommand.ts +++ b/clients/client-iot/src/commands/StartDetectMitigationActionsTaskCommand.ts @@ -119,4 +119,16 @@ export class StartDetectMitigationActionsTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartDetectMitigationActionsTaskCommand) .de(de_StartDetectMitigationActionsTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDetectMitigationActionsTaskRequest; + output: StartDetectMitigationActionsTaskResponse; + }; + sdk: { + input: StartDetectMitigationActionsTaskCommandInput; + output: StartDetectMitigationActionsTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/StartOnDemandAuditTaskCommand.ts b/clients/client-iot/src/commands/StartOnDemandAuditTaskCommand.ts index bc8df2b34cde..613efc754088 100644 --- a/clients/client-iot/src/commands/StartOnDemandAuditTaskCommand.ts +++ b/clients/client-iot/src/commands/StartOnDemandAuditTaskCommand.ts @@ -92,4 +92,16 @@ export class StartOnDemandAuditTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartOnDemandAuditTaskCommand) .de(de_StartOnDemandAuditTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartOnDemandAuditTaskRequest; + output: StartOnDemandAuditTaskResponse; + }; + sdk: { + input: StartOnDemandAuditTaskCommandInput; + output: StartOnDemandAuditTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/StartThingRegistrationTaskCommand.ts b/clients/client-iot/src/commands/StartThingRegistrationTaskCommand.ts index 895ffd3475fd..d25e1539cfda 100644 --- a/clients/client-iot/src/commands/StartThingRegistrationTaskCommand.ts +++ b/clients/client-iot/src/commands/StartThingRegistrationTaskCommand.ts @@ -93,4 +93,16 @@ export class StartThingRegistrationTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartThingRegistrationTaskCommand) .de(de_StartThingRegistrationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartThingRegistrationTaskRequest; + output: StartThingRegistrationTaskResponse; + }; + sdk: { + input: StartThingRegistrationTaskCommandInput; + output: StartThingRegistrationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/StopThingRegistrationTaskCommand.ts b/clients/client-iot/src/commands/StopThingRegistrationTaskCommand.ts index 947f42644e6f..ce54f32827d7 100644 --- a/clients/client-iot/src/commands/StopThingRegistrationTaskCommand.ts +++ b/clients/client-iot/src/commands/StopThingRegistrationTaskCommand.ts @@ -91,4 +91,16 @@ export class StopThingRegistrationTaskCommand extends $Command .f(void 0, void 0) .ser(se_StopThingRegistrationTaskCommand) .de(de_StopThingRegistrationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopThingRegistrationTaskRequest; + output: {}; + }; + sdk: { + input: StopThingRegistrationTaskCommandInput; + output: StopThingRegistrationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/TagResourceCommand.ts b/clients/client-iot/src/commands/TagResourceCommand.ts index 3f1949b6ef68..ae8d875cc8b3 100644 --- a/clients/client-iot/src/commands/TagResourceCommand.ts +++ b/clients/client-iot/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/TestAuthorizationCommand.ts b/clients/client-iot/src/commands/TestAuthorizationCommand.ts index 9109cccaadf8..bf03350ad4a7 100644 --- a/clients/client-iot/src/commands/TestAuthorizationCommand.ts +++ b/clients/client-iot/src/commands/TestAuthorizationCommand.ts @@ -156,4 +156,16 @@ export class TestAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_TestAuthorizationCommand) .de(de_TestAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestAuthorizationRequest; + output: TestAuthorizationResponse; + }; + sdk: { + input: TestAuthorizationCommandInput; + output: TestAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/TestInvokeAuthorizerCommand.ts b/clients/client-iot/src/commands/TestInvokeAuthorizerCommand.ts index dc3a83a7463c..4b2d3a7cd89e 100644 --- a/clients/client-iot/src/commands/TestInvokeAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/TestInvokeAuthorizerCommand.ts @@ -123,4 +123,16 @@ export class TestInvokeAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_TestInvokeAuthorizerCommand) .de(de_TestInvokeAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestInvokeAuthorizerRequest; + output: TestInvokeAuthorizerResponse; + }; + sdk: { + input: TestInvokeAuthorizerCommandInput; + output: TestInvokeAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/TransferCertificateCommand.ts b/clients/client-iot/src/commands/TransferCertificateCommand.ts index 71b5a4949390..36420cc8d3ee 100644 --- a/clients/client-iot/src/commands/TransferCertificateCommand.ts +++ b/clients/client-iot/src/commands/TransferCertificateCommand.ts @@ -112,4 +112,16 @@ export class TransferCertificateCommand extends $Command .f(void 0, void 0) .ser(se_TransferCertificateCommand) .de(de_TransferCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TransferCertificateRequest; + output: TransferCertificateResponse; + }; + sdk: { + input: TransferCertificateCommandInput; + output: TransferCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UntagResourceCommand.ts b/clients/client-iot/src/commands/UntagResourceCommand.ts index 74ecd8a841b7..ad24932e6833 100644 --- a/clients/client-iot/src/commands/UntagResourceCommand.ts +++ b/clients/client-iot/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateAccountAuditConfigurationCommand.ts b/clients/client-iot/src/commands/UpdateAccountAuditConfigurationCommand.ts index 779b571c1911..bbc6a39f4c7d 100644 --- a/clients/client-iot/src/commands/UpdateAccountAuditConfigurationCommand.ts +++ b/clients/client-iot/src/commands/UpdateAccountAuditConfigurationCommand.ts @@ -104,4 +104,16 @@ export class UpdateAccountAuditConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountAuditConfigurationCommand) .de(de_UpdateAccountAuditConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountAuditConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateAccountAuditConfigurationCommandInput; + output: UpdateAccountAuditConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateAuditSuppressionCommand.ts b/clients/client-iot/src/commands/UpdateAuditSuppressionCommand.ts index ff0546d3eb3c..11cc61000383 100644 --- a/clients/client-iot/src/commands/UpdateAuditSuppressionCommand.ts +++ b/clients/client-iot/src/commands/UpdateAuditSuppressionCommand.ts @@ -111,4 +111,16 @@ export class UpdateAuditSuppressionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAuditSuppressionCommand) .de(de_UpdateAuditSuppressionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAuditSuppressionRequest; + output: {}; + }; + sdk: { + input: UpdateAuditSuppressionCommandInput; + output: UpdateAuditSuppressionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateAuthorizerCommand.ts b/clients/client-iot/src/commands/UpdateAuthorizerCommand.ts index dcacbde3de4c..e2b0c80912d7 100644 --- a/clients/client-iot/src/commands/UpdateAuthorizerCommand.ts +++ b/clients/client-iot/src/commands/UpdateAuthorizerCommand.ts @@ -107,4 +107,16 @@ export class UpdateAuthorizerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAuthorizerCommand) .de(de_UpdateAuthorizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAuthorizerRequest; + output: UpdateAuthorizerResponse; + }; + sdk: { + input: UpdateAuthorizerCommandInput; + output: UpdateAuthorizerCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateBillingGroupCommand.ts b/clients/client-iot/src/commands/UpdateBillingGroupCommand.ts index d34a77dd56f8..7e280f0baf24 100644 --- a/clients/client-iot/src/commands/UpdateBillingGroupCommand.ts +++ b/clients/client-iot/src/commands/UpdateBillingGroupCommand.ts @@ -99,4 +99,16 @@ export class UpdateBillingGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBillingGroupCommand) .de(de_UpdateBillingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBillingGroupRequest; + output: UpdateBillingGroupResponse; + }; + sdk: { + input: UpdateBillingGroupCommandInput; + output: UpdateBillingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateCACertificateCommand.ts b/clients/client-iot/src/commands/UpdateCACertificateCommand.ts index da2b2cd6edd6..31f883c2215d 100644 --- a/clients/client-iot/src/commands/UpdateCACertificateCommand.ts +++ b/clients/client-iot/src/commands/UpdateCACertificateCommand.ts @@ -102,4 +102,16 @@ export class UpdateCACertificateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCACertificateCommand) .de(de_UpdateCACertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCACertificateRequest; + output: {}; + }; + sdk: { + input: UpdateCACertificateCommandInput; + output: UpdateCACertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateCertificateCommand.ts b/clients/client-iot/src/commands/UpdateCertificateCommand.ts index 6abfc69b2727..b13114990894 100644 --- a/clients/client-iot/src/commands/UpdateCertificateCommand.ts +++ b/clients/client-iot/src/commands/UpdateCertificateCommand.ts @@ -104,4 +104,16 @@ export class UpdateCertificateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCertificateCommand) .de(de_UpdateCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCertificateRequest; + output: {}; + }; + sdk: { + input: UpdateCertificateCommandInput; + output: UpdateCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateCertificateProviderCommand.ts b/clients/client-iot/src/commands/UpdateCertificateProviderCommand.ts index f3166b6f2de4..dda6f7975f2b 100644 --- a/clients/client-iot/src/commands/UpdateCertificateProviderCommand.ts +++ b/clients/client-iot/src/commands/UpdateCertificateProviderCommand.ts @@ -102,4 +102,16 @@ export class UpdateCertificateProviderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCertificateProviderCommand) .de(de_UpdateCertificateProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCertificateProviderRequest; + output: UpdateCertificateProviderResponse; + }; + sdk: { + input: UpdateCertificateProviderCommandInput; + output: UpdateCertificateProviderCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateCustomMetricCommand.ts b/clients/client-iot/src/commands/UpdateCustomMetricCommand.ts index 09a7de2ea7a6..70e82d6dbaa0 100644 --- a/clients/client-iot/src/commands/UpdateCustomMetricCommand.ts +++ b/clients/client-iot/src/commands/UpdateCustomMetricCommand.ts @@ -97,4 +97,16 @@ export class UpdateCustomMetricCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCustomMetricCommand) .de(de_UpdateCustomMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomMetricRequest; + output: UpdateCustomMetricResponse; + }; + sdk: { + input: UpdateCustomMetricCommandInput; + output: UpdateCustomMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateDimensionCommand.ts b/clients/client-iot/src/commands/UpdateDimensionCommand.ts index e5e6f00dd103..45a4ccb06054 100644 --- a/clients/client-iot/src/commands/UpdateDimensionCommand.ts +++ b/clients/client-iot/src/commands/UpdateDimensionCommand.ts @@ -105,4 +105,16 @@ export class UpdateDimensionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDimensionCommand) .de(de_UpdateDimensionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDimensionRequest; + output: UpdateDimensionResponse; + }; + sdk: { + input: UpdateDimensionCommandInput; + output: UpdateDimensionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateDomainConfigurationCommand.ts b/clients/client-iot/src/commands/UpdateDomainConfigurationCommand.ts index 7c645d6317da..3724af07aee0 100644 --- a/clients/client-iot/src/commands/UpdateDomainConfigurationCommand.ts +++ b/clients/client-iot/src/commands/UpdateDomainConfigurationCommand.ts @@ -113,4 +113,16 @@ export class UpdateDomainConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainConfigurationCommand) .de(de_UpdateDomainConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainConfigurationRequest; + output: UpdateDomainConfigurationResponse; + }; + sdk: { + input: UpdateDomainConfigurationCommandInput; + output: UpdateDomainConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateDynamicThingGroupCommand.ts b/clients/client-iot/src/commands/UpdateDynamicThingGroupCommand.ts index 93d1e68e3a65..b72f72535d22 100644 --- a/clients/client-iot/src/commands/UpdateDynamicThingGroupCommand.ts +++ b/clients/client-iot/src/commands/UpdateDynamicThingGroupCommand.ts @@ -111,4 +111,16 @@ export class UpdateDynamicThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDynamicThingGroupCommand) .de(de_UpdateDynamicThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDynamicThingGroupRequest; + output: UpdateDynamicThingGroupResponse; + }; + sdk: { + input: UpdateDynamicThingGroupCommandInput; + output: UpdateDynamicThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateEventConfigurationsCommand.ts b/clients/client-iot/src/commands/UpdateEventConfigurationsCommand.ts index f852ab0ba9fa..ea0a42eac653 100644 --- a/clients/client-iot/src/commands/UpdateEventConfigurationsCommand.ts +++ b/clients/client-iot/src/commands/UpdateEventConfigurationsCommand.ts @@ -89,4 +89,16 @@ export class UpdateEventConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventConfigurationsCommand) .de(de_UpdateEventConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventConfigurationsRequest; + output: {}; + }; + sdk: { + input: UpdateEventConfigurationsCommandInput; + output: UpdateEventConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateFleetMetricCommand.ts b/clients/client-iot/src/commands/UpdateFleetMetricCommand.ts index 4bc332107c3f..9a5515ccc3d6 100644 --- a/clients/client-iot/src/commands/UpdateFleetMetricCommand.ts +++ b/clients/client-iot/src/commands/UpdateFleetMetricCommand.ts @@ -122,4 +122,16 @@ export class UpdateFleetMetricCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFleetMetricCommand) .de(de_UpdateFleetMetricCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetMetricRequest; + output: {}; + }; + sdk: { + input: UpdateFleetMetricCommandInput; + output: UpdateFleetMetricCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateIndexingConfigurationCommand.ts b/clients/client-iot/src/commands/UpdateIndexingConfigurationCommand.ts index e323c6a56dc3..24594e4e2017 100644 --- a/clients/client-iot/src/commands/UpdateIndexingConfigurationCommand.ts +++ b/clients/client-iot/src/commands/UpdateIndexingConfigurationCommand.ts @@ -139,4 +139,16 @@ export class UpdateIndexingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIndexingConfigurationCommand) .de(de_UpdateIndexingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIndexingConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateIndexingConfigurationCommandInput; + output: UpdateIndexingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateJobCommand.ts b/clients/client-iot/src/commands/UpdateJobCommand.ts index f15e6e6a40b3..cdb28121c8d2 100644 --- a/clients/client-iot/src/commands/UpdateJobCommand.ts +++ b/clients/client-iot/src/commands/UpdateJobCommand.ts @@ -126,4 +126,16 @@ export class UpdateJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobCommand) .de(de_UpdateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobRequest; + output: {}; + }; + sdk: { + input: UpdateJobCommandInput; + output: UpdateJobCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateMitigationActionCommand.ts b/clients/client-iot/src/commands/UpdateMitigationActionCommand.ts index 0c7e182a8e32..088c88b94248 100644 --- a/clients/client-iot/src/commands/UpdateMitigationActionCommand.ts +++ b/clients/client-iot/src/commands/UpdateMitigationActionCommand.ts @@ -116,4 +116,16 @@ export class UpdateMitigationActionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMitigationActionCommand) .de(de_UpdateMitigationActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMitigationActionRequest; + output: UpdateMitigationActionResponse; + }; + sdk: { + input: UpdateMitigationActionCommandInput; + output: UpdateMitigationActionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdatePackageCommand.ts b/clients/client-iot/src/commands/UpdatePackageCommand.ts index 33f963c1c2d8..a1acf7d81006 100644 --- a/clients/client-iot/src/commands/UpdatePackageCommand.ts +++ b/clients/client-iot/src/commands/UpdatePackageCommand.ts @@ -100,4 +100,16 @@ export class UpdatePackageCommand extends $Command .f(UpdatePackageRequestFilterSensitiveLog, void 0) .ser(se_UpdatePackageCommand) .de(de_UpdatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageRequest; + output: {}; + }; + sdk: { + input: UpdatePackageCommandInput; + output: UpdatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdatePackageConfigurationCommand.ts b/clients/client-iot/src/commands/UpdatePackageConfigurationCommand.ts index 4d2168c392a1..cda17777d699 100644 --- a/clients/client-iot/src/commands/UpdatePackageConfigurationCommand.ts +++ b/clients/client-iot/src/commands/UpdatePackageConfigurationCommand.ts @@ -93,4 +93,16 @@ export class UpdatePackageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePackageConfigurationCommand) .de(de_UpdatePackageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdatePackageConfigurationCommandInput; + output: UpdatePackageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts b/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts index 039a9a8ece6f..e34e47ef9981 100644 --- a/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts +++ b/clients/client-iot/src/commands/UpdatePackageVersionCommand.ts @@ -111,4 +111,16 @@ export class UpdatePackageVersionCommand extends $Command .f(UpdatePackageVersionRequestFilterSensitiveLog, void 0) .ser(se_UpdatePackageVersionCommand) .de(de_UpdatePackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageVersionRequest; + output: {}; + }; + sdk: { + input: UpdatePackageVersionCommandInput; + output: UpdatePackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateProvisioningTemplateCommand.ts b/clients/client-iot/src/commands/UpdateProvisioningTemplateCommand.ts index 8ddeab11c901..44f62690ecf0 100644 --- a/clients/client-iot/src/commands/UpdateProvisioningTemplateCommand.ts +++ b/clients/client-iot/src/commands/UpdateProvisioningTemplateCommand.ts @@ -101,4 +101,16 @@ export class UpdateProvisioningTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProvisioningTemplateCommand) .de(de_UpdateProvisioningTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProvisioningTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateProvisioningTemplateCommandInput; + output: UpdateProvisioningTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateRoleAliasCommand.ts b/clients/client-iot/src/commands/UpdateRoleAliasCommand.ts index df8e85628847..feab66af558d 100644 --- a/clients/client-iot/src/commands/UpdateRoleAliasCommand.ts +++ b/clients/client-iot/src/commands/UpdateRoleAliasCommand.ts @@ -99,4 +99,16 @@ export class UpdateRoleAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoleAliasCommand) .de(de_UpdateRoleAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoleAliasRequest; + output: UpdateRoleAliasResponse; + }; + sdk: { + input: UpdateRoleAliasCommandInput; + output: UpdateRoleAliasCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateScheduledAuditCommand.ts b/clients/client-iot/src/commands/UpdateScheduledAuditCommand.ts index 0f60ede3da96..4f673776d392 100644 --- a/clients/client-iot/src/commands/UpdateScheduledAuditCommand.ts +++ b/clients/client-iot/src/commands/UpdateScheduledAuditCommand.ts @@ -97,4 +97,16 @@ export class UpdateScheduledAuditCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScheduledAuditCommand) .de(de_UpdateScheduledAuditCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScheduledAuditRequest; + output: UpdateScheduledAuditResponse; + }; + sdk: { + input: UpdateScheduledAuditCommandInput; + output: UpdateScheduledAuditCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateSecurityProfileCommand.ts b/clients/client-iot/src/commands/UpdateSecurityProfileCommand.ts index 94f13b5841b4..2d8396989599 100644 --- a/clients/client-iot/src/commands/UpdateSecurityProfileCommand.ts +++ b/clients/client-iot/src/commands/UpdateSecurityProfileCommand.ts @@ -232,4 +232,16 @@ export class UpdateSecurityProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityProfileCommand) .de(de_UpdateSecurityProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityProfileRequest; + output: UpdateSecurityProfileResponse; + }; + sdk: { + input: UpdateSecurityProfileCommandInput; + output: UpdateSecurityProfileCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateStreamCommand.ts b/clients/client-iot/src/commands/UpdateStreamCommand.ts index 5393c2bc9c1c..4140774bbe24 100644 --- a/clients/client-iot/src/commands/UpdateStreamCommand.ts +++ b/clients/client-iot/src/commands/UpdateStreamCommand.ts @@ -114,4 +114,16 @@ export class UpdateStreamCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStreamCommand) .de(de_UpdateStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStreamRequest; + output: UpdateStreamResponse; + }; + sdk: { + input: UpdateStreamCommandInput; + output: UpdateStreamCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateThingCommand.ts b/clients/client-iot/src/commands/UpdateThingCommand.ts index 42a9ad5710b3..5fa0ca9a8e1a 100644 --- a/clients/client-iot/src/commands/UpdateThingCommand.ts +++ b/clients/client-iot/src/commands/UpdateThingCommand.ts @@ -108,4 +108,16 @@ export class UpdateThingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThingCommand) .de(de_UpdateThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThingRequest; + output: {}; + }; + sdk: { + input: UpdateThingCommandInput; + output: UpdateThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateThingGroupCommand.ts b/clients/client-iot/src/commands/UpdateThingGroupCommand.ts index 850187d408bf..bbfb6669a573 100644 --- a/clients/client-iot/src/commands/UpdateThingGroupCommand.ts +++ b/clients/client-iot/src/commands/UpdateThingGroupCommand.ts @@ -105,4 +105,16 @@ export class UpdateThingGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThingGroupCommand) .de(de_UpdateThingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThingGroupRequest; + output: UpdateThingGroupResponse; + }; + sdk: { + input: UpdateThingGroupCommandInput; + output: UpdateThingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateThingGroupsForThingCommand.ts b/clients/client-iot/src/commands/UpdateThingGroupsForThingCommand.ts index 46cb9c9a8fb2..386c7e893457 100644 --- a/clients/client-iot/src/commands/UpdateThingGroupsForThingCommand.ts +++ b/clients/client-iot/src/commands/UpdateThingGroupsForThingCommand.ts @@ -95,4 +95,16 @@ export class UpdateThingGroupsForThingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThingGroupsForThingCommand) .de(de_UpdateThingGroupsForThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThingGroupsForThingRequest; + output: {}; + }; + sdk: { + input: UpdateThingGroupsForThingCommandInput; + output: UpdateThingGroupsForThingCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/UpdateTopicRuleDestinationCommand.ts b/clients/client-iot/src/commands/UpdateTopicRuleDestinationCommand.ts index faf98531eade..71c8c8f343da 100644 --- a/clients/client-iot/src/commands/UpdateTopicRuleDestinationCommand.ts +++ b/clients/client-iot/src/commands/UpdateTopicRuleDestinationCommand.ts @@ -94,4 +94,16 @@ export class UpdateTopicRuleDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTopicRuleDestinationCommand) .de(de_UpdateTopicRuleDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTopicRuleDestinationRequest; + output: {}; + }; + sdk: { + input: UpdateTopicRuleDestinationCommandInput; + output: UpdateTopicRuleDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-iot/src/commands/ValidateSecurityProfileBehaviorsCommand.ts b/clients/client-iot/src/commands/ValidateSecurityProfileBehaviorsCommand.ts index 94fd18cf1fce..8bff3ac88617 100644 --- a/clients/client-iot/src/commands/ValidateSecurityProfileBehaviorsCommand.ts +++ b/clients/client-iot/src/commands/ValidateSecurityProfileBehaviorsCommand.ts @@ -136,4 +136,16 @@ export class ValidateSecurityProfileBehaviorsCommand extends $Command .f(void 0, void 0) .ser(se_ValidateSecurityProfileBehaviorsCommand) .de(de_ValidateSecurityProfileBehaviorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateSecurityProfileBehaviorsRequest; + output: ValidateSecurityProfileBehaviorsResponse; + }; + sdk: { + input: ValidateSecurityProfileBehaviorsCommandInput; + output: ValidateSecurityProfileBehaviorsCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/package.json b/clients/client-iotanalytics/package.json index cba24da600cb..ab90918dbe12 100644 --- a/clients/client-iotanalytics/package.json +++ b/clients/client-iotanalytics/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iotanalytics/src/commands/BatchPutMessageCommand.ts b/clients/client-iotanalytics/src/commands/BatchPutMessageCommand.ts index 795281d75c75..4b6df748ddae 100644 --- a/clients/client-iotanalytics/src/commands/BatchPutMessageCommand.ts +++ b/clients/client-iotanalytics/src/commands/BatchPutMessageCommand.ts @@ -104,4 +104,16 @@ export class BatchPutMessageCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutMessageCommand) .de(de_BatchPutMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutMessageRequest; + output: BatchPutMessageResponse; + }; + sdk: { + input: BatchPutMessageCommandInput; + output: BatchPutMessageCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/CancelPipelineReprocessingCommand.ts b/clients/client-iotanalytics/src/commands/CancelPipelineReprocessingCommand.ts index 5c364c5e1eb5..3e868b47ae1a 100644 --- a/clients/client-iotanalytics/src/commands/CancelPipelineReprocessingCommand.ts +++ b/clients/client-iotanalytics/src/commands/CancelPipelineReprocessingCommand.ts @@ -91,4 +91,16 @@ export class CancelPipelineReprocessingCommand extends $Command .f(void 0, void 0) .ser(se_CancelPipelineReprocessingCommand) .de(de_CancelPipelineReprocessingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelPipelineReprocessingRequest; + output: {}; + }; + sdk: { + input: CancelPipelineReprocessingCommandInput; + output: CancelPipelineReprocessingCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/CreateChannelCommand.ts b/clients/client-iotanalytics/src/commands/CreateChannelCommand.ts index d6d137773065..c8fd6ca94542 100644 --- a/clients/client-iotanalytics/src/commands/CreateChannelCommand.ts +++ b/clients/client-iotanalytics/src/commands/CreateChannelCommand.ts @@ -119,4 +119,16 @@ export class CreateChannelCommand extends $Command .f(void 0, void 0) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/CreateDatasetCommand.ts b/clients/client-iotanalytics/src/commands/CreateDatasetCommand.ts index 985d001df298..2f56649473af 100644 --- a/clients/client-iotanalytics/src/commands/CreateDatasetCommand.ts +++ b/clients/client-iotanalytics/src/commands/CreateDatasetCommand.ts @@ -195,4 +195,16 @@ export class CreateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/CreateDatasetContentCommand.ts b/clients/client-iotanalytics/src/commands/CreateDatasetContentCommand.ts index 78d3a11edf3a..e0eec810684b 100644 --- a/clients/client-iotanalytics/src/commands/CreateDatasetContentCommand.ts +++ b/clients/client-iotanalytics/src/commands/CreateDatasetContentCommand.ts @@ -94,4 +94,16 @@ export class CreateDatasetContentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetContentCommand) .de(de_CreateDatasetContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetContentRequest; + output: CreateDatasetContentResponse; + }; + sdk: { + input: CreateDatasetContentCommandInput; + output: CreateDatasetContentCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/CreateDatastoreCommand.ts b/clients/client-iotanalytics/src/commands/CreateDatastoreCommand.ts index 6d96d2b4b3a7..4bfeacecc507 100644 --- a/clients/client-iotanalytics/src/commands/CreateDatastoreCommand.ts +++ b/clients/client-iotanalytics/src/commands/CreateDatastoreCommand.ts @@ -150,4 +150,16 @@ export class CreateDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatastoreCommand) .de(de_CreateDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatastoreRequest; + output: CreateDatastoreResponse; + }; + sdk: { + input: CreateDatastoreCommandInput; + output: CreateDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/CreatePipelineCommand.ts b/clients/client-iotanalytics/src/commands/CreatePipelineCommand.ts index f0cd44ef9ee6..0c6dec77f7d5 100644 --- a/clients/client-iotanalytics/src/commands/CreatePipelineCommand.ts +++ b/clients/client-iotanalytics/src/commands/CreatePipelineCommand.ts @@ -170,4 +170,16 @@ export class CreatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_CreatePipelineCommand) .de(de_CreatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePipelineRequest; + output: CreatePipelineResponse; + }; + sdk: { + input: CreatePipelineCommandInput; + output: CreatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DeleteChannelCommand.ts b/clients/client-iotanalytics/src/commands/DeleteChannelCommand.ts index d3fb931ce86d..b943b3615686 100644 --- a/clients/client-iotanalytics/src/commands/DeleteChannelCommand.ts +++ b/clients/client-iotanalytics/src/commands/DeleteChannelCommand.ts @@ -90,4 +90,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DeleteDatasetCommand.ts b/clients/client-iotanalytics/src/commands/DeleteDatasetCommand.ts index 58d49b61937e..0cf2b2cc9249 100644 --- a/clients/client-iotanalytics/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-iotanalytics/src/commands/DeleteDatasetCommand.ts @@ -92,4 +92,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DeleteDatasetContentCommand.ts b/clients/client-iotanalytics/src/commands/DeleteDatasetContentCommand.ts index 21070d781b41..c5ef000bcdac 100644 --- a/clients/client-iotanalytics/src/commands/DeleteDatasetContentCommand.ts +++ b/clients/client-iotanalytics/src/commands/DeleteDatasetContentCommand.ts @@ -91,4 +91,16 @@ export class DeleteDatasetContentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetContentCommand) .de(de_DeleteDatasetContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetContentRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetContentCommandInput; + output: DeleteDatasetContentCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DeleteDatastoreCommand.ts b/clients/client-iotanalytics/src/commands/DeleteDatastoreCommand.ts index adaea0618b1b..47abb91a1f11 100644 --- a/clients/client-iotanalytics/src/commands/DeleteDatastoreCommand.ts +++ b/clients/client-iotanalytics/src/commands/DeleteDatastoreCommand.ts @@ -90,4 +90,16 @@ export class DeleteDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatastoreCommand) .de(de_DeleteDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatastoreRequest; + output: {}; + }; + sdk: { + input: DeleteDatastoreCommandInput; + output: DeleteDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DeletePipelineCommand.ts b/clients/client-iotanalytics/src/commands/DeletePipelineCommand.ts index ecd80887e5cf..4b3fdf87775c 100644 --- a/clients/client-iotanalytics/src/commands/DeletePipelineCommand.ts +++ b/clients/client-iotanalytics/src/commands/DeletePipelineCommand.ts @@ -90,4 +90,16 @@ export class DeletePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeletePipelineCommand) .de(de_DeletePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePipelineRequest; + output: {}; + }; + sdk: { + input: DeletePipelineCommandInput; + output: DeletePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DescribeChannelCommand.ts b/clients/client-iotanalytics/src/commands/DescribeChannelCommand.ts index 9d50a7724bf6..af50ad4fca41 100644 --- a/clients/client-iotanalytics/src/commands/DescribeChannelCommand.ts +++ b/clients/client-iotanalytics/src/commands/DescribeChannelCommand.ts @@ -118,4 +118,16 @@ export class DescribeChannelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeChannelCommand) .de(de_DescribeChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelRequest; + output: DescribeChannelResponse; + }; + sdk: { + input: DescribeChannelCommandInput; + output: DescribeChannelCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DescribeDatasetCommand.ts b/clients/client-iotanalytics/src/commands/DescribeDatasetCommand.ts index dcd929dd28d7..21fe8ec2d862 100644 --- a/clients/client-iotanalytics/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-iotanalytics/src/commands/DescribeDatasetCommand.ts @@ -183,4 +183,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DescribeDatastoreCommand.ts b/clients/client-iotanalytics/src/commands/DescribeDatastoreCommand.ts index fff7e45a31f9..5b6c91010854 100644 --- a/clients/client-iotanalytics/src/commands/DescribeDatastoreCommand.ts +++ b/clients/client-iotanalytics/src/commands/DescribeDatastoreCommand.ts @@ -150,4 +150,16 @@ export class DescribeDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatastoreCommand) .de(de_DescribeDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatastoreRequest; + output: DescribeDatastoreResponse; + }; + sdk: { + input: DescribeDatastoreCommandInput; + output: DescribeDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DescribeLoggingOptionsCommand.ts b/clients/client-iotanalytics/src/commands/DescribeLoggingOptionsCommand.ts index ea5815379ed0..2ce58fedb8b8 100644 --- a/clients/client-iotanalytics/src/commands/DescribeLoggingOptionsCommand.ts +++ b/clients/client-iotanalytics/src/commands/DescribeLoggingOptionsCommand.ts @@ -94,4 +94,16 @@ export class DescribeLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoggingOptionsCommand) .de(de_DescribeLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeLoggingOptionsResponse; + }; + sdk: { + input: DescribeLoggingOptionsCommandInput; + output: DescribeLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/DescribePipelineCommand.ts b/clients/client-iotanalytics/src/commands/DescribePipelineCommand.ts index 23e48a46ce23..9cb8a5780eac 100644 --- a/clients/client-iotanalytics/src/commands/DescribePipelineCommand.ts +++ b/clients/client-iotanalytics/src/commands/DescribePipelineCommand.ts @@ -169,4 +169,16 @@ export class DescribePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DescribePipelineCommand) .de(de_DescribePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePipelineRequest; + output: DescribePipelineResponse; + }; + sdk: { + input: DescribePipelineCommandInput; + output: DescribePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/GetDatasetContentCommand.ts b/clients/client-iotanalytics/src/commands/GetDatasetContentCommand.ts index 3dd6a9bf5d84..4db963b0cf34 100644 --- a/clients/client-iotanalytics/src/commands/GetDatasetContentCommand.ts +++ b/clients/client-iotanalytics/src/commands/GetDatasetContentCommand.ts @@ -103,4 +103,16 @@ export class GetDatasetContentCommand extends $Command .f(void 0, void 0) .ser(se_GetDatasetContentCommand) .de(de_GetDatasetContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDatasetContentRequest; + output: GetDatasetContentResponse; + }; + sdk: { + input: GetDatasetContentCommandInput; + output: GetDatasetContentCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/ListChannelsCommand.ts b/clients/client-iotanalytics/src/commands/ListChannelsCommand.ts index 4d081c30607e..1a4f0f73ea41 100644 --- a/clients/client-iotanalytics/src/commands/ListChannelsCommand.ts +++ b/clients/client-iotanalytics/src/commands/ListChannelsCommand.ts @@ -107,4 +107,16 @@ export class ListChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/ListDatasetContentsCommand.ts b/clients/client-iotanalytics/src/commands/ListDatasetContentsCommand.ts index 8a695c4d34d5..6dffbfd3c69f 100644 --- a/clients/client-iotanalytics/src/commands/ListDatasetContentsCommand.ts +++ b/clients/client-iotanalytics/src/commands/ListDatasetContentsCommand.ts @@ -108,4 +108,16 @@ export class ListDatasetContentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetContentsCommand) .de(de_ListDatasetContentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetContentsRequest; + output: ListDatasetContentsResponse; + }; + sdk: { + input: ListDatasetContentsCommandInput; + output: ListDatasetContentsCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/ListDatasetsCommand.ts b/clients/client-iotanalytics/src/commands/ListDatasetsCommand.ts index d9d0ca4b92d6..65c29601a2a4 100644 --- a/clients/client-iotanalytics/src/commands/ListDatasetsCommand.ts +++ b/clients/client-iotanalytics/src/commands/ListDatasetsCommand.ts @@ -114,4 +114,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/ListDatastoresCommand.ts b/clients/client-iotanalytics/src/commands/ListDatastoresCommand.ts index eb2d3b9d27ac..b1096ccd6c34 100644 --- a/clients/client-iotanalytics/src/commands/ListDatastoresCommand.ts +++ b/clients/client-iotanalytics/src/commands/ListDatastoresCommand.ts @@ -127,4 +127,16 @@ export class ListDatastoresCommand extends $Command .f(void 0, void 0) .ser(se_ListDatastoresCommand) .de(de_ListDatastoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatastoresRequest; + output: ListDatastoresResponse; + }; + sdk: { + input: ListDatastoresCommandInput; + output: ListDatastoresCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/ListPipelinesCommand.ts b/clients/client-iotanalytics/src/commands/ListPipelinesCommand.ts index 0b1e77e08bc1..2d265df69b7e 100644 --- a/clients/client-iotanalytics/src/commands/ListPipelinesCommand.ts +++ b/clients/client-iotanalytics/src/commands/ListPipelinesCommand.ts @@ -104,4 +104,16 @@ export class ListPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelinesCommand) .de(de_ListPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelinesRequest; + output: ListPipelinesResponse; + }; + sdk: { + input: ListPipelinesCommandInput; + output: ListPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/ListTagsForResourceCommand.ts b/clients/client-iotanalytics/src/commands/ListTagsForResourceCommand.ts index 42a1044f72c5..32fd25c8f614 100644 --- a/clients/client-iotanalytics/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iotanalytics/src/commands/ListTagsForResourceCommand.ts @@ -100,4 +100,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/PutLoggingOptionsCommand.ts b/clients/client-iotanalytics/src/commands/PutLoggingOptionsCommand.ts index cc7a627575c1..1f56a8d15b4f 100644 --- a/clients/client-iotanalytics/src/commands/PutLoggingOptionsCommand.ts +++ b/clients/client-iotanalytics/src/commands/PutLoggingOptionsCommand.ts @@ -95,4 +95,16 @@ export class PutLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutLoggingOptionsCommand) .de(de_PutLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLoggingOptionsRequest; + output: {}; + }; + sdk: { + input: PutLoggingOptionsCommandInput; + output: PutLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/RunPipelineActivityCommand.ts b/clients/client-iotanalytics/src/commands/RunPipelineActivityCommand.ts index 9f43a8a78c46..ead2ff050fc1 100644 --- a/clients/client-iotanalytics/src/commands/RunPipelineActivityCommand.ts +++ b/clients/client-iotanalytics/src/commands/RunPipelineActivityCommand.ts @@ -157,4 +157,16 @@ export class RunPipelineActivityCommand extends $Command .f(void 0, void 0) .ser(se_RunPipelineActivityCommand) .de(de_RunPipelineActivityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RunPipelineActivityRequest; + output: RunPipelineActivityResponse; + }; + sdk: { + input: RunPipelineActivityCommandInput; + output: RunPipelineActivityCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/SampleChannelDataCommand.ts b/clients/client-iotanalytics/src/commands/SampleChannelDataCommand.ts index 8317736ea015..cbc17a668d09 100644 --- a/clients/client-iotanalytics/src/commands/SampleChannelDataCommand.ts +++ b/clients/client-iotanalytics/src/commands/SampleChannelDataCommand.ts @@ -98,4 +98,16 @@ export class SampleChannelDataCommand extends $Command .f(void 0, void 0) .ser(se_SampleChannelDataCommand) .de(de_SampleChannelDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SampleChannelDataRequest; + output: SampleChannelDataResponse; + }; + sdk: { + input: SampleChannelDataCommandInput; + output: SampleChannelDataCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/StartPipelineReprocessingCommand.ts b/clients/client-iotanalytics/src/commands/StartPipelineReprocessingCommand.ts index 2decbb75fd05..cea77c6f358b 100644 --- a/clients/client-iotanalytics/src/commands/StartPipelineReprocessingCommand.ts +++ b/clients/client-iotanalytics/src/commands/StartPipelineReprocessingCommand.ts @@ -102,4 +102,16 @@ export class StartPipelineReprocessingCommand extends $Command .f(void 0, void 0) .ser(se_StartPipelineReprocessingCommand) .de(de_StartPipelineReprocessingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPipelineReprocessingRequest; + output: StartPipelineReprocessingResponse; + }; + sdk: { + input: StartPipelineReprocessingCommandInput; + output: StartPipelineReprocessingCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/TagResourceCommand.ts b/clients/client-iotanalytics/src/commands/TagResourceCommand.ts index 5cd6d15981ad..1e53e18d3185 100644 --- a/clients/client-iotanalytics/src/commands/TagResourceCommand.ts +++ b/clients/client-iotanalytics/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/UntagResourceCommand.ts b/clients/client-iotanalytics/src/commands/UntagResourceCommand.ts index 453b2b6ac46a..50d25587303b 100644 --- a/clients/client-iotanalytics/src/commands/UntagResourceCommand.ts +++ b/clients/client-iotanalytics/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/UpdateChannelCommand.ts b/clients/client-iotanalytics/src/commands/UpdateChannelCommand.ts index 53fa056a7044..3d0ca50d65e6 100644 --- a/clients/client-iotanalytics/src/commands/UpdateChannelCommand.ts +++ b/clients/client-iotanalytics/src/commands/UpdateChannelCommand.ts @@ -102,4 +102,16 @@ export class UpdateChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: {}; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/UpdateDatasetCommand.ts b/clients/client-iotanalytics/src/commands/UpdateDatasetCommand.ts index f00b83fc2591..c48fdb2d61c1 100644 --- a/clients/client-iotanalytics/src/commands/UpdateDatasetCommand.ts +++ b/clients/client-iotanalytics/src/commands/UpdateDatasetCommand.ts @@ -175,4 +175,16 @@ export class UpdateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasetCommand) .de(de_UpdateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasetRequest; + output: {}; + }; + sdk: { + input: UpdateDatasetCommandInput; + output: UpdateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/UpdateDatastoreCommand.ts b/clients/client-iotanalytics/src/commands/UpdateDatastoreCommand.ts index 0172608de627..a8e185c46fcc 100644 --- a/clients/client-iotanalytics/src/commands/UpdateDatastoreCommand.ts +++ b/clients/client-iotanalytics/src/commands/UpdateDatastoreCommand.ts @@ -121,4 +121,16 @@ export class UpdateDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatastoreCommand) .de(de_UpdateDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatastoreRequest; + output: {}; + }; + sdk: { + input: UpdateDatastoreCommandInput; + output: UpdateDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-iotanalytics/src/commands/UpdatePipelineCommand.ts b/clients/client-iotanalytics/src/commands/UpdatePipelineCommand.ts index 8ffe568d0ad7..4f139321697d 100644 --- a/clients/client-iotanalytics/src/commands/UpdatePipelineCommand.ts +++ b/clients/client-iotanalytics/src/commands/UpdatePipelineCommand.ts @@ -160,4 +160,16 @@ export class UpdatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineCommand) .de(de_UpdatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineRequest; + output: {}; + }; + sdk: { + input: UpdatePipelineCommandInput; + output: UpdatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/package.json b/clients/client-iotdeviceadvisor/package.json index 79b2badbc1fb..20cf98452d85 100644 --- a/clients/client-iotdeviceadvisor/package.json +++ b/clients/client-iotdeviceadvisor/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iotdeviceadvisor/src/commands/CreateSuiteDefinitionCommand.ts b/clients/client-iotdeviceadvisor/src/commands/CreateSuiteDefinitionCommand.ts index 04452408a057..d0c015cd301a 100644 --- a/clients/client-iotdeviceadvisor/src/commands/CreateSuiteDefinitionCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/CreateSuiteDefinitionCommand.ts @@ -104,4 +104,16 @@ export class CreateSuiteDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSuiteDefinitionCommand) .de(de_CreateSuiteDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSuiteDefinitionRequest; + output: CreateSuiteDefinitionResponse; + }; + sdk: { + input: CreateSuiteDefinitionCommandInput; + output: CreateSuiteDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/DeleteSuiteDefinitionCommand.ts b/clients/client-iotdeviceadvisor/src/commands/DeleteSuiteDefinitionCommand.ts index 6fe3ed7e3862..ba5b59d07078 100644 --- a/clients/client-iotdeviceadvisor/src/commands/DeleteSuiteDefinitionCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/DeleteSuiteDefinitionCommand.ts @@ -82,4 +82,16 @@ export class DeleteSuiteDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSuiteDefinitionCommand) .de(de_DeleteSuiteDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSuiteDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteSuiteDefinitionCommandInput; + output: DeleteSuiteDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/GetEndpointCommand.ts b/clients/client-iotdeviceadvisor/src/commands/GetEndpointCommand.ts index 860006ff25ee..c85c16136582 100644 --- a/clients/client-iotdeviceadvisor/src/commands/GetEndpointCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/GetEndpointCommand.ts @@ -89,4 +89,16 @@ export class GetEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetEndpointCommand) .de(de_GetEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEndpointRequest; + output: GetEndpointResponse; + }; + sdk: { + input: GetEndpointCommandInput; + output: GetEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/GetSuiteDefinitionCommand.ts b/clients/client-iotdeviceadvisor/src/commands/GetSuiteDefinitionCommand.ts index 62be1f4b25eb..62073b87f686 100644 --- a/clients/client-iotdeviceadvisor/src/commands/GetSuiteDefinitionCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/GetSuiteDefinitionCommand.ts @@ -111,4 +111,16 @@ export class GetSuiteDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetSuiteDefinitionCommand) .de(de_GetSuiteDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSuiteDefinitionRequest; + output: GetSuiteDefinitionResponse; + }; + sdk: { + input: GetSuiteDefinitionCommandInput; + output: GetSuiteDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunCommand.ts b/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunCommand.ts index b1d62f4e9e72..49cbfdc1b274 100644 --- a/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunCommand.ts @@ -139,4 +139,16 @@ export class GetSuiteRunCommand extends $Command .f(void 0, void 0) .ser(se_GetSuiteRunCommand) .de(de_GetSuiteRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSuiteRunRequest; + output: GetSuiteRunResponse; + }; + sdk: { + input: GetSuiteRunCommandInput; + output: GetSuiteRunCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunReportCommand.ts b/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunReportCommand.ts index a4baaafab581..29d42b3bc54d 100644 --- a/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunReportCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/GetSuiteRunReportCommand.ts @@ -88,4 +88,16 @@ export class GetSuiteRunReportCommand extends $Command .f(void 0, void 0) .ser(se_GetSuiteRunReportCommand) .de(de_GetSuiteRunReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSuiteRunReportRequest; + output: GetSuiteRunReportResponse; + }; + sdk: { + input: GetSuiteRunReportCommandInput; + output: GetSuiteRunReportCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/ListSuiteDefinitionsCommand.ts b/clients/client-iotdeviceadvisor/src/commands/ListSuiteDefinitionsCommand.ts index 55d9af53fe83..74454ea233cd 100644 --- a/clients/client-iotdeviceadvisor/src/commands/ListSuiteDefinitionsCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/ListSuiteDefinitionsCommand.ts @@ -102,4 +102,16 @@ export class ListSuiteDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSuiteDefinitionsCommand) .de(de_ListSuiteDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSuiteDefinitionsRequest; + output: ListSuiteDefinitionsResponse; + }; + sdk: { + input: ListSuiteDefinitionsCommandInput; + output: ListSuiteDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/ListSuiteRunsCommand.ts b/clients/client-iotdeviceadvisor/src/commands/ListSuiteRunsCommand.ts index 852349bf2cb4..1ae9007dde90 100644 --- a/clients/client-iotdeviceadvisor/src/commands/ListSuiteRunsCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/ListSuiteRunsCommand.ts @@ -102,4 +102,16 @@ export class ListSuiteRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListSuiteRunsCommand) .de(de_ListSuiteRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSuiteRunsRequest; + output: ListSuiteRunsResponse; + }; + sdk: { + input: ListSuiteRunsCommandInput; + output: ListSuiteRunsCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/ListTagsForResourceCommand.ts b/clients/client-iotdeviceadvisor/src/commands/ListTagsForResourceCommand.ts index 701d74cbff90..062b1fd7c4d8 100644 --- a/clients/client-iotdeviceadvisor/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/StartSuiteRunCommand.ts b/clients/client-iotdeviceadvisor/src/commands/StartSuiteRunCommand.ts index 2dd0dd24ee10..c023d1a60637 100644 --- a/clients/client-iotdeviceadvisor/src/commands/StartSuiteRunCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/StartSuiteRunCommand.ts @@ -105,4 +105,16 @@ export class StartSuiteRunCommand extends $Command .f(void 0, void 0) .ser(se_StartSuiteRunCommand) .de(de_StartSuiteRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSuiteRunRequest; + output: StartSuiteRunResponse; + }; + sdk: { + input: StartSuiteRunCommandInput; + output: StartSuiteRunCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/StopSuiteRunCommand.ts b/clients/client-iotdeviceadvisor/src/commands/StopSuiteRunCommand.ts index 52264dad5657..d96d8e015eef 100644 --- a/clients/client-iotdeviceadvisor/src/commands/StopSuiteRunCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/StopSuiteRunCommand.ts @@ -86,4 +86,16 @@ export class StopSuiteRunCommand extends $Command .f(void 0, void 0) .ser(se_StopSuiteRunCommand) .de(de_StopSuiteRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSuiteRunRequest; + output: {}; + }; + sdk: { + input: StopSuiteRunCommandInput; + output: StopSuiteRunCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/TagResourceCommand.ts b/clients/client-iotdeviceadvisor/src/commands/TagResourceCommand.ts index 99cdf3014ddc..fa36911432e9 100644 --- a/clients/client-iotdeviceadvisor/src/commands/TagResourceCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/UntagResourceCommand.ts b/clients/client-iotdeviceadvisor/src/commands/UntagResourceCommand.ts index 57f6ad7c40e4..fe3f8fbd143e 100644 --- a/clients/client-iotdeviceadvisor/src/commands/UntagResourceCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotdeviceadvisor/src/commands/UpdateSuiteDefinitionCommand.ts b/clients/client-iotdeviceadvisor/src/commands/UpdateSuiteDefinitionCommand.ts index 3ff5fef0e2a5..31c9426e6083 100644 --- a/clients/client-iotdeviceadvisor/src/commands/UpdateSuiteDefinitionCommand.ts +++ b/clients/client-iotdeviceadvisor/src/commands/UpdateSuiteDefinitionCommand.ts @@ -104,4 +104,16 @@ export class UpdateSuiteDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSuiteDefinitionCommand) .de(de_UpdateSuiteDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSuiteDefinitionRequest; + output: UpdateSuiteDefinitionResponse; + }; + sdk: { + input: UpdateSuiteDefinitionCommandInput; + output: UpdateSuiteDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/package.json b/clients/client-iotfleethub/package.json index 2c1fd4f97c9a..77825ddfeecd 100644 --- a/clients/client-iotfleethub/package.json +++ b/clients/client-iotfleethub/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-iotfleethub/src/commands/CreateApplicationCommand.ts b/clients/client-iotfleethub/src/commands/CreateApplicationCommand.ts index 3ffed7a75fa0..f6232f726008 100644 --- a/clients/client-iotfleethub/src/commands/CreateApplicationCommand.ts +++ b/clients/client-iotfleethub/src/commands/CreateApplicationCommand.ts @@ -100,4 +100,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/src/commands/DeleteApplicationCommand.ts b/clients/client-iotfleethub/src/commands/DeleteApplicationCommand.ts index 56eb2ac30a42..69a3d4dac62e 100644 --- a/clients/client-iotfleethub/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-iotfleethub/src/commands/DeleteApplicationCommand.ts @@ -88,4 +88,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/src/commands/DescribeApplicationCommand.ts b/clients/client-iotfleethub/src/commands/DescribeApplicationCommand.ts index 03e1a53daeeb..8bd5adea313d 100644 --- a/clients/client-iotfleethub/src/commands/DescribeApplicationCommand.ts +++ b/clients/client-iotfleethub/src/commands/DescribeApplicationCommand.ts @@ -102,4 +102,16 @@ export class DescribeApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationCommand) .de(de_DescribeApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationRequest; + output: DescribeApplicationResponse; + }; + sdk: { + input: DescribeApplicationCommandInput; + output: DescribeApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/src/commands/ListApplicationsCommand.ts b/clients/client-iotfleethub/src/commands/ListApplicationsCommand.ts index 2d8d4bc1eea8..a04fbc1b7b88 100644 --- a/clients/client-iotfleethub/src/commands/ListApplicationsCommand.ts +++ b/clients/client-iotfleethub/src/commands/ListApplicationsCommand.ts @@ -97,4 +97,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/src/commands/ListTagsForResourceCommand.ts b/clients/client-iotfleethub/src/commands/ListTagsForResourceCommand.ts index 5a31a024eb44..c86d1a3d9bae 100644 --- a/clients/client-iotfleethub/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iotfleethub/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/src/commands/TagResourceCommand.ts b/clients/client-iotfleethub/src/commands/TagResourceCommand.ts index e7791ceaf133..6b75df997b36 100644 --- a/clients/client-iotfleethub/src/commands/TagResourceCommand.ts +++ b/clients/client-iotfleethub/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/src/commands/UntagResourceCommand.ts b/clients/client-iotfleethub/src/commands/UntagResourceCommand.ts index 816fc5618549..0c21a278d51b 100644 --- a/clients/client-iotfleethub/src/commands/UntagResourceCommand.ts +++ b/clients/client-iotfleethub/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleethub/src/commands/UpdateApplicationCommand.ts b/clients/client-iotfleethub/src/commands/UpdateApplicationCommand.ts index 7c00b12cee92..b525f14a48f5 100644 --- a/clients/client-iotfleethub/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-iotfleethub/src/commands/UpdateApplicationCommand.ts @@ -93,4 +93,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/package.json b/clients/client-iotfleetwise/package.json index a37dba640142..a13d7c60b7a0 100644 --- a/clients/client-iotfleetwise/package.json +++ b/clients/client-iotfleetwise/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iotfleetwise/src/commands/AssociateVehicleFleetCommand.ts b/clients/client-iotfleetwise/src/commands/AssociateVehicleFleetCommand.ts index 12f162b76210..bfe92c018fdb 100644 --- a/clients/client-iotfleetwise/src/commands/AssociateVehicleFleetCommand.ts +++ b/clients/client-iotfleetwise/src/commands/AssociateVehicleFleetCommand.ts @@ -94,4 +94,16 @@ export class AssociateVehicleFleetCommand extends $Command .f(void 0, void 0) .ser(se_AssociateVehicleFleetCommand) .de(de_AssociateVehicleFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateVehicleFleetRequest; + output: {}; + }; + sdk: { + input: AssociateVehicleFleetCommandInput; + output: AssociateVehicleFleetCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/BatchCreateVehicleCommand.ts b/clients/client-iotfleetwise/src/commands/BatchCreateVehicleCommand.ts index 7a74cf918620..40e94c482399 100644 --- a/clients/client-iotfleetwise/src/commands/BatchCreateVehicleCommand.ts +++ b/clients/client-iotfleetwise/src/commands/BatchCreateVehicleCommand.ts @@ -127,4 +127,16 @@ export class BatchCreateVehicleCommand extends $Command .f(void 0, void 0) .ser(se_BatchCreateVehicleCommand) .de(de_BatchCreateVehicleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateVehicleRequest; + output: BatchCreateVehicleResponse; + }; + sdk: { + input: BatchCreateVehicleCommandInput; + output: BatchCreateVehicleCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/BatchUpdateVehicleCommand.ts b/clients/client-iotfleetwise/src/commands/BatchUpdateVehicleCommand.ts index 0518e9323020..53728f0362ac 100644 --- a/clients/client-iotfleetwise/src/commands/BatchUpdateVehicleCommand.ts +++ b/clients/client-iotfleetwise/src/commands/BatchUpdateVehicleCommand.ts @@ -117,4 +117,16 @@ export class BatchUpdateVehicleCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateVehicleCommand) .de(de_BatchUpdateVehicleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateVehicleRequest; + output: BatchUpdateVehicleResponse; + }; + sdk: { + input: BatchUpdateVehicleCommandInput; + output: BatchUpdateVehicleCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/CreateCampaignCommand.ts b/clients/client-iotfleetwise/src/commands/CreateCampaignCommand.ts index 4a00a644020a..cce2d05a7f09 100644 --- a/clients/client-iotfleetwise/src/commands/CreateCampaignCommand.ts +++ b/clients/client-iotfleetwise/src/commands/CreateCampaignCommand.ts @@ -156,4 +156,16 @@ export class CreateCampaignCommand extends $Command .f(void 0, void 0) .ser(se_CreateCampaignCommand) .de(de_CreateCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCampaignRequest; + output: CreateCampaignResponse; + }; + sdk: { + input: CreateCampaignCommandInput; + output: CreateCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/CreateDecoderManifestCommand.ts b/clients/client-iotfleetwise/src/commands/CreateDecoderManifestCommand.ts index a94233f2e5fd..52263f36e47a 100644 --- a/clients/client-iotfleetwise/src/commands/CreateDecoderManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/CreateDecoderManifestCommand.ts @@ -224,4 +224,16 @@ export class CreateDecoderManifestCommand extends $Command .f(void 0, void 0) .ser(se_CreateDecoderManifestCommand) .de(de_CreateDecoderManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDecoderManifestRequest; + output: CreateDecoderManifestResponse; + }; + sdk: { + input: CreateDecoderManifestCommandInput; + output: CreateDecoderManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/CreateFleetCommand.ts b/clients/client-iotfleetwise/src/commands/CreateFleetCommand.ts index a433f8c9d803..eddf69908bfa 100644 --- a/clients/client-iotfleetwise/src/commands/CreateFleetCommand.ts +++ b/clients/client-iotfleetwise/src/commands/CreateFleetCommand.ts @@ -115,4 +115,16 @@ export class CreateFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetRequest; + output: CreateFleetResponse; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/CreateModelManifestCommand.ts b/clients/client-iotfleetwise/src/commands/CreateModelManifestCommand.ts index 434c6da87181..5ed039dac6b3 100644 --- a/clients/client-iotfleetwise/src/commands/CreateModelManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/CreateModelManifestCommand.ts @@ -117,4 +117,16 @@ export class CreateModelManifestCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelManifestCommand) .de(de_CreateModelManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelManifestRequest; + output: CreateModelManifestResponse; + }; + sdk: { + input: CreateModelManifestCommandInput; + output: CreateModelManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/CreateSignalCatalogCommand.ts b/clients/client-iotfleetwise/src/commands/CreateSignalCatalogCommand.ts index a9ac5dd395c7..df6b318dd581 100644 --- a/clients/client-iotfleetwise/src/commands/CreateSignalCatalogCommand.ts +++ b/clients/client-iotfleetwise/src/commands/CreateSignalCatalogCommand.ts @@ -181,4 +181,16 @@ export class CreateSignalCatalogCommand extends $Command .f(void 0, void 0) .ser(se_CreateSignalCatalogCommand) .de(de_CreateSignalCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSignalCatalogRequest; + output: CreateSignalCatalogResponse; + }; + sdk: { + input: CreateSignalCatalogCommandInput; + output: CreateSignalCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/CreateVehicleCommand.ts b/clients/client-iotfleetwise/src/commands/CreateVehicleCommand.ts index 958c34fca4a1..518ca9318bb3 100644 --- a/clients/client-iotfleetwise/src/commands/CreateVehicleCommand.ts +++ b/clients/client-iotfleetwise/src/commands/CreateVehicleCommand.ts @@ -121,4 +121,16 @@ export class CreateVehicleCommand extends $Command .f(void 0, void 0) .ser(se_CreateVehicleCommand) .de(de_CreateVehicleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVehicleRequest; + output: CreateVehicleResponse; + }; + sdk: { + input: CreateVehicleCommandInput; + output: CreateVehicleCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/DeleteCampaignCommand.ts b/clients/client-iotfleetwise/src/commands/DeleteCampaignCommand.ts index 2962d897ebc0..1a2bae796f88 100644 --- a/clients/client-iotfleetwise/src/commands/DeleteCampaignCommand.ts +++ b/clients/client-iotfleetwise/src/commands/DeleteCampaignCommand.ts @@ -94,4 +94,16 @@ export class DeleteCampaignCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCampaignCommand) .de(de_DeleteCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCampaignRequest; + output: DeleteCampaignResponse; + }; + sdk: { + input: DeleteCampaignCommandInput; + output: DeleteCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/DeleteDecoderManifestCommand.ts b/clients/client-iotfleetwise/src/commands/DeleteDecoderManifestCommand.ts index 5a588b6ce4ed..9283cdf52930 100644 --- a/clients/client-iotfleetwise/src/commands/DeleteDecoderManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/DeleteDecoderManifestCommand.ts @@ -99,4 +99,16 @@ export class DeleteDecoderManifestCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDecoderManifestCommand) .de(de_DeleteDecoderManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDecoderManifestRequest; + output: DeleteDecoderManifestResponse; + }; + sdk: { + input: DeleteDecoderManifestCommandInput; + output: DeleteDecoderManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/DeleteFleetCommand.ts b/clients/client-iotfleetwise/src/commands/DeleteFleetCommand.ts index 6842d4a364ed..78699278ef27 100644 --- a/clients/client-iotfleetwise/src/commands/DeleteFleetCommand.ts +++ b/clients/client-iotfleetwise/src/commands/DeleteFleetCommand.ts @@ -96,4 +96,16 @@ export class DeleteFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetCommand) .de(de_DeleteFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetRequest; + output: DeleteFleetResponse; + }; + sdk: { + input: DeleteFleetCommandInput; + output: DeleteFleetCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/DeleteModelManifestCommand.ts b/clients/client-iotfleetwise/src/commands/DeleteModelManifestCommand.ts index f498238973ae..0bc7baa290c0 100644 --- a/clients/client-iotfleetwise/src/commands/DeleteModelManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/DeleteModelManifestCommand.ts @@ -98,4 +98,16 @@ export class DeleteModelManifestCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelManifestCommand) .de(de_DeleteModelManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelManifestRequest; + output: DeleteModelManifestResponse; + }; + sdk: { + input: DeleteModelManifestCommandInput; + output: DeleteModelManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/DeleteSignalCatalogCommand.ts b/clients/client-iotfleetwise/src/commands/DeleteSignalCatalogCommand.ts index 1a363d36ae6c..3e1ef980ca19 100644 --- a/clients/client-iotfleetwise/src/commands/DeleteSignalCatalogCommand.ts +++ b/clients/client-iotfleetwise/src/commands/DeleteSignalCatalogCommand.ts @@ -98,4 +98,16 @@ export class DeleteSignalCatalogCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSignalCatalogCommand) .de(de_DeleteSignalCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSignalCatalogRequest; + output: DeleteSignalCatalogResponse; + }; + sdk: { + input: DeleteSignalCatalogCommandInput; + output: DeleteSignalCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/DeleteVehicleCommand.ts b/clients/client-iotfleetwise/src/commands/DeleteVehicleCommand.ts index 6ac7a450b4da..ab9a633209f3 100644 --- a/clients/client-iotfleetwise/src/commands/DeleteVehicleCommand.ts +++ b/clients/client-iotfleetwise/src/commands/DeleteVehicleCommand.ts @@ -94,4 +94,16 @@ export class DeleteVehicleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVehicleCommand) .de(de_DeleteVehicleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVehicleRequest; + output: DeleteVehicleResponse; + }; + sdk: { + input: DeleteVehicleCommandInput; + output: DeleteVehicleCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/DisassociateVehicleFleetCommand.ts b/clients/client-iotfleetwise/src/commands/DisassociateVehicleFleetCommand.ts index 97e182c95650..35a542572354 100644 --- a/clients/client-iotfleetwise/src/commands/DisassociateVehicleFleetCommand.ts +++ b/clients/client-iotfleetwise/src/commands/DisassociateVehicleFleetCommand.ts @@ -96,4 +96,16 @@ export class DisassociateVehicleFleetCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateVehicleFleetCommand) .de(de_DisassociateVehicleFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateVehicleFleetRequest; + output: {}; + }; + sdk: { + input: DisassociateVehicleFleetCommandInput; + output: DisassociateVehicleFleetCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetCampaignCommand.ts b/clients/client-iotfleetwise/src/commands/GetCampaignCommand.ts index 69a2686c40bc..e4cfdf7c3cd9 100644 --- a/clients/client-iotfleetwise/src/commands/GetCampaignCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetCampaignCommand.ts @@ -141,4 +141,16 @@ export class GetCampaignCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignCommand) .de(de_GetCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignRequest; + output: GetCampaignResponse; + }; + sdk: { + input: GetCampaignCommandInput; + output: GetCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetDecoderManifestCommand.ts b/clients/client-iotfleetwise/src/commands/GetDecoderManifestCommand.ts index 0b0c58488830..8b9d1b2400d6 100644 --- a/clients/client-iotfleetwise/src/commands/GetDecoderManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetDecoderManifestCommand.ts @@ -99,4 +99,16 @@ export class GetDecoderManifestCommand extends $Command .f(void 0, void 0) .ser(se_GetDecoderManifestCommand) .de(de_GetDecoderManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDecoderManifestRequest; + output: GetDecoderManifestResponse; + }; + sdk: { + input: GetDecoderManifestCommandInput; + output: GetDecoderManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetEncryptionConfigurationCommand.ts b/clients/client-iotfleetwise/src/commands/GetEncryptionConfigurationCommand.ts index b213cbd49a7b..6bee76a5b1e7 100644 --- a/clients/client-iotfleetwise/src/commands/GetEncryptionConfigurationCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetEncryptionConfigurationCommand.ts @@ -95,4 +95,16 @@ export class GetEncryptionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetEncryptionConfigurationCommand) .de(de_GetEncryptionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetEncryptionConfigurationResponse; + }; + sdk: { + input: GetEncryptionConfigurationCommandInput; + output: GetEncryptionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetFleetCommand.ts b/clients/client-iotfleetwise/src/commands/GetFleetCommand.ts index 3533c354dfaa..bf07c96b987b 100644 --- a/clients/client-iotfleetwise/src/commands/GetFleetCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetFleetCommand.ts @@ -97,4 +97,16 @@ export class GetFleetCommand extends $Command .f(void 0, void 0) .ser(se_GetFleetCommand) .de(de_GetFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFleetRequest; + output: GetFleetResponse; + }; + sdk: { + input: GetFleetCommandInput; + output: GetFleetCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetLoggingOptionsCommand.ts b/clients/client-iotfleetwise/src/commands/GetLoggingOptionsCommand.ts index 6252989b294a..adfc145646a6 100644 --- a/clients/client-iotfleetwise/src/commands/GetLoggingOptionsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetLoggingOptionsCommand.ts @@ -87,4 +87,16 @@ export class GetLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggingOptionsCommand) .de(de_GetLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetLoggingOptionsResponse; + }; + sdk: { + input: GetLoggingOptionsCommandInput; + output: GetLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetModelManifestCommand.ts b/clients/client-iotfleetwise/src/commands/GetModelManifestCommand.ts index 2caecc62695a..4a119ad0cf1f 100644 --- a/clients/client-iotfleetwise/src/commands/GetModelManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetModelManifestCommand.ts @@ -98,4 +98,16 @@ export class GetModelManifestCommand extends $Command .f(void 0, void 0) .ser(se_GetModelManifestCommand) .de(de_GetModelManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelManifestRequest; + output: GetModelManifestResponse; + }; + sdk: { + input: GetModelManifestCommandInput; + output: GetModelManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetRegisterAccountStatusCommand.ts b/clients/client-iotfleetwise/src/commands/GetRegisterAccountStatusCommand.ts index 144f4cadd24b..6e66b7381ad1 100644 --- a/clients/client-iotfleetwise/src/commands/GetRegisterAccountStatusCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetRegisterAccountStatusCommand.ts @@ -112,4 +112,16 @@ export class GetRegisterAccountStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetRegisterAccountStatusCommand) .de(de_GetRegisterAccountStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetRegisterAccountStatusResponse; + }; + sdk: { + input: GetRegisterAccountStatusCommandInput; + output: GetRegisterAccountStatusCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetSignalCatalogCommand.ts b/clients/client-iotfleetwise/src/commands/GetSignalCatalogCommand.ts index ce4d02626009..a381885c9bf1 100644 --- a/clients/client-iotfleetwise/src/commands/GetSignalCatalogCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetSignalCatalogCommand.ts @@ -105,4 +105,16 @@ export class GetSignalCatalogCommand extends $Command .f(void 0, void 0) .ser(se_GetSignalCatalogCommand) .de(de_GetSignalCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSignalCatalogRequest; + output: GetSignalCatalogResponse; + }; + sdk: { + input: GetSignalCatalogCommandInput; + output: GetSignalCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetVehicleCommand.ts b/clients/client-iotfleetwise/src/commands/GetVehicleCommand.ts index 65cc736bb567..f11b763f7ff0 100644 --- a/clients/client-iotfleetwise/src/commands/GetVehicleCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetVehicleCommand.ts @@ -100,4 +100,16 @@ export class GetVehicleCommand extends $Command .f(void 0, void 0) .ser(se_GetVehicleCommand) .de(de_GetVehicleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVehicleRequest; + output: GetVehicleResponse; + }; + sdk: { + input: GetVehicleCommandInput; + output: GetVehicleCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/GetVehicleStatusCommand.ts b/clients/client-iotfleetwise/src/commands/GetVehicleStatusCommand.ts index 935514fbf5e9..b3e47c972a78 100644 --- a/clients/client-iotfleetwise/src/commands/GetVehicleStatusCommand.ts +++ b/clients/client-iotfleetwise/src/commands/GetVehicleStatusCommand.ts @@ -102,4 +102,16 @@ export class GetVehicleStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetVehicleStatusCommand) .de(de_GetVehicleStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVehicleStatusRequest; + output: GetVehicleStatusResponse; + }; + sdk: { + input: GetVehicleStatusCommandInput; + output: GetVehicleStatusCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ImportDecoderManifestCommand.ts b/clients/client-iotfleetwise/src/commands/ImportDecoderManifestCommand.ts index a41b0a43efa4..bdbc2183ec6e 100644 --- a/clients/client-iotfleetwise/src/commands/ImportDecoderManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ImportDecoderManifestCommand.ts @@ -117,4 +117,16 @@ export class ImportDecoderManifestCommand extends $Command .f(void 0, void 0) .ser(se_ImportDecoderManifestCommand) .de(de_ImportDecoderManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportDecoderManifestRequest; + output: ImportDecoderManifestResponse; + }; + sdk: { + input: ImportDecoderManifestCommandInput; + output: ImportDecoderManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ImportSignalCatalogCommand.ts b/clients/client-iotfleetwise/src/commands/ImportSignalCatalogCommand.ts index ead979807fed..f847d377ca8d 100644 --- a/clients/client-iotfleetwise/src/commands/ImportSignalCatalogCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ImportSignalCatalogCommand.ts @@ -114,4 +114,16 @@ export class ImportSignalCatalogCommand extends $Command .f(void 0, void 0) .ser(se_ImportSignalCatalogCommand) .de(de_ImportSignalCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportSignalCatalogRequest; + output: ImportSignalCatalogResponse; + }; + sdk: { + input: ImportSignalCatalogCommandInput; + output: ImportSignalCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListCampaignsCommand.ts b/clients/client-iotfleetwise/src/commands/ListCampaignsCommand.ts index 29efc9731945..585a33080019 100644 --- a/clients/client-iotfleetwise/src/commands/ListCampaignsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListCampaignsCommand.ts @@ -106,4 +106,16 @@ export class ListCampaignsCommand extends $Command .f(void 0, void 0) .ser(se_ListCampaignsCommand) .de(de_ListCampaignsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCampaignsRequest; + output: ListCampaignsResponse; + }; + sdk: { + input: ListCampaignsCommandInput; + output: ListCampaignsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListDecoderManifestNetworkInterfacesCommand.ts b/clients/client-iotfleetwise/src/commands/ListDecoderManifestNetworkInterfacesCommand.ts index c39de5ccee18..5d0b6ed825cc 100644 --- a/clients/client-iotfleetwise/src/commands/ListDecoderManifestNetworkInterfacesCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListDecoderManifestNetworkInterfacesCommand.ts @@ -129,4 +129,16 @@ export class ListDecoderManifestNetworkInterfacesCommand extends $Command .f(void 0, void 0) .ser(se_ListDecoderManifestNetworkInterfacesCommand) .de(de_ListDecoderManifestNetworkInterfacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDecoderManifestNetworkInterfacesRequest; + output: ListDecoderManifestNetworkInterfacesResponse; + }; + sdk: { + input: ListDecoderManifestNetworkInterfacesCommandInput; + output: ListDecoderManifestNetworkInterfacesCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListDecoderManifestSignalsCommand.ts b/clients/client-iotfleetwise/src/commands/ListDecoderManifestSignalsCommand.ts index 815bb2692d24..a8c94d851ce6 100644 --- a/clients/client-iotfleetwise/src/commands/ListDecoderManifestSignalsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListDecoderManifestSignalsCommand.ts @@ -171,4 +171,16 @@ export class ListDecoderManifestSignalsCommand extends $Command .f(void 0, void 0) .ser(se_ListDecoderManifestSignalsCommand) .de(de_ListDecoderManifestSignalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDecoderManifestSignalsRequest; + output: ListDecoderManifestSignalsResponse; + }; + sdk: { + input: ListDecoderManifestSignalsCommandInput; + output: ListDecoderManifestSignalsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListDecoderManifestsCommand.ts b/clients/client-iotfleetwise/src/commands/ListDecoderManifestsCommand.ts index ce03682d8d89..c86917b378c5 100644 --- a/clients/client-iotfleetwise/src/commands/ListDecoderManifestsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListDecoderManifestsCommand.ts @@ -106,4 +106,16 @@ export class ListDecoderManifestsCommand extends $Command .f(void 0, void 0) .ser(se_ListDecoderManifestsCommand) .de(de_ListDecoderManifestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDecoderManifestsRequest; + output: ListDecoderManifestsResponse; + }; + sdk: { + input: ListDecoderManifestsCommandInput; + output: ListDecoderManifestsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListFleetsCommand.ts b/clients/client-iotfleetwise/src/commands/ListFleetsCommand.ts index 5320de7c4876..4973241df621 100644 --- a/clients/client-iotfleetwise/src/commands/ListFleetsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListFleetsCommand.ts @@ -106,4 +106,16 @@ export class ListFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetsCommand) .de(de_ListFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetsRequest; + output: ListFleetsResponse; + }; + sdk: { + input: ListFleetsCommandInput; + output: ListFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListFleetsForVehicleCommand.ts b/clients/client-iotfleetwise/src/commands/ListFleetsForVehicleCommand.ts index 07e2015c9c2f..8c82f42a9482 100644 --- a/clients/client-iotfleetwise/src/commands/ListFleetsForVehicleCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListFleetsForVehicleCommand.ts @@ -100,4 +100,16 @@ export class ListFleetsForVehicleCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetsForVehicleCommand) .de(de_ListFleetsForVehicleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetsForVehicleRequest; + output: ListFleetsForVehicleResponse; + }; + sdk: { + input: ListFleetsForVehicleCommandInput; + output: ListFleetsForVehicleCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListModelManifestNodesCommand.ts b/clients/client-iotfleetwise/src/commands/ListModelManifestNodesCommand.ts index c88a18e2f050..d255f076981e 100644 --- a/clients/client-iotfleetwise/src/commands/ListModelManifestNodesCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListModelManifestNodesCommand.ts @@ -169,4 +169,16 @@ export class ListModelManifestNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListModelManifestNodesCommand) .de(de_ListModelManifestNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelManifestNodesRequest; + output: ListModelManifestNodesResponse; + }; + sdk: { + input: ListModelManifestNodesCommandInput; + output: ListModelManifestNodesCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListModelManifestsCommand.ts b/clients/client-iotfleetwise/src/commands/ListModelManifestsCommand.ts index 58e9a5e8ec40..5ca43ba8bcda 100644 --- a/clients/client-iotfleetwise/src/commands/ListModelManifestsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListModelManifestsCommand.ts @@ -105,4 +105,16 @@ export class ListModelManifestsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelManifestsCommand) .de(de_ListModelManifestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelManifestsRequest; + output: ListModelManifestsResponse; + }; + sdk: { + input: ListModelManifestsCommandInput; + output: ListModelManifestsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListSignalCatalogNodesCommand.ts b/clients/client-iotfleetwise/src/commands/ListSignalCatalogNodesCommand.ts index 4edec4a75cd5..34e4a0007d0d 100644 --- a/clients/client-iotfleetwise/src/commands/ListSignalCatalogNodesCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListSignalCatalogNodesCommand.ts @@ -170,4 +170,16 @@ export class ListSignalCatalogNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListSignalCatalogNodesCommand) .de(de_ListSignalCatalogNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSignalCatalogNodesRequest; + output: ListSignalCatalogNodesResponse; + }; + sdk: { + input: ListSignalCatalogNodesCommandInput; + output: ListSignalCatalogNodesCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListSignalCatalogsCommand.ts b/clients/client-iotfleetwise/src/commands/ListSignalCatalogsCommand.ts index 2812a1c0794d..dcb4a96dd7e8 100644 --- a/clients/client-iotfleetwise/src/commands/ListSignalCatalogsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListSignalCatalogsCommand.ts @@ -103,4 +103,16 @@ export class ListSignalCatalogsCommand extends $Command .f(void 0, void 0) .ser(se_ListSignalCatalogsCommand) .de(de_ListSignalCatalogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSignalCatalogsRequest; + output: ListSignalCatalogsResponse; + }; + sdk: { + input: ListSignalCatalogsCommandInput; + output: ListSignalCatalogsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListTagsForResourceCommand.ts b/clients/client-iotfleetwise/src/commands/ListTagsForResourceCommand.ts index a6c07ce33103..50f6e8b65ad5 100644 --- a/clients/client-iotfleetwise/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListVehiclesCommand.ts b/clients/client-iotfleetwise/src/commands/ListVehiclesCommand.ts index af5a88b29d55..186345ac5a77 100644 --- a/clients/client-iotfleetwise/src/commands/ListVehiclesCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListVehiclesCommand.ts @@ -113,4 +113,16 @@ export class ListVehiclesCommand extends $Command .f(void 0, void 0) .ser(se_ListVehiclesCommand) .de(de_ListVehiclesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVehiclesRequest; + output: ListVehiclesResponse; + }; + sdk: { + input: ListVehiclesCommandInput; + output: ListVehiclesCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/ListVehiclesInFleetCommand.ts b/clients/client-iotfleetwise/src/commands/ListVehiclesInFleetCommand.ts index 4064cdce6786..908d04f1f62f 100644 --- a/clients/client-iotfleetwise/src/commands/ListVehiclesInFleetCommand.ts +++ b/clients/client-iotfleetwise/src/commands/ListVehiclesInFleetCommand.ts @@ -100,4 +100,16 @@ export class ListVehiclesInFleetCommand extends $Command .f(void 0, void 0) .ser(se_ListVehiclesInFleetCommand) .de(de_ListVehiclesInFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVehiclesInFleetRequest; + output: ListVehiclesInFleetResponse; + }; + sdk: { + input: ListVehiclesInFleetCommandInput; + output: ListVehiclesInFleetCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/PutEncryptionConfigurationCommand.ts b/clients/client-iotfleetwise/src/commands/PutEncryptionConfigurationCommand.ts index c8568a686495..dbf3ab3f0ccf 100644 --- a/clients/client-iotfleetwise/src/commands/PutEncryptionConfigurationCommand.ts +++ b/clients/client-iotfleetwise/src/commands/PutEncryptionConfigurationCommand.ts @@ -99,4 +99,16 @@ export class PutEncryptionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutEncryptionConfigurationCommand) .de(de_PutEncryptionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEncryptionConfigurationRequest; + output: PutEncryptionConfigurationResponse; + }; + sdk: { + input: PutEncryptionConfigurationCommandInput; + output: PutEncryptionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/PutLoggingOptionsCommand.ts b/clients/client-iotfleetwise/src/commands/PutLoggingOptionsCommand.ts index 0fc0465294b7..7f026bf9f8ee 100644 --- a/clients/client-iotfleetwise/src/commands/PutLoggingOptionsCommand.ts +++ b/clients/client-iotfleetwise/src/commands/PutLoggingOptionsCommand.ts @@ -97,4 +97,16 @@ export class PutLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutLoggingOptionsCommand) .de(de_PutLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLoggingOptionsRequest; + output: {}; + }; + sdk: { + input: PutLoggingOptionsCommandInput; + output: PutLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/RegisterAccountCommand.ts b/clients/client-iotfleetwise/src/commands/RegisterAccountCommand.ts index 322b836d8141..e6becfaaa872 100644 --- a/clients/client-iotfleetwise/src/commands/RegisterAccountCommand.ts +++ b/clients/client-iotfleetwise/src/commands/RegisterAccountCommand.ts @@ -125,4 +125,16 @@ export class RegisterAccountCommand extends $Command .f(void 0, void 0) .ser(se_RegisterAccountCommand) .de(de_RegisterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterAccountRequest; + output: RegisterAccountResponse; + }; + sdk: { + input: RegisterAccountCommandInput; + output: RegisterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/TagResourceCommand.ts b/clients/client-iotfleetwise/src/commands/TagResourceCommand.ts index 9fa25b94c398..f29ad82d6275 100644 --- a/clients/client-iotfleetwise/src/commands/TagResourceCommand.ts +++ b/clients/client-iotfleetwise/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/UntagResourceCommand.ts b/clients/client-iotfleetwise/src/commands/UntagResourceCommand.ts index b3e08a050326..611d0a70214e 100644 --- a/clients/client-iotfleetwise/src/commands/UntagResourceCommand.ts +++ b/clients/client-iotfleetwise/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/UpdateCampaignCommand.ts b/clients/client-iotfleetwise/src/commands/UpdateCampaignCommand.ts index 4bf7d1f63d2b..fc2aade1bb21 100644 --- a/clients/client-iotfleetwise/src/commands/UpdateCampaignCommand.ts +++ b/clients/client-iotfleetwise/src/commands/UpdateCampaignCommand.ts @@ -103,4 +103,16 @@ export class UpdateCampaignCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCampaignCommand) .de(de_UpdateCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCampaignRequest; + output: UpdateCampaignResponse; + }; + sdk: { + input: UpdateCampaignCommandInput; + output: UpdateCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/UpdateDecoderManifestCommand.ts b/clients/client-iotfleetwise/src/commands/UpdateDecoderManifestCommand.ts index 39828ceea165..b68462ae13ac 100644 --- a/clients/client-iotfleetwise/src/commands/UpdateDecoderManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/UpdateDecoderManifestCommand.ts @@ -267,4 +267,16 @@ export class UpdateDecoderManifestCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDecoderManifestCommand) .de(de_UpdateDecoderManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDecoderManifestRequest; + output: UpdateDecoderManifestResponse; + }; + sdk: { + input: UpdateDecoderManifestCommandInput; + output: UpdateDecoderManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/UpdateFleetCommand.ts b/clients/client-iotfleetwise/src/commands/UpdateFleetCommand.ts index 01956d5c6636..a051df347d7a 100644 --- a/clients/client-iotfleetwise/src/commands/UpdateFleetCommand.ts +++ b/clients/client-iotfleetwise/src/commands/UpdateFleetCommand.ts @@ -102,4 +102,16 @@ export class UpdateFleetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFleetCommand) .de(de_UpdateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetRequest; + output: UpdateFleetResponse; + }; + sdk: { + input: UpdateFleetCommandInput; + output: UpdateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/UpdateModelManifestCommand.ts b/clients/client-iotfleetwise/src/commands/UpdateModelManifestCommand.ts index 31f3bd3ca49c..b782f8ced0ae 100644 --- a/clients/client-iotfleetwise/src/commands/UpdateModelManifestCommand.ts +++ b/clients/client-iotfleetwise/src/commands/UpdateModelManifestCommand.ts @@ -109,4 +109,16 @@ export class UpdateModelManifestCommand extends $Command .f(void 0, void 0) .ser(se_UpdateModelManifestCommand) .de(de_UpdateModelManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelManifestRequest; + output: UpdateModelManifestResponse; + }; + sdk: { + input: UpdateModelManifestCommandInput; + output: UpdateModelManifestCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/UpdateSignalCatalogCommand.ts b/clients/client-iotfleetwise/src/commands/UpdateSignalCatalogCommand.ts index 02c4136797ea..fc6d35193ce2 100644 --- a/clients/client-iotfleetwise/src/commands/UpdateSignalCatalogCommand.ts +++ b/clients/client-iotfleetwise/src/commands/UpdateSignalCatalogCommand.ts @@ -247,4 +247,16 @@ export class UpdateSignalCatalogCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSignalCatalogCommand) .de(de_UpdateSignalCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSignalCatalogRequest; + output: UpdateSignalCatalogResponse; + }; + sdk: { + input: UpdateSignalCatalogCommandInput; + output: UpdateSignalCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-iotfleetwise/src/commands/UpdateVehicleCommand.ts b/clients/client-iotfleetwise/src/commands/UpdateVehicleCommand.ts index 909187f6dd8d..4a6a46adcdd9 100644 --- a/clients/client-iotfleetwise/src/commands/UpdateVehicleCommand.ts +++ b/clients/client-iotfleetwise/src/commands/UpdateVehicleCommand.ts @@ -103,4 +103,16 @@ export class UpdateVehicleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVehicleCommand) .de(de_UpdateVehicleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVehicleRequest; + output: UpdateVehicleResponse; + }; + sdk: { + input: UpdateVehicleCommandInput; + output: UpdateVehicleCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/package.json b/clients/client-iotsecuretunneling/package.json index 62cf1514e630..abbd45cbcd62 100644 --- a/clients/client-iotsecuretunneling/package.json +++ b/clients/client-iotsecuretunneling/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iotsecuretunneling/src/commands/CloseTunnelCommand.ts b/clients/client-iotsecuretunneling/src/commands/CloseTunnelCommand.ts index b82863c440b6..24c0fca8e398 100644 --- a/clients/client-iotsecuretunneling/src/commands/CloseTunnelCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/CloseTunnelCommand.ts @@ -86,4 +86,16 @@ export class CloseTunnelCommand extends $Command .f(void 0, void 0) .ser(se_CloseTunnelCommand) .de(de_CloseTunnelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CloseTunnelRequest; + output: {}; + }; + sdk: { + input: CloseTunnelCommandInput; + output: CloseTunnelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/src/commands/DescribeTunnelCommand.ts b/clients/client-iotsecuretunneling/src/commands/DescribeTunnelCommand.ts index 8f5527733a39..fa559aa902f5 100644 --- a/clients/client-iotsecuretunneling/src/commands/DescribeTunnelCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/DescribeTunnelCommand.ts @@ -115,4 +115,16 @@ export class DescribeTunnelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTunnelCommand) .de(de_DescribeTunnelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTunnelRequest; + output: DescribeTunnelResponse; + }; + sdk: { + input: DescribeTunnelCommandInput; + output: DescribeTunnelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/src/commands/ListTagsForResourceCommand.ts b/clients/client-iotsecuretunneling/src/commands/ListTagsForResourceCommand.ts index 22efc6a34fd1..cdcd417443f6 100644 --- a/clients/client-iotsecuretunneling/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/src/commands/ListTunnelsCommand.ts b/clients/client-iotsecuretunneling/src/commands/ListTunnelsCommand.ts index f00ed3e108dd..f7d944e1b11b 100644 --- a/clients/client-iotsecuretunneling/src/commands/ListTunnelsCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/ListTunnelsCommand.ts @@ -95,4 +95,16 @@ export class ListTunnelsCommand extends $Command .f(void 0, void 0) .ser(se_ListTunnelsCommand) .de(de_ListTunnelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTunnelsRequest; + output: ListTunnelsResponse; + }; + sdk: { + input: ListTunnelsCommandInput; + output: ListTunnelsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/src/commands/OpenTunnelCommand.ts b/clients/client-iotsecuretunneling/src/commands/OpenTunnelCommand.ts index 60ec0e6a7768..01bf1811bc37 100644 --- a/clients/client-iotsecuretunneling/src/commands/OpenTunnelCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/OpenTunnelCommand.ts @@ -104,4 +104,16 @@ export class OpenTunnelCommand extends $Command .f(void 0, OpenTunnelResponseFilterSensitiveLog) .ser(se_OpenTunnelCommand) .de(de_OpenTunnelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OpenTunnelRequest; + output: OpenTunnelResponse; + }; + sdk: { + input: OpenTunnelCommandInput; + output: OpenTunnelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/src/commands/RotateTunnelAccessTokenCommand.ts b/clients/client-iotsecuretunneling/src/commands/RotateTunnelAccessTokenCommand.ts index dc4aeb635a4b..c6c8d0c3ace9 100644 --- a/clients/client-iotsecuretunneling/src/commands/RotateTunnelAccessTokenCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/RotateTunnelAccessTokenCommand.ts @@ -105,4 +105,16 @@ export class RotateTunnelAccessTokenCommand extends $Command .f(void 0, RotateTunnelAccessTokenResponseFilterSensitiveLog) .ser(se_RotateTunnelAccessTokenCommand) .de(de_RotateTunnelAccessTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RotateTunnelAccessTokenRequest; + output: RotateTunnelAccessTokenResponse; + }; + sdk: { + input: RotateTunnelAccessTokenCommandInput; + output: RotateTunnelAccessTokenCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/src/commands/TagResourceCommand.ts b/clients/client-iotsecuretunneling/src/commands/TagResourceCommand.ts index 76ee9b0b1e9f..38b0492563d1 100644 --- a/clients/client-iotsecuretunneling/src/commands/TagResourceCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotsecuretunneling/src/commands/UntagResourceCommand.ts b/clients/client-iotsecuretunneling/src/commands/UntagResourceCommand.ts index 37b6bde515d4..808fa042ab7a 100644 --- a/clients/client-iotsecuretunneling/src/commands/UntagResourceCommand.ts +++ b/clients/client-iotsecuretunneling/src/commands/UntagResourceCommand.ts @@ -85,4 +85,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/package.json b/clients/client-iotsitewise/package.json index 5c76218fd74e..b68f07de6629 100644 --- a/clients/client-iotsitewise/package.json +++ b/clients/client-iotsitewise/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-iotsitewise/src/commands/AssociateAssetsCommand.ts b/clients/client-iotsitewise/src/commands/AssociateAssetsCommand.ts index 556de1f71557..43cc5b7f0743 100644 --- a/clients/client-iotsitewise/src/commands/AssociateAssetsCommand.ts +++ b/clients/client-iotsitewise/src/commands/AssociateAssetsCommand.ts @@ -109,4 +109,16 @@ export class AssociateAssetsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAssetsCommand) .de(de_AssociateAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAssetsRequest; + output: {}; + }; + sdk: { + input: AssociateAssetsCommandInput; + output: AssociateAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/AssociateTimeSeriesToAssetPropertyCommand.ts b/clients/client-iotsitewise/src/commands/AssociateTimeSeriesToAssetPropertyCommand.ts index e09b7929d6f4..242524875ff1 100644 --- a/clients/client-iotsitewise/src/commands/AssociateTimeSeriesToAssetPropertyCommand.ts +++ b/clients/client-iotsitewise/src/commands/AssociateTimeSeriesToAssetPropertyCommand.ts @@ -101,4 +101,16 @@ export class AssociateTimeSeriesToAssetPropertyCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTimeSeriesToAssetPropertyCommand) .de(de_AssociateTimeSeriesToAssetPropertyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTimeSeriesToAssetPropertyRequest; + output: {}; + }; + sdk: { + input: AssociateTimeSeriesToAssetPropertyCommandInput; + output: AssociateTimeSeriesToAssetPropertyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/BatchAssociateProjectAssetsCommand.ts b/clients/client-iotsitewise/src/commands/BatchAssociateProjectAssetsCommand.ts index 29fd7df360fd..ee99c7874492 100644 --- a/clients/client-iotsitewise/src/commands/BatchAssociateProjectAssetsCommand.ts +++ b/clients/client-iotsitewise/src/commands/BatchAssociateProjectAssetsCommand.ts @@ -114,4 +114,16 @@ export class BatchAssociateProjectAssetsCommand extends $Command .f(void 0, void 0) .ser(se_BatchAssociateProjectAssetsCommand) .de(de_BatchAssociateProjectAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateProjectAssetsRequest; + output: BatchAssociateProjectAssetsResponse; + }; + sdk: { + input: BatchAssociateProjectAssetsCommandInput; + output: BatchAssociateProjectAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/BatchDisassociateProjectAssetsCommand.ts b/clients/client-iotsitewise/src/commands/BatchDisassociateProjectAssetsCommand.ts index 54d24cef239a..92fa9ca7140e 100644 --- a/clients/client-iotsitewise/src/commands/BatchDisassociateProjectAssetsCommand.ts +++ b/clients/client-iotsitewise/src/commands/BatchDisassociateProjectAssetsCommand.ts @@ -108,4 +108,16 @@ export class BatchDisassociateProjectAssetsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisassociateProjectAssetsCommand) .de(de_BatchDisassociateProjectAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateProjectAssetsRequest; + output: BatchDisassociateProjectAssetsResponse; + }; + sdk: { + input: BatchDisassociateProjectAssetsCommandInput; + output: BatchDisassociateProjectAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyAggregatesCommand.ts b/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyAggregatesCommand.ts index 7908875045fc..014dfa9c7f73 100644 --- a/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyAggregatesCommand.ts +++ b/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyAggregatesCommand.ts @@ -155,4 +155,16 @@ export class BatchGetAssetPropertyAggregatesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetAssetPropertyAggregatesCommand) .de(de_BatchGetAssetPropertyAggregatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetAssetPropertyAggregatesRequest; + output: BatchGetAssetPropertyAggregatesResponse; + }; + sdk: { + input: BatchGetAssetPropertyAggregatesCommandInput; + output: BatchGetAssetPropertyAggregatesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueCommand.ts b/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueCommand.ts index 5f76ab0ade8f..7f9eb3240474 100644 --- a/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueCommand.ts +++ b/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueCommand.ts @@ -137,4 +137,16 @@ export class BatchGetAssetPropertyValueCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetAssetPropertyValueCommand) .de(de_BatchGetAssetPropertyValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetAssetPropertyValueRequest; + output: BatchGetAssetPropertyValueResponse; + }; + sdk: { + input: BatchGetAssetPropertyValueCommandInput; + output: BatchGetAssetPropertyValueCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueHistoryCommand.ts b/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueHistoryCommand.ts index b7b055dfc4a8..28e90a93da26 100644 --- a/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueHistoryCommand.ts +++ b/clients/client-iotsitewise/src/commands/BatchGetAssetPropertyValueHistoryCommand.ts @@ -154,4 +154,16 @@ export class BatchGetAssetPropertyValueHistoryCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetAssetPropertyValueHistoryCommand) .de(de_BatchGetAssetPropertyValueHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetAssetPropertyValueHistoryRequest; + output: BatchGetAssetPropertyValueHistoryResponse; + }; + sdk: { + input: BatchGetAssetPropertyValueHistoryCommandInput; + output: BatchGetAssetPropertyValueHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/BatchPutAssetPropertyValueCommand.ts b/clients/client-iotsitewise/src/commands/BatchPutAssetPropertyValueCommand.ts index 63c9e59cf0f3..c11c685a876f 100644 --- a/clients/client-iotsitewise/src/commands/BatchPutAssetPropertyValueCommand.ts +++ b/clients/client-iotsitewise/src/commands/BatchPutAssetPropertyValueCommand.ts @@ -168,4 +168,16 @@ export class BatchPutAssetPropertyValueCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutAssetPropertyValueCommand) .de(de_BatchPutAssetPropertyValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutAssetPropertyValueRequest; + output: BatchPutAssetPropertyValueResponse; + }; + sdk: { + input: BatchPutAssetPropertyValueCommandInput; + output: BatchPutAssetPropertyValueCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateAccessPolicyCommand.ts b/clients/client-iotsitewise/src/commands/CreateAccessPolicyCommand.ts index b20ae57ddaa7..4622888c5c58 100644 --- a/clients/client-iotsitewise/src/commands/CreateAccessPolicyCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateAccessPolicyCommand.ts @@ -127,4 +127,16 @@ export class CreateAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessPolicyCommand) .de(de_CreateAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessPolicyRequest; + output: CreateAccessPolicyResponse; + }; + sdk: { + input: CreateAccessPolicyCommandInput; + output: CreateAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateAssetCommand.ts b/clients/client-iotsitewise/src/commands/CreateAssetCommand.ts index b43a4037561a..baf21711227c 100644 --- a/clients/client-iotsitewise/src/commands/CreateAssetCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateAssetCommand.ts @@ -129,4 +129,16 @@ export class CreateAssetCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssetCommand) .de(de_CreateAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetRequest; + output: CreateAssetResponse; + }; + sdk: { + input: CreateAssetCommandInput; + output: CreateAssetCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateAssetModelCommand.ts b/clients/client-iotsitewise/src/commands/CreateAssetModelCommand.ts index 10461d2a23a1..8e81b427479c 100644 --- a/clients/client-iotsitewise/src/commands/CreateAssetModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateAssetModelCommand.ts @@ -311,4 +311,16 @@ export class CreateAssetModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssetModelCommand) .de(de_CreateAssetModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetModelRequest; + output: CreateAssetModelResponse; + }; + sdk: { + input: CreateAssetModelCommandInput; + output: CreateAssetModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateAssetModelCompositeModelCommand.ts b/clients/client-iotsitewise/src/commands/CreateAssetModelCompositeModelCommand.ts index 0d06249b4eec..805bfd92af03 100644 --- a/clients/client-iotsitewise/src/commands/CreateAssetModelCompositeModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateAssetModelCompositeModelCommand.ts @@ -233,4 +233,16 @@ export class CreateAssetModelCompositeModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssetModelCompositeModelCommand) .de(de_CreateAssetModelCompositeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetModelCompositeModelRequest; + output: CreateAssetModelCompositeModelResponse; + }; + sdk: { + input: CreateAssetModelCompositeModelCommandInput; + output: CreateAssetModelCompositeModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateBulkImportJobCommand.ts b/clients/client-iotsitewise/src/commands/CreateBulkImportJobCommand.ts index abb3ee1633c1..0496c70cbdb4 100644 --- a/clients/client-iotsitewise/src/commands/CreateBulkImportJobCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateBulkImportJobCommand.ts @@ -139,4 +139,16 @@ export class CreateBulkImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateBulkImportJobCommand) .de(de_CreateBulkImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBulkImportJobRequest; + output: CreateBulkImportJobResponse; + }; + sdk: { + input: CreateBulkImportJobCommandInput; + output: CreateBulkImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateDashboardCommand.ts b/clients/client-iotsitewise/src/commands/CreateDashboardCommand.ts index c9a25527a5df..44f66df71dc7 100644 --- a/clients/client-iotsitewise/src/commands/CreateDashboardCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateDashboardCommand.ts @@ -107,4 +107,16 @@ export class CreateDashboardCommand extends $Command .f(void 0, void 0) .ser(se_CreateDashboardCommand) .de(de_CreateDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDashboardRequest; + output: CreateDashboardResponse; + }; + sdk: { + input: CreateDashboardCommandInput; + output: CreateDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateGatewayCommand.ts b/clients/client-iotsitewise/src/commands/CreateGatewayCommand.ts index c06d2fbe3fed..8f14c9875b2a 100644 --- a/clients/client-iotsitewise/src/commands/CreateGatewayCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateGatewayCommand.ts @@ -116,4 +116,16 @@ export class CreateGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateGatewayCommand) .de(de_CreateGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGatewayRequest; + output: CreateGatewayResponse; + }; + sdk: { + input: CreateGatewayCommandInput; + output: CreateGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreatePortalCommand.ts b/clients/client-iotsitewise/src/commands/CreatePortalCommand.ts index 88b7f7acd9ce..41dfaf9c289e 100644 --- a/clients/client-iotsitewise/src/commands/CreatePortalCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreatePortalCommand.ts @@ -132,4 +132,16 @@ export class CreatePortalCommand extends $Command .f(void 0, void 0) .ser(se_CreatePortalCommand) .de(de_CreatePortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePortalRequest; + output: CreatePortalResponse; + }; + sdk: { + input: CreatePortalCommandInput; + output: CreatePortalCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/CreateProjectCommand.ts b/clients/client-iotsitewise/src/commands/CreateProjectCommand.ts index afb6e016a970..a6147377aa02 100644 --- a/clients/client-iotsitewise/src/commands/CreateProjectCommand.ts +++ b/clients/client-iotsitewise/src/commands/CreateProjectCommand.ts @@ -110,4 +110,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: CreateProjectResponse; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteAccessPolicyCommand.ts b/clients/client-iotsitewise/src/commands/DeleteAccessPolicyCommand.ts index cef92cb7e783..3d3619edbd0b 100644 --- a/clients/client-iotsitewise/src/commands/DeleteAccessPolicyCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteAccessPolicyCommand.ts @@ -94,4 +94,16 @@ export class DeleteAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessPolicyCommand) .de(de_DeleteAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteAccessPolicyCommandInput; + output: DeleteAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteAssetCommand.ts b/clients/client-iotsitewise/src/commands/DeleteAssetCommand.ts index b623115a8859..220cc581a833 100644 --- a/clients/client-iotsitewise/src/commands/DeleteAssetCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteAssetCommand.ts @@ -115,4 +115,16 @@ export class DeleteAssetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetCommand) .de(de_DeleteAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetRequest; + output: DeleteAssetResponse; + }; + sdk: { + input: DeleteAssetCommandInput; + output: DeleteAssetCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteAssetModelCommand.ts b/clients/client-iotsitewise/src/commands/DeleteAssetModelCommand.ts index 00e7e15bfcf2..fe02cb808755 100644 --- a/clients/client-iotsitewise/src/commands/DeleteAssetModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteAssetModelCommand.ts @@ -120,4 +120,16 @@ export class DeleteAssetModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetModelCommand) .de(de_DeleteAssetModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetModelRequest; + output: DeleteAssetModelResponse; + }; + sdk: { + input: DeleteAssetModelCommandInput; + output: DeleteAssetModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteAssetModelCompositeModelCommand.ts b/clients/client-iotsitewise/src/commands/DeleteAssetModelCompositeModelCommand.ts index e5f2682970ec..0ffefed209c0 100644 --- a/clients/client-iotsitewise/src/commands/DeleteAssetModelCompositeModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteAssetModelCompositeModelCommand.ts @@ -126,4 +126,16 @@ export class DeleteAssetModelCompositeModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetModelCompositeModelCommand) .de(de_DeleteAssetModelCompositeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetModelCompositeModelRequest; + output: DeleteAssetModelCompositeModelResponse; + }; + sdk: { + input: DeleteAssetModelCompositeModelCommandInput; + output: DeleteAssetModelCompositeModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteDashboardCommand.ts b/clients/client-iotsitewise/src/commands/DeleteDashboardCommand.ts index dd4aff4f0b59..2886ce327447 100644 --- a/clients/client-iotsitewise/src/commands/DeleteDashboardCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteDashboardCommand.ts @@ -92,4 +92,16 @@ export class DeleteDashboardCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDashboardCommand) .de(de_DeleteDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDashboardRequest; + output: {}; + }; + sdk: { + input: DeleteDashboardCommandInput; + output: DeleteDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteGatewayCommand.ts b/clients/client-iotsitewise/src/commands/DeleteGatewayCommand.ts index 3539f414119f..433dc31d0d87 100644 --- a/clients/client-iotsitewise/src/commands/DeleteGatewayCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteGatewayCommand.ts @@ -96,4 +96,16 @@ export class DeleteGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGatewayCommand) .de(de_DeleteGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGatewayRequest; + output: {}; + }; + sdk: { + input: DeleteGatewayCommandInput; + output: DeleteGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeletePortalCommand.ts b/clients/client-iotsitewise/src/commands/DeletePortalCommand.ts index e3fee953450e..064842ea5cba 100644 --- a/clients/client-iotsitewise/src/commands/DeletePortalCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeletePortalCommand.ts @@ -104,4 +104,16 @@ export class DeletePortalCommand extends $Command .f(void 0, void 0) .ser(se_DeletePortalCommand) .de(de_DeletePortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePortalRequest; + output: DeletePortalResponse; + }; + sdk: { + input: DeletePortalCommandInput; + output: DeletePortalCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteProjectCommand.ts b/clients/client-iotsitewise/src/commands/DeleteProjectCommand.ts index a13a125d1e2a..5b9ffb8a6d73 100644 --- a/clients/client-iotsitewise/src/commands/DeleteProjectCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteProjectCommand.ts @@ -92,4 +92,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: {}; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DeleteTimeSeriesCommand.ts b/clients/client-iotsitewise/src/commands/DeleteTimeSeriesCommand.ts index afcc2ec45062..a7f919960ccd 100644 --- a/clients/client-iotsitewise/src/commands/DeleteTimeSeriesCommand.ts +++ b/clients/client-iotsitewise/src/commands/DeleteTimeSeriesCommand.ts @@ -119,4 +119,16 @@ export class DeleteTimeSeriesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTimeSeriesCommand) .de(de_DeleteTimeSeriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTimeSeriesRequest; + output: {}; + }; + sdk: { + input: DeleteTimeSeriesCommandInput; + output: DeleteTimeSeriesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeAccessPolicyCommand.ts b/clients/client-iotsitewise/src/commands/DescribeAccessPolicyCommand.ts index cc2de16a523b..ae6133807b66 100644 --- a/clients/client-iotsitewise/src/commands/DescribeAccessPolicyCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeAccessPolicyCommand.ts @@ -120,4 +120,16 @@ export class DescribeAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccessPolicyCommand) .de(de_DescribeAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccessPolicyRequest; + output: DescribeAccessPolicyResponse; + }; + sdk: { + input: DescribeAccessPolicyCommandInput; + output: DescribeAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeActionCommand.ts b/clients/client-iotsitewise/src/commands/DescribeActionCommand.ts index 9183fd65b1ac..13647d455b82 100644 --- a/clients/client-iotsitewise/src/commands/DescribeActionCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeActionCommand.ts @@ -101,4 +101,16 @@ export class DescribeActionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeActionCommand) .de(de_DescribeActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeActionRequest; + output: DescribeActionResponse; + }; + sdk: { + input: DescribeActionCommandInput; + output: DescribeActionCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeAssetCommand.ts b/clients/client-iotsitewise/src/commands/DescribeAssetCommand.ts index 460efb6c538c..52d6b714d0b9 100644 --- a/clients/client-iotsitewise/src/commands/DescribeAssetCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeAssetCommand.ts @@ -187,4 +187,16 @@ export class DescribeAssetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssetCommand) .de(de_DescribeAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetRequest; + output: DescribeAssetResponse; + }; + sdk: { + input: DescribeAssetCommandInput; + output: DescribeAssetCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeAssetCompositeModelCommand.ts b/clients/client-iotsitewise/src/commands/DescribeAssetCompositeModelCommand.ts index 7bd042a5833b..c15d49879bbe 100644 --- a/clients/client-iotsitewise/src/commands/DescribeAssetCompositeModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeAssetCompositeModelCommand.ts @@ -156,4 +156,16 @@ export class DescribeAssetCompositeModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssetCompositeModelCommand) .de(de_DescribeAssetCompositeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetCompositeModelRequest; + output: DescribeAssetCompositeModelResponse; + }; + sdk: { + input: DescribeAssetCompositeModelCommandInput; + output: DescribeAssetCompositeModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeAssetModelCommand.ts b/clients/client-iotsitewise/src/commands/DescribeAssetModelCommand.ts index 93dab40a2502..ab1db5d83215 100644 --- a/clients/client-iotsitewise/src/commands/DescribeAssetModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeAssetModelCommand.ts @@ -292,4 +292,16 @@ export class DescribeAssetModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssetModelCommand) .de(de_DescribeAssetModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetModelRequest; + output: DescribeAssetModelResponse; + }; + sdk: { + input: DescribeAssetModelCommandInput; + output: DescribeAssetModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeAssetModelCompositeModelCommand.ts b/clients/client-iotsitewise/src/commands/DescribeAssetModelCompositeModelCommand.ts index 002ead76811b..1260b4596b54 100644 --- a/clients/client-iotsitewise/src/commands/DescribeAssetModelCompositeModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeAssetModelCompositeModelCommand.ts @@ -221,4 +221,16 @@ export class DescribeAssetModelCompositeModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssetModelCompositeModelCommand) .de(de_DescribeAssetModelCompositeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetModelCompositeModelRequest; + output: DescribeAssetModelCompositeModelResponse; + }; + sdk: { + input: DescribeAssetModelCompositeModelCommandInput; + output: DescribeAssetModelCompositeModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeAssetPropertyCommand.ts b/clients/client-iotsitewise/src/commands/DescribeAssetPropertyCommand.ts index c3251605f792..628cc472f572 100644 --- a/clients/client-iotsitewise/src/commands/DescribeAssetPropertyCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeAssetPropertyCommand.ts @@ -272,4 +272,16 @@ export class DescribeAssetPropertyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssetPropertyCommand) .de(de_DescribeAssetPropertyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetPropertyRequest; + output: DescribeAssetPropertyResponse; + }; + sdk: { + input: DescribeAssetPropertyCommandInput; + output: DescribeAssetPropertyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeBulkImportJobCommand.ts b/clients/client-iotsitewise/src/commands/DescribeBulkImportJobCommand.ts index 8bd6cd7e4dbd..6b27a5cc9503 100644 --- a/clients/client-iotsitewise/src/commands/DescribeBulkImportJobCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeBulkImportJobCommand.ts @@ -122,4 +122,16 @@ export class DescribeBulkImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBulkImportJobCommand) .de(de_DescribeBulkImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBulkImportJobRequest; + output: DescribeBulkImportJobResponse; + }; + sdk: { + input: DescribeBulkImportJobCommandInput; + output: DescribeBulkImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeDashboardCommand.ts b/clients/client-iotsitewise/src/commands/DescribeDashboardCommand.ts index ed1fb58cc071..5edaf50c4dd3 100644 --- a/clients/client-iotsitewise/src/commands/DescribeDashboardCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeDashboardCommand.ts @@ -100,4 +100,16 @@ export class DescribeDashboardCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDashboardCommand) .de(de_DescribeDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDashboardRequest; + output: DescribeDashboardResponse; + }; + sdk: { + input: DescribeDashboardCommandInput; + output: DescribeDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeDefaultEncryptionConfigurationCommand.ts b/clients/client-iotsitewise/src/commands/DescribeDefaultEncryptionConfigurationCommand.ts index a8ef82d77b8c..8a2b425b992b 100644 --- a/clients/client-iotsitewise/src/commands/DescribeDefaultEncryptionConfigurationCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeDefaultEncryptionConfigurationCommand.ts @@ -107,4 +107,16 @@ export class DescribeDefaultEncryptionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDefaultEncryptionConfigurationCommand) .de(de_DescribeDefaultEncryptionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeDefaultEncryptionConfigurationResponse; + }; + sdk: { + input: DescribeDefaultEncryptionConfigurationCommandInput; + output: DescribeDefaultEncryptionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeGatewayCapabilityConfigurationCommand.ts b/clients/client-iotsitewise/src/commands/DescribeGatewayCapabilityConfigurationCommand.ts index efdb5a6c75fc..66010f02c93c 100644 --- a/clients/client-iotsitewise/src/commands/DescribeGatewayCapabilityConfigurationCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeGatewayCapabilityConfigurationCommand.ts @@ -110,4 +110,16 @@ export class DescribeGatewayCapabilityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGatewayCapabilityConfigurationCommand) .de(de_DescribeGatewayCapabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGatewayCapabilityConfigurationRequest; + output: DescribeGatewayCapabilityConfigurationResponse; + }; + sdk: { + input: DescribeGatewayCapabilityConfigurationCommandInput; + output: DescribeGatewayCapabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeGatewayCommand.ts b/clients/client-iotsitewise/src/commands/DescribeGatewayCommand.ts index 3e734614a6a7..9e69afae6500 100644 --- a/clients/client-iotsitewise/src/commands/DescribeGatewayCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeGatewayCommand.ts @@ -114,4 +114,16 @@ export class DescribeGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGatewayCommand) .de(de_DescribeGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGatewayRequest; + output: DescribeGatewayResponse; + }; + sdk: { + input: DescribeGatewayCommandInput; + output: DescribeGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeLoggingOptionsCommand.ts b/clients/client-iotsitewise/src/commands/DescribeLoggingOptionsCommand.ts index 30794b448fce..a91fb81aee55 100644 --- a/clients/client-iotsitewise/src/commands/DescribeLoggingOptionsCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeLoggingOptionsCommand.ts @@ -93,4 +93,16 @@ export class DescribeLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoggingOptionsCommand) .de(de_DescribeLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeLoggingOptionsResponse; + }; + sdk: { + input: DescribeLoggingOptionsCommandInput; + output: DescribeLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribePortalCommand.ts b/clients/client-iotsitewise/src/commands/DescribePortalCommand.ts index d2808d68f416..767a81d526aa 100644 --- a/clients/client-iotsitewise/src/commands/DescribePortalCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribePortalCommand.ts @@ -119,4 +119,16 @@ export class DescribePortalCommand extends $Command .f(void 0, void 0) .ser(se_DescribePortalCommand) .de(de_DescribePortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePortalRequest; + output: DescribePortalResponse; + }; + sdk: { + input: DescribePortalCommandInput; + output: DescribePortalCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeProjectCommand.ts b/clients/client-iotsitewise/src/commands/DescribeProjectCommand.ts index b14d5effabd8..757cf642d606 100644 --- a/clients/client-iotsitewise/src/commands/DescribeProjectCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeProjectCommand.ts @@ -99,4 +99,16 @@ export class DescribeProjectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProjectCommand) .de(de_DescribeProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProjectRequest; + output: DescribeProjectResponse; + }; + sdk: { + input: DescribeProjectCommandInput; + output: DescribeProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeStorageConfigurationCommand.ts b/clients/client-iotsitewise/src/commands/DescribeStorageConfigurationCommand.ts index 453491b6f3a4..3d3c31f5c6b2 100644 --- a/clients/client-iotsitewise/src/commands/DescribeStorageConfigurationCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeStorageConfigurationCommand.ts @@ -130,4 +130,16 @@ export class DescribeStorageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStorageConfigurationCommand) .de(de_DescribeStorageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeStorageConfigurationResponse; + }; + sdk: { + input: DescribeStorageConfigurationCommandInput; + output: DescribeStorageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DescribeTimeSeriesCommand.ts b/clients/client-iotsitewise/src/commands/DescribeTimeSeriesCommand.ts index fb5ee2e20557..0eca0d1cd065 100644 --- a/clients/client-iotsitewise/src/commands/DescribeTimeSeriesCommand.ts +++ b/clients/client-iotsitewise/src/commands/DescribeTimeSeriesCommand.ts @@ -122,4 +122,16 @@ export class DescribeTimeSeriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTimeSeriesCommand) .de(de_DescribeTimeSeriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTimeSeriesRequest; + output: DescribeTimeSeriesResponse; + }; + sdk: { + input: DescribeTimeSeriesCommandInput; + output: DescribeTimeSeriesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DisassociateAssetsCommand.ts b/clients/client-iotsitewise/src/commands/DisassociateAssetsCommand.ts index f94ef96d27c3..ec82bedb1425 100644 --- a/clients/client-iotsitewise/src/commands/DisassociateAssetsCommand.ts +++ b/clients/client-iotsitewise/src/commands/DisassociateAssetsCommand.ts @@ -99,4 +99,16 @@ export class DisassociateAssetsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAssetsCommand) .de(de_DisassociateAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAssetsRequest; + output: {}; + }; + sdk: { + input: DisassociateAssetsCommandInput; + output: DisassociateAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/DisassociateTimeSeriesFromAssetPropertyCommand.ts b/clients/client-iotsitewise/src/commands/DisassociateTimeSeriesFromAssetPropertyCommand.ts index 334c704d16d7..05327dc8be36 100644 --- a/clients/client-iotsitewise/src/commands/DisassociateTimeSeriesFromAssetPropertyCommand.ts +++ b/clients/client-iotsitewise/src/commands/DisassociateTimeSeriesFromAssetPropertyCommand.ts @@ -102,4 +102,16 @@ export class DisassociateTimeSeriesFromAssetPropertyCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTimeSeriesFromAssetPropertyCommand) .de(de_DisassociateTimeSeriesFromAssetPropertyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTimeSeriesFromAssetPropertyRequest; + output: {}; + }; + sdk: { + input: DisassociateTimeSeriesFromAssetPropertyCommandInput; + output: DisassociateTimeSeriesFromAssetPropertyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ExecuteActionCommand.ts b/clients/client-iotsitewise/src/commands/ExecuteActionCommand.ts index d4b821367390..f10f395a8287 100644 --- a/clients/client-iotsitewise/src/commands/ExecuteActionCommand.ts +++ b/clients/client-iotsitewise/src/commands/ExecuteActionCommand.ts @@ -110,4 +110,16 @@ export class ExecuteActionCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteActionCommand) .de(de_ExecuteActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteActionRequest; + output: ExecuteActionResponse; + }; + sdk: { + input: ExecuteActionCommandInput; + output: ExecuteActionCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ExecuteQueryCommand.ts b/clients/client-iotsitewise/src/commands/ExecuteQueryCommand.ts index 585c0fe7d2f1..772609a878c9 100644 --- a/clients/client-iotsitewise/src/commands/ExecuteQueryCommand.ts +++ b/clients/client-iotsitewise/src/commands/ExecuteQueryCommand.ts @@ -135,4 +135,16 @@ export class ExecuteQueryCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteQueryCommand) .de(de_ExecuteQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteQueryRequest; + output: ExecuteQueryResponse; + }; + sdk: { + input: ExecuteQueryCommandInput; + output: ExecuteQueryCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/GetAssetPropertyAggregatesCommand.ts b/clients/client-iotsitewise/src/commands/GetAssetPropertyAggregatesCommand.ts index 2ce7201ee004..dc1c3090c373 100644 --- a/clients/client-iotsitewise/src/commands/GetAssetPropertyAggregatesCommand.ts +++ b/clients/client-iotsitewise/src/commands/GetAssetPropertyAggregatesCommand.ts @@ -135,4 +135,16 @@ export class GetAssetPropertyAggregatesCommand extends $Command .f(void 0, void 0) .ser(se_GetAssetPropertyAggregatesCommand) .de(de_GetAssetPropertyAggregatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetPropertyAggregatesRequest; + output: GetAssetPropertyAggregatesResponse; + }; + sdk: { + input: GetAssetPropertyAggregatesCommandInput; + output: GetAssetPropertyAggregatesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/GetAssetPropertyValueCommand.ts b/clients/client-iotsitewise/src/commands/GetAssetPropertyValueCommand.ts index 40e8e92155fd..ade984af7f87 100644 --- a/clients/client-iotsitewise/src/commands/GetAssetPropertyValueCommand.ts +++ b/clients/client-iotsitewise/src/commands/GetAssetPropertyValueCommand.ts @@ -121,4 +121,16 @@ export class GetAssetPropertyValueCommand extends $Command .f(void 0, void 0) .ser(se_GetAssetPropertyValueCommand) .de(de_GetAssetPropertyValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetPropertyValueRequest; + output: GetAssetPropertyValueResponse; + }; + sdk: { + input: GetAssetPropertyValueCommandInput; + output: GetAssetPropertyValueCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/GetAssetPropertyValueHistoryCommand.ts b/clients/client-iotsitewise/src/commands/GetAssetPropertyValueHistoryCommand.ts index 2131b80bbca3..8e9051d16882 100644 --- a/clients/client-iotsitewise/src/commands/GetAssetPropertyValueHistoryCommand.ts +++ b/clients/client-iotsitewise/src/commands/GetAssetPropertyValueHistoryCommand.ts @@ -137,4 +137,16 @@ export class GetAssetPropertyValueHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetAssetPropertyValueHistoryCommand) .de(de_GetAssetPropertyValueHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetPropertyValueHistoryRequest; + output: GetAssetPropertyValueHistoryResponse; + }; + sdk: { + input: GetAssetPropertyValueHistoryCommandInput; + output: GetAssetPropertyValueHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/GetInterpolatedAssetPropertyValuesCommand.ts b/clients/client-iotsitewise/src/commands/GetInterpolatedAssetPropertyValuesCommand.ts index 0893be74e2dc..3403dd180530 100644 --- a/clients/client-iotsitewise/src/commands/GetInterpolatedAssetPropertyValuesCommand.ts +++ b/clients/client-iotsitewise/src/commands/GetInterpolatedAssetPropertyValuesCommand.ts @@ -144,4 +144,16 @@ export class GetInterpolatedAssetPropertyValuesCommand extends $Command .f(void 0, void 0) .ser(se_GetInterpolatedAssetPropertyValuesCommand) .de(de_GetInterpolatedAssetPropertyValuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInterpolatedAssetPropertyValuesRequest; + output: GetInterpolatedAssetPropertyValuesResponse; + }; + sdk: { + input: GetInterpolatedAssetPropertyValuesCommandInput; + output: GetInterpolatedAssetPropertyValuesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAccessPoliciesCommand.ts b/clients/client-iotsitewise/src/commands/ListAccessPoliciesCommand.ts index 07e8f925e1ad..33ec99c43891 100644 --- a/clients/client-iotsitewise/src/commands/ListAccessPoliciesCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAccessPoliciesCommand.ts @@ -127,4 +127,16 @@ export class ListAccessPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessPoliciesCommand) .de(de_ListAccessPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessPoliciesRequest; + output: ListAccessPoliciesResponse; + }; + sdk: { + input: ListAccessPoliciesCommandInput; + output: ListAccessPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListActionsCommand.ts b/clients/client-iotsitewise/src/commands/ListActionsCommand.ts index 8d11b6f7bc43..1284983b3909 100644 --- a/clients/client-iotsitewise/src/commands/ListActionsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListActionsCommand.ts @@ -105,4 +105,16 @@ export class ListActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListActionsCommand) .de(de_ListActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActionsRequest; + output: ListActionsResponse; + }; + sdk: { + input: ListActionsCommandInput; + output: ListActionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAssetModelCompositeModelsCommand.ts b/clients/client-iotsitewise/src/commands/ListAssetModelCompositeModelsCommand.ts index bb948991038e..1261644dd4cc 100644 --- a/clients/client-iotsitewise/src/commands/ListAssetModelCompositeModelsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAssetModelCompositeModelsCommand.ts @@ -116,4 +116,16 @@ export class ListAssetModelCompositeModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetModelCompositeModelsCommand) .de(de_ListAssetModelCompositeModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetModelCompositeModelsRequest; + output: ListAssetModelCompositeModelsResponse; + }; + sdk: { + input: ListAssetModelCompositeModelsCommandInput; + output: ListAssetModelCompositeModelsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAssetModelPropertiesCommand.ts b/clients/client-iotsitewise/src/commands/ListAssetModelPropertiesCommand.ts index 3233a289689c..ecc391c49230 100644 --- a/clients/client-iotsitewise/src/commands/ListAssetModelPropertiesCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAssetModelPropertiesCommand.ts @@ -179,4 +179,16 @@ export class ListAssetModelPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetModelPropertiesCommand) .de(de_ListAssetModelPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetModelPropertiesRequest; + output: ListAssetModelPropertiesResponse; + }; + sdk: { + input: ListAssetModelPropertiesCommandInput; + output: ListAssetModelPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAssetModelsCommand.ts b/clients/client-iotsitewise/src/commands/ListAssetModelsCommand.ts index ae6b295a6121..b36a294a0bf0 100644 --- a/clients/client-iotsitewise/src/commands/ListAssetModelsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAssetModelsCommand.ts @@ -121,4 +121,16 @@ export class ListAssetModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetModelsCommand) .de(de_ListAssetModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetModelsRequest; + output: ListAssetModelsResponse; + }; + sdk: { + input: ListAssetModelsCommandInput; + output: ListAssetModelsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAssetPropertiesCommand.ts b/clients/client-iotsitewise/src/commands/ListAssetPropertiesCommand.ts index b316e63fd2cf..f01575817bcf 100644 --- a/clients/client-iotsitewise/src/commands/ListAssetPropertiesCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAssetPropertiesCommand.ts @@ -117,4 +117,16 @@ export class ListAssetPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetPropertiesCommand) .de(de_ListAssetPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetPropertiesRequest; + output: ListAssetPropertiesResponse; + }; + sdk: { + input: ListAssetPropertiesCommandInput; + output: ListAssetPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAssetRelationshipsCommand.ts b/clients/client-iotsitewise/src/commands/ListAssetRelationshipsCommand.ts index 928dc78f9a52..1b334908ac34 100644 --- a/clients/client-iotsitewise/src/commands/ListAssetRelationshipsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAssetRelationshipsCommand.ts @@ -107,4 +107,16 @@ export class ListAssetRelationshipsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetRelationshipsCommand) .de(de_ListAssetRelationshipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetRelationshipsRequest; + output: ListAssetRelationshipsResponse; + }; + sdk: { + input: ListAssetRelationshipsCommandInput; + output: ListAssetRelationshipsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAssetsCommand.ts b/clients/client-iotsitewise/src/commands/ListAssetsCommand.ts index b85c975e2586..32fc287236a8 100644 --- a/clients/client-iotsitewise/src/commands/ListAssetsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAssetsCommand.ts @@ -140,4 +140,16 @@ export class ListAssetsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetsCommand) .de(de_ListAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetsRequest; + output: ListAssetsResponse; + }; + sdk: { + input: ListAssetsCommandInput; + output: ListAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListAssociatedAssetsCommand.ts b/clients/client-iotsitewise/src/commands/ListAssociatedAssetsCommand.ts index 3fc7f9a0810c..5a61ef8fc923 100644 --- a/clients/client-iotsitewise/src/commands/ListAssociatedAssetsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListAssociatedAssetsCommand.ts @@ -140,4 +140,16 @@ export class ListAssociatedAssetsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedAssetsCommand) .de(de_ListAssociatedAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedAssetsRequest; + output: ListAssociatedAssetsResponse; + }; + sdk: { + input: ListAssociatedAssetsCommandInput; + output: ListAssociatedAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListBulkImportJobsCommand.ts b/clients/client-iotsitewise/src/commands/ListBulkImportJobsCommand.ts index 182a5ea2c97c..70d3aff5a289 100644 --- a/clients/client-iotsitewise/src/commands/ListBulkImportJobsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListBulkImportJobsCommand.ts @@ -103,4 +103,16 @@ export class ListBulkImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListBulkImportJobsCommand) .de(de_ListBulkImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBulkImportJobsRequest; + output: ListBulkImportJobsResponse; + }; + sdk: { + input: ListBulkImportJobsCommandInput; + output: ListBulkImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListCompositionRelationshipsCommand.ts b/clients/client-iotsitewise/src/commands/ListCompositionRelationshipsCommand.ts index 530a4e490ce1..53e5d9d7108a 100644 --- a/clients/client-iotsitewise/src/commands/ListCompositionRelationshipsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListCompositionRelationshipsCommand.ts @@ -108,4 +108,16 @@ export class ListCompositionRelationshipsCommand extends $Command .f(void 0, void 0) .ser(se_ListCompositionRelationshipsCommand) .de(de_ListCompositionRelationshipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCompositionRelationshipsRequest; + output: ListCompositionRelationshipsResponse; + }; + sdk: { + input: ListCompositionRelationshipsCommandInput; + output: ListCompositionRelationshipsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListDashboardsCommand.ts b/clients/client-iotsitewise/src/commands/ListDashboardsCommand.ts index 220fe06c21ea..710232ec47b2 100644 --- a/clients/client-iotsitewise/src/commands/ListDashboardsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListDashboardsCommand.ts @@ -101,4 +101,16 @@ export class ListDashboardsCommand extends $Command .f(void 0, void 0) .ser(se_ListDashboardsCommand) .de(de_ListDashboardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDashboardsRequest; + output: ListDashboardsResponse; + }; + sdk: { + input: ListDashboardsCommandInput; + output: ListDashboardsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListGatewaysCommand.ts b/clients/client-iotsitewise/src/commands/ListGatewaysCommand.ts index ddbec461204e..51a89c26b5c0 100644 --- a/clients/client-iotsitewise/src/commands/ListGatewaysCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListGatewaysCommand.ts @@ -116,4 +116,16 @@ export class ListGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_ListGatewaysCommand) .de(de_ListGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGatewaysRequest; + output: ListGatewaysResponse; + }; + sdk: { + input: ListGatewaysCommandInput; + output: ListGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListPortalsCommand.ts b/clients/client-iotsitewise/src/commands/ListPortalsCommand.ts index 769a14e4f15c..32d6cbe67b2b 100644 --- a/clients/client-iotsitewise/src/commands/ListPortalsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListPortalsCommand.ts @@ -109,4 +109,16 @@ export class ListPortalsCommand extends $Command .f(void 0, void 0) .ser(se_ListPortalsCommand) .de(de_ListPortalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPortalsRequest; + output: ListPortalsResponse; + }; + sdk: { + input: ListPortalsCommandInput; + output: ListPortalsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListProjectAssetsCommand.ts b/clients/client-iotsitewise/src/commands/ListProjectAssetsCommand.ts index 894ac10ea56d..0d4e6200af19 100644 --- a/clients/client-iotsitewise/src/commands/ListProjectAssetsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListProjectAssetsCommand.ts @@ -95,4 +95,16 @@ export class ListProjectAssetsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectAssetsCommand) .de(de_ListProjectAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectAssetsRequest; + output: ListProjectAssetsResponse; + }; + sdk: { + input: ListProjectAssetsCommandInput; + output: ListProjectAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListProjectsCommand.ts b/clients/client-iotsitewise/src/commands/ListProjectsCommand.ts index f3a214cf7b62..55fb9cac593b 100644 --- a/clients/client-iotsitewise/src/commands/ListProjectsCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListProjectsCommand.ts @@ -101,4 +101,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsRequest; + output: ListProjectsResponse; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListTagsForResourceCommand.ts b/clients/client-iotsitewise/src/commands/ListTagsForResourceCommand.ts index 4c0b78425103..6842b2299707 100644 --- a/clients/client-iotsitewise/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListTagsForResourceCommand.ts @@ -108,4 +108,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/ListTimeSeriesCommand.ts b/clients/client-iotsitewise/src/commands/ListTimeSeriesCommand.ts index a369de8ae0af..0cd947a165c6 100644 --- a/clients/client-iotsitewise/src/commands/ListTimeSeriesCommand.ts +++ b/clients/client-iotsitewise/src/commands/ListTimeSeriesCommand.ts @@ -110,4 +110,16 @@ export class ListTimeSeriesCommand extends $Command .f(void 0, void 0) .ser(se_ListTimeSeriesCommand) .de(de_ListTimeSeriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTimeSeriesRequest; + output: ListTimeSeriesResponse; + }; + sdk: { + input: ListTimeSeriesCommandInput; + output: ListTimeSeriesCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/PutDefaultEncryptionConfigurationCommand.ts b/clients/client-iotsitewise/src/commands/PutDefaultEncryptionConfigurationCommand.ts index 524f4f2fedfd..1a8d4a3ab828 100644 --- a/clients/client-iotsitewise/src/commands/PutDefaultEncryptionConfigurationCommand.ts +++ b/clients/client-iotsitewise/src/commands/PutDefaultEncryptionConfigurationCommand.ts @@ -119,4 +119,16 @@ export class PutDefaultEncryptionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutDefaultEncryptionConfigurationCommand) .de(de_PutDefaultEncryptionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDefaultEncryptionConfigurationRequest; + output: PutDefaultEncryptionConfigurationResponse; + }; + sdk: { + input: PutDefaultEncryptionConfigurationCommandInput; + output: PutDefaultEncryptionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/PutLoggingOptionsCommand.ts b/clients/client-iotsitewise/src/commands/PutLoggingOptionsCommand.ts index 44ef7eb475c8..de5f2b762575 100644 --- a/clients/client-iotsitewise/src/commands/PutLoggingOptionsCommand.ts +++ b/clients/client-iotsitewise/src/commands/PutLoggingOptionsCommand.ts @@ -97,4 +97,16 @@ export class PutLoggingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutLoggingOptionsCommand) .de(de_PutLoggingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLoggingOptionsRequest; + output: {}; + }; + sdk: { + input: PutLoggingOptionsCommandInput; + output: PutLoggingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/PutStorageConfigurationCommand.ts b/clients/client-iotsitewise/src/commands/PutStorageConfigurationCommand.ts index 5a8a5c0eaa80..0779d2f60dce 100644 --- a/clients/client-iotsitewise/src/commands/PutStorageConfigurationCommand.ts +++ b/clients/client-iotsitewise/src/commands/PutStorageConfigurationCommand.ts @@ -145,4 +145,16 @@ export class PutStorageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutStorageConfigurationCommand) .de(de_PutStorageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutStorageConfigurationRequest; + output: PutStorageConfigurationResponse; + }; + sdk: { + input: PutStorageConfigurationCommandInput; + output: PutStorageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/TagResourceCommand.ts b/clients/client-iotsitewise/src/commands/TagResourceCommand.ts index bf8d8ebae941..f059c9f21d67 100644 --- a/clients/client-iotsitewise/src/commands/TagResourceCommand.ts +++ b/clients/client-iotsitewise/src/commands/TagResourceCommand.ts @@ -113,4 +113,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UntagResourceCommand.ts b/clients/client-iotsitewise/src/commands/UntagResourceCommand.ts index 36226d61c3cd..53517ca839ac 100644 --- a/clients/client-iotsitewise/src/commands/UntagResourceCommand.ts +++ b/clients/client-iotsitewise/src/commands/UntagResourceCommand.ts @@ -107,4 +107,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateAccessPolicyCommand.ts b/clients/client-iotsitewise/src/commands/UpdateAccessPolicyCommand.ts index f6d1630d248e..062c2b90d70e 100644 --- a/clients/client-iotsitewise/src/commands/UpdateAccessPolicyCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateAccessPolicyCommand.ts @@ -116,4 +116,16 @@ export class UpdateAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessPolicyCommand) .de(de_UpdateAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessPolicyRequest; + output: {}; + }; + sdk: { + input: UpdateAccessPolicyCommandInput; + output: UpdateAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateAssetCommand.ts b/clients/client-iotsitewise/src/commands/UpdateAssetCommand.ts index 5bec89f5f8da..95d2ebea906f 100644 --- a/clients/client-iotsitewise/src/commands/UpdateAssetCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateAssetCommand.ts @@ -117,4 +117,16 @@ export class UpdateAssetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAssetCommand) .de(de_UpdateAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssetRequest; + output: UpdateAssetResponse; + }; + sdk: { + input: UpdateAssetCommandInput; + output: UpdateAssetCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateAssetModelCommand.ts b/clients/client-iotsitewise/src/commands/UpdateAssetModelCommand.ts index 207a383977cf..c8bc336aba26 100644 --- a/clients/client-iotsitewise/src/commands/UpdateAssetModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateAssetModelCommand.ts @@ -308,4 +308,16 @@ export class UpdateAssetModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAssetModelCommand) .de(de_UpdateAssetModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssetModelRequest; + output: UpdateAssetModelResponse; + }; + sdk: { + input: UpdateAssetModelCommandInput; + output: UpdateAssetModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateAssetModelCompositeModelCommand.ts b/clients/client-iotsitewise/src/commands/UpdateAssetModelCompositeModelCommand.ts index 842c80b35018..1d95d6b331df 100644 --- a/clients/client-iotsitewise/src/commands/UpdateAssetModelCompositeModelCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateAssetModelCompositeModelCommand.ts @@ -239,4 +239,16 @@ export class UpdateAssetModelCompositeModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAssetModelCompositeModelCommand) .de(de_UpdateAssetModelCompositeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssetModelCompositeModelRequest; + output: UpdateAssetModelCompositeModelResponse; + }; + sdk: { + input: UpdateAssetModelCompositeModelCommandInput; + output: UpdateAssetModelCompositeModelCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateAssetPropertyCommand.ts b/clients/client-iotsitewise/src/commands/UpdateAssetPropertyCommand.ts index 9a9248c4d84d..cf19f950af86 100644 --- a/clients/client-iotsitewise/src/commands/UpdateAssetPropertyCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateAssetPropertyCommand.ts @@ -105,4 +105,16 @@ export class UpdateAssetPropertyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAssetPropertyCommand) .de(de_UpdateAssetPropertyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssetPropertyRequest; + output: {}; + }; + sdk: { + input: UpdateAssetPropertyCommandInput; + output: UpdateAssetPropertyCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateDashboardCommand.ts b/clients/client-iotsitewise/src/commands/UpdateDashboardCommand.ts index 387b3a900d2d..3028d543eccf 100644 --- a/clients/client-iotsitewise/src/commands/UpdateDashboardCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateDashboardCommand.ts @@ -95,4 +95,16 @@ export class UpdateDashboardCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDashboardCommand) .de(de_UpdateDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDashboardRequest; + output: {}; + }; + sdk: { + input: UpdateDashboardCommandInput; + output: UpdateDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateGatewayCapabilityConfigurationCommand.ts b/clients/client-iotsitewise/src/commands/UpdateGatewayCapabilityConfigurationCommand.ts index 1e1482c7a5b8..a297bdfe7b87 100644 --- a/clients/client-iotsitewise/src/commands/UpdateGatewayCapabilityConfigurationCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateGatewayCapabilityConfigurationCommand.ts @@ -118,4 +118,16 @@ export class UpdateGatewayCapabilityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewayCapabilityConfigurationCommand) .de(de_UpdateGatewayCapabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewayCapabilityConfigurationRequest; + output: UpdateGatewayCapabilityConfigurationResponse; + }; + sdk: { + input: UpdateGatewayCapabilityConfigurationCommandInput; + output: UpdateGatewayCapabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateGatewayCommand.ts b/clients/client-iotsitewise/src/commands/UpdateGatewayCommand.ts index a51a906277bf..cd9b391dfd2e 100644 --- a/clients/client-iotsitewise/src/commands/UpdateGatewayCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateGatewayCommand.ts @@ -96,4 +96,16 @@ export class UpdateGatewayCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewayCommand) .de(de_UpdateGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewayRequest; + output: {}; + }; + sdk: { + input: UpdateGatewayCommandInput; + output: UpdateGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdatePortalCommand.ts b/clients/client-iotsitewise/src/commands/UpdatePortalCommand.ts index ef31d047b151..41bed0f4c196 100644 --- a/clients/client-iotsitewise/src/commands/UpdatePortalCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdatePortalCommand.ts @@ -120,4 +120,16 @@ export class UpdatePortalCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePortalCommand) .de(de_UpdatePortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePortalRequest; + output: UpdatePortalResponse; + }; + sdk: { + input: UpdatePortalCommandInput; + output: UpdatePortalCommandOutput; + }; + }; +} diff --git a/clients/client-iotsitewise/src/commands/UpdateProjectCommand.ts b/clients/client-iotsitewise/src/commands/UpdateProjectCommand.ts index 35ffe8e7213e..bf740d270119 100644 --- a/clients/client-iotsitewise/src/commands/UpdateProjectCommand.ts +++ b/clients/client-iotsitewise/src/commands/UpdateProjectCommand.ts @@ -94,4 +94,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectRequest; + output: {}; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/package.json b/clients/client-iotthingsgraph/package.json index d091227415ff..aa3817593b58 100644 --- a/clients/client-iotthingsgraph/package.json +++ b/clients/client-iotthingsgraph/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iotthingsgraph/src/commands/AssociateEntityToThingCommand.ts b/clients/client-iotthingsgraph/src/commands/AssociateEntityToThingCommand.ts index ad3f4ba5e740..b1e984c0bc0b 100644 --- a/clients/client-iotthingsgraph/src/commands/AssociateEntityToThingCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/AssociateEntityToThingCommand.ts @@ -92,4 +92,16 @@ export class AssociateEntityToThingCommand extends $Command .f(void 0, void 0) .ser(se_AssociateEntityToThingCommand) .de(de_AssociateEntityToThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateEntityToThingRequest; + output: {}; + }; + sdk: { + input: AssociateEntityToThingCommandInput; + output: AssociateEntityToThingCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/CreateFlowTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/CreateFlowTemplateCommand.ts index 66452ace6ef4..54db981ba7ce 100644 --- a/clients/client-iotthingsgraph/src/commands/CreateFlowTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/CreateFlowTemplateCommand.ts @@ -105,4 +105,16 @@ export class CreateFlowTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateFlowTemplateCommand) .de(de_CreateFlowTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowTemplateRequest; + output: CreateFlowTemplateResponse; + }; + sdk: { + input: CreateFlowTemplateCommandInput; + output: CreateFlowTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/CreateSystemInstanceCommand.ts b/clients/client-iotthingsgraph/src/commands/CreateSystemInstanceCommand.ts index d4c5bc4ca3fa..916882c1e7b0 100644 --- a/clients/client-iotthingsgraph/src/commands/CreateSystemInstanceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/CreateSystemInstanceCommand.ts @@ -129,4 +129,16 @@ export class CreateSystemInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateSystemInstanceCommand) .de(de_CreateSystemInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSystemInstanceRequest; + output: CreateSystemInstanceResponse; + }; + sdk: { + input: CreateSystemInstanceCommandInput; + output: CreateSystemInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/CreateSystemTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/CreateSystemTemplateCommand.ts index 4a9cbb107df2..3184fba9fcf9 100644 --- a/clients/client-iotthingsgraph/src/commands/CreateSystemTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/CreateSystemTemplateCommand.ts @@ -101,4 +101,16 @@ export class CreateSystemTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateSystemTemplateCommand) .de(de_CreateSystemTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSystemTemplateRequest; + output: CreateSystemTemplateResponse; + }; + sdk: { + input: CreateSystemTemplateCommandInput; + output: CreateSystemTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DeleteFlowTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/DeleteFlowTemplateCommand.ts index ecb8a7e3e44a..cdf7ba614764 100644 --- a/clients/client-iotthingsgraph/src/commands/DeleteFlowTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DeleteFlowTemplateCommand.ts @@ -90,4 +90,16 @@ export class DeleteFlowTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowTemplateCommand) .de(de_DeleteFlowTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteFlowTemplateCommandInput; + output: DeleteFlowTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DeleteNamespaceCommand.ts b/clients/client-iotthingsgraph/src/commands/DeleteNamespaceCommand.ts index 07b59152478a..14edbb53276a 100644 --- a/clients/client-iotthingsgraph/src/commands/DeleteNamespaceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DeleteNamespaceCommand.ts @@ -85,4 +85,16 @@ export class DeleteNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNamespaceCommand) .de(de_DeleteNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeleteNamespaceResponse; + }; + sdk: { + input: DeleteNamespaceCommandInput; + output: DeleteNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DeleteSystemInstanceCommand.ts b/clients/client-iotthingsgraph/src/commands/DeleteSystemInstanceCommand.ts index 33233c2f9d21..094858fcd76b 100644 --- a/clients/client-iotthingsgraph/src/commands/DeleteSystemInstanceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DeleteSystemInstanceCommand.ts @@ -91,4 +91,16 @@ export class DeleteSystemInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSystemInstanceCommand) .de(de_DeleteSystemInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSystemInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteSystemInstanceCommandInput; + output: DeleteSystemInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DeleteSystemTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/DeleteSystemTemplateCommand.ts index cbaa981d1dad..34bf309d6abe 100644 --- a/clients/client-iotthingsgraph/src/commands/DeleteSystemTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DeleteSystemTemplateCommand.ts @@ -90,4 +90,16 @@ export class DeleteSystemTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSystemTemplateCommand) .de(de_DeleteSystemTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSystemTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteSystemTemplateCommandInput; + output: DeleteSystemTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DeploySystemInstanceCommand.ts b/clients/client-iotthingsgraph/src/commands/DeploySystemInstanceCommand.ts index 84575edeaf8b..6d0c9be8db9e 100644 --- a/clients/client-iotthingsgraph/src/commands/DeploySystemInstanceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DeploySystemInstanceCommand.ts @@ -116,4 +116,16 @@ export class DeploySystemInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeploySystemInstanceCommand) .de(de_DeploySystemInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeploySystemInstanceRequest; + output: DeploySystemInstanceResponse; + }; + sdk: { + input: DeploySystemInstanceCommandInput; + output: DeploySystemInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DeprecateFlowTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/DeprecateFlowTemplateCommand.ts index f6ec1bc1aa24..036780220d33 100644 --- a/clients/client-iotthingsgraph/src/commands/DeprecateFlowTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DeprecateFlowTemplateCommand.ts @@ -89,4 +89,16 @@ export class DeprecateFlowTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeprecateFlowTemplateCommand) .de(de_DeprecateFlowTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprecateFlowTemplateRequest; + output: {}; + }; + sdk: { + input: DeprecateFlowTemplateCommandInput; + output: DeprecateFlowTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DeprecateSystemTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/DeprecateSystemTemplateCommand.ts index 4b2058d4f7d7..e91f57061db1 100644 --- a/clients/client-iotthingsgraph/src/commands/DeprecateSystemTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DeprecateSystemTemplateCommand.ts @@ -89,4 +89,16 @@ export class DeprecateSystemTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeprecateSystemTemplateCommand) .de(de_DeprecateSystemTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprecateSystemTemplateRequest; + output: {}; + }; + sdk: { + input: DeprecateSystemTemplateCommandInput; + output: DeprecateSystemTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DescribeNamespaceCommand.ts b/clients/client-iotthingsgraph/src/commands/DescribeNamespaceCommand.ts index 37a99bdf7c3b..cba36c0b689d 100644 --- a/clients/client-iotthingsgraph/src/commands/DescribeNamespaceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DescribeNamespaceCommand.ts @@ -95,4 +95,16 @@ export class DescribeNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNamespaceCommand) .de(de_DescribeNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNamespaceRequest; + output: DescribeNamespaceResponse; + }; + sdk: { + input: DescribeNamespaceCommandInput; + output: DescribeNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/DissociateEntityFromThingCommand.ts b/clients/client-iotthingsgraph/src/commands/DissociateEntityFromThingCommand.ts index 6bcc70c0d873..8057d8d83163 100644 --- a/clients/client-iotthingsgraph/src/commands/DissociateEntityFromThingCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/DissociateEntityFromThingCommand.ts @@ -91,4 +91,16 @@ export class DissociateEntityFromThingCommand extends $Command .f(void 0, void 0) .ser(se_DissociateEntityFromThingCommand) .de(de_DissociateEntityFromThingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DissociateEntityFromThingRequest; + output: {}; + }; + sdk: { + input: DissociateEntityFromThingCommandInput; + output: DissociateEntityFromThingCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetEntitiesCommand.ts b/clients/client-iotthingsgraph/src/commands/GetEntitiesCommand.ts index 19638fa913b6..5129fa1b22ef 100644 --- a/clients/client-iotthingsgraph/src/commands/GetEntitiesCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetEntitiesCommand.ts @@ -136,4 +136,16 @@ export class GetEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_GetEntitiesCommand) .de(de_GetEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEntitiesRequest; + output: GetEntitiesResponse; + }; + sdk: { + input: GetEntitiesCommandInput; + output: GetEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetFlowTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/GetFlowTemplateCommand.ts index 15bd4a478e35..53cc7fafdcb7 100644 --- a/clients/client-iotthingsgraph/src/commands/GetFlowTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetFlowTemplateCommand.ts @@ -104,4 +104,16 @@ export class GetFlowTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetFlowTemplateCommand) .de(de_GetFlowTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFlowTemplateRequest; + output: GetFlowTemplateResponse; + }; + sdk: { + input: GetFlowTemplateCommandInput; + output: GetFlowTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetFlowTemplateRevisionsCommand.ts b/clients/client-iotthingsgraph/src/commands/GetFlowTemplateRevisionsCommand.ts index 30e8526c9206..7ca1244e5041 100644 --- a/clients/client-iotthingsgraph/src/commands/GetFlowTemplateRevisionsCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetFlowTemplateRevisionsCommand.ts @@ -102,4 +102,16 @@ export class GetFlowTemplateRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_GetFlowTemplateRevisionsCommand) .de(de_GetFlowTemplateRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFlowTemplateRevisionsRequest; + output: GetFlowTemplateRevisionsResponse; + }; + sdk: { + input: GetFlowTemplateRevisionsCommandInput; + output: GetFlowTemplateRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetNamespaceDeletionStatusCommand.ts b/clients/client-iotthingsgraph/src/commands/GetNamespaceDeletionStatusCommand.ts index 32c25e5b73e6..c67f6767f410 100644 --- a/clients/client-iotthingsgraph/src/commands/GetNamespaceDeletionStatusCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetNamespaceDeletionStatusCommand.ts @@ -90,4 +90,16 @@ export class GetNamespaceDeletionStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetNamespaceDeletionStatusCommand) .de(de_GetNamespaceDeletionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetNamespaceDeletionStatusResponse; + }; + sdk: { + input: GetNamespaceDeletionStatusCommandInput; + output: GetNamespaceDeletionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetSystemInstanceCommand.ts b/clients/client-iotthingsgraph/src/commands/GetSystemInstanceCommand.ts index daec0c041309..eaf062ea5e8c 100644 --- a/clients/client-iotthingsgraph/src/commands/GetSystemInstanceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetSystemInstanceCommand.ts @@ -120,4 +120,16 @@ export class GetSystemInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetSystemInstanceCommand) .de(de_GetSystemInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSystemInstanceRequest; + output: GetSystemInstanceResponse; + }; + sdk: { + input: GetSystemInstanceCommandInput; + output: GetSystemInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetSystemTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/GetSystemTemplateCommand.ts index 5d8457434a7d..b30019c100e8 100644 --- a/clients/client-iotthingsgraph/src/commands/GetSystemTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetSystemTemplateCommand.ts @@ -104,4 +104,16 @@ export class GetSystemTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetSystemTemplateCommand) .de(de_GetSystemTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSystemTemplateRequest; + output: GetSystemTemplateResponse; + }; + sdk: { + input: GetSystemTemplateCommandInput; + output: GetSystemTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetSystemTemplateRevisionsCommand.ts b/clients/client-iotthingsgraph/src/commands/GetSystemTemplateRevisionsCommand.ts index 7c28cbedd3e5..81fc6ca8792f 100644 --- a/clients/client-iotthingsgraph/src/commands/GetSystemTemplateRevisionsCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetSystemTemplateRevisionsCommand.ts @@ -102,4 +102,16 @@ export class GetSystemTemplateRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_GetSystemTemplateRevisionsCommand) .de(de_GetSystemTemplateRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSystemTemplateRevisionsRequest; + output: GetSystemTemplateRevisionsResponse; + }; + sdk: { + input: GetSystemTemplateRevisionsCommandInput; + output: GetSystemTemplateRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/GetUploadStatusCommand.ts b/clients/client-iotthingsgraph/src/commands/GetUploadStatusCommand.ts index 10591f08fd36..8ec580672a9a 100644 --- a/clients/client-iotthingsgraph/src/commands/GetUploadStatusCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/GetUploadStatusCommand.ts @@ -99,4 +99,16 @@ export class GetUploadStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetUploadStatusCommand) .de(de_GetUploadStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUploadStatusRequest; + output: GetUploadStatusResponse; + }; + sdk: { + input: GetUploadStatusCommandInput; + output: GetUploadStatusCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/ListFlowExecutionMessagesCommand.ts b/clients/client-iotthingsgraph/src/commands/ListFlowExecutionMessagesCommand.ts index bd47df3b455e..69773dfd32c0 100644 --- a/clients/client-iotthingsgraph/src/commands/ListFlowExecutionMessagesCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/ListFlowExecutionMessagesCommand.ts @@ -101,4 +101,16 @@ export class ListFlowExecutionMessagesCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowExecutionMessagesCommand) .de(de_ListFlowExecutionMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowExecutionMessagesRequest; + output: ListFlowExecutionMessagesResponse; + }; + sdk: { + input: ListFlowExecutionMessagesCommandInput; + output: ListFlowExecutionMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/ListTagsForResourceCommand.ts b/clients/client-iotthingsgraph/src/commands/ListTagsForResourceCommand.ts index a506901eb8fa..75b5dcc92540 100644 --- a/clients/client-iotthingsgraph/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/SearchEntitiesCommand.ts b/clients/client-iotthingsgraph/src/commands/SearchEntitiesCommand.ts index e30e82e060e9..a9b69a375de8 100644 --- a/clients/client-iotthingsgraph/src/commands/SearchEntitiesCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/SearchEntitiesCommand.ts @@ -113,4 +113,16 @@ export class SearchEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_SearchEntitiesCommand) .de(de_SearchEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchEntitiesRequest; + output: SearchEntitiesResponse; + }; + sdk: { + input: SearchEntitiesCommandInput; + output: SearchEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/SearchFlowExecutionsCommand.ts b/clients/client-iotthingsgraph/src/commands/SearchFlowExecutionsCommand.ts index 58d93a219de5..6c51b19b767a 100644 --- a/clients/client-iotthingsgraph/src/commands/SearchFlowExecutionsCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/SearchFlowExecutionsCommand.ts @@ -106,4 +106,16 @@ export class SearchFlowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_SearchFlowExecutionsCommand) .de(de_SearchFlowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchFlowExecutionsRequest; + output: SearchFlowExecutionsResponse; + }; + sdk: { + input: SearchFlowExecutionsCommandInput; + output: SearchFlowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/SearchFlowTemplatesCommand.ts b/clients/client-iotthingsgraph/src/commands/SearchFlowTemplatesCommand.ts index 163b2664f69b..ab98aeb9ebfb 100644 --- a/clients/client-iotthingsgraph/src/commands/SearchFlowTemplatesCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/SearchFlowTemplatesCommand.ts @@ -105,4 +105,16 @@ export class SearchFlowTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_SearchFlowTemplatesCommand) .de(de_SearchFlowTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchFlowTemplatesRequest; + output: SearchFlowTemplatesResponse; + }; + sdk: { + input: SearchFlowTemplatesCommandInput; + output: SearchFlowTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/SearchSystemInstancesCommand.ts b/clients/client-iotthingsgraph/src/commands/SearchSystemInstancesCommand.ts index 0527a58e83d1..0ae2a387e2b9 100644 --- a/clients/client-iotthingsgraph/src/commands/SearchSystemInstancesCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/SearchSystemInstancesCommand.ts @@ -110,4 +110,16 @@ export class SearchSystemInstancesCommand extends $Command .f(void 0, void 0) .ser(se_SearchSystemInstancesCommand) .de(de_SearchSystemInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchSystemInstancesRequest; + output: SearchSystemInstancesResponse; + }; + sdk: { + input: SearchSystemInstancesCommandInput; + output: SearchSystemInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/SearchSystemTemplatesCommand.ts b/clients/client-iotthingsgraph/src/commands/SearchSystemTemplatesCommand.ts index 6e7adb92d204..06e1f59272e8 100644 --- a/clients/client-iotthingsgraph/src/commands/SearchSystemTemplatesCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/SearchSystemTemplatesCommand.ts @@ -105,4 +105,16 @@ export class SearchSystemTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_SearchSystemTemplatesCommand) .de(de_SearchSystemTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchSystemTemplatesRequest; + output: SearchSystemTemplatesResponse; + }; + sdk: { + input: SearchSystemTemplatesCommandInput; + output: SearchSystemTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/SearchThingsCommand.ts b/clients/client-iotthingsgraph/src/commands/SearchThingsCommand.ts index fabe3911a9cf..d3a2c953938f 100644 --- a/clients/client-iotthingsgraph/src/commands/SearchThingsCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/SearchThingsCommand.ts @@ -103,4 +103,16 @@ export class SearchThingsCommand extends $Command .f(void 0, void 0) .ser(se_SearchThingsCommand) .de(de_SearchThingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchThingsRequest; + output: SearchThingsResponse; + }; + sdk: { + input: SearchThingsCommandInput; + output: SearchThingsCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/TagResourceCommand.ts b/clients/client-iotthingsgraph/src/commands/TagResourceCommand.ts index 867177662423..a050e5131da3 100644 --- a/clients/client-iotthingsgraph/src/commands/TagResourceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/UndeploySystemInstanceCommand.ts b/clients/client-iotthingsgraph/src/commands/UndeploySystemInstanceCommand.ts index e40cbd153dfb..b772df9b6531 100644 --- a/clients/client-iotthingsgraph/src/commands/UndeploySystemInstanceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/UndeploySystemInstanceCommand.ts @@ -104,4 +104,16 @@ export class UndeploySystemInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UndeploySystemInstanceCommand) .de(de_UndeploySystemInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UndeploySystemInstanceRequest; + output: UndeploySystemInstanceResponse; + }; + sdk: { + input: UndeploySystemInstanceCommandInput; + output: UndeploySystemInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/UntagResourceCommand.ts b/clients/client-iotthingsgraph/src/commands/UntagResourceCommand.ts index 0e4ebc44b092..d58d0ddae197 100644 --- a/clients/client-iotthingsgraph/src/commands/UntagResourceCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/UntagResourceCommand.ts @@ -92,4 +92,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/UpdateFlowTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/UpdateFlowTemplateCommand.ts index 0ceb87591a2e..8f168553a360 100644 --- a/clients/client-iotthingsgraph/src/commands/UpdateFlowTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/UpdateFlowTemplateCommand.ts @@ -102,4 +102,16 @@ export class UpdateFlowTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowTemplateCommand) .de(de_UpdateFlowTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowTemplateRequest; + output: UpdateFlowTemplateResponse; + }; + sdk: { + input: UpdateFlowTemplateCommandInput; + output: UpdateFlowTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/UpdateSystemTemplateCommand.ts b/clients/client-iotthingsgraph/src/commands/UpdateSystemTemplateCommand.ts index 846fdf6200b7..05199ac18a5c 100644 --- a/clients/client-iotthingsgraph/src/commands/UpdateSystemTemplateCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/UpdateSystemTemplateCommand.ts @@ -101,4 +101,16 @@ export class UpdateSystemTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSystemTemplateCommand) .de(de_UpdateSystemTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSystemTemplateRequest; + output: UpdateSystemTemplateResponse; + }; + sdk: { + input: UpdateSystemTemplateCommandInput; + output: UpdateSystemTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-iotthingsgraph/src/commands/UploadEntityDefinitionsCommand.ts b/clients/client-iotthingsgraph/src/commands/UploadEntityDefinitionsCommand.ts index c512b01e61b8..df51837b5b8c 100644 --- a/clients/client-iotthingsgraph/src/commands/UploadEntityDefinitionsCommand.ts +++ b/clients/client-iotthingsgraph/src/commands/UploadEntityDefinitionsCommand.ts @@ -103,4 +103,16 @@ export class UploadEntityDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_UploadEntityDefinitionsCommand) .de(de_UploadEntityDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadEntityDefinitionsRequest; + output: UploadEntityDefinitionsResponse; + }; + sdk: { + input: UploadEntityDefinitionsCommandInput; + output: UploadEntityDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/package.json b/clients/client-iottwinmaker/package.json index 81ac18bd6b15..4aa0e9b9a066 100644 --- a/clients/client-iottwinmaker/package.json +++ b/clients/client-iottwinmaker/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-iottwinmaker/src/commands/BatchPutPropertyValuesCommand.ts b/clients/client-iottwinmaker/src/commands/BatchPutPropertyValuesCommand.ts index beeb07b51ecd..1bac529618c9 100644 --- a/clients/client-iottwinmaker/src/commands/BatchPutPropertyValuesCommand.ts +++ b/clients/client-iottwinmaker/src/commands/BatchPutPropertyValuesCommand.ts @@ -204,4 +204,16 @@ export class BatchPutPropertyValuesCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutPropertyValuesCommand) .de(de_BatchPutPropertyValuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutPropertyValuesRequest; + output: BatchPutPropertyValuesResponse; + }; + sdk: { + input: BatchPutPropertyValuesCommandInput; + output: BatchPutPropertyValuesCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/CancelMetadataTransferJobCommand.ts b/clients/client-iottwinmaker/src/commands/CancelMetadataTransferJobCommand.ts index f831ca6c2ab8..c097ab8c6714 100644 --- a/clients/client-iottwinmaker/src/commands/CancelMetadataTransferJobCommand.ts +++ b/clients/client-iottwinmaker/src/commands/CancelMetadataTransferJobCommand.ts @@ -111,4 +111,16 @@ export class CancelMetadataTransferJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelMetadataTransferJobCommand) .de(de_CancelMetadataTransferJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMetadataTransferJobRequest; + output: CancelMetadataTransferJobResponse; + }; + sdk: { + input: CancelMetadataTransferJobCommandInput; + output: CancelMetadataTransferJobCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/CreateComponentTypeCommand.ts b/clients/client-iottwinmaker/src/commands/CreateComponentTypeCommand.ts index 0375ebd14ffe..9af37f72aea5 100644 --- a/clients/client-iottwinmaker/src/commands/CreateComponentTypeCommand.ts +++ b/clients/client-iottwinmaker/src/commands/CreateComponentTypeCommand.ts @@ -200,4 +200,16 @@ export class CreateComponentTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateComponentTypeCommand) .de(de_CreateComponentTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComponentTypeRequest; + output: CreateComponentTypeResponse; + }; + sdk: { + input: CreateComponentTypeCommandInput; + output: CreateComponentTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/CreateEntityCommand.ts b/clients/client-iottwinmaker/src/commands/CreateEntityCommand.ts index 4b3a55f27494..9c2c96fc78d1 100644 --- a/clients/client-iottwinmaker/src/commands/CreateEntityCommand.ts +++ b/clients/client-iottwinmaker/src/commands/CreateEntityCommand.ts @@ -222,4 +222,16 @@ export class CreateEntityCommand extends $Command .f(void 0, void 0) .ser(se_CreateEntityCommand) .de(de_CreateEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEntityRequest; + output: CreateEntityResponse; + }; + sdk: { + input: CreateEntityCommandInput; + output: CreateEntityCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/CreateMetadataTransferJobCommand.ts b/clients/client-iottwinmaker/src/commands/CreateMetadataTransferJobCommand.ts index 75249613a94a..d6a3f7b087e2 100644 --- a/clients/client-iottwinmaker/src/commands/CreateMetadataTransferJobCommand.ts +++ b/clients/client-iottwinmaker/src/commands/CreateMetadataTransferJobCommand.ts @@ -157,4 +157,16 @@ export class CreateMetadataTransferJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateMetadataTransferJobCommand) .de(de_CreateMetadataTransferJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMetadataTransferJobRequest; + output: CreateMetadataTransferJobResponse; + }; + sdk: { + input: CreateMetadataTransferJobCommandInput; + output: CreateMetadataTransferJobCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/CreateSceneCommand.ts b/clients/client-iottwinmaker/src/commands/CreateSceneCommand.ts index 76eed1f10b91..a436797fb24b 100644 --- a/clients/client-iottwinmaker/src/commands/CreateSceneCommand.ts +++ b/clients/client-iottwinmaker/src/commands/CreateSceneCommand.ts @@ -108,4 +108,16 @@ export class CreateSceneCommand extends $Command .f(void 0, void 0) .ser(se_CreateSceneCommand) .de(de_CreateSceneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSceneRequest; + output: CreateSceneResponse; + }; + sdk: { + input: CreateSceneCommandInput; + output: CreateSceneCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/CreateSyncJobCommand.ts b/clients/client-iottwinmaker/src/commands/CreateSyncJobCommand.ts index 73e19849a391..2f33efbe0860 100644 --- a/clients/client-iottwinmaker/src/commands/CreateSyncJobCommand.ts +++ b/clients/client-iottwinmaker/src/commands/CreateSyncJobCommand.ts @@ -102,4 +102,16 @@ export class CreateSyncJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateSyncJobCommand) .de(de_CreateSyncJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSyncJobRequest; + output: CreateSyncJobResponse; + }; + sdk: { + input: CreateSyncJobCommandInput; + output: CreateSyncJobCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/CreateWorkspaceCommand.ts b/clients/client-iottwinmaker/src/commands/CreateWorkspaceCommand.ts index aadd284178ad..43510f250a0d 100644 --- a/clients/client-iottwinmaker/src/commands/CreateWorkspaceCommand.ts +++ b/clients/client-iottwinmaker/src/commands/CreateWorkspaceCommand.ts @@ -102,4 +102,16 @@ export class CreateWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkspaceCommand) .de(de_CreateWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceRequest; + output: CreateWorkspaceResponse; + }; + sdk: { + input: CreateWorkspaceCommandInput; + output: CreateWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/DeleteComponentTypeCommand.ts b/clients/client-iottwinmaker/src/commands/DeleteComponentTypeCommand.ts index d0b9404f9776..aa0a25759f79 100644 --- a/clients/client-iottwinmaker/src/commands/DeleteComponentTypeCommand.ts +++ b/clients/client-iottwinmaker/src/commands/DeleteComponentTypeCommand.ts @@ -93,4 +93,16 @@ export class DeleteComponentTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteComponentTypeCommand) .de(de_DeleteComponentTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComponentTypeRequest; + output: DeleteComponentTypeResponse; + }; + sdk: { + input: DeleteComponentTypeCommandInput; + output: DeleteComponentTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/DeleteEntityCommand.ts b/clients/client-iottwinmaker/src/commands/DeleteEntityCommand.ts index 7c2c3beda45a..19e96a272cf5 100644 --- a/clients/client-iottwinmaker/src/commands/DeleteEntityCommand.ts +++ b/clients/client-iottwinmaker/src/commands/DeleteEntityCommand.ts @@ -94,4 +94,16 @@ export class DeleteEntityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEntityCommand) .de(de_DeleteEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEntityRequest; + output: DeleteEntityResponse; + }; + sdk: { + input: DeleteEntityCommandInput; + output: DeleteEntityCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/DeleteSceneCommand.ts b/clients/client-iottwinmaker/src/commands/DeleteSceneCommand.ts index c83eb7abe4b0..63ffc3dd9013 100644 --- a/clients/client-iottwinmaker/src/commands/DeleteSceneCommand.ts +++ b/clients/client-iottwinmaker/src/commands/DeleteSceneCommand.ts @@ -91,4 +91,16 @@ export class DeleteSceneCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSceneCommand) .de(de_DeleteSceneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSceneRequest; + output: {}; + }; + sdk: { + input: DeleteSceneCommandInput; + output: DeleteSceneCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/DeleteSyncJobCommand.ts b/clients/client-iottwinmaker/src/commands/DeleteSyncJobCommand.ts index 61bfc4cd906d..640a4e7e3933 100644 --- a/clients/client-iottwinmaker/src/commands/DeleteSyncJobCommand.ts +++ b/clients/client-iottwinmaker/src/commands/DeleteSyncJobCommand.ts @@ -96,4 +96,16 @@ export class DeleteSyncJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSyncJobCommand) .de(de_DeleteSyncJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSyncJobRequest; + output: DeleteSyncJobResponse; + }; + sdk: { + input: DeleteSyncJobCommandInput; + output: DeleteSyncJobCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/DeleteWorkspaceCommand.ts b/clients/client-iottwinmaker/src/commands/DeleteWorkspaceCommand.ts index 69c32e6f7e5f..a0c0a313e151 100644 --- a/clients/client-iottwinmaker/src/commands/DeleteWorkspaceCommand.ts +++ b/clients/client-iottwinmaker/src/commands/DeleteWorkspaceCommand.ts @@ -92,4 +92,16 @@ export class DeleteWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkspaceCommand) .de(de_DeleteWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceRequest; + output: DeleteWorkspaceResponse; + }; + sdk: { + input: DeleteWorkspaceCommandInput; + output: DeleteWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ExecuteQueryCommand.ts b/clients/client-iottwinmaker/src/commands/ExecuteQueryCommand.ts index 2540cd657e62..0bb496c8f247 100644 --- a/clients/client-iottwinmaker/src/commands/ExecuteQueryCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ExecuteQueryCommand.ts @@ -116,4 +116,16 @@ export class ExecuteQueryCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteQueryCommand) .de(de_ExecuteQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteQueryRequest; + output: ExecuteQueryResponse; + }; + sdk: { + input: ExecuteQueryCommandInput; + output: ExecuteQueryCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetComponentTypeCommand.ts b/clients/client-iottwinmaker/src/commands/GetComponentTypeCommand.ts index 4a6ba4939b50..ccc26b615cb6 100644 --- a/clients/client-iottwinmaker/src/commands/GetComponentTypeCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetComponentTypeCommand.ts @@ -212,4 +212,16 @@ export class GetComponentTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetComponentTypeCommand) .de(de_GetComponentTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentTypeRequest; + output: GetComponentTypeResponse; + }; + sdk: { + input: GetComponentTypeCommandInput; + output: GetComponentTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetEntityCommand.ts b/clients/client-iottwinmaker/src/commands/GetEntityCommand.ts index d5b8e3232c47..528c705af5bf 100644 --- a/clients/client-iottwinmaker/src/commands/GetEntityCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetEntityCommand.ts @@ -230,4 +230,16 @@ export class GetEntityCommand extends $Command .f(void 0, void 0) .ser(se_GetEntityCommand) .de(de_GetEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEntityRequest; + output: GetEntityResponse; + }; + sdk: { + input: GetEntityCommandInput; + output: GetEntityCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetMetadataTransferJobCommand.ts b/clients/client-iottwinmaker/src/commands/GetMetadataTransferJobCommand.ts index 34900c1f2ffc..45e18fc1f1bf 100644 --- a/clients/client-iottwinmaker/src/commands/GetMetadataTransferJobCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetMetadataTransferJobCommand.ts @@ -160,4 +160,16 @@ export class GetMetadataTransferJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMetadataTransferJobCommand) .de(de_GetMetadataTransferJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetadataTransferJobRequest; + output: GetMetadataTransferJobResponse; + }; + sdk: { + input: GetMetadataTransferJobCommandInput; + output: GetMetadataTransferJobCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetPricingPlanCommand.ts b/clients/client-iottwinmaker/src/commands/GetPricingPlanCommand.ts index 09e8535bde5a..af5b5c025402 100644 --- a/clients/client-iottwinmaker/src/commands/GetPricingPlanCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetPricingPlanCommand.ts @@ -112,4 +112,16 @@ export class GetPricingPlanCommand extends $Command .f(void 0, void 0) .ser(se_GetPricingPlanCommand) .de(de_GetPricingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPricingPlanResponse; + }; + sdk: { + input: GetPricingPlanCommandInput; + output: GetPricingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetPropertyValueCommand.ts b/clients/client-iottwinmaker/src/commands/GetPropertyValueCommand.ts index b9aeb8f8273d..4108b8b800be 100644 --- a/clients/client-iottwinmaker/src/commands/GetPropertyValueCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetPropertyValueCommand.ts @@ -214,4 +214,16 @@ export class GetPropertyValueCommand extends $Command .f(void 0, void 0) .ser(se_GetPropertyValueCommand) .de(de_GetPropertyValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPropertyValueRequest; + output: GetPropertyValueResponse; + }; + sdk: { + input: GetPropertyValueCommandInput; + output: GetPropertyValueCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetPropertyValueHistoryCommand.ts b/clients/client-iottwinmaker/src/commands/GetPropertyValueHistoryCommand.ts index 88f0a97b440c..233a54ba2d49 100644 --- a/clients/client-iottwinmaker/src/commands/GetPropertyValueHistoryCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetPropertyValueHistoryCommand.ts @@ -215,4 +215,16 @@ export class GetPropertyValueHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetPropertyValueHistoryCommand) .de(de_GetPropertyValueHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPropertyValueHistoryRequest; + output: GetPropertyValueHistoryResponse; + }; + sdk: { + input: GetPropertyValueHistoryCommandInput; + output: GetPropertyValueHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetSceneCommand.ts b/clients/client-iottwinmaker/src/commands/GetSceneCommand.ts index 06038d09a561..10a138400aaa 100644 --- a/clients/client-iottwinmaker/src/commands/GetSceneCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetSceneCommand.ts @@ -112,4 +112,16 @@ export class GetSceneCommand extends $Command .f(void 0, void 0) .ser(se_GetSceneCommand) .de(de_GetSceneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSceneRequest; + output: GetSceneResponse; + }; + sdk: { + input: GetSceneCommandInput; + output: GetSceneCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetSyncJobCommand.ts b/clients/client-iottwinmaker/src/commands/GetSyncJobCommand.ts index ab6c7113be75..7baf167aadfa 100644 --- a/clients/client-iottwinmaker/src/commands/GetSyncJobCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetSyncJobCommand.ts @@ -108,4 +108,16 @@ export class GetSyncJobCommand extends $Command .f(void 0, void 0) .ser(se_GetSyncJobCommand) .de(de_GetSyncJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSyncJobRequest; + output: GetSyncJobResponse; + }; + sdk: { + input: GetSyncJobCommandInput; + output: GetSyncJobCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/GetWorkspaceCommand.ts b/clients/client-iottwinmaker/src/commands/GetWorkspaceCommand.ts index b88e8ad8a929..a688684dc34a 100644 --- a/clients/client-iottwinmaker/src/commands/GetWorkspaceCommand.ts +++ b/clients/client-iottwinmaker/src/commands/GetWorkspaceCommand.ts @@ -101,4 +101,16 @@ export class GetWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkspaceCommand) .de(de_GetWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkspaceRequest; + output: GetWorkspaceResponse; + }; + sdk: { + input: GetWorkspaceCommandInput; + output: GetWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListComponentTypesCommand.ts b/clients/client-iottwinmaker/src/commands/ListComponentTypesCommand.ts index 3b211928abba..f4eb2c7b0e95 100644 --- a/clients/client-iottwinmaker/src/commands/ListComponentTypesCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListComponentTypesCommand.ts @@ -117,4 +117,16 @@ export class ListComponentTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentTypesCommand) .de(de_ListComponentTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentTypesRequest; + output: ListComponentTypesResponse; + }; + sdk: { + input: ListComponentTypesCommandInput; + output: ListComponentTypesCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListComponentsCommand.ts b/clients/client-iottwinmaker/src/commands/ListComponentsCommand.ts index 83aa91bdd497..cd5f724ec178 100644 --- a/clients/client-iottwinmaker/src/commands/ListComponentsCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListComponentsCommand.ts @@ -122,4 +122,16 @@ export class ListComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentsCommand) .de(de_ListComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentsRequest; + output: ListComponentsResponse; + }; + sdk: { + input: ListComponentsCommandInput; + output: ListComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListEntitiesCommand.ts b/clients/client-iottwinmaker/src/commands/ListEntitiesCommand.ts index 48d1b7d3e970..551a2d5e11c0 100644 --- a/clients/client-iottwinmaker/src/commands/ListEntitiesCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListEntitiesCommand.ts @@ -117,4 +117,16 @@ export class ListEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListEntitiesCommand) .de(de_ListEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntitiesRequest; + output: ListEntitiesResponse; + }; + sdk: { + input: ListEntitiesCommandInput; + output: ListEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListMetadataTransferJobsCommand.ts b/clients/client-iottwinmaker/src/commands/ListMetadataTransferJobsCommand.ts index a9d7ebcc7bd0..362836fd46f7 100644 --- a/clients/client-iottwinmaker/src/commands/ListMetadataTransferJobsCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListMetadataTransferJobsCommand.ts @@ -120,4 +120,16 @@ export class ListMetadataTransferJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMetadataTransferJobsCommand) .de(de_ListMetadataTransferJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetadataTransferJobsRequest; + output: ListMetadataTransferJobsResponse; + }; + sdk: { + input: ListMetadataTransferJobsCommandInput; + output: ListMetadataTransferJobsCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListPropertiesCommand.ts b/clients/client-iottwinmaker/src/commands/ListPropertiesCommand.ts index 91c7c352ddb6..64b0f29f09d4 100644 --- a/clients/client-iottwinmaker/src/commands/ListPropertiesCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListPropertiesCommand.ts @@ -171,4 +171,16 @@ export class ListPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ListPropertiesCommand) .de(de_ListPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPropertiesRequest; + output: ListPropertiesResponse; + }; + sdk: { + input: ListPropertiesCommandInput; + output: ListPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListScenesCommand.ts b/clients/client-iottwinmaker/src/commands/ListScenesCommand.ts index 48a14fdb3f81..e2e9362172c9 100644 --- a/clients/client-iottwinmaker/src/commands/ListScenesCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListScenesCommand.ts @@ -101,4 +101,16 @@ export class ListScenesCommand extends $Command .f(void 0, void 0) .ser(se_ListScenesCommand) .de(de_ListScenesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScenesRequest; + output: ListScenesResponse; + }; + sdk: { + input: ListScenesCommandInput; + output: ListScenesCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListSyncJobsCommand.ts b/clients/client-iottwinmaker/src/commands/ListSyncJobsCommand.ts index f5ebe491e71c..c9cdcd03340e 100644 --- a/clients/client-iottwinmaker/src/commands/ListSyncJobsCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListSyncJobsCommand.ts @@ -110,4 +110,16 @@ export class ListSyncJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListSyncJobsCommand) .de(de_ListSyncJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSyncJobsRequest; + output: ListSyncJobsResponse; + }; + sdk: { + input: ListSyncJobsCommandInput; + output: ListSyncJobsCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListSyncResourcesCommand.ts b/clients/client-iottwinmaker/src/commands/ListSyncResourcesCommand.ts index 1a007c60596f..a7e9f0c27ad2 100644 --- a/clients/client-iottwinmaker/src/commands/ListSyncResourcesCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListSyncResourcesCommand.ts @@ -118,4 +118,16 @@ export class ListSyncResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListSyncResourcesCommand) .de(de_ListSyncResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSyncResourcesRequest; + output: ListSyncResourcesResponse; + }; + sdk: { + input: ListSyncResourcesCommandInput; + output: ListSyncResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListTagsForResourceCommand.ts b/clients/client-iottwinmaker/src/commands/ListTagsForResourceCommand.ts index 98823edf9625..74497c7ee8ec 100644 --- a/clients/client-iottwinmaker/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/ListWorkspacesCommand.ts b/clients/client-iottwinmaker/src/commands/ListWorkspacesCommand.ts index 877f4e4346cb..dbecddddddf2 100644 --- a/clients/client-iottwinmaker/src/commands/ListWorkspacesCommand.ts +++ b/clients/client-iottwinmaker/src/commands/ListWorkspacesCommand.ts @@ -102,4 +102,16 @@ export class ListWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkspacesCommand) .de(de_ListWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkspacesRequest; + output: ListWorkspacesResponse; + }; + sdk: { + input: ListWorkspacesCommandInput; + output: ListWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/TagResourceCommand.ts b/clients/client-iottwinmaker/src/commands/TagResourceCommand.ts index f376a3c181cf..b09e05b4663c 100644 --- a/clients/client-iottwinmaker/src/commands/TagResourceCommand.ts +++ b/clients/client-iottwinmaker/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/UntagResourceCommand.ts b/clients/client-iottwinmaker/src/commands/UntagResourceCommand.ts index bbab3eae85d6..6a727bb5049c 100644 --- a/clients/client-iottwinmaker/src/commands/UntagResourceCommand.ts +++ b/clients/client-iottwinmaker/src/commands/UntagResourceCommand.ts @@ -84,4 +84,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/UpdateComponentTypeCommand.ts b/clients/client-iottwinmaker/src/commands/UpdateComponentTypeCommand.ts index 5a9b57300c88..be750e0dd89f 100644 --- a/clients/client-iottwinmaker/src/commands/UpdateComponentTypeCommand.ts +++ b/clients/client-iottwinmaker/src/commands/UpdateComponentTypeCommand.ts @@ -198,4 +198,16 @@ export class UpdateComponentTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateComponentTypeCommand) .de(de_UpdateComponentTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateComponentTypeRequest; + output: UpdateComponentTypeResponse; + }; + sdk: { + input: UpdateComponentTypeCommandInput; + output: UpdateComponentTypeCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/UpdateEntityCommand.ts b/clients/client-iottwinmaker/src/commands/UpdateEntityCommand.ts index 53c034fbbdcd..a1b0a451bc32 100644 --- a/clients/client-iottwinmaker/src/commands/UpdateEntityCommand.ts +++ b/clients/client-iottwinmaker/src/commands/UpdateEntityCommand.ts @@ -225,4 +225,16 @@ export class UpdateEntityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEntityCommand) .de(de_UpdateEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEntityRequest; + output: UpdateEntityResponse; + }; + sdk: { + input: UpdateEntityCommandInput; + output: UpdateEntityCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/UpdatePricingPlanCommand.ts b/clients/client-iottwinmaker/src/commands/UpdatePricingPlanCommand.ts index de1947a9ca57..46b0c521780e 100644 --- a/clients/client-iottwinmaker/src/commands/UpdatePricingPlanCommand.ts +++ b/clients/client-iottwinmaker/src/commands/UpdatePricingPlanCommand.ts @@ -117,4 +117,16 @@ export class UpdatePricingPlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePricingPlanCommand) .de(de_UpdatePricingPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePricingPlanRequest; + output: UpdatePricingPlanResponse; + }; + sdk: { + input: UpdatePricingPlanCommandInput; + output: UpdatePricingPlanCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/UpdateSceneCommand.ts b/clients/client-iottwinmaker/src/commands/UpdateSceneCommand.ts index 386371ae5275..04570a201de9 100644 --- a/clients/client-iottwinmaker/src/commands/UpdateSceneCommand.ts +++ b/clients/client-iottwinmaker/src/commands/UpdateSceneCommand.ts @@ -101,4 +101,16 @@ export class UpdateSceneCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSceneCommand) .de(de_UpdateSceneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSceneRequest; + output: UpdateSceneResponse; + }; + sdk: { + input: UpdateSceneCommandInput; + output: UpdateSceneCommandOutput; + }; + }; +} diff --git a/clients/client-iottwinmaker/src/commands/UpdateWorkspaceCommand.ts b/clients/client-iottwinmaker/src/commands/UpdateWorkspaceCommand.ts index 56909d622782..b606af58eaa6 100644 --- a/clients/client-iottwinmaker/src/commands/UpdateWorkspaceCommand.ts +++ b/clients/client-iottwinmaker/src/commands/UpdateWorkspaceCommand.ts @@ -98,4 +98,16 @@ export class UpdateWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkspaceCommand) .de(de_UpdateWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspaceRequest; + output: UpdateWorkspaceResponse; + }; + sdk: { + input: UpdateWorkspaceCommandInput; + output: UpdateWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/package.json b/clients/client-ivs-realtime/package.json index a404491e406a..ea8c3112771e 100644 --- a/clients/client-ivs-realtime/package.json +++ b/clients/client-ivs-realtime/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-ivs-realtime/src/commands/CreateEncoderConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/CreateEncoderConfigurationCommand.ts index bb26f5bd67c9..ac077470d998 100644 --- a/clients/client-ivs-realtime/src/commands/CreateEncoderConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/CreateEncoderConfigurationCommand.ts @@ -119,4 +119,16 @@ export class CreateEncoderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateEncoderConfigurationCommand) .de(de_CreateEncoderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEncoderConfigurationRequest; + output: CreateEncoderConfigurationResponse; + }; + sdk: { + input: CreateEncoderConfigurationCommandInput; + output: CreateEncoderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/CreateIngestConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/CreateIngestConfigurationCommand.ts index 313c9d8c5567..98c067256684 100644 --- a/clients/client-ivs-realtime/src/commands/CreateIngestConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/CreateIngestConfigurationCommand.ts @@ -118,4 +118,16 @@ export class CreateIngestConfigurationCommand extends $Command .f(void 0, CreateIngestConfigurationResponseFilterSensitiveLog) .ser(se_CreateIngestConfigurationCommand) .de(de_CreateIngestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIngestConfigurationRequest; + output: CreateIngestConfigurationResponse; + }; + sdk: { + input: CreateIngestConfigurationCommandInput; + output: CreateIngestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/CreateParticipantTokenCommand.ts b/clients/client-ivs-realtime/src/commands/CreateParticipantTokenCommand.ts index ceab08f5e673..9fbb3f59779d 100644 --- a/clients/client-ivs-realtime/src/commands/CreateParticipantTokenCommand.ts +++ b/clients/client-ivs-realtime/src/commands/CreateParticipantTokenCommand.ts @@ -120,4 +120,16 @@ export class CreateParticipantTokenCommand extends $Command .f(void 0, CreateParticipantTokenResponseFilterSensitiveLog) .ser(se_CreateParticipantTokenCommand) .de(de_CreateParticipantTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateParticipantTokenRequest; + output: CreateParticipantTokenResponse; + }; + sdk: { + input: CreateParticipantTokenCommandInput; + output: CreateParticipantTokenCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/CreateStageCommand.ts b/clients/client-ivs-realtime/src/commands/CreateStageCommand.ts index 21cded36e78a..0d00293582d4 100644 --- a/clients/client-ivs-realtime/src/commands/CreateStageCommand.ts +++ b/clients/client-ivs-realtime/src/commands/CreateStageCommand.ts @@ -144,4 +144,16 @@ export class CreateStageCommand extends $Command .f(void 0, CreateStageResponseFilterSensitiveLog) .ser(se_CreateStageCommand) .de(de_CreateStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStageRequest; + output: CreateStageResponse; + }; + sdk: { + input: CreateStageCommandInput; + output: CreateStageCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/CreateStorageConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/CreateStorageConfigurationCommand.ts index a7ea80599e3d..8249a0c10960 100644 --- a/clients/client-ivs-realtime/src/commands/CreateStorageConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/CreateStorageConfigurationCommand.ts @@ -115,4 +115,16 @@ export class CreateStorageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateStorageConfigurationCommand) .de(de_CreateStorageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStorageConfigurationRequest; + output: CreateStorageConfigurationResponse; + }; + sdk: { + input: CreateStorageConfigurationCommandInput; + output: CreateStorageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/DeleteEncoderConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/DeleteEncoderConfigurationCommand.ts index 971f8307d496..0c89aacf3c4c 100644 --- a/clients/client-ivs-realtime/src/commands/DeleteEncoderConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/DeleteEncoderConfigurationCommand.ts @@ -94,4 +94,16 @@ export class DeleteEncoderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEncoderConfigurationCommand) .de(de_DeleteEncoderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEncoderConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteEncoderConfigurationCommandInput; + output: DeleteEncoderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/DeleteIngestConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/DeleteIngestConfigurationCommand.ts index 65a1523ddf1a..0e536fdadedb 100644 --- a/clients/client-ivs-realtime/src/commands/DeleteIngestConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/DeleteIngestConfigurationCommand.ts @@ -91,4 +91,16 @@ export class DeleteIngestConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIngestConfigurationCommand) .de(de_DeleteIngestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIngestConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteIngestConfigurationCommandInput; + output: DeleteIngestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/DeletePublicKeyCommand.ts b/clients/client-ivs-realtime/src/commands/DeletePublicKeyCommand.ts index 3a44e8de4a72..bd93415449ad 100644 --- a/clients/client-ivs-realtime/src/commands/DeletePublicKeyCommand.ts +++ b/clients/client-ivs-realtime/src/commands/DeletePublicKeyCommand.ts @@ -92,4 +92,16 @@ export class DeletePublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePublicKeyCommand) .de(de_DeletePublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePublicKeyRequest; + output: {}; + }; + sdk: { + input: DeletePublicKeyCommandInput; + output: DeletePublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/DeleteStageCommand.ts b/clients/client-ivs-realtime/src/commands/DeleteStageCommand.ts index bbc9a91ba657..c68205f92f11 100644 --- a/clients/client-ivs-realtime/src/commands/DeleteStageCommand.ts +++ b/clients/client-ivs-realtime/src/commands/DeleteStageCommand.ts @@ -92,4 +92,16 @@ export class DeleteStageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStageCommand) .de(de_DeleteStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStageRequest; + output: {}; + }; + sdk: { + input: DeleteStageCommandInput; + output: DeleteStageCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/DeleteStorageConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/DeleteStorageConfigurationCommand.ts index 312913c47e3a..33850c92e7d4 100644 --- a/clients/client-ivs-realtime/src/commands/DeleteStorageConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/DeleteStorageConfigurationCommand.ts @@ -96,4 +96,16 @@ export class DeleteStorageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStorageConfigurationCommand) .de(de_DeleteStorageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStorageConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteStorageConfigurationCommandInput; + output: DeleteStorageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/DisconnectParticipantCommand.ts b/clients/client-ivs-realtime/src/commands/DisconnectParticipantCommand.ts index 15c8818f49c1..e0e565f8904a 100644 --- a/clients/client-ivs-realtime/src/commands/DisconnectParticipantCommand.ts +++ b/clients/client-ivs-realtime/src/commands/DisconnectParticipantCommand.ts @@ -91,4 +91,16 @@ export class DisconnectParticipantCommand extends $Command .f(void 0, void 0) .ser(se_DisconnectParticipantCommand) .de(de_DisconnectParticipantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisconnectParticipantRequest; + output: {}; + }; + sdk: { + input: DisconnectParticipantCommandInput; + output: DisconnectParticipantCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetCompositionCommand.ts b/clients/client-ivs-realtime/src/commands/GetCompositionCommand.ts index e30122f84142..42d358248781 100644 --- a/clients/client-ivs-realtime/src/commands/GetCompositionCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetCompositionCommand.ts @@ -154,4 +154,16 @@ export class GetCompositionCommand extends $Command .f(void 0, void 0) .ser(se_GetCompositionCommand) .de(de_GetCompositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCompositionRequest; + output: GetCompositionResponse; + }; + sdk: { + input: GetCompositionCommandInput; + output: GetCompositionCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetEncoderConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/GetEncoderConfigurationCommand.ts index a639b9b4c5cb..28b2aedc1bf4 100644 --- a/clients/client-ivs-realtime/src/commands/GetEncoderConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetEncoderConfigurationCommand.ts @@ -107,4 +107,16 @@ export class GetEncoderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetEncoderConfigurationCommand) .de(de_GetEncoderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEncoderConfigurationRequest; + output: GetEncoderConfigurationResponse; + }; + sdk: { + input: GetEncoderConfigurationCommandInput; + output: GetEncoderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetIngestConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/GetIngestConfigurationCommand.ts index f2747d4ae783..dae1dde74b08 100644 --- a/clients/client-ivs-realtime/src/commands/GetIngestConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetIngestConfigurationCommand.ts @@ -105,4 +105,16 @@ export class GetIngestConfigurationCommand extends $Command .f(void 0, GetIngestConfigurationResponseFilterSensitiveLog) .ser(se_GetIngestConfigurationCommand) .de(de_GetIngestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIngestConfigurationRequest; + output: GetIngestConfigurationResponse; + }; + sdk: { + input: GetIngestConfigurationCommandInput; + output: GetIngestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetParticipantCommand.ts b/clients/client-ivs-realtime/src/commands/GetParticipantCommand.ts index 001cd89d0120..08874defb207 100644 --- a/clients/client-ivs-realtime/src/commands/GetParticipantCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetParticipantCommand.ts @@ -107,4 +107,16 @@ export class GetParticipantCommand extends $Command .f(void 0, void 0) .ser(se_GetParticipantCommand) .de(de_GetParticipantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParticipantRequest; + output: GetParticipantResponse; + }; + sdk: { + input: GetParticipantCommandInput; + output: GetParticipantCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetPublicKeyCommand.ts b/clients/client-ivs-realtime/src/commands/GetPublicKeyCommand.ts index 4d974c0d9dd7..d43971a8215a 100644 --- a/clients/client-ivs-realtime/src/commands/GetPublicKeyCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetPublicKeyCommand.ts @@ -94,4 +94,16 @@ export class GetPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetPublicKeyCommand) .de(de_GetPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicKeyRequest; + output: GetPublicKeyResponse; + }; + sdk: { + input: GetPublicKeyCommandInput; + output: GetPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetStageCommand.ts b/clients/client-ivs-realtime/src/commands/GetStageCommand.ts index 626029a6b957..9f8a72188862 100644 --- a/clients/client-ivs-realtime/src/commands/GetStageCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetStageCommand.ts @@ -105,4 +105,16 @@ export class GetStageCommand extends $Command .f(void 0, void 0) .ser(se_GetStageCommand) .de(de_GetStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStageRequest; + output: GetStageResponse; + }; + sdk: { + input: GetStageCommandInput; + output: GetStageCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetStageSessionCommand.ts b/clients/client-ivs-realtime/src/commands/GetStageSessionCommand.ts index 548cfb6b26ce..8b9ba1feafb3 100644 --- a/clients/client-ivs-realtime/src/commands/GetStageSessionCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetStageSessionCommand.ts @@ -91,4 +91,16 @@ export class GetStageSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetStageSessionCommand) .de(de_GetStageSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStageSessionRequest; + output: GetStageSessionResponse; + }; + sdk: { + input: GetStageSessionCommandInput; + output: GetStageSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/GetStorageConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/GetStorageConfigurationCommand.ts index 7f56b71c72e3..a578eb3ce3e4 100644 --- a/clients/client-ivs-realtime/src/commands/GetStorageConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/GetStorageConfigurationCommand.ts @@ -104,4 +104,16 @@ export class GetStorageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetStorageConfigurationCommand) .de(de_GetStorageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStorageConfigurationRequest; + output: GetStorageConfigurationResponse; + }; + sdk: { + input: GetStorageConfigurationCommandInput; + output: GetStorageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ImportPublicKeyCommand.ts b/clients/client-ivs-realtime/src/commands/ImportPublicKeyCommand.ts index f42e43331de1..4d78e2e7872b 100644 --- a/clients/client-ivs-realtime/src/commands/ImportPublicKeyCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ImportPublicKeyCommand.ts @@ -104,4 +104,16 @@ export class ImportPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_ImportPublicKeyCommand) .de(de_ImportPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportPublicKeyRequest; + output: ImportPublicKeyResponse; + }; + sdk: { + input: ImportPublicKeyCommandInput; + output: ImportPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListCompositionsCommand.ts b/clients/client-ivs-realtime/src/commands/ListCompositionsCommand.ts index 3d41444cf37c..cf704ec8fac5 100644 --- a/clients/client-ivs-realtime/src/commands/ListCompositionsCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListCompositionsCommand.ts @@ -116,4 +116,16 @@ export class ListCompositionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCompositionsCommand) .de(de_ListCompositionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCompositionsRequest; + output: ListCompositionsResponse; + }; + sdk: { + input: ListCompositionsCommandInput; + output: ListCompositionsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListEncoderConfigurationsCommand.ts b/clients/client-ivs-realtime/src/commands/ListEncoderConfigurationsCommand.ts index 660c3cd40871..8114e38cecfa 100644 --- a/clients/client-ivs-realtime/src/commands/ListEncoderConfigurationsCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListEncoderConfigurationsCommand.ts @@ -103,4 +103,16 @@ export class ListEncoderConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListEncoderConfigurationsCommand) .de(de_ListEncoderConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEncoderConfigurationsRequest; + output: ListEncoderConfigurationsResponse; + }; + sdk: { + input: ListEncoderConfigurationsCommandInput; + output: ListEncoderConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListIngestConfigurationsCommand.ts b/clients/client-ivs-realtime/src/commands/ListIngestConfigurationsCommand.ts index 227923d8a1f9..8b6d68203396 100644 --- a/clients/client-ivs-realtime/src/commands/ListIngestConfigurationsCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListIngestConfigurationsCommand.ts @@ -97,4 +97,16 @@ export class ListIngestConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListIngestConfigurationsCommand) .de(de_ListIngestConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIngestConfigurationsRequest; + output: ListIngestConfigurationsResponse; + }; + sdk: { + input: ListIngestConfigurationsCommandInput; + output: ListIngestConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListParticipantEventsCommand.ts b/clients/client-ivs-realtime/src/commands/ListParticipantEventsCommand.ts index a3f4fbdc743e..d502106f5e15 100644 --- a/clients/client-ivs-realtime/src/commands/ListParticipantEventsCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListParticipantEventsCommand.ts @@ -97,4 +97,16 @@ export class ListParticipantEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListParticipantEventsCommand) .de(de_ListParticipantEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListParticipantEventsRequest; + output: ListParticipantEventsResponse; + }; + sdk: { + input: ListParticipantEventsCommandInput; + output: ListParticipantEventsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListParticipantsCommand.ts b/clients/client-ivs-realtime/src/commands/ListParticipantsCommand.ts index 196a670a4982..baf6ce97f007 100644 --- a/clients/client-ivs-realtime/src/commands/ListParticipantsCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListParticipantsCommand.ts @@ -100,4 +100,16 @@ export class ListParticipantsCommand extends $Command .f(void 0, void 0) .ser(se_ListParticipantsCommand) .de(de_ListParticipantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListParticipantsRequest; + output: ListParticipantsResponse; + }; + sdk: { + input: ListParticipantsCommandInput; + output: ListParticipantsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListPublicKeysCommand.ts b/clients/client-ivs-realtime/src/commands/ListPublicKeysCommand.ts index 4d5aa3f8e83c..b8e81a3a3ef9 100644 --- a/clients/client-ivs-realtime/src/commands/ListPublicKeysCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListPublicKeysCommand.ts @@ -93,4 +93,16 @@ export class ListPublicKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListPublicKeysCommand) .de(de_ListPublicKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPublicKeysRequest; + output: ListPublicKeysResponse; + }; + sdk: { + input: ListPublicKeysCommandInput; + output: ListPublicKeysCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListStageSessionsCommand.ts b/clients/client-ivs-realtime/src/commands/ListStageSessionsCommand.ts index 0bf96906485f..5e6fc01d2522 100644 --- a/clients/client-ivs-realtime/src/commands/ListStageSessionsCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListStageSessionsCommand.ts @@ -92,4 +92,16 @@ export class ListStageSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListStageSessionsCommand) .de(de_ListStageSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStageSessionsRequest; + output: ListStageSessionsResponse; + }; + sdk: { + input: ListStageSessionsCommandInput; + output: ListStageSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListStagesCommand.ts b/clients/client-ivs-realtime/src/commands/ListStagesCommand.ts index a4c6747564b6..a51af54bff2f 100644 --- a/clients/client-ivs-realtime/src/commands/ListStagesCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListStagesCommand.ts @@ -98,4 +98,16 @@ export class ListStagesCommand extends $Command .f(void 0, void 0) .ser(se_ListStagesCommand) .de(de_ListStagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStagesRequest; + output: ListStagesResponse; + }; + sdk: { + input: ListStagesCommandInput; + output: ListStagesCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListStorageConfigurationsCommand.ts b/clients/client-ivs-realtime/src/commands/ListStorageConfigurationsCommand.ts index 2fd72f0345d4..0c91ea263d5c 100644 --- a/clients/client-ivs-realtime/src/commands/ListStorageConfigurationsCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListStorageConfigurationsCommand.ts @@ -106,4 +106,16 @@ export class ListStorageConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListStorageConfigurationsCommand) .de(de_ListStorageConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStorageConfigurationsRequest; + output: ListStorageConfigurationsResponse; + }; + sdk: { + input: ListStorageConfigurationsCommandInput; + output: ListStorageConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/ListTagsForResourceCommand.ts b/clients/client-ivs-realtime/src/commands/ListTagsForResourceCommand.ts index 2c1eec0c1856..0b819e73b689 100644 --- a/clients/client-ivs-realtime/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ivs-realtime/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/StartCompositionCommand.ts b/clients/client-ivs-realtime/src/commands/StartCompositionCommand.ts index 8688c138b7e6..fb0c0df9cc7f 100644 --- a/clients/client-ivs-realtime/src/commands/StartCompositionCommand.ts +++ b/clients/client-ivs-realtime/src/commands/StartCompositionCommand.ts @@ -223,4 +223,16 @@ export class StartCompositionCommand extends $Command .f(void 0, void 0) .ser(se_StartCompositionCommand) .de(de_StartCompositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCompositionRequest; + output: StartCompositionResponse; + }; + sdk: { + input: StartCompositionCommandInput; + output: StartCompositionCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/StopCompositionCommand.ts b/clients/client-ivs-realtime/src/commands/StopCompositionCommand.ts index aea6c994e168..465479fb5c36 100644 --- a/clients/client-ivs-realtime/src/commands/StopCompositionCommand.ts +++ b/clients/client-ivs-realtime/src/commands/StopCompositionCommand.ts @@ -94,4 +94,16 @@ export class StopCompositionCommand extends $Command .f(void 0, void 0) .ser(se_StopCompositionCommand) .de(de_StopCompositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCompositionRequest; + output: {}; + }; + sdk: { + input: StopCompositionCommandInput; + output: StopCompositionCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/TagResourceCommand.ts b/clients/client-ivs-realtime/src/commands/TagResourceCommand.ts index db244e9b3945..51889f84d805 100644 --- a/clients/client-ivs-realtime/src/commands/TagResourceCommand.ts +++ b/clients/client-ivs-realtime/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/UntagResourceCommand.ts b/clients/client-ivs-realtime/src/commands/UntagResourceCommand.ts index 834a86b09cd4..8a72e5907b12 100644 --- a/clients/client-ivs-realtime/src/commands/UntagResourceCommand.ts +++ b/clients/client-ivs-realtime/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/UpdateIngestConfigurationCommand.ts b/clients/client-ivs-realtime/src/commands/UpdateIngestConfigurationCommand.ts index b4e7fc78f020..b53d87582bff 100644 --- a/clients/client-ivs-realtime/src/commands/UpdateIngestConfigurationCommand.ts +++ b/clients/client-ivs-realtime/src/commands/UpdateIngestConfigurationCommand.ts @@ -112,4 +112,16 @@ export class UpdateIngestConfigurationCommand extends $Command .f(void 0, UpdateIngestConfigurationResponseFilterSensitiveLog) .ser(se_UpdateIngestConfigurationCommand) .de(de_UpdateIngestConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIngestConfigurationRequest; + output: UpdateIngestConfigurationResponse; + }; + sdk: { + input: UpdateIngestConfigurationCommandInput; + output: UpdateIngestConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs-realtime/src/commands/UpdateStageCommand.ts b/clients/client-ivs-realtime/src/commands/UpdateStageCommand.ts index 1fdf306f8477..4a9b67f0a5f8 100644 --- a/clients/client-ivs-realtime/src/commands/UpdateStageCommand.ts +++ b/clients/client-ivs-realtime/src/commands/UpdateStageCommand.ts @@ -121,4 +121,16 @@ export class UpdateStageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStageCommand) .de(de_UpdateStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStageRequest; + output: UpdateStageResponse; + }; + sdk: { + input: UpdateStageCommandInput; + output: UpdateStageCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/package.json b/clients/client-ivs/package.json index 0f13b057af59..d5732fefa322 100644 --- a/clients/client-ivs/package.json +++ b/clients/client-ivs/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-ivs/src/commands/BatchGetChannelCommand.ts b/clients/client-ivs/src/commands/BatchGetChannelCommand.ts index d97d80a9b66d..82e2b5a66fed 100644 --- a/clients/client-ivs/src/commands/BatchGetChannelCommand.ts +++ b/clients/client-ivs/src/commands/BatchGetChannelCommand.ts @@ -111,4 +111,16 @@ export class BatchGetChannelCommand extends $Command .f(void 0, BatchGetChannelResponseFilterSensitiveLog) .ser(se_BatchGetChannelCommand) .de(de_BatchGetChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetChannelRequest; + output: BatchGetChannelResponse; + }; + sdk: { + input: BatchGetChannelCommandInput; + output: BatchGetChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/BatchGetStreamKeyCommand.ts b/clients/client-ivs/src/commands/BatchGetStreamKeyCommand.ts index d63585028088..8857deda6dfc 100644 --- a/clients/client-ivs/src/commands/BatchGetStreamKeyCommand.ts +++ b/clients/client-ivs/src/commands/BatchGetStreamKeyCommand.ts @@ -99,4 +99,16 @@ export class BatchGetStreamKeyCommand extends $Command .f(void 0, BatchGetStreamKeyResponseFilterSensitiveLog) .ser(se_BatchGetStreamKeyCommand) .de(de_BatchGetStreamKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetStreamKeyRequest; + output: BatchGetStreamKeyResponse; + }; + sdk: { + input: BatchGetStreamKeyCommandInput; + output: BatchGetStreamKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/BatchStartViewerSessionRevocationCommand.ts b/clients/client-ivs/src/commands/BatchStartViewerSessionRevocationCommand.ts index 763103bc1d03..6f2c29b724a8 100644 --- a/clients/client-ivs/src/commands/BatchStartViewerSessionRevocationCommand.ts +++ b/clients/client-ivs/src/commands/BatchStartViewerSessionRevocationCommand.ts @@ -111,4 +111,16 @@ export class BatchStartViewerSessionRevocationCommand extends $Command .f(void 0, void 0) .ser(se_BatchStartViewerSessionRevocationCommand) .de(de_BatchStartViewerSessionRevocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchStartViewerSessionRevocationRequest; + output: BatchStartViewerSessionRevocationResponse; + }; + sdk: { + input: BatchStartViewerSessionRevocationCommandInput; + output: BatchStartViewerSessionRevocationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/CreateChannelCommand.ts b/clients/client-ivs/src/commands/CreateChannelCommand.ts index 90563965ffc9..a2983d5cb15d 100644 --- a/clients/client-ivs/src/commands/CreateChannelCommand.ts +++ b/clients/client-ivs/src/commands/CreateChannelCommand.ts @@ -133,4 +133,16 @@ export class CreateChannelCommand extends $Command .f(void 0, CreateChannelResponseFilterSensitiveLog) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/CreatePlaybackRestrictionPolicyCommand.ts b/clients/client-ivs/src/commands/CreatePlaybackRestrictionPolicyCommand.ts index 1e3b217c1a0c..41b46a40701d 100644 --- a/clients/client-ivs/src/commands/CreatePlaybackRestrictionPolicyCommand.ts +++ b/clients/client-ivs/src/commands/CreatePlaybackRestrictionPolicyCommand.ts @@ -121,4 +121,16 @@ export class CreatePlaybackRestrictionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreatePlaybackRestrictionPolicyCommand) .de(de_CreatePlaybackRestrictionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlaybackRestrictionPolicyRequest; + output: CreatePlaybackRestrictionPolicyResponse; + }; + sdk: { + input: CreatePlaybackRestrictionPolicyCommandInput; + output: CreatePlaybackRestrictionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/CreateRecordingConfigurationCommand.ts b/clients/client-ivs/src/commands/CreateRecordingConfigurationCommand.ts index c99cf6daf47d..ed6e643df5eb 100644 --- a/clients/client-ivs/src/commands/CreateRecordingConfigurationCommand.ts +++ b/clients/client-ivs/src/commands/CreateRecordingConfigurationCommand.ts @@ -161,4 +161,16 @@ export class CreateRecordingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateRecordingConfigurationCommand) .de(de_CreateRecordingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRecordingConfigurationRequest; + output: CreateRecordingConfigurationResponse; + }; + sdk: { + input: CreateRecordingConfigurationCommandInput; + output: CreateRecordingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/CreateStreamKeyCommand.ts b/clients/client-ivs/src/commands/CreateStreamKeyCommand.ts index c5ee8465d4d5..56e34530514c 100644 --- a/clients/client-ivs/src/commands/CreateStreamKeyCommand.ts +++ b/clients/client-ivs/src/commands/CreateStreamKeyCommand.ts @@ -109,4 +109,16 @@ export class CreateStreamKeyCommand extends $Command .f(void 0, CreateStreamKeyResponseFilterSensitiveLog) .ser(se_CreateStreamKeyCommand) .de(de_CreateStreamKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamKeyRequest; + output: CreateStreamKeyResponse; + }; + sdk: { + input: CreateStreamKeyCommandInput; + output: CreateStreamKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/DeleteChannelCommand.ts b/clients/client-ivs/src/commands/DeleteChannelCommand.ts index b930fcbd7526..3a51f80c3a6b 100644 --- a/clients/client-ivs/src/commands/DeleteChannelCommand.ts +++ b/clients/client-ivs/src/commands/DeleteChannelCommand.ts @@ -95,4 +95,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/DeletePlaybackKeyPairCommand.ts b/clients/client-ivs/src/commands/DeletePlaybackKeyPairCommand.ts index 9f21423f6361..82493564116a 100644 --- a/clients/client-ivs/src/commands/DeletePlaybackKeyPairCommand.ts +++ b/clients/client-ivs/src/commands/DeletePlaybackKeyPairCommand.ts @@ -89,4 +89,16 @@ export class DeletePlaybackKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlaybackKeyPairCommand) .de(de_DeletePlaybackKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlaybackKeyPairRequest; + output: {}; + }; + sdk: { + input: DeletePlaybackKeyPairCommandInput; + output: DeletePlaybackKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/DeletePlaybackRestrictionPolicyCommand.ts b/clients/client-ivs/src/commands/DeletePlaybackRestrictionPolicyCommand.ts index 58dc8a018b58..5415f44dfef0 100644 --- a/clients/client-ivs/src/commands/DeletePlaybackRestrictionPolicyCommand.ts +++ b/clients/client-ivs/src/commands/DeletePlaybackRestrictionPolicyCommand.ts @@ -93,4 +93,16 @@ export class DeletePlaybackRestrictionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlaybackRestrictionPolicyCommand) .de(de_DeletePlaybackRestrictionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlaybackRestrictionPolicyRequest; + output: {}; + }; + sdk: { + input: DeletePlaybackRestrictionPolicyCommandInput; + output: DeletePlaybackRestrictionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/DeleteRecordingConfigurationCommand.ts b/clients/client-ivs/src/commands/DeleteRecordingConfigurationCommand.ts index 7d310a8eeaf2..74642d004389 100644 --- a/clients/client-ivs/src/commands/DeleteRecordingConfigurationCommand.ts +++ b/clients/client-ivs/src/commands/DeleteRecordingConfigurationCommand.ts @@ -98,4 +98,16 @@ export class DeleteRecordingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecordingConfigurationCommand) .de(de_DeleteRecordingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecordingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteRecordingConfigurationCommandInput; + output: DeleteRecordingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/DeleteStreamKeyCommand.ts b/clients/client-ivs/src/commands/DeleteStreamKeyCommand.ts index d47d2ec3765b..4d8dd3011a6e 100644 --- a/clients/client-ivs/src/commands/DeleteStreamKeyCommand.ts +++ b/clients/client-ivs/src/commands/DeleteStreamKeyCommand.ts @@ -88,4 +88,16 @@ export class DeleteStreamKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStreamKeyCommand) .de(de_DeleteStreamKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamKeyRequest; + output: {}; + }; + sdk: { + input: DeleteStreamKeyCommandInput; + output: DeleteStreamKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/GetChannelCommand.ts b/clients/client-ivs/src/commands/GetChannelCommand.ts index 86f6d4bbbebb..f4be02273c5b 100644 --- a/clients/client-ivs/src/commands/GetChannelCommand.ts +++ b/clients/client-ivs/src/commands/GetChannelCommand.ts @@ -105,4 +105,16 @@ export class GetChannelCommand extends $Command .f(void 0, GetChannelResponseFilterSensitiveLog) .ser(se_GetChannelCommand) .de(de_GetChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelRequest; + output: GetChannelResponse; + }; + sdk: { + input: GetChannelCommandInput; + output: GetChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/GetPlaybackKeyPairCommand.ts b/clients/client-ivs/src/commands/GetPlaybackKeyPairCommand.ts index 5bace76af83f..71566cd8c96e 100644 --- a/clients/client-ivs/src/commands/GetPlaybackKeyPairCommand.ts +++ b/clients/client-ivs/src/commands/GetPlaybackKeyPairCommand.ts @@ -97,4 +97,16 @@ export class GetPlaybackKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_GetPlaybackKeyPairCommand) .de(de_GetPlaybackKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPlaybackKeyPairRequest; + output: GetPlaybackKeyPairResponse; + }; + sdk: { + input: GetPlaybackKeyPairCommandInput; + output: GetPlaybackKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/GetPlaybackRestrictionPolicyCommand.ts b/clients/client-ivs/src/commands/GetPlaybackRestrictionPolicyCommand.ts index dbe976d85934..99ec3f95c7fe 100644 --- a/clients/client-ivs/src/commands/GetPlaybackRestrictionPolicyCommand.ts +++ b/clients/client-ivs/src/commands/GetPlaybackRestrictionPolicyCommand.ts @@ -107,4 +107,16 @@ export class GetPlaybackRestrictionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPlaybackRestrictionPolicyCommand) .de(de_GetPlaybackRestrictionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPlaybackRestrictionPolicyRequest; + output: GetPlaybackRestrictionPolicyResponse; + }; + sdk: { + input: GetPlaybackRestrictionPolicyCommandInput; + output: GetPlaybackRestrictionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/GetRecordingConfigurationCommand.ts b/clients/client-ivs/src/commands/GetRecordingConfigurationCommand.ts index f93def9ec320..7dda4e745900 100644 --- a/clients/client-ivs/src/commands/GetRecordingConfigurationCommand.ts +++ b/clients/client-ivs/src/commands/GetRecordingConfigurationCommand.ts @@ -116,4 +116,16 @@ export class GetRecordingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetRecordingConfigurationCommand) .de(de_GetRecordingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecordingConfigurationRequest; + output: GetRecordingConfigurationResponse; + }; + sdk: { + input: GetRecordingConfigurationCommandInput; + output: GetRecordingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/GetStreamCommand.ts b/clients/client-ivs/src/commands/GetStreamCommand.ts index 5767efa6dd4d..3eb511685bc5 100644 --- a/clients/client-ivs/src/commands/GetStreamCommand.ts +++ b/clients/client-ivs/src/commands/GetStreamCommand.ts @@ -97,4 +97,16 @@ export class GetStreamCommand extends $Command .f(void 0, void 0) .ser(se_GetStreamCommand) .de(de_GetStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamRequest; + output: GetStreamResponse; + }; + sdk: { + input: GetStreamCommandInput; + output: GetStreamCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/GetStreamKeyCommand.ts b/clients/client-ivs/src/commands/GetStreamKeyCommand.ts index a0aa9bc3f2e4..179555bca438 100644 --- a/clients/client-ivs/src/commands/GetStreamKeyCommand.ts +++ b/clients/client-ivs/src/commands/GetStreamKeyCommand.ts @@ -93,4 +93,16 @@ export class GetStreamKeyCommand extends $Command .f(void 0, GetStreamKeyResponseFilterSensitiveLog) .ser(se_GetStreamKeyCommand) .de(de_GetStreamKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamKeyRequest; + output: GetStreamKeyResponse; + }; + sdk: { + input: GetStreamKeyCommandInput; + output: GetStreamKeyCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/GetStreamSessionCommand.ts b/clients/client-ivs/src/commands/GetStreamSessionCommand.ts index 8d5a4253e6ac..a7d0d57a56b0 100644 --- a/clients/client-ivs/src/commands/GetStreamSessionCommand.ts +++ b/clients/client-ivs/src/commands/GetStreamSessionCommand.ts @@ -168,4 +168,16 @@ export class GetStreamSessionCommand extends $Command .f(void 0, GetStreamSessionResponseFilterSensitiveLog) .ser(se_GetStreamSessionCommand) .de(de_GetStreamSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamSessionRequest; + output: GetStreamSessionResponse; + }; + sdk: { + input: GetStreamSessionCommandInput; + output: GetStreamSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ImportPlaybackKeyPairCommand.ts b/clients/client-ivs/src/commands/ImportPlaybackKeyPairCommand.ts index f233f4a877ef..e7a71daa55b9 100644 --- a/clients/client-ivs/src/commands/ImportPlaybackKeyPairCommand.ts +++ b/clients/client-ivs/src/commands/ImportPlaybackKeyPairCommand.ts @@ -107,4 +107,16 @@ export class ImportPlaybackKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_ImportPlaybackKeyPairCommand) .de(de_ImportPlaybackKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportPlaybackKeyPairRequest; + output: ImportPlaybackKeyPairResponse; + }; + sdk: { + input: ImportPlaybackKeyPairCommandInput; + output: ImportPlaybackKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListChannelsCommand.ts b/clients/client-ivs/src/commands/ListChannelsCommand.ts index 88ac17b39fee..60cc2b3db9f6 100644 --- a/clients/client-ivs/src/commands/ListChannelsCommand.ts +++ b/clients/client-ivs/src/commands/ListChannelsCommand.ts @@ -109,4 +109,16 @@ export class ListChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListPlaybackKeyPairsCommand.ts b/clients/client-ivs/src/commands/ListPlaybackKeyPairsCommand.ts index da195fc73ffd..b077a82726cd 100644 --- a/clients/client-ivs/src/commands/ListPlaybackKeyPairsCommand.ts +++ b/clients/client-ivs/src/commands/ListPlaybackKeyPairsCommand.ts @@ -94,4 +94,16 @@ export class ListPlaybackKeyPairsCommand extends $Command .f(void 0, void 0) .ser(se_ListPlaybackKeyPairsCommand) .de(de_ListPlaybackKeyPairsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlaybackKeyPairsRequest; + output: ListPlaybackKeyPairsResponse; + }; + sdk: { + input: ListPlaybackKeyPairsCommandInput; + output: ListPlaybackKeyPairsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListPlaybackRestrictionPoliciesCommand.ts b/clients/client-ivs/src/commands/ListPlaybackRestrictionPoliciesCommand.ts index e13600bc3db8..c8ac1569bd19 100644 --- a/clients/client-ivs/src/commands/ListPlaybackRestrictionPoliciesCommand.ts +++ b/clients/client-ivs/src/commands/ListPlaybackRestrictionPoliciesCommand.ts @@ -111,4 +111,16 @@ export class ListPlaybackRestrictionPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListPlaybackRestrictionPoliciesCommand) .de(de_ListPlaybackRestrictionPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlaybackRestrictionPoliciesRequest; + output: ListPlaybackRestrictionPoliciesResponse; + }; + sdk: { + input: ListPlaybackRestrictionPoliciesCommandInput; + output: ListPlaybackRestrictionPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListRecordingConfigurationsCommand.ts b/clients/client-ivs/src/commands/ListRecordingConfigurationsCommand.ts index b137676cab8f..662ec543da2a 100644 --- a/clients/client-ivs/src/commands/ListRecordingConfigurationsCommand.ts +++ b/clients/client-ivs/src/commands/ListRecordingConfigurationsCommand.ts @@ -108,4 +108,16 @@ export class ListRecordingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecordingConfigurationsCommand) .de(de_ListRecordingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecordingConfigurationsRequest; + output: ListRecordingConfigurationsResponse; + }; + sdk: { + input: ListRecordingConfigurationsCommandInput; + output: ListRecordingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListStreamKeysCommand.ts b/clients/client-ivs/src/commands/ListStreamKeysCommand.ts index 015c29da283e..32d98ae08151 100644 --- a/clients/client-ivs/src/commands/ListStreamKeysCommand.ts +++ b/clients/client-ivs/src/commands/ListStreamKeysCommand.ts @@ -97,4 +97,16 @@ export class ListStreamKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamKeysCommand) .de(de_ListStreamKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamKeysRequest; + output: ListStreamKeysResponse; + }; + sdk: { + input: ListStreamKeysCommandInput; + output: ListStreamKeysCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListStreamSessionsCommand.ts b/clients/client-ivs/src/commands/ListStreamSessionsCommand.ts index d06ab9ae14bf..f429483e5591 100644 --- a/clients/client-ivs/src/commands/ListStreamSessionsCommand.ts +++ b/clients/client-ivs/src/commands/ListStreamSessionsCommand.ts @@ -97,4 +97,16 @@ export class ListStreamSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamSessionsCommand) .de(de_ListStreamSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamSessionsRequest; + output: ListStreamSessionsResponse; + }; + sdk: { + input: ListStreamSessionsCommandInput; + output: ListStreamSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListStreamsCommand.ts b/clients/client-ivs/src/commands/ListStreamsCommand.ts index a627c3fa1a5a..e9b6226ac3a2 100644 --- a/clients/client-ivs/src/commands/ListStreamsCommand.ts +++ b/clients/client-ivs/src/commands/ListStreamsCommand.ts @@ -98,4 +98,16 @@ export class ListStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamsCommand) .de(de_ListStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamsRequest; + output: ListStreamsResponse; + }; + sdk: { + input: ListStreamsCommandInput; + output: ListStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/ListTagsForResourceCommand.ts b/clients/client-ivs/src/commands/ListTagsForResourceCommand.ts index d4c2dd079020..97998cc6ca2c 100644 --- a/clients/client-ivs/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ivs/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/PutMetadataCommand.ts b/clients/client-ivs/src/commands/PutMetadataCommand.ts index 97ca2ac93ce7..507ae8f538ca 100644 --- a/clients/client-ivs/src/commands/PutMetadataCommand.ts +++ b/clients/client-ivs/src/commands/PutMetadataCommand.ts @@ -95,4 +95,16 @@ export class PutMetadataCommand extends $Command .f(PutMetadataRequestFilterSensitiveLog, void 0) .ser(se_PutMetadataCommand) .de(de_PutMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMetadataRequest; + output: {}; + }; + sdk: { + input: PutMetadataCommandInput; + output: PutMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/StartViewerSessionRevocationCommand.ts b/clients/client-ivs/src/commands/StartViewerSessionRevocationCommand.ts index bdedae17cd59..e4f3f1cae34b 100644 --- a/clients/client-ivs/src/commands/StartViewerSessionRevocationCommand.ts +++ b/clients/client-ivs/src/commands/StartViewerSessionRevocationCommand.ts @@ -104,4 +104,16 @@ export class StartViewerSessionRevocationCommand extends $Command .f(void 0, void 0) .ser(se_StartViewerSessionRevocationCommand) .de(de_StartViewerSessionRevocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartViewerSessionRevocationRequest; + output: {}; + }; + sdk: { + input: StartViewerSessionRevocationCommandInput; + output: StartViewerSessionRevocationCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/StopStreamCommand.ts b/clients/client-ivs/src/commands/StopStreamCommand.ts index a7bb5c275675..3a6f6e348e2a 100644 --- a/clients/client-ivs/src/commands/StopStreamCommand.ts +++ b/clients/client-ivs/src/commands/StopStreamCommand.ts @@ -97,4 +97,16 @@ export class StopStreamCommand extends $Command .f(void 0, void 0) .ser(se_StopStreamCommand) .de(de_StopStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopStreamRequest; + output: {}; + }; + sdk: { + input: StopStreamCommandInput; + output: StopStreamCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/TagResourceCommand.ts b/clients/client-ivs/src/commands/TagResourceCommand.ts index 9912efef60e3..497fb23bfd68 100644 --- a/clients/client-ivs/src/commands/TagResourceCommand.ts +++ b/clients/client-ivs/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/UntagResourceCommand.ts b/clients/client-ivs/src/commands/UntagResourceCommand.ts index 658d0555c797..f57138d2528f 100644 --- a/clients/client-ivs/src/commands/UntagResourceCommand.ts +++ b/clients/client-ivs/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/UpdateChannelCommand.ts b/clients/client-ivs/src/commands/UpdateChannelCommand.ts index 6ab66f93fbb6..4870154e521a 100644 --- a/clients/client-ivs/src/commands/UpdateChannelCommand.ts +++ b/clients/client-ivs/src/commands/UpdateChannelCommand.ts @@ -125,4 +125,16 @@ export class UpdateChannelCommand extends $Command .f(void 0, UpdateChannelResponseFilterSensitiveLog) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ivs/src/commands/UpdatePlaybackRestrictionPolicyCommand.ts b/clients/client-ivs/src/commands/UpdatePlaybackRestrictionPolicyCommand.ts index 5e79d4f96be4..82349d5ce33c 100644 --- a/clients/client-ivs/src/commands/UpdatePlaybackRestrictionPolicyCommand.ts +++ b/clients/client-ivs/src/commands/UpdatePlaybackRestrictionPolicyCommand.ts @@ -118,4 +118,16 @@ export class UpdatePlaybackRestrictionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePlaybackRestrictionPolicyCommand) .de(de_UpdatePlaybackRestrictionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePlaybackRestrictionPolicyRequest; + output: UpdatePlaybackRestrictionPolicyResponse; + }; + sdk: { + input: UpdatePlaybackRestrictionPolicyCommandInput; + output: UpdatePlaybackRestrictionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/package.json b/clients/client-ivschat/package.json index a90467683c78..004c331cccd5 100644 --- a/clients/client-ivschat/package.json +++ b/clients/client-ivschat/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-ivschat/src/commands/CreateChatTokenCommand.ts b/clients/client-ivschat/src/commands/CreateChatTokenCommand.ts index c574a9329695..5a98cc8c2863 100644 --- a/clients/client-ivschat/src/commands/CreateChatTokenCommand.ts +++ b/clients/client-ivschat/src/commands/CreateChatTokenCommand.ts @@ -115,4 +115,16 @@ export class CreateChatTokenCommand extends $Command .f(CreateChatTokenRequestFilterSensitiveLog, CreateChatTokenResponseFilterSensitiveLog) .ser(se_CreateChatTokenCommand) .de(de_CreateChatTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChatTokenRequest; + output: CreateChatTokenResponse; + }; + sdk: { + input: CreateChatTokenCommandInput; + output: CreateChatTokenCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/CreateLoggingConfigurationCommand.ts b/clients/client-ivschat/src/commands/CreateLoggingConfigurationCommand.ts index 1aa1cbb29ae8..4b69331ae725 100644 --- a/clients/client-ivschat/src/commands/CreateLoggingConfigurationCommand.ts +++ b/clients/client-ivschat/src/commands/CreateLoggingConfigurationCommand.ts @@ -129,4 +129,16 @@ export class CreateLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoggingConfigurationCommand) .de(de_CreateLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoggingConfigurationRequest; + output: CreateLoggingConfigurationResponse; + }; + sdk: { + input: CreateLoggingConfigurationCommandInput; + output: CreateLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/CreateRoomCommand.ts b/clients/client-ivschat/src/commands/CreateRoomCommand.ts index f01dd619b56b..10afdf5b0f05 100644 --- a/clients/client-ivschat/src/commands/CreateRoomCommand.ts +++ b/clients/client-ivschat/src/commands/CreateRoomCommand.ts @@ -123,4 +123,16 @@ export class CreateRoomCommand extends $Command .f(void 0, void 0) .ser(se_CreateRoomCommand) .de(de_CreateRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoomRequest; + output: CreateRoomResponse; + }; + sdk: { + input: CreateRoomCommandInput; + output: CreateRoomCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/DeleteLoggingConfigurationCommand.ts b/clients/client-ivschat/src/commands/DeleteLoggingConfigurationCommand.ts index 3e1dde678ca8..b64a8b576126 100644 --- a/clients/client-ivschat/src/commands/DeleteLoggingConfigurationCommand.ts +++ b/clients/client-ivschat/src/commands/DeleteLoggingConfigurationCommand.ts @@ -90,4 +90,16 @@ export class DeleteLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoggingConfigurationCommand) .de(de_DeleteLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoggingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteLoggingConfigurationCommandInput; + output: DeleteLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/DeleteMessageCommand.ts b/clients/client-ivschat/src/commands/DeleteMessageCommand.ts index 22b5759a02eb..39d5db6b2333 100644 --- a/clients/client-ivschat/src/commands/DeleteMessageCommand.ts +++ b/clients/client-ivschat/src/commands/DeleteMessageCommand.ts @@ -97,4 +97,16 @@ export class DeleteMessageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMessageCommand) .de(de_DeleteMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMessageRequest; + output: DeleteMessageResponse; + }; + sdk: { + input: DeleteMessageCommandInput; + output: DeleteMessageCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/DeleteRoomCommand.ts b/clients/client-ivschat/src/commands/DeleteRoomCommand.ts index 1ee46eb0979d..38e82b8b2170 100644 --- a/clients/client-ivschat/src/commands/DeleteRoomCommand.ts +++ b/clients/client-ivschat/src/commands/DeleteRoomCommand.ts @@ -87,4 +87,16 @@ export class DeleteRoomCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoomCommand) .de(de_DeleteRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoomRequest; + output: {}; + }; + sdk: { + input: DeleteRoomCommandInput; + output: DeleteRoomCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/DisconnectUserCommand.ts b/clients/client-ivschat/src/commands/DisconnectUserCommand.ts index 31bf6c9854ea..0c13e6a9c973 100644 --- a/clients/client-ivschat/src/commands/DisconnectUserCommand.ts +++ b/clients/client-ivschat/src/commands/DisconnectUserCommand.ts @@ -98,4 +98,16 @@ export class DisconnectUserCommand extends $Command .f(DisconnectUserRequestFilterSensitiveLog, void 0) .ser(se_DisconnectUserCommand) .de(de_DisconnectUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisconnectUserRequest; + output: {}; + }; + sdk: { + input: DisconnectUserCommandInput; + output: DisconnectUserCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/GetLoggingConfigurationCommand.ts b/clients/client-ivschat/src/commands/GetLoggingConfigurationCommand.ts index 1feed6762d84..0ee918a2c14b 100644 --- a/clients/client-ivschat/src/commands/GetLoggingConfigurationCommand.ts +++ b/clients/client-ivschat/src/commands/GetLoggingConfigurationCommand.ts @@ -105,4 +105,16 @@ export class GetLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggingConfigurationCommand) .de(de_GetLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoggingConfigurationRequest; + output: GetLoggingConfigurationResponse; + }; + sdk: { + input: GetLoggingConfigurationCommandInput; + output: GetLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/GetRoomCommand.ts b/clients/client-ivschat/src/commands/GetRoomCommand.ts index 7cdeb92bd4a8..f98faf7e4aee 100644 --- a/clients/client-ivschat/src/commands/GetRoomCommand.ts +++ b/clients/client-ivschat/src/commands/GetRoomCommand.ts @@ -102,4 +102,16 @@ export class GetRoomCommand extends $Command .f(void 0, void 0) .ser(se_GetRoomCommand) .de(de_GetRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRoomRequest; + output: GetRoomResponse; + }; + sdk: { + input: GetRoomCommandInput; + output: GetRoomCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/ListLoggingConfigurationsCommand.ts b/clients/client-ivschat/src/commands/ListLoggingConfigurationsCommand.ts index 0e186cd9ac2d..b944cfd2dd7a 100644 --- a/clients/client-ivschat/src/commands/ListLoggingConfigurationsCommand.ts +++ b/clients/client-ivschat/src/commands/ListLoggingConfigurationsCommand.ts @@ -109,4 +109,16 @@ export class ListLoggingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLoggingConfigurationsCommand) .de(de_ListLoggingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLoggingConfigurationsRequest; + output: ListLoggingConfigurationsResponse; + }; + sdk: { + input: ListLoggingConfigurationsCommandInput; + output: ListLoggingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/ListRoomsCommand.ts b/clients/client-ivschat/src/commands/ListRoomsCommand.ts index 2d1fca547893..e1fa02f3725c 100644 --- a/clients/client-ivschat/src/commands/ListRoomsCommand.ts +++ b/clients/client-ivschat/src/commands/ListRoomsCommand.ts @@ -110,4 +110,16 @@ export class ListRoomsCommand extends $Command .f(void 0, void 0) .ser(se_ListRoomsCommand) .de(de_ListRoomsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoomsRequest; + output: ListRoomsResponse; + }; + sdk: { + input: ListRoomsCommandInput; + output: ListRoomsCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/ListTagsForResourceCommand.ts b/clients/client-ivschat/src/commands/ListTagsForResourceCommand.ts index a6d574f1c20a..a7843df4d6dc 100644 --- a/clients/client-ivschat/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ivschat/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/SendEventCommand.ts b/clients/client-ivschat/src/commands/SendEventCommand.ts index ea852406f065..fa5269104033 100644 --- a/clients/client-ivschat/src/commands/SendEventCommand.ts +++ b/clients/client-ivschat/src/commands/SendEventCommand.ts @@ -98,4 +98,16 @@ export class SendEventCommand extends $Command .f(void 0, void 0) .ser(se_SendEventCommand) .de(de_SendEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendEventRequest; + output: SendEventResponse; + }; + sdk: { + input: SendEventCommandInput; + output: SendEventCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/TagResourceCommand.ts b/clients/client-ivschat/src/commands/TagResourceCommand.ts index f2364a3b023f..95e7505dfd16 100644 --- a/clients/client-ivschat/src/commands/TagResourceCommand.ts +++ b/clients/client-ivschat/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/UntagResourceCommand.ts b/clients/client-ivschat/src/commands/UntagResourceCommand.ts index 9cec57d638db..328bf2ced883 100644 --- a/clients/client-ivschat/src/commands/UntagResourceCommand.ts +++ b/clients/client-ivschat/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/UpdateLoggingConfigurationCommand.ts b/clients/client-ivschat/src/commands/UpdateLoggingConfigurationCommand.ts index f8856236b271..d362bc733bd3 100644 --- a/clients/client-ivschat/src/commands/UpdateLoggingConfigurationCommand.ts +++ b/clients/client-ivschat/src/commands/UpdateLoggingConfigurationCommand.ts @@ -123,4 +123,16 @@ export class UpdateLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLoggingConfigurationCommand) .de(de_UpdateLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLoggingConfigurationRequest; + output: UpdateLoggingConfigurationResponse; + }; + sdk: { + input: UpdateLoggingConfigurationCommandInput; + output: UpdateLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-ivschat/src/commands/UpdateRoomCommand.ts b/clients/client-ivschat/src/commands/UpdateRoomCommand.ts index ee38c10354c6..587684217b45 100644 --- a/clients/client-ivschat/src/commands/UpdateRoomCommand.ts +++ b/clients/client-ivschat/src/commands/UpdateRoomCommand.ts @@ -115,4 +115,16 @@ export class UpdateRoomCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoomCommand) .de(de_UpdateRoomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoomRequest; + output: UpdateRoomResponse; + }; + sdk: { + input: UpdateRoomCommandInput; + output: UpdateRoomCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/package.json b/clients/client-kafka/package.json index 1402ccd87928..d987aa64df93 100644 --- a/clients/client-kafka/package.json +++ b/clients/client-kafka/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kafka/src/commands/BatchAssociateScramSecretCommand.ts b/clients/client-kafka/src/commands/BatchAssociateScramSecretCommand.ts index 182c407f55ec..f79cc9ed44ce 100644 --- a/clients/client-kafka/src/commands/BatchAssociateScramSecretCommand.ts +++ b/clients/client-kafka/src/commands/BatchAssociateScramSecretCommand.ts @@ -108,4 +108,16 @@ export class BatchAssociateScramSecretCommand extends $Command .f(void 0, void 0) .ser(se_BatchAssociateScramSecretCommand) .de(de_BatchAssociateScramSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateScramSecretRequest; + output: BatchAssociateScramSecretResponse; + }; + sdk: { + input: BatchAssociateScramSecretCommandInput; + output: BatchAssociateScramSecretCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/BatchDisassociateScramSecretCommand.ts b/clients/client-kafka/src/commands/BatchDisassociateScramSecretCommand.ts index 202a628e155e..7148696e0a8b 100644 --- a/clients/client-kafka/src/commands/BatchDisassociateScramSecretCommand.ts +++ b/clients/client-kafka/src/commands/BatchDisassociateScramSecretCommand.ts @@ -113,4 +113,16 @@ export class BatchDisassociateScramSecretCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisassociateScramSecretCommand) .de(de_BatchDisassociateScramSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateScramSecretRequest; + output: BatchDisassociateScramSecretResponse; + }; + sdk: { + input: BatchDisassociateScramSecretCommandInput; + output: BatchDisassociateScramSecretCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/CreateClusterCommand.ts b/clients/client-kafka/src/commands/CreateClusterCommand.ts index e55eb1c582f1..992d48f895bd 100644 --- a/clients/client-kafka/src/commands/CreateClusterCommand.ts +++ b/clients/client-kafka/src/commands/CreateClusterCommand.ts @@ -208,4 +208,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/CreateClusterV2Command.ts b/clients/client-kafka/src/commands/CreateClusterV2Command.ts index 28cf3677cc00..a0a21ed01e8b 100644 --- a/clients/client-kafka/src/commands/CreateClusterV2Command.ts +++ b/clients/client-kafka/src/commands/CreateClusterV2Command.ts @@ -228,4 +228,16 @@ export class CreateClusterV2Command extends $Command .f(void 0, void 0) .ser(se_CreateClusterV2Command) .de(de_CreateClusterV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterV2Request; + output: CreateClusterV2Response; + }; + sdk: { + input: CreateClusterV2CommandInput; + output: CreateClusterV2CommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/CreateConfigurationCommand.ts b/clients/client-kafka/src/commands/CreateConfigurationCommand.ts index 8dcbf1d97095..57805efdf782 100644 --- a/clients/client-kafka/src/commands/CreateConfigurationCommand.ts +++ b/clients/client-kafka/src/commands/CreateConfigurationCommand.ts @@ -111,4 +111,16 @@ export class CreateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationCommand) .de(de_CreateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationRequest; + output: CreateConfigurationResponse; + }; + sdk: { + input: CreateConfigurationCommandInput; + output: CreateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/CreateReplicatorCommand.ts b/clients/client-kafka/src/commands/CreateReplicatorCommand.ts index 9d9bd98cc697..ba6cc8dbb377 100644 --- a/clients/client-kafka/src/commands/CreateReplicatorCommand.ts +++ b/clients/client-kafka/src/commands/CreateReplicatorCommand.ts @@ -157,4 +157,16 @@ export class CreateReplicatorCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicatorCommand) .de(de_CreateReplicatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicatorRequest; + output: CreateReplicatorResponse; + }; + sdk: { + input: CreateReplicatorCommandInput; + output: CreateReplicatorCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/CreateVpcConnectionCommand.ts b/clients/client-kafka/src/commands/CreateVpcConnectionCommand.ts index 2dadf111e433..21709614a4fc 100644 --- a/clients/client-kafka/src/commands/CreateVpcConnectionCommand.ts +++ b/clients/client-kafka/src/commands/CreateVpcConnectionCommand.ts @@ -119,4 +119,16 @@ export class CreateVpcConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcConnectionCommand) .de(de_CreateVpcConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcConnectionRequest; + output: CreateVpcConnectionResponse; + }; + sdk: { + input: CreateVpcConnectionCommandInput; + output: CreateVpcConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DeleteClusterCommand.ts b/clients/client-kafka/src/commands/DeleteClusterCommand.ts index ae9fda0e9450..264015a2bc5a 100644 --- a/clients/client-kafka/src/commands/DeleteClusterCommand.ts +++ b/clients/client-kafka/src/commands/DeleteClusterCommand.ts @@ -91,4 +91,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DeleteClusterPolicyCommand.ts b/clients/client-kafka/src/commands/DeleteClusterPolicyCommand.ts index 0959775deb1f..f08bb288b26c 100644 --- a/clients/client-kafka/src/commands/DeleteClusterPolicyCommand.ts +++ b/clients/client-kafka/src/commands/DeleteClusterPolicyCommand.ts @@ -87,4 +87,16 @@ export class DeleteClusterPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterPolicyCommand) .de(de_DeleteClusterPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteClusterPolicyCommandInput; + output: DeleteClusterPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DeleteConfigurationCommand.ts b/clients/client-kafka/src/commands/DeleteConfigurationCommand.ts index 136c4026896a..1704ff442bb4 100644 --- a/clients/client-kafka/src/commands/DeleteConfigurationCommand.ts +++ b/clients/client-kafka/src/commands/DeleteConfigurationCommand.ts @@ -90,4 +90,16 @@ export class DeleteConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationCommand) .de(de_DeleteConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationRequest; + output: DeleteConfigurationResponse; + }; + sdk: { + input: DeleteConfigurationCommandInput; + output: DeleteConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DeleteReplicatorCommand.ts b/clients/client-kafka/src/commands/DeleteReplicatorCommand.ts index 7f42fb2b8e1a..2f443221f4c5 100644 --- a/clients/client-kafka/src/commands/DeleteReplicatorCommand.ts +++ b/clients/client-kafka/src/commands/DeleteReplicatorCommand.ts @@ -100,4 +100,16 @@ export class DeleteReplicatorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicatorCommand) .de(de_DeleteReplicatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicatorRequest; + output: DeleteReplicatorResponse; + }; + sdk: { + input: DeleteReplicatorCommandInput; + output: DeleteReplicatorCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DeleteVpcConnectionCommand.ts b/clients/client-kafka/src/commands/DeleteVpcConnectionCommand.ts index f20830956875..c9ec89ae0e7d 100644 --- a/clients/client-kafka/src/commands/DeleteVpcConnectionCommand.ts +++ b/clients/client-kafka/src/commands/DeleteVpcConnectionCommand.ts @@ -90,4 +90,16 @@ export class DeleteVpcConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcConnectionCommand) .de(de_DeleteVpcConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcConnectionRequest; + output: DeleteVpcConnectionResponse; + }; + sdk: { + input: DeleteVpcConnectionCommandInput; + output: DeleteVpcConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeClusterCommand.ts b/clients/client-kafka/src/commands/DescribeClusterCommand.ts index 604f401cdd8f..e41dfcc034cc 100644 --- a/clients/client-kafka/src/commands/DescribeClusterCommand.ts +++ b/clients/client-kafka/src/commands/DescribeClusterCommand.ts @@ -214,4 +214,16 @@ export class DescribeClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterCommand) .de(de_DescribeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterRequest; + output: DescribeClusterResponse; + }; + sdk: { + input: DescribeClusterCommandInput; + output: DescribeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeClusterOperationCommand.ts b/clients/client-kafka/src/commands/DescribeClusterOperationCommand.ts index 35828bb44230..a7a6a90523e4 100644 --- a/clients/client-kafka/src/commands/DescribeClusterOperationCommand.ts +++ b/clients/client-kafka/src/commands/DescribeClusterOperationCommand.ts @@ -329,4 +329,16 @@ export class DescribeClusterOperationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterOperationCommand) .de(de_DescribeClusterOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterOperationRequest; + output: DescribeClusterOperationResponse; + }; + sdk: { + input: DescribeClusterOperationCommandInput; + output: DescribeClusterOperationCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeClusterOperationV2Command.ts b/clients/client-kafka/src/commands/DescribeClusterOperationV2Command.ts index eda6d0895ee6..0d23216fa8ce 100644 --- a/clients/client-kafka/src/commands/DescribeClusterOperationV2Command.ts +++ b/clients/client-kafka/src/commands/DescribeClusterOperationV2Command.ts @@ -348,4 +348,16 @@ export class DescribeClusterOperationV2Command extends $Command .f(void 0, void 0) .ser(se_DescribeClusterOperationV2Command) .de(de_DescribeClusterOperationV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterOperationV2Request; + output: DescribeClusterOperationV2Response; + }; + sdk: { + input: DescribeClusterOperationV2CommandInput; + output: DescribeClusterOperationV2CommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeClusterV2Command.ts b/clients/client-kafka/src/commands/DescribeClusterV2Command.ts index 0f4ee775c1d2..142eee72f3f1 100644 --- a/clients/client-kafka/src/commands/DescribeClusterV2Command.ts +++ b/clients/client-kafka/src/commands/DescribeClusterV2Command.ts @@ -234,4 +234,16 @@ export class DescribeClusterV2Command extends $Command .f(void 0, void 0) .ser(se_DescribeClusterV2Command) .de(de_DescribeClusterV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterV2Request; + output: DescribeClusterV2Response; + }; + sdk: { + input: DescribeClusterV2CommandInput; + output: DescribeClusterV2CommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeConfigurationCommand.ts b/clients/client-kafka/src/commands/DescribeConfigurationCommand.ts index a6526933f526..08841cb2d614 100644 --- a/clients/client-kafka/src/commands/DescribeConfigurationCommand.ts +++ b/clients/client-kafka/src/commands/DescribeConfigurationCommand.ts @@ -107,4 +107,16 @@ export class DescribeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationCommand) .de(de_DescribeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationRequest; + output: DescribeConfigurationResponse; + }; + sdk: { + input: DescribeConfigurationCommandInput; + output: DescribeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeConfigurationRevisionCommand.ts b/clients/client-kafka/src/commands/DescribeConfigurationRevisionCommand.ts index ab059811b964..3078a8adce74 100644 --- a/clients/client-kafka/src/commands/DescribeConfigurationRevisionCommand.ts +++ b/clients/client-kafka/src/commands/DescribeConfigurationRevisionCommand.ts @@ -105,4 +105,16 @@ export class DescribeConfigurationRevisionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationRevisionCommand) .de(de_DescribeConfigurationRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationRevisionRequest; + output: DescribeConfigurationRevisionResponse; + }; + sdk: { + input: DescribeConfigurationRevisionCommandInput; + output: DescribeConfigurationRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeReplicatorCommand.ts b/clients/client-kafka/src/commands/DescribeReplicatorCommand.ts index 63dac38cc42a..57aaa67df7cc 100644 --- a/clients/client-kafka/src/commands/DescribeReplicatorCommand.ts +++ b/clients/client-kafka/src/commands/DescribeReplicatorCommand.ts @@ -163,4 +163,16 @@ export class DescribeReplicatorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReplicatorCommand) .de(de_DescribeReplicatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicatorRequest; + output: DescribeReplicatorResponse; + }; + sdk: { + input: DescribeReplicatorCommandInput; + output: DescribeReplicatorCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/DescribeVpcConnectionCommand.ts b/clients/client-kafka/src/commands/DescribeVpcConnectionCommand.ts index 3cf7d4738669..c738e913fdfc 100644 --- a/clients/client-kafka/src/commands/DescribeVpcConnectionCommand.ts +++ b/clients/client-kafka/src/commands/DescribeVpcConnectionCommand.ts @@ -109,4 +109,16 @@ export class DescribeVpcConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcConnectionCommand) .de(de_DescribeVpcConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcConnectionRequest; + output: DescribeVpcConnectionResponse; + }; + sdk: { + input: DescribeVpcConnectionCommandInput; + output: DescribeVpcConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/GetBootstrapBrokersCommand.ts b/clients/client-kafka/src/commands/GetBootstrapBrokersCommand.ts index 948eb28e932d..1dc5a868f1f6 100644 --- a/clients/client-kafka/src/commands/GetBootstrapBrokersCommand.ts +++ b/clients/client-kafka/src/commands/GetBootstrapBrokersCommand.ts @@ -101,4 +101,16 @@ export class GetBootstrapBrokersCommand extends $Command .f(void 0, void 0) .ser(se_GetBootstrapBrokersCommand) .de(de_GetBootstrapBrokersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBootstrapBrokersRequest; + output: GetBootstrapBrokersResponse; + }; + sdk: { + input: GetBootstrapBrokersCommandInput; + output: GetBootstrapBrokersCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/GetClusterPolicyCommand.ts b/clients/client-kafka/src/commands/GetClusterPolicyCommand.ts index 040f77d09738..3d876849c7a4 100644 --- a/clients/client-kafka/src/commands/GetClusterPolicyCommand.ts +++ b/clients/client-kafka/src/commands/GetClusterPolicyCommand.ts @@ -90,4 +90,16 @@ export class GetClusterPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetClusterPolicyCommand) .de(de_GetClusterPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClusterPolicyRequest; + output: GetClusterPolicyResponse; + }; + sdk: { + input: GetClusterPolicyCommandInput; + output: GetClusterPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/GetCompatibleKafkaVersionsCommand.ts b/clients/client-kafka/src/commands/GetCompatibleKafkaVersionsCommand.ts index 7588067667ff..55f1492a90af 100644 --- a/clients/client-kafka/src/commands/GetCompatibleKafkaVersionsCommand.ts +++ b/clients/client-kafka/src/commands/GetCompatibleKafkaVersionsCommand.ts @@ -105,4 +105,16 @@ export class GetCompatibleKafkaVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetCompatibleKafkaVersionsCommand) .de(de_GetCompatibleKafkaVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCompatibleKafkaVersionsRequest; + output: GetCompatibleKafkaVersionsResponse; + }; + sdk: { + input: GetCompatibleKafkaVersionsCommandInput; + output: GetCompatibleKafkaVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListClientVpcConnectionsCommand.ts b/clients/client-kafka/src/commands/ListClientVpcConnectionsCommand.ts index ef75506eb27a..56903df8fa7a 100644 --- a/clients/client-kafka/src/commands/ListClientVpcConnectionsCommand.ts +++ b/clients/client-kafka/src/commands/ListClientVpcConnectionsCommand.ts @@ -103,4 +103,16 @@ export class ListClientVpcConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListClientVpcConnectionsCommand) .de(de_ListClientVpcConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClientVpcConnectionsRequest; + output: ListClientVpcConnectionsResponse; + }; + sdk: { + input: ListClientVpcConnectionsCommandInput; + output: ListClientVpcConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListClusterOperationsCommand.ts b/clients/client-kafka/src/commands/ListClusterOperationsCommand.ts index 7d5b938639fe..7a15f10b71a9 100644 --- a/clients/client-kafka/src/commands/ListClusterOperationsCommand.ts +++ b/clients/client-kafka/src/commands/ListClusterOperationsCommand.ts @@ -331,4 +331,16 @@ export class ListClusterOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListClusterOperationsCommand) .de(de_ListClusterOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClusterOperationsRequest; + output: ListClusterOperationsResponse; + }; + sdk: { + input: ListClusterOperationsCommandInput; + output: ListClusterOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListClusterOperationsV2Command.ts b/clients/client-kafka/src/commands/ListClusterOperationsV2Command.ts index ccbc1106ac4b..3ce796bd7fed 100644 --- a/clients/client-kafka/src/commands/ListClusterOperationsV2Command.ts +++ b/clients/client-kafka/src/commands/ListClusterOperationsV2Command.ts @@ -111,4 +111,16 @@ export class ListClusterOperationsV2Command extends $Command .f(void 0, void 0) .ser(se_ListClusterOperationsV2Command) .de(de_ListClusterOperationsV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClusterOperationsV2Request; + output: ListClusterOperationsV2Response; + }; + sdk: { + input: ListClusterOperationsV2CommandInput; + output: ListClusterOperationsV2CommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListClustersCommand.ts b/clients/client-kafka/src/commands/ListClustersCommand.ts index 34f42105a843..ad4eb28df454 100644 --- a/clients/client-kafka/src/commands/ListClustersCommand.ts +++ b/clients/client-kafka/src/commands/ListClustersCommand.ts @@ -216,4 +216,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResponse; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListClustersV2Command.ts b/clients/client-kafka/src/commands/ListClustersV2Command.ts index fcd8ca1cc59f..25f860998a46 100644 --- a/clients/client-kafka/src/commands/ListClustersV2Command.ts +++ b/clients/client-kafka/src/commands/ListClustersV2Command.ts @@ -237,4 +237,16 @@ export class ListClustersV2Command extends $Command .f(void 0, void 0) .ser(se_ListClustersV2Command) .de(de_ListClustersV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersV2Request; + output: ListClustersV2Response; + }; + sdk: { + input: ListClustersV2CommandInput; + output: ListClustersV2CommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListConfigurationRevisionsCommand.ts b/clients/client-kafka/src/commands/ListConfigurationRevisionsCommand.ts index 03e76cac6105..0f91f1ecc5e7 100644 --- a/clients/client-kafka/src/commands/ListConfigurationRevisionsCommand.ts +++ b/clients/client-kafka/src/commands/ListConfigurationRevisionsCommand.ts @@ -104,4 +104,16 @@ export class ListConfigurationRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationRevisionsCommand) .de(de_ListConfigurationRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationRevisionsRequest; + output: ListConfigurationRevisionsResponse; + }; + sdk: { + input: ListConfigurationRevisionsCommandInput; + output: ListConfigurationRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListConfigurationsCommand.ts b/clients/client-kafka/src/commands/ListConfigurationsCommand.ts index e8bac1f8c88d..415436358391 100644 --- a/clients/client-kafka/src/commands/ListConfigurationsCommand.ts +++ b/clients/client-kafka/src/commands/ListConfigurationsCommand.ts @@ -110,4 +110,16 @@ export class ListConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationsCommand) .de(de_ListConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationsRequest; + output: ListConfigurationsResponse; + }; + sdk: { + input: ListConfigurationsCommandInput; + output: ListConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListKafkaVersionsCommand.ts b/clients/client-kafka/src/commands/ListKafkaVersionsCommand.ts index 12ff5786c577..0c0a050060e5 100644 --- a/clients/client-kafka/src/commands/ListKafkaVersionsCommand.ts +++ b/clients/client-kafka/src/commands/ListKafkaVersionsCommand.ts @@ -96,4 +96,16 @@ export class ListKafkaVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListKafkaVersionsCommand) .de(de_ListKafkaVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKafkaVersionsRequest; + output: ListKafkaVersionsResponse; + }; + sdk: { + input: ListKafkaVersionsCommandInput; + output: ListKafkaVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListNodesCommand.ts b/clients/client-kafka/src/commands/ListNodesCommand.ts index 81b95cd93e23..5cbd8e68f338 100644 --- a/clients/client-kafka/src/commands/ListNodesCommand.ts +++ b/clients/client-kafka/src/commands/ListNodesCommand.ts @@ -127,4 +127,16 @@ export class ListNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListNodesCommand) .de(de_ListNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNodesRequest; + output: ListNodesResponse; + }; + sdk: { + input: ListNodesCommandInput; + output: ListNodesCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListReplicatorsCommand.ts b/clients/client-kafka/src/commands/ListReplicatorsCommand.ts index 88eadf030572..79ad0042c4f2 100644 --- a/clients/client-kafka/src/commands/ListReplicatorsCommand.ts +++ b/clients/client-kafka/src/commands/ListReplicatorsCommand.ts @@ -125,4 +125,16 @@ export class ListReplicatorsCommand extends $Command .f(void 0, void 0) .ser(se_ListReplicatorsCommand) .de(de_ListReplicatorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReplicatorsRequest; + output: ListReplicatorsResponse; + }; + sdk: { + input: ListReplicatorsCommandInput; + output: ListReplicatorsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListScramSecretsCommand.ts b/clients/client-kafka/src/commands/ListScramSecretsCommand.ts index 7513cd1ed3dc..e5283909445a 100644 --- a/clients/client-kafka/src/commands/ListScramSecretsCommand.ts +++ b/clients/client-kafka/src/commands/ListScramSecretsCommand.ts @@ -103,4 +103,16 @@ export class ListScramSecretsCommand extends $Command .f(void 0, void 0) .ser(se_ListScramSecretsCommand) .de(de_ListScramSecretsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScramSecretsRequest; + output: ListScramSecretsResponse; + }; + sdk: { + input: ListScramSecretsCommandInput; + output: ListScramSecretsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListTagsForResourceCommand.ts b/clients/client-kafka/src/commands/ListTagsForResourceCommand.ts index 955faa03cc09..2f59c96ff802 100644 --- a/clients/client-kafka/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-kafka/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/ListVpcConnectionsCommand.ts b/clients/client-kafka/src/commands/ListVpcConnectionsCommand.ts index aa35916b886e..456a531bf51a 100644 --- a/clients/client-kafka/src/commands/ListVpcConnectionsCommand.ts +++ b/clients/client-kafka/src/commands/ListVpcConnectionsCommand.ts @@ -103,4 +103,16 @@ export class ListVpcConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcConnectionsCommand) .de(de_ListVpcConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcConnectionsRequest; + output: ListVpcConnectionsResponse; + }; + sdk: { + input: ListVpcConnectionsCommandInput; + output: ListVpcConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/PutClusterPolicyCommand.ts b/clients/client-kafka/src/commands/PutClusterPolicyCommand.ts index 98b65e65aee2..8d177364f084 100644 --- a/clients/client-kafka/src/commands/PutClusterPolicyCommand.ts +++ b/clients/client-kafka/src/commands/PutClusterPolicyCommand.ts @@ -88,4 +88,16 @@ export class PutClusterPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutClusterPolicyCommand) .de(de_PutClusterPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutClusterPolicyRequest; + output: PutClusterPolicyResponse; + }; + sdk: { + input: PutClusterPolicyCommandInput; + output: PutClusterPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/RebootBrokerCommand.ts b/clients/client-kafka/src/commands/RebootBrokerCommand.ts index 2cf6a8b28d78..701ed50c6950 100644 --- a/clients/client-kafka/src/commands/RebootBrokerCommand.ts +++ b/clients/client-kafka/src/commands/RebootBrokerCommand.ts @@ -102,4 +102,16 @@ export class RebootBrokerCommand extends $Command .f(void 0, void 0) .ser(se_RebootBrokerCommand) .de(de_RebootBrokerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootBrokerRequest; + output: RebootBrokerResponse; + }; + sdk: { + input: RebootBrokerCommandInput; + output: RebootBrokerCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/RejectClientVpcConnectionCommand.ts b/clients/client-kafka/src/commands/RejectClientVpcConnectionCommand.ts index 1215857629a5..049a5474572f 100644 --- a/clients/client-kafka/src/commands/RejectClientVpcConnectionCommand.ts +++ b/clients/client-kafka/src/commands/RejectClientVpcConnectionCommand.ts @@ -91,4 +91,16 @@ export class RejectClientVpcConnectionCommand extends $Command .f(void 0, void 0) .ser(se_RejectClientVpcConnectionCommand) .de(de_RejectClientVpcConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectClientVpcConnectionRequest; + output: {}; + }; + sdk: { + input: RejectClientVpcConnectionCommandInput; + output: RejectClientVpcConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/TagResourceCommand.ts b/clients/client-kafka/src/commands/TagResourceCommand.ts index 7902390f7572..a2b0198c3abe 100644 --- a/clients/client-kafka/src/commands/TagResourceCommand.ts +++ b/clients/client-kafka/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UntagResourceCommand.ts b/clients/client-kafka/src/commands/UntagResourceCommand.ts index 7aab00291897..34b4c8e43878 100644 --- a/clients/client-kafka/src/commands/UntagResourceCommand.ts +++ b/clients/client-kafka/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateBrokerCountCommand.ts b/clients/client-kafka/src/commands/UpdateBrokerCountCommand.ts index 7f5f530030e4..4874f62b1f95 100644 --- a/clients/client-kafka/src/commands/UpdateBrokerCountCommand.ts +++ b/clients/client-kafka/src/commands/UpdateBrokerCountCommand.ts @@ -95,4 +95,16 @@ export class UpdateBrokerCountCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBrokerCountCommand) .de(de_UpdateBrokerCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBrokerCountRequest; + output: UpdateBrokerCountResponse; + }; + sdk: { + input: UpdateBrokerCountCommandInput; + output: UpdateBrokerCountCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateBrokerStorageCommand.ts b/clients/client-kafka/src/commands/UpdateBrokerStorageCommand.ts index 074dff970a7d..aa6cda8d92f4 100644 --- a/clients/client-kafka/src/commands/UpdateBrokerStorageCommand.ts +++ b/clients/client-kafka/src/commands/UpdateBrokerStorageCommand.ts @@ -104,4 +104,16 @@ export class UpdateBrokerStorageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBrokerStorageCommand) .de(de_UpdateBrokerStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBrokerStorageRequest; + output: UpdateBrokerStorageResponse; + }; + sdk: { + input: UpdateBrokerStorageCommandInput; + output: UpdateBrokerStorageCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateBrokerTypeCommand.ts b/clients/client-kafka/src/commands/UpdateBrokerTypeCommand.ts index c92322b71dc2..6a9521ea1159 100644 --- a/clients/client-kafka/src/commands/UpdateBrokerTypeCommand.ts +++ b/clients/client-kafka/src/commands/UpdateBrokerTypeCommand.ts @@ -101,4 +101,16 @@ export class UpdateBrokerTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBrokerTypeCommand) .de(de_UpdateBrokerTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBrokerTypeRequest; + output: UpdateBrokerTypeResponse; + }; + sdk: { + input: UpdateBrokerTypeCommandInput; + output: UpdateBrokerTypeCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateClusterConfigurationCommand.ts b/clients/client-kafka/src/commands/UpdateClusterConfigurationCommand.ts index 5eeb4343498a..4201068e600f 100644 --- a/clients/client-kafka/src/commands/UpdateClusterConfigurationCommand.ts +++ b/clients/client-kafka/src/commands/UpdateClusterConfigurationCommand.ts @@ -101,4 +101,16 @@ export class UpdateClusterConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterConfigurationCommand) .de(de_UpdateClusterConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterConfigurationRequest; + output: UpdateClusterConfigurationResponse; + }; + sdk: { + input: UpdateClusterConfigurationCommandInput; + output: UpdateClusterConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateClusterKafkaVersionCommand.ts b/clients/client-kafka/src/commands/UpdateClusterKafkaVersionCommand.ts index 698fd3493bdb..d022d4640872 100644 --- a/clients/client-kafka/src/commands/UpdateClusterKafkaVersionCommand.ts +++ b/clients/client-kafka/src/commands/UpdateClusterKafkaVersionCommand.ts @@ -105,4 +105,16 @@ export class UpdateClusterKafkaVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterKafkaVersionCommand) .de(de_UpdateClusterKafkaVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterKafkaVersionRequest; + output: UpdateClusterKafkaVersionResponse; + }; + sdk: { + input: UpdateClusterKafkaVersionCommandInput; + output: UpdateClusterKafkaVersionCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateConfigurationCommand.ts b/clients/client-kafka/src/commands/UpdateConfigurationCommand.ts index 0f0881de1200..3f9e6548c596 100644 --- a/clients/client-kafka/src/commands/UpdateConfigurationCommand.ts +++ b/clients/client-kafka/src/commands/UpdateConfigurationCommand.ts @@ -102,4 +102,16 @@ export class UpdateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationCommand) .de(de_UpdateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationRequest; + output: UpdateConfigurationResponse; + }; + sdk: { + input: UpdateConfigurationCommandInput; + output: UpdateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateConnectivityCommand.ts b/clients/client-kafka/src/commands/UpdateConnectivityCommand.ts index 1a80e9014264..2ce0d056a13e 100644 --- a/clients/client-kafka/src/commands/UpdateConnectivityCommand.ts +++ b/clients/client-kafka/src/commands/UpdateConnectivityCommand.ts @@ -117,4 +117,16 @@ export class UpdateConnectivityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectivityCommand) .de(de_UpdateConnectivityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectivityRequest; + output: UpdateConnectivityResponse; + }; + sdk: { + input: UpdateConnectivityCommandInput; + output: UpdateConnectivityCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateMonitoringCommand.ts b/clients/client-kafka/src/commands/UpdateMonitoringCommand.ts index 484f01e4f01b..92480d00fa1a 100644 --- a/clients/client-kafka/src/commands/UpdateMonitoringCommand.ts +++ b/clients/client-kafka/src/commands/UpdateMonitoringCommand.ts @@ -122,4 +122,16 @@ export class UpdateMonitoringCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMonitoringCommand) .de(de_UpdateMonitoringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMonitoringRequest; + output: UpdateMonitoringResponse; + }; + sdk: { + input: UpdateMonitoringCommandInput; + output: UpdateMonitoringCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateReplicationInfoCommand.ts b/clients/client-kafka/src/commands/UpdateReplicationInfoCommand.ts index a7ceeade46ff..ba94051676e1 100644 --- a/clients/client-kafka/src/commands/UpdateReplicationInfoCommand.ts +++ b/clients/client-kafka/src/commands/UpdateReplicationInfoCommand.ts @@ -123,4 +123,16 @@ export class UpdateReplicationInfoCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReplicationInfoCommand) .de(de_UpdateReplicationInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReplicationInfoRequest; + output: UpdateReplicationInfoResponse; + }; + sdk: { + input: UpdateReplicationInfoCommandInput; + output: UpdateReplicationInfoCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateSecurityCommand.ts b/clients/client-kafka/src/commands/UpdateSecurityCommand.ts index d4b24a107dd4..5fd2a6c242c8 100644 --- a/clients/client-kafka/src/commands/UpdateSecurityCommand.ts +++ b/clients/client-kafka/src/commands/UpdateSecurityCommand.ts @@ -128,4 +128,16 @@ export class UpdateSecurityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityCommand) .de(de_UpdateSecurityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityRequest; + output: UpdateSecurityResponse; + }; + sdk: { + input: UpdateSecurityCommandInput; + output: UpdateSecurityCommandOutput; + }; + }; +} diff --git a/clients/client-kafka/src/commands/UpdateStorageCommand.ts b/clients/client-kafka/src/commands/UpdateStorageCommand.ts index 9764ffce12bd..f9f788b61713 100644 --- a/clients/client-kafka/src/commands/UpdateStorageCommand.ts +++ b/clients/client-kafka/src/commands/UpdateStorageCommand.ts @@ -106,4 +106,16 @@ export class UpdateStorageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStorageCommand) .de(de_UpdateStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStorageRequest; + output: UpdateStorageResponse; + }; + sdk: { + input: UpdateStorageCommandInput; + output: UpdateStorageCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/package.json b/clients/client-kafkaconnect/package.json index 91678a107789..038784082e56 100644 --- a/clients/client-kafkaconnect/package.json +++ b/clients/client-kafkaconnect/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kafkaconnect/src/commands/CreateConnectorCommand.ts b/clients/client-kafkaconnect/src/commands/CreateConnectorCommand.ts index 10106c070db1..c734da503815 100644 --- a/clients/client-kafkaconnect/src/commands/CreateConnectorCommand.ts +++ b/clients/client-kafkaconnect/src/commands/CreateConnectorCommand.ts @@ -188,4 +188,16 @@ export class CreateConnectorCommand extends $Command .f(CreateConnectorRequestFilterSensitiveLog, void 0) .ser(se_CreateConnectorCommand) .de(de_CreateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorRequest; + output: CreateConnectorResponse; + }; + sdk: { + input: CreateConnectorCommandInput; + output: CreateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/CreateCustomPluginCommand.ts b/clients/client-kafkaconnect/src/commands/CreateCustomPluginCommand.ts index 4204ad1511c1..0a3d7ecd4557 100644 --- a/clients/client-kafkaconnect/src/commands/CreateCustomPluginCommand.ts +++ b/clients/client-kafkaconnect/src/commands/CreateCustomPluginCommand.ts @@ -123,4 +123,16 @@ export class CreateCustomPluginCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomPluginCommand) .de(de_CreateCustomPluginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomPluginRequest; + output: CreateCustomPluginResponse; + }; + sdk: { + input: CreateCustomPluginCommandInput; + output: CreateCustomPluginCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/CreateWorkerConfigurationCommand.ts b/clients/client-kafkaconnect/src/commands/CreateWorkerConfigurationCommand.ts index a4602c22427f..1c64cb956f4c 100644 --- a/clients/client-kafkaconnect/src/commands/CreateWorkerConfigurationCommand.ts +++ b/clients/client-kafkaconnect/src/commands/CreateWorkerConfigurationCommand.ts @@ -125,4 +125,16 @@ export class CreateWorkerConfigurationCommand extends $Command .f(CreateWorkerConfigurationRequestFilterSensitiveLog, void 0) .ser(se_CreateWorkerConfigurationCommand) .de(de_CreateWorkerConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkerConfigurationRequest; + output: CreateWorkerConfigurationResponse; + }; + sdk: { + input: CreateWorkerConfigurationCommandInput; + output: CreateWorkerConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/DeleteConnectorCommand.ts b/clients/client-kafkaconnect/src/commands/DeleteConnectorCommand.ts index 3d25dbfcc15e..4a69b52fe037 100644 --- a/clients/client-kafkaconnect/src/commands/DeleteConnectorCommand.ts +++ b/clients/client-kafkaconnect/src/commands/DeleteConnectorCommand.ts @@ -106,4 +106,16 @@ export class DeleteConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectorCommand) .de(de_DeleteConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectorRequest; + output: DeleteConnectorResponse; + }; + sdk: { + input: DeleteConnectorCommandInput; + output: DeleteConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/DeleteCustomPluginCommand.ts b/clients/client-kafkaconnect/src/commands/DeleteCustomPluginCommand.ts index a38156987cce..cfdfb9d69051 100644 --- a/clients/client-kafkaconnect/src/commands/DeleteCustomPluginCommand.ts +++ b/clients/client-kafkaconnect/src/commands/DeleteCustomPluginCommand.ts @@ -105,4 +105,16 @@ export class DeleteCustomPluginCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomPluginCommand) .de(de_DeleteCustomPluginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomPluginRequest; + output: DeleteCustomPluginResponse; + }; + sdk: { + input: DeleteCustomPluginCommandInput; + output: DeleteCustomPluginCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/DeleteWorkerConfigurationCommand.ts b/clients/client-kafkaconnect/src/commands/DeleteWorkerConfigurationCommand.ts index c5775d61877d..5c987bd205af 100644 --- a/clients/client-kafkaconnect/src/commands/DeleteWorkerConfigurationCommand.ts +++ b/clients/client-kafkaconnect/src/commands/DeleteWorkerConfigurationCommand.ts @@ -105,4 +105,16 @@ export class DeleteWorkerConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkerConfigurationCommand) .de(de_DeleteWorkerConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkerConfigurationRequest; + output: DeleteWorkerConfigurationResponse; + }; + sdk: { + input: DeleteWorkerConfigurationCommandInput; + output: DeleteWorkerConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/DescribeConnectorCommand.ts b/clients/client-kafkaconnect/src/commands/DescribeConnectorCommand.ts index 05a47a5d70dc..0ce50db75cdd 100644 --- a/clients/client-kafkaconnect/src/commands/DescribeConnectorCommand.ts +++ b/clients/client-kafkaconnect/src/commands/DescribeConnectorCommand.ts @@ -187,4 +187,16 @@ export class DescribeConnectorCommand extends $Command .f(void 0, DescribeConnectorResponseFilterSensitiveLog) .ser(se_DescribeConnectorCommand) .de(de_DescribeConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectorRequest; + output: DescribeConnectorResponse; + }; + sdk: { + input: DescribeConnectorCommandInput; + output: DescribeConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/DescribeCustomPluginCommand.ts b/clients/client-kafkaconnect/src/commands/DescribeCustomPluginCommand.ts index a71452cd2d59..99c915be40a4 100644 --- a/clients/client-kafkaconnect/src/commands/DescribeCustomPluginCommand.ts +++ b/clients/client-kafkaconnect/src/commands/DescribeCustomPluginCommand.ts @@ -129,4 +129,16 @@ export class DescribeCustomPluginCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomPluginCommand) .de(de_DescribeCustomPluginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomPluginRequest; + output: DescribeCustomPluginResponse; + }; + sdk: { + input: DescribeCustomPluginCommandInput; + output: DescribeCustomPluginCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/DescribeWorkerConfigurationCommand.ts b/clients/client-kafkaconnect/src/commands/DescribeWorkerConfigurationCommand.ts index 6379492f2bbc..da6eb9df34f8 100644 --- a/clients/client-kafkaconnect/src/commands/DescribeWorkerConfigurationCommand.ts +++ b/clients/client-kafkaconnect/src/commands/DescribeWorkerConfigurationCommand.ts @@ -123,4 +123,16 @@ export class DescribeWorkerConfigurationCommand extends $Command .f(void 0, DescribeWorkerConfigurationResponseFilterSensitiveLog) .ser(se_DescribeWorkerConfigurationCommand) .de(de_DescribeWorkerConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkerConfigurationRequest; + output: DescribeWorkerConfigurationResponse; + }; + sdk: { + input: DescribeWorkerConfigurationCommandInput; + output: DescribeWorkerConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/ListConnectorsCommand.ts b/clients/client-kafkaconnect/src/commands/ListConnectorsCommand.ts index 48b9f9552bd8..605ad4d93bbc 100644 --- a/clients/client-kafkaconnect/src/commands/ListConnectorsCommand.ts +++ b/clients/client-kafkaconnect/src/commands/ListConnectorsCommand.ts @@ -185,4 +185,16 @@ export class ListConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorsCommand) .de(de_ListConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorsRequest; + output: ListConnectorsResponse; + }; + sdk: { + input: ListConnectorsCommandInput; + output: ListConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/ListCustomPluginsCommand.ts b/clients/client-kafkaconnect/src/commands/ListCustomPluginsCommand.ts index dbba70ff6ab6..2c9d03b30f1d 100644 --- a/clients/client-kafkaconnect/src/commands/ListCustomPluginsCommand.ts +++ b/clients/client-kafkaconnect/src/commands/ListCustomPluginsCommand.ts @@ -132,4 +132,16 @@ export class ListCustomPluginsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomPluginsCommand) .de(de_ListCustomPluginsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomPluginsRequest; + output: ListCustomPluginsResponse; + }; + sdk: { + input: ListCustomPluginsCommandInput; + output: ListCustomPluginsCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/ListTagsForResourceCommand.ts b/clients/client-kafkaconnect/src/commands/ListTagsForResourceCommand.ts index a2cde25d2541..7176ef569aa8 100644 --- a/clients/client-kafkaconnect/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-kafkaconnect/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/ListWorkerConfigurationsCommand.ts b/clients/client-kafkaconnect/src/commands/ListWorkerConfigurationsCommand.ts index 28b23bb78197..048a92f36ff5 100644 --- a/clients/client-kafkaconnect/src/commands/ListWorkerConfigurationsCommand.ts +++ b/clients/client-kafkaconnect/src/commands/ListWorkerConfigurationsCommand.ts @@ -120,4 +120,16 @@ export class ListWorkerConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkerConfigurationsCommand) .de(de_ListWorkerConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkerConfigurationsRequest; + output: ListWorkerConfigurationsResponse; + }; + sdk: { + input: ListWorkerConfigurationsCommandInput; + output: ListWorkerConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/TagResourceCommand.ts b/clients/client-kafkaconnect/src/commands/TagResourceCommand.ts index 5d1cfecf0f0b..1310740aa58b 100644 --- a/clients/client-kafkaconnect/src/commands/TagResourceCommand.ts +++ b/clients/client-kafkaconnect/src/commands/TagResourceCommand.ts @@ -109,4 +109,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/UntagResourceCommand.ts b/clients/client-kafkaconnect/src/commands/UntagResourceCommand.ts index 191176cd98ea..dc4e2e4d1a9a 100644 --- a/clients/client-kafkaconnect/src/commands/UntagResourceCommand.ts +++ b/clients/client-kafkaconnect/src/commands/UntagResourceCommand.ts @@ -105,4 +105,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kafkaconnect/src/commands/UpdateConnectorCommand.ts b/clients/client-kafkaconnect/src/commands/UpdateConnectorCommand.ts index c78246c6e036..50a1ee5df271 100644 --- a/clients/client-kafkaconnect/src/commands/UpdateConnectorCommand.ts +++ b/clients/client-kafkaconnect/src/commands/UpdateConnectorCommand.ts @@ -123,4 +123,16 @@ export class UpdateConnectorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectorCommand) .de(de_UpdateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectorRequest; + output: UpdateConnectorResponse; + }; + sdk: { + input: UpdateConnectorCommandInput; + output: UpdateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/package.json b/clients/client-kendra-ranking/package.json index b0d29b3d5f6c..94ee1b943070 100644 --- a/clients/client-kendra-ranking/package.json +++ b/clients/client-kendra-ranking/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-kendra-ranking/src/commands/CreateRescoreExecutionPlanCommand.ts b/clients/client-kendra-ranking/src/commands/CreateRescoreExecutionPlanCommand.ts index 1e01f5010b12..b9045630398a 100644 --- a/clients/client-kendra-ranking/src/commands/CreateRescoreExecutionPlanCommand.ts +++ b/clients/client-kendra-ranking/src/commands/CreateRescoreExecutionPlanCommand.ts @@ -130,4 +130,16 @@ export class CreateRescoreExecutionPlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateRescoreExecutionPlanCommand) .de(de_CreateRescoreExecutionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRescoreExecutionPlanRequest; + output: CreateRescoreExecutionPlanResponse; + }; + sdk: { + input: CreateRescoreExecutionPlanCommandInput; + output: CreateRescoreExecutionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/DeleteRescoreExecutionPlanCommand.ts b/clients/client-kendra-ranking/src/commands/DeleteRescoreExecutionPlanCommand.ts index bfdbd475bc05..5c5626cc745e 100644 --- a/clients/client-kendra-ranking/src/commands/DeleteRescoreExecutionPlanCommand.ts +++ b/clients/client-kendra-ranking/src/commands/DeleteRescoreExecutionPlanCommand.ts @@ -107,4 +107,16 @@ export class DeleteRescoreExecutionPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRescoreExecutionPlanCommand) .de(de_DeleteRescoreExecutionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRescoreExecutionPlanRequest; + output: {}; + }; + sdk: { + input: DeleteRescoreExecutionPlanCommandInput; + output: DeleteRescoreExecutionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/DescribeRescoreExecutionPlanCommand.ts b/clients/client-kendra-ranking/src/commands/DescribeRescoreExecutionPlanCommand.ts index 689e4c3aeda6..7f22b0e8d7bc 100644 --- a/clients/client-kendra-ranking/src/commands/DescribeRescoreExecutionPlanCommand.ts +++ b/clients/client-kendra-ranking/src/commands/DescribeRescoreExecutionPlanCommand.ts @@ -120,4 +120,16 @@ export class DescribeRescoreExecutionPlanCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRescoreExecutionPlanCommand) .de(de_DescribeRescoreExecutionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRescoreExecutionPlanRequest; + output: DescribeRescoreExecutionPlanResponse; + }; + sdk: { + input: DescribeRescoreExecutionPlanCommandInput; + output: DescribeRescoreExecutionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/ListRescoreExecutionPlansCommand.ts b/clients/client-kendra-ranking/src/commands/ListRescoreExecutionPlansCommand.ts index 4c10c1e7032a..fdb9f44a7177 100644 --- a/clients/client-kendra-ranking/src/commands/ListRescoreExecutionPlansCommand.ts +++ b/clients/client-kendra-ranking/src/commands/ListRescoreExecutionPlansCommand.ts @@ -110,4 +110,16 @@ export class ListRescoreExecutionPlansCommand extends $Command .f(void 0, void 0) .ser(se_ListRescoreExecutionPlansCommand) .de(de_ListRescoreExecutionPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRescoreExecutionPlansRequest; + output: ListRescoreExecutionPlansResponse; + }; + sdk: { + input: ListRescoreExecutionPlansCommandInput; + output: ListRescoreExecutionPlansCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/ListTagsForResourceCommand.ts b/clients/client-kendra-ranking/src/commands/ListTagsForResourceCommand.ts index deb248cf8f68..4cb3d782a7b5 100644 --- a/clients/client-kendra-ranking/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-kendra-ranking/src/commands/ListTagsForResourceCommand.ts @@ -110,4 +110,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/RescoreCommand.ts b/clients/client-kendra-ranking/src/commands/RescoreCommand.ts index 78e6675c2151..ad355b63741a 100644 --- a/clients/client-kendra-ranking/src/commands/RescoreCommand.ts +++ b/clients/client-kendra-ranking/src/commands/RescoreCommand.ts @@ -132,4 +132,16 @@ export class RescoreCommand extends $Command .f(void 0, void 0) .ser(se_RescoreCommand) .de(de_RescoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RescoreRequest; + output: RescoreResult; + }; + sdk: { + input: RescoreCommandInput; + output: RescoreCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/TagResourceCommand.ts b/clients/client-kendra-ranking/src/commands/TagResourceCommand.ts index d65790bc124c..50fa025a3fe5 100644 --- a/clients/client-kendra-ranking/src/commands/TagResourceCommand.ts +++ b/clients/client-kendra-ranking/src/commands/TagResourceCommand.ts @@ -111,4 +111,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/UntagResourceCommand.ts b/clients/client-kendra-ranking/src/commands/UntagResourceCommand.ts index 8c7f6692f2ec..a271fe390319 100644 --- a/clients/client-kendra-ranking/src/commands/UntagResourceCommand.ts +++ b/clients/client-kendra-ranking/src/commands/UntagResourceCommand.ts @@ -107,4 +107,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra-ranking/src/commands/UpdateRescoreExecutionPlanCommand.ts b/clients/client-kendra-ranking/src/commands/UpdateRescoreExecutionPlanCommand.ts index b719396e4389..d6aec77f04ff 100644 --- a/clients/client-kendra-ranking/src/commands/UpdateRescoreExecutionPlanCommand.ts +++ b/clients/client-kendra-ranking/src/commands/UpdateRescoreExecutionPlanCommand.ts @@ -122,4 +122,16 @@ export class UpdateRescoreExecutionPlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRescoreExecutionPlanCommand) .de(de_UpdateRescoreExecutionPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRescoreExecutionPlanRequest; + output: {}; + }; + sdk: { + input: UpdateRescoreExecutionPlanCommandInput; + output: UpdateRescoreExecutionPlanCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/package.json b/clients/client-kendra/package.json index b647c42c5fe5..6eb2b7a1faac 100644 --- a/clients/client-kendra/package.json +++ b/clients/client-kendra/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-kendra/src/commands/AssociateEntitiesToExperienceCommand.ts b/clients/client-kendra/src/commands/AssociateEntitiesToExperienceCommand.ts index 79c8ede3d0e5..c622d06b8659 100644 --- a/clients/client-kendra/src/commands/AssociateEntitiesToExperienceCommand.ts +++ b/clients/client-kendra/src/commands/AssociateEntitiesToExperienceCommand.ts @@ -122,4 +122,16 @@ export class AssociateEntitiesToExperienceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateEntitiesToExperienceCommand) .de(de_AssociateEntitiesToExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateEntitiesToExperienceRequest; + output: AssociateEntitiesToExperienceResponse; + }; + sdk: { + input: AssociateEntitiesToExperienceCommandInput; + output: AssociateEntitiesToExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/AssociatePersonasToEntitiesCommand.ts b/clients/client-kendra/src/commands/AssociatePersonasToEntitiesCommand.ts index 0c796b09b72c..7f0b942df338 100644 --- a/clients/client-kendra/src/commands/AssociatePersonasToEntitiesCommand.ts +++ b/clients/client-kendra/src/commands/AssociatePersonasToEntitiesCommand.ts @@ -119,4 +119,16 @@ export class AssociatePersonasToEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_AssociatePersonasToEntitiesCommand) .de(de_AssociatePersonasToEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePersonasToEntitiesRequest; + output: AssociatePersonasToEntitiesResponse; + }; + sdk: { + input: AssociatePersonasToEntitiesCommandInput; + output: AssociatePersonasToEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/BatchDeleteDocumentCommand.ts b/clients/client-kendra/src/commands/BatchDeleteDocumentCommand.ts index 4d3708d96a83..993a05d8e043 100644 --- a/clients/client-kendra/src/commands/BatchDeleteDocumentCommand.ts +++ b/clients/client-kendra/src/commands/BatchDeleteDocumentCommand.ts @@ -123,4 +123,16 @@ export class BatchDeleteDocumentCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteDocumentCommand) .de(de_BatchDeleteDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteDocumentRequest; + output: BatchDeleteDocumentResponse; + }; + sdk: { + input: BatchDeleteDocumentCommandInput; + output: BatchDeleteDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/BatchDeleteFeaturedResultsSetCommand.ts b/clients/client-kendra/src/commands/BatchDeleteFeaturedResultsSetCommand.ts index 8b4190542788..1a323101b198 100644 --- a/clients/client-kendra/src/commands/BatchDeleteFeaturedResultsSetCommand.ts +++ b/clients/client-kendra/src/commands/BatchDeleteFeaturedResultsSetCommand.ts @@ -113,4 +113,16 @@ export class BatchDeleteFeaturedResultsSetCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteFeaturedResultsSetCommand) .de(de_BatchDeleteFeaturedResultsSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteFeaturedResultsSetRequest; + output: BatchDeleteFeaturedResultsSetResponse; + }; + sdk: { + input: BatchDeleteFeaturedResultsSetCommandInput; + output: BatchDeleteFeaturedResultsSetCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/BatchGetDocumentStatusCommand.ts b/clients/client-kendra/src/commands/BatchGetDocumentStatusCommand.ts index d6eb0d4b302a..508703a6331a 100644 --- a/clients/client-kendra/src/commands/BatchGetDocumentStatusCommand.ts +++ b/clients/client-kendra/src/commands/BatchGetDocumentStatusCommand.ts @@ -141,4 +141,16 @@ export class BatchGetDocumentStatusCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetDocumentStatusCommand) .de(de_BatchGetDocumentStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDocumentStatusRequest; + output: BatchGetDocumentStatusResponse; + }; + sdk: { + input: BatchGetDocumentStatusCommandInput; + output: BatchGetDocumentStatusCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/BatchPutDocumentCommand.ts b/clients/client-kendra/src/commands/BatchPutDocumentCommand.ts index a382f1f1a08a..3970c6bc72fc 100644 --- a/clients/client-kendra/src/commands/BatchPutDocumentCommand.ts +++ b/clients/client-kendra/src/commands/BatchPutDocumentCommand.ts @@ -236,4 +236,16 @@ export class BatchPutDocumentCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutDocumentCommand) .de(de_BatchPutDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutDocumentRequest; + output: BatchPutDocumentResponse; + }; + sdk: { + input: BatchPutDocumentCommandInput; + output: BatchPutDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ClearQuerySuggestionsCommand.ts b/clients/client-kendra/src/commands/ClearQuerySuggestionsCommand.ts index 9eb5a7e0dad0..9cf02e7408b6 100644 --- a/clients/client-kendra/src/commands/ClearQuerySuggestionsCommand.ts +++ b/clients/client-kendra/src/commands/ClearQuerySuggestionsCommand.ts @@ -108,4 +108,16 @@ export class ClearQuerySuggestionsCommand extends $Command .f(void 0, void 0) .ser(se_ClearQuerySuggestionsCommand) .de(de_ClearQuerySuggestionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ClearQuerySuggestionsRequest; + output: {}; + }; + sdk: { + input: ClearQuerySuggestionsCommandInput; + output: ClearQuerySuggestionsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateAccessControlConfigurationCommand.ts b/clients/client-kendra/src/commands/CreateAccessControlConfigurationCommand.ts index b70a5be0c2c9..4bff9762fa26 100644 --- a/clients/client-kendra/src/commands/CreateAccessControlConfigurationCommand.ts +++ b/clients/client-kendra/src/commands/CreateAccessControlConfigurationCommand.ts @@ -153,4 +153,16 @@ export class CreateAccessControlConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessControlConfigurationCommand) .de(de_CreateAccessControlConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessControlConfigurationRequest; + output: CreateAccessControlConfigurationResponse; + }; + sdk: { + input: CreateAccessControlConfigurationCommandInput; + output: CreateAccessControlConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateDataSourceCommand.ts b/clients/client-kendra/src/commands/CreateDataSourceCommand.ts index 5d90187ef88a..511313fad0c7 100644 --- a/clients/client-kendra/src/commands/CreateDataSourceCommand.ts +++ b/clients/client-kendra/src/commands/CreateDataSourceCommand.ts @@ -687,4 +687,16 @@ export class CreateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataSourceCommand) .de(de_CreateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceRequest; + output: CreateDataSourceResponse; + }; + sdk: { + input: CreateDataSourceCommandInput; + output: CreateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateExperienceCommand.ts b/clients/client-kendra/src/commands/CreateExperienceCommand.ts index 85e92bd99501..b5b106029fdb 100644 --- a/clients/client-kendra/src/commands/CreateExperienceCommand.ts +++ b/clients/client-kendra/src/commands/CreateExperienceCommand.ts @@ -128,4 +128,16 @@ export class CreateExperienceCommand extends $Command .f(void 0, void 0) .ser(se_CreateExperienceCommand) .de(de_CreateExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExperienceRequest; + output: CreateExperienceResponse; + }; + sdk: { + input: CreateExperienceCommandInput; + output: CreateExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateFaqCommand.ts b/clients/client-kendra/src/commands/CreateFaqCommand.ts index 0d8e744b5f10..17dc47b1ed49 100644 --- a/clients/client-kendra/src/commands/CreateFaqCommand.ts +++ b/clients/client-kendra/src/commands/CreateFaqCommand.ts @@ -126,4 +126,16 @@ export class CreateFaqCommand extends $Command .f(void 0, void 0) .ser(se_CreateFaqCommand) .de(de_CreateFaqCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFaqRequest; + output: CreateFaqResponse; + }; + sdk: { + input: CreateFaqCommandInput; + output: CreateFaqCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateFeaturedResultsSetCommand.ts b/clients/client-kendra/src/commands/CreateFeaturedResultsSetCommand.ts index 489f288ac5b9..05617044eb65 100644 --- a/clients/client-kendra/src/commands/CreateFeaturedResultsSetCommand.ts +++ b/clients/client-kendra/src/commands/CreateFeaturedResultsSetCommand.ts @@ -146,4 +146,16 @@ export class CreateFeaturedResultsSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFeaturedResultsSetCommand) .de(de_CreateFeaturedResultsSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFeaturedResultsSetRequest; + output: CreateFeaturedResultsSetResponse; + }; + sdk: { + input: CreateFeaturedResultsSetCommandInput; + output: CreateFeaturedResultsSetCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateIndexCommand.ts b/clients/client-kendra/src/commands/CreateIndexCommand.ts index 15eaedb51c84..4e0503951c50 100644 --- a/clients/client-kendra/src/commands/CreateIndexCommand.ts +++ b/clients/client-kendra/src/commands/CreateIndexCommand.ts @@ -150,4 +150,16 @@ export class CreateIndexCommand extends $Command .f(CreateIndexRequestFilterSensitiveLog, void 0) .ser(se_CreateIndexCommand) .de(de_CreateIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIndexRequest; + output: CreateIndexResponse; + }; + sdk: { + input: CreateIndexCommandInput; + output: CreateIndexCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateQuerySuggestionsBlockListCommand.ts b/clients/client-kendra/src/commands/CreateQuerySuggestionsBlockListCommand.ts index cded46aa609a..05efe4a36f64 100644 --- a/clients/client-kendra/src/commands/CreateQuerySuggestionsBlockListCommand.ts +++ b/clients/client-kendra/src/commands/CreateQuerySuggestionsBlockListCommand.ts @@ -140,4 +140,16 @@ export class CreateQuerySuggestionsBlockListCommand extends $Command .f(void 0, void 0) .ser(se_CreateQuerySuggestionsBlockListCommand) .de(de_CreateQuerySuggestionsBlockListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQuerySuggestionsBlockListRequest; + output: CreateQuerySuggestionsBlockListResponse; + }; + sdk: { + input: CreateQuerySuggestionsBlockListCommandInput; + output: CreateQuerySuggestionsBlockListCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/CreateThesaurusCommand.ts b/clients/client-kendra/src/commands/CreateThesaurusCommand.ts index 85d5ffe7c738..14e56d6becd1 100644 --- a/clients/client-kendra/src/commands/CreateThesaurusCommand.ts +++ b/clients/client-kendra/src/commands/CreateThesaurusCommand.ts @@ -125,4 +125,16 @@ export class CreateThesaurusCommand extends $Command .f(void 0, void 0) .ser(se_CreateThesaurusCommand) .de(de_CreateThesaurusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThesaurusRequest; + output: CreateThesaurusResponse; + }; + sdk: { + input: CreateThesaurusCommandInput; + output: CreateThesaurusCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeleteAccessControlConfigurationCommand.ts b/clients/client-kendra/src/commands/DeleteAccessControlConfigurationCommand.ts index 1741e1214efc..66a00b059372 100644 --- a/clients/client-kendra/src/commands/DeleteAccessControlConfigurationCommand.ts +++ b/clients/client-kendra/src/commands/DeleteAccessControlConfigurationCommand.ts @@ -108,4 +108,16 @@ export class DeleteAccessControlConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessControlConfigurationCommand) .de(de_DeleteAccessControlConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessControlConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteAccessControlConfigurationCommandInput; + output: DeleteAccessControlConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeleteDataSourceCommand.ts b/clients/client-kendra/src/commands/DeleteDataSourceCommand.ts index 5a5efdf52cb8..6d87a0a5960e 100644 --- a/clients/client-kendra/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-kendra/src/commands/DeleteDataSourceCommand.ts @@ -106,4 +106,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceRequest; + output: {}; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeleteExperienceCommand.ts b/clients/client-kendra/src/commands/DeleteExperienceCommand.ts index 34e01e77f385..802214b2e85a 100644 --- a/clients/client-kendra/src/commands/DeleteExperienceCommand.ts +++ b/clients/client-kendra/src/commands/DeleteExperienceCommand.ts @@ -102,4 +102,16 @@ export class DeleteExperienceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExperienceCommand) .de(de_DeleteExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExperienceRequest; + output: {}; + }; + sdk: { + input: DeleteExperienceCommandInput; + output: DeleteExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeleteFaqCommand.ts b/clients/client-kendra/src/commands/DeleteFaqCommand.ts index 1aaed08a7c7b..5439d2b9b743 100644 --- a/clients/client-kendra/src/commands/DeleteFaqCommand.ts +++ b/clients/client-kendra/src/commands/DeleteFaqCommand.ts @@ -100,4 +100,16 @@ export class DeleteFaqCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFaqCommand) .de(de_DeleteFaqCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFaqRequest; + output: {}; + }; + sdk: { + input: DeleteFaqCommandInput; + output: DeleteFaqCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeleteIndexCommand.ts b/clients/client-kendra/src/commands/DeleteIndexCommand.ts index 1873f6ff007e..7db0485bc0cc 100644 --- a/clients/client-kendra/src/commands/DeleteIndexCommand.ts +++ b/clients/client-kendra/src/commands/DeleteIndexCommand.ts @@ -102,4 +102,16 @@ export class DeleteIndexCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIndexCommand) .de(de_DeleteIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIndexRequest; + output: {}; + }; + sdk: { + input: DeleteIndexCommandInput; + output: DeleteIndexCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeletePrincipalMappingCommand.ts b/clients/client-kendra/src/commands/DeletePrincipalMappingCommand.ts index 2213473b0b16..9597ca95db3c 100644 --- a/clients/client-kendra/src/commands/DeletePrincipalMappingCommand.ts +++ b/clients/client-kendra/src/commands/DeletePrincipalMappingCommand.ts @@ -114,4 +114,16 @@ export class DeletePrincipalMappingCommand extends $Command .f(void 0, void 0) .ser(se_DeletePrincipalMappingCommand) .de(de_DeletePrincipalMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePrincipalMappingRequest; + output: {}; + }; + sdk: { + input: DeletePrincipalMappingCommandInput; + output: DeletePrincipalMappingCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeleteQuerySuggestionsBlockListCommand.ts b/clients/client-kendra/src/commands/DeleteQuerySuggestionsBlockListCommand.ts index b52d88da0ba4..ac17908eacb5 100644 --- a/clients/client-kendra/src/commands/DeleteQuerySuggestionsBlockListCommand.ts +++ b/clients/client-kendra/src/commands/DeleteQuerySuggestionsBlockListCommand.ts @@ -109,4 +109,16 @@ export class DeleteQuerySuggestionsBlockListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQuerySuggestionsBlockListCommand) .de(de_DeleteQuerySuggestionsBlockListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQuerySuggestionsBlockListRequest; + output: {}; + }; + sdk: { + input: DeleteQuerySuggestionsBlockListCommandInput; + output: DeleteQuerySuggestionsBlockListCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DeleteThesaurusCommand.ts b/clients/client-kendra/src/commands/DeleteThesaurusCommand.ts index eb6c6e00c8e1..7adb8ea734d2 100644 --- a/clients/client-kendra/src/commands/DeleteThesaurusCommand.ts +++ b/clients/client-kendra/src/commands/DeleteThesaurusCommand.ts @@ -101,4 +101,16 @@ export class DeleteThesaurusCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThesaurusCommand) .de(de_DeleteThesaurusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThesaurusRequest; + output: {}; + }; + sdk: { + input: DeleteThesaurusCommandInput; + output: DeleteThesaurusCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeAccessControlConfigurationCommand.ts b/clients/client-kendra/src/commands/DescribeAccessControlConfigurationCommand.ts index c424c1e5215b..a04e87f1215e 100644 --- a/clients/client-kendra/src/commands/DescribeAccessControlConfigurationCommand.ts +++ b/clients/client-kendra/src/commands/DescribeAccessControlConfigurationCommand.ts @@ -131,4 +131,16 @@ export class DescribeAccessControlConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccessControlConfigurationCommand) .de(de_DescribeAccessControlConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccessControlConfigurationRequest; + output: DescribeAccessControlConfigurationResponse; + }; + sdk: { + input: DescribeAccessControlConfigurationCommandInput; + output: DescribeAccessControlConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeDataSourceCommand.ts b/clients/client-kendra/src/commands/DescribeDataSourceCommand.ts index 0d5ba3cd6fad..0cf6a0bb471f 100644 --- a/clients/client-kendra/src/commands/DescribeDataSourceCommand.ts +++ b/clients/client-kendra/src/commands/DescribeDataSourceCommand.ts @@ -662,4 +662,16 @@ export class DescribeDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSourceCommand) .de(de_DescribeDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSourceRequest; + output: DescribeDataSourceResponse; + }; + sdk: { + input: DescribeDataSourceCommandInput; + output: DescribeDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeExperienceCommand.ts b/clients/client-kendra/src/commands/DescribeExperienceCommand.ts index 0676e797b0a7..e87e0a2bb680 100644 --- a/clients/client-kendra/src/commands/DescribeExperienceCommand.ts +++ b/clients/client-kendra/src/commands/DescribeExperienceCommand.ts @@ -129,4 +129,16 @@ export class DescribeExperienceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExperienceCommand) .de(de_DescribeExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExperienceRequest; + output: DescribeExperienceResponse; + }; + sdk: { + input: DescribeExperienceCommandInput; + output: DescribeExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeFaqCommand.ts b/clients/client-kendra/src/commands/DescribeFaqCommand.ts index f8863685fef9..89d3553712c4 100644 --- a/clients/client-kendra/src/commands/DescribeFaqCommand.ts +++ b/clients/client-kendra/src/commands/DescribeFaqCommand.ts @@ -112,4 +112,16 @@ export class DescribeFaqCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFaqCommand) .de(de_DescribeFaqCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFaqRequest; + output: DescribeFaqResponse; + }; + sdk: { + input: DescribeFaqCommandInput; + output: DescribeFaqCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeFeaturedResultsSetCommand.ts b/clients/client-kendra/src/commands/DescribeFeaturedResultsSetCommand.ts index 615dd65386d5..287c4126a9d8 100644 --- a/clients/client-kendra/src/commands/DescribeFeaturedResultsSetCommand.ts +++ b/clients/client-kendra/src/commands/DescribeFeaturedResultsSetCommand.ts @@ -120,4 +120,16 @@ export class DescribeFeaturedResultsSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFeaturedResultsSetCommand) .de(de_DescribeFeaturedResultsSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFeaturedResultsSetRequest; + output: DescribeFeaturedResultsSetResponse; + }; + sdk: { + input: DescribeFeaturedResultsSetCommandInput; + output: DescribeFeaturedResultsSetCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeIndexCommand.ts b/clients/client-kendra/src/commands/DescribeIndexCommand.ts index cd52148ae3b5..c2908c4e2ff0 100644 --- a/clients/client-kendra/src/commands/DescribeIndexCommand.ts +++ b/clients/client-kendra/src/commands/DescribeIndexCommand.ts @@ -167,4 +167,16 @@ export class DescribeIndexCommand extends $Command .f(void 0, DescribeIndexResponseFilterSensitiveLog) .ser(se_DescribeIndexCommand) .de(de_DescribeIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIndexRequest; + output: DescribeIndexResponse; + }; + sdk: { + input: DescribeIndexCommandInput; + output: DescribeIndexCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribePrincipalMappingCommand.ts b/clients/client-kendra/src/commands/DescribePrincipalMappingCommand.ts index acd48f8bbef1..743386ba337a 100644 --- a/clients/client-kendra/src/commands/DescribePrincipalMappingCommand.ts +++ b/clients/client-kendra/src/commands/DescribePrincipalMappingCommand.ts @@ -117,4 +117,16 @@ export class DescribePrincipalMappingCommand extends $Command .f(void 0, void 0) .ser(se_DescribePrincipalMappingCommand) .de(de_DescribePrincipalMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePrincipalMappingRequest; + output: DescribePrincipalMappingResponse; + }; + sdk: { + input: DescribePrincipalMappingCommandInput; + output: DescribePrincipalMappingCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeQuerySuggestionsBlockListCommand.ts b/clients/client-kendra/src/commands/DescribeQuerySuggestionsBlockListCommand.ts index bec69890e28b..f184e9842dfc 100644 --- a/clients/client-kendra/src/commands/DescribeQuerySuggestionsBlockListCommand.ts +++ b/clients/client-kendra/src/commands/DescribeQuerySuggestionsBlockListCommand.ts @@ -126,4 +126,16 @@ export class DescribeQuerySuggestionsBlockListCommand extends $Command .f(void 0, void 0) .ser(se_DescribeQuerySuggestionsBlockListCommand) .de(de_DescribeQuerySuggestionsBlockListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeQuerySuggestionsBlockListRequest; + output: DescribeQuerySuggestionsBlockListResponse; + }; + sdk: { + input: DescribeQuerySuggestionsBlockListCommandInput; + output: DescribeQuerySuggestionsBlockListCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeQuerySuggestionsConfigCommand.ts b/clients/client-kendra/src/commands/DescribeQuerySuggestionsConfigCommand.ts index d16570cfeab4..414f46e16414 100644 --- a/clients/client-kendra/src/commands/DescribeQuerySuggestionsConfigCommand.ts +++ b/clients/client-kendra/src/commands/DescribeQuerySuggestionsConfigCommand.ts @@ -124,4 +124,16 @@ export class DescribeQuerySuggestionsConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeQuerySuggestionsConfigCommand) .de(de_DescribeQuerySuggestionsConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeQuerySuggestionsConfigRequest; + output: DescribeQuerySuggestionsConfigResponse; + }; + sdk: { + input: DescribeQuerySuggestionsConfigCommandInput; + output: DescribeQuerySuggestionsConfigCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DescribeThesaurusCommand.ts b/clients/client-kendra/src/commands/DescribeThesaurusCommand.ts index b5ecdda0ef85..c1c19c65e1b4 100644 --- a/clients/client-kendra/src/commands/DescribeThesaurusCommand.ts +++ b/clients/client-kendra/src/commands/DescribeThesaurusCommand.ts @@ -113,4 +113,16 @@ export class DescribeThesaurusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThesaurusCommand) .de(de_DescribeThesaurusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThesaurusRequest; + output: DescribeThesaurusResponse; + }; + sdk: { + input: DescribeThesaurusCommandInput; + output: DescribeThesaurusCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DisassociateEntitiesFromExperienceCommand.ts b/clients/client-kendra/src/commands/DisassociateEntitiesFromExperienceCommand.ts index 51d685749c34..5a878a2bbad1 100644 --- a/clients/client-kendra/src/commands/DisassociateEntitiesFromExperienceCommand.ts +++ b/clients/client-kendra/src/commands/DisassociateEntitiesFromExperienceCommand.ts @@ -121,4 +121,16 @@ export class DisassociateEntitiesFromExperienceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateEntitiesFromExperienceCommand) .de(de_DisassociateEntitiesFromExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateEntitiesFromExperienceRequest; + output: DisassociateEntitiesFromExperienceResponse; + }; + sdk: { + input: DisassociateEntitiesFromExperienceCommandInput; + output: DisassociateEntitiesFromExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/DisassociatePersonasFromEntitiesCommand.ts b/clients/client-kendra/src/commands/DisassociatePersonasFromEntitiesCommand.ts index 89db9e5649dc..4d03bc3a9f80 100644 --- a/clients/client-kendra/src/commands/DisassociatePersonasFromEntitiesCommand.ts +++ b/clients/client-kendra/src/commands/DisassociatePersonasFromEntitiesCommand.ts @@ -115,4 +115,16 @@ export class DisassociatePersonasFromEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociatePersonasFromEntitiesCommand) .de(de_DisassociatePersonasFromEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePersonasFromEntitiesRequest; + output: DisassociatePersonasFromEntitiesResponse; + }; + sdk: { + input: DisassociatePersonasFromEntitiesCommandInput; + output: DisassociatePersonasFromEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/GetQuerySuggestionsCommand.ts b/clients/client-kendra/src/commands/GetQuerySuggestionsCommand.ts index 8b21c57a8c6b..8619b27bf687 100644 --- a/clients/client-kendra/src/commands/GetQuerySuggestionsCommand.ts +++ b/clients/client-kendra/src/commands/GetQuerySuggestionsCommand.ts @@ -255,4 +255,16 @@ export class GetQuerySuggestionsCommand extends $Command .f(void 0, void 0) .ser(se_GetQuerySuggestionsCommand) .de(de_GetQuerySuggestionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQuerySuggestionsRequest; + output: GetQuerySuggestionsResponse; + }; + sdk: { + input: GetQuerySuggestionsCommandInput; + output: GetQuerySuggestionsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/GetSnapshotsCommand.ts b/clients/client-kendra/src/commands/GetSnapshotsCommand.ts index 3ddddcca28b6..e08618333964 100644 --- a/clients/client-kendra/src/commands/GetSnapshotsCommand.ts +++ b/clients/client-kendra/src/commands/GetSnapshotsCommand.ts @@ -110,4 +110,16 @@ export class GetSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_GetSnapshotsCommand) .de(de_GetSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSnapshotsRequest; + output: GetSnapshotsResponse; + }; + sdk: { + input: GetSnapshotsCommandInput; + output: GetSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListAccessControlConfigurationsCommand.ts b/clients/client-kendra/src/commands/ListAccessControlConfigurationsCommand.ts index 50cb415dc3b1..08ab6485f5eb 100644 --- a/clients/client-kendra/src/commands/ListAccessControlConfigurationsCommand.ts +++ b/clients/client-kendra/src/commands/ListAccessControlConfigurationsCommand.ts @@ -112,4 +112,16 @@ export class ListAccessControlConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessControlConfigurationsCommand) .de(de_ListAccessControlConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessControlConfigurationsRequest; + output: ListAccessControlConfigurationsResponse; + }; + sdk: { + input: ListAccessControlConfigurationsCommandInput; + output: ListAccessControlConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListDataSourceSyncJobsCommand.ts b/clients/client-kendra/src/commands/ListDataSourceSyncJobsCommand.ts index 07553362311a..23f1314a3fb6 100644 --- a/clients/client-kendra/src/commands/ListDataSourceSyncJobsCommand.ts +++ b/clients/client-kendra/src/commands/ListDataSourceSyncJobsCommand.ts @@ -127,4 +127,16 @@ export class ListDataSourceSyncJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourceSyncJobsCommand) .de(de_ListDataSourceSyncJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourceSyncJobsRequest; + output: ListDataSourceSyncJobsResponse; + }; + sdk: { + input: ListDataSourceSyncJobsCommandInput; + output: ListDataSourceSyncJobsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListDataSourcesCommand.ts b/clients/client-kendra/src/commands/ListDataSourcesCommand.ts index 45ae42c849bb..b748bd6dbc08 100644 --- a/clients/client-kendra/src/commands/ListDataSourcesCommand.ts +++ b/clients/client-kendra/src/commands/ListDataSourcesCommand.ts @@ -110,4 +110,16 @@ export class ListDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourcesCommand) .de(de_ListDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourcesRequest; + output: ListDataSourcesResponse; + }; + sdk: { + input: ListDataSourcesCommandInput; + output: ListDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListEntityPersonasCommand.ts b/clients/client-kendra/src/commands/ListEntityPersonasCommand.ts index 2f5fe2007432..a75c8cbbe8b9 100644 --- a/clients/client-kendra/src/commands/ListEntityPersonasCommand.ts +++ b/clients/client-kendra/src/commands/ListEntityPersonasCommand.ts @@ -109,4 +109,16 @@ export class ListEntityPersonasCommand extends $Command .f(void 0, void 0) .ser(se_ListEntityPersonasCommand) .de(de_ListEntityPersonasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntityPersonasRequest; + output: ListEntityPersonasResponse; + }; + sdk: { + input: ListEntityPersonasCommandInput; + output: ListEntityPersonasCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListExperienceEntitiesCommand.ts b/clients/client-kendra/src/commands/ListExperienceEntitiesCommand.ts index 80c1ae5b694e..8b9da8a97dd9 100644 --- a/clients/client-kendra/src/commands/ListExperienceEntitiesCommand.ts +++ b/clients/client-kendra/src/commands/ListExperienceEntitiesCommand.ts @@ -120,4 +120,16 @@ export class ListExperienceEntitiesCommand extends $Command .f(void 0, ListExperienceEntitiesResponseFilterSensitiveLog) .ser(se_ListExperienceEntitiesCommand) .de(de_ListExperienceEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperienceEntitiesRequest; + output: ListExperienceEntitiesResponse; + }; + sdk: { + input: ListExperienceEntitiesCommandInput; + output: ListExperienceEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListExperiencesCommand.ts b/clients/client-kendra/src/commands/ListExperiencesCommand.ts index 24e8fc3ce9d2..f4d0c58dae07 100644 --- a/clients/client-kendra/src/commands/ListExperiencesCommand.ts +++ b/clients/client-kendra/src/commands/ListExperiencesCommand.ts @@ -116,4 +116,16 @@ export class ListExperiencesCommand extends $Command .f(void 0, void 0) .ser(se_ListExperiencesCommand) .de(de_ListExperiencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperiencesRequest; + output: ListExperiencesResponse; + }; + sdk: { + input: ListExperiencesCommandInput; + output: ListExperiencesCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListFaqsCommand.ts b/clients/client-kendra/src/commands/ListFaqsCommand.ts index 5b3b9d9a3a69..8072c1713b7d 100644 --- a/clients/client-kendra/src/commands/ListFaqsCommand.ts +++ b/clients/client-kendra/src/commands/ListFaqsCommand.ts @@ -110,4 +110,16 @@ export class ListFaqsCommand extends $Command .f(void 0, void 0) .ser(se_ListFaqsCommand) .de(de_ListFaqsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFaqsRequest; + output: ListFaqsResponse; + }; + sdk: { + input: ListFaqsCommandInput; + output: ListFaqsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListFeaturedResultsSetsCommand.ts b/clients/client-kendra/src/commands/ListFeaturedResultsSetsCommand.ts index 7dee61b8df36..4f3302c3b0d9 100644 --- a/clients/client-kendra/src/commands/ListFeaturedResultsSetsCommand.ts +++ b/clients/client-kendra/src/commands/ListFeaturedResultsSetsCommand.ts @@ -110,4 +110,16 @@ export class ListFeaturedResultsSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListFeaturedResultsSetsCommand) .de(de_ListFeaturedResultsSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFeaturedResultsSetsRequest; + output: ListFeaturedResultsSetsResponse; + }; + sdk: { + input: ListFeaturedResultsSetsCommandInput; + output: ListFeaturedResultsSetsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListGroupsOlderThanOrderingIdCommand.ts b/clients/client-kendra/src/commands/ListGroupsOlderThanOrderingIdCommand.ts index ba103ee6f482..43cb5f33ee9c 100644 --- a/clients/client-kendra/src/commands/ListGroupsOlderThanOrderingIdCommand.ts +++ b/clients/client-kendra/src/commands/ListGroupsOlderThanOrderingIdCommand.ts @@ -119,4 +119,16 @@ export class ListGroupsOlderThanOrderingIdCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsOlderThanOrderingIdCommand) .de(de_ListGroupsOlderThanOrderingIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsOlderThanOrderingIdRequest; + output: ListGroupsOlderThanOrderingIdResponse; + }; + sdk: { + input: ListGroupsOlderThanOrderingIdCommandInput; + output: ListGroupsOlderThanOrderingIdCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListIndicesCommand.ts b/clients/client-kendra/src/commands/ListIndicesCommand.ts index 9167f554e6c9..fbab691215f0 100644 --- a/clients/client-kendra/src/commands/ListIndicesCommand.ts +++ b/clients/client-kendra/src/commands/ListIndicesCommand.ts @@ -104,4 +104,16 @@ export class ListIndicesCommand extends $Command .f(void 0, void 0) .ser(se_ListIndicesCommand) .de(de_ListIndicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIndicesRequest; + output: ListIndicesResponse; + }; + sdk: { + input: ListIndicesCommandInput; + output: ListIndicesCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListQuerySuggestionsBlockListsCommand.ts b/clients/client-kendra/src/commands/ListQuerySuggestionsBlockListsCommand.ts index 9f4b152dc0cf..751b59b1c2ec 100644 --- a/clients/client-kendra/src/commands/ListQuerySuggestionsBlockListsCommand.ts +++ b/clients/client-kendra/src/commands/ListQuerySuggestionsBlockListsCommand.ts @@ -120,4 +120,16 @@ export class ListQuerySuggestionsBlockListsCommand extends $Command .f(void 0, void 0) .ser(se_ListQuerySuggestionsBlockListsCommand) .de(de_ListQuerySuggestionsBlockListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQuerySuggestionsBlockListsRequest; + output: ListQuerySuggestionsBlockListsResponse; + }; + sdk: { + input: ListQuerySuggestionsBlockListsCommandInput; + output: ListQuerySuggestionsBlockListsCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListTagsForResourceCommand.ts b/clients/client-kendra/src/commands/ListTagsForResourceCommand.ts index dcb7f77e5a67..bd326e6d3a66 100644 --- a/clients/client-kendra/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-kendra/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/ListThesauriCommand.ts b/clients/client-kendra/src/commands/ListThesauriCommand.ts index 336f7b96a8b9..bcae781a763f 100644 --- a/clients/client-kendra/src/commands/ListThesauriCommand.ts +++ b/clients/client-kendra/src/commands/ListThesauriCommand.ts @@ -108,4 +108,16 @@ export class ListThesauriCommand extends $Command .f(void 0, void 0) .ser(se_ListThesauriCommand) .de(de_ListThesauriCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThesauriRequest; + output: ListThesauriResponse; + }; + sdk: { + input: ListThesauriCommandInput; + output: ListThesauriCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/PutPrincipalMappingCommand.ts b/clients/client-kendra/src/commands/PutPrincipalMappingCommand.ts index 579221d0d33e..d6bcfe641f0e 100644 --- a/clients/client-kendra/src/commands/PutPrincipalMappingCommand.ts +++ b/clients/client-kendra/src/commands/PutPrincipalMappingCommand.ts @@ -137,4 +137,16 @@ export class PutPrincipalMappingCommand extends $Command .f(void 0, void 0) .ser(se_PutPrincipalMappingCommand) .de(de_PutPrincipalMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPrincipalMappingRequest; + output: {}; + }; + sdk: { + input: PutPrincipalMappingCommandInput; + output: PutPrincipalMappingCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/QueryCommand.ts b/clients/client-kendra/src/commands/QueryCommand.ts index 17525c173f3d..6b2d9c5d32c3 100644 --- a/clients/client-kendra/src/commands/QueryCommand.ts +++ b/clients/client-kendra/src/commands/QueryCommand.ts @@ -505,4 +505,16 @@ export class QueryCommand extends $Command .f(void 0, void 0) .ser(se_QueryCommand) .de(de_QueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryRequest; + output: QueryResult; + }; + sdk: { + input: QueryCommandInput; + output: QueryCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/RetrieveCommand.ts b/clients/client-kendra/src/commands/RetrieveCommand.ts index 942bb358c58d..4fcfcd6edb05 100644 --- a/clients/client-kendra/src/commands/RetrieveCommand.ts +++ b/clients/client-kendra/src/commands/RetrieveCommand.ts @@ -281,4 +281,16 @@ export class RetrieveCommand extends $Command .f(void 0, void 0) .ser(se_RetrieveCommand) .de(de_RetrieveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetrieveRequest; + output: RetrieveResult; + }; + sdk: { + input: RetrieveCommandInput; + output: RetrieveCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/StartDataSourceSyncJobCommand.ts b/clients/client-kendra/src/commands/StartDataSourceSyncJobCommand.ts index b1774bfb40b5..d41e54d6e964 100644 --- a/clients/client-kendra/src/commands/StartDataSourceSyncJobCommand.ts +++ b/clients/client-kendra/src/commands/StartDataSourceSyncJobCommand.ts @@ -111,4 +111,16 @@ export class StartDataSourceSyncJobCommand extends $Command .f(void 0, void 0) .ser(se_StartDataSourceSyncJobCommand) .de(de_StartDataSourceSyncJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataSourceSyncJobRequest; + output: StartDataSourceSyncJobResponse; + }; + sdk: { + input: StartDataSourceSyncJobCommandInput; + output: StartDataSourceSyncJobCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/StopDataSourceSyncJobCommand.ts b/clients/client-kendra/src/commands/StopDataSourceSyncJobCommand.ts index 2b47c9e7453c..4ded32f8b217 100644 --- a/clients/client-kendra/src/commands/StopDataSourceSyncJobCommand.ts +++ b/clients/client-kendra/src/commands/StopDataSourceSyncJobCommand.ts @@ -97,4 +97,16 @@ export class StopDataSourceSyncJobCommand extends $Command .f(void 0, void 0) .ser(se_StopDataSourceSyncJobCommand) .de(de_StopDataSourceSyncJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDataSourceSyncJobRequest; + output: {}; + }; + sdk: { + input: StopDataSourceSyncJobCommandInput; + output: StopDataSourceSyncJobCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/SubmitFeedbackCommand.ts b/clients/client-kendra/src/commands/SubmitFeedbackCommand.ts index 9809a993eaea..8ca2de2d7cd5 100644 --- a/clients/client-kendra/src/commands/SubmitFeedbackCommand.ts +++ b/clients/client-kendra/src/commands/SubmitFeedbackCommand.ts @@ -116,4 +116,16 @@ export class SubmitFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_SubmitFeedbackCommand) .de(de_SubmitFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitFeedbackRequest; + output: {}; + }; + sdk: { + input: SubmitFeedbackCommandInput; + output: SubmitFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/TagResourceCommand.ts b/clients/client-kendra/src/commands/TagResourceCommand.ts index 0a5d63f9ef5c..038e2e743b84 100644 --- a/clients/client-kendra/src/commands/TagResourceCommand.ts +++ b/clients/client-kendra/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UntagResourceCommand.ts b/clients/client-kendra/src/commands/UntagResourceCommand.ts index fc90be996f4a..3e33ed3f74df 100644 --- a/clients/client-kendra/src/commands/UntagResourceCommand.ts +++ b/clients/client-kendra/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateAccessControlConfigurationCommand.ts b/clients/client-kendra/src/commands/UpdateAccessControlConfigurationCommand.ts index 90b35e54c36c..2329f01f0966 100644 --- a/clients/client-kendra/src/commands/UpdateAccessControlConfigurationCommand.ts +++ b/clients/client-kendra/src/commands/UpdateAccessControlConfigurationCommand.ts @@ -151,4 +151,16 @@ export class UpdateAccessControlConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessControlConfigurationCommand) .de(de_UpdateAccessControlConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessControlConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateAccessControlConfigurationCommandInput; + output: UpdateAccessControlConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateDataSourceCommand.ts b/clients/client-kendra/src/commands/UpdateDataSourceCommand.ts index 546c42c72ba9..eeab6baccda0 100644 --- a/clients/client-kendra/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-kendra/src/commands/UpdateDataSourceCommand.ts @@ -658,4 +658,16 @@ export class UpdateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceRequest; + output: {}; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateExperienceCommand.ts b/clients/client-kendra/src/commands/UpdateExperienceCommand.ts index 5d189aaf8e8e..30d65bba73db 100644 --- a/clients/client-kendra/src/commands/UpdateExperienceCommand.ts +++ b/clients/client-kendra/src/commands/UpdateExperienceCommand.ts @@ -119,4 +119,16 @@ export class UpdateExperienceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExperienceCommand) .de(de_UpdateExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExperienceRequest; + output: {}; + }; + sdk: { + input: UpdateExperienceCommandInput; + output: UpdateExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateFeaturedResultsSetCommand.ts b/clients/client-kendra/src/commands/UpdateFeaturedResultsSetCommand.ts index 7239223073b0..b371861523bc 100644 --- a/clients/client-kendra/src/commands/UpdateFeaturedResultsSetCommand.ts +++ b/clients/client-kendra/src/commands/UpdateFeaturedResultsSetCommand.ts @@ -134,4 +134,16 @@ export class UpdateFeaturedResultsSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFeaturedResultsSetCommand) .de(de_UpdateFeaturedResultsSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFeaturedResultsSetRequest; + output: UpdateFeaturedResultsSetResponse; + }; + sdk: { + input: UpdateFeaturedResultsSetCommandInput; + output: UpdateFeaturedResultsSetCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateIndexCommand.ts b/clients/client-kendra/src/commands/UpdateIndexCommand.ts index 7da174fe93d1..7f71f7d8b5bb 100644 --- a/clients/client-kendra/src/commands/UpdateIndexCommand.ts +++ b/clients/client-kendra/src/commands/UpdateIndexCommand.ts @@ -154,4 +154,16 @@ export class UpdateIndexCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIndexCommand) .de(de_UpdateIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIndexRequest; + output: {}; + }; + sdk: { + input: UpdateIndexCommandInput; + output: UpdateIndexCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateQuerySuggestionsBlockListCommand.ts b/clients/client-kendra/src/commands/UpdateQuerySuggestionsBlockListCommand.ts index 0f78769edbbc..87ef39f85e7a 100644 --- a/clients/client-kendra/src/commands/UpdateQuerySuggestionsBlockListCommand.ts +++ b/clients/client-kendra/src/commands/UpdateQuerySuggestionsBlockListCommand.ts @@ -120,4 +120,16 @@ export class UpdateQuerySuggestionsBlockListCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQuerySuggestionsBlockListCommand) .de(de_UpdateQuerySuggestionsBlockListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQuerySuggestionsBlockListRequest; + output: {}; + }; + sdk: { + input: UpdateQuerySuggestionsBlockListCommandInput; + output: UpdateQuerySuggestionsBlockListCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateQuerySuggestionsConfigCommand.ts b/clients/client-kendra/src/commands/UpdateQuerySuggestionsConfigCommand.ts index 6a6357ff5bb1..321e0beaea4a 100644 --- a/clients/client-kendra/src/commands/UpdateQuerySuggestionsConfigCommand.ts +++ b/clients/client-kendra/src/commands/UpdateQuerySuggestionsConfigCommand.ts @@ -127,4 +127,16 @@ export class UpdateQuerySuggestionsConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQuerySuggestionsConfigCommand) .de(de_UpdateQuerySuggestionsConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQuerySuggestionsConfigRequest; + output: {}; + }; + sdk: { + input: UpdateQuerySuggestionsConfigCommandInput; + output: UpdateQuerySuggestionsConfigCommandOutput; + }; + }; +} diff --git a/clients/client-kendra/src/commands/UpdateThesaurusCommand.ts b/clients/client-kendra/src/commands/UpdateThesaurusCommand.ts index 1f940b387be3..3b7a7532be1e 100644 --- a/clients/client-kendra/src/commands/UpdateThesaurusCommand.ts +++ b/clients/client-kendra/src/commands/UpdateThesaurusCommand.ts @@ -107,4 +107,16 @@ export class UpdateThesaurusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThesaurusCommand) .de(de_UpdateThesaurusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThesaurusRequest; + output: {}; + }; + sdk: { + input: UpdateThesaurusCommandInput; + output: UpdateThesaurusCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/package.json b/clients/client-keyspaces/package.json index c2e90f171210..7b2bd3967ec1 100644 --- a/clients/client-keyspaces/package.json +++ b/clients/client-keyspaces/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-keyspaces/src/commands/CreateKeyspaceCommand.ts b/clients/client-keyspaces/src/commands/CreateKeyspaceCommand.ts index d2e258a5bc85..13782f6f8f6f 100644 --- a/clients/client-keyspaces/src/commands/CreateKeyspaceCommand.ts +++ b/clients/client-keyspaces/src/commands/CreateKeyspaceCommand.ts @@ -113,4 +113,16 @@ export class CreateKeyspaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateKeyspaceCommand) .de(de_CreateKeyspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyspaceRequest; + output: CreateKeyspaceResponse; + }; + sdk: { + input: CreateKeyspaceCommandInput; + output: CreateKeyspaceCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/CreateTableCommand.ts b/clients/client-keyspaces/src/commands/CreateTableCommand.ts index 0a5c1f828dae..63e561e64789 100644 --- a/clients/client-keyspaces/src/commands/CreateTableCommand.ts +++ b/clients/client-keyspaces/src/commands/CreateTableCommand.ts @@ -205,4 +205,16 @@ export class CreateTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateTableCommand) .de(de_CreateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTableRequest; + output: CreateTableResponse; + }; + sdk: { + input: CreateTableCommandInput; + output: CreateTableCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/DeleteKeyspaceCommand.ts b/clients/client-keyspaces/src/commands/DeleteKeyspaceCommand.ts index 1417657b6eba..ec8d774f555a 100644 --- a/clients/client-keyspaces/src/commands/DeleteKeyspaceCommand.ts +++ b/clients/client-keyspaces/src/commands/DeleteKeyspaceCommand.ts @@ -96,4 +96,16 @@ export class DeleteKeyspaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyspaceCommand) .de(de_DeleteKeyspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyspaceRequest; + output: {}; + }; + sdk: { + input: DeleteKeyspaceCommandInput; + output: DeleteKeyspaceCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/DeleteTableCommand.ts b/clients/client-keyspaces/src/commands/DeleteTableCommand.ts index aff6b5a799ee..cb0ee8899c1f 100644 --- a/clients/client-keyspaces/src/commands/DeleteTableCommand.ts +++ b/clients/client-keyspaces/src/commands/DeleteTableCommand.ts @@ -101,4 +101,16 @@ export class DeleteTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTableCommand) .de(de_DeleteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTableRequest; + output: {}; + }; + sdk: { + input: DeleteTableCommandInput; + output: DeleteTableCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/GetKeyspaceCommand.ts b/clients/client-keyspaces/src/commands/GetKeyspaceCommand.ts index e97bc8d9317e..56667acd6ae8 100644 --- a/clients/client-keyspaces/src/commands/GetKeyspaceCommand.ts +++ b/clients/client-keyspaces/src/commands/GetKeyspaceCommand.ts @@ -98,4 +98,16 @@ export class GetKeyspaceCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyspaceCommand) .de(de_GetKeyspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyspaceRequest; + output: GetKeyspaceResponse; + }; + sdk: { + input: GetKeyspaceCommandInput; + output: GetKeyspaceCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/GetTableAutoScalingSettingsCommand.ts b/clients/client-keyspaces/src/commands/GetTableAutoScalingSettingsCommand.ts index fbbff8846c05..12c750470cbf 100644 --- a/clients/client-keyspaces/src/commands/GetTableAutoScalingSettingsCommand.ts +++ b/clients/client-keyspaces/src/commands/GetTableAutoScalingSettingsCommand.ts @@ -181,4 +181,16 @@ export class GetTableAutoScalingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetTableAutoScalingSettingsCommand) .de(de_GetTableAutoScalingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableAutoScalingSettingsRequest; + output: GetTableAutoScalingSettingsResponse; + }; + sdk: { + input: GetTableAutoScalingSettingsCommandInput; + output: GetTableAutoScalingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/GetTableCommand.ts b/clients/client-keyspaces/src/commands/GetTableCommand.ts index 8bdb4642235f..990020aeab52 100644 --- a/clients/client-keyspaces/src/commands/GetTableCommand.ts +++ b/clients/client-keyspaces/src/commands/GetTableCommand.ts @@ -161,4 +161,16 @@ export class GetTableCommand extends $Command .f(void 0, void 0) .ser(se_GetTableCommand) .de(de_GetTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableRequest; + output: GetTableResponse; + }; + sdk: { + input: GetTableCommandInput; + output: GetTableCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/ListKeyspacesCommand.ts b/clients/client-keyspaces/src/commands/ListKeyspacesCommand.ts index ef0a8a4889cc..0bb905452ceb 100644 --- a/clients/client-keyspaces/src/commands/ListKeyspacesCommand.ts +++ b/clients/client-keyspaces/src/commands/ListKeyspacesCommand.ts @@ -104,4 +104,16 @@ export class ListKeyspacesCommand extends $Command .f(void 0, void 0) .ser(se_ListKeyspacesCommand) .de(de_ListKeyspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeyspacesRequest; + output: ListKeyspacesResponse; + }; + sdk: { + input: ListKeyspacesCommandInput; + output: ListKeyspacesCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/ListTablesCommand.ts b/clients/client-keyspaces/src/commands/ListTablesCommand.ts index f92aee91a914..71647ad90fc8 100644 --- a/clients/client-keyspaces/src/commands/ListTablesCommand.ts +++ b/clients/client-keyspaces/src/commands/ListTablesCommand.ts @@ -102,4 +102,16 @@ export class ListTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListTablesCommand) .de(de_ListTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTablesRequest; + output: ListTablesResponse; + }; + sdk: { + input: ListTablesCommandInput; + output: ListTablesCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/ListTagsForResourceCommand.ts b/clients/client-keyspaces/src/commands/ListTagsForResourceCommand.ts index df347b137c47..10ebebfc6980 100644 --- a/clients/client-keyspaces/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-keyspaces/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/RestoreTableCommand.ts b/clients/client-keyspaces/src/commands/RestoreTableCommand.ts index 92c849f42142..e8421863c23a 100644 --- a/clients/client-keyspaces/src/commands/RestoreTableCommand.ts +++ b/clients/client-keyspaces/src/commands/RestoreTableCommand.ts @@ -212,4 +212,16 @@ export class RestoreTableCommand extends $Command .f(void 0, void 0) .ser(se_RestoreTableCommand) .de(de_RestoreTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreTableRequest; + output: RestoreTableResponse; + }; + sdk: { + input: RestoreTableCommandInput; + output: RestoreTableCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/TagResourceCommand.ts b/clients/client-keyspaces/src/commands/TagResourceCommand.ts index 7f71533036c2..dbfe8342e99f 100644 --- a/clients/client-keyspaces/src/commands/TagResourceCommand.ts +++ b/clients/client-keyspaces/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/UntagResourceCommand.ts b/clients/client-keyspaces/src/commands/UntagResourceCommand.ts index 0cb3ff7cb628..fece435da7b9 100644 --- a/clients/client-keyspaces/src/commands/UntagResourceCommand.ts +++ b/clients/client-keyspaces/src/commands/UntagResourceCommand.ts @@ -102,4 +102,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-keyspaces/src/commands/UpdateTableCommand.ts b/clients/client-keyspaces/src/commands/UpdateTableCommand.ts index 8b8aa170fe2c..252e1c606764 100644 --- a/clients/client-keyspaces/src/commands/UpdateTableCommand.ts +++ b/clients/client-keyspaces/src/commands/UpdateTableCommand.ts @@ -173,4 +173,16 @@ export class UpdateTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableCommand) .de(de_UpdateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableRequest; + output: UpdateTableResponse; + }; + sdk: { + input: UpdateTableCommandInput; + output: UpdateTableCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/package.json b/clients/client-kinesis-analytics-v2/package.json index 20818d3c2564..d52c41bfd328 100644 --- a/clients/client-kinesis-analytics-v2/package.json +++ b/clients/client-kinesis-analytics-v2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts index db732a568cde..ae3b1964cf03 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts @@ -124,4 +124,16 @@ export class AddApplicationCloudWatchLoggingOptionCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationCloudWatchLoggingOptionCommand) .de(de_AddApplicationCloudWatchLoggingOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationCloudWatchLoggingOptionRequest; + output: AddApplicationCloudWatchLoggingOptionResponse; + }; + sdk: { + input: AddApplicationCloudWatchLoggingOptionCommandInput; + output: AddApplicationCloudWatchLoggingOptionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputCommand.ts index 6dad402011d1..e138b4e30874 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputCommand.ts @@ -203,4 +203,16 @@ export class AddApplicationInputCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationInputCommand) .de(de_AddApplicationInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationInputRequest; + output: AddApplicationInputResponse; + }; + sdk: { + input: AddApplicationInputCommandInput; + output: AddApplicationInputCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputProcessingConfigurationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputProcessingConfigurationCommand.ts index 7e8cb50ab54b..fdd9c27c0898 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputProcessingConfigurationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationInputProcessingConfigurationCommand.ts @@ -124,4 +124,16 @@ export class AddApplicationInputProcessingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationInputProcessingConfigurationCommand) .de(de_AddApplicationInputProcessingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationInputProcessingConfigurationRequest; + output: AddApplicationInputProcessingConfigurationResponse; + }; + sdk: { + input: AddApplicationInputProcessingConfigurationCommandInput; + output: AddApplicationInputProcessingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationOutputCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationOutputCommand.ts index 6c1b35cae53f..e1b4840d818c 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationOutputCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationOutputCommand.ts @@ -148,4 +148,16 @@ export class AddApplicationOutputCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationOutputCommand) .de(de_AddApplicationOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationOutputRequest; + output: AddApplicationOutputResponse; + }; + sdk: { + input: AddApplicationOutputCommandInput; + output: AddApplicationOutputCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationReferenceDataSourceCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationReferenceDataSourceCommand.ts index 1b4318baed61..f85e8392444b 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationReferenceDataSourceCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationReferenceDataSourceCommand.ts @@ -175,4 +175,16 @@ export class AddApplicationReferenceDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationReferenceDataSourceCommand) .de(de_AddApplicationReferenceDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationReferenceDataSourceRequest; + output: AddApplicationReferenceDataSourceResponse; + }; + sdk: { + input: AddApplicationReferenceDataSourceCommandInput; + output: AddApplicationReferenceDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationVpcConfigurationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationVpcConfigurationCommand.ts index 253a117f2efb..fe00eac43088 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/AddApplicationVpcConfigurationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/AddApplicationVpcConfigurationCommand.ts @@ -136,4 +136,16 @@ export class AddApplicationVpcConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationVpcConfigurationCommand) .de(de_AddApplicationVpcConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationVpcConfigurationRequest; + output: AddApplicationVpcConfigurationResponse; + }; + sdk: { + input: AddApplicationVpcConfigurationCommandInput; + output: AddApplicationVpcConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationCommand.ts index 6d1bbc77a2ea..73f1ab3239c8 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationCommand.ts @@ -546,4 +546,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationPresignedUrlCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationPresignedUrlCommand.ts index aca5a3330387..99ac69ca08df 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationPresignedUrlCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationPresignedUrlCommand.ts @@ -109,4 +109,16 @@ export class CreateApplicationPresignedUrlCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationPresignedUrlCommand) .de(de_CreateApplicationPresignedUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationPresignedUrlRequest; + output: CreateApplicationPresignedUrlResponse; + }; + sdk: { + input: CreateApplicationPresignedUrlCommandInput; + output: CreateApplicationPresignedUrlCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationSnapshotCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationSnapshotCommand.ts index 60acb34aedaa..5170f024ab6b 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationSnapshotCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/CreateApplicationSnapshotCommand.ts @@ -102,4 +102,16 @@ export class CreateApplicationSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationSnapshotCommand) .de(de_CreateApplicationSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationSnapshotRequest; + output: {}; + }; + sdk: { + input: CreateApplicationSnapshotCommandInput; + output: CreateApplicationSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts index 80e3bce47d1a..f1878fc05332 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts @@ -122,4 +122,16 @@ export class DeleteApplicationCloudWatchLoggingOptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCloudWatchLoggingOptionCommand) .de(de_DeleteApplicationCloudWatchLoggingOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationCloudWatchLoggingOptionRequest; + output: DeleteApplicationCloudWatchLoggingOptionResponse; + }; + sdk: { + input: DeleteApplicationCloudWatchLoggingOptionCommandInput; + output: DeleteApplicationCloudWatchLoggingOptionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCommand.ts index d135897c3e2c..f6b0001a5053 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationCommand.ts @@ -100,4 +100,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts index d412d2da3061..6cdbc27ff78e 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts @@ -110,4 +110,16 @@ export class DeleteApplicationInputProcessingConfigurationCommand extends $Comma .f(void 0, void 0) .ser(se_DeleteApplicationInputProcessingConfigurationCommand) .de(de_DeleteApplicationInputProcessingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationInputProcessingConfigurationRequest; + output: DeleteApplicationInputProcessingConfigurationResponse; + }; + sdk: { + input: DeleteApplicationInputProcessingConfigurationCommandInput; + output: DeleteApplicationInputProcessingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationOutputCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationOutputCommand.ts index 556cb2ebbc74..d01a64e28dc0 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationOutputCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationOutputCommand.ts @@ -103,4 +103,16 @@ export class DeleteApplicationOutputCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationOutputCommand) .de(de_DeleteApplicationOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationOutputRequest; + output: DeleteApplicationOutputResponse; + }; + sdk: { + input: DeleteApplicationOutputCommandInput; + output: DeleteApplicationOutputCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationReferenceDataSourceCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationReferenceDataSourceCommand.ts index 9b34992afeac..bdfd811579cc 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationReferenceDataSourceCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationReferenceDataSourceCommand.ts @@ -111,4 +111,16 @@ export class DeleteApplicationReferenceDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationReferenceDataSourceCommand) .de(de_DeleteApplicationReferenceDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationReferenceDataSourceRequest; + output: DeleteApplicationReferenceDataSourceResponse; + }; + sdk: { + input: DeleteApplicationReferenceDataSourceCommandInput; + output: DeleteApplicationReferenceDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationSnapshotCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationSnapshotCommand.ts index 634521a54d26..c8973b5ec41e 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationSnapshotCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationSnapshotCommand.ts @@ -102,4 +102,16 @@ export class DeleteApplicationSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationSnapshotCommand) .de(de_DeleteApplicationSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationSnapshotRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationSnapshotCommandInput; + output: DeleteApplicationSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationVpcConfigurationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationVpcConfigurationCommand.ts index f459813fd569..cc481260f0cb 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationVpcConfigurationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DeleteApplicationVpcConfigurationCommand.ts @@ -111,4 +111,16 @@ export class DeleteApplicationVpcConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationVpcConfigurationCommand) .de(de_DeleteApplicationVpcConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationVpcConfigurationRequest; + output: DeleteApplicationVpcConfigurationResponse; + }; + sdk: { + input: DeleteApplicationVpcConfigurationCommandInput; + output: DeleteApplicationVpcConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationCommand.ts index a515ca342b34..6743aeb0bc7b 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationCommand.ts @@ -331,4 +331,16 @@ export class DescribeApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationCommand) .de(de_DescribeApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationRequest; + output: DescribeApplicationResponse; + }; + sdk: { + input: DescribeApplicationCommandInput; + output: DescribeApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationOperationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationOperationCommand.ts index 514eaf3160ac..86b07e7e5a14 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationOperationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationOperationCommand.ts @@ -112,4 +112,16 @@ export class DescribeApplicationOperationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationOperationCommand) .de(de_DescribeApplicationOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationOperationRequest; + output: DescribeApplicationOperationResponse; + }; + sdk: { + input: DescribeApplicationOperationCommandInput; + output: DescribeApplicationOperationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationSnapshotCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationSnapshotCommand.ts index 3c23d8adfb7f..55398575b400 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationSnapshotCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationSnapshotCommand.ts @@ -100,4 +100,16 @@ export class DescribeApplicationSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationSnapshotCommand) .de(de_DescribeApplicationSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationSnapshotRequest; + output: DescribeApplicationSnapshotResponse; + }; + sdk: { + input: DescribeApplicationSnapshotCommandInput; + output: DescribeApplicationSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationVersionCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationVersionCommand.ts index 697bb04cdec0..5b4061bc070c 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationVersionCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DescribeApplicationVersionCommand.ts @@ -333,4 +333,16 @@ export class DescribeApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationVersionCommand) .de(de_DescribeApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationVersionRequest; + output: DescribeApplicationVersionResponse; + }; + sdk: { + input: DescribeApplicationVersionCommandInput; + output: DescribeApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/DiscoverInputSchemaCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/DiscoverInputSchemaCommand.ts index 154c4eb0a15d..54d0446855ab 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/DiscoverInputSchemaCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/DiscoverInputSchemaCommand.ts @@ -153,4 +153,16 @@ export class DiscoverInputSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DiscoverInputSchemaCommand) .de(de_DiscoverInputSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DiscoverInputSchemaRequest; + output: DiscoverInputSchemaResponse; + }; + sdk: { + input: DiscoverInputSchemaCommandInput; + output: DiscoverInputSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationOperationsCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationOperationsCommand.ts index a59256727ae7..a508fdc9bd21 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationOperationsCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationOperationsCommand.ts @@ -104,4 +104,16 @@ export class ListApplicationOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationOperationsCommand) .de(de_ListApplicationOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationOperationsRequest; + output: ListApplicationOperationsResponse; + }; + sdk: { + input: ListApplicationOperationsCommandInput; + output: ListApplicationOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationSnapshotsCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationSnapshotsCommand.ts index 310167bcc620..6e1e60b73bce 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationSnapshotsCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationSnapshotsCommand.ts @@ -99,4 +99,16 @@ export class ListApplicationSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationSnapshotsCommand) .de(de_ListApplicationSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationSnapshotsRequest; + output: ListApplicationSnapshotsResponse; + }; + sdk: { + input: ListApplicationSnapshotsCommandInput; + output: ListApplicationSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationVersionsCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationVersionsCommand.ts index 21325c0e040f..28039676093c 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationVersionsCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationVersionsCommand.ts @@ -104,4 +104,16 @@ export class ListApplicationVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationVersionsCommand) .de(de_ListApplicationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationVersionsRequest; + output: ListApplicationVersionsResponse; + }; + sdk: { + input: ListApplicationVersionsCommandInput; + output: ListApplicationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationsCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationsCommand.ts index 7974542b53a4..2ecf7b720ac1 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/ListApplicationsCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/ListApplicationsCommand.ts @@ -99,4 +99,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/ListTagsForResourceCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/ListTagsForResourceCommand.ts index 5a5f0bb66403..32e5407b46ba 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/RollbackApplicationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/RollbackApplicationCommand.ts index b3aca7fc109f..7255f152d76a 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/RollbackApplicationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/RollbackApplicationCommand.ts @@ -347,4 +347,16 @@ export class RollbackApplicationCommand extends $Command .f(void 0, void 0) .ser(se_RollbackApplicationCommand) .de(de_RollbackApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RollbackApplicationRequest; + output: RollbackApplicationResponse; + }; + sdk: { + input: RollbackApplicationCommandInput; + output: RollbackApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/StartApplicationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/StartApplicationCommand.ts index 16cdc9ee79fe..a665fb68cc79 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/StartApplicationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/StartApplicationCommand.ts @@ -114,4 +114,16 @@ export class StartApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartApplicationCommand) .de(de_StartApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartApplicationRequest; + output: StartApplicationResponse; + }; + sdk: { + input: StartApplicationCommandInput; + output: StartApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/StopApplicationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/StopApplicationCommand.ts index 16643bd8ff4d..6eacf39cb11a 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/StopApplicationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/StopApplicationCommand.ts @@ -108,4 +108,16 @@ export class StopApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopApplicationCommand) .de(de_StopApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopApplicationRequest; + output: StopApplicationResponse; + }; + sdk: { + input: StopApplicationCommandInput; + output: StopApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/TagResourceCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/TagResourceCommand.ts index 7dc98be81662..461260a72e60 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/TagResourceCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/TagResourceCommand.ts @@ -105,4 +105,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/UntagResourceCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/UntagResourceCommand.ts index 53355e521d57..e8f1a6d6213b 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/UntagResourceCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationCommand.ts index c02a2eabe123..9e5b9ca6a8de 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationCommand.ts @@ -554,4 +554,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: UpdateApplicationResponse; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationMaintenanceConfigurationCommand.ts b/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationMaintenanceConfigurationCommand.ts index a643cf98c3a2..97c3d5fbd113 100644 --- a/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationMaintenanceConfigurationCommand.ts +++ b/clients/client-kinesis-analytics-v2/src/commands/UpdateApplicationMaintenanceConfigurationCommand.ts @@ -130,4 +130,16 @@ export class UpdateApplicationMaintenanceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationMaintenanceConfigurationCommand) .de(de_UpdateApplicationMaintenanceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationMaintenanceConfigurationRequest; + output: UpdateApplicationMaintenanceConfigurationResponse; + }; + sdk: { + input: UpdateApplicationMaintenanceConfigurationCommandInput; + output: UpdateApplicationMaintenanceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/package.json b/clients/client-kinesis-analytics/package.json index ff6300cd204a..6d99485818e6 100644 --- a/clients/client-kinesis-analytics/package.json +++ b/clients/client-kinesis-analytics/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kinesis-analytics/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts b/clients/client-kinesis-analytics/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts index b7450fe618a9..6efb0fac2b94 100644 --- a/clients/client-kinesis-analytics/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/AddApplicationCloudWatchLoggingOptionCommand.ts @@ -110,4 +110,16 @@ export class AddApplicationCloudWatchLoggingOptionCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationCloudWatchLoggingOptionCommand) .de(de_AddApplicationCloudWatchLoggingOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationCloudWatchLoggingOptionRequest; + output: {}; + }; + sdk: { + input: AddApplicationCloudWatchLoggingOptionCommandInput; + output: AddApplicationCloudWatchLoggingOptionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/AddApplicationInputCommand.ts b/clients/client-kinesis-analytics/src/commands/AddApplicationInputCommand.ts index 2f232eb3318a..b153bc177a83 100644 --- a/clients/client-kinesis-analytics/src/commands/AddApplicationInputCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/AddApplicationInputCommand.ts @@ -152,4 +152,16 @@ export class AddApplicationInputCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationInputCommand) .de(de_AddApplicationInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationInputRequest; + output: {}; + }; + sdk: { + input: AddApplicationInputCommandInput; + output: AddApplicationInputCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/AddApplicationInputProcessingConfigurationCommand.ts b/clients/client-kinesis-analytics/src/commands/AddApplicationInputProcessingConfigurationCommand.ts index 9ece43d949ae..80f95c5d1605 100644 --- a/clients/client-kinesis-analytics/src/commands/AddApplicationInputProcessingConfigurationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/AddApplicationInputProcessingConfigurationCommand.ts @@ -112,4 +112,16 @@ export class AddApplicationInputProcessingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationInputProcessingConfigurationCommand) .de(de_AddApplicationInputProcessingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationInputProcessingConfigurationRequest; + output: {}; + }; + sdk: { + input: AddApplicationInputProcessingConfigurationCommandInput; + output: AddApplicationInputProcessingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/AddApplicationOutputCommand.ts b/clients/client-kinesis-analytics/src/commands/AddApplicationOutputCommand.ts index 3c8f8eb6bf1f..3b0cf32604b0 100644 --- a/clients/client-kinesis-analytics/src/commands/AddApplicationOutputCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/AddApplicationOutputCommand.ts @@ -128,4 +128,16 @@ export class AddApplicationOutputCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationOutputCommand) .de(de_AddApplicationOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationOutputRequest; + output: {}; + }; + sdk: { + input: AddApplicationOutputCommandInput; + output: AddApplicationOutputCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/AddApplicationReferenceDataSourceCommand.ts b/clients/client-kinesis-analytics/src/commands/AddApplicationReferenceDataSourceCommand.ts index cd45bc7c3dbb..65c68b702278 100644 --- a/clients/client-kinesis-analytics/src/commands/AddApplicationReferenceDataSourceCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/AddApplicationReferenceDataSourceCommand.ts @@ -142,4 +142,16 @@ export class AddApplicationReferenceDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_AddApplicationReferenceDataSourceCommand) .de(de_AddApplicationReferenceDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddApplicationReferenceDataSourceRequest; + output: {}; + }; + sdk: { + input: AddApplicationReferenceDataSourceCommandInput; + output: AddApplicationReferenceDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/CreateApplicationCommand.ts b/clients/client-kinesis-analytics/src/commands/CreateApplicationCommand.ts index 3474516cfcdb..290d7020e1f7 100644 --- a/clients/client-kinesis-analytics/src/commands/CreateApplicationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/CreateApplicationCommand.ts @@ -203,4 +203,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts b/clients/client-kinesis-analytics/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts index 5a5dffadf4f4..dacdf12a6aee 100644 --- a/clients/client-kinesis-analytics/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/DeleteApplicationCloudWatchLoggingOptionCommand.ts @@ -106,4 +106,16 @@ export class DeleteApplicationCloudWatchLoggingOptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCloudWatchLoggingOptionCommand) .de(de_DeleteApplicationCloudWatchLoggingOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationCloudWatchLoggingOptionRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCloudWatchLoggingOptionCommandInput; + output: DeleteApplicationCloudWatchLoggingOptionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/DeleteApplicationCommand.ts b/clients/client-kinesis-analytics/src/commands/DeleteApplicationCommand.ts index 478085181efc..2ab9abeb6049 100644 --- a/clients/client-kinesis-analytics/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/DeleteApplicationCommand.ts @@ -93,4 +93,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts b/clients/client-kinesis-analytics/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts index 08f165cff6e7..d465b72d845d 100644 --- a/clients/client-kinesis-analytics/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/DeleteApplicationInputProcessingConfigurationCommand.ts @@ -104,4 +104,16 @@ export class DeleteApplicationInputProcessingConfigurationCommand extends $Comma .f(void 0, void 0) .ser(se_DeleteApplicationInputProcessingConfigurationCommand) .de(de_DeleteApplicationInputProcessingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationInputProcessingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationInputProcessingConfigurationCommandInput; + output: DeleteApplicationInputProcessingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/DeleteApplicationOutputCommand.ts b/clients/client-kinesis-analytics/src/commands/DeleteApplicationOutputCommand.ts index a36985bccaef..12614ffbaab2 100644 --- a/clients/client-kinesis-analytics/src/commands/DeleteApplicationOutputCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/DeleteApplicationOutputCommand.ts @@ -97,4 +97,16 @@ export class DeleteApplicationOutputCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationOutputCommand) .de(de_DeleteApplicationOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationOutputRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationOutputCommandInput; + output: DeleteApplicationOutputCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/DeleteApplicationReferenceDataSourceCommand.ts b/clients/client-kinesis-analytics/src/commands/DeleteApplicationReferenceDataSourceCommand.ts index 4a8aaed80b97..980fd95d1d55 100644 --- a/clients/client-kinesis-analytics/src/commands/DeleteApplicationReferenceDataSourceCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/DeleteApplicationReferenceDataSourceCommand.ts @@ -108,4 +108,16 @@ export class DeleteApplicationReferenceDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationReferenceDataSourceCommand) .de(de_DeleteApplicationReferenceDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationReferenceDataSourceRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationReferenceDataSourceCommandInput; + output: DeleteApplicationReferenceDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/DescribeApplicationCommand.ts b/clients/client-kinesis-analytics/src/commands/DescribeApplicationCommand.ts index a3999ac65d7e..fa04fb8a4ece 100644 --- a/clients/client-kinesis-analytics/src/commands/DescribeApplicationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/DescribeApplicationCommand.ts @@ -213,4 +213,16 @@ export class DescribeApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationCommand) .de(de_DescribeApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationRequest; + output: DescribeApplicationResponse; + }; + sdk: { + input: DescribeApplicationCommandInput; + output: DescribeApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/DiscoverInputSchemaCommand.ts b/clients/client-kinesis-analytics/src/commands/DiscoverInputSchemaCommand.ts index efc2e5c90f8f..87ccaf4e3bd2 100644 --- a/clients/client-kinesis-analytics/src/commands/DiscoverInputSchemaCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/DiscoverInputSchemaCommand.ts @@ -155,4 +155,16 @@ export class DiscoverInputSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DiscoverInputSchemaCommand) .de(de_DiscoverInputSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DiscoverInputSchemaRequest; + output: DiscoverInputSchemaResponse; + }; + sdk: { + input: DiscoverInputSchemaCommandInput; + output: DiscoverInputSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/ListApplicationsCommand.ts b/clients/client-kinesis-analytics/src/commands/ListApplicationsCommand.ts index 7b522936a666..9716989bd5bf 100644 --- a/clients/client-kinesis-analytics/src/commands/ListApplicationsCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/ListApplicationsCommand.ts @@ -101,4 +101,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/ListTagsForResourceCommand.ts b/clients/client-kinesis-analytics/src/commands/ListTagsForResourceCommand.ts index 01a5b1250969..8861c71ae133 100644 --- a/clients/client-kinesis-analytics/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/StartApplicationCommand.ts b/clients/client-kinesis-analytics/src/commands/StartApplicationCommand.ts index 1658080a27f8..ae090ed7eec8 100644 --- a/clients/client-kinesis-analytics/src/commands/StartApplicationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/StartApplicationCommand.ts @@ -109,4 +109,16 @@ export class StartApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartApplicationCommand) .de(de_StartApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartApplicationRequest; + output: {}; + }; + sdk: { + input: StartApplicationCommandInput; + output: StartApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/StopApplicationCommand.ts b/clients/client-kinesis-analytics/src/commands/StopApplicationCommand.ts index 646183e17849..04787d84c7da 100644 --- a/clients/client-kinesis-analytics/src/commands/StopApplicationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/StopApplicationCommand.ts @@ -94,4 +94,16 @@ export class StopApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopApplicationCommand) .de(de_StopApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopApplicationRequest; + output: {}; + }; + sdk: { + input: StopApplicationCommandInput; + output: StopApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/TagResourceCommand.ts b/clients/client-kinesis-analytics/src/commands/TagResourceCommand.ts index 53d7953fa789..07f76e688bdc 100644 --- a/clients/client-kinesis-analytics/src/commands/TagResourceCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/UntagResourceCommand.ts b/clients/client-kinesis-analytics/src/commands/UntagResourceCommand.ts index 1a7539aee103..7a123a032bee 100644 --- a/clients/client-kinesis-analytics/src/commands/UntagResourceCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-analytics/src/commands/UpdateApplicationCommand.ts b/clients/client-kinesis-analytics/src/commands/UpdateApplicationCommand.ts index e393b5238f86..7f536997ce5c 100644 --- a/clients/client-kinesis-analytics/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-kinesis-analytics/src/commands/UpdateApplicationCommand.ts @@ -212,4 +212,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-archived-media/package.json b/clients/client-kinesis-video-archived-media/package.json index 4bb6bd190334..00c6489eb4ba 100644 --- a/clients/client-kinesis-video-archived-media/package.json +++ b/clients/client-kinesis-video-archived-media/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kinesis-video-archived-media/src/commands/GetClipCommand.ts b/clients/client-kinesis-video-archived-media/src/commands/GetClipCommand.ts index 2d9b9554d96d..2ef31c15c287 100644 --- a/clients/client-kinesis-video-archived-media/src/commands/GetClipCommand.ts +++ b/clients/client-kinesis-video-archived-media/src/commands/GetClipCommand.ts @@ -175,4 +175,16 @@ export class GetClipCommand extends $Command .f(void 0, GetClipOutputFilterSensitiveLog) .ser(se_GetClipCommand) .de(de_GetClipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClipInput; + output: GetClipOutput; + }; + sdk: { + input: GetClipCommandInput; + output: GetClipCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-archived-media/src/commands/GetDASHStreamingSessionURLCommand.ts b/clients/client-kinesis-video-archived-media/src/commands/GetDASHStreamingSessionURLCommand.ts index 6c10580dc665..3be2f4694977 100644 --- a/clients/client-kinesis-video-archived-media/src/commands/GetDASHStreamingSessionURLCommand.ts +++ b/clients/client-kinesis-video-archived-media/src/commands/GetDASHStreamingSessionURLCommand.ts @@ -278,4 +278,16 @@ export class GetDASHStreamingSessionURLCommand extends $Command .f(void 0, void 0) .ser(se_GetDASHStreamingSessionURLCommand) .de(de_GetDASHStreamingSessionURLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDASHStreamingSessionURLInput; + output: GetDASHStreamingSessionURLOutput; + }; + sdk: { + input: GetDASHStreamingSessionURLCommandInput; + output: GetDASHStreamingSessionURLCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-archived-media/src/commands/GetHLSStreamingSessionURLCommand.ts b/clients/client-kinesis-video-archived-media/src/commands/GetHLSStreamingSessionURLCommand.ts index ee190e42c805..aa39c8f70374 100644 --- a/clients/client-kinesis-video-archived-media/src/commands/GetHLSStreamingSessionURLCommand.ts +++ b/clients/client-kinesis-video-archived-media/src/commands/GetHLSStreamingSessionURLCommand.ts @@ -321,4 +321,16 @@ export class GetHLSStreamingSessionURLCommand extends $Command .f(void 0, void 0) .ser(se_GetHLSStreamingSessionURLCommand) .de(de_GetHLSStreamingSessionURLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHLSStreamingSessionURLInput; + output: GetHLSStreamingSessionURLOutput; + }; + sdk: { + input: GetHLSStreamingSessionURLCommandInput; + output: GetHLSStreamingSessionURLCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-archived-media/src/commands/GetImagesCommand.ts b/clients/client-kinesis-video-archived-media/src/commands/GetImagesCommand.ts index 3478ae652202..0adce8c5cad5 100644 --- a/clients/client-kinesis-video-archived-media/src/commands/GetImagesCommand.ts +++ b/clients/client-kinesis-video-archived-media/src/commands/GetImagesCommand.ts @@ -130,4 +130,16 @@ export class GetImagesCommand extends $Command .f(void 0, void 0) .ser(se_GetImagesCommand) .de(de_GetImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImagesInput; + output: GetImagesOutput; + }; + sdk: { + input: GetImagesCommandInput; + output: GetImagesCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-archived-media/src/commands/GetMediaForFragmentListCommand.ts b/clients/client-kinesis-video-archived-media/src/commands/GetMediaForFragmentListCommand.ts index 1d26530a48c2..ffeb397de7ce 100644 --- a/clients/client-kinesis-video-archived-media/src/commands/GetMediaForFragmentListCommand.ts +++ b/clients/client-kinesis-video-archived-media/src/commands/GetMediaForFragmentListCommand.ts @@ -150,4 +150,16 @@ export class GetMediaForFragmentListCommand extends $Command .f(void 0, GetMediaForFragmentListOutputFilterSensitiveLog) .ser(se_GetMediaForFragmentListCommand) .de(de_GetMediaForFragmentListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaForFragmentListInput; + output: GetMediaForFragmentListOutput; + }; + sdk: { + input: GetMediaForFragmentListCommandInput; + output: GetMediaForFragmentListCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-archived-media/src/commands/ListFragmentsCommand.ts b/clients/client-kinesis-video-archived-media/src/commands/ListFragmentsCommand.ts index 13726ee2df8e..2daa7b3b1632 100644 --- a/clients/client-kinesis-video-archived-media/src/commands/ListFragmentsCommand.ts +++ b/clients/client-kinesis-video-archived-media/src/commands/ListFragmentsCommand.ts @@ -158,4 +158,16 @@ export class ListFragmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListFragmentsCommand) .de(de_ListFragmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFragmentsInput; + output: ListFragmentsOutput; + }; + sdk: { + input: ListFragmentsCommandInput; + output: ListFragmentsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-media/package.json b/clients/client-kinesis-video-media/package.json index 306181d3e2bc..7f66332bfb84 100644 --- a/clients/client-kinesis-video-media/package.json +++ b/clients/client-kinesis-video-media/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kinesis-video-media/src/commands/GetMediaCommand.ts b/clients/client-kinesis-video-media/src/commands/GetMediaCommand.ts index f1ab978e8223..bdfbcedcbfc1 100644 --- a/clients/client-kinesis-video-media/src/commands/GetMediaCommand.ts +++ b/clients/client-kinesis-video-media/src/commands/GetMediaCommand.ts @@ -160,4 +160,16 @@ export class GetMediaCommand extends $Command .f(void 0, GetMediaOutputFilterSensitiveLog) .ser(se_GetMediaCommand) .de(de_GetMediaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaInput; + output: GetMediaOutput; + }; + sdk: { + input: GetMediaCommandInput; + output: GetMediaCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-signaling/package.json b/clients/client-kinesis-video-signaling/package.json index b396618caf88..c9ef2dd01a3e 100644 --- a/clients/client-kinesis-video-signaling/package.json +++ b/clients/client-kinesis-video-signaling/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kinesis-video-signaling/src/commands/GetIceServerConfigCommand.ts b/clients/client-kinesis-video-signaling/src/commands/GetIceServerConfigCommand.ts index 3dea29e81670..f6babcbb9225 100644 --- a/clients/client-kinesis-video-signaling/src/commands/GetIceServerConfigCommand.ts +++ b/clients/client-kinesis-video-signaling/src/commands/GetIceServerConfigCommand.ts @@ -127,4 +127,16 @@ export class GetIceServerConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetIceServerConfigCommand) .de(de_GetIceServerConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIceServerConfigRequest; + output: GetIceServerConfigResponse; + }; + sdk: { + input: GetIceServerConfigCommandInput; + output: GetIceServerConfigCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-signaling/src/commands/SendAlexaOfferToMasterCommand.ts b/clients/client-kinesis-video-signaling/src/commands/SendAlexaOfferToMasterCommand.ts index 389805d7e45f..3942ad62bba1 100644 --- a/clients/client-kinesis-video-signaling/src/commands/SendAlexaOfferToMasterCommand.ts +++ b/clients/client-kinesis-video-signaling/src/commands/SendAlexaOfferToMasterCommand.ts @@ -101,4 +101,16 @@ export class SendAlexaOfferToMasterCommand extends $Command .f(void 0, void 0) .ser(se_SendAlexaOfferToMasterCommand) .de(de_SendAlexaOfferToMasterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendAlexaOfferToMasterRequest; + output: SendAlexaOfferToMasterResponse; + }; + sdk: { + input: SendAlexaOfferToMasterCommandInput; + output: SendAlexaOfferToMasterCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-webrtc-storage/package.json b/clients/client-kinesis-video-webrtc-storage/package.json index 51a8ced5421c..235d28c8d4b8 100644 --- a/clients/client-kinesis-video-webrtc-storage/package.json +++ b/clients/client-kinesis-video-webrtc-storage/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionAsViewerCommand.ts b/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionAsViewerCommand.ts index 8e366be3584e..8ff5b9a5edbd 100644 --- a/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionAsViewerCommand.ts +++ b/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionAsViewerCommand.ts @@ -111,4 +111,16 @@ export class JoinStorageSessionAsViewerCommand extends $Command .f(void 0, void 0) .ser(se_JoinStorageSessionAsViewerCommand) .de(de_JoinStorageSessionAsViewerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JoinStorageSessionAsViewerInput; + output: {}; + }; + sdk: { + input: JoinStorageSessionAsViewerCommandInput; + output: JoinStorageSessionAsViewerCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionCommand.ts b/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionCommand.ts index ca3ad5608798..d19b17e4546c 100644 --- a/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionCommand.ts +++ b/clients/client-kinesis-video-webrtc-storage/src/commands/JoinStorageSessionCommand.ts @@ -147,4 +147,16 @@ export class JoinStorageSessionCommand extends $Command .f(void 0, void 0) .ser(se_JoinStorageSessionCommand) .de(de_JoinStorageSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JoinStorageSessionInput; + output: {}; + }; + sdk: { + input: JoinStorageSessionCommandInput; + output: JoinStorageSessionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/package.json b/clients/client-kinesis-video/package.json index 3ec80f004f82..934abf96c80b 100644 --- a/clients/client-kinesis-video/package.json +++ b/clients/client-kinesis-video/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kinesis-video/src/commands/CreateSignalingChannelCommand.ts b/clients/client-kinesis-video/src/commands/CreateSignalingChannelCommand.ts index f0a537e7920d..ed0a88c857ca 100644 --- a/clients/client-kinesis-video/src/commands/CreateSignalingChannelCommand.ts +++ b/clients/client-kinesis-video/src/commands/CreateSignalingChannelCommand.ts @@ -127,4 +127,16 @@ export class CreateSignalingChannelCommand extends $Command .f(void 0, void 0) .ser(se_CreateSignalingChannelCommand) .de(de_CreateSignalingChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSignalingChannelInput; + output: CreateSignalingChannelOutput; + }; + sdk: { + input: CreateSignalingChannelCommandInput; + output: CreateSignalingChannelCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/CreateStreamCommand.ts b/clients/client-kinesis-video/src/commands/CreateStreamCommand.ts index 5b2065639ffe..9c3f6b0a7132 100644 --- a/clients/client-kinesis-video/src/commands/CreateStreamCommand.ts +++ b/clients/client-kinesis-video/src/commands/CreateStreamCommand.ts @@ -132,4 +132,16 @@ export class CreateStreamCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamCommand) .de(de_CreateStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamInput; + output: CreateStreamOutput; + }; + sdk: { + input: CreateStreamCommandInput; + output: CreateStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DeleteEdgeConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/DeleteEdgeConfigurationCommand.ts index 82dfdb47038c..c523606b63ab 100644 --- a/clients/client-kinesis-video/src/commands/DeleteEdgeConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/DeleteEdgeConfigurationCommand.ts @@ -95,4 +95,16 @@ export class DeleteEdgeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEdgeConfigurationCommand) .de(de_DeleteEdgeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEdgeConfigurationInput; + output: {}; + }; + sdk: { + input: DeleteEdgeConfigurationCommandInput; + output: DeleteEdgeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DeleteSignalingChannelCommand.ts b/clients/client-kinesis-video/src/commands/DeleteSignalingChannelCommand.ts index a7cec7258bd4..d305293fc1ce 100644 --- a/clients/client-kinesis-video/src/commands/DeleteSignalingChannelCommand.ts +++ b/clients/client-kinesis-video/src/commands/DeleteSignalingChannelCommand.ts @@ -116,4 +116,16 @@ export class DeleteSignalingChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSignalingChannelCommand) .de(de_DeleteSignalingChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSignalingChannelInput; + output: {}; + }; + sdk: { + input: DeleteSignalingChannelCommandInput; + output: DeleteSignalingChannelCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DeleteStreamCommand.ts b/clients/client-kinesis-video/src/commands/DeleteStreamCommand.ts index 9557e875d1b4..8159e55f18cf 100644 --- a/clients/client-kinesis-video/src/commands/DeleteStreamCommand.ts +++ b/clients/client-kinesis-video/src/commands/DeleteStreamCommand.ts @@ -123,4 +123,16 @@ export class DeleteStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStreamCommand) .de(de_DeleteStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamInput; + output: {}; + }; + sdk: { + input: DeleteStreamCommandInput; + output: DeleteStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DescribeEdgeConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/DescribeEdgeConfigurationCommand.ts index 68257ebd94d1..e8309620a17d 100644 --- a/clients/client-kinesis-video/src/commands/DescribeEdgeConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/DescribeEdgeConfigurationCommand.ts @@ -149,4 +149,16 @@ export class DescribeEdgeConfigurationCommand extends $Command .f(void 0, DescribeEdgeConfigurationOutputFilterSensitiveLog) .ser(se_DescribeEdgeConfigurationCommand) .de(de_DescribeEdgeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEdgeConfigurationInput; + output: DescribeEdgeConfigurationOutput; + }; + sdk: { + input: DescribeEdgeConfigurationCommandInput; + output: DescribeEdgeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DescribeImageGenerationConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/DescribeImageGenerationConfigurationCommand.ts index a4c7762b00eb..713ad4ed30c7 100644 --- a/clients/client-kinesis-video/src/commands/DescribeImageGenerationConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/DescribeImageGenerationConfigurationCommand.ts @@ -113,4 +113,16 @@ export class DescribeImageGenerationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageGenerationConfigurationCommand) .de(de_DescribeImageGenerationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageGenerationConfigurationInput; + output: DescribeImageGenerationConfigurationOutput; + }; + sdk: { + input: DescribeImageGenerationConfigurationCommandInput; + output: DescribeImageGenerationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DescribeMappedResourceConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/DescribeMappedResourceConfigurationCommand.ts index 1bdb38e4b581..412f4811f95d 100644 --- a/clients/client-kinesis-video/src/commands/DescribeMappedResourceConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/DescribeMappedResourceConfigurationCommand.ts @@ -108,4 +108,16 @@ export class DescribeMappedResourceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMappedResourceConfigurationCommand) .de(de_DescribeMappedResourceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMappedResourceConfigurationInput; + output: DescribeMappedResourceConfigurationOutput; + }; + sdk: { + input: DescribeMappedResourceConfigurationCommandInput; + output: DescribeMappedResourceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DescribeMediaStorageConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/DescribeMediaStorageConfigurationCommand.ts index a08b13768a16..74a2f2a2c397 100644 --- a/clients/client-kinesis-video/src/commands/DescribeMediaStorageConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/DescribeMediaStorageConfigurationCommand.ts @@ -100,4 +100,16 @@ export class DescribeMediaStorageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMediaStorageConfigurationCommand) .de(de_DescribeMediaStorageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMediaStorageConfigurationInput; + output: DescribeMediaStorageConfigurationOutput; + }; + sdk: { + input: DescribeMediaStorageConfigurationCommandInput; + output: DescribeMediaStorageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DescribeNotificationConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/DescribeNotificationConfigurationCommand.ts index 1b1fc5ceb212..d823f9792c9b 100644 --- a/clients/client-kinesis-video/src/commands/DescribeNotificationConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/DescribeNotificationConfigurationCommand.ts @@ -101,4 +101,16 @@ export class DescribeNotificationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNotificationConfigurationCommand) .de(de_DescribeNotificationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotificationConfigurationInput; + output: DescribeNotificationConfigurationOutput; + }; + sdk: { + input: DescribeNotificationConfigurationCommandInput; + output: DescribeNotificationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DescribeSignalingChannelCommand.ts b/clients/client-kinesis-video/src/commands/DescribeSignalingChannelCommand.ts index 96b9e5e67afc..0d6c95f751d2 100644 --- a/clients/client-kinesis-video/src/commands/DescribeSignalingChannelCommand.ts +++ b/clients/client-kinesis-video/src/commands/DescribeSignalingChannelCommand.ts @@ -103,4 +103,16 @@ export class DescribeSignalingChannelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSignalingChannelCommand) .de(de_DescribeSignalingChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSignalingChannelInput; + output: DescribeSignalingChannelOutput; + }; + sdk: { + input: DescribeSignalingChannelCommandInput; + output: DescribeSignalingChannelCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/DescribeStreamCommand.ts b/clients/client-kinesis-video/src/commands/DescribeStreamCommand.ts index 4b0579f45c19..377707ba645a 100644 --- a/clients/client-kinesis-video/src/commands/DescribeStreamCommand.ts +++ b/clients/client-kinesis-video/src/commands/DescribeStreamCommand.ts @@ -102,4 +102,16 @@ export class DescribeStreamCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStreamCommand) .de(de_DescribeStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStreamInput; + output: DescribeStreamOutput; + }; + sdk: { + input: DescribeStreamCommandInput; + output: DescribeStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/GetDataEndpointCommand.ts b/clients/client-kinesis-video/src/commands/GetDataEndpointCommand.ts index b986d1152ef3..1298f41ea329 100644 --- a/clients/client-kinesis-video/src/commands/GetDataEndpointCommand.ts +++ b/clients/client-kinesis-video/src/commands/GetDataEndpointCommand.ts @@ -102,4 +102,16 @@ export class GetDataEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetDataEndpointCommand) .de(de_GetDataEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataEndpointInput; + output: GetDataEndpointOutput; + }; + sdk: { + input: GetDataEndpointCommandInput; + output: GetDataEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/GetSignalingChannelEndpointCommand.ts b/clients/client-kinesis-video/src/commands/GetSignalingChannelEndpointCommand.ts index bb7fa57c3f6e..a4824f7cd92e 100644 --- a/clients/client-kinesis-video/src/commands/GetSignalingChannelEndpointCommand.ts +++ b/clients/client-kinesis-video/src/commands/GetSignalingChannelEndpointCommand.ts @@ -137,4 +137,16 @@ export class GetSignalingChannelEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetSignalingChannelEndpointCommand) .de(de_GetSignalingChannelEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSignalingChannelEndpointInput; + output: GetSignalingChannelEndpointOutput; + }; + sdk: { + input: GetSignalingChannelEndpointCommandInput; + output: GetSignalingChannelEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/ListEdgeAgentConfigurationsCommand.ts b/clients/client-kinesis-video/src/commands/ListEdgeAgentConfigurationsCommand.ts index d3f21b2f3fd5..0469e8534662 100644 --- a/clients/client-kinesis-video/src/commands/ListEdgeAgentConfigurationsCommand.ts +++ b/clients/client-kinesis-video/src/commands/ListEdgeAgentConfigurationsCommand.ts @@ -134,4 +134,16 @@ export class ListEdgeAgentConfigurationsCommand extends $Command .f(void 0, ListEdgeAgentConfigurationsOutputFilterSensitiveLog) .ser(se_ListEdgeAgentConfigurationsCommand) .de(de_ListEdgeAgentConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEdgeAgentConfigurationsInput; + output: ListEdgeAgentConfigurationsOutput; + }; + sdk: { + input: ListEdgeAgentConfigurationsCommandInput; + output: ListEdgeAgentConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/ListSignalingChannelsCommand.ts b/clients/client-kinesis-video/src/commands/ListSignalingChannelsCommand.ts index 8c93bd876d95..0841c167fd36 100644 --- a/clients/client-kinesis-video/src/commands/ListSignalingChannelsCommand.ts +++ b/clients/client-kinesis-video/src/commands/ListSignalingChannelsCommand.ts @@ -107,4 +107,16 @@ export class ListSignalingChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListSignalingChannelsCommand) .de(de_ListSignalingChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSignalingChannelsInput; + output: ListSignalingChannelsOutput; + }; + sdk: { + input: ListSignalingChannelsCommandInput; + output: ListSignalingChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/ListStreamsCommand.ts b/clients/client-kinesis-video/src/commands/ListStreamsCommand.ts index 82c63d4c7fa5..ae1f8ede0b40 100644 --- a/clients/client-kinesis-video/src/commands/ListStreamsCommand.ts +++ b/clients/client-kinesis-video/src/commands/ListStreamsCommand.ts @@ -104,4 +104,16 @@ export class ListStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamsCommand) .de(de_ListStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamsInput; + output: ListStreamsOutput; + }; + sdk: { + input: ListStreamsCommandInput; + output: ListStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/ListTagsForResourceCommand.ts b/clients/client-kinesis-video/src/commands/ListTagsForResourceCommand.ts index 9a8d08c1b5e8..ddb5feba45ce 100644 --- a/clients/client-kinesis-video/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-kinesis-video/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/ListTagsForStreamCommand.ts b/clients/client-kinesis-video/src/commands/ListTagsForStreamCommand.ts index 5bc10ce894ba..6d753c1410d5 100644 --- a/clients/client-kinesis-video/src/commands/ListTagsForStreamCommand.ts +++ b/clients/client-kinesis-video/src/commands/ListTagsForStreamCommand.ts @@ -100,4 +100,16 @@ export class ListTagsForStreamCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForStreamCommand) .de(de_ListTagsForStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForStreamInput; + output: ListTagsForStreamOutput; + }; + sdk: { + input: ListTagsForStreamCommandInput; + output: ListTagsForStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/StartEdgeConfigurationUpdateCommand.ts b/clients/client-kinesis-video/src/commands/StartEdgeConfigurationUpdateCommand.ts index 537de64b252e..7b7ff04a258c 100644 --- a/clients/client-kinesis-video/src/commands/StartEdgeConfigurationUpdateCommand.ts +++ b/clients/client-kinesis-video/src/commands/StartEdgeConfigurationUpdateCommand.ts @@ -196,4 +196,16 @@ export class StartEdgeConfigurationUpdateCommand extends $Command .f(StartEdgeConfigurationUpdateInputFilterSensitiveLog, StartEdgeConfigurationUpdateOutputFilterSensitiveLog) .ser(se_StartEdgeConfigurationUpdateCommand) .de(de_StartEdgeConfigurationUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEdgeConfigurationUpdateInput; + output: StartEdgeConfigurationUpdateOutput; + }; + sdk: { + input: StartEdgeConfigurationUpdateCommandInput; + output: StartEdgeConfigurationUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/TagResourceCommand.ts b/clients/client-kinesis-video/src/commands/TagResourceCommand.ts index 915c8892e88e..1e13d1f33a32 100644 --- a/clients/client-kinesis-video/src/commands/TagResourceCommand.ts +++ b/clients/client-kinesis-video/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/TagStreamCommand.ts b/clients/client-kinesis-video/src/commands/TagStreamCommand.ts index e1943b70a074..504ce6c8f1ac 100644 --- a/clients/client-kinesis-video/src/commands/TagStreamCommand.ts +++ b/clients/client-kinesis-video/src/commands/TagStreamCommand.ts @@ -108,4 +108,16 @@ export class TagStreamCommand extends $Command .f(void 0, void 0) .ser(se_TagStreamCommand) .de(de_TagStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagStreamInput; + output: {}; + }; + sdk: { + input: TagStreamCommandInput; + output: TagStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UntagResourceCommand.ts b/clients/client-kinesis-video/src/commands/UntagResourceCommand.ts index 047dd16d8784..e432bfe372a1 100644 --- a/clients/client-kinesis-video/src/commands/UntagResourceCommand.ts +++ b/clients/client-kinesis-video/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UntagStreamCommand.ts b/clients/client-kinesis-video/src/commands/UntagStreamCommand.ts index 48a845a7cbc5..73bb48cbc4b3 100644 --- a/clients/client-kinesis-video/src/commands/UntagStreamCommand.ts +++ b/clients/client-kinesis-video/src/commands/UntagStreamCommand.ts @@ -99,4 +99,16 @@ export class UntagStreamCommand extends $Command .f(void 0, void 0) .ser(se_UntagStreamCommand) .de(de_UntagStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagStreamInput; + output: {}; + }; + sdk: { + input: UntagStreamCommandInput; + output: UntagStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UpdateDataRetentionCommand.ts b/clients/client-kinesis-video/src/commands/UpdateDataRetentionCommand.ts index 65a1e9a5ead3..bb297dc1fcde 100644 --- a/clients/client-kinesis-video/src/commands/UpdateDataRetentionCommand.ts +++ b/clients/client-kinesis-video/src/commands/UpdateDataRetentionCommand.ts @@ -138,4 +138,16 @@ export class UpdateDataRetentionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataRetentionCommand) .de(de_UpdateDataRetentionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataRetentionInput; + output: {}; + }; + sdk: { + input: UpdateDataRetentionCommandInput; + output: UpdateDataRetentionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UpdateImageGenerationConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/UpdateImageGenerationConfigurationCommand.ts index 81a85d4f39c0..3c327a5ff79d 100644 --- a/clients/client-kinesis-video/src/commands/UpdateImageGenerationConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/UpdateImageGenerationConfigurationCommand.ts @@ -132,4 +132,16 @@ export class UpdateImageGenerationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateImageGenerationConfigurationCommand) .de(de_UpdateImageGenerationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateImageGenerationConfigurationInput; + output: {}; + }; + sdk: { + input: UpdateImageGenerationConfigurationCommandInput; + output: UpdateImageGenerationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UpdateMediaStorageConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/UpdateMediaStorageConfigurationCommand.ts index 892abced5752..1020dc9d84d2 100644 --- a/clients/client-kinesis-video/src/commands/UpdateMediaStorageConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/UpdateMediaStorageConfigurationCommand.ts @@ -138,4 +138,16 @@ export class UpdateMediaStorageConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMediaStorageConfigurationCommand) .de(de_UpdateMediaStorageConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMediaStorageConfigurationInput; + output: {}; + }; + sdk: { + input: UpdateMediaStorageConfigurationCommandInput; + output: UpdateMediaStorageConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UpdateNotificationConfigurationCommand.ts b/clients/client-kinesis-video/src/commands/UpdateNotificationConfigurationCommand.ts index 5d1419e3ff9e..12d80a36becf 100644 --- a/clients/client-kinesis-video/src/commands/UpdateNotificationConfigurationCommand.ts +++ b/clients/client-kinesis-video/src/commands/UpdateNotificationConfigurationCommand.ts @@ -123,4 +123,16 @@ export class UpdateNotificationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNotificationConfigurationCommand) .de(de_UpdateNotificationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotificationConfigurationInput; + output: {}; + }; + sdk: { + input: UpdateNotificationConfigurationCommandInput; + output: UpdateNotificationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UpdateSignalingChannelCommand.ts b/clients/client-kinesis-video/src/commands/UpdateSignalingChannelCommand.ts index ccbccb92e222..ebc842239fb3 100644 --- a/clients/client-kinesis-video/src/commands/UpdateSignalingChannelCommand.ts +++ b/clients/client-kinesis-video/src/commands/UpdateSignalingChannelCommand.ts @@ -122,4 +122,16 @@ export class UpdateSignalingChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSignalingChannelCommand) .de(de_UpdateSignalingChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSignalingChannelInput; + output: {}; + }; + sdk: { + input: UpdateSignalingChannelCommandInput; + output: UpdateSignalingChannelCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis-video/src/commands/UpdateStreamCommand.ts b/clients/client-kinesis-video/src/commands/UpdateStreamCommand.ts index f15c7ac2f2ff..3ffc211db94f 100644 --- a/clients/client-kinesis-video/src/commands/UpdateStreamCommand.ts +++ b/clients/client-kinesis-video/src/commands/UpdateStreamCommand.ts @@ -126,4 +126,16 @@ export class UpdateStreamCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStreamCommand) .de(de_UpdateStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStreamInput; + output: {}; + }; + sdk: { + input: UpdateStreamCommandInput; + output: UpdateStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/package.json b/clients/client-kinesis/package.json index 150805c9a255..6cb30a8bbb90 100644 --- a/clients/client-kinesis/package.json +++ b/clients/client-kinesis/package.json @@ -34,35 +34,35 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-kinesis/src/commands/AddTagsToStreamCommand.ts b/clients/client-kinesis/src/commands/AddTagsToStreamCommand.ts index 3d4d8303df82..e6d402dae508 100644 --- a/clients/client-kinesis/src/commands/AddTagsToStreamCommand.ts +++ b/clients/client-kinesis/src/commands/AddTagsToStreamCommand.ts @@ -114,4 +114,16 @@ export class AddTagsToStreamCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToStreamCommand) .de(de_AddTagsToStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToStreamInput; + output: {}; + }; + sdk: { + input: AddTagsToStreamCommandInput; + output: AddTagsToStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/CreateStreamCommand.ts b/clients/client-kinesis/src/commands/CreateStreamCommand.ts index 807a90238cf4..88f083c257e0 100644 --- a/clients/client-kinesis/src/commands/CreateStreamCommand.ts +++ b/clients/client-kinesis/src/commands/CreateStreamCommand.ts @@ -134,4 +134,16 @@ export class CreateStreamCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamCommand) .de(de_CreateStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamInput; + output: {}; + }; + sdk: { + input: CreateStreamCommandInput; + output: CreateStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DecreaseStreamRetentionPeriodCommand.ts b/clients/client-kinesis/src/commands/DecreaseStreamRetentionPeriodCommand.ts index 10cd2b535b7a..e45826a346b7 100644 --- a/clients/client-kinesis/src/commands/DecreaseStreamRetentionPeriodCommand.ts +++ b/clients/client-kinesis/src/commands/DecreaseStreamRetentionPeriodCommand.ts @@ -114,4 +114,16 @@ export class DecreaseStreamRetentionPeriodCommand extends $Command .f(void 0, void 0) .ser(se_DecreaseStreamRetentionPeriodCommand) .de(de_DecreaseStreamRetentionPeriodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DecreaseStreamRetentionPeriodInput; + output: {}; + }; + sdk: { + input: DecreaseStreamRetentionPeriodCommandInput; + output: DecreaseStreamRetentionPeriodCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-kinesis/src/commands/DeleteResourcePolicyCommand.ts index 09477775459e..0876079d4967 100644 --- a/clients/client-kinesis/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-kinesis/src/commands/DeleteResourcePolicyCommand.ts @@ -109,4 +109,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyInput; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DeleteStreamCommand.ts b/clients/client-kinesis/src/commands/DeleteStreamCommand.ts index cc434fb58878..df112be3fb64 100644 --- a/clients/client-kinesis/src/commands/DeleteStreamCommand.ts +++ b/clients/client-kinesis/src/commands/DeleteStreamCommand.ts @@ -124,4 +124,16 @@ export class DeleteStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStreamCommand) .de(de_DeleteStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamInput; + output: {}; + }; + sdk: { + input: DeleteStreamCommandInput; + output: DeleteStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DeregisterStreamConsumerCommand.ts b/clients/client-kinesis/src/commands/DeregisterStreamConsumerCommand.ts index 56f382a35b03..482fe8e3d4b3 100644 --- a/clients/client-kinesis/src/commands/DeregisterStreamConsumerCommand.ts +++ b/clients/client-kinesis/src/commands/DeregisterStreamConsumerCommand.ts @@ -101,4 +101,16 @@ export class DeregisterStreamConsumerCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterStreamConsumerCommand) .de(de_DeregisterStreamConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterStreamConsumerInput; + output: {}; + }; + sdk: { + input: DeregisterStreamConsumerCommandInput; + output: DeregisterStreamConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DescribeLimitsCommand.ts b/clients/client-kinesis/src/commands/DescribeLimitsCommand.ts index 93dc3d671bf8..c0ed931c6b7a 100644 --- a/clients/client-kinesis/src/commands/DescribeLimitsCommand.ts +++ b/clients/client-kinesis/src/commands/DescribeLimitsCommand.ts @@ -85,4 +85,16 @@ export class DescribeLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLimitsCommand) .de(de_DescribeLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeLimitsOutput; + }; + sdk: { + input: DescribeLimitsCommandInput; + output: DescribeLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DescribeStreamCommand.ts b/clients/client-kinesis/src/commands/DescribeStreamCommand.ts index 4d6f76d375bc..303af6bb370b 100644 --- a/clients/client-kinesis/src/commands/DescribeStreamCommand.ts +++ b/clients/client-kinesis/src/commands/DescribeStreamCommand.ts @@ -158,4 +158,16 @@ export class DescribeStreamCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStreamCommand) .de(de_DescribeStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStreamInput; + output: DescribeStreamOutput; + }; + sdk: { + input: DescribeStreamCommandInput; + output: DescribeStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DescribeStreamConsumerCommand.ts b/clients/client-kinesis/src/commands/DescribeStreamConsumerCommand.ts index 3fb864c69561..50eb8f78b4a1 100644 --- a/clients/client-kinesis/src/commands/DescribeStreamConsumerCommand.ts +++ b/clients/client-kinesis/src/commands/DescribeStreamConsumerCommand.ts @@ -112,4 +112,16 @@ export class DescribeStreamConsumerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStreamConsumerCommand) .de(de_DescribeStreamConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStreamConsumerInput; + output: DescribeStreamConsumerOutput; + }; + sdk: { + input: DescribeStreamConsumerCommandInput; + output: DescribeStreamConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DescribeStreamSummaryCommand.ts b/clients/client-kinesis/src/commands/DescribeStreamSummaryCommand.ts index 9413a1a9fe06..902198e041f1 100644 --- a/clients/client-kinesis/src/commands/DescribeStreamSummaryCommand.ts +++ b/clients/client-kinesis/src/commands/DescribeStreamSummaryCommand.ts @@ -130,4 +130,16 @@ export class DescribeStreamSummaryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStreamSummaryCommand) .de(de_DescribeStreamSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStreamSummaryInput; + output: DescribeStreamSummaryOutput; + }; + sdk: { + input: DescribeStreamSummaryCommandInput; + output: DescribeStreamSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/DisableEnhancedMonitoringCommand.ts b/clients/client-kinesis/src/commands/DisableEnhancedMonitoringCommand.ts index f43e83b95b91..6302ab25a881 100644 --- a/clients/client-kinesis/src/commands/DisableEnhancedMonitoringCommand.ts +++ b/clients/client-kinesis/src/commands/DisableEnhancedMonitoringCommand.ts @@ -117,4 +117,16 @@ export class DisableEnhancedMonitoringCommand extends $Command .f(void 0, void 0) .ser(se_DisableEnhancedMonitoringCommand) .de(de_DisableEnhancedMonitoringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableEnhancedMonitoringInput; + output: EnhancedMonitoringOutput; + }; + sdk: { + input: DisableEnhancedMonitoringCommandInput; + output: DisableEnhancedMonitoringCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/EnableEnhancedMonitoringCommand.ts b/clients/client-kinesis/src/commands/EnableEnhancedMonitoringCommand.ts index 9000bab19b7f..77b983a66f8e 100644 --- a/clients/client-kinesis/src/commands/EnableEnhancedMonitoringCommand.ts +++ b/clients/client-kinesis/src/commands/EnableEnhancedMonitoringCommand.ts @@ -117,4 +117,16 @@ export class EnableEnhancedMonitoringCommand extends $Command .f(void 0, void 0) .ser(se_EnableEnhancedMonitoringCommand) .de(de_EnableEnhancedMonitoringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableEnhancedMonitoringInput; + output: EnhancedMonitoringOutput; + }; + sdk: { + input: EnableEnhancedMonitoringCommandInput; + output: EnableEnhancedMonitoringCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/GetRecordsCommand.ts b/clients/client-kinesis/src/commands/GetRecordsCommand.ts index 5a54d45a080a..63da8d252d4b 100644 --- a/clients/client-kinesis/src/commands/GetRecordsCommand.ts +++ b/clients/client-kinesis/src/commands/GetRecordsCommand.ts @@ -206,4 +206,16 @@ export class GetRecordsCommand extends $Command .f(void 0, void 0) .ser(se_GetRecordsCommand) .de(de_GetRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecordsInput; + output: GetRecordsOutput; + }; + sdk: { + input: GetRecordsCommandInput; + output: GetRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/GetResourcePolicyCommand.ts b/clients/client-kinesis/src/commands/GetResourcePolicyCommand.ts index 6af47961194f..121351400f44 100644 --- a/clients/client-kinesis/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-kinesis/src/commands/GetResourcePolicyCommand.ts @@ -107,4 +107,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyInput; + output: GetResourcePolicyOutput; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts b/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts index 0871fc92123c..295e83b2ee25 100644 --- a/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts +++ b/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts @@ -143,4 +143,16 @@ export class GetShardIteratorCommand extends $Command .f(void 0, void 0) .ser(se_GetShardIteratorCommand) .de(de_GetShardIteratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetShardIteratorInput; + output: GetShardIteratorOutput; + }; + sdk: { + input: GetShardIteratorCommandInput; + output: GetShardIteratorCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/IncreaseStreamRetentionPeriodCommand.ts b/clients/client-kinesis/src/commands/IncreaseStreamRetentionPeriodCommand.ts index d1affcfdbf96..92ec9b0a2a98 100644 --- a/clients/client-kinesis/src/commands/IncreaseStreamRetentionPeriodCommand.ts +++ b/clients/client-kinesis/src/commands/IncreaseStreamRetentionPeriodCommand.ts @@ -117,4 +117,16 @@ export class IncreaseStreamRetentionPeriodCommand extends $Command .f(void 0, void 0) .ser(se_IncreaseStreamRetentionPeriodCommand) .de(de_IncreaseStreamRetentionPeriodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IncreaseStreamRetentionPeriodInput; + output: {}; + }; + sdk: { + input: IncreaseStreamRetentionPeriodCommandInput; + output: IncreaseStreamRetentionPeriodCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/ListShardsCommand.ts b/clients/client-kinesis/src/commands/ListShardsCommand.ts index f5e5d3edfb0f..9728fa8c1da3 100644 --- a/clients/client-kinesis/src/commands/ListShardsCommand.ts +++ b/clients/client-kinesis/src/commands/ListShardsCommand.ts @@ -144,4 +144,16 @@ export class ListShardsCommand extends $Command .f(void 0, void 0) .ser(se_ListShardsCommand) .de(de_ListShardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListShardsInput; + output: ListShardsOutput; + }; + sdk: { + input: ListShardsCommandInput; + output: ListShardsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/ListStreamConsumersCommand.ts b/clients/client-kinesis/src/commands/ListStreamConsumersCommand.ts index 140304585022..b4e0e6bf873a 100644 --- a/clients/client-kinesis/src/commands/ListStreamConsumersCommand.ts +++ b/clients/client-kinesis/src/commands/ListStreamConsumersCommand.ts @@ -113,4 +113,16 @@ export class ListStreamConsumersCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamConsumersCommand) .de(de_ListStreamConsumersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamConsumersInput; + output: ListStreamConsumersOutput; + }; + sdk: { + input: ListStreamConsumersCommandInput; + output: ListStreamConsumersCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/ListStreamsCommand.ts b/clients/client-kinesis/src/commands/ListStreamsCommand.ts index a36949d2d1ef..d2e73b3d5514 100644 --- a/clients/client-kinesis/src/commands/ListStreamsCommand.ts +++ b/clients/client-kinesis/src/commands/ListStreamsCommand.ts @@ -120,4 +120,16 @@ export class ListStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamsCommand) .de(de_ListStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamsInput; + output: ListStreamsOutput; + }; + sdk: { + input: ListStreamsCommandInput; + output: ListStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/ListTagsForStreamCommand.ts b/clients/client-kinesis/src/commands/ListTagsForStreamCommand.ts index 3f251d8a7b54..8dbfc82abd8f 100644 --- a/clients/client-kinesis/src/commands/ListTagsForStreamCommand.ts +++ b/clients/client-kinesis/src/commands/ListTagsForStreamCommand.ts @@ -112,4 +112,16 @@ export class ListTagsForStreamCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForStreamCommand) .de(de_ListTagsForStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForStreamInput; + output: ListTagsForStreamOutput; + }; + sdk: { + input: ListTagsForStreamCommandInput; + output: ListTagsForStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/MergeShardsCommand.ts b/clients/client-kinesis/src/commands/MergeShardsCommand.ts index 3eb861581559..ee1dcd718e0c 100644 --- a/clients/client-kinesis/src/commands/MergeShardsCommand.ts +++ b/clients/client-kinesis/src/commands/MergeShardsCommand.ts @@ -148,4 +148,16 @@ export class MergeShardsCommand extends $Command .f(void 0, void 0) .ser(se_MergeShardsCommand) .de(de_MergeShardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MergeShardsInput; + output: {}; + }; + sdk: { + input: MergeShardsCommandInput; + output: MergeShardsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/PutRecordCommand.ts b/clients/client-kinesis/src/commands/PutRecordCommand.ts index af2c23b32916..50bbe8b94154 100644 --- a/clients/client-kinesis/src/commands/PutRecordCommand.ts +++ b/clients/client-kinesis/src/commands/PutRecordCommand.ts @@ -174,4 +174,16 @@ export class PutRecordCommand extends $Command .f(void 0, void 0) .ser(se_PutRecordCommand) .de(de_PutRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRecordInput; + output: PutRecordOutput; + }; + sdk: { + input: PutRecordCommandInput; + output: PutRecordCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/PutRecordsCommand.ts b/clients/client-kinesis/src/commands/PutRecordsCommand.ts index 87c351a99469..cee46880d5ef 100644 --- a/clients/client-kinesis/src/commands/PutRecordsCommand.ts +++ b/clients/client-kinesis/src/commands/PutRecordsCommand.ts @@ -204,4 +204,16 @@ export class PutRecordsCommand extends $Command .f(void 0, void 0) .ser(se_PutRecordsCommand) .de(de_PutRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRecordsInput; + output: PutRecordsOutput; + }; + sdk: { + input: PutRecordsCommandInput; + output: PutRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/PutResourcePolicyCommand.ts b/clients/client-kinesis/src/commands/PutResourcePolicyCommand.ts index 40d3f8a80219..e3b8996a049b 100644 --- a/clients/client-kinesis/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-kinesis/src/commands/PutResourcePolicyCommand.ts @@ -117,4 +117,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyInput; + output: {}; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts b/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts index 59b6b619f32b..d4ddc0c7be69 100644 --- a/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts +++ b/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts @@ -116,4 +116,16 @@ export class RegisterStreamConsumerCommand extends $Command .f(void 0, void 0) .ser(se_RegisterStreamConsumerCommand) .de(de_RegisterStreamConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterStreamConsumerInput; + output: RegisterStreamConsumerOutput; + }; + sdk: { + input: RegisterStreamConsumerCommandInput; + output: RegisterStreamConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/RemoveTagsFromStreamCommand.ts b/clients/client-kinesis/src/commands/RemoveTagsFromStreamCommand.ts index a0e4bc7fe64a..9fea5167643d 100644 --- a/clients/client-kinesis/src/commands/RemoveTagsFromStreamCommand.ts +++ b/clients/client-kinesis/src/commands/RemoveTagsFromStreamCommand.ts @@ -113,4 +113,16 @@ export class RemoveTagsFromStreamCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromStreamCommand) .de(de_RemoveTagsFromStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromStreamInput; + output: {}; + }; + sdk: { + input: RemoveTagsFromStreamCommandInput; + output: RemoveTagsFromStreamCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/SplitShardCommand.ts b/clients/client-kinesis/src/commands/SplitShardCommand.ts index d80a124e3003..80755373fc38 100644 --- a/clients/client-kinesis/src/commands/SplitShardCommand.ts +++ b/clients/client-kinesis/src/commands/SplitShardCommand.ts @@ -152,4 +152,16 @@ export class SplitShardCommand extends $Command .f(void 0, void 0) .ser(se_SplitShardCommand) .de(de_SplitShardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SplitShardInput; + output: {}; + }; + sdk: { + input: SplitShardCommandInput; + output: SplitShardCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/StartStreamEncryptionCommand.ts b/clients/client-kinesis/src/commands/StartStreamEncryptionCommand.ts index add1ed01cc2b..e9ccba3b9ccf 100644 --- a/clients/client-kinesis/src/commands/StartStreamEncryptionCommand.ts +++ b/clients/client-kinesis/src/commands/StartStreamEncryptionCommand.ts @@ -149,4 +149,16 @@ export class StartStreamEncryptionCommand extends $Command .f(void 0, void 0) .ser(se_StartStreamEncryptionCommand) .de(de_StartStreamEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartStreamEncryptionInput; + output: {}; + }; + sdk: { + input: StartStreamEncryptionCommandInput; + output: StartStreamEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/StopStreamEncryptionCommand.ts b/clients/client-kinesis/src/commands/StopStreamEncryptionCommand.ts index 9d2e96a9a424..3578c19c8abd 100644 --- a/clients/client-kinesis/src/commands/StopStreamEncryptionCommand.ts +++ b/clients/client-kinesis/src/commands/StopStreamEncryptionCommand.ts @@ -121,4 +121,16 @@ export class StopStreamEncryptionCommand extends $Command .f(void 0, void 0) .ser(se_StopStreamEncryptionCommand) .de(de_StopStreamEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopStreamEncryptionInput; + output: {}; + }; + sdk: { + input: StopStreamEncryptionCommandInput; + output: StopStreamEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/SubscribeToShardCommand.ts b/clients/client-kinesis/src/commands/SubscribeToShardCommand.ts index 3d9161e2992c..64350a45d976 100644 --- a/clients/client-kinesis/src/commands/SubscribeToShardCommand.ts +++ b/clients/client-kinesis/src/commands/SubscribeToShardCommand.ts @@ -193,4 +193,16 @@ export class SubscribeToShardCommand extends $Command .f(void 0, SubscribeToShardOutputFilterSensitiveLog) .ser(se_SubscribeToShardCommand) .de(de_SubscribeToShardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubscribeToShardInput; + output: SubscribeToShardOutput; + }; + sdk: { + input: SubscribeToShardCommandInput; + output: SubscribeToShardCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/UpdateShardCountCommand.ts b/clients/client-kinesis/src/commands/UpdateShardCountCommand.ts index b99b46f251d4..8bf599746bba 100644 --- a/clients/client-kinesis/src/commands/UpdateShardCountCommand.ts +++ b/clients/client-kinesis/src/commands/UpdateShardCountCommand.ts @@ -163,4 +163,16 @@ export class UpdateShardCountCommand extends $Command .f(void 0, void 0) .ser(se_UpdateShardCountCommand) .de(de_UpdateShardCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateShardCountInput; + output: UpdateShardCountOutput; + }; + sdk: { + input: UpdateShardCountCommandInput; + output: UpdateShardCountCommandOutput; + }; + }; +} diff --git a/clients/client-kinesis/src/commands/UpdateStreamModeCommand.ts b/clients/client-kinesis/src/commands/UpdateStreamModeCommand.ts index cb7ef0204107..4ce274413713 100644 --- a/clients/client-kinesis/src/commands/UpdateStreamModeCommand.ts +++ b/clients/client-kinesis/src/commands/UpdateStreamModeCommand.ts @@ -101,4 +101,16 @@ export class UpdateStreamModeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStreamModeCommand) .de(de_UpdateStreamModeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStreamModeInput; + output: {}; + }; + sdk: { + input: UpdateStreamModeCommandInput; + output: UpdateStreamModeCommandOutput; + }; + }; +} diff --git a/clients/client-kms/package.json b/clients/client-kms/package.json index 26b6e8810364..42d111326415 100644 --- a/clients/client-kms/package.json +++ b/clients/client-kms/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-kms/src/commands/CancelKeyDeletionCommand.ts b/clients/client-kms/src/commands/CancelKeyDeletionCommand.ts index 92cedf136e3b..0fa24c37f5ec 100644 --- a/clients/client-kms/src/commands/CancelKeyDeletionCommand.ts +++ b/clients/client-kms/src/commands/CancelKeyDeletionCommand.ts @@ -144,4 +144,16 @@ export class CancelKeyDeletionCommand extends $Command .f(void 0, void 0) .ser(se_CancelKeyDeletionCommand) .de(de_CancelKeyDeletionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelKeyDeletionRequest; + output: CancelKeyDeletionResponse; + }; + sdk: { + input: CancelKeyDeletionCommandInput; + output: CancelKeyDeletionCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ConnectCustomKeyStoreCommand.ts b/clients/client-kms/src/commands/ConnectCustomKeyStoreCommand.ts index 745694c4704f..e1ccef478819 100644 --- a/clients/client-kms/src/commands/ConnectCustomKeyStoreCommand.ts +++ b/clients/client-kms/src/commands/ConnectCustomKeyStoreCommand.ts @@ -259,4 +259,16 @@ export class ConnectCustomKeyStoreCommand extends $Command .f(void 0, void 0) .ser(se_ConnectCustomKeyStoreCommand) .de(de_ConnectCustomKeyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConnectCustomKeyStoreRequest; + output: {}; + }; + sdk: { + input: ConnectCustomKeyStoreCommandInput; + output: ConnectCustomKeyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/CreateAliasCommand.ts b/clients/client-kms/src/commands/CreateAliasCommand.ts index 2014bade27c5..915dfe89a97d 100644 --- a/clients/client-kms/src/commands/CreateAliasCommand.ts +++ b/clients/client-kms/src/commands/CreateAliasCommand.ts @@ -190,4 +190,16 @@ export class CreateAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAliasCommand) .de(de_CreateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAliasRequest; + output: {}; + }; + sdk: { + input: CreateAliasCommandInput; + output: CreateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/CreateCustomKeyStoreCommand.ts b/clients/client-kms/src/commands/CreateCustomKeyStoreCommand.ts index c9a33c30fd5f..c556ac3f9401 100644 --- a/clients/client-kms/src/commands/CreateCustomKeyStoreCommand.ts +++ b/clients/client-kms/src/commands/CreateCustomKeyStoreCommand.ts @@ -376,4 +376,16 @@ export class CreateCustomKeyStoreCommand extends $Command .f(CreateCustomKeyStoreRequestFilterSensitiveLog, void 0) .ser(se_CreateCustomKeyStoreCommand) .de(de_CreateCustomKeyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomKeyStoreRequest; + output: CreateCustomKeyStoreResponse; + }; + sdk: { + input: CreateCustomKeyStoreCommandInput; + output: CreateCustomKeyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/CreateGrantCommand.ts b/clients/client-kms/src/commands/CreateGrantCommand.ts index e121e163ea7f..bcfb47ddf2d3 100644 --- a/clients/client-kms/src/commands/CreateGrantCommand.ts +++ b/clients/client-kms/src/commands/CreateGrantCommand.ts @@ -231,4 +231,16 @@ export class CreateGrantCommand extends $Command .f(void 0, void 0) .ser(se_CreateGrantCommand) .de(de_CreateGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGrantRequest; + output: CreateGrantResponse; + }; + sdk: { + input: CreateGrantCommandInput; + output: CreateGrantCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/CreateKeyCommand.ts b/clients/client-kms/src/commands/CreateKeyCommand.ts index adb55e0bf3f1..9ee845d214c7 100644 --- a/clients/client-kms/src/commands/CreateKeyCommand.ts +++ b/clients/client-kms/src/commands/CreateKeyCommand.ts @@ -713,4 +713,16 @@ export class CreateKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreateKeyCommand) .de(de_CreateKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyRequest; + output: CreateKeyResponse; + }; + sdk: { + input: CreateKeyCommandInput; + output: CreateKeyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DecryptCommand.ts b/clients/client-kms/src/commands/DecryptCommand.ts index 2e12bcd6f9c9..24975529b973 100644 --- a/clients/client-kms/src/commands/DecryptCommand.ts +++ b/clients/client-kms/src/commands/DecryptCommand.ts @@ -332,4 +332,16 @@ export class DecryptCommand extends $Command .f(void 0, DecryptResponseFilterSensitiveLog) .ser(se_DecryptCommand) .de(de_DecryptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DecryptRequest; + output: DecryptResponse; + }; + sdk: { + input: DecryptCommandInput; + output: DecryptCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DeleteAliasCommand.ts b/clients/client-kms/src/commands/DeleteAliasCommand.ts index 430be4e2fb24..4b8515de55e2 100644 --- a/clients/client-kms/src/commands/DeleteAliasCommand.ts +++ b/clients/client-kms/src/commands/DeleteAliasCommand.ts @@ -168,4 +168,16 @@ export class DeleteAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAliasCommand) .de(de_DeleteAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAliasRequest; + output: {}; + }; + sdk: { + input: DeleteAliasCommandInput; + output: DeleteAliasCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DeleteCustomKeyStoreCommand.ts b/clients/client-kms/src/commands/DeleteCustomKeyStoreCommand.ts index d583814f3edb..7195608face2 100644 --- a/clients/client-kms/src/commands/DeleteCustomKeyStoreCommand.ts +++ b/clients/client-kms/src/commands/DeleteCustomKeyStoreCommand.ts @@ -197,4 +197,16 @@ export class DeleteCustomKeyStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomKeyStoreCommand) .de(de_DeleteCustomKeyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomKeyStoreRequest; + output: {}; + }; + sdk: { + input: DeleteCustomKeyStoreCommandInput; + output: DeleteCustomKeyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DeleteImportedKeyMaterialCommand.ts b/clients/client-kms/src/commands/DeleteImportedKeyMaterialCommand.ts index b57b69765570..3eac22dbe1a1 100644 --- a/clients/client-kms/src/commands/DeleteImportedKeyMaterialCommand.ts +++ b/clients/client-kms/src/commands/DeleteImportedKeyMaterialCommand.ts @@ -156,4 +156,16 @@ export class DeleteImportedKeyMaterialCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImportedKeyMaterialCommand) .de(de_DeleteImportedKeyMaterialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImportedKeyMaterialRequest; + output: {}; + }; + sdk: { + input: DeleteImportedKeyMaterialCommandInput; + output: DeleteImportedKeyMaterialCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DeriveSharedSecretCommand.ts b/clients/client-kms/src/commands/DeriveSharedSecretCommand.ts index e47947ba25c3..da947e0b203e 100644 --- a/clients/client-kms/src/commands/DeriveSharedSecretCommand.ts +++ b/clients/client-kms/src/commands/DeriveSharedSecretCommand.ts @@ -266,4 +266,16 @@ export class DeriveSharedSecretCommand extends $Command .f(void 0, DeriveSharedSecretResponseFilterSensitiveLog) .ser(se_DeriveSharedSecretCommand) .de(de_DeriveSharedSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeriveSharedSecretRequest; + output: DeriveSharedSecretResponse; + }; + sdk: { + input: DeriveSharedSecretCommandInput; + output: DeriveSharedSecretCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DescribeCustomKeyStoresCommand.ts b/clients/client-kms/src/commands/DescribeCustomKeyStoresCommand.ts index 9ebefaf73892..751f98a8a82b 100644 --- a/clients/client-kms/src/commands/DescribeCustomKeyStoresCommand.ts +++ b/clients/client-kms/src/commands/DescribeCustomKeyStoresCommand.ts @@ -278,4 +278,16 @@ export class DescribeCustomKeyStoresCommand extends $Command .f(void 0, DescribeCustomKeyStoresResponseFilterSensitiveLog) .ser(se_DescribeCustomKeyStoresCommand) .de(de_DescribeCustomKeyStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomKeyStoresRequest; + output: DescribeCustomKeyStoresResponse; + }; + sdk: { + input: DescribeCustomKeyStoresCommandInput; + output: DescribeCustomKeyStoresCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DescribeKeyCommand.ts b/clients/client-kms/src/commands/DescribeKeyCommand.ts index 291690a12d05..892791fffc1e 100644 --- a/clients/client-kms/src/commands/DescribeKeyCommand.ts +++ b/clients/client-kms/src/commands/DescribeKeyCommand.ts @@ -455,4 +455,16 @@ export class DescribeKeyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKeyCommand) .de(de_DescribeKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeyRequest; + output: DescribeKeyResponse; + }; + sdk: { + input: DescribeKeyCommandInput; + output: DescribeKeyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DisableKeyCommand.ts b/clients/client-kms/src/commands/DisableKeyCommand.ts index 139805ba7ac1..da23e1f7ea46 100644 --- a/clients/client-kms/src/commands/DisableKeyCommand.ts +++ b/clients/client-kms/src/commands/DisableKeyCommand.ts @@ -139,4 +139,16 @@ export class DisableKeyCommand extends $Command .f(void 0, void 0) .ser(se_DisableKeyCommand) .de(de_DisableKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableKeyRequest; + output: {}; + }; + sdk: { + input: DisableKeyCommandInput; + output: DisableKeyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DisableKeyRotationCommand.ts b/clients/client-kms/src/commands/DisableKeyRotationCommand.ts index d3c6fead283c..048ab4bc8b7e 100644 --- a/clients/client-kms/src/commands/DisableKeyRotationCommand.ts +++ b/clients/client-kms/src/commands/DisableKeyRotationCommand.ts @@ -174,4 +174,16 @@ export class DisableKeyRotationCommand extends $Command .f(void 0, void 0) .ser(se_DisableKeyRotationCommand) .de(de_DisableKeyRotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableKeyRotationRequest; + output: {}; + }; + sdk: { + input: DisableKeyRotationCommandInput; + output: DisableKeyRotationCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/DisconnectCustomKeyStoreCommand.ts b/clients/client-kms/src/commands/DisconnectCustomKeyStoreCommand.ts index a969b7073993..aa704ab915d3 100644 --- a/clients/client-kms/src/commands/DisconnectCustomKeyStoreCommand.ts +++ b/clients/client-kms/src/commands/DisconnectCustomKeyStoreCommand.ts @@ -184,4 +184,16 @@ export class DisconnectCustomKeyStoreCommand extends $Command .f(void 0, void 0) .ser(se_DisconnectCustomKeyStoreCommand) .de(de_DisconnectCustomKeyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisconnectCustomKeyStoreRequest; + output: {}; + }; + sdk: { + input: DisconnectCustomKeyStoreCommandInput; + output: DisconnectCustomKeyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/EnableKeyCommand.ts b/clients/client-kms/src/commands/EnableKeyCommand.ts index 72d6fd25dfe8..c5ae8635a772 100644 --- a/clients/client-kms/src/commands/EnableKeyCommand.ts +++ b/clients/client-kms/src/commands/EnableKeyCommand.ts @@ -139,4 +139,16 @@ export class EnableKeyCommand extends $Command .f(void 0, void 0) .ser(se_EnableKeyCommand) .de(de_EnableKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableKeyRequest; + output: {}; + }; + sdk: { + input: EnableKeyCommandInput; + output: EnableKeyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/EnableKeyRotationCommand.ts b/clients/client-kms/src/commands/EnableKeyRotationCommand.ts index 3d217f32be98..73002829b291 100644 --- a/clients/client-kms/src/commands/EnableKeyRotationCommand.ts +++ b/clients/client-kms/src/commands/EnableKeyRotationCommand.ts @@ -195,4 +195,16 @@ export class EnableKeyRotationCommand extends $Command .f(void 0, void 0) .ser(se_EnableKeyRotationCommand) .de(de_EnableKeyRotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableKeyRotationRequest; + output: {}; + }; + sdk: { + input: EnableKeyRotationCommandInput; + output: EnableKeyRotationCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/EncryptCommand.ts b/clients/client-kms/src/commands/EncryptCommand.ts index da34e1f5bc71..d9d3879e8d2c 100644 --- a/clients/client-kms/src/commands/EncryptCommand.ts +++ b/clients/client-kms/src/commands/EncryptCommand.ts @@ -305,4 +305,16 @@ export class EncryptCommand extends $Command .f(EncryptRequestFilterSensitiveLog, void 0) .ser(se_EncryptCommand) .de(de_EncryptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EncryptRequest; + output: EncryptResponse; + }; + sdk: { + input: EncryptCommandInput; + output: EncryptCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GenerateDataKeyCommand.ts b/clients/client-kms/src/commands/GenerateDataKeyCommand.ts index c04b4c27dedc..60ac791bf940 100644 --- a/clients/client-kms/src/commands/GenerateDataKeyCommand.ts +++ b/clients/client-kms/src/commands/GenerateDataKeyCommand.ts @@ -312,4 +312,16 @@ export class GenerateDataKeyCommand extends $Command .f(void 0, GenerateDataKeyResponseFilterSensitiveLog) .ser(se_GenerateDataKeyCommand) .de(de_GenerateDataKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateDataKeyRequest; + output: GenerateDataKeyResponse; + }; + sdk: { + input: GenerateDataKeyCommandInput; + output: GenerateDataKeyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GenerateDataKeyPairCommand.ts b/clients/client-kms/src/commands/GenerateDataKeyPairCommand.ts index 824cae852d1e..b6e0af2fc5dc 100644 --- a/clients/client-kms/src/commands/GenerateDataKeyPairCommand.ts +++ b/clients/client-kms/src/commands/GenerateDataKeyPairCommand.ts @@ -300,4 +300,16 @@ export class GenerateDataKeyPairCommand extends $Command .f(void 0, GenerateDataKeyPairResponseFilterSensitiveLog) .ser(se_GenerateDataKeyPairCommand) .de(de_GenerateDataKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateDataKeyPairRequest; + output: GenerateDataKeyPairResponse; + }; + sdk: { + input: GenerateDataKeyPairCommandInput; + output: GenerateDataKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GenerateDataKeyPairWithoutPlaintextCommand.ts b/clients/client-kms/src/commands/GenerateDataKeyPairWithoutPlaintextCommand.ts index 8381bcedcc86..f85ff44778cb 100644 --- a/clients/client-kms/src/commands/GenerateDataKeyPairWithoutPlaintextCommand.ts +++ b/clients/client-kms/src/commands/GenerateDataKeyPairWithoutPlaintextCommand.ts @@ -253,4 +253,16 @@ export class GenerateDataKeyPairWithoutPlaintextCommand extends $Command .f(void 0, void 0) .ser(se_GenerateDataKeyPairWithoutPlaintextCommand) .de(de_GenerateDataKeyPairWithoutPlaintextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateDataKeyPairWithoutPlaintextRequest; + output: GenerateDataKeyPairWithoutPlaintextResponse; + }; + sdk: { + input: GenerateDataKeyPairWithoutPlaintextCommandInput; + output: GenerateDataKeyPairWithoutPlaintextCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GenerateDataKeyWithoutPlaintextCommand.ts b/clients/client-kms/src/commands/GenerateDataKeyWithoutPlaintextCommand.ts index a6d0afba6494..860fcaa39377 100644 --- a/clients/client-kms/src/commands/GenerateDataKeyWithoutPlaintextCommand.ts +++ b/clients/client-kms/src/commands/GenerateDataKeyWithoutPlaintextCommand.ts @@ -252,4 +252,16 @@ export class GenerateDataKeyWithoutPlaintextCommand extends $Command .f(void 0, void 0) .ser(se_GenerateDataKeyWithoutPlaintextCommand) .de(de_GenerateDataKeyWithoutPlaintextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateDataKeyWithoutPlaintextRequest; + output: GenerateDataKeyWithoutPlaintextResponse; + }; + sdk: { + input: GenerateDataKeyWithoutPlaintextCommandInput; + output: GenerateDataKeyWithoutPlaintextCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GenerateMacCommand.ts b/clients/client-kms/src/commands/GenerateMacCommand.ts index 57f6c39b3e3b..9fe349715b83 100644 --- a/clients/client-kms/src/commands/GenerateMacCommand.ts +++ b/clients/client-kms/src/commands/GenerateMacCommand.ts @@ -199,4 +199,16 @@ export class GenerateMacCommand extends $Command .f(GenerateMacRequestFilterSensitiveLog, void 0) .ser(se_GenerateMacCommand) .de(de_GenerateMacCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateMacRequest; + output: GenerateMacResponse; + }; + sdk: { + input: GenerateMacCommandInput; + output: GenerateMacCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GenerateRandomCommand.ts b/clients/client-kms/src/commands/GenerateRandomCommand.ts index 02ac99072a93..c57d73c6c103 100644 --- a/clients/client-kms/src/commands/GenerateRandomCommand.ts +++ b/clients/client-kms/src/commands/GenerateRandomCommand.ts @@ -199,4 +199,16 @@ export class GenerateRandomCommand extends $Command .f(void 0, GenerateRandomResponseFilterSensitiveLog) .ser(se_GenerateRandomCommand) .de(de_GenerateRandomCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateRandomRequest; + output: GenerateRandomResponse; + }; + sdk: { + input: GenerateRandomCommandInput; + output: GenerateRandomCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GetKeyPolicyCommand.ts b/clients/client-kms/src/commands/GetKeyPolicyCommand.ts index 335b1e24be77..aede7fd827bd 100644 --- a/clients/client-kms/src/commands/GetKeyPolicyCommand.ts +++ b/clients/client-kms/src/commands/GetKeyPolicyCommand.ts @@ -142,4 +142,16 @@ export class GetKeyPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyPolicyCommand) .de(de_GetKeyPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyPolicyRequest; + output: GetKeyPolicyResponse; + }; + sdk: { + input: GetKeyPolicyCommandInput; + output: GetKeyPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GetKeyRotationStatusCommand.ts b/clients/client-kms/src/commands/GetKeyRotationStatusCommand.ts index 7c596930ac6b..0ef646e01d1d 100644 --- a/clients/client-kms/src/commands/GetKeyRotationStatusCommand.ts +++ b/clients/client-kms/src/commands/GetKeyRotationStatusCommand.ts @@ -208,4 +208,16 @@ export class GetKeyRotationStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyRotationStatusCommand) .de(de_GetKeyRotationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyRotationStatusRequest; + output: GetKeyRotationStatusResponse; + }; + sdk: { + input: GetKeyRotationStatusCommandInput; + output: GetKeyRotationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GetParametersForImportCommand.ts b/clients/client-kms/src/commands/GetParametersForImportCommand.ts index db3b7a277592..b075694e31e4 100644 --- a/clients/client-kms/src/commands/GetParametersForImportCommand.ts +++ b/clients/client-kms/src/commands/GetParametersForImportCommand.ts @@ -286,4 +286,16 @@ export class GetParametersForImportCommand extends $Command .f(void 0, GetParametersForImportResponseFilterSensitiveLog) .ser(se_GetParametersForImportCommand) .de(de_GetParametersForImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParametersForImportRequest; + output: GetParametersForImportResponse; + }; + sdk: { + input: GetParametersForImportCommandInput; + output: GetParametersForImportCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/GetPublicKeyCommand.ts b/clients/client-kms/src/commands/GetPublicKeyCommand.ts index b295057520e3..9415b6d0451a 100644 --- a/clients/client-kms/src/commands/GetPublicKeyCommand.ts +++ b/clients/client-kms/src/commands/GetPublicKeyCommand.ts @@ -239,4 +239,16 @@ export class GetPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetPublicKeyCommand) .de(de_GetPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicKeyRequest; + output: GetPublicKeyResponse; + }; + sdk: { + input: GetPublicKeyCommandInput; + output: GetPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ImportKeyMaterialCommand.ts b/clients/client-kms/src/commands/ImportKeyMaterialCommand.ts index c1ac9ac474b4..003be2a41bb9 100644 --- a/clients/client-kms/src/commands/ImportKeyMaterialCommand.ts +++ b/clients/client-kms/src/commands/ImportKeyMaterialCommand.ts @@ -272,4 +272,16 @@ export class ImportKeyMaterialCommand extends $Command .f(void 0, void 0) .ser(se_ImportKeyMaterialCommand) .de(de_ImportKeyMaterialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportKeyMaterialRequest; + output: {}; + }; + sdk: { + input: ImportKeyMaterialCommandInput; + output: ImportKeyMaterialCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ListAliasesCommand.ts b/clients/client-kms/src/commands/ListAliasesCommand.ts index 3a79a795c7b2..e2035e6a2e3e 100644 --- a/clients/client-kms/src/commands/ListAliasesCommand.ts +++ b/clients/client-kms/src/commands/ListAliasesCommand.ts @@ -208,4 +208,16 @@ export class ListAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAliasesCommand) .de(de_ListAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAliasesRequest; + output: ListAliasesResponse; + }; + sdk: { + input: ListAliasesCommandInput; + output: ListAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ListGrantsCommand.ts b/clients/client-kms/src/commands/ListGrantsCommand.ts index b2348ebea682..b9d8921cd9d2 100644 --- a/clients/client-kms/src/commands/ListGrantsCommand.ts +++ b/clients/client-kms/src/commands/ListGrantsCommand.ts @@ -263,4 +263,16 @@ export class ListGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListGrantsCommand) .de(de_ListGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGrantsRequest; + output: ListGrantsResponse; + }; + sdk: { + input: ListGrantsCommandInput; + output: ListGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ListKeyPoliciesCommand.ts b/clients/client-kms/src/commands/ListKeyPoliciesCommand.ts index 678d0d6b9939..04a0166ce4f0 100644 --- a/clients/client-kms/src/commands/ListKeyPoliciesCommand.ts +++ b/clients/client-kms/src/commands/ListKeyPoliciesCommand.ts @@ -162,4 +162,16 @@ export class ListKeyPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListKeyPoliciesCommand) .de(de_ListKeyPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeyPoliciesRequest; + output: ListKeyPoliciesResponse; + }; + sdk: { + input: ListKeyPoliciesCommandInput; + output: ListKeyPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ListKeyRotationsCommand.ts b/clients/client-kms/src/commands/ListKeyRotationsCommand.ts index a5ef002268cf..f80e186e09c7 100644 --- a/clients/client-kms/src/commands/ListKeyRotationsCommand.ts +++ b/clients/client-kms/src/commands/ListKeyRotationsCommand.ts @@ -192,4 +192,16 @@ export class ListKeyRotationsCommand extends $Command .f(void 0, void 0) .ser(se_ListKeyRotationsCommand) .de(de_ListKeyRotationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeyRotationsRequest; + output: ListKeyRotationsResponse; + }; + sdk: { + input: ListKeyRotationsCommandInput; + output: ListKeyRotationsCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ListKeysCommand.ts b/clients/client-kms/src/commands/ListKeysCommand.ts index 682fb3255ce8..b7da09e35219 100644 --- a/clients/client-kms/src/commands/ListKeysCommand.ts +++ b/clients/client-kms/src/commands/ListKeysCommand.ts @@ -173,4 +173,16 @@ export class ListKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListKeysCommand) .de(de_ListKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeysRequest; + output: ListKeysResponse; + }; + sdk: { + input: ListKeysCommandInput; + output: ListKeysCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ListResourceTagsCommand.ts b/clients/client-kms/src/commands/ListResourceTagsCommand.ts index c145d5739971..eb463bed6790 100644 --- a/clients/client-kms/src/commands/ListResourceTagsCommand.ts +++ b/clients/client-kms/src/commands/ListResourceTagsCommand.ts @@ -168,4 +168,16 @@ export class ListResourceTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceTagsCommand) .de(de_ListResourceTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceTagsRequest; + output: ListResourceTagsResponse; + }; + sdk: { + input: ListResourceTagsCommandInput; + output: ListResourceTagsCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ListRetirableGrantsCommand.ts b/clients/client-kms/src/commands/ListRetirableGrantsCommand.ts index 614349f57c67..730db286ae5f 100644 --- a/clients/client-kms/src/commands/ListRetirableGrantsCommand.ts +++ b/clients/client-kms/src/commands/ListRetirableGrantsCommand.ts @@ -206,4 +206,16 @@ export class ListRetirableGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListRetirableGrantsCommand) .de(de_ListRetirableGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRetirableGrantsRequest; + output: ListGrantsResponse; + }; + sdk: { + input: ListRetirableGrantsCommandInput; + output: ListRetirableGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/PutKeyPolicyCommand.ts b/clients/client-kms/src/commands/PutKeyPolicyCommand.ts index 6c6296f1e25f..63afb4579533 100644 --- a/clients/client-kms/src/commands/PutKeyPolicyCommand.ts +++ b/clients/client-kms/src/commands/PutKeyPolicyCommand.ts @@ -154,4 +154,16 @@ export class PutKeyPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutKeyPolicyCommand) .de(de_PutKeyPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutKeyPolicyRequest; + output: {}; + }; + sdk: { + input: PutKeyPolicyCommandInput; + output: PutKeyPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ReEncryptCommand.ts b/clients/client-kms/src/commands/ReEncryptCommand.ts index e50ed2f0e523..feb9e76d5706 100644 --- a/clients/client-kms/src/commands/ReEncryptCommand.ts +++ b/clients/client-kms/src/commands/ReEncryptCommand.ts @@ -292,4 +292,16 @@ export class ReEncryptCommand extends $Command .f(void 0, void 0) .ser(se_ReEncryptCommand) .de(de_ReEncryptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReEncryptRequest; + output: ReEncryptResponse; + }; + sdk: { + input: ReEncryptCommandInput; + output: ReEncryptCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ReplicateKeyCommand.ts b/clients/client-kms/src/commands/ReplicateKeyCommand.ts index 381b03430f04..568a4eeabc09 100644 --- a/clients/client-kms/src/commands/ReplicateKeyCommand.ts +++ b/clients/client-kms/src/commands/ReplicateKeyCommand.ts @@ -330,4 +330,16 @@ export class ReplicateKeyCommand extends $Command .f(void 0, void 0) .ser(se_ReplicateKeyCommand) .de(de_ReplicateKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplicateKeyRequest; + output: ReplicateKeyResponse; + }; + sdk: { + input: ReplicateKeyCommandInput; + output: ReplicateKeyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/RetireGrantCommand.ts b/clients/client-kms/src/commands/RetireGrantCommand.ts index cec2450c5305..e131dfa667f6 100644 --- a/clients/client-kms/src/commands/RetireGrantCommand.ts +++ b/clients/client-kms/src/commands/RetireGrantCommand.ts @@ -183,4 +183,16 @@ export class RetireGrantCommand extends $Command .f(void 0, void 0) .ser(se_RetireGrantCommand) .de(de_RetireGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetireGrantRequest; + output: {}; + }; + sdk: { + input: RetireGrantCommandInput; + output: RetireGrantCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/RevokeGrantCommand.ts b/clients/client-kms/src/commands/RevokeGrantCommand.ts index e93883ad3609..dd0c7492f541 100644 --- a/clients/client-kms/src/commands/RevokeGrantCommand.ts +++ b/clients/client-kms/src/commands/RevokeGrantCommand.ts @@ -177,4 +177,16 @@ export class RevokeGrantCommand extends $Command .f(void 0, void 0) .ser(se_RevokeGrantCommand) .de(de_RevokeGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeGrantRequest; + output: {}; + }; + sdk: { + input: RevokeGrantCommandInput; + output: RevokeGrantCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/RotateKeyOnDemandCommand.ts b/clients/client-kms/src/commands/RotateKeyOnDemandCommand.ts index 21da08dbf543..b039bf708ce7 100644 --- a/clients/client-kms/src/commands/RotateKeyOnDemandCommand.ts +++ b/clients/client-kms/src/commands/RotateKeyOnDemandCommand.ts @@ -204,4 +204,16 @@ export class RotateKeyOnDemandCommand extends $Command .f(void 0, void 0) .ser(se_RotateKeyOnDemandCommand) .de(de_RotateKeyOnDemandCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RotateKeyOnDemandRequest; + output: RotateKeyOnDemandResponse; + }; + sdk: { + input: RotateKeyOnDemandCommandInput; + output: RotateKeyOnDemandCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/ScheduleKeyDeletionCommand.ts b/clients/client-kms/src/commands/ScheduleKeyDeletionCommand.ts index cd13e6196901..348d0920f4df 100644 --- a/clients/client-kms/src/commands/ScheduleKeyDeletionCommand.ts +++ b/clients/client-kms/src/commands/ScheduleKeyDeletionCommand.ts @@ -194,4 +194,16 @@ export class ScheduleKeyDeletionCommand extends $Command .f(void 0, void 0) .ser(se_ScheduleKeyDeletionCommand) .de(de_ScheduleKeyDeletionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScheduleKeyDeletionRequest; + output: ScheduleKeyDeletionResponse; + }; + sdk: { + input: ScheduleKeyDeletionCommandInput; + output: ScheduleKeyDeletionCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/SignCommand.ts b/clients/client-kms/src/commands/SignCommand.ts index 8a5f39843409..fde7f1be0c89 100644 --- a/clients/client-kms/src/commands/SignCommand.ts +++ b/clients/client-kms/src/commands/SignCommand.ts @@ -243,4 +243,16 @@ export class SignCommand extends $Command .f(SignRequestFilterSensitiveLog, void 0) .ser(se_SignCommand) .de(de_SignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SignRequest; + output: SignResponse; + }; + sdk: { + input: SignCommandInput; + output: SignCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/TagResourceCommand.ts b/clients/client-kms/src/commands/TagResourceCommand.ts index d3d47306871b..8c3b57282ee0 100644 --- a/clients/client-kms/src/commands/TagResourceCommand.ts +++ b/clients/client-kms/src/commands/TagResourceCommand.ts @@ -186,4 +186,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/UntagResourceCommand.ts b/clients/client-kms/src/commands/UntagResourceCommand.ts index 09c29be3ed5a..17976e392bb2 100644 --- a/clients/client-kms/src/commands/UntagResourceCommand.ts +++ b/clients/client-kms/src/commands/UntagResourceCommand.ts @@ -172,4 +172,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/UpdateAliasCommand.ts b/clients/client-kms/src/commands/UpdateAliasCommand.ts index 79b0f2c265a1..3e4e6797b60b 100644 --- a/clients/client-kms/src/commands/UpdateAliasCommand.ts +++ b/clients/client-kms/src/commands/UpdateAliasCommand.ts @@ -189,4 +189,16 @@ export class UpdateAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAliasCommand) .de(de_UpdateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAliasRequest; + output: {}; + }; + sdk: { + input: UpdateAliasCommandInput; + output: UpdateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/UpdateCustomKeyStoreCommand.ts b/clients/client-kms/src/commands/UpdateCustomKeyStoreCommand.ts index e6a0b9afc3b5..045889d76e1a 100644 --- a/clients/client-kms/src/commands/UpdateCustomKeyStoreCommand.ts +++ b/clients/client-kms/src/commands/UpdateCustomKeyStoreCommand.ts @@ -418,4 +418,16 @@ export class UpdateCustomKeyStoreCommand extends $Command .f(UpdateCustomKeyStoreRequestFilterSensitiveLog, void 0) .ser(se_UpdateCustomKeyStoreCommand) .de(de_UpdateCustomKeyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomKeyStoreRequest; + output: {}; + }; + sdk: { + input: UpdateCustomKeyStoreCommandInput; + output: UpdateCustomKeyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/UpdateKeyDescriptionCommand.ts b/clients/client-kms/src/commands/UpdateKeyDescriptionCommand.ts index 728727de0e86..a0d389e45f5c 100644 --- a/clients/client-kms/src/commands/UpdateKeyDescriptionCommand.ts +++ b/clients/client-kms/src/commands/UpdateKeyDescriptionCommand.ts @@ -148,4 +148,16 @@ export class UpdateKeyDescriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKeyDescriptionCommand) .de(de_UpdateKeyDescriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKeyDescriptionRequest; + output: {}; + }; + sdk: { + input: UpdateKeyDescriptionCommandInput; + output: UpdateKeyDescriptionCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/UpdatePrimaryRegionCommand.ts b/clients/client-kms/src/commands/UpdatePrimaryRegionCommand.ts index d0d89a236f77..b29d5a1237cf 100644 --- a/clients/client-kms/src/commands/UpdatePrimaryRegionCommand.ts +++ b/clients/client-kms/src/commands/UpdatePrimaryRegionCommand.ts @@ -198,4 +198,16 @@ export class UpdatePrimaryRegionCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePrimaryRegionCommand) .de(de_UpdatePrimaryRegionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePrimaryRegionRequest; + output: {}; + }; + sdk: { + input: UpdatePrimaryRegionCommandInput; + output: UpdatePrimaryRegionCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/VerifyCommand.ts b/clients/client-kms/src/commands/VerifyCommand.ts index 5124342402b8..ce9b35d5001e 100644 --- a/clients/client-kms/src/commands/VerifyCommand.ts +++ b/clients/client-kms/src/commands/VerifyCommand.ts @@ -240,4 +240,16 @@ export class VerifyCommand extends $Command .f(VerifyRequestFilterSensitiveLog, void 0) .ser(se_VerifyCommand) .de(de_VerifyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyRequest; + output: VerifyResponse; + }; + sdk: { + input: VerifyCommandInput; + output: VerifyCommandOutput; + }; + }; +} diff --git a/clients/client-kms/src/commands/VerifyMacCommand.ts b/clients/client-kms/src/commands/VerifyMacCommand.ts index fd3a362667f0..a6aede9edf02 100644 --- a/clients/client-kms/src/commands/VerifyMacCommand.ts +++ b/clients/client-kms/src/commands/VerifyMacCommand.ts @@ -198,4 +198,16 @@ export class VerifyMacCommand extends $Command .f(VerifyMacRequestFilterSensitiveLog, void 0) .ser(se_VerifyMacCommand) .de(de_VerifyMacCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyMacRequest; + output: VerifyMacResponse; + }; + sdk: { + input: VerifyMacCommandInput; + output: VerifyMacCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/package.json b/clients/client-lakeformation/package.json index 360477160f9e..7784cd6c67ce 100644 --- a/clients/client-lakeformation/package.json +++ b/clients/client-lakeformation/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-lakeformation/src/commands/AddLFTagsToResourceCommand.ts b/clients/client-lakeformation/src/commands/AddLFTagsToResourceCommand.ts index 0d992722384c..10d62711aa15 100644 --- a/clients/client-lakeformation/src/commands/AddLFTagsToResourceCommand.ts +++ b/clients/client-lakeformation/src/commands/AddLFTagsToResourceCommand.ts @@ -173,4 +173,16 @@ export class AddLFTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddLFTagsToResourceCommand) .de(de_AddLFTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddLFTagsToResourceRequest; + output: AddLFTagsToResourceResponse; + }; + sdk: { + input: AddLFTagsToResourceCommandInput; + output: AddLFTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/AssumeDecoratedRoleWithSAMLCommand.ts b/clients/client-lakeformation/src/commands/AssumeDecoratedRoleWithSAMLCommand.ts index 067271cb194d..dfb1fea45db8 100644 --- a/clients/client-lakeformation/src/commands/AssumeDecoratedRoleWithSAMLCommand.ts +++ b/clients/client-lakeformation/src/commands/AssumeDecoratedRoleWithSAMLCommand.ts @@ -108,4 +108,16 @@ export class AssumeDecoratedRoleWithSAMLCommand extends $Command .f(void 0, void 0) .ser(se_AssumeDecoratedRoleWithSAMLCommand) .de(de_AssumeDecoratedRoleWithSAMLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeDecoratedRoleWithSAMLRequest; + output: AssumeDecoratedRoleWithSAMLResponse; + }; + sdk: { + input: AssumeDecoratedRoleWithSAMLCommandInput; + output: AssumeDecoratedRoleWithSAMLCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/BatchGrantPermissionsCommand.ts b/clients/client-lakeformation/src/commands/BatchGrantPermissionsCommand.ts index d0f3f5ed0ce4..899f0ec0c1d2 100644 --- a/clients/client-lakeformation/src/commands/BatchGrantPermissionsCommand.ts +++ b/clients/client-lakeformation/src/commands/BatchGrantPermissionsCommand.ts @@ -226,4 +226,16 @@ export class BatchGrantPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGrantPermissionsCommand) .de(de_BatchGrantPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGrantPermissionsRequest; + output: BatchGrantPermissionsResponse; + }; + sdk: { + input: BatchGrantPermissionsCommandInput; + output: BatchGrantPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/BatchRevokePermissionsCommand.ts b/clients/client-lakeformation/src/commands/BatchRevokePermissionsCommand.ts index 02e826cb2b41..8656667874a5 100644 --- a/clients/client-lakeformation/src/commands/BatchRevokePermissionsCommand.ts +++ b/clients/client-lakeformation/src/commands/BatchRevokePermissionsCommand.ts @@ -226,4 +226,16 @@ export class BatchRevokePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_BatchRevokePermissionsCommand) .de(de_BatchRevokePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchRevokePermissionsRequest; + output: BatchRevokePermissionsResponse; + }; + sdk: { + input: BatchRevokePermissionsCommandInput; + output: BatchRevokePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/CancelTransactionCommand.ts b/clients/client-lakeformation/src/commands/CancelTransactionCommand.ts index 0463ac39d374..41d254069e13 100644 --- a/clients/client-lakeformation/src/commands/CancelTransactionCommand.ts +++ b/clients/client-lakeformation/src/commands/CancelTransactionCommand.ts @@ -96,4 +96,16 @@ export class CancelTransactionCommand extends $Command .f(void 0, void 0) .ser(se_CancelTransactionCommand) .de(de_CancelTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelTransactionRequest; + output: {}; + }; + sdk: { + input: CancelTransactionCommandInput; + output: CancelTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/CommitTransactionCommand.ts b/clients/client-lakeformation/src/commands/CommitTransactionCommand.ts index 6ba0d06c8448..3e7f0b19c160 100644 --- a/clients/client-lakeformation/src/commands/CommitTransactionCommand.ts +++ b/clients/client-lakeformation/src/commands/CommitTransactionCommand.ts @@ -95,4 +95,16 @@ export class CommitTransactionCommand extends $Command .f(void 0, void 0) .ser(se_CommitTransactionCommand) .de(de_CommitTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CommitTransactionRequest; + output: CommitTransactionResponse; + }; + sdk: { + input: CommitTransactionCommandInput; + output: CommitTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/CreateDataCellsFilterCommand.ts b/clients/client-lakeformation/src/commands/CreateDataCellsFilterCommand.ts index 6682891ef9a0..81203314eb5d 100644 --- a/clients/client-lakeformation/src/commands/CreateDataCellsFilterCommand.ts +++ b/clients/client-lakeformation/src/commands/CreateDataCellsFilterCommand.ts @@ -114,4 +114,16 @@ export class CreateDataCellsFilterCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataCellsFilterCommand) .de(de_CreateDataCellsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataCellsFilterRequest; + output: {}; + }; + sdk: { + input: CreateDataCellsFilterCommandInput; + output: CreateDataCellsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/CreateLFTagCommand.ts b/clients/client-lakeformation/src/commands/CreateLFTagCommand.ts index 4261b628ab0b..46f772cfe858 100644 --- a/clients/client-lakeformation/src/commands/CreateLFTagCommand.ts +++ b/clients/client-lakeformation/src/commands/CreateLFTagCommand.ts @@ -97,4 +97,16 @@ export class CreateLFTagCommand extends $Command .f(void 0, void 0) .ser(se_CreateLFTagCommand) .de(de_CreateLFTagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLFTagRequest; + output: {}; + }; + sdk: { + input: CreateLFTagCommandInput; + output: CreateLFTagCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/CreateLakeFormationIdentityCenterConfigurationCommand.ts b/clients/client-lakeformation/src/commands/CreateLakeFormationIdentityCenterConfigurationCommand.ts index 20f7b2f36313..89dea8e5a958 100644 --- a/clients/client-lakeformation/src/commands/CreateLakeFormationIdentityCenterConfigurationCommand.ts +++ b/clients/client-lakeformation/src/commands/CreateLakeFormationIdentityCenterConfigurationCommand.ts @@ -116,4 +116,16 @@ export class CreateLakeFormationIdentityCenterConfigurationCommand extends $Comm .f(void 0, void 0) .ser(se_CreateLakeFormationIdentityCenterConfigurationCommand) .de(de_CreateLakeFormationIdentityCenterConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLakeFormationIdentityCenterConfigurationRequest; + output: CreateLakeFormationIdentityCenterConfigurationResponse; + }; + sdk: { + input: CreateLakeFormationIdentityCenterConfigurationCommandInput; + output: CreateLakeFormationIdentityCenterConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/CreateLakeFormationOptInCommand.ts b/clients/client-lakeformation/src/commands/CreateLakeFormationOptInCommand.ts index 928ba45334bc..6d5988ac2827 100644 --- a/clients/client-lakeformation/src/commands/CreateLakeFormationOptInCommand.ts +++ b/clients/client-lakeformation/src/commands/CreateLakeFormationOptInCommand.ts @@ -150,4 +150,16 @@ export class CreateLakeFormationOptInCommand extends $Command .f(void 0, void 0) .ser(se_CreateLakeFormationOptInCommand) .de(de_CreateLakeFormationOptInCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLakeFormationOptInRequest; + output: {}; + }; + sdk: { + input: CreateLakeFormationOptInCommandInput; + output: CreateLakeFormationOptInCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DeleteDataCellsFilterCommand.ts b/clients/client-lakeformation/src/commands/DeleteDataCellsFilterCommand.ts index 501d4a842611..aafa0797ed0c 100644 --- a/clients/client-lakeformation/src/commands/DeleteDataCellsFilterCommand.ts +++ b/clients/client-lakeformation/src/commands/DeleteDataCellsFilterCommand.ts @@ -93,4 +93,16 @@ export class DeleteDataCellsFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataCellsFilterCommand) .de(de_DeleteDataCellsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataCellsFilterRequest; + output: {}; + }; + sdk: { + input: DeleteDataCellsFilterCommandInput; + output: DeleteDataCellsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DeleteLFTagCommand.ts b/clients/client-lakeformation/src/commands/DeleteLFTagCommand.ts index f4a329aed761..81a2920bca28 100644 --- a/clients/client-lakeformation/src/commands/DeleteLFTagCommand.ts +++ b/clients/client-lakeformation/src/commands/DeleteLFTagCommand.ts @@ -91,4 +91,16 @@ export class DeleteLFTagCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLFTagCommand) .de(de_DeleteLFTagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLFTagRequest; + output: {}; + }; + sdk: { + input: DeleteLFTagCommandInput; + output: DeleteLFTagCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DeleteLakeFormationIdentityCenterConfigurationCommand.ts b/clients/client-lakeformation/src/commands/DeleteLakeFormationIdentityCenterConfigurationCommand.ts index 2bc6006b99fc..be78e817252b 100644 --- a/clients/client-lakeformation/src/commands/DeleteLakeFormationIdentityCenterConfigurationCommand.ts +++ b/clients/client-lakeformation/src/commands/DeleteLakeFormationIdentityCenterConfigurationCommand.ts @@ -102,4 +102,16 @@ export class DeleteLakeFormationIdentityCenterConfigurationCommand extends $Comm .f(void 0, void 0) .ser(se_DeleteLakeFormationIdentityCenterConfigurationCommand) .de(de_DeleteLakeFormationIdentityCenterConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLakeFormationIdentityCenterConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteLakeFormationIdentityCenterConfigurationCommandInput; + output: DeleteLakeFormationIdentityCenterConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DeleteLakeFormationOptInCommand.ts b/clients/client-lakeformation/src/commands/DeleteLakeFormationOptInCommand.ts index f1459c60dd65..218766608a0d 100644 --- a/clients/client-lakeformation/src/commands/DeleteLakeFormationOptInCommand.ts +++ b/clients/client-lakeformation/src/commands/DeleteLakeFormationOptInCommand.ts @@ -150,4 +150,16 @@ export class DeleteLakeFormationOptInCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLakeFormationOptInCommand) .de(de_DeleteLakeFormationOptInCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLakeFormationOptInRequest; + output: {}; + }; + sdk: { + input: DeleteLakeFormationOptInCommandInput; + output: DeleteLakeFormationOptInCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DeleteObjectsOnCancelCommand.ts b/clients/client-lakeformation/src/commands/DeleteObjectsOnCancelCommand.ts index e09668ec8f45..3e652735bc11 100644 --- a/clients/client-lakeformation/src/commands/DeleteObjectsOnCancelCommand.ts +++ b/clients/client-lakeformation/src/commands/DeleteObjectsOnCancelCommand.ts @@ -115,4 +115,16 @@ export class DeleteObjectsOnCancelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteObjectsOnCancelCommand) .de(de_DeleteObjectsOnCancelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteObjectsOnCancelRequest; + output: {}; + }; + sdk: { + input: DeleteObjectsOnCancelCommandInput; + output: DeleteObjectsOnCancelCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DeregisterResourceCommand.ts b/clients/client-lakeformation/src/commands/DeregisterResourceCommand.ts index ea2589055cb4..a59c85b1ccf5 100644 --- a/clients/client-lakeformation/src/commands/DeregisterResourceCommand.ts +++ b/clients/client-lakeformation/src/commands/DeregisterResourceCommand.ts @@ -88,4 +88,16 @@ export class DeregisterResourceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterResourceCommand) .de(de_DeregisterResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterResourceRequest; + output: {}; + }; + sdk: { + input: DeregisterResourceCommandInput; + output: DeregisterResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DescribeLakeFormationIdentityCenterConfigurationCommand.ts b/clients/client-lakeformation/src/commands/DescribeLakeFormationIdentityCenterConfigurationCommand.ts index 6ac45a5c5787..f7e6b6cc5eda 100644 --- a/clients/client-lakeformation/src/commands/DescribeLakeFormationIdentityCenterConfigurationCommand.ts +++ b/clients/client-lakeformation/src/commands/DescribeLakeFormationIdentityCenterConfigurationCommand.ts @@ -115,4 +115,16 @@ export class DescribeLakeFormationIdentityCenterConfigurationCommand extends $Co .f(void 0, void 0) .ser(se_DescribeLakeFormationIdentityCenterConfigurationCommand) .de(de_DescribeLakeFormationIdentityCenterConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLakeFormationIdentityCenterConfigurationRequest; + output: DescribeLakeFormationIdentityCenterConfigurationResponse; + }; + sdk: { + input: DescribeLakeFormationIdentityCenterConfigurationCommandInput; + output: DescribeLakeFormationIdentityCenterConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DescribeResourceCommand.ts b/clients/client-lakeformation/src/commands/DescribeResourceCommand.ts index 581fb06c32fd..46c71335ba2d 100644 --- a/clients/client-lakeformation/src/commands/DescribeResourceCommand.ts +++ b/clients/client-lakeformation/src/commands/DescribeResourceCommand.ts @@ -95,4 +95,16 @@ export class DescribeResourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourceCommand) .de(de_DescribeResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourceRequest; + output: DescribeResourceResponse; + }; + sdk: { + input: DescribeResourceCommandInput; + output: DescribeResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/DescribeTransactionCommand.ts b/clients/client-lakeformation/src/commands/DescribeTransactionCommand.ts index 6435e5d43d82..1ff6e99787e4 100644 --- a/clients/client-lakeformation/src/commands/DescribeTransactionCommand.ts +++ b/clients/client-lakeformation/src/commands/DescribeTransactionCommand.ts @@ -94,4 +94,16 @@ export class DescribeTransactionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransactionCommand) .de(de_DescribeTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransactionRequest; + output: DescribeTransactionResponse; + }; + sdk: { + input: DescribeTransactionCommandInput; + output: DescribeTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ExtendTransactionCommand.ts b/clients/client-lakeformation/src/commands/ExtendTransactionCommand.ts index 36cd41616739..4537ae629dec 100644 --- a/clients/client-lakeformation/src/commands/ExtendTransactionCommand.ts +++ b/clients/client-lakeformation/src/commands/ExtendTransactionCommand.ts @@ -97,4 +97,16 @@ export class ExtendTransactionCommand extends $Command .f(void 0, void 0) .ser(se_ExtendTransactionCommand) .de(de_ExtendTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExtendTransactionRequest; + output: {}; + }; + sdk: { + input: ExtendTransactionCommandInput; + output: ExtendTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetDataCellsFilterCommand.ts b/clients/client-lakeformation/src/commands/GetDataCellsFilterCommand.ts index 9f2824dfb3d4..ecd31a0c4db6 100644 --- a/clients/client-lakeformation/src/commands/GetDataCellsFilterCommand.ts +++ b/clients/client-lakeformation/src/commands/GetDataCellsFilterCommand.ts @@ -113,4 +113,16 @@ export class GetDataCellsFilterCommand extends $Command .f(void 0, void 0) .ser(se_GetDataCellsFilterCommand) .de(de_GetDataCellsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataCellsFilterRequest; + output: GetDataCellsFilterResponse; + }; + sdk: { + input: GetDataCellsFilterCommandInput; + output: GetDataCellsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetDataLakePrincipalCommand.ts b/clients/client-lakeformation/src/commands/GetDataLakePrincipalCommand.ts index ae43cc95542f..461566f2d8d4 100644 --- a/clients/client-lakeformation/src/commands/GetDataLakePrincipalCommand.ts +++ b/clients/client-lakeformation/src/commands/GetDataLakePrincipalCommand.ts @@ -84,4 +84,16 @@ export class GetDataLakePrincipalCommand extends $Command .f(void 0, void 0) .ser(se_GetDataLakePrincipalCommand) .de(de_GetDataLakePrincipalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDataLakePrincipalResponse; + }; + sdk: { + input: GetDataLakePrincipalCommandInput; + output: GetDataLakePrincipalCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetDataLakeSettingsCommand.ts b/clients/client-lakeformation/src/commands/GetDataLakeSettingsCommand.ts index 9902771cf90c..64123579f8d6 100644 --- a/clients/client-lakeformation/src/commands/GetDataLakeSettingsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetDataLakeSettingsCommand.ts @@ -133,4 +133,16 @@ export class GetDataLakeSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetDataLakeSettingsCommand) .de(de_GetDataLakeSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataLakeSettingsRequest; + output: GetDataLakeSettingsResponse; + }; + sdk: { + input: GetDataLakeSettingsCommandInput; + output: GetDataLakeSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetEffectivePermissionsForPathCommand.ts b/clients/client-lakeformation/src/commands/GetEffectivePermissionsForPathCommand.ts index 6785f69ae0e5..f724c6233fe0 100644 --- a/clients/client-lakeformation/src/commands/GetEffectivePermissionsForPathCommand.ts +++ b/clients/client-lakeformation/src/commands/GetEffectivePermissionsForPathCommand.ts @@ -173,4 +173,16 @@ export class GetEffectivePermissionsForPathCommand extends $Command .f(void 0, void 0) .ser(se_GetEffectivePermissionsForPathCommand) .de(de_GetEffectivePermissionsForPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEffectivePermissionsForPathRequest; + output: GetEffectivePermissionsForPathResponse; + }; + sdk: { + input: GetEffectivePermissionsForPathCommandInput; + output: GetEffectivePermissionsForPathCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetLFTagCommand.ts b/clients/client-lakeformation/src/commands/GetLFTagCommand.ts index 7e870a8c23ca..635c4a3bd17b 100644 --- a/clients/client-lakeformation/src/commands/GetLFTagCommand.ts +++ b/clients/client-lakeformation/src/commands/GetLFTagCommand.ts @@ -97,4 +97,16 @@ export class GetLFTagCommand extends $Command .f(void 0, void 0) .ser(se_GetLFTagCommand) .de(de_GetLFTagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLFTagRequest; + output: GetLFTagResponse; + }; + sdk: { + input: GetLFTagCommandInput; + output: GetLFTagCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetQueryStateCommand.ts b/clients/client-lakeformation/src/commands/GetQueryStateCommand.ts index a816c0233a81..0390b0de65cb 100644 --- a/clients/client-lakeformation/src/commands/GetQueryStateCommand.ts +++ b/clients/client-lakeformation/src/commands/GetQueryStateCommand.ts @@ -87,4 +87,16 @@ export class GetQueryStateCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryStateCommand) .de(de_GetQueryStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryStateRequest; + output: GetQueryStateResponse; + }; + sdk: { + input: GetQueryStateCommandInput; + output: GetQueryStateCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetQueryStatisticsCommand.ts b/clients/client-lakeformation/src/commands/GetQueryStatisticsCommand.ts index 0c7d538c5531..d645f0091cad 100644 --- a/clients/client-lakeformation/src/commands/GetQueryStatisticsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetQueryStatisticsCommand.ts @@ -106,4 +106,16 @@ export class GetQueryStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryStatisticsCommand) .de(de_GetQueryStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryStatisticsRequest; + output: GetQueryStatisticsResponse; + }; + sdk: { + input: GetQueryStatisticsCommandInput; + output: GetQueryStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetResourceLFTagsCommand.ts b/clients/client-lakeformation/src/commands/GetResourceLFTagsCommand.ts index 92b9c6674b8e..cbff7c14f835 100644 --- a/clients/client-lakeformation/src/commands/GetResourceLFTagsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetResourceLFTagsCommand.ts @@ -182,4 +182,16 @@ export class GetResourceLFTagsCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceLFTagsCommand) .de(de_GetResourceLFTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceLFTagsRequest; + output: GetResourceLFTagsResponse; + }; + sdk: { + input: GetResourceLFTagsCommandInput; + output: GetResourceLFTagsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetTableObjectsCommand.ts b/clients/client-lakeformation/src/commands/GetTableObjectsCommand.ts index 229ff9af3219..1edcf65678c0 100644 --- a/clients/client-lakeformation/src/commands/GetTableObjectsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetTableObjectsCommand.ts @@ -119,4 +119,16 @@ export class GetTableObjectsCommand extends $Command .f(void 0, void 0) .ser(se_GetTableObjectsCommand) .de(de_GetTableObjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableObjectsRequest; + output: GetTableObjectsResponse; + }; + sdk: { + input: GetTableObjectsCommandInput; + output: GetTableObjectsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetTemporaryGluePartitionCredentialsCommand.ts b/clients/client-lakeformation/src/commands/GetTemporaryGluePartitionCredentialsCommand.ts index 4a6c49eda32d..7e6b57904418 100644 --- a/clients/client-lakeformation/src/commands/GetTemporaryGluePartitionCredentialsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetTemporaryGluePartitionCredentialsCommand.ts @@ -121,4 +121,16 @@ export class GetTemporaryGluePartitionCredentialsCommand extends $Command .f(void 0, void 0) .ser(se_GetTemporaryGluePartitionCredentialsCommand) .de(de_GetTemporaryGluePartitionCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemporaryGluePartitionCredentialsRequest; + output: GetTemporaryGluePartitionCredentialsResponse; + }; + sdk: { + input: GetTemporaryGluePartitionCredentialsCommandInput; + output: GetTemporaryGluePartitionCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetTemporaryGlueTableCredentialsCommand.ts b/clients/client-lakeformation/src/commands/GetTemporaryGlueTableCredentialsCommand.ts index d82f9a78e2a7..7c9d2d1add05 100644 --- a/clients/client-lakeformation/src/commands/GetTemporaryGlueTableCredentialsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetTemporaryGlueTableCredentialsCommand.ts @@ -126,4 +126,16 @@ export class GetTemporaryGlueTableCredentialsCommand extends $Command .f(void 0, void 0) .ser(se_GetTemporaryGlueTableCredentialsCommand) .de(de_GetTemporaryGlueTableCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemporaryGlueTableCredentialsRequest; + output: GetTemporaryGlueTableCredentialsResponse; + }; + sdk: { + input: GetTemporaryGlueTableCredentialsCommandInput; + output: GetTemporaryGlueTableCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetWorkUnitResultsCommand.ts b/clients/client-lakeformation/src/commands/GetWorkUnitResultsCommand.ts index 6a5b6e530098..d6be8cb6dedd 100644 --- a/clients/client-lakeformation/src/commands/GetWorkUnitResultsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetWorkUnitResultsCommand.ts @@ -103,4 +103,16 @@ export class GetWorkUnitResultsCommand extends $Command .f(GetWorkUnitResultsRequestFilterSensitiveLog, GetWorkUnitResultsResponseFilterSensitiveLog) .ser(se_GetWorkUnitResultsCommand) .de(de_GetWorkUnitResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkUnitResultsRequest; + output: GetWorkUnitResultsResponse; + }; + sdk: { + input: GetWorkUnitResultsCommandInput; + output: GetWorkUnitResultsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GetWorkUnitsCommand.ts b/clients/client-lakeformation/src/commands/GetWorkUnitsCommand.ts index d1c7465539b8..c99cb200e6c2 100644 --- a/clients/client-lakeformation/src/commands/GetWorkUnitsCommand.ts +++ b/clients/client-lakeformation/src/commands/GetWorkUnitsCommand.ts @@ -102,4 +102,16 @@ export class GetWorkUnitsCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkUnitsCommand) .de(de_GetWorkUnitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkUnitsRequest; + output: GetWorkUnitsResponse; + }; + sdk: { + input: GetWorkUnitsCommandInput; + output: GetWorkUnitsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/GrantPermissionsCommand.ts b/clients/client-lakeformation/src/commands/GrantPermissionsCommand.ts index 5e44a4271ef1..1c79a01ced27 100644 --- a/clients/client-lakeformation/src/commands/GrantPermissionsCommand.ts +++ b/clients/client-lakeformation/src/commands/GrantPermissionsCommand.ts @@ -149,4 +149,16 @@ export class GrantPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_GrantPermissionsCommand) .de(de_GrantPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GrantPermissionsRequest; + output: {}; + }; + sdk: { + input: GrantPermissionsCommandInput; + output: GrantPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ListDataCellsFilterCommand.ts b/clients/client-lakeformation/src/commands/ListDataCellsFilterCommand.ts index 844d1ee8bd1f..b0c7c2b0db5e 100644 --- a/clients/client-lakeformation/src/commands/ListDataCellsFilterCommand.ts +++ b/clients/client-lakeformation/src/commands/ListDataCellsFilterCommand.ts @@ -117,4 +117,16 @@ export class ListDataCellsFilterCommand extends $Command .f(void 0, void 0) .ser(se_ListDataCellsFilterCommand) .de(de_ListDataCellsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataCellsFilterRequest; + output: ListDataCellsFilterResponse; + }; + sdk: { + input: ListDataCellsFilterCommandInput; + output: ListDataCellsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ListLFTagsCommand.ts b/clients/client-lakeformation/src/commands/ListLFTagsCommand.ts index 79107d4cc675..1ea42a2cdee2 100644 --- a/clients/client-lakeformation/src/commands/ListLFTagsCommand.ts +++ b/clients/client-lakeformation/src/commands/ListLFTagsCommand.ts @@ -104,4 +104,16 @@ export class ListLFTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListLFTagsCommand) .de(de_ListLFTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLFTagsRequest; + output: ListLFTagsResponse; + }; + sdk: { + input: ListLFTagsCommandInput; + output: ListLFTagsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ListLakeFormationOptInsCommand.ts b/clients/client-lakeformation/src/commands/ListLakeFormationOptInsCommand.ts index b7cff21eb5b0..1722e8657fc7 100644 --- a/clients/client-lakeformation/src/commands/ListLakeFormationOptInsCommand.ts +++ b/clients/client-lakeformation/src/commands/ListLakeFormationOptInsCommand.ts @@ -212,4 +212,16 @@ export class ListLakeFormationOptInsCommand extends $Command .f(void 0, void 0) .ser(se_ListLakeFormationOptInsCommand) .de(de_ListLakeFormationOptInsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLakeFormationOptInsRequest; + output: ListLakeFormationOptInsResponse; + }; + sdk: { + input: ListLakeFormationOptInsCommandInput; + output: ListLakeFormationOptInsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ListPermissionsCommand.ts b/clients/client-lakeformation/src/commands/ListPermissionsCommand.ts index 5bd890640e75..cdf840930ffd 100644 --- a/clients/client-lakeformation/src/commands/ListPermissionsCommand.ts +++ b/clients/client-lakeformation/src/commands/ListPermissionsCommand.ts @@ -225,4 +225,16 @@ export class ListPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionsCommand) .de(de_ListPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionsRequest; + output: ListPermissionsResponse; + }; + sdk: { + input: ListPermissionsCommandInput; + output: ListPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ListResourcesCommand.ts b/clients/client-lakeformation/src/commands/ListResourcesCommand.ts index 6c2f312f2557..8a3cf42261ab 100644 --- a/clients/client-lakeformation/src/commands/ListResourcesCommand.ts +++ b/clients/client-lakeformation/src/commands/ListResourcesCommand.ts @@ -105,4 +105,16 @@ export class ListResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesCommand) .de(de_ListResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesRequest; + output: ListResourcesResponse; + }; + sdk: { + input: ListResourcesCommandInput; + output: ListResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ListTableStorageOptimizersCommand.ts b/clients/client-lakeformation/src/commands/ListTableStorageOptimizersCommand.ts index 4200ef392e45..b09d172fd007 100644 --- a/clients/client-lakeformation/src/commands/ListTableStorageOptimizersCommand.ts +++ b/clients/client-lakeformation/src/commands/ListTableStorageOptimizersCommand.ts @@ -105,4 +105,16 @@ export class ListTableStorageOptimizersCommand extends $Command .f(void 0, void 0) .ser(se_ListTableStorageOptimizersCommand) .de(de_ListTableStorageOptimizersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTableStorageOptimizersRequest; + output: ListTableStorageOptimizersResponse; + }; + sdk: { + input: ListTableStorageOptimizersCommandInput; + output: ListTableStorageOptimizersCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/ListTransactionsCommand.ts b/clients/client-lakeformation/src/commands/ListTransactionsCommand.ts index f24f682196a0..42253fc329fd 100644 --- a/clients/client-lakeformation/src/commands/ListTransactionsCommand.ts +++ b/clients/client-lakeformation/src/commands/ListTransactionsCommand.ts @@ -98,4 +98,16 @@ export class ListTransactionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTransactionsCommand) .de(de_ListTransactionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTransactionsRequest; + output: ListTransactionsResponse; + }; + sdk: { + input: ListTransactionsCommandInput; + output: ListTransactionsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/PutDataLakeSettingsCommand.ts b/clients/client-lakeformation/src/commands/PutDataLakeSettingsCommand.ts index 61f003cfd2db..f00c9c99c35e 100644 --- a/clients/client-lakeformation/src/commands/PutDataLakeSettingsCommand.ts +++ b/clients/client-lakeformation/src/commands/PutDataLakeSettingsCommand.ts @@ -130,4 +130,16 @@ export class PutDataLakeSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutDataLakeSettingsCommand) .de(de_PutDataLakeSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDataLakeSettingsRequest; + output: {}; + }; + sdk: { + input: PutDataLakeSettingsCommandInput; + output: PutDataLakeSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/RegisterResourceCommand.ts b/clients/client-lakeformation/src/commands/RegisterResourceCommand.ts index fc04dcce683d..1e5a35729a97 100644 --- a/clients/client-lakeformation/src/commands/RegisterResourceCommand.ts +++ b/clients/client-lakeformation/src/commands/RegisterResourceCommand.ts @@ -110,4 +110,16 @@ export class RegisterResourceCommand extends $Command .f(void 0, void 0) .ser(se_RegisterResourceCommand) .de(de_RegisterResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterResourceRequest; + output: {}; + }; + sdk: { + input: RegisterResourceCommandInput; + output: RegisterResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/RemoveLFTagsFromResourceCommand.ts b/clients/client-lakeformation/src/commands/RemoveLFTagsFromResourceCommand.ts index 8c6e7a1bfa85..57cd56336965 100644 --- a/clients/client-lakeformation/src/commands/RemoveLFTagsFromResourceCommand.ts +++ b/clients/client-lakeformation/src/commands/RemoveLFTagsFromResourceCommand.ts @@ -176,4 +176,16 @@ export class RemoveLFTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveLFTagsFromResourceCommand) .de(de_RemoveLFTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveLFTagsFromResourceRequest; + output: RemoveLFTagsFromResourceResponse; + }; + sdk: { + input: RemoveLFTagsFromResourceCommandInput; + output: RemoveLFTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/RevokePermissionsCommand.ts b/clients/client-lakeformation/src/commands/RevokePermissionsCommand.ts index baf89a2f9b53..0fa65f19bca9 100644 --- a/clients/client-lakeformation/src/commands/RevokePermissionsCommand.ts +++ b/clients/client-lakeformation/src/commands/RevokePermissionsCommand.ts @@ -148,4 +148,16 @@ export class RevokePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_RevokePermissionsCommand) .de(de_RevokePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokePermissionsRequest; + output: {}; + }; + sdk: { + input: RevokePermissionsCommandInput; + output: RevokePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/SearchDatabasesByLFTagsCommand.ts b/clients/client-lakeformation/src/commands/SearchDatabasesByLFTagsCommand.ts index 1e2a6bbd64cc..c2c1d7f78f75 100644 --- a/clients/client-lakeformation/src/commands/SearchDatabasesByLFTagsCommand.ts +++ b/clients/client-lakeformation/src/commands/SearchDatabasesByLFTagsCommand.ts @@ -122,4 +122,16 @@ export class SearchDatabasesByLFTagsCommand extends $Command .f(void 0, void 0) .ser(se_SearchDatabasesByLFTagsCommand) .de(de_SearchDatabasesByLFTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchDatabasesByLFTagsRequest; + output: SearchDatabasesByLFTagsResponse; + }; + sdk: { + input: SearchDatabasesByLFTagsCommandInput; + output: SearchDatabasesByLFTagsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/SearchTablesByLFTagsCommand.ts b/clients/client-lakeformation/src/commands/SearchTablesByLFTagsCommand.ts index 5926ae3cc0c4..1b107ec97d56 100644 --- a/clients/client-lakeformation/src/commands/SearchTablesByLFTagsCommand.ts +++ b/clients/client-lakeformation/src/commands/SearchTablesByLFTagsCommand.ts @@ -147,4 +147,16 @@ export class SearchTablesByLFTagsCommand extends $Command .f(void 0, void 0) .ser(se_SearchTablesByLFTagsCommand) .de(de_SearchTablesByLFTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchTablesByLFTagsRequest; + output: SearchTablesByLFTagsResponse; + }; + sdk: { + input: SearchTablesByLFTagsCommandInput; + output: SearchTablesByLFTagsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/StartQueryPlanningCommand.ts b/clients/client-lakeformation/src/commands/StartQueryPlanningCommand.ts index 4611d8b6eb9f..682467572fb5 100644 --- a/clients/client-lakeformation/src/commands/StartQueryPlanningCommand.ts +++ b/clients/client-lakeformation/src/commands/StartQueryPlanningCommand.ts @@ -103,4 +103,16 @@ export class StartQueryPlanningCommand extends $Command .f(StartQueryPlanningRequestFilterSensitiveLog, void 0) .ser(se_StartQueryPlanningCommand) .de(de_StartQueryPlanningCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartQueryPlanningRequest; + output: StartQueryPlanningResponse; + }; + sdk: { + input: StartQueryPlanningCommandInput; + output: StartQueryPlanningCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/StartTransactionCommand.ts b/clients/client-lakeformation/src/commands/StartTransactionCommand.ts index 013e1a5eef1b..b99b6b8865ac 100644 --- a/clients/client-lakeformation/src/commands/StartTransactionCommand.ts +++ b/clients/client-lakeformation/src/commands/StartTransactionCommand.ts @@ -83,4 +83,16 @@ export class StartTransactionCommand extends $Command .f(void 0, void 0) .ser(se_StartTransactionCommand) .de(de_StartTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTransactionRequest; + output: StartTransactionResponse; + }; + sdk: { + input: StartTransactionCommandInput; + output: StartTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/UpdateDataCellsFilterCommand.ts b/clients/client-lakeformation/src/commands/UpdateDataCellsFilterCommand.ts index e29f788f47a0..5e44d3c35372 100644 --- a/clients/client-lakeformation/src/commands/UpdateDataCellsFilterCommand.ts +++ b/clients/client-lakeformation/src/commands/UpdateDataCellsFilterCommand.ts @@ -111,4 +111,16 @@ export class UpdateDataCellsFilterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataCellsFilterCommand) .de(de_UpdateDataCellsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataCellsFilterRequest; + output: {}; + }; + sdk: { + input: UpdateDataCellsFilterCommandInput; + output: UpdateDataCellsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/UpdateLFTagCommand.ts b/clients/client-lakeformation/src/commands/UpdateLFTagCommand.ts index 373a16e8ce83..df3cc7d097f2 100644 --- a/clients/client-lakeformation/src/commands/UpdateLFTagCommand.ts +++ b/clients/client-lakeformation/src/commands/UpdateLFTagCommand.ts @@ -100,4 +100,16 @@ export class UpdateLFTagCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLFTagCommand) .de(de_UpdateLFTagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLFTagRequest; + output: {}; + }; + sdk: { + input: UpdateLFTagCommandInput; + output: UpdateLFTagCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/UpdateLakeFormationIdentityCenterConfigurationCommand.ts b/clients/client-lakeformation/src/commands/UpdateLakeFormationIdentityCenterConfigurationCommand.ts index 4eb2b2f2dc24..2b7fcc44a377 100644 --- a/clients/client-lakeformation/src/commands/UpdateLakeFormationIdentityCenterConfigurationCommand.ts +++ b/clients/client-lakeformation/src/commands/UpdateLakeFormationIdentityCenterConfigurationCommand.ts @@ -114,4 +114,16 @@ export class UpdateLakeFormationIdentityCenterConfigurationCommand extends $Comm .f(void 0, void 0) .ser(se_UpdateLakeFormationIdentityCenterConfigurationCommand) .de(de_UpdateLakeFormationIdentityCenterConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLakeFormationIdentityCenterConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateLakeFormationIdentityCenterConfigurationCommandInput; + output: UpdateLakeFormationIdentityCenterConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/UpdateResourceCommand.ts b/clients/client-lakeformation/src/commands/UpdateResourceCommand.ts index abc4100d526f..e0e4aad94d1d 100644 --- a/clients/client-lakeformation/src/commands/UpdateResourceCommand.ts +++ b/clients/client-lakeformation/src/commands/UpdateResourceCommand.ts @@ -90,4 +90,16 @@ export class UpdateResourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceCommand) .de(de_UpdateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceRequest; + output: {}; + }; + sdk: { + input: UpdateResourceCommandInput; + output: UpdateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/UpdateTableObjectsCommand.ts b/clients/client-lakeformation/src/commands/UpdateTableObjectsCommand.ts index 88127ce2c8f8..f7f7b850dc2c 100644 --- a/clients/client-lakeformation/src/commands/UpdateTableObjectsCommand.ts +++ b/clients/client-lakeformation/src/commands/UpdateTableObjectsCommand.ts @@ -124,4 +124,16 @@ export class UpdateTableObjectsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableObjectsCommand) .de(de_UpdateTableObjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableObjectsRequest; + output: {}; + }; + sdk: { + input: UpdateTableObjectsCommandInput; + output: UpdateTableObjectsCommandOutput; + }; + }; +} diff --git a/clients/client-lakeformation/src/commands/UpdateTableStorageOptimizerCommand.ts b/clients/client-lakeformation/src/commands/UpdateTableStorageOptimizerCommand.ts index a0ba0450793d..034ca7f8af7f 100644 --- a/clients/client-lakeformation/src/commands/UpdateTableStorageOptimizerCommand.ts +++ b/clients/client-lakeformation/src/commands/UpdateTableStorageOptimizerCommand.ts @@ -101,4 +101,16 @@ export class UpdateTableStorageOptimizerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableStorageOptimizerCommand) .de(de_UpdateTableStorageOptimizerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableStorageOptimizerRequest; + output: UpdateTableStorageOptimizerResponse; + }; + sdk: { + input: UpdateTableStorageOptimizerCommandInput; + output: UpdateTableStorageOptimizerCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/package.json b/clients/client-lambda/package.json index e83b88d138f0..4bf8f1bd8c40 100644 --- a/clients/client-lambda/package.json +++ b/clients/client-lambda/package.json @@ -33,36 +33,36 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-lambda/src/commands/AddLayerVersionPermissionCommand.ts b/clients/client-lambda/src/commands/AddLayerVersionPermissionCommand.ts index 2c3302b387fc..583385180a5b 100644 --- a/clients/client-lambda/src/commands/AddLayerVersionPermissionCommand.ts +++ b/clients/client-lambda/src/commands/AddLayerVersionPermissionCommand.ts @@ -120,4 +120,16 @@ export class AddLayerVersionPermissionCommand extends $Command .f(void 0, void 0) .ser(se_AddLayerVersionPermissionCommand) .de(de_AddLayerVersionPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddLayerVersionPermissionRequest; + output: AddLayerVersionPermissionResponse; + }; + sdk: { + input: AddLayerVersionPermissionCommandInput; + output: AddLayerVersionPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/AddPermissionCommand.ts b/clients/client-lambda/src/commands/AddPermissionCommand.ts index 97437ca473a7..c839d3240770 100644 --- a/clients/client-lambda/src/commands/AddPermissionCommand.ts +++ b/clients/client-lambda/src/commands/AddPermissionCommand.ts @@ -130,4 +130,16 @@ export class AddPermissionCommand extends $Command .f(void 0, void 0) .ser(se_AddPermissionCommand) .de(de_AddPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddPermissionRequest; + output: AddPermissionResponse; + }; + sdk: { + input: AddPermissionCommandInput; + output: AddPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/CreateAliasCommand.ts b/clients/client-lambda/src/commands/CreateAliasCommand.ts index 13a0b8e02271..1c0cfa3ec2ff 100644 --- a/clients/client-lambda/src/commands/CreateAliasCommand.ts +++ b/clients/client-lambda/src/commands/CreateAliasCommand.ts @@ -114,4 +114,16 @@ export class CreateAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAliasCommand) .de(de_CreateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAliasRequest; + output: AliasConfiguration; + }; + sdk: { + input: CreateAliasCommandInput; + output: CreateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts index b5b4afa7e110..04cd6b19d84f 100644 --- a/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts @@ -106,4 +106,16 @@ export class CreateCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateCodeSigningConfigCommand) .de(de_CreateCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCodeSigningConfigRequest; + output: CreateCodeSigningConfigResponse; + }; + sdk: { + input: CreateCodeSigningConfigCommandInput; + output: CreateCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts index cf47cdd6efd1..ccc29ab817a3 100644 --- a/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts @@ -339,4 +339,16 @@ export class CreateEventSourceMappingCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventSourceMappingCommand) .de(de_CreateEventSourceMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventSourceMappingRequest; + output: EventSourceMappingConfiguration; + }; + sdk: { + input: CreateEventSourceMappingCommandInput; + output: CreateEventSourceMappingCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/CreateFunctionCommand.ts b/clients/client-lambda/src/commands/CreateFunctionCommand.ts index ad93bad9d141..8a1b149e1720 100644 --- a/clients/client-lambda/src/commands/CreateFunctionCommand.ts +++ b/clients/client-lambda/src/commands/CreateFunctionCommand.ts @@ -321,4 +321,16 @@ export class CreateFunctionCommand extends $Command .f(CreateFunctionRequestFilterSensitiveLog, FunctionConfigurationFilterSensitiveLog) .ser(se_CreateFunctionCommand) .de(de_CreateFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFunctionRequest; + output: FunctionConfiguration; + }; + sdk: { + input: CreateFunctionCommandInput; + output: CreateFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/CreateFunctionUrlConfigCommand.ts b/clients/client-lambda/src/commands/CreateFunctionUrlConfigCommand.ts index 4de393dc0965..e143bcde447c 100644 --- a/clients/client-lambda/src/commands/CreateFunctionUrlConfigCommand.ts +++ b/clients/client-lambda/src/commands/CreateFunctionUrlConfigCommand.ts @@ -132,4 +132,16 @@ export class CreateFunctionUrlConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateFunctionUrlConfigCommand) .de(de_CreateFunctionUrlConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFunctionUrlConfigRequest; + output: CreateFunctionUrlConfigResponse; + }; + sdk: { + input: CreateFunctionUrlConfigCommandInput; + output: CreateFunctionUrlConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteAliasCommand.ts b/clients/client-lambda/src/commands/DeleteAliasCommand.ts index 7a8ace9595b2..e944d2956cbb 100644 --- a/clients/client-lambda/src/commands/DeleteAliasCommand.ts +++ b/clients/client-lambda/src/commands/DeleteAliasCommand.ts @@ -88,4 +88,16 @@ export class DeleteAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAliasCommand) .de(de_DeleteAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAliasRequest; + output: {}; + }; + sdk: { + input: DeleteAliasCommandInput; + output: DeleteAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/DeleteCodeSigningConfigCommand.ts index 6b80202c51a5..56c04ac1ab5e 100644 --- a/clients/client-lambda/src/commands/DeleteCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/DeleteCodeSigningConfigCommand.ts @@ -88,4 +88,16 @@ export class DeleteCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCodeSigningConfigCommand) .de(de_DeleteCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCodeSigningConfigRequest; + output: {}; + }; + sdk: { + input: DeleteCodeSigningConfigCommandInput; + output: DeleteCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts index a203fc1905c5..75139d1cc3ae 100644 --- a/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts @@ -170,4 +170,16 @@ export class DeleteEventSourceMappingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventSourceMappingCommand) .de(de_DeleteEventSourceMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventSourceMappingRequest; + output: EventSourceMappingConfiguration; + }; + sdk: { + input: DeleteEventSourceMappingCommandInput; + output: DeleteEventSourceMappingCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteFunctionCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/DeleteFunctionCodeSigningConfigCommand.ts index bc23a2528e79..708af938e485 100644 --- a/clients/client-lambda/src/commands/DeleteFunctionCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/DeleteFunctionCodeSigningConfigCommand.ts @@ -96,4 +96,16 @@ export class DeleteFunctionCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionCodeSigningConfigCommand) .de(de_DeleteFunctionCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionCodeSigningConfigRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionCodeSigningConfigCommandInput; + output: DeleteFunctionCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteFunctionCommand.ts b/clients/client-lambda/src/commands/DeleteFunctionCommand.ts index 8f925dfb36f8..79572e2ba6ed 100644 --- a/clients/client-lambda/src/commands/DeleteFunctionCommand.ts +++ b/clients/client-lambda/src/commands/DeleteFunctionCommand.ts @@ -95,4 +95,16 @@ export class DeleteFunctionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionCommand) .de(de_DeleteFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionCommandInput; + output: DeleteFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteFunctionConcurrencyCommand.ts b/clients/client-lambda/src/commands/DeleteFunctionConcurrencyCommand.ts index adedf158ee3a..af91659bd932 100644 --- a/clients/client-lambda/src/commands/DeleteFunctionConcurrencyCommand.ts +++ b/clients/client-lambda/src/commands/DeleteFunctionConcurrencyCommand.ts @@ -90,4 +90,16 @@ export class DeleteFunctionConcurrencyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionConcurrencyCommand) .de(de_DeleteFunctionConcurrencyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionConcurrencyRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionConcurrencyCommandInput; + output: DeleteFunctionConcurrencyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteFunctionEventInvokeConfigCommand.ts b/clients/client-lambda/src/commands/DeleteFunctionEventInvokeConfigCommand.ts index ac96b6cb6fb4..445a4a662ffd 100644 --- a/clients/client-lambda/src/commands/DeleteFunctionEventInvokeConfigCommand.ts +++ b/clients/client-lambda/src/commands/DeleteFunctionEventInvokeConfigCommand.ts @@ -95,4 +95,16 @@ export class DeleteFunctionEventInvokeConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionEventInvokeConfigCommand) .de(de_DeleteFunctionEventInvokeConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionEventInvokeConfigRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionEventInvokeConfigCommandInput; + output: DeleteFunctionEventInvokeConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteFunctionUrlConfigCommand.ts b/clients/client-lambda/src/commands/DeleteFunctionUrlConfigCommand.ts index 9064263e196a..bb7edbedab82 100644 --- a/clients/client-lambda/src/commands/DeleteFunctionUrlConfigCommand.ts +++ b/clients/client-lambda/src/commands/DeleteFunctionUrlConfigCommand.ts @@ -89,4 +89,16 @@ export class DeleteFunctionUrlConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFunctionUrlConfigCommand) .de(de_DeleteFunctionUrlConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFunctionUrlConfigRequest; + output: {}; + }; + sdk: { + input: DeleteFunctionUrlConfigCommandInput; + output: DeleteFunctionUrlConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteLayerVersionCommand.ts b/clients/client-lambda/src/commands/DeleteLayerVersionCommand.ts index b24d8f3d4952..4c3b89469088 100644 --- a/clients/client-lambda/src/commands/DeleteLayerVersionCommand.ts +++ b/clients/client-lambda/src/commands/DeleteLayerVersionCommand.ts @@ -84,4 +84,16 @@ export class DeleteLayerVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLayerVersionCommand) .de(de_DeleteLayerVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLayerVersionRequest; + output: {}; + }; + sdk: { + input: DeleteLayerVersionCommandInput; + output: DeleteLayerVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteProvisionedConcurrencyConfigCommand.ts b/clients/client-lambda/src/commands/DeleteProvisionedConcurrencyConfigCommand.ts index 548c98358057..ee78d14496d1 100644 --- a/clients/client-lambda/src/commands/DeleteProvisionedConcurrencyConfigCommand.ts +++ b/clients/client-lambda/src/commands/DeleteProvisionedConcurrencyConfigCommand.ts @@ -94,4 +94,16 @@ export class DeleteProvisionedConcurrencyConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProvisionedConcurrencyConfigCommand) .de(de_DeleteProvisionedConcurrencyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProvisionedConcurrencyConfigRequest; + output: {}; + }; + sdk: { + input: DeleteProvisionedConcurrencyConfigCommandInput; + output: DeleteProvisionedConcurrencyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts index cd42085cf331..438cb8aadc3c 100644 --- a/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts @@ -104,4 +104,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetAccountSettingsCommand.ts b/clients/client-lambda/src/commands/GetAccountSettingsCommand.ts index 350931c7be32..1e1198fc6142 100644 --- a/clients/client-lambda/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-lambda/src/commands/GetAccountSettingsCommand.ts @@ -91,4 +91,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSettingsResponse; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetAliasCommand.ts b/clients/client-lambda/src/commands/GetAliasCommand.ts index ac70844e9054..5c47ea86fe8c 100644 --- a/clients/client-lambda/src/commands/GetAliasCommand.ts +++ b/clients/client-lambda/src/commands/GetAliasCommand.ts @@ -99,4 +99,16 @@ export class GetAliasCommand extends $Command .f(void 0, void 0) .ser(se_GetAliasCommand) .de(de_GetAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAliasRequest; + output: AliasConfiguration; + }; + sdk: { + input: GetAliasCommandInput; + output: GetAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/GetCodeSigningConfigCommand.ts index 3f47339fd3ac..faa2a89053bb 100644 --- a/clients/client-lambda/src/commands/GetCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetCodeSigningConfigCommand.ts @@ -99,4 +99,16 @@ export class GetCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetCodeSigningConfigCommand) .de(de_GetCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCodeSigningConfigRequest; + output: GetCodeSigningConfigResponse; + }; + sdk: { + input: GetCodeSigningConfigCommandInput; + output: GetCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts index 4b7c29110c76..1fdd86fa1f3c 100644 --- a/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts @@ -161,4 +161,16 @@ export class GetEventSourceMappingCommand extends $Command .f(void 0, void 0) .ser(se_GetEventSourceMappingCommand) .de(de_GetEventSourceMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventSourceMappingRequest; + output: EventSourceMappingConfiguration; + }; + sdk: { + input: GetEventSourceMappingCommandInput; + output: GetEventSourceMappingCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetFunctionCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/GetFunctionCodeSigningConfigCommand.ts index 0e8990a7f704..159e70faa13d 100644 --- a/clients/client-lambda/src/commands/GetFunctionCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetFunctionCodeSigningConfigCommand.ts @@ -95,4 +95,16 @@ export class GetFunctionCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionCodeSigningConfigCommand) .de(de_GetFunctionCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionCodeSigningConfigRequest; + output: GetFunctionCodeSigningConfigResponse; + }; + sdk: { + input: GetFunctionCodeSigningConfigCommandInput; + output: GetFunctionCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetFunctionCommand.ts b/clients/client-lambda/src/commands/GetFunctionCommand.ts index 373b40993474..40a3af0d4668 100644 --- a/clients/client-lambda/src/commands/GetFunctionCommand.ts +++ b/clients/client-lambda/src/commands/GetFunctionCommand.ts @@ -206,4 +206,16 @@ export class GetFunctionCommand extends $Command .f(void 0, GetFunctionResponseFilterSensitiveLog) .ser(se_GetFunctionCommand) .de(de_GetFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionRequest; + output: GetFunctionResponse; + }; + sdk: { + input: GetFunctionCommandInput; + output: GetFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetFunctionConcurrencyCommand.ts b/clients/client-lambda/src/commands/GetFunctionConcurrencyCommand.ts index 11e50a5fbad5..d0742d350d83 100644 --- a/clients/client-lambda/src/commands/GetFunctionConcurrencyCommand.ts +++ b/clients/client-lambda/src/commands/GetFunctionConcurrencyCommand.ts @@ -90,4 +90,16 @@ export class GetFunctionConcurrencyCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionConcurrencyCommand) .de(de_GetFunctionConcurrencyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionConcurrencyRequest; + output: GetFunctionConcurrencyResponse; + }; + sdk: { + input: GetFunctionConcurrencyCommandInput; + output: GetFunctionConcurrencyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetFunctionConfigurationCommand.ts b/clients/client-lambda/src/commands/GetFunctionConfigurationCommand.ts index 1464e064d84a..7a2cc4b01d2c 100644 --- a/clients/client-lambda/src/commands/GetFunctionConfigurationCommand.ts +++ b/clients/client-lambda/src/commands/GetFunctionConfigurationCommand.ts @@ -196,4 +196,16 @@ export class GetFunctionConfigurationCommand extends $Command .f(void 0, FunctionConfigurationFilterSensitiveLog) .ser(se_GetFunctionConfigurationCommand) .de(de_GetFunctionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionConfigurationRequest; + output: FunctionConfiguration; + }; + sdk: { + input: GetFunctionConfigurationCommandInput; + output: GetFunctionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetFunctionEventInvokeConfigCommand.ts b/clients/client-lambda/src/commands/GetFunctionEventInvokeConfigCommand.ts index 418ece9cd4e2..ef56f604a942 100644 --- a/clients/client-lambda/src/commands/GetFunctionEventInvokeConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetFunctionEventInvokeConfigCommand.ts @@ -105,4 +105,16 @@ export class GetFunctionEventInvokeConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionEventInvokeConfigCommand) .de(de_GetFunctionEventInvokeConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionEventInvokeConfigRequest; + output: FunctionEventInvokeConfig; + }; + sdk: { + input: GetFunctionEventInvokeConfigCommandInput; + output: GetFunctionEventInvokeConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetFunctionRecursionConfigCommand.ts b/clients/client-lambda/src/commands/GetFunctionRecursionConfigCommand.ts index eba5fa44caf8..b7bf39a6ed21 100644 --- a/clients/client-lambda/src/commands/GetFunctionRecursionConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetFunctionRecursionConfigCommand.ts @@ -90,4 +90,16 @@ export class GetFunctionRecursionConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionRecursionConfigCommand) .de(de_GetFunctionRecursionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionRecursionConfigRequest; + output: GetFunctionRecursionConfigResponse; + }; + sdk: { + input: GetFunctionRecursionConfigCommandInput; + output: GetFunctionRecursionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetFunctionUrlConfigCommand.ts b/clients/client-lambda/src/commands/GetFunctionUrlConfigCommand.ts index e2cae31acfeb..ef675bd6d508 100644 --- a/clients/client-lambda/src/commands/GetFunctionUrlConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetFunctionUrlConfigCommand.ts @@ -111,4 +111,16 @@ export class GetFunctionUrlConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetFunctionUrlConfigCommand) .de(de_GetFunctionUrlConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFunctionUrlConfigRequest; + output: GetFunctionUrlConfigResponse; + }; + sdk: { + input: GetFunctionUrlConfigCommandInput; + output: GetFunctionUrlConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetLayerVersionByArnCommand.ts b/clients/client-lambda/src/commands/GetLayerVersionByArnCommand.ts index 3e74d1066667..5fa976191975 100644 --- a/clients/client-lambda/src/commands/GetLayerVersionByArnCommand.ts +++ b/clients/client-lambda/src/commands/GetLayerVersionByArnCommand.ts @@ -109,4 +109,16 @@ export class GetLayerVersionByArnCommand extends $Command .f(void 0, void 0) .ser(se_GetLayerVersionByArnCommand) .de(de_GetLayerVersionByArnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLayerVersionByArnRequest; + output: GetLayerVersionResponse; + }; + sdk: { + input: GetLayerVersionByArnCommandInput; + output: GetLayerVersionByArnCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetLayerVersionCommand.ts b/clients/client-lambda/src/commands/GetLayerVersionCommand.ts index 253feb328335..7e24eaafb82c 100644 --- a/clients/client-lambda/src/commands/GetLayerVersionCommand.ts +++ b/clients/client-lambda/src/commands/GetLayerVersionCommand.ts @@ -110,4 +110,16 @@ export class GetLayerVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetLayerVersionCommand) .de(de_GetLayerVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLayerVersionRequest; + output: GetLayerVersionResponse; + }; + sdk: { + input: GetLayerVersionCommandInput; + output: GetLayerVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetLayerVersionPolicyCommand.ts b/clients/client-lambda/src/commands/GetLayerVersionPolicyCommand.ts index cd2e99cb5a82..ee22b849e5ef 100644 --- a/clients/client-lambda/src/commands/GetLayerVersionPolicyCommand.ts +++ b/clients/client-lambda/src/commands/GetLayerVersionPolicyCommand.ts @@ -92,4 +92,16 @@ export class GetLayerVersionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetLayerVersionPolicyCommand) .de(de_GetLayerVersionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLayerVersionPolicyRequest; + output: GetLayerVersionPolicyResponse; + }; + sdk: { + input: GetLayerVersionPolicyCommandInput; + output: GetLayerVersionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetPolicyCommand.ts b/clients/client-lambda/src/commands/GetPolicyCommand.ts index 1fd4da795313..18496f6535b0 100644 --- a/clients/client-lambda/src/commands/GetPolicyCommand.ts +++ b/clients/client-lambda/src/commands/GetPolicyCommand.ts @@ -91,4 +91,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyRequest; + output: GetPolicyResponse; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetProvisionedConcurrencyConfigCommand.ts b/clients/client-lambda/src/commands/GetProvisionedConcurrencyConfigCommand.ts index c4f513646325..1272d9d3bd0c 100644 --- a/clients/client-lambda/src/commands/GetProvisionedConcurrencyConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetProvisionedConcurrencyConfigCommand.ts @@ -103,4 +103,16 @@ export class GetProvisionedConcurrencyConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetProvisionedConcurrencyConfigCommand) .de(de_GetProvisionedConcurrencyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProvisionedConcurrencyConfigRequest; + output: GetProvisionedConcurrencyConfigResponse; + }; + sdk: { + input: GetProvisionedConcurrencyConfigCommandInput; + output: GetProvisionedConcurrencyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts b/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts index c14be0c78dbb..36b4be891ea9 100644 --- a/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts @@ -92,4 +92,16 @@ export class GetPublicAccessBlockConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetPublicAccessBlockConfigCommand) .de(de_GetPublicAccessBlockConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicAccessBlockConfigRequest; + output: GetPublicAccessBlockConfigResponse; + }; + sdk: { + input: GetPublicAccessBlockConfigCommandInput; + output: GetPublicAccessBlockConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts b/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts index 6b0373a63a4a..31b2dbacab94 100644 --- a/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts @@ -90,4 +90,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/GetRuntimeManagementConfigCommand.ts b/clients/client-lambda/src/commands/GetRuntimeManagementConfigCommand.ts index c811d43bc0a7..3b152fc32711 100644 --- a/clients/client-lambda/src/commands/GetRuntimeManagementConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetRuntimeManagementConfigCommand.ts @@ -94,4 +94,16 @@ export class GetRuntimeManagementConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetRuntimeManagementConfigCommand) .de(de_GetRuntimeManagementConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuntimeManagementConfigRequest; + output: GetRuntimeManagementConfigResponse; + }; + sdk: { + input: GetRuntimeManagementConfigCommandInput; + output: GetRuntimeManagementConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/InvokeAsyncCommand.ts b/clients/client-lambda/src/commands/InvokeAsyncCommand.ts index 58726cf6b3cb..4b11bfa71ced 100644 --- a/clients/client-lambda/src/commands/InvokeAsyncCommand.ts +++ b/clients/client-lambda/src/commands/InvokeAsyncCommand.ts @@ -105,4 +105,16 @@ export class InvokeAsyncCommand extends $Command .f(InvokeAsyncRequestFilterSensitiveLog, void 0) .ser(se_InvokeAsyncCommand) .de(de_InvokeAsyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeAsyncRequest; + output: InvokeAsyncResponse; + }; + sdk: { + input: InvokeAsyncCommandInput; + output: InvokeAsyncCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/InvokeCommand.ts b/clients/client-lambda/src/commands/InvokeCommand.ts index 04c268a02a79..2b947e2807b8 100644 --- a/clients/client-lambda/src/commands/InvokeCommand.ts +++ b/clients/client-lambda/src/commands/InvokeCommand.ts @@ -236,4 +236,16 @@ export class InvokeCommand extends $Command .f(InvocationRequestFilterSensitiveLog, InvocationResponseFilterSensitiveLog) .ser(se_InvokeCommand) .de(de_InvokeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvocationRequest; + output: InvocationResponse; + }; + sdk: { + input: InvokeCommandInput; + output: InvokeCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/InvokeWithResponseStreamCommand.ts b/clients/client-lambda/src/commands/InvokeWithResponseStreamCommand.ts index 94f11a4ef8b5..f5e67e977a23 100644 --- a/clients/client-lambda/src/commands/InvokeWithResponseStreamCommand.ts +++ b/clients/client-lambda/src/commands/InvokeWithResponseStreamCommand.ts @@ -219,4 +219,16 @@ export class InvokeWithResponseStreamCommand extends $Command .f(InvokeWithResponseStreamRequestFilterSensitiveLog, InvokeWithResponseStreamResponseFilterSensitiveLog) .ser(se_InvokeWithResponseStreamCommand) .de(de_InvokeWithResponseStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeWithResponseStreamRequest; + output: InvokeWithResponseStreamResponse; + }; + sdk: { + input: InvokeWithResponseStreamCommandInput; + output: InvokeWithResponseStreamCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListAliasesCommand.ts b/clients/client-lambda/src/commands/ListAliasesCommand.ts index 78ea07f30793..d5dd3fe5332f 100644 --- a/clients/client-lambda/src/commands/ListAliasesCommand.ts +++ b/clients/client-lambda/src/commands/ListAliasesCommand.ts @@ -107,4 +107,16 @@ export class ListAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAliasesCommand) .de(de_ListAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAliasesRequest; + output: ListAliasesResponse; + }; + sdk: { + input: ListAliasesCommandInput; + output: ListAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListCodeSigningConfigsCommand.ts b/clients/client-lambda/src/commands/ListCodeSigningConfigsCommand.ts index 3d712437cb44..da07304fccc0 100644 --- a/clients/client-lambda/src/commands/ListCodeSigningConfigsCommand.ts +++ b/clients/client-lambda/src/commands/ListCodeSigningConfigsCommand.ts @@ -102,4 +102,16 @@ export class ListCodeSigningConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListCodeSigningConfigsCommand) .de(de_ListCodeSigningConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCodeSigningConfigsRequest; + output: ListCodeSigningConfigsResponse; + }; + sdk: { + input: ListCodeSigningConfigsCommandInput; + output: ListCodeSigningConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts b/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts index d84070b99f38..4a3878a7194d 100644 --- a/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts +++ b/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts @@ -169,4 +169,16 @@ export class ListEventSourceMappingsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventSourceMappingsCommand) .de(de_ListEventSourceMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventSourceMappingsRequest; + output: ListEventSourceMappingsResponse; + }; + sdk: { + input: ListEventSourceMappingsCommandInput; + output: ListEventSourceMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListFunctionEventInvokeConfigsCommand.ts b/clients/client-lambda/src/commands/ListFunctionEventInvokeConfigsCommand.ts index 6af7bf5cfdad..068893fbb987 100644 --- a/clients/client-lambda/src/commands/ListFunctionEventInvokeConfigsCommand.ts +++ b/clients/client-lambda/src/commands/ListFunctionEventInvokeConfigsCommand.ts @@ -113,4 +113,16 @@ export class ListFunctionEventInvokeConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListFunctionEventInvokeConfigsCommand) .de(de_ListFunctionEventInvokeConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionEventInvokeConfigsRequest; + output: ListFunctionEventInvokeConfigsResponse; + }; + sdk: { + input: ListFunctionEventInvokeConfigsCommandInput; + output: ListFunctionEventInvokeConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListFunctionUrlConfigsCommand.ts b/clients/client-lambda/src/commands/ListFunctionUrlConfigsCommand.ts index e64e69b20acd..9a82f2a84072 100644 --- a/clients/client-lambda/src/commands/ListFunctionUrlConfigsCommand.ts +++ b/clients/client-lambda/src/commands/ListFunctionUrlConfigsCommand.ts @@ -117,4 +117,16 @@ export class ListFunctionUrlConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListFunctionUrlConfigsCommand) .de(de_ListFunctionUrlConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionUrlConfigsRequest; + output: ListFunctionUrlConfigsResponse; + }; + sdk: { + input: ListFunctionUrlConfigsCommandInput; + output: ListFunctionUrlConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListFunctionsByCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/ListFunctionsByCodeSigningConfigCommand.ts index 4b91b562a4b4..1f1cae8e91e9 100644 --- a/clients/client-lambda/src/commands/ListFunctionsByCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/ListFunctionsByCodeSigningConfigCommand.ts @@ -97,4 +97,16 @@ export class ListFunctionsByCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_ListFunctionsByCodeSigningConfigCommand) .de(de_ListFunctionsByCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionsByCodeSigningConfigRequest; + output: ListFunctionsByCodeSigningConfigResponse; + }; + sdk: { + input: ListFunctionsByCodeSigningConfigCommandInput; + output: ListFunctionsByCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListFunctionsCommand.ts b/clients/client-lambda/src/commands/ListFunctionsCommand.ts index 5b3d23c30328..019b95a049a3 100644 --- a/clients/client-lambda/src/commands/ListFunctionsCommand.ts +++ b/clients/client-lambda/src/commands/ListFunctionsCommand.ts @@ -206,4 +206,16 @@ export class ListFunctionsCommand extends $Command .f(void 0, ListFunctionsResponseFilterSensitiveLog) .ser(se_ListFunctionsCommand) .de(de_ListFunctionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFunctionsRequest; + output: ListFunctionsResponse; + }; + sdk: { + input: ListFunctionsCommandInput; + output: ListFunctionsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListLayerVersionsCommand.ts b/clients/client-lambda/src/commands/ListLayerVersionsCommand.ts index 6a8e91ead418..2bfef9a85b61 100644 --- a/clients/client-lambda/src/commands/ListLayerVersionsCommand.ts +++ b/clients/client-lambda/src/commands/ListLayerVersionsCommand.ts @@ -111,4 +111,16 @@ export class ListLayerVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLayerVersionsCommand) .de(de_ListLayerVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLayerVersionsRequest; + output: ListLayerVersionsResponse; + }; + sdk: { + input: ListLayerVersionsCommandInput; + output: ListLayerVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListLayersCommand.ts b/clients/client-lambda/src/commands/ListLayersCommand.ts index b174a8acf347..b84fafcd9717 100644 --- a/clients/client-lambda/src/commands/ListLayersCommand.ts +++ b/clients/client-lambda/src/commands/ListLayersCommand.ts @@ -113,4 +113,16 @@ export class ListLayersCommand extends $Command .f(void 0, void 0) .ser(se_ListLayersCommand) .de(de_ListLayersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLayersRequest; + output: ListLayersResponse; + }; + sdk: { + input: ListLayersCommandInput; + output: ListLayersCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListProvisionedConcurrencyConfigsCommand.ts b/clients/client-lambda/src/commands/ListProvisionedConcurrencyConfigsCommand.ts index 4cd780aabd8c..e48f2dbf1053 100644 --- a/clients/client-lambda/src/commands/ListProvisionedConcurrencyConfigsCommand.ts +++ b/clients/client-lambda/src/commands/ListProvisionedConcurrencyConfigsCommand.ts @@ -110,4 +110,16 @@ export class ListProvisionedConcurrencyConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisionedConcurrencyConfigsCommand) .de(de_ListProvisionedConcurrencyConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisionedConcurrencyConfigsRequest; + output: ListProvisionedConcurrencyConfigsResponse; + }; + sdk: { + input: ListProvisionedConcurrencyConfigsCommandInput; + output: ListProvisionedConcurrencyConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListTagsCommand.ts b/clients/client-lambda/src/commands/ListTagsCommand.ts index b50f1b92ad55..d54d27c36f0d 100644 --- a/clients/client-lambda/src/commands/ListTagsCommand.ts +++ b/clients/client-lambda/src/commands/ListTagsCommand.ts @@ -92,4 +92,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/ListVersionsByFunctionCommand.ts b/clients/client-lambda/src/commands/ListVersionsByFunctionCommand.ts index d83ad6faefcf..77ec9790d1a1 100644 --- a/clients/client-lambda/src/commands/ListVersionsByFunctionCommand.ts +++ b/clients/client-lambda/src/commands/ListVersionsByFunctionCommand.ts @@ -201,4 +201,16 @@ export class ListVersionsByFunctionCommand extends $Command .f(void 0, ListVersionsByFunctionResponseFilterSensitiveLog) .ser(se_ListVersionsByFunctionCommand) .de(de_ListVersionsByFunctionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVersionsByFunctionRequest; + output: ListVersionsByFunctionResponse; + }; + sdk: { + input: ListVersionsByFunctionCommandInput; + output: ListVersionsByFunctionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PublishLayerVersionCommand.ts b/clients/client-lambda/src/commands/PublishLayerVersionCommand.ts index 85d87a74d865..159da3e2f840 100644 --- a/clients/client-lambda/src/commands/PublishLayerVersionCommand.ts +++ b/clients/client-lambda/src/commands/PublishLayerVersionCommand.ts @@ -131,4 +131,16 @@ export class PublishLayerVersionCommand extends $Command .f(PublishLayerVersionRequestFilterSensitiveLog, void 0) .ser(se_PublishLayerVersionCommand) .de(de_PublishLayerVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishLayerVersionRequest; + output: PublishLayerVersionResponse; + }; + sdk: { + input: PublishLayerVersionCommandInput; + output: PublishLayerVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PublishVersionCommand.ts b/clients/client-lambda/src/commands/PublishVersionCommand.ts index f8de854472a9..19940b8c94bc 100644 --- a/clients/client-lambda/src/commands/PublishVersionCommand.ts +++ b/clients/client-lambda/src/commands/PublishVersionCommand.ts @@ -221,4 +221,16 @@ export class PublishVersionCommand extends $Command .f(void 0, FunctionConfigurationFilterSensitiveLog) .ser(se_PublishVersionCommand) .de(de_PublishVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishVersionRequest; + output: FunctionConfiguration; + }; + sdk: { + input: PublishVersionCommandInput; + output: PublishVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutFunctionCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/PutFunctionCodeSigningConfigCommand.ts index 43cd07e75bbb..be1374aed4ae 100644 --- a/clients/client-lambda/src/commands/PutFunctionCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/PutFunctionCodeSigningConfigCommand.ts @@ -103,4 +103,16 @@ export class PutFunctionCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutFunctionCodeSigningConfigCommand) .de(de_PutFunctionCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFunctionCodeSigningConfigRequest; + output: PutFunctionCodeSigningConfigResponse; + }; + sdk: { + input: PutFunctionCodeSigningConfigCommandInput; + output: PutFunctionCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutFunctionConcurrencyCommand.ts b/clients/client-lambda/src/commands/PutFunctionConcurrencyCommand.ts index a0a178148ea2..b59511c7b388 100644 --- a/clients/client-lambda/src/commands/PutFunctionConcurrencyCommand.ts +++ b/clients/client-lambda/src/commands/PutFunctionConcurrencyCommand.ts @@ -101,4 +101,16 @@ export class PutFunctionConcurrencyCommand extends $Command .f(void 0, void 0) .ser(se_PutFunctionConcurrencyCommand) .de(de_PutFunctionConcurrencyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFunctionConcurrencyRequest; + output: Concurrency; + }; + sdk: { + input: PutFunctionConcurrencyCommandInput; + output: PutFunctionConcurrencyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutFunctionEventInvokeConfigCommand.ts b/clients/client-lambda/src/commands/PutFunctionEventInvokeConfigCommand.ts index 105ecad48f79..dc2fa8297846 100644 --- a/clients/client-lambda/src/commands/PutFunctionEventInvokeConfigCommand.ts +++ b/clients/client-lambda/src/commands/PutFunctionEventInvokeConfigCommand.ts @@ -127,4 +127,16 @@ export class PutFunctionEventInvokeConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutFunctionEventInvokeConfigCommand) .de(de_PutFunctionEventInvokeConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFunctionEventInvokeConfigRequest; + output: FunctionEventInvokeConfig; + }; + sdk: { + input: PutFunctionEventInvokeConfigCommandInput; + output: PutFunctionEventInvokeConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutFunctionRecursionConfigCommand.ts b/clients/client-lambda/src/commands/PutFunctionRecursionConfigCommand.ts index 4dd2db826e42..9037dc6edf15 100644 --- a/clients/client-lambda/src/commands/PutFunctionRecursionConfigCommand.ts +++ b/clients/client-lambda/src/commands/PutFunctionRecursionConfigCommand.ts @@ -99,4 +99,16 @@ export class PutFunctionRecursionConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutFunctionRecursionConfigCommand) .de(de_PutFunctionRecursionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFunctionRecursionConfigRequest; + output: PutFunctionRecursionConfigResponse; + }; + sdk: { + input: PutFunctionRecursionConfigCommandInput; + output: PutFunctionRecursionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutProvisionedConcurrencyConfigCommand.ts b/clients/client-lambda/src/commands/PutProvisionedConcurrencyConfigCommand.ts index 7187dee79326..ad990f865db6 100644 --- a/clients/client-lambda/src/commands/PutProvisionedConcurrencyConfigCommand.ts +++ b/clients/client-lambda/src/commands/PutProvisionedConcurrencyConfigCommand.ts @@ -104,4 +104,16 @@ export class PutProvisionedConcurrencyConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutProvisionedConcurrencyConfigCommand) .de(de_PutProvisionedConcurrencyConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutProvisionedConcurrencyConfigRequest; + output: PutProvisionedConcurrencyConfigResponse; + }; + sdk: { + input: PutProvisionedConcurrencyConfigCommandInput; + output: PutProvisionedConcurrencyConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts b/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts index ecd6588e6495..bb093101f7f3 100644 --- a/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts +++ b/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts @@ -103,4 +103,16 @@ export class PutPublicAccessBlockConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutPublicAccessBlockConfigCommand) .de(de_PutPublicAccessBlockConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPublicAccessBlockConfigRequest; + output: PutPublicAccessBlockConfigResponse; + }; + sdk: { + input: PutPublicAccessBlockConfigCommandInput; + output: PutPublicAccessBlockConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts b/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts index d6751f7d6c69..7099e4f3f273 100644 --- a/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts @@ -126,4 +126,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/PutRuntimeManagementConfigCommand.ts b/clients/client-lambda/src/commands/PutRuntimeManagementConfigCommand.ts index 9e091b4bb9de..9afacb60b682 100644 --- a/clients/client-lambda/src/commands/PutRuntimeManagementConfigCommand.ts +++ b/clients/client-lambda/src/commands/PutRuntimeManagementConfigCommand.ts @@ -98,4 +98,16 @@ export class PutRuntimeManagementConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutRuntimeManagementConfigCommand) .de(de_PutRuntimeManagementConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRuntimeManagementConfigRequest; + output: PutRuntimeManagementConfigResponse; + }; + sdk: { + input: PutRuntimeManagementConfigCommandInput; + output: PutRuntimeManagementConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/RemoveLayerVersionPermissionCommand.ts b/clients/client-lambda/src/commands/RemoveLayerVersionPermissionCommand.ts index 900e0bdcc0c5..76b3cc3b3846 100644 --- a/clients/client-lambda/src/commands/RemoveLayerVersionPermissionCommand.ts +++ b/clients/client-lambda/src/commands/RemoveLayerVersionPermissionCommand.ts @@ -108,4 +108,16 @@ export class RemoveLayerVersionPermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveLayerVersionPermissionCommand) .de(de_RemoveLayerVersionPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveLayerVersionPermissionRequest; + output: {}; + }; + sdk: { + input: RemoveLayerVersionPermissionCommandInput; + output: RemoveLayerVersionPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/RemovePermissionCommand.ts b/clients/client-lambda/src/commands/RemovePermissionCommand.ts index 8d15eb7e11b4..080b569e8cb4 100644 --- a/clients/client-lambda/src/commands/RemovePermissionCommand.ts +++ b/clients/client-lambda/src/commands/RemovePermissionCommand.ts @@ -104,4 +104,16 @@ export class RemovePermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemovePermissionCommand) .de(de_RemovePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemovePermissionRequest; + output: {}; + }; + sdk: { + input: RemovePermissionCommandInput; + output: RemovePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/TagResourceCommand.ts b/clients/client-lambda/src/commands/TagResourceCommand.ts index a0239a217c86..c2c0cf81a145 100644 --- a/clients/client-lambda/src/commands/TagResourceCommand.ts +++ b/clients/client-lambda/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UntagResourceCommand.ts b/clients/client-lambda/src/commands/UntagResourceCommand.ts index ea446fd46234..54d16a0700a4 100644 --- a/clients/client-lambda/src/commands/UntagResourceCommand.ts +++ b/clients/client-lambda/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UpdateAliasCommand.ts b/clients/client-lambda/src/commands/UpdateAliasCommand.ts index dbbeec84b52f..0578bdcfc892 100644 --- a/clients/client-lambda/src/commands/UpdateAliasCommand.ts +++ b/clients/client-lambda/src/commands/UpdateAliasCommand.ts @@ -123,4 +123,16 @@ export class UpdateAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAliasCommand) .de(de_UpdateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAliasRequest; + output: AliasConfiguration; + }; + sdk: { + input: UpdateAliasCommandInput; + output: UpdateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UpdateCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/UpdateCodeSigningConfigCommand.ts index 10c81061b4b0..6e1f49d62aec 100644 --- a/clients/client-lambda/src/commands/UpdateCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/UpdateCodeSigningConfigCommand.ts @@ -109,4 +109,16 @@ export class UpdateCodeSigningConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCodeSigningConfigCommand) .de(de_UpdateCodeSigningConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCodeSigningConfigRequest; + output: UpdateCodeSigningConfigResponse; + }; + sdk: { + input: UpdateCodeSigningConfigCommandInput; + output: UpdateCodeSigningConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts index 7c3b4d881a4c..f4616e31a0f9 100644 --- a/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts @@ -323,4 +323,16 @@ export class UpdateEventSourceMappingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventSourceMappingCommand) .de(de_UpdateEventSourceMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventSourceMappingRequest; + output: EventSourceMappingConfiguration; + }; + sdk: { + input: UpdateEventSourceMappingCommandInput; + output: UpdateEventSourceMappingCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UpdateFunctionCodeCommand.ts b/clients/client-lambda/src/commands/UpdateFunctionCodeCommand.ts index 7cc679c51dee..6cf086207881 100644 --- a/clients/client-lambda/src/commands/UpdateFunctionCodeCommand.ts +++ b/clients/client-lambda/src/commands/UpdateFunctionCodeCommand.ts @@ -250,4 +250,16 @@ export class UpdateFunctionCodeCommand extends $Command .f(UpdateFunctionCodeRequestFilterSensitiveLog, FunctionConfigurationFilterSensitiveLog) .ser(se_UpdateFunctionCodeCommand) .de(de_UpdateFunctionCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFunctionCodeRequest; + output: FunctionConfiguration; + }; + sdk: { + input: UpdateFunctionCodeCommandInput; + output: UpdateFunctionCodeCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UpdateFunctionConfigurationCommand.ts b/clients/client-lambda/src/commands/UpdateFunctionConfigurationCommand.ts index 758651be08e3..96158d9c4e6b 100644 --- a/clients/client-lambda/src/commands/UpdateFunctionConfigurationCommand.ts +++ b/clients/client-lambda/src/commands/UpdateFunctionConfigurationCommand.ts @@ -293,4 +293,16 @@ export class UpdateFunctionConfigurationCommand extends $Command .f(UpdateFunctionConfigurationRequestFilterSensitiveLog, FunctionConfigurationFilterSensitiveLog) .ser(se_UpdateFunctionConfigurationCommand) .de(de_UpdateFunctionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFunctionConfigurationRequest; + output: FunctionConfiguration; + }; + sdk: { + input: UpdateFunctionConfigurationCommandInput; + output: UpdateFunctionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UpdateFunctionEventInvokeConfigCommand.ts b/clients/client-lambda/src/commands/UpdateFunctionEventInvokeConfigCommand.ts index 6882b75d15e5..e99a3341a03f 100644 --- a/clients/client-lambda/src/commands/UpdateFunctionEventInvokeConfigCommand.ts +++ b/clients/client-lambda/src/commands/UpdateFunctionEventInvokeConfigCommand.ts @@ -118,4 +118,16 @@ export class UpdateFunctionEventInvokeConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFunctionEventInvokeConfigCommand) .de(de_UpdateFunctionEventInvokeConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFunctionEventInvokeConfigRequest; + output: FunctionEventInvokeConfig; + }; + sdk: { + input: UpdateFunctionEventInvokeConfigCommandInput; + output: UpdateFunctionEventInvokeConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lambda/src/commands/UpdateFunctionUrlConfigCommand.ts b/clients/client-lambda/src/commands/UpdateFunctionUrlConfigCommand.ts index 281b46e6e375..e5da4f52f609 100644 --- a/clients/client-lambda/src/commands/UpdateFunctionUrlConfigCommand.ts +++ b/clients/client-lambda/src/commands/UpdateFunctionUrlConfigCommand.ts @@ -132,4 +132,16 @@ export class UpdateFunctionUrlConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFunctionUrlConfigCommand) .de(de_UpdateFunctionUrlConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFunctionUrlConfigRequest; + output: UpdateFunctionUrlConfigResponse; + }; + sdk: { + input: UpdateFunctionUrlConfigCommandInput; + output: UpdateFunctionUrlConfigCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/package.json b/clients/client-launch-wizard/package.json index 22cfd19e6393..9859099318db 100644 --- a/clients/client-launch-wizard/package.json +++ b/clients/client-launch-wizard/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-launch-wizard/src/commands/CreateDeploymentCommand.ts b/clients/client-launch-wizard/src/commands/CreateDeploymentCommand.ts index 5844ab439ba4..3e65b018864b 100644 --- a/clients/client-launch-wizard/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-launch-wizard/src/commands/CreateDeploymentCommand.ts @@ -106,4 +106,16 @@ export class CreateDeploymentCommand extends $Command .f(CreateDeploymentInputFilterSensitiveLog, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentInput; + output: CreateDeploymentOutput; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/DeleteDeploymentCommand.ts b/clients/client-launch-wizard/src/commands/DeleteDeploymentCommand.ts index 1e6202b3dc5a..6784d3c416ca 100644 --- a/clients/client-launch-wizard/src/commands/DeleteDeploymentCommand.ts +++ b/clients/client-launch-wizard/src/commands/DeleteDeploymentCommand.ts @@ -92,4 +92,16 @@ export class DeleteDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeploymentCommand) .de(de_DeleteDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentInput; + output: DeleteDeploymentOutput; + }; + sdk: { + input: DeleteDeploymentCommandInput; + output: DeleteDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/GetDeploymentCommand.ts b/clients/client-launch-wizard/src/commands/GetDeploymentCommand.ts index bbbb32780347..a10236c74b0a 100644 --- a/clients/client-launch-wizard/src/commands/GetDeploymentCommand.ts +++ b/clients/client-launch-wizard/src/commands/GetDeploymentCommand.ts @@ -103,4 +103,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, GetDeploymentOutputFilterSensitiveLog) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentInput; + output: GetDeploymentOutput; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/GetWorkloadCommand.ts b/clients/client-launch-wizard/src/commands/GetWorkloadCommand.ts index 93d06dd32b07..5c6181fb7011 100644 --- a/clients/client-launch-wizard/src/commands/GetWorkloadCommand.ts +++ b/clients/client-launch-wizard/src/commands/GetWorkloadCommand.ts @@ -95,4 +95,16 @@ export class GetWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkloadCommand) .de(de_GetWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkloadInput; + output: GetWorkloadOutput; + }; + sdk: { + input: GetWorkloadCommandInput; + output: GetWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/GetWorkloadDeploymentPatternCommand.ts b/clients/client-launch-wizard/src/commands/GetWorkloadDeploymentPatternCommand.ts index 141e77e4c870..97035e7d4ddf 100644 --- a/clients/client-launch-wizard/src/commands/GetWorkloadDeploymentPatternCommand.ts +++ b/clients/client-launch-wizard/src/commands/GetWorkloadDeploymentPatternCommand.ts @@ -121,4 +121,16 @@ export class GetWorkloadDeploymentPatternCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkloadDeploymentPatternCommand) .de(de_GetWorkloadDeploymentPatternCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkloadDeploymentPatternInput; + output: GetWorkloadDeploymentPatternOutput; + }; + sdk: { + input: GetWorkloadDeploymentPatternCommandInput; + output: GetWorkloadDeploymentPatternCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/ListDeploymentEventsCommand.ts b/clients/client-launch-wizard/src/commands/ListDeploymentEventsCommand.ts index e00c9879dc86..68aa690eb73a 100644 --- a/clients/client-launch-wizard/src/commands/ListDeploymentEventsCommand.ts +++ b/clients/client-launch-wizard/src/commands/ListDeploymentEventsCommand.ts @@ -98,4 +98,16 @@ export class ListDeploymentEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentEventsCommand) .de(de_ListDeploymentEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentEventsInput; + output: ListDeploymentEventsOutput; + }; + sdk: { + input: ListDeploymentEventsCommandInput; + output: ListDeploymentEventsCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/ListDeploymentsCommand.ts b/clients/client-launch-wizard/src/commands/ListDeploymentsCommand.ts index 3fc5509ab662..2cba2f93286e 100644 --- a/clients/client-launch-wizard/src/commands/ListDeploymentsCommand.ts +++ b/clients/client-launch-wizard/src/commands/ListDeploymentsCommand.ts @@ -103,4 +103,16 @@ export class ListDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentsCommand) .de(de_ListDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentsInput; + output: ListDeploymentsOutput; + }; + sdk: { + input: ListDeploymentsCommandInput; + output: ListDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/ListTagsForResourceCommand.ts b/clients/client-launch-wizard/src/commands/ListTagsForResourceCommand.ts index 3597290cff8f..b175c25203ea 100644 --- a/clients/client-launch-wizard/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-launch-wizard/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/ListWorkloadDeploymentPatternsCommand.ts b/clients/client-launch-wizard/src/commands/ListWorkloadDeploymentPatternsCommand.ts index aac07e82b55c..3a73d1e840d4 100644 --- a/clients/client-launch-wizard/src/commands/ListWorkloadDeploymentPatternsCommand.ts +++ b/clients/client-launch-wizard/src/commands/ListWorkloadDeploymentPatternsCommand.ts @@ -105,4 +105,16 @@ export class ListWorkloadDeploymentPatternsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkloadDeploymentPatternsCommand) .de(de_ListWorkloadDeploymentPatternsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkloadDeploymentPatternsInput; + output: ListWorkloadDeploymentPatternsOutput; + }; + sdk: { + input: ListWorkloadDeploymentPatternsCommandInput; + output: ListWorkloadDeploymentPatternsCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/ListWorkloadsCommand.ts b/clients/client-launch-wizard/src/commands/ListWorkloadsCommand.ts index 9f70a0cacdfa..2354cd3dd1ac 100644 --- a/clients/client-launch-wizard/src/commands/ListWorkloadsCommand.ts +++ b/clients/client-launch-wizard/src/commands/ListWorkloadsCommand.ts @@ -91,4 +91,16 @@ export class ListWorkloadsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkloadsCommand) .de(de_ListWorkloadsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkloadsInput; + output: ListWorkloadsOutput; + }; + sdk: { + input: ListWorkloadsCommandInput; + output: ListWorkloadsCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/TagResourceCommand.ts b/clients/client-launch-wizard/src/commands/TagResourceCommand.ts index ba3868626244..1256663a682b 100644 --- a/clients/client-launch-wizard/src/commands/TagResourceCommand.ts +++ b/clients/client-launch-wizard/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-launch-wizard/src/commands/UntagResourceCommand.ts b/clients/client-launch-wizard/src/commands/UntagResourceCommand.ts index c5a14ec6af66..e735ee87eaec 100644 --- a/clients/client-launch-wizard/src/commands/UntagResourceCommand.ts +++ b/clients/client-launch-wizard/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/package.json b/clients/client-lex-model-building-service/package.json index 58819c97fdb2..a8b56f3c91eb 100644 --- a/clients/client-lex-model-building-service/package.json +++ b/clients/client-lex-model-building-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-lex-model-building-service/src/commands/CreateBotVersionCommand.ts b/clients/client-lex-model-building-service/src/commands/CreateBotVersionCommand.ts index 1a7bd1ddca77..8fdce2193fdf 100644 --- a/clients/client-lex-model-building-service/src/commands/CreateBotVersionCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/CreateBotVersionCommand.ts @@ -158,4 +158,16 @@ export class CreateBotVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateBotVersionCommand) .de(de_CreateBotVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBotVersionRequest; + output: CreateBotVersionResponse; + }; + sdk: { + input: CreateBotVersionCommandInput; + output: CreateBotVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/CreateIntentVersionCommand.ts b/clients/client-lex-model-building-service/src/commands/CreateIntentVersionCommand.ts index 52bd51b89872..947480fe7506 100644 --- a/clients/client-lex-model-building-service/src/commands/CreateIntentVersionCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/CreateIntentVersionCommand.ts @@ -221,4 +221,16 @@ export class CreateIntentVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateIntentVersionCommand) .de(de_CreateIntentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIntentVersionRequest; + output: CreateIntentVersionResponse; + }; + sdk: { + input: CreateIntentVersionCommandInput; + output: CreateIntentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/CreateSlotTypeVersionCommand.ts b/clients/client-lex-model-building-service/src/commands/CreateSlotTypeVersionCommand.ts index 963d97b42fa3..f8f1c89c4b18 100644 --- a/clients/client-lex-model-building-service/src/commands/CreateSlotTypeVersionCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/CreateSlotTypeVersionCommand.ts @@ -141,4 +141,16 @@ export class CreateSlotTypeVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSlotTypeVersionCommand) .de(de_CreateSlotTypeVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSlotTypeVersionRequest; + output: CreateSlotTypeVersionResponse; + }; + sdk: { + input: CreateSlotTypeVersionCommandInput; + output: CreateSlotTypeVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteBotAliasCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteBotAliasCommand.ts index a002262f32f9..7c511e04de3a 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteBotAliasCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteBotAliasCommand.ts @@ -125,4 +125,16 @@ export class DeleteBotAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotAliasCommand) .de(de_DeleteBotAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotAliasRequest; + output: {}; + }; + sdk: { + input: DeleteBotAliasCommandInput; + output: DeleteBotAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteBotChannelAssociationCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteBotChannelAssociationCommand.ts index 60d1e6d8e821..1747578affca 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteBotChannelAssociationCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteBotChannelAssociationCommand.ts @@ -106,4 +106,16 @@ export class DeleteBotChannelAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotChannelAssociationCommand) .de(de_DeleteBotChannelAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotChannelAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteBotChannelAssociationCommandInput; + output: DeleteBotChannelAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteBotCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteBotCommand.ts index 295fd48093a5..6486251dc73c 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteBotCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteBotCommand.ts @@ -131,4 +131,16 @@ export class DeleteBotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotCommand) .de(de_DeleteBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotRequest; + output: {}; + }; + sdk: { + input: DeleteBotCommandInput; + output: DeleteBotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteBotVersionCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteBotVersionCommand.ts index 3954b7dcc654..64f3a7c37f60 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteBotVersionCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteBotVersionCommand.ts @@ -120,4 +120,16 @@ export class DeleteBotVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotVersionCommand) .de(de_DeleteBotVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotVersionRequest; + output: {}; + }; + sdk: { + input: DeleteBotVersionCommandInput; + output: DeleteBotVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteIntentCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteIntentCommand.ts index 8a05f28d1039..4d5ff221940a 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteIntentCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteIntentCommand.ts @@ -132,4 +132,16 @@ export class DeleteIntentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntentCommand) .de(de_DeleteIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntentRequest; + output: {}; + }; + sdk: { + input: DeleteIntentCommandInput; + output: DeleteIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteIntentVersionCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteIntentVersionCommand.ts index 9189866db253..2f1b338275a6 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteIntentVersionCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteIntentVersionCommand.ts @@ -120,4 +120,16 @@ export class DeleteIntentVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntentVersionCommand) .de(de_DeleteIntentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntentVersionRequest; + output: {}; + }; + sdk: { + input: DeleteIntentVersionCommandInput; + output: DeleteIntentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeCommand.ts index 2c658d78147e..8529db1b3b28 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeCommand.ts @@ -132,4 +132,16 @@ export class DeleteSlotTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlotTypeCommand) .de(de_DeleteSlotTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlotTypeRequest; + output: {}; + }; + sdk: { + input: DeleteSlotTypeCommandInput; + output: DeleteSlotTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeVersionCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeVersionCommand.ts index 5cfdf88a80f1..a68dff4675e5 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeVersionCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteSlotTypeVersionCommand.ts @@ -120,4 +120,16 @@ export class DeleteSlotTypeVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlotTypeVersionCommand) .de(de_DeleteSlotTypeVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlotTypeVersionRequest; + output: {}; + }; + sdk: { + input: DeleteSlotTypeVersionCommandInput; + output: DeleteSlotTypeVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/DeleteUtterancesCommand.ts b/clients/client-lex-model-building-service/src/commands/DeleteUtterancesCommand.ts index 187d9e6dee2f..a8119380203c 100644 --- a/clients/client-lex-model-building-service/src/commands/DeleteUtterancesCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/DeleteUtterancesCommand.ts @@ -106,4 +106,16 @@ export class DeleteUtterancesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUtterancesCommand) .de(de_DeleteUtterancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUtterancesRequest; + output: {}; + }; + sdk: { + input: DeleteUtterancesCommandInput; + output: DeleteUtterancesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBotAliasCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBotAliasCommand.ts index 05f14a2d785d..806805eadd30 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBotAliasCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBotAliasCommand.ts @@ -118,4 +118,16 @@ export class GetBotAliasCommand extends $Command .f(void 0, void 0) .ser(se_GetBotAliasCommand) .de(de_GetBotAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotAliasRequest; + output: GetBotAliasResponse; + }; + sdk: { + input: GetBotAliasCommandInput; + output: GetBotAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBotAliasesCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBotAliasesCommand.ts index 47c2e8b26c13..fe1f0be919fa 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBotAliasesCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBotAliasesCommand.ts @@ -120,4 +120,16 @@ export class GetBotAliasesCommand extends $Command .f(void 0, void 0) .ser(se_GetBotAliasesCommand) .de(de_GetBotAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotAliasesRequest; + output: GetBotAliasesResponse; + }; + sdk: { + input: GetBotAliasesCommandInput; + output: GetBotAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationCommand.ts index 9a049c21ab3e..76161239dfec 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationCommand.ts @@ -115,4 +115,16 @@ export class GetBotChannelAssociationCommand extends $Command .f(void 0, GetBotChannelAssociationResponseFilterSensitiveLog) .ser(se_GetBotChannelAssociationCommand) .de(de_GetBotChannelAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotChannelAssociationRequest; + output: GetBotChannelAssociationResponse; + }; + sdk: { + input: GetBotChannelAssociationCommandInput; + output: GetBotChannelAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationsCommand.ts index 11613e99727f..7d8e000dd9dd 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBotChannelAssociationsCommand.ts @@ -119,4 +119,16 @@ export class GetBotChannelAssociationsCommand extends $Command .f(void 0, GetBotChannelAssociationsResponseFilterSensitiveLog) .ser(se_GetBotChannelAssociationsCommand) .de(de_GetBotChannelAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotChannelAssociationsRequest; + output: GetBotChannelAssociationsResponse; + }; + sdk: { + input: GetBotChannelAssociationsCommandInput; + output: GetBotChannelAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBotCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBotCommand.ts index d821e87b2473..4ab46e59af25 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBotCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBotCommand.ts @@ -198,4 +198,16 @@ export class GetBotCommand extends $Command .f(void 0, void 0) .ser(se_GetBotCommand) .de(de_GetBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotRequest; + output: GetBotResponse; + }; + sdk: { + input: GetBotCommandInput; + output: GetBotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBotVersionsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBotVersionsCommand.ts index 8f1511b91279..2d212e35c5fc 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBotVersionsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBotVersionsCommand.ts @@ -118,4 +118,16 @@ export class GetBotVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetBotVersionsCommand) .de(de_GetBotVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotVersionsRequest; + output: GetBotVersionsResponse; + }; + sdk: { + input: GetBotVersionsCommandInput; + output: GetBotVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBotsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBotsCommand.ts index 65a0a5beaaa4..91eae8e20044 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBotsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBotsCommand.ts @@ -148,4 +148,16 @@ export class GetBotsCommand extends $Command .f(void 0, void 0) .ser(se_GetBotsCommand) .de(de_GetBotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBotsRequest; + output: GetBotsResponse; + }; + sdk: { + input: GetBotsCommandInput; + output: GetBotsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentCommand.ts index 01642108d40a..44e1a075ff1c 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentCommand.ts @@ -106,4 +106,16 @@ export class GetBuiltinIntentCommand extends $Command .f(void 0, void 0) .ser(se_GetBuiltinIntentCommand) .de(de_GetBuiltinIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBuiltinIntentRequest; + output: GetBuiltinIntentResponse; + }; + sdk: { + input: GetBuiltinIntentCommandInput; + output: GetBuiltinIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentsCommand.ts index db86e8ac0a60..016edb57bec8 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBuiltinIntentsCommand.ts @@ -106,4 +106,16 @@ export class GetBuiltinIntentsCommand extends $Command .f(void 0, void 0) .ser(se_GetBuiltinIntentsCommand) .de(de_GetBuiltinIntentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBuiltinIntentsRequest; + output: GetBuiltinIntentsResponse; + }; + sdk: { + input: GetBuiltinIntentsCommandInput; + output: GetBuiltinIntentsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetBuiltinSlotTypesCommand.ts b/clients/client-lex-model-building-service/src/commands/GetBuiltinSlotTypesCommand.ts index 1f1f5d325739..c317c0166046 100644 --- a/clients/client-lex-model-building-service/src/commands/GetBuiltinSlotTypesCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetBuiltinSlotTypesCommand.ts @@ -108,4 +108,16 @@ export class GetBuiltinSlotTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetBuiltinSlotTypesCommand) .de(de_GetBuiltinSlotTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBuiltinSlotTypesRequest; + output: GetBuiltinSlotTypesResponse; + }; + sdk: { + input: GetBuiltinSlotTypesCommandInput; + output: GetBuiltinSlotTypesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetExportCommand.ts b/clients/client-lex-model-building-service/src/commands/GetExportCommand.ts index 7d0e6e574f3c..50f560e1619f 100644 --- a/clients/client-lex-model-building-service/src/commands/GetExportCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetExportCommand.ts @@ -106,4 +106,16 @@ export class GetExportCommand extends $Command .f(void 0, void 0) .ser(se_GetExportCommand) .de(de_GetExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExportRequest; + output: GetExportResponse; + }; + sdk: { + input: GetExportCommandInput; + output: GetExportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetImportCommand.ts b/clients/client-lex-model-building-service/src/commands/GetImportCommand.ts index 67c7abbe797d..efea8e4d8883 100644 --- a/clients/client-lex-model-building-service/src/commands/GetImportCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetImportCommand.ts @@ -105,4 +105,16 @@ export class GetImportCommand extends $Command .f(void 0, void 0) .ser(se_GetImportCommand) .de(de_GetImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportRequest; + output: GetImportResponse; + }; + sdk: { + input: GetImportCommandInput; + output: GetImportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetIntentCommand.ts b/clients/client-lex-model-building-service/src/commands/GetIntentCommand.ts index b617794a2031..dfee39ef55ae 100644 --- a/clients/client-lex-model-building-service/src/commands/GetIntentCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetIntentCommand.ts @@ -349,4 +349,16 @@ export class GetIntentCommand extends $Command .f(void 0, void 0) .ser(se_GetIntentCommand) .de(de_GetIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntentRequest; + output: GetIntentResponse; + }; + sdk: { + input: GetIntentCommandInput; + output: GetIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetIntentVersionsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetIntentVersionsCommand.ts index a02a7c942fd0..51a27b6cb3b9 100644 --- a/clients/client-lex-model-building-service/src/commands/GetIntentVersionsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetIntentVersionsCommand.ts @@ -117,4 +117,16 @@ export class GetIntentVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetIntentVersionsCommand) .de(de_GetIntentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntentVersionsRequest; + output: GetIntentVersionsResponse; + }; + sdk: { + input: GetIntentVersionsCommandInput; + output: GetIntentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetIntentsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetIntentsCommand.ts index eacd7bd46c59..be5b19e6f1a9 100644 --- a/clients/client-lex-model-building-service/src/commands/GetIntentsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetIntentsCommand.ts @@ -146,4 +146,16 @@ export class GetIntentsCommand extends $Command .f(void 0, void 0) .ser(se_GetIntentsCommand) .de(de_GetIntentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIntentsRequest; + output: GetIntentsResponse; + }; + sdk: { + input: GetIntentsCommandInput; + output: GetIntentsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetMigrationCommand.ts b/clients/client-lex-model-building-service/src/commands/GetMigrationCommand.ts index 614b65508cb9..2e868018ca47 100644 --- a/clients/client-lex-model-building-service/src/commands/GetMigrationCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetMigrationCommand.ts @@ -118,4 +118,16 @@ export class GetMigrationCommand extends $Command .f(void 0, void 0) .ser(se_GetMigrationCommand) .de(de_GetMigrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMigrationRequest; + output: GetMigrationResponse; + }; + sdk: { + input: GetMigrationCommandInput; + output: GetMigrationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetMigrationsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetMigrationsCommand.ts index 739eee783e0b..13919a12db91 100644 --- a/clients/client-lex-model-building-service/src/commands/GetMigrationsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetMigrationsCommand.ts @@ -110,4 +110,16 @@ export class GetMigrationsCommand extends $Command .f(void 0, void 0) .ser(se_GetMigrationsCommand) .de(de_GetMigrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMigrationsRequest; + output: GetMigrationsResponse; + }; + sdk: { + input: GetMigrationsCommandInput; + output: GetMigrationsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetSlotTypeCommand.ts b/clients/client-lex-model-building-service/src/commands/GetSlotTypeCommand.ts index b4aba54179ce..f2ef3653d0ce 100644 --- a/clients/client-lex-model-building-service/src/commands/GetSlotTypeCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetSlotTypeCommand.ts @@ -153,4 +153,16 @@ export class GetSlotTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetSlotTypeCommand) .de(de_GetSlotTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSlotTypeRequest; + output: GetSlotTypeResponse; + }; + sdk: { + input: GetSlotTypeCommandInput; + output: GetSlotTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetSlotTypeVersionsCommand.ts b/clients/client-lex-model-building-service/src/commands/GetSlotTypeVersionsCommand.ts index ea2fe45137a0..a7f3b34819c6 100644 --- a/clients/client-lex-model-building-service/src/commands/GetSlotTypeVersionsCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetSlotTypeVersionsCommand.ts @@ -117,4 +117,16 @@ export class GetSlotTypeVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetSlotTypeVersionsCommand) .de(de_GetSlotTypeVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSlotTypeVersionsRequest; + output: GetSlotTypeVersionsResponse; + }; + sdk: { + input: GetSlotTypeVersionsCommandInput; + output: GetSlotTypeVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetSlotTypesCommand.ts b/clients/client-lex-model-building-service/src/commands/GetSlotTypesCommand.ts index 28f06ccbc45f..b66835072450 100644 --- a/clients/client-lex-model-building-service/src/commands/GetSlotTypesCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetSlotTypesCommand.ts @@ -160,4 +160,16 @@ export class GetSlotTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetSlotTypesCommand) .de(de_GetSlotTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSlotTypesRequest; + output: GetSlotTypesResponse; + }; + sdk: { + input: GetSlotTypesCommandInput; + output: GetSlotTypesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/GetUtterancesViewCommand.ts b/clients/client-lex-model-building-service/src/commands/GetUtterancesViewCommand.ts index 3b2865a4db0b..d78ce99c2539 100644 --- a/clients/client-lex-model-building-service/src/commands/GetUtterancesViewCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/GetUtterancesViewCommand.ts @@ -133,4 +133,16 @@ export class GetUtterancesViewCommand extends $Command .f(void 0, void 0) .ser(se_GetUtterancesViewCommand) .de(de_GetUtterancesViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUtterancesViewRequest; + output: GetUtterancesViewResponse; + }; + sdk: { + input: GetUtterancesViewCommandInput; + output: GetUtterancesViewCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/ListTagsForResourceCommand.ts b/clients/client-lex-model-building-service/src/commands/ListTagsForResourceCommand.ts index fd9276820fee..8d404c585a0b 100644 --- a/clients/client-lex-model-building-service/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/PutBotAliasCommand.ts b/clients/client-lex-model-building-service/src/commands/PutBotAliasCommand.ts index c46b43771030..2639a028d4f1 100644 --- a/clients/client-lex-model-building-service/src/commands/PutBotAliasCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/PutBotAliasCommand.ts @@ -151,4 +151,16 @@ export class PutBotAliasCommand extends $Command .f(void 0, void 0) .ser(se_PutBotAliasCommand) .de(de_PutBotAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBotAliasRequest; + output: PutBotAliasResponse; + }; + sdk: { + input: PutBotAliasCommandInput; + output: PutBotAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/PutBotCommand.ts b/clients/client-lex-model-building-service/src/commands/PutBotCommand.ts index 8ea43c9ded78..aadcac6bcf6d 100644 --- a/clients/client-lex-model-building-service/src/commands/PutBotCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/PutBotCommand.ts @@ -301,4 +301,16 @@ export class PutBotCommand extends $Command .f(void 0, void 0) .ser(se_PutBotCommand) .de(de_PutBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBotRequest; + output: PutBotResponse; + }; + sdk: { + input: PutBotCommandInput; + output: PutBotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/PutIntentCommand.ts b/clients/client-lex-model-building-service/src/commands/PutIntentCommand.ts index 186f38485f9c..afe98127f733 100644 --- a/clients/client-lex-model-building-service/src/commands/PutIntentCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/PutIntentCommand.ts @@ -632,4 +632,16 @@ export class PutIntentCommand extends $Command .f(void 0, void 0) .ser(se_PutIntentCommand) .de(de_PutIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutIntentRequest; + output: PutIntentResponse; + }; + sdk: { + input: PutIntentCommandInput; + output: PutIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/PutSlotTypeCommand.ts b/clients/client-lex-model-building-service/src/commands/PutSlotTypeCommand.ts index be4b8c860699..677d840aa91b 100644 --- a/clients/client-lex-model-building-service/src/commands/PutSlotTypeCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/PutSlotTypeCommand.ts @@ -196,4 +196,16 @@ export class PutSlotTypeCommand extends $Command .f(void 0, void 0) .ser(se_PutSlotTypeCommand) .de(de_PutSlotTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSlotTypeRequest; + output: PutSlotTypeResponse; + }; + sdk: { + input: PutSlotTypeCommandInput; + output: PutSlotTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/StartImportCommand.ts b/clients/client-lex-model-building-service/src/commands/StartImportCommand.ts index 7ecaf5770514..e7f849496e7b 100644 --- a/clients/client-lex-model-building-service/src/commands/StartImportCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/StartImportCommand.ts @@ -111,4 +111,16 @@ export class StartImportCommand extends $Command .f(void 0, void 0) .ser(se_StartImportCommand) .de(de_StartImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportRequest; + output: StartImportResponse; + }; + sdk: { + input: StartImportCommandInput; + output: StartImportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/StartMigrationCommand.ts b/clients/client-lex-model-building-service/src/commands/StartMigrationCommand.ts index e085147d7716..e51750bd9f96 100644 --- a/clients/client-lex-model-building-service/src/commands/StartMigrationCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/StartMigrationCommand.ts @@ -114,4 +114,16 @@ export class StartMigrationCommand extends $Command .f(void 0, void 0) .ser(se_StartMigrationCommand) .de(de_StartMigrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMigrationRequest; + output: StartMigrationResponse; + }; + sdk: { + input: StartMigrationCommandInput; + output: StartMigrationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/TagResourceCommand.ts b/clients/client-lex-model-building-service/src/commands/TagResourceCommand.ts index 9e6ff0e2e01f..d592f1b3b804 100644 --- a/clients/client-lex-model-building-service/src/commands/TagResourceCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/TagResourceCommand.ts @@ -105,4 +105,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-model-building-service/src/commands/UntagResourceCommand.ts b/clients/client-lex-model-building-service/src/commands/UntagResourceCommand.ts index 790685358f85..6cfadae77e36 100644 --- a/clients/client-lex-model-building-service/src/commands/UntagResourceCommand.ts +++ b/clients/client-lex-model-building-service/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/package.json b/clients/client-lex-models-v2/package.json index 30fe8385f2d7..5e7087be41c1 100644 --- a/clients/client-lex-models-v2/package.json +++ b/clients/client-lex-models-v2/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-lex-models-v2/src/commands/BatchCreateCustomVocabularyItemCommand.ts b/clients/client-lex-models-v2/src/commands/BatchCreateCustomVocabularyItemCommand.ts index 5d896c3b5305..5ed9ce3885c6 100644 --- a/clients/client-lex-models-v2/src/commands/BatchCreateCustomVocabularyItemCommand.ts +++ b/clients/client-lex-models-v2/src/commands/BatchCreateCustomVocabularyItemCommand.ts @@ -128,4 +128,16 @@ export class BatchCreateCustomVocabularyItemCommand extends $Command .f(void 0, void 0) .ser(se_BatchCreateCustomVocabularyItemCommand) .de(de_BatchCreateCustomVocabularyItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateCustomVocabularyItemRequest; + output: BatchCreateCustomVocabularyItemResponse; + }; + sdk: { + input: BatchCreateCustomVocabularyItemCommandInput; + output: BatchCreateCustomVocabularyItemCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/BatchDeleteCustomVocabularyItemCommand.ts b/clients/client-lex-models-v2/src/commands/BatchDeleteCustomVocabularyItemCommand.ts index 26bf826e6da3..402c0592a73d 100644 --- a/clients/client-lex-models-v2/src/commands/BatchDeleteCustomVocabularyItemCommand.ts +++ b/clients/client-lex-models-v2/src/commands/BatchDeleteCustomVocabularyItemCommand.ts @@ -126,4 +126,16 @@ export class BatchDeleteCustomVocabularyItemCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteCustomVocabularyItemCommand) .de(de_BatchDeleteCustomVocabularyItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteCustomVocabularyItemRequest; + output: BatchDeleteCustomVocabularyItemResponse; + }; + sdk: { + input: BatchDeleteCustomVocabularyItemCommandInput; + output: BatchDeleteCustomVocabularyItemCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/BatchUpdateCustomVocabularyItemCommand.ts b/clients/client-lex-models-v2/src/commands/BatchUpdateCustomVocabularyItemCommand.ts index a3fa5341bb5a..729ed037eeb9 100644 --- a/clients/client-lex-models-v2/src/commands/BatchUpdateCustomVocabularyItemCommand.ts +++ b/clients/client-lex-models-v2/src/commands/BatchUpdateCustomVocabularyItemCommand.ts @@ -129,4 +129,16 @@ export class BatchUpdateCustomVocabularyItemCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateCustomVocabularyItemCommand) .de(de_BatchUpdateCustomVocabularyItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateCustomVocabularyItemRequest; + output: BatchUpdateCustomVocabularyItemResponse; + }; + sdk: { + input: BatchUpdateCustomVocabularyItemCommandInput; + output: BatchUpdateCustomVocabularyItemCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/BuildBotLocaleCommand.ts b/clients/client-lex-models-v2/src/commands/BuildBotLocaleCommand.ts index 11b6f08ab077..ee2d301cd731 100644 --- a/clients/client-lex-models-v2/src/commands/BuildBotLocaleCommand.ts +++ b/clients/client-lex-models-v2/src/commands/BuildBotLocaleCommand.ts @@ -110,4 +110,16 @@ export class BuildBotLocaleCommand extends $Command .f(void 0, void 0) .ser(se_BuildBotLocaleCommand) .de(de_BuildBotLocaleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BuildBotLocaleRequest; + output: BuildBotLocaleResponse; + }; + sdk: { + input: BuildBotLocaleCommandInput; + output: BuildBotLocaleCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateBotAliasCommand.ts b/clients/client-lex-models-v2/src/commands/CreateBotAliasCommand.ts index 81cccae62ba2..c181e8112ab7 100644 --- a/clients/client-lex-models-v2/src/commands/CreateBotAliasCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateBotAliasCommand.ts @@ -203,4 +203,16 @@ export class CreateBotAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateBotAliasCommand) .de(de_CreateBotAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBotAliasRequest; + output: CreateBotAliasResponse; + }; + sdk: { + input: CreateBotAliasCommandInput; + output: CreateBotAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateBotCommand.ts b/clients/client-lex-models-v2/src/commands/CreateBotCommand.ts index da24e070031d..841f408c6e77 100644 --- a/clients/client-lex-models-v2/src/commands/CreateBotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateBotCommand.ts @@ -149,4 +149,16 @@ export class CreateBotCommand extends $Command .f(void 0, void 0) .ser(se_CreateBotCommand) .de(de_CreateBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBotRequest; + output: CreateBotResponse; + }; + sdk: { + input: CreateBotCommandInput; + output: CreateBotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateBotLocaleCommand.ts b/clients/client-lex-models-v2/src/commands/CreateBotLocaleCommand.ts index 9e0544dd95d0..064b8d9fc106 100644 --- a/clients/client-lex-models-v2/src/commands/CreateBotLocaleCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateBotLocaleCommand.ts @@ -208,4 +208,16 @@ export class CreateBotLocaleCommand extends $Command .f(void 0, void 0) .ser(se_CreateBotLocaleCommand) .de(de_CreateBotLocaleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBotLocaleRequest; + output: CreateBotLocaleResponse; + }; + sdk: { + input: CreateBotLocaleCommandInput; + output: CreateBotLocaleCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateBotReplicaCommand.ts b/clients/client-lex-models-v2/src/commands/CreateBotReplicaCommand.ts index 6dda22487b8c..d17c949a3960 100644 --- a/clients/client-lex-models-v2/src/commands/CreateBotReplicaCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateBotReplicaCommand.ts @@ -107,4 +107,16 @@ export class CreateBotReplicaCommand extends $Command .f(void 0, void 0) .ser(se_CreateBotReplicaCommand) .de(de_CreateBotReplicaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBotReplicaRequest; + output: CreateBotReplicaResponse; + }; + sdk: { + input: CreateBotReplicaCommandInput; + output: CreateBotReplicaCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateBotVersionCommand.ts b/clients/client-lex-models-v2/src/commands/CreateBotVersionCommand.ts index 498381d41cbf..e498b46dbc14 100644 --- a/clients/client-lex-models-v2/src/commands/CreateBotVersionCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateBotVersionCommand.ts @@ -121,4 +121,16 @@ export class CreateBotVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateBotVersionCommand) .de(de_CreateBotVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBotVersionRequest; + output: CreateBotVersionResponse; + }; + sdk: { + input: CreateBotVersionCommandInput; + output: CreateBotVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateExportCommand.ts b/clients/client-lex-models-v2/src/commands/CreateExportCommand.ts index 33034fae2e76..417b73b1e5f2 100644 --- a/clients/client-lex-models-v2/src/commands/CreateExportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateExportCommand.ts @@ -152,4 +152,16 @@ export class CreateExportCommand extends $Command .f(CreateExportRequestFilterSensitiveLog, void 0) .ser(se_CreateExportCommand) .de(de_CreateExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExportRequest; + output: CreateExportResponse; + }; + sdk: { + input: CreateExportCommandInput; + output: CreateExportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateIntentCommand.ts b/clients/client-lex-models-v2/src/commands/CreateIntentCommand.ts index d8307488b878..eda7cb207a57 100644 --- a/clients/client-lex-models-v2/src/commands/CreateIntentCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateIntentCommand.ts @@ -1071,4 +1071,16 @@ export class CreateIntentCommand extends $Command .f(void 0, void 0) .ser(se_CreateIntentCommand) .de(de_CreateIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIntentRequest; + output: CreateIntentResponse; + }; + sdk: { + input: CreateIntentCommandInput; + output: CreateIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateResourcePolicyCommand.ts b/clients/client-lex-models-v2/src/commands/CreateResourcePolicyCommand.ts index c7cb16d93bdb..528947f7ccec 100644 --- a/clients/client-lex-models-v2/src/commands/CreateResourcePolicyCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateResourcePolicyCommand.ts @@ -104,4 +104,16 @@ export class CreateResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourcePolicyCommand) .de(de_CreateResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourcePolicyRequest; + output: CreateResourcePolicyResponse; + }; + sdk: { + input: CreateResourcePolicyCommandInput; + output: CreateResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateResourcePolicyStatementCommand.ts b/clients/client-lex-models-v2/src/commands/CreateResourcePolicyStatementCommand.ts index eab7622b091f..43fce6482a3e 100644 --- a/clients/client-lex-models-v2/src/commands/CreateResourcePolicyStatementCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateResourcePolicyStatementCommand.ts @@ -135,4 +135,16 @@ export class CreateResourcePolicyStatementCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourcePolicyStatementCommand) .de(de_CreateResourcePolicyStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourcePolicyStatementRequest; + output: CreateResourcePolicyStatementResponse; + }; + sdk: { + input: CreateResourcePolicyStatementCommandInput; + output: CreateResourcePolicyStatementCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateSlotCommand.ts b/clients/client-lex-models-v2/src/commands/CreateSlotCommand.ts index 432419000bfe..566674f9e597 100644 --- a/clients/client-lex-models-v2/src/commands/CreateSlotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateSlotCommand.ts @@ -908,4 +908,16 @@ export class CreateSlotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSlotCommand) .de(de_CreateSlotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSlotRequest; + output: CreateSlotResponse; + }; + sdk: { + input: CreateSlotCommandInput; + output: CreateSlotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateSlotTypeCommand.ts b/clients/client-lex-models-v2/src/commands/CreateSlotTypeCommand.ts index 0ad715fccfed..9e3e257b4a8d 100644 --- a/clients/client-lex-models-v2/src/commands/CreateSlotTypeCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateSlotTypeCommand.ts @@ -193,4 +193,16 @@ export class CreateSlotTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateSlotTypeCommand) .de(de_CreateSlotTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSlotTypeRequest; + output: CreateSlotTypeResponse; + }; + sdk: { + input: CreateSlotTypeCommandInput; + output: CreateSlotTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateTestSetDiscrepancyReportCommand.ts b/clients/client-lex-models-v2/src/commands/CreateTestSetDiscrepancyReportCommand.ts index c844d5dd43cb..4299240c097c 100644 --- a/clients/client-lex-models-v2/src/commands/CreateTestSetDiscrepancyReportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateTestSetDiscrepancyReportCommand.ts @@ -122,4 +122,16 @@ export class CreateTestSetDiscrepancyReportCommand extends $Command .f(void 0, void 0) .ser(se_CreateTestSetDiscrepancyReportCommand) .de(de_CreateTestSetDiscrepancyReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTestSetDiscrepancyReportRequest; + output: CreateTestSetDiscrepancyReportResponse; + }; + sdk: { + input: CreateTestSetDiscrepancyReportCommandInput; + output: CreateTestSetDiscrepancyReportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/CreateUploadUrlCommand.ts b/clients/client-lex-models-v2/src/commands/CreateUploadUrlCommand.ts index da22f85be631..58e6021d300c 100644 --- a/clients/client-lex-models-v2/src/commands/CreateUploadUrlCommand.ts +++ b/clients/client-lex-models-v2/src/commands/CreateUploadUrlCommand.ts @@ -98,4 +98,16 @@ export class CreateUploadUrlCommand extends $Command .f(void 0, void 0) .ser(se_CreateUploadUrlCommand) .de(de_CreateUploadUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: CreateUploadUrlResponse; + }; + sdk: { + input: CreateUploadUrlCommandInput; + output: CreateUploadUrlCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteBotAliasCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteBotAliasCommand.ts index ecbd51430b9c..0f951e5f12ce 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteBotAliasCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteBotAliasCommand.ts @@ -106,4 +106,16 @@ export class DeleteBotAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotAliasCommand) .de(de_DeleteBotAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotAliasRequest; + output: DeleteBotAliasResponse; + }; + sdk: { + input: DeleteBotAliasCommandInput; + output: DeleteBotAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteBotCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteBotCommand.ts index 50ee64305758..bdda1ba37578 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteBotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteBotCommand.ts @@ -113,4 +113,16 @@ export class DeleteBotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotCommand) .de(de_DeleteBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotRequest; + output: DeleteBotResponse; + }; + sdk: { + input: DeleteBotCommandInput; + output: DeleteBotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteBotLocaleCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteBotLocaleCommand.ts index bcad45fc6f70..5f4baacf1ddb 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteBotLocaleCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteBotLocaleCommand.ts @@ -109,4 +109,16 @@ export class DeleteBotLocaleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotLocaleCommand) .de(de_DeleteBotLocaleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotLocaleRequest; + output: DeleteBotLocaleResponse; + }; + sdk: { + input: DeleteBotLocaleCommandInput; + output: DeleteBotLocaleCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteBotReplicaCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteBotReplicaCommand.ts index a3507309afb7..52b1854cdb0d 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteBotReplicaCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteBotReplicaCommand.ts @@ -105,4 +105,16 @@ export class DeleteBotReplicaCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotReplicaCommand) .de(de_DeleteBotReplicaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotReplicaRequest; + output: DeleteBotReplicaResponse; + }; + sdk: { + input: DeleteBotReplicaCommandInput; + output: DeleteBotReplicaCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteBotVersionCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteBotVersionCommand.ts index a8787c34de0d..b82b971ea94f 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteBotVersionCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteBotVersionCommand.ts @@ -107,4 +107,16 @@ export class DeleteBotVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBotVersionCommand) .de(de_DeleteBotVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBotVersionRequest; + output: DeleteBotVersionResponse; + }; + sdk: { + input: DeleteBotVersionCommandInput; + output: DeleteBotVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteCustomVocabularyCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteCustomVocabularyCommand.ts index 8771b038a52e..5d83749f5df4 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteCustomVocabularyCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteCustomVocabularyCommand.ts @@ -108,4 +108,16 @@ export class DeleteCustomVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomVocabularyCommand) .de(de_DeleteCustomVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomVocabularyRequest; + output: DeleteCustomVocabularyResponse; + }; + sdk: { + input: DeleteCustomVocabularyCommandInput; + output: DeleteCustomVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteExportCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteExportCommand.ts index da03668282c1..f9cb0070a707 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteExportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteExportCommand.ts @@ -99,4 +99,16 @@ export class DeleteExportCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExportCommand) .de(de_DeleteExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExportRequest; + output: DeleteExportResponse; + }; + sdk: { + input: DeleteExportCommandInput; + output: DeleteExportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteImportCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteImportCommand.ts index 342f0488c274..4443d90edc37 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteImportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteImportCommand.ts @@ -99,4 +99,16 @@ export class DeleteImportCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImportCommand) .de(de_DeleteImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImportRequest; + output: DeleteImportResponse; + }; + sdk: { + input: DeleteImportCommandInput; + output: DeleteImportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteIntentCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteIntentCommand.ts index 26b096f03c8e..3da678106f47 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteIntentCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteIntentCommand.ts @@ -105,4 +105,16 @@ export class DeleteIntentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntentCommand) .de(de_DeleteIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntentRequest; + output: {}; + }; + sdk: { + input: DeleteIntentCommandInput; + output: DeleteIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyCommand.ts index cc56a91b29ce..1ed17cf1a2d8 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyCommand.ts @@ -97,4 +97,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: DeleteResourcePolicyResponse; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyStatementCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyStatementCommand.ts index 0b73a663750a..d1bd31c073fd 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyStatementCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteResourcePolicyStatementCommand.ts @@ -108,4 +108,16 @@ export class DeleteResourcePolicyStatementCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyStatementCommand) .de(de_DeleteResourcePolicyStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyStatementRequest; + output: DeleteResourcePolicyStatementResponse; + }; + sdk: { + input: DeleteResourcePolicyStatementCommandInput; + output: DeleteResourcePolicyStatementCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteSlotCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteSlotCommand.ts index 002c05ae2bb8..95de71e78875 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteSlotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteSlotCommand.ts @@ -104,4 +104,16 @@ export class DeleteSlotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlotCommand) .de(de_DeleteSlotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlotRequest; + output: {}; + }; + sdk: { + input: DeleteSlotCommandInput; + output: DeleteSlotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteSlotTypeCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteSlotTypeCommand.ts index 590184c0275b..da5951876017 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteSlotTypeCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteSlotTypeCommand.ts @@ -108,4 +108,16 @@ export class DeleteSlotTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlotTypeCommand) .de(de_DeleteSlotTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlotTypeRequest; + output: {}; + }; + sdk: { + input: DeleteSlotTypeCommandInput; + output: DeleteSlotTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteTestSetCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteTestSetCommand.ts index 6839b51648a8..cc0968eecd53 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteTestSetCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteTestSetCommand.ts @@ -100,4 +100,16 @@ export class DeleteTestSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTestSetCommand) .de(de_DeleteTestSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTestSetRequest; + output: {}; + }; + sdk: { + input: DeleteTestSetCommandInput; + output: DeleteTestSetCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DeleteUtterancesCommand.ts b/clients/client-lex-models-v2/src/commands/DeleteUtterancesCommand.ts index c0d58b1d0e79..3b8f7336fc16 100644 --- a/clients/client-lex-models-v2/src/commands/DeleteUtterancesCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DeleteUtterancesCommand.ts @@ -100,4 +100,16 @@ export class DeleteUtterancesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUtterancesCommand) .de(de_DeleteUtterancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUtterancesRequest; + output: {}; + }; + sdk: { + input: DeleteUtterancesCommandInput; + output: DeleteUtterancesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeBotAliasCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeBotAliasCommand.ts index 14e1bb09282f..26b9b97bcc27 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeBotAliasCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeBotAliasCommand.ts @@ -158,4 +158,16 @@ export class DescribeBotAliasCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBotAliasCommand) .de(de_DescribeBotAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBotAliasRequest; + output: DescribeBotAliasResponse; + }; + sdk: { + input: DescribeBotAliasCommandInput; + output: DescribeBotAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeBotCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeBotCommand.ts index 3745162a405c..ba29b82a68c4 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeBotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeBotCommand.ts @@ -119,4 +119,16 @@ export class DescribeBotCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBotCommand) .de(de_DescribeBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBotRequest; + output: DescribeBotResponse; + }; + sdk: { + input: DescribeBotCommandInput; + output: DescribeBotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeBotLocaleCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeBotLocaleCommand.ts index 20b5c9da34ea..981aecf55ebf 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeBotLocaleCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeBotLocaleCommand.ts @@ -168,4 +168,16 @@ export class DescribeBotLocaleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBotLocaleCommand) .de(de_DescribeBotLocaleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBotLocaleRequest; + output: DescribeBotLocaleResponse; + }; + sdk: { + input: DescribeBotLocaleCommandInput; + output: DescribeBotLocaleCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeBotRecommendationCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeBotRecommendationCommand.ts index f41ce28c9543..1cb2ef49ad13 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeBotRecommendationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeBotRecommendationCommand.ts @@ -150,4 +150,16 @@ export class DescribeBotRecommendationCommand extends $Command .f(void 0, DescribeBotRecommendationResponseFilterSensitiveLog) .ser(se_DescribeBotRecommendationCommand) .de(de_DescribeBotRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBotRecommendationRequest; + output: DescribeBotRecommendationResponse; + }; + sdk: { + input: DescribeBotRecommendationCommandInput; + output: DescribeBotRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeBotReplicaCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeBotReplicaCommand.ts index 041ebd9371f9..ade60a8a8244 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeBotReplicaCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeBotReplicaCommand.ts @@ -104,4 +104,16 @@ export class DescribeBotReplicaCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBotReplicaCommand) .de(de_DescribeBotReplicaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBotReplicaRequest; + output: DescribeBotReplicaResponse; + }; + sdk: { + input: DescribeBotReplicaCommandInput; + output: DescribeBotReplicaCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeBotResourceGenerationCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeBotResourceGenerationCommand.ts index de51ca3a8782..6e0105f2d3e6 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeBotResourceGenerationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeBotResourceGenerationCommand.ts @@ -116,4 +116,16 @@ export class DescribeBotResourceGenerationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBotResourceGenerationCommand) .de(de_DescribeBotResourceGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBotResourceGenerationRequest; + output: DescribeBotResourceGenerationResponse; + }; + sdk: { + input: DescribeBotResourceGenerationCommandInput; + output: DescribeBotResourceGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeBotVersionCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeBotVersionCommand.ts index 7e820cd603d5..e8ad3e42b279 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeBotVersionCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeBotVersionCommand.ts @@ -126,4 +126,16 @@ export class DescribeBotVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBotVersionCommand) .de(de_DescribeBotVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBotVersionRequest; + output: DescribeBotVersionResponse; + }; + sdk: { + input: DescribeBotVersionCommandInput; + output: DescribeBotVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeCustomVocabularyMetadataCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeCustomVocabularyMetadataCommand.ts index f5e7f7923cc0..70d15c3e6553 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeCustomVocabularyMetadataCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeCustomVocabularyMetadataCommand.ts @@ -108,4 +108,16 @@ export class DescribeCustomVocabularyMetadataCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomVocabularyMetadataCommand) .de(de_DescribeCustomVocabularyMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomVocabularyMetadataRequest; + output: DescribeCustomVocabularyMetadataResponse; + }; + sdk: { + input: DescribeCustomVocabularyMetadataCommandInput; + output: DescribeCustomVocabularyMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeExportCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeExportCommand.ts index 8bf67f637b70..a41bfb99e44a 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeExportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeExportCommand.ts @@ -120,4 +120,16 @@ export class DescribeExportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportCommand) .de(de_DescribeExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportRequest; + output: DescribeExportResponse; + }; + sdk: { + input: DescribeExportCommandInput; + output: DescribeExportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeImportCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeImportCommand.ts index 0a3015cc6f22..9a3b6ff6964e 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeImportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeImportCommand.ts @@ -151,4 +151,16 @@ export class DescribeImportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImportCommand) .de(de_DescribeImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImportRequest; + output: DescribeImportResponse; + }; + sdk: { + input: DescribeImportCommandInput; + output: DescribeImportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeIntentCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeIntentCommand.ts index 2481abd27aac..d3ecf409bc04 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeIntentCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeIntentCommand.ts @@ -573,4 +573,16 @@ export class DescribeIntentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIntentCommand) .de(de_DescribeIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIntentRequest; + output: DescribeIntentResponse; + }; + sdk: { + input: DescribeIntentCommandInput; + output: DescribeIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeResourcePolicyCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeResourcePolicyCommand.ts index 45d4d3484a23..27c01817100c 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeResourcePolicyCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeResourcePolicyCommand.ts @@ -92,4 +92,16 @@ export class DescribeResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourcePolicyCommand) .de(de_DescribeResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourcePolicyRequest; + output: DescribeResourcePolicyResponse; + }; + sdk: { + input: DescribeResourcePolicyCommandInput; + output: DescribeResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeSlotCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeSlotCommand.ts index 69115d0e8f15..d6b8ab883232 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeSlotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeSlotCommand.ts @@ -503,4 +503,16 @@ export class DescribeSlotCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSlotCommand) .de(de_DescribeSlotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSlotRequest; + output: DescribeSlotResponse; + }; + sdk: { + input: DescribeSlotCommandInput; + output: DescribeSlotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeSlotTypeCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeSlotTypeCommand.ts index 2c7636173a03..de99a3cd2748 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeSlotTypeCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeSlotTypeCommand.ts @@ -145,4 +145,16 @@ export class DescribeSlotTypeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSlotTypeCommand) .de(de_DescribeSlotTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSlotTypeRequest; + output: DescribeSlotTypeResponse; + }; + sdk: { + input: DescribeSlotTypeCommandInput; + output: DescribeSlotTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeTestExecutionCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeTestExecutionCommand.ts index 33904dba05a7..0d218cd918e1 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeTestExecutionCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeTestExecutionCommand.ts @@ -113,4 +113,16 @@ export class DescribeTestExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTestExecutionCommand) .de(de_DescribeTestExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTestExecutionRequest; + output: DescribeTestExecutionResponse; + }; + sdk: { + input: DescribeTestExecutionCommandInput; + output: DescribeTestExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeTestSetCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeTestSetCommand.ts index 9212b8614cfd..52fbb78577e2 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeTestSetCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeTestSetCommand.ts @@ -109,4 +109,16 @@ export class DescribeTestSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTestSetCommand) .de(de_DescribeTestSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTestSetRequest; + output: DescribeTestSetResponse; + }; + sdk: { + input: DescribeTestSetCommandInput; + output: DescribeTestSetCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeTestSetDiscrepancyReportCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeTestSetDiscrepancyReportCommand.ts index bf19e414f837..40729ecea893 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeTestSetDiscrepancyReportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeTestSetDiscrepancyReportCommand.ts @@ -131,4 +131,16 @@ export class DescribeTestSetDiscrepancyReportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTestSetDiscrepancyReportCommand) .de(de_DescribeTestSetDiscrepancyReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTestSetDiscrepancyReportRequest; + output: DescribeTestSetDiscrepancyReportResponse; + }; + sdk: { + input: DescribeTestSetDiscrepancyReportCommandInput; + output: DescribeTestSetDiscrepancyReportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/DescribeTestSetGenerationCommand.ts b/clients/client-lex-models-v2/src/commands/DescribeTestSetGenerationCommand.ts index dca1198a8900..64cbb05196fb 100644 --- a/clients/client-lex-models-v2/src/commands/DescribeTestSetGenerationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/DescribeTestSetGenerationCommand.ts @@ -123,4 +123,16 @@ export class DescribeTestSetGenerationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTestSetGenerationCommand) .de(de_DescribeTestSetGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTestSetGenerationRequest; + output: DescribeTestSetGenerationResponse; + }; + sdk: { + input: DescribeTestSetGenerationCommandInput; + output: DescribeTestSetGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/GenerateBotElementCommand.ts b/clients/client-lex-models-v2/src/commands/GenerateBotElementCommand.ts index 9beb4e437cd9..c773b3af322d 100644 --- a/clients/client-lex-models-v2/src/commands/GenerateBotElementCommand.ts +++ b/clients/client-lex-models-v2/src/commands/GenerateBotElementCommand.ts @@ -117,4 +117,16 @@ export class GenerateBotElementCommand extends $Command .f(void 0, void 0) .ser(se_GenerateBotElementCommand) .de(de_GenerateBotElementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateBotElementRequest; + output: GenerateBotElementResponse; + }; + sdk: { + input: GenerateBotElementCommandInput; + output: GenerateBotElementCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/GetTestExecutionArtifactsUrlCommand.ts b/clients/client-lex-models-v2/src/commands/GetTestExecutionArtifactsUrlCommand.ts index a13636aeb399..b7f7646e1cb6 100644 --- a/clients/client-lex-models-v2/src/commands/GetTestExecutionArtifactsUrlCommand.ts +++ b/clients/client-lex-models-v2/src/commands/GetTestExecutionArtifactsUrlCommand.ts @@ -102,4 +102,16 @@ export class GetTestExecutionArtifactsUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetTestExecutionArtifactsUrlCommand) .de(de_GetTestExecutionArtifactsUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTestExecutionArtifactsUrlRequest; + output: GetTestExecutionArtifactsUrlResponse; + }; + sdk: { + input: GetTestExecutionArtifactsUrlCommandInput; + output: GetTestExecutionArtifactsUrlCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListAggregatedUtterancesCommand.ts b/clients/client-lex-models-v2/src/commands/ListAggregatedUtterancesCommand.ts index e0b3ff8ae147..9c96ded5525f 100644 --- a/clients/client-lex-models-v2/src/commands/ListAggregatedUtterancesCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListAggregatedUtterancesCommand.ts @@ -165,4 +165,16 @@ export class ListAggregatedUtterancesCommand extends $Command .f(void 0, void 0) .ser(se_ListAggregatedUtterancesCommand) .de(de_ListAggregatedUtterancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAggregatedUtterancesRequest; + output: ListAggregatedUtterancesResponse; + }; + sdk: { + input: ListAggregatedUtterancesCommandInput; + output: ListAggregatedUtterancesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotAliasReplicasCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotAliasReplicasCommand.ts index 6875d573f194..863e7e1027ce 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotAliasReplicasCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotAliasReplicasCommand.ts @@ -110,4 +110,16 @@ export class ListBotAliasReplicasCommand extends $Command .f(void 0, void 0) .ser(se_ListBotAliasReplicasCommand) .de(de_ListBotAliasReplicasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotAliasReplicasRequest; + output: ListBotAliasReplicasResponse; + }; + sdk: { + input: ListBotAliasReplicasCommandInput; + output: ListBotAliasReplicasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotAliasesCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotAliasesCommand.ts index a7c3a8e9a7fb..6736f7f229e3 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotAliasesCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotAliasesCommand.ts @@ -106,4 +106,16 @@ export class ListBotAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListBotAliasesCommand) .de(de_ListBotAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotAliasesRequest; + output: ListBotAliasesResponse; + }; + sdk: { + input: ListBotAliasesCommandInput; + output: ListBotAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotLocalesCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotLocalesCommand.ts index 2e0c81206d99..dffa8b3a005a 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotLocalesCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotLocalesCommand.ts @@ -120,4 +120,16 @@ export class ListBotLocalesCommand extends $Command .f(void 0, void 0) .ser(se_ListBotLocalesCommand) .de(de_ListBotLocalesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotLocalesRequest; + output: ListBotLocalesResponse; + }; + sdk: { + input: ListBotLocalesCommandInput; + output: ListBotLocalesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotRecommendationsCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotRecommendationsCommand.ts index 2d57bfa21b65..b4f46d66c848 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotRecommendationsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotRecommendationsCommand.ts @@ -109,4 +109,16 @@ export class ListBotRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListBotRecommendationsCommand) .de(de_ListBotRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotRecommendationsRequest; + output: ListBotRecommendationsResponse; + }; + sdk: { + input: ListBotRecommendationsCommandInput; + output: ListBotRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotReplicasCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotReplicasCommand.ts index f9498898be2a..2f4eaf0648d8 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotReplicasCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotReplicasCommand.ts @@ -103,4 +103,16 @@ export class ListBotReplicasCommand extends $Command .f(void 0, void 0) .ser(se_ListBotReplicasCommand) .de(de_ListBotReplicasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotReplicasRequest; + output: ListBotReplicasResponse; + }; + sdk: { + input: ListBotReplicasCommandInput; + output: ListBotReplicasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotResourceGenerationsCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotResourceGenerationsCommand.ts index 48deb168d666..06dfcf109f6f 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotResourceGenerationsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotResourceGenerationsCommand.ts @@ -112,4 +112,16 @@ export class ListBotResourceGenerationsCommand extends $Command .f(void 0, void 0) .ser(se_ListBotResourceGenerationsCommand) .de(de_ListBotResourceGenerationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotResourceGenerationsRequest; + output: ListBotResourceGenerationsResponse; + }; + sdk: { + input: ListBotResourceGenerationsCommandInput; + output: ListBotResourceGenerationsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotVersionReplicasCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotVersionReplicasCommand.ts index 645fe5db50fa..55c71231948d 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotVersionReplicasCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotVersionReplicasCommand.ts @@ -112,4 +112,16 @@ export class ListBotVersionReplicasCommand extends $Command .f(void 0, void 0) .ser(se_ListBotVersionReplicasCommand) .de(de_ListBotVersionReplicasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotVersionReplicasRequest; + output: ListBotVersionReplicasResponse; + }; + sdk: { + input: ListBotVersionReplicasCommandInput; + output: ListBotVersionReplicasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotVersionsCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotVersionsCommand.ts index fb34af51e48d..01fe2a317f43 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotVersionsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotVersionsCommand.ts @@ -115,4 +115,16 @@ export class ListBotVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListBotVersionsCommand) .de(de_ListBotVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotVersionsRequest; + output: ListBotVersionsResponse; + }; + sdk: { + input: ListBotVersionsCommandInput; + output: ListBotVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBotsCommand.ts b/clients/client-lex-models-v2/src/commands/ListBotsCommand.ts index 8c329bbe08e8..d17bd917a1be 100644 --- a/clients/client-lex-models-v2/src/commands/ListBotsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBotsCommand.ts @@ -117,4 +117,16 @@ export class ListBotsCommand extends $Command .f(void 0, void 0) .ser(se_ListBotsCommand) .de(de_ListBotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBotsRequest; + output: ListBotsResponse; + }; + sdk: { + input: ListBotsCommandInput; + output: ListBotsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBuiltInIntentsCommand.ts b/clients/client-lex-models-v2/src/commands/ListBuiltInIntentsCommand.ts index 2e95e0c1c360..61f42bf3cd71 100644 --- a/clients/client-lex-models-v2/src/commands/ListBuiltInIntentsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBuiltInIntentsCommand.ts @@ -110,4 +110,16 @@ export class ListBuiltInIntentsCommand extends $Command .f(void 0, void 0) .ser(se_ListBuiltInIntentsCommand) .de(de_ListBuiltInIntentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBuiltInIntentsRequest; + output: ListBuiltInIntentsResponse; + }; + sdk: { + input: ListBuiltInIntentsCommandInput; + output: ListBuiltInIntentsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListBuiltInSlotTypesCommand.ts b/clients/client-lex-models-v2/src/commands/ListBuiltInSlotTypesCommand.ts index fb21f99c8d0e..282997ac9cb5 100644 --- a/clients/client-lex-models-v2/src/commands/ListBuiltInSlotTypesCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListBuiltInSlotTypesCommand.ts @@ -106,4 +106,16 @@ export class ListBuiltInSlotTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListBuiltInSlotTypesCommand) .de(de_ListBuiltInSlotTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBuiltInSlotTypesRequest; + output: ListBuiltInSlotTypesResponse; + }; + sdk: { + input: ListBuiltInSlotTypesCommandInput; + output: ListBuiltInSlotTypesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListCustomVocabularyItemsCommand.ts b/clients/client-lex-models-v2/src/commands/ListCustomVocabularyItemsCommand.ts index 47b92e2ccf8f..be30ed924708 100644 --- a/clients/client-lex-models-v2/src/commands/ListCustomVocabularyItemsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListCustomVocabularyItemsCommand.ts @@ -112,4 +112,16 @@ export class ListCustomVocabularyItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomVocabularyItemsCommand) .de(de_ListCustomVocabularyItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomVocabularyItemsRequest; + output: ListCustomVocabularyItemsResponse; + }; + sdk: { + input: ListCustomVocabularyItemsCommandInput; + output: ListCustomVocabularyItemsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListExportsCommand.ts b/clients/client-lex-models-v2/src/commands/ListExportsCommand.ts index 23239ce7940e..66ae92a936dc 100644 --- a/clients/client-lex-models-v2/src/commands/ListExportsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListExportsCommand.ts @@ -138,4 +138,16 @@ export class ListExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListExportsCommand) .de(de_ListExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExportsRequest; + output: ListExportsResponse; + }; + sdk: { + input: ListExportsCommandInput; + output: ListExportsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListImportsCommand.ts b/clients/client-lex-models-v2/src/commands/ListImportsCommand.ts index 131224babd11..0ed57902df06 100644 --- a/clients/client-lex-models-v2/src/commands/ListImportsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListImportsCommand.ts @@ -122,4 +122,16 @@ export class ListImportsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportsCommand) .de(de_ListImportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportsRequest; + output: ListImportsResponse; + }; + sdk: { + input: ListImportsCommandInput; + output: ListImportsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListIntentMetricsCommand.ts b/clients/client-lex-models-v2/src/commands/ListIntentMetricsCommand.ts index bd798f05ccf3..3f19fe987c66 100644 --- a/clients/client-lex-models-v2/src/commands/ListIntentMetricsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListIntentMetricsCommand.ts @@ -173,4 +173,16 @@ export class ListIntentMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListIntentMetricsCommand) .de(de_ListIntentMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIntentMetricsRequest; + output: ListIntentMetricsResponse; + }; + sdk: { + input: ListIntentMetricsCommandInput; + output: ListIntentMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListIntentPathsCommand.ts b/clients/client-lex-models-v2/src/commands/ListIntentPathsCommand.ts index e05cb49514cf..2c67cc9fa5e7 100644 --- a/clients/client-lex-models-v2/src/commands/ListIntentPathsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListIntentPathsCommand.ts @@ -128,4 +128,16 @@ export class ListIntentPathsCommand extends $Command .f(void 0, void 0) .ser(se_ListIntentPathsCommand) .de(de_ListIntentPathsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIntentPathsRequest; + output: ListIntentPathsResponse; + }; + sdk: { + input: ListIntentPathsCommandInput; + output: ListIntentPathsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListIntentStageMetricsCommand.ts b/clients/client-lex-models-v2/src/commands/ListIntentStageMetricsCommand.ts index 95cf75cd5884..19d9b7e8ff58 100644 --- a/clients/client-lex-models-v2/src/commands/ListIntentStageMetricsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListIntentStageMetricsCommand.ts @@ -173,4 +173,16 @@ export class ListIntentStageMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListIntentStageMetricsCommand) .de(de_ListIntentStageMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIntentStageMetricsRequest; + output: ListIntentStageMetricsResponse; + }; + sdk: { + input: ListIntentStageMetricsCommandInput; + output: ListIntentStageMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListIntentsCommand.ts b/clients/client-lex-models-v2/src/commands/ListIntentsCommand.ts index 9d135a45e57c..850fa4767fd8 100644 --- a/clients/client-lex-models-v2/src/commands/ListIntentsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListIntentsCommand.ts @@ -133,4 +133,16 @@ export class ListIntentsCommand extends $Command .f(void 0, void 0) .ser(se_ListIntentsCommand) .de(de_ListIntentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIntentsRequest; + output: ListIntentsResponse; + }; + sdk: { + input: ListIntentsCommandInput; + output: ListIntentsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListRecommendedIntentsCommand.ts b/clients/client-lex-models-v2/src/commands/ListRecommendedIntentsCommand.ts index 54bd05578230..39761a4f31be 100644 --- a/clients/client-lex-models-v2/src/commands/ListRecommendedIntentsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListRecommendedIntentsCommand.ts @@ -114,4 +114,16 @@ export class ListRecommendedIntentsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendedIntentsCommand) .de(de_ListRecommendedIntentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendedIntentsRequest; + output: ListRecommendedIntentsResponse; + }; + sdk: { + input: ListRecommendedIntentsCommandInput; + output: ListRecommendedIntentsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListSessionAnalyticsDataCommand.ts b/clients/client-lex-models-v2/src/commands/ListSessionAnalyticsDataCommand.ts index bd445ca1637c..18e148ad7fb8 100644 --- a/clients/client-lex-models-v2/src/commands/ListSessionAnalyticsDataCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListSessionAnalyticsDataCommand.ts @@ -144,4 +144,16 @@ export class ListSessionAnalyticsDataCommand extends $Command .f(void 0, void 0) .ser(se_ListSessionAnalyticsDataCommand) .de(de_ListSessionAnalyticsDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionAnalyticsDataRequest; + output: ListSessionAnalyticsDataResponse; + }; + sdk: { + input: ListSessionAnalyticsDataCommandInput; + output: ListSessionAnalyticsDataCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListSessionMetricsCommand.ts b/clients/client-lex-models-v2/src/commands/ListSessionMetricsCommand.ts index a2734b09b8b5..b0d3b5453be9 100644 --- a/clients/client-lex-models-v2/src/commands/ListSessionMetricsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListSessionMetricsCommand.ts @@ -173,4 +173,16 @@ export class ListSessionMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListSessionMetricsCommand) .de(de_ListSessionMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionMetricsRequest; + output: ListSessionMetricsResponse; + }; + sdk: { + input: ListSessionMetricsCommandInput; + output: ListSessionMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListSlotTypesCommand.ts b/clients/client-lex-models-v2/src/commands/ListSlotTypesCommand.ts index 3e5fb3bae990..b0a40e795f8f 100644 --- a/clients/client-lex-models-v2/src/commands/ListSlotTypesCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListSlotTypesCommand.ts @@ -122,4 +122,16 @@ export class ListSlotTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListSlotTypesCommand) .de(de_ListSlotTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSlotTypesRequest; + output: ListSlotTypesResponse; + }; + sdk: { + input: ListSlotTypesCommandInput; + output: ListSlotTypesCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListSlotsCommand.ts b/clients/client-lex-models-v2/src/commands/ListSlotsCommand.ts index 6ab81e0dcb8a..32053eba159d 100644 --- a/clients/client-lex-models-v2/src/commands/ListSlotsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListSlotsCommand.ts @@ -204,4 +204,16 @@ export class ListSlotsCommand extends $Command .f(void 0, void 0) .ser(se_ListSlotsCommand) .de(de_ListSlotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSlotsRequest; + output: ListSlotsResponse; + }; + sdk: { + input: ListSlotsCommandInput; + output: ListSlotsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListTagsForResourceCommand.ts b/clients/client-lex-models-v2/src/commands/ListTagsForResourceCommand.ts index 5672c62960b2..09f2c2cf9a55 100644 --- a/clients/client-lex-models-v2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListTestExecutionResultItemsCommand.ts b/clients/client-lex-models-v2/src/commands/ListTestExecutionResultItemsCommand.ts index 4df38e8db571..018ecde03995 100644 --- a/clients/client-lex-models-v2/src/commands/ListTestExecutionResultItemsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListTestExecutionResultItemsCommand.ts @@ -300,4 +300,16 @@ export class ListTestExecutionResultItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestExecutionResultItemsCommand) .de(de_ListTestExecutionResultItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestExecutionResultItemsRequest; + output: ListTestExecutionResultItemsResponse; + }; + sdk: { + input: ListTestExecutionResultItemsCommandInput; + output: ListTestExecutionResultItemsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListTestExecutionsCommand.ts b/clients/client-lex-models-v2/src/commands/ListTestExecutionsCommand.ts index a53961d71d47..eac5570e0ada 100644 --- a/clients/client-lex-models-v2/src/commands/ListTestExecutionsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListTestExecutionsCommand.ts @@ -116,4 +116,16 @@ export class ListTestExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestExecutionsCommand) .de(de_ListTestExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestExecutionsRequest; + output: ListTestExecutionsResponse; + }; + sdk: { + input: ListTestExecutionsCommandInput; + output: ListTestExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListTestSetRecordsCommand.ts b/clients/client-lex-models-v2/src/commands/ListTestSetRecordsCommand.ts index 48f97d566334..5befeb974d3e 100644 --- a/clients/client-lex-models-v2/src/commands/ListTestSetRecordsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListTestSetRecordsCommand.ts @@ -184,4 +184,16 @@ export class ListTestSetRecordsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestSetRecordsCommand) .de(de_ListTestSetRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestSetRecordsRequest; + output: ListTestSetRecordsResponse; + }; + sdk: { + input: ListTestSetRecordsCommandInput; + output: ListTestSetRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListTestSetsCommand.ts b/clients/client-lex-models-v2/src/commands/ListTestSetsCommand.ts index 6fcb1e54c016..4610ee10f8c6 100644 --- a/clients/client-lex-models-v2/src/commands/ListTestSetsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListTestSetsCommand.ts @@ -115,4 +115,16 @@ export class ListTestSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestSetsCommand) .de(de_ListTestSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestSetsRequest; + output: ListTestSetsResponse; + }; + sdk: { + input: ListTestSetsCommandInput; + output: ListTestSetsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListUtteranceAnalyticsDataCommand.ts b/clients/client-lex-models-v2/src/commands/ListUtteranceAnalyticsDataCommand.ts index 8b75a8e61a50..f85cc6a01fad 100644 --- a/clients/client-lex-models-v2/src/commands/ListUtteranceAnalyticsDataCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListUtteranceAnalyticsDataCommand.ts @@ -178,4 +178,16 @@ export class ListUtteranceAnalyticsDataCommand extends $Command .f(void 0, void 0) .ser(se_ListUtteranceAnalyticsDataCommand) .de(de_ListUtteranceAnalyticsDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUtteranceAnalyticsDataRequest; + output: ListUtteranceAnalyticsDataResponse; + }; + sdk: { + input: ListUtteranceAnalyticsDataCommandInput; + output: ListUtteranceAnalyticsDataCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/ListUtteranceMetricsCommand.ts b/clients/client-lex-models-v2/src/commands/ListUtteranceMetricsCommand.ts index 1c295f2d0bc7..21332015be6e 100644 --- a/clients/client-lex-models-v2/src/commands/ListUtteranceMetricsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/ListUtteranceMetricsCommand.ts @@ -189,4 +189,16 @@ export class ListUtteranceMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListUtteranceMetricsCommand) .de(de_ListUtteranceMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUtteranceMetricsRequest; + output: ListUtteranceMetricsResponse; + }; + sdk: { + input: ListUtteranceMetricsCommandInput; + output: ListUtteranceMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/SearchAssociatedTranscriptsCommand.ts b/clients/client-lex-models-v2/src/commands/SearchAssociatedTranscriptsCommand.ts index 862fa5b90c2e..bbe25c1b9383 100644 --- a/clients/client-lex-models-v2/src/commands/SearchAssociatedTranscriptsCommand.ts +++ b/clients/client-lex-models-v2/src/commands/SearchAssociatedTranscriptsCommand.ts @@ -126,4 +126,16 @@ export class SearchAssociatedTranscriptsCommand extends $Command .f(void 0, void 0) .ser(se_SearchAssociatedTranscriptsCommand) .de(de_SearchAssociatedTranscriptsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchAssociatedTranscriptsRequest; + output: SearchAssociatedTranscriptsResponse; + }; + sdk: { + input: SearchAssociatedTranscriptsCommandInput; + output: SearchAssociatedTranscriptsCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/StartBotRecommendationCommand.ts b/clients/client-lex-models-v2/src/commands/StartBotRecommendationCommand.ts index 8b08a91b9862..b670eb17fda9 100644 --- a/clients/client-lex-models-v2/src/commands/StartBotRecommendationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/StartBotRecommendationCommand.ts @@ -169,4 +169,16 @@ export class StartBotRecommendationCommand extends $Command .f(StartBotRecommendationRequestFilterSensitiveLog, StartBotRecommendationResponseFilterSensitiveLog) .ser(se_StartBotRecommendationCommand) .de(de_StartBotRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBotRecommendationRequest; + output: StartBotRecommendationResponse; + }; + sdk: { + input: StartBotRecommendationCommandInput; + output: StartBotRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/StartBotResourceGenerationCommand.ts b/clients/client-lex-models-v2/src/commands/StartBotResourceGenerationCommand.ts index 9300b93366af..882d0bac3688 100644 --- a/clients/client-lex-models-v2/src/commands/StartBotResourceGenerationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/StartBotResourceGenerationCommand.ts @@ -115,4 +115,16 @@ export class StartBotResourceGenerationCommand extends $Command .f(void 0, void 0) .ser(se_StartBotResourceGenerationCommand) .de(de_StartBotResourceGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBotResourceGenerationRequest; + output: StartBotResourceGenerationResponse; + }; + sdk: { + input: StartBotResourceGenerationCommandInput; + output: StartBotResourceGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/StartImportCommand.ts b/clients/client-lex-models-v2/src/commands/StartImportCommand.ts index d8e0de7320b5..8cf8e06fb33b 100644 --- a/clients/client-lex-models-v2/src/commands/StartImportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/StartImportCommand.ts @@ -205,4 +205,16 @@ export class StartImportCommand extends $Command .f(StartImportRequestFilterSensitiveLog, void 0) .ser(se_StartImportCommand) .de(de_StartImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportRequest; + output: StartImportResponse; + }; + sdk: { + input: StartImportCommandInput; + output: StartImportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/StartTestExecutionCommand.ts b/clients/client-lex-models-v2/src/commands/StartTestExecutionCommand.ts index 6db8341be4ba..584d2064cd5d 100644 --- a/clients/client-lex-models-v2/src/commands/StartTestExecutionCommand.ts +++ b/clients/client-lex-models-v2/src/commands/StartTestExecutionCommand.ts @@ -121,4 +121,16 @@ export class StartTestExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartTestExecutionCommand) .de(de_StartTestExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTestExecutionRequest; + output: StartTestExecutionResponse; + }; + sdk: { + input: StartTestExecutionCommandInput; + output: StartTestExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/StartTestSetGenerationCommand.ts b/clients/client-lex-models-v2/src/commands/StartTestSetGenerationCommand.ts index 311279d93ff5..dbc4ea0c2908 100644 --- a/clients/client-lex-models-v2/src/commands/StartTestSetGenerationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/StartTestSetGenerationCommand.ts @@ -148,4 +148,16 @@ export class StartTestSetGenerationCommand extends $Command .f(void 0, void 0) .ser(se_StartTestSetGenerationCommand) .de(de_StartTestSetGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTestSetGenerationRequest; + output: StartTestSetGenerationResponse; + }; + sdk: { + input: StartTestSetGenerationCommandInput; + output: StartTestSetGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/StopBotRecommendationCommand.ts b/clients/client-lex-models-v2/src/commands/StopBotRecommendationCommand.ts index 107b6648ee9b..f34f0b957714 100644 --- a/clients/client-lex-models-v2/src/commands/StopBotRecommendationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/StopBotRecommendationCommand.ts @@ -113,4 +113,16 @@ export class StopBotRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_StopBotRecommendationCommand) .de(de_StopBotRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopBotRecommendationRequest; + output: StopBotRecommendationResponse; + }; + sdk: { + input: StopBotRecommendationCommandInput; + output: StopBotRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/TagResourceCommand.ts b/clients/client-lex-models-v2/src/commands/TagResourceCommand.ts index bc5c54b319a6..ded3d7fb92f6 100644 --- a/clients/client-lex-models-v2/src/commands/TagResourceCommand.ts +++ b/clients/client-lex-models-v2/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UntagResourceCommand.ts b/clients/client-lex-models-v2/src/commands/UntagResourceCommand.ts index 18819ae202da..a85b77ab627a 100644 --- a/clients/client-lex-models-v2/src/commands/UntagResourceCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateBotAliasCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateBotAliasCommand.ts index 19af7c752f21..cb034c2e5126 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateBotAliasCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateBotAliasCommand.ts @@ -195,4 +195,16 @@ export class UpdateBotAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBotAliasCommand) .de(de_UpdateBotAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBotAliasRequest; + output: UpdateBotAliasResponse; + }; + sdk: { + input: UpdateBotAliasCommandInput; + output: UpdateBotAliasCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateBotCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateBotCommand.ts index 74f64f3f9220..f229c577deba 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateBotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateBotCommand.ts @@ -139,4 +139,16 @@ export class UpdateBotCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBotCommand) .de(de_UpdateBotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBotRequest; + output: UpdateBotResponse; + }; + sdk: { + input: UpdateBotCommandInput; + output: UpdateBotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateBotLocaleCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateBotLocaleCommand.ts index c1f270693c5d..5bc198b4f70b 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateBotLocaleCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateBotLocaleCommand.ts @@ -212,4 +212,16 @@ export class UpdateBotLocaleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBotLocaleCommand) .de(de_UpdateBotLocaleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBotLocaleRequest; + output: UpdateBotLocaleResponse; + }; + sdk: { + input: UpdateBotLocaleCommandInput; + output: UpdateBotLocaleCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateBotRecommendationCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateBotRecommendationCommand.ts index 5941b3b97ba2..391c9e4ee95f 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateBotRecommendationCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateBotRecommendationCommand.ts @@ -150,4 +150,16 @@ export class UpdateBotRecommendationCommand extends $Command .f(UpdateBotRecommendationRequestFilterSensitiveLog, UpdateBotRecommendationResponseFilterSensitiveLog) .ser(se_UpdateBotRecommendationCommand) .de(de_UpdateBotRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBotRecommendationRequest; + output: UpdateBotRecommendationResponse; + }; + sdk: { + input: UpdateBotRecommendationCommandInput; + output: UpdateBotRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateExportCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateExportCommand.ts index 5d1275ddb935..2fbfb61d02f4 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateExportCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateExportCommand.ts @@ -129,4 +129,16 @@ export class UpdateExportCommand extends $Command .f(UpdateExportRequestFilterSensitiveLog, void 0) .ser(se_UpdateExportCommand) .de(de_UpdateExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExportRequest; + output: UpdateExportResponse; + }; + sdk: { + input: UpdateExportCommandInput; + output: UpdateExportCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateIntentCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateIntentCommand.ts index 5d5bdd80ced7..8e166d7cd61c 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateIntentCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateIntentCommand.ts @@ -1048,4 +1048,16 @@ export class UpdateIntentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIntentCommand) .de(de_UpdateIntentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIntentRequest; + output: UpdateIntentResponse; + }; + sdk: { + input: UpdateIntentCommandInput; + output: UpdateIntentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateResourcePolicyCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateResourcePolicyCommand.ts index d4594b9ab1cf..af6f1044b076 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateResourcePolicyCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateResourcePolicyCommand.ts @@ -106,4 +106,16 @@ export class UpdateResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourcePolicyCommand) .de(de_UpdateResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourcePolicyRequest; + output: UpdateResourcePolicyResponse; + }; + sdk: { + input: UpdateResourcePolicyCommandInput; + output: UpdateResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateSlotCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateSlotCommand.ts index 75a67e0df383..6a0ece7b62bc 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateSlotCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateSlotCommand.ts @@ -906,4 +906,16 @@ export class UpdateSlotCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSlotCommand) .de(de_UpdateSlotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSlotRequest; + output: UpdateSlotResponse; + }; + sdk: { + input: UpdateSlotCommandInput; + output: UpdateSlotCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateSlotTypeCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateSlotTypeCommand.ts index 1d475dece641..fe737ab90bc8 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateSlotTypeCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateSlotTypeCommand.ts @@ -192,4 +192,16 @@ export class UpdateSlotTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSlotTypeCommand) .de(de_UpdateSlotTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSlotTypeRequest; + output: UpdateSlotTypeResponse; + }; + sdk: { + input: UpdateSlotTypeCommandInput; + output: UpdateSlotTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lex-models-v2/src/commands/UpdateTestSetCommand.ts b/clients/client-lex-models-v2/src/commands/UpdateTestSetCommand.ts index dc726895778a..dfed838da60d 100644 --- a/clients/client-lex-models-v2/src/commands/UpdateTestSetCommand.ts +++ b/clients/client-lex-models-v2/src/commands/UpdateTestSetCommand.ts @@ -117,4 +117,16 @@ export class UpdateTestSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTestSetCommand) .de(de_UpdateTestSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTestSetRequest; + output: UpdateTestSetResponse; + }; + sdk: { + input: UpdateTestSetCommandInput; + output: UpdateTestSetCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-service/package.json b/clients/client-lex-runtime-service/package.json index dc99b055640f..27ef2acb15ca 100644 --- a/clients/client-lex-runtime-service/package.json +++ b/clients/client-lex-runtime-service/package.json @@ -35,31 +35,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-lex-runtime-service/src/commands/DeleteSessionCommand.ts b/clients/client-lex-runtime-service/src/commands/DeleteSessionCommand.ts index 5a85eb8b980c..91c52e0cc29e 100644 --- a/clients/client-lex-runtime-service/src/commands/DeleteSessionCommand.ts +++ b/clients/client-lex-runtime-service/src/commands/DeleteSessionCommand.ts @@ -106,4 +106,16 @@ export class DeleteSessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSessionCommand) .de(de_DeleteSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSessionRequest; + output: DeleteSessionResponse; + }; + sdk: { + input: DeleteSessionCommandInput; + output: DeleteSessionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-service/src/commands/GetSessionCommand.ts b/clients/client-lex-runtime-service/src/commands/GetSessionCommand.ts index 96d4180446f2..9b0478953f59 100644 --- a/clients/client-lex-runtime-service/src/commands/GetSessionCommand.ts +++ b/clients/client-lex-runtime-service/src/commands/GetSessionCommand.ts @@ -137,4 +137,16 @@ export class GetSessionCommand extends $Command .f(void 0, GetSessionResponseFilterSensitiveLog) .ser(se_GetSessionCommand) .de(de_GetSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-service/src/commands/PostContentCommand.ts b/clients/client-lex-runtime-service/src/commands/PostContentCommand.ts index c535ec09bc2f..cb31d3716785 100644 --- a/clients/client-lex-runtime-service/src/commands/PostContentCommand.ts +++ b/clients/client-lex-runtime-service/src/commands/PostContentCommand.ts @@ -251,4 +251,16 @@ export class PostContentCommand extends $Command .f(PostContentRequestFilterSensitiveLog, PostContentResponseFilterSensitiveLog) .ser(se_PostContentCommand) .de(de_PostContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostContentRequest; + output: PostContentResponse; + }; + sdk: { + input: PostContentCommandInput; + output: PostContentCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-service/src/commands/PostTextCommand.ts b/clients/client-lex-runtime-service/src/commands/PostTextCommand.ts index d59ea15ad01e..4bd1851e33d9 100644 --- a/clients/client-lex-runtime-service/src/commands/PostTextCommand.ts +++ b/clients/client-lex-runtime-service/src/commands/PostTextCommand.ts @@ -287,4 +287,16 @@ export class PostTextCommand extends $Command .f(PostTextRequestFilterSensitiveLog, PostTextResponseFilterSensitiveLog) .ser(se_PostTextCommand) .de(de_PostTextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostTextRequest; + output: PostTextResponse; + }; + sdk: { + input: PostTextCommandInput; + output: PostTextCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-service/src/commands/PutSessionCommand.ts b/clients/client-lex-runtime-service/src/commands/PutSessionCommand.ts index 37eaf86a8616..f6260f3dead2 100644 --- a/clients/client-lex-runtime-service/src/commands/PutSessionCommand.ts +++ b/clients/client-lex-runtime-service/src/commands/PutSessionCommand.ts @@ -188,4 +188,16 @@ export class PutSessionCommand extends $Command .f(PutSessionRequestFilterSensitiveLog, PutSessionResponseFilterSensitiveLog) .ser(se_PutSessionCommand) .de(de_PutSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSessionRequest; + output: PutSessionResponse; + }; + sdk: { + input: PutSessionCommandInput; + output: PutSessionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-v2/package.json b/clients/client-lex-runtime-v2/package.json index 5ff743e031d6..f17267ae1c61 100644 --- a/clients/client-lex-runtime-v2/package.json +++ b/clients/client-lex-runtime-v2/package.json @@ -35,34 +35,34 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-lex-runtime-v2/src/commands/DeleteSessionCommand.ts b/clients/client-lex-runtime-v2/src/commands/DeleteSessionCommand.ts index 400898c152b7..c6911555b364 100644 --- a/clients/client-lex-runtime-v2/src/commands/DeleteSessionCommand.ts +++ b/clients/client-lex-runtime-v2/src/commands/DeleteSessionCommand.ts @@ -114,4 +114,16 @@ export class DeleteSessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSessionCommand) .de(de_DeleteSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSessionRequest; + output: DeleteSessionResponse; + }; + sdk: { + input: DeleteSessionCommandInput; + output: DeleteSessionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-v2/src/commands/GetSessionCommand.ts b/clients/client-lex-runtime-v2/src/commands/GetSessionCommand.ts index f9520c67790c..c574ec8ecbbe 100644 --- a/clients/client-lex-runtime-v2/src/commands/GetSessionCommand.ts +++ b/clients/client-lex-runtime-v2/src/commands/GetSessionCommand.ts @@ -232,4 +232,16 @@ export class GetSessionCommand extends $Command .f(void 0, GetSessionResponseFilterSensitiveLog) .ser(se_GetSessionCommand) .de(de_GetSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-v2/src/commands/PutSessionCommand.ts b/clients/client-lex-runtime-v2/src/commands/PutSessionCommand.ts index 4628b7571dbe..c2ed042422ae 100644 --- a/clients/client-lex-runtime-v2/src/commands/PutSessionCommand.ts +++ b/clients/client-lex-runtime-v2/src/commands/PutSessionCommand.ts @@ -228,4 +228,16 @@ export class PutSessionCommand extends $Command .f(PutSessionRequestFilterSensitiveLog, PutSessionResponseFilterSensitiveLog) .ser(se_PutSessionCommand) .de(de_PutSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSessionRequest; + output: PutSessionResponse; + }; + sdk: { + input: PutSessionCommandInput; + output: PutSessionCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-v2/src/commands/RecognizeTextCommand.ts b/clients/client-lex-runtime-v2/src/commands/RecognizeTextCommand.ts index 32288f89ccf6..b2f2054dc984 100644 --- a/clients/client-lex-runtime-v2/src/commands/RecognizeTextCommand.ts +++ b/clients/client-lex-runtime-v2/src/commands/RecognizeTextCommand.ts @@ -368,4 +368,16 @@ export class RecognizeTextCommand extends $Command .f(RecognizeTextRequestFilterSensitiveLog, RecognizeTextResponseFilterSensitiveLog) .ser(se_RecognizeTextCommand) .de(de_RecognizeTextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecognizeTextRequest; + output: RecognizeTextResponse; + }; + sdk: { + input: RecognizeTextCommandInput; + output: RecognizeTextCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-v2/src/commands/RecognizeUtteranceCommand.ts b/clients/client-lex-runtime-v2/src/commands/RecognizeUtteranceCommand.ts index 19f9bc82c7ca..9daac93dfc7f 100644 --- a/clients/client-lex-runtime-v2/src/commands/RecognizeUtteranceCommand.ts +++ b/clients/client-lex-runtime-v2/src/commands/RecognizeUtteranceCommand.ts @@ -196,4 +196,16 @@ export class RecognizeUtteranceCommand extends $Command .f(RecognizeUtteranceRequestFilterSensitiveLog, RecognizeUtteranceResponseFilterSensitiveLog) .ser(se_RecognizeUtteranceCommand) .de(de_RecognizeUtteranceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecognizeUtteranceRequest; + output: RecognizeUtteranceResponse; + }; + sdk: { + input: RecognizeUtteranceCommandInput; + output: RecognizeUtteranceCommandOutput; + }; + }; +} diff --git a/clients/client-lex-runtime-v2/src/commands/StartConversationCommand.ts b/clients/client-lex-runtime-v2/src/commands/StartConversationCommand.ts index d8afc087a118..add654bf8220 100644 --- a/clients/client-lex-runtime-v2/src/commands/StartConversationCommand.ts +++ b/clients/client-lex-runtime-v2/src/commands/StartConversationCommand.ts @@ -494,4 +494,16 @@ export class StartConversationCommand extends $Command .f(StartConversationRequestFilterSensitiveLog, StartConversationResponseFilterSensitiveLog) .ser(se_StartConversationCommand) .de(de_StartConversationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartConversationRequest; + output: StartConversationResponse; + }; + sdk: { + input: StartConversationCommandInput; + output: StartConversationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/package.json b/clients/client-license-manager-linux-subscriptions/package.json index 984a4bbc60b1..a55909c8518c 100644 --- a/clients/client-license-manager-linux-subscriptions/package.json +++ b/clients/client-license-manager-linux-subscriptions/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/DeregisterSubscriptionProviderCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/DeregisterSubscriptionProviderCommand.ts index 2785010f5b9f..60ba7bc371df 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/DeregisterSubscriptionProviderCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/DeregisterSubscriptionProviderCommand.ts @@ -97,4 +97,16 @@ export class DeregisterSubscriptionProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterSubscriptionProviderCommand) .de(de_DeregisterSubscriptionProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterSubscriptionProviderRequest; + output: {}; + }; + sdk: { + input: DeregisterSubscriptionProviderCommandInput; + output: DeregisterSubscriptionProviderCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/GetRegisteredSubscriptionProviderCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/GetRegisteredSubscriptionProviderCommand.ts index c3f5ed288940..09709a5dc31c 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/GetRegisteredSubscriptionProviderCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/GetRegisteredSubscriptionProviderCommand.ts @@ -106,4 +106,16 @@ export class GetRegisteredSubscriptionProviderCommand extends $Command .f(void 0, void 0) .ser(se_GetRegisteredSubscriptionProviderCommand) .de(de_GetRegisteredSubscriptionProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegisteredSubscriptionProviderRequest; + output: GetRegisteredSubscriptionProviderResponse; + }; + sdk: { + input: GetRegisteredSubscriptionProviderCommandInput; + output: GetRegisteredSubscriptionProviderCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/GetServiceSettingsCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/GetServiceSettingsCommand.ts index 9b5ce8e63188..59cacbfa02b7 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/GetServiceSettingsCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/GetServiceSettingsCommand.ts @@ -101,4 +101,16 @@ export class GetServiceSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceSettingsCommand) .de(de_GetServiceSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetServiceSettingsResponse; + }; + sdk: { + input: GetServiceSettingsCommandInput; + output: GetServiceSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionInstancesCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionInstancesCommand.ts index 4d69beb3a581..874758bdc058 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionInstancesCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionInstancesCommand.ts @@ -127,4 +127,16 @@ export class ListLinuxSubscriptionInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListLinuxSubscriptionInstancesCommand) .de(de_ListLinuxSubscriptionInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLinuxSubscriptionInstancesRequest; + output: ListLinuxSubscriptionInstancesResponse; + }; + sdk: { + input: ListLinuxSubscriptionInstancesCommandInput; + output: ListLinuxSubscriptionInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionsCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionsCommand.ts index 974004fb85b1..9bc7831fc87e 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionsCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/ListLinuxSubscriptionsCommand.ts @@ -109,4 +109,16 @@ export class ListLinuxSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLinuxSubscriptionsCommand) .de(de_ListLinuxSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLinuxSubscriptionsRequest; + output: ListLinuxSubscriptionsResponse; + }; + sdk: { + input: ListLinuxSubscriptionsCommandInput; + output: ListLinuxSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/ListRegisteredSubscriptionProvidersCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/ListRegisteredSubscriptionProvidersCommand.ts index 115dc8b899a1..48437942e73f 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/ListRegisteredSubscriptionProvidersCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/ListRegisteredSubscriptionProvidersCommand.ts @@ -112,4 +112,16 @@ export class ListRegisteredSubscriptionProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListRegisteredSubscriptionProvidersCommand) .de(de_ListRegisteredSubscriptionProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegisteredSubscriptionProvidersRequest; + output: ListRegisteredSubscriptionProvidersResponse; + }; + sdk: { + input: ListRegisteredSubscriptionProvidersCommandInput; + output: ListRegisteredSubscriptionProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/ListTagsForResourceCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/ListTagsForResourceCommand.ts index 224a0df641c1..51e534caa88e 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/RegisterSubscriptionProviderCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/RegisterSubscriptionProviderCommand.ts index 3ef0ab28132c..5ce80f30bb3a 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/RegisterSubscriptionProviderCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/RegisterSubscriptionProviderCommand.ts @@ -105,4 +105,16 @@ export class RegisterSubscriptionProviderCommand extends $Command .f(RegisterSubscriptionProviderRequestFilterSensitiveLog, void 0) .ser(se_RegisterSubscriptionProviderCommand) .de(de_RegisterSubscriptionProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterSubscriptionProviderRequest; + output: RegisterSubscriptionProviderResponse; + }; + sdk: { + input: RegisterSubscriptionProviderCommandInput; + output: RegisterSubscriptionProviderCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/TagResourceCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/TagResourceCommand.ts index 63efdbac719c..ed13d5db6f54 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/TagResourceCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/TagResourceCommand.ts @@ -91,4 +91,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/UntagResourceCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/UntagResourceCommand.ts index 0eda762115d1..6b4ddfaacad6 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/UntagResourceCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/UntagResourceCommand.ts @@ -92,4 +92,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-linux-subscriptions/src/commands/UpdateServiceSettingsCommand.ts b/clients/client-license-manager-linux-subscriptions/src/commands/UpdateServiceSettingsCommand.ts index 28413c5040c5..2ad81f71d4df 100644 --- a/clients/client-license-manager-linux-subscriptions/src/commands/UpdateServiceSettingsCommand.ts +++ b/clients/client-license-manager-linux-subscriptions/src/commands/UpdateServiceSettingsCommand.ts @@ -110,4 +110,16 @@ export class UpdateServiceSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceSettingsCommand) .de(de_UpdateServiceSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceSettingsRequest; + output: UpdateServiceSettingsResponse; + }; + sdk: { + input: UpdateServiceSettingsCommandInput; + output: UpdateServiceSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/package.json b/clients/client-license-manager-user-subscriptions/package.json index 5d4605a2b482..5f90c66ba21b 100644 --- a/clients/client-license-manager-user-subscriptions/package.json +++ b/clients/client-license-manager-user-subscriptions/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-license-manager-user-subscriptions/src/commands/AssociateUserCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/AssociateUserCommand.ts index 03742aca2816..1b07d901035c 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/AssociateUserCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/AssociateUserCommand.ts @@ -128,4 +128,16 @@ export class AssociateUserCommand extends $Command .f(void 0, void 0) .ser(se_AssociateUserCommand) .de(de_AssociateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateUserRequest; + output: AssociateUserResponse; + }; + sdk: { + input: AssociateUserCommandInput; + output: AssociateUserCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/DeregisterIdentityProviderCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/DeregisterIdentityProviderCommand.ts index 1de9a76f7250..58f34b7c5550 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/DeregisterIdentityProviderCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/DeregisterIdentityProviderCommand.ts @@ -123,4 +123,16 @@ export class DeregisterIdentityProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterIdentityProviderCommand) .de(de_DeregisterIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterIdentityProviderRequest; + output: DeregisterIdentityProviderResponse; + }; + sdk: { + input: DeregisterIdentityProviderCommandInput; + output: DeregisterIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/DisassociateUserCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/DisassociateUserCommand.ts index 1f8d84742a3e..e43f5fb5ba43 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/DisassociateUserCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/DisassociateUserCommand.ts @@ -123,4 +123,16 @@ export class DisassociateUserCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateUserCommand) .de(de_DisassociateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateUserRequest; + output: DisassociateUserResponse; + }; + sdk: { + input: DisassociateUserCommandInput; + output: DisassociateUserCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/ListIdentityProvidersCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/ListIdentityProvidersCommand.ts index d399eba6a504..5deb780e9868 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/ListIdentityProvidersCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/ListIdentityProvidersCommand.ts @@ -122,4 +122,16 @@ export class ListIdentityProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityProvidersCommand) .de(de_ListIdentityProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityProvidersRequest; + output: ListIdentityProvidersResponse; + }; + sdk: { + input: ListIdentityProvidersCommandInput; + output: ListIdentityProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/ListInstancesCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/ListInstancesCommand.ts index e8b7df762b3e..8f555b6ac4fe 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/ListInstancesCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/ListInstancesCommand.ts @@ -122,4 +122,16 @@ export class ListInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListInstancesCommand) .de(de_ListInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstancesRequest; + output: ListInstancesResponse; + }; + sdk: { + input: ListInstancesCommandInput; + output: ListInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/ListProductSubscriptionsCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/ListProductSubscriptionsCommand.ts index 295715ca5622..1db492f7d8af 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/ListProductSubscriptionsCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/ListProductSubscriptionsCommand.ts @@ -133,4 +133,16 @@ export class ListProductSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListProductSubscriptionsCommand) .de(de_ListProductSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProductSubscriptionsRequest; + output: ListProductSubscriptionsResponse; + }; + sdk: { + input: ListProductSubscriptionsCommandInput; + output: ListProductSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/ListUserAssociationsCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/ListUserAssociationsCommand.ts index ecf448168248..96ef24d62c8d 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/ListUserAssociationsCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/ListUserAssociationsCommand.ts @@ -133,4 +133,16 @@ export class ListUserAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListUserAssociationsCommand) .de(de_ListUserAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserAssociationsRequest; + output: ListUserAssociationsResponse; + }; + sdk: { + input: ListUserAssociationsCommandInput; + output: ListUserAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/RegisterIdentityProviderCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/RegisterIdentityProviderCommand.ts index 85f2185cddba..4ff6d7b5f891 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/RegisterIdentityProviderCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/RegisterIdentityProviderCommand.ts @@ -129,4 +129,16 @@ export class RegisterIdentityProviderCommand extends $Command .f(void 0, void 0) .ser(se_RegisterIdentityProviderCommand) .de(de_RegisterIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterIdentityProviderRequest; + output: RegisterIdentityProviderResponse; + }; + sdk: { + input: RegisterIdentityProviderCommandInput; + output: RegisterIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/StartProductSubscriptionCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/StartProductSubscriptionCommand.ts index a9784fe23aa5..4331918523e9 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/StartProductSubscriptionCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/StartProductSubscriptionCommand.ts @@ -128,4 +128,16 @@ export class StartProductSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_StartProductSubscriptionCommand) .de(de_StartProductSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartProductSubscriptionRequest; + output: StartProductSubscriptionResponse; + }; + sdk: { + input: StartProductSubscriptionCommandInput; + output: StartProductSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/StopProductSubscriptionCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/StopProductSubscriptionCommand.ts index 0fe7ba61c6b0..d140189873c2 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/StopProductSubscriptionCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/StopProductSubscriptionCommand.ts @@ -123,4 +123,16 @@ export class StopProductSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_StopProductSubscriptionCommand) .de(de_StopProductSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopProductSubscriptionRequest; + output: StopProductSubscriptionResponse; + }; + sdk: { + input: StopProductSubscriptionCommandInput; + output: StopProductSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager-user-subscriptions/src/commands/UpdateIdentityProviderSettingsCommand.ts b/clients/client-license-manager-user-subscriptions/src/commands/UpdateIdentityProviderSettingsCommand.ts index 2b48e9fe0b43..d0588507843e 100644 --- a/clients/client-license-manager-user-subscriptions/src/commands/UpdateIdentityProviderSettingsCommand.ts +++ b/clients/client-license-manager-user-subscriptions/src/commands/UpdateIdentityProviderSettingsCommand.ts @@ -128,4 +128,16 @@ export class UpdateIdentityProviderSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdentityProviderSettingsCommand) .de(de_UpdateIdentityProviderSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdentityProviderSettingsRequest; + output: UpdateIdentityProviderSettingsResponse; + }; + sdk: { + input: UpdateIdentityProviderSettingsCommandInput; + output: UpdateIdentityProviderSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/package.json b/clients/client-license-manager/package.json index 1c383d0b1751..9440215ad02f 100644 --- a/clients/client-license-manager/package.json +++ b/clients/client-license-manager/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-license-manager/src/commands/AcceptGrantCommand.ts b/clients/client-license-manager/src/commands/AcceptGrantCommand.ts index 9a374012032c..2bfed63aa728 100644 --- a/clients/client-license-manager/src/commands/AcceptGrantCommand.ts +++ b/clients/client-license-manager/src/commands/AcceptGrantCommand.ts @@ -101,4 +101,16 @@ export class AcceptGrantCommand extends $Command .f(void 0, void 0) .ser(se_AcceptGrantCommand) .de(de_AcceptGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptGrantRequest; + output: AcceptGrantResponse; + }; + sdk: { + input: AcceptGrantCommandInput; + output: AcceptGrantCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CheckInLicenseCommand.ts b/clients/client-license-manager/src/commands/CheckInLicenseCommand.ts index 00e3b8612152..6309bb768ccd 100644 --- a/clients/client-license-manager/src/commands/CheckInLicenseCommand.ts +++ b/clients/client-license-manager/src/commands/CheckInLicenseCommand.ts @@ -101,4 +101,16 @@ export class CheckInLicenseCommand extends $Command .f(void 0, void 0) .ser(se_CheckInLicenseCommand) .de(de_CheckInLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckInLicenseRequest; + output: {}; + }; + sdk: { + input: CheckInLicenseCommandInput; + output: CheckInLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CheckoutBorrowLicenseCommand.ts b/clients/client-license-manager/src/commands/CheckoutBorrowLicenseCommand.ts index 8f023421ce73..f410d72d953a 100644 --- a/clients/client-license-manager/src/commands/CheckoutBorrowLicenseCommand.ts +++ b/clients/client-license-manager/src/commands/CheckoutBorrowLicenseCommand.ts @@ -145,4 +145,16 @@ export class CheckoutBorrowLicenseCommand extends $Command .f(void 0, void 0) .ser(se_CheckoutBorrowLicenseCommand) .de(de_CheckoutBorrowLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckoutBorrowLicenseRequest; + output: CheckoutBorrowLicenseResponse; + }; + sdk: { + input: CheckoutBorrowLicenseCommandInput; + output: CheckoutBorrowLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CheckoutLicenseCommand.ts b/clients/client-license-manager/src/commands/CheckoutLicenseCommand.ts index 84f6d00f542b..42a3225cfd34 100644 --- a/clients/client-license-manager/src/commands/CheckoutLicenseCommand.ts +++ b/clients/client-license-manager/src/commands/CheckoutLicenseCommand.ts @@ -137,4 +137,16 @@ export class CheckoutLicenseCommand extends $Command .f(void 0, void 0) .ser(se_CheckoutLicenseCommand) .de(de_CheckoutLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckoutLicenseRequest; + output: CheckoutLicenseResponse; + }; + sdk: { + input: CheckoutLicenseCommandInput; + output: CheckoutLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateGrantCommand.ts b/clients/client-license-manager/src/commands/CreateGrantCommand.ts index bfcfcfdcfa6c..78ab9c7e0c38 100644 --- a/clients/client-license-manager/src/commands/CreateGrantCommand.ts +++ b/clients/client-license-manager/src/commands/CreateGrantCommand.ts @@ -112,4 +112,16 @@ export class CreateGrantCommand extends $Command .f(void 0, void 0) .ser(se_CreateGrantCommand) .de(de_CreateGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGrantRequest; + output: CreateGrantResponse; + }; + sdk: { + input: CreateGrantCommandInput; + output: CreateGrantCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateGrantVersionCommand.ts b/clients/client-license-manager/src/commands/CreateGrantVersionCommand.ts index 8ba214f1fe56..c7c6315b16d8 100644 --- a/clients/client-license-manager/src/commands/CreateGrantVersionCommand.ts +++ b/clients/client-license-manager/src/commands/CreateGrantVersionCommand.ts @@ -113,4 +113,16 @@ export class CreateGrantVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateGrantVersionCommand) .de(de_CreateGrantVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGrantVersionRequest; + output: CreateGrantVersionResponse; + }; + sdk: { + input: CreateGrantVersionCommandInput; + output: CreateGrantVersionCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateLicenseCommand.ts b/clients/client-license-manager/src/commands/CreateLicenseCommand.ts index 957799ae9e2a..09cc7204d665 100644 --- a/clients/client-license-manager/src/commands/CreateLicenseCommand.ts +++ b/clients/client-license-manager/src/commands/CreateLicenseCommand.ts @@ -140,4 +140,16 @@ export class CreateLicenseCommand extends $Command .f(void 0, void 0) .ser(se_CreateLicenseCommand) .de(de_CreateLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLicenseRequest; + output: CreateLicenseResponse; + }; + sdk: { + input: CreateLicenseCommandInput; + output: CreateLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateLicenseConfigurationCommand.ts b/clients/client-license-manager/src/commands/CreateLicenseConfigurationCommand.ts index 9d7b6a394314..a3b11fbecbd3 100644 --- a/clients/client-license-manager/src/commands/CreateLicenseConfigurationCommand.ts +++ b/clients/client-license-manager/src/commands/CreateLicenseConfigurationCommand.ts @@ -129,4 +129,16 @@ export class CreateLicenseConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateLicenseConfigurationCommand) .de(de_CreateLicenseConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLicenseConfigurationRequest; + output: CreateLicenseConfigurationResponse; + }; + sdk: { + input: CreateLicenseConfigurationCommandInput; + output: CreateLicenseConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateLicenseConversionTaskForResourceCommand.ts b/clients/client-license-manager/src/commands/CreateLicenseConversionTaskForResourceCommand.ts index 3744a02b9883..9be76ea5996a 100644 --- a/clients/client-license-manager/src/commands/CreateLicenseConversionTaskForResourceCommand.ts +++ b/clients/client-license-manager/src/commands/CreateLicenseConversionTaskForResourceCommand.ts @@ -111,4 +111,16 @@ export class CreateLicenseConversionTaskForResourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateLicenseConversionTaskForResourceCommand) .de(de_CreateLicenseConversionTaskForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLicenseConversionTaskForResourceRequest; + output: CreateLicenseConversionTaskForResourceResponse; + }; + sdk: { + input: CreateLicenseConversionTaskForResourceCommandInput; + output: CreateLicenseConversionTaskForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateLicenseManagerReportGeneratorCommand.ts b/clients/client-license-manager/src/commands/CreateLicenseManagerReportGeneratorCommand.ts index 78c612ea13b7..57da3203993c 100644 --- a/clients/client-license-manager/src/commands/CreateLicenseManagerReportGeneratorCommand.ts +++ b/clients/client-license-manager/src/commands/CreateLicenseManagerReportGeneratorCommand.ts @@ -130,4 +130,16 @@ export class CreateLicenseManagerReportGeneratorCommand extends $Command .f(void 0, void 0) .ser(se_CreateLicenseManagerReportGeneratorCommand) .de(de_CreateLicenseManagerReportGeneratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLicenseManagerReportGeneratorRequest; + output: CreateLicenseManagerReportGeneratorResponse; + }; + sdk: { + input: CreateLicenseManagerReportGeneratorCommandInput; + output: CreateLicenseManagerReportGeneratorCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateLicenseVersionCommand.ts b/clients/client-license-manager/src/commands/CreateLicenseVersionCommand.ts index 1f6ba7c47e2f..2838354b98fe 100644 --- a/clients/client-license-manager/src/commands/CreateLicenseVersionCommand.ts +++ b/clients/client-license-manager/src/commands/CreateLicenseVersionCommand.ts @@ -144,4 +144,16 @@ export class CreateLicenseVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateLicenseVersionCommand) .de(de_CreateLicenseVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLicenseVersionRequest; + output: CreateLicenseVersionResponse; + }; + sdk: { + input: CreateLicenseVersionCommandInput; + output: CreateLicenseVersionCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/CreateTokenCommand.ts b/clients/client-license-manager/src/commands/CreateTokenCommand.ts index 67294e431dad..0513b1fda9cb 100644 --- a/clients/client-license-manager/src/commands/CreateTokenCommand.ts +++ b/clients/client-license-manager/src/commands/CreateTokenCommand.ts @@ -115,4 +115,16 @@ export class CreateTokenCommand extends $Command .f(void 0, void 0) .ser(se_CreateTokenCommand) .de(de_CreateTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTokenRequest; + output: CreateTokenResponse; + }; + sdk: { + input: CreateTokenCommandInput; + output: CreateTokenCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/DeleteGrantCommand.ts b/clients/client-license-manager/src/commands/DeleteGrantCommand.ts index db20eda81006..e831ac5acba6 100644 --- a/clients/client-license-manager/src/commands/DeleteGrantCommand.ts +++ b/clients/client-license-manager/src/commands/DeleteGrantCommand.ts @@ -103,4 +103,16 @@ export class DeleteGrantCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGrantCommand) .de(de_DeleteGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGrantRequest; + output: DeleteGrantResponse; + }; + sdk: { + input: DeleteGrantCommandInput; + output: DeleteGrantCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/DeleteLicenseCommand.ts b/clients/client-license-manager/src/commands/DeleteLicenseCommand.ts index 6bfa1b6072fc..5227dc510789 100644 --- a/clients/client-license-manager/src/commands/DeleteLicenseCommand.ts +++ b/clients/client-license-manager/src/commands/DeleteLicenseCommand.ts @@ -104,4 +104,16 @@ export class DeleteLicenseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLicenseCommand) .de(de_DeleteLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLicenseRequest; + output: DeleteLicenseResponse; + }; + sdk: { + input: DeleteLicenseCommandInput; + output: DeleteLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/DeleteLicenseConfigurationCommand.ts b/clients/client-license-manager/src/commands/DeleteLicenseConfigurationCommand.ts index ecceaf077afa..61bcb75a8f76 100644 --- a/clients/client-license-manager/src/commands/DeleteLicenseConfigurationCommand.ts +++ b/clients/client-license-manager/src/commands/DeleteLicenseConfigurationCommand.ts @@ -92,4 +92,16 @@ export class DeleteLicenseConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLicenseConfigurationCommand) .de(de_DeleteLicenseConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLicenseConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteLicenseConfigurationCommandInput; + output: DeleteLicenseConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/DeleteLicenseManagerReportGeneratorCommand.ts b/clients/client-license-manager/src/commands/DeleteLicenseManagerReportGeneratorCommand.ts index 1a20a0b5c56f..36293802a398 100644 --- a/clients/client-license-manager/src/commands/DeleteLicenseManagerReportGeneratorCommand.ts +++ b/clients/client-license-manager/src/commands/DeleteLicenseManagerReportGeneratorCommand.ts @@ -110,4 +110,16 @@ export class DeleteLicenseManagerReportGeneratorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLicenseManagerReportGeneratorCommand) .de(de_DeleteLicenseManagerReportGeneratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLicenseManagerReportGeneratorRequest; + output: {}; + }; + sdk: { + input: DeleteLicenseManagerReportGeneratorCommandInput; + output: DeleteLicenseManagerReportGeneratorCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/DeleteTokenCommand.ts b/clients/client-license-manager/src/commands/DeleteTokenCommand.ts index 1538aca9e2d3..3acb82dd9cb8 100644 --- a/clients/client-license-manager/src/commands/DeleteTokenCommand.ts +++ b/clients/client-license-manager/src/commands/DeleteTokenCommand.ts @@ -97,4 +97,16 @@ export class DeleteTokenCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTokenCommand) .de(de_DeleteTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTokenRequest; + output: {}; + }; + sdk: { + input: DeleteTokenCommandInput; + output: DeleteTokenCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ExtendLicenseConsumptionCommand.ts b/clients/client-license-manager/src/commands/ExtendLicenseConsumptionCommand.ts index 79401fe01fe1..5b6c2c494a29 100644 --- a/clients/client-license-manager/src/commands/ExtendLicenseConsumptionCommand.ts +++ b/clients/client-license-manager/src/commands/ExtendLicenseConsumptionCommand.ts @@ -101,4 +101,16 @@ export class ExtendLicenseConsumptionCommand extends $Command .f(void 0, void 0) .ser(se_ExtendLicenseConsumptionCommand) .de(de_ExtendLicenseConsumptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExtendLicenseConsumptionRequest; + output: ExtendLicenseConsumptionResponse; + }; + sdk: { + input: ExtendLicenseConsumptionCommandInput; + output: ExtendLicenseConsumptionCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetAccessTokenCommand.ts b/clients/client-license-manager/src/commands/GetAccessTokenCommand.ts index 713c77470c49..663b27ecc30d 100644 --- a/clients/client-license-manager/src/commands/GetAccessTokenCommand.ts +++ b/clients/client-license-manager/src/commands/GetAccessTokenCommand.ts @@ -97,4 +97,16 @@ export class GetAccessTokenCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessTokenCommand) .de(de_GetAccessTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessTokenRequest; + output: GetAccessTokenResponse; + }; + sdk: { + input: GetAccessTokenCommandInput; + output: GetAccessTokenCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetGrantCommand.ts b/clients/client-license-manager/src/commands/GetGrantCommand.ts index 13684e764d27..0f4d00177aaa 100644 --- a/clients/client-license-manager/src/commands/GetGrantCommand.ts +++ b/clients/client-license-manager/src/commands/GetGrantCommand.ts @@ -116,4 +116,16 @@ export class GetGrantCommand extends $Command .f(void 0, void 0) .ser(se_GetGrantCommand) .de(de_GetGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGrantRequest; + output: GetGrantResponse; + }; + sdk: { + input: GetGrantCommandInput; + output: GetGrantCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetLicenseCommand.ts b/clients/client-license-manager/src/commands/GetLicenseCommand.ts index 7cc8de743533..605e8c519def 100644 --- a/clients/client-license-manager/src/commands/GetLicenseCommand.ts +++ b/clients/client-license-manager/src/commands/GetLicenseCommand.ts @@ -142,4 +142,16 @@ export class GetLicenseCommand extends $Command .f(void 0, void 0) .ser(se_GetLicenseCommand) .de(de_GetLicenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLicenseRequest; + output: GetLicenseResponse; + }; + sdk: { + input: GetLicenseCommandInput; + output: GetLicenseCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetLicenseConfigurationCommand.ts b/clients/client-license-manager/src/commands/GetLicenseConfigurationCommand.ts index 5c87f6021dd1..8d4b125c705b 100644 --- a/clients/client-license-manager/src/commands/GetLicenseConfigurationCommand.ts +++ b/clients/client-license-manager/src/commands/GetLicenseConfigurationCommand.ts @@ -141,4 +141,16 @@ export class GetLicenseConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLicenseConfigurationCommand) .de(de_GetLicenseConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLicenseConfigurationRequest; + output: GetLicenseConfigurationResponse; + }; + sdk: { + input: GetLicenseConfigurationCommandInput; + output: GetLicenseConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetLicenseConversionTaskCommand.ts b/clients/client-license-manager/src/commands/GetLicenseConversionTaskCommand.ts index ffded46aae59..5d8bc536f5e6 100644 --- a/clients/client-license-manager/src/commands/GetLicenseConversionTaskCommand.ts +++ b/clients/client-license-manager/src/commands/GetLicenseConversionTaskCommand.ts @@ -105,4 +105,16 @@ export class GetLicenseConversionTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetLicenseConversionTaskCommand) .de(de_GetLicenseConversionTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLicenseConversionTaskRequest; + output: GetLicenseConversionTaskResponse; + }; + sdk: { + input: GetLicenseConversionTaskCommandInput; + output: GetLicenseConversionTaskCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetLicenseManagerReportGeneratorCommand.ts b/clients/client-license-manager/src/commands/GetLicenseManagerReportGeneratorCommand.ts index 534a11d6c92d..7eb4de26a4c2 100644 --- a/clients/client-license-manager/src/commands/GetLicenseManagerReportGeneratorCommand.ts +++ b/clients/client-license-manager/src/commands/GetLicenseManagerReportGeneratorCommand.ts @@ -138,4 +138,16 @@ export class GetLicenseManagerReportGeneratorCommand extends $Command .f(void 0, void 0) .ser(se_GetLicenseManagerReportGeneratorCommand) .de(de_GetLicenseManagerReportGeneratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLicenseManagerReportGeneratorRequest; + output: GetLicenseManagerReportGeneratorResponse; + }; + sdk: { + input: GetLicenseManagerReportGeneratorCommandInput; + output: GetLicenseManagerReportGeneratorCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetLicenseUsageCommand.ts b/clients/client-license-manager/src/commands/GetLicenseUsageCommand.ts index ebbc58e435df..108e06613120 100644 --- a/clients/client-license-manager/src/commands/GetLicenseUsageCommand.ts +++ b/clients/client-license-manager/src/commands/GetLicenseUsageCommand.ts @@ -105,4 +105,16 @@ export class GetLicenseUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetLicenseUsageCommand) .de(de_GetLicenseUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLicenseUsageRequest; + output: GetLicenseUsageResponse; + }; + sdk: { + input: GetLicenseUsageCommandInput; + output: GetLicenseUsageCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/GetServiceSettingsCommand.ts b/clients/client-license-manager/src/commands/GetServiceSettingsCommand.ts index 00cb905e81d2..17b1f1a19000 100644 --- a/clients/client-license-manager/src/commands/GetServiceSettingsCommand.ts +++ b/clients/client-license-manager/src/commands/GetServiceSettingsCommand.ts @@ -94,4 +94,16 @@ export class GetServiceSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceSettingsCommand) .de(de_GetServiceSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetServiceSettingsResponse; + }; + sdk: { + input: GetServiceSettingsCommandInput; + output: GetServiceSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListAssociationsForLicenseConfigurationCommand.ts b/clients/client-license-manager/src/commands/ListAssociationsForLicenseConfigurationCommand.ts index 3e01da4a80c8..9c285f2cd62f 100644 --- a/clients/client-license-manager/src/commands/ListAssociationsForLicenseConfigurationCommand.ts +++ b/clients/client-license-manager/src/commands/ListAssociationsForLicenseConfigurationCommand.ts @@ -119,4 +119,16 @@ export class ListAssociationsForLicenseConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociationsForLicenseConfigurationCommand) .de(de_ListAssociationsForLicenseConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociationsForLicenseConfigurationRequest; + output: ListAssociationsForLicenseConfigurationResponse; + }; + sdk: { + input: ListAssociationsForLicenseConfigurationCommandInput; + output: ListAssociationsForLicenseConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListDistributedGrantsCommand.ts b/clients/client-license-manager/src/commands/ListDistributedGrantsCommand.ts index 9678a51dd3e1..4322fcd49d77 100644 --- a/clients/client-license-manager/src/commands/ListDistributedGrantsCommand.ts +++ b/clients/client-license-manager/src/commands/ListDistributedGrantsCommand.ts @@ -130,4 +130,16 @@ export class ListDistributedGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListDistributedGrantsCommand) .de(de_ListDistributedGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDistributedGrantsRequest; + output: ListDistributedGrantsResponse; + }; + sdk: { + input: ListDistributedGrantsCommandInput; + output: ListDistributedGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListFailuresForLicenseConfigurationOperationsCommand.ts b/clients/client-license-manager/src/commands/ListFailuresForLicenseConfigurationOperationsCommand.ts index 405023d21214..2d4c224cb5ce 100644 --- a/clients/client-license-manager/src/commands/ListFailuresForLicenseConfigurationOperationsCommand.ts +++ b/clients/client-license-manager/src/commands/ListFailuresForLicenseConfigurationOperationsCommand.ts @@ -121,4 +121,16 @@ export class ListFailuresForLicenseConfigurationOperationsCommand extends $Comma .f(void 0, void 0) .ser(se_ListFailuresForLicenseConfigurationOperationsCommand) .de(de_ListFailuresForLicenseConfigurationOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFailuresForLicenseConfigurationOperationsRequest; + output: ListFailuresForLicenseConfigurationOperationsResponse; + }; + sdk: { + input: ListFailuresForLicenseConfigurationOperationsCommandInput; + output: ListFailuresForLicenseConfigurationOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListLicenseConfigurationsCommand.ts b/clients/client-license-manager/src/commands/ListLicenseConfigurationsCommand.ts index 2e89c126081c..4830231d5a3c 100644 --- a/clients/client-license-manager/src/commands/ListLicenseConfigurationsCommand.ts +++ b/clients/client-license-manager/src/commands/ListLicenseConfigurationsCommand.ts @@ -155,4 +155,16 @@ export class ListLicenseConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLicenseConfigurationsCommand) .de(de_ListLicenseConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLicenseConfigurationsRequest; + output: ListLicenseConfigurationsResponse; + }; + sdk: { + input: ListLicenseConfigurationsCommandInput; + output: ListLicenseConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListLicenseConversionTasksCommand.ts b/clients/client-license-manager/src/commands/ListLicenseConversionTasksCommand.ts index 0f5360277283..bfd0108ca533 100644 --- a/clients/client-license-manager/src/commands/ListLicenseConversionTasksCommand.ts +++ b/clients/client-license-manager/src/commands/ListLicenseConversionTasksCommand.ts @@ -119,4 +119,16 @@ export class ListLicenseConversionTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListLicenseConversionTasksCommand) .de(de_ListLicenseConversionTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLicenseConversionTasksRequest; + output: ListLicenseConversionTasksResponse; + }; + sdk: { + input: ListLicenseConversionTasksCommandInput; + output: ListLicenseConversionTasksCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListLicenseManagerReportGeneratorsCommand.ts b/clients/client-license-manager/src/commands/ListLicenseManagerReportGeneratorsCommand.ts index 5d83ee745aaf..da3b53b25ccd 100644 --- a/clients/client-license-manager/src/commands/ListLicenseManagerReportGeneratorsCommand.ts +++ b/clients/client-license-manager/src/commands/ListLicenseManagerReportGeneratorsCommand.ts @@ -153,4 +153,16 @@ export class ListLicenseManagerReportGeneratorsCommand extends $Command .f(void 0, void 0) .ser(se_ListLicenseManagerReportGeneratorsCommand) .de(de_ListLicenseManagerReportGeneratorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLicenseManagerReportGeneratorsRequest; + output: ListLicenseManagerReportGeneratorsResponse; + }; + sdk: { + input: ListLicenseManagerReportGeneratorsCommandInput; + output: ListLicenseManagerReportGeneratorsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListLicenseSpecificationsForResourceCommand.ts b/clients/client-license-manager/src/commands/ListLicenseSpecificationsForResourceCommand.ts index 89c118a436de..2521f1aa8db2 100644 --- a/clients/client-license-manager/src/commands/ListLicenseSpecificationsForResourceCommand.ts +++ b/clients/client-license-manager/src/commands/ListLicenseSpecificationsForResourceCommand.ts @@ -109,4 +109,16 @@ export class ListLicenseSpecificationsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListLicenseSpecificationsForResourceCommand) .de(de_ListLicenseSpecificationsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLicenseSpecificationsForResourceRequest; + output: ListLicenseSpecificationsForResourceResponse; + }; + sdk: { + input: ListLicenseSpecificationsForResourceCommandInput; + output: ListLicenseSpecificationsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListLicenseVersionsCommand.ts b/clients/client-license-manager/src/commands/ListLicenseVersionsCommand.ts index 637bfba231e6..31ee850685a0 100644 --- a/clients/client-license-manager/src/commands/ListLicenseVersionsCommand.ts +++ b/clients/client-license-manager/src/commands/ListLicenseVersionsCommand.ts @@ -143,4 +143,16 @@ export class ListLicenseVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListLicenseVersionsCommand) .de(de_ListLicenseVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLicenseVersionsRequest; + output: ListLicenseVersionsResponse; + }; + sdk: { + input: ListLicenseVersionsCommandInput; + output: ListLicenseVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListLicensesCommand.ts b/clients/client-license-manager/src/commands/ListLicensesCommand.ts index f7dee0ec17d4..247c309135b9 100644 --- a/clients/client-license-manager/src/commands/ListLicensesCommand.ts +++ b/clients/client-license-manager/src/commands/ListLicensesCommand.ts @@ -156,4 +156,16 @@ export class ListLicensesCommand extends $Command .f(void 0, void 0) .ser(se_ListLicensesCommand) .de(de_ListLicensesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLicensesRequest; + output: ListLicensesResponse; + }; + sdk: { + input: ListLicensesCommandInput; + output: ListLicensesCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListReceivedGrantsCommand.ts b/clients/client-license-manager/src/commands/ListReceivedGrantsCommand.ts index a0a0b3f2d301..d7013a222f64 100644 --- a/clients/client-license-manager/src/commands/ListReceivedGrantsCommand.ts +++ b/clients/client-license-manager/src/commands/ListReceivedGrantsCommand.ts @@ -132,4 +132,16 @@ export class ListReceivedGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListReceivedGrantsCommand) .de(de_ListReceivedGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReceivedGrantsRequest; + output: ListReceivedGrantsResponse; + }; + sdk: { + input: ListReceivedGrantsCommandInput; + output: ListReceivedGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListReceivedGrantsForOrganizationCommand.ts b/clients/client-license-manager/src/commands/ListReceivedGrantsForOrganizationCommand.ts index ce9d92c72696..6e755d2434cf 100644 --- a/clients/client-license-manager/src/commands/ListReceivedGrantsForOrganizationCommand.ts +++ b/clients/client-license-manager/src/commands/ListReceivedGrantsForOrganizationCommand.ts @@ -136,4 +136,16 @@ export class ListReceivedGrantsForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_ListReceivedGrantsForOrganizationCommand) .de(de_ListReceivedGrantsForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReceivedGrantsForOrganizationRequest; + output: ListReceivedGrantsForOrganizationResponse; + }; + sdk: { + input: ListReceivedGrantsForOrganizationCommandInput; + output: ListReceivedGrantsForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListReceivedLicensesCommand.ts b/clients/client-license-manager/src/commands/ListReceivedLicensesCommand.ts index d8df9aa7a2ec..74cf50fa495d 100644 --- a/clients/client-license-manager/src/commands/ListReceivedLicensesCommand.ts +++ b/clients/client-license-manager/src/commands/ListReceivedLicensesCommand.ts @@ -166,4 +166,16 @@ export class ListReceivedLicensesCommand extends $Command .f(void 0, void 0) .ser(se_ListReceivedLicensesCommand) .de(de_ListReceivedLicensesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReceivedLicensesRequest; + output: ListReceivedLicensesResponse; + }; + sdk: { + input: ListReceivedLicensesCommandInput; + output: ListReceivedLicensesCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListReceivedLicensesForOrganizationCommand.ts b/clients/client-license-manager/src/commands/ListReceivedLicensesForOrganizationCommand.ts index 792af1a6102c..f6b2725001ee 100644 --- a/clients/client-license-manager/src/commands/ListReceivedLicensesForOrganizationCommand.ts +++ b/clients/client-license-manager/src/commands/ListReceivedLicensesForOrganizationCommand.ts @@ -171,4 +171,16 @@ export class ListReceivedLicensesForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_ListReceivedLicensesForOrganizationCommand) .de(de_ListReceivedLicensesForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReceivedLicensesForOrganizationRequest; + output: ListReceivedLicensesForOrganizationResponse; + }; + sdk: { + input: ListReceivedLicensesForOrganizationCommandInput; + output: ListReceivedLicensesForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListResourceInventoryCommand.ts b/clients/client-license-manager/src/commands/ListResourceInventoryCommand.ts index b9883fb58df9..d3e8833e16d6 100644 --- a/clients/client-license-manager/src/commands/ListResourceInventoryCommand.ts +++ b/clients/client-license-manager/src/commands/ListResourceInventoryCommand.ts @@ -117,4 +117,16 @@ export class ListResourceInventoryCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceInventoryCommand) .de(de_ListResourceInventoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceInventoryRequest; + output: ListResourceInventoryResponse; + }; + sdk: { + input: ListResourceInventoryCommandInput; + output: ListResourceInventoryCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListTagsForResourceCommand.ts b/clients/client-license-manager/src/commands/ListTagsForResourceCommand.ts index 2d3027cc75ec..6564afe00254 100644 --- a/clients/client-license-manager/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-license-manager/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListTokensCommand.ts b/clients/client-license-manager/src/commands/ListTokensCommand.ts index c4addc2413fe..abc57fa68a25 100644 --- a/clients/client-license-manager/src/commands/ListTokensCommand.ts +++ b/clients/client-license-manager/src/commands/ListTokensCommand.ts @@ -120,4 +120,16 @@ export class ListTokensCommand extends $Command .f(void 0, void 0) .ser(se_ListTokensCommand) .de(de_ListTokensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTokensRequest; + output: ListTokensResponse; + }; + sdk: { + input: ListTokensCommandInput; + output: ListTokensCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/ListUsageForLicenseConfigurationCommand.ts b/clients/client-license-manager/src/commands/ListUsageForLicenseConfigurationCommand.ts index abc800c9a5cf..232e36a47785 100644 --- a/clients/client-license-manager/src/commands/ListUsageForLicenseConfigurationCommand.ts +++ b/clients/client-license-manager/src/commands/ListUsageForLicenseConfigurationCommand.ts @@ -123,4 +123,16 @@ export class ListUsageForLicenseConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ListUsageForLicenseConfigurationCommand) .de(de_ListUsageForLicenseConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsageForLicenseConfigurationRequest; + output: ListUsageForLicenseConfigurationResponse; + }; + sdk: { + input: ListUsageForLicenseConfigurationCommandInput; + output: ListUsageForLicenseConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/RejectGrantCommand.ts b/clients/client-license-manager/src/commands/RejectGrantCommand.ts index f458db3b3b4a..93e9246d9b57 100644 --- a/clients/client-license-manager/src/commands/RejectGrantCommand.ts +++ b/clients/client-license-manager/src/commands/RejectGrantCommand.ts @@ -101,4 +101,16 @@ export class RejectGrantCommand extends $Command .f(void 0, void 0) .ser(se_RejectGrantCommand) .de(de_RejectGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectGrantRequest; + output: RejectGrantResponse; + }; + sdk: { + input: RejectGrantCommandInput; + output: RejectGrantCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/TagResourceCommand.ts b/clients/client-license-manager/src/commands/TagResourceCommand.ts index fd19825cbd18..e5bd191845f6 100644 --- a/clients/client-license-manager/src/commands/TagResourceCommand.ts +++ b/clients/client-license-manager/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/UntagResourceCommand.ts b/clients/client-license-manager/src/commands/UntagResourceCommand.ts index 3c3f902fdad3..84f335a84ee8 100644 --- a/clients/client-license-manager/src/commands/UntagResourceCommand.ts +++ b/clients/client-license-manager/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/UpdateLicenseConfigurationCommand.ts b/clients/client-license-manager/src/commands/UpdateLicenseConfigurationCommand.ts index 6adab303c539..b9f6814ab247 100644 --- a/clients/client-license-manager/src/commands/UpdateLicenseConfigurationCommand.ts +++ b/clients/client-license-manager/src/commands/UpdateLicenseConfigurationCommand.ts @@ -117,4 +117,16 @@ export class UpdateLicenseConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLicenseConfigurationCommand) .de(de_UpdateLicenseConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLicenseConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateLicenseConfigurationCommandInput; + output: UpdateLicenseConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/UpdateLicenseManagerReportGeneratorCommand.ts b/clients/client-license-manager/src/commands/UpdateLicenseManagerReportGeneratorCommand.ts index 5492c75d27b7..9e79587b523f 100644 --- a/clients/client-license-manager/src/commands/UpdateLicenseManagerReportGeneratorCommand.ts +++ b/clients/client-license-manager/src/commands/UpdateLicenseManagerReportGeneratorCommand.ts @@ -124,4 +124,16 @@ export class UpdateLicenseManagerReportGeneratorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLicenseManagerReportGeneratorCommand) .de(de_UpdateLicenseManagerReportGeneratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLicenseManagerReportGeneratorRequest; + output: {}; + }; + sdk: { + input: UpdateLicenseManagerReportGeneratorCommandInput; + output: UpdateLicenseManagerReportGeneratorCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/UpdateLicenseSpecificationsForResourceCommand.ts b/clients/client-license-manager/src/commands/UpdateLicenseSpecificationsForResourceCommand.ts index 6aceb85c85c9..4b9e74122e02 100644 --- a/clients/client-license-manager/src/commands/UpdateLicenseSpecificationsForResourceCommand.ts +++ b/clients/client-license-manager/src/commands/UpdateLicenseSpecificationsForResourceCommand.ts @@ -123,4 +123,16 @@ export class UpdateLicenseSpecificationsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLicenseSpecificationsForResourceCommand) .de(de_UpdateLicenseSpecificationsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLicenseSpecificationsForResourceRequest; + output: {}; + }; + sdk: { + input: UpdateLicenseSpecificationsForResourceCommandInput; + output: UpdateLicenseSpecificationsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-license-manager/src/commands/UpdateServiceSettingsCommand.ts b/clients/client-license-manager/src/commands/UpdateServiceSettingsCommand.ts index 108de26e11a5..04b5d7779f19 100644 --- a/clients/client-license-manager/src/commands/UpdateServiceSettingsCommand.ts +++ b/clients/client-license-manager/src/commands/UpdateServiceSettingsCommand.ts @@ -96,4 +96,16 @@ export class UpdateServiceSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceSettingsCommand) .de(de_UpdateServiceSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateServiceSettingsCommandInput; + output: UpdateServiceSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/package.json b/clients/client-lightsail/package.json index 468b23382032..877063e71089 100644 --- a/clients/client-lightsail/package.json +++ b/clients/client-lightsail/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-lightsail/src/commands/AllocateStaticIpCommand.ts b/clients/client-lightsail/src/commands/AllocateStaticIpCommand.ts index b63a39a5c750..4fdf611281d2 100644 --- a/clients/client-lightsail/src/commands/AllocateStaticIpCommand.ts +++ b/clients/client-lightsail/src/commands/AllocateStaticIpCommand.ts @@ -125,4 +125,16 @@ export class AllocateStaticIpCommand extends $Command .f(void 0, void 0) .ser(se_AllocateStaticIpCommand) .de(de_AllocateStaticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllocateStaticIpRequest; + output: AllocateStaticIpResult; + }; + sdk: { + input: AllocateStaticIpCommandInput; + output: AllocateStaticIpCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/AttachCertificateToDistributionCommand.ts b/clients/client-lightsail/src/commands/AttachCertificateToDistributionCommand.ts index 5324ee94c5e9..da37c97c93df 100644 --- a/clients/client-lightsail/src/commands/AttachCertificateToDistributionCommand.ts +++ b/clients/client-lightsail/src/commands/AttachCertificateToDistributionCommand.ts @@ -137,4 +137,16 @@ export class AttachCertificateToDistributionCommand extends $Command .f(void 0, void 0) .ser(se_AttachCertificateToDistributionCommand) .de(de_AttachCertificateToDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachCertificateToDistributionRequest; + output: AttachCertificateToDistributionResult; + }; + sdk: { + input: AttachCertificateToDistributionCommandInput; + output: AttachCertificateToDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/AttachDiskCommand.ts b/clients/client-lightsail/src/commands/AttachDiskCommand.ts index 0a17c0ee429e..6fcab6e49218 100644 --- a/clients/client-lightsail/src/commands/AttachDiskCommand.ts +++ b/clients/client-lightsail/src/commands/AttachDiskCommand.ts @@ -132,4 +132,16 @@ export class AttachDiskCommand extends $Command .f(void 0, void 0) .ser(se_AttachDiskCommand) .de(de_AttachDiskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachDiskRequest; + output: AttachDiskResult; + }; + sdk: { + input: AttachDiskCommandInput; + output: AttachDiskCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/AttachInstancesToLoadBalancerCommand.ts b/clients/client-lightsail/src/commands/AttachInstancesToLoadBalancerCommand.ts index b94a0fd8926e..6e488bd32c7d 100644 --- a/clients/client-lightsail/src/commands/AttachInstancesToLoadBalancerCommand.ts +++ b/clients/client-lightsail/src/commands/AttachInstancesToLoadBalancerCommand.ts @@ -138,4 +138,16 @@ export class AttachInstancesToLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_AttachInstancesToLoadBalancerCommand) .de(de_AttachInstancesToLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachInstancesToLoadBalancerRequest; + output: AttachInstancesToLoadBalancerResult; + }; + sdk: { + input: AttachInstancesToLoadBalancerCommandInput; + output: AttachInstancesToLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/AttachLoadBalancerTlsCertificateCommand.ts b/clients/client-lightsail/src/commands/AttachLoadBalancerTlsCertificateCommand.ts index 7ef9f529bdfa..db4088bbe665 100644 --- a/clients/client-lightsail/src/commands/AttachLoadBalancerTlsCertificateCommand.ts +++ b/clients/client-lightsail/src/commands/AttachLoadBalancerTlsCertificateCommand.ts @@ -139,4 +139,16 @@ export class AttachLoadBalancerTlsCertificateCommand extends $Command .f(void 0, void 0) .ser(se_AttachLoadBalancerTlsCertificateCommand) .de(de_AttachLoadBalancerTlsCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachLoadBalancerTlsCertificateRequest; + output: AttachLoadBalancerTlsCertificateResult; + }; + sdk: { + input: AttachLoadBalancerTlsCertificateCommandInput; + output: AttachLoadBalancerTlsCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/AttachStaticIpCommand.ts b/clients/client-lightsail/src/commands/AttachStaticIpCommand.ts index ca9e3da6c01e..53da9645d495 100644 --- a/clients/client-lightsail/src/commands/AttachStaticIpCommand.ts +++ b/clients/client-lightsail/src/commands/AttachStaticIpCommand.ts @@ -126,4 +126,16 @@ export class AttachStaticIpCommand extends $Command .f(void 0, void 0) .ser(se_AttachStaticIpCommand) .de(de_AttachStaticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachStaticIpRequest; + output: AttachStaticIpResult; + }; + sdk: { + input: AttachStaticIpCommandInput; + output: AttachStaticIpCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CloseInstancePublicPortsCommand.ts b/clients/client-lightsail/src/commands/CloseInstancePublicPortsCommand.ts index c0087f3f70d2..091dfa0e9d09 100644 --- a/clients/client-lightsail/src/commands/CloseInstancePublicPortsCommand.ts +++ b/clients/client-lightsail/src/commands/CloseInstancePublicPortsCommand.ts @@ -140,4 +140,16 @@ export class CloseInstancePublicPortsCommand extends $Command .f(void 0, void 0) .ser(se_CloseInstancePublicPortsCommand) .de(de_CloseInstancePublicPortsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CloseInstancePublicPortsRequest; + output: CloseInstancePublicPortsResult; + }; + sdk: { + input: CloseInstancePublicPortsCommandInput; + output: CloseInstancePublicPortsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CopySnapshotCommand.ts b/clients/client-lightsail/src/commands/CopySnapshotCommand.ts index aaace3d65bc9..e2519ac309b5 100644 --- a/clients/client-lightsail/src/commands/CopySnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/CopySnapshotCommand.ts @@ -139,4 +139,16 @@ export class CopySnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopySnapshotCommand) .de(de_CopySnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopySnapshotRequest; + output: CopySnapshotResult; + }; + sdk: { + input: CopySnapshotCommandInput; + output: CopySnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateBucketAccessKeyCommand.ts b/clients/client-lightsail/src/commands/CreateBucketAccessKeyCommand.ts index ead378e38f88..9883a8cab207 100644 --- a/clients/client-lightsail/src/commands/CreateBucketAccessKeyCommand.ts +++ b/clients/client-lightsail/src/commands/CreateBucketAccessKeyCommand.ts @@ -144,4 +144,16 @@ export class CreateBucketAccessKeyCommand extends $Command .f(void 0, CreateBucketAccessKeyResultFilterSensitiveLog) .ser(se_CreateBucketAccessKeyCommand) .de(de_CreateBucketAccessKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBucketAccessKeyRequest; + output: CreateBucketAccessKeyResult; + }; + sdk: { + input: CreateBucketAccessKeyCommandInput; + output: CreateBucketAccessKeyCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateBucketCommand.ts b/clients/client-lightsail/src/commands/CreateBucketCommand.ts index 5431d7af37c7..034d18360578 100644 --- a/clients/client-lightsail/src/commands/CreateBucketCommand.ts +++ b/clients/client-lightsail/src/commands/CreateBucketCommand.ts @@ -170,4 +170,16 @@ export class CreateBucketCommand extends $Command .f(void 0, void 0) .ser(se_CreateBucketCommand) .de(de_CreateBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBucketRequest; + output: CreateBucketResult; + }; + sdk: { + input: CreateBucketCommandInput; + output: CreateBucketCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateCertificateCommand.ts b/clients/client-lightsail/src/commands/CreateCertificateCommand.ts index 2aa02009fc0c..ce4abedc5e0c 100644 --- a/clients/client-lightsail/src/commands/CreateCertificateCommand.ts +++ b/clients/client-lightsail/src/commands/CreateCertificateCommand.ts @@ -214,4 +214,16 @@ export class CreateCertificateCommand extends $Command .f(void 0, void 0) .ser(se_CreateCertificateCommand) .de(de_CreateCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCertificateRequest; + output: CreateCertificateResult; + }; + sdk: { + input: CreateCertificateCommandInput; + output: CreateCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateCloudFormationStackCommand.ts b/clients/client-lightsail/src/commands/CreateCloudFormationStackCommand.ts index aa6831e42e1e..0e3178430709 100644 --- a/clients/client-lightsail/src/commands/CreateCloudFormationStackCommand.ts +++ b/clients/client-lightsail/src/commands/CreateCloudFormationStackCommand.ts @@ -140,4 +140,16 @@ export class CreateCloudFormationStackCommand extends $Command .f(void 0, void 0) .ser(se_CreateCloudFormationStackCommand) .de(de_CreateCloudFormationStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCloudFormationStackRequest; + output: CreateCloudFormationStackResult; + }; + sdk: { + input: CreateCloudFormationStackCommandInput; + output: CreateCloudFormationStackCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateContactMethodCommand.ts b/clients/client-lightsail/src/commands/CreateContactMethodCommand.ts index 915a6f70ac71..a271fbb4e1ca 100644 --- a/clients/client-lightsail/src/commands/CreateContactMethodCommand.ts +++ b/clients/client-lightsail/src/commands/CreateContactMethodCommand.ts @@ -126,4 +126,16 @@ export class CreateContactMethodCommand extends $Command .f(void 0, void 0) .ser(se_CreateContactMethodCommand) .de(de_CreateContactMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContactMethodRequest; + output: CreateContactMethodResult; + }; + sdk: { + input: CreateContactMethodCommandInput; + output: CreateContactMethodCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateContainerServiceCommand.ts b/clients/client-lightsail/src/commands/CreateContainerServiceCommand.ts index b04aeb195c43..d01b09ee7adb 100644 --- a/clients/client-lightsail/src/commands/CreateContainerServiceCommand.ts +++ b/clients/client-lightsail/src/commands/CreateContainerServiceCommand.ts @@ -249,4 +249,16 @@ export class CreateContainerServiceCommand extends $Command .f(void 0, void 0) .ser(se_CreateContainerServiceCommand) .de(de_CreateContainerServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContainerServiceRequest; + output: CreateContainerServiceResult; + }; + sdk: { + input: CreateContainerServiceCommandInput; + output: CreateContainerServiceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateContainerServiceDeploymentCommand.ts b/clients/client-lightsail/src/commands/CreateContainerServiceDeploymentCommand.ts index afa1e63af56e..59a37bddf4e5 100644 --- a/clients/client-lightsail/src/commands/CreateContainerServiceDeploymentCommand.ts +++ b/clients/client-lightsail/src/commands/CreateContainerServiceDeploymentCommand.ts @@ -240,4 +240,16 @@ export class CreateContainerServiceDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateContainerServiceDeploymentCommand) .de(de_CreateContainerServiceDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContainerServiceDeploymentRequest; + output: CreateContainerServiceDeploymentResult; + }; + sdk: { + input: CreateContainerServiceDeploymentCommandInput; + output: CreateContainerServiceDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateContainerServiceRegistryLoginCommand.ts b/clients/client-lightsail/src/commands/CreateContainerServiceRegistryLoginCommand.ts index b59a05386443..203e2c638dd2 100644 --- a/clients/client-lightsail/src/commands/CreateContainerServiceRegistryLoginCommand.ts +++ b/clients/client-lightsail/src/commands/CreateContainerServiceRegistryLoginCommand.ts @@ -130,4 +130,16 @@ export class CreateContainerServiceRegistryLoginCommand extends $Command .f(void 0, void 0) .ser(se_CreateContainerServiceRegistryLoginCommand) .de(de_CreateContainerServiceRegistryLoginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: CreateContainerServiceRegistryLoginResult; + }; + sdk: { + input: CreateContainerServiceRegistryLoginCommandInput; + output: CreateContainerServiceRegistryLoginCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateDiskCommand.ts b/clients/client-lightsail/src/commands/CreateDiskCommand.ts index 0219c1910baf..389f89f12233 100644 --- a/clients/client-lightsail/src/commands/CreateDiskCommand.ts +++ b/clients/client-lightsail/src/commands/CreateDiskCommand.ts @@ -148,4 +148,16 @@ export class CreateDiskCommand extends $Command .f(void 0, void 0) .ser(se_CreateDiskCommand) .de(de_CreateDiskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDiskRequest; + output: CreateDiskResult; + }; + sdk: { + input: CreateDiskCommandInput; + output: CreateDiskCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateDiskFromSnapshotCommand.ts b/clients/client-lightsail/src/commands/CreateDiskFromSnapshotCommand.ts index 034c6923cbf2..64ba181d5aab 100644 --- a/clients/client-lightsail/src/commands/CreateDiskFromSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/CreateDiskFromSnapshotCommand.ts @@ -154,4 +154,16 @@ export class CreateDiskFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateDiskFromSnapshotCommand) .de(de_CreateDiskFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDiskFromSnapshotRequest; + output: CreateDiskFromSnapshotResult; + }; + sdk: { + input: CreateDiskFromSnapshotCommandInput; + output: CreateDiskFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateDiskSnapshotCommand.ts b/clients/client-lightsail/src/commands/CreateDiskSnapshotCommand.ts index 1d6e58fa3753..4fabd26251db 100644 --- a/clients/client-lightsail/src/commands/CreateDiskSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/CreateDiskSnapshotCommand.ts @@ -151,4 +151,16 @@ export class CreateDiskSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateDiskSnapshotCommand) .de(de_CreateDiskSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDiskSnapshotRequest; + output: CreateDiskSnapshotResult; + }; + sdk: { + input: CreateDiskSnapshotCommandInput; + output: CreateDiskSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateDistributionCommand.ts b/clients/client-lightsail/src/commands/CreateDistributionCommand.ts index 2e9399319490..8d895946d7a2 100644 --- a/clients/client-lightsail/src/commands/CreateDistributionCommand.ts +++ b/clients/client-lightsail/src/commands/CreateDistributionCommand.ts @@ -242,4 +242,16 @@ export class CreateDistributionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDistributionCommand) .de(de_CreateDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDistributionRequest; + output: CreateDistributionResult; + }; + sdk: { + input: CreateDistributionCommandInput; + output: CreateDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateDomainCommand.ts b/clients/client-lightsail/src/commands/CreateDomainCommand.ts index 2566c4b1f2ce..a5a9f0aca232 100644 --- a/clients/client-lightsail/src/commands/CreateDomainCommand.ts +++ b/clients/client-lightsail/src/commands/CreateDomainCommand.ts @@ -131,4 +131,16 @@ export class CreateDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResult; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateDomainEntryCommand.ts b/clients/client-lightsail/src/commands/CreateDomainEntryCommand.ts index ed95279ecb9b..88a44182f2b9 100644 --- a/clients/client-lightsail/src/commands/CreateDomainEntryCommand.ts +++ b/clients/client-lightsail/src/commands/CreateDomainEntryCommand.ts @@ -138,4 +138,16 @@ export class CreateDomainEntryCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainEntryCommand) .de(de_CreateDomainEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainEntryRequest; + output: CreateDomainEntryResult; + }; + sdk: { + input: CreateDomainEntryCommandInput; + output: CreateDomainEntryCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateGUISessionAccessDetailsCommand.ts b/clients/client-lightsail/src/commands/CreateGUISessionAccessDetailsCommand.ts index 44797d92875a..c570ba88f469 100644 --- a/clients/client-lightsail/src/commands/CreateGUISessionAccessDetailsCommand.ts +++ b/clients/client-lightsail/src/commands/CreateGUISessionAccessDetailsCommand.ts @@ -123,4 +123,16 @@ export class CreateGUISessionAccessDetailsCommand extends $Command .f(void 0, CreateGUISessionAccessDetailsResultFilterSensitiveLog) .ser(se_CreateGUISessionAccessDetailsCommand) .de(de_CreateGUISessionAccessDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGUISessionAccessDetailsRequest; + output: CreateGUISessionAccessDetailsResult; + }; + sdk: { + input: CreateGUISessionAccessDetailsCommandInput; + output: CreateGUISessionAccessDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateInstanceSnapshotCommand.ts b/clients/client-lightsail/src/commands/CreateInstanceSnapshotCommand.ts index d83592c50329..abb641d236cb 100644 --- a/clients/client-lightsail/src/commands/CreateInstanceSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/CreateInstanceSnapshotCommand.ts @@ -135,4 +135,16 @@ export class CreateInstanceSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceSnapshotCommand) .de(de_CreateInstanceSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceSnapshotRequest; + output: CreateInstanceSnapshotResult; + }; + sdk: { + input: CreateInstanceSnapshotCommandInput; + output: CreateInstanceSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateInstancesCommand.ts b/clients/client-lightsail/src/commands/CreateInstancesCommand.ts index 907e2c937253..35e57f7a0023 100644 --- a/clients/client-lightsail/src/commands/CreateInstancesCommand.ts +++ b/clients/client-lightsail/src/commands/CreateInstancesCommand.ts @@ -154,4 +154,16 @@ export class CreateInstancesCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstancesCommand) .de(de_CreateInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstancesRequest; + output: CreateInstancesResult; + }; + sdk: { + input: CreateInstancesCommandInput; + output: CreateInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateInstancesFromSnapshotCommand.ts b/clients/client-lightsail/src/commands/CreateInstancesFromSnapshotCommand.ts index a55baa586beb..ee6aab5fab56 100644 --- a/clients/client-lightsail/src/commands/CreateInstancesFromSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/CreateInstancesFromSnapshotCommand.ts @@ -166,4 +166,16 @@ export class CreateInstancesFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstancesFromSnapshotCommand) .de(de_CreateInstancesFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstancesFromSnapshotRequest; + output: CreateInstancesFromSnapshotResult; + }; + sdk: { + input: CreateInstancesFromSnapshotCommandInput; + output: CreateInstancesFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateKeyPairCommand.ts b/clients/client-lightsail/src/commands/CreateKeyPairCommand.ts index 4de574def271..860b93a1a08f 100644 --- a/clients/client-lightsail/src/commands/CreateKeyPairCommand.ts +++ b/clients/client-lightsail/src/commands/CreateKeyPairCommand.ts @@ -157,4 +157,16 @@ export class CreateKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_CreateKeyPairCommand) .de(de_CreateKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyPairRequest; + output: CreateKeyPairResult; + }; + sdk: { + input: CreateKeyPairCommandInput; + output: CreateKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateLoadBalancerCommand.ts b/clients/client-lightsail/src/commands/CreateLoadBalancerCommand.ts index 5061919207e3..3ebf9f2efc18 100644 --- a/clients/client-lightsail/src/commands/CreateLoadBalancerCommand.ts +++ b/clients/client-lightsail/src/commands/CreateLoadBalancerCommand.ts @@ -147,4 +147,16 @@ export class CreateLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoadBalancerCommand) .de(de_CreateLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoadBalancerRequest; + output: CreateLoadBalancerResult; + }; + sdk: { + input: CreateLoadBalancerCommandInput; + output: CreateLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateLoadBalancerTlsCertificateCommand.ts b/clients/client-lightsail/src/commands/CreateLoadBalancerTlsCertificateCommand.ts index 17641ffae586..f07c077ff9ed 100644 --- a/clients/client-lightsail/src/commands/CreateLoadBalancerTlsCertificateCommand.ts +++ b/clients/client-lightsail/src/commands/CreateLoadBalancerTlsCertificateCommand.ts @@ -145,4 +145,16 @@ export class CreateLoadBalancerTlsCertificateCommand extends $Command .f(void 0, void 0) .ser(se_CreateLoadBalancerTlsCertificateCommand) .de(de_CreateLoadBalancerTlsCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLoadBalancerTlsCertificateRequest; + output: CreateLoadBalancerTlsCertificateResult; + }; + sdk: { + input: CreateLoadBalancerTlsCertificateCommandInput; + output: CreateLoadBalancerTlsCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateRelationalDatabaseCommand.ts b/clients/client-lightsail/src/commands/CreateRelationalDatabaseCommand.ts index c71d911b855a..1da18a4fae25 100644 --- a/clients/client-lightsail/src/commands/CreateRelationalDatabaseCommand.ts +++ b/clients/client-lightsail/src/commands/CreateRelationalDatabaseCommand.ts @@ -146,4 +146,16 @@ export class CreateRelationalDatabaseCommand extends $Command .f(CreateRelationalDatabaseRequestFilterSensitiveLog, void 0) .ser(se_CreateRelationalDatabaseCommand) .de(de_CreateRelationalDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRelationalDatabaseRequest; + output: CreateRelationalDatabaseResult; + }; + sdk: { + input: CreateRelationalDatabaseCommandInput; + output: CreateRelationalDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateRelationalDatabaseFromSnapshotCommand.ts b/clients/client-lightsail/src/commands/CreateRelationalDatabaseFromSnapshotCommand.ts index ad4205aab1e1..5102361b09fc 100644 --- a/clients/client-lightsail/src/commands/CreateRelationalDatabaseFromSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/CreateRelationalDatabaseFromSnapshotCommand.ts @@ -152,4 +152,16 @@ export class CreateRelationalDatabaseFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateRelationalDatabaseFromSnapshotCommand) .de(de_CreateRelationalDatabaseFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRelationalDatabaseFromSnapshotRequest; + output: CreateRelationalDatabaseFromSnapshotResult; + }; + sdk: { + input: CreateRelationalDatabaseFromSnapshotCommandInput; + output: CreateRelationalDatabaseFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/CreateRelationalDatabaseSnapshotCommand.ts b/clients/client-lightsail/src/commands/CreateRelationalDatabaseSnapshotCommand.ts index 5f2ee42c2be9..e483acc3c33e 100644 --- a/clients/client-lightsail/src/commands/CreateRelationalDatabaseSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/CreateRelationalDatabaseSnapshotCommand.ts @@ -140,4 +140,16 @@ export class CreateRelationalDatabaseSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateRelationalDatabaseSnapshotCommand) .de(de_CreateRelationalDatabaseSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRelationalDatabaseSnapshotRequest; + output: CreateRelationalDatabaseSnapshotResult; + }; + sdk: { + input: CreateRelationalDatabaseSnapshotCommandInput; + output: CreateRelationalDatabaseSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteAlarmCommand.ts b/clients/client-lightsail/src/commands/DeleteAlarmCommand.ts index af18b33cc73f..4610088919bd 100644 --- a/clients/client-lightsail/src/commands/DeleteAlarmCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteAlarmCommand.ts @@ -125,4 +125,16 @@ export class DeleteAlarmCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAlarmCommand) .de(de_DeleteAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAlarmRequest; + output: DeleteAlarmResult; + }; + sdk: { + input: DeleteAlarmCommandInput; + output: DeleteAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteAutoSnapshotCommand.ts b/clients/client-lightsail/src/commands/DeleteAutoSnapshotCommand.ts index cf09e2117870..8896868c0f9b 100644 --- a/clients/client-lightsail/src/commands/DeleteAutoSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteAutoSnapshotCommand.ts @@ -122,4 +122,16 @@ export class DeleteAutoSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAutoSnapshotCommand) .de(de_DeleteAutoSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAutoSnapshotRequest; + output: DeleteAutoSnapshotResult; + }; + sdk: { + input: DeleteAutoSnapshotCommandInput; + output: DeleteAutoSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteBucketAccessKeyCommand.ts b/clients/client-lightsail/src/commands/DeleteBucketAccessKeyCommand.ts index 2f0bc2d0f9f7..de88484cd070 100644 --- a/clients/client-lightsail/src/commands/DeleteBucketAccessKeyCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteBucketAccessKeyCommand.ts @@ -122,4 +122,16 @@ export class DeleteBucketAccessKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketAccessKeyCommand) .de(de_DeleteBucketAccessKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketAccessKeyRequest; + output: DeleteBucketAccessKeyResult; + }; + sdk: { + input: DeleteBucketAccessKeyCommandInput; + output: DeleteBucketAccessKeyCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteBucketCommand.ts b/clients/client-lightsail/src/commands/DeleteBucketCommand.ts index 4abba2187d28..1fd480e53bdb 100644 --- a/clients/client-lightsail/src/commands/DeleteBucketCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteBucketCommand.ts @@ -123,4 +123,16 @@ export class DeleteBucketCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketCommand) .de(de_DeleteBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketRequest; + output: DeleteBucketResult; + }; + sdk: { + input: DeleteBucketCommandInput; + output: DeleteBucketCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteCertificateCommand.ts b/clients/client-lightsail/src/commands/DeleteCertificateCommand.ts index 52e5b1d27dbb..624de7662d7c 100644 --- a/clients/client-lightsail/src/commands/DeleteCertificateCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteCertificateCommand.ts @@ -122,4 +122,16 @@ export class DeleteCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCertificateCommand) .de(de_DeleteCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCertificateRequest; + output: DeleteCertificateResult; + }; + sdk: { + input: DeleteCertificateCommandInput; + output: DeleteCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteContactMethodCommand.ts b/clients/client-lightsail/src/commands/DeleteContactMethodCommand.ts index 464ece7b2659..7468290f3080 100644 --- a/clients/client-lightsail/src/commands/DeleteContactMethodCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteContactMethodCommand.ts @@ -125,4 +125,16 @@ export class DeleteContactMethodCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactMethodCommand) .de(de_DeleteContactMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactMethodRequest; + output: DeleteContactMethodResult; + }; + sdk: { + input: DeleteContactMethodCommandInput; + output: DeleteContactMethodCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteContainerImageCommand.ts b/clients/client-lightsail/src/commands/DeleteContainerImageCommand.ts index 8abf57af868b..7f69d9cfe61d 100644 --- a/clients/client-lightsail/src/commands/DeleteContainerImageCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteContainerImageCommand.ts @@ -100,4 +100,16 @@ export class DeleteContainerImageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContainerImageCommand) .de(de_DeleteContainerImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContainerImageRequest; + output: {}; + }; + sdk: { + input: DeleteContainerImageCommandInput; + output: DeleteContainerImageCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteContainerServiceCommand.ts b/clients/client-lightsail/src/commands/DeleteContainerServiceCommand.ts index 0588e2b281b1..166d8022810f 100644 --- a/clients/client-lightsail/src/commands/DeleteContainerServiceCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteContainerServiceCommand.ts @@ -98,4 +98,16 @@ export class DeleteContainerServiceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContainerServiceCommand) .de(de_DeleteContainerServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContainerServiceRequest; + output: {}; + }; + sdk: { + input: DeleteContainerServiceCommandInput; + output: DeleteContainerServiceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteDiskCommand.ts b/clients/client-lightsail/src/commands/DeleteDiskCommand.ts index 95f3f24362e9..b38d84c861d4 100644 --- a/clients/client-lightsail/src/commands/DeleteDiskCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteDiskCommand.ts @@ -133,4 +133,16 @@ export class DeleteDiskCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDiskCommand) .de(de_DeleteDiskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDiskRequest; + output: DeleteDiskResult; + }; + sdk: { + input: DeleteDiskCommandInput; + output: DeleteDiskCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteDiskSnapshotCommand.ts b/clients/client-lightsail/src/commands/DeleteDiskSnapshotCommand.ts index 7e5a7dde9e40..5cfff0be59c5 100644 --- a/clients/client-lightsail/src/commands/DeleteDiskSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteDiskSnapshotCommand.ts @@ -133,4 +133,16 @@ export class DeleteDiskSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDiskSnapshotCommand) .de(de_DeleteDiskSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDiskSnapshotRequest; + output: DeleteDiskSnapshotResult; + }; + sdk: { + input: DeleteDiskSnapshotCommandInput; + output: DeleteDiskSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteDistributionCommand.ts b/clients/client-lightsail/src/commands/DeleteDistributionCommand.ts index 430bcfaf3db9..1d7cc9b70c6e 100644 --- a/clients/client-lightsail/src/commands/DeleteDistributionCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteDistributionCommand.ts @@ -119,4 +119,16 @@ export class DeleteDistributionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDistributionCommand) .de(de_DeleteDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDistributionRequest; + output: DeleteDistributionResult; + }; + sdk: { + input: DeleteDistributionCommandInput; + output: DeleteDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteDomainCommand.ts b/clients/client-lightsail/src/commands/DeleteDomainCommand.ts index 1bb15b341006..393113ba6e15 100644 --- a/clients/client-lightsail/src/commands/DeleteDomainCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteDomainCommand.ts @@ -126,4 +126,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: DeleteDomainResult; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteDomainEntryCommand.ts b/clients/client-lightsail/src/commands/DeleteDomainEntryCommand.ts index ee16a41a8d71..24db3239bfb1 100644 --- a/clients/client-lightsail/src/commands/DeleteDomainEntryCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteDomainEntryCommand.ts @@ -136,4 +136,16 @@ export class DeleteDomainEntryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainEntryCommand) .de(de_DeleteDomainEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainEntryRequest; + output: DeleteDomainEntryResult; + }; + sdk: { + input: DeleteDomainEntryCommandInput; + output: DeleteDomainEntryCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteInstanceCommand.ts b/clients/client-lightsail/src/commands/DeleteInstanceCommand.ts index 7e8bd67911b4..6d43cf0353a1 100644 --- a/clients/client-lightsail/src/commands/DeleteInstanceCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteInstanceCommand.ts @@ -129,4 +129,16 @@ export class DeleteInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceCommand) .de(de_DeleteInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceRequest; + output: DeleteInstanceResult; + }; + sdk: { + input: DeleteInstanceCommandInput; + output: DeleteInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteInstanceSnapshotCommand.ts b/clients/client-lightsail/src/commands/DeleteInstanceSnapshotCommand.ts index 4409720b7742..21cbfbf40be8 100644 --- a/clients/client-lightsail/src/commands/DeleteInstanceSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteInstanceSnapshotCommand.ts @@ -129,4 +129,16 @@ export class DeleteInstanceSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceSnapshotCommand) .de(de_DeleteInstanceSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceSnapshotRequest; + output: DeleteInstanceSnapshotResult; + }; + sdk: { + input: DeleteInstanceSnapshotCommandInput; + output: DeleteInstanceSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteKeyPairCommand.ts b/clients/client-lightsail/src/commands/DeleteKeyPairCommand.ts index 1f08a393652f..4a9a9fa1786e 100644 --- a/clients/client-lightsail/src/commands/DeleteKeyPairCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteKeyPairCommand.ts @@ -131,4 +131,16 @@ export class DeleteKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyPairCommand) .de(de_DeleteKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyPairRequest; + output: DeleteKeyPairResult; + }; + sdk: { + input: DeleteKeyPairCommandInput; + output: DeleteKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteKnownHostKeysCommand.ts b/clients/client-lightsail/src/commands/DeleteKnownHostKeysCommand.ts index 69e0eca40dac..9956254c48b3 100644 --- a/clients/client-lightsail/src/commands/DeleteKnownHostKeysCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteKnownHostKeysCommand.ts @@ -133,4 +133,16 @@ export class DeleteKnownHostKeysCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKnownHostKeysCommand) .de(de_DeleteKnownHostKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKnownHostKeysRequest; + output: DeleteKnownHostKeysResult; + }; + sdk: { + input: DeleteKnownHostKeysCommandInput; + output: DeleteKnownHostKeysCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteLoadBalancerCommand.ts b/clients/client-lightsail/src/commands/DeleteLoadBalancerCommand.ts index 32fe4761a7fb..3628283e1f6f 100644 --- a/clients/client-lightsail/src/commands/DeleteLoadBalancerCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteLoadBalancerCommand.ts @@ -130,4 +130,16 @@ export class DeleteLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoadBalancerCommand) .de(de_DeleteLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoadBalancerRequest; + output: DeleteLoadBalancerResult; + }; + sdk: { + input: DeleteLoadBalancerCommandInput; + output: DeleteLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteLoadBalancerTlsCertificateCommand.ts b/clients/client-lightsail/src/commands/DeleteLoadBalancerTlsCertificateCommand.ts index 1b420d6eb287..732011fa2d38 100644 --- a/clients/client-lightsail/src/commands/DeleteLoadBalancerTlsCertificateCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteLoadBalancerTlsCertificateCommand.ts @@ -135,4 +135,16 @@ export class DeleteLoadBalancerTlsCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoadBalancerTlsCertificateCommand) .de(de_DeleteLoadBalancerTlsCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoadBalancerTlsCertificateRequest; + output: DeleteLoadBalancerTlsCertificateResult; + }; + sdk: { + input: DeleteLoadBalancerTlsCertificateCommandInput; + output: DeleteLoadBalancerTlsCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteRelationalDatabaseCommand.ts b/clients/client-lightsail/src/commands/DeleteRelationalDatabaseCommand.ts index 7bdc29703abb..85e739c0ba69 100644 --- a/clients/client-lightsail/src/commands/DeleteRelationalDatabaseCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteRelationalDatabaseCommand.ts @@ -130,4 +130,16 @@ export class DeleteRelationalDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRelationalDatabaseCommand) .de(de_DeleteRelationalDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRelationalDatabaseRequest; + output: DeleteRelationalDatabaseResult; + }; + sdk: { + input: DeleteRelationalDatabaseCommandInput; + output: DeleteRelationalDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DeleteRelationalDatabaseSnapshotCommand.ts b/clients/client-lightsail/src/commands/DeleteRelationalDatabaseSnapshotCommand.ts index 4588d64c148c..9ce2ed3fa9c8 100644 --- a/clients/client-lightsail/src/commands/DeleteRelationalDatabaseSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/DeleteRelationalDatabaseSnapshotCommand.ts @@ -133,4 +133,16 @@ export class DeleteRelationalDatabaseSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRelationalDatabaseSnapshotCommand) .de(de_DeleteRelationalDatabaseSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRelationalDatabaseSnapshotRequest; + output: DeleteRelationalDatabaseSnapshotResult; + }; + sdk: { + input: DeleteRelationalDatabaseSnapshotCommandInput; + output: DeleteRelationalDatabaseSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DetachCertificateFromDistributionCommand.ts b/clients/client-lightsail/src/commands/DetachCertificateFromDistributionCommand.ts index 9e26d2e43046..f2aa12be1215 100644 --- a/clients/client-lightsail/src/commands/DetachCertificateFromDistributionCommand.ts +++ b/clients/client-lightsail/src/commands/DetachCertificateFromDistributionCommand.ts @@ -127,4 +127,16 @@ export class DetachCertificateFromDistributionCommand extends $Command .f(void 0, void 0) .ser(se_DetachCertificateFromDistributionCommand) .de(de_DetachCertificateFromDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachCertificateFromDistributionRequest; + output: DetachCertificateFromDistributionResult; + }; + sdk: { + input: DetachCertificateFromDistributionCommandInput; + output: DetachCertificateFromDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DetachDiskCommand.ts b/clients/client-lightsail/src/commands/DetachDiskCommand.ts index 15a516921d50..9dc859ec4882 100644 --- a/clients/client-lightsail/src/commands/DetachDiskCommand.ts +++ b/clients/client-lightsail/src/commands/DetachDiskCommand.ts @@ -130,4 +130,16 @@ export class DetachDiskCommand extends $Command .f(void 0, void 0) .ser(se_DetachDiskCommand) .de(de_DetachDiskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachDiskRequest; + output: DetachDiskResult; + }; + sdk: { + input: DetachDiskCommandInput; + output: DetachDiskCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DetachInstancesFromLoadBalancerCommand.ts b/clients/client-lightsail/src/commands/DetachInstancesFromLoadBalancerCommand.ts index dffb873589a8..26e0a4a0671e 100644 --- a/clients/client-lightsail/src/commands/DetachInstancesFromLoadBalancerCommand.ts +++ b/clients/client-lightsail/src/commands/DetachInstancesFromLoadBalancerCommand.ts @@ -138,4 +138,16 @@ export class DetachInstancesFromLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_DetachInstancesFromLoadBalancerCommand) .de(de_DetachInstancesFromLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachInstancesFromLoadBalancerRequest; + output: DetachInstancesFromLoadBalancerResult; + }; + sdk: { + input: DetachInstancesFromLoadBalancerCommandInput; + output: DetachInstancesFromLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DetachStaticIpCommand.ts b/clients/client-lightsail/src/commands/DetachStaticIpCommand.ts index 9282a9438079..26c9b920e1f6 100644 --- a/clients/client-lightsail/src/commands/DetachStaticIpCommand.ts +++ b/clients/client-lightsail/src/commands/DetachStaticIpCommand.ts @@ -125,4 +125,16 @@ export class DetachStaticIpCommand extends $Command .f(void 0, void 0) .ser(se_DetachStaticIpCommand) .de(de_DetachStaticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachStaticIpRequest; + output: DetachStaticIpResult; + }; + sdk: { + input: DetachStaticIpCommandInput; + output: DetachStaticIpCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DisableAddOnCommand.ts b/clients/client-lightsail/src/commands/DisableAddOnCommand.ts index a8fff4f87fb9..2d4999fe7036 100644 --- a/clients/client-lightsail/src/commands/DisableAddOnCommand.ts +++ b/clients/client-lightsail/src/commands/DisableAddOnCommand.ts @@ -122,4 +122,16 @@ export class DisableAddOnCommand extends $Command .f(void 0, void 0) .ser(se_DisableAddOnCommand) .de(de_DisableAddOnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableAddOnRequest; + output: DisableAddOnResult; + }; + sdk: { + input: DisableAddOnCommandInput; + output: DisableAddOnCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/DownloadDefaultKeyPairCommand.ts b/clients/client-lightsail/src/commands/DownloadDefaultKeyPairCommand.ts index 119a32fa040f..f59bc3ac87f2 100644 --- a/clients/client-lightsail/src/commands/DownloadDefaultKeyPairCommand.ts +++ b/clients/client-lightsail/src/commands/DownloadDefaultKeyPairCommand.ts @@ -109,4 +109,16 @@ export class DownloadDefaultKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_DownloadDefaultKeyPairCommand) .de(de_DownloadDefaultKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DownloadDefaultKeyPairResult; + }; + sdk: { + input: DownloadDefaultKeyPairCommandInput; + output: DownloadDefaultKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/EnableAddOnCommand.ts b/clients/client-lightsail/src/commands/EnableAddOnCommand.ts index b5f567fa4377..e10106e45c14 100644 --- a/clients/client-lightsail/src/commands/EnableAddOnCommand.ts +++ b/clients/client-lightsail/src/commands/EnableAddOnCommand.ts @@ -132,4 +132,16 @@ export class EnableAddOnCommand extends $Command .f(void 0, void 0) .ser(se_EnableAddOnCommand) .de(de_EnableAddOnCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableAddOnRequest; + output: EnableAddOnResult; + }; + sdk: { + input: EnableAddOnCommandInput; + output: EnableAddOnCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/ExportSnapshotCommand.ts b/clients/client-lightsail/src/commands/ExportSnapshotCommand.ts index 8fd0743e3be9..639156b2ea48 100644 --- a/clients/client-lightsail/src/commands/ExportSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/ExportSnapshotCommand.ts @@ -139,4 +139,16 @@ export class ExportSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_ExportSnapshotCommand) .de(de_ExportSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportSnapshotRequest; + output: ExportSnapshotResult; + }; + sdk: { + input: ExportSnapshotCommandInput; + output: ExportSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetActiveNamesCommand.ts b/clients/client-lightsail/src/commands/GetActiveNamesCommand.ts index 5af1ae3f2019..8eb3b7830bf7 100644 --- a/clients/client-lightsail/src/commands/GetActiveNamesCommand.ts +++ b/clients/client-lightsail/src/commands/GetActiveNamesCommand.ts @@ -110,4 +110,16 @@ export class GetActiveNamesCommand extends $Command .f(void 0, void 0) .ser(se_GetActiveNamesCommand) .de(de_GetActiveNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetActiveNamesRequest; + output: GetActiveNamesResult; + }; + sdk: { + input: GetActiveNamesCommandInput; + output: GetActiveNamesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetAlarmsCommand.ts b/clients/client-lightsail/src/commands/GetAlarmsCommand.ts index e60c128c742f..76c54292313e 100644 --- a/clients/client-lightsail/src/commands/GetAlarmsCommand.ts +++ b/clients/client-lightsail/src/commands/GetAlarmsCommand.ts @@ -146,4 +146,16 @@ export class GetAlarmsCommand extends $Command .f(void 0, void 0) .ser(se_GetAlarmsCommand) .de(de_GetAlarmsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAlarmsRequest; + output: GetAlarmsResult; + }; + sdk: { + input: GetAlarmsCommandInput; + output: GetAlarmsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetAutoSnapshotsCommand.ts b/clients/client-lightsail/src/commands/GetAutoSnapshotsCommand.ts index 84b451fce49b..a486bb4f87b8 100644 --- a/clients/client-lightsail/src/commands/GetAutoSnapshotsCommand.ts +++ b/clients/client-lightsail/src/commands/GetAutoSnapshotsCommand.ts @@ -118,4 +118,16 @@ export class GetAutoSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_GetAutoSnapshotsCommand) .de(de_GetAutoSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAutoSnapshotsRequest; + output: GetAutoSnapshotsResult; + }; + sdk: { + input: GetAutoSnapshotsCommandInput; + output: GetAutoSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetBlueprintsCommand.ts b/clients/client-lightsail/src/commands/GetBlueprintsCommand.ts index 6b4d2da1534a..115bee2ed490 100644 --- a/clients/client-lightsail/src/commands/GetBlueprintsCommand.ts +++ b/clients/client-lightsail/src/commands/GetBlueprintsCommand.ts @@ -135,4 +135,16 @@ export class GetBlueprintsCommand extends $Command .f(void 0, void 0) .ser(se_GetBlueprintsCommand) .de(de_GetBlueprintsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlueprintsRequest; + output: GetBlueprintsResult; + }; + sdk: { + input: GetBlueprintsCommandInput; + output: GetBlueprintsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetBucketAccessKeysCommand.ts b/clients/client-lightsail/src/commands/GetBucketAccessKeysCommand.ts index 51960ae030f0..cec7b1ab9e71 100644 --- a/clients/client-lightsail/src/commands/GetBucketAccessKeysCommand.ts +++ b/clients/client-lightsail/src/commands/GetBucketAccessKeysCommand.ts @@ -121,4 +121,16 @@ export class GetBucketAccessKeysCommand extends $Command .f(void 0, GetBucketAccessKeysResultFilterSensitiveLog) .ser(se_GetBucketAccessKeysCommand) .de(de_GetBucketAccessKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketAccessKeysRequest; + output: GetBucketAccessKeysResult; + }; + sdk: { + input: GetBucketAccessKeysCommandInput; + output: GetBucketAccessKeysCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetBucketBundlesCommand.ts b/clients/client-lightsail/src/commands/GetBucketBundlesCommand.ts index 63b451b21232..568386027efb 100644 --- a/clients/client-lightsail/src/commands/GetBucketBundlesCommand.ts +++ b/clients/client-lightsail/src/commands/GetBucketBundlesCommand.ts @@ -110,4 +110,16 @@ export class GetBucketBundlesCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketBundlesCommand) .de(de_GetBucketBundlesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketBundlesRequest; + output: GetBucketBundlesResult; + }; + sdk: { + input: GetBucketBundlesCommandInput; + output: GetBucketBundlesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetBucketMetricDataCommand.ts b/clients/client-lightsail/src/commands/GetBucketMetricDataCommand.ts index 58d30e4ff133..b2087ab2f434 100644 --- a/clients/client-lightsail/src/commands/GetBucketMetricDataCommand.ts +++ b/clients/client-lightsail/src/commands/GetBucketMetricDataCommand.ts @@ -122,4 +122,16 @@ export class GetBucketMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketMetricDataCommand) .de(de_GetBucketMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketMetricDataRequest; + output: GetBucketMetricDataResult; + }; + sdk: { + input: GetBucketMetricDataCommandInput; + output: GetBucketMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetBucketsCommand.ts b/clients/client-lightsail/src/commands/GetBucketsCommand.ts index 35917a12349d..0ad51c23a15a 100644 --- a/clients/client-lightsail/src/commands/GetBucketsCommand.ts +++ b/clients/client-lightsail/src/commands/GetBucketsCommand.ts @@ -157,4 +157,16 @@ export class GetBucketsCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketsCommand) .de(de_GetBucketsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketsRequest; + output: GetBucketsResult; + }; + sdk: { + input: GetBucketsCommandInput; + output: GetBucketsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetBundlesCommand.ts b/clients/client-lightsail/src/commands/GetBundlesCommand.ts index 59f8b401faa8..f5ff9b4da865 100644 --- a/clients/client-lightsail/src/commands/GetBundlesCommand.ts +++ b/clients/client-lightsail/src/commands/GetBundlesCommand.ts @@ -138,4 +138,16 @@ export class GetBundlesCommand extends $Command .f(void 0, void 0) .ser(se_GetBundlesCommand) .de(de_GetBundlesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBundlesRequest; + output: GetBundlesResult; + }; + sdk: { + input: GetBundlesCommandInput; + output: GetBundlesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetCertificatesCommand.ts b/clients/client-lightsail/src/commands/GetCertificatesCommand.ts index a6cfafc5f86b..fc7698cb8cd5 100644 --- a/clients/client-lightsail/src/commands/GetCertificatesCommand.ts +++ b/clients/client-lightsail/src/commands/GetCertificatesCommand.ts @@ -186,4 +186,16 @@ export class GetCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_GetCertificatesCommand) .de(de_GetCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCertificatesRequest; + output: GetCertificatesResult; + }; + sdk: { + input: GetCertificatesCommandInput; + output: GetCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetCloudFormationStackRecordsCommand.ts b/clients/client-lightsail/src/commands/GetCloudFormationStackRecordsCommand.ts index 4f4972daf46a..a5592ea998c3 100644 --- a/clients/client-lightsail/src/commands/GetCloudFormationStackRecordsCommand.ts +++ b/clients/client-lightsail/src/commands/GetCloudFormationStackRecordsCommand.ts @@ -139,4 +139,16 @@ export class GetCloudFormationStackRecordsCommand extends $Command .f(void 0, void 0) .ser(se_GetCloudFormationStackRecordsCommand) .de(de_GetCloudFormationStackRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCloudFormationStackRecordsRequest; + output: GetCloudFormationStackRecordsResult; + }; + sdk: { + input: GetCloudFormationStackRecordsCommandInput; + output: GetCloudFormationStackRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContactMethodsCommand.ts b/clients/client-lightsail/src/commands/GetContactMethodsCommand.ts index 5d89dc7f0c5a..44684972494a 100644 --- a/clients/client-lightsail/src/commands/GetContactMethodsCommand.ts +++ b/clients/client-lightsail/src/commands/GetContactMethodsCommand.ts @@ -125,4 +125,16 @@ export class GetContactMethodsCommand extends $Command .f(void 0, void 0) .ser(se_GetContactMethodsCommand) .de(de_GetContactMethodsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactMethodsRequest; + output: GetContactMethodsResult; + }; + sdk: { + input: GetContactMethodsCommandInput; + output: GetContactMethodsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContainerAPIMetadataCommand.ts b/clients/client-lightsail/src/commands/GetContainerAPIMetadataCommand.ts index cd5e7402fa6d..5063d0b2d391 100644 --- a/clients/client-lightsail/src/commands/GetContainerAPIMetadataCommand.ts +++ b/clients/client-lightsail/src/commands/GetContainerAPIMetadataCommand.ts @@ -90,4 +90,16 @@ export class GetContainerAPIMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerAPIMetadataCommand) .de(de_GetContainerAPIMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetContainerAPIMetadataResult; + }; + sdk: { + input: GetContainerAPIMetadataCommandInput; + output: GetContainerAPIMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContainerImagesCommand.ts b/clients/client-lightsail/src/commands/GetContainerImagesCommand.ts index edfad78c9770..5d8b7c123fd0 100644 --- a/clients/client-lightsail/src/commands/GetContainerImagesCommand.ts +++ b/clients/client-lightsail/src/commands/GetContainerImagesCommand.ts @@ -112,4 +112,16 @@ export class GetContainerImagesCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerImagesCommand) .de(de_GetContainerImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerImagesRequest; + output: GetContainerImagesResult; + }; + sdk: { + input: GetContainerImagesCommandInput; + output: GetContainerImagesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContainerLogCommand.ts b/clients/client-lightsail/src/commands/GetContainerLogCommand.ts index c5d2958aa5ed..17174d2c25f2 100644 --- a/clients/client-lightsail/src/commands/GetContainerLogCommand.ts +++ b/clients/client-lightsail/src/commands/GetContainerLogCommand.ts @@ -120,4 +120,16 @@ export class GetContainerLogCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerLogCommand) .de(de_GetContainerLogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerLogRequest; + output: GetContainerLogResult; + }; + sdk: { + input: GetContainerLogCommandInput; + output: GetContainerLogCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContainerServiceDeploymentsCommand.ts b/clients/client-lightsail/src/commands/GetContainerServiceDeploymentsCommand.ts index 89dffdbbd699..1a71cdddd477 100644 --- a/clients/client-lightsail/src/commands/GetContainerServiceDeploymentsCommand.ts +++ b/clients/client-lightsail/src/commands/GetContainerServiceDeploymentsCommand.ts @@ -147,4 +147,16 @@ export class GetContainerServiceDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerServiceDeploymentsCommand) .de(de_GetContainerServiceDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerServiceDeploymentsRequest; + output: GetContainerServiceDeploymentsResult; + }; + sdk: { + input: GetContainerServiceDeploymentsCommandInput; + output: GetContainerServiceDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContainerServiceMetricDataCommand.ts b/clients/client-lightsail/src/commands/GetContainerServiceMetricDataCommand.ts index 03fa45f5c996..5c89da4f14ad 100644 --- a/clients/client-lightsail/src/commands/GetContainerServiceMetricDataCommand.ts +++ b/clients/client-lightsail/src/commands/GetContainerServiceMetricDataCommand.ts @@ -126,4 +126,16 @@ export class GetContainerServiceMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerServiceMetricDataCommand) .de(de_GetContainerServiceMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerServiceMetricDataRequest; + output: GetContainerServiceMetricDataResult; + }; + sdk: { + input: GetContainerServiceMetricDataCommandInput; + output: GetContainerServiceMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContainerServicePowersCommand.ts b/clients/client-lightsail/src/commands/GetContainerServicePowersCommand.ts index 728ec858a203..45e89be25ed1 100644 --- a/clients/client-lightsail/src/commands/GetContainerServicePowersCommand.ts +++ b/clients/client-lightsail/src/commands/GetContainerServicePowersCommand.ts @@ -111,4 +111,16 @@ export class GetContainerServicePowersCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerServicePowersCommand) .de(de_GetContainerServicePowersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetContainerServicePowersResult; + }; + sdk: { + input: GetContainerServicePowersCommandInput; + output: GetContainerServicePowersCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetContainerServicesCommand.ts b/clients/client-lightsail/src/commands/GetContainerServicesCommand.ts index 14fba5ca36ab..83ecdaf1652a 100644 --- a/clients/client-lightsail/src/commands/GetContainerServicesCommand.ts +++ b/clients/client-lightsail/src/commands/GetContainerServicesCommand.ts @@ -203,4 +203,16 @@ export class GetContainerServicesCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerServicesCommand) .de(de_GetContainerServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerServicesRequest; + output: ContainerServicesListResult; + }; + sdk: { + input: GetContainerServicesCommandInput; + output: GetContainerServicesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetCostEstimateCommand.ts b/clients/client-lightsail/src/commands/GetCostEstimateCommand.ts index 6cb732b395c1..dc1724807e03 100644 --- a/clients/client-lightsail/src/commands/GetCostEstimateCommand.ts +++ b/clients/client-lightsail/src/commands/GetCostEstimateCommand.ts @@ -127,4 +127,16 @@ export class GetCostEstimateCommand extends $Command .f(void 0, void 0) .ser(se_GetCostEstimateCommand) .de(de_GetCostEstimateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCostEstimateRequest; + output: GetCostEstimateResult; + }; + sdk: { + input: GetCostEstimateCommandInput; + output: GetCostEstimateCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDiskCommand.ts b/clients/client-lightsail/src/commands/GetDiskCommand.ts index ae740af71644..7de0e6ea2979 100644 --- a/clients/client-lightsail/src/commands/GetDiskCommand.ts +++ b/clients/client-lightsail/src/commands/GetDiskCommand.ts @@ -143,4 +143,16 @@ export class GetDiskCommand extends $Command .f(void 0, void 0) .ser(se_GetDiskCommand) .de(de_GetDiskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDiskRequest; + output: GetDiskResult; + }; + sdk: { + input: GetDiskCommandInput; + output: GetDiskCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDiskSnapshotCommand.ts b/clients/client-lightsail/src/commands/GetDiskSnapshotCommand.ts index 840208005420..6b1b8dad99ac 100644 --- a/clients/client-lightsail/src/commands/GetDiskSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/GetDiskSnapshotCommand.ts @@ -131,4 +131,16 @@ export class GetDiskSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_GetDiskSnapshotCommand) .de(de_GetDiskSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDiskSnapshotRequest; + output: GetDiskSnapshotResult; + }; + sdk: { + input: GetDiskSnapshotCommandInput; + output: GetDiskSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDiskSnapshotsCommand.ts b/clients/client-lightsail/src/commands/GetDiskSnapshotsCommand.ts index 733d5ff8c6a2..095c4269be9d 100644 --- a/clients/client-lightsail/src/commands/GetDiskSnapshotsCommand.ts +++ b/clients/client-lightsail/src/commands/GetDiskSnapshotsCommand.ts @@ -135,4 +135,16 @@ export class GetDiskSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_GetDiskSnapshotsCommand) .de(de_GetDiskSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDiskSnapshotsRequest; + output: GetDiskSnapshotsResult; + }; + sdk: { + input: GetDiskSnapshotsCommandInput; + output: GetDiskSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDisksCommand.ts b/clients/client-lightsail/src/commands/GetDisksCommand.ts index 1171dea5fc3a..ca00c2e93ae7 100644 --- a/clients/client-lightsail/src/commands/GetDisksCommand.ts +++ b/clients/client-lightsail/src/commands/GetDisksCommand.ts @@ -146,4 +146,16 @@ export class GetDisksCommand extends $Command .f(void 0, void 0) .ser(se_GetDisksCommand) .de(de_GetDisksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDisksRequest; + output: GetDisksResult; + }; + sdk: { + input: GetDisksCommandInput; + output: GetDisksCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDistributionBundlesCommand.ts b/clients/client-lightsail/src/commands/GetDistributionBundlesCommand.ts index 3bb6c91e3bbc..bc970b66967c 100644 --- a/clients/client-lightsail/src/commands/GetDistributionBundlesCommand.ts +++ b/clients/client-lightsail/src/commands/GetDistributionBundlesCommand.ts @@ -112,4 +112,16 @@ export class GetDistributionBundlesCommand extends $Command .f(void 0, void 0) .ser(se_GetDistributionBundlesCommand) .de(de_GetDistributionBundlesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDistributionBundlesResult; + }; + sdk: { + input: GetDistributionBundlesCommandInput; + output: GetDistributionBundlesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDistributionLatestCacheResetCommand.ts b/clients/client-lightsail/src/commands/GetDistributionLatestCacheResetCommand.ts index 6a3010bd89c7..d79c453f6b3d 100644 --- a/clients/client-lightsail/src/commands/GetDistributionLatestCacheResetCommand.ts +++ b/clients/client-lightsail/src/commands/GetDistributionLatestCacheResetCommand.ts @@ -110,4 +110,16 @@ export class GetDistributionLatestCacheResetCommand extends $Command .f(void 0, void 0) .ser(se_GetDistributionLatestCacheResetCommand) .de(de_GetDistributionLatestCacheResetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDistributionLatestCacheResetRequest; + output: GetDistributionLatestCacheResetResult; + }; + sdk: { + input: GetDistributionLatestCacheResetCommandInput; + output: GetDistributionLatestCacheResetCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDistributionMetricDataCommand.ts b/clients/client-lightsail/src/commands/GetDistributionMetricDataCommand.ts index 5e6256ba8e18..37a1e658dccc 100644 --- a/clients/client-lightsail/src/commands/GetDistributionMetricDataCommand.ts +++ b/clients/client-lightsail/src/commands/GetDistributionMetricDataCommand.ts @@ -126,4 +126,16 @@ export class GetDistributionMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetDistributionMetricDataCommand) .de(de_GetDistributionMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDistributionMetricDataRequest; + output: GetDistributionMetricDataResult; + }; + sdk: { + input: GetDistributionMetricDataCommandInput; + output: GetDistributionMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDistributionsCommand.ts b/clients/client-lightsail/src/commands/GetDistributionsCommand.ts index 2e8e4dc32779..27c3efaa0d7f 100644 --- a/clients/client-lightsail/src/commands/GetDistributionsCommand.ts +++ b/clients/client-lightsail/src/commands/GetDistributionsCommand.ts @@ -177,4 +177,16 @@ export class GetDistributionsCommand extends $Command .f(void 0, void 0) .ser(se_GetDistributionsCommand) .de(de_GetDistributionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDistributionsRequest; + output: GetDistributionsResult; + }; + sdk: { + input: GetDistributionsCommandInput; + output: GetDistributionsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDomainCommand.ts b/clients/client-lightsail/src/commands/GetDomainCommand.ts index 751c29b09cf4..5f450ba0add6 100644 --- a/clients/client-lightsail/src/commands/GetDomainCommand.ts +++ b/clients/client-lightsail/src/commands/GetDomainCommand.ts @@ -145,4 +145,16 @@ export class GetDomainCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainCommand) .de(de_GetDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainRequest; + output: GetDomainResult; + }; + sdk: { + input: GetDomainCommandInput; + output: GetDomainCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetDomainsCommand.ts b/clients/client-lightsail/src/commands/GetDomainsCommand.ts index 4dc4a9212049..8529c9716559 100644 --- a/clients/client-lightsail/src/commands/GetDomainsCommand.ts +++ b/clients/client-lightsail/src/commands/GetDomainsCommand.ts @@ -148,4 +148,16 @@ export class GetDomainsCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainsCommand) .de(de_GetDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainsRequest; + output: GetDomainsResult; + }; + sdk: { + input: GetDomainsCommandInput; + output: GetDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetExportSnapshotRecordsCommand.ts b/clients/client-lightsail/src/commands/GetExportSnapshotRecordsCommand.ts index a533bfad56d4..28dc2379b6aa 100644 --- a/clients/client-lightsail/src/commands/GetExportSnapshotRecordsCommand.ts +++ b/clients/client-lightsail/src/commands/GetExportSnapshotRecordsCommand.ts @@ -151,4 +151,16 @@ export class GetExportSnapshotRecordsCommand extends $Command .f(void 0, void 0) .ser(se_GetExportSnapshotRecordsCommand) .de(de_GetExportSnapshotRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExportSnapshotRecordsRequest; + output: GetExportSnapshotRecordsResult; + }; + sdk: { + input: GetExportSnapshotRecordsCommandInput; + output: GetExportSnapshotRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstanceAccessDetailsCommand.ts b/clients/client-lightsail/src/commands/GetInstanceAccessDetailsCommand.ts index da7ded162800..69da428cc33d 100644 --- a/clients/client-lightsail/src/commands/GetInstanceAccessDetailsCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstanceAccessDetailsCommand.ts @@ -139,4 +139,16 @@ export class GetInstanceAccessDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceAccessDetailsCommand) .de(de_GetInstanceAccessDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceAccessDetailsRequest; + output: GetInstanceAccessDetailsResult; + }; + sdk: { + input: GetInstanceAccessDetailsCommandInput; + output: GetInstanceAccessDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstanceCommand.ts b/clients/client-lightsail/src/commands/GetInstanceCommand.ts index f481b784bdcc..319906007690 100644 --- a/clients/client-lightsail/src/commands/GetInstanceCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstanceCommand.ts @@ -225,4 +225,16 @@ export class GetInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceCommand) .de(de_GetInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceRequest; + output: GetInstanceResult; + }; + sdk: { + input: GetInstanceCommandInput; + output: GetInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstanceMetricDataCommand.ts b/clients/client-lightsail/src/commands/GetInstanceMetricDataCommand.ts index 695e411160db..aeb6429a365d 100644 --- a/clients/client-lightsail/src/commands/GetInstanceMetricDataCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstanceMetricDataCommand.ts @@ -130,4 +130,16 @@ export class GetInstanceMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceMetricDataCommand) .de(de_GetInstanceMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceMetricDataRequest; + output: GetInstanceMetricDataResult; + }; + sdk: { + input: GetInstanceMetricDataCommandInput; + output: GetInstanceMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstancePortStatesCommand.ts b/clients/client-lightsail/src/commands/GetInstancePortStatesCommand.ts index 02e7c7c39f22..b3eb6fccdc94 100644 --- a/clients/client-lightsail/src/commands/GetInstancePortStatesCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstancePortStatesCommand.ts @@ -124,4 +124,16 @@ export class GetInstancePortStatesCommand extends $Command .f(void 0, void 0) .ser(se_GetInstancePortStatesCommand) .de(de_GetInstancePortStatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstancePortStatesRequest; + output: GetInstancePortStatesResult; + }; + sdk: { + input: GetInstancePortStatesCommandInput; + output: GetInstancePortStatesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstanceSnapshotCommand.ts b/clients/client-lightsail/src/commands/GetInstanceSnapshotCommand.ts index ceb788a96c81..768890e8d28a 100644 --- a/clients/client-lightsail/src/commands/GetInstanceSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstanceSnapshotCommand.ts @@ -170,4 +170,16 @@ export class GetInstanceSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceSnapshotCommand) .de(de_GetInstanceSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceSnapshotRequest; + output: GetInstanceSnapshotResult; + }; + sdk: { + input: GetInstanceSnapshotCommandInput; + output: GetInstanceSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstanceSnapshotsCommand.ts b/clients/client-lightsail/src/commands/GetInstanceSnapshotsCommand.ts index 2ba4182d8e75..43bd25dd3a9c 100644 --- a/clients/client-lightsail/src/commands/GetInstanceSnapshotsCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstanceSnapshotsCommand.ts @@ -173,4 +173,16 @@ export class GetInstanceSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceSnapshotsCommand) .de(de_GetInstanceSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceSnapshotsRequest; + output: GetInstanceSnapshotsResult; + }; + sdk: { + input: GetInstanceSnapshotsCommandInput; + output: GetInstanceSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstanceStateCommand.ts b/clients/client-lightsail/src/commands/GetInstanceStateCommand.ts index bd55752e96ec..55759e520354 100644 --- a/clients/client-lightsail/src/commands/GetInstanceStateCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstanceStateCommand.ts @@ -110,4 +110,16 @@ export class GetInstanceStateCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceStateCommand) .de(de_GetInstanceStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceStateRequest; + output: GetInstanceStateResult; + }; + sdk: { + input: GetInstanceStateCommandInput; + output: GetInstanceStateCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetInstancesCommand.ts b/clients/client-lightsail/src/commands/GetInstancesCommand.ts index a32fe391a37b..cf72f0cae762 100644 --- a/clients/client-lightsail/src/commands/GetInstancesCommand.ts +++ b/clients/client-lightsail/src/commands/GetInstancesCommand.ts @@ -228,4 +228,16 @@ export class GetInstancesCommand extends $Command .f(void 0, void 0) .ser(se_GetInstancesCommand) .de(de_GetInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstancesRequest; + output: GetInstancesResult; + }; + sdk: { + input: GetInstancesCommandInput; + output: GetInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetKeyPairCommand.ts b/clients/client-lightsail/src/commands/GetKeyPairCommand.ts index 1cf3fd8ee69e..f54fe2fdf55a 100644 --- a/clients/client-lightsail/src/commands/GetKeyPairCommand.ts +++ b/clients/client-lightsail/src/commands/GetKeyPairCommand.ts @@ -124,4 +124,16 @@ export class GetKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyPairCommand) .de(de_GetKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyPairRequest; + output: GetKeyPairResult; + }; + sdk: { + input: GetKeyPairCommandInput; + output: GetKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetKeyPairsCommand.ts b/clients/client-lightsail/src/commands/GetKeyPairsCommand.ts index 5b5841741bb3..48c1803eb4fd 100644 --- a/clients/client-lightsail/src/commands/GetKeyPairsCommand.ts +++ b/clients/client-lightsail/src/commands/GetKeyPairsCommand.ts @@ -128,4 +128,16 @@ export class GetKeyPairsCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyPairsCommand) .de(de_GetKeyPairsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyPairsRequest; + output: GetKeyPairsResult; + }; + sdk: { + input: GetKeyPairsCommandInput; + output: GetKeyPairsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetLoadBalancerCommand.ts b/clients/client-lightsail/src/commands/GetLoadBalancerCommand.ts index 527f8a4bd5fa..98e98821dc16 100644 --- a/clients/client-lightsail/src/commands/GetLoadBalancerCommand.ts +++ b/clients/client-lightsail/src/commands/GetLoadBalancerCommand.ts @@ -150,4 +150,16 @@ export class GetLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_GetLoadBalancerCommand) .de(de_GetLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoadBalancerRequest; + output: GetLoadBalancerResult; + }; + sdk: { + input: GetLoadBalancerCommandInput; + output: GetLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetLoadBalancerMetricDataCommand.ts b/clients/client-lightsail/src/commands/GetLoadBalancerMetricDataCommand.ts index ab9f031784e7..63c851882d8e 100644 --- a/clients/client-lightsail/src/commands/GetLoadBalancerMetricDataCommand.ts +++ b/clients/client-lightsail/src/commands/GetLoadBalancerMetricDataCommand.ts @@ -129,4 +129,16 @@ export class GetLoadBalancerMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetLoadBalancerMetricDataCommand) .de(de_GetLoadBalancerMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoadBalancerMetricDataRequest; + output: GetLoadBalancerMetricDataResult; + }; + sdk: { + input: GetLoadBalancerMetricDataCommandInput; + output: GetLoadBalancerMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetLoadBalancerTlsCertificatesCommand.ts b/clients/client-lightsail/src/commands/GetLoadBalancerTlsCertificatesCommand.ts index 2938681c0c97..527d60f0551b 100644 --- a/clients/client-lightsail/src/commands/GetLoadBalancerTlsCertificatesCommand.ts +++ b/clients/client-lightsail/src/commands/GetLoadBalancerTlsCertificatesCommand.ts @@ -174,4 +174,16 @@ export class GetLoadBalancerTlsCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_GetLoadBalancerTlsCertificatesCommand) .de(de_GetLoadBalancerTlsCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoadBalancerTlsCertificatesRequest; + output: GetLoadBalancerTlsCertificatesResult; + }; + sdk: { + input: GetLoadBalancerTlsCertificatesCommandInput; + output: GetLoadBalancerTlsCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetLoadBalancerTlsPoliciesCommand.ts b/clients/client-lightsail/src/commands/GetLoadBalancerTlsPoliciesCommand.ts index 696f3af842a4..c867092343dc 100644 --- a/clients/client-lightsail/src/commands/GetLoadBalancerTlsPoliciesCommand.ts +++ b/clients/client-lightsail/src/commands/GetLoadBalancerTlsPoliciesCommand.ts @@ -117,4 +117,16 @@ export class GetLoadBalancerTlsPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetLoadBalancerTlsPoliciesCommand) .de(de_GetLoadBalancerTlsPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoadBalancerTlsPoliciesRequest; + output: GetLoadBalancerTlsPoliciesResult; + }; + sdk: { + input: GetLoadBalancerTlsPoliciesCommandInput; + output: GetLoadBalancerTlsPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetLoadBalancersCommand.ts b/clients/client-lightsail/src/commands/GetLoadBalancersCommand.ts index 520c53c90150..e494889e57ef 100644 --- a/clients/client-lightsail/src/commands/GetLoadBalancersCommand.ts +++ b/clients/client-lightsail/src/commands/GetLoadBalancersCommand.ts @@ -153,4 +153,16 @@ export class GetLoadBalancersCommand extends $Command .f(void 0, void 0) .ser(se_GetLoadBalancersCommand) .de(de_GetLoadBalancersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoadBalancersRequest; + output: GetLoadBalancersResult; + }; + sdk: { + input: GetLoadBalancersCommandInput; + output: GetLoadBalancersCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetOperationCommand.ts b/clients/client-lightsail/src/commands/GetOperationCommand.ts index 0313bea468a4..266025f9e892 100644 --- a/clients/client-lightsail/src/commands/GetOperationCommand.ts +++ b/clients/client-lightsail/src/commands/GetOperationCommand.ts @@ -124,4 +124,16 @@ export class GetOperationCommand extends $Command .f(void 0, void 0) .ser(se_GetOperationCommand) .de(de_GetOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOperationRequest; + output: GetOperationResult; + }; + sdk: { + input: GetOperationCommandInput; + output: GetOperationCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetOperationsCommand.ts b/clients/client-lightsail/src/commands/GetOperationsCommand.ts index b4cd97639d06..c3da8ab916b4 100644 --- a/clients/client-lightsail/src/commands/GetOperationsCommand.ts +++ b/clients/client-lightsail/src/commands/GetOperationsCommand.ts @@ -129,4 +129,16 @@ export class GetOperationsCommand extends $Command .f(void 0, void 0) .ser(se_GetOperationsCommand) .de(de_GetOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOperationsRequest; + output: GetOperationsResult; + }; + sdk: { + input: GetOperationsCommandInput; + output: GetOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetOperationsForResourceCommand.ts b/clients/client-lightsail/src/commands/GetOperationsForResourceCommand.ts index 5ee4eb59412b..25d87982262a 100644 --- a/clients/client-lightsail/src/commands/GetOperationsForResourceCommand.ts +++ b/clients/client-lightsail/src/commands/GetOperationsForResourceCommand.ts @@ -128,4 +128,16 @@ export class GetOperationsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetOperationsForResourceCommand) .de(de_GetOperationsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOperationsForResourceRequest; + output: GetOperationsForResourceResult; + }; + sdk: { + input: GetOperationsForResourceCommandInput; + output: GetOperationsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRegionsCommand.ts b/clients/client-lightsail/src/commands/GetRegionsCommand.ts index 1b8433b59fae..e2f6b92854eb 100644 --- a/clients/client-lightsail/src/commands/GetRegionsCommand.ts +++ b/clients/client-lightsail/src/commands/GetRegionsCommand.ts @@ -129,4 +129,16 @@ export class GetRegionsCommand extends $Command .f(void 0, void 0) .ser(se_GetRegionsCommand) .de(de_GetRegionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegionsRequest; + output: GetRegionsResult; + }; + sdk: { + input: GetRegionsCommandInput; + output: GetRegionsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseBlueprintsCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseBlueprintsCommand.ts index f7c1f26a4071..39c74193b0f1 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseBlueprintsCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseBlueprintsCommand.ts @@ -125,4 +125,16 @@ export class GetRelationalDatabaseBlueprintsCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseBlueprintsCommand) .de(de_GetRelationalDatabaseBlueprintsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseBlueprintsRequest; + output: GetRelationalDatabaseBlueprintsResult; + }; + sdk: { + input: GetRelationalDatabaseBlueprintsCommandInput; + output: GetRelationalDatabaseBlueprintsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseBundlesCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseBundlesCommand.ts index 85cb7efee4ee..e96a5269a451 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseBundlesCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseBundlesCommand.ts @@ -129,4 +129,16 @@ export class GetRelationalDatabaseBundlesCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseBundlesCommand) .de(de_GetRelationalDatabaseBundlesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseBundlesRequest; + output: GetRelationalDatabaseBundlesResult; + }; + sdk: { + input: GetRelationalDatabaseBundlesCommandInput; + output: GetRelationalDatabaseBundlesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseCommand.ts index 762f63eacebf..893b7d94c0fc 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseCommand.ts @@ -159,4 +159,16 @@ export class GetRelationalDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseCommand) .de(de_GetRelationalDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseRequest; + output: GetRelationalDatabaseResult; + }; + sdk: { + input: GetRelationalDatabaseCommandInput; + output: GetRelationalDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseEventsCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseEventsCommand.ts index cb4a8a0875ec..dd45d7604ca4 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseEventsCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseEventsCommand.ts @@ -119,4 +119,16 @@ export class GetRelationalDatabaseEventsCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseEventsCommand) .de(de_GetRelationalDatabaseEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseEventsRequest; + output: GetRelationalDatabaseEventsResult; + }; + sdk: { + input: GetRelationalDatabaseEventsCommandInput; + output: GetRelationalDatabaseEventsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseLogEventsCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseLogEventsCommand.ts index f489ae41f581..5da5f59e67b6 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseLogEventsCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseLogEventsCommand.ts @@ -124,4 +124,16 @@ export class GetRelationalDatabaseLogEventsCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseLogEventsCommand) .de(de_GetRelationalDatabaseLogEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseLogEventsRequest; + output: GetRelationalDatabaseLogEventsResult; + }; + sdk: { + input: GetRelationalDatabaseLogEventsCommandInput; + output: GetRelationalDatabaseLogEventsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseLogStreamsCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseLogStreamsCommand.ts index 8ac04d7add6b..7079b7b8ccc4 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseLogStreamsCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseLogStreamsCommand.ts @@ -114,4 +114,16 @@ export class GetRelationalDatabaseLogStreamsCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseLogStreamsCommand) .de(de_GetRelationalDatabaseLogStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseLogStreamsRequest; + output: GetRelationalDatabaseLogStreamsResult; + }; + sdk: { + input: GetRelationalDatabaseLogStreamsCommandInput; + output: GetRelationalDatabaseLogStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseMasterUserPasswordCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseMasterUserPasswordCommand.ts index 6cdcd29e1f2f..b35992cf935b 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseMasterUserPasswordCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseMasterUserPasswordCommand.ts @@ -123,4 +123,16 @@ export class GetRelationalDatabaseMasterUserPasswordCommand extends $Command .f(void 0, GetRelationalDatabaseMasterUserPasswordResultFilterSensitiveLog) .ser(se_GetRelationalDatabaseMasterUserPasswordCommand) .de(de_GetRelationalDatabaseMasterUserPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseMasterUserPasswordRequest; + output: GetRelationalDatabaseMasterUserPasswordResult; + }; + sdk: { + input: GetRelationalDatabaseMasterUserPasswordCommandInput; + output: GetRelationalDatabaseMasterUserPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseMetricDataCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseMetricDataCommand.ts index 9c80c124e57a..945339874f2e 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseMetricDataCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseMetricDataCommand.ts @@ -134,4 +134,16 @@ export class GetRelationalDatabaseMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseMetricDataCommand) .de(de_GetRelationalDatabaseMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseMetricDataRequest; + output: GetRelationalDatabaseMetricDataResult; + }; + sdk: { + input: GetRelationalDatabaseMetricDataCommandInput; + output: GetRelationalDatabaseMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseParametersCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseParametersCommand.ts index bd36179359a2..a7c46b1ba790 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseParametersCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseParametersCommand.ts @@ -129,4 +129,16 @@ export class GetRelationalDatabaseParametersCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseParametersCommand) .de(de_GetRelationalDatabaseParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseParametersRequest; + output: GetRelationalDatabaseParametersResult; + }; + sdk: { + input: GetRelationalDatabaseParametersCommandInput; + output: GetRelationalDatabaseParametersCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotCommand.ts index 8ae54af103aa..01a55c61868d 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotCommand.ts @@ -136,4 +136,16 @@ export class GetRelationalDatabaseSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseSnapshotCommand) .de(de_GetRelationalDatabaseSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseSnapshotRequest; + output: GetRelationalDatabaseSnapshotResult; + }; + sdk: { + input: GetRelationalDatabaseSnapshotCommandInput; + output: GetRelationalDatabaseSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotsCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotsCommand.ts index 9c708b609d26..f69399e9b74a 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotsCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabaseSnapshotsCommand.ts @@ -139,4 +139,16 @@ export class GetRelationalDatabaseSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabaseSnapshotsCommand) .de(de_GetRelationalDatabaseSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabaseSnapshotsRequest; + output: GetRelationalDatabaseSnapshotsResult; + }; + sdk: { + input: GetRelationalDatabaseSnapshotsCommandInput; + output: GetRelationalDatabaseSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetRelationalDatabasesCommand.ts b/clients/client-lightsail/src/commands/GetRelationalDatabasesCommand.ts index 4eeba5da4606..aaa37380f7c2 100644 --- a/clients/client-lightsail/src/commands/GetRelationalDatabasesCommand.ts +++ b/clients/client-lightsail/src/commands/GetRelationalDatabasesCommand.ts @@ -162,4 +162,16 @@ export class GetRelationalDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_GetRelationalDatabasesCommand) .de(de_GetRelationalDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelationalDatabasesRequest; + output: GetRelationalDatabasesResult; + }; + sdk: { + input: GetRelationalDatabasesCommandInput; + output: GetRelationalDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetSetupHistoryCommand.ts b/clients/client-lightsail/src/commands/GetSetupHistoryCommand.ts index 8c888bf14535..bc744ee12aa7 100644 --- a/clients/client-lightsail/src/commands/GetSetupHistoryCommand.ts +++ b/clients/client-lightsail/src/commands/GetSetupHistoryCommand.ts @@ -136,4 +136,16 @@ export class GetSetupHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetSetupHistoryCommand) .de(de_GetSetupHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSetupHistoryRequest; + output: GetSetupHistoryResult; + }; + sdk: { + input: GetSetupHistoryCommandInput; + output: GetSetupHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetStaticIpCommand.ts b/clients/client-lightsail/src/commands/GetStaticIpCommand.ts index 7de56614b8ed..db45b17a6c9f 100644 --- a/clients/client-lightsail/src/commands/GetStaticIpCommand.ts +++ b/clients/client-lightsail/src/commands/GetStaticIpCommand.ts @@ -120,4 +120,16 @@ export class GetStaticIpCommand extends $Command .f(void 0, void 0) .ser(se_GetStaticIpCommand) .de(de_GetStaticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStaticIpRequest; + output: GetStaticIpResult; + }; + sdk: { + input: GetStaticIpCommandInput; + output: GetStaticIpCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/GetStaticIpsCommand.ts b/clients/client-lightsail/src/commands/GetStaticIpsCommand.ts index 8780e6fb6532..d653d18bf3e9 100644 --- a/clients/client-lightsail/src/commands/GetStaticIpsCommand.ts +++ b/clients/client-lightsail/src/commands/GetStaticIpsCommand.ts @@ -123,4 +123,16 @@ export class GetStaticIpsCommand extends $Command .f(void 0, void 0) .ser(se_GetStaticIpsCommand) .de(de_GetStaticIpsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStaticIpsRequest; + output: GetStaticIpsResult; + }; + sdk: { + input: GetStaticIpsCommandInput; + output: GetStaticIpsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/ImportKeyPairCommand.ts b/clients/client-lightsail/src/commands/ImportKeyPairCommand.ts index b5461d677194..92a3cbead2cf 100644 --- a/clients/client-lightsail/src/commands/ImportKeyPairCommand.ts +++ b/clients/client-lightsail/src/commands/ImportKeyPairCommand.ts @@ -124,4 +124,16 @@ export class ImportKeyPairCommand extends $Command .f(void 0, void 0) .ser(se_ImportKeyPairCommand) .de(de_ImportKeyPairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportKeyPairRequest; + output: ImportKeyPairResult; + }; + sdk: { + input: ImportKeyPairCommandInput; + output: ImportKeyPairCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/IsVpcPeeredCommand.ts b/clients/client-lightsail/src/commands/IsVpcPeeredCommand.ts index 6ae4a2caceda..9dbf7a00db38 100644 --- a/clients/client-lightsail/src/commands/IsVpcPeeredCommand.ts +++ b/clients/client-lightsail/src/commands/IsVpcPeeredCommand.ts @@ -105,4 +105,16 @@ export class IsVpcPeeredCommand extends $Command .f(void 0, void 0) .ser(se_IsVpcPeeredCommand) .de(de_IsVpcPeeredCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: IsVpcPeeredResult; + }; + sdk: { + input: IsVpcPeeredCommandInput; + output: IsVpcPeeredCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/OpenInstancePublicPortsCommand.ts b/clients/client-lightsail/src/commands/OpenInstancePublicPortsCommand.ts index c481afe27a1d..4aa1be0daeb5 100644 --- a/clients/client-lightsail/src/commands/OpenInstancePublicPortsCommand.ts +++ b/clients/client-lightsail/src/commands/OpenInstancePublicPortsCommand.ts @@ -141,4 +141,16 @@ export class OpenInstancePublicPortsCommand extends $Command .f(void 0, void 0) .ser(se_OpenInstancePublicPortsCommand) .de(de_OpenInstancePublicPortsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OpenInstancePublicPortsRequest; + output: OpenInstancePublicPortsResult; + }; + sdk: { + input: OpenInstancePublicPortsCommandInput; + output: OpenInstancePublicPortsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/PeerVpcCommand.ts b/clients/client-lightsail/src/commands/PeerVpcCommand.ts index e4f6e993bd7d..601f50d602e7 100644 --- a/clients/client-lightsail/src/commands/PeerVpcCommand.ts +++ b/clients/client-lightsail/src/commands/PeerVpcCommand.ts @@ -121,4 +121,16 @@ export class PeerVpcCommand extends $Command .f(void 0, void 0) .ser(se_PeerVpcCommand) .de(de_PeerVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: PeerVpcResult; + }; + sdk: { + input: PeerVpcCommandInput; + output: PeerVpcCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/PutAlarmCommand.ts b/clients/client-lightsail/src/commands/PutAlarmCommand.ts index 1f5267734fb6..f7e1ec8c1877 100644 --- a/clients/client-lightsail/src/commands/PutAlarmCommand.ts +++ b/clients/client-lightsail/src/commands/PutAlarmCommand.ts @@ -145,4 +145,16 @@ export class PutAlarmCommand extends $Command .f(void 0, void 0) .ser(se_PutAlarmCommand) .de(de_PutAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAlarmRequest; + output: PutAlarmResult; + }; + sdk: { + input: PutAlarmCommandInput; + output: PutAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/PutInstancePublicPortsCommand.ts b/clients/client-lightsail/src/commands/PutInstancePublicPortsCommand.ts index e829f7ca951c..6bc2ffbb2784 100644 --- a/clients/client-lightsail/src/commands/PutInstancePublicPortsCommand.ts +++ b/clients/client-lightsail/src/commands/PutInstancePublicPortsCommand.ts @@ -147,4 +147,16 @@ export class PutInstancePublicPortsCommand extends $Command .f(void 0, void 0) .ser(se_PutInstancePublicPortsCommand) .de(de_PutInstancePublicPortsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutInstancePublicPortsRequest; + output: PutInstancePublicPortsResult; + }; + sdk: { + input: PutInstancePublicPortsCommandInput; + output: PutInstancePublicPortsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/RebootInstanceCommand.ts b/clients/client-lightsail/src/commands/RebootInstanceCommand.ts index 5254b62e664e..4e4d7d48c7c7 100644 --- a/clients/client-lightsail/src/commands/RebootInstanceCommand.ts +++ b/clients/client-lightsail/src/commands/RebootInstanceCommand.ts @@ -128,4 +128,16 @@ export class RebootInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RebootInstanceCommand) .de(de_RebootInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootInstanceRequest; + output: RebootInstanceResult; + }; + sdk: { + input: RebootInstanceCommandInput; + output: RebootInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/RebootRelationalDatabaseCommand.ts b/clients/client-lightsail/src/commands/RebootRelationalDatabaseCommand.ts index a5cc228e46da..6d8dab24344c 100644 --- a/clients/client-lightsail/src/commands/RebootRelationalDatabaseCommand.ts +++ b/clients/client-lightsail/src/commands/RebootRelationalDatabaseCommand.ts @@ -128,4 +128,16 @@ export class RebootRelationalDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_RebootRelationalDatabaseCommand) .de(de_RebootRelationalDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootRelationalDatabaseRequest; + output: RebootRelationalDatabaseResult; + }; + sdk: { + input: RebootRelationalDatabaseCommandInput; + output: RebootRelationalDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/RegisterContainerImageCommand.ts b/clients/client-lightsail/src/commands/RegisterContainerImageCommand.ts index 4bdee3ccfa98..bf747c6e14c4 100644 --- a/clients/client-lightsail/src/commands/RegisterContainerImageCommand.ts +++ b/clients/client-lightsail/src/commands/RegisterContainerImageCommand.ts @@ -112,4 +112,16 @@ export class RegisterContainerImageCommand extends $Command .f(void 0, void 0) .ser(se_RegisterContainerImageCommand) .de(de_RegisterContainerImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterContainerImageRequest; + output: RegisterContainerImageResult; + }; + sdk: { + input: RegisterContainerImageCommandInput; + output: RegisterContainerImageCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/ReleaseStaticIpCommand.ts b/clients/client-lightsail/src/commands/ReleaseStaticIpCommand.ts index 45821e9e0c67..351d2391a5f7 100644 --- a/clients/client-lightsail/src/commands/ReleaseStaticIpCommand.ts +++ b/clients/client-lightsail/src/commands/ReleaseStaticIpCommand.ts @@ -125,4 +125,16 @@ export class ReleaseStaticIpCommand extends $Command .f(void 0, void 0) .ser(se_ReleaseStaticIpCommand) .de(de_ReleaseStaticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleaseStaticIpRequest; + output: ReleaseStaticIpResult; + }; + sdk: { + input: ReleaseStaticIpCommandInput; + output: ReleaseStaticIpCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/ResetDistributionCacheCommand.ts b/clients/client-lightsail/src/commands/ResetDistributionCacheCommand.ts index a14ff5454a65..cf5123ffa344 100644 --- a/clients/client-lightsail/src/commands/ResetDistributionCacheCommand.ts +++ b/clients/client-lightsail/src/commands/ResetDistributionCacheCommand.ts @@ -124,4 +124,16 @@ export class ResetDistributionCacheCommand extends $Command .f(void 0, void 0) .ser(se_ResetDistributionCacheCommand) .de(de_ResetDistributionCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetDistributionCacheRequest; + output: ResetDistributionCacheResult; + }; + sdk: { + input: ResetDistributionCacheCommandInput; + output: ResetDistributionCacheCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/SendContactMethodVerificationCommand.ts b/clients/client-lightsail/src/commands/SendContactMethodVerificationCommand.ts index 7b16dfd93fe1..1fd859f0ca19 100644 --- a/clients/client-lightsail/src/commands/SendContactMethodVerificationCommand.ts +++ b/clients/client-lightsail/src/commands/SendContactMethodVerificationCommand.ts @@ -138,4 +138,16 @@ export class SendContactMethodVerificationCommand extends $Command .f(void 0, void 0) .ser(se_SendContactMethodVerificationCommand) .de(de_SendContactMethodVerificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendContactMethodVerificationRequest; + output: SendContactMethodVerificationResult; + }; + sdk: { + input: SendContactMethodVerificationCommandInput; + output: SendContactMethodVerificationCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/SetIpAddressTypeCommand.ts b/clients/client-lightsail/src/commands/SetIpAddressTypeCommand.ts index afe52e1e1745..798f655dbd68 100644 --- a/clients/client-lightsail/src/commands/SetIpAddressTypeCommand.ts +++ b/clients/client-lightsail/src/commands/SetIpAddressTypeCommand.ts @@ -131,4 +131,16 @@ export class SetIpAddressTypeCommand extends $Command .f(void 0, void 0) .ser(se_SetIpAddressTypeCommand) .de(de_SetIpAddressTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIpAddressTypeRequest; + output: SetIpAddressTypeResult; + }; + sdk: { + input: SetIpAddressTypeCommandInput; + output: SetIpAddressTypeCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/SetResourceAccessForBucketCommand.ts b/clients/client-lightsail/src/commands/SetResourceAccessForBucketCommand.ts index f50f91589f10..e0a1de41eded 100644 --- a/clients/client-lightsail/src/commands/SetResourceAccessForBucketCommand.ts +++ b/clients/client-lightsail/src/commands/SetResourceAccessForBucketCommand.ts @@ -123,4 +123,16 @@ export class SetResourceAccessForBucketCommand extends $Command .f(void 0, void 0) .ser(se_SetResourceAccessForBucketCommand) .de(de_SetResourceAccessForBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetResourceAccessForBucketRequest; + output: SetResourceAccessForBucketResult; + }; + sdk: { + input: SetResourceAccessForBucketCommandInput; + output: SetResourceAccessForBucketCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/SetupInstanceHttpsCommand.ts b/clients/client-lightsail/src/commands/SetupInstanceHttpsCommand.ts index 41ac775cb1f2..e522e7ce94aa 100644 --- a/clients/client-lightsail/src/commands/SetupInstanceHttpsCommand.ts +++ b/clients/client-lightsail/src/commands/SetupInstanceHttpsCommand.ts @@ -130,4 +130,16 @@ export class SetupInstanceHttpsCommand extends $Command .f(SetupInstanceHttpsRequestFilterSensitiveLog, void 0) .ser(se_SetupInstanceHttpsCommand) .de(de_SetupInstanceHttpsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetupInstanceHttpsRequest; + output: SetupInstanceHttpsResult; + }; + sdk: { + input: SetupInstanceHttpsCommandInput; + output: SetupInstanceHttpsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/StartGUISessionCommand.ts b/clients/client-lightsail/src/commands/StartGUISessionCommand.ts index f7a1dd4a3954..25391619beb5 100644 --- a/clients/client-lightsail/src/commands/StartGUISessionCommand.ts +++ b/clients/client-lightsail/src/commands/StartGUISessionCommand.ts @@ -120,4 +120,16 @@ export class StartGUISessionCommand extends $Command .f(void 0, void 0) .ser(se_StartGUISessionCommand) .de(de_StartGUISessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartGUISessionRequest; + output: StartGUISessionResult; + }; + sdk: { + input: StartGUISessionCommandInput; + output: StartGUISessionCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/StartInstanceCommand.ts b/clients/client-lightsail/src/commands/StartInstanceCommand.ts index 02fb4f16e4ae..6468c9631d16 100644 --- a/clients/client-lightsail/src/commands/StartInstanceCommand.ts +++ b/clients/client-lightsail/src/commands/StartInstanceCommand.ts @@ -134,4 +134,16 @@ export class StartInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StartInstanceCommand) .de(de_StartInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInstanceRequest; + output: StartInstanceResult; + }; + sdk: { + input: StartInstanceCommandInput; + output: StartInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/StartRelationalDatabaseCommand.ts b/clients/client-lightsail/src/commands/StartRelationalDatabaseCommand.ts index c4e276b63ed0..8f905ff19eb7 100644 --- a/clients/client-lightsail/src/commands/StartRelationalDatabaseCommand.ts +++ b/clients/client-lightsail/src/commands/StartRelationalDatabaseCommand.ts @@ -129,4 +129,16 @@ export class StartRelationalDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_StartRelationalDatabaseCommand) .de(de_StartRelationalDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRelationalDatabaseRequest; + output: StartRelationalDatabaseResult; + }; + sdk: { + input: StartRelationalDatabaseCommandInput; + output: StartRelationalDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/StopGUISessionCommand.ts b/clients/client-lightsail/src/commands/StopGUISessionCommand.ts index 92520d168620..a1436f75abcc 100644 --- a/clients/client-lightsail/src/commands/StopGUISessionCommand.ts +++ b/clients/client-lightsail/src/commands/StopGUISessionCommand.ts @@ -120,4 +120,16 @@ export class StopGUISessionCommand extends $Command .f(void 0, void 0) .ser(se_StopGUISessionCommand) .de(de_StopGUISessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopGUISessionRequest; + output: StopGUISessionResult; + }; + sdk: { + input: StopGUISessionCommandInput; + output: StopGUISessionCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/StopInstanceCommand.ts b/clients/client-lightsail/src/commands/StopInstanceCommand.ts index f82e9571e12e..dafcee72f132 100644 --- a/clients/client-lightsail/src/commands/StopInstanceCommand.ts +++ b/clients/client-lightsail/src/commands/StopInstanceCommand.ts @@ -134,4 +134,16 @@ export class StopInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StopInstanceCommand) .de(de_StopInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopInstanceRequest; + output: StopInstanceResult; + }; + sdk: { + input: StopInstanceCommandInput; + output: StopInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/StopRelationalDatabaseCommand.ts b/clients/client-lightsail/src/commands/StopRelationalDatabaseCommand.ts index d999f70d8f8c..fd545be50857 100644 --- a/clients/client-lightsail/src/commands/StopRelationalDatabaseCommand.ts +++ b/clients/client-lightsail/src/commands/StopRelationalDatabaseCommand.ts @@ -129,4 +129,16 @@ export class StopRelationalDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_StopRelationalDatabaseCommand) .de(de_StopRelationalDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopRelationalDatabaseRequest; + output: StopRelationalDatabaseResult; + }; + sdk: { + input: StopRelationalDatabaseCommandInput; + output: StopRelationalDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/TagResourceCommand.ts b/clients/client-lightsail/src/commands/TagResourceCommand.ts index 68fec62c932a..0a4905c49f6e 100644 --- a/clients/client-lightsail/src/commands/TagResourceCommand.ts +++ b/clients/client-lightsail/src/commands/TagResourceCommand.ts @@ -137,4 +137,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: TagResourceResult; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/TestAlarmCommand.ts b/clients/client-lightsail/src/commands/TestAlarmCommand.ts index d9fcf2b2fa6a..a21e5fb2c545 100644 --- a/clients/client-lightsail/src/commands/TestAlarmCommand.ts +++ b/clients/client-lightsail/src/commands/TestAlarmCommand.ts @@ -129,4 +129,16 @@ export class TestAlarmCommand extends $Command .f(void 0, void 0) .ser(se_TestAlarmCommand) .de(de_TestAlarmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestAlarmRequest; + output: TestAlarmResult; + }; + sdk: { + input: TestAlarmCommandInput; + output: TestAlarmCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UnpeerVpcCommand.ts b/clients/client-lightsail/src/commands/UnpeerVpcCommand.ts index 4a5830ab8bbb..e706762af2fd 100644 --- a/clients/client-lightsail/src/commands/UnpeerVpcCommand.ts +++ b/clients/client-lightsail/src/commands/UnpeerVpcCommand.ts @@ -121,4 +121,16 @@ export class UnpeerVpcCommand extends $Command .f(void 0, void 0) .ser(se_UnpeerVpcCommand) .de(de_UnpeerVpcCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: UnpeerVpcResult; + }; + sdk: { + input: UnpeerVpcCommandInput; + output: UnpeerVpcCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UntagResourceCommand.ts b/clients/client-lightsail/src/commands/UntagResourceCommand.ts index 5355ed666540..7c6bf9abe8de 100644 --- a/clients/client-lightsail/src/commands/UntagResourceCommand.ts +++ b/clients/client-lightsail/src/commands/UntagResourceCommand.ts @@ -133,4 +133,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: UntagResourceResult; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateBucketBundleCommand.ts b/clients/client-lightsail/src/commands/UpdateBucketBundleCommand.ts index 87c3ac3f18d0..abed24ed11bb 100644 --- a/clients/client-lightsail/src/commands/UpdateBucketBundleCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateBucketBundleCommand.ts @@ -131,4 +131,16 @@ export class UpdateBucketBundleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBucketBundleCommand) .de(de_UpdateBucketBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBucketBundleRequest; + output: UpdateBucketBundleResult; + }; + sdk: { + input: UpdateBucketBundleCommandInput; + output: UpdateBucketBundleCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateBucketCommand.ts b/clients/client-lightsail/src/commands/UpdateBucketCommand.ts index a2c1d502034d..3101e7f99d58 100644 --- a/clients/client-lightsail/src/commands/UpdateBucketCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateBucketCommand.ts @@ -176,4 +176,16 @@ export class UpdateBucketCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBucketCommand) .de(de_UpdateBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBucketRequest; + output: UpdateBucketResult; + }; + sdk: { + input: UpdateBucketCommandInput; + output: UpdateBucketCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateContainerServiceCommand.ts b/clients/client-lightsail/src/commands/UpdateContainerServiceCommand.ts index efb254f378e9..753fa603524a 100644 --- a/clients/client-lightsail/src/commands/UpdateContainerServiceCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateContainerServiceCommand.ts @@ -214,4 +214,16 @@ export class UpdateContainerServiceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContainerServiceCommand) .de(de_UpdateContainerServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContainerServiceRequest; + output: UpdateContainerServiceResult; + }; + sdk: { + input: UpdateContainerServiceCommandInput; + output: UpdateContainerServiceCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateDistributionBundleCommand.ts b/clients/client-lightsail/src/commands/UpdateDistributionBundleCommand.ts index a519c1455865..62d7ff1deaad 100644 --- a/clients/client-lightsail/src/commands/UpdateDistributionBundleCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateDistributionBundleCommand.ts @@ -128,4 +128,16 @@ export class UpdateDistributionBundleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDistributionBundleCommand) .de(de_UpdateDistributionBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDistributionBundleRequest; + output: UpdateDistributionBundleResult; + }; + sdk: { + input: UpdateDistributionBundleCommandInput; + output: UpdateDistributionBundleCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateDistributionCommand.ts b/clients/client-lightsail/src/commands/UpdateDistributionCommand.ts index 4b88b8165077..5472c4d6ff87 100644 --- a/clients/client-lightsail/src/commands/UpdateDistributionCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateDistributionCommand.ts @@ -164,4 +164,16 @@ export class UpdateDistributionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDistributionCommand) .de(de_UpdateDistributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDistributionRequest; + output: UpdateDistributionResult; + }; + sdk: { + input: UpdateDistributionCommandInput; + output: UpdateDistributionCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateDomainEntryCommand.ts b/clients/client-lightsail/src/commands/UpdateDomainEntryCommand.ts index 878790245e1c..4e3427842e6c 100644 --- a/clients/client-lightsail/src/commands/UpdateDomainEntryCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateDomainEntryCommand.ts @@ -138,4 +138,16 @@ export class UpdateDomainEntryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainEntryCommand) .de(de_UpdateDomainEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainEntryRequest; + output: UpdateDomainEntryResult; + }; + sdk: { + input: UpdateDomainEntryCommandInput; + output: UpdateDomainEntryCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateInstanceMetadataOptionsCommand.ts b/clients/client-lightsail/src/commands/UpdateInstanceMetadataOptionsCommand.ts index 4283e0cd39a6..d2bfec792613 100644 --- a/clients/client-lightsail/src/commands/UpdateInstanceMetadataOptionsCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateInstanceMetadataOptionsCommand.ts @@ -137,4 +137,16 @@ export class UpdateInstanceMetadataOptionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInstanceMetadataOptionsCommand) .de(de_UpdateInstanceMetadataOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceMetadataOptionsRequest; + output: UpdateInstanceMetadataOptionsResult; + }; + sdk: { + input: UpdateInstanceMetadataOptionsCommandInput; + output: UpdateInstanceMetadataOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateLoadBalancerAttributeCommand.ts b/clients/client-lightsail/src/commands/UpdateLoadBalancerAttributeCommand.ts index 38696c7bcfc5..d9f46f257876 100644 --- a/clients/client-lightsail/src/commands/UpdateLoadBalancerAttributeCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateLoadBalancerAttributeCommand.ts @@ -131,4 +131,16 @@ export class UpdateLoadBalancerAttributeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLoadBalancerAttributeCommand) .de(de_UpdateLoadBalancerAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLoadBalancerAttributeRequest; + output: UpdateLoadBalancerAttributeResult; + }; + sdk: { + input: UpdateLoadBalancerAttributeCommandInput; + output: UpdateLoadBalancerAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateRelationalDatabaseCommand.ts b/clients/client-lightsail/src/commands/UpdateRelationalDatabaseCommand.ts index 3b8b37651382..1bf4ed1b1755 100644 --- a/clients/client-lightsail/src/commands/UpdateRelationalDatabaseCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateRelationalDatabaseCommand.ts @@ -144,4 +144,16 @@ export class UpdateRelationalDatabaseCommand extends $Command .f(UpdateRelationalDatabaseRequestFilterSensitiveLog, void 0) .ser(se_UpdateRelationalDatabaseCommand) .de(de_UpdateRelationalDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRelationalDatabaseRequest; + output: UpdateRelationalDatabaseResult; + }; + sdk: { + input: UpdateRelationalDatabaseCommandInput; + output: UpdateRelationalDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-lightsail/src/commands/UpdateRelationalDatabaseParametersCommand.ts b/clients/client-lightsail/src/commands/UpdateRelationalDatabaseParametersCommand.ts index ed3577373068..ac862c9d0917 100644 --- a/clients/client-lightsail/src/commands/UpdateRelationalDatabaseParametersCommand.ts +++ b/clients/client-lightsail/src/commands/UpdateRelationalDatabaseParametersCommand.ts @@ -154,4 +154,16 @@ export class UpdateRelationalDatabaseParametersCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRelationalDatabaseParametersCommand) .de(de_UpdateRelationalDatabaseParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRelationalDatabaseParametersRequest; + output: UpdateRelationalDatabaseParametersResult; + }; + sdk: { + input: UpdateRelationalDatabaseParametersCommandInput; + output: UpdateRelationalDatabaseParametersCommandOutput; + }; + }; +} diff --git a/clients/client-location/package.json b/clients/client-location/package.json index e20af19f129f..a69f3ef33a2c 100644 --- a/clients/client-location/package.json +++ b/clients/client-location/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-location/src/commands/AssociateTrackerConsumerCommand.ts b/clients/client-location/src/commands/AssociateTrackerConsumerCommand.ts index 156479d49179..60102c9c04e0 100644 --- a/clients/client-location/src/commands/AssociateTrackerConsumerCommand.ts +++ b/clients/client-location/src/commands/AssociateTrackerConsumerCommand.ts @@ -105,4 +105,16 @@ export class AssociateTrackerConsumerCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTrackerConsumerCommand) .de(de_AssociateTrackerConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTrackerConsumerRequest; + output: {}; + }; + sdk: { + input: AssociateTrackerConsumerCommandInput; + output: AssociateTrackerConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/BatchDeleteDevicePositionHistoryCommand.ts b/clients/client-location/src/commands/BatchDeleteDevicePositionHistoryCommand.ts index 380cd458b962..59164b27a0be 100644 --- a/clients/client-location/src/commands/BatchDeleteDevicePositionHistoryCommand.ts +++ b/clients/client-location/src/commands/BatchDeleteDevicePositionHistoryCommand.ts @@ -109,4 +109,16 @@ export class BatchDeleteDevicePositionHistoryCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteDevicePositionHistoryCommand) .de(de_BatchDeleteDevicePositionHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteDevicePositionHistoryRequest; + output: BatchDeleteDevicePositionHistoryResponse; + }; + sdk: { + input: BatchDeleteDevicePositionHistoryCommandInput; + output: BatchDeleteDevicePositionHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/BatchDeleteGeofenceCommand.ts b/clients/client-location/src/commands/BatchDeleteGeofenceCommand.ts index 6392947f1f5a..f0b59383084e 100644 --- a/clients/client-location/src/commands/BatchDeleteGeofenceCommand.ts +++ b/clients/client-location/src/commands/BatchDeleteGeofenceCommand.ts @@ -107,4 +107,16 @@ export class BatchDeleteGeofenceCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteGeofenceCommand) .de(de_BatchDeleteGeofenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteGeofenceRequest; + output: BatchDeleteGeofenceResponse; + }; + sdk: { + input: BatchDeleteGeofenceCommandInput; + output: BatchDeleteGeofenceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/BatchEvaluateGeofencesCommand.ts b/clients/client-location/src/commands/BatchEvaluateGeofencesCommand.ts index 8bbedaec8e1c..71600e7c9256 100644 --- a/clients/client-location/src/commands/BatchEvaluateGeofencesCommand.ts +++ b/clients/client-location/src/commands/BatchEvaluateGeofencesCommand.ts @@ -149,4 +149,16 @@ export class BatchEvaluateGeofencesCommand extends $Command .f(BatchEvaluateGeofencesRequestFilterSensitiveLog, void 0) .ser(se_BatchEvaluateGeofencesCommand) .de(de_BatchEvaluateGeofencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchEvaluateGeofencesRequest; + output: BatchEvaluateGeofencesResponse; + }; + sdk: { + input: BatchEvaluateGeofencesCommandInput; + output: BatchEvaluateGeofencesCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/BatchGetDevicePositionCommand.ts b/clients/client-location/src/commands/BatchGetDevicePositionCommand.ts index aa2d17d5dcb7..92c70f2755d7 100644 --- a/clients/client-location/src/commands/BatchGetDevicePositionCommand.ts +++ b/clients/client-location/src/commands/BatchGetDevicePositionCommand.ts @@ -124,4 +124,16 @@ export class BatchGetDevicePositionCommand extends $Command .f(void 0, BatchGetDevicePositionResponseFilterSensitiveLog) .ser(se_BatchGetDevicePositionCommand) .de(de_BatchGetDevicePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetDevicePositionRequest; + output: BatchGetDevicePositionResponse; + }; + sdk: { + input: BatchGetDevicePositionCommandInput; + output: BatchGetDevicePositionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/BatchPutGeofenceCommand.ts b/clients/client-location/src/commands/BatchPutGeofenceCommand.ts index 11ed5a5545ca..bf50cf15d6c4 100644 --- a/clients/client-location/src/commands/BatchPutGeofenceCommand.ts +++ b/clients/client-location/src/commands/BatchPutGeofenceCommand.ts @@ -137,4 +137,16 @@ export class BatchPutGeofenceCommand extends $Command .f(BatchPutGeofenceRequestFilterSensitiveLog, void 0) .ser(se_BatchPutGeofenceCommand) .de(de_BatchPutGeofenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutGeofenceRequest; + output: BatchPutGeofenceResponse; + }; + sdk: { + input: BatchPutGeofenceCommandInput; + output: BatchPutGeofenceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/BatchUpdateDevicePositionCommand.ts b/clients/client-location/src/commands/BatchUpdateDevicePositionCommand.ts index 092fc101ea57..c6353aa53e85 100644 --- a/clients/client-location/src/commands/BatchUpdateDevicePositionCommand.ts +++ b/clients/client-location/src/commands/BatchUpdateDevicePositionCommand.ts @@ -143,4 +143,16 @@ export class BatchUpdateDevicePositionCommand extends $Command .f(BatchUpdateDevicePositionRequestFilterSensitiveLog, void 0) .ser(se_BatchUpdateDevicePositionCommand) .de(de_BatchUpdateDevicePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateDevicePositionRequest; + output: BatchUpdateDevicePositionResponse; + }; + sdk: { + input: BatchUpdateDevicePositionCommandInput; + output: BatchUpdateDevicePositionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CalculateRouteCommand.ts b/clients/client-location/src/commands/CalculateRouteCommand.ts index 49bd8886abd8..fa85977729e7 100644 --- a/clients/client-location/src/commands/CalculateRouteCommand.ts +++ b/clients/client-location/src/commands/CalculateRouteCommand.ts @@ -208,4 +208,16 @@ export class CalculateRouteCommand extends $Command .f(CalculateRouteRequestFilterSensitiveLog, CalculateRouteResponseFilterSensitiveLog) .ser(se_CalculateRouteCommand) .de(de_CalculateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CalculateRouteRequest; + output: CalculateRouteResponse; + }; + sdk: { + input: CalculateRouteCommandInput; + output: CalculateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CalculateRouteMatrixCommand.ts b/clients/client-location/src/commands/CalculateRouteMatrixCommand.ts index a894e4fc94cf..62b094275cf5 100644 --- a/clients/client-location/src/commands/CalculateRouteMatrixCommand.ts +++ b/clients/client-location/src/commands/CalculateRouteMatrixCommand.ts @@ -199,4 +199,16 @@ export class CalculateRouteMatrixCommand extends $Command .f(CalculateRouteMatrixRequestFilterSensitiveLog, CalculateRouteMatrixResponseFilterSensitiveLog) .ser(se_CalculateRouteMatrixCommand) .de(de_CalculateRouteMatrixCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CalculateRouteMatrixRequest; + output: CalculateRouteMatrixResponse; + }; + sdk: { + input: CalculateRouteMatrixCommandInput; + output: CalculateRouteMatrixCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CreateGeofenceCollectionCommand.ts b/clients/client-location/src/commands/CreateGeofenceCollectionCommand.ts index eadf0aee6fd9..f9da43e09c6a 100644 --- a/clients/client-location/src/commands/CreateGeofenceCollectionCommand.ts +++ b/clients/client-location/src/commands/CreateGeofenceCollectionCommand.ts @@ -106,4 +106,16 @@ export class CreateGeofenceCollectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateGeofenceCollectionCommand) .de(de_CreateGeofenceCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGeofenceCollectionRequest; + output: CreateGeofenceCollectionResponse; + }; + sdk: { + input: CreateGeofenceCollectionCommandInput; + output: CreateGeofenceCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CreateKeyCommand.ts b/clients/client-location/src/commands/CreateKeyCommand.ts index 8acd62898828..3121e4098d9e 100644 --- a/clients/client-location/src/commands/CreateKeyCommand.ts +++ b/clients/client-location/src/commands/CreateKeyCommand.ts @@ -121,4 +121,16 @@ export class CreateKeyCommand extends $Command .f(void 0, CreateKeyResponseFilterSensitiveLog) .ser(se_CreateKeyCommand) .de(de_CreateKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyRequest; + output: CreateKeyResponse; + }; + sdk: { + input: CreateKeyCommandInput; + output: CreateKeyCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CreateMapCommand.ts b/clients/client-location/src/commands/CreateMapCommand.ts index d790c1b84b08..47ec3c704433 100644 --- a/clients/client-location/src/commands/CreateMapCommand.ts +++ b/clients/client-location/src/commands/CreateMapCommand.ts @@ -118,4 +118,16 @@ export class CreateMapCommand extends $Command .f(void 0, void 0) .ser(se_CreateMapCommand) .de(de_CreateMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMapRequest; + output: CreateMapResponse; + }; + sdk: { + input: CreateMapCommandInput; + output: CreateMapCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CreatePlaceIndexCommand.ts b/clients/client-location/src/commands/CreatePlaceIndexCommand.ts index 08cba8d76368..a385d4db0940 100644 --- a/clients/client-location/src/commands/CreatePlaceIndexCommand.ts +++ b/clients/client-location/src/commands/CreatePlaceIndexCommand.ts @@ -118,4 +118,16 @@ export class CreatePlaceIndexCommand extends $Command .f(void 0, void 0) .ser(se_CreatePlaceIndexCommand) .de(de_CreatePlaceIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlaceIndexRequest; + output: CreatePlaceIndexResponse; + }; + sdk: { + input: CreatePlaceIndexCommandInput; + output: CreatePlaceIndexCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CreateRouteCalculatorCommand.ts b/clients/client-location/src/commands/CreateRouteCalculatorCommand.ts index 1176827d6976..3a84c12b6885 100644 --- a/clients/client-location/src/commands/CreateRouteCalculatorCommand.ts +++ b/clients/client-location/src/commands/CreateRouteCalculatorCommand.ts @@ -114,4 +114,16 @@ export class CreateRouteCalculatorCommand extends $Command .f(void 0, void 0) .ser(se_CreateRouteCalculatorCommand) .de(de_CreateRouteCalculatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRouteCalculatorRequest; + output: CreateRouteCalculatorResponse; + }; + sdk: { + input: CreateRouteCalculatorCommandInput; + output: CreateRouteCalculatorCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/CreateTrackerCommand.ts b/clients/client-location/src/commands/CreateTrackerCommand.ts index cac0d3cb7054..8a4c0e5b3a8e 100644 --- a/clients/client-location/src/commands/CreateTrackerCommand.ts +++ b/clients/client-location/src/commands/CreateTrackerCommand.ts @@ -110,4 +110,16 @@ export class CreateTrackerCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrackerCommand) .de(de_CreateTrackerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrackerRequest; + output: CreateTrackerResponse; + }; + sdk: { + input: CreateTrackerCommandInput; + output: CreateTrackerCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DeleteGeofenceCollectionCommand.ts b/clients/client-location/src/commands/DeleteGeofenceCollectionCommand.ts index 952713746245..708550f5d1c7 100644 --- a/clients/client-location/src/commands/DeleteGeofenceCollectionCommand.ts +++ b/clients/client-location/src/commands/DeleteGeofenceCollectionCommand.ts @@ -95,4 +95,16 @@ export class DeleteGeofenceCollectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGeofenceCollectionCommand) .de(de_DeleteGeofenceCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGeofenceCollectionRequest; + output: {}; + }; + sdk: { + input: DeleteGeofenceCollectionCommandInput; + output: DeleteGeofenceCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DeleteKeyCommand.ts b/clients/client-location/src/commands/DeleteKeyCommand.ts index d9d738423b78..8e5f17dedea9 100644 --- a/clients/client-location/src/commands/DeleteKeyCommand.ts +++ b/clients/client-location/src/commands/DeleteKeyCommand.ts @@ -93,4 +93,16 @@ export class DeleteKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyCommand) .de(de_DeleteKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyRequest; + output: {}; + }; + sdk: { + input: DeleteKeyCommandInput; + output: DeleteKeyCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DeleteMapCommand.ts b/clients/client-location/src/commands/DeleteMapCommand.ts index 324c6f516144..89a625902898 100644 --- a/clients/client-location/src/commands/DeleteMapCommand.ts +++ b/clients/client-location/src/commands/DeleteMapCommand.ts @@ -95,4 +95,16 @@ export class DeleteMapCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMapCommand) .de(de_DeleteMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMapRequest; + output: {}; + }; + sdk: { + input: DeleteMapCommandInput; + output: DeleteMapCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DeletePlaceIndexCommand.ts b/clients/client-location/src/commands/DeletePlaceIndexCommand.ts index fca6a4108374..9161c440a766 100644 --- a/clients/client-location/src/commands/DeletePlaceIndexCommand.ts +++ b/clients/client-location/src/commands/DeletePlaceIndexCommand.ts @@ -94,4 +94,16 @@ export class DeletePlaceIndexCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlaceIndexCommand) .de(de_DeletePlaceIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlaceIndexRequest; + output: {}; + }; + sdk: { + input: DeletePlaceIndexCommandInput; + output: DeletePlaceIndexCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DeleteRouteCalculatorCommand.ts b/clients/client-location/src/commands/DeleteRouteCalculatorCommand.ts index f7d266342003..02de33df9c81 100644 --- a/clients/client-location/src/commands/DeleteRouteCalculatorCommand.ts +++ b/clients/client-location/src/commands/DeleteRouteCalculatorCommand.ts @@ -94,4 +94,16 @@ export class DeleteRouteCalculatorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteCalculatorCommand) .de(de_DeleteRouteCalculatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteCalculatorRequest; + output: {}; + }; + sdk: { + input: DeleteRouteCalculatorCommandInput; + output: DeleteRouteCalculatorCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DeleteTrackerCommand.ts b/clients/client-location/src/commands/DeleteTrackerCommand.ts index 2956962d0745..474883cea5ef 100644 --- a/clients/client-location/src/commands/DeleteTrackerCommand.ts +++ b/clients/client-location/src/commands/DeleteTrackerCommand.ts @@ -96,4 +96,16 @@ export class DeleteTrackerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrackerCommand) .de(de_DeleteTrackerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrackerRequest; + output: {}; + }; + sdk: { + input: DeleteTrackerCommandInput; + output: DeleteTrackerCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DescribeGeofenceCollectionCommand.ts b/clients/client-location/src/commands/DescribeGeofenceCollectionCommand.ts index b0f5325181af..320e9b100450 100644 --- a/clients/client-location/src/commands/DescribeGeofenceCollectionCommand.ts +++ b/clients/client-location/src/commands/DescribeGeofenceCollectionCommand.ts @@ -104,4 +104,16 @@ export class DescribeGeofenceCollectionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGeofenceCollectionCommand) .de(de_DescribeGeofenceCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGeofenceCollectionRequest; + output: DescribeGeofenceCollectionResponse; + }; + sdk: { + input: DescribeGeofenceCollectionCommandInput; + output: DescribeGeofenceCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DescribeKeyCommand.ts b/clients/client-location/src/commands/DescribeKeyCommand.ts index 98fa231724a0..f377bae85fdc 100644 --- a/clients/client-location/src/commands/DescribeKeyCommand.ts +++ b/clients/client-location/src/commands/DescribeKeyCommand.ts @@ -113,4 +113,16 @@ export class DescribeKeyCommand extends $Command .f(void 0, DescribeKeyResponseFilterSensitiveLog) .ser(se_DescribeKeyCommand) .de(de_DescribeKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeyRequest; + output: DescribeKeyResponse; + }; + sdk: { + input: DescribeKeyCommandInput; + output: DescribeKeyCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DescribeMapCommand.ts b/clients/client-location/src/commands/DescribeMapCommand.ts index ace716d8e5d4..7e9da47a56d8 100644 --- a/clients/client-location/src/commands/DescribeMapCommand.ts +++ b/clients/client-location/src/commands/DescribeMapCommand.ts @@ -109,4 +109,16 @@ export class DescribeMapCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMapCommand) .de(de_DescribeMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMapRequest; + output: DescribeMapResponse; + }; + sdk: { + input: DescribeMapCommandInput; + output: DescribeMapCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DescribePlaceIndexCommand.ts b/clients/client-location/src/commands/DescribePlaceIndexCommand.ts index 4ea3a7a47825..040b58dcc45c 100644 --- a/clients/client-location/src/commands/DescribePlaceIndexCommand.ts +++ b/clients/client-location/src/commands/DescribePlaceIndexCommand.ts @@ -105,4 +105,16 @@ export class DescribePlaceIndexCommand extends $Command .f(void 0, void 0) .ser(se_DescribePlaceIndexCommand) .de(de_DescribePlaceIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePlaceIndexRequest; + output: DescribePlaceIndexResponse; + }; + sdk: { + input: DescribePlaceIndexCommandInput; + output: DescribePlaceIndexCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DescribeRouteCalculatorCommand.ts b/clients/client-location/src/commands/DescribeRouteCalculatorCommand.ts index f4fc45a278e2..685b1a83ef04 100644 --- a/clients/client-location/src/commands/DescribeRouteCalculatorCommand.ts +++ b/clients/client-location/src/commands/DescribeRouteCalculatorCommand.ts @@ -102,4 +102,16 @@ export class DescribeRouteCalculatorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRouteCalculatorCommand) .de(de_DescribeRouteCalculatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRouteCalculatorRequest; + output: DescribeRouteCalculatorResponse; + }; + sdk: { + input: DescribeRouteCalculatorCommandInput; + output: DescribeRouteCalculatorCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DescribeTrackerCommand.ts b/clients/client-location/src/commands/DescribeTrackerCommand.ts index 0cee5e951b62..7421c50a35b2 100644 --- a/clients/client-location/src/commands/DescribeTrackerCommand.ts +++ b/clients/client-location/src/commands/DescribeTrackerCommand.ts @@ -106,4 +106,16 @@ export class DescribeTrackerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrackerCommand) .de(de_DescribeTrackerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrackerRequest; + output: DescribeTrackerResponse; + }; + sdk: { + input: DescribeTrackerCommandInput; + output: DescribeTrackerCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/DisassociateTrackerConsumerCommand.ts b/clients/client-location/src/commands/DisassociateTrackerConsumerCommand.ts index 42ac0f3e272a..c9cad6f83db8 100644 --- a/clients/client-location/src/commands/DisassociateTrackerConsumerCommand.ts +++ b/clients/client-location/src/commands/DisassociateTrackerConsumerCommand.ts @@ -101,4 +101,16 @@ export class DisassociateTrackerConsumerCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTrackerConsumerCommand) .de(de_DisassociateTrackerConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTrackerConsumerRequest; + output: {}; + }; + sdk: { + input: DisassociateTrackerConsumerCommandInput; + output: DisassociateTrackerConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ForecastGeofenceEventsCommand.ts b/clients/client-location/src/commands/ForecastGeofenceEventsCommand.ts index 7d3d2bf45482..fe04ce5f5113 100644 --- a/clients/client-location/src/commands/ForecastGeofenceEventsCommand.ts +++ b/clients/client-location/src/commands/ForecastGeofenceEventsCommand.ts @@ -132,4 +132,16 @@ export class ForecastGeofenceEventsCommand extends $Command .f(ForecastGeofenceEventsRequestFilterSensitiveLog, ForecastGeofenceEventsResponseFilterSensitiveLog) .ser(se_ForecastGeofenceEventsCommand) .de(de_ForecastGeofenceEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ForecastGeofenceEventsRequest; + output: ForecastGeofenceEventsResponse; + }; + sdk: { + input: ForecastGeofenceEventsCommandInput; + output: ForecastGeofenceEventsCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetDevicePositionCommand.ts b/clients/client-location/src/commands/GetDevicePositionCommand.ts index 05b551d5fac9..eaad75f16476 100644 --- a/clients/client-location/src/commands/GetDevicePositionCommand.ts +++ b/clients/client-location/src/commands/GetDevicePositionCommand.ts @@ -112,4 +112,16 @@ export class GetDevicePositionCommand extends $Command .f(void 0, GetDevicePositionResponseFilterSensitiveLog) .ser(se_GetDevicePositionCommand) .de(de_GetDevicePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevicePositionRequest; + output: GetDevicePositionResponse; + }; + sdk: { + input: GetDevicePositionCommandInput; + output: GetDevicePositionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetDevicePositionHistoryCommand.ts b/clients/client-location/src/commands/GetDevicePositionHistoryCommand.ts index c8d7076d8b5d..1abb4b035ac5 100644 --- a/clients/client-location/src/commands/GetDevicePositionHistoryCommand.ts +++ b/clients/client-location/src/commands/GetDevicePositionHistoryCommand.ts @@ -122,4 +122,16 @@ export class GetDevicePositionHistoryCommand extends $Command .f(void 0, GetDevicePositionHistoryResponseFilterSensitiveLog) .ser(se_GetDevicePositionHistoryCommand) .de(de_GetDevicePositionHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevicePositionHistoryRequest; + output: GetDevicePositionHistoryResponse; + }; + sdk: { + input: GetDevicePositionHistoryCommandInput; + output: GetDevicePositionHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetGeofenceCommand.ts b/clients/client-location/src/commands/GetGeofenceCommand.ts index 4b37258ea4fb..7c09939400df 100644 --- a/clients/client-location/src/commands/GetGeofenceCommand.ts +++ b/clients/client-location/src/commands/GetGeofenceCommand.ts @@ -119,4 +119,16 @@ export class GetGeofenceCommand extends $Command .f(void 0, GetGeofenceResponseFilterSensitiveLog) .ser(se_GetGeofenceCommand) .de(de_GetGeofenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGeofenceRequest; + output: GetGeofenceResponse; + }; + sdk: { + input: GetGeofenceCommandInput; + output: GetGeofenceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetMapGlyphsCommand.ts b/clients/client-location/src/commands/GetMapGlyphsCommand.ts index 1db0306c2775..8dac44e135eb 100644 --- a/clients/client-location/src/commands/GetMapGlyphsCommand.ts +++ b/clients/client-location/src/commands/GetMapGlyphsCommand.ts @@ -106,4 +106,16 @@ export class GetMapGlyphsCommand extends $Command .f(GetMapGlyphsRequestFilterSensitiveLog, void 0) .ser(se_GetMapGlyphsCommand) .de(de_GetMapGlyphsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMapGlyphsRequest; + output: GetMapGlyphsResponse; + }; + sdk: { + input: GetMapGlyphsCommandInput; + output: GetMapGlyphsCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetMapSpritesCommand.ts b/clients/client-location/src/commands/GetMapSpritesCommand.ts index ded369bcc876..257865e4f476 100644 --- a/clients/client-location/src/commands/GetMapSpritesCommand.ts +++ b/clients/client-location/src/commands/GetMapSpritesCommand.ts @@ -111,4 +111,16 @@ export class GetMapSpritesCommand extends $Command .f(GetMapSpritesRequestFilterSensitiveLog, void 0) .ser(se_GetMapSpritesCommand) .de(de_GetMapSpritesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMapSpritesRequest; + output: GetMapSpritesResponse; + }; + sdk: { + input: GetMapSpritesCommandInput; + output: GetMapSpritesCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetMapStyleDescriptorCommand.ts b/clients/client-location/src/commands/GetMapStyleDescriptorCommand.ts index 7e643430441c..795f2fccd1fb 100644 --- a/clients/client-location/src/commands/GetMapStyleDescriptorCommand.ts +++ b/clients/client-location/src/commands/GetMapStyleDescriptorCommand.ts @@ -111,4 +111,16 @@ export class GetMapStyleDescriptorCommand extends $Command .f(GetMapStyleDescriptorRequestFilterSensitiveLog, void 0) .ser(se_GetMapStyleDescriptorCommand) .de(de_GetMapStyleDescriptorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMapStyleDescriptorRequest; + output: GetMapStyleDescriptorResponse; + }; + sdk: { + input: GetMapStyleDescriptorCommandInput; + output: GetMapStyleDescriptorCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetMapTileCommand.ts b/clients/client-location/src/commands/GetMapTileCommand.ts index 4b12b89149e9..639d676b1f12 100644 --- a/clients/client-location/src/commands/GetMapTileCommand.ts +++ b/clients/client-location/src/commands/GetMapTileCommand.ts @@ -112,4 +112,16 @@ export class GetMapTileCommand extends $Command .f(GetMapTileRequestFilterSensitiveLog, void 0) .ser(se_GetMapTileCommand) .de(de_GetMapTileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMapTileRequest; + output: GetMapTileResponse; + }; + sdk: { + input: GetMapTileCommandInput; + output: GetMapTileCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/GetPlaceCommand.ts b/clients/client-location/src/commands/GetPlaceCommand.ts index 7cc3e00b0682..9d828bfaac11 100644 --- a/clients/client-location/src/commands/GetPlaceCommand.ts +++ b/clients/client-location/src/commands/GetPlaceCommand.ts @@ -146,4 +146,16 @@ export class GetPlaceCommand extends $Command .f(GetPlaceRequestFilterSensitiveLog, GetPlaceResponseFilterSensitiveLog) .ser(se_GetPlaceCommand) .de(de_GetPlaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPlaceRequest; + output: GetPlaceResponse; + }; + sdk: { + input: GetPlaceCommandInput; + output: GetPlaceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListDevicePositionsCommand.ts b/clients/client-location/src/commands/ListDevicePositionsCommand.ts index c1e8e8226637..c6b1eb54404b 100644 --- a/clients/client-location/src/commands/ListDevicePositionsCommand.ts +++ b/clients/client-location/src/commands/ListDevicePositionsCommand.ts @@ -121,4 +121,16 @@ export class ListDevicePositionsCommand extends $Command .f(ListDevicePositionsRequestFilterSensitiveLog, ListDevicePositionsResponseFilterSensitiveLog) .ser(se_ListDevicePositionsCommand) .de(de_ListDevicePositionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicePositionsRequest; + output: ListDevicePositionsResponse; + }; + sdk: { + input: ListDevicePositionsCommandInput; + output: ListDevicePositionsCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListGeofenceCollectionsCommand.ts b/clients/client-location/src/commands/ListGeofenceCollectionsCommand.ts index 21550e42996a..18aac30a014c 100644 --- a/clients/client-location/src/commands/ListGeofenceCollectionsCommand.ts +++ b/clients/client-location/src/commands/ListGeofenceCollectionsCommand.ts @@ -101,4 +101,16 @@ export class ListGeofenceCollectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListGeofenceCollectionsCommand) .de(de_ListGeofenceCollectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGeofenceCollectionsRequest; + output: ListGeofenceCollectionsResponse; + }; + sdk: { + input: ListGeofenceCollectionsCommandInput; + output: ListGeofenceCollectionsCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListGeofencesCommand.ts b/clients/client-location/src/commands/ListGeofencesCommand.ts index d42279e5bd05..55db86947021 100644 --- a/clients/client-location/src/commands/ListGeofencesCommand.ts +++ b/clients/client-location/src/commands/ListGeofencesCommand.ts @@ -126,4 +126,16 @@ export class ListGeofencesCommand extends $Command .f(void 0, ListGeofencesResponseFilterSensitiveLog) .ser(se_ListGeofencesCommand) .de(de_ListGeofencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGeofencesRequest; + output: ListGeofencesResponse; + }; + sdk: { + input: ListGeofencesCommandInput; + output: ListGeofencesCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListKeysCommand.ts b/clients/client-location/src/commands/ListKeysCommand.ts index 009b400aa4e4..e7a0b5dcb3d4 100644 --- a/clients/client-location/src/commands/ListKeysCommand.ts +++ b/clients/client-location/src/commands/ListKeysCommand.ts @@ -114,4 +114,16 @@ export class ListKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListKeysCommand) .de(de_ListKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeysRequest; + output: ListKeysResponse; + }; + sdk: { + input: ListKeysCommandInput; + output: ListKeysCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListMapsCommand.ts b/clients/client-location/src/commands/ListMapsCommand.ts index 3a3665edc21e..cb45c8b1af50 100644 --- a/clients/client-location/src/commands/ListMapsCommand.ts +++ b/clients/client-location/src/commands/ListMapsCommand.ts @@ -101,4 +101,16 @@ export class ListMapsCommand extends $Command .f(void 0, void 0) .ser(se_ListMapsCommand) .de(de_ListMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMapsRequest; + output: ListMapsResponse; + }; + sdk: { + input: ListMapsCommandInput; + output: ListMapsCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListPlaceIndexesCommand.ts b/clients/client-location/src/commands/ListPlaceIndexesCommand.ts index 0dcdd92bbe0b..1e406f2b333f 100644 --- a/clients/client-location/src/commands/ListPlaceIndexesCommand.ts +++ b/clients/client-location/src/commands/ListPlaceIndexesCommand.ts @@ -101,4 +101,16 @@ export class ListPlaceIndexesCommand extends $Command .f(void 0, void 0) .ser(se_ListPlaceIndexesCommand) .de(de_ListPlaceIndexesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlaceIndexesRequest; + output: ListPlaceIndexesResponse; + }; + sdk: { + input: ListPlaceIndexesCommandInput; + output: ListPlaceIndexesCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListRouteCalculatorsCommand.ts b/clients/client-location/src/commands/ListRouteCalculatorsCommand.ts index f8f3891c8b06..c874bae5948a 100644 --- a/clients/client-location/src/commands/ListRouteCalculatorsCommand.ts +++ b/clients/client-location/src/commands/ListRouteCalculatorsCommand.ts @@ -101,4 +101,16 @@ export class ListRouteCalculatorsCommand extends $Command .f(void 0, void 0) .ser(se_ListRouteCalculatorsCommand) .de(de_ListRouteCalculatorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRouteCalculatorsRequest; + output: ListRouteCalculatorsResponse; + }; + sdk: { + input: ListRouteCalculatorsCommandInput; + output: ListRouteCalculatorsCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListTagsForResourceCommand.ts b/clients/client-location/src/commands/ListTagsForResourceCommand.ts index 5d8f7c3f57a7..b99a29073e14 100644 --- a/clients/client-location/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-location/src/commands/ListTagsForResourceCommand.ts @@ -95,4 +95,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListTrackerConsumersCommand.ts b/clients/client-location/src/commands/ListTrackerConsumersCommand.ts index 543d77ebc141..23e0699deb7b 100644 --- a/clients/client-location/src/commands/ListTrackerConsumersCommand.ts +++ b/clients/client-location/src/commands/ListTrackerConsumersCommand.ts @@ -98,4 +98,16 @@ export class ListTrackerConsumersCommand extends $Command .f(void 0, void 0) .ser(se_ListTrackerConsumersCommand) .de(de_ListTrackerConsumersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrackerConsumersRequest; + output: ListTrackerConsumersResponse; + }; + sdk: { + input: ListTrackerConsumersCommandInput; + output: ListTrackerConsumersCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/ListTrackersCommand.ts b/clients/client-location/src/commands/ListTrackersCommand.ts index 174d4a3e211a..a1d184c45592 100644 --- a/clients/client-location/src/commands/ListTrackersCommand.ts +++ b/clients/client-location/src/commands/ListTrackersCommand.ts @@ -101,4 +101,16 @@ export class ListTrackersCommand extends $Command .f(void 0, void 0) .ser(se_ListTrackersCommand) .de(de_ListTrackersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrackersRequest; + output: ListTrackersResponse; + }; + sdk: { + input: ListTrackersCommandInput; + output: ListTrackersCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/PutGeofenceCommand.ts b/clients/client-location/src/commands/PutGeofenceCommand.ts index 4b3658daf39d..257effe7bbc0 100644 --- a/clients/client-location/src/commands/PutGeofenceCommand.ts +++ b/clients/client-location/src/commands/PutGeofenceCommand.ts @@ -119,4 +119,16 @@ export class PutGeofenceCommand extends $Command .f(PutGeofenceRequestFilterSensitiveLog, void 0) .ser(se_PutGeofenceCommand) .de(de_PutGeofenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutGeofenceRequest; + output: PutGeofenceResponse; + }; + sdk: { + input: PutGeofenceCommandInput; + output: PutGeofenceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/SearchPlaceIndexForPositionCommand.ts b/clients/client-location/src/commands/SearchPlaceIndexForPositionCommand.ts index ab0e5bbeb811..f499555e2656 100644 --- a/clients/client-location/src/commands/SearchPlaceIndexForPositionCommand.ts +++ b/clients/client-location/src/commands/SearchPlaceIndexForPositionCommand.ts @@ -153,4 +153,16 @@ export class SearchPlaceIndexForPositionCommand extends $Command .f(SearchPlaceIndexForPositionRequestFilterSensitiveLog, SearchPlaceIndexForPositionResponseFilterSensitiveLog) .ser(se_SearchPlaceIndexForPositionCommand) .de(de_SearchPlaceIndexForPositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchPlaceIndexForPositionRequest; + output: SearchPlaceIndexForPositionResponse; + }; + sdk: { + input: SearchPlaceIndexForPositionCommandInput; + output: SearchPlaceIndexForPositionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/SearchPlaceIndexForSuggestionsCommand.ts b/clients/client-location/src/commands/SearchPlaceIndexForSuggestionsCommand.ts index c327701f921c..bdfceba53bae 100644 --- a/clients/client-location/src/commands/SearchPlaceIndexForSuggestionsCommand.ts +++ b/clients/client-location/src/commands/SearchPlaceIndexForSuggestionsCommand.ts @@ -159,4 +159,16 @@ export class SearchPlaceIndexForSuggestionsCommand extends $Command .f(SearchPlaceIndexForSuggestionsRequestFilterSensitiveLog, SearchPlaceIndexForSuggestionsResponseFilterSensitiveLog) .ser(se_SearchPlaceIndexForSuggestionsCommand) .de(de_SearchPlaceIndexForSuggestionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchPlaceIndexForSuggestionsRequest; + output: SearchPlaceIndexForSuggestionsResponse; + }; + sdk: { + input: SearchPlaceIndexForSuggestionsCommandInput; + output: SearchPlaceIndexForSuggestionsCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/SearchPlaceIndexForTextCommand.ts b/clients/client-location/src/commands/SearchPlaceIndexForTextCommand.ts index aae6a09ad05f..9576427b044a 100644 --- a/clients/client-location/src/commands/SearchPlaceIndexForTextCommand.ts +++ b/clients/client-location/src/commands/SearchPlaceIndexForTextCommand.ts @@ -180,4 +180,16 @@ export class SearchPlaceIndexForTextCommand extends $Command .f(SearchPlaceIndexForTextRequestFilterSensitiveLog, SearchPlaceIndexForTextResponseFilterSensitiveLog) .ser(se_SearchPlaceIndexForTextCommand) .de(de_SearchPlaceIndexForTextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchPlaceIndexForTextRequest; + output: SearchPlaceIndexForTextResponse; + }; + sdk: { + input: SearchPlaceIndexForTextCommandInput; + output: SearchPlaceIndexForTextCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/TagResourceCommand.ts b/clients/client-location/src/commands/TagResourceCommand.ts index bd5d62cb81af..a41b146ba565 100644 --- a/clients/client-location/src/commands/TagResourceCommand.ts +++ b/clients/client-location/src/commands/TagResourceCommand.ts @@ -104,4 +104,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/UntagResourceCommand.ts b/clients/client-location/src/commands/UntagResourceCommand.ts index 0944265012f8..ca4dd2757288 100644 --- a/clients/client-location/src/commands/UntagResourceCommand.ts +++ b/clients/client-location/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/UpdateGeofenceCollectionCommand.ts b/clients/client-location/src/commands/UpdateGeofenceCollectionCommand.ts index e9e01b435063..e3c168f47f56 100644 --- a/clients/client-location/src/commands/UpdateGeofenceCollectionCommand.ts +++ b/clients/client-location/src/commands/UpdateGeofenceCollectionCommand.ts @@ -98,4 +98,16 @@ export class UpdateGeofenceCollectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGeofenceCollectionCommand) .de(de_UpdateGeofenceCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGeofenceCollectionRequest; + output: UpdateGeofenceCollectionResponse; + }; + sdk: { + input: UpdateGeofenceCollectionCommandInput; + output: UpdateGeofenceCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/UpdateKeyCommand.ts b/clients/client-location/src/commands/UpdateKeyCommand.ts index c93fe0ada307..f8b792c76e8f 100644 --- a/clients/client-location/src/commands/UpdateKeyCommand.ts +++ b/clients/client-location/src/commands/UpdateKeyCommand.ts @@ -110,4 +110,16 @@ export class UpdateKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKeyCommand) .de(de_UpdateKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKeyRequest; + output: UpdateKeyResponse; + }; + sdk: { + input: UpdateKeyCommandInput; + output: UpdateKeyCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/UpdateMapCommand.ts b/clients/client-location/src/commands/UpdateMapCommand.ts index 4b8ce241a4a6..28f1badc46d0 100644 --- a/clients/client-location/src/commands/UpdateMapCommand.ts +++ b/clients/client-location/src/commands/UpdateMapCommand.ts @@ -103,4 +103,16 @@ export class UpdateMapCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMapCommand) .de(de_UpdateMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMapRequest; + output: UpdateMapResponse; + }; + sdk: { + input: UpdateMapCommandInput; + output: UpdateMapCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/UpdatePlaceIndexCommand.ts b/clients/client-location/src/commands/UpdatePlaceIndexCommand.ts index 0726be536cb0..a9e44f1e7bc4 100644 --- a/clients/client-location/src/commands/UpdatePlaceIndexCommand.ts +++ b/clients/client-location/src/commands/UpdatePlaceIndexCommand.ts @@ -100,4 +100,16 @@ export class UpdatePlaceIndexCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePlaceIndexCommand) .de(de_UpdatePlaceIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePlaceIndexRequest; + output: UpdatePlaceIndexResponse; + }; + sdk: { + input: UpdatePlaceIndexCommandInput; + output: UpdatePlaceIndexCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/UpdateRouteCalculatorCommand.ts b/clients/client-location/src/commands/UpdateRouteCalculatorCommand.ts index a13fe98eb35a..22025ca2b3d9 100644 --- a/clients/client-location/src/commands/UpdateRouteCalculatorCommand.ts +++ b/clients/client-location/src/commands/UpdateRouteCalculatorCommand.ts @@ -97,4 +97,16 @@ export class UpdateRouteCalculatorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRouteCalculatorCommand) .de(de_UpdateRouteCalculatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRouteCalculatorRequest; + output: UpdateRouteCalculatorResponse; + }; + sdk: { + input: UpdateRouteCalculatorCommandInput; + output: UpdateRouteCalculatorCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/UpdateTrackerCommand.ts b/clients/client-location/src/commands/UpdateTrackerCommand.ts index 213bb7680797..8931e377694e 100644 --- a/clients/client-location/src/commands/UpdateTrackerCommand.ts +++ b/clients/client-location/src/commands/UpdateTrackerCommand.ts @@ -101,4 +101,16 @@ export class UpdateTrackerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrackerCommand) .de(de_UpdateTrackerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrackerRequest; + output: UpdateTrackerResponse; + }; + sdk: { + input: UpdateTrackerCommandInput; + output: UpdateTrackerCommandOutput; + }; + }; +} diff --git a/clients/client-location/src/commands/VerifyDevicePositionCommand.ts b/clients/client-location/src/commands/VerifyDevicePositionCommand.ts index 20ba59ad96a5..1fa080ee17b2 100644 --- a/clients/client-location/src/commands/VerifyDevicePositionCommand.ts +++ b/clients/client-location/src/commands/VerifyDevicePositionCommand.ts @@ -156,4 +156,16 @@ export class VerifyDevicePositionCommand extends $Command .f(VerifyDevicePositionRequestFilterSensitiveLog, VerifyDevicePositionResponseFilterSensitiveLog) .ser(se_VerifyDevicePositionCommand) .de(de_VerifyDevicePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyDevicePositionRequest; + output: VerifyDevicePositionResponse; + }; + sdk: { + input: VerifyDevicePositionCommandInput; + output: VerifyDevicePositionCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/package.json b/clients/client-lookoutequipment/package.json index 11a7d8924b13..2c24aa93c7c9 100644 --- a/clients/client-lookoutequipment/package.json +++ b/clients/client-lookoutequipment/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-lookoutequipment/src/commands/CreateDatasetCommand.ts b/clients/client-lookoutequipment/src/commands/CreateDatasetCommand.ts index 75e5d369fb38..a7961c665f01 100644 --- a/clients/client-lookoutequipment/src/commands/CreateDatasetCommand.ts +++ b/clients/client-lookoutequipment/src/commands/CreateDatasetCommand.ts @@ -115,4 +115,16 @@ export class CreateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/CreateInferenceSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/CreateInferenceSchedulerCommand.ts index 923a94faf5f6..1c2ae14c9cc9 100644 --- a/clients/client-lookoutequipment/src/commands/CreateInferenceSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/CreateInferenceSchedulerCommand.ts @@ -140,4 +140,16 @@ export class CreateInferenceSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_CreateInferenceSchedulerCommand) .de(de_CreateInferenceSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInferenceSchedulerRequest; + output: CreateInferenceSchedulerResponse; + }; + sdk: { + input: CreateInferenceSchedulerCommandInput; + output: CreateInferenceSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/CreateLabelCommand.ts b/clients/client-lookoutequipment/src/commands/CreateLabelCommand.ts index 1858e7bc9197..ca53591c4e53 100644 --- a/clients/client-lookoutequipment/src/commands/CreateLabelCommand.ts +++ b/clients/client-lookoutequipment/src/commands/CreateLabelCommand.ts @@ -110,4 +110,16 @@ export class CreateLabelCommand extends $Command .f(void 0, void 0) .ser(se_CreateLabelCommand) .de(de_CreateLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLabelRequest; + output: CreateLabelResponse; + }; + sdk: { + input: CreateLabelCommandInput; + output: CreateLabelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/CreateLabelGroupCommand.ts b/clients/client-lookoutequipment/src/commands/CreateLabelGroupCommand.ts index 77d92ace4801..7ce91a69f3d8 100644 --- a/clients/client-lookoutequipment/src/commands/CreateLabelGroupCommand.ts +++ b/clients/client-lookoutequipment/src/commands/CreateLabelGroupCommand.ts @@ -110,4 +110,16 @@ export class CreateLabelGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateLabelGroupCommand) .de(de_CreateLabelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLabelGroupRequest; + output: CreateLabelGroupResponse; + }; + sdk: { + input: CreateLabelGroupCommandInput; + output: CreateLabelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/CreateModelCommand.ts b/clients/client-lookoutequipment/src/commands/CreateModelCommand.ts index 58c8a1536f1c..e75bb641a15d 100644 --- a/clients/client-lookoutequipment/src/commands/CreateModelCommand.ts +++ b/clients/client-lookoutequipment/src/commands/CreateModelCommand.ts @@ -147,4 +147,16 @@ export class CreateModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCommand) .de(de_CreateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelRequest; + output: CreateModelResponse; + }; + sdk: { + input: CreateModelCommandInput; + output: CreateModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/CreateRetrainingSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/CreateRetrainingSchedulerCommand.ts index 13b11ca19560..0227ab7a8860 100644 --- a/clients/client-lookoutequipment/src/commands/CreateRetrainingSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/CreateRetrainingSchedulerCommand.ts @@ -151,4 +151,16 @@ export class CreateRetrainingSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_CreateRetrainingSchedulerCommand) .de(de_CreateRetrainingSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRetrainingSchedulerRequest; + output: CreateRetrainingSchedulerResponse; + }; + sdk: { + input: CreateRetrainingSchedulerCommandInput; + output: CreateRetrainingSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DeleteDatasetCommand.ts b/clients/client-lookoutequipment/src/commands/DeleteDatasetCommand.ts index 9e59f4e177b7..ceb0fa3676d0 100644 --- a/clients/client-lookoutequipment/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DeleteDatasetCommand.ts @@ -102,4 +102,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DeleteInferenceSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/DeleteInferenceSchedulerCommand.ts index 2e065e800539..b70bb4feb292 100644 --- a/clients/client-lookoutequipment/src/commands/DeleteInferenceSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DeleteInferenceSchedulerCommand.ts @@ -99,4 +99,16 @@ export class DeleteInferenceSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInferenceSchedulerCommand) .de(de_DeleteInferenceSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInferenceSchedulerRequest; + output: {}; + }; + sdk: { + input: DeleteInferenceSchedulerCommandInput; + output: DeleteInferenceSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DeleteLabelCommand.ts b/clients/client-lookoutequipment/src/commands/DeleteLabelCommand.ts index ddc283ec3bb0..7201d832f20e 100644 --- a/clients/client-lookoutequipment/src/commands/DeleteLabelCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DeleteLabelCommand.ts @@ -99,4 +99,16 @@ export class DeleteLabelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLabelCommand) .de(de_DeleteLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLabelRequest; + output: {}; + }; + sdk: { + input: DeleteLabelCommandInput; + output: DeleteLabelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DeleteLabelGroupCommand.ts b/clients/client-lookoutequipment/src/commands/DeleteLabelGroupCommand.ts index 1749ea224298..244940b30e0b 100644 --- a/clients/client-lookoutequipment/src/commands/DeleteLabelGroupCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DeleteLabelGroupCommand.ts @@ -98,4 +98,16 @@ export class DeleteLabelGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLabelGroupCommand) .de(de_DeleteLabelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLabelGroupRequest; + output: {}; + }; + sdk: { + input: DeleteLabelGroupCommandInput; + output: DeleteLabelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DeleteModelCommand.ts b/clients/client-lookoutequipment/src/commands/DeleteModelCommand.ts index 1b69c9f73d0a..dc2dbe8f3023 100644 --- a/clients/client-lookoutequipment/src/commands/DeleteModelCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DeleteModelCommand.ts @@ -99,4 +99,16 @@ export class DeleteModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelCommand) .de(de_DeleteModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelRequest; + output: {}; + }; + sdk: { + input: DeleteModelCommandInput; + output: DeleteModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-lookoutequipment/src/commands/DeleteResourcePolicyCommand.ts index 56e4835950c7..ca718333a02e 100644 --- a/clients/client-lookoutequipment/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DeleteResourcePolicyCommand.ts @@ -98,4 +98,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DeleteRetrainingSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/DeleteRetrainingSchedulerCommand.ts index bad1b1d30d79..754e1451efda 100644 --- a/clients/client-lookoutequipment/src/commands/DeleteRetrainingSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DeleteRetrainingSchedulerCommand.ts @@ -110,4 +110,16 @@ export class DeleteRetrainingSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRetrainingSchedulerCommand) .de(de_DeleteRetrainingSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRetrainingSchedulerRequest; + output: {}; + }; + sdk: { + input: DeleteRetrainingSchedulerCommandInput; + output: DeleteRetrainingSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeDataIngestionJobCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeDataIngestionJobCommand.ts index 0401f6b9f436..61385a8c9feb 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeDataIngestionJobCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeDataIngestionJobCommand.ts @@ -148,4 +148,16 @@ export class DescribeDataIngestionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataIngestionJobCommand) .de(de_DescribeDataIngestionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataIngestionJobRequest; + output: DescribeDataIngestionJobResponse; + }; + sdk: { + input: DescribeDataIngestionJobCommandInput; + output: DescribeDataIngestionJobCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeDatasetCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeDatasetCommand.ts index 9b410bd29ad6..aebbcaba1744 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeDatasetCommand.ts @@ -148,4 +148,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeInferenceSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeInferenceSchedulerCommand.ts index 5a57cf341e03..687864deaa7b 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeInferenceSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeInferenceSchedulerCommand.ts @@ -126,4 +126,16 @@ export class DescribeInferenceSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInferenceSchedulerCommand) .de(de_DescribeInferenceSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInferenceSchedulerRequest; + output: DescribeInferenceSchedulerResponse; + }; + sdk: { + input: DescribeInferenceSchedulerCommandInput; + output: DescribeInferenceSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeLabelCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeLabelCommand.ts index 84567fbfdbaa..a969f409a978 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeLabelCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeLabelCommand.ts @@ -106,4 +106,16 @@ export class DescribeLabelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLabelCommand) .de(de_DescribeLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLabelRequest; + output: DescribeLabelResponse; + }; + sdk: { + input: DescribeLabelCommandInput; + output: DescribeLabelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeLabelGroupCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeLabelGroupCommand.ts index 8ad6f964cc21..896e26a5d4f7 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeLabelGroupCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeLabelGroupCommand.ts @@ -102,4 +102,16 @@ export class DescribeLabelGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLabelGroupCommand) .de(de_DescribeLabelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLabelGroupRequest; + output: DescribeLabelGroupResponse; + }; + sdk: { + input: DescribeLabelGroupCommandInput; + output: DescribeLabelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeModelCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeModelCommand.ts index 99093e16eb68..1b52537bd531 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeModelCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeModelCommand.ts @@ -153,4 +153,16 @@ export class DescribeModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelCommand) .de(de_DescribeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelRequest; + output: DescribeModelResponse; + }; + sdk: { + input: DescribeModelCommandInput; + output: DescribeModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeModelVersionCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeModelVersionCommand.ts index 86b1b9bac1f4..23f5801794cc 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeModelVersionCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeModelVersionCommand.ts @@ -148,4 +148,16 @@ export class DescribeModelVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelVersionCommand) .de(de_DescribeModelVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelVersionRequest; + output: DescribeModelVersionResponse; + }; + sdk: { + input: DescribeModelVersionCommandInput; + output: DescribeModelVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeResourcePolicyCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeResourcePolicyCommand.ts index 31eb6814e96f..b6f43f25cb21 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeResourcePolicyCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeResourcePolicyCommand.ts @@ -99,4 +99,16 @@ export class DescribeResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourcePolicyCommand) .de(de_DescribeResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourcePolicyRequest; + output: DescribeResourcePolicyResponse; + }; + sdk: { + input: DescribeResourcePolicyCommandInput; + output: DescribeResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/DescribeRetrainingSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/DescribeRetrainingSchedulerCommand.ts index 11c761dc0f29..5329fd7de0d3 100644 --- a/clients/client-lookoutequipment/src/commands/DescribeRetrainingSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/DescribeRetrainingSchedulerCommand.ts @@ -131,4 +131,16 @@ export class DescribeRetrainingSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRetrainingSchedulerCommand) .de(de_DescribeRetrainingSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRetrainingSchedulerRequest; + output: DescribeRetrainingSchedulerResponse; + }; + sdk: { + input: DescribeRetrainingSchedulerCommandInput; + output: DescribeRetrainingSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ImportDatasetCommand.ts b/clients/client-lookoutequipment/src/commands/ImportDatasetCommand.ts index e9b9e401baf7..373e9dd46fc9 100644 --- a/clients/client-lookoutequipment/src/commands/ImportDatasetCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ImportDatasetCommand.ts @@ -115,4 +115,16 @@ export class ImportDatasetCommand extends $Command .f(void 0, void 0) .ser(se_ImportDatasetCommand) .de(de_ImportDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportDatasetRequest; + output: ImportDatasetResponse; + }; + sdk: { + input: ImportDatasetCommandInput; + output: ImportDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ImportModelVersionCommand.ts b/clients/client-lookoutequipment/src/commands/ImportModelVersionCommand.ts index 7e6e4e62b282..f5f363eaae2b 100644 --- a/clients/client-lookoutequipment/src/commands/ImportModelVersionCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ImportModelVersionCommand.ts @@ -126,4 +126,16 @@ export class ImportModelVersionCommand extends $Command .f(void 0, void 0) .ser(se_ImportModelVersionCommand) .de(de_ImportModelVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportModelVersionRequest; + output: ImportModelVersionResponse; + }; + sdk: { + input: ImportModelVersionCommandInput; + output: ImportModelVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListDataIngestionJobsCommand.ts b/clients/client-lookoutequipment/src/commands/ListDataIngestionJobsCommand.ts index 4191e62a6cbf..57379374ebfe 100644 --- a/clients/client-lookoutequipment/src/commands/ListDataIngestionJobsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListDataIngestionJobsCommand.ts @@ -111,4 +111,16 @@ export class ListDataIngestionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataIngestionJobsCommand) .de(de_ListDataIngestionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataIngestionJobsRequest; + output: ListDataIngestionJobsResponse; + }; + sdk: { + input: ListDataIngestionJobsCommandInput; + output: ListDataIngestionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListDatasetsCommand.ts b/clients/client-lookoutequipment/src/commands/ListDatasetsCommand.ts index c5ab7489e8c3..6f960d790ee6 100644 --- a/clients/client-lookoutequipment/src/commands/ListDatasetsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListDatasetsCommand.ts @@ -103,4 +103,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListInferenceEventsCommand.ts b/clients/client-lookoutequipment/src/commands/ListInferenceEventsCommand.ts index 622c03b54941..bfbec7bbc925 100644 --- a/clients/client-lookoutequipment/src/commands/ListInferenceEventsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListInferenceEventsCommand.ts @@ -111,4 +111,16 @@ export class ListInferenceEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceEventsCommand) .de(de_ListInferenceEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceEventsRequest; + output: ListInferenceEventsResponse; + }; + sdk: { + input: ListInferenceEventsCommandInput; + output: ListInferenceEventsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListInferenceExecutionsCommand.ts b/clients/client-lookoutequipment/src/commands/ListInferenceExecutionsCommand.ts index 6f8dad80215b..82aa14062e94 100644 --- a/clients/client-lookoutequipment/src/commands/ListInferenceExecutionsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListInferenceExecutionsCommand.ts @@ -139,4 +139,16 @@ export class ListInferenceExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceExecutionsCommand) .de(de_ListInferenceExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceExecutionsRequest; + output: ListInferenceExecutionsResponse; + }; + sdk: { + input: ListInferenceExecutionsCommandInput; + output: ListInferenceExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListInferenceSchedulersCommand.ts b/clients/client-lookoutequipment/src/commands/ListInferenceSchedulersCommand.ts index 9a0f258a8897..97b6badefca7 100644 --- a/clients/client-lookoutequipment/src/commands/ListInferenceSchedulersCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListInferenceSchedulersCommand.ts @@ -109,4 +109,16 @@ export class ListInferenceSchedulersCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceSchedulersCommand) .de(de_ListInferenceSchedulersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceSchedulersRequest; + output: ListInferenceSchedulersResponse; + }; + sdk: { + input: ListInferenceSchedulersCommandInput; + output: ListInferenceSchedulersCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListLabelGroupsCommand.ts b/clients/client-lookoutequipment/src/commands/ListLabelGroupsCommand.ts index 30653efdbdea..c0f402c6ad98 100644 --- a/clients/client-lookoutequipment/src/commands/ListLabelGroupsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListLabelGroupsCommand.ts @@ -102,4 +102,16 @@ export class ListLabelGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListLabelGroupsCommand) .de(de_ListLabelGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLabelGroupsRequest; + output: ListLabelGroupsResponse; + }; + sdk: { + input: ListLabelGroupsCommandInput; + output: ListLabelGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListLabelsCommand.ts b/clients/client-lookoutequipment/src/commands/ListLabelsCommand.ts index c14f2710f66e..21c5076b1861 100644 --- a/clients/client-lookoutequipment/src/commands/ListLabelsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListLabelsCommand.ts @@ -111,4 +111,16 @@ export class ListLabelsCommand extends $Command .f(void 0, void 0) .ser(se_ListLabelsCommand) .de(de_ListLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLabelsRequest; + output: ListLabelsResponse; + }; + sdk: { + input: ListLabelsCommandInput; + output: ListLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListModelVersionsCommand.ts b/clients/client-lookoutequipment/src/commands/ListModelVersionsCommand.ts index f13cca520001..c5865d927e42 100644 --- a/clients/client-lookoutequipment/src/commands/ListModelVersionsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListModelVersionsCommand.ts @@ -118,4 +118,16 @@ export class ListModelVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelVersionsCommand) .de(de_ListModelVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelVersionsRequest; + output: ListModelVersionsResponse; + }; + sdk: { + input: ListModelVersionsCommandInput; + output: ListModelVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListModelsCommand.ts b/clients/client-lookoutequipment/src/commands/ListModelsCommand.ts index a399916904eb..4eaaf2da7684 100644 --- a/clients/client-lookoutequipment/src/commands/ListModelsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListModelsCommand.ts @@ -122,4 +122,16 @@ export class ListModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelsCommand) .de(de_ListModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelsRequest; + output: ListModelsResponse; + }; + sdk: { + input: ListModelsCommandInput; + output: ListModelsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListRetrainingSchedulersCommand.ts b/clients/client-lookoutequipment/src/commands/ListRetrainingSchedulersCommand.ts index 9a4c780a92df..1bc10432d884 100644 --- a/clients/client-lookoutequipment/src/commands/ListRetrainingSchedulersCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListRetrainingSchedulersCommand.ts @@ -147,4 +147,16 @@ export class ListRetrainingSchedulersCommand extends $Command .f(void 0, void 0) .ser(se_ListRetrainingSchedulersCommand) .de(de_ListRetrainingSchedulersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRetrainingSchedulersRequest; + output: ListRetrainingSchedulersResponse; + }; + sdk: { + input: ListRetrainingSchedulersCommandInput; + output: ListRetrainingSchedulersCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListSensorStatisticsCommand.ts b/clients/client-lookoutequipment/src/commands/ListSensorStatisticsCommand.ts index 436e4f04732b..f91d905f0233 100644 --- a/clients/client-lookoutequipment/src/commands/ListSensorStatisticsCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListSensorStatisticsCommand.ts @@ -142,4 +142,16 @@ export class ListSensorStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_ListSensorStatisticsCommand) .de(de_ListSensorStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSensorStatisticsRequest; + output: ListSensorStatisticsResponse; + }; + sdk: { + input: ListSensorStatisticsCommandInput; + output: ListSensorStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/ListTagsForResourceCommand.ts b/clients/client-lookoutequipment/src/commands/ListTagsForResourceCommand.ts index 2df76b7634c2..cb3753a91294 100644 --- a/clients/client-lookoutequipment/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-lookoutequipment/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/PutResourcePolicyCommand.ts b/clients/client-lookoutequipment/src/commands/PutResourcePolicyCommand.ts index 3f5f802e089a..88de12d0db1b 100644 --- a/clients/client-lookoutequipment/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-lookoutequipment/src/commands/PutResourcePolicyCommand.ts @@ -107,4 +107,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/StartDataIngestionJobCommand.ts b/clients/client-lookoutequipment/src/commands/StartDataIngestionJobCommand.ts index 375fb6e23fbc..01e3d95b50e5 100644 --- a/clients/client-lookoutequipment/src/commands/StartDataIngestionJobCommand.ts +++ b/clients/client-lookoutequipment/src/commands/StartDataIngestionJobCommand.ts @@ -113,4 +113,16 @@ export class StartDataIngestionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartDataIngestionJobCommand) .de(de_StartDataIngestionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataIngestionJobRequest; + output: StartDataIngestionJobResponse; + }; + sdk: { + input: StartDataIngestionJobCommandInput; + output: StartDataIngestionJobCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/StartInferenceSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/StartInferenceSchedulerCommand.ts index 591999e2744f..4e1631d1314b 100644 --- a/clients/client-lookoutequipment/src/commands/StartInferenceSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/StartInferenceSchedulerCommand.ts @@ -104,4 +104,16 @@ export class StartInferenceSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_StartInferenceSchedulerCommand) .de(de_StartInferenceSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInferenceSchedulerRequest; + output: StartInferenceSchedulerResponse; + }; + sdk: { + input: StartInferenceSchedulerCommandInput; + output: StartInferenceSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/StartRetrainingSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/StartRetrainingSchedulerCommand.ts index 8933aa65ee65..e4987aaffd5b 100644 --- a/clients/client-lookoutequipment/src/commands/StartRetrainingSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/StartRetrainingSchedulerCommand.ts @@ -120,4 +120,16 @@ export class StartRetrainingSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_StartRetrainingSchedulerCommand) .de(de_StartRetrainingSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRetrainingSchedulerRequest; + output: StartRetrainingSchedulerResponse; + }; + sdk: { + input: StartRetrainingSchedulerCommandInput; + output: StartRetrainingSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/StopInferenceSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/StopInferenceSchedulerCommand.ts index 2e1c621f3e47..e27129525068 100644 --- a/clients/client-lookoutequipment/src/commands/StopInferenceSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/StopInferenceSchedulerCommand.ts @@ -104,4 +104,16 @@ export class StopInferenceSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_StopInferenceSchedulerCommand) .de(de_StopInferenceSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopInferenceSchedulerRequest; + output: StopInferenceSchedulerResponse; + }; + sdk: { + input: StopInferenceSchedulerCommandInput; + output: StopInferenceSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/StopRetrainingSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/StopRetrainingSchedulerCommand.ts index 28618096ec73..37eef898c2ab 100644 --- a/clients/client-lookoutequipment/src/commands/StopRetrainingSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/StopRetrainingSchedulerCommand.ts @@ -120,4 +120,16 @@ export class StopRetrainingSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_StopRetrainingSchedulerCommand) .de(de_StopRetrainingSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopRetrainingSchedulerRequest; + output: StopRetrainingSchedulerResponse; + }; + sdk: { + input: StopRetrainingSchedulerCommandInput; + output: StopRetrainingSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/TagResourceCommand.ts b/clients/client-lookoutequipment/src/commands/TagResourceCommand.ts index c9508fb87a76..54b246e9de6d 100644 --- a/clients/client-lookoutequipment/src/commands/TagResourceCommand.ts +++ b/clients/client-lookoutequipment/src/commands/TagResourceCommand.ts @@ -107,4 +107,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/UntagResourceCommand.ts b/clients/client-lookoutequipment/src/commands/UntagResourceCommand.ts index 5f24733683d8..e4e4a83d47ae 100644 --- a/clients/client-lookoutequipment/src/commands/UntagResourceCommand.ts +++ b/clients/client-lookoutequipment/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/UpdateActiveModelVersionCommand.ts b/clients/client-lookoutequipment/src/commands/UpdateActiveModelVersionCommand.ts index f04c0bcbfa6f..8291cf211602 100644 --- a/clients/client-lookoutequipment/src/commands/UpdateActiveModelVersionCommand.ts +++ b/clients/client-lookoutequipment/src/commands/UpdateActiveModelVersionCommand.ts @@ -106,4 +106,16 @@ export class UpdateActiveModelVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateActiveModelVersionCommand) .de(de_UpdateActiveModelVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateActiveModelVersionRequest; + output: UpdateActiveModelVersionResponse; + }; + sdk: { + input: UpdateActiveModelVersionCommandInput; + output: UpdateActiveModelVersionCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/UpdateInferenceSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/UpdateInferenceSchedulerCommand.ts index 5fe5f3889236..88ece5725b4a 100644 --- a/clients/client-lookoutequipment/src/commands/UpdateInferenceSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/UpdateInferenceSchedulerCommand.ts @@ -119,4 +119,16 @@ export class UpdateInferenceSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInferenceSchedulerCommand) .de(de_UpdateInferenceSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInferenceSchedulerRequest; + output: {}; + }; + sdk: { + input: UpdateInferenceSchedulerCommandInput; + output: UpdateInferenceSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/UpdateLabelGroupCommand.ts b/clients/client-lookoutequipment/src/commands/UpdateLabelGroupCommand.ts index 2812f0955c03..af8e036f5181 100644 --- a/clients/client-lookoutequipment/src/commands/UpdateLabelGroupCommand.ts +++ b/clients/client-lookoutequipment/src/commands/UpdateLabelGroupCommand.ts @@ -101,4 +101,16 @@ export class UpdateLabelGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLabelGroupCommand) .de(de_UpdateLabelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLabelGroupRequest; + output: {}; + }; + sdk: { + input: UpdateLabelGroupCommandInput; + output: UpdateLabelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/UpdateModelCommand.ts b/clients/client-lookoutequipment/src/commands/UpdateModelCommand.ts index 4c1185e9f730..49bad685cc76 100644 --- a/clients/client-lookoutequipment/src/commands/UpdateModelCommand.ts +++ b/clients/client-lookoutequipment/src/commands/UpdateModelCommand.ts @@ -127,4 +127,16 @@ export class UpdateModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateModelCommand) .de(de_UpdateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelRequest; + output: {}; + }; + sdk: { + input: UpdateModelCommandInput; + output: UpdateModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutequipment/src/commands/UpdateRetrainingSchedulerCommand.ts b/clients/client-lookoutequipment/src/commands/UpdateRetrainingSchedulerCommand.ts index caef9de3f3c5..b87b4f95e823 100644 --- a/clients/client-lookoutequipment/src/commands/UpdateRetrainingSchedulerCommand.ts +++ b/clients/client-lookoutequipment/src/commands/UpdateRetrainingSchedulerCommand.ts @@ -115,4 +115,16 @@ export class UpdateRetrainingSchedulerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRetrainingSchedulerCommand) .de(de_UpdateRetrainingSchedulerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRetrainingSchedulerRequest; + output: {}; + }; + sdk: { + input: UpdateRetrainingSchedulerCommandInput; + output: UpdateRetrainingSchedulerCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/package.json b/clients/client-lookoutmetrics/package.json index 2e679600e33c..48d0e51e19e4 100644 --- a/clients/client-lookoutmetrics/package.json +++ b/clients/client-lookoutmetrics/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-lookoutmetrics/src/commands/ActivateAnomalyDetectorCommand.ts b/clients/client-lookoutmetrics/src/commands/ActivateAnomalyDetectorCommand.ts index 9336d55e72ed..81745ec2c3b2 100644 --- a/clients/client-lookoutmetrics/src/commands/ActivateAnomalyDetectorCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ActivateAnomalyDetectorCommand.ts @@ -94,4 +94,16 @@ export class ActivateAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_ActivateAnomalyDetectorCommand) .de(de_ActivateAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateAnomalyDetectorRequest; + output: {}; + }; + sdk: { + input: ActivateAnomalyDetectorCommandInput; + output: ActivateAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/BackTestAnomalyDetectorCommand.ts b/clients/client-lookoutmetrics/src/commands/BackTestAnomalyDetectorCommand.ts index cc9b1f6e4c47..9cfe47700e9d 100644 --- a/clients/client-lookoutmetrics/src/commands/BackTestAnomalyDetectorCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/BackTestAnomalyDetectorCommand.ts @@ -91,4 +91,16 @@ export class BackTestAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_BackTestAnomalyDetectorCommand) .de(de_BackTestAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BackTestAnomalyDetectorRequest; + output: {}; + }; + sdk: { + input: BackTestAnomalyDetectorCommandInput; + output: BackTestAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/CreateAlertCommand.ts b/clients/client-lookoutmetrics/src/commands/CreateAlertCommand.ts index f5cec2901676..3a83d7c1d359 100644 --- a/clients/client-lookoutmetrics/src/commands/CreateAlertCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/CreateAlertCommand.ts @@ -129,4 +129,16 @@ export class CreateAlertCommand extends $Command .f(void 0, void 0) .ser(se_CreateAlertCommand) .de(de_CreateAlertCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAlertRequest; + output: CreateAlertResponse; + }; + sdk: { + input: CreateAlertCommandInput; + output: CreateAlertCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/CreateAnomalyDetectorCommand.ts b/clients/client-lookoutmetrics/src/commands/CreateAnomalyDetectorCommand.ts index 7f89b6fb26af..887938759048 100644 --- a/clients/client-lookoutmetrics/src/commands/CreateAnomalyDetectorCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/CreateAnomalyDetectorCommand.ts @@ -104,4 +104,16 @@ export class CreateAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateAnomalyDetectorCommand) .de(de_CreateAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnomalyDetectorRequest; + output: CreateAnomalyDetectorResponse; + }; + sdk: { + input: CreateAnomalyDetectorCommandInput; + output: CreateAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/CreateMetricSetCommand.ts b/clients/client-lookoutmetrics/src/commands/CreateMetricSetCommand.ts index ae9cd2ec3a47..64eef5530792 100644 --- a/clients/client-lookoutmetrics/src/commands/CreateMetricSetCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/CreateMetricSetCommand.ts @@ -214,4 +214,16 @@ export class CreateMetricSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateMetricSetCommand) .de(de_CreateMetricSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMetricSetRequest; + output: CreateMetricSetResponse; + }; + sdk: { + input: CreateMetricSetCommandInput; + output: CreateMetricSetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DeactivateAnomalyDetectorCommand.ts b/clients/client-lookoutmetrics/src/commands/DeactivateAnomalyDetectorCommand.ts index 9e7f838fa87e..4d80ebc9e799 100644 --- a/clients/client-lookoutmetrics/src/commands/DeactivateAnomalyDetectorCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DeactivateAnomalyDetectorCommand.ts @@ -94,4 +94,16 @@ export class DeactivateAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateAnomalyDetectorCommand) .de(de_DeactivateAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateAnomalyDetectorRequest; + output: {}; + }; + sdk: { + input: DeactivateAnomalyDetectorCommandInput; + output: DeactivateAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DeleteAlertCommand.ts b/clients/client-lookoutmetrics/src/commands/DeleteAlertCommand.ts index 9cedf0e1e8d4..9c74bcde2252 100644 --- a/clients/client-lookoutmetrics/src/commands/DeleteAlertCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DeleteAlertCommand.ts @@ -91,4 +91,16 @@ export class DeleteAlertCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAlertCommand) .de(de_DeleteAlertCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAlertRequest; + output: {}; + }; + sdk: { + input: DeleteAlertCommandInput; + output: DeleteAlertCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DeleteAnomalyDetectorCommand.ts b/clients/client-lookoutmetrics/src/commands/DeleteAnomalyDetectorCommand.ts index 7b2fa7ac44bc..baf7faab406b 100644 --- a/clients/client-lookoutmetrics/src/commands/DeleteAnomalyDetectorCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DeleteAnomalyDetectorCommand.ts @@ -95,4 +95,16 @@ export class DeleteAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnomalyDetectorCommand) .de(de_DeleteAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnomalyDetectorRequest; + output: {}; + }; + sdk: { + input: DeleteAnomalyDetectorCommandInput; + output: DeleteAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DescribeAlertCommand.ts b/clients/client-lookoutmetrics/src/commands/DescribeAlertCommand.ts index 71046cc73390..96a1fbc7d658 100644 --- a/clients/client-lookoutmetrics/src/commands/DescribeAlertCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DescribeAlertCommand.ts @@ -129,4 +129,16 @@ export class DescribeAlertCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlertCommand) .de(de_DescribeAlertCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlertRequest; + output: DescribeAlertResponse; + }; + sdk: { + input: DescribeAlertCommandInput; + output: DescribeAlertCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectionExecutionsCommand.ts b/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectionExecutionsCommand.ts index 24074da67fb6..0a79c7fe1f93 100644 --- a/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectionExecutionsCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectionExecutionsCommand.ts @@ -111,4 +111,16 @@ export class DescribeAnomalyDetectionExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAnomalyDetectionExecutionsCommand) .de(de_DescribeAnomalyDetectionExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnomalyDetectionExecutionsRequest; + output: DescribeAnomalyDetectionExecutionsResponse; + }; + sdk: { + input: DescribeAnomalyDetectionExecutionsCommandInput; + output: DescribeAnomalyDetectionExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectorCommand.ts b/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectorCommand.ts index 8d14b65428b1..4b8e795aee95 100644 --- a/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectorCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DescribeAnomalyDetectorCommand.ts @@ -106,4 +106,16 @@ export class DescribeAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAnomalyDetectorCommand) .de(de_DescribeAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnomalyDetectorRequest; + output: DescribeAnomalyDetectorResponse; + }; + sdk: { + input: DescribeAnomalyDetectorCommandInput; + output: DescribeAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DescribeMetricSetCommand.ts b/clients/client-lookoutmetrics/src/commands/DescribeMetricSetCommand.ts index 2f95f55fdc54..68b7faa11a13 100644 --- a/clients/client-lookoutmetrics/src/commands/DescribeMetricSetCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DescribeMetricSetCommand.ts @@ -210,4 +210,16 @@ export class DescribeMetricSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetricSetCommand) .de(de_DescribeMetricSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetricSetRequest; + output: DescribeMetricSetResponse; + }; + sdk: { + input: DescribeMetricSetCommandInput; + output: DescribeMetricSetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/DetectMetricSetConfigCommand.ts b/clients/client-lookoutmetrics/src/commands/DetectMetricSetConfigCommand.ts index 984d7a12d5a8..b5bdf453e247 100644 --- a/clients/client-lookoutmetrics/src/commands/DetectMetricSetConfigCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/DetectMetricSetConfigCommand.ts @@ -209,4 +209,16 @@ export class DetectMetricSetConfigCommand extends $Command .f(void 0, void 0) .ser(se_DetectMetricSetConfigCommand) .de(de_DetectMetricSetConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectMetricSetConfigRequest; + output: DetectMetricSetConfigResponse; + }; + sdk: { + input: DetectMetricSetConfigCommandInput; + output: DetectMetricSetConfigCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/GetAnomalyGroupCommand.ts b/clients/client-lookoutmetrics/src/commands/GetAnomalyGroupCommand.ts index 66d61a26a0a5..da26b88eb460 100644 --- a/clients/client-lookoutmetrics/src/commands/GetAnomalyGroupCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/GetAnomalyGroupCommand.ts @@ -119,4 +119,16 @@ export class GetAnomalyGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetAnomalyGroupCommand) .de(de_GetAnomalyGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnomalyGroupRequest; + output: GetAnomalyGroupResponse; + }; + sdk: { + input: GetAnomalyGroupCommandInput; + output: GetAnomalyGroupCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/GetDataQualityMetricsCommand.ts b/clients/client-lookoutmetrics/src/commands/GetDataQualityMetricsCommand.ts index 84848dcd5064..4001e2056b0f 100644 --- a/clients/client-lookoutmetrics/src/commands/GetDataQualityMetricsCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/GetDataQualityMetricsCommand.ts @@ -111,4 +111,16 @@ export class GetDataQualityMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetDataQualityMetricsCommand) .de(de_GetDataQualityMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataQualityMetricsRequest; + output: GetDataQualityMetricsResponse; + }; + sdk: { + input: GetDataQualityMetricsCommandInput; + output: GetDataQualityMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/GetFeedbackCommand.ts b/clients/client-lookoutmetrics/src/commands/GetFeedbackCommand.ts index a9f8b6e1b7dd..220df58e00d0 100644 --- a/clients/client-lookoutmetrics/src/commands/GetFeedbackCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/GetFeedbackCommand.ts @@ -105,4 +105,16 @@ export class GetFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_GetFeedbackCommand) .de(de_GetFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFeedbackRequest; + output: GetFeedbackResponse; + }; + sdk: { + input: GetFeedbackCommandInput; + output: GetFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/GetSampleDataCommand.ts b/clients/client-lookoutmetrics/src/commands/GetSampleDataCommand.ts index 4fc888bc3e66..4b5e366454ae 100644 --- a/clients/client-lookoutmetrics/src/commands/GetSampleDataCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/GetSampleDataCommand.ts @@ -124,4 +124,16 @@ export class GetSampleDataCommand extends $Command .f(void 0, void 0) .ser(se_GetSampleDataCommand) .de(de_GetSampleDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSampleDataRequest; + output: GetSampleDataResponse; + }; + sdk: { + input: GetSampleDataCommandInput; + output: GetSampleDataCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/ListAlertsCommand.ts b/clients/client-lookoutmetrics/src/commands/ListAlertsCommand.ts index 28eb415c5d59..79cadb906657 100644 --- a/clients/client-lookoutmetrics/src/commands/ListAlertsCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ListAlertsCommand.ts @@ -112,4 +112,16 @@ export class ListAlertsCommand extends $Command .f(void 0, void 0) .ser(se_ListAlertsCommand) .de(de_ListAlertsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAlertsRequest; + output: ListAlertsResponse; + }; + sdk: { + input: ListAlertsCommandInput; + output: ListAlertsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/ListAnomalyDetectorsCommand.ts b/clients/client-lookoutmetrics/src/commands/ListAnomalyDetectorsCommand.ts index 0f568e76bbdf..38b6dfaf0f56 100644 --- a/clients/client-lookoutmetrics/src/commands/ListAnomalyDetectorsCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ListAnomalyDetectorsCommand.ts @@ -109,4 +109,16 @@ export class ListAnomalyDetectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListAnomalyDetectorsCommand) .de(de_ListAnomalyDetectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnomalyDetectorsRequest; + output: ListAnomalyDetectorsResponse; + }; + sdk: { + input: ListAnomalyDetectorsCommandInput; + output: ListAnomalyDetectorsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupRelatedMetricsCommand.ts b/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupRelatedMetricsCommand.ts index f42a490caade..bedd1a13fc55 100644 --- a/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupRelatedMetricsCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupRelatedMetricsCommand.ts @@ -111,4 +111,16 @@ export class ListAnomalyGroupRelatedMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListAnomalyGroupRelatedMetricsCommand) .de(de_ListAnomalyGroupRelatedMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnomalyGroupRelatedMetricsRequest; + output: ListAnomalyGroupRelatedMetricsResponse; + }; + sdk: { + input: ListAnomalyGroupRelatedMetricsCommandInput; + output: ListAnomalyGroupRelatedMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupSummariesCommand.ts b/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupSummariesCommand.ts index dc1daeab5336..c7437d4e8c3d 100644 --- a/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupSummariesCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupSummariesCommand.ts @@ -115,4 +115,16 @@ export class ListAnomalyGroupSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListAnomalyGroupSummariesCommand) .de(de_ListAnomalyGroupSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnomalyGroupSummariesRequest; + output: ListAnomalyGroupSummariesResponse; + }; + sdk: { + input: ListAnomalyGroupSummariesCommandInput; + output: ListAnomalyGroupSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupTimeSeriesCommand.ts b/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupTimeSeriesCommand.ts index 5dc4cc5d1016..ddfba95e8201 100644 --- a/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupTimeSeriesCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ListAnomalyGroupTimeSeriesCommand.ts @@ -116,4 +116,16 @@ export class ListAnomalyGroupTimeSeriesCommand extends $Command .f(void 0, void 0) .ser(se_ListAnomalyGroupTimeSeriesCommand) .de(de_ListAnomalyGroupTimeSeriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnomalyGroupTimeSeriesRequest; + output: ListAnomalyGroupTimeSeriesResponse; + }; + sdk: { + input: ListAnomalyGroupTimeSeriesCommandInput; + output: ListAnomalyGroupTimeSeriesCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/ListMetricSetsCommand.ts b/clients/client-lookoutmetrics/src/commands/ListMetricSetsCommand.ts index 1d92bd795009..fa06be35beff 100644 --- a/clients/client-lookoutmetrics/src/commands/ListMetricSetsCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ListMetricSetsCommand.ts @@ -110,4 +110,16 @@ export class ListMetricSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListMetricSetsCommand) .de(de_ListMetricSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetricSetsRequest; + output: ListMetricSetsResponse; + }; + sdk: { + input: ListMetricSetsCommandInput; + output: ListMetricSetsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/ListTagsForResourceCommand.ts b/clients/client-lookoutmetrics/src/commands/ListTagsForResourceCommand.ts index 86ccda9599e6..1d0f2b8bcd11 100644 --- a/clients/client-lookoutmetrics/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/PutFeedbackCommand.ts b/clients/client-lookoutmetrics/src/commands/PutFeedbackCommand.ts index 2b12a4c2ea29..8ed4c0fcf402 100644 --- a/clients/client-lookoutmetrics/src/commands/PutFeedbackCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/PutFeedbackCommand.ts @@ -96,4 +96,16 @@ export class PutFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_PutFeedbackCommand) .de(de_PutFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFeedbackRequest; + output: {}; + }; + sdk: { + input: PutFeedbackCommandInput; + output: PutFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/TagResourceCommand.ts b/clients/client-lookoutmetrics/src/commands/TagResourceCommand.ts index 7136a378124a..460fac6da0b7 100644 --- a/clients/client-lookoutmetrics/src/commands/TagResourceCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/UntagResourceCommand.ts b/clients/client-lookoutmetrics/src/commands/UntagResourceCommand.ts index 4c83723fb7f3..5f08d2f4f08e 100644 --- a/clients/client-lookoutmetrics/src/commands/UntagResourceCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/UpdateAlertCommand.ts b/clients/client-lookoutmetrics/src/commands/UpdateAlertCommand.ts index 3a2d1149fbeb..7c3bea86280e 100644 --- a/clients/client-lookoutmetrics/src/commands/UpdateAlertCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/UpdateAlertCommand.ts @@ -119,4 +119,16 @@ export class UpdateAlertCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAlertCommand) .de(de_UpdateAlertCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAlertRequest; + output: UpdateAlertResponse; + }; + sdk: { + input: UpdateAlertCommandInput; + output: UpdateAlertCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/UpdateAnomalyDetectorCommand.ts b/clients/client-lookoutmetrics/src/commands/UpdateAnomalyDetectorCommand.ts index aa0ad3253728..da11d681bcf4 100644 --- a/clients/client-lookoutmetrics/src/commands/UpdateAnomalyDetectorCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/UpdateAnomalyDetectorCommand.ts @@ -98,4 +98,16 @@ export class UpdateAnomalyDetectorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnomalyDetectorCommand) .de(de_UpdateAnomalyDetectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnomalyDetectorRequest; + output: UpdateAnomalyDetectorResponse; + }; + sdk: { + input: UpdateAnomalyDetectorCommandInput; + output: UpdateAnomalyDetectorCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutmetrics/src/commands/UpdateMetricSetCommand.ts b/clients/client-lookoutmetrics/src/commands/UpdateMetricSetCommand.ts index cb29256735cd..b2a53de2b366 100644 --- a/clients/client-lookoutmetrics/src/commands/UpdateMetricSetCommand.ts +++ b/clients/client-lookoutmetrics/src/commands/UpdateMetricSetCommand.ts @@ -206,4 +206,16 @@ export class UpdateMetricSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMetricSetCommand) .de(de_UpdateMetricSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMetricSetRequest; + output: UpdateMetricSetResponse; + }; + sdk: { + input: UpdateMetricSetCommandInput; + output: UpdateMetricSetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/package.json b/clients/client-lookoutvision/package.json index 488198476094..f9582f4cb75f 100644 --- a/clients/client-lookoutvision/package.json +++ b/clients/client-lookoutvision/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-lookoutvision/src/commands/CreateDatasetCommand.ts b/clients/client-lookoutvision/src/commands/CreateDatasetCommand.ts index bc7f5523110a..57014e7e8f6f 100644 --- a/clients/client-lookoutvision/src/commands/CreateDatasetCommand.ts +++ b/clients/client-lookoutvision/src/commands/CreateDatasetCommand.ts @@ -125,4 +125,16 @@ export class CreateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/CreateModelCommand.ts b/clients/client-lookoutvision/src/commands/CreateModelCommand.ts index 57bbf5c5cdad..5179044b2483 100644 --- a/clients/client-lookoutvision/src/commands/CreateModelCommand.ts +++ b/clients/client-lookoutvision/src/commands/CreateModelCommand.ts @@ -140,4 +140,16 @@ export class CreateModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCommand) .de(de_CreateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelRequest; + output: CreateModelResponse; + }; + sdk: { + input: CreateModelCommandInput; + output: CreateModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/CreateProjectCommand.ts b/clients/client-lookoutvision/src/commands/CreateProjectCommand.ts index 1ca6ae4657d0..726f58f5ab32 100644 --- a/clients/client-lookoutvision/src/commands/CreateProjectCommand.ts +++ b/clients/client-lookoutvision/src/commands/CreateProjectCommand.ts @@ -108,4 +108,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: CreateProjectResponse; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DeleteDatasetCommand.ts b/clients/client-lookoutvision/src/commands/DeleteDatasetCommand.ts index 6b9479faaa93..478aed8f8a0f 100644 --- a/clients/client-lookoutvision/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-lookoutvision/src/commands/DeleteDatasetCommand.ts @@ -110,4 +110,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DeleteModelCommand.ts b/clients/client-lookoutvision/src/commands/DeleteModelCommand.ts index 18126a8d51fd..4bb2c31e8a3d 100644 --- a/clients/client-lookoutvision/src/commands/DeleteModelCommand.ts +++ b/clients/client-lookoutvision/src/commands/DeleteModelCommand.ts @@ -105,4 +105,16 @@ export class DeleteModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelCommand) .de(de_DeleteModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelRequest; + output: DeleteModelResponse; + }; + sdk: { + input: DeleteModelCommandInput; + output: DeleteModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DeleteProjectCommand.ts b/clients/client-lookoutvision/src/commands/DeleteProjectCommand.ts index ad4f1cf1bc9a..b0913fa48bfe 100644 --- a/clients/client-lookoutvision/src/commands/DeleteProjectCommand.ts +++ b/clients/client-lookoutvision/src/commands/DeleteProjectCommand.ts @@ -104,4 +104,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: DeleteProjectResponse; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DescribeDatasetCommand.ts b/clients/client-lookoutvision/src/commands/DescribeDatasetCommand.ts index 3721cccf2390..242c878fb32b 100644 --- a/clients/client-lookoutvision/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-lookoutvision/src/commands/DescribeDatasetCommand.ts @@ -112,4 +112,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DescribeModelCommand.ts b/clients/client-lookoutvision/src/commands/DescribeModelCommand.ts index d36a91e49e29..9a033b943229 100644 --- a/clients/client-lookoutvision/src/commands/DescribeModelCommand.ts +++ b/clients/client-lookoutvision/src/commands/DescribeModelCommand.ts @@ -129,4 +129,16 @@ export class DescribeModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelCommand) .de(de_DescribeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelRequest; + output: DescribeModelResponse; + }; + sdk: { + input: DescribeModelCommandInput; + output: DescribeModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DescribeModelPackagingJobCommand.ts b/clients/client-lookoutvision/src/commands/DescribeModelPackagingJobCommand.ts index cb7f29fe4dda..94c9d68148e6 100644 --- a/clients/client-lookoutvision/src/commands/DescribeModelPackagingJobCommand.ts +++ b/clients/client-lookoutvision/src/commands/DescribeModelPackagingJobCommand.ts @@ -140,4 +140,16 @@ export class DescribeModelPackagingJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelPackagingJobCommand) .de(de_DescribeModelPackagingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelPackagingJobRequest; + output: DescribeModelPackagingJobResponse; + }; + sdk: { + input: DescribeModelPackagingJobCommandInput; + output: DescribeModelPackagingJobCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DescribeProjectCommand.ts b/clients/client-lookoutvision/src/commands/DescribeProjectCommand.ts index 26e710e2091f..1416354017da 100644 --- a/clients/client-lookoutvision/src/commands/DescribeProjectCommand.ts +++ b/clients/client-lookoutvision/src/commands/DescribeProjectCommand.ts @@ -110,4 +110,16 @@ export class DescribeProjectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProjectCommand) .de(de_DescribeProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProjectRequest; + output: DescribeProjectResponse; + }; + sdk: { + input: DescribeProjectCommandInput; + output: DescribeProjectCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/DetectAnomaliesCommand.ts b/clients/client-lookoutvision/src/commands/DetectAnomaliesCommand.ts index 4326b5230d99..d6ee3d0b73cf 100644 --- a/clients/client-lookoutvision/src/commands/DetectAnomaliesCommand.ts +++ b/clients/client-lookoutvision/src/commands/DetectAnomaliesCommand.ts @@ -134,4 +134,16 @@ export class DetectAnomaliesCommand extends $Command .f(DetectAnomaliesRequestFilterSensitiveLog, void 0) .ser(se_DetectAnomaliesCommand) .de(de_DetectAnomaliesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectAnomaliesRequest; + output: DetectAnomaliesResponse; + }; + sdk: { + input: DetectAnomaliesCommandInput; + output: DetectAnomaliesCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/ListDatasetEntriesCommand.ts b/clients/client-lookoutvision/src/commands/ListDatasetEntriesCommand.ts index f29f0785ea8c..26b8ae410455 100644 --- a/clients/client-lookoutvision/src/commands/ListDatasetEntriesCommand.ts +++ b/clients/client-lookoutvision/src/commands/ListDatasetEntriesCommand.ts @@ -110,4 +110,16 @@ export class ListDatasetEntriesCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetEntriesCommand) .de(de_ListDatasetEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetEntriesRequest; + output: ListDatasetEntriesResponse; + }; + sdk: { + input: ListDatasetEntriesCommandInput; + output: ListDatasetEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/ListModelPackagingJobsCommand.ts b/clients/client-lookoutvision/src/commands/ListModelPackagingJobsCommand.ts index 906dc544cfdb..d54dd88e1d65 100644 --- a/clients/client-lookoutvision/src/commands/ListModelPackagingJobsCommand.ts +++ b/clients/client-lookoutvision/src/commands/ListModelPackagingJobsCommand.ts @@ -115,4 +115,16 @@ export class ListModelPackagingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelPackagingJobsCommand) .de(de_ListModelPackagingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelPackagingJobsRequest; + output: ListModelPackagingJobsResponse; + }; + sdk: { + input: ListModelPackagingJobsCommandInput; + output: ListModelPackagingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/ListModelsCommand.ts b/clients/client-lookoutvision/src/commands/ListModelsCommand.ts index 5f4987e20261..a6986943cfc8 100644 --- a/clients/client-lookoutvision/src/commands/ListModelsCommand.ts +++ b/clients/client-lookoutvision/src/commands/ListModelsCommand.ts @@ -118,4 +118,16 @@ export class ListModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelsCommand) .de(de_ListModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelsRequest; + output: ListModelsResponse; + }; + sdk: { + input: ListModelsCommandInput; + output: ListModelsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/ListProjectsCommand.ts b/clients/client-lookoutvision/src/commands/ListProjectsCommand.ts index 05a1ef5f6acd..8481ebdbc775 100644 --- a/clients/client-lookoutvision/src/commands/ListProjectsCommand.ts +++ b/clients/client-lookoutvision/src/commands/ListProjectsCommand.ts @@ -110,4 +110,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsRequest; + output: ListProjectsResponse; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/ListTagsForResourceCommand.ts b/clients/client-lookoutvision/src/commands/ListTagsForResourceCommand.ts index 83f1f4539af2..e7d61e43d103 100644 --- a/clients/client-lookoutvision/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-lookoutvision/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/StartModelCommand.ts b/clients/client-lookoutvision/src/commands/StartModelCommand.ts index c87ce3406552..c86eba0908c9 100644 --- a/clients/client-lookoutvision/src/commands/StartModelCommand.ts +++ b/clients/client-lookoutvision/src/commands/StartModelCommand.ts @@ -114,4 +114,16 @@ export class StartModelCommand extends $Command .f(void 0, void 0) .ser(se_StartModelCommand) .de(de_StartModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartModelRequest; + output: StartModelResponse; + }; + sdk: { + input: StartModelCommandInput; + output: StartModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/StartModelPackagingJobCommand.ts b/clients/client-lookoutvision/src/commands/StartModelPackagingJobCommand.ts index 5a061751589b..395b55ee8bce 100644 --- a/clients/client-lookoutvision/src/commands/StartModelPackagingJobCommand.ts +++ b/clients/client-lookoutvision/src/commands/StartModelPackagingJobCommand.ts @@ -174,4 +174,16 @@ export class StartModelPackagingJobCommand extends $Command .f(void 0, void 0) .ser(se_StartModelPackagingJobCommand) .de(de_StartModelPackagingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartModelPackagingJobRequest; + output: StartModelPackagingJobResponse; + }; + sdk: { + input: StartModelPackagingJobCommandInput; + output: StartModelPackagingJobCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/StopModelCommand.ts b/clients/client-lookoutvision/src/commands/StopModelCommand.ts index 4e2146656a27..f79a9a5e47d8 100644 --- a/clients/client-lookoutvision/src/commands/StopModelCommand.ts +++ b/clients/client-lookoutvision/src/commands/StopModelCommand.ts @@ -102,4 +102,16 @@ export class StopModelCommand extends $Command .f(void 0, void 0) .ser(se_StopModelCommand) .de(de_StopModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopModelRequest; + output: StopModelResponse; + }; + sdk: { + input: StopModelCommandInput; + output: StopModelCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/TagResourceCommand.ts b/clients/client-lookoutvision/src/commands/TagResourceCommand.ts index b42ddc4ae6cd..a0530447890f 100644 --- a/clients/client-lookoutvision/src/commands/TagResourceCommand.ts +++ b/clients/client-lookoutvision/src/commands/TagResourceCommand.ts @@ -107,4 +107,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/UntagResourceCommand.ts b/clients/client-lookoutvision/src/commands/UntagResourceCommand.ts index 124b028f6bef..a79f3b09b874 100644 --- a/clients/client-lookoutvision/src/commands/UntagResourceCommand.ts +++ b/clients/client-lookoutvision/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-lookoutvision/src/commands/UpdateDatasetEntriesCommand.ts b/clients/client-lookoutvision/src/commands/UpdateDatasetEntriesCommand.ts index f023a7c3d514..774e6e3b2e0d 100644 --- a/clients/client-lookoutvision/src/commands/UpdateDatasetEntriesCommand.ts +++ b/clients/client-lookoutvision/src/commands/UpdateDatasetEntriesCommand.ts @@ -113,4 +113,16 @@ export class UpdateDatasetEntriesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasetEntriesCommand) .de(de_UpdateDatasetEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasetEntriesRequest; + output: UpdateDatasetEntriesResponse; + }; + sdk: { + input: UpdateDatasetEntriesCommandInput; + output: UpdateDatasetEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-m2/package.json b/clients/client-m2/package.json index 7462c28d7152..0026be58b71a 100644 --- a/clients/client-m2/package.json +++ b/clients/client-m2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-m2/src/commands/CancelBatchJobExecutionCommand.ts b/clients/client-m2/src/commands/CancelBatchJobExecutionCommand.ts index 8c989cac78aa..e3f8fff231e6 100644 --- a/clients/client-m2/src/commands/CancelBatchJobExecutionCommand.ts +++ b/clients/client-m2/src/commands/CancelBatchJobExecutionCommand.ts @@ -94,4 +94,16 @@ export class CancelBatchJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_CancelBatchJobExecutionCommand) .de(de_CancelBatchJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelBatchJobExecutionRequest; + output: {}; + }; + sdk: { + input: CancelBatchJobExecutionCommandInput; + output: CancelBatchJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/CreateApplicationCommand.ts b/clients/client-m2/src/commands/CreateApplicationCommand.ts index 62bc27ce0771..856056373c1c 100644 --- a/clients/client-m2/src/commands/CreateApplicationCommand.ts +++ b/clients/client-m2/src/commands/CreateApplicationCommand.ts @@ -110,4 +110,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/CreateDataSetImportTaskCommand.ts b/clients/client-m2/src/commands/CreateDataSetImportTaskCommand.ts index 7defce3b7e69..6e4e5c450191 100644 --- a/clients/client-m2/src/commands/CreateDataSetImportTaskCommand.ts +++ b/clients/client-m2/src/commands/CreateDataSetImportTaskCommand.ts @@ -153,4 +153,16 @@ export class CreateDataSetImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataSetImportTaskCommand) .de(de_CreateDataSetImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSetImportTaskRequest; + output: CreateDataSetImportTaskResponse; + }; + sdk: { + input: CreateDataSetImportTaskCommandInput; + output: CreateDataSetImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/CreateDeploymentCommand.ts b/clients/client-m2/src/commands/CreateDeploymentCommand.ts index 1dcf5ab76702..eaafb92ee175 100644 --- a/clients/client-m2/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-m2/src/commands/CreateDeploymentCommand.ts @@ -102,4 +102,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentRequest; + output: CreateDeploymentResponse; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/CreateEnvironmentCommand.ts b/clients/client-m2/src/commands/CreateEnvironmentCommand.ts index 012bc4d50366..9874470d9a8b 100644 --- a/clients/client-m2/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-m2/src/commands/CreateEnvironmentCommand.ts @@ -127,4 +127,16 @@ export class CreateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentRequest; + output: CreateEnvironmentResponse; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/DeleteApplicationCommand.ts b/clients/client-m2/src/commands/DeleteApplicationCommand.ts index 1fd648cc2fb4..df460e255d71 100644 --- a/clients/client-m2/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-m2/src/commands/DeleteApplicationCommand.ts @@ -90,4 +90,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/DeleteApplicationFromEnvironmentCommand.ts b/clients/client-m2/src/commands/DeleteApplicationFromEnvironmentCommand.ts index 8fb1a594fbaa..989ba6abed1b 100644 --- a/clients/client-m2/src/commands/DeleteApplicationFromEnvironmentCommand.ts +++ b/clients/client-m2/src/commands/DeleteApplicationFromEnvironmentCommand.ts @@ -102,4 +102,16 @@ export class DeleteApplicationFromEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationFromEnvironmentCommand) .de(de_DeleteApplicationFromEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationFromEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationFromEnvironmentCommandInput; + output: DeleteApplicationFromEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/DeleteEnvironmentCommand.ts b/clients/client-m2/src/commands/DeleteEnvironmentCommand.ts index 1c84f4a7c430..b5593d32dd50 100644 --- a/clients/client-m2/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-m2/src/commands/DeleteEnvironmentCommand.ts @@ -92,4 +92,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetApplicationCommand.ts b/clients/client-m2/src/commands/GetApplicationCommand.ts index 4578bc12d9fe..5f629e81a520 100644 --- a/clients/client-m2/src/commands/GetApplicationCommand.ts +++ b/clients/client-m2/src/commands/GetApplicationCommand.ts @@ -133,4 +133,16 @@ export class GetApplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: GetApplicationResponse; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetApplicationVersionCommand.ts b/clients/client-m2/src/commands/GetApplicationVersionCommand.ts index 2e9758d28fe6..b4a5a8af2f52 100644 --- a/clients/client-m2/src/commands/GetApplicationVersionCommand.ts +++ b/clients/client-m2/src/commands/GetApplicationVersionCommand.ts @@ -99,4 +99,16 @@ export class GetApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationVersionCommand) .de(de_GetApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationVersionRequest; + output: GetApplicationVersionResponse; + }; + sdk: { + input: GetApplicationVersionCommandInput; + output: GetApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetBatchJobExecutionCommand.ts b/clients/client-m2/src/commands/GetBatchJobExecutionCommand.ts index 83218dd72e35..76ce00deaca9 100644 --- a/clients/client-m2/src/commands/GetBatchJobExecutionCommand.ts +++ b/clients/client-m2/src/commands/GetBatchJobExecutionCommand.ts @@ -135,4 +135,16 @@ export class GetBatchJobExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetBatchJobExecutionCommand) .de(de_GetBatchJobExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBatchJobExecutionRequest; + output: GetBatchJobExecutionResponse; + }; + sdk: { + input: GetBatchJobExecutionCommandInput; + output: GetBatchJobExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetDataSetDetailsCommand.ts b/clients/client-m2/src/commands/GetDataSetDetailsCommand.ts index 8fbb3307d163..a026221aa5f0 100644 --- a/clients/client-m2/src/commands/GetDataSetDetailsCommand.ts +++ b/clients/client-m2/src/commands/GetDataSetDetailsCommand.ts @@ -142,4 +142,16 @@ export class GetDataSetDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSetDetailsCommand) .de(de_GetDataSetDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSetDetailsRequest; + output: GetDataSetDetailsResponse; + }; + sdk: { + input: GetDataSetDetailsCommandInput; + output: GetDataSetDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetDataSetImportTaskCommand.ts b/clients/client-m2/src/commands/GetDataSetImportTaskCommand.ts index 0f502cdb7bf6..947f7d63c400 100644 --- a/clients/client-m2/src/commands/GetDataSetImportTaskCommand.ts +++ b/clients/client-m2/src/commands/GetDataSetImportTaskCommand.ts @@ -101,4 +101,16 @@ export class GetDataSetImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSetImportTaskCommand) .de(de_GetDataSetImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSetImportTaskRequest; + output: GetDataSetImportTaskResponse; + }; + sdk: { + input: GetDataSetImportTaskCommandInput; + output: GetDataSetImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetDeploymentCommand.ts b/clients/client-m2/src/commands/GetDeploymentCommand.ts index 19e15019d859..e54758b6fad8 100644 --- a/clients/client-m2/src/commands/GetDeploymentCommand.ts +++ b/clients/client-m2/src/commands/GetDeploymentCommand.ts @@ -99,4 +99,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentRequest; + output: GetDeploymentResponse; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetEnvironmentCommand.ts b/clients/client-m2/src/commands/GetEnvironmentCommand.ts index 3af31d138bb3..85d0081ac865 100644 --- a/clients/client-m2/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-m2/src/commands/GetEnvironmentCommand.ts @@ -138,4 +138,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentRequest; + output: GetEnvironmentResponse; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/GetSignedBluinsightsUrlCommand.ts b/clients/client-m2/src/commands/GetSignedBluinsightsUrlCommand.ts index c4bd18cfdd6f..1100c21f0994 100644 --- a/clients/client-m2/src/commands/GetSignedBluinsightsUrlCommand.ts +++ b/clients/client-m2/src/commands/GetSignedBluinsightsUrlCommand.ts @@ -84,4 +84,16 @@ export class GetSignedBluinsightsUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetSignedBluinsightsUrlCommand) .de(de_GetSignedBluinsightsUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSignedBluinsightsUrlResponse; + }; + sdk: { + input: GetSignedBluinsightsUrlCommandInput; + output: GetSignedBluinsightsUrlCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListApplicationVersionsCommand.ts b/clients/client-m2/src/commands/ListApplicationVersionsCommand.ts index a137e49e4c75..8fdde68df3df 100644 --- a/clients/client-m2/src/commands/ListApplicationVersionsCommand.ts +++ b/clients/client-m2/src/commands/ListApplicationVersionsCommand.ts @@ -102,4 +102,16 @@ export class ListApplicationVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationVersionsCommand) .de(de_ListApplicationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationVersionsRequest; + output: ListApplicationVersionsResponse; + }; + sdk: { + input: ListApplicationVersionsCommandInput; + output: ListApplicationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListApplicationsCommand.ts b/clients/client-m2/src/commands/ListApplicationsCommand.ts index 4848fff569ad..38da1b6370a3 100644 --- a/clients/client-m2/src/commands/ListApplicationsCommand.ts +++ b/clients/client-m2/src/commands/ListApplicationsCommand.ts @@ -113,4 +113,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListBatchJobDefinitionsCommand.ts b/clients/client-m2/src/commands/ListBatchJobDefinitionsCommand.ts index 77b322f47222..888f5ad51d8d 100644 --- a/clients/client-m2/src/commands/ListBatchJobDefinitionsCommand.ts +++ b/clients/client-m2/src/commands/ListBatchJobDefinitionsCommand.ts @@ -108,4 +108,16 @@ export class ListBatchJobDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListBatchJobDefinitionsCommand) .de(de_ListBatchJobDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBatchJobDefinitionsRequest; + output: ListBatchJobDefinitionsResponse; + }; + sdk: { + input: ListBatchJobDefinitionsCommandInput; + output: ListBatchJobDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListBatchJobExecutionsCommand.ts b/clients/client-m2/src/commands/ListBatchJobExecutionsCommand.ts index dc662bbcfccd..2672403ad6b5 100644 --- a/clients/client-m2/src/commands/ListBatchJobExecutionsCommand.ts +++ b/clients/client-m2/src/commands/ListBatchJobExecutionsCommand.ts @@ -141,4 +141,16 @@ export class ListBatchJobExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListBatchJobExecutionsCommand) .de(de_ListBatchJobExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBatchJobExecutionsRequest; + output: ListBatchJobExecutionsResponse; + }; + sdk: { + input: ListBatchJobExecutionsCommandInput; + output: ListBatchJobExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListBatchJobRestartPointsCommand.ts b/clients/client-m2/src/commands/ListBatchJobRestartPointsCommand.ts index 289a47893c46..b1aeb8bfc155 100644 --- a/clients/client-m2/src/commands/ListBatchJobRestartPointsCommand.ts +++ b/clients/client-m2/src/commands/ListBatchJobRestartPointsCommand.ts @@ -105,4 +105,16 @@ export class ListBatchJobRestartPointsCommand extends $Command .f(void 0, void 0) .ser(se_ListBatchJobRestartPointsCommand) .de(de_ListBatchJobRestartPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBatchJobRestartPointsRequest; + output: ListBatchJobRestartPointsResponse; + }; + sdk: { + input: ListBatchJobRestartPointsCommandInput; + output: ListBatchJobRestartPointsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListDataSetImportHistoryCommand.ts b/clients/client-m2/src/commands/ListDataSetImportHistoryCommand.ts index bf77cd2a571e..32dfb9bb2b6e 100644 --- a/clients/client-m2/src/commands/ListDataSetImportHistoryCommand.ts +++ b/clients/client-m2/src/commands/ListDataSetImportHistoryCommand.ts @@ -108,4 +108,16 @@ export class ListDataSetImportHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSetImportHistoryCommand) .de(de_ListDataSetImportHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSetImportHistoryRequest; + output: ListDataSetImportHistoryResponse; + }; + sdk: { + input: ListDataSetImportHistoryCommandInput; + output: ListDataSetImportHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListDataSetsCommand.ts b/clients/client-m2/src/commands/ListDataSetsCommand.ts index c34fe306d836..033f53074463 100644 --- a/clients/client-m2/src/commands/ListDataSetsCommand.ts +++ b/clients/client-m2/src/commands/ListDataSetsCommand.ts @@ -117,4 +117,16 @@ export class ListDataSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSetsCommand) .de(de_ListDataSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSetsRequest; + output: ListDataSetsResponse; + }; + sdk: { + input: ListDataSetsCommandInput; + output: ListDataSetsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListDeploymentsCommand.ts b/clients/client-m2/src/commands/ListDeploymentsCommand.ts index e55bccc0ff6b..906d3e59628a 100644 --- a/clients/client-m2/src/commands/ListDeploymentsCommand.ts +++ b/clients/client-m2/src/commands/ListDeploymentsCommand.ts @@ -107,4 +107,16 @@ export class ListDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentsCommand) .de(de_ListDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentsRequest; + output: ListDeploymentsResponse; + }; + sdk: { + input: ListDeploymentsCommandInput; + output: ListDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListEngineVersionsCommand.ts b/clients/client-m2/src/commands/ListEngineVersionsCommand.ts index 0370cc0b6d39..e93c4ee5b61e 100644 --- a/clients/client-m2/src/commands/ListEngineVersionsCommand.ts +++ b/clients/client-m2/src/commands/ListEngineVersionsCommand.ts @@ -97,4 +97,16 @@ export class ListEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEngineVersionsCommand) .de(de_ListEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEngineVersionsRequest; + output: ListEngineVersionsResponse; + }; + sdk: { + input: ListEngineVersionsCommandInput; + output: ListEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListEnvironmentsCommand.ts b/clients/client-m2/src/commands/ListEnvironmentsCommand.ts index 4c6b09ef572a..e3dad69fe70a 100644 --- a/clients/client-m2/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-m2/src/commands/ListEnvironmentsCommand.ts @@ -106,4 +106,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsRequest; + output: ListEnvironmentsResponse; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/ListTagsForResourceCommand.ts b/clients/client-m2/src/commands/ListTagsForResourceCommand.ts index debd315806b9..db84214ff6c0 100644 --- a/clients/client-m2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-m2/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/StartApplicationCommand.ts b/clients/client-m2/src/commands/StartApplicationCommand.ts index 4c9656ff0a90..011338f93894 100644 --- a/clients/client-m2/src/commands/StartApplicationCommand.ts +++ b/clients/client-m2/src/commands/StartApplicationCommand.ts @@ -93,4 +93,16 @@ export class StartApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartApplicationCommand) .de(de_StartApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartApplicationRequest; + output: {}; + }; + sdk: { + input: StartApplicationCommandInput; + output: StartApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/StartBatchJobCommand.ts b/clients/client-m2/src/commands/StartBatchJobCommand.ts index 9f30cc71d9a2..f869d0f8df6a 100644 --- a/clients/client-m2/src/commands/StartBatchJobCommand.ts +++ b/clients/client-m2/src/commands/StartBatchJobCommand.ts @@ -125,4 +125,16 @@ export class StartBatchJobCommand extends $Command .f(void 0, void 0) .ser(se_StartBatchJobCommand) .de(de_StartBatchJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartBatchJobRequest; + output: StartBatchJobResponse; + }; + sdk: { + input: StartBatchJobCommandInput; + output: StartBatchJobCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/StopApplicationCommand.ts b/clients/client-m2/src/commands/StopApplicationCommand.ts index 477e93c617e6..708e3391076e 100644 --- a/clients/client-m2/src/commands/StopApplicationCommand.ts +++ b/clients/client-m2/src/commands/StopApplicationCommand.ts @@ -94,4 +94,16 @@ export class StopApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopApplicationCommand) .de(de_StopApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopApplicationRequest; + output: {}; + }; + sdk: { + input: StopApplicationCommandInput; + output: StopApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/TagResourceCommand.ts b/clients/client-m2/src/commands/TagResourceCommand.ts index 03d81b9914be..1411cef2a7f3 100644 --- a/clients/client-m2/src/commands/TagResourceCommand.ts +++ b/clients/client-m2/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/UntagResourceCommand.ts b/clients/client-m2/src/commands/UntagResourceCommand.ts index 3ba6dc6750fd..183b01e39958 100644 --- a/clients/client-m2/src/commands/UntagResourceCommand.ts +++ b/clients/client-m2/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/UpdateApplicationCommand.ts b/clients/client-m2/src/commands/UpdateApplicationCommand.ts index af8ba3086d93..c1289e9f36ce 100644 --- a/clients/client-m2/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-m2/src/commands/UpdateApplicationCommand.ts @@ -101,4 +101,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: UpdateApplicationResponse; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-m2/src/commands/UpdateEnvironmentCommand.ts b/clients/client-m2/src/commands/UpdateEnvironmentCommand.ts index 72dad3dd907c..51c99e427a11 100644 --- a/clients/client-m2/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-m2/src/commands/UpdateEnvironmentCommand.ts @@ -104,4 +104,16 @@ export class UpdateEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentRequest; + output: UpdateEnvironmentResponse; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/package.json b/clients/client-machine-learning/package.json index 9cc676f39047..c784b440415f 100644 --- a/clients/client-machine-learning/package.json +++ b/clients/client-machine-learning/package.json @@ -34,32 +34,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-machine-learning/src/commands/AddTagsCommand.ts b/clients/client-machine-learning/src/commands/AddTagsCommand.ts index 6b868a6cfc34..fe3a924d0ae2 100644 --- a/clients/client-machine-learning/src/commands/AddTagsCommand.ts +++ b/clients/client-machine-learning/src/commands/AddTagsCommand.ts @@ -100,4 +100,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsInput; + output: AddTagsOutput; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/CreateBatchPredictionCommand.ts b/clients/client-machine-learning/src/commands/CreateBatchPredictionCommand.ts index 9ec78c77261a..373e03b29ef4 100644 --- a/clients/client-machine-learning/src/commands/CreateBatchPredictionCommand.ts +++ b/clients/client-machine-learning/src/commands/CreateBatchPredictionCommand.ts @@ -101,4 +101,16 @@ export class CreateBatchPredictionCommand extends $Command .f(void 0, void 0) .ser(se_CreateBatchPredictionCommand) .de(de_CreateBatchPredictionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBatchPredictionInput; + output: CreateBatchPredictionOutput; + }; + sdk: { + input: CreateBatchPredictionCommandInput; + output: CreateBatchPredictionCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/CreateDataSourceFromRDSCommand.ts b/clients/client-machine-learning/src/commands/CreateDataSourceFromRDSCommand.ts index 73f4f096363a..2efea571039c 100644 --- a/clients/client-machine-learning/src/commands/CreateDataSourceFromRDSCommand.ts +++ b/clients/client-machine-learning/src/commands/CreateDataSourceFromRDSCommand.ts @@ -125,4 +125,16 @@ export class CreateDataSourceFromRDSCommand extends $Command .f(CreateDataSourceFromRDSInputFilterSensitiveLog, void 0) .ser(se_CreateDataSourceFromRDSCommand) .de(de_CreateDataSourceFromRDSCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceFromRDSInput; + output: CreateDataSourceFromRDSOutput; + }; + sdk: { + input: CreateDataSourceFromRDSCommandInput; + output: CreateDataSourceFromRDSCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/CreateDataSourceFromRedshiftCommand.ts b/clients/client-machine-learning/src/commands/CreateDataSourceFromRedshiftCommand.ts index 48f27c4270ff..e447dfd406f7 100644 --- a/clients/client-machine-learning/src/commands/CreateDataSourceFromRedshiftCommand.ts +++ b/clients/client-machine-learning/src/commands/CreateDataSourceFromRedshiftCommand.ts @@ -145,4 +145,16 @@ export class CreateDataSourceFromRedshiftCommand extends $Command .f(CreateDataSourceFromRedshiftInputFilterSensitiveLog, void 0) .ser(se_CreateDataSourceFromRedshiftCommand) .de(de_CreateDataSourceFromRedshiftCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceFromRedshiftInput; + output: CreateDataSourceFromRedshiftOutput; + }; + sdk: { + input: CreateDataSourceFromRedshiftCommandInput; + output: CreateDataSourceFromRedshiftCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/CreateDataSourceFromS3Command.ts b/clients/client-machine-learning/src/commands/CreateDataSourceFromS3Command.ts index 4563d16c7b92..02d51e6135c7 100644 --- a/clients/client-machine-learning/src/commands/CreateDataSourceFromS3Command.ts +++ b/clients/client-machine-learning/src/commands/CreateDataSourceFromS3Command.ts @@ -124,4 +124,16 @@ export class CreateDataSourceFromS3Command extends $Command .f(void 0, void 0) .ser(se_CreateDataSourceFromS3Command) .de(de_CreateDataSourceFromS3Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceFromS3Input; + output: CreateDataSourceFromS3Output; + }; + sdk: { + input: CreateDataSourceFromS3CommandInput; + output: CreateDataSourceFromS3CommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/CreateEvaluationCommand.ts b/clients/client-machine-learning/src/commands/CreateEvaluationCommand.ts index 951457670c16..99eef45e08aa 100644 --- a/clients/client-machine-learning/src/commands/CreateEvaluationCommand.ts +++ b/clients/client-machine-learning/src/commands/CreateEvaluationCommand.ts @@ -100,4 +100,16 @@ export class CreateEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_CreateEvaluationCommand) .de(de_CreateEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEvaluationInput; + output: CreateEvaluationOutput; + }; + sdk: { + input: CreateEvaluationCommandInput; + output: CreateEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/CreateMLModelCommand.ts b/clients/client-machine-learning/src/commands/CreateMLModelCommand.ts index 5e16d4b06ed5..97696240dab6 100644 --- a/clients/client-machine-learning/src/commands/CreateMLModelCommand.ts +++ b/clients/client-machine-learning/src/commands/CreateMLModelCommand.ts @@ -113,4 +113,16 @@ export class CreateMLModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateMLModelCommand) .de(de_CreateMLModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMLModelInput; + output: CreateMLModelOutput; + }; + sdk: { + input: CreateMLModelCommandInput; + output: CreateMLModelCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/CreateRealtimeEndpointCommand.ts b/clients/client-machine-learning/src/commands/CreateRealtimeEndpointCommand.ts index 7bfd1bd31b76..89130eeea93a 100644 --- a/clients/client-machine-learning/src/commands/CreateRealtimeEndpointCommand.ts +++ b/clients/client-machine-learning/src/commands/CreateRealtimeEndpointCommand.ts @@ -92,4 +92,16 @@ export class CreateRealtimeEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateRealtimeEndpointCommand) .de(de_CreateRealtimeEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRealtimeEndpointInput; + output: CreateRealtimeEndpointOutput; + }; + sdk: { + input: CreateRealtimeEndpointCommandInput; + output: CreateRealtimeEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DeleteBatchPredictionCommand.ts b/clients/client-machine-learning/src/commands/DeleteBatchPredictionCommand.ts index 86afa0caa33c..8a0b86a80a59 100644 --- a/clients/client-machine-learning/src/commands/DeleteBatchPredictionCommand.ts +++ b/clients/client-machine-learning/src/commands/DeleteBatchPredictionCommand.ts @@ -91,4 +91,16 @@ export class DeleteBatchPredictionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBatchPredictionCommand) .de(de_DeleteBatchPredictionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBatchPredictionInput; + output: DeleteBatchPredictionOutput; + }; + sdk: { + input: DeleteBatchPredictionCommandInput; + output: DeleteBatchPredictionCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DeleteDataSourceCommand.ts b/clients/client-machine-learning/src/commands/DeleteDataSourceCommand.ts index 5eb9b3aa43e0..77b342778c25 100644 --- a/clients/client-machine-learning/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-machine-learning/src/commands/DeleteDataSourceCommand.ts @@ -89,4 +89,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceInput; + output: DeleteDataSourceOutput; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DeleteEvaluationCommand.ts b/clients/client-machine-learning/src/commands/DeleteEvaluationCommand.ts index 6f2aa145f232..1ba692572d1b 100644 --- a/clients/client-machine-learning/src/commands/DeleteEvaluationCommand.ts +++ b/clients/client-machine-learning/src/commands/DeleteEvaluationCommand.ts @@ -91,4 +91,16 @@ export class DeleteEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEvaluationCommand) .de(de_DeleteEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEvaluationInput; + output: DeleteEvaluationOutput; + }; + sdk: { + input: DeleteEvaluationCommandInput; + output: DeleteEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DeleteMLModelCommand.ts b/clients/client-machine-learning/src/commands/DeleteMLModelCommand.ts index a666038597b7..6ea6e954741d 100644 --- a/clients/client-machine-learning/src/commands/DeleteMLModelCommand.ts +++ b/clients/client-machine-learning/src/commands/DeleteMLModelCommand.ts @@ -91,4 +91,16 @@ export class DeleteMLModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMLModelCommand) .de(de_DeleteMLModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMLModelInput; + output: DeleteMLModelOutput; + }; + sdk: { + input: DeleteMLModelCommandInput; + output: DeleteMLModelCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DeleteRealtimeEndpointCommand.ts b/clients/client-machine-learning/src/commands/DeleteRealtimeEndpointCommand.ts index 7ec60adb8d18..216101105fbf 100644 --- a/clients/client-machine-learning/src/commands/DeleteRealtimeEndpointCommand.ts +++ b/clients/client-machine-learning/src/commands/DeleteRealtimeEndpointCommand.ts @@ -92,4 +92,16 @@ export class DeleteRealtimeEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRealtimeEndpointCommand) .de(de_DeleteRealtimeEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRealtimeEndpointInput; + output: DeleteRealtimeEndpointOutput; + }; + sdk: { + input: DeleteRealtimeEndpointCommandInput; + output: DeleteRealtimeEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DeleteTagsCommand.ts b/clients/client-machine-learning/src/commands/DeleteTagsCommand.ts index 3c7eb5c5bfb5..094e9e012308 100644 --- a/clients/client-machine-learning/src/commands/DeleteTagsCommand.ts +++ b/clients/client-machine-learning/src/commands/DeleteTagsCommand.ts @@ -94,4 +94,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsInput; + output: DeleteTagsOutput; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DescribeBatchPredictionsCommand.ts b/clients/client-machine-learning/src/commands/DescribeBatchPredictionsCommand.ts index 2efd5f7b0018..dd61120bd6f7 100644 --- a/clients/client-machine-learning/src/commands/DescribeBatchPredictionsCommand.ts +++ b/clients/client-machine-learning/src/commands/DescribeBatchPredictionsCommand.ts @@ -113,4 +113,16 @@ export class DescribeBatchPredictionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBatchPredictionsCommand) .de(de_DescribeBatchPredictionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBatchPredictionsInput; + output: DescribeBatchPredictionsOutput; + }; + sdk: { + input: DescribeBatchPredictionsCommandInput; + output: DescribeBatchPredictionsCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DescribeDataSourcesCommand.ts b/clients/client-machine-learning/src/commands/DescribeDataSourcesCommand.ts index eecdab20ecbb..1f3850231fda 100644 --- a/clients/client-machine-learning/src/commands/DescribeDataSourcesCommand.ts +++ b/clients/client-machine-learning/src/commands/DescribeDataSourcesCommand.ts @@ -132,4 +132,16 @@ export class DescribeDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSourcesCommand) .de(de_DescribeDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSourcesInput; + output: DescribeDataSourcesOutput; + }; + sdk: { + input: DescribeDataSourcesCommandInput; + output: DescribeDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DescribeEvaluationsCommand.ts b/clients/client-machine-learning/src/commands/DescribeEvaluationsCommand.ts index f2be068ea0fc..8362200c25f4 100644 --- a/clients/client-machine-learning/src/commands/DescribeEvaluationsCommand.ts +++ b/clients/client-machine-learning/src/commands/DescribeEvaluationsCommand.ts @@ -115,4 +115,16 @@ export class DescribeEvaluationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEvaluationsCommand) .de(de_DescribeEvaluationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEvaluationsInput; + output: DescribeEvaluationsOutput; + }; + sdk: { + input: DescribeEvaluationsCommandInput; + output: DescribeEvaluationsCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DescribeMLModelsCommand.ts b/clients/client-machine-learning/src/commands/DescribeMLModelsCommand.ts index 673c2991b9f6..6a81bfb3abcf 100644 --- a/clients/client-machine-learning/src/commands/DescribeMLModelsCommand.ts +++ b/clients/client-machine-learning/src/commands/DescribeMLModelsCommand.ts @@ -123,4 +123,16 @@ export class DescribeMLModelsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMLModelsCommand) .de(de_DescribeMLModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMLModelsInput; + output: DescribeMLModelsOutput; + }; + sdk: { + input: DescribeMLModelsCommandInput; + output: DescribeMLModelsCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/DescribeTagsCommand.ts b/clients/client-machine-learning/src/commands/DescribeTagsCommand.ts index 97ab6480ae35..aacc3213c547 100644 --- a/clients/client-machine-learning/src/commands/DescribeTagsCommand.ts +++ b/clients/client-machine-learning/src/commands/DescribeTagsCommand.ts @@ -94,4 +94,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsInput; + output: DescribeTagsOutput; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/GetBatchPredictionCommand.ts b/clients/client-machine-learning/src/commands/GetBatchPredictionCommand.ts index 31926777d6bf..6f479e655feb 100644 --- a/clients/client-machine-learning/src/commands/GetBatchPredictionCommand.ts +++ b/clients/client-machine-learning/src/commands/GetBatchPredictionCommand.ts @@ -103,4 +103,16 @@ export class GetBatchPredictionCommand extends $Command .f(void 0, void 0) .ser(se_GetBatchPredictionCommand) .de(de_GetBatchPredictionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBatchPredictionInput; + output: GetBatchPredictionOutput; + }; + sdk: { + input: GetBatchPredictionCommandInput; + output: GetBatchPredictionCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/GetDataSourceCommand.ts b/clients/client-machine-learning/src/commands/GetDataSourceCommand.ts index 2363999c6d67..88104fe19e28 100644 --- a/clients/client-machine-learning/src/commands/GetDataSourceCommand.ts +++ b/clients/client-machine-learning/src/commands/GetDataSourceCommand.ts @@ -126,4 +126,16 @@ export class GetDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSourceCommand) .de(de_GetDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceInput; + output: GetDataSourceOutput; + }; + sdk: { + input: GetDataSourceCommandInput; + output: GetDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/GetEvaluationCommand.ts b/clients/client-machine-learning/src/commands/GetEvaluationCommand.ts index 6c867b121139..ea86bb6823ed 100644 --- a/clients/client-machine-learning/src/commands/GetEvaluationCommand.ts +++ b/clients/client-machine-learning/src/commands/GetEvaluationCommand.ts @@ -104,4 +104,16 @@ export class GetEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_GetEvaluationCommand) .de(de_GetEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEvaluationInput; + output: GetEvaluationOutput; + }; + sdk: { + input: GetEvaluationCommandInput; + output: GetEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/GetMLModelCommand.ts b/clients/client-machine-learning/src/commands/GetMLModelCommand.ts index 25db31f05576..3e0f61417f0f 100644 --- a/clients/client-machine-learning/src/commands/GetMLModelCommand.ts +++ b/clients/client-machine-learning/src/commands/GetMLModelCommand.ts @@ -116,4 +116,16 @@ export class GetMLModelCommand extends $Command .f(void 0, void 0) .ser(se_GetMLModelCommand) .de(de_GetMLModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLModelInput; + output: GetMLModelOutput; + }; + sdk: { + input: GetMLModelCommandInput; + output: GetMLModelCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/PredictCommand.ts b/clients/client-machine-learning/src/commands/PredictCommand.ts index 90d17046bedd..d6a8f9f4f7d4 100644 --- a/clients/client-machine-learning/src/commands/PredictCommand.ts +++ b/clients/client-machine-learning/src/commands/PredictCommand.ts @@ -110,4 +110,16 @@ export class PredictCommand extends $Command .f(void 0, void 0) .ser(se_PredictCommand) .de(de_PredictCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PredictInput; + output: PredictOutput; + }; + sdk: { + input: PredictCommandInput; + output: PredictCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/UpdateBatchPredictionCommand.ts b/clients/client-machine-learning/src/commands/UpdateBatchPredictionCommand.ts index c695ee365122..d32d5881839b 100644 --- a/clients/client-machine-learning/src/commands/UpdateBatchPredictionCommand.ts +++ b/clients/client-machine-learning/src/commands/UpdateBatchPredictionCommand.ts @@ -88,4 +88,16 @@ export class UpdateBatchPredictionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBatchPredictionCommand) .de(de_UpdateBatchPredictionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBatchPredictionInput; + output: UpdateBatchPredictionOutput; + }; + sdk: { + input: UpdateBatchPredictionCommandInput; + output: UpdateBatchPredictionCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/UpdateDataSourceCommand.ts b/clients/client-machine-learning/src/commands/UpdateDataSourceCommand.ts index b250c5e530e2..64fefb15592a 100644 --- a/clients/client-machine-learning/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-machine-learning/src/commands/UpdateDataSourceCommand.ts @@ -88,4 +88,16 @@ export class UpdateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceInput; + output: UpdateDataSourceOutput; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/UpdateEvaluationCommand.ts b/clients/client-machine-learning/src/commands/UpdateEvaluationCommand.ts index c471ed9d7b42..a52a1e10df57 100644 --- a/clients/client-machine-learning/src/commands/UpdateEvaluationCommand.ts +++ b/clients/client-machine-learning/src/commands/UpdateEvaluationCommand.ts @@ -88,4 +88,16 @@ export class UpdateEvaluationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEvaluationCommand) .de(de_UpdateEvaluationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEvaluationInput; + output: UpdateEvaluationOutput; + }; + sdk: { + input: UpdateEvaluationCommandInput; + output: UpdateEvaluationCommandOutput; + }; + }; +} diff --git a/clients/client-machine-learning/src/commands/UpdateMLModelCommand.ts b/clients/client-machine-learning/src/commands/UpdateMLModelCommand.ts index d4d914f6c193..b65a20289a0b 100644 --- a/clients/client-machine-learning/src/commands/UpdateMLModelCommand.ts +++ b/clients/client-machine-learning/src/commands/UpdateMLModelCommand.ts @@ -89,4 +89,16 @@ export class UpdateMLModelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMLModelCommand) .de(de_UpdateMLModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMLModelInput; + output: UpdateMLModelOutput; + }; + sdk: { + input: UpdateMLModelCommandInput; + output: UpdateMLModelCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/package.json b/clients/client-macie2/package.json index 28e02997da74..083f7c609144 100644 --- a/clients/client-macie2/package.json +++ b/clients/client-macie2/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-macie2/src/commands/AcceptInvitationCommand.ts b/clients/client-macie2/src/commands/AcceptInvitationCommand.ts index 8085065baf88..f04e24700ce1 100644 --- a/clients/client-macie2/src/commands/AcceptInvitationCommand.ts +++ b/clients/client-macie2/src/commands/AcceptInvitationCommand.ts @@ -98,4 +98,16 @@ export class AcceptInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptInvitationCommand) .de(de_AcceptInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptInvitationRequest; + output: {}; + }; + sdk: { + input: AcceptInvitationCommandInput; + output: AcceptInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/BatchGetCustomDataIdentifiersCommand.ts b/clients/client-macie2/src/commands/BatchGetCustomDataIdentifiersCommand.ts index aeef85b5d541..ecffbbcb478f 100644 --- a/clients/client-macie2/src/commands/BatchGetCustomDataIdentifiersCommand.ts +++ b/clients/client-macie2/src/commands/BatchGetCustomDataIdentifiersCommand.ts @@ -117,4 +117,16 @@ export class BatchGetCustomDataIdentifiersCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetCustomDataIdentifiersCommand) .de(de_BatchGetCustomDataIdentifiersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetCustomDataIdentifiersRequest; + output: BatchGetCustomDataIdentifiersResponse; + }; + sdk: { + input: BatchGetCustomDataIdentifiersCommandInput; + output: BatchGetCustomDataIdentifiersCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/BatchUpdateAutomatedDiscoveryAccountsCommand.ts b/clients/client-macie2/src/commands/BatchUpdateAutomatedDiscoveryAccountsCommand.ts index 09ce7c8ffb78..14aa8d706acb 100644 --- a/clients/client-macie2/src/commands/BatchUpdateAutomatedDiscoveryAccountsCommand.ts +++ b/clients/client-macie2/src/commands/BatchUpdateAutomatedDiscoveryAccountsCommand.ts @@ -111,4 +111,16 @@ export class BatchUpdateAutomatedDiscoveryAccountsCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateAutomatedDiscoveryAccountsCommand) .de(de_BatchUpdateAutomatedDiscoveryAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateAutomatedDiscoveryAccountsRequest; + output: BatchUpdateAutomatedDiscoveryAccountsResponse; + }; + sdk: { + input: BatchUpdateAutomatedDiscoveryAccountsCommandInput; + output: BatchUpdateAutomatedDiscoveryAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/CreateAllowListCommand.ts b/clients/client-macie2/src/commands/CreateAllowListCommand.ts index 2d4856989981..166a6ec28670 100644 --- a/clients/client-macie2/src/commands/CreateAllowListCommand.ts +++ b/clients/client-macie2/src/commands/CreateAllowListCommand.ts @@ -111,4 +111,16 @@ export class CreateAllowListCommand extends $Command .f(void 0, void 0) .ser(se_CreateAllowListCommand) .de(de_CreateAllowListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAllowListRequest; + output: CreateAllowListResponse; + }; + sdk: { + input: CreateAllowListCommandInput; + output: CreateAllowListCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/CreateClassificationJobCommand.ts b/clients/client-macie2/src/commands/CreateClassificationJobCommand.ts index 3160a9661b52..e553e8aafc41 100644 --- a/clients/client-macie2/src/commands/CreateClassificationJobCommand.ts +++ b/clients/client-macie2/src/commands/CreateClassificationJobCommand.ts @@ -226,4 +226,16 @@ export class CreateClassificationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateClassificationJobCommand) .de(de_CreateClassificationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClassificationJobRequest; + output: CreateClassificationJobResponse; + }; + sdk: { + input: CreateClassificationJobCommandInput; + output: CreateClassificationJobCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/CreateCustomDataIdentifierCommand.ts b/clients/client-macie2/src/commands/CreateCustomDataIdentifierCommand.ts index e1c3abc7d517..02a5639f3c5c 100644 --- a/clients/client-macie2/src/commands/CreateCustomDataIdentifierCommand.ts +++ b/clients/client-macie2/src/commands/CreateCustomDataIdentifierCommand.ts @@ -117,4 +117,16 @@ export class CreateCustomDataIdentifierCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomDataIdentifierCommand) .de(de_CreateCustomDataIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomDataIdentifierRequest; + output: CreateCustomDataIdentifierResponse; + }; + sdk: { + input: CreateCustomDataIdentifierCommandInput; + output: CreateCustomDataIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/CreateFindingsFilterCommand.ts b/clients/client-macie2/src/commands/CreateFindingsFilterCommand.ts index 66db989b3620..3a250550d7da 100644 --- a/clients/client-macie2/src/commands/CreateFindingsFilterCommand.ts +++ b/clients/client-macie2/src/commands/CreateFindingsFilterCommand.ts @@ -125,4 +125,16 @@ export class CreateFindingsFilterCommand extends $Command .f(void 0, void 0) .ser(se_CreateFindingsFilterCommand) .de(de_CreateFindingsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFindingsFilterRequest; + output: CreateFindingsFilterResponse; + }; + sdk: { + input: CreateFindingsFilterCommandInput; + output: CreateFindingsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/CreateInvitationsCommand.ts b/clients/client-macie2/src/commands/CreateInvitationsCommand.ts index 54392110f602..4e5449b8e80f 100644 --- a/clients/client-macie2/src/commands/CreateInvitationsCommand.ts +++ b/clients/client-macie2/src/commands/CreateInvitationsCommand.ts @@ -108,4 +108,16 @@ export class CreateInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_CreateInvitationsCommand) .de(de_CreateInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInvitationsRequest; + output: CreateInvitationsResponse; + }; + sdk: { + input: CreateInvitationsCommandInput; + output: CreateInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/CreateMemberCommand.ts b/clients/client-macie2/src/commands/CreateMemberCommand.ts index 1a65f972ef4e..c513a95cd614 100644 --- a/clients/client-macie2/src/commands/CreateMemberCommand.ts +++ b/clients/client-macie2/src/commands/CreateMemberCommand.ts @@ -104,4 +104,16 @@ export class CreateMemberCommand extends $Command .f(void 0, void 0) .ser(se_CreateMemberCommand) .de(de_CreateMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMemberRequest; + output: CreateMemberResponse; + }; + sdk: { + input: CreateMemberCommandInput; + output: CreateMemberCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/CreateSampleFindingsCommand.ts b/clients/client-macie2/src/commands/CreateSampleFindingsCommand.ts index 483b102f38e7..10aa94498412 100644 --- a/clients/client-macie2/src/commands/CreateSampleFindingsCommand.ts +++ b/clients/client-macie2/src/commands/CreateSampleFindingsCommand.ts @@ -98,4 +98,16 @@ export class CreateSampleFindingsCommand extends $Command .f(void 0, void 0) .ser(se_CreateSampleFindingsCommand) .de(de_CreateSampleFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSampleFindingsRequest; + output: {}; + }; + sdk: { + input: CreateSampleFindingsCommandInput; + output: CreateSampleFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DeclineInvitationsCommand.ts b/clients/client-macie2/src/commands/DeclineInvitationsCommand.ts index 41bf0469e591..9ae124e80bcb 100644 --- a/clients/client-macie2/src/commands/DeclineInvitationsCommand.ts +++ b/clients/client-macie2/src/commands/DeclineInvitationsCommand.ts @@ -106,4 +106,16 @@ export class DeclineInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_DeclineInvitationsCommand) .de(de_DeclineInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeclineInvitationsRequest; + output: DeclineInvitationsResponse; + }; + sdk: { + input: DeclineInvitationsCommandInput; + output: DeclineInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DeleteAllowListCommand.ts b/clients/client-macie2/src/commands/DeleteAllowListCommand.ts index 12fd305f8483..72a3be1dd748 100644 --- a/clients/client-macie2/src/commands/DeleteAllowListCommand.ts +++ b/clients/client-macie2/src/commands/DeleteAllowListCommand.ts @@ -91,4 +91,16 @@ export class DeleteAllowListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAllowListCommand) .de(de_DeleteAllowListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAllowListRequest; + output: {}; + }; + sdk: { + input: DeleteAllowListCommandInput; + output: DeleteAllowListCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DeleteCustomDataIdentifierCommand.ts b/clients/client-macie2/src/commands/DeleteCustomDataIdentifierCommand.ts index cafedfbd3641..11ad2f2fceaa 100644 --- a/clients/client-macie2/src/commands/DeleteCustomDataIdentifierCommand.ts +++ b/clients/client-macie2/src/commands/DeleteCustomDataIdentifierCommand.ts @@ -96,4 +96,16 @@ export class DeleteCustomDataIdentifierCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomDataIdentifierCommand) .de(de_DeleteCustomDataIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomDataIdentifierRequest; + output: {}; + }; + sdk: { + input: DeleteCustomDataIdentifierCommandInput; + output: DeleteCustomDataIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DeleteFindingsFilterCommand.ts b/clients/client-macie2/src/commands/DeleteFindingsFilterCommand.ts index 62ded5d7a6a9..a3fe05d68554 100644 --- a/clients/client-macie2/src/commands/DeleteFindingsFilterCommand.ts +++ b/clients/client-macie2/src/commands/DeleteFindingsFilterCommand.ts @@ -96,4 +96,16 @@ export class DeleteFindingsFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFindingsFilterCommand) .de(de_DeleteFindingsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFindingsFilterRequest; + output: {}; + }; + sdk: { + input: DeleteFindingsFilterCommandInput; + output: DeleteFindingsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DeleteInvitationsCommand.ts b/clients/client-macie2/src/commands/DeleteInvitationsCommand.ts index cfac3d8cf0f4..347903eef9fe 100644 --- a/clients/client-macie2/src/commands/DeleteInvitationsCommand.ts +++ b/clients/client-macie2/src/commands/DeleteInvitationsCommand.ts @@ -106,4 +106,16 @@ export class DeleteInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInvitationsCommand) .de(de_DeleteInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInvitationsRequest; + output: DeleteInvitationsResponse; + }; + sdk: { + input: DeleteInvitationsCommandInput; + output: DeleteInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DeleteMemberCommand.ts b/clients/client-macie2/src/commands/DeleteMemberCommand.ts index ce2881a2394c..f74339528c66 100644 --- a/clients/client-macie2/src/commands/DeleteMemberCommand.ts +++ b/clients/client-macie2/src/commands/DeleteMemberCommand.ts @@ -96,4 +96,16 @@ export class DeleteMemberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMemberCommand) .de(de_DeleteMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMemberRequest; + output: {}; + }; + sdk: { + input: DeleteMemberCommandInput; + output: DeleteMemberCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DescribeBucketsCommand.ts b/clients/client-macie2/src/commands/DescribeBucketsCommand.ts index 44ad08237705..f2f444459188 100644 --- a/clients/client-macie2/src/commands/DescribeBucketsCommand.ts +++ b/clients/client-macie2/src/commands/DescribeBucketsCommand.ts @@ -210,4 +210,16 @@ export class DescribeBucketsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBucketsCommand) .de(de_DescribeBucketsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBucketsRequest; + output: DescribeBucketsResponse; + }; + sdk: { + input: DescribeBucketsCommandInput; + output: DescribeBucketsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DescribeClassificationJobCommand.ts b/clients/client-macie2/src/commands/DescribeClassificationJobCommand.ts index b83a5d8d63db..bf6d621cf9c9 100644 --- a/clients/client-macie2/src/commands/DescribeClassificationJobCommand.ts +++ b/clients/client-macie2/src/commands/DescribeClassificationJobCommand.ts @@ -242,4 +242,16 @@ export class DescribeClassificationJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClassificationJobCommand) .de(de_DescribeClassificationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClassificationJobRequest; + output: DescribeClassificationJobResponse; + }; + sdk: { + input: DescribeClassificationJobCommandInput; + output: DescribeClassificationJobCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DescribeOrganizationConfigurationCommand.ts b/clients/client-macie2/src/commands/DescribeOrganizationConfigurationCommand.ts index 1c43caa1c356..f49b9e389110 100644 --- a/clients/client-macie2/src/commands/DescribeOrganizationConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/DescribeOrganizationConfigurationCommand.ts @@ -105,4 +105,16 @@ export class DescribeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConfigurationCommand) .de(de_DescribeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeOrganizationConfigurationResponse; + }; + sdk: { + input: DescribeOrganizationConfigurationCommandInput; + output: DescribeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DisableMacieCommand.ts b/clients/client-macie2/src/commands/DisableMacieCommand.ts index 29446ce9ffd1..717576aa667d 100644 --- a/clients/client-macie2/src/commands/DisableMacieCommand.ts +++ b/clients/client-macie2/src/commands/DisableMacieCommand.ts @@ -94,4 +94,16 @@ export class DisableMacieCommand extends $Command .f(void 0, void 0) .ser(se_DisableMacieCommand) .de(de_DisableMacieCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisableMacieCommandInput; + output: DisableMacieCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DisableOrganizationAdminAccountCommand.ts b/clients/client-macie2/src/commands/DisableOrganizationAdminAccountCommand.ts index fffb6cd7eeae..0cfd4134285a 100644 --- a/clients/client-macie2/src/commands/DisableOrganizationAdminAccountCommand.ts +++ b/clients/client-macie2/src/commands/DisableOrganizationAdminAccountCommand.ts @@ -101,4 +101,16 @@ export class DisableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisableOrganizationAdminAccountCommand) .de(de_DisableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: DisableOrganizationAdminAccountCommandInput; + output: DisableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DisassociateFromAdministratorAccountCommand.ts b/clients/client-macie2/src/commands/DisassociateFromAdministratorAccountCommand.ts index cf249b2b594a..fcce4c59926e 100644 --- a/clients/client-macie2/src/commands/DisassociateFromAdministratorAccountCommand.ts +++ b/clients/client-macie2/src/commands/DisassociateFromAdministratorAccountCommand.ts @@ -102,4 +102,16 @@ export class DisassociateFromAdministratorAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFromAdministratorAccountCommand) .de(de_DisassociateFromAdministratorAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateFromAdministratorAccountCommandInput; + output: DisassociateFromAdministratorAccountCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DisassociateFromMasterAccountCommand.ts b/clients/client-macie2/src/commands/DisassociateFromMasterAccountCommand.ts index 8a6c2ace9498..3e377a7f5a2e 100644 --- a/clients/client-macie2/src/commands/DisassociateFromMasterAccountCommand.ts +++ b/clients/client-macie2/src/commands/DisassociateFromMasterAccountCommand.ts @@ -99,4 +99,16 @@ export class DisassociateFromMasterAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFromMasterAccountCommand) .de(de_DisassociateFromMasterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateFromMasterAccountCommandInput; + output: DisassociateFromMasterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/DisassociateMemberCommand.ts b/clients/client-macie2/src/commands/DisassociateMemberCommand.ts index 814f02343b25..8ec46e6cf8dd 100644 --- a/clients/client-macie2/src/commands/DisassociateMemberCommand.ts +++ b/clients/client-macie2/src/commands/DisassociateMemberCommand.ts @@ -96,4 +96,16 @@ export class DisassociateMemberCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMemberCommand) .de(de_DisassociateMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMemberRequest; + output: {}; + }; + sdk: { + input: DisassociateMemberCommandInput; + output: DisassociateMemberCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/EnableMacieCommand.ts b/clients/client-macie2/src/commands/EnableMacieCommand.ts index 2db46c1f6ca9..26c639cb9fe1 100644 --- a/clients/client-macie2/src/commands/EnableMacieCommand.ts +++ b/clients/client-macie2/src/commands/EnableMacieCommand.ts @@ -98,4 +98,16 @@ export class EnableMacieCommand extends $Command .f(void 0, void 0) .ser(se_EnableMacieCommand) .de(de_EnableMacieCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableMacieRequest; + output: {}; + }; + sdk: { + input: EnableMacieCommandInput; + output: EnableMacieCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/EnableOrganizationAdminAccountCommand.ts b/clients/client-macie2/src/commands/EnableOrganizationAdminAccountCommand.ts index b0dc332038bd..cf52588166da 100644 --- a/clients/client-macie2/src/commands/EnableOrganizationAdminAccountCommand.ts +++ b/clients/client-macie2/src/commands/EnableOrganizationAdminAccountCommand.ts @@ -102,4 +102,16 @@ export class EnableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_EnableOrganizationAdminAccountCommand) .de(de_EnableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: EnableOrganizationAdminAccountCommandInput; + output: EnableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetAdministratorAccountCommand.ts b/clients/client-macie2/src/commands/GetAdministratorAccountCommand.ts index 90b546a16556..7fcbb385b445 100644 --- a/clients/client-macie2/src/commands/GetAdministratorAccountCommand.ts +++ b/clients/client-macie2/src/commands/GetAdministratorAccountCommand.ts @@ -101,4 +101,16 @@ export class GetAdministratorAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetAdministratorAccountCommand) .de(de_GetAdministratorAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAdministratorAccountResponse; + }; + sdk: { + input: GetAdministratorAccountCommandInput; + output: GetAdministratorAccountCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetAllowListCommand.ts b/clients/client-macie2/src/commands/GetAllowListCommand.ts index 133f85a365b7..428e1e9a8a86 100644 --- a/clients/client-macie2/src/commands/GetAllowListCommand.ts +++ b/clients/client-macie2/src/commands/GetAllowListCommand.ts @@ -111,4 +111,16 @@ export class GetAllowListCommand extends $Command .f(void 0, void 0) .ser(se_GetAllowListCommand) .de(de_GetAllowListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAllowListRequest; + output: GetAllowListResponse; + }; + sdk: { + input: GetAllowListCommandInput; + output: GetAllowListCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetAutomatedDiscoveryConfigurationCommand.ts b/clients/client-macie2/src/commands/GetAutomatedDiscoveryConfigurationCommand.ts index 8b11ff1b84ef..9badafe29afd 100644 --- a/clients/client-macie2/src/commands/GetAutomatedDiscoveryConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/GetAutomatedDiscoveryConfigurationCommand.ts @@ -101,4 +101,16 @@ export class GetAutomatedDiscoveryConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAutomatedDiscoveryConfigurationCommand) .de(de_GetAutomatedDiscoveryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAutomatedDiscoveryConfigurationResponse; + }; + sdk: { + input: GetAutomatedDiscoveryConfigurationCommandInput; + output: GetAutomatedDiscoveryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetBucketStatisticsCommand.ts b/clients/client-macie2/src/commands/GetBucketStatisticsCommand.ts index 44b08c01b79b..61675c9715eb 100644 --- a/clients/client-macie2/src/commands/GetBucketStatisticsCommand.ts +++ b/clients/client-macie2/src/commands/GetBucketStatisticsCommand.ts @@ -163,4 +163,16 @@ export class GetBucketStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketStatisticsCommand) .de(de_GetBucketStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketStatisticsRequest; + output: GetBucketStatisticsResponse; + }; + sdk: { + input: GetBucketStatisticsCommandInput; + output: GetBucketStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetClassificationExportConfigurationCommand.ts b/clients/client-macie2/src/commands/GetClassificationExportConfigurationCommand.ts index 045bb9a15837..796af32ef612 100644 --- a/clients/client-macie2/src/commands/GetClassificationExportConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/GetClassificationExportConfigurationCommand.ts @@ -110,4 +110,16 @@ export class GetClassificationExportConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetClassificationExportConfigurationCommand) .de(de_GetClassificationExportConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetClassificationExportConfigurationResponse; + }; + sdk: { + input: GetClassificationExportConfigurationCommandInput; + output: GetClassificationExportConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetClassificationScopeCommand.ts b/clients/client-macie2/src/commands/GetClassificationScopeCommand.ts index 5f4a70bf6c23..da61d72dbfd3 100644 --- a/clients/client-macie2/src/commands/GetClassificationScopeCommand.ts +++ b/clients/client-macie2/src/commands/GetClassificationScopeCommand.ts @@ -100,4 +100,16 @@ export class GetClassificationScopeCommand extends $Command .f(void 0, void 0) .ser(se_GetClassificationScopeCommand) .de(de_GetClassificationScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClassificationScopeRequest; + output: GetClassificationScopeResponse; + }; + sdk: { + input: GetClassificationScopeCommandInput; + output: GetClassificationScopeCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetCustomDataIdentifierCommand.ts b/clients/client-macie2/src/commands/GetCustomDataIdentifierCommand.ts index 90e427fd5b98..bfbd401a4383 100644 --- a/clients/client-macie2/src/commands/GetCustomDataIdentifierCommand.ts +++ b/clients/client-macie2/src/commands/GetCustomDataIdentifierCommand.ts @@ -120,4 +120,16 @@ export class GetCustomDataIdentifierCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomDataIdentifierCommand) .de(de_GetCustomDataIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomDataIdentifierRequest; + output: GetCustomDataIdentifierResponse; + }; + sdk: { + input: GetCustomDataIdentifierCommandInput; + output: GetCustomDataIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetFindingStatisticsCommand.ts b/clients/client-macie2/src/commands/GetFindingStatisticsCommand.ts index 519680e3820a..9d8b64ae6c14 100644 --- a/clients/client-macie2/src/commands/GetFindingStatisticsCommand.ts +++ b/clients/client-macie2/src/commands/GetFindingStatisticsCommand.ts @@ -127,4 +127,16 @@ export class GetFindingStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingStatisticsCommand) .de(de_GetFindingStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingStatisticsRequest; + output: GetFindingStatisticsResponse; + }; + sdk: { + input: GetFindingStatisticsCommandInput; + output: GetFindingStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetFindingsCommand.ts b/clients/client-macie2/src/commands/GetFindingsCommand.ts index debfca60b838..867c55c1d59c 100644 --- a/clients/client-macie2/src/commands/GetFindingsCommand.ts +++ b/clients/client-macie2/src/commands/GetFindingsCommand.ts @@ -408,4 +408,16 @@ export class GetFindingsCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsCommand) .de(de_GetFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsRequest; + output: GetFindingsResponse; + }; + sdk: { + input: GetFindingsCommandInput; + output: GetFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetFindingsFilterCommand.ts b/clients/client-macie2/src/commands/GetFindingsFilterCommand.ts index 75a84b19a4c1..c5fce896b10f 100644 --- a/clients/client-macie2/src/commands/GetFindingsFilterCommand.ts +++ b/clients/client-macie2/src/commands/GetFindingsFilterCommand.ts @@ -125,4 +125,16 @@ export class GetFindingsFilterCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsFilterCommand) .de(de_GetFindingsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsFilterRequest; + output: GetFindingsFilterResponse; + }; + sdk: { + input: GetFindingsFilterCommandInput; + output: GetFindingsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetFindingsPublicationConfigurationCommand.ts b/clients/client-macie2/src/commands/GetFindingsPublicationConfigurationCommand.ts index 758fee4d7f74..8f1c6236507d 100644 --- a/clients/client-macie2/src/commands/GetFindingsPublicationConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/GetFindingsPublicationConfigurationCommand.ts @@ -107,4 +107,16 @@ export class GetFindingsPublicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsPublicationConfigurationCommand) .de(de_GetFindingsPublicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetFindingsPublicationConfigurationResponse; + }; + sdk: { + input: GetFindingsPublicationConfigurationCommandInput; + output: GetFindingsPublicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetInvitationsCountCommand.ts b/clients/client-macie2/src/commands/GetInvitationsCountCommand.ts index bf8698442f00..7502e5d6ce9c 100644 --- a/clients/client-macie2/src/commands/GetInvitationsCountCommand.ts +++ b/clients/client-macie2/src/commands/GetInvitationsCountCommand.ts @@ -96,4 +96,16 @@ export class GetInvitationsCountCommand extends $Command .f(void 0, void 0) .ser(se_GetInvitationsCountCommand) .de(de_GetInvitationsCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetInvitationsCountResponse; + }; + sdk: { + input: GetInvitationsCountCommandInput; + output: GetInvitationsCountCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetMacieSessionCommand.ts b/clients/client-macie2/src/commands/GetMacieSessionCommand.ts index 8a385d9368c7..eabef87aca1a 100644 --- a/clients/client-macie2/src/commands/GetMacieSessionCommand.ts +++ b/clients/client-macie2/src/commands/GetMacieSessionCommand.ts @@ -100,4 +100,16 @@ export class GetMacieSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetMacieSessionCommand) .de(de_GetMacieSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetMacieSessionResponse; + }; + sdk: { + input: GetMacieSessionCommandInput; + output: GetMacieSessionCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetMasterAccountCommand.ts b/clients/client-macie2/src/commands/GetMasterAccountCommand.ts index 2f84043c0f11..0aad71f4daec 100644 --- a/clients/client-macie2/src/commands/GetMasterAccountCommand.ts +++ b/clients/client-macie2/src/commands/GetMasterAccountCommand.ts @@ -101,4 +101,16 @@ export class GetMasterAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetMasterAccountCommand) .de(de_GetMasterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetMasterAccountResponse; + }; + sdk: { + input: GetMasterAccountCommandInput; + output: GetMasterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetMemberCommand.ts b/clients/client-macie2/src/commands/GetMemberCommand.ts index 286ddce0cb70..03ed5fe9a7cf 100644 --- a/clients/client-macie2/src/commands/GetMemberCommand.ts +++ b/clients/client-macie2/src/commands/GetMemberCommand.ts @@ -108,4 +108,16 @@ export class GetMemberCommand extends $Command .f(void 0, void 0) .ser(se_GetMemberCommand) .de(de_GetMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMemberRequest; + output: GetMemberResponse; + }; + sdk: { + input: GetMemberCommandInput; + output: GetMemberCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetResourceProfileCommand.ts b/clients/client-macie2/src/commands/GetResourceProfileCommand.ts index 516c6d818366..619a1ad6d146 100644 --- a/clients/client-macie2/src/commands/GetResourceProfileCommand.ts +++ b/clients/client-macie2/src/commands/GetResourceProfileCommand.ts @@ -108,4 +108,16 @@ export class GetResourceProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceProfileCommand) .de(de_GetResourceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceProfileRequest; + output: GetResourceProfileResponse; + }; + sdk: { + input: GetResourceProfileCommandInput; + output: GetResourceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetRevealConfigurationCommand.ts b/clients/client-macie2/src/commands/GetRevealConfigurationCommand.ts index 606919285ef2..683771f3782b 100644 --- a/clients/client-macie2/src/commands/GetRevealConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/GetRevealConfigurationCommand.ts @@ -95,4 +95,16 @@ export class GetRevealConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetRevealConfigurationCommand) .de(de_GetRevealConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetRevealConfigurationResponse; + }; + sdk: { + input: GetRevealConfigurationCommandInput; + output: GetRevealConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesAvailabilityCommand.ts b/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesAvailabilityCommand.ts index 1fa6f1484435..586faf4a45f0 100644 --- a/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesAvailabilityCommand.ts +++ b/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesAvailabilityCommand.ts @@ -101,4 +101,16 @@ export class GetSensitiveDataOccurrencesAvailabilityCommand extends $Command .f(void 0, void 0) .ser(se_GetSensitiveDataOccurrencesAvailabilityCommand) .de(de_GetSensitiveDataOccurrencesAvailabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSensitiveDataOccurrencesAvailabilityRequest; + output: GetSensitiveDataOccurrencesAvailabilityResponse; + }; + sdk: { + input: GetSensitiveDataOccurrencesAvailabilityCommandInput; + output: GetSensitiveDataOccurrencesAvailabilityCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesCommand.ts b/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesCommand.ts index b28f932bbf27..0ac4fb94f4c0 100644 --- a/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesCommand.ts +++ b/clients/client-macie2/src/commands/GetSensitiveDataOccurrencesCommand.ts @@ -108,4 +108,16 @@ export class GetSensitiveDataOccurrencesCommand extends $Command .f(void 0, void 0) .ser(se_GetSensitiveDataOccurrencesCommand) .de(de_GetSensitiveDataOccurrencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSensitiveDataOccurrencesRequest; + output: GetSensitiveDataOccurrencesResponse; + }; + sdk: { + input: GetSensitiveDataOccurrencesCommandInput; + output: GetSensitiveDataOccurrencesCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetSensitivityInspectionTemplateCommand.ts b/clients/client-macie2/src/commands/GetSensitivityInspectionTemplateCommand.ts index 09238c5aa942..1afab0c1060d 100644 --- a/clients/client-macie2/src/commands/GetSensitivityInspectionTemplateCommand.ts +++ b/clients/client-macie2/src/commands/GetSensitivityInspectionTemplateCommand.ts @@ -115,4 +115,16 @@ export class GetSensitivityInspectionTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetSensitivityInspectionTemplateCommand) .de(de_GetSensitivityInspectionTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSensitivityInspectionTemplateRequest; + output: GetSensitivityInspectionTemplateResponse; + }; + sdk: { + input: GetSensitivityInspectionTemplateCommandInput; + output: GetSensitivityInspectionTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetUsageStatisticsCommand.ts b/clients/client-macie2/src/commands/GetUsageStatisticsCommand.ts index 90d13906f895..b7840fa51b25 100644 --- a/clients/client-macie2/src/commands/GetUsageStatisticsCommand.ts +++ b/clients/client-macie2/src/commands/GetUsageStatisticsCommand.ts @@ -133,4 +133,16 @@ export class GetUsageStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetUsageStatisticsCommand) .de(de_GetUsageStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsageStatisticsRequest; + output: GetUsageStatisticsResponse; + }; + sdk: { + input: GetUsageStatisticsCommandInput; + output: GetUsageStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/GetUsageTotalsCommand.ts b/clients/client-macie2/src/commands/GetUsageTotalsCommand.ts index f47196140a2a..c3a61c1ea7c1 100644 --- a/clients/client-macie2/src/commands/GetUsageTotalsCommand.ts +++ b/clients/client-macie2/src/commands/GetUsageTotalsCommand.ts @@ -105,4 +105,16 @@ export class GetUsageTotalsCommand extends $Command .f(void 0, void 0) .ser(se_GetUsageTotalsCommand) .de(de_GetUsageTotalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsageTotalsRequest; + output: GetUsageTotalsResponse; + }; + sdk: { + input: GetUsageTotalsCommandInput; + output: GetUsageTotalsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListAllowListsCommand.ts b/clients/client-macie2/src/commands/ListAllowListsCommand.ts index fd5cd064e213..ba8ce54a47a6 100644 --- a/clients/client-macie2/src/commands/ListAllowListsCommand.ts +++ b/clients/client-macie2/src/commands/ListAllowListsCommand.ts @@ -100,4 +100,16 @@ export class ListAllowListsCommand extends $Command .f(void 0, void 0) .ser(se_ListAllowListsCommand) .de(de_ListAllowListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAllowListsRequest; + output: ListAllowListsResponse; + }; + sdk: { + input: ListAllowListsCommandInput; + output: ListAllowListsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListAutomatedDiscoveryAccountsCommand.ts b/clients/client-macie2/src/commands/ListAutomatedDiscoveryAccountsCommand.ts index 54992b8fa8cc..1cb05e0ec99c 100644 --- a/clients/client-macie2/src/commands/ListAutomatedDiscoveryAccountsCommand.ts +++ b/clients/client-macie2/src/commands/ListAutomatedDiscoveryAccountsCommand.ts @@ -107,4 +107,16 @@ export class ListAutomatedDiscoveryAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListAutomatedDiscoveryAccountsCommand) .de(de_ListAutomatedDiscoveryAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAutomatedDiscoveryAccountsRequest; + output: ListAutomatedDiscoveryAccountsResponse; + }; + sdk: { + input: ListAutomatedDiscoveryAccountsCommandInput; + output: ListAutomatedDiscoveryAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListClassificationJobsCommand.ts b/clients/client-macie2/src/commands/ListClassificationJobsCommand.ts index 201f8148929e..5d4dfa229ac4 100644 --- a/clients/client-macie2/src/commands/ListClassificationJobsCommand.ts +++ b/clients/client-macie2/src/commands/ListClassificationJobsCommand.ts @@ -194,4 +194,16 @@ export class ListClassificationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListClassificationJobsCommand) .de(de_ListClassificationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClassificationJobsRequest; + output: ListClassificationJobsResponse; + }; + sdk: { + input: ListClassificationJobsCommandInput; + output: ListClassificationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListClassificationScopesCommand.ts b/clients/client-macie2/src/commands/ListClassificationScopesCommand.ts index 620ef3f23ac5..84c2358436ce 100644 --- a/clients/client-macie2/src/commands/ListClassificationScopesCommand.ts +++ b/clients/client-macie2/src/commands/ListClassificationScopesCommand.ts @@ -96,4 +96,16 @@ export class ListClassificationScopesCommand extends $Command .f(void 0, void 0) .ser(se_ListClassificationScopesCommand) .de(de_ListClassificationScopesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClassificationScopesRequest; + output: ListClassificationScopesResponse; + }; + sdk: { + input: ListClassificationScopesCommandInput; + output: ListClassificationScopesCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListCustomDataIdentifiersCommand.ts b/clients/client-macie2/src/commands/ListCustomDataIdentifiersCommand.ts index cc674a678f3a..4ca419eaca88 100644 --- a/clients/client-macie2/src/commands/ListCustomDataIdentifiersCommand.ts +++ b/clients/client-macie2/src/commands/ListCustomDataIdentifiersCommand.ts @@ -108,4 +108,16 @@ export class ListCustomDataIdentifiersCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomDataIdentifiersCommand) .de(de_ListCustomDataIdentifiersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomDataIdentifiersRequest; + output: ListCustomDataIdentifiersResponse; + }; + sdk: { + input: ListCustomDataIdentifiersCommandInput; + output: ListCustomDataIdentifiersCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListFindingsCommand.ts b/clients/client-macie2/src/commands/ListFindingsCommand.ts index bfa9fb85a226..4044293a731d 100644 --- a/clients/client-macie2/src/commands/ListFindingsCommand.ts +++ b/clients/client-macie2/src/commands/ListFindingsCommand.ts @@ -125,4 +125,16 @@ export class ListFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsCommand) .de(de_ListFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsRequest; + output: ListFindingsResponse; + }; + sdk: { + input: ListFindingsCommandInput; + output: ListFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListFindingsFiltersCommand.ts b/clients/client-macie2/src/commands/ListFindingsFiltersCommand.ts index 2e2c1e075726..fd214b3b54b1 100644 --- a/clients/client-macie2/src/commands/ListFindingsFiltersCommand.ts +++ b/clients/client-macie2/src/commands/ListFindingsFiltersCommand.ts @@ -110,4 +110,16 @@ export class ListFindingsFiltersCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingsFiltersCommand) .de(de_ListFindingsFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingsFiltersRequest; + output: ListFindingsFiltersResponse; + }; + sdk: { + input: ListFindingsFiltersCommandInput; + output: ListFindingsFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListInvitationsCommand.ts b/clients/client-macie2/src/commands/ListInvitationsCommand.ts index 2a20b024d6a8..955a8dc111d4 100644 --- a/clients/client-macie2/src/commands/ListInvitationsCommand.ts +++ b/clients/client-macie2/src/commands/ListInvitationsCommand.ts @@ -107,4 +107,16 @@ export class ListInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_ListInvitationsCommand) .de(de_ListInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInvitationsRequest; + output: ListInvitationsResponse; + }; + sdk: { + input: ListInvitationsCommandInput; + output: ListInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListManagedDataIdentifiersCommand.ts b/clients/client-macie2/src/commands/ListManagedDataIdentifiersCommand.ts index f71bb3c5c6d8..e0a356479996 100644 --- a/clients/client-macie2/src/commands/ListManagedDataIdentifiersCommand.ts +++ b/clients/client-macie2/src/commands/ListManagedDataIdentifiersCommand.ts @@ -83,4 +83,16 @@ export class ListManagedDataIdentifiersCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedDataIdentifiersCommand) .de(de_ListManagedDataIdentifiersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedDataIdentifiersRequest; + output: ListManagedDataIdentifiersResponse; + }; + sdk: { + input: ListManagedDataIdentifiersCommandInput; + output: ListManagedDataIdentifiersCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListMembersCommand.ts b/clients/client-macie2/src/commands/ListMembersCommand.ts index 9eba77949c4d..5a9533f1b47c 100644 --- a/clients/client-macie2/src/commands/ListMembersCommand.ts +++ b/clients/client-macie2/src/commands/ListMembersCommand.ts @@ -115,4 +115,16 @@ export class ListMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListMembersCommand) .de(de_ListMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembersRequest; + output: ListMembersResponse; + }; + sdk: { + input: ListMembersCommandInput; + output: ListMembersCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListOrganizationAdminAccountsCommand.ts b/clients/client-macie2/src/commands/ListOrganizationAdminAccountsCommand.ts index 2d3292395d69..58e3814c9181 100644 --- a/clients/client-macie2/src/commands/ListOrganizationAdminAccountsCommand.ts +++ b/clients/client-macie2/src/commands/ListOrganizationAdminAccountsCommand.ts @@ -110,4 +110,16 @@ export class ListOrganizationAdminAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationAdminAccountsCommand) .de(de_ListOrganizationAdminAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationAdminAccountsRequest; + output: ListOrganizationAdminAccountsResponse; + }; + sdk: { + input: ListOrganizationAdminAccountsCommandInput; + output: ListOrganizationAdminAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListResourceProfileArtifactsCommand.ts b/clients/client-macie2/src/commands/ListResourceProfileArtifactsCommand.ts index b07ec685a11a..133c182a260b 100644 --- a/clients/client-macie2/src/commands/ListResourceProfileArtifactsCommand.ts +++ b/clients/client-macie2/src/commands/ListResourceProfileArtifactsCommand.ts @@ -105,4 +105,16 @@ export class ListResourceProfileArtifactsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceProfileArtifactsCommand) .de(de_ListResourceProfileArtifactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceProfileArtifactsRequest; + output: ListResourceProfileArtifactsResponse; + }; + sdk: { + input: ListResourceProfileArtifactsCommandInput; + output: ListResourceProfileArtifactsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListResourceProfileDetectionsCommand.ts b/clients/client-macie2/src/commands/ListResourceProfileDetectionsCommand.ts index 69c915db16dc..f7a071b6460c 100644 --- a/clients/client-macie2/src/commands/ListResourceProfileDetectionsCommand.ts +++ b/clients/client-macie2/src/commands/ListResourceProfileDetectionsCommand.ts @@ -112,4 +112,16 @@ export class ListResourceProfileDetectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceProfileDetectionsCommand) .de(de_ListResourceProfileDetectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceProfileDetectionsRequest; + output: ListResourceProfileDetectionsResponse; + }; + sdk: { + input: ListResourceProfileDetectionsCommandInput; + output: ListResourceProfileDetectionsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListSensitivityInspectionTemplatesCommand.ts b/clients/client-macie2/src/commands/ListSensitivityInspectionTemplatesCommand.ts index 359e9ff96fd3..0f9dbdac6f0f 100644 --- a/clients/client-macie2/src/commands/ListSensitivityInspectionTemplatesCommand.ts +++ b/clients/client-macie2/src/commands/ListSensitivityInspectionTemplatesCommand.ts @@ -107,4 +107,16 @@ export class ListSensitivityInspectionTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListSensitivityInspectionTemplatesCommand) .de(de_ListSensitivityInspectionTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSensitivityInspectionTemplatesRequest; + output: ListSensitivityInspectionTemplatesResponse; + }; + sdk: { + input: ListSensitivityInspectionTemplatesCommandInput; + output: ListSensitivityInspectionTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/ListTagsForResourceCommand.ts b/clients/client-macie2/src/commands/ListTagsForResourceCommand.ts index 9b041f6d931d..bae190e8fecf 100644 --- a/clients/client-macie2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-macie2/src/commands/ListTagsForResourceCommand.ts @@ -79,4 +79,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/PutClassificationExportConfigurationCommand.ts b/clients/client-macie2/src/commands/PutClassificationExportConfigurationCommand.ts index b16cb2d9eee5..83336637dede 100644 --- a/clients/client-macie2/src/commands/PutClassificationExportConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/PutClassificationExportConfigurationCommand.ts @@ -118,4 +118,16 @@ export class PutClassificationExportConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutClassificationExportConfigurationCommand) .de(de_PutClassificationExportConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutClassificationExportConfigurationRequest; + output: PutClassificationExportConfigurationResponse; + }; + sdk: { + input: PutClassificationExportConfigurationCommandInput; + output: PutClassificationExportConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/PutFindingsPublicationConfigurationCommand.ts b/clients/client-macie2/src/commands/PutFindingsPublicationConfigurationCommand.ts index 9cddc7646419..e29251224553 100644 --- a/clients/client-macie2/src/commands/PutFindingsPublicationConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/PutFindingsPublicationConfigurationCommand.ts @@ -108,4 +108,16 @@ export class PutFindingsPublicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutFindingsPublicationConfigurationCommand) .de(de_PutFindingsPublicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFindingsPublicationConfigurationRequest; + output: {}; + }; + sdk: { + input: PutFindingsPublicationConfigurationCommandInput; + output: PutFindingsPublicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/SearchResourcesCommand.ts b/clients/client-macie2/src/commands/SearchResourcesCommand.ts index f905fad5bd52..0204883a9829 100644 --- a/clients/client-macie2/src/commands/SearchResourcesCommand.ts +++ b/clients/client-macie2/src/commands/SearchResourcesCommand.ts @@ -190,4 +190,16 @@ export class SearchResourcesCommand extends $Command .f(void 0, void 0) .ser(se_SearchResourcesCommand) .de(de_SearchResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchResourcesRequest; + output: SearchResourcesResponse; + }; + sdk: { + input: SearchResourcesCommandInput; + output: SearchResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/TagResourceCommand.ts b/clients/client-macie2/src/commands/TagResourceCommand.ts index f5dd36af0895..33d9f3feb2ef 100644 --- a/clients/client-macie2/src/commands/TagResourceCommand.ts +++ b/clients/client-macie2/src/commands/TagResourceCommand.ts @@ -78,4 +78,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/TestCustomDataIdentifierCommand.ts b/clients/client-macie2/src/commands/TestCustomDataIdentifierCommand.ts index 1fe806645d3b..47586197be27 100644 --- a/clients/client-macie2/src/commands/TestCustomDataIdentifierCommand.ts +++ b/clients/client-macie2/src/commands/TestCustomDataIdentifierCommand.ts @@ -106,4 +106,16 @@ export class TestCustomDataIdentifierCommand extends $Command .f(void 0, void 0) .ser(se_TestCustomDataIdentifierCommand) .de(de_TestCustomDataIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestCustomDataIdentifierRequest; + output: TestCustomDataIdentifierResponse; + }; + sdk: { + input: TestCustomDataIdentifierCommandInput; + output: TestCustomDataIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UntagResourceCommand.ts b/clients/client-macie2/src/commands/UntagResourceCommand.ts index 9c86655b740b..059518486b29 100644 --- a/clients/client-macie2/src/commands/UntagResourceCommand.ts +++ b/clients/client-macie2/src/commands/UntagResourceCommand.ts @@ -78,4 +78,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateAllowListCommand.ts b/clients/client-macie2/src/commands/UpdateAllowListCommand.ts index 4bbe455fe687..12e3de041583 100644 --- a/clients/client-macie2/src/commands/UpdateAllowListCommand.ts +++ b/clients/client-macie2/src/commands/UpdateAllowListCommand.ts @@ -102,4 +102,16 @@ export class UpdateAllowListCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAllowListCommand) .de(de_UpdateAllowListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAllowListRequest; + output: UpdateAllowListResponse; + }; + sdk: { + input: UpdateAllowListCommandInput; + output: UpdateAllowListCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateAutomatedDiscoveryConfigurationCommand.ts b/clients/client-macie2/src/commands/UpdateAutomatedDiscoveryConfigurationCommand.ts index 414baeef40d1..bad5a0d89119 100644 --- a/clients/client-macie2/src/commands/UpdateAutomatedDiscoveryConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/UpdateAutomatedDiscoveryConfigurationCommand.ts @@ -97,4 +97,16 @@ export class UpdateAutomatedDiscoveryConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAutomatedDiscoveryConfigurationCommand) .de(de_UpdateAutomatedDiscoveryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAutomatedDiscoveryConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateAutomatedDiscoveryConfigurationCommandInput; + output: UpdateAutomatedDiscoveryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateClassificationJobCommand.ts b/clients/client-macie2/src/commands/UpdateClassificationJobCommand.ts index e07a58d84a9b..4d61142bfdf5 100644 --- a/clients/client-macie2/src/commands/UpdateClassificationJobCommand.ts +++ b/clients/client-macie2/src/commands/UpdateClassificationJobCommand.ts @@ -97,4 +97,16 @@ export class UpdateClassificationJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClassificationJobCommand) .de(de_UpdateClassificationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClassificationJobRequest; + output: {}; + }; + sdk: { + input: UpdateClassificationJobCommandInput; + output: UpdateClassificationJobCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateClassificationScopeCommand.ts b/clients/client-macie2/src/commands/UpdateClassificationScopeCommand.ts index dceead668526..a3ddede4388d 100644 --- a/clients/client-macie2/src/commands/UpdateClassificationScopeCommand.ts +++ b/clients/client-macie2/src/commands/UpdateClassificationScopeCommand.ts @@ -98,4 +98,16 @@ export class UpdateClassificationScopeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClassificationScopeCommand) .de(de_UpdateClassificationScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClassificationScopeRequest; + output: {}; + }; + sdk: { + input: UpdateClassificationScopeCommandInput; + output: UpdateClassificationScopeCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateFindingsFilterCommand.ts b/clients/client-macie2/src/commands/UpdateFindingsFilterCommand.ts index fb1e8f5167ab..164081705e26 100644 --- a/clients/client-macie2/src/commands/UpdateFindingsFilterCommand.ts +++ b/clients/client-macie2/src/commands/UpdateFindingsFilterCommand.ts @@ -123,4 +123,16 @@ export class UpdateFindingsFilterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFindingsFilterCommand) .de(de_UpdateFindingsFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFindingsFilterRequest; + output: UpdateFindingsFilterResponse; + }; + sdk: { + input: UpdateFindingsFilterCommandInput; + output: UpdateFindingsFilterCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateMacieSessionCommand.ts b/clients/client-macie2/src/commands/UpdateMacieSessionCommand.ts index 9b67642b6d30..019e0ff58f64 100644 --- a/clients/client-macie2/src/commands/UpdateMacieSessionCommand.ts +++ b/clients/client-macie2/src/commands/UpdateMacieSessionCommand.ts @@ -97,4 +97,16 @@ export class UpdateMacieSessionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMacieSessionCommand) .de(de_UpdateMacieSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMacieSessionRequest; + output: {}; + }; + sdk: { + input: UpdateMacieSessionCommandInput; + output: UpdateMacieSessionCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateMemberSessionCommand.ts b/clients/client-macie2/src/commands/UpdateMemberSessionCommand.ts index 29fbcc15381d..ab4170b942ec 100644 --- a/clients/client-macie2/src/commands/UpdateMemberSessionCommand.ts +++ b/clients/client-macie2/src/commands/UpdateMemberSessionCommand.ts @@ -97,4 +97,16 @@ export class UpdateMemberSessionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMemberSessionCommand) .de(de_UpdateMemberSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMemberSessionRequest; + output: {}; + }; + sdk: { + input: UpdateMemberSessionCommandInput; + output: UpdateMemberSessionCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateOrganizationConfigurationCommand.ts b/clients/client-macie2/src/commands/UpdateOrganizationConfigurationCommand.ts index 9598335fa8bc..0b1aeb285c05 100644 --- a/clients/client-macie2/src/commands/UpdateOrganizationConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/UpdateOrganizationConfigurationCommand.ts @@ -101,4 +101,16 @@ export class UpdateOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOrganizationConfigurationCommand) .de(de_UpdateOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrganizationConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateOrganizationConfigurationCommandInput; + output: UpdateOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateResourceProfileCommand.ts b/clients/client-macie2/src/commands/UpdateResourceProfileCommand.ts index 1cb7c58e8bb8..a5576ba54cd8 100644 --- a/clients/client-macie2/src/commands/UpdateResourceProfileCommand.ts +++ b/clients/client-macie2/src/commands/UpdateResourceProfileCommand.ts @@ -94,4 +94,16 @@ export class UpdateResourceProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceProfileCommand) .de(de_UpdateResourceProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceProfileRequest; + output: {}; + }; + sdk: { + input: UpdateResourceProfileCommandInput; + output: UpdateResourceProfileCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateResourceProfileDetectionsCommand.ts b/clients/client-macie2/src/commands/UpdateResourceProfileDetectionsCommand.ts index 34ad0c52f65e..ea21d78d9a15 100644 --- a/clients/client-macie2/src/commands/UpdateResourceProfileDetectionsCommand.ts +++ b/clients/client-macie2/src/commands/UpdateResourceProfileDetectionsCommand.ts @@ -104,4 +104,16 @@ export class UpdateResourceProfileDetectionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceProfileDetectionsCommand) .de(de_UpdateResourceProfileDetectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceProfileDetectionsRequest; + output: {}; + }; + sdk: { + input: UpdateResourceProfileDetectionsCommandInput; + output: UpdateResourceProfileDetectionsCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateRevealConfigurationCommand.ts b/clients/client-macie2/src/commands/UpdateRevealConfigurationCommand.ts index 80f0ef418215..608ed635ef20 100644 --- a/clients/client-macie2/src/commands/UpdateRevealConfigurationCommand.ts +++ b/clients/client-macie2/src/commands/UpdateRevealConfigurationCommand.ts @@ -104,4 +104,16 @@ export class UpdateRevealConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRevealConfigurationCommand) .de(de_UpdateRevealConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRevealConfigurationRequest; + output: UpdateRevealConfigurationResponse; + }; + sdk: { + input: UpdateRevealConfigurationCommandInput; + output: UpdateRevealConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-macie2/src/commands/UpdateSensitivityInspectionTemplateCommand.ts b/clients/client-macie2/src/commands/UpdateSensitivityInspectionTemplateCommand.ts index 14b1c2552db5..4792d17230fb 100644 --- a/clients/client-macie2/src/commands/UpdateSensitivityInspectionTemplateCommand.ts +++ b/clients/client-macie2/src/commands/UpdateSensitivityInspectionTemplateCommand.ts @@ -115,4 +115,16 @@ export class UpdateSensitivityInspectionTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSensitivityInspectionTemplateCommand) .de(de_UpdateSensitivityInspectionTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSensitivityInspectionTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateSensitivityInspectionTemplateCommandInput; + output: UpdateSensitivityInspectionTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/package.json b/clients/client-mailmanager/package.json index 4c90eb141ac4..0efbdffe3287 100644 --- a/clients/client-mailmanager/package.json +++ b/clients/client-mailmanager/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-mailmanager/src/commands/CreateAddonInstanceCommand.ts b/clients/client-mailmanager/src/commands/CreateAddonInstanceCommand.ts index 44c1bfeb27e2..62838fda168a 100644 --- a/clients/client-mailmanager/src/commands/CreateAddonInstanceCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateAddonInstanceCommand.ts @@ -102,4 +102,16 @@ export class CreateAddonInstanceCommand extends $Command .f(CreateAddonInstanceRequestFilterSensitiveLog, void 0) .ser(se_CreateAddonInstanceCommand) .de(de_CreateAddonInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAddonInstanceRequest; + output: CreateAddonInstanceResponse; + }; + sdk: { + input: CreateAddonInstanceCommandInput; + output: CreateAddonInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/CreateAddonSubscriptionCommand.ts b/clients/client-mailmanager/src/commands/CreateAddonSubscriptionCommand.ts index 6a0e7c0d345a..747bec8e76b3 100644 --- a/clients/client-mailmanager/src/commands/CreateAddonSubscriptionCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateAddonSubscriptionCommand.ts @@ -99,4 +99,16 @@ export class CreateAddonSubscriptionCommand extends $Command .f(CreateAddonSubscriptionRequestFilterSensitiveLog, void 0) .ser(se_CreateAddonSubscriptionCommand) .de(de_CreateAddonSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAddonSubscriptionRequest; + output: CreateAddonSubscriptionResponse; + }; + sdk: { + input: CreateAddonSubscriptionCommandInput; + output: CreateAddonSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/CreateArchiveCommand.ts b/clients/client-mailmanager/src/commands/CreateArchiveCommand.ts index 71b21674b587..0dd4cf8a6fdf 100644 --- a/clients/client-mailmanager/src/commands/CreateArchiveCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateArchiveCommand.ts @@ -107,4 +107,16 @@ export class CreateArchiveCommand extends $Command .f(CreateArchiveRequestFilterSensitiveLog, void 0) .ser(se_CreateArchiveCommand) .de(de_CreateArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateArchiveRequest; + output: CreateArchiveResponse; + }; + sdk: { + input: CreateArchiveCommandInput; + output: CreateArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/CreateIngressPointCommand.ts b/clients/client-mailmanager/src/commands/CreateIngressPointCommand.ts index 77fb262e64c6..58565e7ff33a 100644 --- a/clients/client-mailmanager/src/commands/CreateIngressPointCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateIngressPointCommand.ts @@ -104,4 +104,16 @@ export class CreateIngressPointCommand extends $Command .f(CreateIngressPointRequestFilterSensitiveLog, void 0) .ser(se_CreateIngressPointCommand) .de(de_CreateIngressPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIngressPointRequest; + output: CreateIngressPointResponse; + }; + sdk: { + input: CreateIngressPointCommandInput; + output: CreateIngressPointCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/CreateRelayCommand.ts b/clients/client-mailmanager/src/commands/CreateRelayCommand.ts index 9d8795a1ed30..8bb2d8a6774c 100644 --- a/clients/client-mailmanager/src/commands/CreateRelayCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateRelayCommand.ts @@ -100,4 +100,16 @@ export class CreateRelayCommand extends $Command .f(CreateRelayRequestFilterSensitiveLog, void 0) .ser(se_CreateRelayCommand) .de(de_CreateRelayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRelayRequest; + output: CreateRelayResponse; + }; + sdk: { + input: CreateRelayCommandInput; + output: CreateRelayCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts b/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts index 26fcfc70ba64..221b7af974a3 100644 --- a/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts @@ -249,4 +249,16 @@ export class CreateRuleSetCommand extends $Command .f(CreateRuleSetRequestFilterSensitiveLog, void 0) .ser(se_CreateRuleSetCommand) .de(de_CreateRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleSetRequest; + output: CreateRuleSetResponse; + }; + sdk: { + input: CreateRuleSetCommandInput; + output: CreateRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/CreateTrafficPolicyCommand.ts b/clients/client-mailmanager/src/commands/CreateTrafficPolicyCommand.ts index fe94a901b8d0..2e055f19a24a 100644 --- a/clients/client-mailmanager/src/commands/CreateTrafficPolicyCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateTrafficPolicyCommand.ts @@ -142,4 +142,16 @@ export class CreateTrafficPolicyCommand extends $Command .f(CreateTrafficPolicyRequestFilterSensitiveLog, void 0) .ser(se_CreateTrafficPolicyCommand) .de(de_CreateTrafficPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficPolicyRequest; + output: CreateTrafficPolicyResponse; + }; + sdk: { + input: CreateTrafficPolicyCommandInput; + output: CreateTrafficPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/DeleteAddonInstanceCommand.ts b/clients/client-mailmanager/src/commands/DeleteAddonInstanceCommand.ts index 037c72d18b81..f09fd9dec615 100644 --- a/clients/client-mailmanager/src/commands/DeleteAddonInstanceCommand.ts +++ b/clients/client-mailmanager/src/commands/DeleteAddonInstanceCommand.ts @@ -81,4 +81,16 @@ export class DeleteAddonInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAddonInstanceCommand) .de(de_DeleteAddonInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAddonInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteAddonInstanceCommandInput; + output: DeleteAddonInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/DeleteAddonSubscriptionCommand.ts b/clients/client-mailmanager/src/commands/DeleteAddonSubscriptionCommand.ts index 20cd819a61c1..fb2dde48b051 100644 --- a/clients/client-mailmanager/src/commands/DeleteAddonSubscriptionCommand.ts +++ b/clients/client-mailmanager/src/commands/DeleteAddonSubscriptionCommand.ts @@ -81,4 +81,16 @@ export class DeleteAddonSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAddonSubscriptionCommand) .de(de_DeleteAddonSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAddonSubscriptionRequest; + output: {}; + }; + sdk: { + input: DeleteAddonSubscriptionCommandInput; + output: DeleteAddonSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/DeleteArchiveCommand.ts b/clients/client-mailmanager/src/commands/DeleteArchiveCommand.ts index 029b3ae23860..64bac6b9310a 100644 --- a/clients/client-mailmanager/src/commands/DeleteArchiveCommand.ts +++ b/clients/client-mailmanager/src/commands/DeleteArchiveCommand.ts @@ -91,4 +91,16 @@ export class DeleteArchiveCommand extends $Command .f(void 0, void 0) .ser(se_DeleteArchiveCommand) .de(de_DeleteArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteArchiveRequest; + output: {}; + }; + sdk: { + input: DeleteArchiveCommandInput; + output: DeleteArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/DeleteIngressPointCommand.ts b/clients/client-mailmanager/src/commands/DeleteIngressPointCommand.ts index 55621b37d45b..cbebc8c81d98 100644 --- a/clients/client-mailmanager/src/commands/DeleteIngressPointCommand.ts +++ b/clients/client-mailmanager/src/commands/DeleteIngressPointCommand.ts @@ -84,4 +84,16 @@ export class DeleteIngressPointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIngressPointCommand) .de(de_DeleteIngressPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIngressPointRequest; + output: {}; + }; + sdk: { + input: DeleteIngressPointCommandInput; + output: DeleteIngressPointCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/DeleteRelayCommand.ts b/clients/client-mailmanager/src/commands/DeleteRelayCommand.ts index f683193282eb..3477b0da0daf 100644 --- a/clients/client-mailmanager/src/commands/DeleteRelayCommand.ts +++ b/clients/client-mailmanager/src/commands/DeleteRelayCommand.ts @@ -84,4 +84,16 @@ export class DeleteRelayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRelayCommand) .de(de_DeleteRelayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRelayRequest; + output: {}; + }; + sdk: { + input: DeleteRelayCommandInput; + output: DeleteRelayCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/DeleteRuleSetCommand.ts b/clients/client-mailmanager/src/commands/DeleteRuleSetCommand.ts index ff5dccf347cf..e31e1cd6683a 100644 --- a/clients/client-mailmanager/src/commands/DeleteRuleSetCommand.ts +++ b/clients/client-mailmanager/src/commands/DeleteRuleSetCommand.ts @@ -81,4 +81,16 @@ export class DeleteRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleSetCommand) .de(de_DeleteRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleSetRequest; + output: {}; + }; + sdk: { + input: DeleteRuleSetCommandInput; + output: DeleteRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/DeleteTrafficPolicyCommand.ts b/clients/client-mailmanager/src/commands/DeleteTrafficPolicyCommand.ts index ca32d19de999..fb3639189a2d 100644 --- a/clients/client-mailmanager/src/commands/DeleteTrafficPolicyCommand.ts +++ b/clients/client-mailmanager/src/commands/DeleteTrafficPolicyCommand.ts @@ -84,4 +84,16 @@ export class DeleteTrafficPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficPolicyCommand) .de(de_DeleteTrafficPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteTrafficPolicyCommandInput; + output: DeleteTrafficPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetAddonInstanceCommand.ts b/clients/client-mailmanager/src/commands/GetAddonInstanceCommand.ts index 218f6e85a7e6..74cd6685dda6 100644 --- a/clients/client-mailmanager/src/commands/GetAddonInstanceCommand.ts +++ b/clients/client-mailmanager/src/commands/GetAddonInstanceCommand.ts @@ -86,4 +86,16 @@ export class GetAddonInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetAddonInstanceCommand) .de(de_GetAddonInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAddonInstanceRequest; + output: GetAddonInstanceResponse; + }; + sdk: { + input: GetAddonInstanceCommandInput; + output: GetAddonInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetAddonSubscriptionCommand.ts b/clients/client-mailmanager/src/commands/GetAddonSubscriptionCommand.ts index 1d04db378077..79ec82c60ccc 100644 --- a/clients/client-mailmanager/src/commands/GetAddonSubscriptionCommand.ts +++ b/clients/client-mailmanager/src/commands/GetAddonSubscriptionCommand.ts @@ -85,4 +85,16 @@ export class GetAddonSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_GetAddonSubscriptionCommand) .de(de_GetAddonSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAddonSubscriptionRequest; + output: GetAddonSubscriptionResponse; + }; + sdk: { + input: GetAddonSubscriptionCommandInput; + output: GetAddonSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetArchiveCommand.ts b/clients/client-mailmanager/src/commands/GetArchiveCommand.ts index 994760f094a9..8486e8284fa5 100644 --- a/clients/client-mailmanager/src/commands/GetArchiveCommand.ts +++ b/clients/client-mailmanager/src/commands/GetArchiveCommand.ts @@ -98,4 +98,16 @@ export class GetArchiveCommand extends $Command .f(void 0, void 0) .ser(se_GetArchiveCommand) .de(de_GetArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchiveRequest; + output: GetArchiveResponse; + }; + sdk: { + input: GetArchiveCommandInput; + output: GetArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetArchiveExportCommand.ts b/clients/client-mailmanager/src/commands/GetArchiveExportCommand.ts index 6b54cf11a63e..847e0e5b7a47 100644 --- a/clients/client-mailmanager/src/commands/GetArchiveExportCommand.ts +++ b/clients/client-mailmanager/src/commands/GetArchiveExportCommand.ts @@ -140,4 +140,16 @@ export class GetArchiveExportCommand extends $Command .f(void 0, void 0) .ser(se_GetArchiveExportCommand) .de(de_GetArchiveExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchiveExportRequest; + output: GetArchiveExportResponse; + }; + sdk: { + input: GetArchiveExportCommandInput; + output: GetArchiveExportCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetArchiveMessageCommand.ts b/clients/client-mailmanager/src/commands/GetArchiveMessageCommand.ts index 123a88bd1de4..8f8613dc6517 100644 --- a/clients/client-mailmanager/src/commands/GetArchiveMessageCommand.ts +++ b/clients/client-mailmanager/src/commands/GetArchiveMessageCommand.ts @@ -88,4 +88,16 @@ export class GetArchiveMessageCommand extends $Command .f(void 0, void 0) .ser(se_GetArchiveMessageCommand) .de(de_GetArchiveMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchiveMessageRequest; + output: GetArchiveMessageResponse; + }; + sdk: { + input: GetArchiveMessageCommandInput; + output: GetArchiveMessageCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetArchiveMessageContentCommand.ts b/clients/client-mailmanager/src/commands/GetArchiveMessageContentCommand.ts index 24d02b3a22e3..1dd0f05a77c0 100644 --- a/clients/client-mailmanager/src/commands/GetArchiveMessageContentCommand.ts +++ b/clients/client-mailmanager/src/commands/GetArchiveMessageContentCommand.ts @@ -92,4 +92,16 @@ export class GetArchiveMessageContentCommand extends $Command .f(void 0, void 0) .ser(se_GetArchiveMessageContentCommand) .de(de_GetArchiveMessageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchiveMessageContentRequest; + output: GetArchiveMessageContentResponse; + }; + sdk: { + input: GetArchiveMessageContentCommandInput; + output: GetArchiveMessageContentCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetArchiveSearchCommand.ts b/clients/client-mailmanager/src/commands/GetArchiveSearchCommand.ts index c53b2eb59c8a..81c8b8d6a653 100644 --- a/clients/client-mailmanager/src/commands/GetArchiveSearchCommand.ts +++ b/clients/client-mailmanager/src/commands/GetArchiveSearchCommand.ts @@ -135,4 +135,16 @@ export class GetArchiveSearchCommand extends $Command .f(void 0, void 0) .ser(se_GetArchiveSearchCommand) .de(de_GetArchiveSearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchiveSearchRequest; + output: GetArchiveSearchResponse; + }; + sdk: { + input: GetArchiveSearchCommandInput; + output: GetArchiveSearchCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetArchiveSearchResultsCommand.ts b/clients/client-mailmanager/src/commands/GetArchiveSearchResultsCommand.ts index b3f7bfa78b41..4091c961b8c0 100644 --- a/clients/client-mailmanager/src/commands/GetArchiveSearchResultsCommand.ts +++ b/clients/client-mailmanager/src/commands/GetArchiveSearchResultsCommand.ts @@ -108,4 +108,16 @@ export class GetArchiveSearchResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetArchiveSearchResultsCommand) .de(de_GetArchiveSearchResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchiveSearchResultsRequest; + output: GetArchiveSearchResultsResponse; + }; + sdk: { + input: GetArchiveSearchResultsCommandInput; + output: GetArchiveSearchResultsCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetIngressPointCommand.ts b/clients/client-mailmanager/src/commands/GetIngressPointCommand.ts index 928afb40aafc..5362b4f29d7b 100644 --- a/clients/client-mailmanager/src/commands/GetIngressPointCommand.ts +++ b/clients/client-mailmanager/src/commands/GetIngressPointCommand.ts @@ -100,4 +100,16 @@ export class GetIngressPointCommand extends $Command .f(void 0, void 0) .ser(se_GetIngressPointCommand) .de(de_GetIngressPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIngressPointRequest; + output: GetIngressPointResponse; + }; + sdk: { + input: GetIngressPointCommandInput; + output: GetIngressPointCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetRelayCommand.ts b/clients/client-mailmanager/src/commands/GetRelayCommand.ts index bebfbe85d7be..551618d54307 100644 --- a/clients/client-mailmanager/src/commands/GetRelayCommand.ts +++ b/clients/client-mailmanager/src/commands/GetRelayCommand.ts @@ -93,4 +93,16 @@ export class GetRelayCommand extends $Command .f(void 0, void 0) .ser(se_GetRelayCommand) .de(de_GetRelayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRelayRequest; + output: GetRelayResponse; + }; + sdk: { + input: GetRelayCommandInput; + output: GetRelayCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts b/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts index 951fa48fdedc..e802d76fd0b7 100644 --- a/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts +++ b/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts @@ -239,4 +239,16 @@ export class GetRuleSetCommand extends $Command .f(void 0, GetRuleSetResponseFilterSensitiveLog) .ser(se_GetRuleSetCommand) .de(de_GetRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleSetRequest; + output: GetRuleSetResponse; + }; + sdk: { + input: GetRuleSetCommandInput; + output: GetRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/GetTrafficPolicyCommand.ts b/clients/client-mailmanager/src/commands/GetTrafficPolicyCommand.ts index ee31628a9085..d00f805f5d55 100644 --- a/clients/client-mailmanager/src/commands/GetTrafficPolicyCommand.ts +++ b/clients/client-mailmanager/src/commands/GetTrafficPolicyCommand.ts @@ -132,4 +132,16 @@ export class GetTrafficPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetTrafficPolicyCommand) .de(de_GetTrafficPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrafficPolicyRequest; + output: GetTrafficPolicyResponse; + }; + sdk: { + input: GetTrafficPolicyCommandInput; + output: GetTrafficPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListAddonInstancesCommand.ts b/clients/client-mailmanager/src/commands/ListAddonInstancesCommand.ts index 2c780bc3e586..8bf6c547367f 100644 --- a/clients/client-mailmanager/src/commands/ListAddonInstancesCommand.ts +++ b/clients/client-mailmanager/src/commands/ListAddonInstancesCommand.ts @@ -90,4 +90,16 @@ export class ListAddonInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListAddonInstancesCommand) .de(de_ListAddonInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAddonInstancesRequest; + output: ListAddonInstancesResponse; + }; + sdk: { + input: ListAddonInstancesCommandInput; + output: ListAddonInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListAddonSubscriptionsCommand.ts b/clients/client-mailmanager/src/commands/ListAddonSubscriptionsCommand.ts index 67ffef49f7a5..6e01d14de211 100644 --- a/clients/client-mailmanager/src/commands/ListAddonSubscriptionsCommand.ts +++ b/clients/client-mailmanager/src/commands/ListAddonSubscriptionsCommand.ts @@ -89,4 +89,16 @@ export class ListAddonSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAddonSubscriptionsCommand) .de(de_ListAddonSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAddonSubscriptionsRequest; + output: ListAddonSubscriptionsResponse; + }; + sdk: { + input: ListAddonSubscriptionsCommandInput; + output: ListAddonSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListArchiveExportsCommand.ts b/clients/client-mailmanager/src/commands/ListArchiveExportsCommand.ts index 75bad6f07599..6fbe4fb9e04f 100644 --- a/clients/client-mailmanager/src/commands/ListArchiveExportsCommand.ts +++ b/clients/client-mailmanager/src/commands/ListArchiveExportsCommand.ts @@ -102,4 +102,16 @@ export class ListArchiveExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListArchiveExportsCommand) .de(de_ListArchiveExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArchiveExportsRequest; + output: ListArchiveExportsResponse; + }; + sdk: { + input: ListArchiveExportsCommandInput; + output: ListArchiveExportsCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListArchiveSearchesCommand.ts b/clients/client-mailmanager/src/commands/ListArchiveSearchesCommand.ts index ac67e9fe8766..d25f62b2f0ec 100644 --- a/clients/client-mailmanager/src/commands/ListArchiveSearchesCommand.ts +++ b/clients/client-mailmanager/src/commands/ListArchiveSearchesCommand.ts @@ -102,4 +102,16 @@ export class ListArchiveSearchesCommand extends $Command .f(void 0, void 0) .ser(se_ListArchiveSearchesCommand) .de(de_ListArchiveSearchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArchiveSearchesRequest; + output: ListArchiveSearchesResponse; + }; + sdk: { + input: ListArchiveSearchesCommandInput; + output: ListArchiveSearchesCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListArchivesCommand.ts b/clients/client-mailmanager/src/commands/ListArchivesCommand.ts index ade31421fd50..7155b854967c 100644 --- a/clients/client-mailmanager/src/commands/ListArchivesCommand.ts +++ b/clients/client-mailmanager/src/commands/ListArchivesCommand.ts @@ -95,4 +95,16 @@ export class ListArchivesCommand extends $Command .f(void 0, void 0) .ser(se_ListArchivesCommand) .de(de_ListArchivesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArchivesRequest; + output: ListArchivesResponse; + }; + sdk: { + input: ListArchivesCommandInput; + output: ListArchivesCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListIngressPointsCommand.ts b/clients/client-mailmanager/src/commands/ListIngressPointsCommand.ts index a0b286e6e809..b85449f4896b 100644 --- a/clients/client-mailmanager/src/commands/ListIngressPointsCommand.ts +++ b/clients/client-mailmanager/src/commands/ListIngressPointsCommand.ts @@ -90,4 +90,16 @@ export class ListIngressPointsCommand extends $Command .f(void 0, void 0) .ser(se_ListIngressPointsCommand) .de(de_ListIngressPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIngressPointsRequest; + output: ListIngressPointsResponse; + }; + sdk: { + input: ListIngressPointsCommandInput; + output: ListIngressPointsCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListRelaysCommand.ts b/clients/client-mailmanager/src/commands/ListRelaysCommand.ts index 76fcb127362f..92d9229329aa 100644 --- a/clients/client-mailmanager/src/commands/ListRelaysCommand.ts +++ b/clients/client-mailmanager/src/commands/ListRelaysCommand.ts @@ -88,4 +88,16 @@ export class ListRelaysCommand extends $Command .f(void 0, void 0) .ser(se_ListRelaysCommand) .de(de_ListRelaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRelaysRequest; + output: ListRelaysResponse; + }; + sdk: { + input: ListRelaysCommandInput; + output: ListRelaysCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListRuleSetsCommand.ts b/clients/client-mailmanager/src/commands/ListRuleSetsCommand.ts index 9d345198d9ff..f19d5f74c5ba 100644 --- a/clients/client-mailmanager/src/commands/ListRuleSetsCommand.ts +++ b/clients/client-mailmanager/src/commands/ListRuleSetsCommand.ts @@ -88,4 +88,16 @@ export class ListRuleSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleSetsCommand) .de(de_ListRuleSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleSetsRequest; + output: ListRuleSetsResponse; + }; + sdk: { + input: ListRuleSetsCommandInput; + output: ListRuleSetsCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListTagsForResourceCommand.ts b/clients/client-mailmanager/src/commands/ListTagsForResourceCommand.ts index 1defc8d3372a..de8eaf5039f5 100644 --- a/clients/client-mailmanager/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mailmanager/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/ListTrafficPoliciesCommand.ts b/clients/client-mailmanager/src/commands/ListTrafficPoliciesCommand.ts index 51c8019dcf63..b04d10b782b3 100644 --- a/clients/client-mailmanager/src/commands/ListTrafficPoliciesCommand.ts +++ b/clients/client-mailmanager/src/commands/ListTrafficPoliciesCommand.ts @@ -88,4 +88,16 @@ export class ListTrafficPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficPoliciesCommand) .de(de_ListTrafficPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficPoliciesRequest; + output: ListTrafficPoliciesResponse; + }; + sdk: { + input: ListTrafficPoliciesCommandInput; + output: ListTrafficPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/StartArchiveExportCommand.ts b/clients/client-mailmanager/src/commands/StartArchiveExportCommand.ts index 9e473881571e..76724f41eadf 100644 --- a/clients/client-mailmanager/src/commands/StartArchiveExportCommand.ts +++ b/clients/client-mailmanager/src/commands/StartArchiveExportCommand.ts @@ -140,4 +140,16 @@ export class StartArchiveExportCommand extends $Command .f(void 0, void 0) .ser(se_StartArchiveExportCommand) .de(de_StartArchiveExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartArchiveExportRequest; + output: StartArchiveExportResponse; + }; + sdk: { + input: StartArchiveExportCommandInput; + output: StartArchiveExportCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/StartArchiveSearchCommand.ts b/clients/client-mailmanager/src/commands/StartArchiveSearchCommand.ts index 218756123a5a..9ea36317115a 100644 --- a/clients/client-mailmanager/src/commands/StartArchiveSearchCommand.ts +++ b/clients/client-mailmanager/src/commands/StartArchiveSearchCommand.ts @@ -138,4 +138,16 @@ export class StartArchiveSearchCommand extends $Command .f(void 0, void 0) .ser(se_StartArchiveSearchCommand) .de(de_StartArchiveSearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartArchiveSearchRequest; + output: StartArchiveSearchResponse; + }; + sdk: { + input: StartArchiveSearchCommandInput; + output: StartArchiveSearchCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/StopArchiveExportCommand.ts b/clients/client-mailmanager/src/commands/StopArchiveExportCommand.ts index 4a4458b6f856..821c9c367bf2 100644 --- a/clients/client-mailmanager/src/commands/StopArchiveExportCommand.ts +++ b/clients/client-mailmanager/src/commands/StopArchiveExportCommand.ts @@ -84,4 +84,16 @@ export class StopArchiveExportCommand extends $Command .f(void 0, void 0) .ser(se_StopArchiveExportCommand) .de(de_StopArchiveExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopArchiveExportRequest; + output: {}; + }; + sdk: { + input: StopArchiveExportCommandInput; + output: StopArchiveExportCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/StopArchiveSearchCommand.ts b/clients/client-mailmanager/src/commands/StopArchiveSearchCommand.ts index a02fb76381bb..0354e942fe69 100644 --- a/clients/client-mailmanager/src/commands/StopArchiveSearchCommand.ts +++ b/clients/client-mailmanager/src/commands/StopArchiveSearchCommand.ts @@ -84,4 +84,16 @@ export class StopArchiveSearchCommand extends $Command .f(void 0, void 0) .ser(se_StopArchiveSearchCommand) .de(de_StopArchiveSearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopArchiveSearchRequest; + output: {}; + }; + sdk: { + input: StopArchiveSearchCommandInput; + output: StopArchiveSearchCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/TagResourceCommand.ts b/clients/client-mailmanager/src/commands/TagResourceCommand.ts index 4a055b8dedc6..a9f9ec3a663e 100644 --- a/clients/client-mailmanager/src/commands/TagResourceCommand.ts +++ b/clients/client-mailmanager/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/UntagResourceCommand.ts b/clients/client-mailmanager/src/commands/UntagResourceCommand.ts index 8c87685f3bc7..2b5c7a6e8cc6 100644 --- a/clients/client-mailmanager/src/commands/UntagResourceCommand.ts +++ b/clients/client-mailmanager/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/UpdateArchiveCommand.ts b/clients/client-mailmanager/src/commands/UpdateArchiveCommand.ts index 592680705203..9a1ae6e9472b 100644 --- a/clients/client-mailmanager/src/commands/UpdateArchiveCommand.ts +++ b/clients/client-mailmanager/src/commands/UpdateArchiveCommand.ts @@ -97,4 +97,16 @@ export class UpdateArchiveCommand extends $Command .f(void 0, void 0) .ser(se_UpdateArchiveCommand) .de(de_UpdateArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateArchiveRequest; + output: {}; + }; + sdk: { + input: UpdateArchiveCommandInput; + output: UpdateArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/UpdateIngressPointCommand.ts b/clients/client-mailmanager/src/commands/UpdateIngressPointCommand.ts index c3691bdfc12f..6bb8fa202282 100644 --- a/clients/client-mailmanager/src/commands/UpdateIngressPointCommand.ts +++ b/clients/client-mailmanager/src/commands/UpdateIngressPointCommand.ts @@ -96,4 +96,16 @@ export class UpdateIngressPointCommand extends $Command .f(UpdateIngressPointRequestFilterSensitiveLog, void 0) .ser(se_UpdateIngressPointCommand) .de(de_UpdateIngressPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIngressPointRequest; + output: {}; + }; + sdk: { + input: UpdateIngressPointCommandInput; + output: UpdateIngressPointCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/UpdateRelayCommand.ts b/clients/client-mailmanager/src/commands/UpdateRelayCommand.ts index 62fb37f7bcc0..04f7acf0585b 100644 --- a/clients/client-mailmanager/src/commands/UpdateRelayCommand.ts +++ b/clients/client-mailmanager/src/commands/UpdateRelayCommand.ts @@ -91,4 +91,16 @@ export class UpdateRelayCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRelayCommand) .de(de_UpdateRelayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRelayRequest; + output: {}; + }; + sdk: { + input: UpdateRelayCommandInput; + output: UpdateRelayCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts b/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts index 655f89f41efe..3342656a3233 100644 --- a/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts +++ b/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts @@ -241,4 +241,16 @@ export class UpdateRuleSetCommand extends $Command .f(UpdateRuleSetRequestFilterSensitiveLog, void 0) .ser(se_UpdateRuleSetCommand) .de(de_UpdateRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleSetRequest; + output: {}; + }; + sdk: { + input: UpdateRuleSetCommandInput; + output: UpdateRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-mailmanager/src/commands/UpdateTrafficPolicyCommand.ts b/clients/client-mailmanager/src/commands/UpdateTrafficPolicyCommand.ts index de7fbb951b79..483f9894c661 100644 --- a/clients/client-mailmanager/src/commands/UpdateTrafficPolicyCommand.ts +++ b/clients/client-mailmanager/src/commands/UpdateTrafficPolicyCommand.ts @@ -130,4 +130,16 @@ export class UpdateTrafficPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrafficPolicyCommand) .de(de_UpdateTrafficPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrafficPolicyRequest; + output: {}; + }; + sdk: { + input: UpdateTrafficPolicyCommandInput; + output: UpdateTrafficPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/package.json b/clients/client-managedblockchain-query/package.json index fc23cd3a4684..1b0ada90ae12 100644 --- a/clients/client-managedblockchain-query/package.json +++ b/clients/client-managedblockchain-query/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-managedblockchain-query/src/commands/BatchGetTokenBalanceCommand.ts b/clients/client-managedblockchain-query/src/commands/BatchGetTokenBalanceCommand.ts index 6c4fa4aa29c9..3ecbdf73b0c2 100644 --- a/clients/client-managedblockchain-query/src/commands/BatchGetTokenBalanceCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/BatchGetTokenBalanceCommand.ts @@ -157,4 +157,16 @@ export class BatchGetTokenBalanceCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetTokenBalanceCommand) .de(de_BatchGetTokenBalanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetTokenBalanceInput; + output: BatchGetTokenBalanceOutput; + }; + sdk: { + input: BatchGetTokenBalanceCommandInput; + output: BatchGetTokenBalanceCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/GetAssetContractCommand.ts b/clients/client-managedblockchain-query/src/commands/GetAssetContractCommand.ts index 3f495586196f..625691725294 100644 --- a/clients/client-managedblockchain-query/src/commands/GetAssetContractCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/GetAssetContractCommand.ts @@ -127,4 +127,16 @@ export class GetAssetContractCommand extends $Command .f(void 0, void 0) .ser(se_GetAssetContractCommand) .de(de_GetAssetContractCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssetContractInput; + output: GetAssetContractOutput; + }; + sdk: { + input: GetAssetContractCommandInput; + output: GetAssetContractCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/GetTokenBalanceCommand.ts b/clients/client-managedblockchain-query/src/commands/GetTokenBalanceCommand.ts index 1a19584437a1..5c7226353531 100644 --- a/clients/client-managedblockchain-query/src/commands/GetTokenBalanceCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/GetTokenBalanceCommand.ts @@ -130,4 +130,16 @@ export class GetTokenBalanceCommand extends $Command .f(void 0, void 0) .ser(se_GetTokenBalanceCommand) .de(de_GetTokenBalanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTokenBalanceInput; + output: GetTokenBalanceOutput; + }; + sdk: { + input: GetTokenBalanceCommandInput; + output: GetTokenBalanceCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/GetTransactionCommand.ts b/clients/client-managedblockchain-query/src/commands/GetTransactionCommand.ts index d9531d45d0b3..ce10fcadf0cf 100644 --- a/clients/client-managedblockchain-query/src/commands/GetTransactionCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/GetTransactionCommand.ts @@ -131,4 +131,16 @@ export class GetTransactionCommand extends $Command .f(void 0, void 0) .ser(se_GetTransactionCommand) .de(de_GetTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransactionInput; + output: GetTransactionOutput; + }; + sdk: { + input: GetTransactionCommandInput; + output: GetTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/ListAssetContractsCommand.ts b/clients/client-managedblockchain-query/src/commands/ListAssetContractsCommand.ts index 616732b12a9c..11bec6aca869 100644 --- a/clients/client-managedblockchain-query/src/commands/ListAssetContractsCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/ListAssetContractsCommand.ts @@ -118,4 +118,16 @@ export class ListAssetContractsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetContractsCommand) .de(de_ListAssetContractsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetContractsInput; + output: ListAssetContractsOutput; + }; + sdk: { + input: ListAssetContractsCommandInput; + output: ListAssetContractsCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/ListFilteredTransactionEventsCommand.ts b/clients/client-managedblockchain-query/src/commands/ListFilteredTransactionEventsCommand.ts index ba72f6a1b637..095a048762ed 100644 --- a/clients/client-managedblockchain-query/src/commands/ListFilteredTransactionEventsCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/ListFilteredTransactionEventsCommand.ts @@ -156,4 +156,16 @@ export class ListFilteredTransactionEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListFilteredTransactionEventsCommand) .de(de_ListFilteredTransactionEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFilteredTransactionEventsInput; + output: ListFilteredTransactionEventsOutput; + }; + sdk: { + input: ListFilteredTransactionEventsCommandInput; + output: ListFilteredTransactionEventsCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/ListTokenBalancesCommand.ts b/clients/client-managedblockchain-query/src/commands/ListTokenBalancesCommand.ts index ca673c10e92d..7bfdb3cf255b 100644 --- a/clients/client-managedblockchain-query/src/commands/ListTokenBalancesCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/ListTokenBalancesCommand.ts @@ -143,4 +143,16 @@ export class ListTokenBalancesCommand extends $Command .f(void 0, void 0) .ser(se_ListTokenBalancesCommand) .de(de_ListTokenBalancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTokenBalancesInput; + output: ListTokenBalancesOutput; + }; + sdk: { + input: ListTokenBalancesCommandInput; + output: ListTokenBalancesCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/ListTransactionEventsCommand.ts b/clients/client-managedblockchain-query/src/commands/ListTransactionEventsCommand.ts index 35e018b6c70b..7bfdc20f0774 100644 --- a/clients/client-managedblockchain-query/src/commands/ListTransactionEventsCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/ListTransactionEventsCommand.ts @@ -131,4 +131,16 @@ export class ListTransactionEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListTransactionEventsCommand) .de(de_ListTransactionEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTransactionEventsInput; + output: ListTransactionEventsOutput; + }; + sdk: { + input: ListTransactionEventsCommandInput; + output: ListTransactionEventsCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain-query/src/commands/ListTransactionsCommand.ts b/clients/client-managedblockchain-query/src/commands/ListTransactionsCommand.ts index 04f436aecc65..392f3d01a418 100644 --- a/clients/client-managedblockchain-query/src/commands/ListTransactionsCommand.ts +++ b/clients/client-managedblockchain-query/src/commands/ListTransactionsCommand.ts @@ -126,4 +126,16 @@ export class ListTransactionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTransactionsCommand) .de(de_ListTransactionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTransactionsInput; + output: ListTransactionsOutput; + }; + sdk: { + input: ListTransactionsCommandInput; + output: ListTransactionsCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/package.json b/clients/client-managedblockchain/package.json index ddcb7930753e..fb0eea9e6147 100644 --- a/clients/client-managedblockchain/package.json +++ b/clients/client-managedblockchain/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-managedblockchain/src/commands/CreateAccessorCommand.ts b/clients/client-managedblockchain/src/commands/CreateAccessorCommand.ts index da4b97d4a523..b8ce8cc595ac 100644 --- a/clients/client-managedblockchain/src/commands/CreateAccessorCommand.ts +++ b/clients/client-managedblockchain/src/commands/CreateAccessorCommand.ts @@ -114,4 +114,16 @@ export class CreateAccessorCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessorCommand) .de(de_CreateAccessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessorInput; + output: CreateAccessorOutput; + }; + sdk: { + input: CreateAccessorCommandInput; + output: CreateAccessorCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/CreateMemberCommand.ts b/clients/client-managedblockchain/src/commands/CreateMemberCommand.ts index d858c65d37a4..c6ba3e15d233 100644 --- a/clients/client-managedblockchain/src/commands/CreateMemberCommand.ts +++ b/clients/client-managedblockchain/src/commands/CreateMemberCommand.ts @@ -138,4 +138,16 @@ export class CreateMemberCommand extends $Command .f(CreateMemberInputFilterSensitiveLog, void 0) .ser(se_CreateMemberCommand) .de(de_CreateMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMemberInput; + output: CreateMemberOutput; + }; + sdk: { + input: CreateMemberCommandInput; + output: CreateMemberCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/CreateNetworkCommand.ts b/clients/client-managedblockchain/src/commands/CreateNetworkCommand.ts index f5b9f3b701b4..416d5582114d 100644 --- a/clients/client-managedblockchain/src/commands/CreateNetworkCommand.ts +++ b/clients/client-managedblockchain/src/commands/CreateNetworkCommand.ts @@ -150,4 +150,16 @@ export class CreateNetworkCommand extends $Command .f(CreateNetworkInputFilterSensitiveLog, void 0) .ser(se_CreateNetworkCommand) .de(de_CreateNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkInput; + output: CreateNetworkOutput; + }; + sdk: { + input: CreateNetworkCommandInput; + output: CreateNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/CreateNodeCommand.ts b/clients/client-managedblockchain/src/commands/CreateNodeCommand.ts index ae824040468e..70eb82540b6b 100644 --- a/clients/client-managedblockchain/src/commands/CreateNodeCommand.ts +++ b/clients/client-managedblockchain/src/commands/CreateNodeCommand.ts @@ -137,4 +137,16 @@ export class CreateNodeCommand extends $Command .f(void 0, void 0) .ser(se_CreateNodeCommand) .de(de_CreateNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNodeInput; + output: CreateNodeOutput; + }; + sdk: { + input: CreateNodeCommandInput; + output: CreateNodeCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/CreateProposalCommand.ts b/clients/client-managedblockchain/src/commands/CreateProposalCommand.ts index 806614e60349..333f8a8189b2 100644 --- a/clients/client-managedblockchain/src/commands/CreateProposalCommand.ts +++ b/clients/client-managedblockchain/src/commands/CreateProposalCommand.ts @@ -124,4 +124,16 @@ export class CreateProposalCommand extends $Command .f(void 0, void 0) .ser(se_CreateProposalCommand) .de(de_CreateProposalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProposalInput; + output: CreateProposalOutput; + }; + sdk: { + input: CreateProposalCommandInput; + output: CreateProposalCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/DeleteAccessorCommand.ts b/clients/client-managedblockchain/src/commands/DeleteAccessorCommand.ts index b881d332c29a..25162fd306ba 100644 --- a/clients/client-managedblockchain/src/commands/DeleteAccessorCommand.ts +++ b/clients/client-managedblockchain/src/commands/DeleteAccessorCommand.ts @@ -103,4 +103,16 @@ export class DeleteAccessorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessorCommand) .de(de_DeleteAccessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessorInput; + output: {}; + }; + sdk: { + input: DeleteAccessorCommandInput; + output: DeleteAccessorCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/DeleteMemberCommand.ts b/clients/client-managedblockchain/src/commands/DeleteMemberCommand.ts index ade4e4c7f022..ffdb4ed6d03f 100644 --- a/clients/client-managedblockchain/src/commands/DeleteMemberCommand.ts +++ b/clients/client-managedblockchain/src/commands/DeleteMemberCommand.ts @@ -102,4 +102,16 @@ export class DeleteMemberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMemberCommand) .de(de_DeleteMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMemberInput; + output: {}; + }; + sdk: { + input: DeleteMemberCommandInput; + output: DeleteMemberCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/DeleteNodeCommand.ts b/clients/client-managedblockchain/src/commands/DeleteNodeCommand.ts index 110a464caf33..5a541e1d16d2 100644 --- a/clients/client-managedblockchain/src/commands/DeleteNodeCommand.ts +++ b/clients/client-managedblockchain/src/commands/DeleteNodeCommand.ts @@ -103,4 +103,16 @@ export class DeleteNodeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNodeCommand) .de(de_DeleteNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNodeInput; + output: {}; + }; + sdk: { + input: DeleteNodeCommandInput; + output: DeleteNodeCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/GetAccessorCommand.ts b/clients/client-managedblockchain/src/commands/GetAccessorCommand.ts index 325cdb441ff2..12bf6119583f 100644 --- a/clients/client-managedblockchain/src/commands/GetAccessorCommand.ts +++ b/clients/client-managedblockchain/src/commands/GetAccessorCommand.ts @@ -111,4 +111,16 @@ export class GetAccessorCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessorCommand) .de(de_GetAccessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessorInput; + output: GetAccessorOutput; + }; + sdk: { + input: GetAccessorCommandInput; + output: GetAccessorCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/GetMemberCommand.ts b/clients/client-managedblockchain/src/commands/GetMemberCommand.ts index 43903160b3ab..aaf70d4008f3 100644 --- a/clients/client-managedblockchain/src/commands/GetMemberCommand.ts +++ b/clients/client-managedblockchain/src/commands/GetMemberCommand.ts @@ -128,4 +128,16 @@ export class GetMemberCommand extends $Command .f(void 0, void 0) .ser(se_GetMemberCommand) .de(de_GetMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMemberInput; + output: GetMemberOutput; + }; + sdk: { + input: GetMemberCommandInput; + output: GetMemberCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/GetNetworkCommand.ts b/clients/client-managedblockchain/src/commands/GetNetworkCommand.ts index 40cdb50c280f..b967eccddf81 100644 --- a/clients/client-managedblockchain/src/commands/GetNetworkCommand.ts +++ b/clients/client-managedblockchain/src/commands/GetNetworkCommand.ts @@ -129,4 +129,16 @@ export class GetNetworkCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkCommand) .de(de_GetNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkInput; + output: GetNetworkOutput; + }; + sdk: { + input: GetNetworkCommandInput; + output: GetNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/GetNodeCommand.ts b/clients/client-managedblockchain/src/commands/GetNodeCommand.ts index 21b23bfaae7f..a93d9bbbc49f 100644 --- a/clients/client-managedblockchain/src/commands/GetNodeCommand.ts +++ b/clients/client-managedblockchain/src/commands/GetNodeCommand.ts @@ -140,4 +140,16 @@ export class GetNodeCommand extends $Command .f(void 0, void 0) .ser(se_GetNodeCommand) .de(de_GetNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNodeInput; + output: GetNodeOutput; + }; + sdk: { + input: GetNodeCommandInput; + output: GetNodeCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/GetProposalCommand.ts b/clients/client-managedblockchain/src/commands/GetProposalCommand.ts index eba4a6022b26..4af5b46968e4 100644 --- a/clients/client-managedblockchain/src/commands/GetProposalCommand.ts +++ b/clients/client-managedblockchain/src/commands/GetProposalCommand.ts @@ -129,4 +129,16 @@ export class GetProposalCommand extends $Command .f(void 0, void 0) .ser(se_GetProposalCommand) .de(de_GetProposalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProposalInput; + output: GetProposalOutput; + }; + sdk: { + input: GetProposalCommandInput; + output: GetProposalCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListAccessorsCommand.ts b/clients/client-managedblockchain/src/commands/ListAccessorsCommand.ts index 507350c08f14..028303578f97 100644 --- a/clients/client-managedblockchain/src/commands/ListAccessorsCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListAccessorsCommand.ts @@ -109,4 +109,16 @@ export class ListAccessorsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessorsCommand) .de(de_ListAccessorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessorsInput; + output: ListAccessorsOutput; + }; + sdk: { + input: ListAccessorsCommandInput; + output: ListAccessorsCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListInvitationsCommand.ts b/clients/client-managedblockchain/src/commands/ListInvitationsCommand.ts index 174295e128e1..36b8e1ed321b 100644 --- a/clients/client-managedblockchain/src/commands/ListInvitationsCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListInvitationsCommand.ts @@ -124,4 +124,16 @@ export class ListInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_ListInvitationsCommand) .de(de_ListInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInvitationsInput; + output: ListInvitationsOutput; + }; + sdk: { + input: ListInvitationsCommandInput; + output: ListInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListMembersCommand.ts b/clients/client-managedblockchain/src/commands/ListMembersCommand.ts index 703c91a7ed97..79a5bd12dcb2 100644 --- a/clients/client-managedblockchain/src/commands/ListMembersCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListMembersCommand.ts @@ -113,4 +113,16 @@ export class ListMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListMembersCommand) .de(de_ListMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembersInput; + output: ListMembersOutput; + }; + sdk: { + input: ListMembersCommandInput; + output: ListMembersCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListNetworksCommand.ts b/clients/client-managedblockchain/src/commands/ListNetworksCommand.ts index b366049f0360..15a2bfb106b0 100644 --- a/clients/client-managedblockchain/src/commands/ListNetworksCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListNetworksCommand.ts @@ -113,4 +113,16 @@ export class ListNetworksCommand extends $Command .f(void 0, void 0) .ser(se_ListNetworksCommand) .de(de_ListNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworksInput; + output: ListNetworksOutput; + }; + sdk: { + input: ListNetworksCommandInput; + output: ListNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListNodesCommand.ts b/clients/client-managedblockchain/src/commands/ListNodesCommand.ts index daffd0667e12..1243c7f4f651 100644 --- a/clients/client-managedblockchain/src/commands/ListNodesCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListNodesCommand.ts @@ -111,4 +111,16 @@ export class ListNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListNodesCommand) .de(de_ListNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNodesInput; + output: ListNodesOutput; + }; + sdk: { + input: ListNodesCommandInput; + output: ListNodesCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListProposalVotesCommand.ts b/clients/client-managedblockchain/src/commands/ListProposalVotesCommand.ts index 52662f574ecc..ebe5fd405aec 100644 --- a/clients/client-managedblockchain/src/commands/ListProposalVotesCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListProposalVotesCommand.ts @@ -107,4 +107,16 @@ export class ListProposalVotesCommand extends $Command .f(void 0, void 0) .ser(se_ListProposalVotesCommand) .de(de_ListProposalVotesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProposalVotesInput; + output: ListProposalVotesOutput; + }; + sdk: { + input: ListProposalVotesCommandInput; + output: ListProposalVotesCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListProposalsCommand.ts b/clients/client-managedblockchain/src/commands/ListProposalsCommand.ts index 4f923cb8b6d7..6f5e08b17e93 100644 --- a/clients/client-managedblockchain/src/commands/ListProposalsCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListProposalsCommand.ts @@ -114,4 +114,16 @@ export class ListProposalsCommand extends $Command .f(void 0, void 0) .ser(se_ListProposalsCommand) .de(de_ListProposalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProposalsInput; + output: ListProposalsOutput; + }; + sdk: { + input: ListProposalsCommandInput; + output: ListProposalsCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/ListTagsForResourceCommand.ts b/clients/client-managedblockchain/src/commands/ListTagsForResourceCommand.ts index c2b0b4648375..29bdb5737d9e 100644 --- a/clients/client-managedblockchain/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-managedblockchain/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/RejectInvitationCommand.ts b/clients/client-managedblockchain/src/commands/RejectInvitationCommand.ts index 5e6f401503e6..309d38281662 100644 --- a/clients/client-managedblockchain/src/commands/RejectInvitationCommand.ts +++ b/clients/client-managedblockchain/src/commands/RejectInvitationCommand.ts @@ -101,4 +101,16 @@ export class RejectInvitationCommand extends $Command .f(void 0, void 0) .ser(se_RejectInvitationCommand) .de(de_RejectInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectInvitationInput; + output: {}; + }; + sdk: { + input: RejectInvitationCommandInput; + output: RejectInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/TagResourceCommand.ts b/clients/client-managedblockchain/src/commands/TagResourceCommand.ts index 0c1dd0160b1c..ebf56e01823d 100644 --- a/clients/client-managedblockchain/src/commands/TagResourceCommand.ts +++ b/clients/client-managedblockchain/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/UntagResourceCommand.ts b/clients/client-managedblockchain/src/commands/UntagResourceCommand.ts index 88e232ae6b37..e784a07820a1 100644 --- a/clients/client-managedblockchain/src/commands/UntagResourceCommand.ts +++ b/clients/client-managedblockchain/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/UpdateMemberCommand.ts b/clients/client-managedblockchain/src/commands/UpdateMemberCommand.ts index 1351cfe0f14a..a7876486115c 100644 --- a/clients/client-managedblockchain/src/commands/UpdateMemberCommand.ts +++ b/clients/client-managedblockchain/src/commands/UpdateMemberCommand.ts @@ -108,4 +108,16 @@ export class UpdateMemberCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMemberCommand) .de(de_UpdateMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMemberInput; + output: {}; + }; + sdk: { + input: UpdateMemberCommandInput; + output: UpdateMemberCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/UpdateNodeCommand.ts b/clients/client-managedblockchain/src/commands/UpdateNodeCommand.ts index 5c298dfdfbcf..fbefeea2956a 100644 --- a/clients/client-managedblockchain/src/commands/UpdateNodeCommand.ts +++ b/clients/client-managedblockchain/src/commands/UpdateNodeCommand.ts @@ -114,4 +114,16 @@ export class UpdateNodeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNodeCommand) .de(de_UpdateNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNodeInput; + output: {}; + }; + sdk: { + input: UpdateNodeCommandInput; + output: UpdateNodeCommandOutput; + }; + }; +} diff --git a/clients/client-managedblockchain/src/commands/VoteOnProposalCommand.ts b/clients/client-managedblockchain/src/commands/VoteOnProposalCommand.ts index 7e91253ad953..ba0f8773da7e 100644 --- a/clients/client-managedblockchain/src/commands/VoteOnProposalCommand.ts +++ b/clients/client-managedblockchain/src/commands/VoteOnProposalCommand.ts @@ -104,4 +104,16 @@ export class VoteOnProposalCommand extends $Command .f(void 0, void 0) .ser(se_VoteOnProposalCommand) .de(de_VoteOnProposalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VoteOnProposalInput; + output: {}; + }; + sdk: { + input: VoteOnProposalCommandInput; + output: VoteOnProposalCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-agreement/package.json b/clients/client-marketplace-agreement/package.json index 1c564aaf4e55..1317a5f2f525 100644 --- a/clients/client-marketplace-agreement/package.json +++ b/clients/client-marketplace-agreement/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-marketplace-agreement/src/commands/DescribeAgreementCommand.ts b/clients/client-marketplace-agreement/src/commands/DescribeAgreementCommand.ts index abdbfc47ceee..229323d71694 100644 --- a/clients/client-marketplace-agreement/src/commands/DescribeAgreementCommand.ts +++ b/clients/client-marketplace-agreement/src/commands/DescribeAgreementCommand.ts @@ -120,4 +120,16 @@ export class DescribeAgreementCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAgreementCommand) .de(de_DescribeAgreementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAgreementInput; + output: DescribeAgreementOutput; + }; + sdk: { + input: DescribeAgreementCommandInput; + output: DescribeAgreementCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-agreement/src/commands/GetAgreementTermsCommand.ts b/clients/client-marketplace-agreement/src/commands/GetAgreementTermsCommand.ts index f868a555b47c..c4197e15467d 100644 --- a/clients/client-marketplace-agreement/src/commands/GetAgreementTermsCommand.ts +++ b/clients/client-marketplace-agreement/src/commands/GetAgreementTermsCommand.ts @@ -243,4 +243,16 @@ export class GetAgreementTermsCommand extends $Command .f(void 0, void 0) .ser(se_GetAgreementTermsCommand) .de(de_GetAgreementTermsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAgreementTermsInput; + output: GetAgreementTermsOutput; + }; + sdk: { + input: GetAgreementTermsCommandInput; + output: GetAgreementTermsCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-agreement/src/commands/SearchAgreementsCommand.ts b/clients/client-marketplace-agreement/src/commands/SearchAgreementsCommand.ts index fda5960e4407..1f7e293ae88d 100644 --- a/clients/client-marketplace-agreement/src/commands/SearchAgreementsCommand.ts +++ b/clients/client-marketplace-agreement/src/commands/SearchAgreementsCommand.ts @@ -221,4 +221,16 @@ export class SearchAgreementsCommand extends $Command .f(void 0, void 0) .ser(se_SearchAgreementsCommand) .de(de_SearchAgreementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchAgreementsInput; + output: SearchAgreementsOutput; + }; + sdk: { + input: SearchAgreementsCommandInput; + output: SearchAgreementsCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/package.json b/clients/client-marketplace-catalog/package.json index 034a787abf52..f122aa212786 100644 --- a/clients/client-marketplace-catalog/package.json +++ b/clients/client-marketplace-catalog/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-marketplace-catalog/src/commands/BatchDescribeEntitiesCommand.ts b/clients/client-marketplace-catalog/src/commands/BatchDescribeEntitiesCommand.ts index 016ccaf6a1c2..dbb5325cc7a7 100644 --- a/clients/client-marketplace-catalog/src/commands/BatchDescribeEntitiesCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/BatchDescribeEntitiesCommand.ts @@ -116,4 +116,16 @@ export class BatchDescribeEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_BatchDescribeEntitiesCommand) .de(de_BatchDescribeEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDescribeEntitiesRequest; + output: BatchDescribeEntitiesResponse; + }; + sdk: { + input: BatchDescribeEntitiesCommandInput; + output: BatchDescribeEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/CancelChangeSetCommand.ts b/clients/client-marketplace-catalog/src/commands/CancelChangeSetCommand.ts index 89abfb34402a..afc792e01b58 100644 --- a/clients/client-marketplace-catalog/src/commands/CancelChangeSetCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/CancelChangeSetCommand.ts @@ -109,4 +109,16 @@ export class CancelChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_CancelChangeSetCommand) .de(de_CancelChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelChangeSetRequest; + output: CancelChangeSetResponse; + }; + sdk: { + input: CancelChangeSetCommandInput; + output: CancelChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-marketplace-catalog/src/commands/DeleteResourcePolicyCommand.ts index dd4a69407f0f..2fbdcb105bf0 100644 --- a/clients/client-marketplace-catalog/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/DeleteResourcePolicyCommand.ts @@ -100,4 +100,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/DescribeChangeSetCommand.ts b/clients/client-marketplace-catalog/src/commands/DescribeChangeSetCommand.ts index 44bee8d47a30..64d25ddaa74e 100644 --- a/clients/client-marketplace-catalog/src/commands/DescribeChangeSetCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/DescribeChangeSetCommand.ts @@ -128,4 +128,16 @@ export class DescribeChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeChangeSetCommand) .de(de_DescribeChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChangeSetRequest; + output: DescribeChangeSetResponse; + }; + sdk: { + input: DescribeChangeSetCommandInput; + output: DescribeChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/DescribeEntityCommand.ts b/clients/client-marketplace-catalog/src/commands/DescribeEntityCommand.ts index e89ca57f6fc5..ad7bb7c2ceac 100644 --- a/clients/client-marketplace-catalog/src/commands/DescribeEntityCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/DescribeEntityCommand.ts @@ -110,4 +110,16 @@ export class DescribeEntityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEntityCommand) .de(de_DescribeEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntityRequest; + output: DescribeEntityResponse; + }; + sdk: { + input: DescribeEntityCommandInput; + output: DescribeEntityCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/GetResourcePolicyCommand.ts b/clients/client-marketplace-catalog/src/commands/GetResourcePolicyCommand.ts index 0933aea05d0c..750f49301887 100644 --- a/clients/client-marketplace-catalog/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/GetResourcePolicyCommand.ts @@ -102,4 +102,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/ListChangeSetsCommand.ts b/clients/client-marketplace-catalog/src/commands/ListChangeSetsCommand.ts index b988f56ebd57..82e1e5e1f529 100644 --- a/clients/client-marketplace-catalog/src/commands/ListChangeSetsCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/ListChangeSetsCommand.ts @@ -130,4 +130,16 @@ export class ListChangeSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListChangeSetsCommand) .de(de_ListChangeSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChangeSetsRequest; + output: ListChangeSetsResponse; + }; + sdk: { + input: ListChangeSetsCommandInput; + output: ListChangeSetsCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/ListEntitiesCommand.ts b/clients/client-marketplace-catalog/src/commands/ListEntitiesCommand.ts index dc9705a8c62f..f10888a9981d 100644 --- a/clients/client-marketplace-catalog/src/commands/ListEntitiesCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/ListEntitiesCommand.ts @@ -431,4 +431,16 @@ export class ListEntitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListEntitiesCommand) .de(de_ListEntitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntitiesRequest; + output: ListEntitiesResponse; + }; + sdk: { + input: ListEntitiesCommandInput; + output: ListEntitiesCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/ListTagsForResourceCommand.ts b/clients/client-marketplace-catalog/src/commands/ListTagsForResourceCommand.ts index 52b713c67c1c..2acc9e1f312c 100644 --- a/clients/client-marketplace-catalog/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/ListTagsForResourceCommand.ts @@ -107,4 +107,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/PutResourcePolicyCommand.ts b/clients/client-marketplace-catalog/src/commands/PutResourcePolicyCommand.ts index 143b807d4585..4a85fadf63c7 100644 --- a/clients/client-marketplace-catalog/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/PutResourcePolicyCommand.ts @@ -101,4 +101,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: {}; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/StartChangeSetCommand.ts b/clients/client-marketplace-catalog/src/commands/StartChangeSetCommand.ts index 8f888adf20c1..95ea568d938b 100644 --- a/clients/client-marketplace-catalog/src/commands/StartChangeSetCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/StartChangeSetCommand.ts @@ -147,4 +147,16 @@ export class StartChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_StartChangeSetCommand) .de(de_StartChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartChangeSetRequest; + output: StartChangeSetResponse; + }; + sdk: { + input: StartChangeSetCommandInput; + output: StartChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/TagResourceCommand.ts b/clients/client-marketplace-catalog/src/commands/TagResourceCommand.ts index ca72c1e06c44..b7578df3117f 100644 --- a/clients/client-marketplace-catalog/src/commands/TagResourceCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/TagResourceCommand.ts @@ -105,4 +105,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-catalog/src/commands/UntagResourceCommand.ts b/clients/client-marketplace-catalog/src/commands/UntagResourceCommand.ts index 7595a3eefcee..f2c723dcfbf3 100644 --- a/clients/client-marketplace-catalog/src/commands/UntagResourceCommand.ts +++ b/clients/client-marketplace-catalog/src/commands/UntagResourceCommand.ts @@ -102,4 +102,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-commerce-analytics/package.json b/clients/client-marketplace-commerce-analytics/package.json index aaf146c56891..af55deca294b 100644 --- a/clients/client-marketplace-commerce-analytics/package.json +++ b/clients/client-marketplace-commerce-analytics/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-marketplace-commerce-analytics/src/commands/GenerateDataSetCommand.ts b/clients/client-marketplace-commerce-analytics/src/commands/GenerateDataSetCommand.ts index 60331ba4fa3f..945f11201b97 100644 --- a/clients/client-marketplace-commerce-analytics/src/commands/GenerateDataSetCommand.ts +++ b/clients/client-marketplace-commerce-analytics/src/commands/GenerateDataSetCommand.ts @@ -99,4 +99,16 @@ export class GenerateDataSetCommand extends $Command .f(void 0, void 0) .ser(se_GenerateDataSetCommand) .de(de_GenerateDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateDataSetRequest; + output: GenerateDataSetResult; + }; + sdk: { + input: GenerateDataSetCommandInput; + output: GenerateDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-commerce-analytics/src/commands/StartSupportDataExportCommand.ts b/clients/client-marketplace-commerce-analytics/src/commands/StartSupportDataExportCommand.ts index 0e850118dfbd..1458b3d98aa6 100644 --- a/clients/client-marketplace-commerce-analytics/src/commands/StartSupportDataExportCommand.ts +++ b/clients/client-marketplace-commerce-analytics/src/commands/StartSupportDataExportCommand.ts @@ -101,4 +101,16 @@ export class StartSupportDataExportCommand extends $Command .f(void 0, void 0) .ser(se_StartSupportDataExportCommand) .de(de_StartSupportDataExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSupportDataExportRequest; + output: StartSupportDataExportResult; + }; + sdk: { + input: StartSupportDataExportCommandInput; + output: StartSupportDataExportCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-deployment/package.json b/clients/client-marketplace-deployment/package.json index 38854a5702c0..040dc2164c1d 100644 --- a/clients/client-marketplace-deployment/package.json +++ b/clients/client-marketplace-deployment/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-marketplace-deployment/src/commands/ListTagsForResourceCommand.ts b/clients/client-marketplace-deployment/src/commands/ListTagsForResourceCommand.ts index b345036caece..6f5658b4b833 100644 --- a/clients/client-marketplace-deployment/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-marketplace-deployment/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-deployment/src/commands/PutDeploymentParameterCommand.ts b/clients/client-marketplace-deployment/src/commands/PutDeploymentParameterCommand.ts index 391da44256ca..cb225fa438da 100644 --- a/clients/client-marketplace-deployment/src/commands/PutDeploymentParameterCommand.ts +++ b/clients/client-marketplace-deployment/src/commands/PutDeploymentParameterCommand.ts @@ -122,4 +122,16 @@ export class PutDeploymentParameterCommand extends $Command .f(PutDeploymentParameterRequestFilterSensitiveLog, void 0) .ser(se_PutDeploymentParameterCommand) .de(de_PutDeploymentParameterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDeploymentParameterRequest; + output: PutDeploymentParameterResponse; + }; + sdk: { + input: PutDeploymentParameterCommandInput; + output: PutDeploymentParameterCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-deployment/src/commands/TagResourceCommand.ts b/clients/client-marketplace-deployment/src/commands/TagResourceCommand.ts index 78ab25018986..c08f1ad74961 100644 --- a/clients/client-marketplace-deployment/src/commands/TagResourceCommand.ts +++ b/clients/client-marketplace-deployment/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-deployment/src/commands/UntagResourceCommand.ts b/clients/client-marketplace-deployment/src/commands/UntagResourceCommand.ts index 28a83975eaa2..dde995bdd999 100644 --- a/clients/client-marketplace-deployment/src/commands/UntagResourceCommand.ts +++ b/clients/client-marketplace-deployment/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-entitlement-service/package.json b/clients/client-marketplace-entitlement-service/package.json index 79dc4df3297d..50089cb2e458 100644 --- a/clients/client-marketplace-entitlement-service/package.json +++ b/clients/client-marketplace-entitlement-service/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-marketplace-entitlement-service/src/commands/GetEntitlementsCommand.ts b/clients/client-marketplace-entitlement-service/src/commands/GetEntitlementsCommand.ts index 5720567325fb..bd5554a4cea7 100644 --- a/clients/client-marketplace-entitlement-service/src/commands/GetEntitlementsCommand.ts +++ b/clients/client-marketplace-entitlement-service/src/commands/GetEntitlementsCommand.ts @@ -113,4 +113,16 @@ export class GetEntitlementsCommand extends $Command .f(void 0, void 0) .ser(se_GetEntitlementsCommand) .de(de_GetEntitlementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEntitlementsRequest; + output: GetEntitlementsResult; + }; + sdk: { + input: GetEntitlementsCommandInput; + output: GetEntitlementsCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-metering/package.json b/clients/client-marketplace-metering/package.json index af781c5ec411..7362ffe3034e 100644 --- a/clients/client-marketplace-metering/package.json +++ b/clients/client-marketplace-metering/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-marketplace-metering/src/commands/BatchMeterUsageCommand.ts b/clients/client-marketplace-metering/src/commands/BatchMeterUsageCommand.ts index ab97e788bd89..240fb31e30ff 100644 --- a/clients/client-marketplace-metering/src/commands/BatchMeterUsageCommand.ts +++ b/clients/client-marketplace-metering/src/commands/BatchMeterUsageCommand.ts @@ -203,4 +203,16 @@ export class BatchMeterUsageCommand extends $Command .f(void 0, void 0) .ser(se_BatchMeterUsageCommand) .de(de_BatchMeterUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchMeterUsageRequest; + output: BatchMeterUsageResult; + }; + sdk: { + input: BatchMeterUsageCommandInput; + output: BatchMeterUsageCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-metering/src/commands/MeterUsageCommand.ts b/clients/client-marketplace-metering/src/commands/MeterUsageCommand.ts index 1708e96c4d99..5f329ded883a 100644 --- a/clients/client-marketplace-metering/src/commands/MeterUsageCommand.ts +++ b/clients/client-marketplace-metering/src/commands/MeterUsageCommand.ts @@ -149,4 +149,16 @@ export class MeterUsageCommand extends $Command .f(void 0, void 0) .ser(se_MeterUsageCommand) .de(de_MeterUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MeterUsageRequest; + output: MeterUsageResult; + }; + sdk: { + input: MeterUsageCommandInput; + output: MeterUsageCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-metering/src/commands/RegisterUsageCommand.ts b/clients/client-marketplace-metering/src/commands/RegisterUsageCommand.ts index cae6c6448b27..205f32a4ad13 100644 --- a/clients/client-marketplace-metering/src/commands/RegisterUsageCommand.ts +++ b/clients/client-marketplace-metering/src/commands/RegisterUsageCommand.ts @@ -154,4 +154,16 @@ export class RegisterUsageCommand extends $Command .f(void 0, void 0) .ser(se_RegisterUsageCommand) .de(de_RegisterUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterUsageRequest; + output: RegisterUsageResult; + }; + sdk: { + input: RegisterUsageCommandInput; + output: RegisterUsageCommandOutput; + }; + }; +} diff --git a/clients/client-marketplace-metering/src/commands/ResolveCustomerCommand.ts b/clients/client-marketplace-metering/src/commands/ResolveCustomerCommand.ts index b4090e697da4..d4d3683ad42c 100644 --- a/clients/client-marketplace-metering/src/commands/ResolveCustomerCommand.ts +++ b/clients/client-marketplace-metering/src/commands/ResolveCustomerCommand.ts @@ -116,4 +116,16 @@ export class ResolveCustomerCommand extends $Command .f(void 0, void 0) .ser(se_ResolveCustomerCommand) .de(de_ResolveCustomerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResolveCustomerRequest; + output: ResolveCustomerResult; + }; + sdk: { + input: ResolveCustomerCommandInput; + output: ResolveCustomerCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/package.json b/clients/client-mediaconnect/package.json index 0a2d4404461c..9ce4578402d0 100644 --- a/clients/client-mediaconnect/package.json +++ b/clients/client-mediaconnect/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-mediaconnect/src/commands/AddBridgeOutputsCommand.ts b/clients/client-mediaconnect/src/commands/AddBridgeOutputsCommand.ts index 1023cf685120..a7512ad86a40 100644 --- a/clients/client-mediaconnect/src/commands/AddBridgeOutputsCommand.ts +++ b/clients/client-mediaconnect/src/commands/AddBridgeOutputsCommand.ts @@ -127,4 +127,16 @@ export class AddBridgeOutputsCommand extends $Command .f(void 0, void 0) .ser(se_AddBridgeOutputsCommand) .de(de_AddBridgeOutputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddBridgeOutputsRequest; + output: AddBridgeOutputsResponse; + }; + sdk: { + input: AddBridgeOutputsCommandInput; + output: AddBridgeOutputsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/AddBridgeSourcesCommand.ts b/clients/client-mediaconnect/src/commands/AddBridgeSourcesCommand.ts index 10010e7dfb2b..ae69de06ced7 100644 --- a/clients/client-mediaconnect/src/commands/AddBridgeSourcesCommand.ts +++ b/clients/client-mediaconnect/src/commands/AddBridgeSourcesCommand.ts @@ -135,4 +135,16 @@ export class AddBridgeSourcesCommand extends $Command .f(void 0, void 0) .ser(se_AddBridgeSourcesCommand) .de(de_AddBridgeSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddBridgeSourcesRequest; + output: AddBridgeSourcesResponse; + }; + sdk: { + input: AddBridgeSourcesCommandInput; + output: AddBridgeSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/AddFlowMediaStreamsCommand.ts b/clients/client-mediaconnect/src/commands/AddFlowMediaStreamsCommand.ts index d415ad3fd84a..26e248641319 100644 --- a/clients/client-mediaconnect/src/commands/AddFlowMediaStreamsCommand.ts +++ b/clients/client-mediaconnect/src/commands/AddFlowMediaStreamsCommand.ts @@ -140,4 +140,16 @@ export class AddFlowMediaStreamsCommand extends $Command .f(void 0, void 0) .ser(se_AddFlowMediaStreamsCommand) .de(de_AddFlowMediaStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddFlowMediaStreamsRequest; + output: AddFlowMediaStreamsResponse; + }; + sdk: { + input: AddFlowMediaStreamsCommandInput; + output: AddFlowMediaStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/AddFlowOutputsCommand.ts b/clients/client-mediaconnect/src/commands/AddFlowOutputsCommand.ts index 610010f02d0e..8eb272156b0a 100644 --- a/clients/client-mediaconnect/src/commands/AddFlowOutputsCommand.ts +++ b/clients/client-mediaconnect/src/commands/AddFlowOutputsCommand.ts @@ -219,4 +219,16 @@ export class AddFlowOutputsCommand extends $Command .f(void 0, void 0) .ser(se_AddFlowOutputsCommand) .de(de_AddFlowOutputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddFlowOutputsRequest; + output: AddFlowOutputsResponse; + }; + sdk: { + input: AddFlowOutputsCommandInput; + output: AddFlowOutputsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/AddFlowSourcesCommand.ts b/clients/client-mediaconnect/src/commands/AddFlowSourcesCommand.ts index 77fc0c2767e8..317779f27018 100644 --- a/clients/client-mediaconnect/src/commands/AddFlowSourcesCommand.ts +++ b/clients/client-mediaconnect/src/commands/AddFlowSourcesCommand.ts @@ -210,4 +210,16 @@ export class AddFlowSourcesCommand extends $Command .f(void 0, void 0) .ser(se_AddFlowSourcesCommand) .de(de_AddFlowSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddFlowSourcesRequest; + output: AddFlowSourcesResponse; + }; + sdk: { + input: AddFlowSourcesCommandInput; + output: AddFlowSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/AddFlowVpcInterfacesCommand.ts b/clients/client-mediaconnect/src/commands/AddFlowVpcInterfacesCommand.ts index 29b443d62500..e3806e599adf 100644 --- a/clients/client-mediaconnect/src/commands/AddFlowVpcInterfacesCommand.ts +++ b/clients/client-mediaconnect/src/commands/AddFlowVpcInterfacesCommand.ts @@ -120,4 +120,16 @@ export class AddFlowVpcInterfacesCommand extends $Command .f(void 0, void 0) .ser(se_AddFlowVpcInterfacesCommand) .de(de_AddFlowVpcInterfacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddFlowVpcInterfacesRequest; + output: AddFlowVpcInterfacesResponse; + }; + sdk: { + input: AddFlowVpcInterfacesCommandInput; + output: AddFlowVpcInterfacesCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/CreateBridgeCommand.ts b/clients/client-mediaconnect/src/commands/CreateBridgeCommand.ts index 7e72a18070f3..d20eaa876088 100644 --- a/clients/client-mediaconnect/src/commands/CreateBridgeCommand.ts +++ b/clients/client-mediaconnect/src/commands/CreateBridgeCommand.ts @@ -209,4 +209,16 @@ export class CreateBridgeCommand extends $Command .f(void 0, void 0) .ser(se_CreateBridgeCommand) .de(de_CreateBridgeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBridgeRequest; + output: CreateBridgeResponse; + }; + sdk: { + input: CreateBridgeCommandInput; + output: CreateBridgeCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/CreateFlowCommand.ts b/clients/client-mediaconnect/src/commands/CreateFlowCommand.ts index aea2dc98acac..0c10f2eef0cf 100644 --- a/clients/client-mediaconnect/src/commands/CreateFlowCommand.ts +++ b/clients/client-mediaconnect/src/commands/CreateFlowCommand.ts @@ -595,4 +595,16 @@ export class CreateFlowCommand extends $Command .f(void 0, void 0) .ser(se_CreateFlowCommand) .de(de_CreateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowRequest; + output: CreateFlowResponse; + }; + sdk: { + input: CreateFlowCommandInput; + output: CreateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/CreateGatewayCommand.ts b/clients/client-mediaconnect/src/commands/CreateGatewayCommand.ts index d04807c1c3e8..f85aeb11ee21 100644 --- a/clients/client-mediaconnect/src/commands/CreateGatewayCommand.ts +++ b/clients/client-mediaconnect/src/commands/CreateGatewayCommand.ts @@ -127,4 +127,16 @@ export class CreateGatewayCommand extends $Command .f(void 0, void 0) .ser(se_CreateGatewayCommand) .de(de_CreateGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGatewayRequest; + output: CreateGatewayResponse; + }; + sdk: { + input: CreateGatewayCommandInput; + output: CreateGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DeleteBridgeCommand.ts b/clients/client-mediaconnect/src/commands/DeleteBridgeCommand.ts index 10c0085af0f0..a33a38ed828b 100644 --- a/clients/client-mediaconnect/src/commands/DeleteBridgeCommand.ts +++ b/clients/client-mediaconnect/src/commands/DeleteBridgeCommand.ts @@ -98,4 +98,16 @@ export class DeleteBridgeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBridgeCommand) .de(de_DeleteBridgeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBridgeRequest; + output: DeleteBridgeResponse; + }; + sdk: { + input: DeleteBridgeCommandInput; + output: DeleteBridgeCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DeleteFlowCommand.ts b/clients/client-mediaconnect/src/commands/DeleteFlowCommand.ts index 207d2ce43db2..8640339cdf65 100644 --- a/clients/client-mediaconnect/src/commands/DeleteFlowCommand.ts +++ b/clients/client-mediaconnect/src/commands/DeleteFlowCommand.ts @@ -96,4 +96,16 @@ export class DeleteFlowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowCommand) .de(de_DeleteFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowRequest; + output: DeleteFlowResponse; + }; + sdk: { + input: DeleteFlowCommandInput; + output: DeleteFlowCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DeleteGatewayCommand.ts b/clients/client-mediaconnect/src/commands/DeleteGatewayCommand.ts index 3d5e909ebdfc..4ecd61fcb374 100644 --- a/clients/client-mediaconnect/src/commands/DeleteGatewayCommand.ts +++ b/clients/client-mediaconnect/src/commands/DeleteGatewayCommand.ts @@ -98,4 +98,16 @@ export class DeleteGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGatewayCommand) .de(de_DeleteGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGatewayRequest; + output: DeleteGatewayResponse; + }; + sdk: { + input: DeleteGatewayCommandInput; + output: DeleteGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DeregisterGatewayInstanceCommand.ts b/clients/client-mediaconnect/src/commands/DeregisterGatewayInstanceCommand.ts index 8e4094c9190f..a197f78c68de 100644 --- a/clients/client-mediaconnect/src/commands/DeregisterGatewayInstanceCommand.ts +++ b/clients/client-mediaconnect/src/commands/DeregisterGatewayInstanceCommand.ts @@ -100,4 +100,16 @@ export class DeregisterGatewayInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterGatewayInstanceCommand) .de(de_DeregisterGatewayInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterGatewayInstanceRequest; + output: DeregisterGatewayInstanceResponse; + }; + sdk: { + input: DeregisterGatewayInstanceCommandInput; + output: DeregisterGatewayInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeBridgeCommand.ts b/clients/client-mediaconnect/src/commands/DescribeBridgeCommand.ts index 76d828737083..aa85465dae68 100644 --- a/clients/client-mediaconnect/src/commands/DescribeBridgeCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeBridgeCommand.ts @@ -163,4 +163,16 @@ export class DescribeBridgeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBridgeCommand) .de(de_DescribeBridgeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBridgeRequest; + output: DescribeBridgeResponse; + }; + sdk: { + input: DescribeBridgeCommandInput; + output: DescribeBridgeCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeFlowCommand.ts b/clients/client-mediaconnect/src/commands/DescribeFlowCommand.ts index 9b355aee9900..87375cf14fcd 100644 --- a/clients/client-mediaconnect/src/commands/DescribeFlowCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeFlowCommand.ts @@ -375,4 +375,16 @@ export class DescribeFlowCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlowCommand) .de(de_DescribeFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlowRequest; + output: DescribeFlowResponse; + }; + sdk: { + input: DescribeFlowCommandInput; + output: DescribeFlowCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeFlowSourceMetadataCommand.ts b/clients/client-mediaconnect/src/commands/DescribeFlowSourceMetadataCommand.ts index 972c1f3ede2e..54a7899c29a6 100644 --- a/clients/client-mediaconnect/src/commands/DescribeFlowSourceMetadataCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeFlowSourceMetadataCommand.ts @@ -128,4 +128,16 @@ export class DescribeFlowSourceMetadataCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlowSourceMetadataCommand) .de(de_DescribeFlowSourceMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlowSourceMetadataRequest; + output: DescribeFlowSourceMetadataResponse; + }; + sdk: { + input: DescribeFlowSourceMetadataCommandInput; + output: DescribeFlowSourceMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeFlowSourceThumbnailCommand.ts b/clients/client-mediaconnect/src/commands/DescribeFlowSourceThumbnailCommand.ts index e783c13cc368..21fb4b7c8482 100644 --- a/clients/client-mediaconnect/src/commands/DescribeFlowSourceThumbnailCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeFlowSourceThumbnailCommand.ts @@ -112,4 +112,16 @@ export class DescribeFlowSourceThumbnailCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlowSourceThumbnailCommand) .de(de_DescribeFlowSourceThumbnailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlowSourceThumbnailRequest; + output: DescribeFlowSourceThumbnailResponse; + }; + sdk: { + input: DescribeFlowSourceThumbnailCommandInput; + output: DescribeFlowSourceThumbnailCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeGatewayCommand.ts b/clients/client-mediaconnect/src/commands/DescribeGatewayCommand.ts index eebe8c4ce33a..03af61e295be 100644 --- a/clients/client-mediaconnect/src/commands/DescribeGatewayCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeGatewayCommand.ts @@ -118,4 +118,16 @@ export class DescribeGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGatewayCommand) .de(de_DescribeGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGatewayRequest; + output: DescribeGatewayResponse; + }; + sdk: { + input: DescribeGatewayCommandInput; + output: DescribeGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeGatewayInstanceCommand.ts b/clients/client-mediaconnect/src/commands/DescribeGatewayInstanceCommand.ts index 97fa9c6a057f..9200edba295f 100644 --- a/clients/client-mediaconnect/src/commands/DescribeGatewayInstanceCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeGatewayInstanceCommand.ts @@ -113,4 +113,16 @@ export class DescribeGatewayInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGatewayInstanceCommand) .de(de_DescribeGatewayInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGatewayInstanceRequest; + output: DescribeGatewayInstanceResponse; + }; + sdk: { + input: DescribeGatewayInstanceCommandInput; + output: DescribeGatewayInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeOfferingCommand.ts b/clients/client-mediaconnect/src/commands/DescribeOfferingCommand.ts index b92785f29386..05bde59f2ec3 100644 --- a/clients/client-mediaconnect/src/commands/DescribeOfferingCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeOfferingCommand.ts @@ -104,4 +104,16 @@ export class DescribeOfferingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOfferingCommand) .de(de_DescribeOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOfferingRequest; + output: DescribeOfferingResponse; + }; + sdk: { + input: DescribeOfferingCommandInput; + output: DescribeOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/DescribeReservationCommand.ts b/clients/client-mediaconnect/src/commands/DescribeReservationCommand.ts index c339e7b0445f..844d24713605 100644 --- a/clients/client-mediaconnect/src/commands/DescribeReservationCommand.ts +++ b/clients/client-mediaconnect/src/commands/DescribeReservationCommand.ts @@ -109,4 +109,16 @@ export class DescribeReservationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservationCommand) .de(de_DescribeReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservationRequest; + output: DescribeReservationResponse; + }; + sdk: { + input: DescribeReservationCommandInput; + output: DescribeReservationCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/GrantFlowEntitlementsCommand.ts b/clients/client-mediaconnect/src/commands/GrantFlowEntitlementsCommand.ts index f552f3ec6649..94e9884c012d 100644 --- a/clients/client-mediaconnect/src/commands/GrantFlowEntitlementsCommand.ts +++ b/clients/client-mediaconnect/src/commands/GrantFlowEntitlementsCommand.ts @@ -143,4 +143,16 @@ export class GrantFlowEntitlementsCommand extends $Command .f(void 0, void 0) .ser(se_GrantFlowEntitlementsCommand) .de(de_GrantFlowEntitlementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GrantFlowEntitlementsRequest; + output: GrantFlowEntitlementsResponse; + }; + sdk: { + input: GrantFlowEntitlementsCommandInput; + output: GrantFlowEntitlementsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListBridgesCommand.ts b/clients/client-mediaconnect/src/commands/ListBridgesCommand.ts index e1777be12e7d..19b41c6164d2 100644 --- a/clients/client-mediaconnect/src/commands/ListBridgesCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListBridgesCommand.ts @@ -103,4 +103,16 @@ export class ListBridgesCommand extends $Command .f(void 0, void 0) .ser(se_ListBridgesCommand) .de(de_ListBridgesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBridgesRequest; + output: ListBridgesResponse; + }; + sdk: { + input: ListBridgesCommandInput; + output: ListBridgesCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListEntitlementsCommand.ts b/clients/client-mediaconnect/src/commands/ListEntitlementsCommand.ts index 9b644d17d4c4..ba473b5a4c36 100644 --- a/clients/client-mediaconnect/src/commands/ListEntitlementsCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListEntitlementsCommand.ts @@ -97,4 +97,16 @@ export class ListEntitlementsCommand extends $Command .f(void 0, void 0) .ser(se_ListEntitlementsCommand) .de(de_ListEntitlementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEntitlementsRequest; + output: ListEntitlementsResponse; + }; + sdk: { + input: ListEntitlementsCommandInput; + output: ListEntitlementsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListFlowsCommand.ts b/clients/client-mediaconnect/src/commands/ListFlowsCommand.ts index 04f669a04b18..9e9589f84427 100644 --- a/clients/client-mediaconnect/src/commands/ListFlowsCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListFlowsCommand.ts @@ -106,4 +106,16 @@ export class ListFlowsCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowsCommand) .de(de_ListFlowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowsRequest; + output: ListFlowsResponse; + }; + sdk: { + input: ListFlowsCommandInput; + output: ListFlowsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListGatewayInstancesCommand.ts b/clients/client-mediaconnect/src/commands/ListGatewayInstancesCommand.ts index c83b4f8594e0..ad0a4e16895e 100644 --- a/clients/client-mediaconnect/src/commands/ListGatewayInstancesCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListGatewayInstancesCommand.ts @@ -102,4 +102,16 @@ export class ListGatewayInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListGatewayInstancesCommand) .de(de_ListGatewayInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGatewayInstancesRequest; + output: ListGatewayInstancesResponse; + }; + sdk: { + input: ListGatewayInstancesCommandInput; + output: ListGatewayInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListGatewaysCommand.ts b/clients/client-mediaconnect/src/commands/ListGatewaysCommand.ts index 7766267c64a4..2e25bc3de950 100644 --- a/clients/client-mediaconnect/src/commands/ListGatewaysCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListGatewaysCommand.ts @@ -100,4 +100,16 @@ export class ListGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_ListGatewaysCommand) .de(de_ListGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGatewaysRequest; + output: ListGatewaysResponse; + }; + sdk: { + input: ListGatewaysCommandInput; + output: ListGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListOfferingsCommand.ts b/clients/client-mediaconnect/src/commands/ListOfferingsCommand.ts index dd7017bd0ccc..65849e05e07f 100644 --- a/clients/client-mediaconnect/src/commands/ListOfferingsCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListOfferingsCommand.ts @@ -105,4 +105,16 @@ export class ListOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_ListOfferingsCommand) .de(de_ListOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOfferingsRequest; + output: ListOfferingsResponse; + }; + sdk: { + input: ListOfferingsCommandInput; + output: ListOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListReservationsCommand.ts b/clients/client-mediaconnect/src/commands/ListReservationsCommand.ts index 7cd5baefa7e7..6e696c415823 100644 --- a/clients/client-mediaconnect/src/commands/ListReservationsCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListReservationsCommand.ts @@ -110,4 +110,16 @@ export class ListReservationsCommand extends $Command .f(void 0, void 0) .ser(se_ListReservationsCommand) .de(de_ListReservationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReservationsRequest; + output: ListReservationsResponse; + }; + sdk: { + input: ListReservationsCommandInput; + output: ListReservationsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/ListTagsForResourceCommand.ts b/clients/client-mediaconnect/src/commands/ListTagsForResourceCommand.ts index dd9e6baa0e28..68f20b9960d8 100644 --- a/clients/client-mediaconnect/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mediaconnect/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/PurchaseOfferingCommand.ts b/clients/client-mediaconnect/src/commands/PurchaseOfferingCommand.ts index d5d9d38bf524..10a37bf6760d 100644 --- a/clients/client-mediaconnect/src/commands/PurchaseOfferingCommand.ts +++ b/clients/client-mediaconnect/src/commands/PurchaseOfferingCommand.ts @@ -114,4 +114,16 @@ export class PurchaseOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseOfferingCommand) .de(de_PurchaseOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseOfferingRequest; + output: PurchaseOfferingResponse; + }; + sdk: { + input: PurchaseOfferingCommandInput; + output: PurchaseOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/RemoveBridgeOutputCommand.ts b/clients/client-mediaconnect/src/commands/RemoveBridgeOutputCommand.ts index 340ea7e53e73..005e9b96f48f 100644 --- a/clients/client-mediaconnect/src/commands/RemoveBridgeOutputCommand.ts +++ b/clients/client-mediaconnect/src/commands/RemoveBridgeOutputCommand.ts @@ -100,4 +100,16 @@ export class RemoveBridgeOutputCommand extends $Command .f(void 0, void 0) .ser(se_RemoveBridgeOutputCommand) .de(de_RemoveBridgeOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveBridgeOutputRequest; + output: RemoveBridgeOutputResponse; + }; + sdk: { + input: RemoveBridgeOutputCommandInput; + output: RemoveBridgeOutputCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/RemoveBridgeSourceCommand.ts b/clients/client-mediaconnect/src/commands/RemoveBridgeSourceCommand.ts index 19a3e6073c8f..e7af9777eb5b 100644 --- a/clients/client-mediaconnect/src/commands/RemoveBridgeSourceCommand.ts +++ b/clients/client-mediaconnect/src/commands/RemoveBridgeSourceCommand.ts @@ -100,4 +100,16 @@ export class RemoveBridgeSourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveBridgeSourceCommand) .de(de_RemoveBridgeSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveBridgeSourceRequest; + output: RemoveBridgeSourceResponse; + }; + sdk: { + input: RemoveBridgeSourceCommandInput; + output: RemoveBridgeSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/RemoveFlowMediaStreamCommand.ts b/clients/client-mediaconnect/src/commands/RemoveFlowMediaStreamCommand.ts index d46e425ad4cc..c22cde6197a6 100644 --- a/clients/client-mediaconnect/src/commands/RemoveFlowMediaStreamCommand.ts +++ b/clients/client-mediaconnect/src/commands/RemoveFlowMediaStreamCommand.ts @@ -97,4 +97,16 @@ export class RemoveFlowMediaStreamCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFlowMediaStreamCommand) .de(de_RemoveFlowMediaStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFlowMediaStreamRequest; + output: RemoveFlowMediaStreamResponse; + }; + sdk: { + input: RemoveFlowMediaStreamCommandInput; + output: RemoveFlowMediaStreamCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/RemoveFlowOutputCommand.ts b/clients/client-mediaconnect/src/commands/RemoveFlowOutputCommand.ts index a06745733b84..d804b8297047 100644 --- a/clients/client-mediaconnect/src/commands/RemoveFlowOutputCommand.ts +++ b/clients/client-mediaconnect/src/commands/RemoveFlowOutputCommand.ts @@ -97,4 +97,16 @@ export class RemoveFlowOutputCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFlowOutputCommand) .de(de_RemoveFlowOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFlowOutputRequest; + output: RemoveFlowOutputResponse; + }; + sdk: { + input: RemoveFlowOutputCommandInput; + output: RemoveFlowOutputCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/RemoveFlowSourceCommand.ts b/clients/client-mediaconnect/src/commands/RemoveFlowSourceCommand.ts index 14320db81127..533660ce61c5 100644 --- a/clients/client-mediaconnect/src/commands/RemoveFlowSourceCommand.ts +++ b/clients/client-mediaconnect/src/commands/RemoveFlowSourceCommand.ts @@ -97,4 +97,16 @@ export class RemoveFlowSourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFlowSourceCommand) .de(de_RemoveFlowSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFlowSourceRequest; + output: RemoveFlowSourceResponse; + }; + sdk: { + input: RemoveFlowSourceCommandInput; + output: RemoveFlowSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/RemoveFlowVpcInterfaceCommand.ts b/clients/client-mediaconnect/src/commands/RemoveFlowVpcInterfaceCommand.ts index 3ccadd7f73ff..d18479b7f548 100644 --- a/clients/client-mediaconnect/src/commands/RemoveFlowVpcInterfaceCommand.ts +++ b/clients/client-mediaconnect/src/commands/RemoveFlowVpcInterfaceCommand.ts @@ -100,4 +100,16 @@ export class RemoveFlowVpcInterfaceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFlowVpcInterfaceCommand) .de(de_RemoveFlowVpcInterfaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFlowVpcInterfaceRequest; + output: RemoveFlowVpcInterfaceResponse; + }; + sdk: { + input: RemoveFlowVpcInterfaceCommandInput; + output: RemoveFlowVpcInterfaceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/RevokeFlowEntitlementCommand.ts b/clients/client-mediaconnect/src/commands/RevokeFlowEntitlementCommand.ts index b4393657639f..9e1d7b23619e 100644 --- a/clients/client-mediaconnect/src/commands/RevokeFlowEntitlementCommand.ts +++ b/clients/client-mediaconnect/src/commands/RevokeFlowEntitlementCommand.ts @@ -97,4 +97,16 @@ export class RevokeFlowEntitlementCommand extends $Command .f(void 0, void 0) .ser(se_RevokeFlowEntitlementCommand) .de(de_RevokeFlowEntitlementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeFlowEntitlementRequest; + output: RevokeFlowEntitlementResponse; + }; + sdk: { + input: RevokeFlowEntitlementCommandInput; + output: RevokeFlowEntitlementCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/StartFlowCommand.ts b/clients/client-mediaconnect/src/commands/StartFlowCommand.ts index 648cc7e77d5f..5e94db6a985b 100644 --- a/clients/client-mediaconnect/src/commands/StartFlowCommand.ts +++ b/clients/client-mediaconnect/src/commands/StartFlowCommand.ts @@ -96,4 +96,16 @@ export class StartFlowCommand extends $Command .f(void 0, void 0) .ser(se_StartFlowCommand) .de(de_StartFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFlowRequest; + output: StartFlowResponse; + }; + sdk: { + input: StartFlowCommandInput; + output: StartFlowCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/StopFlowCommand.ts b/clients/client-mediaconnect/src/commands/StopFlowCommand.ts index aa80914cb860..6f44c03e9823 100644 --- a/clients/client-mediaconnect/src/commands/StopFlowCommand.ts +++ b/clients/client-mediaconnect/src/commands/StopFlowCommand.ts @@ -96,4 +96,16 @@ export class StopFlowCommand extends $Command .f(void 0, void 0) .ser(se_StopFlowCommand) .de(de_StopFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopFlowRequest; + output: StopFlowResponse; + }; + sdk: { + input: StopFlowCommandInput; + output: StopFlowCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/TagResourceCommand.ts b/clients/client-mediaconnect/src/commands/TagResourceCommand.ts index 3399f10a182a..0a9e62dba661 100644 --- a/clients/client-mediaconnect/src/commands/TagResourceCommand.ts +++ b/clients/client-mediaconnect/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UntagResourceCommand.ts b/clients/client-mediaconnect/src/commands/UntagResourceCommand.ts index ddb23fb3cb8b..77f756b87b15 100644 --- a/clients/client-mediaconnect/src/commands/UntagResourceCommand.ts +++ b/clients/client-mediaconnect/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateBridgeCommand.ts b/clients/client-mediaconnect/src/commands/UpdateBridgeCommand.ts index 7f433a23a0ab..72e92ba74000 100644 --- a/clients/client-mediaconnect/src/commands/UpdateBridgeCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateBridgeCommand.ts @@ -178,4 +178,16 @@ export class UpdateBridgeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBridgeCommand) .de(de_UpdateBridgeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBridgeRequest; + output: UpdateBridgeResponse; + }; + sdk: { + input: UpdateBridgeCommandInput; + output: UpdateBridgeCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateBridgeOutputCommand.ts b/clients/client-mediaconnect/src/commands/UpdateBridgeOutputCommand.ts index 6d70f8f6f20f..f608526289c3 100644 --- a/clients/client-mediaconnect/src/commands/UpdateBridgeOutputCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateBridgeOutputCommand.ts @@ -121,4 +121,16 @@ export class UpdateBridgeOutputCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBridgeOutputCommand) .de(de_UpdateBridgeOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBridgeOutputRequest; + output: UpdateBridgeOutputResponse; + }; + sdk: { + input: UpdateBridgeOutputCommandInput; + output: UpdateBridgeOutputCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateBridgeSourceCommand.ts b/clients/client-mediaconnect/src/commands/UpdateBridgeSourceCommand.ts index 64984b6ae9f5..eb9e0498a875 100644 --- a/clients/client-mediaconnect/src/commands/UpdateBridgeSourceCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateBridgeSourceCommand.ts @@ -128,4 +128,16 @@ export class UpdateBridgeSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBridgeSourceCommand) .de(de_UpdateBridgeSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBridgeSourceRequest; + output: UpdateBridgeSourceResponse; + }; + sdk: { + input: UpdateBridgeSourceCommandInput; + output: UpdateBridgeSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateBridgeStateCommand.ts b/clients/client-mediaconnect/src/commands/UpdateBridgeStateCommand.ts index dfd458f2b65d..9f82a1c7049b 100644 --- a/clients/client-mediaconnect/src/commands/UpdateBridgeStateCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateBridgeStateCommand.ts @@ -100,4 +100,16 @@ export class UpdateBridgeStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBridgeStateCommand) .de(de_UpdateBridgeStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBridgeStateRequest; + output: UpdateBridgeStateResponse; + }; + sdk: { + input: UpdateBridgeStateCommandInput; + output: UpdateBridgeStateCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateFlowCommand.ts b/clients/client-mediaconnect/src/commands/UpdateFlowCommand.ts index 5d89562ffde9..37a0ce31f7d6 100644 --- a/clients/client-mediaconnect/src/commands/UpdateFlowCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateFlowCommand.ts @@ -388,4 +388,16 @@ export class UpdateFlowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowCommand) .de(de_UpdateFlowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowRequest; + output: UpdateFlowResponse; + }; + sdk: { + input: UpdateFlowCommandInput; + output: UpdateFlowCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateFlowEntitlementCommand.ts b/clients/client-mediaconnect/src/commands/UpdateFlowEntitlementCommand.ts index b0966f8b07ff..404cf3e971a1 100644 --- a/clients/client-mediaconnect/src/commands/UpdateFlowEntitlementCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateFlowEntitlementCommand.ts @@ -133,4 +133,16 @@ export class UpdateFlowEntitlementCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowEntitlementCommand) .de(de_UpdateFlowEntitlementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowEntitlementRequest; + output: UpdateFlowEntitlementResponse; + }; + sdk: { + input: UpdateFlowEntitlementCommandInput; + output: UpdateFlowEntitlementCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateFlowMediaStreamCommand.ts b/clients/client-mediaconnect/src/commands/UpdateFlowMediaStreamCommand.ts index 4db7865a08e1..f1118701dfd8 100644 --- a/clients/client-mediaconnect/src/commands/UpdateFlowMediaStreamCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateFlowMediaStreamCommand.ts @@ -133,4 +133,16 @@ export class UpdateFlowMediaStreamCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowMediaStreamCommand) .de(de_UpdateFlowMediaStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowMediaStreamRequest; + output: UpdateFlowMediaStreamResponse; + }; + sdk: { + input: UpdateFlowMediaStreamCommandInput; + output: UpdateFlowMediaStreamCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateFlowOutputCommand.ts b/clients/client-mediaconnect/src/commands/UpdateFlowOutputCommand.ts index 1d93348c1b25..9ca983e7300f 100644 --- a/clients/client-mediaconnect/src/commands/UpdateFlowOutputCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateFlowOutputCommand.ts @@ -211,4 +211,16 @@ export class UpdateFlowOutputCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowOutputCommand) .de(de_UpdateFlowOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowOutputRequest; + output: UpdateFlowOutputResponse; + }; + sdk: { + input: UpdateFlowOutputCommandInput; + output: UpdateFlowOutputCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateFlowSourceCommand.ts b/clients/client-mediaconnect/src/commands/UpdateFlowSourceCommand.ts index 18cfaa314403..46eabe96c389 100644 --- a/clients/client-mediaconnect/src/commands/UpdateFlowSourceCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateFlowSourceCommand.ts @@ -204,4 +204,16 @@ export class UpdateFlowSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFlowSourceCommand) .de(de_UpdateFlowSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFlowSourceRequest; + output: UpdateFlowSourceResponse; + }; + sdk: { + input: UpdateFlowSourceCommandInput; + output: UpdateFlowSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconnect/src/commands/UpdateGatewayInstanceCommand.ts b/clients/client-mediaconnect/src/commands/UpdateGatewayInstanceCommand.ts index 0394b1615e40..e21caceaa669 100644 --- a/clients/client-mediaconnect/src/commands/UpdateGatewayInstanceCommand.ts +++ b/clients/client-mediaconnect/src/commands/UpdateGatewayInstanceCommand.ts @@ -100,4 +100,16 @@ export class UpdateGatewayInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewayInstanceCommand) .de(de_UpdateGatewayInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewayInstanceRequest; + output: UpdateGatewayInstanceResponse; + }; + sdk: { + input: UpdateGatewayInstanceCommandInput; + output: UpdateGatewayInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/package.json b/clients/client-mediaconvert/package.json index 3e205b0ec598..587db969bed0 100644 --- a/clients/client-mediaconvert/package.json +++ b/clients/client-mediaconvert/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-mediaconvert/src/commands/AssociateCertificateCommand.ts b/clients/client-mediaconvert/src/commands/AssociateCertificateCommand.ts index 229168908758..9aeff2ee9bdb 100644 --- a/clients/client-mediaconvert/src/commands/AssociateCertificateCommand.ts +++ b/clients/client-mediaconvert/src/commands/AssociateCertificateCommand.ts @@ -93,4 +93,16 @@ export class AssociateCertificateCommand extends $Command .f(void 0, void 0) .ser(se_AssociateCertificateCommand) .de(de_AssociateCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateCertificateRequest; + output: {}; + }; + sdk: { + input: AssociateCertificateCommandInput; + output: AssociateCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/CancelJobCommand.ts b/clients/client-mediaconvert/src/commands/CancelJobCommand.ts index 72a04e5d4230..56f7ba271029 100644 --- a/clients/client-mediaconvert/src/commands/CancelJobCommand.ts +++ b/clients/client-mediaconvert/src/commands/CancelJobCommand.ts @@ -93,4 +93,16 @@ export class CancelJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobCommand) .de(de_CancelJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRequest; + output: {}; + }; + sdk: { + input: CancelJobCommandInput; + output: CancelJobCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/CreateJobCommand.ts b/clients/client-mediaconvert/src/commands/CreateJobCommand.ts index 74fe800ba331..f4181cb0ec87 100644 --- a/clients/client-mediaconvert/src/commands/CreateJobCommand.ts +++ b/clients/client-mediaconvert/src/commands/CreateJobCommand.ts @@ -3130,4 +3130,16 @@ export class CreateJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResponse; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts b/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts index 63e6cbe8b527..3413d3dc693f 100644 --- a/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts +++ b/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts @@ -3038,4 +3038,16 @@ export class CreateJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobTemplateCommand) .de(de_CreateJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobTemplateRequest; + output: CreateJobTemplateResponse; + }; + sdk: { + input: CreateJobTemplateCommandInput; + output: CreateJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/CreatePresetCommand.ts b/clients/client-mediaconvert/src/commands/CreatePresetCommand.ts index db1feee38f5e..28625554e1c7 100644 --- a/clients/client-mediaconvert/src/commands/CreatePresetCommand.ts +++ b/clients/client-mediaconvert/src/commands/CreatePresetCommand.ts @@ -1728,4 +1728,16 @@ export class CreatePresetCommand extends $Command .f(void 0, void 0) .ser(se_CreatePresetCommand) .de(de_CreatePresetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePresetRequest; + output: CreatePresetResponse; + }; + sdk: { + input: CreatePresetCommandInput; + output: CreatePresetCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/CreateQueueCommand.ts b/clients/client-mediaconvert/src/commands/CreateQueueCommand.ts index d058fe810304..f3251ab85c94 100644 --- a/clients/client-mediaconvert/src/commands/CreateQueueCommand.ts +++ b/clients/client-mediaconvert/src/commands/CreateQueueCommand.ts @@ -125,4 +125,16 @@ export class CreateQueueCommand extends $Command .f(void 0, void 0) .ser(se_CreateQueueCommand) .de(de_CreateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueueRequest; + output: CreateQueueResponse; + }; + sdk: { + input: CreateQueueCommandInput; + output: CreateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/DeleteJobTemplateCommand.ts b/clients/client-mediaconvert/src/commands/DeleteJobTemplateCommand.ts index c6c218d12b8a..537e80552901 100644 --- a/clients/client-mediaconvert/src/commands/DeleteJobTemplateCommand.ts +++ b/clients/client-mediaconvert/src/commands/DeleteJobTemplateCommand.ts @@ -93,4 +93,16 @@ export class DeleteJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobTemplateCommand) .de(de_DeleteJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteJobTemplateCommandInput; + output: DeleteJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/DeletePolicyCommand.ts b/clients/client-mediaconvert/src/commands/DeletePolicyCommand.ts index 8659ca820010..7825ebc8aa17 100644 --- a/clients/client-mediaconvert/src/commands/DeletePolicyCommand.ts +++ b/clients/client-mediaconvert/src/commands/DeletePolicyCommand.ts @@ -91,4 +91,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/DeletePresetCommand.ts b/clients/client-mediaconvert/src/commands/DeletePresetCommand.ts index 5cb8f181b2ea..25b508283036 100644 --- a/clients/client-mediaconvert/src/commands/DeletePresetCommand.ts +++ b/clients/client-mediaconvert/src/commands/DeletePresetCommand.ts @@ -93,4 +93,16 @@ export class DeletePresetCommand extends $Command .f(void 0, void 0) .ser(se_DeletePresetCommand) .de(de_DeletePresetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePresetRequest; + output: {}; + }; + sdk: { + input: DeletePresetCommandInput; + output: DeletePresetCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/DeleteQueueCommand.ts b/clients/client-mediaconvert/src/commands/DeleteQueueCommand.ts index 275dab4ad9e9..2a972032c6d6 100644 --- a/clients/client-mediaconvert/src/commands/DeleteQueueCommand.ts +++ b/clients/client-mediaconvert/src/commands/DeleteQueueCommand.ts @@ -93,4 +93,16 @@ export class DeleteQueueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueueCommand) .de(de_DeleteQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueueRequest; + output: {}; + }; + sdk: { + input: DeleteQueueCommandInput; + output: DeleteQueueCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/DescribeEndpointsCommand.ts b/clients/client-mediaconvert/src/commands/DescribeEndpointsCommand.ts index 6f9bfacc0d6b..f6e9d21ebf83 100644 --- a/clients/client-mediaconvert/src/commands/DescribeEndpointsCommand.ts +++ b/clients/client-mediaconvert/src/commands/DescribeEndpointsCommand.ts @@ -104,4 +104,16 @@ export class DescribeEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointsCommand) .de(de_DescribeEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointsRequest; + output: DescribeEndpointsResponse; + }; + sdk: { + input: DescribeEndpointsCommandInput; + output: DescribeEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/DisassociateCertificateCommand.ts b/clients/client-mediaconvert/src/commands/DisassociateCertificateCommand.ts index 5f4049c24722..2d79353cb0cd 100644 --- a/clients/client-mediaconvert/src/commands/DisassociateCertificateCommand.ts +++ b/clients/client-mediaconvert/src/commands/DisassociateCertificateCommand.ts @@ -93,4 +93,16 @@ export class DisassociateCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateCertificateCommand) .de(de_DisassociateCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateCertificateRequest; + output: {}; + }; + sdk: { + input: DisassociateCertificateCommandInput; + output: DisassociateCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/GetJobCommand.ts b/clients/client-mediaconvert/src/commands/GetJobCommand.ts index 148cf1f233ee..f12a17259507 100644 --- a/clients/client-mediaconvert/src/commands/GetJobCommand.ts +++ b/clients/client-mediaconvert/src/commands/GetJobCommand.ts @@ -1637,4 +1637,16 @@ export class GetJobCommand extends $Command .f(void 0, void 0) .ser(se_GetJobCommand) .de(de_GetJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobRequest; + output: GetJobResponse; + }; + sdk: { + input: GetJobCommandInput; + output: GetJobCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts b/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts index a7d846e12cc9..ed71390943e6 100644 --- a/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts +++ b/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts @@ -1568,4 +1568,16 @@ export class GetJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetJobTemplateCommand) .de(de_GetJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobTemplateRequest; + output: GetJobTemplateResponse; + }; + sdk: { + input: GetJobTemplateCommandInput; + output: GetJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/GetPolicyCommand.ts b/clients/client-mediaconvert/src/commands/GetPolicyCommand.ts index 03cfd0ed1b0a..3d96d10c44c6 100644 --- a/clients/client-mediaconvert/src/commands/GetPolicyCommand.ts +++ b/clients/client-mediaconvert/src/commands/GetPolicyCommand.ts @@ -97,4 +97,16 @@ export class GetPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPolicyResponse; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/GetPresetCommand.ts b/clients/client-mediaconvert/src/commands/GetPresetCommand.ts index 8d51180d4d65..f06031d31747 100644 --- a/clients/client-mediaconvert/src/commands/GetPresetCommand.ts +++ b/clients/client-mediaconvert/src/commands/GetPresetCommand.ts @@ -913,4 +913,16 @@ export class GetPresetCommand extends $Command .f(void 0, void 0) .ser(se_GetPresetCommand) .de(de_GetPresetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPresetRequest; + output: GetPresetResponse; + }; + sdk: { + input: GetPresetCommandInput; + output: GetPresetCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/GetQueueCommand.ts b/clients/client-mediaconvert/src/commands/GetQueueCommand.ts index 689ca5238f9c..8d7231a67216 100644 --- a/clients/client-mediaconvert/src/commands/GetQueueCommand.ts +++ b/clients/client-mediaconvert/src/commands/GetQueueCommand.ts @@ -114,4 +114,16 @@ export class GetQueueCommand extends $Command .f(void 0, void 0) .ser(se_GetQueueCommand) .de(de_GetQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueueRequest; + output: GetQueueResponse; + }; + sdk: { + input: GetQueueCommandInput; + output: GetQueueCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts b/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts index 0f226c08573b..5223f4f6f42f 100644 --- a/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts @@ -1575,4 +1575,16 @@ export class ListJobTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListJobTemplatesCommand) .de(de_ListJobTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobTemplatesRequest; + output: ListJobTemplatesResponse; + }; + sdk: { + input: ListJobTemplatesCommandInput; + output: ListJobTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/ListJobsCommand.ts b/clients/client-mediaconvert/src/commands/ListJobsCommand.ts index 38ba250bc7c0..3c1cef3e2251 100644 --- a/clients/client-mediaconvert/src/commands/ListJobsCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListJobsCommand.ts @@ -1644,4 +1644,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResponse; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/ListPresetsCommand.ts b/clients/client-mediaconvert/src/commands/ListPresetsCommand.ts index 5e6c5ff558d7..846510d159aa 100644 --- a/clients/client-mediaconvert/src/commands/ListPresetsCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListPresetsCommand.ts @@ -920,4 +920,16 @@ export class ListPresetsCommand extends $Command .f(void 0, void 0) .ser(se_ListPresetsCommand) .de(de_ListPresetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPresetsRequest; + output: ListPresetsResponse; + }; + sdk: { + input: ListPresetsCommandInput; + output: ListPresetsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/ListQueuesCommand.ts b/clients/client-mediaconvert/src/commands/ListQueuesCommand.ts index afb6b38cfba1..3d011c0991ed 100644 --- a/clients/client-mediaconvert/src/commands/ListQueuesCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListQueuesCommand.ts @@ -120,4 +120,16 @@ export class ListQueuesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueuesCommand) .de(de_ListQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueuesRequest; + output: ListQueuesResponse; + }; + sdk: { + input: ListQueuesCommandInput; + output: ListQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/ListTagsForResourceCommand.ts b/clients/client-mediaconvert/src/commands/ListTagsForResourceCommand.ts index 9f98893d6e92..b8d57f7589c7 100644 --- a/clients/client-mediaconvert/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListTagsForResourceCommand.ts @@ -100,4 +100,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/ListVersionsCommand.ts b/clients/client-mediaconvert/src/commands/ListVersionsCommand.ts index 985a64dba9c2..ebbbb562117e 100644 --- a/clients/client-mediaconvert/src/commands/ListVersionsCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListVersionsCommand.ts @@ -102,4 +102,16 @@ export class ListVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListVersionsCommand) .de(de_ListVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVersionsRequest; + output: ListVersionsResponse; + }; + sdk: { + input: ListVersionsCommandInput; + output: ListVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/PutPolicyCommand.ts b/clients/client-mediaconvert/src/commands/PutPolicyCommand.ts index c9f23f3340b3..0d01b21fda75 100644 --- a/clients/client-mediaconvert/src/commands/PutPolicyCommand.ts +++ b/clients/client-mediaconvert/src/commands/PutPolicyCommand.ts @@ -103,4 +103,16 @@ export class PutPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutPolicyCommand) .de(de_PutPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPolicyRequest; + output: PutPolicyResponse; + }; + sdk: { + input: PutPolicyCommandInput; + output: PutPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts b/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts index 227a05b64b31..1c7dca0e9e77 100644 --- a/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts +++ b/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts @@ -1645,4 +1645,16 @@ export class SearchJobsCommand extends $Command .f(void 0, void 0) .ser(se_SearchJobsCommand) .de(de_SearchJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchJobsRequest; + output: SearchJobsResponse; + }; + sdk: { + input: SearchJobsCommandInput; + output: SearchJobsCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/TagResourceCommand.ts b/clients/client-mediaconvert/src/commands/TagResourceCommand.ts index b6ccc4719722..bb5582356de2 100644 --- a/clients/client-mediaconvert/src/commands/TagResourceCommand.ts +++ b/clients/client-mediaconvert/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/UntagResourceCommand.ts b/clients/client-mediaconvert/src/commands/UntagResourceCommand.ts index 30f894b64111..12bcbd2cf010 100644 --- a/clients/client-mediaconvert/src/commands/UntagResourceCommand.ts +++ b/clients/client-mediaconvert/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts b/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts index be8ac11a481a..c416edbc4a57 100644 --- a/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts +++ b/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts @@ -3035,4 +3035,16 @@ export class UpdateJobTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobTemplateCommand) .de(de_UpdateJobTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobTemplateRequest; + output: UpdateJobTemplateResponse; + }; + sdk: { + input: UpdateJobTemplateCommandInput; + output: UpdateJobTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/UpdatePresetCommand.ts b/clients/client-mediaconvert/src/commands/UpdatePresetCommand.ts index d8b9aa0c69ae..e3400eb4ad98 100644 --- a/clients/client-mediaconvert/src/commands/UpdatePresetCommand.ts +++ b/clients/client-mediaconvert/src/commands/UpdatePresetCommand.ts @@ -1725,4 +1725,16 @@ export class UpdatePresetCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePresetCommand) .de(de_UpdatePresetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePresetRequest; + output: UpdatePresetResponse; + }; + sdk: { + input: UpdatePresetCommandInput; + output: UpdatePresetCommandOutput; + }; + }; +} diff --git a/clients/client-mediaconvert/src/commands/UpdateQueueCommand.ts b/clients/client-mediaconvert/src/commands/UpdateQueueCommand.ts index 4aa0ae7ba0a4..235e0ec0f5e2 100644 --- a/clients/client-mediaconvert/src/commands/UpdateQueueCommand.ts +++ b/clients/client-mediaconvert/src/commands/UpdateQueueCommand.ts @@ -121,4 +121,16 @@ export class UpdateQueueCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueCommand) .de(de_UpdateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueRequest; + output: UpdateQueueResponse; + }; + sdk: { + input: UpdateQueueCommandInput; + output: UpdateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/package.json b/clients/client-medialive/package.json index b02b1c7ac6eb..46269f458bab 100644 --- a/clients/client-medialive/package.json +++ b/clients/client-medialive/package.json @@ -33,33 +33,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-medialive/src/commands/AcceptInputDeviceTransferCommand.ts b/clients/client-medialive/src/commands/AcceptInputDeviceTransferCommand.ts index 85bf3d098a13..b869a717e789 100644 --- a/clients/client-medialive/src/commands/AcceptInputDeviceTransferCommand.ts +++ b/clients/client-medialive/src/commands/AcceptInputDeviceTransferCommand.ts @@ -102,4 +102,16 @@ export class AcceptInputDeviceTransferCommand extends $Command .f(void 0, void 0) .ser(se_AcceptInputDeviceTransferCommand) .de(de_AcceptInputDeviceTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptInputDeviceTransferRequest; + output: {}; + }; + sdk: { + input: AcceptInputDeviceTransferCommandInput; + output: AcceptInputDeviceTransferCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/BatchDeleteCommand.ts b/clients/client-medialive/src/commands/BatchDeleteCommand.ts index f1d358361301..5fbde19ff2a7 100644 --- a/clients/client-medialive/src/commands/BatchDeleteCommand.ts +++ b/clients/client-medialive/src/commands/BatchDeleteCommand.ts @@ -126,4 +126,16 @@ export class BatchDeleteCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteCommand) .de(de_BatchDeleteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteRequest; + output: BatchDeleteResponse; + }; + sdk: { + input: BatchDeleteCommandInput; + output: BatchDeleteCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/BatchStartCommand.ts b/clients/client-medialive/src/commands/BatchStartCommand.ts index 7f8b82d95608..38364eb2b64e 100644 --- a/clients/client-medialive/src/commands/BatchStartCommand.ts +++ b/clients/client-medialive/src/commands/BatchStartCommand.ts @@ -120,4 +120,16 @@ export class BatchStartCommand extends $Command .f(void 0, void 0) .ser(se_BatchStartCommand) .de(de_BatchStartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchStartRequest; + output: BatchStartResponse; + }; + sdk: { + input: BatchStartCommandInput; + output: BatchStartCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/BatchStopCommand.ts b/clients/client-medialive/src/commands/BatchStopCommand.ts index 412854b051db..aed964e5b57b 100644 --- a/clients/client-medialive/src/commands/BatchStopCommand.ts +++ b/clients/client-medialive/src/commands/BatchStopCommand.ts @@ -120,4 +120,16 @@ export class BatchStopCommand extends $Command .f(void 0, void 0) .ser(se_BatchStopCommand) .de(de_BatchStopCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchStopRequest; + output: BatchStopResponse; + }; + sdk: { + input: BatchStopCommandInput; + output: BatchStopCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/BatchUpdateScheduleCommand.ts b/clients/client-medialive/src/commands/BatchUpdateScheduleCommand.ts index 53b2ed88017b..e9b1c60e5900 100644 --- a/clients/client-medialive/src/commands/BatchUpdateScheduleCommand.ts +++ b/clients/client-medialive/src/commands/BatchUpdateScheduleCommand.ts @@ -564,4 +564,16 @@ export class BatchUpdateScheduleCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateScheduleCommand) .de(de_BatchUpdateScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateScheduleRequest; + output: BatchUpdateScheduleResponse; + }; + sdk: { + input: BatchUpdateScheduleCommandInput; + output: BatchUpdateScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CancelInputDeviceTransferCommand.ts b/clients/client-medialive/src/commands/CancelInputDeviceTransferCommand.ts index 1cc4cf577dce..e4c9a36ea4e4 100644 --- a/clients/client-medialive/src/commands/CancelInputDeviceTransferCommand.ts +++ b/clients/client-medialive/src/commands/CancelInputDeviceTransferCommand.ts @@ -102,4 +102,16 @@ export class CancelInputDeviceTransferCommand extends $Command .f(void 0, void 0) .ser(se_CancelInputDeviceTransferCommand) .de(de_CancelInputDeviceTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelInputDeviceTransferRequest; + output: {}; + }; + sdk: { + input: CancelInputDeviceTransferCommandInput; + output: CancelInputDeviceTransferCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ClaimDeviceCommand.ts b/clients/client-medialive/src/commands/ClaimDeviceCommand.ts index 3c3326bf8bb8..8bb5f794dc97 100644 --- a/clients/client-medialive/src/commands/ClaimDeviceCommand.ts +++ b/clients/client-medialive/src/commands/ClaimDeviceCommand.ts @@ -99,4 +99,16 @@ export class ClaimDeviceCommand extends $Command .f(void 0, void 0) .ser(se_ClaimDeviceCommand) .de(de_ClaimDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ClaimDeviceRequest; + output: {}; + }; + sdk: { + input: ClaimDeviceCommandInput; + output: ClaimDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateChannelCommand.ts b/clients/client-medialive/src/commands/CreateChannelCommand.ts index c9a4e733c9a1..1aa82575e527 100644 --- a/clients/client-medialive/src/commands/CreateChannelCommand.ts +++ b/clients/client-medialive/src/commands/CreateChannelCommand.ts @@ -2422,4 +2422,16 @@ export class CreateChannelCommand extends $Command .f(void 0, void 0) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateChannelPlacementGroupCommand.ts b/clients/client-medialive/src/commands/CreateChannelPlacementGroupCommand.ts index 5d9afc654d56..bfde67d358e0 100644 --- a/clients/client-medialive/src/commands/CreateChannelPlacementGroupCommand.ts +++ b/clients/client-medialive/src/commands/CreateChannelPlacementGroupCommand.ts @@ -121,4 +121,16 @@ export class CreateChannelPlacementGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateChannelPlacementGroupCommand) .de(de_CreateChannelPlacementGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelPlacementGroupRequest; + output: CreateChannelPlacementGroupResponse; + }; + sdk: { + input: CreateChannelPlacementGroupCommandInput; + output: CreateChannelPlacementGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateCommand.ts b/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateCommand.ts index 4f335371231b..9020b5bdacc4 100644 --- a/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateCommand.ts +++ b/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateCommand.ts @@ -132,4 +132,16 @@ export class CreateCloudWatchAlarmTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateCloudWatchAlarmTemplateCommand) .de(de_CreateCloudWatchAlarmTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCloudWatchAlarmTemplateRequest; + output: CreateCloudWatchAlarmTemplateResponse; + }; + sdk: { + input: CreateCloudWatchAlarmTemplateCommandInput; + output: CreateCloudWatchAlarmTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateGroupCommand.ts b/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateGroupCommand.ts index 84be4c123440..ddf4dbc02e61 100644 --- a/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/CreateCloudWatchAlarmTemplateGroupCommand.ts @@ -115,4 +115,16 @@ export class CreateCloudWatchAlarmTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateCloudWatchAlarmTemplateGroupCommand) .de(de_CreateCloudWatchAlarmTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCloudWatchAlarmTemplateGroupRequest; + output: CreateCloudWatchAlarmTemplateGroupResponse; + }; + sdk: { + input: CreateCloudWatchAlarmTemplateGroupCommandInput; + output: CreateCloudWatchAlarmTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateClusterCommand.ts b/clients/client-medialive/src/commands/CreateClusterCommand.ts index 17c87abeca0f..d0652363cca2 100644 --- a/clients/client-medialive/src/commands/CreateClusterCommand.ts +++ b/clients/client-medialive/src/commands/CreateClusterCommand.ts @@ -130,4 +130,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateCommand.ts b/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateCommand.ts index ede5ee5ebca2..40e1b10d2f94 100644 --- a/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateCommand.ts +++ b/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateCommand.ts @@ -126,4 +126,16 @@ export class CreateEventBridgeRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventBridgeRuleTemplateCommand) .de(de_CreateEventBridgeRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventBridgeRuleTemplateRequest; + output: CreateEventBridgeRuleTemplateResponse; + }; + sdk: { + input: CreateEventBridgeRuleTemplateCommandInput; + output: CreateEventBridgeRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateGroupCommand.ts b/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateGroupCommand.ts index abdff6246235..309147f83565 100644 --- a/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/CreateEventBridgeRuleTemplateGroupCommand.ts @@ -115,4 +115,16 @@ export class CreateEventBridgeRuleTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventBridgeRuleTemplateGroupCommand) .de(de_CreateEventBridgeRuleTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventBridgeRuleTemplateGroupRequest; + output: CreateEventBridgeRuleTemplateGroupResponse; + }; + sdk: { + input: CreateEventBridgeRuleTemplateGroupCommandInput; + output: CreateEventBridgeRuleTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateInputCommand.ts b/clients/client-medialive/src/commands/CreateInputCommand.ts index 8b350949a63a..cea9259ca5a4 100644 --- a/clients/client-medialive/src/commands/CreateInputCommand.ts +++ b/clients/client-medialive/src/commands/CreateInputCommand.ts @@ -244,4 +244,16 @@ export class CreateInputCommand extends $Command .f(void 0, void 0) .ser(se_CreateInputCommand) .de(de_CreateInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInputRequest; + output: CreateInputResponse; + }; + sdk: { + input: CreateInputCommandInput; + output: CreateInputCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateInputSecurityGroupCommand.ts b/clients/client-medialive/src/commands/CreateInputSecurityGroupCommand.ts index ce9e3143e7b2..e99c66fd3650 100644 --- a/clients/client-medialive/src/commands/CreateInputSecurityGroupCommand.ts +++ b/clients/client-medialive/src/commands/CreateInputSecurityGroupCommand.ts @@ -117,4 +117,16 @@ export class CreateInputSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateInputSecurityGroupCommand) .de(de_CreateInputSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInputSecurityGroupRequest; + output: CreateInputSecurityGroupResponse; + }; + sdk: { + input: CreateInputSecurityGroupCommandInput; + output: CreateInputSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateMultiplexCommand.ts b/clients/client-medialive/src/commands/CreateMultiplexCommand.ts index e7976b5b3c19..d92a686188cb 100644 --- a/clients/client-medialive/src/commands/CreateMultiplexCommand.ts +++ b/clients/client-medialive/src/commands/CreateMultiplexCommand.ts @@ -140,4 +140,16 @@ export class CreateMultiplexCommand extends $Command .f(void 0, void 0) .ser(se_CreateMultiplexCommand) .de(de_CreateMultiplexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMultiplexRequest; + output: CreateMultiplexResponse; + }; + sdk: { + input: CreateMultiplexCommandInput; + output: CreateMultiplexCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateMultiplexProgramCommand.ts b/clients/client-medialive/src/commands/CreateMultiplexProgramCommand.ts index 956c89bd6b04..e1e7d4f8c615 100644 --- a/clients/client-medialive/src/commands/CreateMultiplexProgramCommand.ts +++ b/clients/client-medialive/src/commands/CreateMultiplexProgramCommand.ts @@ -173,4 +173,16 @@ export class CreateMultiplexProgramCommand extends $Command .f(void 0, void 0) .ser(se_CreateMultiplexProgramCommand) .de(de_CreateMultiplexProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMultiplexProgramRequest; + output: CreateMultiplexProgramResponse; + }; + sdk: { + input: CreateMultiplexProgramCommandInput; + output: CreateMultiplexProgramCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateNetworkCommand.ts b/clients/client-medialive/src/commands/CreateNetworkCommand.ts index 089b1c5bcf25..6997054a5998 100644 --- a/clients/client-medialive/src/commands/CreateNetworkCommand.ts +++ b/clients/client-medialive/src/commands/CreateNetworkCommand.ts @@ -130,4 +130,16 @@ export class CreateNetworkCommand extends $Command .f(void 0, void 0) .ser(se_CreateNetworkCommand) .de(de_CreateNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkRequest; + output: CreateNetworkResponse; + }; + sdk: { + input: CreateNetworkCommandInput; + output: CreateNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateNodeCommand.ts b/clients/client-medialive/src/commands/CreateNodeCommand.ts index efad892ac11e..341941fed204 100644 --- a/clients/client-medialive/src/commands/CreateNodeCommand.ts +++ b/clients/client-medialive/src/commands/CreateNodeCommand.ts @@ -128,4 +128,16 @@ export class CreateNodeCommand extends $Command .f(void 0, void 0) .ser(se_CreateNodeCommand) .de(de_CreateNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNodeRequest; + output: CreateNodeResponse; + }; + sdk: { + input: CreateNodeCommandInput; + output: CreateNodeCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateNodeRegistrationScriptCommand.ts b/clients/client-medialive/src/commands/CreateNodeRegistrationScriptCommand.ts index 7e570ccc44a2..c37c51d424c5 100644 --- a/clients/client-medialive/src/commands/CreateNodeRegistrationScriptCommand.ts +++ b/clients/client-medialive/src/commands/CreateNodeRegistrationScriptCommand.ts @@ -114,4 +114,16 @@ export class CreateNodeRegistrationScriptCommand extends $Command .f(void 0, void 0) .ser(se_CreateNodeRegistrationScriptCommand) .de(de_CreateNodeRegistrationScriptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNodeRegistrationScriptRequest; + output: CreateNodeRegistrationScriptResponse; + }; + sdk: { + input: CreateNodeRegistrationScriptCommandInput; + output: CreateNodeRegistrationScriptCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts b/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts index 2c0688a25636..767086f92140 100644 --- a/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts +++ b/clients/client-medialive/src/commands/CreatePartnerInputCommand.ts @@ -178,4 +178,16 @@ export class CreatePartnerInputCommand extends $Command .f(void 0, void 0) .ser(se_CreatePartnerInputCommand) .de(de_CreatePartnerInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePartnerInputRequest; + output: CreatePartnerInputResponse; + }; + sdk: { + input: CreatePartnerInputCommandInput; + output: CreatePartnerInputCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateSignalMapCommand.ts b/clients/client-medialive/src/commands/CreateSignalMapCommand.ts index e8a92d061171..48e1a19b388e 100644 --- a/clients/client-medialive/src/commands/CreateSignalMapCommand.ts +++ b/clients/client-medialive/src/commands/CreateSignalMapCommand.ts @@ -168,4 +168,16 @@ export class CreateSignalMapCommand extends $Command .f(void 0, void 0) .ser(se_CreateSignalMapCommand) .de(de_CreateSignalMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSignalMapRequest; + output: CreateSignalMapResponse; + }; + sdk: { + input: CreateSignalMapCommandInput; + output: CreateSignalMapCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/CreateTagsCommand.ts b/clients/client-medialive/src/commands/CreateTagsCommand.ts index 1cf8192cfc1a..61e34277fe52 100644 --- a/clients/client-medialive/src/commands/CreateTagsCommand.ts +++ b/clients/client-medialive/src/commands/CreateTagsCommand.ts @@ -90,4 +90,16 @@ export class CreateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagsCommand) .de(de_CreateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagsRequest; + output: {}; + }; + sdk: { + input: CreateTagsCommandInput; + output: CreateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteChannelCommand.ts b/clients/client-medialive/src/commands/DeleteChannelCommand.ts index 00a5449fd96a..151dc09664c1 100644 --- a/clients/client-medialive/src/commands/DeleteChannelCommand.ts +++ b/clients/client-medialive/src/commands/DeleteChannelCommand.ts @@ -1270,4 +1270,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: DeleteChannelResponse; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteChannelPlacementGroupCommand.ts b/clients/client-medialive/src/commands/DeleteChannelPlacementGroupCommand.ts index fdd8c5295bf2..48495bba51be 100644 --- a/clients/client-medialive/src/commands/DeleteChannelPlacementGroupCommand.ts +++ b/clients/client-medialive/src/commands/DeleteChannelPlacementGroupCommand.ts @@ -117,4 +117,16 @@ export class DeleteChannelPlacementGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelPlacementGroupCommand) .de(de_DeleteChannelPlacementGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelPlacementGroupRequest; + output: DeleteChannelPlacementGroupResponse; + }; + sdk: { + input: DeleteChannelPlacementGroupCommandInput; + output: DeleteChannelPlacementGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateCommand.ts b/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateCommand.ts index 575f3d44338c..af58663eb3e6 100644 --- a/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateCommand.ts +++ b/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateCommand.ts @@ -96,4 +96,16 @@ export class DeleteCloudWatchAlarmTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCloudWatchAlarmTemplateCommand) .de(de_DeleteCloudWatchAlarmTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCloudWatchAlarmTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteCloudWatchAlarmTemplateCommandInput; + output: DeleteCloudWatchAlarmTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateGroupCommand.ts b/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateGroupCommand.ts index 85b2368b20ed..0ec361eb281c 100644 --- a/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/DeleteCloudWatchAlarmTemplateGroupCommand.ts @@ -96,4 +96,16 @@ export class DeleteCloudWatchAlarmTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCloudWatchAlarmTemplateGroupCommand) .de(de_DeleteCloudWatchAlarmTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCloudWatchAlarmTemplateGroupRequest; + output: {}; + }; + sdk: { + input: DeleteCloudWatchAlarmTemplateGroupCommandInput; + output: DeleteCloudWatchAlarmTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteClusterCommand.ts b/clients/client-medialive/src/commands/DeleteClusterCommand.ts index 752a4061dbc7..3cb8bf337b90 100644 --- a/clients/client-medialive/src/commands/DeleteClusterCommand.ts +++ b/clients/client-medialive/src/commands/DeleteClusterCommand.ts @@ -118,4 +118,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateCommand.ts b/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateCommand.ts index e54bfba1aacd..a153225ebf21 100644 --- a/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateCommand.ts +++ b/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateCommand.ts @@ -96,4 +96,16 @@ export class DeleteEventBridgeRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventBridgeRuleTemplateCommand) .de(de_DeleteEventBridgeRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventBridgeRuleTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteEventBridgeRuleTemplateCommandInput; + output: DeleteEventBridgeRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateGroupCommand.ts b/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateGroupCommand.ts index 84a662f27a50..6a3142580703 100644 --- a/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/DeleteEventBridgeRuleTemplateGroupCommand.ts @@ -96,4 +96,16 @@ export class DeleteEventBridgeRuleTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventBridgeRuleTemplateGroupCommand) .de(de_DeleteEventBridgeRuleTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventBridgeRuleTemplateGroupRequest; + output: {}; + }; + sdk: { + input: DeleteEventBridgeRuleTemplateGroupCommandInput; + output: DeleteEventBridgeRuleTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteInputCommand.ts b/clients/client-medialive/src/commands/DeleteInputCommand.ts index d594850970ee..2f502b399c01 100644 --- a/clients/client-medialive/src/commands/DeleteInputCommand.ts +++ b/clients/client-medialive/src/commands/DeleteInputCommand.ts @@ -99,4 +99,16 @@ export class DeleteInputCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInputCommand) .de(de_DeleteInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInputRequest; + output: {}; + }; + sdk: { + input: DeleteInputCommandInput; + output: DeleteInputCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteInputSecurityGroupCommand.ts b/clients/client-medialive/src/commands/DeleteInputSecurityGroupCommand.ts index 8a15f415e6ac..346033f2792e 100644 --- a/clients/client-medialive/src/commands/DeleteInputSecurityGroupCommand.ts +++ b/clients/client-medialive/src/commands/DeleteInputSecurityGroupCommand.ts @@ -96,4 +96,16 @@ export class DeleteInputSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInputSecurityGroupCommand) .de(de_DeleteInputSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInputSecurityGroupRequest; + output: {}; + }; + sdk: { + input: DeleteInputSecurityGroupCommandInput; + output: DeleteInputSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteMultiplexCommand.ts b/clients/client-medialive/src/commands/DeleteMultiplexCommand.ts index ae3ec9c5aca9..c4b2dcd18fcb 100644 --- a/clients/client-medialive/src/commands/DeleteMultiplexCommand.ts +++ b/clients/client-medialive/src/commands/DeleteMultiplexCommand.ts @@ -125,4 +125,16 @@ export class DeleteMultiplexCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMultiplexCommand) .de(de_DeleteMultiplexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMultiplexRequest; + output: DeleteMultiplexResponse; + }; + sdk: { + input: DeleteMultiplexCommandInput; + output: DeleteMultiplexCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteMultiplexProgramCommand.ts b/clients/client-medialive/src/commands/DeleteMultiplexProgramCommand.ts index f7a4027ad7d2..46c404f2b58d 100644 --- a/clients/client-medialive/src/commands/DeleteMultiplexProgramCommand.ts +++ b/clients/client-medialive/src/commands/DeleteMultiplexProgramCommand.ts @@ -154,4 +154,16 @@ export class DeleteMultiplexProgramCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMultiplexProgramCommand) .de(de_DeleteMultiplexProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMultiplexProgramRequest; + output: DeleteMultiplexProgramResponse; + }; + sdk: { + input: DeleteMultiplexProgramCommandInput; + output: DeleteMultiplexProgramCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteNetworkCommand.ts b/clients/client-medialive/src/commands/DeleteNetworkCommand.ts index 60921ec05265..1089b7771dc0 100644 --- a/clients/client-medialive/src/commands/DeleteNetworkCommand.ts +++ b/clients/client-medialive/src/commands/DeleteNetworkCommand.ts @@ -118,4 +118,16 @@ export class DeleteNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkCommand) .de(de_DeleteNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkRequest; + output: DeleteNetworkResponse; + }; + sdk: { + input: DeleteNetworkCommandInput; + output: DeleteNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteNodeCommand.ts b/clients/client-medialive/src/commands/DeleteNodeCommand.ts index 221017049196..70df0c3bb3c5 100644 --- a/clients/client-medialive/src/commands/DeleteNodeCommand.ts +++ b/clients/client-medialive/src/commands/DeleteNodeCommand.ts @@ -119,4 +119,16 @@ export class DeleteNodeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNodeCommand) .de(de_DeleteNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNodeRequest; + output: DeleteNodeResponse; + }; + sdk: { + input: DeleteNodeCommandInput; + output: DeleteNodeCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteReservationCommand.ts b/clients/client-medialive/src/commands/DeleteReservationCommand.ts index 5da0e57e262e..cd4c2019f45e 100644 --- a/clients/client-medialive/src/commands/DeleteReservationCommand.ts +++ b/clients/client-medialive/src/commands/DeleteReservationCommand.ts @@ -133,4 +133,16 @@ export class DeleteReservationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReservationCommand) .de(de_DeleteReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReservationRequest; + output: DeleteReservationResponse; + }; + sdk: { + input: DeleteReservationCommandInput; + output: DeleteReservationCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteScheduleCommand.ts b/clients/client-medialive/src/commands/DeleteScheduleCommand.ts index a423645f5481..7882f42f4d90 100644 --- a/clients/client-medialive/src/commands/DeleteScheduleCommand.ts +++ b/clients/client-medialive/src/commands/DeleteScheduleCommand.ts @@ -96,4 +96,16 @@ export class DeleteScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduleCommand) .de(de_DeleteScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduleRequest; + output: {}; + }; + sdk: { + input: DeleteScheduleCommandInput; + output: DeleteScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteSignalMapCommand.ts b/clients/client-medialive/src/commands/DeleteSignalMapCommand.ts index e8afeec5e21b..9970f80940d4 100644 --- a/clients/client-medialive/src/commands/DeleteSignalMapCommand.ts +++ b/clients/client-medialive/src/commands/DeleteSignalMapCommand.ts @@ -93,4 +93,16 @@ export class DeleteSignalMapCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSignalMapCommand) .de(de_DeleteSignalMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSignalMapRequest; + output: {}; + }; + sdk: { + input: DeleteSignalMapCommandInput; + output: DeleteSignalMapCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DeleteTagsCommand.ts b/clients/client-medialive/src/commands/DeleteTagsCommand.ts index 02abb801fd55..c47f34c6af54 100644 --- a/clients/client-medialive/src/commands/DeleteTagsCommand.ts +++ b/clients/client-medialive/src/commands/DeleteTagsCommand.ts @@ -90,4 +90,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsRequest; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeAccountConfigurationCommand.ts b/clients/client-medialive/src/commands/DescribeAccountConfigurationCommand.ts index 7d47ff783787..e526a2b66adb 100644 --- a/clients/client-medialive/src/commands/DescribeAccountConfigurationCommand.ts +++ b/clients/client-medialive/src/commands/DescribeAccountConfigurationCommand.ts @@ -100,4 +100,16 @@ export class DescribeAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountConfigurationCommand) .de(de_DescribeAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountConfigurationResponse; + }; + sdk: { + input: DescribeAccountConfigurationCommandInput; + output: DescribeAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeChannelCommand.ts b/clients/client-medialive/src/commands/DescribeChannelCommand.ts index acc106f93341..ed9a683337aa 100644 --- a/clients/client-medialive/src/commands/DescribeChannelCommand.ts +++ b/clients/client-medialive/src/commands/DescribeChannelCommand.ts @@ -1267,4 +1267,16 @@ export class DescribeChannelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeChannelCommand) .de(de_DescribeChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelRequest; + output: DescribeChannelResponse; + }; + sdk: { + input: DescribeChannelCommandInput; + output: DescribeChannelCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeChannelPlacementGroupCommand.ts b/clients/client-medialive/src/commands/DescribeChannelPlacementGroupCommand.ts index 460448533740..b5b79b9fd187 100644 --- a/clients/client-medialive/src/commands/DescribeChannelPlacementGroupCommand.ts +++ b/clients/client-medialive/src/commands/DescribeChannelPlacementGroupCommand.ts @@ -114,4 +114,16 @@ export class DescribeChannelPlacementGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeChannelPlacementGroupCommand) .de(de_DescribeChannelPlacementGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelPlacementGroupRequest; + output: DescribeChannelPlacementGroupResponse; + }; + sdk: { + input: DescribeChannelPlacementGroupCommandInput; + output: DescribeChannelPlacementGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeClusterCommand.ts b/clients/client-medialive/src/commands/DescribeClusterCommand.ts index c6da4e683c96..11e5bc221f0f 100644 --- a/clients/client-medialive/src/commands/DescribeClusterCommand.ts +++ b/clients/client-medialive/src/commands/DescribeClusterCommand.ts @@ -115,4 +115,16 @@ export class DescribeClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterCommand) .de(de_DescribeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterRequest; + output: DescribeClusterResponse; + }; + sdk: { + input: DescribeClusterCommandInput; + output: DescribeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeInputCommand.ts b/clients/client-medialive/src/commands/DescribeInputCommand.ts index d48af5d775ae..28232c973010 100644 --- a/clients/client-medialive/src/commands/DescribeInputCommand.ts +++ b/clients/client-medialive/src/commands/DescribeInputCommand.ts @@ -175,4 +175,16 @@ export class DescribeInputCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInputCommand) .de(de_DescribeInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInputRequest; + output: DescribeInputResponse; + }; + sdk: { + input: DescribeInputCommandInput; + output: DescribeInputCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeInputDeviceCommand.ts b/clients/client-medialive/src/commands/DescribeInputDeviceCommand.ts index 2c8a113bb284..685b9b6ba785 100644 --- a/clients/client-medialive/src/commands/DescribeInputDeviceCommand.ts +++ b/clients/client-medialive/src/commands/DescribeInputDeviceCommand.ts @@ -158,4 +158,16 @@ export class DescribeInputDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInputDeviceCommand) .de(de_DescribeInputDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInputDeviceRequest; + output: DescribeInputDeviceResponse; + }; + sdk: { + input: DescribeInputDeviceCommandInput; + output: DescribeInputDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeInputDeviceThumbnailCommand.ts b/clients/client-medialive/src/commands/DescribeInputDeviceThumbnailCommand.ts index 522097a1f10d..6164461a7197 100644 --- a/clients/client-medialive/src/commands/DescribeInputDeviceThumbnailCommand.ts +++ b/clients/client-medialive/src/commands/DescribeInputDeviceThumbnailCommand.ts @@ -114,4 +114,16 @@ export class DescribeInputDeviceThumbnailCommand extends $Command .f(void 0, DescribeInputDeviceThumbnailResponseFilterSensitiveLog) .ser(se_DescribeInputDeviceThumbnailCommand) .de(de_DescribeInputDeviceThumbnailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInputDeviceThumbnailRequest; + output: DescribeInputDeviceThumbnailResponse; + }; + sdk: { + input: DescribeInputDeviceThumbnailCommandInput; + output: DescribeInputDeviceThumbnailCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeInputSecurityGroupCommand.ts b/clients/client-medialive/src/commands/DescribeInputSecurityGroupCommand.ts index 3627ee0a929c..02c054c3878e 100644 --- a/clients/client-medialive/src/commands/DescribeInputSecurityGroupCommand.ts +++ b/clients/client-medialive/src/commands/DescribeInputSecurityGroupCommand.ts @@ -111,4 +111,16 @@ export class DescribeInputSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInputSecurityGroupCommand) .de(de_DescribeInputSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInputSecurityGroupRequest; + output: DescribeInputSecurityGroupResponse; + }; + sdk: { + input: DescribeInputSecurityGroupCommandInput; + output: DescribeInputSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeMultiplexCommand.ts b/clients/client-medialive/src/commands/DescribeMultiplexCommand.ts index 11f1e6ef8f15..f6d38d3efbf4 100644 --- a/clients/client-medialive/src/commands/DescribeMultiplexCommand.ts +++ b/clients/client-medialive/src/commands/DescribeMultiplexCommand.ts @@ -122,4 +122,16 @@ export class DescribeMultiplexCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMultiplexCommand) .de(de_DescribeMultiplexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMultiplexRequest; + output: DescribeMultiplexResponse; + }; + sdk: { + input: DescribeMultiplexCommandInput; + output: DescribeMultiplexCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeMultiplexProgramCommand.ts b/clients/client-medialive/src/commands/DescribeMultiplexProgramCommand.ts index 7304ff99418e..b29c9205c03a 100644 --- a/clients/client-medialive/src/commands/DescribeMultiplexProgramCommand.ts +++ b/clients/client-medialive/src/commands/DescribeMultiplexProgramCommand.ts @@ -151,4 +151,16 @@ export class DescribeMultiplexProgramCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMultiplexProgramCommand) .de(de_DescribeMultiplexProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMultiplexProgramRequest; + output: DescribeMultiplexProgramResponse; + }; + sdk: { + input: DescribeMultiplexProgramCommandInput; + output: DescribeMultiplexProgramCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeNetworkCommand.ts b/clients/client-medialive/src/commands/DescribeNetworkCommand.ts index 1a27b7707ae8..e05646614c36 100644 --- a/clients/client-medialive/src/commands/DescribeNetworkCommand.ts +++ b/clients/client-medialive/src/commands/DescribeNetworkCommand.ts @@ -115,4 +115,16 @@ export class DescribeNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNetworkCommand) .de(de_DescribeNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNetworkRequest; + output: DescribeNetworkResponse; + }; + sdk: { + input: DescribeNetworkCommandInput; + output: DescribeNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeNodeCommand.ts b/clients/client-medialive/src/commands/DescribeNodeCommand.ts index 3c36d373ab5b..2f466c3890ce 100644 --- a/clients/client-medialive/src/commands/DescribeNodeCommand.ts +++ b/clients/client-medialive/src/commands/DescribeNodeCommand.ts @@ -116,4 +116,16 @@ export class DescribeNodeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNodeCommand) .de(de_DescribeNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNodeRequest; + output: DescribeNodeResponse; + }; + sdk: { + input: DescribeNodeCommandInput; + output: DescribeNodeCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeOfferingCommand.ts b/clients/client-medialive/src/commands/DescribeOfferingCommand.ts index a22e5f4cd262..376863eec80e 100644 --- a/clients/client-medialive/src/commands/DescribeOfferingCommand.ts +++ b/clients/client-medialive/src/commands/DescribeOfferingCommand.ts @@ -117,4 +117,16 @@ export class DescribeOfferingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOfferingCommand) .de(de_DescribeOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOfferingRequest; + output: DescribeOfferingResponse; + }; + sdk: { + input: DescribeOfferingCommandInput; + output: DescribeOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeReservationCommand.ts b/clients/client-medialive/src/commands/DescribeReservationCommand.ts index 5079fe90c2a5..3591dd1aefb6 100644 --- a/clients/client-medialive/src/commands/DescribeReservationCommand.ts +++ b/clients/client-medialive/src/commands/DescribeReservationCommand.ts @@ -130,4 +130,16 @@ export class DescribeReservationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservationCommand) .de(de_DescribeReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservationRequest; + output: DescribeReservationResponse; + }; + sdk: { + input: DescribeReservationCommandInput; + output: DescribeReservationCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeScheduleCommand.ts b/clients/client-medialive/src/commands/DescribeScheduleCommand.ts index ba2940974957..b83f2c842f98 100644 --- a/clients/client-medialive/src/commands/DescribeScheduleCommand.ts +++ b/clients/client-medialive/src/commands/DescribeScheduleCommand.ts @@ -253,4 +253,16 @@ export class DescribeScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduleCommand) .de(de_DescribeScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduleRequest; + output: DescribeScheduleResponse; + }; + sdk: { + input: DescribeScheduleCommandInput; + output: DescribeScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/DescribeThumbnailsCommand.ts b/clients/client-medialive/src/commands/DescribeThumbnailsCommand.ts index d2b9822496db..cb80f1c6ccea 100644 --- a/clients/client-medialive/src/commands/DescribeThumbnailsCommand.ts +++ b/clients/client-medialive/src/commands/DescribeThumbnailsCommand.ts @@ -115,4 +115,16 @@ export class DescribeThumbnailsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThumbnailsCommand) .de(de_DescribeThumbnailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThumbnailsRequest; + output: DescribeThumbnailsResponse; + }; + sdk: { + input: DescribeThumbnailsCommandInput; + output: DescribeThumbnailsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateCommand.ts b/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateCommand.ts index be1f26952e0b..0fc09a70abb0 100644 --- a/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateCommand.ts +++ b/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateCommand.ts @@ -110,4 +110,16 @@ export class GetCloudWatchAlarmTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetCloudWatchAlarmTemplateCommand) .de(de_GetCloudWatchAlarmTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCloudWatchAlarmTemplateRequest; + output: GetCloudWatchAlarmTemplateResponse; + }; + sdk: { + input: GetCloudWatchAlarmTemplateCommandInput; + output: GetCloudWatchAlarmTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateGroupCommand.ts b/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateGroupCommand.ts index d88a3a0e00d7..7f5c203861a0 100644 --- a/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/GetCloudWatchAlarmTemplateGroupCommand.ts @@ -105,4 +105,16 @@ export class GetCloudWatchAlarmTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetCloudWatchAlarmTemplateGroupCommand) .de(de_GetCloudWatchAlarmTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCloudWatchAlarmTemplateGroupRequest; + output: GetCloudWatchAlarmTemplateGroupResponse; + }; + sdk: { + input: GetCloudWatchAlarmTemplateGroupCommandInput; + output: GetCloudWatchAlarmTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateCommand.ts b/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateCommand.ts index 4e23caec8412..a7c3c1d9b9fd 100644 --- a/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateCommand.ts +++ b/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateCommand.ts @@ -107,4 +107,16 @@ export class GetEventBridgeRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetEventBridgeRuleTemplateCommand) .de(de_GetEventBridgeRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventBridgeRuleTemplateRequest; + output: GetEventBridgeRuleTemplateResponse; + }; + sdk: { + input: GetEventBridgeRuleTemplateCommandInput; + output: GetEventBridgeRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateGroupCommand.ts b/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateGroupCommand.ts index 56ab4858843f..2031f83d46fd 100644 --- a/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/GetEventBridgeRuleTemplateGroupCommand.ts @@ -105,4 +105,16 @@ export class GetEventBridgeRuleTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetEventBridgeRuleTemplateGroupCommand) .de(de_GetEventBridgeRuleTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventBridgeRuleTemplateGroupRequest; + output: GetEventBridgeRuleTemplateGroupResponse; + }; + sdk: { + input: GetEventBridgeRuleTemplateGroupCommandInput; + output: GetEventBridgeRuleTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/GetSignalMapCommand.ts b/clients/client-medialive/src/commands/GetSignalMapCommand.ts index f5a8ce8b969a..82b1ad512e80 100644 --- a/clients/client-medialive/src/commands/GetSignalMapCommand.ts +++ b/clients/client-medialive/src/commands/GetSignalMapCommand.ts @@ -154,4 +154,16 @@ export class GetSignalMapCommand extends $Command .f(void 0, void 0) .ser(se_GetSignalMapCommand) .de(de_GetSignalMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSignalMapRequest; + output: GetSignalMapResponse; + }; + sdk: { + input: GetSignalMapCommandInput; + output: GetSignalMapCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListChannelPlacementGroupsCommand.ts b/clients/client-medialive/src/commands/ListChannelPlacementGroupsCommand.ts index d450152b2c0c..ed0867b72656 100644 --- a/clients/client-medialive/src/commands/ListChannelPlacementGroupsCommand.ts +++ b/clients/client-medialive/src/commands/ListChannelPlacementGroupsCommand.ts @@ -112,4 +112,16 @@ export class ListChannelPlacementGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelPlacementGroupsCommand) .de(de_ListChannelPlacementGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelPlacementGroupsRequest; + output: ListChannelPlacementGroupsResponse; + }; + sdk: { + input: ListChannelPlacementGroupsCommandInput; + output: ListChannelPlacementGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListChannelsCommand.ts b/clients/client-medialive/src/commands/ListChannelsCommand.ts index 2d3ec3107525..de99d13e0ffb 100644 --- a/clients/client-medialive/src/commands/ListChannelsCommand.ts +++ b/clients/client-medialive/src/commands/ListChannelsCommand.ts @@ -315,4 +315,16 @@ export class ListChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplateGroupsCommand.ts b/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplateGroupsCommand.ts index c5402b96b95e..0219ffbaf039 100644 --- a/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplateGroupsCommand.ts +++ b/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplateGroupsCommand.ts @@ -117,4 +117,16 @@ export class ListCloudWatchAlarmTemplateGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListCloudWatchAlarmTemplateGroupsCommand) .de(de_ListCloudWatchAlarmTemplateGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCloudWatchAlarmTemplateGroupsRequest; + output: ListCloudWatchAlarmTemplateGroupsResponse; + }; + sdk: { + input: ListCloudWatchAlarmTemplateGroupsCommandInput; + output: ListCloudWatchAlarmTemplateGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplatesCommand.ts b/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplatesCommand.ts index 4c88e58741a7..6abb5b46b13c 100644 --- a/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplatesCommand.ts +++ b/clients/client-medialive/src/commands/ListCloudWatchAlarmTemplatesCommand.ts @@ -124,4 +124,16 @@ export class ListCloudWatchAlarmTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCloudWatchAlarmTemplatesCommand) .de(de_ListCloudWatchAlarmTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCloudWatchAlarmTemplatesRequest; + output: ListCloudWatchAlarmTemplatesResponse; + }; + sdk: { + input: ListCloudWatchAlarmTemplatesCommandInput; + output: ListCloudWatchAlarmTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListClustersCommand.ts b/clients/client-medialive/src/commands/ListClustersCommand.ts index 6f634ed20404..5d9e0deb389c 100644 --- a/clients/client-medialive/src/commands/ListClustersCommand.ts +++ b/clients/client-medialive/src/commands/ListClustersCommand.ts @@ -118,4 +118,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResponse; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListEventBridgeRuleTemplateGroupsCommand.ts b/clients/client-medialive/src/commands/ListEventBridgeRuleTemplateGroupsCommand.ts index 4770851725da..51608ee1b893 100644 --- a/clients/client-medialive/src/commands/ListEventBridgeRuleTemplateGroupsCommand.ts +++ b/clients/client-medialive/src/commands/ListEventBridgeRuleTemplateGroupsCommand.ts @@ -116,4 +116,16 @@ export class ListEventBridgeRuleTemplateGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListEventBridgeRuleTemplateGroupsCommand) .de(de_ListEventBridgeRuleTemplateGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventBridgeRuleTemplateGroupsRequest; + output: ListEventBridgeRuleTemplateGroupsResponse; + }; + sdk: { + input: ListEventBridgeRuleTemplateGroupsCommandInput; + output: ListEventBridgeRuleTemplateGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListEventBridgeRuleTemplatesCommand.ts b/clients/client-medialive/src/commands/ListEventBridgeRuleTemplatesCommand.ts index 768c1f8d982e..cafa3197c5ac 100644 --- a/clients/client-medialive/src/commands/ListEventBridgeRuleTemplatesCommand.ts +++ b/clients/client-medialive/src/commands/ListEventBridgeRuleTemplatesCommand.ts @@ -116,4 +116,16 @@ export class ListEventBridgeRuleTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListEventBridgeRuleTemplatesCommand) .de(de_ListEventBridgeRuleTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventBridgeRuleTemplatesRequest; + output: ListEventBridgeRuleTemplatesResponse; + }; + sdk: { + input: ListEventBridgeRuleTemplatesCommandInput; + output: ListEventBridgeRuleTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListInputDeviceTransfersCommand.ts b/clients/client-medialive/src/commands/ListInputDeviceTransfersCommand.ts index 53e24ed74ce8..089aaf265339 100644 --- a/clients/client-medialive/src/commands/ListInputDeviceTransfersCommand.ts +++ b/clients/client-medialive/src/commands/ListInputDeviceTransfersCommand.ts @@ -108,4 +108,16 @@ export class ListInputDeviceTransfersCommand extends $Command .f(void 0, void 0) .ser(se_ListInputDeviceTransfersCommand) .de(de_ListInputDeviceTransfersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInputDeviceTransfersRequest; + output: ListInputDeviceTransfersResponse; + }; + sdk: { + input: ListInputDeviceTransfersCommandInput; + output: ListInputDeviceTransfersCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListInputDevicesCommand.ts b/clients/client-medialive/src/commands/ListInputDevicesCommand.ts index c8f3e8e25c32..9209ba753bed 100644 --- a/clients/client-medialive/src/commands/ListInputDevicesCommand.ts +++ b/clients/client-medialive/src/commands/ListInputDevicesCommand.ts @@ -161,4 +161,16 @@ export class ListInputDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListInputDevicesCommand) .de(de_ListInputDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInputDevicesRequest; + output: ListInputDevicesResponse; + }; + sdk: { + input: ListInputDevicesCommandInput; + output: ListInputDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListInputSecurityGroupsCommand.ts b/clients/client-medialive/src/commands/ListInputSecurityGroupsCommand.ts index 9908367e1f8d..870a7edf7ede 100644 --- a/clients/client-medialive/src/commands/ListInputSecurityGroupsCommand.ts +++ b/clients/client-medialive/src/commands/ListInputSecurityGroupsCommand.ts @@ -114,4 +114,16 @@ export class ListInputSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListInputSecurityGroupsCommand) .de(de_ListInputSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInputSecurityGroupsRequest; + output: ListInputSecurityGroupsResponse; + }; + sdk: { + input: ListInputSecurityGroupsCommandInput; + output: ListInputSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListInputsCommand.ts b/clients/client-medialive/src/commands/ListInputsCommand.ts index b43a111727b7..ea9322dc21e5 100644 --- a/clients/client-medialive/src/commands/ListInputsCommand.ts +++ b/clients/client-medialive/src/commands/ListInputsCommand.ts @@ -178,4 +178,16 @@ export class ListInputsCommand extends $Command .f(void 0, void 0) .ser(se_ListInputsCommand) .de(de_ListInputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInputsRequest; + output: ListInputsResponse; + }; + sdk: { + input: ListInputsCommandInput; + output: ListInputsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListMultiplexProgramsCommand.ts b/clients/client-medialive/src/commands/ListMultiplexProgramsCommand.ts index d1d87097bf5b..fc3d7f7700cd 100644 --- a/clients/client-medialive/src/commands/ListMultiplexProgramsCommand.ts +++ b/clients/client-medialive/src/commands/ListMultiplexProgramsCommand.ts @@ -106,4 +106,16 @@ export class ListMultiplexProgramsCommand extends $Command .f(void 0, void 0) .ser(se_ListMultiplexProgramsCommand) .de(de_ListMultiplexProgramsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMultiplexProgramsRequest; + output: ListMultiplexProgramsResponse; + }; + sdk: { + input: ListMultiplexProgramsCommandInput; + output: ListMultiplexProgramsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListMultiplexesCommand.ts b/clients/client-medialive/src/commands/ListMultiplexesCommand.ts index 790114908de8..c24973877966 100644 --- a/clients/client-medialive/src/commands/ListMultiplexesCommand.ts +++ b/clients/client-medialive/src/commands/ListMultiplexesCommand.ts @@ -115,4 +115,16 @@ export class ListMultiplexesCommand extends $Command .f(void 0, void 0) .ser(se_ListMultiplexesCommand) .de(de_ListMultiplexesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMultiplexesRequest; + output: ListMultiplexesResponse; + }; + sdk: { + input: ListMultiplexesCommandInput; + output: ListMultiplexesCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListNetworksCommand.ts b/clients/client-medialive/src/commands/ListNetworksCommand.ts index e8cbcb7e04c3..eecfd3bd3959 100644 --- a/clients/client-medialive/src/commands/ListNetworksCommand.ts +++ b/clients/client-medialive/src/commands/ListNetworksCommand.ts @@ -118,4 +118,16 @@ export class ListNetworksCommand extends $Command .f(void 0, void 0) .ser(se_ListNetworksCommand) .de(de_ListNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworksRequest; + output: ListNetworksResponse; + }; + sdk: { + input: ListNetworksCommandInput; + output: ListNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListNodesCommand.ts b/clients/client-medialive/src/commands/ListNodesCommand.ts index 6e406b8719dd..25d966c69ac6 100644 --- a/clients/client-medialive/src/commands/ListNodesCommand.ts +++ b/clients/client-medialive/src/commands/ListNodesCommand.ts @@ -120,4 +120,16 @@ export class ListNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListNodesCommand) .de(de_ListNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNodesRequest; + output: ListNodesResponse; + }; + sdk: { + input: ListNodesCommandInput; + output: ListNodesCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListOfferingsCommand.ts b/clients/client-medialive/src/commands/ListOfferingsCommand.ts index 77d06f44f3fa..bc7687db989d 100644 --- a/clients/client-medialive/src/commands/ListOfferingsCommand.ts +++ b/clients/client-medialive/src/commands/ListOfferingsCommand.ts @@ -130,4 +130,16 @@ export class ListOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_ListOfferingsCommand) .de(de_ListOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOfferingsRequest; + output: ListOfferingsResponse; + }; + sdk: { + input: ListOfferingsCommandInput; + output: ListOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListReservationsCommand.ts b/clients/client-medialive/src/commands/ListReservationsCommand.ts index cc8d75b8e9ad..48e212f9676e 100644 --- a/clients/client-medialive/src/commands/ListReservationsCommand.ts +++ b/clients/client-medialive/src/commands/ListReservationsCommand.ts @@ -141,4 +141,16 @@ export class ListReservationsCommand extends $Command .f(void 0, void 0) .ser(se_ListReservationsCommand) .de(de_ListReservationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReservationsRequest; + output: ListReservationsResponse; + }; + sdk: { + input: ListReservationsCommandInput; + output: ListReservationsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListSignalMapsCommand.ts b/clients/client-medialive/src/commands/ListSignalMapsCommand.ts index ba85e548bea3..251e35f8ac9f 100644 --- a/clients/client-medialive/src/commands/ListSignalMapsCommand.ts +++ b/clients/client-medialive/src/commands/ListSignalMapsCommand.ts @@ -110,4 +110,16 @@ export class ListSignalMapsCommand extends $Command .f(void 0, void 0) .ser(se_ListSignalMapsCommand) .de(de_ListSignalMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSignalMapsRequest; + output: ListSignalMapsResponse; + }; + sdk: { + input: ListSignalMapsCommandInput; + output: ListSignalMapsCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/ListTagsForResourceCommand.ts b/clients/client-medialive/src/commands/ListTagsForResourceCommand.ts index b3ea8c3ce6d2..9874af98bd97 100644 --- a/clients/client-medialive/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-medialive/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/PurchaseOfferingCommand.ts b/clients/client-medialive/src/commands/PurchaseOfferingCommand.ts index a45cd168552b..1c641c7b31de 100644 --- a/clients/client-medialive/src/commands/PurchaseOfferingCommand.ts +++ b/clients/client-medialive/src/commands/PurchaseOfferingCommand.ts @@ -146,4 +146,16 @@ export class PurchaseOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseOfferingCommand) .de(de_PurchaseOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseOfferingRequest; + output: PurchaseOfferingResponse; + }; + sdk: { + input: PurchaseOfferingCommandInput; + output: PurchaseOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/RebootInputDeviceCommand.ts b/clients/client-medialive/src/commands/RebootInputDeviceCommand.ts index 0c3c04b14e9a..9c881bafe236 100644 --- a/clients/client-medialive/src/commands/RebootInputDeviceCommand.ts +++ b/clients/client-medialive/src/commands/RebootInputDeviceCommand.ts @@ -100,4 +100,16 @@ export class RebootInputDeviceCommand extends $Command .f(void 0, void 0) .ser(se_RebootInputDeviceCommand) .de(de_RebootInputDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootInputDeviceRequest; + output: {}; + }; + sdk: { + input: RebootInputDeviceCommandInput; + output: RebootInputDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/RejectInputDeviceTransferCommand.ts b/clients/client-medialive/src/commands/RejectInputDeviceTransferCommand.ts index 4fba70e69ccc..625f2eeb8a4d 100644 --- a/clients/client-medialive/src/commands/RejectInputDeviceTransferCommand.ts +++ b/clients/client-medialive/src/commands/RejectInputDeviceTransferCommand.ts @@ -102,4 +102,16 @@ export class RejectInputDeviceTransferCommand extends $Command .f(void 0, void 0) .ser(se_RejectInputDeviceTransferCommand) .de(de_RejectInputDeviceTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectInputDeviceTransferRequest; + output: {}; + }; + sdk: { + input: RejectInputDeviceTransferCommandInput; + output: RejectInputDeviceTransferCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts b/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts index 7ca040620e44..8330086abe83 100644 --- a/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts +++ b/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts @@ -1274,4 +1274,16 @@ export class RestartChannelPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_RestartChannelPipelinesCommand) .de(de_RestartChannelPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestartChannelPipelinesRequest; + output: RestartChannelPipelinesResponse; + }; + sdk: { + input: RestartChannelPipelinesCommandInput; + output: RestartChannelPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StartChannelCommand.ts b/clients/client-medialive/src/commands/StartChannelCommand.ts index b5bd11ddd3c8..f15f7cb0eab4 100644 --- a/clients/client-medialive/src/commands/StartChannelCommand.ts +++ b/clients/client-medialive/src/commands/StartChannelCommand.ts @@ -1270,4 +1270,16 @@ export class StartChannelCommand extends $Command .f(void 0, void 0) .ser(se_StartChannelCommand) .de(de_StartChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartChannelRequest; + output: StartChannelResponse; + }; + sdk: { + input: StartChannelCommandInput; + output: StartChannelCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StartDeleteMonitorDeploymentCommand.ts b/clients/client-medialive/src/commands/StartDeleteMonitorDeploymentCommand.ts index bed6e4b4ceae..05971d6e2b0f 100644 --- a/clients/client-medialive/src/commands/StartDeleteMonitorDeploymentCommand.ts +++ b/clients/client-medialive/src/commands/StartDeleteMonitorDeploymentCommand.ts @@ -162,4 +162,16 @@ export class StartDeleteMonitorDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StartDeleteMonitorDeploymentCommand) .de(de_StartDeleteMonitorDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDeleteMonitorDeploymentRequest; + output: StartDeleteMonitorDeploymentResponse; + }; + sdk: { + input: StartDeleteMonitorDeploymentCommandInput; + output: StartDeleteMonitorDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StartInputDeviceCommand.ts b/clients/client-medialive/src/commands/StartInputDeviceCommand.ts index fc741473afe8..9211b9879d8c 100644 --- a/clients/client-medialive/src/commands/StartInputDeviceCommand.ts +++ b/clients/client-medialive/src/commands/StartInputDeviceCommand.ts @@ -99,4 +99,16 @@ export class StartInputDeviceCommand extends $Command .f(void 0, void 0) .ser(se_StartInputDeviceCommand) .de(de_StartInputDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInputDeviceRequest; + output: {}; + }; + sdk: { + input: StartInputDeviceCommandInput; + output: StartInputDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StartInputDeviceMaintenanceWindowCommand.ts b/clients/client-medialive/src/commands/StartInputDeviceMaintenanceWindowCommand.ts index fe9812effcb3..eaa61bad66c2 100644 --- a/clients/client-medialive/src/commands/StartInputDeviceMaintenanceWindowCommand.ts +++ b/clients/client-medialive/src/commands/StartInputDeviceMaintenanceWindowCommand.ts @@ -107,4 +107,16 @@ export class StartInputDeviceMaintenanceWindowCommand extends $Command .f(void 0, void 0) .ser(se_StartInputDeviceMaintenanceWindowCommand) .de(de_StartInputDeviceMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInputDeviceMaintenanceWindowRequest; + output: {}; + }; + sdk: { + input: StartInputDeviceMaintenanceWindowCommandInput; + output: StartInputDeviceMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StartMonitorDeploymentCommand.ts b/clients/client-medialive/src/commands/StartMonitorDeploymentCommand.ts index 58a54a5d49d0..16a99fa392f8 100644 --- a/clients/client-medialive/src/commands/StartMonitorDeploymentCommand.ts +++ b/clients/client-medialive/src/commands/StartMonitorDeploymentCommand.ts @@ -158,4 +158,16 @@ export class StartMonitorDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_StartMonitorDeploymentCommand) .de(de_StartMonitorDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMonitorDeploymentRequest; + output: StartMonitorDeploymentResponse; + }; + sdk: { + input: StartMonitorDeploymentCommandInput; + output: StartMonitorDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StartMultiplexCommand.ts b/clients/client-medialive/src/commands/StartMultiplexCommand.ts index 5ad852ea26cf..5ac50defb02c 100644 --- a/clients/client-medialive/src/commands/StartMultiplexCommand.ts +++ b/clients/client-medialive/src/commands/StartMultiplexCommand.ts @@ -125,4 +125,16 @@ export class StartMultiplexCommand extends $Command .f(void 0, void 0) .ser(se_StartMultiplexCommand) .de(de_StartMultiplexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMultiplexRequest; + output: StartMultiplexResponse; + }; + sdk: { + input: StartMultiplexCommandInput; + output: StartMultiplexCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StartUpdateSignalMapCommand.ts b/clients/client-medialive/src/commands/StartUpdateSignalMapCommand.ts index d0df6334fd39..e5e34417841a 100644 --- a/clients/client-medialive/src/commands/StartUpdateSignalMapCommand.ts +++ b/clients/client-medialive/src/commands/StartUpdateSignalMapCommand.ts @@ -167,4 +167,16 @@ export class StartUpdateSignalMapCommand extends $Command .f(void 0, void 0) .ser(se_StartUpdateSignalMapCommand) .de(de_StartUpdateSignalMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartUpdateSignalMapRequest; + output: StartUpdateSignalMapResponse; + }; + sdk: { + input: StartUpdateSignalMapCommandInput; + output: StartUpdateSignalMapCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StopChannelCommand.ts b/clients/client-medialive/src/commands/StopChannelCommand.ts index 70937e1e9ccb..82e70e41404d 100644 --- a/clients/client-medialive/src/commands/StopChannelCommand.ts +++ b/clients/client-medialive/src/commands/StopChannelCommand.ts @@ -1270,4 +1270,16 @@ export class StopChannelCommand extends $Command .f(void 0, void 0) .ser(se_StopChannelCommand) .de(de_StopChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopChannelRequest; + output: StopChannelResponse; + }; + sdk: { + input: StopChannelCommandInput; + output: StopChannelCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StopInputDeviceCommand.ts b/clients/client-medialive/src/commands/StopInputDeviceCommand.ts index 1381614dc51b..b403f0a10d30 100644 --- a/clients/client-medialive/src/commands/StopInputDeviceCommand.ts +++ b/clients/client-medialive/src/commands/StopInputDeviceCommand.ts @@ -99,4 +99,16 @@ export class StopInputDeviceCommand extends $Command .f(void 0, void 0) .ser(se_StopInputDeviceCommand) .de(de_StopInputDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopInputDeviceRequest; + output: {}; + }; + sdk: { + input: StopInputDeviceCommandInput; + output: StopInputDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/StopMultiplexCommand.ts b/clients/client-medialive/src/commands/StopMultiplexCommand.ts index 7547644f549a..cc0b44de5625 100644 --- a/clients/client-medialive/src/commands/StopMultiplexCommand.ts +++ b/clients/client-medialive/src/commands/StopMultiplexCommand.ts @@ -125,4 +125,16 @@ export class StopMultiplexCommand extends $Command .f(void 0, void 0) .ser(se_StopMultiplexCommand) .de(de_StopMultiplexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMultiplexRequest; + output: StopMultiplexResponse; + }; + sdk: { + input: StopMultiplexCommandInput; + output: StopMultiplexCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/TransferInputDeviceCommand.ts b/clients/client-medialive/src/commands/TransferInputDeviceCommand.ts index d016f322aced..7a5199c2260c 100644 --- a/clients/client-medialive/src/commands/TransferInputDeviceCommand.ts +++ b/clients/client-medialive/src/commands/TransferInputDeviceCommand.ts @@ -105,4 +105,16 @@ export class TransferInputDeviceCommand extends $Command .f(void 0, void 0) .ser(se_TransferInputDeviceCommand) .de(de_TransferInputDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TransferInputDeviceRequest; + output: {}; + }; + sdk: { + input: TransferInputDeviceCommandInput; + output: TransferInputDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateAccountConfigurationCommand.ts b/clients/client-medialive/src/commands/UpdateAccountConfigurationCommand.ts index 4eec2197ef4a..30d87e15e3fc 100644 --- a/clients/client-medialive/src/commands/UpdateAccountConfigurationCommand.ts +++ b/clients/client-medialive/src/commands/UpdateAccountConfigurationCommand.ts @@ -102,4 +102,16 @@ export class UpdateAccountConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountConfigurationCommand) .de(de_UpdateAccountConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountConfigurationRequest; + output: UpdateAccountConfigurationResponse; + }; + sdk: { + input: UpdateAccountConfigurationCommandInput; + output: UpdateAccountConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts b/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts index 59725f719b6d..bc8c1c9d0aa2 100644 --- a/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts +++ b/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts @@ -1305,4 +1305,16 @@ export class UpdateChannelClassCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelClassCommand) .de(de_UpdateChannelClassCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelClassRequest; + output: UpdateChannelClassResponse; + }; + sdk: { + input: UpdateChannelClassCommandInput; + output: UpdateChannelClassCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateChannelCommand.ts b/clients/client-medialive/src/commands/UpdateChannelCommand.ts index 0be8eb860f4d..9d6b751e2757 100644 --- a/clients/client-medialive/src/commands/UpdateChannelCommand.ts +++ b/clients/client-medialive/src/commands/UpdateChannelCommand.ts @@ -2406,4 +2406,16 @@ export class UpdateChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateChannelPlacementGroupCommand.ts b/clients/client-medialive/src/commands/UpdateChannelPlacementGroupCommand.ts index 87ad1d149cee..2153816b6bd0 100644 --- a/clients/client-medialive/src/commands/UpdateChannelPlacementGroupCommand.ts +++ b/clients/client-medialive/src/commands/UpdateChannelPlacementGroupCommand.ts @@ -121,4 +121,16 @@ export class UpdateChannelPlacementGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelPlacementGroupCommand) .de(de_UpdateChannelPlacementGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelPlacementGroupRequest; + output: UpdateChannelPlacementGroupResponse; + }; + sdk: { + input: UpdateChannelPlacementGroupCommandInput; + output: UpdateChannelPlacementGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateCommand.ts b/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateCommand.ts index 338ccd17efc3..68bf7880d93e 100644 --- a/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateCommand.ts +++ b/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateCommand.ts @@ -130,4 +130,16 @@ export class UpdateCloudWatchAlarmTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCloudWatchAlarmTemplateCommand) .de(de_UpdateCloudWatchAlarmTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCloudWatchAlarmTemplateRequest; + output: UpdateCloudWatchAlarmTemplateResponse; + }; + sdk: { + input: UpdateCloudWatchAlarmTemplateCommandInput; + output: UpdateCloudWatchAlarmTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateGroupCommand.ts b/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateGroupCommand.ts index 623ee040b4c2..a1b69339ee9c 100644 --- a/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/UpdateCloudWatchAlarmTemplateGroupCommand.ts @@ -112,4 +112,16 @@ export class UpdateCloudWatchAlarmTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCloudWatchAlarmTemplateGroupCommand) .de(de_UpdateCloudWatchAlarmTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCloudWatchAlarmTemplateGroupRequest; + output: UpdateCloudWatchAlarmTemplateGroupResponse; + }; + sdk: { + input: UpdateCloudWatchAlarmTemplateGroupCommandInput; + output: UpdateCloudWatchAlarmTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateClusterCommand.ts b/clients/client-medialive/src/commands/UpdateClusterCommand.ts index 4fab13f71d9a..67d04ce76bc8 100644 --- a/clients/client-medialive/src/commands/UpdateClusterCommand.ts +++ b/clients/client-medialive/src/commands/UpdateClusterCommand.ts @@ -124,4 +124,16 @@ export class UpdateClusterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterCommand) .de(de_UpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterRequest; + output: UpdateClusterResponse; + }; + sdk: { + input: UpdateClusterCommandInput; + output: UpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateCommand.ts b/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateCommand.ts index 87412e63f9e0..8bbcaef87f02 100644 --- a/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateCommand.ts +++ b/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateCommand.ts @@ -124,4 +124,16 @@ export class UpdateEventBridgeRuleTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventBridgeRuleTemplateCommand) .de(de_UpdateEventBridgeRuleTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventBridgeRuleTemplateRequest; + output: UpdateEventBridgeRuleTemplateResponse; + }; + sdk: { + input: UpdateEventBridgeRuleTemplateCommandInput; + output: UpdateEventBridgeRuleTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateGroupCommand.ts b/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateGroupCommand.ts index 0adf013fe97e..85628dc303bb 100644 --- a/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateGroupCommand.ts +++ b/clients/client-medialive/src/commands/UpdateEventBridgeRuleTemplateGroupCommand.ts @@ -112,4 +112,16 @@ export class UpdateEventBridgeRuleTemplateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventBridgeRuleTemplateGroupCommand) .de(de_UpdateEventBridgeRuleTemplateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventBridgeRuleTemplateGroupRequest; + output: UpdateEventBridgeRuleTemplateGroupResponse; + }; + sdk: { + input: UpdateEventBridgeRuleTemplateGroupCommandInput; + output: UpdateEventBridgeRuleTemplateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateInputCommand.ts b/clients/client-medialive/src/commands/UpdateInputCommand.ts index 2b85dbb273e6..ad294923e18d 100644 --- a/clients/client-medialive/src/commands/UpdateInputCommand.ts +++ b/clients/client-medialive/src/commands/UpdateInputCommand.ts @@ -234,4 +234,16 @@ export class UpdateInputCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInputCommand) .de(de_UpdateInputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInputRequest; + output: UpdateInputResponse; + }; + sdk: { + input: UpdateInputCommandInput; + output: UpdateInputCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateInputDeviceCommand.ts b/clients/client-medialive/src/commands/UpdateInputDeviceCommand.ts index 47f5149504ba..9e07c9976443 100644 --- a/clients/client-medialive/src/commands/UpdateInputDeviceCommand.ts +++ b/clients/client-medialive/src/commands/UpdateInputDeviceCommand.ts @@ -199,4 +199,16 @@ export class UpdateInputDeviceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInputDeviceCommand) .de(de_UpdateInputDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInputDeviceRequest; + output: UpdateInputDeviceResponse; + }; + sdk: { + input: UpdateInputDeviceCommandInput; + output: UpdateInputDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateInputSecurityGroupCommand.ts b/clients/client-medialive/src/commands/UpdateInputSecurityGroupCommand.ts index 0264d6269b91..f6c78fc373b8 100644 --- a/clients/client-medialive/src/commands/UpdateInputSecurityGroupCommand.ts +++ b/clients/client-medialive/src/commands/UpdateInputSecurityGroupCommand.ts @@ -121,4 +121,16 @@ export class UpdateInputSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInputSecurityGroupCommand) .de(de_UpdateInputSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInputSecurityGroupRequest; + output: UpdateInputSecurityGroupResponse; + }; + sdk: { + input: UpdateInputSecurityGroupCommandInput; + output: UpdateInputSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateMultiplexCommand.ts b/clients/client-medialive/src/commands/UpdateMultiplexCommand.ts index 523c18b2e54f..4500685a8442 100644 --- a/clients/client-medialive/src/commands/UpdateMultiplexCommand.ts +++ b/clients/client-medialive/src/commands/UpdateMultiplexCommand.ts @@ -165,4 +165,16 @@ export class UpdateMultiplexCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMultiplexCommand) .de(de_UpdateMultiplexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMultiplexRequest; + output: UpdateMultiplexResponse; + }; + sdk: { + input: UpdateMultiplexCommandInput; + output: UpdateMultiplexCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateMultiplexProgramCommand.ts b/clients/client-medialive/src/commands/UpdateMultiplexProgramCommand.ts index e46886e3682b..bb6fe11508a8 100644 --- a/clients/client-medialive/src/commands/UpdateMultiplexProgramCommand.ts +++ b/clients/client-medialive/src/commands/UpdateMultiplexProgramCommand.ts @@ -172,4 +172,16 @@ export class UpdateMultiplexProgramCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMultiplexProgramCommand) .de(de_UpdateMultiplexProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMultiplexProgramRequest; + output: UpdateMultiplexProgramResponse; + }; + sdk: { + input: UpdateMultiplexProgramCommandInput; + output: UpdateMultiplexProgramCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateNetworkCommand.ts b/clients/client-medialive/src/commands/UpdateNetworkCommand.ts index 006cef23e9d4..d6a49219db10 100644 --- a/clients/client-medialive/src/commands/UpdateNetworkCommand.ts +++ b/clients/client-medialive/src/commands/UpdateNetworkCommand.ts @@ -127,4 +127,16 @@ export class UpdateNetworkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNetworkCommand) .de(de_UpdateNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNetworkRequest; + output: UpdateNetworkResponse; + }; + sdk: { + input: UpdateNetworkCommandInput; + output: UpdateNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateNodeCommand.ts b/clients/client-medialive/src/commands/UpdateNodeCommand.ts index 09b1af402e88..038a340ca751 100644 --- a/clients/client-medialive/src/commands/UpdateNodeCommand.ts +++ b/clients/client-medialive/src/commands/UpdateNodeCommand.ts @@ -118,4 +118,16 @@ export class UpdateNodeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNodeCommand) .de(de_UpdateNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNodeRequest; + output: UpdateNodeResponse; + }; + sdk: { + input: UpdateNodeCommandInput; + output: UpdateNodeCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateNodeStateCommand.ts b/clients/client-medialive/src/commands/UpdateNodeStateCommand.ts index 797d438cb3a8..b350176f76d9 100644 --- a/clients/client-medialive/src/commands/UpdateNodeStateCommand.ts +++ b/clients/client-medialive/src/commands/UpdateNodeStateCommand.ts @@ -120,4 +120,16 @@ export class UpdateNodeStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNodeStateCommand) .de(de_UpdateNodeStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNodeStateRequest; + output: UpdateNodeStateResponse; + }; + sdk: { + input: UpdateNodeStateCommandInput; + output: UpdateNodeStateCommandOutput; + }; + }; +} diff --git a/clients/client-medialive/src/commands/UpdateReservationCommand.ts b/clients/client-medialive/src/commands/UpdateReservationCommand.ts index 7a7b17c89cf9..63ef4e1e3fa1 100644 --- a/clients/client-medialive/src/commands/UpdateReservationCommand.ts +++ b/clients/client-medialive/src/commands/UpdateReservationCommand.ts @@ -140,4 +140,16 @@ export class UpdateReservationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReservationCommand) .de(de_UpdateReservationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReservationRequest; + output: UpdateReservationResponse; + }; + sdk: { + input: UpdateReservationCommandInput; + output: UpdateReservationCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/package.json b/clients/client-mediapackage-vod/package.json index c0a575dba18d..896a910a3c5a 100644 --- a/clients/client-mediapackage-vod/package.json +++ b/clients/client-mediapackage-vod/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-mediapackage-vod/src/commands/ConfigureLogsCommand.ts b/clients/client-mediapackage-vod/src/commands/ConfigureLogsCommand.ts index c64325ca1b8b..ab78a41e7c45 100644 --- a/clients/client-mediapackage-vod/src/commands/ConfigureLogsCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/ConfigureLogsCommand.ts @@ -111,4 +111,16 @@ export class ConfigureLogsCommand extends $Command .f(void 0, void 0) .ser(se_ConfigureLogsCommand) .de(de_ConfigureLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfigureLogsRequest; + output: ConfigureLogsResponse; + }; + sdk: { + input: ConfigureLogsCommandInput; + output: ConfigureLogsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/CreateAssetCommand.ts b/clients/client-mediapackage-vod/src/commands/CreateAssetCommand.ts index aee98f6d0652..3fe6c7cb7ae6 100644 --- a/clients/client-mediapackage-vod/src/commands/CreateAssetCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/CreateAssetCommand.ts @@ -118,4 +118,16 @@ export class CreateAssetCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssetCommand) .de(de_CreateAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssetRequest; + output: CreateAssetResponse; + }; + sdk: { + input: CreateAssetCommandInput; + output: CreateAssetCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/CreatePackagingConfigurationCommand.ts b/clients/client-mediapackage-vod/src/commands/CreatePackagingConfigurationCommand.ts index 488fd6f8f11b..ddf89b9e5625 100644 --- a/clients/client-mediapackage-vod/src/commands/CreatePackagingConfigurationCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/CreatePackagingConfigurationCommand.ts @@ -366,4 +366,16 @@ export class CreatePackagingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreatePackagingConfigurationCommand) .de(de_CreatePackagingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackagingConfigurationRequest; + output: CreatePackagingConfigurationResponse; + }; + sdk: { + input: CreatePackagingConfigurationCommandInput; + output: CreatePackagingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/CreatePackagingGroupCommand.ts b/clients/client-mediapackage-vod/src/commands/CreatePackagingGroupCommand.ts index b4865784961c..c86d69ee7148 100644 --- a/clients/client-mediapackage-vod/src/commands/CreatePackagingGroupCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/CreatePackagingGroupCommand.ts @@ -118,4 +118,16 @@ export class CreatePackagingGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreatePackagingGroupCommand) .de(de_CreatePackagingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackagingGroupRequest; + output: CreatePackagingGroupResponse; + }; + sdk: { + input: CreatePackagingGroupCommandInput; + output: CreatePackagingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/DeleteAssetCommand.ts b/clients/client-mediapackage-vod/src/commands/DeleteAssetCommand.ts index 8c8f19011c6e..3e08fddc78b1 100644 --- a/clients/client-mediapackage-vod/src/commands/DeleteAssetCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/DeleteAssetCommand.ts @@ -93,4 +93,16 @@ export class DeleteAssetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssetCommand) .de(de_DeleteAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssetRequest; + output: {}; + }; + sdk: { + input: DeleteAssetCommandInput; + output: DeleteAssetCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/DeletePackagingConfigurationCommand.ts b/clients/client-mediapackage-vod/src/commands/DeletePackagingConfigurationCommand.ts index f4152898c270..79003a85d10b 100644 --- a/clients/client-mediapackage-vod/src/commands/DeletePackagingConfigurationCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/DeletePackagingConfigurationCommand.ts @@ -98,4 +98,16 @@ export class DeletePackagingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackagingConfigurationCommand) .de(de_DeletePackagingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackagingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeletePackagingConfigurationCommandInput; + output: DeletePackagingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/DeletePackagingGroupCommand.ts b/clients/client-mediapackage-vod/src/commands/DeletePackagingGroupCommand.ts index 30250f012758..c561b2e47a36 100644 --- a/clients/client-mediapackage-vod/src/commands/DeletePackagingGroupCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/DeletePackagingGroupCommand.ts @@ -93,4 +93,16 @@ export class DeletePackagingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackagingGroupCommand) .de(de_DeletePackagingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackagingGroupRequest; + output: {}; + }; + sdk: { + input: DeletePackagingGroupCommandInput; + output: DeletePackagingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/DescribeAssetCommand.ts b/clients/client-mediapackage-vod/src/commands/DescribeAssetCommand.ts index f7c842a1bd8f..c57e01672cca 100644 --- a/clients/client-mediapackage-vod/src/commands/DescribeAssetCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/DescribeAssetCommand.ts @@ -111,4 +111,16 @@ export class DescribeAssetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssetCommand) .de(de_DescribeAssetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetRequest; + output: DescribeAssetResponse; + }; + sdk: { + input: DescribeAssetCommandInput; + output: DescribeAssetCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/DescribePackagingConfigurationCommand.ts b/clients/client-mediapackage-vod/src/commands/DescribePackagingConfigurationCommand.ts index 8d6abda160b8..9bb790c95fbb 100644 --- a/clients/client-mediapackage-vod/src/commands/DescribePackagingConfigurationCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/DescribePackagingConfigurationCommand.ts @@ -234,4 +234,16 @@ export class DescribePackagingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackagingConfigurationCommand) .de(de_DescribePackagingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackagingConfigurationRequest; + output: DescribePackagingConfigurationResponse; + }; + sdk: { + input: DescribePackagingConfigurationCommandInput; + output: DescribePackagingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/DescribePackagingGroupCommand.ts b/clients/client-mediapackage-vod/src/commands/DescribePackagingGroupCommand.ts index 1ce6b2181ade..e4ab22a151ba 100644 --- a/clients/client-mediapackage-vod/src/commands/DescribePackagingGroupCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/DescribePackagingGroupCommand.ts @@ -109,4 +109,16 @@ export class DescribePackagingGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackagingGroupCommand) .de(de_DescribePackagingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackagingGroupRequest; + output: DescribePackagingGroupResponse; + }; + sdk: { + input: DescribePackagingGroupCommandInput; + output: DescribePackagingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/ListAssetsCommand.ts b/clients/client-mediapackage-vod/src/commands/ListAssetsCommand.ts index df4195cda2db..760d290dd640 100644 --- a/clients/client-mediapackage-vod/src/commands/ListAssetsCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/ListAssetsCommand.ts @@ -111,4 +111,16 @@ export class ListAssetsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetsCommand) .de(de_ListAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetsRequest; + output: ListAssetsResponse; + }; + sdk: { + input: ListAssetsCommandInput; + output: ListAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/ListPackagingConfigurationsCommand.ts b/clients/client-mediapackage-vod/src/commands/ListPackagingConfigurationsCommand.ts index 90f6ea2b41b7..91ffdd9fc8b2 100644 --- a/clients/client-mediapackage-vod/src/commands/ListPackagingConfigurationsCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/ListPackagingConfigurationsCommand.ts @@ -241,4 +241,16 @@ export class ListPackagingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPackagingConfigurationsCommand) .de(de_ListPackagingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackagingConfigurationsRequest; + output: ListPackagingConfigurationsResponse; + }; + sdk: { + input: ListPackagingConfigurationsCommandInput; + output: ListPackagingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/ListPackagingGroupsCommand.ts b/clients/client-mediapackage-vod/src/commands/ListPackagingGroupsCommand.ts index b5a8234aaa03..5df039c2968d 100644 --- a/clients/client-mediapackage-vod/src/commands/ListPackagingGroupsCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/ListPackagingGroupsCommand.ts @@ -115,4 +115,16 @@ export class ListPackagingGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListPackagingGroupsCommand) .de(de_ListPackagingGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackagingGroupsRequest; + output: ListPackagingGroupsResponse; + }; + sdk: { + input: ListPackagingGroupsCommandInput; + output: ListPackagingGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/ListTagsForResourceCommand.ts b/clients/client-mediapackage-vod/src/commands/ListTagsForResourceCommand.ts index 1541442d0afe..41e702539087 100644 --- a/clients/client-mediapackage-vod/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/ListTagsForResourceCommand.ts @@ -79,4 +79,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/TagResourceCommand.ts b/clients/client-mediapackage-vod/src/commands/TagResourceCommand.ts index 6e0b3cf3984d..8ba981ccdc9d 100644 --- a/clients/client-mediapackage-vod/src/commands/TagResourceCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/TagResourceCommand.ts @@ -78,4 +78,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/UntagResourceCommand.ts b/clients/client-mediapackage-vod/src/commands/UntagResourceCommand.ts index 44e6b0be7f29..faccb18322bb 100644 --- a/clients/client-mediapackage-vod/src/commands/UntagResourceCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/UntagResourceCommand.ts @@ -78,4 +78,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage-vod/src/commands/UpdatePackagingGroupCommand.ts b/clients/client-mediapackage-vod/src/commands/UpdatePackagingGroupCommand.ts index 93d9a3a46988..34b3afa4fb76 100644 --- a/clients/client-mediapackage-vod/src/commands/UpdatePackagingGroupCommand.ts +++ b/clients/client-mediapackage-vod/src/commands/UpdatePackagingGroupCommand.ts @@ -113,4 +113,16 @@ export class UpdatePackagingGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePackagingGroupCommand) .de(de_UpdatePackagingGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackagingGroupRequest; + output: UpdatePackagingGroupResponse; + }; + sdk: { + input: UpdatePackagingGroupCommandInput; + output: UpdatePackagingGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/package.json b/clients/client-mediapackage/package.json index 2bd0ba269c70..a97f2d65e3d3 100644 --- a/clients/client-mediapackage/package.json +++ b/clients/client-mediapackage/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-mediapackage/src/commands/ConfigureLogsCommand.ts b/clients/client-mediapackage/src/commands/ConfigureLogsCommand.ts index e7debcd2680a..5fc0ad6ea147 100644 --- a/clients/client-mediapackage/src/commands/ConfigureLogsCommand.ts +++ b/clients/client-mediapackage/src/commands/ConfigureLogsCommand.ts @@ -127,4 +127,16 @@ export class ConfigureLogsCommand extends $Command .f(void 0, ConfigureLogsResponseFilterSensitiveLog) .ser(se_ConfigureLogsCommand) .de(de_ConfigureLogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfigureLogsRequest; + output: ConfigureLogsResponse; + }; + sdk: { + input: ConfigureLogsCommandInput; + output: ConfigureLogsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/CreateChannelCommand.ts b/clients/client-mediapackage/src/commands/CreateChannelCommand.ts index cbb8a2e99932..800b09160573 100644 --- a/clients/client-mediapackage/src/commands/CreateChannelCommand.ts +++ b/clients/client-mediapackage/src/commands/CreateChannelCommand.ts @@ -125,4 +125,16 @@ export class CreateChannelCommand extends $Command .f(void 0, CreateChannelResponseFilterSensitiveLog) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/CreateHarvestJobCommand.ts b/clients/client-mediapackage/src/commands/CreateHarvestJobCommand.ts index f0f84cbc9669..5a0eadb8c282 100644 --- a/clients/client-mediapackage/src/commands/CreateHarvestJobCommand.ts +++ b/clients/client-mediapackage/src/commands/CreateHarvestJobCommand.ts @@ -115,4 +115,16 @@ export class CreateHarvestJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateHarvestJobCommand) .de(de_CreateHarvestJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHarvestJobRequest; + output: CreateHarvestJobResponse; + }; + sdk: { + input: CreateHarvestJobCommandInput; + output: CreateHarvestJobCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/CreateOriginEndpointCommand.ts b/clients/client-mediapackage/src/commands/CreateOriginEndpointCommand.ts index a35b03ebdaa1..1c1ff31348d1 100644 --- a/clients/client-mediapackage/src/commands/CreateOriginEndpointCommand.ts +++ b/clients/client-mediapackage/src/commands/CreateOriginEndpointCommand.ts @@ -421,4 +421,16 @@ export class CreateOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateOriginEndpointCommand) .de(de_CreateOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOriginEndpointRequest; + output: CreateOriginEndpointResponse; + }; + sdk: { + input: CreateOriginEndpointCommandInput; + output: CreateOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/DeleteChannelCommand.ts b/clients/client-mediapackage/src/commands/DeleteChannelCommand.ts index 355b5bcfb90f..d88c093812ca 100644 --- a/clients/client-mediapackage/src/commands/DeleteChannelCommand.ts +++ b/clients/client-mediapackage/src/commands/DeleteChannelCommand.ts @@ -93,4 +93,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/DeleteOriginEndpointCommand.ts b/clients/client-mediapackage/src/commands/DeleteOriginEndpointCommand.ts index 612a82fb3094..525a1dd9052f 100644 --- a/clients/client-mediapackage/src/commands/DeleteOriginEndpointCommand.ts +++ b/clients/client-mediapackage/src/commands/DeleteOriginEndpointCommand.ts @@ -93,4 +93,16 @@ export class DeleteOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOriginEndpointCommand) .de(de_DeleteOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOriginEndpointRequest; + output: {}; + }; + sdk: { + input: DeleteOriginEndpointCommandInput; + output: DeleteOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/DescribeChannelCommand.ts b/clients/client-mediapackage/src/commands/DescribeChannelCommand.ts index e90ce3757697..300ef395a8e9 100644 --- a/clients/client-mediapackage/src/commands/DescribeChannelCommand.ts +++ b/clients/client-mediapackage/src/commands/DescribeChannelCommand.ts @@ -121,4 +121,16 @@ export class DescribeChannelCommand extends $Command .f(void 0, DescribeChannelResponseFilterSensitiveLog) .ser(se_DescribeChannelCommand) .de(de_DescribeChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelRequest; + output: DescribeChannelResponse; + }; + sdk: { + input: DescribeChannelCommandInput; + output: DescribeChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/DescribeHarvestJobCommand.ts b/clients/client-mediapackage/src/commands/DescribeHarvestJobCommand.ts index 998ef9694872..a5cb3e083c18 100644 --- a/clients/client-mediapackage/src/commands/DescribeHarvestJobCommand.ts +++ b/clients/client-mediapackage/src/commands/DescribeHarvestJobCommand.ts @@ -107,4 +107,16 @@ export class DescribeHarvestJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHarvestJobCommand) .de(de_DescribeHarvestJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHarvestJobRequest; + output: DescribeHarvestJobResponse; + }; + sdk: { + input: DescribeHarvestJobCommandInput; + output: DescribeHarvestJobCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/DescribeOriginEndpointCommand.ts b/clients/client-mediapackage/src/commands/DescribeOriginEndpointCommand.ts index ae1043c0721b..cb002b11a8ed 100644 --- a/clients/client-mediapackage/src/commands/DescribeOriginEndpointCommand.ts +++ b/clients/client-mediapackage/src/commands/DescribeOriginEndpointCommand.ts @@ -260,4 +260,16 @@ export class DescribeOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOriginEndpointCommand) .de(de_DescribeOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOriginEndpointRequest; + output: DescribeOriginEndpointResponse; + }; + sdk: { + input: DescribeOriginEndpointCommandInput; + output: DescribeOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/ListChannelsCommand.ts b/clients/client-mediapackage/src/commands/ListChannelsCommand.ts index 0d54a5862fa4..42ba3b5d3ab0 100644 --- a/clients/client-mediapackage/src/commands/ListChannelsCommand.ts +++ b/clients/client-mediapackage/src/commands/ListChannelsCommand.ts @@ -123,4 +123,16 @@ export class ListChannelsCommand extends $Command .f(void 0, ListChannelsResponseFilterSensitiveLog) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/ListHarvestJobsCommand.ts b/clients/client-mediapackage/src/commands/ListHarvestJobsCommand.ts index 58e9b4368fdc..77fd31fe5526 100644 --- a/clients/client-mediapackage/src/commands/ListHarvestJobsCommand.ts +++ b/clients/client-mediapackage/src/commands/ListHarvestJobsCommand.ts @@ -115,4 +115,16 @@ export class ListHarvestJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListHarvestJobsCommand) .de(de_ListHarvestJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHarvestJobsRequest; + output: ListHarvestJobsResponse; + }; + sdk: { + input: ListHarvestJobsCommandInput; + output: ListHarvestJobsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/ListOriginEndpointsCommand.ts b/clients/client-mediapackage/src/commands/ListOriginEndpointsCommand.ts index 72ace2e6737a..7a7086aa003d 100644 --- a/clients/client-mediapackage/src/commands/ListOriginEndpointsCommand.ts +++ b/clients/client-mediapackage/src/commands/ListOriginEndpointsCommand.ts @@ -267,4 +267,16 @@ export class ListOriginEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListOriginEndpointsCommand) .de(de_ListOriginEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOriginEndpointsRequest; + output: ListOriginEndpointsResponse; + }; + sdk: { + input: ListOriginEndpointsCommandInput; + output: ListOriginEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/ListTagsForResourceCommand.ts b/clients/client-mediapackage/src/commands/ListTagsForResourceCommand.ts index e3b66c348c28..7444beb1bc5d 100644 --- a/clients/client-mediapackage/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mediapackage/src/commands/ListTagsForResourceCommand.ts @@ -79,4 +79,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/RotateChannelCredentialsCommand.ts b/clients/client-mediapackage/src/commands/RotateChannelCredentialsCommand.ts index d7cdb5c817f2..15dfd6ae8c0d 100644 --- a/clients/client-mediapackage/src/commands/RotateChannelCredentialsCommand.ts +++ b/clients/client-mediapackage/src/commands/RotateChannelCredentialsCommand.ts @@ -123,4 +123,16 @@ export class RotateChannelCredentialsCommand extends $Command .f(void 0, RotateChannelCredentialsResponseFilterSensitiveLog) .ser(se_RotateChannelCredentialsCommand) .de(de_RotateChannelCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RotateChannelCredentialsRequest; + output: RotateChannelCredentialsResponse; + }; + sdk: { + input: RotateChannelCredentialsCommandInput; + output: RotateChannelCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/RotateIngestEndpointCredentialsCommand.ts b/clients/client-mediapackage/src/commands/RotateIngestEndpointCredentialsCommand.ts index be671451f8db..7de2b154a4ba 100644 --- a/clients/client-mediapackage/src/commands/RotateIngestEndpointCredentialsCommand.ts +++ b/clients/client-mediapackage/src/commands/RotateIngestEndpointCredentialsCommand.ts @@ -127,4 +127,16 @@ export class RotateIngestEndpointCredentialsCommand extends $Command .f(void 0, RotateIngestEndpointCredentialsResponseFilterSensitiveLog) .ser(se_RotateIngestEndpointCredentialsCommand) .de(de_RotateIngestEndpointCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RotateIngestEndpointCredentialsRequest; + output: RotateIngestEndpointCredentialsResponse; + }; + sdk: { + input: RotateIngestEndpointCredentialsCommandInput; + output: RotateIngestEndpointCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/TagResourceCommand.ts b/clients/client-mediapackage/src/commands/TagResourceCommand.ts index a31f66f8b3b1..78d4d78a6f8b 100644 --- a/clients/client-mediapackage/src/commands/TagResourceCommand.ts +++ b/clients/client-mediapackage/src/commands/TagResourceCommand.ts @@ -78,4 +78,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/UntagResourceCommand.ts b/clients/client-mediapackage/src/commands/UntagResourceCommand.ts index c02fdef7da50..e077be36865e 100644 --- a/clients/client-mediapackage/src/commands/UntagResourceCommand.ts +++ b/clients/client-mediapackage/src/commands/UntagResourceCommand.ts @@ -78,4 +78,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/UpdateChannelCommand.ts b/clients/client-mediapackage/src/commands/UpdateChannelCommand.ts index 1dfcb507e92d..ff8e2099dda4 100644 --- a/clients/client-mediapackage/src/commands/UpdateChannelCommand.ts +++ b/clients/client-mediapackage/src/commands/UpdateChannelCommand.ts @@ -122,4 +122,16 @@ export class UpdateChannelCommand extends $Command .f(void 0, UpdateChannelResponseFilterSensitiveLog) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackage/src/commands/UpdateOriginEndpointCommand.ts b/clients/client-mediapackage/src/commands/UpdateOriginEndpointCommand.ts index b6dadbc6259e..18f0449db85b 100644 --- a/clients/client-mediapackage/src/commands/UpdateOriginEndpointCommand.ts +++ b/clients/client-mediapackage/src/commands/UpdateOriginEndpointCommand.ts @@ -417,4 +417,16 @@ export class UpdateOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOriginEndpointCommand) .de(de_UpdateOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOriginEndpointRequest; + output: UpdateOriginEndpointResponse; + }; + sdk: { + input: UpdateOriginEndpointCommandInput; + output: UpdateOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/package.json b/clients/client-mediapackagev2/package.json index 32e365281c99..ce61838bd519 100644 --- a/clients/client-mediapackagev2/package.json +++ b/clients/client-mediapackagev2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-mediapackagev2/src/commands/CreateChannelCommand.ts b/clients/client-mediapackagev2/src/commands/CreateChannelCommand.ts index 9b3f93b6d724..9643a114fa48 100644 --- a/clients/client-mediapackagev2/src/commands/CreateChannelCommand.ts +++ b/clients/client-mediapackagev2/src/commands/CreateChannelCommand.ts @@ -165,4 +165,16 @@ export class CreateChannelCommand extends $Command .f(void 0, void 0) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/CreateChannelGroupCommand.ts b/clients/client-mediapackagev2/src/commands/CreateChannelGroupCommand.ts index 04fb07ffadfa..649fb2378757 100644 --- a/clients/client-mediapackagev2/src/commands/CreateChannelGroupCommand.ts +++ b/clients/client-mediapackagev2/src/commands/CreateChannelGroupCommand.ts @@ -143,4 +143,16 @@ export class CreateChannelGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateChannelGroupCommand) .de(de_CreateChannelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelGroupRequest; + output: CreateChannelGroupResponse; + }; + sdk: { + input: CreateChannelGroupCommandInput; + output: CreateChannelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/CreateOriginEndpointCommand.ts b/clients/client-mediapackagev2/src/commands/CreateOriginEndpointCommand.ts index 1da1dd2c93b1..a65bc44ab4d7 100644 --- a/clients/client-mediapackagev2/src/commands/CreateOriginEndpointCommand.ts +++ b/clients/client-mediapackagev2/src/commands/CreateOriginEndpointCommand.ts @@ -790,4 +790,16 @@ export class CreateOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateOriginEndpointCommand) .de(de_CreateOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOriginEndpointRequest; + output: CreateOriginEndpointResponse; + }; + sdk: { + input: CreateOriginEndpointCommandInput; + output: CreateOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/DeleteChannelCommand.ts b/clients/client-mediapackagev2/src/commands/DeleteChannelCommand.ts index 20d9b5956551..6d37004ea550 100644 --- a/clients/client-mediapackagev2/src/commands/DeleteChannelCommand.ts +++ b/clients/client-mediapackagev2/src/commands/DeleteChannelCommand.ts @@ -103,4 +103,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/DeleteChannelGroupCommand.ts b/clients/client-mediapackagev2/src/commands/DeleteChannelGroupCommand.ts index 385ecdfe60a7..ffbe12bd3979 100644 --- a/clients/client-mediapackagev2/src/commands/DeleteChannelGroupCommand.ts +++ b/clients/client-mediapackagev2/src/commands/DeleteChannelGroupCommand.ts @@ -101,4 +101,16 @@ export class DeleteChannelGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelGroupCommand) .de(de_DeleteChannelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelGroupRequest; + output: {}; + }; + sdk: { + input: DeleteChannelGroupCommandInput; + output: DeleteChannelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/DeleteChannelPolicyCommand.ts b/clients/client-mediapackagev2/src/commands/DeleteChannelPolicyCommand.ts index f069395621cd..71a957375fd1 100644 --- a/clients/client-mediapackagev2/src/commands/DeleteChannelPolicyCommand.ts +++ b/clients/client-mediapackagev2/src/commands/DeleteChannelPolicyCommand.ts @@ -103,4 +103,16 @@ export class DeleteChannelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelPolicyCommand) .de(de_DeleteChannelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteChannelPolicyCommandInput; + output: DeleteChannelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointCommand.ts b/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointCommand.ts index f3afa04b1392..911766b564fb 100644 --- a/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointCommand.ts +++ b/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointCommand.ts @@ -102,4 +102,16 @@ export class DeleteOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOriginEndpointCommand) .de(de_DeleteOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOriginEndpointRequest; + output: {}; + }; + sdk: { + input: DeleteOriginEndpointCommandInput; + output: DeleteOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointPolicyCommand.ts b/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointPolicyCommand.ts index 2a16cf0268bd..45d1bbfdeb07 100644 --- a/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointPolicyCommand.ts +++ b/clients/client-mediapackagev2/src/commands/DeleteOriginEndpointPolicyCommand.ts @@ -105,4 +105,16 @@ export class DeleteOriginEndpointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOriginEndpointPolicyCommand) .de(de_DeleteOriginEndpointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOriginEndpointPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteOriginEndpointPolicyCommandInput; + output: DeleteOriginEndpointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/GetChannelCommand.ts b/clients/client-mediapackagev2/src/commands/GetChannelCommand.ts index aff913a4a6f4..388db6b9a005 100644 --- a/clients/client-mediapackagev2/src/commands/GetChannelCommand.ts +++ b/clients/client-mediapackagev2/src/commands/GetChannelCommand.ts @@ -147,4 +147,16 @@ export class GetChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelCommand) .de(de_GetChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelRequest; + output: GetChannelResponse; + }; + sdk: { + input: GetChannelCommandInput; + output: GetChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/GetChannelGroupCommand.ts b/clients/client-mediapackagev2/src/commands/GetChannelGroupCommand.ts index 1af5d089d115..7c5ec4f5a3b9 100644 --- a/clients/client-mediapackagev2/src/commands/GetChannelGroupCommand.ts +++ b/clients/client-mediapackagev2/src/commands/GetChannelGroupCommand.ts @@ -127,4 +127,16 @@ export class GetChannelGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelGroupCommand) .de(de_GetChannelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelGroupRequest; + output: GetChannelGroupResponse; + }; + sdk: { + input: GetChannelGroupCommandInput; + output: GetChannelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/GetChannelPolicyCommand.ts b/clients/client-mediapackagev2/src/commands/GetChannelPolicyCommand.ts index 10b6b16492c5..4b426a3cc31a 100644 --- a/clients/client-mediapackagev2/src/commands/GetChannelPolicyCommand.ts +++ b/clients/client-mediapackagev2/src/commands/GetChannelPolicyCommand.ts @@ -114,4 +114,16 @@ export class GetChannelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelPolicyCommand) .de(de_GetChannelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelPolicyRequest; + output: GetChannelPolicyResponse; + }; + sdk: { + input: GetChannelPolicyCommandInput; + output: GetChannelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/GetOriginEndpointCommand.ts b/clients/client-mediapackagev2/src/commands/GetOriginEndpointCommand.ts index db9d64a726c2..be6bf492bf0a 100644 --- a/clients/client-mediapackagev2/src/commands/GetOriginEndpointCommand.ts +++ b/clients/client-mediapackagev2/src/commands/GetOriginEndpointCommand.ts @@ -322,4 +322,16 @@ export class GetOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetOriginEndpointCommand) .de(de_GetOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOriginEndpointRequest; + output: GetOriginEndpointResponse; + }; + sdk: { + input: GetOriginEndpointCommandInput; + output: GetOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/GetOriginEndpointPolicyCommand.ts b/clients/client-mediapackagev2/src/commands/GetOriginEndpointPolicyCommand.ts index 7dc7edce6724..3cfe09406104 100644 --- a/clients/client-mediapackagev2/src/commands/GetOriginEndpointPolicyCommand.ts +++ b/clients/client-mediapackagev2/src/commands/GetOriginEndpointPolicyCommand.ts @@ -118,4 +118,16 @@ export class GetOriginEndpointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetOriginEndpointPolicyCommand) .de(de_GetOriginEndpointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOriginEndpointPolicyRequest; + output: GetOriginEndpointPolicyResponse; + }; + sdk: { + input: GetOriginEndpointPolicyCommandInput; + output: GetOriginEndpointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/ListChannelGroupsCommand.ts b/clients/client-mediapackagev2/src/commands/ListChannelGroupsCommand.ts index c27a023606b8..ca0946a5559e 100644 --- a/clients/client-mediapackagev2/src/commands/ListChannelGroupsCommand.ts +++ b/clients/client-mediapackagev2/src/commands/ListChannelGroupsCommand.ts @@ -127,4 +127,16 @@ export class ListChannelGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelGroupsCommand) .de(de_ListChannelGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelGroupsRequest; + output: ListChannelGroupsResponse; + }; + sdk: { + input: ListChannelGroupsCommandInput; + output: ListChannelGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/ListChannelsCommand.ts b/clients/client-mediapackagev2/src/commands/ListChannelsCommand.ts index 36e6b828b48a..72bbe1047145 100644 --- a/clients/client-mediapackagev2/src/commands/ListChannelsCommand.ts +++ b/clients/client-mediapackagev2/src/commands/ListChannelsCommand.ts @@ -137,4 +137,16 @@ export class ListChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/ListOriginEndpointsCommand.ts b/clients/client-mediapackagev2/src/commands/ListOriginEndpointsCommand.ts index ad4b4b8c73f3..8ca2b95990c0 100644 --- a/clients/client-mediapackagev2/src/commands/ListOriginEndpointsCommand.ts +++ b/clients/client-mediapackagev2/src/commands/ListOriginEndpointsCommand.ts @@ -243,4 +243,16 @@ export class ListOriginEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListOriginEndpointsCommand) .de(de_ListOriginEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOriginEndpointsRequest; + output: ListOriginEndpointsResponse; + }; + sdk: { + input: ListOriginEndpointsCommandInput; + output: ListOriginEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/ListTagsForResourceCommand.ts b/clients/client-mediapackagev2/src/commands/ListTagsForResourceCommand.ts index c5cb37ba4325..9f9caa145cf9 100644 --- a/clients/client-mediapackagev2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mediapackagev2/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/PutChannelPolicyCommand.ts b/clients/client-mediapackagev2/src/commands/PutChannelPolicyCommand.ts index 5404c4008494..544b07ad9f7d 100644 --- a/clients/client-mediapackagev2/src/commands/PutChannelPolicyCommand.ts +++ b/clients/client-mediapackagev2/src/commands/PutChannelPolicyCommand.ts @@ -108,4 +108,16 @@ export class PutChannelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutChannelPolicyCommand) .de(de_PutChannelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutChannelPolicyRequest; + output: {}; + }; + sdk: { + input: PutChannelPolicyCommandInput; + output: PutChannelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/PutOriginEndpointPolicyCommand.ts b/clients/client-mediapackagev2/src/commands/PutOriginEndpointPolicyCommand.ts index 12f5e2654188..b1a4d199eed4 100644 --- a/clients/client-mediapackagev2/src/commands/PutOriginEndpointPolicyCommand.ts +++ b/clients/client-mediapackagev2/src/commands/PutOriginEndpointPolicyCommand.ts @@ -110,4 +110,16 @@ export class PutOriginEndpointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutOriginEndpointPolicyCommand) .de(de_PutOriginEndpointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutOriginEndpointPolicyRequest; + output: {}; + }; + sdk: { + input: PutOriginEndpointPolicyCommandInput; + output: PutOriginEndpointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/TagResourceCommand.ts b/clients/client-mediapackagev2/src/commands/TagResourceCommand.ts index 2dd5160818b4..2ac2e7da2cba 100644 --- a/clients/client-mediapackagev2/src/commands/TagResourceCommand.ts +++ b/clients/client-mediapackagev2/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/UntagResourceCommand.ts b/clients/client-mediapackagev2/src/commands/UntagResourceCommand.ts index 9cd3a98c84bd..8b653226c334 100644 --- a/clients/client-mediapackagev2/src/commands/UntagResourceCommand.ts +++ b/clients/client-mediapackagev2/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/UpdateChannelCommand.ts b/clients/client-mediapackagev2/src/commands/UpdateChannelCommand.ts index f0abc50691de..7e8e3b0495b2 100644 --- a/clients/client-mediapackagev2/src/commands/UpdateChannelCommand.ts +++ b/clients/client-mediapackagev2/src/commands/UpdateChannelCommand.ts @@ -154,4 +154,16 @@ export class UpdateChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/UpdateChannelGroupCommand.ts b/clients/client-mediapackagev2/src/commands/UpdateChannelGroupCommand.ts index ef1669ea065e..3ce2ce1947c4 100644 --- a/clients/client-mediapackagev2/src/commands/UpdateChannelGroupCommand.ts +++ b/clients/client-mediapackagev2/src/commands/UpdateChannelGroupCommand.ts @@ -134,4 +134,16 @@ export class UpdateChannelGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelGroupCommand) .de(de_UpdateChannelGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelGroupRequest; + output: UpdateChannelGroupResponse; + }; + sdk: { + input: UpdateChannelGroupCommandInput; + output: UpdateChannelGroupCommandOutput; + }; + }; +} diff --git a/clients/client-mediapackagev2/src/commands/UpdateOriginEndpointCommand.ts b/clients/client-mediapackagev2/src/commands/UpdateOriginEndpointCommand.ts index 44017212e607..d67348ef2644 100644 --- a/clients/client-mediapackagev2/src/commands/UpdateOriginEndpointCommand.ts +++ b/clients/client-mediapackagev2/src/commands/UpdateOriginEndpointCommand.ts @@ -512,4 +512,16 @@ export class UpdateOriginEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOriginEndpointCommand) .de(de_UpdateOriginEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOriginEndpointRequest; + output: UpdateOriginEndpointResponse; + }; + sdk: { + input: UpdateOriginEndpointCommandInput; + output: UpdateOriginEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore-data/package.json b/clients/client-mediastore-data/package.json index 151040819894..21449820c3e5 100644 --- a/clients/client-mediastore-data/package.json +++ b/clients/client-mediastore-data/package.json @@ -35,31 +35,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-mediastore-data/src/commands/DeleteObjectCommand.ts b/clients/client-mediastore-data/src/commands/DeleteObjectCommand.ts index add050801658..b24eb1f0ccbd 100644 --- a/clients/client-mediastore-data/src/commands/DeleteObjectCommand.ts +++ b/clients/client-mediastore-data/src/commands/DeleteObjectCommand.ts @@ -84,4 +84,16 @@ export class DeleteObjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteObjectCommand) .de(de_DeleteObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteObjectRequest; + output: {}; + }; + sdk: { + input: DeleteObjectCommandInput; + output: DeleteObjectCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore-data/src/commands/DescribeObjectCommand.ts b/clients/client-mediastore-data/src/commands/DescribeObjectCommand.ts index bc00b81e92c1..0906aaa013c1 100644 --- a/clients/client-mediastore-data/src/commands/DescribeObjectCommand.ts +++ b/clients/client-mediastore-data/src/commands/DescribeObjectCommand.ts @@ -90,4 +90,16 @@ export class DescribeObjectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeObjectCommand) .de(de_DescribeObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeObjectRequest; + output: DescribeObjectResponse; + }; + sdk: { + input: DescribeObjectCommandInput; + output: DescribeObjectCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore-data/src/commands/GetObjectCommand.ts b/clients/client-mediastore-data/src/commands/GetObjectCommand.ts index 66be80a27f4c..5e5c535dc9ee 100644 --- a/clients/client-mediastore-data/src/commands/GetObjectCommand.ts +++ b/clients/client-mediastore-data/src/commands/GetObjectCommand.ts @@ -99,4 +99,16 @@ export class GetObjectCommand extends $Command .f(void 0, GetObjectResponseFilterSensitiveLog) .ser(se_GetObjectCommand) .de(de_GetObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectRequest; + output: GetObjectResponse; + }; + sdk: { + input: GetObjectCommandInput; + output: GetObjectCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore-data/src/commands/ListItemsCommand.ts b/clients/client-mediastore-data/src/commands/ListItemsCommand.ts index c722291b6f71..ec7fb9d1980b 100644 --- a/clients/client-mediastore-data/src/commands/ListItemsCommand.ts +++ b/clients/client-mediastore-data/src/commands/ListItemsCommand.ts @@ -96,4 +96,16 @@ export class ListItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListItemsCommand) .de(de_ListItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListItemsRequest; + output: ListItemsResponse; + }; + sdk: { + input: ListItemsCommandInput; + output: ListItemsCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore-data/src/commands/PutObjectCommand.ts b/clients/client-mediastore-data/src/commands/PutObjectCommand.ts index 25d38e1ad25e..69155132fbb0 100644 --- a/clients/client-mediastore-data/src/commands/PutObjectCommand.ts +++ b/clients/client-mediastore-data/src/commands/PutObjectCommand.ts @@ -93,4 +93,16 @@ export class PutObjectCommand extends $Command .f(PutObjectRequestFilterSensitiveLog, void 0) .ser(se_PutObjectCommand) .de(de_PutObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutObjectRequest; + output: PutObjectResponse; + }; + sdk: { + input: PutObjectCommandInput; + output: PutObjectCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/package.json b/clients/client-mediastore/package.json index 600cf07b984e..7a810628c1e9 100644 --- a/clients/client-mediastore/package.json +++ b/clients/client-mediastore/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-mediastore/src/commands/CreateContainerCommand.ts b/clients/client-mediastore/src/commands/CreateContainerCommand.ts index 9dc52e7a903f..02cd290b6e11 100644 --- a/clients/client-mediastore/src/commands/CreateContainerCommand.ts +++ b/clients/client-mediastore/src/commands/CreateContainerCommand.ts @@ -101,4 +101,16 @@ export class CreateContainerCommand extends $Command .f(void 0, void 0) .ser(se_CreateContainerCommand) .de(de_CreateContainerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContainerInput; + output: CreateContainerOutput; + }; + sdk: { + input: CreateContainerCommandInput; + output: CreateContainerCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/DeleteContainerCommand.ts b/clients/client-mediastore/src/commands/DeleteContainerCommand.ts index 2d80b222fe4e..86daddbb3d9d 100644 --- a/clients/client-mediastore/src/commands/DeleteContainerCommand.ts +++ b/clients/client-mediastore/src/commands/DeleteContainerCommand.ts @@ -87,4 +87,16 @@ export class DeleteContainerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContainerCommand) .de(de_DeleteContainerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContainerInput; + output: {}; + }; + sdk: { + input: DeleteContainerCommandInput; + output: DeleteContainerCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/DeleteContainerPolicyCommand.ts b/clients/client-mediastore/src/commands/DeleteContainerPolicyCommand.ts index f2068ec12904..617d23955ccd 100644 --- a/clients/client-mediastore/src/commands/DeleteContainerPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/DeleteContainerPolicyCommand.ts @@ -88,4 +88,16 @@ export class DeleteContainerPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContainerPolicyCommand) .de(de_DeleteContainerPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContainerPolicyInput; + output: {}; + }; + sdk: { + input: DeleteContainerPolicyCommandInput; + output: DeleteContainerPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/DeleteCorsPolicyCommand.ts b/clients/client-mediastore/src/commands/DeleteCorsPolicyCommand.ts index bb9ed103ebed..35da2acb0202 100644 --- a/clients/client-mediastore/src/commands/DeleteCorsPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/DeleteCorsPolicyCommand.ts @@ -92,4 +92,16 @@ export class DeleteCorsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCorsPolicyCommand) .de(de_DeleteCorsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCorsPolicyInput; + output: {}; + }; + sdk: { + input: DeleteCorsPolicyCommandInput; + output: DeleteCorsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/DeleteLifecyclePolicyCommand.ts b/clients/client-mediastore/src/commands/DeleteLifecyclePolicyCommand.ts index 35d6e6519395..82070fdb324d 100644 --- a/clients/client-mediastore/src/commands/DeleteLifecyclePolicyCommand.ts +++ b/clients/client-mediastore/src/commands/DeleteLifecyclePolicyCommand.ts @@ -88,4 +88,16 @@ export class DeleteLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLifecyclePolicyCommand) .de(de_DeleteLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLifecyclePolicyInput; + output: {}; + }; + sdk: { + input: DeleteLifecyclePolicyCommandInput; + output: DeleteLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/DeleteMetricPolicyCommand.ts b/clients/client-mediastore/src/commands/DeleteMetricPolicyCommand.ts index 36da717d765b..e5ca53449d25 100644 --- a/clients/client-mediastore/src/commands/DeleteMetricPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/DeleteMetricPolicyCommand.ts @@ -88,4 +88,16 @@ export class DeleteMetricPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMetricPolicyCommand) .de(de_DeleteMetricPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMetricPolicyInput; + output: {}; + }; + sdk: { + input: DeleteMetricPolicyCommandInput; + output: DeleteMetricPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/DescribeContainerCommand.ts b/clients/client-mediastore/src/commands/DescribeContainerCommand.ts index 7b010ec84faf..69766620020a 100644 --- a/clients/client-mediastore/src/commands/DescribeContainerCommand.ts +++ b/clients/client-mediastore/src/commands/DescribeContainerCommand.ts @@ -96,4 +96,16 @@ export class DescribeContainerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContainerCommand) .de(de_DescribeContainerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContainerInput; + output: DescribeContainerOutput; + }; + sdk: { + input: DescribeContainerCommandInput; + output: DescribeContainerCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/GetContainerPolicyCommand.ts b/clients/client-mediastore/src/commands/GetContainerPolicyCommand.ts index 5421c1d877fb..c8f784ce206d 100644 --- a/clients/client-mediastore/src/commands/GetContainerPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/GetContainerPolicyCommand.ts @@ -92,4 +92,16 @@ export class GetContainerPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetContainerPolicyCommand) .de(de_GetContainerPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContainerPolicyInput; + output: GetContainerPolicyOutput; + }; + sdk: { + input: GetContainerPolicyCommandInput; + output: GetContainerPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/GetCorsPolicyCommand.ts b/clients/client-mediastore/src/commands/GetCorsPolicyCommand.ts index bddc9746fe20..0f3fc56d110d 100644 --- a/clients/client-mediastore/src/commands/GetCorsPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/GetCorsPolicyCommand.ts @@ -110,4 +110,16 @@ export class GetCorsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetCorsPolicyCommand) .de(de_GetCorsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCorsPolicyInput; + output: GetCorsPolicyOutput; + }; + sdk: { + input: GetCorsPolicyCommandInput; + output: GetCorsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/GetLifecyclePolicyCommand.ts b/clients/client-mediastore/src/commands/GetLifecyclePolicyCommand.ts index 50b2685ad716..fc112794a683 100644 --- a/clients/client-mediastore/src/commands/GetLifecyclePolicyCommand.ts +++ b/clients/client-mediastore/src/commands/GetLifecyclePolicyCommand.ts @@ -90,4 +90,16 @@ export class GetLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetLifecyclePolicyCommand) .de(de_GetLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLifecyclePolicyInput; + output: GetLifecyclePolicyOutput; + }; + sdk: { + input: GetLifecyclePolicyCommandInput; + output: GetLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/GetMetricPolicyCommand.ts b/clients/client-mediastore/src/commands/GetMetricPolicyCommand.ts index f3b152573ca1..2977127cf28f 100644 --- a/clients/client-mediastore/src/commands/GetMetricPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/GetMetricPolicyCommand.ts @@ -98,4 +98,16 @@ export class GetMetricPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetMetricPolicyCommand) .de(de_GetMetricPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMetricPolicyInput; + output: GetMetricPolicyOutput; + }; + sdk: { + input: GetMetricPolicyCommandInput; + output: GetMetricPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/ListContainersCommand.ts b/clients/client-mediastore/src/commands/ListContainersCommand.ts index c466f5cacc96..83379def5782 100644 --- a/clients/client-mediastore/src/commands/ListContainersCommand.ts +++ b/clients/client-mediastore/src/commands/ListContainersCommand.ts @@ -99,4 +99,16 @@ export class ListContainersCommand extends $Command .f(void 0, void 0) .ser(se_ListContainersCommand) .de(de_ListContainersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContainersInput; + output: ListContainersOutput; + }; + sdk: { + input: ListContainersCommandInput; + output: ListContainersCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/ListTagsForResourceCommand.ts b/clients/client-mediastore/src/commands/ListTagsForResourceCommand.ts index cd14460b82b5..29137b203d3b 100644 --- a/clients/client-mediastore/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mediastore/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/PutContainerPolicyCommand.ts b/clients/client-mediastore/src/commands/PutContainerPolicyCommand.ts index f35abcbaea11..09c1767cbd18 100644 --- a/clients/client-mediastore/src/commands/PutContainerPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/PutContainerPolicyCommand.ts @@ -92,4 +92,16 @@ export class PutContainerPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutContainerPolicyCommand) .de(de_PutContainerPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutContainerPolicyInput; + output: {}; + }; + sdk: { + input: PutContainerPolicyCommandInput; + output: PutContainerPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/PutCorsPolicyCommand.ts b/clients/client-mediastore/src/commands/PutCorsPolicyCommand.ts index ed9b260dc216..34bc3c868a53 100644 --- a/clients/client-mediastore/src/commands/PutCorsPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/PutCorsPolicyCommand.ts @@ -112,4 +112,16 @@ export class PutCorsPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutCorsPolicyCommand) .de(de_PutCorsPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutCorsPolicyInput; + output: {}; + }; + sdk: { + input: PutCorsPolicyCommandInput; + output: PutCorsPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/PutLifecyclePolicyCommand.ts b/clients/client-mediastore/src/commands/PutLifecyclePolicyCommand.ts index 964146948c12..99ec6ce21f3a 100644 --- a/clients/client-mediastore/src/commands/PutLifecyclePolicyCommand.ts +++ b/clients/client-mediastore/src/commands/PutLifecyclePolicyCommand.ts @@ -87,4 +87,16 @@ export class PutLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutLifecyclePolicyCommand) .de(de_PutLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLifecyclePolicyInput; + output: {}; + }; + sdk: { + input: PutLifecyclePolicyCommandInput; + output: PutLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/PutMetricPolicyCommand.ts b/clients/client-mediastore/src/commands/PutMetricPolicyCommand.ts index 3c77d25cc8f5..73790f3b5b22 100644 --- a/clients/client-mediastore/src/commands/PutMetricPolicyCommand.ts +++ b/clients/client-mediastore/src/commands/PutMetricPolicyCommand.ts @@ -94,4 +94,16 @@ export class PutMetricPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutMetricPolicyCommand) .de(de_PutMetricPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMetricPolicyInput; + output: {}; + }; + sdk: { + input: PutMetricPolicyCommandInput; + output: PutMetricPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/StartAccessLoggingCommand.ts b/clients/client-mediastore/src/commands/StartAccessLoggingCommand.ts index 8d997172963c..a1c6aa26dad4 100644 --- a/clients/client-mediastore/src/commands/StartAccessLoggingCommand.ts +++ b/clients/client-mediastore/src/commands/StartAccessLoggingCommand.ts @@ -85,4 +85,16 @@ export class StartAccessLoggingCommand extends $Command .f(void 0, void 0) .ser(se_StartAccessLoggingCommand) .de(de_StartAccessLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAccessLoggingInput; + output: {}; + }; + sdk: { + input: StartAccessLoggingCommandInput; + output: StartAccessLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/StopAccessLoggingCommand.ts b/clients/client-mediastore/src/commands/StopAccessLoggingCommand.ts index 141d80578331..f9a5879478a0 100644 --- a/clients/client-mediastore/src/commands/StopAccessLoggingCommand.ts +++ b/clients/client-mediastore/src/commands/StopAccessLoggingCommand.ts @@ -85,4 +85,16 @@ export class StopAccessLoggingCommand extends $Command .f(void 0, void 0) .ser(se_StopAccessLoggingCommand) .de(de_StopAccessLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAccessLoggingInput; + output: {}; + }; + sdk: { + input: StopAccessLoggingCommandInput; + output: StopAccessLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/TagResourceCommand.ts b/clients/client-mediastore/src/commands/TagResourceCommand.ts index 2d865278f912..fdea4ca15fba 100644 --- a/clients/client-mediastore/src/commands/TagResourceCommand.ts +++ b/clients/client-mediastore/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediastore/src/commands/UntagResourceCommand.ts b/clients/client-mediastore/src/commands/UntagResourceCommand.ts index 8fd847b95b93..b78b32dbbe2a 100644 --- a/clients/client-mediastore/src/commands/UntagResourceCommand.ts +++ b/clients/client-mediastore/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/package.json b/clients/client-mediatailor/package.json index c7375707ece4..154a45845d58 100644 --- a/clients/client-mediatailor/package.json +++ b/clients/client-mediatailor/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-mediatailor/src/commands/ConfigureLogsForChannelCommand.ts b/clients/client-mediatailor/src/commands/ConfigureLogsForChannelCommand.ts index 290c72e366c2..2e693b286b59 100644 --- a/clients/client-mediatailor/src/commands/ConfigureLogsForChannelCommand.ts +++ b/clients/client-mediatailor/src/commands/ConfigureLogsForChannelCommand.ts @@ -83,4 +83,16 @@ export class ConfigureLogsForChannelCommand extends $Command .f(void 0, void 0) .ser(se_ConfigureLogsForChannelCommand) .de(de_ConfigureLogsForChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfigureLogsForChannelRequest; + output: ConfigureLogsForChannelResponse; + }; + sdk: { + input: ConfigureLogsForChannelCommandInput; + output: ConfigureLogsForChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ConfigureLogsForPlaybackConfigurationCommand.ts b/clients/client-mediatailor/src/commands/ConfigureLogsForPlaybackConfigurationCommand.ts index 12ed3794fe9a..78eed5128193 100644 --- a/clients/client-mediatailor/src/commands/ConfigureLogsForPlaybackConfigurationCommand.ts +++ b/clients/client-mediatailor/src/commands/ConfigureLogsForPlaybackConfigurationCommand.ts @@ -88,4 +88,16 @@ export class ConfigureLogsForPlaybackConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ConfigureLogsForPlaybackConfigurationCommand) .de(de_ConfigureLogsForPlaybackConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfigureLogsForPlaybackConfigurationRequest; + output: ConfigureLogsForPlaybackConfigurationResponse; + }; + sdk: { + input: ConfigureLogsForPlaybackConfigurationCommandInput; + output: ConfigureLogsForPlaybackConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/CreateChannelCommand.ts b/clients/client-mediatailor/src/commands/CreateChannelCommand.ts index c91262b08a20..30141146bf7f 100644 --- a/clients/client-mediatailor/src/commands/CreateChannelCommand.ts +++ b/clients/client-mediatailor/src/commands/CreateChannelCommand.ts @@ -148,4 +148,16 @@ export class CreateChannelCommand extends $Command .f(void 0, void 0) .ser(se_CreateChannelCommand) .de(de_CreateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChannelRequest; + output: CreateChannelResponse; + }; + sdk: { + input: CreateChannelCommandInput; + output: CreateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/CreateLiveSourceCommand.ts b/clients/client-mediatailor/src/commands/CreateLiveSourceCommand.ts index 551443e5112b..9daf2614336d 100644 --- a/clients/client-mediatailor/src/commands/CreateLiveSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/CreateLiveSourceCommand.ts @@ -102,4 +102,16 @@ export class CreateLiveSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateLiveSourceCommand) .de(de_CreateLiveSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLiveSourceRequest; + output: CreateLiveSourceResponse; + }; + sdk: { + input: CreateLiveSourceCommandInput; + output: CreateLiveSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/CreatePrefetchScheduleCommand.ts b/clients/client-mediatailor/src/commands/CreatePrefetchScheduleCommand.ts index 5fb034c8ea53..c5648a088cb7 100644 --- a/clients/client-mediatailor/src/commands/CreatePrefetchScheduleCommand.ts +++ b/clients/client-mediatailor/src/commands/CreatePrefetchScheduleCommand.ts @@ -116,4 +116,16 @@ export class CreatePrefetchScheduleCommand extends $Command .f(void 0, void 0) .ser(se_CreatePrefetchScheduleCommand) .de(de_CreatePrefetchScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePrefetchScheduleRequest; + output: CreatePrefetchScheduleResponse; + }; + sdk: { + input: CreatePrefetchScheduleCommandInput; + output: CreatePrefetchScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/CreateProgramCommand.ts b/clients/client-mediatailor/src/commands/CreateProgramCommand.ts index 1f959027f126..2b08d8543892 100644 --- a/clients/client-mediatailor/src/commands/CreateProgramCommand.ts +++ b/clients/client-mediatailor/src/commands/CreateProgramCommand.ts @@ -286,4 +286,16 @@ export class CreateProgramCommand extends $Command .f(void 0, void 0) .ser(se_CreateProgramCommand) .de(de_CreateProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProgramRequest; + output: CreateProgramResponse; + }; + sdk: { + input: CreateProgramCommandInput; + output: CreateProgramCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/CreateSourceLocationCommand.ts b/clients/client-mediatailor/src/commands/CreateSourceLocationCommand.ts index f6e7a2e8ce88..1f2e9f8c8279 100644 --- a/clients/client-mediatailor/src/commands/CreateSourceLocationCommand.ts +++ b/clients/client-mediatailor/src/commands/CreateSourceLocationCommand.ts @@ -126,4 +126,16 @@ export class CreateSourceLocationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSourceLocationCommand) .de(de_CreateSourceLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSourceLocationRequest; + output: CreateSourceLocationResponse; + }; + sdk: { + input: CreateSourceLocationCommandInput; + output: CreateSourceLocationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/CreateVodSourceCommand.ts b/clients/client-mediatailor/src/commands/CreateVodSourceCommand.ts index 8fee735fae0f..567866c6861f 100644 --- a/clients/client-mediatailor/src/commands/CreateVodSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/CreateVodSourceCommand.ts @@ -102,4 +102,16 @@ export class CreateVodSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateVodSourceCommand) .de(de_CreateVodSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVodSourceRequest; + output: CreateVodSourceResponse; + }; + sdk: { + input: CreateVodSourceCommandInput; + output: CreateVodSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeleteChannelCommand.ts b/clients/client-mediatailor/src/commands/DeleteChannelCommand.ts index efba267a8855..88ce5b967a79 100644 --- a/clients/client-mediatailor/src/commands/DeleteChannelCommand.ts +++ b/clients/client-mediatailor/src/commands/DeleteChannelCommand.ts @@ -75,4 +75,16 @@ export class DeleteChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelCommand) .de(de_DeleteChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelRequest; + output: {}; + }; + sdk: { + input: DeleteChannelCommandInput; + output: DeleteChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeleteChannelPolicyCommand.ts b/clients/client-mediatailor/src/commands/DeleteChannelPolicyCommand.ts index 3ad977e39e72..cbb4208d7cba 100644 --- a/clients/client-mediatailor/src/commands/DeleteChannelPolicyCommand.ts +++ b/clients/client-mediatailor/src/commands/DeleteChannelPolicyCommand.ts @@ -75,4 +75,16 @@ export class DeleteChannelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChannelPolicyCommand) .de(de_DeleteChannelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChannelPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteChannelPolicyCommandInput; + output: DeleteChannelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeleteLiveSourceCommand.ts b/clients/client-mediatailor/src/commands/DeleteLiveSourceCommand.ts index f73197efb246..bfbf9800530e 100644 --- a/clients/client-mediatailor/src/commands/DeleteLiveSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/DeleteLiveSourceCommand.ts @@ -76,4 +76,16 @@ export class DeleteLiveSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLiveSourceCommand) .de(de_DeleteLiveSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLiveSourceRequest; + output: {}; + }; + sdk: { + input: DeleteLiveSourceCommandInput; + output: DeleteLiveSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeletePlaybackConfigurationCommand.ts b/clients/client-mediatailor/src/commands/DeletePlaybackConfigurationCommand.ts index a7a02d782867..83ffd64d3dcd 100644 --- a/clients/client-mediatailor/src/commands/DeletePlaybackConfigurationCommand.ts +++ b/clients/client-mediatailor/src/commands/DeletePlaybackConfigurationCommand.ts @@ -80,4 +80,16 @@ export class DeletePlaybackConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlaybackConfigurationCommand) .de(de_DeletePlaybackConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlaybackConfigurationRequest; + output: {}; + }; + sdk: { + input: DeletePlaybackConfigurationCommandInput; + output: DeletePlaybackConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeletePrefetchScheduleCommand.ts b/clients/client-mediatailor/src/commands/DeletePrefetchScheduleCommand.ts index 30ef7e0df6ab..9fbdd14d086b 100644 --- a/clients/client-mediatailor/src/commands/DeletePrefetchScheduleCommand.ts +++ b/clients/client-mediatailor/src/commands/DeletePrefetchScheduleCommand.ts @@ -76,4 +76,16 @@ export class DeletePrefetchScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeletePrefetchScheduleCommand) .de(de_DeletePrefetchScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePrefetchScheduleRequest; + output: {}; + }; + sdk: { + input: DeletePrefetchScheduleCommandInput; + output: DeletePrefetchScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeleteProgramCommand.ts b/clients/client-mediatailor/src/commands/DeleteProgramCommand.ts index cff61078b440..cabb309c6b3a 100644 --- a/clients/client-mediatailor/src/commands/DeleteProgramCommand.ts +++ b/clients/client-mediatailor/src/commands/DeleteProgramCommand.ts @@ -76,4 +76,16 @@ export class DeleteProgramCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProgramCommand) .de(de_DeleteProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProgramRequest; + output: {}; + }; + sdk: { + input: DeleteProgramCommandInput; + output: DeleteProgramCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeleteSourceLocationCommand.ts b/clients/client-mediatailor/src/commands/DeleteSourceLocationCommand.ts index 34531d998e69..04e03f906964 100644 --- a/clients/client-mediatailor/src/commands/DeleteSourceLocationCommand.ts +++ b/clients/client-mediatailor/src/commands/DeleteSourceLocationCommand.ts @@ -75,4 +75,16 @@ export class DeleteSourceLocationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSourceLocationCommand) .de(de_DeleteSourceLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSourceLocationRequest; + output: {}; + }; + sdk: { + input: DeleteSourceLocationCommandInput; + output: DeleteSourceLocationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DeleteVodSourceCommand.ts b/clients/client-mediatailor/src/commands/DeleteVodSourceCommand.ts index eebcc1dae82e..76306685f3ab 100644 --- a/clients/client-mediatailor/src/commands/DeleteVodSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/DeleteVodSourceCommand.ts @@ -76,4 +76,16 @@ export class DeleteVodSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVodSourceCommand) .de(de_DeleteVodSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVodSourceRequest; + output: {}; + }; + sdk: { + input: DeleteVodSourceCommandInput; + output: DeleteVodSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DescribeChannelCommand.ts b/clients/client-mediatailor/src/commands/DescribeChannelCommand.ts index 39375d28c3f7..5c38e7837803 100644 --- a/clients/client-mediatailor/src/commands/DescribeChannelCommand.ts +++ b/clients/client-mediatailor/src/commands/DescribeChannelCommand.ts @@ -120,4 +120,16 @@ export class DescribeChannelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeChannelCommand) .de(de_DescribeChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChannelRequest; + output: DescribeChannelResponse; + }; + sdk: { + input: DescribeChannelCommandInput; + output: DescribeChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DescribeLiveSourceCommand.ts b/clients/client-mediatailor/src/commands/DescribeLiveSourceCommand.ts index d333e7316301..2fb321884bef 100644 --- a/clients/client-mediatailor/src/commands/DescribeLiveSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/DescribeLiveSourceCommand.ts @@ -92,4 +92,16 @@ export class DescribeLiveSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLiveSourceCommand) .de(de_DescribeLiveSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLiveSourceRequest; + output: DescribeLiveSourceResponse; + }; + sdk: { + input: DescribeLiveSourceCommandInput; + output: DescribeLiveSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DescribeProgramCommand.ts b/clients/client-mediatailor/src/commands/DescribeProgramCommand.ts index 32895ac759f1..a6f325dd7c0d 100644 --- a/clients/client-mediatailor/src/commands/DescribeProgramCommand.ts +++ b/clients/client-mediatailor/src/commands/DescribeProgramCommand.ts @@ -180,4 +180,16 @@ export class DescribeProgramCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProgramCommand) .de(de_DescribeProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProgramRequest; + output: DescribeProgramResponse; + }; + sdk: { + input: DescribeProgramCommandInput; + output: DescribeProgramCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DescribeSourceLocationCommand.ts b/clients/client-mediatailor/src/commands/DescribeSourceLocationCommand.ts index 24cdac866459..0e944a73c1ec 100644 --- a/clients/client-mediatailor/src/commands/DescribeSourceLocationCommand.ts +++ b/clients/client-mediatailor/src/commands/DescribeSourceLocationCommand.ts @@ -103,4 +103,16 @@ export class DescribeSourceLocationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSourceLocationCommand) .de(de_DescribeSourceLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSourceLocationRequest; + output: DescribeSourceLocationResponse; + }; + sdk: { + input: DescribeSourceLocationCommandInput; + output: DescribeSourceLocationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/DescribeVodSourceCommand.ts b/clients/client-mediatailor/src/commands/DescribeVodSourceCommand.ts index 770fb002f32e..e8e98c8fa63a 100644 --- a/clients/client-mediatailor/src/commands/DescribeVodSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/DescribeVodSourceCommand.ts @@ -97,4 +97,16 @@ export class DescribeVodSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVodSourceCommand) .de(de_DescribeVodSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVodSourceRequest; + output: DescribeVodSourceResponse; + }; + sdk: { + input: DescribeVodSourceCommandInput; + output: DescribeVodSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/GetChannelPolicyCommand.ts b/clients/client-mediatailor/src/commands/GetChannelPolicyCommand.ts index 55a1993a00e3..cc3ac78aa6aa 100644 --- a/clients/client-mediatailor/src/commands/GetChannelPolicyCommand.ts +++ b/clients/client-mediatailor/src/commands/GetChannelPolicyCommand.ts @@ -77,4 +77,16 @@ export class GetChannelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelPolicyCommand) .de(de_GetChannelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelPolicyRequest; + output: GetChannelPolicyResponse; + }; + sdk: { + input: GetChannelPolicyCommandInput; + output: GetChannelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/GetChannelScheduleCommand.ts b/clients/client-mediatailor/src/commands/GetChannelScheduleCommand.ts index 76e37a76eca1..da090fd516a9 100644 --- a/clients/client-mediatailor/src/commands/GetChannelScheduleCommand.ts +++ b/clients/client-mediatailor/src/commands/GetChannelScheduleCommand.ts @@ -105,4 +105,16 @@ export class GetChannelScheduleCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelScheduleCommand) .de(de_GetChannelScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelScheduleRequest; + output: GetChannelScheduleResponse; + }; + sdk: { + input: GetChannelScheduleCommandInput; + output: GetChannelScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/GetPlaybackConfigurationCommand.ts b/clients/client-mediatailor/src/commands/GetPlaybackConfigurationCommand.ts index a20c5306c29e..f1fa47c06170 100644 --- a/clients/client-mediatailor/src/commands/GetPlaybackConfigurationCommand.ts +++ b/clients/client-mediatailor/src/commands/GetPlaybackConfigurationCommand.ts @@ -127,4 +127,16 @@ export class GetPlaybackConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetPlaybackConfigurationCommand) .de(de_GetPlaybackConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPlaybackConfigurationRequest; + output: GetPlaybackConfigurationResponse; + }; + sdk: { + input: GetPlaybackConfigurationCommandInput; + output: GetPlaybackConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/GetPrefetchScheduleCommand.ts b/clients/client-mediatailor/src/commands/GetPrefetchScheduleCommand.ts index e787681bcd78..2b88a50f42b9 100644 --- a/clients/client-mediatailor/src/commands/GetPrefetchScheduleCommand.ts +++ b/clients/client-mediatailor/src/commands/GetPrefetchScheduleCommand.ts @@ -98,4 +98,16 @@ export class GetPrefetchScheduleCommand extends $Command .f(void 0, void 0) .ser(se_GetPrefetchScheduleCommand) .de(de_GetPrefetchScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPrefetchScheduleRequest; + output: GetPrefetchScheduleResponse; + }; + sdk: { + input: GetPrefetchScheduleCommandInput; + output: GetPrefetchScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListAlertsCommand.ts b/clients/client-mediatailor/src/commands/ListAlertsCommand.ts index 1f85f94ecd8a..3eb4959d3bde 100644 --- a/clients/client-mediatailor/src/commands/ListAlertsCommand.ts +++ b/clients/client-mediatailor/src/commands/ListAlertsCommand.ts @@ -91,4 +91,16 @@ export class ListAlertsCommand extends $Command .f(void 0, void 0) .ser(se_ListAlertsCommand) .de(de_ListAlertsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAlertsRequest; + output: ListAlertsResponse; + }; + sdk: { + input: ListAlertsCommandInput; + output: ListAlertsCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListChannelsCommand.ts b/clients/client-mediatailor/src/commands/ListChannelsCommand.ts index 1301d0dc6323..556a43886f2d 100644 --- a/clients/client-mediatailor/src/commands/ListChannelsCommand.ts +++ b/clients/client-mediatailor/src/commands/ListChannelsCommand.ts @@ -123,4 +123,16 @@ export class ListChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListChannelsCommand) .de(de_ListChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChannelsRequest; + output: ListChannelsResponse; + }; + sdk: { + input: ListChannelsCommandInput; + output: ListChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListLiveSourcesCommand.ts b/clients/client-mediatailor/src/commands/ListLiveSourcesCommand.ts index 7d2896296aef..93d072e55138 100644 --- a/clients/client-mediatailor/src/commands/ListLiveSourcesCommand.ts +++ b/clients/client-mediatailor/src/commands/ListLiveSourcesCommand.ts @@ -98,4 +98,16 @@ export class ListLiveSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListLiveSourcesCommand) .de(de_ListLiveSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLiveSourcesRequest; + output: ListLiveSourcesResponse; + }; + sdk: { + input: ListLiveSourcesCommandInput; + output: ListLiveSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListPlaybackConfigurationsCommand.ts b/clients/client-mediatailor/src/commands/ListPlaybackConfigurationsCommand.ts index 62ccf57738be..76fa981490b4 100644 --- a/clients/client-mediatailor/src/commands/ListPlaybackConfigurationsCommand.ts +++ b/clients/client-mediatailor/src/commands/ListPlaybackConfigurationsCommand.ts @@ -133,4 +133,16 @@ export class ListPlaybackConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPlaybackConfigurationsCommand) .de(de_ListPlaybackConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlaybackConfigurationsRequest; + output: ListPlaybackConfigurationsResponse; + }; + sdk: { + input: ListPlaybackConfigurationsCommandInput; + output: ListPlaybackConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListPrefetchSchedulesCommand.ts b/clients/client-mediatailor/src/commands/ListPrefetchSchedulesCommand.ts index 2f374709d5cf..ec08ed2f4d51 100644 --- a/clients/client-mediatailor/src/commands/ListPrefetchSchedulesCommand.ts +++ b/clients/client-mediatailor/src/commands/ListPrefetchSchedulesCommand.ts @@ -105,4 +105,16 @@ export class ListPrefetchSchedulesCommand extends $Command .f(void 0, void 0) .ser(se_ListPrefetchSchedulesCommand) .de(de_ListPrefetchSchedulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrefetchSchedulesRequest; + output: ListPrefetchSchedulesResponse; + }; + sdk: { + input: ListPrefetchSchedulesCommandInput; + output: ListPrefetchSchedulesCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListSourceLocationsCommand.ts b/clients/client-mediatailor/src/commands/ListSourceLocationsCommand.ts index 9a41cacf4161..b7b469b6ee56 100644 --- a/clients/client-mediatailor/src/commands/ListSourceLocationsCommand.ts +++ b/clients/client-mediatailor/src/commands/ListSourceLocationsCommand.ts @@ -109,4 +109,16 @@ export class ListSourceLocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSourceLocationsCommand) .de(de_ListSourceLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSourceLocationsRequest; + output: ListSourceLocationsResponse; + }; + sdk: { + input: ListSourceLocationsCommandInput; + output: ListSourceLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListTagsForResourceCommand.ts b/clients/client-mediatailor/src/commands/ListTagsForResourceCommand.ts index 45dc973d5048..5d160d9b6be4 100644 --- a/clients/client-mediatailor/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mediatailor/src/commands/ListTagsForResourceCommand.ts @@ -82,4 +82,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/ListVodSourcesCommand.ts b/clients/client-mediatailor/src/commands/ListVodSourcesCommand.ts index 8b0b03f30466..261f7b5ee8f7 100644 --- a/clients/client-mediatailor/src/commands/ListVodSourcesCommand.ts +++ b/clients/client-mediatailor/src/commands/ListVodSourcesCommand.ts @@ -98,4 +98,16 @@ export class ListVodSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListVodSourcesCommand) .de(de_ListVodSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVodSourcesRequest; + output: ListVodSourcesResponse; + }; + sdk: { + input: ListVodSourcesCommandInput; + output: ListVodSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/PutChannelPolicyCommand.ts b/clients/client-mediatailor/src/commands/PutChannelPolicyCommand.ts index a3835772f0a2..f67b3758414b 100644 --- a/clients/client-mediatailor/src/commands/PutChannelPolicyCommand.ts +++ b/clients/client-mediatailor/src/commands/PutChannelPolicyCommand.ts @@ -76,4 +76,16 @@ export class PutChannelPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutChannelPolicyCommand) .de(de_PutChannelPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutChannelPolicyRequest; + output: {}; + }; + sdk: { + input: PutChannelPolicyCommandInput; + output: PutChannelPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/PutPlaybackConfigurationCommand.ts b/clients/client-mediatailor/src/commands/PutPlaybackConfigurationCommand.ts index c415a1fc2ce3..5f3db1801aed 100644 --- a/clients/client-mediatailor/src/commands/PutPlaybackConfigurationCommand.ts +++ b/clients/client-mediatailor/src/commands/PutPlaybackConfigurationCommand.ts @@ -167,4 +167,16 @@ export class PutPlaybackConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutPlaybackConfigurationCommand) .de(de_PutPlaybackConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPlaybackConfigurationRequest; + output: PutPlaybackConfigurationResponse; + }; + sdk: { + input: PutPlaybackConfigurationCommandInput; + output: PutPlaybackConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/StartChannelCommand.ts b/clients/client-mediatailor/src/commands/StartChannelCommand.ts index e2ab8bdf4d34..53d649c9eba5 100644 --- a/clients/client-mediatailor/src/commands/StartChannelCommand.ts +++ b/clients/client-mediatailor/src/commands/StartChannelCommand.ts @@ -75,4 +75,16 @@ export class StartChannelCommand extends $Command .f(void 0, void 0) .ser(se_StartChannelCommand) .de(de_StartChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartChannelRequest; + output: {}; + }; + sdk: { + input: StartChannelCommandInput; + output: StartChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/StopChannelCommand.ts b/clients/client-mediatailor/src/commands/StopChannelCommand.ts index 4a8c3a3c3c39..75b8da55b4fd 100644 --- a/clients/client-mediatailor/src/commands/StopChannelCommand.ts +++ b/clients/client-mediatailor/src/commands/StopChannelCommand.ts @@ -75,4 +75,16 @@ export class StopChannelCommand extends $Command .f(void 0, void 0) .ser(se_StopChannelCommand) .de(de_StopChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopChannelRequest; + output: {}; + }; + sdk: { + input: StopChannelCommandInput; + output: StopChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/TagResourceCommand.ts b/clients/client-mediatailor/src/commands/TagResourceCommand.ts index 9100262d1480..1f30d93c8873 100644 --- a/clients/client-mediatailor/src/commands/TagResourceCommand.ts +++ b/clients/client-mediatailor/src/commands/TagResourceCommand.ts @@ -81,4 +81,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/UntagResourceCommand.ts b/clients/client-mediatailor/src/commands/UntagResourceCommand.ts index f87036b03a55..526c15dcd0f2 100644 --- a/clients/client-mediatailor/src/commands/UntagResourceCommand.ts +++ b/clients/client-mediatailor/src/commands/UntagResourceCommand.ts @@ -81,4 +81,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/UpdateChannelCommand.ts b/clients/client-mediatailor/src/commands/UpdateChannelCommand.ts index 8b53c97e1926..18116a6b1430 100644 --- a/clients/client-mediatailor/src/commands/UpdateChannelCommand.ts +++ b/clients/client-mediatailor/src/commands/UpdateChannelCommand.ts @@ -143,4 +143,16 @@ export class UpdateChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChannelCommand) .de(de_UpdateChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChannelRequest; + output: UpdateChannelResponse; + }; + sdk: { + input: UpdateChannelCommandInput; + output: UpdateChannelCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/UpdateLiveSourceCommand.ts b/clients/client-mediatailor/src/commands/UpdateLiveSourceCommand.ts index 559b0e576e51..d878f43ca6a5 100644 --- a/clients/client-mediatailor/src/commands/UpdateLiveSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/UpdateLiveSourceCommand.ts @@ -99,4 +99,16 @@ export class UpdateLiveSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLiveSourceCommand) .de(de_UpdateLiveSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLiveSourceRequest; + output: UpdateLiveSourceResponse; + }; + sdk: { + input: UpdateLiveSourceCommandInput; + output: UpdateLiveSourceCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/UpdateProgramCommand.ts b/clients/client-mediatailor/src/commands/UpdateProgramCommand.ts index 2c66f5a7e2ca..db35d266f77c 100644 --- a/clients/client-mediatailor/src/commands/UpdateProgramCommand.ts +++ b/clients/client-mediatailor/src/commands/UpdateProgramCommand.ts @@ -280,4 +280,16 @@ export class UpdateProgramCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProgramCommand) .de(de_UpdateProgramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProgramRequest; + output: UpdateProgramResponse; + }; + sdk: { + input: UpdateProgramCommandInput; + output: UpdateProgramCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/UpdateSourceLocationCommand.ts b/clients/client-mediatailor/src/commands/UpdateSourceLocationCommand.ts index 65a8e38ae3ad..e9667419dbed 100644 --- a/clients/client-mediatailor/src/commands/UpdateSourceLocationCommand.ts +++ b/clients/client-mediatailor/src/commands/UpdateSourceLocationCommand.ts @@ -123,4 +123,16 @@ export class UpdateSourceLocationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSourceLocationCommand) .de(de_UpdateSourceLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSourceLocationRequest; + output: UpdateSourceLocationResponse; + }; + sdk: { + input: UpdateSourceLocationCommandInput; + output: UpdateSourceLocationCommandOutput; + }; + }; +} diff --git a/clients/client-mediatailor/src/commands/UpdateVodSourceCommand.ts b/clients/client-mediatailor/src/commands/UpdateVodSourceCommand.ts index b7ca71872d8c..46d6b506bc8a 100644 --- a/clients/client-mediatailor/src/commands/UpdateVodSourceCommand.ts +++ b/clients/client-mediatailor/src/commands/UpdateVodSourceCommand.ts @@ -99,4 +99,16 @@ export class UpdateVodSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVodSourceCommand) .de(de_UpdateVodSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVodSourceRequest; + output: UpdateVodSourceResponse; + }; + sdk: { + input: UpdateVodSourceCommandInput; + output: UpdateVodSourceCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/package.json b/clients/client-medical-imaging/package.json index 21344a49c6fd..a53620aa4a32 100644 --- a/clients/client-medical-imaging/package.json +++ b/clients/client-medical-imaging/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-medical-imaging/src/commands/CopyImageSetCommand.ts b/clients/client-medical-imaging/src/commands/CopyImageSetCommand.ts index 5e313f33dbcf..0643de372f15 100644 --- a/clients/client-medical-imaging/src/commands/CopyImageSetCommand.ts +++ b/clients/client-medical-imaging/src/commands/CopyImageSetCommand.ts @@ -130,4 +130,16 @@ export class CopyImageSetCommand extends $Command .f(CopyImageSetRequestFilterSensitiveLog, void 0) .ser(se_CopyImageSetCommand) .de(de_CopyImageSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyImageSetRequest; + output: CopyImageSetResponse; + }; + sdk: { + input: CopyImageSetCommandInput; + output: CopyImageSetCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/CreateDatastoreCommand.ts b/clients/client-medical-imaging/src/commands/CreateDatastoreCommand.ts index de452a491e40..8ae3ca8f4a56 100644 --- a/clients/client-medical-imaging/src/commands/CreateDatastoreCommand.ts +++ b/clients/client-medical-imaging/src/commands/CreateDatastoreCommand.ts @@ -101,4 +101,16 @@ export class CreateDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatastoreCommand) .de(de_CreateDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatastoreRequest; + output: CreateDatastoreResponse; + }; + sdk: { + input: CreateDatastoreCommandInput; + output: CreateDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/DeleteDatastoreCommand.ts b/clients/client-medical-imaging/src/commands/DeleteDatastoreCommand.ts index 0709dc2c2300..3366b92a5aa3 100644 --- a/clients/client-medical-imaging/src/commands/DeleteDatastoreCommand.ts +++ b/clients/client-medical-imaging/src/commands/DeleteDatastoreCommand.ts @@ -99,4 +99,16 @@ export class DeleteDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatastoreCommand) .de(de_DeleteDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatastoreRequest; + output: DeleteDatastoreResponse; + }; + sdk: { + input: DeleteDatastoreCommandInput; + output: DeleteDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/DeleteImageSetCommand.ts b/clients/client-medical-imaging/src/commands/DeleteImageSetCommand.ts index 20809b2d4972..a49a231eafb2 100644 --- a/clients/client-medical-imaging/src/commands/DeleteImageSetCommand.ts +++ b/clients/client-medical-imaging/src/commands/DeleteImageSetCommand.ts @@ -99,4 +99,16 @@ export class DeleteImageSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImageSetCommand) .de(de_DeleteImageSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImageSetRequest; + output: DeleteImageSetResponse; + }; + sdk: { + input: DeleteImageSetCommandInput; + output: DeleteImageSetCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/GetDICOMImportJobCommand.ts b/clients/client-medical-imaging/src/commands/GetDICOMImportJobCommand.ts index 27e0443a714e..f6b3bd2b164e 100644 --- a/clients/client-medical-imaging/src/commands/GetDICOMImportJobCommand.ts +++ b/clients/client-medical-imaging/src/commands/GetDICOMImportJobCommand.ts @@ -113,4 +113,16 @@ export class GetDICOMImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetDICOMImportJobCommand) .de(de_GetDICOMImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDICOMImportJobRequest; + output: GetDICOMImportJobResponse; + }; + sdk: { + input: GetDICOMImportJobCommandInput; + output: GetDICOMImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/GetDatastoreCommand.ts b/clients/client-medical-imaging/src/commands/GetDatastoreCommand.ts index 72f6c31540fe..a88e90066d22 100644 --- a/clients/client-medical-imaging/src/commands/GetDatastoreCommand.ts +++ b/clients/client-medical-imaging/src/commands/GetDatastoreCommand.ts @@ -100,4 +100,16 @@ export class GetDatastoreCommand extends $Command .f(void 0, void 0) .ser(se_GetDatastoreCommand) .de(de_GetDatastoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDatastoreRequest; + output: GetDatastoreResponse; + }; + sdk: { + input: GetDatastoreCommandInput; + output: GetDatastoreCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/GetImageFrameCommand.ts b/clients/client-medical-imaging/src/commands/GetImageFrameCommand.ts index 3b27d80de485..659720920ce1 100644 --- a/clients/client-medical-imaging/src/commands/GetImageFrameCommand.ts +++ b/clients/client-medical-imaging/src/commands/GetImageFrameCommand.ts @@ -106,4 +106,16 @@ export class GetImageFrameCommand extends $Command .f(void 0, GetImageFrameResponseFilterSensitiveLog) .ser(se_GetImageFrameCommand) .de(de_GetImageFrameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImageFrameRequest; + output: GetImageFrameResponse; + }; + sdk: { + input: GetImageFrameCommandInput; + output: GetImageFrameCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/GetImageSetCommand.ts b/clients/client-medical-imaging/src/commands/GetImageSetCommand.ts index d307151fcf68..9376c96bcfb7 100644 --- a/clients/client-medical-imaging/src/commands/GetImageSetCommand.ts +++ b/clients/client-medical-imaging/src/commands/GetImageSetCommand.ts @@ -109,4 +109,16 @@ export class GetImageSetCommand extends $Command .f(void 0, void 0) .ser(se_GetImageSetCommand) .de(de_GetImageSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImageSetRequest; + output: GetImageSetResponse; + }; + sdk: { + input: GetImageSetCommandInput; + output: GetImageSetCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/GetImageSetMetadataCommand.ts b/clients/client-medical-imaging/src/commands/GetImageSetMetadataCommand.ts index a964a7353033..7b303f508b5e 100644 --- a/clients/client-medical-imaging/src/commands/GetImageSetMetadataCommand.ts +++ b/clients/client-medical-imaging/src/commands/GetImageSetMetadataCommand.ts @@ -107,4 +107,16 @@ export class GetImageSetMetadataCommand extends $Command .f(void 0, GetImageSetMetadataResponseFilterSensitiveLog) .ser(se_GetImageSetMetadataCommand) .de(de_GetImageSetMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImageSetMetadataRequest; + output: GetImageSetMetadataResponse; + }; + sdk: { + input: GetImageSetMetadataCommandInput; + output: GetImageSetMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/ListDICOMImportJobsCommand.ts b/clients/client-medical-imaging/src/commands/ListDICOMImportJobsCommand.ts index d61a94c83950..3536e79b4739 100644 --- a/clients/client-medical-imaging/src/commands/ListDICOMImportJobsCommand.ts +++ b/clients/client-medical-imaging/src/commands/ListDICOMImportJobsCommand.ts @@ -110,4 +110,16 @@ export class ListDICOMImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDICOMImportJobsCommand) .de(de_ListDICOMImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDICOMImportJobsRequest; + output: ListDICOMImportJobsResponse; + }; + sdk: { + input: ListDICOMImportJobsCommandInput; + output: ListDICOMImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/ListDatastoresCommand.ts b/clients/client-medical-imaging/src/commands/ListDatastoresCommand.ts index 75472a1e066a..88144c57b96c 100644 --- a/clients/client-medical-imaging/src/commands/ListDatastoresCommand.ts +++ b/clients/client-medical-imaging/src/commands/ListDatastoresCommand.ts @@ -101,4 +101,16 @@ export class ListDatastoresCommand extends $Command .f(void 0, void 0) .ser(se_ListDatastoresCommand) .de(de_ListDatastoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatastoresRequest; + output: ListDatastoresResponse; + }; + sdk: { + input: ListDatastoresCommandInput; + output: ListDatastoresCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/ListImageSetVersionsCommand.ts b/clients/client-medical-imaging/src/commands/ListImageSetVersionsCommand.ts index ed4fd2a0a104..7582c95b5460 100644 --- a/clients/client-medical-imaging/src/commands/ListImageSetVersionsCommand.ts +++ b/clients/client-medical-imaging/src/commands/ListImageSetVersionsCommand.ts @@ -113,4 +113,16 @@ export class ListImageSetVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListImageSetVersionsCommand) .de(de_ListImageSetVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImageSetVersionsRequest; + output: ListImageSetVersionsResponse; + }; + sdk: { + input: ListImageSetVersionsCommandInput; + output: ListImageSetVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/ListTagsForResourceCommand.ts b/clients/client-medical-imaging/src/commands/ListTagsForResourceCommand.ts index 81faa9e9494c..7e96afecf3fa 100644 --- a/clients/client-medical-imaging/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-medical-imaging/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/SearchImageSetsCommand.ts b/clients/client-medical-imaging/src/commands/SearchImageSetsCommand.ts index d122b426763d..8506138ab123 100644 --- a/clients/client-medical-imaging/src/commands/SearchImageSetsCommand.ts +++ b/clients/client-medical-imaging/src/commands/SearchImageSetsCommand.ts @@ -166,4 +166,16 @@ export class SearchImageSetsCommand extends $Command .f(SearchImageSetsRequestFilterSensitiveLog, SearchImageSetsResponseFilterSensitiveLog) .ser(se_SearchImageSetsCommand) .de(de_SearchImageSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchImageSetsRequest; + output: SearchImageSetsResponse; + }; + sdk: { + input: SearchImageSetsCommandInput; + output: SearchImageSetsCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/StartDICOMImportJobCommand.ts b/clients/client-medical-imaging/src/commands/StartDICOMImportJobCommand.ts index 40045c4f7234..d25e160881ed 100644 --- a/clients/client-medical-imaging/src/commands/StartDICOMImportJobCommand.ts +++ b/clients/client-medical-imaging/src/commands/StartDICOMImportJobCommand.ts @@ -109,4 +109,16 @@ export class StartDICOMImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartDICOMImportJobCommand) .de(de_StartDICOMImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDICOMImportJobRequest; + output: StartDICOMImportJobResponse; + }; + sdk: { + input: StartDICOMImportJobCommandInput; + output: StartDICOMImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/TagResourceCommand.ts b/clients/client-medical-imaging/src/commands/TagResourceCommand.ts index b1911b44276b..73b1989eae2f 100644 --- a/clients/client-medical-imaging/src/commands/TagResourceCommand.ts +++ b/clients/client-medical-imaging/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/UntagResourceCommand.ts b/clients/client-medical-imaging/src/commands/UntagResourceCommand.ts index 2c3266674034..8eb495d9ed55 100644 --- a/clients/client-medical-imaging/src/commands/UntagResourceCommand.ts +++ b/clients/client-medical-imaging/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-medical-imaging/src/commands/UpdateImageSetMetadataCommand.ts b/clients/client-medical-imaging/src/commands/UpdateImageSetMetadataCommand.ts index dab8ca57aa80..199b35806876 100644 --- a/clients/client-medical-imaging/src/commands/UpdateImageSetMetadataCommand.ts +++ b/clients/client-medical-imaging/src/commands/UpdateImageSetMetadataCommand.ts @@ -119,4 +119,16 @@ export class UpdateImageSetMetadataCommand extends $Command .f(UpdateImageSetMetadataRequestFilterSensitiveLog, void 0) .ser(se_UpdateImageSetMetadataCommand) .de(de_UpdateImageSetMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateImageSetMetadataRequest; + output: UpdateImageSetMetadataResponse; + }; + sdk: { + input: UpdateImageSetMetadataCommandInput; + output: UpdateImageSetMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/package.json b/clients/client-memorydb/package.json index ac93136949b7..5674220395e5 100644 --- a/clients/client-memorydb/package.json +++ b/clients/client-memorydb/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-memorydb/src/commands/BatchUpdateClusterCommand.ts b/clients/client-memorydb/src/commands/BatchUpdateClusterCommand.ts index 212f85128e3a..0dcd0122e18f 100644 --- a/clients/client-memorydb/src/commands/BatchUpdateClusterCommand.ts +++ b/clients/client-memorydb/src/commands/BatchUpdateClusterCommand.ts @@ -166,4 +166,16 @@ export class BatchUpdateClusterCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateClusterCommand) .de(de_BatchUpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateClusterRequest; + output: BatchUpdateClusterResponse; + }; + sdk: { + input: BatchUpdateClusterCommandInput; + output: BatchUpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/CopySnapshotCommand.ts b/clients/client-memorydb/src/commands/CopySnapshotCommand.ts index 5b5445441f25..9a5a779d392d 100644 --- a/clients/client-memorydb/src/commands/CopySnapshotCommand.ts +++ b/clients/client-memorydb/src/commands/CopySnapshotCommand.ts @@ -143,4 +143,16 @@ export class CopySnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopySnapshotCommand) .de(de_CopySnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopySnapshotRequest; + output: CopySnapshotResponse; + }; + sdk: { + input: CopySnapshotCommandInput; + output: CopySnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/CreateACLCommand.ts b/clients/client-memorydb/src/commands/CreateACLCommand.ts index a00468741a95..241878603ff7 100644 --- a/clients/client-memorydb/src/commands/CreateACLCommand.ts +++ b/clients/client-memorydb/src/commands/CreateACLCommand.ts @@ -126,4 +126,16 @@ export class CreateACLCommand extends $Command .f(void 0, void 0) .ser(se_CreateACLCommand) .de(de_CreateACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateACLRequest; + output: CreateACLResponse; + }; + sdk: { + input: CreateACLCommandInput; + output: CreateACLCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/CreateClusterCommand.ts b/clients/client-memorydb/src/commands/CreateClusterCommand.ts index 6c6c44d63749..fea5bf9ee15f 100644 --- a/clients/client-memorydb/src/commands/CreateClusterCommand.ts +++ b/clients/client-memorydb/src/commands/CreateClusterCommand.ts @@ -224,4 +224,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/CreateParameterGroupCommand.ts b/clients/client-memorydb/src/commands/CreateParameterGroupCommand.ts index 539af3a179bf..39f97b6c5450 100644 --- a/clients/client-memorydb/src/commands/CreateParameterGroupCommand.ts +++ b/clients/client-memorydb/src/commands/CreateParameterGroupCommand.ts @@ -114,4 +114,16 @@ export class CreateParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateParameterGroupCommand) .de(de_CreateParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateParameterGroupRequest; + output: CreateParameterGroupResponse; + }; + sdk: { + input: CreateParameterGroupCommandInput; + output: CreateParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/CreateSnapshotCommand.ts b/clients/client-memorydb/src/commands/CreateSnapshotCommand.ts index 2478ce57604e..0291648190db 100644 --- a/clients/client-memorydb/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-memorydb/src/commands/CreateSnapshotCommand.ts @@ -142,4 +142,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotRequest; + output: CreateSnapshotResponse; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/CreateSubnetGroupCommand.ts b/clients/client-memorydb/src/commands/CreateSubnetGroupCommand.ts index 492b66910d0c..93a33096914b 100644 --- a/clients/client-memorydb/src/commands/CreateSubnetGroupCommand.ts +++ b/clients/client-memorydb/src/commands/CreateSubnetGroupCommand.ts @@ -124,4 +124,16 @@ export class CreateSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubnetGroupCommand) .de(de_CreateSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubnetGroupRequest; + output: CreateSubnetGroupResponse; + }; + sdk: { + input: CreateSubnetGroupCommandInput; + output: CreateSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/CreateUserCommand.ts b/clients/client-memorydb/src/commands/CreateUserCommand.ts index ba0a6afdeb46..507a26feb946 100644 --- a/clients/client-memorydb/src/commands/CreateUserCommand.ts +++ b/clients/client-memorydb/src/commands/CreateUserCommand.ts @@ -121,4 +121,16 @@ export class CreateUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DeleteACLCommand.ts b/clients/client-memorydb/src/commands/DeleteACLCommand.ts index e2ae5f295bda..0f88f0558d7f 100644 --- a/clients/client-memorydb/src/commands/DeleteACLCommand.ts +++ b/clients/client-memorydb/src/commands/DeleteACLCommand.ts @@ -105,4 +105,16 @@ export class DeleteACLCommand extends $Command .f(void 0, void 0) .ser(se_DeleteACLCommand) .de(de_DeleteACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteACLRequest; + output: DeleteACLResponse; + }; + sdk: { + input: DeleteACLCommandInput; + output: DeleteACLCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DeleteClusterCommand.ts b/clients/client-memorydb/src/commands/DeleteClusterCommand.ts index b784f74e9c70..77052ca37c90 100644 --- a/clients/client-memorydb/src/commands/DeleteClusterCommand.ts +++ b/clients/client-memorydb/src/commands/DeleteClusterCommand.ts @@ -170,4 +170,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DeleteParameterGroupCommand.ts b/clients/client-memorydb/src/commands/DeleteParameterGroupCommand.ts index ca1aafbb99ab..0d6c5878a866 100644 --- a/clients/client-memorydb/src/commands/DeleteParameterGroupCommand.ts +++ b/clients/client-memorydb/src/commands/DeleteParameterGroupCommand.ts @@ -98,4 +98,16 @@ export class DeleteParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteParameterGroupCommand) .de(de_DeleteParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteParameterGroupRequest; + output: DeleteParameterGroupResponse; + }; + sdk: { + input: DeleteParameterGroupCommandInput; + output: DeleteParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DeleteSnapshotCommand.ts b/clients/client-memorydb/src/commands/DeleteSnapshotCommand.ts index 65f32af5a23b..3bb1566b51f4 100644 --- a/clients/client-memorydb/src/commands/DeleteSnapshotCommand.ts +++ b/clients/client-memorydb/src/commands/DeleteSnapshotCommand.ts @@ -125,4 +125,16 @@ export class DeleteSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCommand) .de(de_DeleteSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotRequest; + output: DeleteSnapshotResponse; + }; + sdk: { + input: DeleteSnapshotCommandInput; + output: DeleteSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DeleteSubnetGroupCommand.ts b/clients/client-memorydb/src/commands/DeleteSubnetGroupCommand.ts index 4d20e89ffd9a..b281a21d152c 100644 --- a/clients/client-memorydb/src/commands/DeleteSubnetGroupCommand.ts +++ b/clients/client-memorydb/src/commands/DeleteSubnetGroupCommand.ts @@ -99,4 +99,16 @@ export class DeleteSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubnetGroupCommand) .de(de_DeleteSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubnetGroupRequest; + output: DeleteSubnetGroupResponse; + }; + sdk: { + input: DeleteSubnetGroupCommandInput; + output: DeleteSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DeleteUserCommand.ts b/clients/client-memorydb/src/commands/DeleteUserCommand.ts index 46e1093dab7d..e53d20e8a8b8 100644 --- a/clients/client-memorydb/src/commands/DeleteUserCommand.ts +++ b/clients/client-memorydb/src/commands/DeleteUserCommand.ts @@ -99,4 +99,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: DeleteUserResponse; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeACLsCommand.ts b/clients/client-memorydb/src/commands/DescribeACLsCommand.ts index 52de9b4b685b..127c6b949c7d 100644 --- a/clients/client-memorydb/src/commands/DescribeACLsCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeACLsCommand.ts @@ -107,4 +107,16 @@ export class DescribeACLsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeACLsCommand) .de(de_DescribeACLsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeACLsRequest; + output: DescribeACLsResponse; + }; + sdk: { + input: DescribeACLsCommandInput; + output: DescribeACLsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeClustersCommand.ts b/clients/client-memorydb/src/commands/DescribeClustersCommand.ts index 8527d840cbee..b1c1e3595cfa 100644 --- a/clients/client-memorydb/src/commands/DescribeClustersCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeClustersCommand.ts @@ -164,4 +164,16 @@ export class DescribeClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClustersCommand) .de(de_DescribeClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClustersRequest; + output: DescribeClustersResponse; + }; + sdk: { + input: DescribeClustersCommandInput; + output: DescribeClustersCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeEngineVersionsCommand.ts b/clients/client-memorydb/src/commands/DescribeEngineVersionsCommand.ts index 6e66eac1e3bc..b17c0d7f30dc 100644 --- a/clients/client-memorydb/src/commands/DescribeEngineVersionsCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeEngineVersionsCommand.ts @@ -97,4 +97,16 @@ export class DescribeEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineVersionsCommand) .de(de_DescribeEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineVersionsRequest; + output: DescribeEngineVersionsResponse; + }; + sdk: { + input: DescribeEngineVersionsCommandInput; + output: DescribeEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeEventsCommand.ts b/clients/client-memorydb/src/commands/DescribeEventsCommand.ts index 79a6252c5041..4174d1aff5eb 100644 --- a/clients/client-memorydb/src/commands/DescribeEventsCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeEventsCommand.ts @@ -102,4 +102,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsRequest; + output: DescribeEventsResponse; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeParameterGroupsCommand.ts b/clients/client-memorydb/src/commands/DescribeParameterGroupsCommand.ts index 5f316df8fe0d..2a42927c2568 100644 --- a/clients/client-memorydb/src/commands/DescribeParameterGroupsCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeParameterGroupsCommand.ts @@ -99,4 +99,16 @@ export class DescribeParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeParameterGroupsCommand) .de(de_DescribeParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeParameterGroupsRequest; + output: DescribeParameterGroupsResponse; + }; + sdk: { + input: DescribeParameterGroupsCommandInput; + output: DescribeParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeParametersCommand.ts b/clients/client-memorydb/src/commands/DescribeParametersCommand.ts index ce4d3325debf..ae9b22ef5f45 100644 --- a/clients/client-memorydb/src/commands/DescribeParametersCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeParametersCommand.ts @@ -101,4 +101,16 @@ export class DescribeParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeParametersCommand) .de(de_DescribeParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeParametersRequest; + output: DescribeParametersResponse; + }; + sdk: { + input: DescribeParametersCommandInput; + output: DescribeParametersCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeReservedNodesCommand.ts b/clients/client-memorydb/src/commands/DescribeReservedNodesCommand.ts index 0cd67a7d888d..192e54c8fcba 100644 --- a/clients/client-memorydb/src/commands/DescribeReservedNodesCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeReservedNodesCommand.ts @@ -115,4 +115,16 @@ export class DescribeReservedNodesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedNodesCommand) .de(de_DescribeReservedNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedNodesRequest; + output: DescribeReservedNodesResponse; + }; + sdk: { + input: DescribeReservedNodesCommandInput; + output: DescribeReservedNodesCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeReservedNodesOfferingsCommand.ts b/clients/client-memorydb/src/commands/DescribeReservedNodesOfferingsCommand.ts index 293b0e46615e..bb93f457bc36 100644 --- a/clients/client-memorydb/src/commands/DescribeReservedNodesOfferingsCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeReservedNodesOfferingsCommand.ts @@ -116,4 +116,16 @@ export class DescribeReservedNodesOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedNodesOfferingsCommand) .de(de_DescribeReservedNodesOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedNodesOfferingsRequest; + output: DescribeReservedNodesOfferingsResponse; + }; + sdk: { + input: DescribeReservedNodesOfferingsCommandInput; + output: DescribeReservedNodesOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeServiceUpdatesCommand.ts b/clients/client-memorydb/src/commands/DescribeServiceUpdatesCommand.ts index 670855a907fb..0cac28c4f443 100644 --- a/clients/client-memorydb/src/commands/DescribeServiceUpdatesCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeServiceUpdatesCommand.ts @@ -103,4 +103,16 @@ export class DescribeServiceUpdatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServiceUpdatesCommand) .de(de_DescribeServiceUpdatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServiceUpdatesRequest; + output: DescribeServiceUpdatesResponse; + }; + sdk: { + input: DescribeServiceUpdatesCommandInput; + output: DescribeServiceUpdatesCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeSnapshotsCommand.ts b/clients/client-memorydb/src/commands/DescribeSnapshotsCommand.ts index e8e9576bcde1..4bae9a2c02ee 100644 --- a/clients/client-memorydb/src/commands/DescribeSnapshotsCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeSnapshotsCommand.ts @@ -131,4 +131,16 @@ export class DescribeSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotsCommand) .de(de_DescribeSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotsRequest; + output: DescribeSnapshotsResponse; + }; + sdk: { + input: DescribeSnapshotsCommandInput; + output: DescribeSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeSubnetGroupsCommand.ts b/clients/client-memorydb/src/commands/DescribeSubnetGroupsCommand.ts index 1a5ad70d12f3..c931ba735cea 100644 --- a/clients/client-memorydb/src/commands/DescribeSubnetGroupsCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeSubnetGroupsCommand.ts @@ -101,4 +101,16 @@ export class DescribeSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSubnetGroupsCommand) .de(de_DescribeSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSubnetGroupsRequest; + output: DescribeSubnetGroupsResponse; + }; + sdk: { + input: DescribeSubnetGroupsCommandInput; + output: DescribeSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/DescribeUsersCommand.ts b/clients/client-memorydb/src/commands/DescribeUsersCommand.ts index 069278804c6b..4a11c61c31d0 100644 --- a/clients/client-memorydb/src/commands/DescribeUsersCommand.ts +++ b/clients/client-memorydb/src/commands/DescribeUsersCommand.ts @@ -109,4 +109,16 @@ export class DescribeUsersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUsersCommand) .de(de_DescribeUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUsersRequest; + output: DescribeUsersResponse; + }; + sdk: { + input: DescribeUsersCommandInput; + output: DescribeUsersCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/FailoverShardCommand.ts b/clients/client-memorydb/src/commands/FailoverShardCommand.ts index 504cc86afffd..1d138a486321 100644 --- a/clients/client-memorydb/src/commands/FailoverShardCommand.ts +++ b/clients/client-memorydb/src/commands/FailoverShardCommand.ts @@ -172,4 +172,16 @@ export class FailoverShardCommand extends $Command .f(void 0, void 0) .ser(se_FailoverShardCommand) .de(de_FailoverShardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverShardRequest; + output: FailoverShardResponse; + }; + sdk: { + input: FailoverShardCommandInput; + output: FailoverShardCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/ListAllowedNodeTypeUpdatesCommand.ts b/clients/client-memorydb/src/commands/ListAllowedNodeTypeUpdatesCommand.ts index 6c8b9aeb4f6f..f260de554376 100644 --- a/clients/client-memorydb/src/commands/ListAllowedNodeTypeUpdatesCommand.ts +++ b/clients/client-memorydb/src/commands/ListAllowedNodeTypeUpdatesCommand.ts @@ -96,4 +96,16 @@ export class ListAllowedNodeTypeUpdatesCommand extends $Command .f(void 0, void 0) .ser(se_ListAllowedNodeTypeUpdatesCommand) .de(de_ListAllowedNodeTypeUpdatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAllowedNodeTypeUpdatesRequest; + output: ListAllowedNodeTypeUpdatesResponse; + }; + sdk: { + input: ListAllowedNodeTypeUpdatesCommandInput; + output: ListAllowedNodeTypeUpdatesCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/ListTagsCommand.ts b/clients/client-memorydb/src/commands/ListTagsCommand.ts index d8acad560671..6df2fe8033ec 100644 --- a/clients/client-memorydb/src/commands/ListTagsCommand.ts +++ b/clients/client-memorydb/src/commands/ListTagsCommand.ts @@ -113,4 +113,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/PurchaseReservedNodesOfferingCommand.ts b/clients/client-memorydb/src/commands/PurchaseReservedNodesOfferingCommand.ts index ba8eceb43606..f23a3ab10a58 100644 --- a/clients/client-memorydb/src/commands/PurchaseReservedNodesOfferingCommand.ts +++ b/clients/client-memorydb/src/commands/PurchaseReservedNodesOfferingCommand.ts @@ -130,4 +130,16 @@ export class PurchaseReservedNodesOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseReservedNodesOfferingCommand) .de(de_PurchaseReservedNodesOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseReservedNodesOfferingRequest; + output: PurchaseReservedNodesOfferingResponse; + }; + sdk: { + input: PurchaseReservedNodesOfferingCommandInput; + output: PurchaseReservedNodesOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/ResetParameterGroupCommand.ts b/clients/client-memorydb/src/commands/ResetParameterGroupCommand.ts index 8545cd3c7ebe..f25f98f2db29 100644 --- a/clients/client-memorydb/src/commands/ResetParameterGroupCommand.ts +++ b/clients/client-memorydb/src/commands/ResetParameterGroupCommand.ts @@ -101,4 +101,16 @@ export class ResetParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetParameterGroupCommand) .de(de_ResetParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetParameterGroupRequest; + output: ResetParameterGroupResponse; + }; + sdk: { + input: ResetParameterGroupCommandInput; + output: ResetParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/TagResourceCommand.ts b/clients/client-memorydb/src/commands/TagResourceCommand.ts index a48eca2f6e70..ff93d8ef12bc 100644 --- a/clients/client-memorydb/src/commands/TagResourceCommand.ts +++ b/clients/client-memorydb/src/commands/TagResourceCommand.ts @@ -127,4 +127,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: TagResourceResponse; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/UntagResourceCommand.ts b/clients/client-memorydb/src/commands/UntagResourceCommand.ts index 767d01a775bd..dba3b8058871 100644 --- a/clients/client-memorydb/src/commands/UntagResourceCommand.ts +++ b/clients/client-memorydb/src/commands/UntagResourceCommand.ts @@ -115,4 +115,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: UntagResourceResponse; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/UpdateACLCommand.ts b/clients/client-memorydb/src/commands/UpdateACLCommand.ts index 38f65bf86432..d0d20fd2a7d3 100644 --- a/clients/client-memorydb/src/commands/UpdateACLCommand.ts +++ b/clients/client-memorydb/src/commands/UpdateACLCommand.ts @@ -123,4 +123,16 @@ export class UpdateACLCommand extends $Command .f(void 0, void 0) .ser(se_UpdateACLCommand) .de(de_UpdateACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateACLRequest; + output: UpdateACLResponse; + }; + sdk: { + input: UpdateACLCommandInput; + output: UpdateACLCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/UpdateClusterCommand.ts b/clients/client-memorydb/src/commands/UpdateClusterCommand.ts index f7b8a9f91321..a77aacd02027 100644 --- a/clients/client-memorydb/src/commands/UpdateClusterCommand.ts +++ b/clients/client-memorydb/src/commands/UpdateClusterCommand.ts @@ -213,4 +213,16 @@ export class UpdateClusterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterCommand) .de(de_UpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterRequest; + output: UpdateClusterResponse; + }; + sdk: { + input: UpdateClusterCommandInput; + output: UpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/UpdateParameterGroupCommand.ts b/clients/client-memorydb/src/commands/UpdateParameterGroupCommand.ts index b7d53eb856e0..36186e4e8ada 100644 --- a/clients/client-memorydb/src/commands/UpdateParameterGroupCommand.ts +++ b/clients/client-memorydb/src/commands/UpdateParameterGroupCommand.ts @@ -103,4 +103,16 @@ export class UpdateParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateParameterGroupCommand) .de(de_UpdateParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateParameterGroupRequest; + output: UpdateParameterGroupResponse; + }; + sdk: { + input: UpdateParameterGroupCommandInput; + output: UpdateParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/UpdateSubnetGroupCommand.ts b/clients/client-memorydb/src/commands/UpdateSubnetGroupCommand.ts index cd4ef043505f..8a7e0c2233b7 100644 --- a/clients/client-memorydb/src/commands/UpdateSubnetGroupCommand.ts +++ b/clients/client-memorydb/src/commands/UpdateSubnetGroupCommand.ts @@ -113,4 +113,16 @@ export class UpdateSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubnetGroupCommand) .de(de_UpdateSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubnetGroupRequest; + output: UpdateSubnetGroupResponse; + }; + sdk: { + input: UpdateSubnetGroupCommandInput; + output: UpdateSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-memorydb/src/commands/UpdateUserCommand.ts b/clients/client-memorydb/src/commands/UpdateUserCommand.ts index f559f3f5f6ad..0029c246fad9 100644 --- a/clients/client-memorydb/src/commands/UpdateUserCommand.ts +++ b/clients/client-memorydb/src/commands/UpdateUserCommand.ts @@ -109,4 +109,16 @@ export class UpdateUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: UpdateUserResponse; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/package.json b/clients/client-mgn/package.json index 0735ffdd6fde..4a75cb27220f 100644 --- a/clients/client-mgn/package.json +++ b/clients/client-mgn/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-mgn/src/commands/ArchiveApplicationCommand.ts b/clients/client-mgn/src/commands/ArchiveApplicationCommand.ts index 544b4f4f4250..c312020d483e 100644 --- a/clients/client-mgn/src/commands/ArchiveApplicationCommand.ts +++ b/clients/client-mgn/src/commands/ArchiveApplicationCommand.ts @@ -106,4 +106,16 @@ export class ArchiveApplicationCommand extends $Command .f(void 0, ApplicationFilterSensitiveLog) .ser(se_ArchiveApplicationCommand) .de(de_ArchiveApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ArchiveApplicationRequest; + output: Application; + }; + sdk: { + input: ArchiveApplicationCommandInput; + output: ArchiveApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ArchiveWaveCommand.ts b/clients/client-mgn/src/commands/ArchiveWaveCommand.ts index f0c94002eea1..9383d7ccd190 100644 --- a/clients/client-mgn/src/commands/ArchiveWaveCommand.ts +++ b/clients/client-mgn/src/commands/ArchiveWaveCommand.ts @@ -106,4 +106,16 @@ export class ArchiveWaveCommand extends $Command .f(void 0, WaveFilterSensitiveLog) .ser(se_ArchiveWaveCommand) .de(de_ArchiveWaveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ArchiveWaveRequest; + output: Wave; + }; + sdk: { + input: ArchiveWaveCommandInput; + output: ArchiveWaveCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/AssociateApplicationsCommand.ts b/clients/client-mgn/src/commands/AssociateApplicationsCommand.ts index 1c754076b025..fa8b30db3701 100644 --- a/clients/client-mgn/src/commands/AssociateApplicationsCommand.ts +++ b/clients/client-mgn/src/commands/AssociateApplicationsCommand.ts @@ -91,4 +91,16 @@ export class AssociateApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateApplicationsCommand) .de(de_AssociateApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateApplicationsRequest; + output: {}; + }; + sdk: { + input: AssociateApplicationsCommandInput; + output: AssociateApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/AssociateSourceServersCommand.ts b/clients/client-mgn/src/commands/AssociateSourceServersCommand.ts index 6365b68e29ab..f36f5448dc5c 100644 --- a/clients/client-mgn/src/commands/AssociateSourceServersCommand.ts +++ b/clients/client-mgn/src/commands/AssociateSourceServersCommand.ts @@ -91,4 +91,16 @@ export class AssociateSourceServersCommand extends $Command .f(void 0, void 0) .ser(se_AssociateSourceServersCommand) .de(de_AssociateSourceServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSourceServersRequest; + output: {}; + }; + sdk: { + input: AssociateSourceServersCommandInput; + output: AssociateSourceServersCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ChangeServerLifeCycleStateCommand.ts b/clients/client-mgn/src/commands/ChangeServerLifeCycleStateCommand.ts index c77070909e8a..0458c2a2ace1 100644 --- a/clients/client-mgn/src/commands/ChangeServerLifeCycleStateCommand.ts +++ b/clients/client-mgn/src/commands/ChangeServerLifeCycleStateCommand.ts @@ -208,4 +208,16 @@ export class ChangeServerLifeCycleStateCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_ChangeServerLifeCycleStateCommand) .de(de_ChangeServerLifeCycleStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangeServerLifeCycleStateRequest; + output: SourceServer; + }; + sdk: { + input: ChangeServerLifeCycleStateCommandInput; + output: ChangeServerLifeCycleStateCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/CreateApplicationCommand.ts b/clients/client-mgn/src/commands/CreateApplicationCommand.ts index f29a5b82751a..2939a037291a 100644 --- a/clients/client-mgn/src/commands/CreateApplicationCommand.ts +++ b/clients/client-mgn/src/commands/CreateApplicationCommand.ts @@ -112,4 +112,16 @@ export class CreateApplicationCommand extends $Command .f(CreateApplicationRequestFilterSensitiveLog, ApplicationFilterSensitiveLog) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: Application; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/CreateConnectorCommand.ts b/clients/client-mgn/src/commands/CreateConnectorCommand.ts index be1d71c35dce..ecde2f01cb07 100644 --- a/clients/client-mgn/src/commands/CreateConnectorCommand.ts +++ b/clients/client-mgn/src/commands/CreateConnectorCommand.ts @@ -110,4 +110,16 @@ export class CreateConnectorCommand extends $Command .f(CreateConnectorRequestFilterSensitiveLog, ConnectorFilterSensitiveLog) .ser(se_CreateConnectorCommand) .de(de_CreateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorRequest; + output: Connector; + }; + sdk: { + input: CreateConnectorCommandInput; + output: CreateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/CreateLaunchConfigurationTemplateCommand.ts b/clients/client-mgn/src/commands/CreateLaunchConfigurationTemplateCommand.ts index b9e4f3f1c423..5b92ea0dc417 100644 --- a/clients/client-mgn/src/commands/CreateLaunchConfigurationTemplateCommand.ts +++ b/clients/client-mgn/src/commands/CreateLaunchConfigurationTemplateCommand.ts @@ -199,4 +199,16 @@ export class CreateLaunchConfigurationTemplateCommand extends $Command .f(CreateLaunchConfigurationTemplateRequestFilterSensitiveLog, LaunchConfigurationTemplateFilterSensitiveLog) .ser(se_CreateLaunchConfigurationTemplateCommand) .de(de_CreateLaunchConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLaunchConfigurationTemplateRequest; + output: LaunchConfigurationTemplate; + }; + sdk: { + input: CreateLaunchConfigurationTemplateCommandInput; + output: CreateLaunchConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/CreateReplicationConfigurationTemplateCommand.ts b/clients/client-mgn/src/commands/CreateReplicationConfigurationTemplateCommand.ts index 7d3e663f3697..be669597b4c5 100644 --- a/clients/client-mgn/src/commands/CreateReplicationConfigurationTemplateCommand.ts +++ b/clients/client-mgn/src/commands/CreateReplicationConfigurationTemplateCommand.ts @@ -140,4 +140,16 @@ export class CreateReplicationConfigurationTemplateCommand extends $Command ) .ser(se_CreateReplicationConfigurationTemplateCommand) .de(de_CreateReplicationConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationConfigurationTemplateRequest; + output: ReplicationConfigurationTemplate; + }; + sdk: { + input: CreateReplicationConfigurationTemplateCommandInput; + output: CreateReplicationConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/CreateWaveCommand.ts b/clients/client-mgn/src/commands/CreateWaveCommand.ts index 6a4e96ead78e..fa5d997f6fa5 100644 --- a/clients/client-mgn/src/commands/CreateWaveCommand.ts +++ b/clients/client-mgn/src/commands/CreateWaveCommand.ts @@ -112,4 +112,16 @@ export class CreateWaveCommand extends $Command .f(CreateWaveRequestFilterSensitiveLog, WaveFilterSensitiveLog) .ser(se_CreateWaveCommand) .de(de_CreateWaveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWaveRequest; + output: Wave; + }; + sdk: { + input: CreateWaveCommandInput; + output: CreateWaveCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteApplicationCommand.ts b/clients/client-mgn/src/commands/DeleteApplicationCommand.ts index 5fc11bd6dafb..367a98e09bcc 100644 --- a/clients/client-mgn/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-mgn/src/commands/DeleteApplicationCommand.ts @@ -85,4 +85,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteConnectorCommand.ts b/clients/client-mgn/src/commands/DeleteConnectorCommand.ts index 927cbdb86cd6..9817246c1673 100644 --- a/clients/client-mgn/src/commands/DeleteConnectorCommand.ts +++ b/clients/client-mgn/src/commands/DeleteConnectorCommand.ts @@ -84,4 +84,16 @@ export class DeleteConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectorCommand) .de(de_DeleteConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectorRequest; + output: {}; + }; + sdk: { + input: DeleteConnectorCommandInput; + output: DeleteConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteJobCommand.ts b/clients/client-mgn/src/commands/DeleteJobCommand.ts index 1efa38329963..3b351fc10a2a 100644 --- a/clients/client-mgn/src/commands/DeleteJobCommand.ts +++ b/clients/client-mgn/src/commands/DeleteJobCommand.ts @@ -85,4 +85,16 @@ export class DeleteJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobCommand) .de(de_DeleteJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobRequest; + output: {}; + }; + sdk: { + input: DeleteJobCommandInput; + output: DeleteJobCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteLaunchConfigurationTemplateCommand.ts b/clients/client-mgn/src/commands/DeleteLaunchConfigurationTemplateCommand.ts index 40d425600437..f4ff0beef0ba 100644 --- a/clients/client-mgn/src/commands/DeleteLaunchConfigurationTemplateCommand.ts +++ b/clients/client-mgn/src/commands/DeleteLaunchConfigurationTemplateCommand.ts @@ -92,4 +92,16 @@ export class DeleteLaunchConfigurationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchConfigurationTemplateCommand) .de(de_DeleteLaunchConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchConfigurationTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteLaunchConfigurationTemplateCommandInput; + output: DeleteLaunchConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteReplicationConfigurationTemplateCommand.ts b/clients/client-mgn/src/commands/DeleteReplicationConfigurationTemplateCommand.ts index 69a5e48388af..45ea6aae9768 100644 --- a/clients/client-mgn/src/commands/DeleteReplicationConfigurationTemplateCommand.ts +++ b/clients/client-mgn/src/commands/DeleteReplicationConfigurationTemplateCommand.ts @@ -93,4 +93,16 @@ export class DeleteReplicationConfigurationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationConfigurationTemplateCommand) .de(de_DeleteReplicationConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationConfigurationTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteReplicationConfigurationTemplateCommandInput; + output: DeleteReplicationConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteSourceServerCommand.ts b/clients/client-mgn/src/commands/DeleteSourceServerCommand.ts index b8d5cb4ece78..4446c4472e03 100644 --- a/clients/client-mgn/src/commands/DeleteSourceServerCommand.ts +++ b/clients/client-mgn/src/commands/DeleteSourceServerCommand.ts @@ -85,4 +85,16 @@ export class DeleteSourceServerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSourceServerCommand) .de(de_DeleteSourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSourceServerRequest; + output: {}; + }; + sdk: { + input: DeleteSourceServerCommandInput; + output: DeleteSourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteVcenterClientCommand.ts b/clients/client-mgn/src/commands/DeleteVcenterClientCommand.ts index 1aada7954c98..b03ded31e2f1 100644 --- a/clients/client-mgn/src/commands/DeleteVcenterClientCommand.ts +++ b/clients/client-mgn/src/commands/DeleteVcenterClientCommand.ts @@ -84,4 +84,16 @@ export class DeleteVcenterClientCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVcenterClientCommand) .de(de_DeleteVcenterClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVcenterClientRequest; + output: {}; + }; + sdk: { + input: DeleteVcenterClientCommandInput; + output: DeleteVcenterClientCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DeleteWaveCommand.ts b/clients/client-mgn/src/commands/DeleteWaveCommand.ts index ab91fdfee198..1a2a8faa5178 100644 --- a/clients/client-mgn/src/commands/DeleteWaveCommand.ts +++ b/clients/client-mgn/src/commands/DeleteWaveCommand.ts @@ -85,4 +85,16 @@ export class DeleteWaveCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWaveCommand) .de(de_DeleteWaveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWaveRequest; + output: {}; + }; + sdk: { + input: DeleteWaveCommandInput; + output: DeleteWaveCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DescribeJobLogItemsCommand.ts b/clients/client-mgn/src/commands/DescribeJobLogItemsCommand.ts index 8ca6cc38bc93..585706de3940 100644 --- a/clients/client-mgn/src/commands/DescribeJobLogItemsCommand.ts +++ b/clients/client-mgn/src/commands/DescribeJobLogItemsCommand.ts @@ -98,4 +98,16 @@ export class DescribeJobLogItemsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobLogItemsCommand) .de(de_DescribeJobLogItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobLogItemsRequest; + output: DescribeJobLogItemsResponse; + }; + sdk: { + input: DescribeJobLogItemsCommandInput; + output: DescribeJobLogItemsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DescribeJobsCommand.ts b/clients/client-mgn/src/commands/DescribeJobsCommand.ts index ddbb25acd0ed..82251f36c692 100644 --- a/clients/client-mgn/src/commands/DescribeJobsCommand.ts +++ b/clients/client-mgn/src/commands/DescribeJobsCommand.ts @@ -143,4 +143,16 @@ export class DescribeJobsCommand extends $Command .f(void 0, DescribeJobsResponseFilterSensitiveLog) .ser(se_DescribeJobsCommand) .de(de_DescribeJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobsRequest; + output: DescribeJobsResponse; + }; + sdk: { + input: DescribeJobsCommandInput; + output: DescribeJobsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts b/clients/client-mgn/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts index 0b7398e50d38..633b78abc12d 100644 --- a/clients/client-mgn/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts +++ b/clients/client-mgn/src/commands/DescribeLaunchConfigurationTemplatesCommand.ts @@ -158,4 +158,16 @@ export class DescribeLaunchConfigurationTemplatesCommand extends $Command .f(void 0, DescribeLaunchConfigurationTemplatesResponseFilterSensitiveLog) .ser(se_DescribeLaunchConfigurationTemplatesCommand) .de(de_DescribeLaunchConfigurationTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLaunchConfigurationTemplatesRequest; + output: DescribeLaunchConfigurationTemplatesResponse; + }; + sdk: { + input: DescribeLaunchConfigurationTemplatesCommandInput; + output: DescribeLaunchConfigurationTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts b/clients/client-mgn/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts index e38465cdf426..dda0a7f0bf88 100644 --- a/clients/client-mgn/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts +++ b/clients/client-mgn/src/commands/DescribeReplicationConfigurationTemplatesCommand.ts @@ -126,4 +126,16 @@ export class DescribeReplicationConfigurationTemplatesCommand extends $Command .f(void 0, DescribeReplicationConfigurationTemplatesResponseFilterSensitiveLog) .ser(se_DescribeReplicationConfigurationTemplatesCommand) .de(de_DescribeReplicationConfigurationTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReplicationConfigurationTemplatesRequest; + output: DescribeReplicationConfigurationTemplatesResponse; + }; + sdk: { + input: DescribeReplicationConfigurationTemplatesCommandInput; + output: DescribeReplicationConfigurationTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DescribeSourceServersCommand.ts b/clients/client-mgn/src/commands/DescribeSourceServersCommand.ts index 48d0e8a02a83..e31c95ecae60 100644 --- a/clients/client-mgn/src/commands/DescribeSourceServersCommand.ts +++ b/clients/client-mgn/src/commands/DescribeSourceServersCommand.ts @@ -224,4 +224,16 @@ export class DescribeSourceServersCommand extends $Command .f(void 0, DescribeSourceServersResponseFilterSensitiveLog) .ser(se_DescribeSourceServersCommand) .de(de_DescribeSourceServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSourceServersRequest; + output: DescribeSourceServersResponse; + }; + sdk: { + input: DescribeSourceServersCommandInput; + output: DescribeSourceServersCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DescribeVcenterClientsCommand.ts b/clients/client-mgn/src/commands/DescribeVcenterClientsCommand.ts index 366802399695..03a69ceb1496 100644 --- a/clients/client-mgn/src/commands/DescribeVcenterClientsCommand.ts +++ b/clients/client-mgn/src/commands/DescribeVcenterClientsCommand.ts @@ -107,4 +107,16 @@ export class DescribeVcenterClientsCommand extends $Command .f(void 0, DescribeVcenterClientsResponseFilterSensitiveLog) .ser(se_DescribeVcenterClientsCommand) .de(de_DescribeVcenterClientsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVcenterClientsRequest; + output: DescribeVcenterClientsResponse; + }; + sdk: { + input: DescribeVcenterClientsCommandInput; + output: DescribeVcenterClientsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DisassociateApplicationsCommand.ts b/clients/client-mgn/src/commands/DisassociateApplicationsCommand.ts index 7f43fa8c7c14..e8d4e0ab0585 100644 --- a/clients/client-mgn/src/commands/DisassociateApplicationsCommand.ts +++ b/clients/client-mgn/src/commands/DisassociateApplicationsCommand.ts @@ -88,4 +88,16 @@ export class DisassociateApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateApplicationsCommand) .de(de_DisassociateApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateApplicationsRequest; + output: {}; + }; + sdk: { + input: DisassociateApplicationsCommandInput; + output: DisassociateApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DisassociateSourceServersCommand.ts b/clients/client-mgn/src/commands/DisassociateSourceServersCommand.ts index 08ac1995f44c..f71014c30781 100644 --- a/clients/client-mgn/src/commands/DisassociateSourceServersCommand.ts +++ b/clients/client-mgn/src/commands/DisassociateSourceServersCommand.ts @@ -88,4 +88,16 @@ export class DisassociateSourceServersCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateSourceServersCommand) .de(de_DisassociateSourceServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateSourceServersRequest; + output: {}; + }; + sdk: { + input: DisassociateSourceServersCommandInput; + output: DisassociateSourceServersCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/DisconnectFromServiceCommand.ts b/clients/client-mgn/src/commands/DisconnectFromServiceCommand.ts index be455f2eab03..d7c270034448 100644 --- a/clients/client-mgn/src/commands/DisconnectFromServiceCommand.ts +++ b/clients/client-mgn/src/commands/DisconnectFromServiceCommand.ts @@ -202,4 +202,16 @@ export class DisconnectFromServiceCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_DisconnectFromServiceCommand) .de(de_DisconnectFromServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisconnectFromServiceRequest; + output: SourceServer; + }; + sdk: { + input: DisconnectFromServiceCommandInput; + output: DisconnectFromServiceCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/FinalizeCutoverCommand.ts b/clients/client-mgn/src/commands/FinalizeCutoverCommand.ts index 6c45712bb45e..f255d36045d7 100644 --- a/clients/client-mgn/src/commands/FinalizeCutoverCommand.ts +++ b/clients/client-mgn/src/commands/FinalizeCutoverCommand.ts @@ -205,4 +205,16 @@ export class FinalizeCutoverCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_FinalizeCutoverCommand) .de(de_FinalizeCutoverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FinalizeCutoverRequest; + output: SourceServer; + }; + sdk: { + input: FinalizeCutoverCommandInput; + output: FinalizeCutoverCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/GetLaunchConfigurationCommand.ts b/clients/client-mgn/src/commands/GetLaunchConfigurationCommand.ts index ce1e30c1d081..815c3095f6d1 100644 --- a/clients/client-mgn/src/commands/GetLaunchConfigurationCommand.ts +++ b/clients/client-mgn/src/commands/GetLaunchConfigurationCommand.ts @@ -123,4 +123,16 @@ export class GetLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLaunchConfigurationCommand) .de(de_GetLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchConfigurationRequest; + output: LaunchConfiguration; + }; + sdk: { + input: GetLaunchConfigurationCommandInput; + output: GetLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/GetReplicationConfigurationCommand.ts b/clients/client-mgn/src/commands/GetReplicationConfigurationCommand.ts index c721b85d6c73..8fc5abfc5786 100644 --- a/clients/client-mgn/src/commands/GetReplicationConfigurationCommand.ts +++ b/clients/client-mgn/src/commands/GetReplicationConfigurationCommand.ts @@ -118,4 +118,16 @@ export class GetReplicationConfigurationCommand extends $Command .f(void 0, ReplicationConfigurationFilterSensitiveLog) .ser(se_GetReplicationConfigurationCommand) .de(de_GetReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReplicationConfigurationRequest; + output: ReplicationConfiguration; + }; + sdk: { + input: GetReplicationConfigurationCommandInput; + output: GetReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/InitializeServiceCommand.ts b/clients/client-mgn/src/commands/InitializeServiceCommand.ts index eeb105b70599..6465f678f977 100644 --- a/clients/client-mgn/src/commands/InitializeServiceCommand.ts +++ b/clients/client-mgn/src/commands/InitializeServiceCommand.ts @@ -79,4 +79,16 @@ export class InitializeServiceCommand extends $Command .f(void 0, void 0) .ser(se_InitializeServiceCommand) .de(de_InitializeServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: InitializeServiceCommandInput; + output: InitializeServiceCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListApplicationsCommand.ts b/clients/client-mgn/src/commands/ListApplicationsCommand.ts index ccfd427d55ab..25a8165dab2a 100644 --- a/clients/client-mgn/src/commands/ListApplicationsCommand.ts +++ b/clients/client-mgn/src/commands/ListApplicationsCommand.ts @@ -116,4 +116,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, ListApplicationsResponseFilterSensitiveLog) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListConnectorsCommand.ts b/clients/client-mgn/src/commands/ListConnectorsCommand.ts index f1c055358772..030570b7d6ef 100644 --- a/clients/client-mgn/src/commands/ListConnectorsCommand.ts +++ b/clients/client-mgn/src/commands/ListConnectorsCommand.ts @@ -110,4 +110,16 @@ export class ListConnectorsCommand extends $Command .f(void 0, ListConnectorsResponseFilterSensitiveLog) .ser(se_ListConnectorsCommand) .de(de_ListConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorsRequest; + output: ListConnectorsResponse; + }; + sdk: { + input: ListConnectorsCommandInput; + output: ListConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListExportErrorsCommand.ts b/clients/client-mgn/src/commands/ListExportErrorsCommand.ts index c2b3fe2d8203..718e14f01c8d 100644 --- a/clients/client-mgn/src/commands/ListExportErrorsCommand.ts +++ b/clients/client-mgn/src/commands/ListExportErrorsCommand.ts @@ -93,4 +93,16 @@ export class ListExportErrorsCommand extends $Command .f(void 0, void 0) .ser(se_ListExportErrorsCommand) .de(de_ListExportErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExportErrorsRequest; + output: ListExportErrorsResponse; + }; + sdk: { + input: ListExportErrorsCommandInput; + output: ListExportErrorsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListExportsCommand.ts b/clients/client-mgn/src/commands/ListExportsCommand.ts index 91131e0c125e..47cb2527de26 100644 --- a/clients/client-mgn/src/commands/ListExportsCommand.ts +++ b/clients/client-mgn/src/commands/ListExportsCommand.ts @@ -103,4 +103,16 @@ export class ListExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListExportsCommand) .de(de_ListExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExportsRequest; + output: ListExportsResponse; + }; + sdk: { + input: ListExportsCommandInput; + output: ListExportsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListImportErrorsCommand.ts b/clients/client-mgn/src/commands/ListImportErrorsCommand.ts index 864308569646..fc0a2263cb22 100644 --- a/clients/client-mgn/src/commands/ListImportErrorsCommand.ts +++ b/clients/client-mgn/src/commands/ListImportErrorsCommand.ts @@ -100,4 +100,16 @@ export class ListImportErrorsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportErrorsCommand) .de(de_ListImportErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportErrorsRequest; + output: ListImportErrorsResponse; + }; + sdk: { + input: ListImportErrorsCommandInput; + output: ListImportErrorsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListImportsCommand.ts b/clients/client-mgn/src/commands/ListImportsCommand.ts index c98ed5ff8dca..7848250e0932 100644 --- a/clients/client-mgn/src/commands/ListImportsCommand.ts +++ b/clients/client-mgn/src/commands/ListImportsCommand.ts @@ -117,4 +117,16 @@ export class ListImportsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportsCommand) .de(de_ListImportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportsRequest; + output: ListImportsResponse; + }; + sdk: { + input: ListImportsCommandInput; + output: ListImportsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListManagedAccountsCommand.ts b/clients/client-mgn/src/commands/ListManagedAccountsCommand.ts index 8ea1cffbf133..33c85d59bb7e 100644 --- a/clients/client-mgn/src/commands/ListManagedAccountsCommand.ts +++ b/clients/client-mgn/src/commands/ListManagedAccountsCommand.ts @@ -89,4 +89,16 @@ export class ListManagedAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedAccountsCommand) .de(de_ListManagedAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedAccountsRequest; + output: ListManagedAccountsResponse; + }; + sdk: { + input: ListManagedAccountsCommandInput; + output: ListManagedAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListSourceServerActionsCommand.ts b/clients/client-mgn/src/commands/ListSourceServerActionsCommand.ts index 7ae5c381fb81..cb61b68a00c0 100644 --- a/clients/client-mgn/src/commands/ListSourceServerActionsCommand.ts +++ b/clients/client-mgn/src/commands/ListSourceServerActionsCommand.ts @@ -118,4 +118,16 @@ export class ListSourceServerActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSourceServerActionsCommand) .de(de_ListSourceServerActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSourceServerActionsRequest; + output: ListSourceServerActionsResponse; + }; + sdk: { + input: ListSourceServerActionsCommandInput; + output: ListSourceServerActionsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListTagsForResourceCommand.ts b/clients/client-mgn/src/commands/ListTagsForResourceCommand.ts index cc533777a19f..55cc713246c3 100644 --- a/clients/client-mgn/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mgn/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListTemplateActionsCommand.ts b/clients/client-mgn/src/commands/ListTemplateActionsCommand.ts index 9eb83f3cf50f..85ebdd4a8780 100644 --- a/clients/client-mgn/src/commands/ListTemplateActionsCommand.ts +++ b/clients/client-mgn/src/commands/ListTemplateActionsCommand.ts @@ -118,4 +118,16 @@ export class ListTemplateActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateActionsCommand) .de(de_ListTemplateActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateActionsRequest; + output: ListTemplateActionsResponse; + }; + sdk: { + input: ListTemplateActionsCommandInput; + output: ListTemplateActionsCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ListWavesCommand.ts b/clients/client-mgn/src/commands/ListWavesCommand.ts index 232a30189414..c7ed90bfa9e4 100644 --- a/clients/client-mgn/src/commands/ListWavesCommand.ts +++ b/clients/client-mgn/src/commands/ListWavesCommand.ts @@ -109,4 +109,16 @@ export class ListWavesCommand extends $Command .f(void 0, ListWavesResponseFilterSensitiveLog) .ser(se_ListWavesCommand) .de(de_ListWavesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWavesRequest; + output: ListWavesResponse; + }; + sdk: { + input: ListWavesCommandInput; + output: ListWavesCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/MarkAsArchivedCommand.ts b/clients/client-mgn/src/commands/MarkAsArchivedCommand.ts index a74667c199d1..8763b9fafbbd 100644 --- a/clients/client-mgn/src/commands/MarkAsArchivedCommand.ts +++ b/clients/client-mgn/src/commands/MarkAsArchivedCommand.ts @@ -202,4 +202,16 @@ export class MarkAsArchivedCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_MarkAsArchivedCommand) .de(de_MarkAsArchivedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MarkAsArchivedRequest; + output: SourceServer; + }; + sdk: { + input: MarkAsArchivedCommandInput; + output: MarkAsArchivedCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/PauseReplicationCommand.ts b/clients/client-mgn/src/commands/PauseReplicationCommand.ts index 0de3afe0ef60..1ba05984f56b 100644 --- a/clients/client-mgn/src/commands/PauseReplicationCommand.ts +++ b/clients/client-mgn/src/commands/PauseReplicationCommand.ts @@ -208,4 +208,16 @@ export class PauseReplicationCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_PauseReplicationCommand) .de(de_PauseReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PauseReplicationRequest; + output: SourceServer; + }; + sdk: { + input: PauseReplicationCommandInput; + output: PauseReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/PutSourceServerActionCommand.ts b/clients/client-mgn/src/commands/PutSourceServerActionCommand.ts index ed9668a0ca26..d141f30840a3 100644 --- a/clients/client-mgn/src/commands/PutSourceServerActionCommand.ts +++ b/clients/client-mgn/src/commands/PutSourceServerActionCommand.ts @@ -135,4 +135,16 @@ export class PutSourceServerActionCommand extends $Command .f(void 0, void 0) .ser(se_PutSourceServerActionCommand) .de(de_PutSourceServerActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSourceServerActionRequest; + output: SourceServerActionDocument; + }; + sdk: { + input: PutSourceServerActionCommandInput; + output: PutSourceServerActionCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/PutTemplateActionCommand.ts b/clients/client-mgn/src/commands/PutTemplateActionCommand.ts index 15cb5cad7e10..4a7161f4f6b7 100644 --- a/clients/client-mgn/src/commands/PutTemplateActionCommand.ts +++ b/clients/client-mgn/src/commands/PutTemplateActionCommand.ts @@ -136,4 +136,16 @@ export class PutTemplateActionCommand extends $Command .f(void 0, void 0) .ser(se_PutTemplateActionCommand) .de(de_PutTemplateActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutTemplateActionRequest; + output: TemplateActionDocument; + }; + sdk: { + input: PutTemplateActionCommandInput; + output: PutTemplateActionCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/RemoveSourceServerActionCommand.ts b/clients/client-mgn/src/commands/RemoveSourceServerActionCommand.ts index 9602f241a7e3..d36f891b52ea 100644 --- a/clients/client-mgn/src/commands/RemoveSourceServerActionCommand.ts +++ b/clients/client-mgn/src/commands/RemoveSourceServerActionCommand.ts @@ -86,4 +86,16 @@ export class RemoveSourceServerActionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveSourceServerActionCommand) .de(de_RemoveSourceServerActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveSourceServerActionRequest; + output: {}; + }; + sdk: { + input: RemoveSourceServerActionCommandInput; + output: RemoveSourceServerActionCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/RemoveTemplateActionCommand.ts b/clients/client-mgn/src/commands/RemoveTemplateActionCommand.ts index f568bd046d79..af8221823da6 100644 --- a/clients/client-mgn/src/commands/RemoveTemplateActionCommand.ts +++ b/clients/client-mgn/src/commands/RemoveTemplateActionCommand.ts @@ -85,4 +85,16 @@ export class RemoveTemplateActionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTemplateActionCommand) .de(de_RemoveTemplateActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTemplateActionRequest; + output: {}; + }; + sdk: { + input: RemoveTemplateActionCommandInput; + output: RemoveTemplateActionCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/ResumeReplicationCommand.ts b/clients/client-mgn/src/commands/ResumeReplicationCommand.ts index 6a471d4fc73e..592576527104 100644 --- a/clients/client-mgn/src/commands/ResumeReplicationCommand.ts +++ b/clients/client-mgn/src/commands/ResumeReplicationCommand.ts @@ -208,4 +208,16 @@ export class ResumeReplicationCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_ResumeReplicationCommand) .de(de_ResumeReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeReplicationRequest; + output: SourceServer; + }; + sdk: { + input: ResumeReplicationCommandInput; + output: ResumeReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/RetryDataReplicationCommand.ts b/clients/client-mgn/src/commands/RetryDataReplicationCommand.ts index 3c33924a8c1a..4d505dd7cdd8 100644 --- a/clients/client-mgn/src/commands/RetryDataReplicationCommand.ts +++ b/clients/client-mgn/src/commands/RetryDataReplicationCommand.ts @@ -202,4 +202,16 @@ export class RetryDataReplicationCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_RetryDataReplicationCommand) .de(de_RetryDataReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetryDataReplicationRequest; + output: SourceServer; + }; + sdk: { + input: RetryDataReplicationCommandInput; + output: RetryDataReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/StartCutoverCommand.ts b/clients/client-mgn/src/commands/StartCutoverCommand.ts index 5c03591da5cf..04d60d51c0f8 100644 --- a/clients/client-mgn/src/commands/StartCutoverCommand.ts +++ b/clients/client-mgn/src/commands/StartCutoverCommand.ts @@ -145,4 +145,16 @@ export class StartCutoverCommand extends $Command .f(StartCutoverRequestFilterSensitiveLog, StartCutoverResponseFilterSensitiveLog) .ser(se_StartCutoverCommand) .de(de_StartCutoverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCutoverRequest; + output: StartCutoverResponse; + }; + sdk: { + input: StartCutoverCommandInput; + output: StartCutoverCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/StartExportCommand.ts b/clients/client-mgn/src/commands/StartExportCommand.ts index 721538f4f3dd..dfd3b640a900 100644 --- a/clients/client-mgn/src/commands/StartExportCommand.ts +++ b/clients/client-mgn/src/commands/StartExportCommand.ts @@ -102,4 +102,16 @@ export class StartExportCommand extends $Command .f(void 0, void 0) .ser(se_StartExportCommand) .de(de_StartExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExportRequest; + output: StartExportResponse; + }; + sdk: { + input: StartExportCommandInput; + output: StartExportCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/StartImportCommand.ts b/clients/client-mgn/src/commands/StartImportCommand.ts index e6e9545e0534..ca982118eaf4 100644 --- a/clients/client-mgn/src/commands/StartImportCommand.ts +++ b/clients/client-mgn/src/commands/StartImportCommand.ts @@ -122,4 +122,16 @@ export class StartImportCommand extends $Command .f(void 0, void 0) .ser(se_StartImportCommand) .de(de_StartImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportRequest; + output: StartImportResponse; + }; + sdk: { + input: StartImportCommandInput; + output: StartImportCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/StartReplicationCommand.ts b/clients/client-mgn/src/commands/StartReplicationCommand.ts index e3aad2b06bb7..f9282cb37eb8 100644 --- a/clients/client-mgn/src/commands/StartReplicationCommand.ts +++ b/clients/client-mgn/src/commands/StartReplicationCommand.ts @@ -208,4 +208,16 @@ export class StartReplicationCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_StartReplicationCommand) .de(de_StartReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReplicationRequest; + output: SourceServer; + }; + sdk: { + input: StartReplicationCommandInput; + output: StartReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/StartTestCommand.ts b/clients/client-mgn/src/commands/StartTestCommand.ts index d96c54e5834c..ed4dcef84fd3 100644 --- a/clients/client-mgn/src/commands/StartTestCommand.ts +++ b/clients/client-mgn/src/commands/StartTestCommand.ts @@ -145,4 +145,16 @@ export class StartTestCommand extends $Command .f(StartTestRequestFilterSensitiveLog, StartTestResponseFilterSensitiveLog) .ser(se_StartTestCommand) .de(de_StartTestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTestRequest; + output: StartTestResponse; + }; + sdk: { + input: StartTestCommandInput; + output: StartTestCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/StopReplicationCommand.ts b/clients/client-mgn/src/commands/StopReplicationCommand.ts index 114bc7c4d225..17e6ad3b50fd 100644 --- a/clients/client-mgn/src/commands/StopReplicationCommand.ts +++ b/clients/client-mgn/src/commands/StopReplicationCommand.ts @@ -208,4 +208,16 @@ export class StopReplicationCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_StopReplicationCommand) .de(de_StopReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopReplicationRequest; + output: SourceServer; + }; + sdk: { + input: StopReplicationCommandInput; + output: StopReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/TagResourceCommand.ts b/clients/client-mgn/src/commands/TagResourceCommand.ts index 1a151a32af5a..271ad17375be 100644 --- a/clients/client-mgn/src/commands/TagResourceCommand.ts +++ b/clients/client-mgn/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/TerminateTargetInstancesCommand.ts b/clients/client-mgn/src/commands/TerminateTargetInstancesCommand.ts index 3882ec2eeaf7..eebecf0ec32b 100644 --- a/clients/client-mgn/src/commands/TerminateTargetInstancesCommand.ts +++ b/clients/client-mgn/src/commands/TerminateTargetInstancesCommand.ts @@ -145,4 +145,16 @@ export class TerminateTargetInstancesCommand extends $Command .f(TerminateTargetInstancesRequestFilterSensitiveLog, TerminateTargetInstancesResponseFilterSensitiveLog) .ser(se_TerminateTargetInstancesCommand) .de(de_TerminateTargetInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateTargetInstancesRequest; + output: TerminateTargetInstancesResponse; + }; + sdk: { + input: TerminateTargetInstancesCommandInput; + output: TerminateTargetInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UnarchiveApplicationCommand.ts b/clients/client-mgn/src/commands/UnarchiveApplicationCommand.ts index d2562bc1bbd3..4d5a268dd941 100644 --- a/clients/client-mgn/src/commands/UnarchiveApplicationCommand.ts +++ b/clients/client-mgn/src/commands/UnarchiveApplicationCommand.ts @@ -103,4 +103,16 @@ export class UnarchiveApplicationCommand extends $Command .f(void 0, ApplicationFilterSensitiveLog) .ser(se_UnarchiveApplicationCommand) .de(de_UnarchiveApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnarchiveApplicationRequest; + output: Application; + }; + sdk: { + input: UnarchiveApplicationCommandInput; + output: UnarchiveApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UnarchiveWaveCommand.ts b/clients/client-mgn/src/commands/UnarchiveWaveCommand.ts index 5db33f678a58..8d48c0a229b8 100644 --- a/clients/client-mgn/src/commands/UnarchiveWaveCommand.ts +++ b/clients/client-mgn/src/commands/UnarchiveWaveCommand.ts @@ -103,4 +103,16 @@ export class UnarchiveWaveCommand extends $Command .f(void 0, WaveFilterSensitiveLog) .ser(se_UnarchiveWaveCommand) .de(de_UnarchiveWaveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnarchiveWaveRequest; + output: Wave; + }; + sdk: { + input: UnarchiveWaveCommandInput; + output: UnarchiveWaveCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UntagResourceCommand.ts b/clients/client-mgn/src/commands/UntagResourceCommand.ts index 77588bcf40ce..17867bfbc6d6 100644 --- a/clients/client-mgn/src/commands/UntagResourceCommand.ts +++ b/clients/client-mgn/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateApplicationCommand.ts b/clients/client-mgn/src/commands/UpdateApplicationCommand.ts index c113d2f3d3f7..bf5d34d7cb52 100644 --- a/clients/client-mgn/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-mgn/src/commands/UpdateApplicationCommand.ts @@ -105,4 +105,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, ApplicationFilterSensitiveLog) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: Application; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateConnectorCommand.ts b/clients/client-mgn/src/commands/UpdateConnectorCommand.ts index 3fe8cadf07aa..3d9f30d5f897 100644 --- a/clients/client-mgn/src/commands/UpdateConnectorCommand.ts +++ b/clients/client-mgn/src/commands/UpdateConnectorCommand.ts @@ -105,4 +105,16 @@ export class UpdateConnectorCommand extends $Command .f(void 0, ConnectorFilterSensitiveLog) .ser(se_UpdateConnectorCommand) .de(de_UpdateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectorRequest; + output: Connector; + }; + sdk: { + input: UpdateConnectorCommandInput; + output: UpdateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateLaunchConfigurationCommand.ts b/clients/client-mgn/src/commands/UpdateLaunchConfigurationCommand.ts index 9528adebe973..412f14b9a428 100644 --- a/clients/client-mgn/src/commands/UpdateLaunchConfigurationCommand.ts +++ b/clients/client-mgn/src/commands/UpdateLaunchConfigurationCommand.ts @@ -171,4 +171,16 @@ export class UpdateLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLaunchConfigurationCommand) .de(de_UpdateLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLaunchConfigurationRequest; + output: LaunchConfiguration; + }; + sdk: { + input: UpdateLaunchConfigurationCommandInput; + output: UpdateLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateLaunchConfigurationTemplateCommand.ts b/clients/client-mgn/src/commands/UpdateLaunchConfigurationTemplateCommand.ts index dff69a483a17..caaea7e00054 100644 --- a/clients/client-mgn/src/commands/UpdateLaunchConfigurationTemplateCommand.ts +++ b/clients/client-mgn/src/commands/UpdateLaunchConfigurationTemplateCommand.ts @@ -199,4 +199,16 @@ export class UpdateLaunchConfigurationTemplateCommand extends $Command .f(void 0, LaunchConfigurationTemplateFilterSensitiveLog) .ser(se_UpdateLaunchConfigurationTemplateCommand) .de(de_UpdateLaunchConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLaunchConfigurationTemplateRequest; + output: LaunchConfigurationTemplate; + }; + sdk: { + input: UpdateLaunchConfigurationTemplateCommandInput; + output: UpdateLaunchConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateReplicationConfigurationCommand.ts b/clients/client-mgn/src/commands/UpdateReplicationConfigurationCommand.ts index 785615ee54ed..b25899ed788f 100644 --- a/clients/client-mgn/src/commands/UpdateReplicationConfigurationCommand.ts +++ b/clients/client-mgn/src/commands/UpdateReplicationConfigurationCommand.ts @@ -155,4 +155,16 @@ export class UpdateReplicationConfigurationCommand extends $Command .f(UpdateReplicationConfigurationRequestFilterSensitiveLog, ReplicationConfigurationFilterSensitiveLog) .ser(se_UpdateReplicationConfigurationCommand) .de(de_UpdateReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReplicationConfigurationRequest; + output: ReplicationConfiguration; + }; + sdk: { + input: UpdateReplicationConfigurationCommandInput; + output: UpdateReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateReplicationConfigurationTemplateCommand.ts b/clients/client-mgn/src/commands/UpdateReplicationConfigurationTemplateCommand.ts index 142e4f9a5790..675703497d47 100644 --- a/clients/client-mgn/src/commands/UpdateReplicationConfigurationTemplateCommand.ts +++ b/clients/client-mgn/src/commands/UpdateReplicationConfigurationTemplateCommand.ts @@ -142,4 +142,16 @@ export class UpdateReplicationConfigurationTemplateCommand extends $Command ) .ser(se_UpdateReplicationConfigurationTemplateCommand) .de(de_UpdateReplicationConfigurationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReplicationConfigurationTemplateRequest; + output: ReplicationConfigurationTemplate; + }; + sdk: { + input: UpdateReplicationConfigurationTemplateCommandInput; + output: UpdateReplicationConfigurationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateSourceServerCommand.ts b/clients/client-mgn/src/commands/UpdateSourceServerCommand.ts index 2af39545d327..96eea03814df 100644 --- a/clients/client-mgn/src/commands/UpdateSourceServerCommand.ts +++ b/clients/client-mgn/src/commands/UpdateSourceServerCommand.ts @@ -206,4 +206,16 @@ export class UpdateSourceServerCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_UpdateSourceServerCommand) .de(de_UpdateSourceServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSourceServerRequest; + output: SourceServer; + }; + sdk: { + input: UpdateSourceServerCommandInput; + output: UpdateSourceServerCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateSourceServerReplicationTypeCommand.ts b/clients/client-mgn/src/commands/UpdateSourceServerReplicationTypeCommand.ts index 7e791f9e6074..bfa961fba659 100644 --- a/clients/client-mgn/src/commands/UpdateSourceServerReplicationTypeCommand.ts +++ b/clients/client-mgn/src/commands/UpdateSourceServerReplicationTypeCommand.ts @@ -213,4 +213,16 @@ export class UpdateSourceServerReplicationTypeCommand extends $Command .f(void 0, SourceServerFilterSensitiveLog) .ser(se_UpdateSourceServerReplicationTypeCommand) .de(de_UpdateSourceServerReplicationTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSourceServerReplicationTypeRequest; + output: SourceServer; + }; + sdk: { + input: UpdateSourceServerReplicationTypeCommandInput; + output: UpdateSourceServerReplicationTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mgn/src/commands/UpdateWaveCommand.ts b/clients/client-mgn/src/commands/UpdateWaveCommand.ts index 04e68c8cd0c5..79ae970766e3 100644 --- a/clients/client-mgn/src/commands/UpdateWaveCommand.ts +++ b/clients/client-mgn/src/commands/UpdateWaveCommand.ts @@ -105,4 +105,16 @@ export class UpdateWaveCommand extends $Command .f(void 0, WaveFilterSensitiveLog) .ser(se_UpdateWaveCommand) .de(de_UpdateWaveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWaveRequest; + output: Wave; + }; + sdk: { + input: UpdateWaveCommandInput; + output: UpdateWaveCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/package.json b/clients/client-migration-hub-refactor-spaces/package.json index 06d1b9577288..811fb74bcd1f 100644 --- a/clients/client-migration-hub-refactor-spaces/package.json +++ b/clients/client-migration-hub-refactor-spaces/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/CreateApplicationCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/CreateApplicationCommand.ts index 881c00a5899c..12839155c8cc 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/CreateApplicationCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/CreateApplicationCommand.ts @@ -144,4 +144,16 @@ export class CreateApplicationCommand extends $Command .f(CreateApplicationRequestFilterSensitiveLog, CreateApplicationResponseFilterSensitiveLog) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/CreateEnvironmentCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/CreateEnvironmentCommand.ts index b55f5d0ac287..5f07217a5871 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/CreateEnvironmentCommand.ts @@ -134,4 +134,16 @@ export class CreateEnvironmentCommand extends $Command .f(CreateEnvironmentRequestFilterSensitiveLog, CreateEnvironmentResponseFilterSensitiveLog) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentRequest; + output: CreateEnvironmentResponse; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/CreateRouteCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/CreateRouteCommand.ts index ce5543965246..567e7899a005 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/CreateRouteCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/CreateRouteCommand.ts @@ -219,4 +219,16 @@ export class CreateRouteCommand extends $Command .f(CreateRouteRequestFilterSensitiveLog, CreateRouteResponseFilterSensitiveLog) .ser(se_CreateRouteCommand) .de(de_CreateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRouteRequest; + output: CreateRouteResponse; + }; + sdk: { + input: CreateRouteCommandInput; + output: CreateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/CreateServiceCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/CreateServiceCommand.ts index 0659132292f0..58b831de6531 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/CreateServiceCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/CreateServiceCommand.ts @@ -155,4 +155,16 @@ export class CreateServiceCommand extends $Command .f(CreateServiceRequestFilterSensitiveLog, CreateServiceResponseFilterSensitiveLog) .ser(se_CreateServiceCommand) .de(de_CreateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceRequest; + output: CreateServiceResponse; + }; + sdk: { + input: CreateServiceCommandInput; + output: CreateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteApplicationCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteApplicationCommand.ts index b4f8e358b6ea..c23305350e1a 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteApplicationCommand.ts @@ -107,4 +107,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: DeleteApplicationResponse; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteEnvironmentCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteEnvironmentCommand.ts index cf857cbce335..22d943496216 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteEnvironmentCommand.ts @@ -105,4 +105,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentRequest; + output: DeleteEnvironmentResponse; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteResourcePolicyCommand.ts index b1d828a5115b..03032c84d92c 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteResourcePolicyCommand.ts @@ -95,4 +95,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteRouteCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteRouteCommand.ts index ab3c2297c92e..d446d6e94f67 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteRouteCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteRouteCommand.ts @@ -107,4 +107,16 @@ export class DeleteRouteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRouteCommand) .de(de_DeleteRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRouteRequest; + output: DeleteRouteResponse; + }; + sdk: { + input: DeleteRouteCommandInput; + output: DeleteRouteCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteServiceCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteServiceCommand.ts index 5a7636eddf54..7af537eb8143 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/DeleteServiceCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/DeleteServiceCommand.ts @@ -108,4 +108,16 @@ export class DeleteServiceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceCommand) .de(de_DeleteServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceRequest; + output: DeleteServiceResponse; + }; + sdk: { + input: DeleteServiceCommandInput; + output: DeleteServiceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/GetApplicationCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/GetApplicationCommand.ts index 93a167a6b5d8..5eee3baa9653 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/GetApplicationCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/GetApplicationCommand.ts @@ -134,4 +134,16 @@ export class GetApplicationCommand extends $Command .f(void 0, GetApplicationResponseFilterSensitiveLog) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: GetApplicationResponse; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/GetEnvironmentCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/GetEnvironmentCommand.ts index 1a7f3ede3f04..d1debc30997f 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/GetEnvironmentCommand.ts @@ -123,4 +123,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, GetEnvironmentResponseFilterSensitiveLog) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentRequest; + output: GetEnvironmentResponse; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/GetResourcePolicyCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/GetResourcePolicyCommand.ts index f4676b2531a2..c69b903acc9f 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/GetResourcePolicyCommand.ts @@ -97,4 +97,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/GetRouteCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/GetRouteCommand.ts index 5ebeb71f7751..d26e6a904e57 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/GetRouteCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/GetRouteCommand.ts @@ -131,4 +131,16 @@ export class GetRouteCommand extends $Command .f(void 0, GetRouteResponseFilterSensitiveLog) .ser(se_GetRouteCommand) .de(de_GetRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRouteRequest; + output: GetRouteResponse; + }; + sdk: { + input: GetRouteCommandInput; + output: GetRouteCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/GetServiceCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/GetServiceCommand.ts index 64bb84b7ea09..1aacf41638b8 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/GetServiceCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/GetServiceCommand.ts @@ -131,4 +131,16 @@ export class GetServiceCommand extends $Command .f(void 0, GetServiceResponseFilterSensitiveLog) .ser(se_GetServiceCommand) .de(de_GetServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceRequest; + output: GetServiceResponse; + }; + sdk: { + input: GetServiceCommandInput; + output: GetServiceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/ListApplicationsCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/ListApplicationsCommand.ts index 4c9b81503f6a..f6b3822f9c0b 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/ListApplicationsCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/ListApplicationsCommand.ts @@ -146,4 +146,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, ListApplicationsResponseFilterSensitiveLog) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentVpcsCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentVpcsCommand.ts index a5103b88499f..6b86cdd3a382 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentVpcsCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentVpcsCommand.ts @@ -113,4 +113,16 @@ export class ListEnvironmentVpcsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentVpcsCommand) .de(de_ListEnvironmentVpcsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentVpcsRequest; + output: ListEnvironmentVpcsResponse; + }; + sdk: { + input: ListEnvironmentVpcsCommandInput; + output: ListEnvironmentVpcsCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentsCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentsCommand.ts index 275733322a19..9b0c939b5cb0 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/ListEnvironmentsCommand.ts @@ -130,4 +130,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, ListEnvironmentsResponseFilterSensitiveLog) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsRequest; + output: ListEnvironmentsResponse; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/ListRoutesCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/ListRoutesCommand.ts index b0dc64e16d3d..f7c3127c99d6 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/ListRoutesCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/ListRoutesCommand.ts @@ -143,4 +143,16 @@ export class ListRoutesCommand extends $Command .f(void 0, ListRoutesResponseFilterSensitiveLog) .ser(se_ListRoutesCommand) .de(de_ListRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoutesRequest; + output: ListRoutesResponse; + }; + sdk: { + input: ListRoutesCommandInput; + output: ListRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/ListServicesCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/ListServicesCommand.ts index e6ab5fefdef6..3b1d3e2296f0 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/ListServicesCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/ListServicesCommand.ts @@ -143,4 +143,16 @@ export class ListServicesCommand extends $Command .f(void 0, ListServicesResponseFilterSensitiveLog) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesRequest; + output: ListServicesResponse; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/ListTagsForResourceCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/ListTagsForResourceCommand.ts index 354d78b13bd3..ffcb3ffacc66 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/PutResourcePolicyCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/PutResourcePolicyCommand.ts index 3b77e3a01112..37ad5cb22503 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/PutResourcePolicyCommand.ts @@ -103,4 +103,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: {}; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/TagResourceCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/TagResourceCommand.ts index 03faf76826b5..600683753ddc 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/TagResourceCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/UntagResourceCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/UntagResourceCommand.ts index 2173f386a90c..3f0c891fd5cd 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/UntagResourceCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub-refactor-spaces/src/commands/UpdateRouteCommand.ts b/clients/client-migration-hub-refactor-spaces/src/commands/UpdateRouteCommand.ts index 3a7f6bdc6339..8d73d20279e7 100644 --- a/clients/client-migration-hub-refactor-spaces/src/commands/UpdateRouteCommand.ts +++ b/clients/client-migration-hub-refactor-spaces/src/commands/UpdateRouteCommand.ts @@ -105,4 +105,16 @@ export class UpdateRouteCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRouteCommand) .de(de_UpdateRouteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRouteRequest; + output: UpdateRouteResponse; + }; + sdk: { + input: UpdateRouteCommandInput; + output: UpdateRouteCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/package.json b/clients/client-migration-hub/package.json index e2d9f3e6042c..638f92323ccf 100644 --- a/clients/client-migration-hub/package.json +++ b/clients/client-migration-hub/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-migration-hub/src/commands/AssociateCreatedArtifactCommand.ts b/clients/client-migration-hub/src/commands/AssociateCreatedArtifactCommand.ts index 49df234b04f6..041040fa13d6 100644 --- a/clients/client-migration-hub/src/commands/AssociateCreatedArtifactCommand.ts +++ b/clients/client-migration-hub/src/commands/AssociateCreatedArtifactCommand.ts @@ -132,4 +132,16 @@ export class AssociateCreatedArtifactCommand extends $Command .f(void 0, void 0) .ser(se_AssociateCreatedArtifactCommand) .de(de_AssociateCreatedArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateCreatedArtifactRequest; + output: {}; + }; + sdk: { + input: AssociateCreatedArtifactCommandInput; + output: AssociateCreatedArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/AssociateDiscoveredResourceCommand.ts b/clients/client-migration-hub/src/commands/AssociateDiscoveredResourceCommand.ts index 058044d37abe..fbce2d4a97f3 100644 --- a/clients/client-migration-hub/src/commands/AssociateDiscoveredResourceCommand.ts +++ b/clients/client-migration-hub/src/commands/AssociateDiscoveredResourceCommand.ts @@ -121,4 +121,16 @@ export class AssociateDiscoveredResourceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDiscoveredResourceCommand) .de(de_AssociateDiscoveredResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDiscoveredResourceRequest; + output: {}; + }; + sdk: { + input: AssociateDiscoveredResourceCommandInput; + output: AssociateDiscoveredResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/CreateProgressUpdateStreamCommand.ts b/clients/client-migration-hub/src/commands/CreateProgressUpdateStreamCommand.ts index b644776a98ba..f8ab40d0a404 100644 --- a/clients/client-migration-hub/src/commands/CreateProgressUpdateStreamCommand.ts +++ b/clients/client-migration-hub/src/commands/CreateProgressUpdateStreamCommand.ts @@ -109,4 +109,16 @@ export class CreateProgressUpdateStreamCommand extends $Command .f(void 0, void 0) .ser(se_CreateProgressUpdateStreamCommand) .de(de_CreateProgressUpdateStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProgressUpdateStreamRequest; + output: {}; + }; + sdk: { + input: CreateProgressUpdateStreamCommandInput; + output: CreateProgressUpdateStreamCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/DeleteProgressUpdateStreamCommand.ts b/clients/client-migration-hub/src/commands/DeleteProgressUpdateStreamCommand.ts index 365e953830a2..e5221d783834 100644 --- a/clients/client-migration-hub/src/commands/DeleteProgressUpdateStreamCommand.ts +++ b/clients/client-migration-hub/src/commands/DeleteProgressUpdateStreamCommand.ts @@ -140,4 +140,16 @@ export class DeleteProgressUpdateStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProgressUpdateStreamCommand) .de(de_DeleteProgressUpdateStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProgressUpdateStreamRequest; + output: {}; + }; + sdk: { + input: DeleteProgressUpdateStreamCommandInput; + output: DeleteProgressUpdateStreamCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/DescribeApplicationStateCommand.ts b/clients/client-migration-hub/src/commands/DescribeApplicationStateCommand.ts index ae4ae7842bec..a7aafe15f548 100644 --- a/clients/client-migration-hub/src/commands/DescribeApplicationStateCommand.ts +++ b/clients/client-migration-hub/src/commands/DescribeApplicationStateCommand.ts @@ -109,4 +109,16 @@ export class DescribeApplicationStateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationStateCommand) .de(de_DescribeApplicationStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationStateRequest; + output: DescribeApplicationStateResult; + }; + sdk: { + input: DescribeApplicationStateCommandInput; + output: DescribeApplicationStateCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/DescribeMigrationTaskCommand.ts b/clients/client-migration-hub/src/commands/DescribeMigrationTaskCommand.ts index 4a9677f58938..0cd5c3c5029e 100644 --- a/clients/client-migration-hub/src/commands/DescribeMigrationTaskCommand.ts +++ b/clients/client-migration-hub/src/commands/DescribeMigrationTaskCommand.ts @@ -119,4 +119,16 @@ export class DescribeMigrationTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMigrationTaskCommand) .de(de_DescribeMigrationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMigrationTaskRequest; + output: DescribeMigrationTaskResult; + }; + sdk: { + input: DescribeMigrationTaskCommandInput; + output: DescribeMigrationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/DisassociateCreatedArtifactCommand.ts b/clients/client-migration-hub/src/commands/DisassociateCreatedArtifactCommand.ts index 502a794596a6..0711d5a3cf6c 100644 --- a/clients/client-migration-hub/src/commands/DisassociateCreatedArtifactCommand.ts +++ b/clients/client-migration-hub/src/commands/DisassociateCreatedArtifactCommand.ts @@ -128,4 +128,16 @@ export class DisassociateCreatedArtifactCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateCreatedArtifactCommand) .de(de_DisassociateCreatedArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateCreatedArtifactRequest; + output: {}; + }; + sdk: { + input: DisassociateCreatedArtifactCommandInput; + output: DisassociateCreatedArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/DisassociateDiscoveredResourceCommand.ts b/clients/client-migration-hub/src/commands/DisassociateDiscoveredResourceCommand.ts index 93e838f94626..6417f462552b 100644 --- a/clients/client-migration-hub/src/commands/DisassociateDiscoveredResourceCommand.ts +++ b/clients/client-migration-hub/src/commands/DisassociateDiscoveredResourceCommand.ts @@ -118,4 +118,16 @@ export class DisassociateDiscoveredResourceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDiscoveredResourceCommand) .de(de_DisassociateDiscoveredResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateDiscoveredResourceRequest; + output: {}; + }; + sdk: { + input: DisassociateDiscoveredResourceCommandInput; + output: DisassociateDiscoveredResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/ImportMigrationTaskCommand.ts b/clients/client-migration-hub/src/commands/ImportMigrationTaskCommand.ts index 0f1978deffe2..0149130d1fa7 100644 --- a/clients/client-migration-hub/src/commands/ImportMigrationTaskCommand.ts +++ b/clients/client-migration-hub/src/commands/ImportMigrationTaskCommand.ts @@ -114,4 +114,16 @@ export class ImportMigrationTaskCommand extends $Command .f(void 0, void 0) .ser(se_ImportMigrationTaskCommand) .de(de_ImportMigrationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportMigrationTaskRequest; + output: {}; + }; + sdk: { + input: ImportMigrationTaskCommandInput; + output: ImportMigrationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/ListApplicationStatesCommand.ts b/clients/client-migration-hub/src/commands/ListApplicationStatesCommand.ts index 3ab9790d0267..7a7b2d732eba 100644 --- a/clients/client-migration-hub/src/commands/ListApplicationStatesCommand.ts +++ b/clients/client-migration-hub/src/commands/ListApplicationStatesCommand.ts @@ -111,4 +111,16 @@ export class ListApplicationStatesCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationStatesCommand) .de(de_ListApplicationStatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationStatesRequest; + output: ListApplicationStatesResult; + }; + sdk: { + input: ListApplicationStatesCommandInput; + output: ListApplicationStatesCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/ListCreatedArtifactsCommand.ts b/clients/client-migration-hub/src/commands/ListCreatedArtifactsCommand.ts index 07466b12df81..24946e062666 100644 --- a/clients/client-migration-hub/src/commands/ListCreatedArtifactsCommand.ts +++ b/clients/client-migration-hub/src/commands/ListCreatedArtifactsCommand.ts @@ -126,4 +126,16 @@ export class ListCreatedArtifactsCommand extends $Command .f(void 0, void 0) .ser(se_ListCreatedArtifactsCommand) .de(de_ListCreatedArtifactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCreatedArtifactsRequest; + output: ListCreatedArtifactsResult; + }; + sdk: { + input: ListCreatedArtifactsCommandInput; + output: ListCreatedArtifactsCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/ListDiscoveredResourcesCommand.ts b/clients/client-migration-hub/src/commands/ListDiscoveredResourcesCommand.ts index a2337ed973de..0fb0c587aaa9 100644 --- a/clients/client-migration-hub/src/commands/ListDiscoveredResourcesCommand.ts +++ b/clients/client-migration-hub/src/commands/ListDiscoveredResourcesCommand.ts @@ -112,4 +112,16 @@ export class ListDiscoveredResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDiscoveredResourcesCommand) .de(de_ListDiscoveredResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDiscoveredResourcesRequest; + output: ListDiscoveredResourcesResult; + }; + sdk: { + input: ListDiscoveredResourcesCommandInput; + output: ListDiscoveredResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/ListMigrationTasksCommand.ts b/clients/client-migration-hub/src/commands/ListMigrationTasksCommand.ts index f8d47ade6d3a..04509b1295d2 100644 --- a/clients/client-migration-hub/src/commands/ListMigrationTasksCommand.ts +++ b/clients/client-migration-hub/src/commands/ListMigrationTasksCommand.ts @@ -133,4 +133,16 @@ export class ListMigrationTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListMigrationTasksCommand) .de(de_ListMigrationTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMigrationTasksRequest; + output: ListMigrationTasksResult; + }; + sdk: { + input: ListMigrationTasksCommandInput; + output: ListMigrationTasksCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/ListProgressUpdateStreamsCommand.ts b/clients/client-migration-hub/src/commands/ListProgressUpdateStreamsCommand.ts index 8951ee1a8be2..d04b00e2cee2 100644 --- a/clients/client-migration-hub/src/commands/ListProgressUpdateStreamsCommand.ts +++ b/clients/client-migration-hub/src/commands/ListProgressUpdateStreamsCommand.ts @@ -104,4 +104,16 @@ export class ListProgressUpdateStreamsCommand extends $Command .f(void 0, void 0) .ser(se_ListProgressUpdateStreamsCommand) .de(de_ListProgressUpdateStreamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProgressUpdateStreamsRequest; + output: ListProgressUpdateStreamsResult; + }; + sdk: { + input: ListProgressUpdateStreamsCommandInput; + output: ListProgressUpdateStreamsCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/NotifyApplicationStateCommand.ts b/clients/client-migration-hub/src/commands/NotifyApplicationStateCommand.ts index 0b76137bff91..74323d8ee2d1 100644 --- a/clients/client-migration-hub/src/commands/NotifyApplicationStateCommand.ts +++ b/clients/client-migration-hub/src/commands/NotifyApplicationStateCommand.ts @@ -120,4 +120,16 @@ export class NotifyApplicationStateCommand extends $Command .f(void 0, void 0) .ser(se_NotifyApplicationStateCommand) .de(de_NotifyApplicationStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyApplicationStateRequest; + output: {}; + }; + sdk: { + input: NotifyApplicationStateCommandInput; + output: NotifyApplicationStateCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/NotifyMigrationTaskStateCommand.ts b/clients/client-migration-hub/src/commands/NotifyMigrationTaskStateCommand.ts index 1b7bd79d2f8e..0a00eb24dbd3 100644 --- a/clients/client-migration-hub/src/commands/NotifyMigrationTaskStateCommand.ts +++ b/clients/client-migration-hub/src/commands/NotifyMigrationTaskStateCommand.ts @@ -135,4 +135,16 @@ export class NotifyMigrationTaskStateCommand extends $Command .f(void 0, void 0) .ser(se_NotifyMigrationTaskStateCommand) .de(de_NotifyMigrationTaskStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyMigrationTaskStateRequest; + output: {}; + }; + sdk: { + input: NotifyMigrationTaskStateCommandInput; + output: NotifyMigrationTaskStateCommandOutput; + }; + }; +} diff --git a/clients/client-migration-hub/src/commands/PutResourceAttributesCommand.ts b/clients/client-migration-hub/src/commands/PutResourceAttributesCommand.ts index c0b98185229d..846b9060b3fa 100644 --- a/clients/client-migration-hub/src/commands/PutResourceAttributesCommand.ts +++ b/clients/client-migration-hub/src/commands/PutResourceAttributesCommand.ts @@ -142,4 +142,16 @@ export class PutResourceAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutResourceAttributesCommand) .de(de_PutResourceAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourceAttributesRequest; + output: {}; + }; + sdk: { + input: PutResourceAttributesCommandInput; + output: PutResourceAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhub-config/package.json b/clients/client-migrationhub-config/package.json index 283ed4636f6c..507904429ed0 100644 --- a/clients/client-migrationhub-config/package.json +++ b/clients/client-migrationhub-config/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-migrationhub-config/src/commands/CreateHomeRegionControlCommand.ts b/clients/client-migrationhub-config/src/commands/CreateHomeRegionControlCommand.ts index 4932d74a68f9..a9a991b34d91 100644 --- a/clients/client-migrationhub-config/src/commands/CreateHomeRegionControlCommand.ts +++ b/clients/client-migrationhub-config/src/commands/CreateHomeRegionControlCommand.ts @@ -116,4 +116,16 @@ export class CreateHomeRegionControlCommand extends $Command .f(void 0, void 0) .ser(se_CreateHomeRegionControlCommand) .de(de_CreateHomeRegionControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHomeRegionControlRequest; + output: CreateHomeRegionControlResult; + }; + sdk: { + input: CreateHomeRegionControlCommandInput; + output: CreateHomeRegionControlCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhub-config/src/commands/DeleteHomeRegionControlCommand.ts b/clients/client-migrationhub-config/src/commands/DeleteHomeRegionControlCommand.ts index 1cfc294799a7..9ccc87dd5ed7 100644 --- a/clients/client-migrationhub-config/src/commands/DeleteHomeRegionControlCommand.ts +++ b/clients/client-migrationhub-config/src/commands/DeleteHomeRegionControlCommand.ts @@ -97,4 +97,16 @@ export class DeleteHomeRegionControlCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHomeRegionControlCommand) .de(de_DeleteHomeRegionControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHomeRegionControlRequest; + output: {}; + }; + sdk: { + input: DeleteHomeRegionControlCommandInput; + output: DeleteHomeRegionControlCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhub-config/src/commands/DescribeHomeRegionControlsCommand.ts b/clients/client-migrationhub-config/src/commands/DescribeHomeRegionControlsCommand.ts index 7e8b6cf68f62..1e4105fe1b45 100644 --- a/clients/client-migrationhub-config/src/commands/DescribeHomeRegionControlsCommand.ts +++ b/clients/client-migrationhub-config/src/commands/DescribeHomeRegionControlsCommand.ts @@ -118,4 +118,16 @@ export class DescribeHomeRegionControlsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHomeRegionControlsCommand) .de(de_DescribeHomeRegionControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHomeRegionControlsRequest; + output: DescribeHomeRegionControlsResult; + }; + sdk: { + input: DescribeHomeRegionControlsCommandInput; + output: DescribeHomeRegionControlsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhub-config/src/commands/GetHomeRegionCommand.ts b/clients/client-migrationhub-config/src/commands/GetHomeRegionCommand.ts index 0d5d882adcde..a1c30badda63 100644 --- a/clients/client-migrationhub-config/src/commands/GetHomeRegionCommand.ts +++ b/clients/client-migrationhub-config/src/commands/GetHomeRegionCommand.ts @@ -101,4 +101,16 @@ export class GetHomeRegionCommand extends $Command .f(void 0, void 0) .ser(se_GetHomeRegionCommand) .de(de_GetHomeRegionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetHomeRegionResult; + }; + sdk: { + input: GetHomeRegionCommandInput; + output: GetHomeRegionCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/package.json b/clients/client-migrationhuborchestrator/package.json index f2f5a3797ac4..bd8ca741a9af 100644 --- a/clients/client-migrationhuborchestrator/package.json +++ b/clients/client-migrationhuborchestrator/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-migrationhuborchestrator/src/commands/CreateTemplateCommand.ts b/clients/client-migrationhuborchestrator/src/commands/CreateTemplateCommand.ts index cbb6fccfe030..6af64dd8ccb4 100644 --- a/clients/client-migrationhuborchestrator/src/commands/CreateTemplateCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/CreateTemplateCommand.ts @@ -109,4 +109,16 @@ export class CreateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateCommand) .de(de_CreateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateRequest; + output: CreateTemplateResponse; + }; + sdk: { + input: CreateTemplateCommandInput; + output: CreateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowCommand.ts b/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowCommand.ts index 3d7cf4dde637..c16a3fb1a637 100644 --- a/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowCommand.ts @@ -144,4 +144,16 @@ export class CreateWorkflowCommand extends $Command .f(CreateMigrationWorkflowRequestFilterSensitiveLog, CreateMigrationWorkflowResponseFilterSensitiveLog) .ser(se_CreateWorkflowCommand) .de(de_CreateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMigrationWorkflowRequest; + output: CreateMigrationWorkflowResponse; + }; + sdk: { + input: CreateWorkflowCommandInput; + output: CreateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepCommand.ts b/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepCommand.ts index dc3c00d487be..de2be41429e0 100644 --- a/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepCommand.ts @@ -136,4 +136,16 @@ export class CreateWorkflowStepCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkflowStepCommand) .de(de_CreateWorkflowStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkflowStepRequest; + output: CreateWorkflowStepResponse; + }; + sdk: { + input: CreateWorkflowStepCommandInput; + output: CreateWorkflowStepCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepGroupCommand.ts b/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepGroupCommand.ts index 9fb86aa21dbd..e810fb6406ab 100644 --- a/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepGroupCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/CreateWorkflowStepGroupCommand.ts @@ -117,4 +117,16 @@ export class CreateWorkflowStepGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkflowStepGroupCommand) .de(de_CreateWorkflowStepGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkflowStepGroupRequest; + output: CreateWorkflowStepGroupResponse; + }; + sdk: { + input: CreateWorkflowStepGroupCommandInput; + output: CreateWorkflowStepGroupCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/DeleteTemplateCommand.ts b/clients/client-migrationhuborchestrator/src/commands/DeleteTemplateCommand.ts index 6078a56f8622..12e1d0fb87ac 100644 --- a/clients/client-migrationhuborchestrator/src/commands/DeleteTemplateCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/DeleteTemplateCommand.ts @@ -94,4 +94,16 @@ export class DeleteTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateCommand) .de(de_DeleteTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteTemplateCommandInput; + output: DeleteTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowCommand.ts b/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowCommand.ts index 168c61b3bdd3..eebf5dbe0d26 100644 --- a/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowCommand.ts @@ -99,4 +99,16 @@ export class DeleteWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowCommand) .de(de_DeleteWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMigrationWorkflowRequest; + output: DeleteMigrationWorkflowResponse; + }; + sdk: { + input: DeleteWorkflowCommandInput; + output: DeleteWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepCommand.ts b/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepCommand.ts index f44079add01a..c0b035423cb3 100644 --- a/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepCommand.ts @@ -97,4 +97,16 @@ export class DeleteWorkflowStepCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowStepCommand) .de(de_DeleteWorkflowStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowStepRequest; + output: {}; + }; + sdk: { + input: DeleteWorkflowStepCommandInput; + output: DeleteWorkflowStepCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepGroupCommand.ts b/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepGroupCommand.ts index f6a55e886e4f..b0e31b8f6332 100644 --- a/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepGroupCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/DeleteWorkflowStepGroupCommand.ts @@ -95,4 +95,16 @@ export class DeleteWorkflowStepGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowStepGroupCommand) .de(de_DeleteWorkflowStepGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowStepGroupRequest; + output: {}; + }; + sdk: { + input: DeleteWorkflowStepGroupCommandInput; + output: DeleteWorkflowStepGroupCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/GetTemplateCommand.ts b/clients/client-migrationhuborchestrator/src/commands/GetTemplateCommand.ts index 17516e169a74..5abccad26d68 100644 --- a/clients/client-migrationhuborchestrator/src/commands/GetTemplateCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/GetTemplateCommand.ts @@ -117,4 +117,16 @@ export class GetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateCommand) .de(de_GetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMigrationWorkflowTemplateRequest; + output: GetMigrationWorkflowTemplateResponse; + }; + sdk: { + input: GetTemplateCommandInput; + output: GetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepCommand.ts b/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepCommand.ts index 19f4ff6157f5..4c7486fec821 100644 --- a/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepCommand.ts @@ -130,4 +130,16 @@ export class GetTemplateStepCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateStepCommand) .de(de_GetTemplateStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateStepRequest; + output: GetTemplateStepResponse; + }; + sdk: { + input: GetTemplateStepCommandInput; + output: GetTemplateStepCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepGroupCommand.ts b/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepGroupCommand.ts index ca53cd481ced..238da553bb6f 100644 --- a/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepGroupCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/GetTemplateStepGroupCommand.ts @@ -115,4 +115,16 @@ export class GetTemplateStepGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateStepGroupCommand) .de(de_GetTemplateStepGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateStepGroupRequest; + output: GetTemplateStepGroupResponse; + }; + sdk: { + input: GetTemplateStepGroupCommandInput; + output: GetTemplateStepGroupCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/GetWorkflowCommand.ts b/clients/client-migrationhuborchestrator/src/commands/GetWorkflowCommand.ts index 13844e7ab431..1f4fc05fc343 100644 --- a/clients/client-migrationhuborchestrator/src/commands/GetWorkflowCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/GetWorkflowCommand.ts @@ -137,4 +137,16 @@ export class GetWorkflowCommand extends $Command .f(void 0, GetMigrationWorkflowResponseFilterSensitiveLog) .ser(se_GetWorkflowCommand) .de(de_GetWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMigrationWorkflowRequest; + output: GetMigrationWorkflowResponse; + }; + sdk: { + input: GetWorkflowCommandInput; + output: GetWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepCommand.ts b/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepCommand.ts index 54f17fc135b0..8efe1afb9b50 100644 --- a/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepCommand.ts @@ -146,4 +146,16 @@ export class GetWorkflowStepCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowStepCommand) .de(de_GetWorkflowStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowStepRequest; + output: GetWorkflowStepResponse; + }; + sdk: { + input: GetWorkflowStepCommandInput; + output: GetWorkflowStepCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepGroupCommand.ts b/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepGroupCommand.ts index b77c63b7a3c7..1c1f532679b0 100644 --- a/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepGroupCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/GetWorkflowStepGroupCommand.ts @@ -117,4 +117,16 @@ export class GetWorkflowStepGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowStepGroupCommand) .de(de_GetWorkflowStepGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowStepGroupRequest; + output: GetWorkflowStepGroupResponse; + }; + sdk: { + input: GetWorkflowStepGroupCommandInput; + output: GetWorkflowStepGroupCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListPluginsCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListPluginsCommand.ts index 002268c7b142..ac643ebea484 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListPluginsCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListPluginsCommand.ts @@ -101,4 +101,16 @@ export class ListPluginsCommand extends $Command .f(void 0, void 0) .ser(se_ListPluginsCommand) .de(de_ListPluginsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPluginsRequest; + output: ListPluginsResponse; + }; + sdk: { + input: ListPluginsCommandInput; + output: ListPluginsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListTagsForResourceCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListTagsForResourceCommand.ts index 7f112de85f81..11f7a83a2362 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepGroupsCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepGroupsCommand.ts index 83a49e85272b..d43359f9afc0 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepGroupsCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepGroupsCommand.ts @@ -107,4 +107,16 @@ export class ListTemplateStepGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateStepGroupsCommand) .de(de_ListTemplateStepGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateStepGroupsRequest; + output: ListTemplateStepGroupsResponse; + }; + sdk: { + input: ListTemplateStepGroupsCommandInput; + output: ListTemplateStepGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepsCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepsCommand.ts index aa31ed17ab7d..f5230e1effb1 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepsCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListTemplateStepsCommand.ts @@ -116,4 +116,16 @@ export class ListTemplateStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateStepsCommand) .de(de_ListTemplateStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateStepsRequest; + output: ListTemplateStepsResponse; + }; + sdk: { + input: ListTemplateStepsCommandInput; + output: ListTemplateStepsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListTemplatesCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListTemplatesCommand.ts index 8ae5612925ff..d4df30bb9536 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListTemplatesCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListTemplatesCommand.ts @@ -100,4 +100,16 @@ export class ListTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplatesCommand) .de(de_ListTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMigrationWorkflowTemplatesRequest; + output: ListMigrationWorkflowTemplatesResponse; + }; + sdk: { + input: ListTemplatesCommandInput; + output: ListTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepGroupsCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepGroupsCommand.ts index 21a0a25b67b7..b20a9a01d402 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepGroupsCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepGroupsCommand.ts @@ -112,4 +112,16 @@ export class ListWorkflowStepGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowStepGroupsCommand) .de(de_ListWorkflowStepGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowStepGroupsRequest; + output: ListWorkflowStepGroupsResponse; + }; + sdk: { + input: ListWorkflowStepGroupsCommandInput; + output: ListWorkflowStepGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepsCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepsCommand.ts index b7fec4f2e63b..7944c275f929 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepsCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListWorkflowStepsCommand.ts @@ -117,4 +117,16 @@ export class ListWorkflowStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowStepsCommand) .de(de_ListWorkflowStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowStepsRequest; + output: ListWorkflowStepsResponse; + }; + sdk: { + input: ListWorkflowStepsCommandInput; + output: ListWorkflowStepsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/ListWorkflowsCommand.ts b/clients/client-migrationhuborchestrator/src/commands/ListWorkflowsCommand.ts index 47995cdc0f6b..1e0939f4773a 100644 --- a/clients/client-migrationhuborchestrator/src/commands/ListWorkflowsCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/ListWorkflowsCommand.ts @@ -115,4 +115,16 @@ export class ListWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowsCommand) .de(de_ListWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMigrationWorkflowsRequest; + output: ListMigrationWorkflowsResponse; + }; + sdk: { + input: ListWorkflowsCommandInput; + output: ListWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/RetryWorkflowStepCommand.ts b/clients/client-migrationhuborchestrator/src/commands/RetryWorkflowStepCommand.ts index 5acb70bc8df9..8e0d4d0c2bd0 100644 --- a/clients/client-migrationhuborchestrator/src/commands/RetryWorkflowStepCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/RetryWorkflowStepCommand.ts @@ -98,4 +98,16 @@ export class RetryWorkflowStepCommand extends $Command .f(void 0, void 0) .ser(se_RetryWorkflowStepCommand) .de(de_RetryWorkflowStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetryWorkflowStepRequest; + output: RetryWorkflowStepResponse; + }; + sdk: { + input: RetryWorkflowStepCommandInput; + output: RetryWorkflowStepCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/StartWorkflowCommand.ts b/clients/client-migrationhuborchestrator/src/commands/StartWorkflowCommand.ts index 148e9861181c..64d9ea7d4d78 100644 --- a/clients/client-migrationhuborchestrator/src/commands/StartWorkflowCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/StartWorkflowCommand.ts @@ -100,4 +100,16 @@ export class StartWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_StartWorkflowCommand) .de(de_StartWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMigrationWorkflowRequest; + output: StartMigrationWorkflowResponse; + }; + sdk: { + input: StartWorkflowCommandInput; + output: StartWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/StopWorkflowCommand.ts b/clients/client-migrationhuborchestrator/src/commands/StopWorkflowCommand.ts index 21c843ed49b8..8c0ef5b43bdc 100644 --- a/clients/client-migrationhuborchestrator/src/commands/StopWorkflowCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/StopWorkflowCommand.ts @@ -100,4 +100,16 @@ export class StopWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_StopWorkflowCommand) .de(de_StopWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMigrationWorkflowRequest; + output: StopMigrationWorkflowResponse; + }; + sdk: { + input: StopWorkflowCommandInput; + output: StopWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/TagResourceCommand.ts b/clients/client-migrationhuborchestrator/src/commands/TagResourceCommand.ts index 71be8e073f6e..6e238e44d90f 100644 --- a/clients/client-migrationhuborchestrator/src/commands/TagResourceCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/UntagResourceCommand.ts b/clients/client-migrationhuborchestrator/src/commands/UntagResourceCommand.ts index d36a90b6405d..5ce6efcbcf2b 100644 --- a/clients/client-migrationhuborchestrator/src/commands/UntagResourceCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/UpdateTemplateCommand.ts b/clients/client-migrationhuborchestrator/src/commands/UpdateTemplateCommand.ts index e06f7cd47a1d..78265610b906 100644 --- a/clients/client-migrationhuborchestrator/src/commands/UpdateTemplateCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/UpdateTemplateCommand.ts @@ -103,4 +103,16 @@ export class UpdateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateCommand) .de(de_UpdateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateRequest; + output: UpdateTemplateResponse; + }; + sdk: { + input: UpdateTemplateCommandInput; + output: UpdateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowCommand.ts b/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowCommand.ts index b05936ab6a2e..5b3002dc0657 100644 --- a/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowCommand.ts @@ -144,4 +144,16 @@ export class UpdateWorkflowCommand extends $Command .f(UpdateMigrationWorkflowRequestFilterSensitiveLog, UpdateMigrationWorkflowResponseFilterSensitiveLog) .ser(se_UpdateWorkflowCommand) .de(de_UpdateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMigrationWorkflowRequest; + output: UpdateMigrationWorkflowResponse; + }; + sdk: { + input: UpdateWorkflowCommandInput; + output: UpdateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepCommand.ts b/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepCommand.ts index 68d8d1c0f232..612c9b63786b 100644 --- a/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepCommand.ts @@ -138,4 +138,16 @@ export class UpdateWorkflowStepCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkflowStepCommand) .de(de_UpdateWorkflowStepCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkflowStepRequest; + output: UpdateWorkflowStepResponse; + }; + sdk: { + input: UpdateWorkflowStepCommandInput; + output: UpdateWorkflowStepCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepGroupCommand.ts b/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepGroupCommand.ts index 618224478281..9b4e918e1253 100644 --- a/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepGroupCommand.ts +++ b/clients/client-migrationhuborchestrator/src/commands/UpdateWorkflowStepGroupCommand.ts @@ -121,4 +121,16 @@ export class UpdateWorkflowStepGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkflowStepGroupCommand) .de(de_UpdateWorkflowStepGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkflowStepGroupRequest; + output: UpdateWorkflowStepGroupResponse; + }; + sdk: { + input: UpdateWorkflowStepGroupCommandInput; + output: UpdateWorkflowStepGroupCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/package.json b/clients/client-migrationhubstrategy/package.json index 666989967e1c..3a487431a26a 100644 --- a/clients/client-migrationhubstrategy/package.json +++ b/clients/client-migrationhubstrategy/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentDetailsCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentDetailsCommand.ts index 68246977c8cd..b2c217d28241 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentDetailsCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentDetailsCommand.ts @@ -180,4 +180,16 @@ export class GetApplicationComponentDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationComponentDetailsCommand) .de(de_GetApplicationComponentDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationComponentDetailsRequest; + output: GetApplicationComponentDetailsResponse; + }; + sdk: { + input: GetApplicationComponentDetailsCommandInput; + output: GetApplicationComponentDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentStrategiesCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentStrategiesCommand.ts index 7d65d38433c9..c7cd52bd5221 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentStrategiesCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetApplicationComponentStrategiesCommand.ts @@ -113,4 +113,16 @@ export class GetApplicationComponentStrategiesCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationComponentStrategiesCommand) .de(de_GetApplicationComponentStrategiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationComponentStrategiesRequest; + output: GetApplicationComponentStrategiesResponse; + }; + sdk: { + input: GetApplicationComponentStrategiesCommandInput; + output: GetApplicationComponentStrategiesCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetAssessmentCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetAssessmentCommand.ts index e005ff73b6f9..e78896e96278 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetAssessmentCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetAssessmentCommand.ts @@ -113,4 +113,16 @@ export class GetAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_GetAssessmentCommand) .de(de_GetAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssessmentRequest; + output: GetAssessmentResponse; + }; + sdk: { + input: GetAssessmentCommandInput; + output: GetAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetImportFileTaskCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetImportFileTaskCommand.ts index 694ecd4d2f37..fbc58bdd07cc 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetImportFileTaskCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetImportFileTaskCommand.ts @@ -107,4 +107,16 @@ export class GetImportFileTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetImportFileTaskCommand) .de(de_GetImportFileTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportFileTaskRequest; + output: GetImportFileTaskResponse; + }; + sdk: { + input: GetImportFileTaskCommandInput; + output: GetImportFileTaskCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetLatestAssessmentIdCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetLatestAssessmentIdCommand.ts index e1cd70d0d029..ff119a8441f3 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetLatestAssessmentIdCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetLatestAssessmentIdCommand.ts @@ -92,4 +92,16 @@ export class GetLatestAssessmentIdCommand extends $Command .f(void 0, void 0) .ser(se_GetLatestAssessmentIdCommand) .de(de_GetLatestAssessmentIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetLatestAssessmentIdResponse; + }; + sdk: { + input: GetLatestAssessmentIdCommandInput; + output: GetLatestAssessmentIdCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetPortfolioPreferencesCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetPortfolioPreferencesCommand.ts index da81a2e60cac..0eb20f5c038c 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetPortfolioPreferencesCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetPortfolioPreferencesCommand.ts @@ -139,4 +139,16 @@ export class GetPortfolioPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_GetPortfolioPreferencesCommand) .de(de_GetPortfolioPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPortfolioPreferencesResponse; + }; + sdk: { + input: GetPortfolioPreferencesCommandInput; + output: GetPortfolioPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetPortfolioSummaryCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetPortfolioSummaryCommand.ts index eaff5584b4cd..5714318f84ba 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetPortfolioSummaryCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetPortfolioSummaryCommand.ts @@ -140,4 +140,16 @@ export class GetPortfolioSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetPortfolioSummaryCommand) .de(de_GetPortfolioSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPortfolioSummaryResponse; + }; + sdk: { + input: GetPortfolioSummaryCommandInput; + output: GetPortfolioSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetRecommendationReportDetailsCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetRecommendationReportDetailsCommand.ts index 029b2e804f2c..47b7ab3baada 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetRecommendationReportDetailsCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetRecommendationReportDetailsCommand.ts @@ -112,4 +112,16 @@ export class GetRecommendationReportDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetRecommendationReportDetailsCommand) .de(de_GetRecommendationReportDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationReportDetailsRequest; + output: GetRecommendationReportDetailsResponse; + }; + sdk: { + input: GetRecommendationReportDetailsCommandInput; + output: GetRecommendationReportDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetServerDetailsCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetServerDetailsCommand.ts index 9fa5a79f2327..eb64c6b422c5 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetServerDetailsCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetServerDetailsCommand.ts @@ -159,4 +159,16 @@ export class GetServerDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetServerDetailsCommand) .de(de_GetServerDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServerDetailsRequest; + output: GetServerDetailsResponse; + }; + sdk: { + input: GetServerDetailsCommandInput; + output: GetServerDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/GetServerStrategiesCommand.ts b/clients/client-migrationhubstrategy/src/commands/GetServerStrategiesCommand.ts index b2d8f85fbf31..b6c9b2aa1147 100644 --- a/clients/client-migrationhubstrategy/src/commands/GetServerStrategiesCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/GetServerStrategiesCommand.ts @@ -112,4 +112,16 @@ export class GetServerStrategiesCommand extends $Command .f(void 0, void 0) .ser(se_GetServerStrategiesCommand) .de(de_GetServerStrategiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServerStrategiesRequest; + output: GetServerStrategiesResponse; + }; + sdk: { + input: GetServerStrategiesCommandInput; + output: GetServerStrategiesCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/ListAnalyzableServersCommand.ts b/clients/client-migrationhubstrategy/src/commands/ListAnalyzableServersCommand.ts index 7ef5d17aa3fe..08d0f5020929 100644 --- a/clients/client-migrationhubstrategy/src/commands/ListAnalyzableServersCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/ListAnalyzableServersCommand.ts @@ -104,4 +104,16 @@ export class ListAnalyzableServersCommand extends $Command .f(void 0, void 0) .ser(se_ListAnalyzableServersCommand) .de(de_ListAnalyzableServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnalyzableServersRequest; + output: ListAnalyzableServersResponse; + }; + sdk: { + input: ListAnalyzableServersCommandInput; + output: ListAnalyzableServersCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/ListApplicationComponentsCommand.ts b/clients/client-migrationhubstrategy/src/commands/ListApplicationComponentsCommand.ts index e85fef6d39bb..f09a720a075f 100644 --- a/clients/client-migrationhubstrategy/src/commands/ListApplicationComponentsCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/ListApplicationComponentsCommand.ts @@ -182,4 +182,16 @@ export class ListApplicationComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationComponentsCommand) .de(de_ListApplicationComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationComponentsRequest; + output: ListApplicationComponentsResponse; + }; + sdk: { + input: ListApplicationComponentsCommandInput; + output: ListApplicationComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/ListCollectorsCommand.ts b/clients/client-migrationhubstrategy/src/commands/ListCollectorsCommand.ts index 52ea6c499a4d..110762d4e399 100644 --- a/clients/client-migrationhubstrategy/src/commands/ListCollectorsCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/ListCollectorsCommand.ts @@ -136,4 +136,16 @@ export class ListCollectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListCollectorsCommand) .de(de_ListCollectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollectorsRequest; + output: ListCollectorsResponse; + }; + sdk: { + input: ListCollectorsCommandInput; + output: ListCollectorsCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/ListImportFileTaskCommand.ts b/clients/client-migrationhubstrategy/src/commands/ListImportFileTaskCommand.ts index ad1e78deb547..90ca34bb94a8 100644 --- a/clients/client-migrationhubstrategy/src/commands/ListImportFileTaskCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/ListImportFileTaskCommand.ts @@ -110,4 +110,16 @@ export class ListImportFileTaskCommand extends $Command .f(void 0, void 0) .ser(se_ListImportFileTaskCommand) .de(de_ListImportFileTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportFileTaskRequest; + output: ListImportFileTaskResponse; + }; + sdk: { + input: ListImportFileTaskCommandInput; + output: ListImportFileTaskCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/ListServersCommand.ts b/clients/client-migrationhubstrategy/src/commands/ListServersCommand.ts index fc4d6b61ead2..8fdb12e8646a 100644 --- a/clients/client-migrationhubstrategy/src/commands/ListServersCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/ListServersCommand.ts @@ -160,4 +160,16 @@ export class ListServersCommand extends $Command .f(void 0, void 0) .ser(se_ListServersCommand) .de(de_ListServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServersRequest; + output: ListServersResponse; + }; + sdk: { + input: ListServersCommandInput; + output: ListServersCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/PutPortfolioPreferencesCommand.ts b/clients/client-migrationhubstrategy/src/commands/PutPortfolioPreferencesCommand.ts index 7d5fa59b7149..8076fa3bd772 100644 --- a/clients/client-migrationhubstrategy/src/commands/PutPortfolioPreferencesCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/PutPortfolioPreferencesCommand.ts @@ -143,4 +143,16 @@ export class PutPortfolioPreferencesCommand extends $Command .f(void 0, void 0) .ser(se_PutPortfolioPreferencesCommand) .de(de_PutPortfolioPreferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPortfolioPreferencesRequest; + output: {}; + }; + sdk: { + input: PutPortfolioPreferencesCommandInput; + output: PutPortfolioPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/StartAssessmentCommand.ts b/clients/client-migrationhubstrategy/src/commands/StartAssessmentCommand.ts index 18730311a298..7c64d9408718 100644 --- a/clients/client-migrationhubstrategy/src/commands/StartAssessmentCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/StartAssessmentCommand.ts @@ -106,4 +106,16 @@ export class StartAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_StartAssessmentCommand) .de(de_StartAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAssessmentRequest; + output: StartAssessmentResponse; + }; + sdk: { + input: StartAssessmentCommandInput; + output: StartAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/StartImportFileTaskCommand.ts b/clients/client-migrationhubstrategy/src/commands/StartImportFileTaskCommand.ts index 6fb6e9204cc5..d0d6230bd8b5 100644 --- a/clients/client-migrationhubstrategy/src/commands/StartImportFileTaskCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/StartImportFileTaskCommand.ts @@ -108,4 +108,16 @@ export class StartImportFileTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartImportFileTaskCommand) .de(de_StartImportFileTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportFileTaskRequest; + output: StartImportFileTaskResponse; + }; + sdk: { + input: StartImportFileTaskCommandInput; + output: StartImportFileTaskCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/StartRecommendationReportGenerationCommand.ts b/clients/client-migrationhubstrategy/src/commands/StartRecommendationReportGenerationCommand.ts index ee19ab4fab51..dac48b78abca 100644 --- a/clients/client-migrationhubstrategy/src/commands/StartRecommendationReportGenerationCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/StartRecommendationReportGenerationCommand.ts @@ -112,4 +112,16 @@ export class StartRecommendationReportGenerationCommand extends $Command .f(void 0, void 0) .ser(se_StartRecommendationReportGenerationCommand) .de(de_StartRecommendationReportGenerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRecommendationReportGenerationRequest; + output: StartRecommendationReportGenerationResponse; + }; + sdk: { + input: StartRecommendationReportGenerationCommandInput; + output: StartRecommendationReportGenerationCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/StopAssessmentCommand.ts b/clients/client-migrationhubstrategy/src/commands/StopAssessmentCommand.ts index 881192f1b695..f67e7030a3a7 100644 --- a/clients/client-migrationhubstrategy/src/commands/StopAssessmentCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/StopAssessmentCommand.ts @@ -92,4 +92,16 @@ export class StopAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_StopAssessmentCommand) .de(de_StopAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAssessmentRequest; + output: {}; + }; + sdk: { + input: StopAssessmentCommandInput; + output: StopAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/UpdateApplicationComponentConfigCommand.ts b/clients/client-migrationhubstrategy/src/commands/UpdateApplicationComponentConfigCommand.ts index 4ba76b444744..67fc30199fd6 100644 --- a/clients/client-migrationhubstrategy/src/commands/UpdateApplicationComponentConfigCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/UpdateApplicationComponentConfigCommand.ts @@ -118,4 +118,16 @@ export class UpdateApplicationComponentConfigCommand extends $Command .f(UpdateApplicationComponentConfigRequestFilterSensitiveLog, void 0) .ser(se_UpdateApplicationComponentConfigCommand) .de(de_UpdateApplicationComponentConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationComponentConfigRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationComponentConfigCommandInput; + output: UpdateApplicationComponentConfigCommandOutput; + }; + }; +} diff --git a/clients/client-migrationhubstrategy/src/commands/UpdateServerConfigCommand.ts b/clients/client-migrationhubstrategy/src/commands/UpdateServerConfigCommand.ts index cb309505903a..3314e385501d 100644 --- a/clients/client-migrationhubstrategy/src/commands/UpdateServerConfigCommand.ts +++ b/clients/client-migrationhubstrategy/src/commands/UpdateServerConfigCommand.ts @@ -97,4 +97,16 @@ export class UpdateServerConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServerConfigCommand) .de(de_UpdateServerConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServerConfigRequest; + output: {}; + }; + sdk: { + input: UpdateServerConfigCommandInput; + output: UpdateServerConfigCommandOutput; + }; + }; +} diff --git a/clients/client-mq/package.json b/clients/client-mq/package.json index 303647aad94c..649c7d11e767 100644 --- a/clients/client-mq/package.json +++ b/clients/client-mq/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-mq/src/commands/CreateBrokerCommand.ts b/clients/client-mq/src/commands/CreateBrokerCommand.ts index 3676f6f10134..13fc03055fa2 100644 --- a/clients/client-mq/src/commands/CreateBrokerCommand.ts +++ b/clients/client-mq/src/commands/CreateBrokerCommand.ts @@ -154,4 +154,16 @@ export class CreateBrokerCommand extends $Command .f(void 0, void 0) .ser(se_CreateBrokerCommand) .de(de_CreateBrokerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBrokerRequest; + output: CreateBrokerResponse; + }; + sdk: { + input: CreateBrokerCommandInput; + output: CreateBrokerCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/CreateConfigurationCommand.ts b/clients/client-mq/src/commands/CreateConfigurationCommand.ts index d7259a14ec1f..17d44d24d9f7 100644 --- a/clients/client-mq/src/commands/CreateConfigurationCommand.ts +++ b/clients/client-mq/src/commands/CreateConfigurationCommand.ts @@ -104,4 +104,16 @@ export class CreateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationCommand) .de(de_CreateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationRequest; + output: CreateConfigurationResponse; + }; + sdk: { + input: CreateConfigurationCommandInput; + output: CreateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/CreateTagsCommand.ts b/clients/client-mq/src/commands/CreateTagsCommand.ts index fa503ecf2c77..bf160c865684 100644 --- a/clients/client-mq/src/commands/CreateTagsCommand.ts +++ b/clients/client-mq/src/commands/CreateTagsCommand.ts @@ -90,4 +90,16 @@ export class CreateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagsCommand) .de(de_CreateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagsRequest; + output: {}; + }; + sdk: { + input: CreateTagsCommandInput; + output: CreateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/CreateUserCommand.ts b/clients/client-mq/src/commands/CreateUserCommand.ts index 3233aa8a3b28..7bdfbf7fdbe0 100644 --- a/clients/client-mq/src/commands/CreateUserCommand.ts +++ b/clients/client-mq/src/commands/CreateUserCommand.ts @@ -97,4 +97,16 @@ export class CreateUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: {}; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DeleteBrokerCommand.ts b/clients/client-mq/src/commands/DeleteBrokerCommand.ts index 50efa43b6252..d37ad9ba5737 100644 --- a/clients/client-mq/src/commands/DeleteBrokerCommand.ts +++ b/clients/client-mq/src/commands/DeleteBrokerCommand.ts @@ -89,4 +89,16 @@ export class DeleteBrokerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBrokerCommand) .de(de_DeleteBrokerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBrokerRequest; + output: DeleteBrokerResponse; + }; + sdk: { + input: DeleteBrokerCommandInput; + output: DeleteBrokerCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DeleteTagsCommand.ts b/clients/client-mq/src/commands/DeleteTagsCommand.ts index 7599713d3a2f..e7f23f711649 100644 --- a/clients/client-mq/src/commands/DeleteTagsCommand.ts +++ b/clients/client-mq/src/commands/DeleteTagsCommand.ts @@ -90,4 +90,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsRequest; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DeleteUserCommand.ts b/clients/client-mq/src/commands/DeleteUserCommand.ts index 088e23eb53e3..98acdc737a93 100644 --- a/clients/client-mq/src/commands/DeleteUserCommand.ts +++ b/clients/client-mq/src/commands/DeleteUserCommand.ts @@ -88,4 +88,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DescribeBrokerCommand.ts b/clients/client-mq/src/commands/DescribeBrokerCommand.ts index 54d84ffa4c9d..0de556160f3a 100644 --- a/clients/client-mq/src/commands/DescribeBrokerCommand.ts +++ b/clients/client-mq/src/commands/DescribeBrokerCommand.ts @@ -210,4 +210,16 @@ export class DescribeBrokerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBrokerCommand) .de(de_DescribeBrokerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBrokerRequest; + output: DescribeBrokerResponse; + }; + sdk: { + input: DescribeBrokerCommandInput; + output: DescribeBrokerCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DescribeBrokerEngineTypesCommand.ts b/clients/client-mq/src/commands/DescribeBrokerEngineTypesCommand.ts index af8d4a96202b..fa539d68d96f 100644 --- a/clients/client-mq/src/commands/DescribeBrokerEngineTypesCommand.ts +++ b/clients/client-mq/src/commands/DescribeBrokerEngineTypesCommand.ts @@ -99,4 +99,16 @@ export class DescribeBrokerEngineTypesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBrokerEngineTypesCommand) .de(de_DescribeBrokerEngineTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBrokerEngineTypesRequest; + output: DescribeBrokerEngineTypesResponse; + }; + sdk: { + input: DescribeBrokerEngineTypesCommandInput; + output: DescribeBrokerEngineTypesCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DescribeBrokerInstanceOptionsCommand.ts b/clients/client-mq/src/commands/DescribeBrokerInstanceOptionsCommand.ts index eb5b5989839b..8b23104f4346 100644 --- a/clients/client-mq/src/commands/DescribeBrokerInstanceOptionsCommand.ts +++ b/clients/client-mq/src/commands/DescribeBrokerInstanceOptionsCommand.ts @@ -114,4 +114,16 @@ export class DescribeBrokerInstanceOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBrokerInstanceOptionsCommand) .de(de_DescribeBrokerInstanceOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBrokerInstanceOptionsRequest; + output: DescribeBrokerInstanceOptionsResponse; + }; + sdk: { + input: DescribeBrokerInstanceOptionsCommandInput; + output: DescribeBrokerInstanceOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DescribeConfigurationCommand.ts b/clients/client-mq/src/commands/DescribeConfigurationCommand.ts index 599b3a8d7e9c..bb16795e6d87 100644 --- a/clients/client-mq/src/commands/DescribeConfigurationCommand.ts +++ b/clients/client-mq/src/commands/DescribeConfigurationCommand.ts @@ -104,4 +104,16 @@ export class DescribeConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationCommand) .de(de_DescribeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationRequest; + output: DescribeConfigurationResponse; + }; + sdk: { + input: DescribeConfigurationCommandInput; + output: DescribeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DescribeConfigurationRevisionCommand.ts b/clients/client-mq/src/commands/DescribeConfigurationRevisionCommand.ts index a2370d3202f9..7dffd7e8bd55 100644 --- a/clients/client-mq/src/commands/DescribeConfigurationRevisionCommand.ts +++ b/clients/client-mq/src/commands/DescribeConfigurationRevisionCommand.ts @@ -98,4 +98,16 @@ export class DescribeConfigurationRevisionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationRevisionCommand) .de(de_DescribeConfigurationRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationRevisionRequest; + output: DescribeConfigurationRevisionResponse; + }; + sdk: { + input: DescribeConfigurationRevisionCommandInput; + output: DescribeConfigurationRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/DescribeUserCommand.ts b/clients/client-mq/src/commands/DescribeUserCommand.ts index d4406f2380c8..1f9c3cd04b66 100644 --- a/clients/client-mq/src/commands/DescribeUserCommand.ts +++ b/clients/client-mq/src/commands/DescribeUserCommand.ts @@ -103,4 +103,16 @@ export class DescribeUserCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserCommand) .de(de_DescribeUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserRequest; + output: DescribeUserResponse; + }; + sdk: { + input: DescribeUserCommandInput; + output: DescribeUserCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/ListBrokersCommand.ts b/clients/client-mq/src/commands/ListBrokersCommand.ts index 8274fc6bf694..f67cd3e31f78 100644 --- a/clients/client-mq/src/commands/ListBrokersCommand.ts +++ b/clients/client-mq/src/commands/ListBrokersCommand.ts @@ -99,4 +99,16 @@ export class ListBrokersCommand extends $Command .f(void 0, void 0) .ser(se_ListBrokersCommand) .de(de_ListBrokersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBrokersRequest; + output: ListBrokersResponse; + }; + sdk: { + input: ListBrokersCommandInput; + output: ListBrokersCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/ListConfigurationRevisionsCommand.ts b/clients/client-mq/src/commands/ListConfigurationRevisionsCommand.ts index e52e5ff5fbcb..13331a3efd26 100644 --- a/clients/client-mq/src/commands/ListConfigurationRevisionsCommand.ts +++ b/clients/client-mq/src/commands/ListConfigurationRevisionsCommand.ts @@ -100,4 +100,16 @@ export class ListConfigurationRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationRevisionsCommand) .de(de_ListConfigurationRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationRevisionsRequest; + output: ListConfigurationRevisionsResponse; + }; + sdk: { + input: ListConfigurationRevisionsCommandInput; + output: ListConfigurationRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/ListConfigurationsCommand.ts b/clients/client-mq/src/commands/ListConfigurationsCommand.ts index 9bee3985c4c6..4d6377209854 100644 --- a/clients/client-mq/src/commands/ListConfigurationsCommand.ts +++ b/clients/client-mq/src/commands/ListConfigurationsCommand.ts @@ -108,4 +108,16 @@ export class ListConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationsCommand) .de(de_ListConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationsRequest; + output: ListConfigurationsResponse; + }; + sdk: { + input: ListConfigurationsCommandInput; + output: ListConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/ListTagsCommand.ts b/clients/client-mq/src/commands/ListTagsCommand.ts index ba882957b40c..b8629847c102 100644 --- a/clients/client-mq/src/commands/ListTagsCommand.ts +++ b/clients/client-mq/src/commands/ListTagsCommand.ts @@ -91,4 +91,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/ListUsersCommand.ts b/clients/client-mq/src/commands/ListUsersCommand.ts index 1ea5c7b0c3bf..e1e8629b58d8 100644 --- a/clients/client-mq/src/commands/ListUsersCommand.ts +++ b/clients/client-mq/src/commands/ListUsersCommand.ts @@ -99,4 +99,16 @@ export class ListUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/PromoteCommand.ts b/clients/client-mq/src/commands/PromoteCommand.ts index 909780f0fc83..02aea520228c 100644 --- a/clients/client-mq/src/commands/PromoteCommand.ts +++ b/clients/client-mq/src/commands/PromoteCommand.ts @@ -90,4 +90,16 @@ export class PromoteCommand extends $Command .f(void 0, void 0) .ser(se_PromoteCommand) .de(de_PromoteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PromoteRequest; + output: PromoteResponse; + }; + sdk: { + input: PromoteCommandInput; + output: PromoteCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/RebootBrokerCommand.ts b/clients/client-mq/src/commands/RebootBrokerCommand.ts index 14716f54caf5..61b25f6fbcd2 100644 --- a/clients/client-mq/src/commands/RebootBrokerCommand.ts +++ b/clients/client-mq/src/commands/RebootBrokerCommand.ts @@ -87,4 +87,16 @@ export class RebootBrokerCommand extends $Command .f(void 0, void 0) .ser(se_RebootBrokerCommand) .de(de_RebootBrokerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootBrokerRequest; + output: {}; + }; + sdk: { + input: RebootBrokerCommandInput; + output: RebootBrokerCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/UpdateBrokerCommand.ts b/clients/client-mq/src/commands/UpdateBrokerCommand.ts index 497b27f33888..4c3f31f13154 100644 --- a/clients/client-mq/src/commands/UpdateBrokerCommand.ts +++ b/clients/client-mq/src/commands/UpdateBrokerCommand.ts @@ -178,4 +178,16 @@ export class UpdateBrokerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBrokerCommand) .de(de_UpdateBrokerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBrokerRequest; + output: UpdateBrokerResponse; + }; + sdk: { + input: UpdateBrokerCommandInput; + output: UpdateBrokerCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/UpdateConfigurationCommand.ts b/clients/client-mq/src/commands/UpdateConfigurationCommand.ts index a20b755aae17..bd9745ba64d5 100644 --- a/clients/client-mq/src/commands/UpdateConfigurationCommand.ts +++ b/clients/client-mq/src/commands/UpdateConfigurationCommand.ts @@ -109,4 +109,16 @@ export class UpdateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationCommand) .de(de_UpdateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationRequest; + output: UpdateConfigurationResponse; + }; + sdk: { + input: UpdateConfigurationCommandInput; + output: UpdateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-mq/src/commands/UpdateUserCommand.ts b/clients/client-mq/src/commands/UpdateUserCommand.ts index 7cf8f3012d4d..d3529d8d6656 100644 --- a/clients/client-mq/src/commands/UpdateUserCommand.ts +++ b/clients/client-mq/src/commands/UpdateUserCommand.ts @@ -97,4 +97,16 @@ export class UpdateUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: {}; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/package.json b/clients/client-mturk/package.json index e9b17f3236f3..3ed1eb7ad4f6 100644 --- a/clients/client-mturk/package.json +++ b/clients/client-mturk/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-mturk/src/commands/AcceptQualificationRequestCommand.ts b/clients/client-mturk/src/commands/AcceptQualificationRequestCommand.ts index dee7f012d5ae..797d7c818d79 100644 --- a/clients/client-mturk/src/commands/AcceptQualificationRequestCommand.ts +++ b/clients/client-mturk/src/commands/AcceptQualificationRequestCommand.ts @@ -91,4 +91,16 @@ export class AcceptQualificationRequestCommand extends $Command .f(void 0, void 0) .ser(se_AcceptQualificationRequestCommand) .de(de_AcceptQualificationRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptQualificationRequestRequest; + output: {}; + }; + sdk: { + input: AcceptQualificationRequestCommandInput; + output: AcceptQualificationRequestCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ApproveAssignmentCommand.ts b/clients/client-mturk/src/commands/ApproveAssignmentCommand.ts index f6514a1cc369..b063822f7791 100644 --- a/clients/client-mturk/src/commands/ApproveAssignmentCommand.ts +++ b/clients/client-mturk/src/commands/ApproveAssignmentCommand.ts @@ -112,4 +112,16 @@ export class ApproveAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_ApproveAssignmentCommand) .de(de_ApproveAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApproveAssignmentRequest; + output: {}; + }; + sdk: { + input: ApproveAssignmentCommandInput; + output: ApproveAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/AssociateQualificationWithWorkerCommand.ts b/clients/client-mturk/src/commands/AssociateQualificationWithWorkerCommand.ts index f8e9324ed2ff..b6918877a71d 100644 --- a/clients/client-mturk/src/commands/AssociateQualificationWithWorkerCommand.ts +++ b/clients/client-mturk/src/commands/AssociateQualificationWithWorkerCommand.ts @@ -109,4 +109,16 @@ export class AssociateQualificationWithWorkerCommand extends $Command .f(void 0, void 0) .ser(se_AssociateQualificationWithWorkerCommand) .de(de_AssociateQualificationWithWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateQualificationWithWorkerRequest; + output: {}; + }; + sdk: { + input: AssociateQualificationWithWorkerCommandInput; + output: AssociateQualificationWithWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/CreateAdditionalAssignmentsForHITCommand.ts b/clients/client-mturk/src/commands/CreateAdditionalAssignmentsForHITCommand.ts index 45ecee1bd842..1e29216213dc 100644 --- a/clients/client-mturk/src/commands/CreateAdditionalAssignmentsForHITCommand.ts +++ b/clients/client-mturk/src/commands/CreateAdditionalAssignmentsForHITCommand.ts @@ -113,4 +113,16 @@ export class CreateAdditionalAssignmentsForHITCommand extends $Command .f(void 0, void 0) .ser(se_CreateAdditionalAssignmentsForHITCommand) .de(de_CreateAdditionalAssignmentsForHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAdditionalAssignmentsForHITRequest; + output: {}; + }; + sdk: { + input: CreateAdditionalAssignmentsForHITCommandInput; + output: CreateAdditionalAssignmentsForHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/CreateHITCommand.ts b/clients/client-mturk/src/commands/CreateHITCommand.ts index a1f46c7021ce..bfc29294d3a7 100644 --- a/clients/client-mturk/src/commands/CreateHITCommand.ts +++ b/clients/client-mturk/src/commands/CreateHITCommand.ts @@ -209,4 +209,16 @@ export class CreateHITCommand extends $Command .f(void 0, void 0) .ser(se_CreateHITCommand) .de(de_CreateHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHITRequest; + output: CreateHITResponse; + }; + sdk: { + input: CreateHITCommandInput; + output: CreateHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/CreateHITTypeCommand.ts b/clients/client-mturk/src/commands/CreateHITTypeCommand.ts index dc315316117a..64ef67f04734 100644 --- a/clients/client-mturk/src/commands/CreateHITTypeCommand.ts +++ b/clients/client-mturk/src/commands/CreateHITTypeCommand.ts @@ -110,4 +110,16 @@ export class CreateHITTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateHITTypeCommand) .de(de_CreateHITTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHITTypeRequest; + output: CreateHITTypeResponse; + }; + sdk: { + input: CreateHITTypeCommandInput; + output: CreateHITTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/CreateHITWithHITTypeCommand.ts b/clients/client-mturk/src/commands/CreateHITWithHITTypeCommand.ts index 5abc9e2fe500..308400be0e08 100644 --- a/clients/client-mturk/src/commands/CreateHITWithHITTypeCommand.ts +++ b/clients/client-mturk/src/commands/CreateHITWithHITTypeCommand.ts @@ -188,4 +188,16 @@ export class CreateHITWithHITTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateHITWithHITTypeCommand) .de(de_CreateHITWithHITTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHITWithHITTypeRequest; + output: CreateHITWithHITTypeResponse; + }; + sdk: { + input: CreateHITWithHITTypeCommandInput; + output: CreateHITWithHITTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/CreateQualificationTypeCommand.ts b/clients/client-mturk/src/commands/CreateQualificationTypeCommand.ts index 9b022093f56d..baeec1f0391c 100644 --- a/clients/client-mturk/src/commands/CreateQualificationTypeCommand.ts +++ b/clients/client-mturk/src/commands/CreateQualificationTypeCommand.ts @@ -112,4 +112,16 @@ export class CreateQualificationTypeCommand extends $Command .f(void 0, void 0) .ser(se_CreateQualificationTypeCommand) .de(de_CreateQualificationTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQualificationTypeRequest; + output: CreateQualificationTypeResponse; + }; + sdk: { + input: CreateQualificationTypeCommandInput; + output: CreateQualificationTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/CreateWorkerBlockCommand.ts b/clients/client-mturk/src/commands/CreateWorkerBlockCommand.ts index 6cc3af3a0552..5c1ef6bbedb2 100644 --- a/clients/client-mturk/src/commands/CreateWorkerBlockCommand.ts +++ b/clients/client-mturk/src/commands/CreateWorkerBlockCommand.ts @@ -82,4 +82,16 @@ export class CreateWorkerBlockCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkerBlockCommand) .de(de_CreateWorkerBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkerBlockRequest; + output: {}; + }; + sdk: { + input: CreateWorkerBlockCommandInput; + output: CreateWorkerBlockCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/DeleteHITCommand.ts b/clients/client-mturk/src/commands/DeleteHITCommand.ts index 380595b1ea46..c4f498df768e 100644 --- a/clients/client-mturk/src/commands/DeleteHITCommand.ts +++ b/clients/client-mturk/src/commands/DeleteHITCommand.ts @@ -116,4 +116,16 @@ export class DeleteHITCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHITCommand) .de(de_DeleteHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHITRequest; + output: {}; + }; + sdk: { + input: DeleteHITCommandInput; + output: DeleteHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/DeleteQualificationTypeCommand.ts b/clients/client-mturk/src/commands/DeleteQualificationTypeCommand.ts index ee213f81b3a2..e9aa92782ec9 100644 --- a/clients/client-mturk/src/commands/DeleteQualificationTypeCommand.ts +++ b/clients/client-mturk/src/commands/DeleteQualificationTypeCommand.ts @@ -99,4 +99,16 @@ export class DeleteQualificationTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQualificationTypeCommand) .de(de_DeleteQualificationTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQualificationTypeRequest; + output: {}; + }; + sdk: { + input: DeleteQualificationTypeCommandInput; + output: DeleteQualificationTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/DeleteWorkerBlockCommand.ts b/clients/client-mturk/src/commands/DeleteWorkerBlockCommand.ts index 5788d5769804..c5f23471fd13 100644 --- a/clients/client-mturk/src/commands/DeleteWorkerBlockCommand.ts +++ b/clients/client-mturk/src/commands/DeleteWorkerBlockCommand.ts @@ -82,4 +82,16 @@ export class DeleteWorkerBlockCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkerBlockCommand) .de(de_DeleteWorkerBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkerBlockRequest; + output: {}; + }; + sdk: { + input: DeleteWorkerBlockCommandInput; + output: DeleteWorkerBlockCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/DisassociateQualificationFromWorkerCommand.ts b/clients/client-mturk/src/commands/DisassociateQualificationFromWorkerCommand.ts index 28bbecfe54e2..73c9ec14ecb6 100644 --- a/clients/client-mturk/src/commands/DisassociateQualificationFromWorkerCommand.ts +++ b/clients/client-mturk/src/commands/DisassociateQualificationFromWorkerCommand.ts @@ -98,4 +98,16 @@ export class DisassociateQualificationFromWorkerCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateQualificationFromWorkerCommand) .de(de_DisassociateQualificationFromWorkerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateQualificationFromWorkerRequest; + output: {}; + }; + sdk: { + input: DisassociateQualificationFromWorkerCommandInput; + output: DisassociateQualificationFromWorkerCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/GetAccountBalanceCommand.ts b/clients/client-mturk/src/commands/GetAccountBalanceCommand.ts index ca8ee0d3294c..53ac56418866 100644 --- a/clients/client-mturk/src/commands/GetAccountBalanceCommand.ts +++ b/clients/client-mturk/src/commands/GetAccountBalanceCommand.ts @@ -84,4 +84,16 @@ export class GetAccountBalanceCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountBalanceCommand) .de(de_GetAccountBalanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountBalanceResponse; + }; + sdk: { + input: GetAccountBalanceCommandInput; + output: GetAccountBalanceCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/GetAssignmentCommand.ts b/clients/client-mturk/src/commands/GetAssignmentCommand.ts index 5482b2f87be7..cea6dff22a70 100644 --- a/clients/client-mturk/src/commands/GetAssignmentCommand.ts +++ b/clients/client-mturk/src/commands/GetAssignmentCommand.ts @@ -137,4 +137,16 @@ export class GetAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_GetAssignmentCommand) .de(de_GetAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssignmentRequest; + output: GetAssignmentResponse; + }; + sdk: { + input: GetAssignmentCommandInput; + output: GetAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/GetFileUploadURLCommand.ts b/clients/client-mturk/src/commands/GetFileUploadURLCommand.ts index 6d11012c68ee..374064d460d7 100644 --- a/clients/client-mturk/src/commands/GetFileUploadURLCommand.ts +++ b/clients/client-mturk/src/commands/GetFileUploadURLCommand.ts @@ -101,4 +101,16 @@ export class GetFileUploadURLCommand extends $Command .f(void 0, void 0) .ser(se_GetFileUploadURLCommand) .de(de_GetFileUploadURLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFileUploadURLRequest; + output: GetFileUploadURLResponse; + }; + sdk: { + input: GetFileUploadURLCommandInput; + output: GetFileUploadURLCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/GetHITCommand.ts b/clients/client-mturk/src/commands/GetHITCommand.ts index 3f290924964b..1c261fe4aee5 100644 --- a/clients/client-mturk/src/commands/GetHITCommand.ts +++ b/clients/client-mturk/src/commands/GetHITCommand.ts @@ -123,4 +123,16 @@ export class GetHITCommand extends $Command .f(void 0, void 0) .ser(se_GetHITCommand) .de(de_GetHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHITRequest; + output: GetHITResponse; + }; + sdk: { + input: GetHITCommandInput; + output: GetHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/GetQualificationScoreCommand.ts b/clients/client-mturk/src/commands/GetQualificationScoreCommand.ts index 5a71d422a65b..db4dc5fb9474 100644 --- a/clients/client-mturk/src/commands/GetQualificationScoreCommand.ts +++ b/clients/client-mturk/src/commands/GetQualificationScoreCommand.ts @@ -107,4 +107,16 @@ export class GetQualificationScoreCommand extends $Command .f(void 0, void 0) .ser(se_GetQualificationScoreCommand) .de(de_GetQualificationScoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQualificationScoreRequest; + output: GetQualificationScoreResponse; + }; + sdk: { + input: GetQualificationScoreCommandInput; + output: GetQualificationScoreCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/GetQualificationTypeCommand.ts b/clients/client-mturk/src/commands/GetQualificationTypeCommand.ts index ddbde0b07582..7d69bc86bf10 100644 --- a/clients/client-mturk/src/commands/GetQualificationTypeCommand.ts +++ b/clients/client-mturk/src/commands/GetQualificationTypeCommand.ts @@ -99,4 +99,16 @@ export class GetQualificationTypeCommand extends $Command .f(void 0, void 0) .ser(se_GetQualificationTypeCommand) .de(de_GetQualificationTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQualificationTypeRequest; + output: GetQualificationTypeResponse; + }; + sdk: { + input: GetQualificationTypeCommandInput; + output: GetQualificationTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListAssignmentsForHITCommand.ts b/clients/client-mturk/src/commands/ListAssignmentsForHITCommand.ts index 855e31589ec0..347e3f20ffb4 100644 --- a/clients/client-mturk/src/commands/ListAssignmentsForHITCommand.ts +++ b/clients/client-mturk/src/commands/ListAssignmentsForHITCommand.ts @@ -131,4 +131,16 @@ export class ListAssignmentsForHITCommand extends $Command .f(void 0, void 0) .ser(se_ListAssignmentsForHITCommand) .de(de_ListAssignmentsForHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssignmentsForHITRequest; + output: ListAssignmentsForHITResponse; + }; + sdk: { + input: ListAssignmentsForHITCommandInput; + output: ListAssignmentsForHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListBonusPaymentsCommand.ts b/clients/client-mturk/src/commands/ListBonusPaymentsCommand.ts index fd53ea646af8..016ab94c7608 100644 --- a/clients/client-mturk/src/commands/ListBonusPaymentsCommand.ts +++ b/clients/client-mturk/src/commands/ListBonusPaymentsCommand.ts @@ -101,4 +101,16 @@ export class ListBonusPaymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListBonusPaymentsCommand) .de(de_ListBonusPaymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBonusPaymentsRequest; + output: ListBonusPaymentsResponse; + }; + sdk: { + input: ListBonusPaymentsCommandInput; + output: ListBonusPaymentsCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListHITsCommand.ts b/clients/client-mturk/src/commands/ListHITsCommand.ts index e05e504e48d9..f25a6d41c1c8 100644 --- a/clients/client-mturk/src/commands/ListHITsCommand.ts +++ b/clients/client-mturk/src/commands/ListHITsCommand.ts @@ -132,4 +132,16 @@ export class ListHITsCommand extends $Command .f(void 0, void 0) .ser(se_ListHITsCommand) .de(de_ListHITsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHITsRequest; + output: ListHITsResponse; + }; + sdk: { + input: ListHITsCommandInput; + output: ListHITsCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListHITsForQualificationTypeCommand.ts b/clients/client-mturk/src/commands/ListHITsForQualificationTypeCommand.ts index 043b5df9efd4..9a26426c8a0a 100644 --- a/clients/client-mturk/src/commands/ListHITsForQualificationTypeCommand.ts +++ b/clients/client-mturk/src/commands/ListHITsForQualificationTypeCommand.ts @@ -137,4 +137,16 @@ export class ListHITsForQualificationTypeCommand extends $Command .f(void 0, void 0) .ser(se_ListHITsForQualificationTypeCommand) .de(de_ListHITsForQualificationTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHITsForQualificationTypeRequest; + output: ListHITsForQualificationTypeResponse; + }; + sdk: { + input: ListHITsForQualificationTypeCommandInput; + output: ListHITsForQualificationTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListQualificationRequestsCommand.ts b/clients/client-mturk/src/commands/ListQualificationRequestsCommand.ts index c0bcf893a9b7..25213c06af4b 100644 --- a/clients/client-mturk/src/commands/ListQualificationRequestsCommand.ts +++ b/clients/client-mturk/src/commands/ListQualificationRequestsCommand.ts @@ -103,4 +103,16 @@ export class ListQualificationRequestsCommand extends $Command .f(void 0, void 0) .ser(se_ListQualificationRequestsCommand) .de(de_ListQualificationRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQualificationRequestsRequest; + output: ListQualificationRequestsResponse; + }; + sdk: { + input: ListQualificationRequestsCommandInput; + output: ListQualificationRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListQualificationTypesCommand.ts b/clients/client-mturk/src/commands/ListQualificationTypesCommand.ts index 1f21fa6a6d27..b868c7becc61 100644 --- a/clients/client-mturk/src/commands/ListQualificationTypesCommand.ts +++ b/clients/client-mturk/src/commands/ListQualificationTypesCommand.ts @@ -110,4 +110,16 @@ export class ListQualificationTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListQualificationTypesCommand) .de(de_ListQualificationTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQualificationTypesRequest; + output: ListQualificationTypesResponse; + }; + sdk: { + input: ListQualificationTypesCommandInput; + output: ListQualificationTypesCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListReviewPolicyResultsForHITCommand.ts b/clients/client-mturk/src/commands/ListReviewPolicyResultsForHITCommand.ts index 175d0c3aa9e0..26d5cdff6d4e 100644 --- a/clients/client-mturk/src/commands/ListReviewPolicyResultsForHITCommand.ts +++ b/clients/client-mturk/src/commands/ListReviewPolicyResultsForHITCommand.ts @@ -188,4 +188,16 @@ export class ListReviewPolicyResultsForHITCommand extends $Command .f(void 0, void 0) .ser(se_ListReviewPolicyResultsForHITCommand) .de(de_ListReviewPolicyResultsForHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReviewPolicyResultsForHITRequest; + output: ListReviewPolicyResultsForHITResponse; + }; + sdk: { + input: ListReviewPolicyResultsForHITCommandInput; + output: ListReviewPolicyResultsForHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListReviewableHITsCommand.ts b/clients/client-mturk/src/commands/ListReviewableHITsCommand.ts index 8e1129468263..12659f5ae499 100644 --- a/clients/client-mturk/src/commands/ListReviewableHITsCommand.ts +++ b/clients/client-mturk/src/commands/ListReviewableHITsCommand.ts @@ -131,4 +131,16 @@ export class ListReviewableHITsCommand extends $Command .f(void 0, void 0) .ser(se_ListReviewableHITsCommand) .de(de_ListReviewableHITsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReviewableHITsRequest; + output: ListReviewableHITsResponse; + }; + sdk: { + input: ListReviewableHITsCommandInput; + output: ListReviewableHITsCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListWorkerBlocksCommand.ts b/clients/client-mturk/src/commands/ListWorkerBlocksCommand.ts index ff2be7bd3474..f237b98e586c 100644 --- a/clients/client-mturk/src/commands/ListWorkerBlocksCommand.ts +++ b/clients/client-mturk/src/commands/ListWorkerBlocksCommand.ts @@ -91,4 +91,16 @@ export class ListWorkerBlocksCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkerBlocksCommand) .de(de_ListWorkerBlocksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkerBlocksRequest; + output: ListWorkerBlocksResponse; + }; + sdk: { + input: ListWorkerBlocksCommandInput; + output: ListWorkerBlocksCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/ListWorkersWithQualificationTypeCommand.ts b/clients/client-mturk/src/commands/ListWorkersWithQualificationTypeCommand.ts index cbadceaad670..64b46d33a548 100644 --- a/clients/client-mturk/src/commands/ListWorkersWithQualificationTypeCommand.ts +++ b/clients/client-mturk/src/commands/ListWorkersWithQualificationTypeCommand.ts @@ -108,4 +108,16 @@ export class ListWorkersWithQualificationTypeCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkersWithQualificationTypeCommand) .de(de_ListWorkersWithQualificationTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkersWithQualificationTypeRequest; + output: ListWorkersWithQualificationTypeResponse; + }; + sdk: { + input: ListWorkersWithQualificationTypeCommandInput; + output: ListWorkersWithQualificationTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/NotifyWorkersCommand.ts b/clients/client-mturk/src/commands/NotifyWorkersCommand.ts index a54fcc8351d5..f55dd7b748ce 100644 --- a/clients/client-mturk/src/commands/NotifyWorkersCommand.ts +++ b/clients/client-mturk/src/commands/NotifyWorkersCommand.ts @@ -102,4 +102,16 @@ export class NotifyWorkersCommand extends $Command .f(void 0, void 0) .ser(se_NotifyWorkersCommand) .de(de_NotifyWorkersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyWorkersRequest; + output: NotifyWorkersResponse; + }; + sdk: { + input: NotifyWorkersCommandInput; + output: NotifyWorkersCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/RejectAssignmentCommand.ts b/clients/client-mturk/src/commands/RejectAssignmentCommand.ts index 2690bd7106e5..ed2bc655b4bc 100644 --- a/clients/client-mturk/src/commands/RejectAssignmentCommand.ts +++ b/clients/client-mturk/src/commands/RejectAssignmentCommand.ts @@ -94,4 +94,16 @@ export class RejectAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_RejectAssignmentCommand) .de(de_RejectAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectAssignmentRequest; + output: {}; + }; + sdk: { + input: RejectAssignmentCommandInput; + output: RejectAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/RejectQualificationRequestCommand.ts b/clients/client-mturk/src/commands/RejectQualificationRequestCommand.ts index 6fdb9faad2f8..91dc1c95e1fb 100644 --- a/clients/client-mturk/src/commands/RejectQualificationRequestCommand.ts +++ b/clients/client-mturk/src/commands/RejectQualificationRequestCommand.ts @@ -88,4 +88,16 @@ export class RejectQualificationRequestCommand extends $Command .f(void 0, void 0) .ser(se_RejectQualificationRequestCommand) .de(de_RejectQualificationRequestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectQualificationRequestRequest; + output: {}; + }; + sdk: { + input: RejectQualificationRequestCommandInput; + output: RejectQualificationRequestCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/SendBonusCommand.ts b/clients/client-mturk/src/commands/SendBonusCommand.ts index 47f980697963..92fd0b8e685d 100644 --- a/clients/client-mturk/src/commands/SendBonusCommand.ts +++ b/clients/client-mturk/src/commands/SendBonusCommand.ts @@ -98,4 +98,16 @@ export class SendBonusCommand extends $Command .f(void 0, void 0) .ser(se_SendBonusCommand) .de(de_SendBonusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendBonusRequest; + output: {}; + }; + sdk: { + input: SendBonusCommandInput; + output: SendBonusCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/SendTestEventNotificationCommand.ts b/clients/client-mturk/src/commands/SendTestEventNotificationCommand.ts index f9baa9b812b5..1c28e6d22862 100644 --- a/clients/client-mturk/src/commands/SendTestEventNotificationCommand.ts +++ b/clients/client-mturk/src/commands/SendTestEventNotificationCommand.ts @@ -95,4 +95,16 @@ export class SendTestEventNotificationCommand extends $Command .f(void 0, void 0) .ser(se_SendTestEventNotificationCommand) .de(de_SendTestEventNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendTestEventNotificationRequest; + output: {}; + }; + sdk: { + input: SendTestEventNotificationCommandInput; + output: SendTestEventNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/UpdateExpirationForHITCommand.ts b/clients/client-mturk/src/commands/UpdateExpirationForHITCommand.ts index e4bbe6ddeedd..9f4ecd3f2870 100644 --- a/clients/client-mturk/src/commands/UpdateExpirationForHITCommand.ts +++ b/clients/client-mturk/src/commands/UpdateExpirationForHITCommand.ts @@ -85,4 +85,16 @@ export class UpdateExpirationForHITCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExpirationForHITCommand) .de(de_UpdateExpirationForHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExpirationForHITRequest; + output: {}; + }; + sdk: { + input: UpdateExpirationForHITCommandInput; + output: UpdateExpirationForHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/UpdateHITReviewStatusCommand.ts b/clients/client-mturk/src/commands/UpdateHITReviewStatusCommand.ts index ace80710887c..937daa236335 100644 --- a/clients/client-mturk/src/commands/UpdateHITReviewStatusCommand.ts +++ b/clients/client-mturk/src/commands/UpdateHITReviewStatusCommand.ts @@ -86,4 +86,16 @@ export class UpdateHITReviewStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHITReviewStatusCommand) .de(de_UpdateHITReviewStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHITReviewStatusRequest; + output: {}; + }; + sdk: { + input: UpdateHITReviewStatusCommandInput; + output: UpdateHITReviewStatusCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/UpdateHITTypeOfHITCommand.ts b/clients/client-mturk/src/commands/UpdateHITTypeOfHITCommand.ts index 057191f12cd9..53235997fc3d 100644 --- a/clients/client-mturk/src/commands/UpdateHITTypeOfHITCommand.ts +++ b/clients/client-mturk/src/commands/UpdateHITTypeOfHITCommand.ts @@ -89,4 +89,16 @@ export class UpdateHITTypeOfHITCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHITTypeOfHITCommand) .de(de_UpdateHITTypeOfHITCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHITTypeOfHITRequest; + output: {}; + }; + sdk: { + input: UpdateHITTypeOfHITCommandInput; + output: UpdateHITTypeOfHITCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/UpdateNotificationSettingsCommand.ts b/clients/client-mturk/src/commands/UpdateNotificationSettingsCommand.ts index ca691ab02cbf..e0e97d6838b8 100644 --- a/clients/client-mturk/src/commands/UpdateNotificationSettingsCommand.ts +++ b/clients/client-mturk/src/commands/UpdateNotificationSettingsCommand.ts @@ -101,4 +101,16 @@ export class UpdateNotificationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNotificationSettingsCommand) .de(de_UpdateNotificationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotificationSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateNotificationSettingsCommandInput; + output: UpdateNotificationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-mturk/src/commands/UpdateQualificationTypeCommand.ts b/clients/client-mturk/src/commands/UpdateQualificationTypeCommand.ts index 0fb7271f1ca2..153f83a04002 100644 --- a/clients/client-mturk/src/commands/UpdateQualificationTypeCommand.ts +++ b/clients/client-mturk/src/commands/UpdateQualificationTypeCommand.ts @@ -137,4 +137,16 @@ export class UpdateQualificationTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQualificationTypeCommand) .de(de_UpdateQualificationTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQualificationTypeRequest; + output: UpdateQualificationTypeResponse; + }; + sdk: { + input: UpdateQualificationTypeCommandInput; + output: UpdateQualificationTypeCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/package.json b/clients/client-mwaa/package.json index 4e1efece475d..51fc44c1b28c 100644 --- a/clients/client-mwaa/package.json +++ b/clients/client-mwaa/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-mwaa/src/commands/CreateCliTokenCommand.ts b/clients/client-mwaa/src/commands/CreateCliTokenCommand.ts index 426e4301e1f6..891e1f29c56d 100644 --- a/clients/client-mwaa/src/commands/CreateCliTokenCommand.ts +++ b/clients/client-mwaa/src/commands/CreateCliTokenCommand.ts @@ -85,4 +85,16 @@ export class CreateCliTokenCommand extends $Command .f(void 0, CreateCliTokenResponseFilterSensitiveLog) .ser(se_CreateCliTokenCommand) .de(de_CreateCliTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCliTokenRequest; + output: CreateCliTokenResponse; + }; + sdk: { + input: CreateCliTokenCommandInput; + output: CreateCliTokenCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/CreateEnvironmentCommand.ts b/clients/client-mwaa/src/commands/CreateEnvironmentCommand.ts index faaf51da25a9..d37ef0ac46c9 100644 --- a/clients/client-mwaa/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-mwaa/src/commands/CreateEnvironmentCommand.ts @@ -143,4 +143,16 @@ export class CreateEnvironmentCommand extends $Command .f(CreateEnvironmentInputFilterSensitiveLog, void 0) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentInput; + output: CreateEnvironmentOutput; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/CreateWebLoginTokenCommand.ts b/clients/client-mwaa/src/commands/CreateWebLoginTokenCommand.ts index 9b46bf5c6afc..1b59ff11dd84 100644 --- a/clients/client-mwaa/src/commands/CreateWebLoginTokenCommand.ts +++ b/clients/client-mwaa/src/commands/CreateWebLoginTokenCommand.ts @@ -96,4 +96,16 @@ export class CreateWebLoginTokenCommand extends $Command .f(void 0, CreateWebLoginTokenResponseFilterSensitiveLog) .ser(se_CreateWebLoginTokenCommand) .de(de_CreateWebLoginTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebLoginTokenRequest; + output: CreateWebLoginTokenResponse; + }; + sdk: { + input: CreateWebLoginTokenCommandInput; + output: CreateWebLoginTokenCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/DeleteEnvironmentCommand.ts b/clients/client-mwaa/src/commands/DeleteEnvironmentCommand.ts index 3a7678b95e9e..164d5c1e0c57 100644 --- a/clients/client-mwaa/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-mwaa/src/commands/DeleteEnvironmentCommand.ts @@ -84,4 +84,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentInput; + output: {}; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/GetEnvironmentCommand.ts b/clients/client-mwaa/src/commands/GetEnvironmentCommand.ts index 18c87ba967ee..310db5aa7868 100644 --- a/clients/client-mwaa/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-mwaa/src/commands/GetEnvironmentCommand.ts @@ -166,4 +166,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, GetEnvironmentOutputFilterSensitiveLog) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentInput; + output: GetEnvironmentOutput; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/ListEnvironmentsCommand.ts b/clients/client-mwaa/src/commands/ListEnvironmentsCommand.ts index 9d903bdda169..92c008486060 100644 --- a/clients/client-mwaa/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-mwaa/src/commands/ListEnvironmentsCommand.ts @@ -87,4 +87,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsInput; + output: ListEnvironmentsOutput; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/ListTagsForResourceCommand.ts b/clients/client-mwaa/src/commands/ListTagsForResourceCommand.ts index 3a037caa8af9..fc3a73b15e71 100644 --- a/clients/client-mwaa/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-mwaa/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/PublishMetricsCommand.ts b/clients/client-mwaa/src/commands/PublishMetricsCommand.ts index dfc3c56dcd21..c6c2bbbe52cd 100644 --- a/clients/client-mwaa/src/commands/PublishMetricsCommand.ts +++ b/clients/client-mwaa/src/commands/PublishMetricsCommand.ts @@ -104,4 +104,16 @@ export class PublishMetricsCommand extends $Command .f(void 0, void 0) .ser(se_PublishMetricsCommand) .de(de_PublishMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishMetricsInput; + output: {}; + }; + sdk: { + input: PublishMetricsCommandInput; + output: PublishMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/TagResourceCommand.ts b/clients/client-mwaa/src/commands/TagResourceCommand.ts index 1f4060bde634..c068e795c87b 100644 --- a/clients/client-mwaa/src/commands/TagResourceCommand.ts +++ b/clients/client-mwaa/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/UntagResourceCommand.ts b/clients/client-mwaa/src/commands/UntagResourceCommand.ts index 6945b42c402e..aab20dd286aa 100644 --- a/clients/client-mwaa/src/commands/UntagResourceCommand.ts +++ b/clients/client-mwaa/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-mwaa/src/commands/UpdateEnvironmentCommand.ts b/clients/client-mwaa/src/commands/UpdateEnvironmentCommand.ts index 72a34637bf40..c5f0e7374ac8 100644 --- a/clients/client-mwaa/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-mwaa/src/commands/UpdateEnvironmentCommand.ts @@ -138,4 +138,16 @@ export class UpdateEnvironmentCommand extends $Command .f(UpdateEnvironmentInputFilterSensitiveLog, void 0) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentInput; + output: UpdateEnvironmentOutput; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/package.json b/clients/client-neptune-graph/package.json index 180ffe28ad7a..29f495b37f9c 100644 --- a/clients/client-neptune-graph/package.json +++ b/clients/client-neptune-graph/package.json @@ -33,33 +33,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-neptune-graph/src/commands/CancelImportTaskCommand.ts b/clients/client-neptune-graph/src/commands/CancelImportTaskCommand.ts index 3f61f8c241fc..036c4891c580 100644 --- a/clients/client-neptune-graph/src/commands/CancelImportTaskCommand.ts +++ b/clients/client-neptune-graph/src/commands/CancelImportTaskCommand.ts @@ -100,4 +100,16 @@ export class CancelImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelImportTaskCommand) .de(de_CancelImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelImportTaskInput; + output: CancelImportTaskOutput; + }; + sdk: { + input: CancelImportTaskCommandInput; + output: CancelImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/CancelQueryCommand.ts b/clients/client-neptune-graph/src/commands/CancelQueryCommand.ts index b7c639901c28..51c516fe4df8 100644 --- a/clients/client-neptune-graph/src/commands/CancelQueryCommand.ts +++ b/clients/client-neptune-graph/src/commands/CancelQueryCommand.ts @@ -94,4 +94,16 @@ export class CancelQueryCommand extends $Command .f(void 0, void 0) .ser(se_CancelQueryCommand) .de(de_CancelQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelQueryInput; + output: {}; + }; + sdk: { + input: CancelQueryCommandInput; + output: CancelQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/CreateGraphCommand.ts b/clients/client-neptune-graph/src/commands/CreateGraphCommand.ts index 0bef36bf014f..074f030f7db4 100644 --- a/clients/client-neptune-graph/src/commands/CreateGraphCommand.ts +++ b/clients/client-neptune-graph/src/commands/CreateGraphCommand.ts @@ -122,4 +122,16 @@ export class CreateGraphCommand extends $Command .f(void 0, void 0) .ser(se_CreateGraphCommand) .de(de_CreateGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGraphInput; + output: CreateGraphOutput; + }; + sdk: { + input: CreateGraphCommandInput; + output: CreateGraphCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/CreateGraphSnapshotCommand.ts b/clients/client-neptune-graph/src/commands/CreateGraphSnapshotCommand.ts index 6c1c250ac0ee..188ff9f87801 100644 --- a/clients/client-neptune-graph/src/commands/CreateGraphSnapshotCommand.ts +++ b/clients/client-neptune-graph/src/commands/CreateGraphSnapshotCommand.ts @@ -108,4 +108,16 @@ export class CreateGraphSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateGraphSnapshotCommand) .de(de_CreateGraphSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGraphSnapshotInput; + output: CreateGraphSnapshotOutput; + }; + sdk: { + input: CreateGraphSnapshotCommandInput; + output: CreateGraphSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/CreateGraphUsingImportTaskCommand.ts b/clients/client-neptune-graph/src/commands/CreateGraphUsingImportTaskCommand.ts index 96ad36288283..3c252905639b 100644 --- a/clients/client-neptune-graph/src/commands/CreateGraphUsingImportTaskCommand.ts +++ b/clients/client-neptune-graph/src/commands/CreateGraphUsingImportTaskCommand.ts @@ -137,4 +137,16 @@ export class CreateGraphUsingImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateGraphUsingImportTaskCommand) .de(de_CreateGraphUsingImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGraphUsingImportTaskInput; + output: CreateGraphUsingImportTaskOutput; + }; + sdk: { + input: CreateGraphUsingImportTaskCommandInput; + output: CreateGraphUsingImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/CreatePrivateGraphEndpointCommand.ts b/clients/client-neptune-graph/src/commands/CreatePrivateGraphEndpointCommand.ts index a867561893d7..526c7983e965 100644 --- a/clients/client-neptune-graph/src/commands/CreatePrivateGraphEndpointCommand.ts +++ b/clients/client-neptune-graph/src/commands/CreatePrivateGraphEndpointCommand.ts @@ -114,4 +114,16 @@ export class CreatePrivateGraphEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreatePrivateGraphEndpointCommand) .de(de_CreatePrivateGraphEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePrivateGraphEndpointInput; + output: CreatePrivateGraphEndpointOutput; + }; + sdk: { + input: CreatePrivateGraphEndpointCommandInput; + output: CreatePrivateGraphEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/DeleteGraphCommand.ts b/clients/client-neptune-graph/src/commands/DeleteGraphCommand.ts index b7c67fe66f08..a3b29c60c041 100644 --- a/clients/client-neptune-graph/src/commands/DeleteGraphCommand.ts +++ b/clients/client-neptune-graph/src/commands/DeleteGraphCommand.ts @@ -112,4 +112,16 @@ export class DeleteGraphCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGraphCommand) .de(de_DeleteGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGraphInput; + output: DeleteGraphOutput; + }; + sdk: { + input: DeleteGraphCommandInput; + output: DeleteGraphCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/DeleteGraphSnapshotCommand.ts b/clients/client-neptune-graph/src/commands/DeleteGraphSnapshotCommand.ts index 659c3e7801f5..b9c4afe50b5a 100644 --- a/clients/client-neptune-graph/src/commands/DeleteGraphSnapshotCommand.ts +++ b/clients/client-neptune-graph/src/commands/DeleteGraphSnapshotCommand.ts @@ -101,4 +101,16 @@ export class DeleteGraphSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGraphSnapshotCommand) .de(de_DeleteGraphSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGraphSnapshotInput; + output: DeleteGraphSnapshotOutput; + }; + sdk: { + input: DeleteGraphSnapshotCommandInput; + output: DeleteGraphSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/DeletePrivateGraphEndpointCommand.ts b/clients/client-neptune-graph/src/commands/DeletePrivateGraphEndpointCommand.ts index 5e5f36db565f..80d43cab4bf2 100644 --- a/clients/client-neptune-graph/src/commands/DeletePrivateGraphEndpointCommand.ts +++ b/clients/client-neptune-graph/src/commands/DeletePrivateGraphEndpointCommand.ts @@ -101,4 +101,16 @@ export class DeletePrivateGraphEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeletePrivateGraphEndpointCommand) .de(de_DeletePrivateGraphEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePrivateGraphEndpointInput; + output: DeletePrivateGraphEndpointOutput; + }; + sdk: { + input: DeletePrivateGraphEndpointCommandInput; + output: DeletePrivateGraphEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ExecuteQueryCommand.ts b/clients/client-neptune-graph/src/commands/ExecuteQueryCommand.ts index b2e42162ebbf..c616a886333a 100644 --- a/clients/client-neptune-graph/src/commands/ExecuteQueryCommand.ts +++ b/clients/client-neptune-graph/src/commands/ExecuteQueryCommand.ts @@ -123,4 +123,16 @@ export class ExecuteQueryCommand extends $Command .f(void 0, ExecuteQueryOutputFilterSensitiveLog) .ser(se_ExecuteQueryCommand) .de(de_ExecuteQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteQueryInput; + output: ExecuteQueryOutput; + }; + sdk: { + input: ExecuteQueryCommandInput; + output: ExecuteQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/GetGraphCommand.ts b/clients/client-neptune-graph/src/commands/GetGraphCommand.ts index 58dbe192b696..f1bd5fdaf0ca 100644 --- a/clients/client-neptune-graph/src/commands/GetGraphCommand.ts +++ b/clients/client-neptune-graph/src/commands/GetGraphCommand.ts @@ -108,4 +108,16 @@ export class GetGraphCommand extends $Command .f(void 0, void 0) .ser(se_GetGraphCommand) .de(de_GetGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGraphInput; + output: GetGraphOutput; + }; + sdk: { + input: GetGraphCommandInput; + output: GetGraphCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/GetGraphSnapshotCommand.ts b/clients/client-neptune-graph/src/commands/GetGraphSnapshotCommand.ts index 78b3b8110af0..65ecb61d1a1b 100644 --- a/clients/client-neptune-graph/src/commands/GetGraphSnapshotCommand.ts +++ b/clients/client-neptune-graph/src/commands/GetGraphSnapshotCommand.ts @@ -98,4 +98,16 @@ export class GetGraphSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_GetGraphSnapshotCommand) .de(de_GetGraphSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGraphSnapshotInput; + output: GetGraphSnapshotOutput; + }; + sdk: { + input: GetGraphSnapshotCommandInput; + output: GetGraphSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/GetGraphSummaryCommand.ts b/clients/client-neptune-graph/src/commands/GetGraphSummaryCommand.ts index 499aa0caaa0a..b2e353a5af31 100644 --- a/clients/client-neptune-graph/src/commands/GetGraphSummaryCommand.ts +++ b/clients/client-neptune-graph/src/commands/GetGraphSummaryCommand.ts @@ -142,4 +142,16 @@ export class GetGraphSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetGraphSummaryCommand) .de(de_GetGraphSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGraphSummaryInput; + output: GetGraphSummaryOutput; + }; + sdk: { + input: GetGraphSummaryCommandInput; + output: GetGraphSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/GetImportTaskCommand.ts b/clients/client-neptune-graph/src/commands/GetImportTaskCommand.ts index 71cfbc03dc35..38396d32bd5b 100644 --- a/clients/client-neptune-graph/src/commands/GetImportTaskCommand.ts +++ b/clients/client-neptune-graph/src/commands/GetImportTaskCommand.ts @@ -117,4 +117,16 @@ export class GetImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetImportTaskCommand) .de(de_GetImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportTaskInput; + output: GetImportTaskOutput; + }; + sdk: { + input: GetImportTaskCommandInput; + output: GetImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/GetPrivateGraphEndpointCommand.ts b/clients/client-neptune-graph/src/commands/GetPrivateGraphEndpointCommand.ts index 5e4a811c5d34..dc28fb12a330 100644 --- a/clients/client-neptune-graph/src/commands/GetPrivateGraphEndpointCommand.ts +++ b/clients/client-neptune-graph/src/commands/GetPrivateGraphEndpointCommand.ts @@ -98,4 +98,16 @@ export class GetPrivateGraphEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetPrivateGraphEndpointCommand) .de(de_GetPrivateGraphEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPrivateGraphEndpointInput; + output: GetPrivateGraphEndpointOutput; + }; + sdk: { + input: GetPrivateGraphEndpointCommandInput; + output: GetPrivateGraphEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/GetQueryCommand.ts b/clients/client-neptune-graph/src/commands/GetQueryCommand.ts index f3f251524248..d433bdcefbf6 100644 --- a/clients/client-neptune-graph/src/commands/GetQueryCommand.ts +++ b/clients/client-neptune-graph/src/commands/GetQueryCommand.ts @@ -106,4 +106,16 @@ export class GetQueryCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryCommand) .de(de_GetQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryInput; + output: GetQueryOutput; + }; + sdk: { + input: GetQueryCommandInput; + output: GetQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ListGraphSnapshotsCommand.ts b/clients/client-neptune-graph/src/commands/ListGraphSnapshotsCommand.ts index 8b53cb44e140..677e526c8d56 100644 --- a/clients/client-neptune-graph/src/commands/ListGraphSnapshotsCommand.ts +++ b/clients/client-neptune-graph/src/commands/ListGraphSnapshotsCommand.ts @@ -105,4 +105,16 @@ export class ListGraphSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_ListGraphSnapshotsCommand) .de(de_ListGraphSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGraphSnapshotsInput; + output: ListGraphSnapshotsOutput; + }; + sdk: { + input: ListGraphSnapshotsCommandInput; + output: ListGraphSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ListGraphsCommand.ts b/clients/client-neptune-graph/src/commands/ListGraphsCommand.ts index 3a2a572749cb..13aa41701084 100644 --- a/clients/client-neptune-graph/src/commands/ListGraphsCommand.ts +++ b/clients/client-neptune-graph/src/commands/ListGraphsCommand.ts @@ -104,4 +104,16 @@ export class ListGraphsCommand extends $Command .f(void 0, void 0) .ser(se_ListGraphsCommand) .de(de_ListGraphsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGraphsInput; + output: ListGraphsOutput; + }; + sdk: { + input: ListGraphsCommandInput; + output: ListGraphsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ListImportTasksCommand.ts b/clients/client-neptune-graph/src/commands/ListImportTasksCommand.ts index fabf178a6711..d67c7680d521 100644 --- a/clients/client-neptune-graph/src/commands/ListImportTasksCommand.ts +++ b/clients/client-neptune-graph/src/commands/ListImportTasksCommand.ts @@ -103,4 +103,16 @@ export class ListImportTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListImportTasksCommand) .de(de_ListImportTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportTasksInput; + output: ListImportTasksOutput; + }; + sdk: { + input: ListImportTasksCommandInput; + output: ListImportTasksCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ListPrivateGraphEndpointsCommand.ts b/clients/client-neptune-graph/src/commands/ListPrivateGraphEndpointsCommand.ts index 2f8b105f30d8..12d79bc6fbf1 100644 --- a/clients/client-neptune-graph/src/commands/ListPrivateGraphEndpointsCommand.ts +++ b/clients/client-neptune-graph/src/commands/ListPrivateGraphEndpointsCommand.ts @@ -104,4 +104,16 @@ export class ListPrivateGraphEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListPrivateGraphEndpointsCommand) .de(de_ListPrivateGraphEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrivateGraphEndpointsInput; + output: ListPrivateGraphEndpointsOutput; + }; + sdk: { + input: ListPrivateGraphEndpointsCommandInput; + output: ListPrivateGraphEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ListQueriesCommand.ts b/clients/client-neptune-graph/src/commands/ListQueriesCommand.ts index da07083b82f7..df639a6e5e55 100644 --- a/clients/client-neptune-graph/src/commands/ListQueriesCommand.ts +++ b/clients/client-neptune-graph/src/commands/ListQueriesCommand.ts @@ -102,4 +102,16 @@ export class ListQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueriesCommand) .de(de_ListQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueriesInput; + output: ListQueriesOutput; + }; + sdk: { + input: ListQueriesCommandInput; + output: ListQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ListTagsForResourceCommand.ts b/clients/client-neptune-graph/src/commands/ListTagsForResourceCommand.ts index c43762d1e3f0..3eb689dc8859 100644 --- a/clients/client-neptune-graph/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-neptune-graph/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/ResetGraphCommand.ts b/clients/client-neptune-graph/src/commands/ResetGraphCommand.ts index e673c58dba18..522ee3515594 100644 --- a/clients/client-neptune-graph/src/commands/ResetGraphCommand.ts +++ b/clients/client-neptune-graph/src/commands/ResetGraphCommand.ts @@ -112,4 +112,16 @@ export class ResetGraphCommand extends $Command .f(void 0, void 0) .ser(se_ResetGraphCommand) .de(de_ResetGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetGraphInput; + output: ResetGraphOutput; + }; + sdk: { + input: ResetGraphCommandInput; + output: ResetGraphCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/RestoreGraphFromSnapshotCommand.ts b/clients/client-neptune-graph/src/commands/RestoreGraphFromSnapshotCommand.ts index 06cf6a4aa565..ef8c11076fd7 100644 --- a/clients/client-neptune-graph/src/commands/RestoreGraphFromSnapshotCommand.ts +++ b/clients/client-neptune-graph/src/commands/RestoreGraphFromSnapshotCommand.ts @@ -122,4 +122,16 @@ export class RestoreGraphFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreGraphFromSnapshotCommand) .de(de_RestoreGraphFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreGraphFromSnapshotInput; + output: RestoreGraphFromSnapshotOutput; + }; + sdk: { + input: RestoreGraphFromSnapshotCommandInput; + output: RestoreGraphFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/StartImportTaskCommand.ts b/clients/client-neptune-graph/src/commands/StartImportTaskCommand.ts index bdf6f33ece00..1b2aa4ce2a98 100644 --- a/clients/client-neptune-graph/src/commands/StartImportTaskCommand.ts +++ b/clients/client-neptune-graph/src/commands/StartImportTaskCommand.ts @@ -121,4 +121,16 @@ export class StartImportTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartImportTaskCommand) .de(de_StartImportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportTaskInput; + output: StartImportTaskOutput; + }; + sdk: { + input: StartImportTaskCommandInput; + output: StartImportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/TagResourceCommand.ts b/clients/client-neptune-graph/src/commands/TagResourceCommand.ts index 897c0146fd5a..963c21356344 100644 --- a/clients/client-neptune-graph/src/commands/TagResourceCommand.ts +++ b/clients/client-neptune-graph/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/UntagResourceCommand.ts b/clients/client-neptune-graph/src/commands/UntagResourceCommand.ts index 069bfba13dd6..b8d348929362 100644 --- a/clients/client-neptune-graph/src/commands/UntagResourceCommand.ts +++ b/clients/client-neptune-graph/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune-graph/src/commands/UpdateGraphCommand.ts b/clients/client-neptune-graph/src/commands/UpdateGraphCommand.ts index ce9404b87302..4d331dd6d273 100644 --- a/clients/client-neptune-graph/src/commands/UpdateGraphCommand.ts +++ b/clients/client-neptune-graph/src/commands/UpdateGraphCommand.ts @@ -114,4 +114,16 @@ export class UpdateGraphCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGraphCommand) .de(de_UpdateGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGraphInput; + output: UpdateGraphOutput; + }; + sdk: { + input: UpdateGraphCommandInput; + output: UpdateGraphCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/package.json b/clients/client-neptune/package.json index 113e6564a32b..756e1b85a28c 100644 --- a/clients/client-neptune/package.json +++ b/clients/client-neptune/package.json @@ -34,32 +34,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-neptune/src/commands/AddRoleToDBClusterCommand.ts b/clients/client-neptune/src/commands/AddRoleToDBClusterCommand.ts index 68fff3e23913..f2afa35672d6 100644 --- a/clients/client-neptune/src/commands/AddRoleToDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/AddRoleToDBClusterCommand.ts @@ -91,4 +91,16 @@ export class AddRoleToDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_AddRoleToDBClusterCommand) .de(de_AddRoleToDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddRoleToDBClusterMessage; + output: {}; + }; + sdk: { + input: AddRoleToDBClusterCommandInput; + output: AddRoleToDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/AddSourceIdentifierToSubscriptionCommand.ts b/clients/client-neptune/src/commands/AddSourceIdentifierToSubscriptionCommand.ts index d31947a17539..1450b89c3861 100644 --- a/clients/client-neptune/src/commands/AddSourceIdentifierToSubscriptionCommand.ts +++ b/clients/client-neptune/src/commands/AddSourceIdentifierToSubscriptionCommand.ts @@ -104,4 +104,16 @@ export class AddSourceIdentifierToSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_AddSourceIdentifierToSubscriptionCommand) .de(de_AddSourceIdentifierToSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddSourceIdentifierToSubscriptionMessage; + output: AddSourceIdentifierToSubscriptionResult; + }; + sdk: { + input: AddSourceIdentifierToSubscriptionCommandInput; + output: AddSourceIdentifierToSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/AddTagsToResourceCommand.ts b/clients/client-neptune/src/commands/AddTagsToResourceCommand.ts index 3b80dbacebb2..6c9611243bd7 100644 --- a/clients/client-neptune/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-neptune/src/commands/AddTagsToResourceCommand.ts @@ -95,4 +95,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceMessage; + output: {}; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ApplyPendingMaintenanceActionCommand.ts b/clients/client-neptune/src/commands/ApplyPendingMaintenanceActionCommand.ts index dc19f1d74b89..dc1f39722cb2 100644 --- a/clients/client-neptune/src/commands/ApplyPendingMaintenanceActionCommand.ts +++ b/clients/client-neptune/src/commands/ApplyPendingMaintenanceActionCommand.ts @@ -99,4 +99,16 @@ export class ApplyPendingMaintenanceActionCommand extends $Command .f(void 0, void 0) .ser(se_ApplyPendingMaintenanceActionCommand) .de(de_ApplyPendingMaintenanceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplyPendingMaintenanceActionMessage; + output: ApplyPendingMaintenanceActionResult; + }; + sdk: { + input: ApplyPendingMaintenanceActionCommandInput; + output: ApplyPendingMaintenanceActionCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CopyDBClusterParameterGroupCommand.ts b/clients/client-neptune/src/commands/CopyDBClusterParameterGroupCommand.ts index adb14bfea6ef..644b0d9ed10a 100644 --- a/clients/client-neptune/src/commands/CopyDBClusterParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/CopyDBClusterParameterGroupCommand.ts @@ -101,4 +101,16 @@ export class CopyDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBClusterParameterGroupCommand) .de(de_CopyDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBClusterParameterGroupMessage; + output: CopyDBClusterParameterGroupResult; + }; + sdk: { + input: CopyDBClusterParameterGroupCommandInput; + output: CopyDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CopyDBClusterSnapshotCommand.ts b/clients/client-neptune/src/commands/CopyDBClusterSnapshotCommand.ts index e2376bf9d58a..a136a7571d34 100644 --- a/clients/client-neptune/src/commands/CopyDBClusterSnapshotCommand.ts +++ b/clients/client-neptune/src/commands/CopyDBClusterSnapshotCommand.ts @@ -136,4 +136,16 @@ export class CopyDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBClusterSnapshotCommand) .de(de_CopyDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBClusterSnapshotMessage; + output: CopyDBClusterSnapshotResult; + }; + sdk: { + input: CopyDBClusterSnapshotCommandInput; + output: CopyDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CopyDBParameterGroupCommand.ts b/clients/client-neptune/src/commands/CopyDBParameterGroupCommand.ts index f4370e1f4a36..bcd451e5d694 100644 --- a/clients/client-neptune/src/commands/CopyDBParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/CopyDBParameterGroupCommand.ts @@ -101,4 +101,16 @@ export class CopyDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBParameterGroupCommand) .de(de_CopyDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBParameterGroupMessage; + output: CopyDBParameterGroupResult; + }; + sdk: { + input: CopyDBParameterGroupCommandInput; + output: CopyDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateDBClusterCommand.ts b/clients/client-neptune/src/commands/CreateDBClusterCommand.ts index 746847c5dccb..46996e2fa1de 100644 --- a/clients/client-neptune/src/commands/CreateDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/CreateDBClusterCommand.ts @@ -282,4 +282,16 @@ export class CreateDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterCommand) .de(de_CreateDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterMessage; + output: CreateDBClusterResult; + }; + sdk: { + input: CreateDBClusterCommandInput; + output: CreateDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateDBClusterEndpointCommand.ts b/clients/client-neptune/src/commands/CreateDBClusterEndpointCommand.ts index f58cfaae83a9..170364b6289a 100644 --- a/clients/client-neptune/src/commands/CreateDBClusterEndpointCommand.ts +++ b/clients/client-neptune/src/commands/CreateDBClusterEndpointCommand.ts @@ -124,4 +124,16 @@ export class CreateDBClusterEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterEndpointCommand) .de(de_CreateDBClusterEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterEndpointMessage; + output: CreateDBClusterEndpointOutput; + }; + sdk: { + input: CreateDBClusterEndpointCommandInput; + output: CreateDBClusterEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateDBClusterParameterGroupCommand.ts b/clients/client-neptune/src/commands/CreateDBClusterParameterGroupCommand.ts index e53d6396a2a2..6e553a117910 100644 --- a/clients/client-neptune/src/commands/CreateDBClusterParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/CreateDBClusterParameterGroupCommand.ts @@ -125,4 +125,16 @@ export class CreateDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterParameterGroupCommand) .de(de_CreateDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterParameterGroupMessage; + output: CreateDBClusterParameterGroupResult; + }; + sdk: { + input: CreateDBClusterParameterGroupCommandInput; + output: CreateDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateDBClusterSnapshotCommand.ts b/clients/client-neptune/src/commands/CreateDBClusterSnapshotCommand.ts index 1b07cd819313..53f3d71dc6bd 100644 --- a/clients/client-neptune/src/commands/CreateDBClusterSnapshotCommand.ts +++ b/clients/client-neptune/src/commands/CreateDBClusterSnapshotCommand.ts @@ -124,4 +124,16 @@ export class CreateDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterSnapshotCommand) .de(de_CreateDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterSnapshotMessage; + output: CreateDBClusterSnapshotResult; + }; + sdk: { + input: CreateDBClusterSnapshotCommandInput; + output: CreateDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateDBInstanceCommand.ts b/clients/client-neptune/src/commands/CreateDBInstanceCommand.ts index be10a1b7aa5f..cd28f675b1eb 100644 --- a/clients/client-neptune/src/commands/CreateDBInstanceCommand.ts +++ b/clients/client-neptune/src/commands/CreateDBInstanceCommand.ts @@ -336,4 +336,16 @@ export class CreateDBInstanceCommand extends $Command .f(CreateDBInstanceMessageFilterSensitiveLog, void 0) .ser(se_CreateDBInstanceCommand) .de(de_CreateDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBInstanceMessage; + output: CreateDBInstanceResult; + }; + sdk: { + input: CreateDBInstanceCommandInput; + output: CreateDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateDBParameterGroupCommand.ts b/clients/client-neptune/src/commands/CreateDBParameterGroupCommand.ts index 0c06796351ca..acac64a2b22b 100644 --- a/clients/client-neptune/src/commands/CreateDBParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/CreateDBParameterGroupCommand.ts @@ -115,4 +115,16 @@ export class CreateDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBParameterGroupCommand) .de(de_CreateDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBParameterGroupMessage; + output: CreateDBParameterGroupResult; + }; + sdk: { + input: CreateDBParameterGroupCommandInput; + output: CreateDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateDBSubnetGroupCommand.ts b/clients/client-neptune/src/commands/CreateDBSubnetGroupCommand.ts index 9d7ea6260176..50e9357eb6d0 100644 --- a/clients/client-neptune/src/commands/CreateDBSubnetGroupCommand.ts +++ b/clients/client-neptune/src/commands/CreateDBSubnetGroupCommand.ts @@ -121,4 +121,16 @@ export class CreateDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBSubnetGroupCommand) .de(de_CreateDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBSubnetGroupMessage; + output: CreateDBSubnetGroupResult; + }; + sdk: { + input: CreateDBSubnetGroupCommandInput; + output: CreateDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateEventSubscriptionCommand.ts b/clients/client-neptune/src/commands/CreateEventSubscriptionCommand.ts index 8d1efdd55987..c5588e7e9fce 100644 --- a/clients/client-neptune/src/commands/CreateEventSubscriptionCommand.ts +++ b/clients/client-neptune/src/commands/CreateEventSubscriptionCommand.ts @@ -142,4 +142,16 @@ export class CreateEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventSubscriptionCommand) .de(de_CreateEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventSubscriptionMessage; + output: CreateEventSubscriptionResult; + }; + sdk: { + input: CreateEventSubscriptionCommandInput; + output: CreateEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/CreateGlobalClusterCommand.ts b/clients/client-neptune/src/commands/CreateGlobalClusterCommand.ts index c65a821afbc5..1e69ec5ea93f 100644 --- a/clients/client-neptune/src/commands/CreateGlobalClusterCommand.ts +++ b/clients/client-neptune/src/commands/CreateGlobalClusterCommand.ts @@ -121,4 +121,16 @@ export class CreateGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateGlobalClusterCommand) .de(de_CreateGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlobalClusterMessage; + output: CreateGlobalClusterResult; + }; + sdk: { + input: CreateGlobalClusterCommandInput; + output: CreateGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteDBClusterCommand.ts b/clients/client-neptune/src/commands/DeleteDBClusterCommand.ts index 4fd8ce711f54..2632ddccba5f 100644 --- a/clients/client-neptune/src/commands/DeleteDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/DeleteDBClusterCommand.ts @@ -194,4 +194,16 @@ export class DeleteDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterCommand) .de(de_DeleteDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterMessage; + output: DeleteDBClusterResult; + }; + sdk: { + input: DeleteDBClusterCommandInput; + output: DeleteDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteDBClusterEndpointCommand.ts b/clients/client-neptune/src/commands/DeleteDBClusterEndpointCommand.ts index da5ec1fe04c2..d33d2c1f3132 100644 --- a/clients/client-neptune/src/commands/DeleteDBClusterEndpointCommand.ts +++ b/clients/client-neptune/src/commands/DeleteDBClusterEndpointCommand.ts @@ -99,4 +99,16 @@ export class DeleteDBClusterEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterEndpointCommand) .de(de_DeleteDBClusterEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterEndpointMessage; + output: DeleteDBClusterEndpointOutput; + }; + sdk: { + input: DeleteDBClusterEndpointCommandInput; + output: DeleteDBClusterEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteDBClusterParameterGroupCommand.ts b/clients/client-neptune/src/commands/DeleteDBClusterParameterGroupCommand.ts index 1b5a88195d81..7507681dfee8 100644 --- a/clients/client-neptune/src/commands/DeleteDBClusterParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/DeleteDBClusterParameterGroupCommand.ts @@ -88,4 +88,16 @@ export class DeleteDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterParameterGroupCommand) .de(de_DeleteDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterParameterGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBClusterParameterGroupCommandInput; + output: DeleteDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteDBClusterSnapshotCommand.ts b/clients/client-neptune/src/commands/DeleteDBClusterSnapshotCommand.ts index a4e30de33699..5a67a3129840 100644 --- a/clients/client-neptune/src/commands/DeleteDBClusterSnapshotCommand.ts +++ b/clients/client-neptune/src/commands/DeleteDBClusterSnapshotCommand.ts @@ -114,4 +114,16 @@ export class DeleteDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterSnapshotCommand) .de(de_DeleteDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterSnapshotMessage; + output: DeleteDBClusterSnapshotResult; + }; + sdk: { + input: DeleteDBClusterSnapshotCommandInput; + output: DeleteDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteDBInstanceCommand.ts b/clients/client-neptune/src/commands/DeleteDBInstanceCommand.ts index ac29430b7d65..96fa3d93a8fa 100644 --- a/clients/client-neptune/src/commands/DeleteDBInstanceCommand.ts +++ b/clients/client-neptune/src/commands/DeleteDBInstanceCommand.ts @@ -244,4 +244,16 @@ export class DeleteDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBInstanceCommand) .de(de_DeleteDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBInstanceMessage; + output: DeleteDBInstanceResult; + }; + sdk: { + input: DeleteDBInstanceCommandInput; + output: DeleteDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteDBParameterGroupCommand.ts b/clients/client-neptune/src/commands/DeleteDBParameterGroupCommand.ts index 5bd654495cc9..b20c7171afc5 100644 --- a/clients/client-neptune/src/commands/DeleteDBParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/DeleteDBParameterGroupCommand.ts @@ -85,4 +85,16 @@ export class DeleteDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBParameterGroupCommand) .de(de_DeleteDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBParameterGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBParameterGroupCommandInput; + output: DeleteDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteDBSubnetGroupCommand.ts b/clients/client-neptune/src/commands/DeleteDBSubnetGroupCommand.ts index e3fd30c7616c..7df5cf9ecfda 100644 --- a/clients/client-neptune/src/commands/DeleteDBSubnetGroupCommand.ts +++ b/clients/client-neptune/src/commands/DeleteDBSubnetGroupCommand.ts @@ -89,4 +89,16 @@ export class DeleteDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBSubnetGroupCommand) .de(de_DeleteDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBSubnetGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBSubnetGroupCommandInput; + output: DeleteDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteEventSubscriptionCommand.ts b/clients/client-neptune/src/commands/DeleteEventSubscriptionCommand.ts index 42e3a7c9a081..d3595968f4e3 100644 --- a/clients/client-neptune/src/commands/DeleteEventSubscriptionCommand.ts +++ b/clients/client-neptune/src/commands/DeleteEventSubscriptionCommand.ts @@ -98,4 +98,16 @@ export class DeleteEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventSubscriptionCommand) .de(de_DeleteEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventSubscriptionMessage; + output: DeleteEventSubscriptionResult; + }; + sdk: { + input: DeleteEventSubscriptionCommandInput; + output: DeleteEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DeleteGlobalClusterCommand.ts b/clients/client-neptune/src/commands/DeleteGlobalClusterCommand.ts index 2694b703acab..f9728eac4cd1 100644 --- a/clients/client-neptune/src/commands/DeleteGlobalClusterCommand.ts +++ b/clients/client-neptune/src/commands/DeleteGlobalClusterCommand.ts @@ -102,4 +102,16 @@ export class DeleteGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGlobalClusterCommand) .de(de_DeleteGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGlobalClusterMessage; + output: DeleteGlobalClusterResult; + }; + sdk: { + input: DeleteGlobalClusterCommandInput; + output: DeleteGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBClusterEndpointsCommand.ts b/clients/client-neptune/src/commands/DescribeDBClusterEndpointsCommand.ts index 1260ba5be661..c37df7929fa6 100644 --- a/clients/client-neptune/src/commands/DescribeDBClusterEndpointsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBClusterEndpointsCommand.ts @@ -114,4 +114,16 @@ export class DescribeDBClusterEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterEndpointsCommand) .de(de_DescribeDBClusterEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterEndpointsMessage; + output: DBClusterEndpointMessage; + }; + sdk: { + input: DescribeDBClusterEndpointsCommandInput; + output: DescribeDBClusterEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBClusterParameterGroupsCommand.ts b/clients/client-neptune/src/commands/DescribeDBClusterParameterGroupsCommand.ts index 5a73bd3845af..0c00eb9d587e 100644 --- a/clients/client-neptune/src/commands/DescribeDBClusterParameterGroupsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBClusterParameterGroupsCommand.ts @@ -107,4 +107,16 @@ export class DescribeDBClusterParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterParameterGroupsCommand) .de(de_DescribeDBClusterParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterParameterGroupsMessage; + output: DBClusterParameterGroupsMessage; + }; + sdk: { + input: DescribeDBClusterParameterGroupsCommandInput; + output: DescribeDBClusterParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBClusterParametersCommand.ts b/clients/client-neptune/src/commands/DescribeDBClusterParametersCommand.ts index 6a077729dbb7..4e113127cdfb 100644 --- a/clients/client-neptune/src/commands/DescribeDBClusterParametersCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBClusterParametersCommand.ts @@ -107,4 +107,16 @@ export class DescribeDBClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterParametersCommand) .de(de_DescribeDBClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterParametersMessage; + output: DBClusterParameterGroupDetails; + }; + sdk: { + input: DescribeDBClusterParametersCommandInput; + output: DescribeDBClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts b/clients/client-neptune/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts index 00d52e622d61..098c840124a2 100644 --- a/clients/client-neptune/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts @@ -109,4 +109,16 @@ export class DescribeDBClusterSnapshotAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterSnapshotAttributesCommand) .de(de_DescribeDBClusterSnapshotAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterSnapshotAttributesMessage; + output: DescribeDBClusterSnapshotAttributesResult; + }; + sdk: { + input: DescribeDBClusterSnapshotAttributesCommandInput; + output: DescribeDBClusterSnapshotAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBClusterSnapshotsCommand.ts b/clients/client-neptune/src/commands/DescribeDBClusterSnapshotsCommand.ts index fb3d495df702..1b62eb158a05 100644 --- a/clients/client-neptune/src/commands/DescribeDBClusterSnapshotsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBClusterSnapshotsCommand.ts @@ -124,4 +124,16 @@ export class DescribeDBClusterSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterSnapshotsCommand) .de(de_DescribeDBClusterSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterSnapshotsMessage; + output: DBClusterSnapshotMessage; + }; + sdk: { + input: DescribeDBClusterSnapshotsCommandInput; + output: DescribeDBClusterSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBClustersCommand.ts b/clients/client-neptune/src/commands/DescribeDBClustersCommand.ts index 33ddd02c8212..7f0bcc440b10 100644 --- a/clients/client-neptune/src/commands/DescribeDBClustersCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBClustersCommand.ts @@ -193,4 +193,16 @@ export class DescribeDBClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClustersCommand) .de(de_DescribeDBClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClustersMessage; + output: DBClusterMessage; + }; + sdk: { + input: DescribeDBClustersCommandInput; + output: DescribeDBClustersCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBEngineVersionsCommand.ts b/clients/client-neptune/src/commands/DescribeDBEngineVersionsCommand.ts index c2cc24034542..650bdac2ed61 100644 --- a/clients/client-neptune/src/commands/DescribeDBEngineVersionsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBEngineVersionsCommand.ts @@ -132,4 +132,16 @@ export class DescribeDBEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBEngineVersionsCommand) .de(de_DescribeDBEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBEngineVersionsMessage; + output: DBEngineVersionMessage; + }; + sdk: { + input: DescribeDBEngineVersionsCommandInput; + output: DescribeDBEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBInstancesCommand.ts b/clients/client-neptune/src/commands/DescribeDBInstancesCommand.ts index 59f83ed71dc9..43975fc2f540 100644 --- a/clients/client-neptune/src/commands/DescribeDBInstancesCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBInstancesCommand.ts @@ -233,4 +233,16 @@ export class DescribeDBInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBInstancesCommand) .de(de_DescribeDBInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBInstancesMessage; + output: DBInstanceMessage; + }; + sdk: { + input: DescribeDBInstancesCommandInput; + output: DescribeDBInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBParameterGroupsCommand.ts b/clients/client-neptune/src/commands/DescribeDBParameterGroupsCommand.ts index c1952adbe8c9..0b8856e6e94d 100644 --- a/clients/client-neptune/src/commands/DescribeDBParameterGroupsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBParameterGroupsCommand.ts @@ -102,4 +102,16 @@ export class DescribeDBParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBParameterGroupsCommand) .de(de_DescribeDBParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBParameterGroupsMessage; + output: DBParameterGroupsMessage; + }; + sdk: { + input: DescribeDBParameterGroupsCommandInput; + output: DescribeDBParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBParametersCommand.ts b/clients/client-neptune/src/commands/DescribeDBParametersCommand.ts index f835aeda9f0d..f931bafbcea8 100644 --- a/clients/client-neptune/src/commands/DescribeDBParametersCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBParametersCommand.ts @@ -107,4 +107,16 @@ export class DescribeDBParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBParametersCommand) .de(de_DescribeDBParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBParametersMessage; + output: DBParameterGroupDetails; + }; + sdk: { + input: DescribeDBParametersCommandInput; + output: DescribeDBParametersCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeDBSubnetGroupsCommand.ts b/clients/client-neptune/src/commands/DescribeDBSubnetGroupsCommand.ts index 3137b46998df..c94b610a6ad8 100644 --- a/clients/client-neptune/src/commands/DescribeDBSubnetGroupsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeDBSubnetGroupsCommand.ts @@ -112,4 +112,16 @@ export class DescribeDBSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBSubnetGroupsCommand) .de(de_DescribeDBSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBSubnetGroupsMessage; + output: DBSubnetGroupMessage; + }; + sdk: { + input: DescribeDBSubnetGroupsCommandInput; + output: DescribeDBSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeEngineDefaultClusterParametersCommand.ts b/clients/client-neptune/src/commands/DescribeEngineDefaultClusterParametersCommand.ts index 2ba757d5556f..e418f80943bc 100644 --- a/clients/client-neptune/src/commands/DescribeEngineDefaultClusterParametersCommand.ts +++ b/clients/client-neptune/src/commands/DescribeEngineDefaultClusterParametersCommand.ts @@ -114,4 +114,16 @@ export class DescribeEngineDefaultClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineDefaultClusterParametersCommand) .de(de_DescribeEngineDefaultClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineDefaultClusterParametersMessage; + output: DescribeEngineDefaultClusterParametersResult; + }; + sdk: { + input: DescribeEngineDefaultClusterParametersCommandInput; + output: DescribeEngineDefaultClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeEngineDefaultParametersCommand.ts b/clients/client-neptune/src/commands/DescribeEngineDefaultParametersCommand.ts index 7b7c71224ca2..196c41125d0e 100644 --- a/clients/client-neptune/src/commands/DescribeEngineDefaultParametersCommand.ts +++ b/clients/client-neptune/src/commands/DescribeEngineDefaultParametersCommand.ts @@ -110,4 +110,16 @@ export class DescribeEngineDefaultParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineDefaultParametersCommand) .de(de_DescribeEngineDefaultParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineDefaultParametersMessage; + output: DescribeEngineDefaultParametersResult; + }; + sdk: { + input: DescribeEngineDefaultParametersCommandInput; + output: DescribeEngineDefaultParametersCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeEventCategoriesCommand.ts b/clients/client-neptune/src/commands/DescribeEventCategoriesCommand.ts index 45c698532b50..6356890e7665 100644 --- a/clients/client-neptune/src/commands/DescribeEventCategoriesCommand.ts +++ b/clients/client-neptune/src/commands/DescribeEventCategoriesCommand.ts @@ -93,4 +93,16 @@ export class DescribeEventCategoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventCategoriesCommand) .de(de_DescribeEventCategoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventCategoriesMessage; + output: EventCategoriesMessage; + }; + sdk: { + input: DescribeEventCategoriesCommandInput; + output: DescribeEventCategoriesCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeEventSubscriptionsCommand.ts b/clients/client-neptune/src/commands/DescribeEventSubscriptionsCommand.ts index e401a2e8a283..7058a512e197 100644 --- a/clients/client-neptune/src/commands/DescribeEventSubscriptionsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeEventSubscriptionsCommand.ts @@ -111,4 +111,16 @@ export class DescribeEventSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSubscriptionsCommand) .de(de_DescribeEventSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventSubscriptionsMessage; + output: EventSubscriptionsMessage; + }; + sdk: { + input: DescribeEventSubscriptionsCommandInput; + output: DescribeEventSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeEventsCommand.ts b/clients/client-neptune/src/commands/DescribeEventsCommand.ts index 6ab807926bd2..13968f97bc67 100644 --- a/clients/client-neptune/src/commands/DescribeEventsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeEventsCommand.ts @@ -109,4 +109,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsMessage; + output: EventsMessage; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeGlobalClustersCommand.ts b/clients/client-neptune/src/commands/DescribeGlobalClustersCommand.ts index b5b4f06b581b..e448f81bf581 100644 --- a/clients/client-neptune/src/commands/DescribeGlobalClustersCommand.ts +++ b/clients/client-neptune/src/commands/DescribeGlobalClustersCommand.ts @@ -104,4 +104,16 @@ export class DescribeGlobalClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalClustersCommand) .de(de_DescribeGlobalClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGlobalClustersMessage; + output: GlobalClustersMessage; + }; + sdk: { + input: DescribeGlobalClustersCommandInput; + output: DescribeGlobalClustersCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts b/clients/client-neptune/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts index a22ec13c6151..c267947d59f1 100644 --- a/clients/client-neptune/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts @@ -125,4 +125,16 @@ export class DescribeOrderableDBInstanceOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrderableDBInstanceOptionsCommand) .de(de_DescribeOrderableDBInstanceOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrderableDBInstanceOptionsMessage; + output: OrderableDBInstanceOptionsMessage; + }; + sdk: { + input: DescribeOrderableDBInstanceOptionsCommandInput; + output: DescribeOrderableDBInstanceOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribePendingMaintenanceActionsCommand.ts b/clients/client-neptune/src/commands/DescribePendingMaintenanceActionsCommand.ts index 66a3a82a6792..15e7388f8747 100644 --- a/clients/client-neptune/src/commands/DescribePendingMaintenanceActionsCommand.ts +++ b/clients/client-neptune/src/commands/DescribePendingMaintenanceActionsCommand.ts @@ -111,4 +111,16 @@ export class DescribePendingMaintenanceActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePendingMaintenanceActionsCommand) .de(de_DescribePendingMaintenanceActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePendingMaintenanceActionsMessage; + output: PendingMaintenanceActionsMessage; + }; + sdk: { + input: DescribePendingMaintenanceActionsCommandInput; + output: DescribePendingMaintenanceActionsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/DescribeValidDBInstanceModificationsCommand.ts b/clients/client-neptune/src/commands/DescribeValidDBInstanceModificationsCommand.ts index 70c31957b69d..c30a77498e34 100644 --- a/clients/client-neptune/src/commands/DescribeValidDBInstanceModificationsCommand.ts +++ b/clients/client-neptune/src/commands/DescribeValidDBInstanceModificationsCommand.ts @@ -120,4 +120,16 @@ export class DescribeValidDBInstanceModificationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeValidDBInstanceModificationsCommand) .de(de_DescribeValidDBInstanceModificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeValidDBInstanceModificationsMessage; + output: DescribeValidDBInstanceModificationsResult; + }; + sdk: { + input: DescribeValidDBInstanceModificationsCommandInput; + output: DescribeValidDBInstanceModificationsCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/FailoverDBClusterCommand.ts b/clients/client-neptune/src/commands/FailoverDBClusterCommand.ts index d85a9e3eb595..f36802254c0f 100644 --- a/clients/client-neptune/src/commands/FailoverDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/FailoverDBClusterCommand.ts @@ -189,4 +189,16 @@ export class FailoverDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_FailoverDBClusterCommand) .de(de_FailoverDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverDBClusterMessage; + output: FailoverDBClusterResult; + }; + sdk: { + input: FailoverDBClusterCommandInput; + output: FailoverDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/FailoverGlobalClusterCommand.ts b/clients/client-neptune/src/commands/FailoverGlobalClusterCommand.ts index 8774e5ce0536..96c22f7b94b0 100644 --- a/clients/client-neptune/src/commands/FailoverGlobalClusterCommand.ts +++ b/clients/client-neptune/src/commands/FailoverGlobalClusterCommand.ts @@ -122,4 +122,16 @@ export class FailoverGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_FailoverGlobalClusterCommand) .de(de_FailoverGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverGlobalClusterMessage; + output: FailoverGlobalClusterResult; + }; + sdk: { + input: FailoverGlobalClusterCommandInput; + output: FailoverGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ListTagsForResourceCommand.ts b/clients/client-neptune/src/commands/ListTagsForResourceCommand.ts index 654a56511f94..e4a67b09235f 100644 --- a/clients/client-neptune/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-neptune/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceMessage; + output: TagListMessage; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyDBClusterCommand.ts b/clients/client-neptune/src/commands/ModifyDBClusterCommand.ts index 5f73aa231c07..64f3e330bbff 100644 --- a/clients/client-neptune/src/commands/ModifyDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/ModifyDBClusterCommand.ts @@ -247,4 +247,16 @@ export class ModifyDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterCommand) .de(de_ModifyDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterMessage; + output: ModifyDBClusterResult; + }; + sdk: { + input: ModifyDBClusterCommandInput; + output: ModifyDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyDBClusterEndpointCommand.ts b/clients/client-neptune/src/commands/ModifyDBClusterEndpointCommand.ts index d86664860dda..cd730f5181d8 100644 --- a/clients/client-neptune/src/commands/ModifyDBClusterEndpointCommand.ts +++ b/clients/client-neptune/src/commands/ModifyDBClusterEndpointCommand.ts @@ -113,4 +113,16 @@ export class ModifyDBClusterEndpointCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterEndpointCommand) .de(de_ModifyDBClusterEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterEndpointMessage; + output: ModifyDBClusterEndpointOutput; + }; + sdk: { + input: ModifyDBClusterEndpointCommandInput; + output: ModifyDBClusterEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyDBClusterParameterGroupCommand.ts b/clients/client-neptune/src/commands/ModifyDBClusterParameterGroupCommand.ts index 7e96693669df..9511203510f0 100644 --- a/clients/client-neptune/src/commands/ModifyDBClusterParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/ModifyDBClusterParameterGroupCommand.ts @@ -124,4 +124,16 @@ export class ModifyDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterParameterGroupCommand) .de(de_ModifyDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterParameterGroupMessage; + output: DBClusterParameterGroupNameMessage; + }; + sdk: { + input: ModifyDBClusterParameterGroupCommandInput; + output: ModifyDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts b/clients/client-neptune/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts index abf05921b949..719e76806079 100644 --- a/clients/client-neptune/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts +++ b/clients/client-neptune/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts @@ -123,4 +123,16 @@ export class ModifyDBClusterSnapshotAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterSnapshotAttributeCommand) .de(de_ModifyDBClusterSnapshotAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterSnapshotAttributeMessage; + output: ModifyDBClusterSnapshotAttributeResult; + }; + sdk: { + input: ModifyDBClusterSnapshotAttributeCommandInput; + output: ModifyDBClusterSnapshotAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyDBInstanceCommand.ts b/clients/client-neptune/src/commands/ModifyDBInstanceCommand.ts index 63f4be40b220..27be2affaf90 100644 --- a/clients/client-neptune/src/commands/ModifyDBInstanceCommand.ts +++ b/clients/client-neptune/src/commands/ModifyDBInstanceCommand.ts @@ -323,4 +323,16 @@ export class ModifyDBInstanceCommand extends $Command .f(ModifyDBInstanceMessageFilterSensitiveLog, void 0) .ser(se_ModifyDBInstanceCommand) .de(de_ModifyDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBInstanceMessage; + output: ModifyDBInstanceResult; + }; + sdk: { + input: ModifyDBInstanceCommandInput; + output: ModifyDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyDBParameterGroupCommand.ts b/clients/client-neptune/src/commands/ModifyDBParameterGroupCommand.ts index 7b921da273bb..7123d4dd8d5c 100644 --- a/clients/client-neptune/src/commands/ModifyDBParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/ModifyDBParameterGroupCommand.ts @@ -119,4 +119,16 @@ export class ModifyDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBParameterGroupCommand) .de(de_ModifyDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBParameterGroupMessage; + output: DBParameterGroupNameMessage; + }; + sdk: { + input: ModifyDBParameterGroupCommandInput; + output: ModifyDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyDBSubnetGroupCommand.ts b/clients/client-neptune/src/commands/ModifyDBSubnetGroupCommand.ts index f25a1e8811c7..2e50d1e26b23 100644 --- a/clients/client-neptune/src/commands/ModifyDBSubnetGroupCommand.ts +++ b/clients/client-neptune/src/commands/ModifyDBSubnetGroupCommand.ts @@ -116,4 +116,16 @@ export class ModifyDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBSubnetGroupCommand) .de(de_ModifyDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBSubnetGroupMessage; + output: ModifyDBSubnetGroupResult; + }; + sdk: { + input: ModifyDBSubnetGroupCommandInput; + output: ModifyDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyEventSubscriptionCommand.ts b/clients/client-neptune/src/commands/ModifyEventSubscriptionCommand.ts index 216f9d0cec37..9764caf73586 100644 --- a/clients/client-neptune/src/commands/ModifyEventSubscriptionCommand.ts +++ b/clients/client-neptune/src/commands/ModifyEventSubscriptionCommand.ts @@ -120,4 +120,16 @@ export class ModifyEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyEventSubscriptionCommand) .de(de_ModifyEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEventSubscriptionMessage; + output: ModifyEventSubscriptionResult; + }; + sdk: { + input: ModifyEventSubscriptionCommandInput; + output: ModifyEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ModifyGlobalClusterCommand.ts b/clients/client-neptune/src/commands/ModifyGlobalClusterCommand.ts index 117f84a8a1cc..62acd6d7fb4e 100644 --- a/clients/client-neptune/src/commands/ModifyGlobalClusterCommand.ts +++ b/clients/client-neptune/src/commands/ModifyGlobalClusterCommand.ts @@ -107,4 +107,16 @@ export class ModifyGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyGlobalClusterCommand) .de(de_ModifyGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyGlobalClusterMessage; + output: ModifyGlobalClusterResult; + }; + sdk: { + input: ModifyGlobalClusterCommandInput; + output: ModifyGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/PromoteReadReplicaDBClusterCommand.ts b/clients/client-neptune/src/commands/PromoteReadReplicaDBClusterCommand.ts index 044f966cfcff..a927f9bc3ede 100644 --- a/clients/client-neptune/src/commands/PromoteReadReplicaDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/PromoteReadReplicaDBClusterCommand.ts @@ -178,4 +178,16 @@ export class PromoteReadReplicaDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_PromoteReadReplicaDBClusterCommand) .de(de_PromoteReadReplicaDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PromoteReadReplicaDBClusterMessage; + output: PromoteReadReplicaDBClusterResult; + }; + sdk: { + input: PromoteReadReplicaDBClusterCommandInput; + output: PromoteReadReplicaDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/RebootDBInstanceCommand.ts b/clients/client-neptune/src/commands/RebootDBInstanceCommand.ts index 2ad30a0f5db2..4d886fe23956 100644 --- a/clients/client-neptune/src/commands/RebootDBInstanceCommand.ts +++ b/clients/client-neptune/src/commands/RebootDBInstanceCommand.ts @@ -224,4 +224,16 @@ export class RebootDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RebootDBInstanceCommand) .de(de_RebootDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootDBInstanceMessage; + output: RebootDBInstanceResult; + }; + sdk: { + input: RebootDBInstanceCommandInput; + output: RebootDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/RemoveFromGlobalClusterCommand.ts b/clients/client-neptune/src/commands/RemoveFromGlobalClusterCommand.ts index d150783460b7..2a845687a5a9 100644 --- a/clients/client-neptune/src/commands/RemoveFromGlobalClusterCommand.ts +++ b/clients/client-neptune/src/commands/RemoveFromGlobalClusterCommand.ts @@ -109,4 +109,16 @@ export class RemoveFromGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFromGlobalClusterCommand) .de(de_RemoveFromGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFromGlobalClusterMessage; + output: RemoveFromGlobalClusterResult; + }; + sdk: { + input: RemoveFromGlobalClusterCommandInput; + output: RemoveFromGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/RemoveRoleFromDBClusterCommand.ts b/clients/client-neptune/src/commands/RemoveRoleFromDBClusterCommand.ts index fb6d0f7c06a6..4a6cebfcc76d 100644 --- a/clients/client-neptune/src/commands/RemoveRoleFromDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/RemoveRoleFromDBClusterCommand.ts @@ -87,4 +87,16 @@ export class RemoveRoleFromDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_RemoveRoleFromDBClusterCommand) .de(de_RemoveRoleFromDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveRoleFromDBClusterMessage; + output: {}; + }; + sdk: { + input: RemoveRoleFromDBClusterCommandInput; + output: RemoveRoleFromDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts b/clients/client-neptune/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts index c05e5ca8c2ae..6435a021835b 100644 --- a/clients/client-neptune/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts +++ b/clients/client-neptune/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts @@ -108,4 +108,16 @@ export class RemoveSourceIdentifierFromSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveSourceIdentifierFromSubscriptionCommand) .de(de_RemoveSourceIdentifierFromSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveSourceIdentifierFromSubscriptionMessage; + output: RemoveSourceIdentifierFromSubscriptionResult; + }; + sdk: { + input: RemoveSourceIdentifierFromSubscriptionCommandInput; + output: RemoveSourceIdentifierFromSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-neptune/src/commands/RemoveTagsFromResourceCommand.ts index cfad446e7b73..34eb4e01155b 100644 --- a/clients/client-neptune/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-neptune/src/commands/RemoveTagsFromResourceCommand.ts @@ -90,4 +90,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceMessage; + output: {}; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ResetDBClusterParameterGroupCommand.ts b/clients/client-neptune/src/commands/ResetDBClusterParameterGroupCommand.ts index 02390df47218..c0ade90d9b04 100644 --- a/clients/client-neptune/src/commands/ResetDBClusterParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/ResetDBClusterParameterGroupCommand.ts @@ -110,4 +110,16 @@ export class ResetDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetDBClusterParameterGroupCommand) .de(de_ResetDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetDBClusterParameterGroupMessage; + output: DBClusterParameterGroupNameMessage; + }; + sdk: { + input: ResetDBClusterParameterGroupCommandInput; + output: ResetDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/ResetDBParameterGroupCommand.ts b/clients/client-neptune/src/commands/ResetDBParameterGroupCommand.ts index 29f4aed12ba8..586e6504fa10 100644 --- a/clients/client-neptune/src/commands/ResetDBParameterGroupCommand.ts +++ b/clients/client-neptune/src/commands/ResetDBParameterGroupCommand.ts @@ -107,4 +107,16 @@ export class ResetDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetDBParameterGroupCommand) .de(de_ResetDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetDBParameterGroupMessage; + output: DBParameterGroupNameMessage; + }; + sdk: { + input: ResetDBParameterGroupCommandInput; + output: ResetDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/RestoreDBClusterFromSnapshotCommand.ts b/clients/client-neptune/src/commands/RestoreDBClusterFromSnapshotCommand.ts index 247c41dd4e2d..42cba352a76c 100644 --- a/clients/client-neptune/src/commands/RestoreDBClusterFromSnapshotCommand.ts +++ b/clients/client-neptune/src/commands/RestoreDBClusterFromSnapshotCommand.ts @@ -269,4 +269,16 @@ export class RestoreDBClusterFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBClusterFromSnapshotCommand) .de(de_RestoreDBClusterFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBClusterFromSnapshotMessage; + output: RestoreDBClusterFromSnapshotResult; + }; + sdk: { + input: RestoreDBClusterFromSnapshotCommandInput; + output: RestoreDBClusterFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/RestoreDBClusterToPointInTimeCommand.ts b/clients/client-neptune/src/commands/RestoreDBClusterToPointInTimeCommand.ts index b89f95360de0..e3ba730b1835 100644 --- a/clients/client-neptune/src/commands/RestoreDBClusterToPointInTimeCommand.ts +++ b/clients/client-neptune/src/commands/RestoreDBClusterToPointInTimeCommand.ts @@ -278,4 +278,16 @@ export class RestoreDBClusterToPointInTimeCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBClusterToPointInTimeCommand) .de(de_RestoreDBClusterToPointInTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBClusterToPointInTimeMessage; + output: RestoreDBClusterToPointInTimeResult; + }; + sdk: { + input: RestoreDBClusterToPointInTimeCommandInput; + output: RestoreDBClusterToPointInTimeCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/StartDBClusterCommand.ts b/clients/client-neptune/src/commands/StartDBClusterCommand.ts index 2d646944c010..acd4474149fb 100644 --- a/clients/client-neptune/src/commands/StartDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/StartDBClusterCommand.ts @@ -182,4 +182,16 @@ export class StartDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_StartDBClusterCommand) .de(de_StartDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDBClusterMessage; + output: StartDBClusterResult; + }; + sdk: { + input: StartDBClusterCommandInput; + output: StartDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptune/src/commands/StopDBClusterCommand.ts b/clients/client-neptune/src/commands/StopDBClusterCommand.ts index fda71833dece..07328d6b91d5 100644 --- a/clients/client-neptune/src/commands/StopDBClusterCommand.ts +++ b/clients/client-neptune/src/commands/StopDBClusterCommand.ts @@ -185,4 +185,16 @@ export class StopDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_StopDBClusterCommand) .de(de_StopDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDBClusterMessage; + output: StopDBClusterResult; + }; + sdk: { + input: StopDBClusterCommandInput; + output: StopDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/package.json b/clients/client-neptunedata/package.json index ca913f434467..526cafd2518c 100644 --- a/clients/client-neptunedata/package.json +++ b/clients/client-neptunedata/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-neptunedata/src/commands/CancelGremlinQueryCommand.ts b/clients/client-neptunedata/src/commands/CancelGremlinQueryCommand.ts index 3d3e03372ce9..720eaa6b862d 100644 --- a/clients/client-neptunedata/src/commands/CancelGremlinQueryCommand.ts +++ b/clients/client-neptunedata/src/commands/CancelGremlinQueryCommand.ts @@ -125,4 +125,16 @@ export class CancelGremlinQueryCommand extends $Command .f(void 0, void 0) .ser(se_CancelGremlinQueryCommand) .de(de_CancelGremlinQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelGremlinQueryInput; + output: CancelGremlinQueryOutput; + }; + sdk: { + input: CancelGremlinQueryCommandInput; + output: CancelGremlinQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/CancelLoaderJobCommand.ts b/clients/client-neptunedata/src/commands/CancelLoaderJobCommand.ts index 40e9896b21ed..e6987c9a81e2 100644 --- a/clients/client-neptunedata/src/commands/CancelLoaderJobCommand.ts +++ b/clients/client-neptunedata/src/commands/CancelLoaderJobCommand.ts @@ -122,4 +122,16 @@ export class CancelLoaderJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelLoaderJobCommand) .de(de_CancelLoaderJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelLoaderJobInput; + output: CancelLoaderJobOutput; + }; + sdk: { + input: CancelLoaderJobCommandInput; + output: CancelLoaderJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/CancelMLDataProcessingJobCommand.ts b/clients/client-neptunedata/src/commands/CancelMLDataProcessingJobCommand.ts index 648e62dfc30f..a59fac98e13f 100644 --- a/clients/client-neptunedata/src/commands/CancelMLDataProcessingJobCommand.ts +++ b/clients/client-neptunedata/src/commands/CancelMLDataProcessingJobCommand.ts @@ -117,4 +117,16 @@ export class CancelMLDataProcessingJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelMLDataProcessingJobCommand) .de(de_CancelMLDataProcessingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMLDataProcessingJobInput; + output: CancelMLDataProcessingJobOutput; + }; + sdk: { + input: CancelMLDataProcessingJobCommandInput; + output: CancelMLDataProcessingJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/CancelMLModelTrainingJobCommand.ts b/clients/client-neptunedata/src/commands/CancelMLModelTrainingJobCommand.ts index 2fb1b10c68a4..f68aede06136 100644 --- a/clients/client-neptunedata/src/commands/CancelMLModelTrainingJobCommand.ts +++ b/clients/client-neptunedata/src/commands/CancelMLModelTrainingJobCommand.ts @@ -117,4 +117,16 @@ export class CancelMLModelTrainingJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelMLModelTrainingJobCommand) .de(de_CancelMLModelTrainingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMLModelTrainingJobInput; + output: CancelMLModelTrainingJobOutput; + }; + sdk: { + input: CancelMLModelTrainingJobCommandInput; + output: CancelMLModelTrainingJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/CancelMLModelTransformJobCommand.ts b/clients/client-neptunedata/src/commands/CancelMLModelTransformJobCommand.ts index 13f677ba79d6..fee02e5eeab5 100644 --- a/clients/client-neptunedata/src/commands/CancelMLModelTransformJobCommand.ts +++ b/clients/client-neptunedata/src/commands/CancelMLModelTransformJobCommand.ts @@ -117,4 +117,16 @@ export class CancelMLModelTransformJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelMLModelTransformJobCommand) .de(de_CancelMLModelTransformJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMLModelTransformJobInput; + output: CancelMLModelTransformJobOutput; + }; + sdk: { + input: CancelMLModelTransformJobCommandInput; + output: CancelMLModelTransformJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/CancelOpenCypherQueryCommand.ts b/clients/client-neptunedata/src/commands/CancelOpenCypherQueryCommand.ts index 4ee6857076fa..21e01ace9cd4 100644 --- a/clients/client-neptunedata/src/commands/CancelOpenCypherQueryCommand.ts +++ b/clients/client-neptunedata/src/commands/CancelOpenCypherQueryCommand.ts @@ -130,4 +130,16 @@ export class CancelOpenCypherQueryCommand extends $Command .f(void 0, void 0) .ser(se_CancelOpenCypherQueryCommand) .de(de_CancelOpenCypherQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelOpenCypherQueryInput; + output: CancelOpenCypherQueryOutput; + }; + sdk: { + input: CancelOpenCypherQueryCommandInput; + output: CancelOpenCypherQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/CreateMLEndpointCommand.ts b/clients/client-neptunedata/src/commands/CreateMLEndpointCommand.ts index c6d839515571..74d4107d1bd0 100644 --- a/clients/client-neptunedata/src/commands/CreateMLEndpointCommand.ts +++ b/clients/client-neptunedata/src/commands/CreateMLEndpointCommand.ts @@ -127,4 +127,16 @@ export class CreateMLEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateMLEndpointCommand) .de(de_CreateMLEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMLEndpointInput; + output: CreateMLEndpointOutput; + }; + sdk: { + input: CreateMLEndpointCommandInput; + output: CreateMLEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/DeleteMLEndpointCommand.ts b/clients/client-neptunedata/src/commands/DeleteMLEndpointCommand.ts index 34e4abc09729..e33f677e7c62 100644 --- a/clients/client-neptunedata/src/commands/DeleteMLEndpointCommand.ts +++ b/clients/client-neptunedata/src/commands/DeleteMLEndpointCommand.ts @@ -118,4 +118,16 @@ export class DeleteMLEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMLEndpointCommand) .de(de_DeleteMLEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMLEndpointInput; + output: DeleteMLEndpointOutput; + }; + sdk: { + input: DeleteMLEndpointCommandInput; + output: DeleteMLEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/DeletePropertygraphStatisticsCommand.ts b/clients/client-neptunedata/src/commands/DeletePropertygraphStatisticsCommand.ts index 7203cfdf2e4d..f3c57d70d566 100644 --- a/clients/client-neptunedata/src/commands/DeletePropertygraphStatisticsCommand.ts +++ b/clients/client-neptunedata/src/commands/DeletePropertygraphStatisticsCommand.ts @@ -129,4 +129,16 @@ export class DeletePropertygraphStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_DeletePropertygraphStatisticsCommand) .de(de_DeletePropertygraphStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeletePropertygraphStatisticsOutput; + }; + sdk: { + input: DeletePropertygraphStatisticsCommandInput; + output: DeletePropertygraphStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/DeleteSparqlStatisticsCommand.ts b/clients/client-neptunedata/src/commands/DeleteSparqlStatisticsCommand.ts index 723ef52d78dd..448d850e2394 100644 --- a/clients/client-neptunedata/src/commands/DeleteSparqlStatisticsCommand.ts +++ b/clients/client-neptunedata/src/commands/DeleteSparqlStatisticsCommand.ts @@ -123,4 +123,16 @@ export class DeleteSparqlStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSparqlStatisticsCommand) .de(de_DeleteSparqlStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeleteSparqlStatisticsOutput; + }; + sdk: { + input: DeleteSparqlStatisticsCommandInput; + output: DeleteSparqlStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ExecuteFastResetCommand.ts b/clients/client-neptunedata/src/commands/ExecuteFastResetCommand.ts index 509fb28d494f..09aecd8a6d28 100644 --- a/clients/client-neptunedata/src/commands/ExecuteFastResetCommand.ts +++ b/clients/client-neptunedata/src/commands/ExecuteFastResetCommand.ts @@ -131,4 +131,16 @@ export class ExecuteFastResetCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteFastResetCommand) .de(de_ExecuteFastResetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteFastResetInput; + output: ExecuteFastResetOutput; + }; + sdk: { + input: ExecuteFastResetCommandInput; + output: ExecuteFastResetCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ExecuteGremlinExplainQueryCommand.ts b/clients/client-neptunedata/src/commands/ExecuteGremlinExplainQueryCommand.ts index 7a33a8e23a87..2263c09abc07 100644 --- a/clients/client-neptunedata/src/commands/ExecuteGremlinExplainQueryCommand.ts +++ b/clients/client-neptunedata/src/commands/ExecuteGremlinExplainQueryCommand.ts @@ -187,4 +187,16 @@ export class ExecuteGremlinExplainQueryCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteGremlinExplainQueryCommand) .de(de_ExecuteGremlinExplainQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteGremlinExplainQueryInput; + output: ExecuteGremlinExplainQueryOutput; + }; + sdk: { + input: ExecuteGremlinExplainQueryCommandInput; + output: ExecuteGremlinExplainQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ExecuteGremlinProfileQueryCommand.ts b/clients/client-neptunedata/src/commands/ExecuteGremlinProfileQueryCommand.ts index e550831b6806..2948794a6623 100644 --- a/clients/client-neptunedata/src/commands/ExecuteGremlinProfileQueryCommand.ts +++ b/clients/client-neptunedata/src/commands/ExecuteGremlinProfileQueryCommand.ts @@ -166,4 +166,16 @@ export class ExecuteGremlinProfileQueryCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteGremlinProfileQueryCommand) .de(de_ExecuteGremlinProfileQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteGremlinProfileQueryInput; + output: ExecuteGremlinProfileQueryOutput; + }; + sdk: { + input: ExecuteGremlinProfileQueryCommandInput; + output: ExecuteGremlinProfileQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ExecuteGremlinQueryCommand.ts b/clients/client-neptunedata/src/commands/ExecuteGremlinQueryCommand.ts index f9f488f521ac..15b2a0256305 100644 --- a/clients/client-neptunedata/src/commands/ExecuteGremlinQueryCommand.ts +++ b/clients/client-neptunedata/src/commands/ExecuteGremlinQueryCommand.ts @@ -179,4 +179,16 @@ export class ExecuteGremlinQueryCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteGremlinQueryCommand) .de(de_ExecuteGremlinQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteGremlinQueryInput; + output: ExecuteGremlinQueryOutput; + }; + sdk: { + input: ExecuteGremlinQueryCommandInput; + output: ExecuteGremlinQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ExecuteOpenCypherExplainQueryCommand.ts b/clients/client-neptunedata/src/commands/ExecuteOpenCypherExplainQueryCommand.ts index 0615d4b2d541..62b3ccdcf0b1 100644 --- a/clients/client-neptunedata/src/commands/ExecuteOpenCypherExplainQueryCommand.ts +++ b/clients/client-neptunedata/src/commands/ExecuteOpenCypherExplainQueryCommand.ts @@ -169,4 +169,16 @@ export class ExecuteOpenCypherExplainQueryCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteOpenCypherExplainQueryCommand) .de(de_ExecuteOpenCypherExplainQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteOpenCypherExplainQueryInput; + output: ExecuteOpenCypherExplainQueryOutput; + }; + sdk: { + input: ExecuteOpenCypherExplainQueryCommandInput; + output: ExecuteOpenCypherExplainQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ExecuteOpenCypherQueryCommand.ts b/clients/client-neptunedata/src/commands/ExecuteOpenCypherQueryCommand.ts index cce4e87ed1d4..ae326d2bc9d2 100644 --- a/clients/client-neptunedata/src/commands/ExecuteOpenCypherQueryCommand.ts +++ b/clients/client-neptunedata/src/commands/ExecuteOpenCypherQueryCommand.ts @@ -180,4 +180,16 @@ export class ExecuteOpenCypherQueryCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteOpenCypherQueryCommand) .de(de_ExecuteOpenCypherQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteOpenCypherQueryInput; + output: ExecuteOpenCypherQueryOutput; + }; + sdk: { + input: ExecuteOpenCypherQueryCommandInput; + output: ExecuteOpenCypherQueryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetEngineStatusCommand.ts b/clients/client-neptunedata/src/commands/GetEngineStatusCommand.ts index b5760cf3affb..2787715be9d3 100644 --- a/clients/client-neptunedata/src/commands/GetEngineStatusCommand.ts +++ b/clients/client-neptunedata/src/commands/GetEngineStatusCommand.ts @@ -127,4 +127,16 @@ export class GetEngineStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetEngineStatusCommand) .de(de_GetEngineStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetEngineStatusOutput; + }; + sdk: { + input: GetEngineStatusCommandInput; + output: GetEngineStatusCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetGremlinQueryStatusCommand.ts b/clients/client-neptunedata/src/commands/GetGremlinQueryStatusCommand.ts index a10c13037c44..99b1a0e2dd0c 100644 --- a/clients/client-neptunedata/src/commands/GetGremlinQueryStatusCommand.ts +++ b/clients/client-neptunedata/src/commands/GetGremlinQueryStatusCommand.ts @@ -141,4 +141,16 @@ export class GetGremlinQueryStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetGremlinQueryStatusCommand) .de(de_GetGremlinQueryStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGremlinQueryStatusInput; + output: GetGremlinQueryStatusOutput; + }; + sdk: { + input: GetGremlinQueryStatusCommandInput; + output: GetGremlinQueryStatusCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetLoaderJobStatusCommand.ts b/clients/client-neptunedata/src/commands/GetLoaderJobStatusCommand.ts index 83e6fd109383..250d68923418 100644 --- a/clients/client-neptunedata/src/commands/GetLoaderJobStatusCommand.ts +++ b/clients/client-neptunedata/src/commands/GetLoaderJobStatusCommand.ts @@ -129,4 +129,16 @@ export class GetLoaderJobStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetLoaderJobStatusCommand) .de(de_GetLoaderJobStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoaderJobStatusInput; + output: GetLoaderJobStatusOutput; + }; + sdk: { + input: GetLoaderJobStatusCommandInput; + output: GetLoaderJobStatusCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetMLDataProcessingJobCommand.ts b/clients/client-neptunedata/src/commands/GetMLDataProcessingJobCommand.ts index 5941ab07a063..c74ff105e41e 100644 --- a/clients/client-neptunedata/src/commands/GetMLDataProcessingJobCommand.ts +++ b/clients/client-neptunedata/src/commands/GetMLDataProcessingJobCommand.ts @@ -125,4 +125,16 @@ export class GetMLDataProcessingJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMLDataProcessingJobCommand) .de(de_GetMLDataProcessingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLDataProcessingJobInput; + output: GetMLDataProcessingJobOutput; + }; + sdk: { + input: GetMLDataProcessingJobCommandInput; + output: GetMLDataProcessingJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetMLEndpointCommand.ts b/clients/client-neptunedata/src/commands/GetMLEndpointCommand.ts index acec6d489cf6..7fa0be9962f5 100644 --- a/clients/client-neptunedata/src/commands/GetMLEndpointCommand.ts +++ b/clients/client-neptunedata/src/commands/GetMLEndpointCommand.ts @@ -129,4 +129,16 @@ export class GetMLEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetMLEndpointCommand) .de(de_GetMLEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLEndpointInput; + output: GetMLEndpointOutput; + }; + sdk: { + input: GetMLEndpointCommandInput; + output: GetMLEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetMLModelTrainingJobCommand.ts b/clients/client-neptunedata/src/commands/GetMLModelTrainingJobCommand.ts index eebe0ac1e929..a41f09dbd4db 100644 --- a/clients/client-neptunedata/src/commands/GetMLModelTrainingJobCommand.ts +++ b/clients/client-neptunedata/src/commands/GetMLModelTrainingJobCommand.ts @@ -147,4 +147,16 @@ export class GetMLModelTrainingJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMLModelTrainingJobCommand) .de(de_GetMLModelTrainingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLModelTrainingJobInput; + output: GetMLModelTrainingJobOutput; + }; + sdk: { + input: GetMLModelTrainingJobCommandInput; + output: GetMLModelTrainingJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetMLModelTransformJobCommand.ts b/clients/client-neptunedata/src/commands/GetMLModelTransformJobCommand.ts index d382931ed1db..ce90fb03827e 100644 --- a/clients/client-neptunedata/src/commands/GetMLModelTransformJobCommand.ts +++ b/clients/client-neptunedata/src/commands/GetMLModelTransformJobCommand.ts @@ -139,4 +139,16 @@ export class GetMLModelTransformJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMLModelTransformJobCommand) .de(de_GetMLModelTransformJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMLModelTransformJobInput; + output: GetMLModelTransformJobOutput; + }; + sdk: { + input: GetMLModelTransformJobCommandInput; + output: GetMLModelTransformJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetOpenCypherQueryStatusCommand.ts b/clients/client-neptunedata/src/commands/GetOpenCypherQueryStatusCommand.ts index 5bfa2e85b150..cad21b9e1f75 100644 --- a/clients/client-neptunedata/src/commands/GetOpenCypherQueryStatusCommand.ts +++ b/clients/client-neptunedata/src/commands/GetOpenCypherQueryStatusCommand.ts @@ -144,4 +144,16 @@ export class GetOpenCypherQueryStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetOpenCypherQueryStatusCommand) .de(de_GetOpenCypherQueryStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOpenCypherQueryStatusInput; + output: GetOpenCypherQueryStatusOutput; + }; + sdk: { + input: GetOpenCypherQueryStatusCommandInput; + output: GetOpenCypherQueryStatusCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetPropertygraphStatisticsCommand.ts b/clients/client-neptunedata/src/commands/GetPropertygraphStatisticsCommand.ts index 6bb0bbae0aa7..1cc4cc18cf7a 100644 --- a/clients/client-neptunedata/src/commands/GetPropertygraphStatisticsCommand.ts +++ b/clients/client-neptunedata/src/commands/GetPropertygraphStatisticsCommand.ts @@ -130,4 +130,16 @@ export class GetPropertygraphStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetPropertygraphStatisticsCommand) .de(de_GetPropertygraphStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPropertygraphStatisticsOutput; + }; + sdk: { + input: GetPropertygraphStatisticsCommandInput; + output: GetPropertygraphStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetPropertygraphStreamCommand.ts b/clients/client-neptunedata/src/commands/GetPropertygraphStreamCommand.ts index 7a9afba96fb8..83d664b7c6d3 100644 --- a/clients/client-neptunedata/src/commands/GetPropertygraphStreamCommand.ts +++ b/clients/client-neptunedata/src/commands/GetPropertygraphStreamCommand.ts @@ -175,4 +175,16 @@ export class GetPropertygraphStreamCommand extends $Command .f(void 0, void 0) .ser(se_GetPropertygraphStreamCommand) .de(de_GetPropertygraphStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPropertygraphStreamInput; + output: GetPropertygraphStreamOutput; + }; + sdk: { + input: GetPropertygraphStreamCommandInput; + output: GetPropertygraphStreamCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetPropertygraphSummaryCommand.ts b/clients/client-neptunedata/src/commands/GetPropertygraphSummaryCommand.ts index 26b59a2a1629..26771efaa5ac 100644 --- a/clients/client-neptunedata/src/commands/GetPropertygraphSummaryCommand.ts +++ b/clients/client-neptunedata/src/commands/GetPropertygraphSummaryCommand.ts @@ -169,4 +169,16 @@ export class GetPropertygraphSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetPropertygraphSummaryCommand) .de(de_GetPropertygraphSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPropertygraphSummaryInput; + output: GetPropertygraphSummaryOutput; + }; + sdk: { + input: GetPropertygraphSummaryCommandInput; + output: GetPropertygraphSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetRDFGraphSummaryCommand.ts b/clients/client-neptunedata/src/commands/GetRDFGraphSummaryCommand.ts index 42977a69ebe2..f9e757e3ef43 100644 --- a/clients/client-neptunedata/src/commands/GetRDFGraphSummaryCommand.ts +++ b/clients/client-neptunedata/src/commands/GetRDFGraphSummaryCommand.ts @@ -146,4 +146,16 @@ export class GetRDFGraphSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetRDFGraphSummaryCommand) .de(de_GetRDFGraphSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRDFGraphSummaryInput; + output: GetRDFGraphSummaryOutput; + }; + sdk: { + input: GetRDFGraphSummaryCommandInput; + output: GetRDFGraphSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetSparqlStatisticsCommand.ts b/clients/client-neptunedata/src/commands/GetSparqlStatisticsCommand.ts index 9c8b38ec6b12..36c07f9616e9 100644 --- a/clients/client-neptunedata/src/commands/GetSparqlStatisticsCommand.ts +++ b/clients/client-neptunedata/src/commands/GetSparqlStatisticsCommand.ts @@ -126,4 +126,16 @@ export class GetSparqlStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetSparqlStatisticsCommand) .de(de_GetSparqlStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSparqlStatisticsOutput; + }; + sdk: { + input: GetSparqlStatisticsCommandInput; + output: GetSparqlStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/GetSparqlStreamCommand.ts b/clients/client-neptunedata/src/commands/GetSparqlStreamCommand.ts index 914da7ba4ad6..b2290d845b82 100644 --- a/clients/client-neptunedata/src/commands/GetSparqlStreamCommand.ts +++ b/clients/client-neptunedata/src/commands/GetSparqlStreamCommand.ts @@ -154,4 +154,16 @@ export class GetSparqlStreamCommand extends $Command .f(void 0, void 0) .ser(se_GetSparqlStreamCommand) .de(de_GetSparqlStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSparqlStreamInput; + output: GetSparqlStreamOutput; + }; + sdk: { + input: GetSparqlStreamCommandInput; + output: GetSparqlStreamCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ListGremlinQueriesCommand.ts b/clients/client-neptunedata/src/commands/ListGremlinQueriesCommand.ts index 16b8bfb2bd02..208ab9908755 100644 --- a/clients/client-neptunedata/src/commands/ListGremlinQueriesCommand.ts +++ b/clients/client-neptunedata/src/commands/ListGremlinQueriesCommand.ts @@ -148,4 +148,16 @@ export class ListGremlinQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListGremlinQueriesCommand) .de(de_ListGremlinQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGremlinQueriesInput; + output: ListGremlinQueriesOutput; + }; + sdk: { + input: ListGremlinQueriesCommandInput; + output: ListGremlinQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ListLoaderJobsCommand.ts b/clients/client-neptunedata/src/commands/ListLoaderJobsCommand.ts index fc0f0c9c7a93..ebca0310f78f 100644 --- a/clients/client-neptunedata/src/commands/ListLoaderJobsCommand.ts +++ b/clients/client-neptunedata/src/commands/ListLoaderJobsCommand.ts @@ -124,4 +124,16 @@ export class ListLoaderJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListLoaderJobsCommand) .de(de_ListLoaderJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLoaderJobsInput; + output: ListLoaderJobsOutput; + }; + sdk: { + input: ListLoaderJobsCommandInput; + output: ListLoaderJobsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ListMLDataProcessingJobsCommand.ts b/clients/client-neptunedata/src/commands/ListMLDataProcessingJobsCommand.ts index 4c07624af817..7ecf7607722e 100644 --- a/clients/client-neptunedata/src/commands/ListMLDataProcessingJobsCommand.ts +++ b/clients/client-neptunedata/src/commands/ListMLDataProcessingJobsCommand.ts @@ -118,4 +118,16 @@ export class ListMLDataProcessingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMLDataProcessingJobsCommand) .de(de_ListMLDataProcessingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMLDataProcessingJobsInput; + output: ListMLDataProcessingJobsOutput; + }; + sdk: { + input: ListMLDataProcessingJobsCommandInput; + output: ListMLDataProcessingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ListMLEndpointsCommand.ts b/clients/client-neptunedata/src/commands/ListMLEndpointsCommand.ts index 2f393ef13a22..c8736b738249 100644 --- a/clients/client-neptunedata/src/commands/ListMLEndpointsCommand.ts +++ b/clients/client-neptunedata/src/commands/ListMLEndpointsCommand.ts @@ -118,4 +118,16 @@ export class ListMLEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListMLEndpointsCommand) .de(de_ListMLEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMLEndpointsInput; + output: ListMLEndpointsOutput; + }; + sdk: { + input: ListMLEndpointsCommandInput; + output: ListMLEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ListMLModelTrainingJobsCommand.ts b/clients/client-neptunedata/src/commands/ListMLModelTrainingJobsCommand.ts index c5e7c08467cd..074bd3efcad4 100644 --- a/clients/client-neptunedata/src/commands/ListMLModelTrainingJobsCommand.ts +++ b/clients/client-neptunedata/src/commands/ListMLModelTrainingJobsCommand.ts @@ -118,4 +118,16 @@ export class ListMLModelTrainingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMLModelTrainingJobsCommand) .de(de_ListMLModelTrainingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMLModelTrainingJobsInput; + output: ListMLModelTrainingJobsOutput; + }; + sdk: { + input: ListMLModelTrainingJobsCommandInput; + output: ListMLModelTrainingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ListMLModelTransformJobsCommand.ts b/clients/client-neptunedata/src/commands/ListMLModelTransformJobsCommand.ts index 9ac8fc944d4d..71ebb0ec980c 100644 --- a/clients/client-neptunedata/src/commands/ListMLModelTransformJobsCommand.ts +++ b/clients/client-neptunedata/src/commands/ListMLModelTransformJobsCommand.ts @@ -118,4 +118,16 @@ export class ListMLModelTransformJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMLModelTransformJobsCommand) .de(de_ListMLModelTransformJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMLModelTransformJobsInput; + output: ListMLModelTransformJobsOutput; + }; + sdk: { + input: ListMLModelTransformJobsCommandInput; + output: ListMLModelTransformJobsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ListOpenCypherQueriesCommand.ts b/clients/client-neptunedata/src/commands/ListOpenCypherQueriesCommand.ts index c708613cf4de..bc3f62abae89 100644 --- a/clients/client-neptunedata/src/commands/ListOpenCypherQueriesCommand.ts +++ b/clients/client-neptunedata/src/commands/ListOpenCypherQueriesCommand.ts @@ -151,4 +151,16 @@ export class ListOpenCypherQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListOpenCypherQueriesCommand) .de(de_ListOpenCypherQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOpenCypherQueriesInput; + output: ListOpenCypherQueriesOutput; + }; + sdk: { + input: ListOpenCypherQueriesCommandInput; + output: ListOpenCypherQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ManagePropertygraphStatisticsCommand.ts b/clients/client-neptunedata/src/commands/ManagePropertygraphStatisticsCommand.ts index d5de865c00e6..479c9963fce5 100644 --- a/clients/client-neptunedata/src/commands/ManagePropertygraphStatisticsCommand.ts +++ b/clients/client-neptunedata/src/commands/ManagePropertygraphStatisticsCommand.ts @@ -128,4 +128,16 @@ export class ManagePropertygraphStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_ManagePropertygraphStatisticsCommand) .de(de_ManagePropertygraphStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ManagePropertygraphStatisticsInput; + output: ManagePropertygraphStatisticsOutput; + }; + sdk: { + input: ManagePropertygraphStatisticsCommandInput; + output: ManagePropertygraphStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/ManageSparqlStatisticsCommand.ts b/clients/client-neptunedata/src/commands/ManageSparqlStatisticsCommand.ts index a88d24e59525..9a6469f047be 100644 --- a/clients/client-neptunedata/src/commands/ManageSparqlStatisticsCommand.ts +++ b/clients/client-neptunedata/src/commands/ManageSparqlStatisticsCommand.ts @@ -123,4 +123,16 @@ export class ManageSparqlStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_ManageSparqlStatisticsCommand) .de(de_ManageSparqlStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ManageSparqlStatisticsInput; + output: ManageSparqlStatisticsOutput; + }; + sdk: { + input: ManageSparqlStatisticsCommandInput; + output: ManageSparqlStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/StartLoaderJobCommand.ts b/clients/client-neptunedata/src/commands/StartLoaderJobCommand.ts index af1f141469b4..71e63c07f137 100644 --- a/clients/client-neptunedata/src/commands/StartLoaderJobCommand.ts +++ b/clients/client-neptunedata/src/commands/StartLoaderJobCommand.ts @@ -143,4 +143,16 @@ export class StartLoaderJobCommand extends $Command .f(void 0, void 0) .ser(se_StartLoaderJobCommand) .de(de_StartLoaderJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartLoaderJobInput; + output: StartLoaderJobOutput; + }; + sdk: { + input: StartLoaderJobCommandInput; + output: StartLoaderJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/StartMLDataProcessingJobCommand.ts b/clients/client-neptunedata/src/commands/StartMLDataProcessingJobCommand.ts index 6c210ce96c72..223fda5afab2 100644 --- a/clients/client-neptunedata/src/commands/StartMLDataProcessingJobCommand.ts +++ b/clients/client-neptunedata/src/commands/StartMLDataProcessingJobCommand.ts @@ -136,4 +136,16 @@ export class StartMLDataProcessingJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMLDataProcessingJobCommand) .de(de_StartMLDataProcessingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMLDataProcessingJobInput; + output: StartMLDataProcessingJobOutput; + }; + sdk: { + input: StartMLDataProcessingJobCommandInput; + output: StartMLDataProcessingJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/StartMLModelTrainingJobCommand.ts b/clients/client-neptunedata/src/commands/StartMLModelTrainingJobCommand.ts index 87a91e098e4e..531f7d235967 100644 --- a/clients/client-neptunedata/src/commands/StartMLModelTrainingJobCommand.ts +++ b/clients/client-neptunedata/src/commands/StartMLModelTrainingJobCommand.ts @@ -142,4 +142,16 @@ export class StartMLModelTrainingJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMLModelTrainingJobCommand) .de(de_StartMLModelTrainingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMLModelTrainingJobInput; + output: StartMLModelTrainingJobOutput; + }; + sdk: { + input: StartMLModelTrainingJobCommandInput; + output: StartMLModelTrainingJobCommandOutput; + }; + }; +} diff --git a/clients/client-neptunedata/src/commands/StartMLModelTransformJobCommand.ts b/clients/client-neptunedata/src/commands/StartMLModelTransformJobCommand.ts index c84293bf1591..27ed24fab283 100644 --- a/clients/client-neptunedata/src/commands/StartMLModelTransformJobCommand.ts +++ b/clients/client-neptunedata/src/commands/StartMLModelTransformJobCommand.ts @@ -137,4 +137,16 @@ export class StartMLModelTransformJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMLModelTransformJobCommand) .de(de_StartMLModelTransformJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMLModelTransformJobInput; + output: StartMLModelTransformJobOutput; + }; + sdk: { + input: StartMLModelTransformJobCommandInput; + output: StartMLModelTransformJobCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/package.json b/clients/client-network-firewall/package.json index 246e22bd81da..df8a3cc296e7 100644 --- a/clients/client-network-firewall/package.json +++ b/clients/client-network-firewall/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-network-firewall/src/commands/AssociateFirewallPolicyCommand.ts b/clients/client-network-firewall/src/commands/AssociateFirewallPolicyCommand.ts index 074ad1a44968..7192f1cdee50 100644 --- a/clients/client-network-firewall/src/commands/AssociateFirewallPolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/AssociateFirewallPolicyCommand.ts @@ -120,4 +120,16 @@ export class AssociateFirewallPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AssociateFirewallPolicyCommand) .de(de_AssociateFirewallPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFirewallPolicyRequest; + output: AssociateFirewallPolicyResponse; + }; + sdk: { + input: AssociateFirewallPolicyCommandInput; + output: AssociateFirewallPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/AssociateSubnetsCommand.ts b/clients/client-network-firewall/src/commands/AssociateSubnetsCommand.ts index f39f0477dd13..0ee81f70e2a2 100644 --- a/clients/client-network-firewall/src/commands/AssociateSubnetsCommand.ts +++ b/clients/client-network-firewall/src/commands/AssociateSubnetsCommand.ts @@ -135,4 +135,16 @@ export class AssociateSubnetsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateSubnetsCommand) .de(de_AssociateSubnetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateSubnetsRequest; + output: AssociateSubnetsResponse; + }; + sdk: { + input: AssociateSubnetsCommandInput; + output: AssociateSubnetsCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/CreateFirewallCommand.ts b/clients/client-network-firewall/src/commands/CreateFirewallCommand.ts index af7701b364e0..2ade0653588c 100644 --- a/clients/client-network-firewall/src/commands/CreateFirewallCommand.ts +++ b/clients/client-network-firewall/src/commands/CreateFirewallCommand.ts @@ -196,4 +196,16 @@ export class CreateFirewallCommand extends $Command .f(void 0, void 0) .ser(se_CreateFirewallCommand) .de(de_CreateFirewallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFirewallRequest; + output: CreateFirewallResponse; + }; + sdk: { + input: CreateFirewallCommandInput; + output: CreateFirewallCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/CreateFirewallPolicyCommand.ts b/clients/client-network-firewall/src/commands/CreateFirewallPolicyCommand.ts index 95e5ab53904a..92db4decfcc4 100644 --- a/clients/client-network-firewall/src/commands/CreateFirewallPolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/CreateFirewallPolicyCommand.ts @@ -197,4 +197,16 @@ export class CreateFirewallPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateFirewallPolicyCommand) .de(de_CreateFirewallPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFirewallPolicyRequest; + output: CreateFirewallPolicyResponse; + }; + sdk: { + input: CreateFirewallPolicyCommandInput; + output: CreateFirewallPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/CreateRuleGroupCommand.ts b/clients/client-network-firewall/src/commands/CreateRuleGroupCommand.ts index bdc804d551dc..3e8d9737e963 100644 --- a/clients/client-network-firewall/src/commands/CreateRuleGroupCommand.ts +++ b/clients/client-network-firewall/src/commands/CreateRuleGroupCommand.ts @@ -290,4 +290,16 @@ export class CreateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleGroupCommand) .de(de_CreateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleGroupRequest; + output: CreateRuleGroupResponse; + }; + sdk: { + input: CreateRuleGroupCommandInput; + output: CreateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/CreateTLSInspectionConfigurationCommand.ts b/clients/client-network-firewall/src/commands/CreateTLSInspectionConfigurationCommand.ts index 96e8e751f77c..065e2bf0eb41 100644 --- a/clients/client-network-firewall/src/commands/CreateTLSInspectionConfigurationCommand.ts +++ b/clients/client-network-firewall/src/commands/CreateTLSInspectionConfigurationCommand.ts @@ -208,4 +208,16 @@ export class CreateTLSInspectionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateTLSInspectionConfigurationCommand) .de(de_CreateTLSInspectionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTLSInspectionConfigurationRequest; + output: CreateTLSInspectionConfigurationResponse; + }; + sdk: { + input: CreateTLSInspectionConfigurationCommandInput; + output: CreateTLSInspectionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DeleteFirewallCommand.ts b/clients/client-network-firewall/src/commands/DeleteFirewallCommand.ts index c0ec0dd1b3af..585a184b0a0d 100644 --- a/clients/client-network-firewall/src/commands/DeleteFirewallCommand.ts +++ b/clients/client-network-firewall/src/commands/DeleteFirewallCommand.ts @@ -178,4 +178,16 @@ export class DeleteFirewallCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFirewallCommand) .de(de_DeleteFirewallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFirewallRequest; + output: DeleteFirewallResponse; + }; + sdk: { + input: DeleteFirewallCommandInput; + output: DeleteFirewallCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DeleteFirewallPolicyCommand.ts b/clients/client-network-firewall/src/commands/DeleteFirewallPolicyCommand.ts index 7d37e4017691..902471f21b48 100644 --- a/clients/client-network-firewall/src/commands/DeleteFirewallPolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/DeleteFirewallPolicyCommand.ts @@ -131,4 +131,16 @@ export class DeleteFirewallPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFirewallPolicyCommand) .de(de_DeleteFirewallPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFirewallPolicyRequest; + output: DeleteFirewallPolicyResponse; + }; + sdk: { + input: DeleteFirewallPolicyCommandInput; + output: DeleteFirewallPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-network-firewall/src/commands/DeleteResourcePolicyCommand.ts index 3dda9a845881..eefbec61338e 100644 --- a/clients/client-network-firewall/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/DeleteResourcePolicyCommand.ts @@ -104,4 +104,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DeleteRuleGroupCommand.ts b/clients/client-network-firewall/src/commands/DeleteRuleGroupCommand.ts index 0cd8dd475cc3..d871a135280f 100644 --- a/clients/client-network-firewall/src/commands/DeleteRuleGroupCommand.ts +++ b/clients/client-network-firewall/src/commands/DeleteRuleGroupCommand.ts @@ -147,4 +147,16 @@ export class DeleteRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleGroupCommand) .de(de_DeleteRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleGroupRequest; + output: DeleteRuleGroupResponse; + }; + sdk: { + input: DeleteRuleGroupCommandInput; + output: DeleteRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DeleteTLSInspectionConfigurationCommand.ts b/clients/client-network-firewall/src/commands/DeleteTLSInspectionConfigurationCommand.ts index 5e321a005202..470ceb4b3e92 100644 --- a/clients/client-network-firewall/src/commands/DeleteTLSInspectionConfigurationCommand.ts +++ b/clients/client-network-firewall/src/commands/DeleteTLSInspectionConfigurationCommand.ts @@ -145,4 +145,16 @@ export class DeleteTLSInspectionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTLSInspectionConfigurationCommand) .de(de_DeleteTLSInspectionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTLSInspectionConfigurationRequest; + output: DeleteTLSInspectionConfigurationResponse; + }; + sdk: { + input: DeleteTLSInspectionConfigurationCommandInput; + output: DeleteTLSInspectionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DescribeFirewallCommand.ts b/clients/client-network-firewall/src/commands/DescribeFirewallCommand.ts index 6c1a4968ee86..0c708c8b054c 100644 --- a/clients/client-network-firewall/src/commands/DescribeFirewallCommand.ts +++ b/clients/client-network-firewall/src/commands/DescribeFirewallCommand.ts @@ -162,4 +162,16 @@ export class DescribeFirewallCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFirewallCommand) .de(de_DescribeFirewallCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFirewallRequest; + output: DescribeFirewallResponse; + }; + sdk: { + input: DescribeFirewallCommandInput; + output: DescribeFirewallCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DescribeFirewallPolicyCommand.ts b/clients/client-network-firewall/src/commands/DescribeFirewallPolicyCommand.ts index 71d396a002c0..afa91fdf2367 100644 --- a/clients/client-network-firewall/src/commands/DescribeFirewallPolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/DescribeFirewallPolicyCommand.ts @@ -179,4 +179,16 @@ export class DescribeFirewallPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFirewallPolicyCommand) .de(de_DescribeFirewallPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFirewallPolicyRequest; + output: DescribeFirewallPolicyResponse; + }; + sdk: { + input: DescribeFirewallPolicyCommandInput; + output: DescribeFirewallPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DescribeLoggingConfigurationCommand.ts b/clients/client-network-firewall/src/commands/DescribeLoggingConfigurationCommand.ts index 39d999e174a9..badcc056f753 100644 --- a/clients/client-network-firewall/src/commands/DescribeLoggingConfigurationCommand.ts +++ b/clients/client-network-firewall/src/commands/DescribeLoggingConfigurationCommand.ts @@ -120,4 +120,16 @@ export class DescribeLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoggingConfigurationCommand) .de(de_DescribeLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoggingConfigurationRequest; + output: DescribeLoggingConfigurationResponse; + }; + sdk: { + input: DescribeLoggingConfigurationCommandInput; + output: DescribeLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DescribeResourcePolicyCommand.ts b/clients/client-network-firewall/src/commands/DescribeResourcePolicyCommand.ts index a6dff0f0acd5..5d73102f5891 100644 --- a/clients/client-network-firewall/src/commands/DescribeResourcePolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/DescribeResourcePolicyCommand.ts @@ -103,4 +103,16 @@ export class DescribeResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourcePolicyCommand) .de(de_DescribeResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourcePolicyRequest; + output: DescribeResourcePolicyResponse; + }; + sdk: { + input: DescribeResourcePolicyCommandInput; + output: DescribeResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DescribeRuleGroupCommand.ts b/clients/client-network-firewall/src/commands/DescribeRuleGroupCommand.ts index e0349ba76a3d..eab4e852eee6 100644 --- a/clients/client-network-firewall/src/commands/DescribeRuleGroupCommand.ts +++ b/clients/client-network-firewall/src/commands/DescribeRuleGroupCommand.ts @@ -266,4 +266,16 @@ export class DescribeRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuleGroupCommand) .de(de_DescribeRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuleGroupRequest; + output: DescribeRuleGroupResponse; + }; + sdk: { + input: DescribeRuleGroupCommandInput; + output: DescribeRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DescribeRuleGroupMetadataCommand.ts b/clients/client-network-firewall/src/commands/DescribeRuleGroupMetadataCommand.ts index 5efe43b462ef..6bb8693a16e6 100644 --- a/clients/client-network-firewall/src/commands/DescribeRuleGroupMetadataCommand.ts +++ b/clients/client-network-firewall/src/commands/DescribeRuleGroupMetadataCommand.ts @@ -116,4 +116,16 @@ export class DescribeRuleGroupMetadataCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuleGroupMetadataCommand) .de(de_DescribeRuleGroupMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuleGroupMetadataRequest; + output: DescribeRuleGroupMetadataResponse; + }; + sdk: { + input: DescribeRuleGroupMetadataCommandInput; + output: DescribeRuleGroupMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DescribeTLSInspectionConfigurationCommand.ts b/clients/client-network-firewall/src/commands/DescribeTLSInspectionConfigurationCommand.ts index 9dc2a751192f..cb822b4d6fc8 100644 --- a/clients/client-network-firewall/src/commands/DescribeTLSInspectionConfigurationCommand.ts +++ b/clients/client-network-firewall/src/commands/DescribeTLSInspectionConfigurationCommand.ts @@ -190,4 +190,16 @@ export class DescribeTLSInspectionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTLSInspectionConfigurationCommand) .de(de_DescribeTLSInspectionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTLSInspectionConfigurationRequest; + output: DescribeTLSInspectionConfigurationResponse; + }; + sdk: { + input: DescribeTLSInspectionConfigurationCommandInput; + output: DescribeTLSInspectionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/DisassociateSubnetsCommand.ts b/clients/client-network-firewall/src/commands/DisassociateSubnetsCommand.ts index 54628b7c14b8..d70ef9edaec8 100644 --- a/clients/client-network-firewall/src/commands/DisassociateSubnetsCommand.ts +++ b/clients/client-network-firewall/src/commands/DisassociateSubnetsCommand.ts @@ -126,4 +126,16 @@ export class DisassociateSubnetsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateSubnetsCommand) .de(de_DisassociateSubnetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateSubnetsRequest; + output: DisassociateSubnetsResponse; + }; + sdk: { + input: DisassociateSubnetsCommandInput; + output: DisassociateSubnetsCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/ListFirewallPoliciesCommand.ts b/clients/client-network-firewall/src/commands/ListFirewallPoliciesCommand.ts index 8908db955325..1e055b8cb087 100644 --- a/clients/client-network-firewall/src/commands/ListFirewallPoliciesCommand.ts +++ b/clients/client-network-firewall/src/commands/ListFirewallPoliciesCommand.ts @@ -109,4 +109,16 @@ export class ListFirewallPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallPoliciesCommand) .de(de_ListFirewallPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallPoliciesRequest; + output: ListFirewallPoliciesResponse; + }; + sdk: { + input: ListFirewallPoliciesCommandInput; + output: ListFirewallPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/ListFirewallsCommand.ts b/clients/client-network-firewall/src/commands/ListFirewallsCommand.ts index 6030675c3b62..24a12871100d 100644 --- a/clients/client-network-firewall/src/commands/ListFirewallsCommand.ts +++ b/clients/client-network-firewall/src/commands/ListFirewallsCommand.ts @@ -113,4 +113,16 @@ export class ListFirewallsCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallsCommand) .de(de_ListFirewallsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallsRequest; + output: ListFirewallsResponse; + }; + sdk: { + input: ListFirewallsCommandInput; + output: ListFirewallsCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/ListRuleGroupsCommand.ts b/clients/client-network-firewall/src/commands/ListRuleGroupsCommand.ts index 0e163532e6be..3fa94bb4dfe7 100644 --- a/clients/client-network-firewall/src/commands/ListRuleGroupsCommand.ts +++ b/clients/client-network-firewall/src/commands/ListRuleGroupsCommand.ts @@ -112,4 +112,16 @@ export class ListRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleGroupsCommand) .de(de_ListRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleGroupsRequest; + output: ListRuleGroupsResponse; + }; + sdk: { + input: ListRuleGroupsCommandInput; + output: ListRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/ListTLSInspectionConfigurationsCommand.ts b/clients/client-network-firewall/src/commands/ListTLSInspectionConfigurationsCommand.ts index 0b2ca702baf7..05a5d35c1b8e 100644 --- a/clients/client-network-firewall/src/commands/ListTLSInspectionConfigurationsCommand.ts +++ b/clients/client-network-firewall/src/commands/ListTLSInspectionConfigurationsCommand.ts @@ -112,4 +112,16 @@ export class ListTLSInspectionConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListTLSInspectionConfigurationsCommand) .de(de_ListTLSInspectionConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTLSInspectionConfigurationsRequest; + output: ListTLSInspectionConfigurationsResponse; + }; + sdk: { + input: ListTLSInspectionConfigurationsCommandInput; + output: ListTLSInspectionConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/ListTagsForResourceCommand.ts b/clients/client-network-firewall/src/commands/ListTagsForResourceCommand.ts index 041fba6fc607..afee14eedbfd 100644 --- a/clients/client-network-firewall/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-network-firewall/src/commands/ListTagsForResourceCommand.ts @@ -117,4 +117,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/PutResourcePolicyCommand.ts b/clients/client-network-firewall/src/commands/PutResourcePolicyCommand.ts index 07d14e68422e..5a5d0987c6ce 100644 --- a/clients/client-network-firewall/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/PutResourcePolicyCommand.ts @@ -119,4 +119,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: {}; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/TagResourceCommand.ts b/clients/client-network-firewall/src/commands/TagResourceCommand.ts index a2acb43fd622..d3eb5c3707e5 100644 --- a/clients/client-network-firewall/src/commands/TagResourceCommand.ts +++ b/clients/client-network-firewall/src/commands/TagResourceCommand.ts @@ -112,4 +112,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UntagResourceCommand.ts b/clients/client-network-firewall/src/commands/UntagResourceCommand.ts index 44d5615324fd..ad75005debdd 100644 --- a/clients/client-network-firewall/src/commands/UntagResourceCommand.ts +++ b/clients/client-network-firewall/src/commands/UntagResourceCommand.ts @@ -110,4 +110,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateFirewallDeleteProtectionCommand.ts b/clients/client-network-firewall/src/commands/UpdateFirewallDeleteProtectionCommand.ts index c28e802addaf..c5b939fde3f9 100644 --- a/clients/client-network-firewall/src/commands/UpdateFirewallDeleteProtectionCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateFirewallDeleteProtectionCommand.ts @@ -123,4 +123,16 @@ export class UpdateFirewallDeleteProtectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallDeleteProtectionCommand) .de(de_UpdateFirewallDeleteProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallDeleteProtectionRequest; + output: UpdateFirewallDeleteProtectionResponse; + }; + sdk: { + input: UpdateFirewallDeleteProtectionCommandInput; + output: UpdateFirewallDeleteProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateFirewallDescriptionCommand.ts b/clients/client-network-firewall/src/commands/UpdateFirewallDescriptionCommand.ts index 2c6e426d1cc0..514ba06baa90 100644 --- a/clients/client-network-firewall/src/commands/UpdateFirewallDescriptionCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateFirewallDescriptionCommand.ts @@ -113,4 +113,16 @@ export class UpdateFirewallDescriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallDescriptionCommand) .de(de_UpdateFirewallDescriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallDescriptionRequest; + output: UpdateFirewallDescriptionResponse; + }; + sdk: { + input: UpdateFirewallDescriptionCommandInput; + output: UpdateFirewallDescriptionCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateFirewallEncryptionConfigurationCommand.ts b/clients/client-network-firewall/src/commands/UpdateFirewallEncryptionConfigurationCommand.ts index fa14c23c5f5a..df8a41dccaf8 100644 --- a/clients/client-network-firewall/src/commands/UpdateFirewallEncryptionConfigurationCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateFirewallEncryptionConfigurationCommand.ts @@ -130,4 +130,16 @@ export class UpdateFirewallEncryptionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallEncryptionConfigurationCommand) .de(de_UpdateFirewallEncryptionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallEncryptionConfigurationRequest; + output: UpdateFirewallEncryptionConfigurationResponse; + }; + sdk: { + input: UpdateFirewallEncryptionConfigurationCommandInput; + output: UpdateFirewallEncryptionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateFirewallPolicyChangeProtectionCommand.ts b/clients/client-network-firewall/src/commands/UpdateFirewallPolicyChangeProtectionCommand.ts index f9938ce7b381..6b6da0c3b278 100644 --- a/clients/client-network-firewall/src/commands/UpdateFirewallPolicyChangeProtectionCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateFirewallPolicyChangeProtectionCommand.ts @@ -125,4 +125,16 @@ export class UpdateFirewallPolicyChangeProtectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallPolicyChangeProtectionCommand) .de(de_UpdateFirewallPolicyChangeProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallPolicyChangeProtectionRequest; + output: UpdateFirewallPolicyChangeProtectionResponse; + }; + sdk: { + input: UpdateFirewallPolicyChangeProtectionCommandInput; + output: UpdateFirewallPolicyChangeProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateFirewallPolicyCommand.ts b/clients/client-network-firewall/src/commands/UpdateFirewallPolicyCommand.ts index 66a56dde0044..5c9161ef45f4 100644 --- a/clients/client-network-firewall/src/commands/UpdateFirewallPolicyCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateFirewallPolicyCommand.ts @@ -189,4 +189,16 @@ export class UpdateFirewallPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallPolicyCommand) .de(de_UpdateFirewallPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallPolicyRequest; + output: UpdateFirewallPolicyResponse; + }; + sdk: { + input: UpdateFirewallPolicyCommandInput; + output: UpdateFirewallPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateLoggingConfigurationCommand.ts b/clients/client-network-firewall/src/commands/UpdateLoggingConfigurationCommand.ts index 011b0763facf..a66b1a91d4c8 100644 --- a/clients/client-network-firewall/src/commands/UpdateLoggingConfigurationCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateLoggingConfigurationCommand.ts @@ -158,4 +158,16 @@ export class UpdateLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLoggingConfigurationCommand) .de(de_UpdateLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLoggingConfigurationRequest; + output: UpdateLoggingConfigurationResponse; + }; + sdk: { + input: UpdateLoggingConfigurationCommandInput; + output: UpdateLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateRuleGroupCommand.ts b/clients/client-network-firewall/src/commands/UpdateRuleGroupCommand.ts index c00de4f0d0a6..1eec7fd89207 100644 --- a/clients/client-network-firewall/src/commands/UpdateRuleGroupCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateRuleGroupCommand.ts @@ -286,4 +286,16 @@ export class UpdateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleGroupCommand) .de(de_UpdateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleGroupRequest; + output: UpdateRuleGroupResponse; + }; + sdk: { + input: UpdateRuleGroupCommandInput; + output: UpdateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateSubnetChangeProtectionCommand.ts b/clients/client-network-firewall/src/commands/UpdateSubnetChangeProtectionCommand.ts index 6aabd8eac592..1e19c3212288 100644 --- a/clients/client-network-firewall/src/commands/UpdateSubnetChangeProtectionCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateSubnetChangeProtectionCommand.ts @@ -120,4 +120,16 @@ export class UpdateSubnetChangeProtectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubnetChangeProtectionCommand) .de(de_UpdateSubnetChangeProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubnetChangeProtectionRequest; + output: UpdateSubnetChangeProtectionResponse; + }; + sdk: { + input: UpdateSubnetChangeProtectionCommandInput; + output: UpdateSubnetChangeProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-network-firewall/src/commands/UpdateTLSInspectionConfigurationCommand.ts b/clients/client-network-firewall/src/commands/UpdateTLSInspectionConfigurationCommand.ts index 44fec143dbe8..a73c84cf8702 100644 --- a/clients/client-network-firewall/src/commands/UpdateTLSInspectionConfigurationCommand.ts +++ b/clients/client-network-firewall/src/commands/UpdateTLSInspectionConfigurationCommand.ts @@ -201,4 +201,16 @@ export class UpdateTLSInspectionConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTLSInspectionConfigurationCommand) .de(de_UpdateTLSInspectionConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTLSInspectionConfigurationRequest; + output: UpdateTLSInspectionConfigurationResponse; + }; + sdk: { + input: UpdateTLSInspectionConfigurationCommandInput; + output: UpdateTLSInspectionConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/package.json b/clients/client-networkmanager/package.json index 43d2c3ac3008..dc9cdad75309 100644 --- a/clients/client-networkmanager/package.json +++ b/clients/client-networkmanager/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-networkmanager/src/commands/AcceptAttachmentCommand.ts b/clients/client-networkmanager/src/commands/AcceptAttachmentCommand.ts index 6ef21f6d3928..8bc4e143784b 100644 --- a/clients/client-networkmanager/src/commands/AcceptAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/AcceptAttachmentCommand.ts @@ -146,4 +146,16 @@ export class AcceptAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_AcceptAttachmentCommand) .de(de_AcceptAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptAttachmentRequest; + output: AcceptAttachmentResponse; + }; + sdk: { + input: AcceptAttachmentCommandInput; + output: AcceptAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/AssociateConnectPeerCommand.ts b/clients/client-networkmanager/src/commands/AssociateConnectPeerCommand.ts index 0f672691cf43..90c478db21cf 100644 --- a/clients/client-networkmanager/src/commands/AssociateConnectPeerCommand.ts +++ b/clients/client-networkmanager/src/commands/AssociateConnectPeerCommand.ts @@ -111,4 +111,16 @@ export class AssociateConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_AssociateConnectPeerCommand) .de(de_AssociateConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateConnectPeerRequest; + output: AssociateConnectPeerResponse; + }; + sdk: { + input: AssociateConnectPeerCommandInput; + output: AssociateConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/AssociateCustomerGatewayCommand.ts b/clients/client-networkmanager/src/commands/AssociateCustomerGatewayCommand.ts index e850c2bc5248..c633f44af8a2 100644 --- a/clients/client-networkmanager/src/commands/AssociateCustomerGatewayCommand.ts +++ b/clients/client-networkmanager/src/commands/AssociateCustomerGatewayCommand.ts @@ -116,4 +116,16 @@ export class AssociateCustomerGatewayCommand extends $Command .f(void 0, void 0) .ser(se_AssociateCustomerGatewayCommand) .de(de_AssociateCustomerGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateCustomerGatewayRequest; + output: AssociateCustomerGatewayResponse; + }; + sdk: { + input: AssociateCustomerGatewayCommandInput; + output: AssociateCustomerGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/AssociateLinkCommand.ts b/clients/client-networkmanager/src/commands/AssociateLinkCommand.ts index 7bdf977591aa..dee746091c91 100644 --- a/clients/client-networkmanager/src/commands/AssociateLinkCommand.ts +++ b/clients/client-networkmanager/src/commands/AssociateLinkCommand.ts @@ -106,4 +106,16 @@ export class AssociateLinkCommand extends $Command .f(void 0, void 0) .ser(se_AssociateLinkCommand) .de(de_AssociateLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateLinkRequest; + output: AssociateLinkResponse; + }; + sdk: { + input: AssociateLinkCommandInput; + output: AssociateLinkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/AssociateTransitGatewayConnectPeerCommand.ts b/clients/client-networkmanager/src/commands/AssociateTransitGatewayConnectPeerCommand.ts index edbd5fd7ac02..a42bf52a273a 100644 --- a/clients/client-networkmanager/src/commands/AssociateTransitGatewayConnectPeerCommand.ts +++ b/clients/client-networkmanager/src/commands/AssociateTransitGatewayConnectPeerCommand.ts @@ -120,4 +120,16 @@ export class AssociateTransitGatewayConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTransitGatewayConnectPeerCommand) .de(de_AssociateTransitGatewayConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTransitGatewayConnectPeerRequest; + output: AssociateTransitGatewayConnectPeerResponse; + }; + sdk: { + input: AssociateTransitGatewayConnectPeerCommandInput; + output: AssociateTransitGatewayConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateConnectAttachmentCommand.ts b/clients/client-networkmanager/src/commands/CreateConnectAttachmentCommand.ts index 63c43c1506be..53be262b8524 100644 --- a/clients/client-networkmanager/src/commands/CreateConnectAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateConnectAttachmentCommand.ts @@ -165,4 +165,16 @@ export class CreateConnectAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectAttachmentCommand) .de(de_CreateConnectAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectAttachmentRequest; + output: CreateConnectAttachmentResponse; + }; + sdk: { + input: CreateConnectAttachmentCommandInput; + output: CreateConnectAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateConnectPeerCommand.ts b/clients/client-networkmanager/src/commands/CreateConnectPeerCommand.ts index faf9ffd98fea..3798ae9cea8f 100644 --- a/clients/client-networkmanager/src/commands/CreateConnectPeerCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateConnectPeerCommand.ts @@ -151,4 +151,16 @@ export class CreateConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectPeerCommand) .de(de_CreateConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectPeerRequest; + output: CreateConnectPeerResponse; + }; + sdk: { + input: CreateConnectPeerCommandInput; + output: CreateConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateConnectionCommand.ts b/clients/client-networkmanager/src/commands/CreateConnectionCommand.ts index 10d009e587eb..0b3b6ee0600f 100644 --- a/clients/client-networkmanager/src/commands/CreateConnectionCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateConnectionCommand.ts @@ -124,4 +124,16 @@ export class CreateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectionCommand) .de(de_CreateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionRequest; + output: CreateConnectionResponse; + }; + sdk: { + input: CreateConnectionCommandInput; + output: CreateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateCoreNetworkCommand.ts b/clients/client-networkmanager/src/commands/CreateCoreNetworkCommand.ts index e60d71dd2074..0e16bc1ad1e8 100644 --- a/clients/client-networkmanager/src/commands/CreateCoreNetworkCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateCoreNetworkCommand.ts @@ -157,4 +157,16 @@ export class CreateCoreNetworkCommand extends $Command .f(void 0, void 0) .ser(se_CreateCoreNetworkCommand) .de(de_CreateCoreNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCoreNetworkRequest; + output: CreateCoreNetworkResponse; + }; + sdk: { + input: CreateCoreNetworkCommandInput; + output: CreateCoreNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateDeviceCommand.ts b/clients/client-networkmanager/src/commands/CreateDeviceCommand.ts index e34964c6f85f..0642cf1c2ca0 100644 --- a/clients/client-networkmanager/src/commands/CreateDeviceCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateDeviceCommand.ts @@ -153,4 +153,16 @@ export class CreateDeviceCommand extends $Command .f(CreateDeviceRequestFilterSensitiveLog, CreateDeviceResponseFilterSensitiveLog) .ser(se_CreateDeviceCommand) .de(de_CreateDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeviceRequest; + output: CreateDeviceResponse; + }; + sdk: { + input: CreateDeviceCommandInput; + output: CreateDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateGlobalNetworkCommand.ts b/clients/client-networkmanager/src/commands/CreateGlobalNetworkCommand.ts index c00d7a3bf99c..205b6d0697ce 100644 --- a/clients/client-networkmanager/src/commands/CreateGlobalNetworkCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateGlobalNetworkCommand.ts @@ -114,4 +114,16 @@ export class CreateGlobalNetworkCommand extends $Command .f(void 0, void 0) .ser(se_CreateGlobalNetworkCommand) .de(de_CreateGlobalNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlobalNetworkRequest; + output: CreateGlobalNetworkResponse; + }; + sdk: { + input: CreateGlobalNetworkCommandInput; + output: CreateGlobalNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateLinkCommand.ts b/clients/client-networkmanager/src/commands/CreateLinkCommand.ts index ba0d2fa6aad2..830766fc9a05 100644 --- a/clients/client-networkmanager/src/commands/CreateLinkCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateLinkCommand.ts @@ -133,4 +133,16 @@ export class CreateLinkCommand extends $Command .f(void 0, void 0) .ser(se_CreateLinkCommand) .de(de_CreateLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLinkRequest; + output: CreateLinkResponse; + }; + sdk: { + input: CreateLinkCommandInput; + output: CreateLinkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateSiteCommand.ts b/clients/client-networkmanager/src/commands/CreateSiteCommand.ts index ec56272030e3..d1327c611a33 100644 --- a/clients/client-networkmanager/src/commands/CreateSiteCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateSiteCommand.ts @@ -134,4 +134,16 @@ export class CreateSiteCommand extends $Command .f(CreateSiteRequestFilterSensitiveLog, CreateSiteResponseFilterSensitiveLog) .ser(se_CreateSiteCommand) .de(de_CreateSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSiteRequest; + output: CreateSiteResponse; + }; + sdk: { + input: CreateSiteCommandInput; + output: CreateSiteCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateSiteToSiteVpnAttachmentCommand.ts b/clients/client-networkmanager/src/commands/CreateSiteToSiteVpnAttachmentCommand.ts index 310134e797c6..6bcc81e0bfb2 100644 --- a/clients/client-networkmanager/src/commands/CreateSiteToSiteVpnAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateSiteToSiteVpnAttachmentCommand.ts @@ -160,4 +160,16 @@ export class CreateSiteToSiteVpnAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateSiteToSiteVpnAttachmentCommand) .de(de_CreateSiteToSiteVpnAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSiteToSiteVpnAttachmentRequest; + output: CreateSiteToSiteVpnAttachmentResponse; + }; + sdk: { + input: CreateSiteToSiteVpnAttachmentCommandInput; + output: CreateSiteToSiteVpnAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateTransitGatewayPeeringCommand.ts b/clients/client-networkmanager/src/commands/CreateTransitGatewayPeeringCommand.ts index 0ad1154704d6..862a1e0872ed 100644 --- a/clients/client-networkmanager/src/commands/CreateTransitGatewayPeeringCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateTransitGatewayPeeringCommand.ts @@ -140,4 +140,16 @@ export class CreateTransitGatewayPeeringCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayPeeringCommand) .de(de_CreateTransitGatewayPeeringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayPeeringRequest; + output: CreateTransitGatewayPeeringResponse; + }; + sdk: { + input: CreateTransitGatewayPeeringCommandInput; + output: CreateTransitGatewayPeeringCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateTransitGatewayRouteTableAttachmentCommand.ts b/clients/client-networkmanager/src/commands/CreateTransitGatewayRouteTableAttachmentCommand.ts index 19695fbbc641..560cca3f4b7e 100644 --- a/clients/client-networkmanager/src/commands/CreateTransitGatewayRouteTableAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateTransitGatewayRouteTableAttachmentCommand.ts @@ -165,4 +165,16 @@ export class CreateTransitGatewayRouteTableAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransitGatewayRouteTableAttachmentCommand) .de(de_CreateTransitGatewayRouteTableAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransitGatewayRouteTableAttachmentRequest; + output: CreateTransitGatewayRouteTableAttachmentResponse; + }; + sdk: { + input: CreateTransitGatewayRouteTableAttachmentCommandInput; + output: CreateTransitGatewayRouteTableAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/CreateVpcAttachmentCommand.ts b/clients/client-networkmanager/src/commands/CreateVpcAttachmentCommand.ts index fd08d85b3fb2..950baeb375d6 100644 --- a/clients/client-networkmanager/src/commands/CreateVpcAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/CreateVpcAttachmentCommand.ts @@ -168,4 +168,16 @@ export class CreateVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcAttachmentCommand) .de(de_CreateVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcAttachmentRequest; + output: CreateVpcAttachmentResponse; + }; + sdk: { + input: CreateVpcAttachmentCommandInput; + output: CreateVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteAttachmentCommand.ts b/clients/client-networkmanager/src/commands/DeleteAttachmentCommand.ts index 64e4fb28cdcd..2140c914df57 100644 --- a/clients/client-networkmanager/src/commands/DeleteAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteAttachmentCommand.ts @@ -144,4 +144,16 @@ export class DeleteAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAttachmentCommand) .de(de_DeleteAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAttachmentRequest; + output: DeleteAttachmentResponse; + }; + sdk: { + input: DeleteAttachmentCommandInput; + output: DeleteAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteConnectPeerCommand.ts b/clients/client-networkmanager/src/commands/DeleteConnectPeerCommand.ts index 8aab807f690c..72ef11551bdc 100644 --- a/clients/client-networkmanager/src/commands/DeleteConnectPeerCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteConnectPeerCommand.ts @@ -134,4 +134,16 @@ export class DeleteConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectPeerCommand) .de(de_DeleteConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectPeerRequest; + output: DeleteConnectPeerResponse; + }; + sdk: { + input: DeleteConnectPeerCommandInput; + output: DeleteConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteConnectionCommand.ts b/clients/client-networkmanager/src/commands/DeleteConnectionCommand.ts index db573e486b29..f5041b3083b3 100644 --- a/clients/client-networkmanager/src/commands/DeleteConnectionCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteConnectionCommand.ts @@ -114,4 +114,16 @@ export class DeleteConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionCommand) .de(de_DeleteConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRequest; + output: DeleteConnectionResponse; + }; + sdk: { + input: DeleteConnectionCommandInput; + output: DeleteConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteCoreNetworkCommand.ts b/clients/client-networkmanager/src/commands/DeleteCoreNetworkCommand.ts index 1dff2b5e3cd0..540a5ca761d8 100644 --- a/clients/client-networkmanager/src/commands/DeleteCoreNetworkCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteCoreNetworkCommand.ts @@ -145,4 +145,16 @@ export class DeleteCoreNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCoreNetworkCommand) .de(de_DeleteCoreNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCoreNetworkRequest; + output: DeleteCoreNetworkResponse; + }; + sdk: { + input: DeleteCoreNetworkCommandInput; + output: DeleteCoreNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteCoreNetworkPolicyVersionCommand.ts b/clients/client-networkmanager/src/commands/DeleteCoreNetworkPolicyVersionCommand.ts index 1fb2420a7c0b..25851b372933 100644 --- a/clients/client-networkmanager/src/commands/DeleteCoreNetworkPolicyVersionCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteCoreNetworkPolicyVersionCommand.ts @@ -117,4 +117,16 @@ export class DeleteCoreNetworkPolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCoreNetworkPolicyVersionCommand) .de(de_DeleteCoreNetworkPolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCoreNetworkPolicyVersionRequest; + output: DeleteCoreNetworkPolicyVersionResponse; + }; + sdk: { + input: DeleteCoreNetworkPolicyVersionCommandInput; + output: DeleteCoreNetworkPolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteDeviceCommand.ts b/clients/client-networkmanager/src/commands/DeleteDeviceCommand.ts index 44dca1b93a1f..c376432dbb95 100644 --- a/clients/client-networkmanager/src/commands/DeleteDeviceCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteDeviceCommand.ts @@ -125,4 +125,16 @@ export class DeleteDeviceCommand extends $Command .f(void 0, DeleteDeviceResponseFilterSensitiveLog) .ser(se_DeleteDeviceCommand) .de(de_DeleteDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeviceRequest; + output: DeleteDeviceResponse; + }; + sdk: { + input: DeleteDeviceCommandInput; + output: DeleteDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteGlobalNetworkCommand.ts b/clients/client-networkmanager/src/commands/DeleteGlobalNetworkCommand.ts index 3383f3e0c786..fa9d10568a1a 100644 --- a/clients/client-networkmanager/src/commands/DeleteGlobalNetworkCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteGlobalNetworkCommand.ts @@ -109,4 +109,16 @@ export class DeleteGlobalNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGlobalNetworkCommand) .de(de_DeleteGlobalNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGlobalNetworkRequest; + output: DeleteGlobalNetworkResponse; + }; + sdk: { + input: DeleteGlobalNetworkCommandInput; + output: DeleteGlobalNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteLinkCommand.ts b/clients/client-networkmanager/src/commands/DeleteLinkCommand.ts index acec133c84dd..622e169f13dd 100644 --- a/clients/client-networkmanager/src/commands/DeleteLinkCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteLinkCommand.ts @@ -118,4 +118,16 @@ export class DeleteLinkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLinkCommand) .de(de_DeleteLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLinkRequest; + output: DeleteLinkResponse; + }; + sdk: { + input: DeleteLinkCommandInput; + output: DeleteLinkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeletePeeringCommand.ts b/clients/client-networkmanager/src/commands/DeletePeeringCommand.ts index 16066e410f56..71d505a551a6 100644 --- a/clients/client-networkmanager/src/commands/DeletePeeringCommand.ts +++ b/clients/client-networkmanager/src/commands/DeletePeeringCommand.ts @@ -123,4 +123,16 @@ export class DeletePeeringCommand extends $Command .f(void 0, void 0) .ser(se_DeletePeeringCommand) .de(de_DeletePeeringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePeeringRequest; + output: DeletePeeringResponse; + }; + sdk: { + input: DeletePeeringCommandInput; + output: DeletePeeringCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-networkmanager/src/commands/DeleteResourcePolicyCommand.ts index f9b0cec6204c..269982376476 100644 --- a/clients/client-networkmanager/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteResourcePolicyCommand.ts @@ -91,4 +91,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeleteSiteCommand.ts b/clients/client-networkmanager/src/commands/DeleteSiteCommand.ts index cfb68df83083..b8da4212932c 100644 --- a/clients/client-networkmanager/src/commands/DeleteSiteCommand.ts +++ b/clients/client-networkmanager/src/commands/DeleteSiteCommand.ts @@ -115,4 +115,16 @@ export class DeleteSiteCommand extends $Command .f(void 0, DeleteSiteResponseFilterSensitiveLog) .ser(se_DeleteSiteCommand) .de(de_DeleteSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSiteRequest; + output: DeleteSiteResponse; + }; + sdk: { + input: DeleteSiteCommandInput; + output: DeleteSiteCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DeregisterTransitGatewayCommand.ts b/clients/client-networkmanager/src/commands/DeregisterTransitGatewayCommand.ts index c6052b81b24e..3df446f80e46 100644 --- a/clients/client-networkmanager/src/commands/DeregisterTransitGatewayCommand.ts +++ b/clients/client-networkmanager/src/commands/DeregisterTransitGatewayCommand.ts @@ -105,4 +105,16 @@ export class DeregisterTransitGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterTransitGatewayCommand) .de(de_DeregisterTransitGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTransitGatewayRequest; + output: DeregisterTransitGatewayResponse; + }; + sdk: { + input: DeregisterTransitGatewayCommandInput; + output: DeregisterTransitGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DescribeGlobalNetworksCommand.ts b/clients/client-networkmanager/src/commands/DescribeGlobalNetworksCommand.ts index 1987f83b1719..10f62bc61ff9 100644 --- a/clients/client-networkmanager/src/commands/DescribeGlobalNetworksCommand.ts +++ b/clients/client-networkmanager/src/commands/DescribeGlobalNetworksCommand.ts @@ -114,4 +114,16 @@ export class DescribeGlobalNetworksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalNetworksCommand) .de(de_DescribeGlobalNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGlobalNetworksRequest; + output: DescribeGlobalNetworksResponse; + }; + sdk: { + input: DescribeGlobalNetworksCommandInput; + output: DescribeGlobalNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DisassociateConnectPeerCommand.ts b/clients/client-networkmanager/src/commands/DisassociateConnectPeerCommand.ts index 65f717a0fd68..4165a0ab120f 100644 --- a/clients/client-networkmanager/src/commands/DisassociateConnectPeerCommand.ts +++ b/clients/client-networkmanager/src/commands/DisassociateConnectPeerCommand.ts @@ -103,4 +103,16 @@ export class DisassociateConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateConnectPeerCommand) .de(de_DisassociateConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateConnectPeerRequest; + output: DisassociateConnectPeerResponse; + }; + sdk: { + input: DisassociateConnectPeerCommandInput; + output: DisassociateConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DisassociateCustomerGatewayCommand.ts b/clients/client-networkmanager/src/commands/DisassociateCustomerGatewayCommand.ts index ca4cd4c85f96..8bf6ee787651 100644 --- a/clients/client-networkmanager/src/commands/DisassociateCustomerGatewayCommand.ts +++ b/clients/client-networkmanager/src/commands/DisassociateCustomerGatewayCommand.ts @@ -108,4 +108,16 @@ export class DisassociateCustomerGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateCustomerGatewayCommand) .de(de_DisassociateCustomerGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateCustomerGatewayRequest; + output: DisassociateCustomerGatewayResponse; + }; + sdk: { + input: DisassociateCustomerGatewayCommandInput; + output: DisassociateCustomerGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DisassociateLinkCommand.ts b/clients/client-networkmanager/src/commands/DisassociateLinkCommand.ts index c75446e4e75f..c0437c2815da 100644 --- a/clients/client-networkmanager/src/commands/DisassociateLinkCommand.ts +++ b/clients/client-networkmanager/src/commands/DisassociateLinkCommand.ts @@ -104,4 +104,16 @@ export class DisassociateLinkCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateLinkCommand) .de(de_DisassociateLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateLinkRequest; + output: DisassociateLinkResponse; + }; + sdk: { + input: DisassociateLinkCommandInput; + output: DisassociateLinkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/DisassociateTransitGatewayConnectPeerCommand.ts b/clients/client-networkmanager/src/commands/DisassociateTransitGatewayConnectPeerCommand.ts index 351941dac4a2..8ef03e38fad9 100644 --- a/clients/client-networkmanager/src/commands/DisassociateTransitGatewayConnectPeerCommand.ts +++ b/clients/client-networkmanager/src/commands/DisassociateTransitGatewayConnectPeerCommand.ts @@ -112,4 +112,16 @@ export class DisassociateTransitGatewayConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTransitGatewayConnectPeerCommand) .de(de_DisassociateTransitGatewayConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTransitGatewayConnectPeerRequest; + output: DisassociateTransitGatewayConnectPeerResponse; + }; + sdk: { + input: DisassociateTransitGatewayConnectPeerCommandInput; + output: DisassociateTransitGatewayConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ExecuteCoreNetworkChangeSetCommand.ts b/clients/client-networkmanager/src/commands/ExecuteCoreNetworkChangeSetCommand.ts index fbec2b23487b..4b3f97e18362 100644 --- a/clients/client-networkmanager/src/commands/ExecuteCoreNetworkChangeSetCommand.ts +++ b/clients/client-networkmanager/src/commands/ExecuteCoreNetworkChangeSetCommand.ts @@ -100,4 +100,16 @@ export class ExecuteCoreNetworkChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteCoreNetworkChangeSetCommand) .de(de_ExecuteCoreNetworkChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteCoreNetworkChangeSetRequest; + output: {}; + }; + sdk: { + input: ExecuteCoreNetworkChangeSetCommandInput; + output: ExecuteCoreNetworkChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetConnectAttachmentCommand.ts b/clients/client-networkmanager/src/commands/GetConnectAttachmentCommand.ts index f731c7b3ffce..ff31563325f3 100644 --- a/clients/client-networkmanager/src/commands/GetConnectAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/GetConnectAttachmentCommand.ts @@ -146,4 +146,16 @@ export class GetConnectAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectAttachmentCommand) .de(de_GetConnectAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectAttachmentRequest; + output: GetConnectAttachmentResponse; + }; + sdk: { + input: GetConnectAttachmentCommandInput; + output: GetConnectAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetConnectPeerAssociationsCommand.ts b/clients/client-networkmanager/src/commands/GetConnectPeerAssociationsCommand.ts index db5366611049..68e8a1e3033e 100644 --- a/clients/client-networkmanager/src/commands/GetConnectPeerAssociationsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetConnectPeerAssociationsCommand.ts @@ -110,4 +110,16 @@ export class GetConnectPeerAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectPeerAssociationsCommand) .de(de_GetConnectPeerAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectPeerAssociationsRequest; + output: GetConnectPeerAssociationsResponse; + }; + sdk: { + input: GetConnectPeerAssociationsCommandInput; + output: GetConnectPeerAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetConnectPeerCommand.ts b/clients/client-networkmanager/src/commands/GetConnectPeerCommand.ts index 7eea2688a4f9..b5cd5be0b2ad 100644 --- a/clients/client-networkmanager/src/commands/GetConnectPeerCommand.ts +++ b/clients/client-networkmanager/src/commands/GetConnectPeerCommand.ts @@ -130,4 +130,16 @@ export class GetConnectPeerCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectPeerCommand) .de(de_GetConnectPeerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectPeerRequest; + output: GetConnectPeerResponse; + }; + sdk: { + input: GetConnectPeerCommandInput; + output: GetConnectPeerCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetConnectionsCommand.ts b/clients/client-networkmanager/src/commands/GetConnectionsCommand.ts index 8cc8cf6c9db2..d8ddd99870be 100644 --- a/clients/client-networkmanager/src/commands/GetConnectionsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetConnectionsCommand.ts @@ -118,4 +118,16 @@ export class GetConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionsCommand) .de(de_GetConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionsRequest; + output: GetConnectionsResponse; + }; + sdk: { + input: GetConnectionsCommandInput; + output: GetConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetCoreNetworkChangeEventsCommand.ts b/clients/client-networkmanager/src/commands/GetCoreNetworkChangeEventsCommand.ts index 3a2b05ff40dc..2459ac6f2bfe 100644 --- a/clients/client-networkmanager/src/commands/GetCoreNetworkChangeEventsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetCoreNetworkChangeEventsCommand.ts @@ -111,4 +111,16 @@ export class GetCoreNetworkChangeEventsCommand extends $Command .f(void 0, void 0) .ser(se_GetCoreNetworkChangeEventsCommand) .de(de_GetCoreNetworkChangeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoreNetworkChangeEventsRequest; + output: GetCoreNetworkChangeEventsResponse; + }; + sdk: { + input: GetCoreNetworkChangeEventsCommandInput; + output: GetCoreNetworkChangeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetCoreNetworkChangeSetCommand.ts b/clients/client-networkmanager/src/commands/GetCoreNetworkChangeSetCommand.ts index 9bd35ba0ec1c..c994e96bbe72 100644 --- a/clients/client-networkmanager/src/commands/GetCoreNetworkChangeSetCommand.ts +++ b/clients/client-networkmanager/src/commands/GetCoreNetworkChangeSetCommand.ts @@ -191,4 +191,16 @@ export class GetCoreNetworkChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_GetCoreNetworkChangeSetCommand) .de(de_GetCoreNetworkChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoreNetworkChangeSetRequest; + output: GetCoreNetworkChangeSetResponse; + }; + sdk: { + input: GetCoreNetworkChangeSetCommandInput; + output: GetCoreNetworkChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetCoreNetworkCommand.ts b/clients/client-networkmanager/src/commands/GetCoreNetworkCommand.ts index aad90cb9609b..6814b67dd83e 100644 --- a/clients/client-networkmanager/src/commands/GetCoreNetworkCommand.ts +++ b/clients/client-networkmanager/src/commands/GetCoreNetworkCommand.ts @@ -141,4 +141,16 @@ export class GetCoreNetworkCommand extends $Command .f(void 0, void 0) .ser(se_GetCoreNetworkCommand) .de(de_GetCoreNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoreNetworkRequest; + output: GetCoreNetworkResponse; + }; + sdk: { + input: GetCoreNetworkCommandInput; + output: GetCoreNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetCoreNetworkPolicyCommand.ts b/clients/client-networkmanager/src/commands/GetCoreNetworkPolicyCommand.ts index 5efb17142a0b..7471ca568ac0 100644 --- a/clients/client-networkmanager/src/commands/GetCoreNetworkPolicyCommand.ts +++ b/clients/client-networkmanager/src/commands/GetCoreNetworkPolicyCommand.ts @@ -109,4 +109,16 @@ export class GetCoreNetworkPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetCoreNetworkPolicyCommand) .de(de_GetCoreNetworkPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCoreNetworkPolicyRequest; + output: GetCoreNetworkPolicyResponse; + }; + sdk: { + input: GetCoreNetworkPolicyCommandInput; + output: GetCoreNetworkPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetCustomerGatewayAssociationsCommand.ts b/clients/client-networkmanager/src/commands/GetCustomerGatewayAssociationsCommand.ts index b2b3182e6bb9..8f08c0f40016 100644 --- a/clients/client-networkmanager/src/commands/GetCustomerGatewayAssociationsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetCustomerGatewayAssociationsCommand.ts @@ -116,4 +116,16 @@ export class GetCustomerGatewayAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomerGatewayAssociationsCommand) .de(de_GetCustomerGatewayAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomerGatewayAssociationsRequest; + output: GetCustomerGatewayAssociationsResponse; + }; + sdk: { + input: GetCustomerGatewayAssociationsCommandInput; + output: GetCustomerGatewayAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetDevicesCommand.ts b/clients/client-networkmanager/src/commands/GetDevicesCommand.ts index bb6e20d0d58e..b58de1ab0772 100644 --- a/clients/client-networkmanager/src/commands/GetDevicesCommand.ts +++ b/clients/client-networkmanager/src/commands/GetDevicesCommand.ts @@ -128,4 +128,16 @@ export class GetDevicesCommand extends $Command .f(void 0, GetDevicesResponseFilterSensitiveLog) .ser(se_GetDevicesCommand) .de(de_GetDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDevicesRequest; + output: GetDevicesResponse; + }; + sdk: { + input: GetDevicesCommandInput; + output: GetDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetLinkAssociationsCommand.ts b/clients/client-networkmanager/src/commands/GetLinkAssociationsCommand.ts index 15549b77bc0b..8639602a88fc 100644 --- a/clients/client-networkmanager/src/commands/GetLinkAssociationsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetLinkAssociationsCommand.ts @@ -105,4 +105,16 @@ export class GetLinkAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetLinkAssociationsCommand) .de(de_GetLinkAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLinkAssociationsRequest; + output: GetLinkAssociationsResponse; + }; + sdk: { + input: GetLinkAssociationsCommandInput; + output: GetLinkAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetLinksCommand.ts b/clients/client-networkmanager/src/commands/GetLinksCommand.ts index 71fd9ecb80c4..06ef87c68376 100644 --- a/clients/client-networkmanager/src/commands/GetLinksCommand.ts +++ b/clients/client-networkmanager/src/commands/GetLinksCommand.ts @@ -124,4 +124,16 @@ export class GetLinksCommand extends $Command .f(void 0, void 0) .ser(se_GetLinksCommand) .de(de_GetLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLinksRequest; + output: GetLinksResponse; + }; + sdk: { + input: GetLinksCommandInput; + output: GetLinksCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetNetworkResourceCountsCommand.ts b/clients/client-networkmanager/src/commands/GetNetworkResourceCountsCommand.ts index 57788e56137e..0dbe6f98dfe3 100644 --- a/clients/client-networkmanager/src/commands/GetNetworkResourceCountsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetNetworkResourceCountsCommand.ts @@ -98,4 +98,16 @@ export class GetNetworkResourceCountsCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkResourceCountsCommand) .de(de_GetNetworkResourceCountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkResourceCountsRequest; + output: GetNetworkResourceCountsResponse; + }; + sdk: { + input: GetNetworkResourceCountsCommandInput; + output: GetNetworkResourceCountsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetNetworkResourceRelationshipsCommand.ts b/clients/client-networkmanager/src/commands/GetNetworkResourceRelationshipsCommand.ts index 5218026a6d5c..83d568756ecf 100644 --- a/clients/client-networkmanager/src/commands/GetNetworkResourceRelationshipsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetNetworkResourceRelationshipsCommand.ts @@ -111,4 +111,16 @@ export class GetNetworkResourceRelationshipsCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkResourceRelationshipsCommand) .de(de_GetNetworkResourceRelationshipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkResourceRelationshipsRequest; + output: GetNetworkResourceRelationshipsResponse; + }; + sdk: { + input: GetNetworkResourceRelationshipsCommandInput; + output: GetNetworkResourceRelationshipsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetNetworkResourcesCommand.ts b/clients/client-networkmanager/src/commands/GetNetworkResourcesCommand.ts index c7a473c966ea..ffadf58cfe24 100644 --- a/clients/client-networkmanager/src/commands/GetNetworkResourcesCommand.ts +++ b/clients/client-networkmanager/src/commands/GetNetworkResourcesCommand.ts @@ -123,4 +123,16 @@ export class GetNetworkResourcesCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkResourcesCommand) .de(de_GetNetworkResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkResourcesRequest; + output: GetNetworkResourcesResponse; + }; + sdk: { + input: GetNetworkResourcesCommandInput; + output: GetNetworkResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetNetworkRoutesCommand.ts b/clients/client-networkmanager/src/commands/GetNetworkRoutesCommand.ts index 538755c28a4a..a8c14285e950 100644 --- a/clients/client-networkmanager/src/commands/GetNetworkRoutesCommand.ts +++ b/clients/client-networkmanager/src/commands/GetNetworkRoutesCommand.ts @@ -157,4 +157,16 @@ export class GetNetworkRoutesCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkRoutesCommand) .de(de_GetNetworkRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkRoutesRequest; + output: GetNetworkRoutesResponse; + }; + sdk: { + input: GetNetworkRoutesCommandInput; + output: GetNetworkRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetNetworkTelemetryCommand.ts b/clients/client-networkmanager/src/commands/GetNetworkTelemetryCommand.ts index 1fbf1878cd75..653f44dd3eb9 100644 --- a/clients/client-networkmanager/src/commands/GetNetworkTelemetryCommand.ts +++ b/clients/client-networkmanager/src/commands/GetNetworkTelemetryCommand.ts @@ -117,4 +117,16 @@ export class GetNetworkTelemetryCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkTelemetryCommand) .de(de_GetNetworkTelemetryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkTelemetryRequest; + output: GetNetworkTelemetryResponse; + }; + sdk: { + input: GetNetworkTelemetryCommandInput; + output: GetNetworkTelemetryCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetResourcePolicyCommand.ts b/clients/client-networkmanager/src/commands/GetResourcePolicyCommand.ts index 0dc3ded4dc91..ff95444b99ab 100644 --- a/clients/client-networkmanager/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-networkmanager/src/commands/GetResourcePolicyCommand.ts @@ -89,4 +89,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetRouteAnalysisCommand.ts b/clients/client-networkmanager/src/commands/GetRouteAnalysisCommand.ts index 7837cf9b0b68..776dd1e474cc 100644 --- a/clients/client-networkmanager/src/commands/GetRouteAnalysisCommand.ts +++ b/clients/client-networkmanager/src/commands/GetRouteAnalysisCommand.ts @@ -157,4 +157,16 @@ export class GetRouteAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_GetRouteAnalysisCommand) .de(de_GetRouteAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRouteAnalysisRequest; + output: GetRouteAnalysisResponse; + }; + sdk: { + input: GetRouteAnalysisCommandInput; + output: GetRouteAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetSiteToSiteVpnAttachmentCommand.ts b/clients/client-networkmanager/src/commands/GetSiteToSiteVpnAttachmentCommand.ts index 5b9ff669619a..e2aa7fd9f5b7 100644 --- a/clients/client-networkmanager/src/commands/GetSiteToSiteVpnAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/GetSiteToSiteVpnAttachmentCommand.ts @@ -143,4 +143,16 @@ export class GetSiteToSiteVpnAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_GetSiteToSiteVpnAttachmentCommand) .de(de_GetSiteToSiteVpnAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSiteToSiteVpnAttachmentRequest; + output: GetSiteToSiteVpnAttachmentResponse; + }; + sdk: { + input: GetSiteToSiteVpnAttachmentCommandInput; + output: GetSiteToSiteVpnAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetSitesCommand.ts b/clients/client-networkmanager/src/commands/GetSitesCommand.ts index 3d1cdced613d..3b3f0d084aa1 100644 --- a/clients/client-networkmanager/src/commands/GetSitesCommand.ts +++ b/clients/client-networkmanager/src/commands/GetSitesCommand.ts @@ -118,4 +118,16 @@ export class GetSitesCommand extends $Command .f(void 0, GetSitesResponseFilterSensitiveLog) .ser(se_GetSitesCommand) .de(de_GetSitesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSitesRequest; + output: GetSitesResponse; + }; + sdk: { + input: GetSitesCommandInput; + output: GetSitesCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetTransitGatewayConnectPeerAssociationsCommand.ts b/clients/client-networkmanager/src/commands/GetTransitGatewayConnectPeerAssociationsCommand.ts index af379f55e954..c5bbfb85851c 100644 --- a/clients/client-networkmanager/src/commands/GetTransitGatewayConnectPeerAssociationsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetTransitGatewayConnectPeerAssociationsCommand.ts @@ -119,4 +119,16 @@ export class GetTransitGatewayConnectPeerAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayConnectPeerAssociationsCommand) .de(de_GetTransitGatewayConnectPeerAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayConnectPeerAssociationsRequest; + output: GetTransitGatewayConnectPeerAssociationsResponse; + }; + sdk: { + input: GetTransitGatewayConnectPeerAssociationsCommandInput; + output: GetTransitGatewayConnectPeerAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetTransitGatewayPeeringCommand.ts b/clients/client-networkmanager/src/commands/GetTransitGatewayPeeringCommand.ts index 22203061cf07..85d0ea1ff31d 100644 --- a/clients/client-networkmanager/src/commands/GetTransitGatewayPeeringCommand.ts +++ b/clients/client-networkmanager/src/commands/GetTransitGatewayPeeringCommand.ts @@ -123,4 +123,16 @@ export class GetTransitGatewayPeeringCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayPeeringCommand) .de(de_GetTransitGatewayPeeringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayPeeringRequest; + output: GetTransitGatewayPeeringResponse; + }; + sdk: { + input: GetTransitGatewayPeeringCommandInput; + output: GetTransitGatewayPeeringCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetTransitGatewayRegistrationsCommand.ts b/clients/client-networkmanager/src/commands/GetTransitGatewayRegistrationsCommand.ts index d8d4c93e05e6..d3322564c347 100644 --- a/clients/client-networkmanager/src/commands/GetTransitGatewayRegistrationsCommand.ts +++ b/clients/client-networkmanager/src/commands/GetTransitGatewayRegistrationsCommand.ts @@ -113,4 +113,16 @@ export class GetTransitGatewayRegistrationsCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayRegistrationsCommand) .de(de_GetTransitGatewayRegistrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayRegistrationsRequest; + output: GetTransitGatewayRegistrationsResponse; + }; + sdk: { + input: GetTransitGatewayRegistrationsCommandInput; + output: GetTransitGatewayRegistrationsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetTransitGatewayRouteTableAttachmentCommand.ts b/clients/client-networkmanager/src/commands/GetTransitGatewayRouteTableAttachmentCommand.ts index 4670c6828f82..2304ae03874c 100644 --- a/clients/client-networkmanager/src/commands/GetTransitGatewayRouteTableAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/GetTransitGatewayRouteTableAttachmentCommand.ts @@ -153,4 +153,16 @@ export class GetTransitGatewayRouteTableAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_GetTransitGatewayRouteTableAttachmentCommand) .de(de_GetTransitGatewayRouteTableAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTransitGatewayRouteTableAttachmentRequest; + output: GetTransitGatewayRouteTableAttachmentResponse; + }; + sdk: { + input: GetTransitGatewayRouteTableAttachmentCommandInput; + output: GetTransitGatewayRouteTableAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/GetVpcAttachmentCommand.ts b/clients/client-networkmanager/src/commands/GetVpcAttachmentCommand.ts index 401505efd508..52f84f62687a 100644 --- a/clients/client-networkmanager/src/commands/GetVpcAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/GetVpcAttachmentCommand.ts @@ -149,4 +149,16 @@ export class GetVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_GetVpcAttachmentCommand) .de(de_GetVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVpcAttachmentRequest; + output: GetVpcAttachmentResponse; + }; + sdk: { + input: GetVpcAttachmentCommandInput; + output: GetVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ListAttachmentsCommand.ts b/clients/client-networkmanager/src/commands/ListAttachmentsCommand.ts index 684e48ea850d..67f124973ba1 100644 --- a/clients/client-networkmanager/src/commands/ListAttachmentsCommand.ts +++ b/clients/client-networkmanager/src/commands/ListAttachmentsCommand.ts @@ -145,4 +145,16 @@ export class ListAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListAttachmentsCommand) .de(de_ListAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttachmentsRequest; + output: ListAttachmentsResponse; + }; + sdk: { + input: ListAttachmentsCommandInput; + output: ListAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ListConnectPeersCommand.ts b/clients/client-networkmanager/src/commands/ListConnectPeersCommand.ts index 1bcd386a66ba..ac4079f6021a 100644 --- a/clients/client-networkmanager/src/commands/ListConnectPeersCommand.ts +++ b/clients/client-networkmanager/src/commands/ListConnectPeersCommand.ts @@ -109,4 +109,16 @@ export class ListConnectPeersCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectPeersCommand) .de(de_ListConnectPeersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectPeersRequest; + output: ListConnectPeersResponse; + }; + sdk: { + input: ListConnectPeersCommandInput; + output: ListConnectPeersCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ListCoreNetworkPolicyVersionsCommand.ts b/clients/client-networkmanager/src/commands/ListCoreNetworkPolicyVersionsCommand.ts index a5f712a0dbec..8663d3cb07e1 100644 --- a/clients/client-networkmanager/src/commands/ListCoreNetworkPolicyVersionsCommand.ts +++ b/clients/client-networkmanager/src/commands/ListCoreNetworkPolicyVersionsCommand.ts @@ -109,4 +109,16 @@ export class ListCoreNetworkPolicyVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCoreNetworkPolicyVersionsCommand) .de(de_ListCoreNetworkPolicyVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoreNetworkPolicyVersionsRequest; + output: ListCoreNetworkPolicyVersionsResponse; + }; + sdk: { + input: ListCoreNetworkPolicyVersionsCommandInput; + output: ListCoreNetworkPolicyVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ListCoreNetworksCommand.ts b/clients/client-networkmanager/src/commands/ListCoreNetworksCommand.ts index 9209e193456e..968cbd9b4797 100644 --- a/clients/client-networkmanager/src/commands/ListCoreNetworksCommand.ts +++ b/clients/client-networkmanager/src/commands/ListCoreNetworksCommand.ts @@ -106,4 +106,16 @@ export class ListCoreNetworksCommand extends $Command .f(void 0, void 0) .ser(se_ListCoreNetworksCommand) .de(de_ListCoreNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCoreNetworksRequest; + output: ListCoreNetworksResponse; + }; + sdk: { + input: ListCoreNetworksCommandInput; + output: ListCoreNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ListOrganizationServiceAccessStatusCommand.ts b/clients/client-networkmanager/src/commands/ListOrganizationServiceAccessStatusCommand.ts index 2a6b908e5d2d..a4c30422ec0b 100644 --- a/clients/client-networkmanager/src/commands/ListOrganizationServiceAccessStatusCommand.ts +++ b/clients/client-networkmanager/src/commands/ListOrganizationServiceAccessStatusCommand.ts @@ -97,4 +97,16 @@ export class ListOrganizationServiceAccessStatusCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationServiceAccessStatusCommand) .de(de_ListOrganizationServiceAccessStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationServiceAccessStatusRequest; + output: ListOrganizationServiceAccessStatusResponse; + }; + sdk: { + input: ListOrganizationServiceAccessStatusCommandInput; + output: ListOrganizationServiceAccessStatusCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ListPeeringsCommand.ts b/clients/client-networkmanager/src/commands/ListPeeringsCommand.ts index d9d753c4953f..c770677e388a 100644 --- a/clients/client-networkmanager/src/commands/ListPeeringsCommand.ts +++ b/clients/client-networkmanager/src/commands/ListPeeringsCommand.ts @@ -124,4 +124,16 @@ export class ListPeeringsCommand extends $Command .f(void 0, void 0) .ser(se_ListPeeringsCommand) .de(de_ListPeeringsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPeeringsRequest; + output: ListPeeringsResponse; + }; + sdk: { + input: ListPeeringsCommandInput; + output: ListPeeringsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/ListTagsForResourceCommand.ts b/clients/client-networkmanager/src/commands/ListTagsForResourceCommand.ts index 83c940b779d2..9607e1c92d48 100644 --- a/clients/client-networkmanager/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-networkmanager/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/PutCoreNetworkPolicyCommand.ts b/clients/client-networkmanager/src/commands/PutCoreNetworkPolicyCommand.ts index 0879c9e91f55..bf68642f20a3 100644 --- a/clients/client-networkmanager/src/commands/PutCoreNetworkPolicyCommand.ts +++ b/clients/client-networkmanager/src/commands/PutCoreNetworkPolicyCommand.ts @@ -118,4 +118,16 @@ export class PutCoreNetworkPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutCoreNetworkPolicyCommand) .de(de_PutCoreNetworkPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutCoreNetworkPolicyRequest; + output: PutCoreNetworkPolicyResponse; + }; + sdk: { + input: PutCoreNetworkPolicyCommandInput; + output: PutCoreNetworkPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/PutResourcePolicyCommand.ts b/clients/client-networkmanager/src/commands/PutResourcePolicyCommand.ts index 3f06d9de46a1..dbea40bfe5b9 100644 --- a/clients/client-networkmanager/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-networkmanager/src/commands/PutResourcePolicyCommand.ts @@ -95,4 +95,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: {}; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/RegisterTransitGatewayCommand.ts b/clients/client-networkmanager/src/commands/RegisterTransitGatewayCommand.ts index 47bc1986ec3b..5efa47d42861 100644 --- a/clients/client-networkmanager/src/commands/RegisterTransitGatewayCommand.ts +++ b/clients/client-networkmanager/src/commands/RegisterTransitGatewayCommand.ts @@ -108,4 +108,16 @@ export class RegisterTransitGatewayCommand extends $Command .f(void 0, void 0) .ser(se_RegisterTransitGatewayCommand) .de(de_RegisterTransitGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTransitGatewayRequest; + output: RegisterTransitGatewayResponse; + }; + sdk: { + input: RegisterTransitGatewayCommandInput; + output: RegisterTransitGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/RejectAttachmentCommand.ts b/clients/client-networkmanager/src/commands/RejectAttachmentCommand.ts index c13bb7e673a8..0d89816ec419 100644 --- a/clients/client-networkmanager/src/commands/RejectAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/RejectAttachmentCommand.ts @@ -144,4 +144,16 @@ export class RejectAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_RejectAttachmentCommand) .de(de_RejectAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectAttachmentRequest; + output: RejectAttachmentResponse; + }; + sdk: { + input: RejectAttachmentCommandInput; + output: RejectAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/RestoreCoreNetworkPolicyVersionCommand.ts b/clients/client-networkmanager/src/commands/RestoreCoreNetworkPolicyVersionCommand.ts index c2e9ab49c5a2..e102e5a4541e 100644 --- a/clients/client-networkmanager/src/commands/RestoreCoreNetworkPolicyVersionCommand.ts +++ b/clients/client-networkmanager/src/commands/RestoreCoreNetworkPolicyVersionCommand.ts @@ -117,4 +117,16 @@ export class RestoreCoreNetworkPolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_RestoreCoreNetworkPolicyVersionCommand) .de(de_RestoreCoreNetworkPolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreCoreNetworkPolicyVersionRequest; + output: RestoreCoreNetworkPolicyVersionResponse; + }; + sdk: { + input: RestoreCoreNetworkPolicyVersionCommandInput; + output: RestoreCoreNetworkPolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/StartOrganizationServiceAccessUpdateCommand.ts b/clients/client-networkmanager/src/commands/StartOrganizationServiceAccessUpdateCommand.ts index f2cff382f4f1..1c28ea968bfe 100644 --- a/clients/client-networkmanager/src/commands/StartOrganizationServiceAccessUpdateCommand.ts +++ b/clients/client-networkmanager/src/commands/StartOrganizationServiceAccessUpdateCommand.ts @@ -114,4 +114,16 @@ export class StartOrganizationServiceAccessUpdateCommand extends $Command .f(void 0, void 0) .ser(se_StartOrganizationServiceAccessUpdateCommand) .de(de_StartOrganizationServiceAccessUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartOrganizationServiceAccessUpdateRequest; + output: StartOrganizationServiceAccessUpdateResponse; + }; + sdk: { + input: StartOrganizationServiceAccessUpdateCommandInput; + output: StartOrganizationServiceAccessUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/StartRouteAnalysisCommand.ts b/clients/client-networkmanager/src/commands/StartRouteAnalysisCommand.ts index 7c8bc6083ab9..d53ca735bedf 100644 --- a/clients/client-networkmanager/src/commands/StartRouteAnalysisCommand.ts +++ b/clients/client-networkmanager/src/commands/StartRouteAnalysisCommand.ts @@ -171,4 +171,16 @@ export class StartRouteAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_StartRouteAnalysisCommand) .de(de_StartRouteAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRouteAnalysisRequest; + output: StartRouteAnalysisResponse; + }; + sdk: { + input: StartRouteAnalysisCommandInput; + output: StartRouteAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/TagResourceCommand.ts b/clients/client-networkmanager/src/commands/TagResourceCommand.ts index 684c0bcdf8c9..3a2e5f1d93f6 100644 --- a/clients/client-networkmanager/src/commands/TagResourceCommand.ts +++ b/clients/client-networkmanager/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UntagResourceCommand.ts b/clients/client-networkmanager/src/commands/UntagResourceCommand.ts index e6bfea977129..396667ec39d9 100644 --- a/clients/client-networkmanager/src/commands/UntagResourceCommand.ts +++ b/clients/client-networkmanager/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateConnectionCommand.ts b/clients/client-networkmanager/src/commands/UpdateConnectionCommand.ts index 2fc6576e19f8..3a1a185d6a5e 100644 --- a/clients/client-networkmanager/src/commands/UpdateConnectionCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateConnectionCommand.ts @@ -118,4 +118,16 @@ export class UpdateConnectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectionCommand) .de(de_UpdateConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectionRequest; + output: UpdateConnectionResponse; + }; + sdk: { + input: UpdateConnectionCommandInput; + output: UpdateConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateCoreNetworkCommand.ts b/clients/client-networkmanager/src/commands/UpdateCoreNetworkCommand.ts index dfe9072d60dd..497cf6971b7d 100644 --- a/clients/client-networkmanager/src/commands/UpdateCoreNetworkCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateCoreNetworkCommand.ts @@ -146,4 +146,16 @@ export class UpdateCoreNetworkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCoreNetworkCommand) .de(de_UpdateCoreNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCoreNetworkRequest; + output: UpdateCoreNetworkResponse; + }; + sdk: { + input: UpdateCoreNetworkCommandInput; + output: UpdateCoreNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateDeviceCommand.ts b/clients/client-networkmanager/src/commands/UpdateDeviceCommand.ts index 96e9f9e5a1d4..67ba45112234 100644 --- a/clients/client-networkmanager/src/commands/UpdateDeviceCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateDeviceCommand.ts @@ -145,4 +145,16 @@ export class UpdateDeviceCommand extends $Command .f(UpdateDeviceRequestFilterSensitiveLog, UpdateDeviceResponseFilterSensitiveLog) .ser(se_UpdateDeviceCommand) .de(de_UpdateDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceRequest; + output: UpdateDeviceResponse; + }; + sdk: { + input: UpdateDeviceCommandInput; + output: UpdateDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateGlobalNetworkCommand.ts b/clients/client-networkmanager/src/commands/UpdateGlobalNetworkCommand.ts index a48e2c68b2c2..6ae4bd116c8c 100644 --- a/clients/client-networkmanager/src/commands/UpdateGlobalNetworkCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateGlobalNetworkCommand.ts @@ -110,4 +110,16 @@ export class UpdateGlobalNetworkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGlobalNetworkCommand) .de(de_UpdateGlobalNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlobalNetworkRequest; + output: UpdateGlobalNetworkResponse; + }; + sdk: { + input: UpdateGlobalNetworkCommandInput; + output: UpdateGlobalNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateLinkCommand.ts b/clients/client-networkmanager/src/commands/UpdateLinkCommand.ts index 71f9e0a2a64a..e623128f02cf 100644 --- a/clients/client-networkmanager/src/commands/UpdateLinkCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateLinkCommand.ts @@ -128,4 +128,16 @@ export class UpdateLinkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLinkCommand) .de(de_UpdateLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLinkRequest; + output: UpdateLinkResponse; + }; + sdk: { + input: UpdateLinkCommandInput; + output: UpdateLinkCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateNetworkResourceMetadataCommand.ts b/clients/client-networkmanager/src/commands/UpdateNetworkResourceMetadataCommand.ts index fff5498eb124..cda3391a5147 100644 --- a/clients/client-networkmanager/src/commands/UpdateNetworkResourceMetadataCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateNetworkResourceMetadataCommand.ts @@ -108,4 +108,16 @@ export class UpdateNetworkResourceMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNetworkResourceMetadataCommand) .de(de_UpdateNetworkResourceMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNetworkResourceMetadataRequest; + output: UpdateNetworkResourceMetadataResponse; + }; + sdk: { + input: UpdateNetworkResourceMetadataCommandInput; + output: UpdateNetworkResourceMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateSiteCommand.ts b/clients/client-networkmanager/src/commands/UpdateSiteCommand.ts index 40f72aa15a6b..7b99bf296471 100644 --- a/clients/client-networkmanager/src/commands/UpdateSiteCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateSiteCommand.ts @@ -127,4 +127,16 @@ export class UpdateSiteCommand extends $Command .f(UpdateSiteRequestFilterSensitiveLog, UpdateSiteResponseFilterSensitiveLog) .ser(se_UpdateSiteCommand) .de(de_UpdateSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSiteRequest; + output: UpdateSiteResponse; + }; + sdk: { + input: UpdateSiteCommandInput; + output: UpdateSiteCommandOutput; + }; + }; +} diff --git a/clients/client-networkmanager/src/commands/UpdateVpcAttachmentCommand.ts b/clients/client-networkmanager/src/commands/UpdateVpcAttachmentCommand.ts index d767caa3c93a..d500883d5c47 100644 --- a/clients/client-networkmanager/src/commands/UpdateVpcAttachmentCommand.ts +++ b/clients/client-networkmanager/src/commands/UpdateVpcAttachmentCommand.ts @@ -163,4 +163,16 @@ export class UpdateVpcAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVpcAttachmentCommand) .de(de_UpdateVpcAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVpcAttachmentRequest; + output: UpdateVpcAttachmentResponse; + }; + sdk: { + input: UpdateVpcAttachmentCommandInput; + output: UpdateVpcAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/package.json b/clients/client-networkmonitor/package.json index 98ba91bbc9db..c6002a5f845f 100644 --- a/clients/client-networkmonitor/package.json +++ b/clients/client-networkmonitor/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-networkmonitor/src/commands/CreateMonitorCommand.ts b/clients/client-networkmonitor/src/commands/CreateMonitorCommand.ts index 3beda5433378..011774337d0d 100644 --- a/clients/client-networkmonitor/src/commands/CreateMonitorCommand.ts +++ b/clients/client-networkmonitor/src/commands/CreateMonitorCommand.ts @@ -150,4 +150,16 @@ export class CreateMonitorCommand extends $Command .f(void 0, void 0) .ser(se_CreateMonitorCommand) .de(de_CreateMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMonitorInput; + output: CreateMonitorOutput; + }; + sdk: { + input: CreateMonitorCommandInput; + output: CreateMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/CreateProbeCommand.ts b/clients/client-networkmonitor/src/commands/CreateProbeCommand.ts index 0eb1580f96a0..f148dedba57b 100644 --- a/clients/client-networkmonitor/src/commands/CreateProbeCommand.ts +++ b/clients/client-networkmonitor/src/commands/CreateProbeCommand.ts @@ -127,4 +127,16 @@ export class CreateProbeCommand extends $Command .f(void 0, void 0) .ser(se_CreateProbeCommand) .de(de_CreateProbeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProbeInput; + output: CreateProbeOutput; + }; + sdk: { + input: CreateProbeCommandInput; + output: CreateProbeCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/DeleteMonitorCommand.ts b/clients/client-networkmonitor/src/commands/DeleteMonitorCommand.ts index d265ca5d406d..4b30a8df857c 100644 --- a/clients/client-networkmonitor/src/commands/DeleteMonitorCommand.ts +++ b/clients/client-networkmonitor/src/commands/DeleteMonitorCommand.ts @@ -92,4 +92,16 @@ export class DeleteMonitorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMonitorCommand) .de(de_DeleteMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMonitorInput; + output: {}; + }; + sdk: { + input: DeleteMonitorCommandInput; + output: DeleteMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/DeleteProbeCommand.ts b/clients/client-networkmonitor/src/commands/DeleteProbeCommand.ts index 43f5b8f3e9c0..d4398ba3aa20 100644 --- a/clients/client-networkmonitor/src/commands/DeleteProbeCommand.ts +++ b/clients/client-networkmonitor/src/commands/DeleteProbeCommand.ts @@ -99,4 +99,16 @@ export class DeleteProbeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProbeCommand) .de(de_DeleteProbeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProbeInput; + output: {}; + }; + sdk: { + input: DeleteProbeCommandInput; + output: DeleteProbeCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/GetMonitorCommand.ts b/clients/client-networkmonitor/src/commands/GetMonitorCommand.ts index ef606b7a7a0f..46c04f48569d 100644 --- a/clients/client-networkmonitor/src/commands/GetMonitorCommand.ts +++ b/clients/client-networkmonitor/src/commands/GetMonitorCommand.ts @@ -121,4 +121,16 @@ export class GetMonitorCommand extends $Command .f(void 0, void 0) .ser(se_GetMonitorCommand) .de(de_GetMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMonitorInput; + output: GetMonitorOutput; + }; + sdk: { + input: GetMonitorCommandInput; + output: GetMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/GetProbeCommand.ts b/clients/client-networkmonitor/src/commands/GetProbeCommand.ts index 0e146696c7af..b0430d311dba 100644 --- a/clients/client-networkmonitor/src/commands/GetProbeCommand.ts +++ b/clients/client-networkmonitor/src/commands/GetProbeCommand.ts @@ -110,4 +110,16 @@ export class GetProbeCommand extends $Command .f(void 0, void 0) .ser(se_GetProbeCommand) .de(de_GetProbeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProbeInput; + output: GetProbeOutput; + }; + sdk: { + input: GetProbeCommandInput; + output: GetProbeCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/ListMonitorsCommand.ts b/clients/client-networkmonitor/src/commands/ListMonitorsCommand.ts index a84b0002a0f1..ed6838f0f6de 100644 --- a/clients/client-networkmonitor/src/commands/ListMonitorsCommand.ts +++ b/clients/client-networkmonitor/src/commands/ListMonitorsCommand.ts @@ -102,4 +102,16 @@ export class ListMonitorsCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitorsCommand) .de(de_ListMonitorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitorsInput; + output: ListMonitorsOutput; + }; + sdk: { + input: ListMonitorsCommandInput; + output: ListMonitorsCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/ListTagsForResourceCommand.ts b/clients/client-networkmonitor/src/commands/ListTagsForResourceCommand.ts index f2f8e1e79a3f..fa902d1ccde8 100644 --- a/clients/client-networkmonitor/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-networkmonitor/src/commands/ListTagsForResourceCommand.ts @@ -97,4 +97,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/TagResourceCommand.ts b/clients/client-networkmonitor/src/commands/TagResourceCommand.ts index f88642bba6c6..d74fad3658ee 100644 --- a/clients/client-networkmonitor/src/commands/TagResourceCommand.ts +++ b/clients/client-networkmonitor/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/UntagResourceCommand.ts b/clients/client-networkmonitor/src/commands/UntagResourceCommand.ts index 926a675e3297..2285b89decec 100644 --- a/clients/client-networkmonitor/src/commands/UntagResourceCommand.ts +++ b/clients/client-networkmonitor/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/UpdateMonitorCommand.ts b/clients/client-networkmonitor/src/commands/UpdateMonitorCommand.ts index b86b65669679..40a18368ff61 100644 --- a/clients/client-networkmonitor/src/commands/UpdateMonitorCommand.ts +++ b/clients/client-networkmonitor/src/commands/UpdateMonitorCommand.ts @@ -105,4 +105,16 @@ export class UpdateMonitorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMonitorCommand) .de(de_UpdateMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMonitorInput; + output: UpdateMonitorOutput; + }; + sdk: { + input: UpdateMonitorCommandInput; + output: UpdateMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-networkmonitor/src/commands/UpdateProbeCommand.ts b/clients/client-networkmonitor/src/commands/UpdateProbeCommand.ts index ed4474d12443..0064bcd6c0a8 100644 --- a/clients/client-networkmonitor/src/commands/UpdateProbeCommand.ts +++ b/clients/client-networkmonitor/src/commands/UpdateProbeCommand.ts @@ -147,4 +147,16 @@ export class UpdateProbeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProbeCommand) .de(de_UpdateProbeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProbeInput; + output: UpdateProbeOutput; + }; + sdk: { + input: UpdateProbeCommandInput; + output: UpdateProbeCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/package.json b/clients/client-nimble/package.json index 6de720c43674..1cafdbf29e9a 100644 --- a/clients/client-nimble/package.json +++ b/clients/client-nimble/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-nimble/src/commands/AcceptEulasCommand.ts b/clients/client-nimble/src/commands/AcceptEulasCommand.ts index 066fd846aa0e..03d979f703aa 100644 --- a/clients/client-nimble/src/commands/AcceptEulasCommand.ts +++ b/clients/client-nimble/src/commands/AcceptEulasCommand.ts @@ -113,4 +113,16 @@ export class AcceptEulasCommand extends $Command .f(void 0, void 0) .ser(se_AcceptEulasCommand) .de(de_AcceptEulasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptEulasRequest; + output: AcceptEulasResponse; + }; + sdk: { + input: AcceptEulasCommandInput; + output: AcceptEulasCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/CreateLaunchProfileCommand.ts b/clients/client-nimble/src/commands/CreateLaunchProfileCommand.ts index e4763495526b..db378fd3b486 100644 --- a/clients/client-nimble/src/commands/CreateLaunchProfileCommand.ts +++ b/clients/client-nimble/src/commands/CreateLaunchProfileCommand.ts @@ -215,4 +215,16 @@ export class CreateLaunchProfileCommand extends $Command .f(CreateLaunchProfileRequestFilterSensitiveLog, CreateLaunchProfileResponseFilterSensitiveLog) .ser(se_CreateLaunchProfileCommand) .de(de_CreateLaunchProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLaunchProfileRequest; + output: CreateLaunchProfileResponse; + }; + sdk: { + input: CreateLaunchProfileCommandInput; + output: CreateLaunchProfileCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/CreateStreamingImageCommand.ts b/clients/client-nimble/src/commands/CreateStreamingImageCommand.ts index 682211618b89..1ce2223d5578 100644 --- a/clients/client-nimble/src/commands/CreateStreamingImageCommand.ts +++ b/clients/client-nimble/src/commands/CreateStreamingImageCommand.ts @@ -134,4 +134,16 @@ export class CreateStreamingImageCommand extends $Command .f(CreateStreamingImageRequestFilterSensitiveLog, CreateStreamingImageResponseFilterSensitiveLog) .ser(se_CreateStreamingImageCommand) .de(de_CreateStreamingImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamingImageRequest; + output: CreateStreamingImageResponse; + }; + sdk: { + input: CreateStreamingImageCommandInput; + output: CreateStreamingImageCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/CreateStreamingSessionCommand.ts b/clients/client-nimble/src/commands/CreateStreamingSessionCommand.ts index bd6b6b065b47..bfe47fcf4408 100644 --- a/clients/client-nimble/src/commands/CreateStreamingSessionCommand.ts +++ b/clients/client-nimble/src/commands/CreateStreamingSessionCommand.ts @@ -145,4 +145,16 @@ export class CreateStreamingSessionCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamingSessionCommand) .de(de_CreateStreamingSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamingSessionRequest; + output: CreateStreamingSessionResponse; + }; + sdk: { + input: CreateStreamingSessionCommandInput; + output: CreateStreamingSessionCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/CreateStreamingSessionStreamCommand.ts b/clients/client-nimble/src/commands/CreateStreamingSessionStreamCommand.ts index e22f32b2f2ce..a5d5cb1c1f05 100644 --- a/clients/client-nimble/src/commands/CreateStreamingSessionStreamCommand.ts +++ b/clients/client-nimble/src/commands/CreateStreamingSessionStreamCommand.ts @@ -124,4 +124,16 @@ export class CreateStreamingSessionStreamCommand extends $Command .f(void 0, CreateStreamingSessionStreamResponseFilterSensitiveLog) .ser(se_CreateStreamingSessionStreamCommand) .de(de_CreateStreamingSessionStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamingSessionStreamRequest; + output: CreateStreamingSessionStreamResponse; + }; + sdk: { + input: CreateStreamingSessionStreamCommandInput; + output: CreateStreamingSessionStreamCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/CreateStudioCommand.ts b/clients/client-nimble/src/commands/CreateStudioCommand.ts index 05d959e49276..1524b60dbf1d 100644 --- a/clients/client-nimble/src/commands/CreateStudioCommand.ts +++ b/clients/client-nimble/src/commands/CreateStudioCommand.ts @@ -158,4 +158,16 @@ export class CreateStudioCommand extends $Command .f(CreateStudioRequestFilterSensitiveLog, CreateStudioResponseFilterSensitiveLog) .ser(se_CreateStudioCommand) .de(de_CreateStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStudioRequest; + output: CreateStudioResponse; + }; + sdk: { + input: CreateStudioCommandInput; + output: CreateStudioCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/CreateStudioComponentCommand.ts b/clients/client-nimble/src/commands/CreateStudioComponentCommand.ts index 48592ac2ca6a..b2f89fd98d9a 100644 --- a/clients/client-nimble/src/commands/CreateStudioComponentCommand.ts +++ b/clients/client-nimble/src/commands/CreateStudioComponentCommand.ts @@ -221,4 +221,16 @@ export class CreateStudioComponentCommand extends $Command .f(CreateStudioComponentRequestFilterSensitiveLog, CreateStudioComponentResponseFilterSensitiveLog) .ser(se_CreateStudioComponentCommand) .de(de_CreateStudioComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStudioComponentRequest; + output: CreateStudioComponentResponse; + }; + sdk: { + input: CreateStudioComponentCommandInput; + output: CreateStudioComponentCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/DeleteLaunchProfileCommand.ts b/clients/client-nimble/src/commands/DeleteLaunchProfileCommand.ts index 994e12582ad6..0d5bbf0be1e2 100644 --- a/clients/client-nimble/src/commands/DeleteLaunchProfileCommand.ts +++ b/clients/client-nimble/src/commands/DeleteLaunchProfileCommand.ts @@ -170,4 +170,16 @@ export class DeleteLaunchProfileCommand extends $Command .f(void 0, DeleteLaunchProfileResponseFilterSensitiveLog) .ser(se_DeleteLaunchProfileCommand) .de(de_DeleteLaunchProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchProfileRequest; + output: DeleteLaunchProfileResponse; + }; + sdk: { + input: DeleteLaunchProfileCommandInput; + output: DeleteLaunchProfileCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/DeleteLaunchProfileMemberCommand.ts b/clients/client-nimble/src/commands/DeleteLaunchProfileMemberCommand.ts index e8a109b7cda0..0cd2637fc518 100644 --- a/clients/client-nimble/src/commands/DeleteLaunchProfileMemberCommand.ts +++ b/clients/client-nimble/src/commands/DeleteLaunchProfileMemberCommand.ts @@ -102,4 +102,16 @@ export class DeleteLaunchProfileMemberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLaunchProfileMemberCommand) .de(de_DeleteLaunchProfileMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLaunchProfileMemberRequest; + output: {}; + }; + sdk: { + input: DeleteLaunchProfileMemberCommandInput; + output: DeleteLaunchProfileMemberCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/DeleteStreamingImageCommand.ts b/clients/client-nimble/src/commands/DeleteStreamingImageCommand.ts index ff11212fc1c4..51ccf7cf4da1 100644 --- a/clients/client-nimble/src/commands/DeleteStreamingImageCommand.ts +++ b/clients/client-nimble/src/commands/DeleteStreamingImageCommand.ts @@ -128,4 +128,16 @@ export class DeleteStreamingImageCommand extends $Command .f(void 0, DeleteStreamingImageResponseFilterSensitiveLog) .ser(se_DeleteStreamingImageCommand) .de(de_DeleteStreamingImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamingImageRequest; + output: DeleteStreamingImageResponse; + }; + sdk: { + input: DeleteStreamingImageCommandInput; + output: DeleteStreamingImageCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/DeleteStreamingSessionCommand.ts b/clients/client-nimble/src/commands/DeleteStreamingSessionCommand.ts index 6c5049895ed6..a1600e327a01 100644 --- a/clients/client-nimble/src/commands/DeleteStreamingSessionCommand.ts +++ b/clients/client-nimble/src/commands/DeleteStreamingSessionCommand.ts @@ -141,4 +141,16 @@ export class DeleteStreamingSessionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStreamingSessionCommand) .de(de_DeleteStreamingSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamingSessionRequest; + output: DeleteStreamingSessionResponse; + }; + sdk: { + input: DeleteStreamingSessionCommandInput; + output: DeleteStreamingSessionCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/DeleteStudioCommand.ts b/clients/client-nimble/src/commands/DeleteStudioCommand.ts index bbb90a903ca8..670a8cac0241 100644 --- a/clients/client-nimble/src/commands/DeleteStudioCommand.ts +++ b/clients/client-nimble/src/commands/DeleteStudioCommand.ts @@ -124,4 +124,16 @@ export class DeleteStudioCommand extends $Command .f(void 0, DeleteStudioResponseFilterSensitiveLog) .ser(se_DeleteStudioCommand) .de(de_DeleteStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStudioRequest; + output: DeleteStudioResponse; + }; + sdk: { + input: DeleteStudioCommandInput; + output: DeleteStudioCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/DeleteStudioComponentCommand.ts b/clients/client-nimble/src/commands/DeleteStudioComponentCommand.ts index 175f019bdfba..965c48f18bb1 100644 --- a/clients/client-nimble/src/commands/DeleteStudioComponentCommand.ts +++ b/clients/client-nimble/src/commands/DeleteStudioComponentCommand.ts @@ -169,4 +169,16 @@ export class DeleteStudioComponentCommand extends $Command .f(void 0, DeleteStudioComponentResponseFilterSensitiveLog) .ser(se_DeleteStudioComponentCommand) .de(de_DeleteStudioComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStudioComponentRequest; + output: DeleteStudioComponentResponse; + }; + sdk: { + input: DeleteStudioComponentCommandInput; + output: DeleteStudioComponentCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/DeleteStudioMemberCommand.ts b/clients/client-nimble/src/commands/DeleteStudioMemberCommand.ts index c0c2e7c02b47..43f137a725d7 100644 --- a/clients/client-nimble/src/commands/DeleteStudioMemberCommand.ts +++ b/clients/client-nimble/src/commands/DeleteStudioMemberCommand.ts @@ -101,4 +101,16 @@ export class DeleteStudioMemberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStudioMemberCommand) .de(de_DeleteStudioMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStudioMemberRequest; + output: {}; + }; + sdk: { + input: DeleteStudioMemberCommandInput; + output: DeleteStudioMemberCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetEulaCommand.ts b/clients/client-nimble/src/commands/GetEulaCommand.ts index 669caf68c251..2038e0ac3864 100644 --- a/clients/client-nimble/src/commands/GetEulaCommand.ts +++ b/clients/client-nimble/src/commands/GetEulaCommand.ts @@ -107,4 +107,16 @@ export class GetEulaCommand extends $Command .f(void 0, void 0) .ser(se_GetEulaCommand) .de(de_GetEulaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEulaRequest; + output: GetEulaResponse; + }; + sdk: { + input: GetEulaCommandInput; + output: GetEulaCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetLaunchProfileCommand.ts b/clients/client-nimble/src/commands/GetLaunchProfileCommand.ts index 76bbc9c9549d..10b11b7664ce 100644 --- a/clients/client-nimble/src/commands/GetLaunchProfileCommand.ts +++ b/clients/client-nimble/src/commands/GetLaunchProfileCommand.ts @@ -169,4 +169,16 @@ export class GetLaunchProfileCommand extends $Command .f(void 0, GetLaunchProfileResponseFilterSensitiveLog) .ser(se_GetLaunchProfileCommand) .de(de_GetLaunchProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchProfileRequest; + output: GetLaunchProfileResponse; + }; + sdk: { + input: GetLaunchProfileCommandInput; + output: GetLaunchProfileCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetLaunchProfileDetailsCommand.ts b/clients/client-nimble/src/commands/GetLaunchProfileDetailsCommand.ts index 9e9374fbb5aa..e68c50a6b7d1 100644 --- a/clients/client-nimble/src/commands/GetLaunchProfileDetailsCommand.ts +++ b/clients/client-nimble/src/commands/GetLaunchProfileDetailsCommand.ts @@ -209,4 +209,16 @@ export class GetLaunchProfileDetailsCommand extends $Command .f(void 0, GetLaunchProfileDetailsResponseFilterSensitiveLog) .ser(se_GetLaunchProfileDetailsCommand) .de(de_GetLaunchProfileDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchProfileDetailsRequest; + output: GetLaunchProfileDetailsResponse; + }; + sdk: { + input: GetLaunchProfileDetailsCommandInput; + output: GetLaunchProfileDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetLaunchProfileInitializationCommand.ts b/clients/client-nimble/src/commands/GetLaunchProfileInitializationCommand.ts index bf60f0cb131e..e2f2f84d5f55 100644 --- a/clients/client-nimble/src/commands/GetLaunchProfileInitializationCommand.ts +++ b/clients/client-nimble/src/commands/GetLaunchProfileInitializationCommand.ts @@ -159,4 +159,16 @@ export class GetLaunchProfileInitializationCommand extends $Command .f(void 0, GetLaunchProfileInitializationResponseFilterSensitiveLog) .ser(se_GetLaunchProfileInitializationCommand) .de(de_GetLaunchProfileInitializationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchProfileInitializationRequest; + output: GetLaunchProfileInitializationResponse; + }; + sdk: { + input: GetLaunchProfileInitializationCommandInput; + output: GetLaunchProfileInitializationCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetLaunchProfileMemberCommand.ts b/clients/client-nimble/src/commands/GetLaunchProfileMemberCommand.ts index f47b8272ab3f..9bd445e1a1b2 100644 --- a/clients/client-nimble/src/commands/GetLaunchProfileMemberCommand.ts +++ b/clients/client-nimble/src/commands/GetLaunchProfileMemberCommand.ts @@ -108,4 +108,16 @@ export class GetLaunchProfileMemberCommand extends $Command .f(void 0, void 0) .ser(se_GetLaunchProfileMemberCommand) .de(de_GetLaunchProfileMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLaunchProfileMemberRequest; + output: GetLaunchProfileMemberResponse; + }; + sdk: { + input: GetLaunchProfileMemberCommandInput; + output: GetLaunchProfileMemberCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetStreamingImageCommand.ts b/clients/client-nimble/src/commands/GetStreamingImageCommand.ts index cea9d35038bf..857ca4ef849a 100644 --- a/clients/client-nimble/src/commands/GetStreamingImageCommand.ts +++ b/clients/client-nimble/src/commands/GetStreamingImageCommand.ts @@ -127,4 +127,16 @@ export class GetStreamingImageCommand extends $Command .f(void 0, GetStreamingImageResponseFilterSensitiveLog) .ser(se_GetStreamingImageCommand) .de(de_GetStreamingImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamingImageRequest; + output: GetStreamingImageResponse; + }; + sdk: { + input: GetStreamingImageCommandInput; + output: GetStreamingImageCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetStreamingSessionBackupCommand.ts b/clients/client-nimble/src/commands/GetStreamingSessionBackupCommand.ts index dd1bf75f2eb4..1351faa4c66e 100644 --- a/clients/client-nimble/src/commands/GetStreamingSessionBackupCommand.ts +++ b/clients/client-nimble/src/commands/GetStreamingSessionBackupCommand.ts @@ -112,4 +112,16 @@ export class GetStreamingSessionBackupCommand extends $Command .f(void 0, void 0) .ser(se_GetStreamingSessionBackupCommand) .de(de_GetStreamingSessionBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamingSessionBackupRequest; + output: GetStreamingSessionBackupResponse; + }; + sdk: { + input: GetStreamingSessionBackupCommandInput; + output: GetStreamingSessionBackupCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetStreamingSessionCommand.ts b/clients/client-nimble/src/commands/GetStreamingSessionCommand.ts index 2da3e1a7fce0..9f88056f47b8 100644 --- a/clients/client-nimble/src/commands/GetStreamingSessionCommand.ts +++ b/clients/client-nimble/src/commands/GetStreamingSessionCommand.ts @@ -138,4 +138,16 @@ export class GetStreamingSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetStreamingSessionCommand) .de(de_GetStreamingSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamingSessionRequest; + output: GetStreamingSessionResponse; + }; + sdk: { + input: GetStreamingSessionCommandInput; + output: GetStreamingSessionCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetStreamingSessionStreamCommand.ts b/clients/client-nimble/src/commands/GetStreamingSessionStreamCommand.ts index 4e88c25e69bf..beff0f5c4236 100644 --- a/clients/client-nimble/src/commands/GetStreamingSessionStreamCommand.ts +++ b/clients/client-nimble/src/commands/GetStreamingSessionStreamCommand.ts @@ -120,4 +120,16 @@ export class GetStreamingSessionStreamCommand extends $Command .f(void 0, GetStreamingSessionStreamResponseFilterSensitiveLog) .ser(se_GetStreamingSessionStreamCommand) .de(de_GetStreamingSessionStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStreamingSessionStreamRequest; + output: GetStreamingSessionStreamResponse; + }; + sdk: { + input: GetStreamingSessionStreamCommandInput; + output: GetStreamingSessionStreamCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetStudioCommand.ts b/clients/client-nimble/src/commands/GetStudioCommand.ts index da86106a22de..d9441616769e 100644 --- a/clients/client-nimble/src/commands/GetStudioCommand.ts +++ b/clients/client-nimble/src/commands/GetStudioCommand.ts @@ -123,4 +123,16 @@ export class GetStudioCommand extends $Command .f(void 0, GetStudioResponseFilterSensitiveLog) .ser(se_GetStudioCommand) .de(de_GetStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStudioRequest; + output: GetStudioResponse; + }; + sdk: { + input: GetStudioCommandInput; + output: GetStudioCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetStudioComponentCommand.ts b/clients/client-nimble/src/commands/GetStudioComponentCommand.ts index 2beb5d64630c..67405e07efb7 100644 --- a/clients/client-nimble/src/commands/GetStudioComponentCommand.ts +++ b/clients/client-nimble/src/commands/GetStudioComponentCommand.ts @@ -168,4 +168,16 @@ export class GetStudioComponentCommand extends $Command .f(void 0, GetStudioComponentResponseFilterSensitiveLog) .ser(se_GetStudioComponentCommand) .de(de_GetStudioComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStudioComponentRequest; + output: GetStudioComponentResponse; + }; + sdk: { + input: GetStudioComponentCommandInput; + output: GetStudioComponentCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/GetStudioMemberCommand.ts b/clients/client-nimble/src/commands/GetStudioMemberCommand.ts index d99ee0bf20f8..f06e57593770 100644 --- a/clients/client-nimble/src/commands/GetStudioMemberCommand.ts +++ b/clients/client-nimble/src/commands/GetStudioMemberCommand.ts @@ -107,4 +107,16 @@ export class GetStudioMemberCommand extends $Command .f(void 0, void 0) .ser(se_GetStudioMemberCommand) .de(de_GetStudioMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStudioMemberRequest; + output: GetStudioMemberResponse; + }; + sdk: { + input: GetStudioMemberCommandInput; + output: GetStudioMemberCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListEulaAcceptancesCommand.ts b/clients/client-nimble/src/commands/ListEulaAcceptancesCommand.ts index 7be6dd683b15..bdd67ee7c5f2 100644 --- a/clients/client-nimble/src/commands/ListEulaAcceptancesCommand.ts +++ b/clients/client-nimble/src/commands/ListEulaAcceptancesCommand.ts @@ -114,4 +114,16 @@ export class ListEulaAcceptancesCommand extends $Command .f(void 0, void 0) .ser(se_ListEulaAcceptancesCommand) .de(de_ListEulaAcceptancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEulaAcceptancesRequest; + output: ListEulaAcceptancesResponse; + }; + sdk: { + input: ListEulaAcceptancesCommandInput; + output: ListEulaAcceptancesCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListEulasCommand.ts b/clients/client-nimble/src/commands/ListEulasCommand.ts index d14960510a15..6058fd2cf782 100644 --- a/clients/client-nimble/src/commands/ListEulasCommand.ts +++ b/clients/client-nimble/src/commands/ListEulasCommand.ts @@ -113,4 +113,16 @@ export class ListEulasCommand extends $Command .f(void 0, void 0) .ser(se_ListEulasCommand) .de(de_ListEulasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEulasRequest; + output: ListEulasResponse; + }; + sdk: { + input: ListEulasCommandInput; + output: ListEulasCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListLaunchProfileMembersCommand.ts b/clients/client-nimble/src/commands/ListLaunchProfileMembersCommand.ts index 5150ed56f7b8..3ea8b7eef0ff 100644 --- a/clients/client-nimble/src/commands/ListLaunchProfileMembersCommand.ts +++ b/clients/client-nimble/src/commands/ListLaunchProfileMembersCommand.ts @@ -112,4 +112,16 @@ export class ListLaunchProfileMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListLaunchProfileMembersCommand) .de(de_ListLaunchProfileMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLaunchProfileMembersRequest; + output: ListLaunchProfileMembersResponse; + }; + sdk: { + input: ListLaunchProfileMembersCommandInput; + output: ListLaunchProfileMembersCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListLaunchProfilesCommand.ts b/clients/client-nimble/src/commands/ListLaunchProfilesCommand.ts index e599a1f1299c..7b27c8e627ba 100644 --- a/clients/client-nimble/src/commands/ListLaunchProfilesCommand.ts +++ b/clients/client-nimble/src/commands/ListLaunchProfilesCommand.ts @@ -177,4 +177,16 @@ export class ListLaunchProfilesCommand extends $Command .f(void 0, ListLaunchProfilesResponseFilterSensitiveLog) .ser(se_ListLaunchProfilesCommand) .de(de_ListLaunchProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLaunchProfilesRequest; + output: ListLaunchProfilesResponse; + }; + sdk: { + input: ListLaunchProfilesCommandInput; + output: ListLaunchProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListStreamingImagesCommand.ts b/clients/client-nimble/src/commands/ListStreamingImagesCommand.ts index a878c6703c79..85407602ed60 100644 --- a/clients/client-nimble/src/commands/ListStreamingImagesCommand.ts +++ b/clients/client-nimble/src/commands/ListStreamingImagesCommand.ts @@ -133,4 +133,16 @@ export class ListStreamingImagesCommand extends $Command .f(void 0, ListStreamingImagesResponseFilterSensitiveLog) .ser(se_ListStreamingImagesCommand) .de(de_ListStreamingImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamingImagesRequest; + output: ListStreamingImagesResponse; + }; + sdk: { + input: ListStreamingImagesCommandInput; + output: ListStreamingImagesCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListStreamingSessionBackupsCommand.ts b/clients/client-nimble/src/commands/ListStreamingSessionBackupsCommand.ts index 6a399d52f0c5..9d79d91b642b 100644 --- a/clients/client-nimble/src/commands/ListStreamingSessionBackupsCommand.ts +++ b/clients/client-nimble/src/commands/ListStreamingSessionBackupsCommand.ts @@ -119,4 +119,16 @@ export class ListStreamingSessionBackupsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamingSessionBackupsCommand) .de(de_ListStreamingSessionBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamingSessionBackupsRequest; + output: ListStreamingSessionBackupsResponse; + }; + sdk: { + input: ListStreamingSessionBackupsCommandInput; + output: ListStreamingSessionBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListStreamingSessionsCommand.ts b/clients/client-nimble/src/commands/ListStreamingSessionsCommand.ts index b9f6ebf7f578..5ee523532e6b 100644 --- a/clients/client-nimble/src/commands/ListStreamingSessionsCommand.ts +++ b/clients/client-nimble/src/commands/ListStreamingSessionsCommand.ts @@ -142,4 +142,16 @@ export class ListStreamingSessionsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamingSessionsCommand) .de(de_ListStreamingSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamingSessionsRequest; + output: ListStreamingSessionsResponse; + }; + sdk: { + input: ListStreamingSessionsCommandInput; + output: ListStreamingSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListStudioComponentsCommand.ts b/clients/client-nimble/src/commands/ListStudioComponentsCommand.ts index b9d574924231..37d95d005ff5 100644 --- a/clients/client-nimble/src/commands/ListStudioComponentsCommand.ts +++ b/clients/client-nimble/src/commands/ListStudioComponentsCommand.ts @@ -178,4 +178,16 @@ export class ListStudioComponentsCommand extends $Command .f(void 0, ListStudioComponentsResponseFilterSensitiveLog) .ser(se_ListStudioComponentsCommand) .de(de_ListStudioComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStudioComponentsRequest; + output: ListStudioComponentsResponse; + }; + sdk: { + input: ListStudioComponentsCommandInput; + output: ListStudioComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListStudioMembersCommand.ts b/clients/client-nimble/src/commands/ListStudioMembersCommand.ts index 54e6a4a23649..bdc03b2faedd 100644 --- a/clients/client-nimble/src/commands/ListStudioMembersCommand.ts +++ b/clients/client-nimble/src/commands/ListStudioMembersCommand.ts @@ -115,4 +115,16 @@ export class ListStudioMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListStudioMembersCommand) .de(de_ListStudioMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStudioMembersRequest; + output: ListStudioMembersResponse; + }; + sdk: { + input: ListStudioMembersCommandInput; + output: ListStudioMembersCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListStudiosCommand.ts b/clients/client-nimble/src/commands/ListStudiosCommand.ts index cff0f621125d..ee0a9acc05a7 100644 --- a/clients/client-nimble/src/commands/ListStudiosCommand.ts +++ b/clients/client-nimble/src/commands/ListStudiosCommand.ts @@ -126,4 +126,16 @@ export class ListStudiosCommand extends $Command .f(void 0, ListStudiosResponseFilterSensitiveLog) .ser(se_ListStudiosCommand) .de(de_ListStudiosCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStudiosRequest; + output: ListStudiosResponse; + }; + sdk: { + input: ListStudiosCommandInput; + output: ListStudiosCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/ListTagsForResourceCommand.ts b/clients/client-nimble/src/commands/ListTagsForResourceCommand.ts index bab4463109b6..7ba804de42e3 100644 --- a/clients/client-nimble/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-nimble/src/commands/ListTagsForResourceCommand.ts @@ -107,4 +107,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/PutLaunchProfileMembersCommand.ts b/clients/client-nimble/src/commands/PutLaunchProfileMembersCommand.ts index aa9a77fa65f1..f10b6d97f2d4 100644 --- a/clients/client-nimble/src/commands/PutLaunchProfileMembersCommand.ts +++ b/clients/client-nimble/src/commands/PutLaunchProfileMembersCommand.ts @@ -108,4 +108,16 @@ export class PutLaunchProfileMembersCommand extends $Command .f(void 0, void 0) .ser(se_PutLaunchProfileMembersCommand) .de(de_PutLaunchProfileMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLaunchProfileMembersRequest; + output: {}; + }; + sdk: { + input: PutLaunchProfileMembersCommandInput; + output: PutLaunchProfileMembersCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/PutStudioMembersCommand.ts b/clients/client-nimble/src/commands/PutStudioMembersCommand.ts index bdaf43b2c1b6..32a210721a6c 100644 --- a/clients/client-nimble/src/commands/PutStudioMembersCommand.ts +++ b/clients/client-nimble/src/commands/PutStudioMembersCommand.ts @@ -107,4 +107,16 @@ export class PutStudioMembersCommand extends $Command .f(void 0, void 0) .ser(se_PutStudioMembersCommand) .de(de_PutStudioMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutStudioMembersRequest; + output: {}; + }; + sdk: { + input: PutStudioMembersCommandInput; + output: PutStudioMembersCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/StartStreamingSessionCommand.ts b/clients/client-nimble/src/commands/StartStreamingSessionCommand.ts index 000e2d693bb0..6bb0c7c279d7 100644 --- a/clients/client-nimble/src/commands/StartStreamingSessionCommand.ts +++ b/clients/client-nimble/src/commands/StartStreamingSessionCommand.ts @@ -140,4 +140,16 @@ export class StartStreamingSessionCommand extends $Command .f(void 0, void 0) .ser(se_StartStreamingSessionCommand) .de(de_StartStreamingSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartStreamingSessionRequest; + output: StartStreamingSessionResponse; + }; + sdk: { + input: StartStreamingSessionCommandInput; + output: StartStreamingSessionCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/StartStudioSSOConfigurationRepairCommand.ts b/clients/client-nimble/src/commands/StartStudioSSOConfigurationRepairCommand.ts index f56c5769c7ea..1ae109a28aa5 100644 --- a/clients/client-nimble/src/commands/StartStudioSSOConfigurationRepairCommand.ts +++ b/clients/client-nimble/src/commands/StartStudioSSOConfigurationRepairCommand.ts @@ -139,4 +139,16 @@ export class StartStudioSSOConfigurationRepairCommand extends $Command .f(void 0, StartStudioSSOConfigurationRepairResponseFilterSensitiveLog) .ser(se_StartStudioSSOConfigurationRepairCommand) .de(de_StartStudioSSOConfigurationRepairCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartStudioSSOConfigurationRepairRequest; + output: StartStudioSSOConfigurationRepairResponse; + }; + sdk: { + input: StartStudioSSOConfigurationRepairCommandInput; + output: StartStudioSSOConfigurationRepairCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/StopStreamingSessionCommand.ts b/clients/client-nimble/src/commands/StopStreamingSessionCommand.ts index 008bbc3d26eb..ad4479a26944 100644 --- a/clients/client-nimble/src/commands/StopStreamingSessionCommand.ts +++ b/clients/client-nimble/src/commands/StopStreamingSessionCommand.ts @@ -140,4 +140,16 @@ export class StopStreamingSessionCommand extends $Command .f(void 0, void 0) .ser(se_StopStreamingSessionCommand) .de(de_StopStreamingSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopStreamingSessionRequest; + output: StopStreamingSessionResponse; + }; + sdk: { + input: StopStreamingSessionCommandInput; + output: StopStreamingSessionCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/TagResourceCommand.ts b/clients/client-nimble/src/commands/TagResourceCommand.ts index 282f7e294032..39a8313958aa 100644 --- a/clients/client-nimble/src/commands/TagResourceCommand.ts +++ b/clients/client-nimble/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/UntagResourceCommand.ts b/clients/client-nimble/src/commands/UntagResourceCommand.ts index 625d25a6c1c0..594f64b4cdcc 100644 --- a/clients/client-nimble/src/commands/UntagResourceCommand.ts +++ b/clients/client-nimble/src/commands/UntagResourceCommand.ts @@ -102,4 +102,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/UpdateLaunchProfileCommand.ts b/clients/client-nimble/src/commands/UpdateLaunchProfileCommand.ts index 451dc599c281..4b7cb734fd2e 100644 --- a/clients/client-nimble/src/commands/UpdateLaunchProfileCommand.ts +++ b/clients/client-nimble/src/commands/UpdateLaunchProfileCommand.ts @@ -210,4 +210,16 @@ export class UpdateLaunchProfileCommand extends $Command .f(UpdateLaunchProfileRequestFilterSensitiveLog, UpdateLaunchProfileResponseFilterSensitiveLog) .ser(se_UpdateLaunchProfileCommand) .de(de_UpdateLaunchProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLaunchProfileRequest; + output: UpdateLaunchProfileResponse; + }; + sdk: { + input: UpdateLaunchProfileCommandInput; + output: UpdateLaunchProfileCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/UpdateLaunchProfileMemberCommand.ts b/clients/client-nimble/src/commands/UpdateLaunchProfileMemberCommand.ts index 500e35b16d87..fb7703c89b7c 100644 --- a/clients/client-nimble/src/commands/UpdateLaunchProfileMemberCommand.ts +++ b/clients/client-nimble/src/commands/UpdateLaunchProfileMemberCommand.ts @@ -110,4 +110,16 @@ export class UpdateLaunchProfileMemberCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLaunchProfileMemberCommand) .de(de_UpdateLaunchProfileMemberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLaunchProfileMemberRequest; + output: UpdateLaunchProfileMemberResponse; + }; + sdk: { + input: UpdateLaunchProfileMemberCommandInput; + output: UpdateLaunchProfileMemberCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/UpdateStreamingImageCommand.ts b/clients/client-nimble/src/commands/UpdateStreamingImageCommand.ts index abb3d43e8c8b..4e7731baa3c4 100644 --- a/clients/client-nimble/src/commands/UpdateStreamingImageCommand.ts +++ b/clients/client-nimble/src/commands/UpdateStreamingImageCommand.ts @@ -131,4 +131,16 @@ export class UpdateStreamingImageCommand extends $Command .f(UpdateStreamingImageRequestFilterSensitiveLog, UpdateStreamingImageResponseFilterSensitiveLog) .ser(se_UpdateStreamingImageCommand) .de(de_UpdateStreamingImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStreamingImageRequest; + output: UpdateStreamingImageResponse; + }; + sdk: { + input: UpdateStreamingImageCommandInput; + output: UpdateStreamingImageCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/UpdateStudioCommand.ts b/clients/client-nimble/src/commands/UpdateStudioCommand.ts index 4f4e9a277462..f444e89e00ad 100644 --- a/clients/client-nimble/src/commands/UpdateStudioCommand.ts +++ b/clients/client-nimble/src/commands/UpdateStudioCommand.ts @@ -134,4 +134,16 @@ export class UpdateStudioCommand extends $Command .f(UpdateStudioRequestFilterSensitiveLog, UpdateStudioResponseFilterSensitiveLog) .ser(se_UpdateStudioCommand) .de(de_UpdateStudioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStudioRequest; + output: UpdateStudioResponse; + }; + sdk: { + input: UpdateStudioCommandInput; + output: UpdateStudioCommandOutput; + }; + }; +} diff --git a/clients/client-nimble/src/commands/UpdateStudioComponentCommand.ts b/clients/client-nimble/src/commands/UpdateStudioComponentCommand.ts index 4409929f4dc1..f834ed1d225d 100644 --- a/clients/client-nimble/src/commands/UpdateStudioComponentCommand.ts +++ b/clients/client-nimble/src/commands/UpdateStudioComponentCommand.ts @@ -219,4 +219,16 @@ export class UpdateStudioComponentCommand extends $Command .f(UpdateStudioComponentRequestFilterSensitiveLog, UpdateStudioComponentResponseFilterSensitiveLog) .ser(se_UpdateStudioComponentCommand) .de(de_UpdateStudioComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStudioComponentRequest; + output: UpdateStudioComponentResponse; + }; + sdk: { + input: UpdateStudioComponentCommandInput; + output: UpdateStudioComponentCommandOutput; + }; + }; +} diff --git a/clients/client-oam/package.json b/clients/client-oam/package.json index 90d3b8761e8e..22dff4dd78de 100644 --- a/clients/client-oam/package.json +++ b/clients/client-oam/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-oam/src/commands/CreateLinkCommand.ts b/clients/client-oam/src/commands/CreateLinkCommand.ts index 6432cf6271fd..a6db2b1108a5 100644 --- a/clients/client-oam/src/commands/CreateLinkCommand.ts +++ b/clients/client-oam/src/commands/CreateLinkCommand.ts @@ -136,4 +136,16 @@ export class CreateLinkCommand extends $Command .f(void 0, void 0) .ser(se_CreateLinkCommand) .de(de_CreateLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLinkInput; + output: CreateLinkOutput; + }; + sdk: { + input: CreateLinkCommandInput; + output: CreateLinkCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/CreateSinkCommand.ts b/clients/client-oam/src/commands/CreateSinkCommand.ts index d3cf460ceb6d..a80591d36353 100644 --- a/clients/client-oam/src/commands/CreateSinkCommand.ts +++ b/clients/client-oam/src/commands/CreateSinkCommand.ts @@ -106,4 +106,16 @@ export class CreateSinkCommand extends $Command .f(void 0, void 0) .ser(se_CreateSinkCommand) .de(de_CreateSinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSinkInput; + output: CreateSinkOutput; + }; + sdk: { + input: CreateSinkCommandInput; + output: CreateSinkCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/DeleteLinkCommand.ts b/clients/client-oam/src/commands/DeleteLinkCommand.ts index 58ae6da84943..bc4d12f78780 100644 --- a/clients/client-oam/src/commands/DeleteLinkCommand.ts +++ b/clients/client-oam/src/commands/DeleteLinkCommand.ts @@ -88,4 +88,16 @@ export class DeleteLinkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLinkCommand) .de(de_DeleteLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLinkInput; + output: {}; + }; + sdk: { + input: DeleteLinkCommandInput; + output: DeleteLinkCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/DeleteSinkCommand.ts b/clients/client-oam/src/commands/DeleteSinkCommand.ts index fbb6adedf57b..65327297e265 100644 --- a/clients/client-oam/src/commands/DeleteSinkCommand.ts +++ b/clients/client-oam/src/commands/DeleteSinkCommand.ts @@ -90,4 +90,16 @@ export class DeleteSinkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSinkCommand) .de(de_DeleteSinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSinkInput; + output: {}; + }; + sdk: { + input: DeleteSinkCommandInput; + output: DeleteSinkCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/GetLinkCommand.ts b/clients/client-oam/src/commands/GetLinkCommand.ts index c4d056ef8b60..4c652cdb0433 100644 --- a/clients/client-oam/src/commands/GetLinkCommand.ts +++ b/clients/client-oam/src/commands/GetLinkCommand.ts @@ -108,4 +108,16 @@ export class GetLinkCommand extends $Command .f(void 0, void 0) .ser(se_GetLinkCommand) .de(de_GetLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLinkInput; + output: GetLinkOutput; + }; + sdk: { + input: GetLinkCommandInput; + output: GetLinkCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/GetSinkCommand.ts b/clients/client-oam/src/commands/GetSinkCommand.ts index 27bfff70158f..73509e04d70a 100644 --- a/clients/client-oam/src/commands/GetSinkCommand.ts +++ b/clients/client-oam/src/commands/GetSinkCommand.ts @@ -95,4 +95,16 @@ export class GetSinkCommand extends $Command .f(void 0, void 0) .ser(se_GetSinkCommand) .de(de_GetSinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSinkInput; + output: GetSinkOutput; + }; + sdk: { + input: GetSinkCommandInput; + output: GetSinkCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/GetSinkPolicyCommand.ts b/clients/client-oam/src/commands/GetSinkPolicyCommand.ts index 94e5bb31740f..5bff4bed3410 100644 --- a/clients/client-oam/src/commands/GetSinkPolicyCommand.ts +++ b/clients/client-oam/src/commands/GetSinkPolicyCommand.ts @@ -92,4 +92,16 @@ export class GetSinkPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetSinkPolicyCommand) .de(de_GetSinkPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSinkPolicyInput; + output: GetSinkPolicyOutput; + }; + sdk: { + input: GetSinkPolicyCommandInput; + output: GetSinkPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/ListAttachedLinksCommand.ts b/clients/client-oam/src/commands/ListAttachedLinksCommand.ts index 3cd822005924..4193c6924daf 100644 --- a/clients/client-oam/src/commands/ListAttachedLinksCommand.ts +++ b/clients/client-oam/src/commands/ListAttachedLinksCommand.ts @@ -102,4 +102,16 @@ export class ListAttachedLinksCommand extends $Command .f(void 0, void 0) .ser(se_ListAttachedLinksCommand) .de(de_ListAttachedLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttachedLinksInput; + output: ListAttachedLinksOutput; + }; + sdk: { + input: ListAttachedLinksCommandInput; + output: ListAttachedLinksCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/ListLinksCommand.ts b/clients/client-oam/src/commands/ListLinksCommand.ts index ff66d88fec29..41f82cddf2d4 100644 --- a/clients/client-oam/src/commands/ListLinksCommand.ts +++ b/clients/client-oam/src/commands/ListLinksCommand.ts @@ -100,4 +100,16 @@ export class ListLinksCommand extends $Command .f(void 0, void 0) .ser(se_ListLinksCommand) .de(de_ListLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLinksInput; + output: ListLinksOutput; + }; + sdk: { + input: ListLinksCommandInput; + output: ListLinksCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/ListSinksCommand.ts b/clients/client-oam/src/commands/ListSinksCommand.ts index 7cac3efc7ea3..52046075ddad 100644 --- a/clients/client-oam/src/commands/ListSinksCommand.ts +++ b/clients/client-oam/src/commands/ListSinksCommand.ts @@ -94,4 +94,16 @@ export class ListSinksCommand extends $Command .f(void 0, void 0) .ser(se_ListSinksCommand) .de(de_ListSinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSinksInput; + output: ListSinksOutput; + }; + sdk: { + input: ListSinksCommandInput; + output: ListSinksCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/ListTagsForResourceCommand.ts b/clients/client-oam/src/commands/ListTagsForResourceCommand.ts index 2db7d029b0ef..6ea5b4d11b5e 100644 --- a/clients/client-oam/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-oam/src/commands/ListTagsForResourceCommand.ts @@ -85,4 +85,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/PutSinkPolicyCommand.ts b/clients/client-oam/src/commands/PutSinkPolicyCommand.ts index 5797c12663e2..78819ee631a6 100644 --- a/clients/client-oam/src/commands/PutSinkPolicyCommand.ts +++ b/clients/client-oam/src/commands/PutSinkPolicyCommand.ts @@ -120,4 +120,16 @@ export class PutSinkPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutSinkPolicyCommand) .de(de_PutSinkPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSinkPolicyInput; + output: PutSinkPolicyOutput; + }; + sdk: { + input: PutSinkPolicyCommandInput; + output: PutSinkPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/TagResourceCommand.ts b/clients/client-oam/src/commands/TagResourceCommand.ts index 449e000e4132..1b81bcbb1b1b 100644 --- a/clients/client-oam/src/commands/TagResourceCommand.ts +++ b/clients/client-oam/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/UntagResourceCommand.ts b/clients/client-oam/src/commands/UntagResourceCommand.ts index 51400f367cd3..8c5b73e7fb1e 100644 --- a/clients/client-oam/src/commands/UntagResourceCommand.ts +++ b/clients/client-oam/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-oam/src/commands/UpdateLinkCommand.ts b/clients/client-oam/src/commands/UpdateLinkCommand.ts index 0868dc1f746f..2d5d19524c4e 100644 --- a/clients/client-oam/src/commands/UpdateLinkCommand.ts +++ b/clients/client-oam/src/commands/UpdateLinkCommand.ts @@ -123,4 +123,16 @@ export class UpdateLinkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLinkCommand) .de(de_UpdateLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLinkInput; + output: UpdateLinkOutput; + }; + sdk: { + input: UpdateLinkCommandInput; + output: UpdateLinkCommandOutput; + }; + }; +} diff --git a/clients/client-omics/package.json b/clients/client-omics/package.json index e85bede3a3bc..ee2f662d8860 100644 --- a/clients/client-omics/package.json +++ b/clients/client-omics/package.json @@ -33,33 +33,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-omics/src/commands/AbortMultipartReadSetUploadCommand.ts b/clients/client-omics/src/commands/AbortMultipartReadSetUploadCommand.ts index 0c40ff4f7ebe..b2f898d37f49 100644 --- a/clients/client-omics/src/commands/AbortMultipartReadSetUploadCommand.ts +++ b/clients/client-omics/src/commands/AbortMultipartReadSetUploadCommand.ts @@ -107,4 +107,16 @@ export class AbortMultipartReadSetUploadCommand extends $Command .f(void 0, void 0) .ser(se_AbortMultipartReadSetUploadCommand) .de(de_AbortMultipartReadSetUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AbortMultipartReadSetUploadRequest; + output: {}; + }; + sdk: { + input: AbortMultipartReadSetUploadCommandInput; + output: AbortMultipartReadSetUploadCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/AcceptShareCommand.ts b/clients/client-omics/src/commands/AcceptShareCommand.ts index 57dc70dc0ae7..9c161ab9ddd7 100644 --- a/clients/client-omics/src/commands/AcceptShareCommand.ts +++ b/clients/client-omics/src/commands/AcceptShareCommand.ts @@ -98,4 +98,16 @@ export class AcceptShareCommand extends $Command .f(void 0, void 0) .ser(se_AcceptShareCommand) .de(de_AcceptShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptShareRequest; + output: AcceptShareResponse; + }; + sdk: { + input: AcceptShareCommandInput; + output: AcceptShareCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/BatchDeleteReadSetCommand.ts b/clients/client-omics/src/commands/BatchDeleteReadSetCommand.ts index fcbecfadc8a5..73494a6fa817 100644 --- a/clients/client-omics/src/commands/BatchDeleteReadSetCommand.ts +++ b/clients/client-omics/src/commands/BatchDeleteReadSetCommand.ts @@ -104,4 +104,16 @@ export class BatchDeleteReadSetCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteReadSetCommand) .de(de_BatchDeleteReadSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteReadSetRequest; + output: BatchDeleteReadSetResponse; + }; + sdk: { + input: BatchDeleteReadSetCommandInput; + output: BatchDeleteReadSetCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CancelAnnotationImportJobCommand.ts b/clients/client-omics/src/commands/CancelAnnotationImportJobCommand.ts index 607c9ae3793b..4e0b3890b1ab 100644 --- a/clients/client-omics/src/commands/CancelAnnotationImportJobCommand.ts +++ b/clients/client-omics/src/commands/CancelAnnotationImportJobCommand.ts @@ -90,4 +90,16 @@ export class CancelAnnotationImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelAnnotationImportJobCommand) .de(de_CancelAnnotationImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelAnnotationImportRequest; + output: {}; + }; + sdk: { + input: CancelAnnotationImportJobCommandInput; + output: CancelAnnotationImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CancelRunCommand.ts b/clients/client-omics/src/commands/CancelRunCommand.ts index 792147e0e5cc..d0d62f5fee99 100644 --- a/clients/client-omics/src/commands/CancelRunCommand.ts +++ b/clients/client-omics/src/commands/CancelRunCommand.ts @@ -99,4 +99,16 @@ export class CancelRunCommand extends $Command .f(void 0, void 0) .ser(se_CancelRunCommand) .de(de_CancelRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelRunRequest; + output: {}; + }; + sdk: { + input: CancelRunCommandInput; + output: CancelRunCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CancelVariantImportJobCommand.ts b/clients/client-omics/src/commands/CancelVariantImportJobCommand.ts index 6f67df62c5f0..8a19ffa06ad1 100644 --- a/clients/client-omics/src/commands/CancelVariantImportJobCommand.ts +++ b/clients/client-omics/src/commands/CancelVariantImportJobCommand.ts @@ -90,4 +90,16 @@ export class CancelVariantImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelVariantImportJobCommand) .de(de_CancelVariantImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelVariantImportRequest; + output: {}; + }; + sdk: { + input: CancelVariantImportJobCommandInput; + output: CancelVariantImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CompleteMultipartReadSetUploadCommand.ts b/clients/client-omics/src/commands/CompleteMultipartReadSetUploadCommand.ts index 17a8663152ca..8ab024f8e66e 100644 --- a/clients/client-omics/src/commands/CompleteMultipartReadSetUploadCommand.ts +++ b/clients/client-omics/src/commands/CompleteMultipartReadSetUploadCommand.ts @@ -116,4 +116,16 @@ export class CompleteMultipartReadSetUploadCommand extends $Command .f(void 0, void 0) .ser(se_CompleteMultipartReadSetUploadCommand) .de(de_CompleteMultipartReadSetUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteMultipartReadSetUploadRequest; + output: CompleteMultipartReadSetUploadResponse; + }; + sdk: { + input: CompleteMultipartReadSetUploadCommandInput; + output: CompleteMultipartReadSetUploadCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateAnnotationStoreCommand.ts b/clients/client-omics/src/commands/CreateAnnotationStoreCommand.ts index ba2ec937df2a..3ea163b230a1 100644 --- a/clients/client-omics/src/commands/CreateAnnotationStoreCommand.ts +++ b/clients/client-omics/src/commands/CreateAnnotationStoreCommand.ts @@ -145,4 +145,16 @@ export class CreateAnnotationStoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateAnnotationStoreCommand) .de(de_CreateAnnotationStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnnotationStoreRequest; + output: CreateAnnotationStoreResponse; + }; + sdk: { + input: CreateAnnotationStoreCommandInput; + output: CreateAnnotationStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateAnnotationStoreVersionCommand.ts b/clients/client-omics/src/commands/CreateAnnotationStoreVersionCommand.ts index 184acc522e41..f8668a7677b2 100644 --- a/clients/client-omics/src/commands/CreateAnnotationStoreVersionCommand.ts +++ b/clients/client-omics/src/commands/CreateAnnotationStoreVersionCommand.ts @@ -141,4 +141,16 @@ export class CreateAnnotationStoreVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateAnnotationStoreVersionCommand) .de(de_CreateAnnotationStoreVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnnotationStoreVersionRequest; + output: CreateAnnotationStoreVersionResponse; + }; + sdk: { + input: CreateAnnotationStoreVersionCommandInput; + output: CreateAnnotationStoreVersionCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateMultipartReadSetUploadCommand.ts b/clients/client-omics/src/commands/CreateMultipartReadSetUploadCommand.ts index 6f553d67d412..8c43cac23988 100644 --- a/clients/client-omics/src/commands/CreateMultipartReadSetUploadCommand.ts +++ b/clients/client-omics/src/commands/CreateMultipartReadSetUploadCommand.ts @@ -131,4 +131,16 @@ export class CreateMultipartReadSetUploadCommand extends $Command .f(void 0, void 0) .ser(se_CreateMultipartReadSetUploadCommand) .de(de_CreateMultipartReadSetUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMultipartReadSetUploadRequest; + output: CreateMultipartReadSetUploadResponse; + }; + sdk: { + input: CreateMultipartReadSetUploadCommandInput; + output: CreateMultipartReadSetUploadCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateReferenceStoreCommand.ts b/clients/client-omics/src/commands/CreateReferenceStoreCommand.ts index 5afc5d8d332d..1478ef063e54 100644 --- a/clients/client-omics/src/commands/CreateReferenceStoreCommand.ts +++ b/clients/client-omics/src/commands/CreateReferenceStoreCommand.ts @@ -112,4 +112,16 @@ export class CreateReferenceStoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateReferenceStoreCommand) .de(de_CreateReferenceStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReferenceStoreRequest; + output: CreateReferenceStoreResponse; + }; + sdk: { + input: CreateReferenceStoreCommandInput; + output: CreateReferenceStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateRunGroupCommand.ts b/clients/client-omics/src/commands/CreateRunGroupCommand.ts index 13d4f2244d31..8d5c16f38309 100644 --- a/clients/client-omics/src/commands/CreateRunGroupCommand.ts +++ b/clients/client-omics/src/commands/CreateRunGroupCommand.ts @@ -113,4 +113,16 @@ export class CreateRunGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateRunGroupCommand) .de(de_CreateRunGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRunGroupRequest; + output: CreateRunGroupResponse; + }; + sdk: { + input: CreateRunGroupCommandInput; + output: CreateRunGroupCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateSequenceStoreCommand.ts b/clients/client-omics/src/commands/CreateSequenceStoreCommand.ts index 173c1fa51a09..5652f13ea47f 100644 --- a/clients/client-omics/src/commands/CreateSequenceStoreCommand.ts +++ b/clients/client-omics/src/commands/CreateSequenceStoreCommand.ts @@ -116,4 +116,16 @@ export class CreateSequenceStoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateSequenceStoreCommand) .de(de_CreateSequenceStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSequenceStoreRequest; + output: CreateSequenceStoreResponse; + }; + sdk: { + input: CreateSequenceStoreCommandInput; + output: CreateSequenceStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateShareCommand.ts b/clients/client-omics/src/commands/CreateShareCommand.ts index a5ab80fa853a..640a38f7e334 100644 --- a/clients/client-omics/src/commands/CreateShareCommand.ts +++ b/clients/client-omics/src/commands/CreateShareCommand.ts @@ -115,4 +115,16 @@ export class CreateShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateShareCommand) .de(de_CreateShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateShareRequest; + output: CreateShareResponse; + }; + sdk: { + input: CreateShareCommandInput; + output: CreateShareCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateVariantStoreCommand.ts b/clients/client-omics/src/commands/CreateVariantStoreCommand.ts index 3849193e69bb..f42ce107a4f8 100644 --- a/clients/client-omics/src/commands/CreateVariantStoreCommand.ts +++ b/clients/client-omics/src/commands/CreateVariantStoreCommand.ts @@ -115,4 +115,16 @@ export class CreateVariantStoreCommand extends $Command .f(void 0, void 0) .ser(se_CreateVariantStoreCommand) .de(de_CreateVariantStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVariantStoreRequest; + output: CreateVariantStoreResponse; + }; + sdk: { + input: CreateVariantStoreCommandInput; + output: CreateVariantStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/CreateWorkflowCommand.ts b/clients/client-omics/src/commands/CreateWorkflowCommand.ts index ef7718fc8b29..b4110db2444b 100644 --- a/clients/client-omics/src/commands/CreateWorkflowCommand.ts +++ b/clients/client-omics/src/commands/CreateWorkflowCommand.ts @@ -123,4 +123,16 @@ export class CreateWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkflowCommand) .de(de_CreateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkflowRequest; + output: CreateWorkflowResponse; + }; + sdk: { + input: CreateWorkflowCommandInput; + output: CreateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteAnnotationStoreCommand.ts b/clients/client-omics/src/commands/DeleteAnnotationStoreCommand.ts index 94059aa66244..ea7cb4f4649c 100644 --- a/clients/client-omics/src/commands/DeleteAnnotationStoreCommand.ts +++ b/clients/client-omics/src/commands/DeleteAnnotationStoreCommand.ts @@ -96,4 +96,16 @@ export class DeleteAnnotationStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnnotationStoreCommand) .de(de_DeleteAnnotationStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnnotationStoreRequest; + output: DeleteAnnotationStoreResponse; + }; + sdk: { + input: DeleteAnnotationStoreCommandInput; + output: DeleteAnnotationStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteAnnotationStoreVersionsCommand.ts b/clients/client-omics/src/commands/DeleteAnnotationStoreVersionsCommand.ts index b2bae3183dee..6235dc90b90d 100644 --- a/clients/client-omics/src/commands/DeleteAnnotationStoreVersionsCommand.ts +++ b/clients/client-omics/src/commands/DeleteAnnotationStoreVersionsCommand.ts @@ -111,4 +111,16 @@ export class DeleteAnnotationStoreVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnnotationStoreVersionsCommand) .de(de_DeleteAnnotationStoreVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnnotationStoreVersionsRequest; + output: DeleteAnnotationStoreVersionsResponse; + }; + sdk: { + input: DeleteAnnotationStoreVersionsCommandInput; + output: DeleteAnnotationStoreVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteReferenceCommand.ts b/clients/client-omics/src/commands/DeleteReferenceCommand.ts index 1ab182cb8a74..3bda1edf85b6 100644 --- a/clients/client-omics/src/commands/DeleteReferenceCommand.ts +++ b/clients/client-omics/src/commands/DeleteReferenceCommand.ts @@ -97,4 +97,16 @@ export class DeleteReferenceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReferenceCommand) .de(de_DeleteReferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReferenceRequest; + output: {}; + }; + sdk: { + input: DeleteReferenceCommandInput; + output: DeleteReferenceCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteReferenceStoreCommand.ts b/clients/client-omics/src/commands/DeleteReferenceStoreCommand.ts index 9b3edd85fd10..2809862cc1eb 100644 --- a/clients/client-omics/src/commands/DeleteReferenceStoreCommand.ts +++ b/clients/client-omics/src/commands/DeleteReferenceStoreCommand.ts @@ -96,4 +96,16 @@ export class DeleteReferenceStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReferenceStoreCommand) .de(de_DeleteReferenceStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReferenceStoreRequest; + output: {}; + }; + sdk: { + input: DeleteReferenceStoreCommandInput; + output: DeleteReferenceStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteRunCommand.ts b/clients/client-omics/src/commands/DeleteRunCommand.ts index 55868f23d687..5a0e77243463 100644 --- a/clients/client-omics/src/commands/DeleteRunCommand.ts +++ b/clients/client-omics/src/commands/DeleteRunCommand.ts @@ -99,4 +99,16 @@ export class DeleteRunCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRunCommand) .de(de_DeleteRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRunRequest; + output: {}; + }; + sdk: { + input: DeleteRunCommandInput; + output: DeleteRunCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteRunGroupCommand.ts b/clients/client-omics/src/commands/DeleteRunGroupCommand.ts index b663a733c2d9..9794973a2393 100644 --- a/clients/client-omics/src/commands/DeleteRunGroupCommand.ts +++ b/clients/client-omics/src/commands/DeleteRunGroupCommand.ts @@ -99,4 +99,16 @@ export class DeleteRunGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRunGroupCommand) .de(de_DeleteRunGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRunGroupRequest; + output: {}; + }; + sdk: { + input: DeleteRunGroupCommandInput; + output: DeleteRunGroupCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteSequenceStoreCommand.ts b/clients/client-omics/src/commands/DeleteSequenceStoreCommand.ts index f807617c84f2..e5e72298fed4 100644 --- a/clients/client-omics/src/commands/DeleteSequenceStoreCommand.ts +++ b/clients/client-omics/src/commands/DeleteSequenceStoreCommand.ts @@ -96,4 +96,16 @@ export class DeleteSequenceStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSequenceStoreCommand) .de(de_DeleteSequenceStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSequenceStoreRequest; + output: {}; + }; + sdk: { + input: DeleteSequenceStoreCommandInput; + output: DeleteSequenceStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteShareCommand.ts b/clients/client-omics/src/commands/DeleteShareCommand.ts index 7e85339b2c21..2a0392d0ac94 100644 --- a/clients/client-omics/src/commands/DeleteShareCommand.ts +++ b/clients/client-omics/src/commands/DeleteShareCommand.ts @@ -99,4 +99,16 @@ export class DeleteShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteShareCommand) .de(de_DeleteShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteShareRequest; + output: DeleteShareResponse; + }; + sdk: { + input: DeleteShareCommandInput; + output: DeleteShareCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteVariantStoreCommand.ts b/clients/client-omics/src/commands/DeleteVariantStoreCommand.ts index ed48e8536555..d6080d75b308 100644 --- a/clients/client-omics/src/commands/DeleteVariantStoreCommand.ts +++ b/clients/client-omics/src/commands/DeleteVariantStoreCommand.ts @@ -96,4 +96,16 @@ export class DeleteVariantStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVariantStoreCommand) .de(de_DeleteVariantStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVariantStoreRequest; + output: DeleteVariantStoreResponse; + }; + sdk: { + input: DeleteVariantStoreCommandInput; + output: DeleteVariantStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/DeleteWorkflowCommand.ts b/clients/client-omics/src/commands/DeleteWorkflowCommand.ts index 9a5e7957084b..83aa3230f56b 100644 --- a/clients/client-omics/src/commands/DeleteWorkflowCommand.ts +++ b/clients/client-omics/src/commands/DeleteWorkflowCommand.ts @@ -99,4 +99,16 @@ export class DeleteWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowCommand) .de(de_DeleteWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowRequest; + output: {}; + }; + sdk: { + input: DeleteWorkflowCommandInput; + output: DeleteWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetAnnotationImportJobCommand.ts b/clients/client-omics/src/commands/GetAnnotationImportJobCommand.ts index 86ed0039c0df..2a4f4e9b3efd 100644 --- a/clients/client-omics/src/commands/GetAnnotationImportJobCommand.ts +++ b/clients/client-omics/src/commands/GetAnnotationImportJobCommand.ts @@ -129,4 +129,16 @@ export class GetAnnotationImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetAnnotationImportJobCommand) .de(de_GetAnnotationImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnnotationImportRequest; + output: GetAnnotationImportResponse; + }; + sdk: { + input: GetAnnotationImportJobCommandInput; + output: GetAnnotationImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetAnnotationStoreCommand.ts b/clients/client-omics/src/commands/GetAnnotationStoreCommand.ts index 3286024454da..5d5b80ae9056 100644 --- a/clients/client-omics/src/commands/GetAnnotationStoreCommand.ts +++ b/clients/client-omics/src/commands/GetAnnotationStoreCommand.ts @@ -125,4 +125,16 @@ export class GetAnnotationStoreCommand extends $Command .f(void 0, void 0) .ser(se_GetAnnotationStoreCommand) .de(de_GetAnnotationStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnnotationStoreRequest; + output: GetAnnotationStoreResponse; + }; + sdk: { + input: GetAnnotationStoreCommandInput; + output: GetAnnotationStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetAnnotationStoreVersionCommand.ts b/clients/client-omics/src/commands/GetAnnotationStoreVersionCommand.ts index aae4ef585ab0..848e656c1572 100644 --- a/clients/client-omics/src/commands/GetAnnotationStoreVersionCommand.ts +++ b/clients/client-omics/src/commands/GetAnnotationStoreVersionCommand.ts @@ -121,4 +121,16 @@ export class GetAnnotationStoreVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetAnnotationStoreVersionCommand) .de(de_GetAnnotationStoreVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnnotationStoreVersionRequest; + output: GetAnnotationStoreVersionResponse; + }; + sdk: { + input: GetAnnotationStoreVersionCommandInput; + output: GetAnnotationStoreVersionCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReadSetActivationJobCommand.ts b/clients/client-omics/src/commands/GetReadSetActivationJobCommand.ts index 8f812e37804e..57bdf3e9d944 100644 --- a/clients/client-omics/src/commands/GetReadSetActivationJobCommand.ts +++ b/clients/client-omics/src/commands/GetReadSetActivationJobCommand.ts @@ -108,4 +108,16 @@ export class GetReadSetActivationJobCommand extends $Command .f(void 0, void 0) .ser(se_GetReadSetActivationJobCommand) .de(de_GetReadSetActivationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadSetActivationJobRequest; + output: GetReadSetActivationJobResponse; + }; + sdk: { + input: GetReadSetActivationJobCommandInput; + output: GetReadSetActivationJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReadSetCommand.ts b/clients/client-omics/src/commands/GetReadSetCommand.ts index ce34a82a7e06..a01f4d9f97b5 100644 --- a/clients/client-omics/src/commands/GetReadSetCommand.ts +++ b/clients/client-omics/src/commands/GetReadSetCommand.ts @@ -106,4 +106,16 @@ export class GetReadSetCommand extends $Command .f(void 0, GetReadSetResponseFilterSensitiveLog) .ser(se_GetReadSetCommand) .de(de_GetReadSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadSetRequest; + output: GetReadSetResponse; + }; + sdk: { + input: GetReadSetCommandInput; + output: GetReadSetCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReadSetExportJobCommand.ts b/clients/client-omics/src/commands/GetReadSetExportJobCommand.ts index 19ae6599fcfc..5fdf3a81c9e9 100644 --- a/clients/client-omics/src/commands/GetReadSetExportJobCommand.ts +++ b/clients/client-omics/src/commands/GetReadSetExportJobCommand.ts @@ -109,4 +109,16 @@ export class GetReadSetExportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetReadSetExportJobCommand) .de(de_GetReadSetExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadSetExportJobRequest; + output: GetReadSetExportJobResponse; + }; + sdk: { + input: GetReadSetExportJobCommandInput; + output: GetReadSetExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReadSetImportJobCommand.ts b/clients/client-omics/src/commands/GetReadSetImportJobCommand.ts index b5b470702293..8fb790684377 100644 --- a/clients/client-omics/src/commands/GetReadSetImportJobCommand.ts +++ b/clients/client-omics/src/commands/GetReadSetImportJobCommand.ts @@ -123,4 +123,16 @@ export class GetReadSetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetReadSetImportJobCommand) .de(de_GetReadSetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadSetImportJobRequest; + output: GetReadSetImportJobResponse; + }; + sdk: { + input: GetReadSetImportJobCommandInput; + output: GetReadSetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReadSetMetadataCommand.ts b/clients/client-omics/src/commands/GetReadSetMetadataCommand.ts index a5ad39e3da08..d1f588ed2775 100644 --- a/clients/client-omics/src/commands/GetReadSetMetadataCommand.ts +++ b/clients/client-omics/src/commands/GetReadSetMetadataCommand.ts @@ -146,4 +146,16 @@ export class GetReadSetMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetReadSetMetadataCommand) .de(de_GetReadSetMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadSetMetadataRequest; + output: GetReadSetMetadataResponse; + }; + sdk: { + input: GetReadSetMetadataCommandInput; + output: GetReadSetMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReferenceCommand.ts b/clients/client-omics/src/commands/GetReferenceCommand.ts index d29b7ead6ec5..cd520ac951a2 100644 --- a/clients/client-omics/src/commands/GetReferenceCommand.ts +++ b/clients/client-omics/src/commands/GetReferenceCommand.ts @@ -104,4 +104,16 @@ export class GetReferenceCommand extends $Command .f(void 0, GetReferenceResponseFilterSensitiveLog) .ser(se_GetReferenceCommand) .de(de_GetReferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReferenceRequest; + output: GetReferenceResponse; + }; + sdk: { + input: GetReferenceCommandInput; + output: GetReferenceCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReferenceImportJobCommand.ts b/clients/client-omics/src/commands/GetReferenceImportJobCommand.ts index d5d61a3892ff..fed643177c4c 100644 --- a/clients/client-omics/src/commands/GetReferenceImportJobCommand.ts +++ b/clients/client-omics/src/commands/GetReferenceImportJobCommand.ts @@ -115,4 +115,16 @@ export class GetReferenceImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetReferenceImportJobCommand) .de(de_GetReferenceImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReferenceImportJobRequest; + output: GetReferenceImportJobResponse; + }; + sdk: { + input: GetReferenceImportJobCommandInput; + output: GetReferenceImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReferenceMetadataCommand.ts b/clients/client-omics/src/commands/GetReferenceMetadataCommand.ts index b9f03aa32ed4..f5d3b1fed06e 100644 --- a/clients/client-omics/src/commands/GetReferenceMetadataCommand.ts +++ b/clients/client-omics/src/commands/GetReferenceMetadataCommand.ts @@ -124,4 +124,16 @@ export class GetReferenceMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetReferenceMetadataCommand) .de(de_GetReferenceMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReferenceMetadataRequest; + output: GetReferenceMetadataResponse; + }; + sdk: { + input: GetReferenceMetadataCommandInput; + output: GetReferenceMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetReferenceStoreCommand.ts b/clients/client-omics/src/commands/GetReferenceStoreCommand.ts index 6e9e627d8f8e..cbd3fcfc4907 100644 --- a/clients/client-omics/src/commands/GetReferenceStoreCommand.ts +++ b/clients/client-omics/src/commands/GetReferenceStoreCommand.ts @@ -103,4 +103,16 @@ export class GetReferenceStoreCommand extends $Command .f(void 0, void 0) .ser(se_GetReferenceStoreCommand) .de(de_GetReferenceStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReferenceStoreRequest; + output: GetReferenceStoreResponse; + }; + sdk: { + input: GetReferenceStoreCommandInput; + output: GetReferenceStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetRunCommand.ts b/clients/client-omics/src/commands/GetRunCommand.ts index efeb82a48f44..7c33bd82d204 100644 --- a/clients/client-omics/src/commands/GetRunCommand.ts +++ b/clients/client-omics/src/commands/GetRunCommand.ts @@ -142,4 +142,16 @@ export class GetRunCommand extends $Command .f(void 0, void 0) .ser(se_GetRunCommand) .de(de_GetRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRunRequest; + output: GetRunResponse; + }; + sdk: { + input: GetRunCommandInput; + output: GetRunCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetRunGroupCommand.ts b/clients/client-omics/src/commands/GetRunGroupCommand.ts index f8857b2f7998..438cebfa0782 100644 --- a/clients/client-omics/src/commands/GetRunGroupCommand.ts +++ b/clients/client-omics/src/commands/GetRunGroupCommand.ts @@ -111,4 +111,16 @@ export class GetRunGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetRunGroupCommand) .de(de_GetRunGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRunGroupRequest; + output: GetRunGroupResponse; + }; + sdk: { + input: GetRunGroupCommandInput; + output: GetRunGroupCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetRunTaskCommand.ts b/clients/client-omics/src/commands/GetRunTaskCommand.ts index 3a0455444d88..764ddf6843fa 100644 --- a/clients/client-omics/src/commands/GetRunTaskCommand.ts +++ b/clients/client-omics/src/commands/GetRunTaskCommand.ts @@ -114,4 +114,16 @@ export class GetRunTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetRunTaskCommand) .de(de_GetRunTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRunTaskRequest; + output: GetRunTaskResponse; + }; + sdk: { + input: GetRunTaskCommandInput; + output: GetRunTaskCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetSequenceStoreCommand.ts b/clients/client-omics/src/commands/GetSequenceStoreCommand.ts index e592e65faba8..4adf7dc298de 100644 --- a/clients/client-omics/src/commands/GetSequenceStoreCommand.ts +++ b/clients/client-omics/src/commands/GetSequenceStoreCommand.ts @@ -109,4 +109,16 @@ export class GetSequenceStoreCommand extends $Command .f(void 0, void 0) .ser(se_GetSequenceStoreCommand) .de(de_GetSequenceStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSequenceStoreRequest; + output: GetSequenceStoreResponse; + }; + sdk: { + input: GetSequenceStoreCommandInput; + output: GetSequenceStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetShareCommand.ts b/clients/client-omics/src/commands/GetShareCommand.ts index adfb7b2aa5f6..1860afd6de92 100644 --- a/clients/client-omics/src/commands/GetShareCommand.ts +++ b/clients/client-omics/src/commands/GetShareCommand.ts @@ -109,4 +109,16 @@ export class GetShareCommand extends $Command .f(void 0, void 0) .ser(se_GetShareCommand) .de(de_GetShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetShareRequest; + output: GetShareResponse; + }; + sdk: { + input: GetShareCommandInput; + output: GetShareCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetVariantImportJobCommand.ts b/clients/client-omics/src/commands/GetVariantImportJobCommand.ts index f1531dcf50b8..bf46cb87a612 100644 --- a/clients/client-omics/src/commands/GetVariantImportJobCommand.ts +++ b/clients/client-omics/src/commands/GetVariantImportJobCommand.ts @@ -110,4 +110,16 @@ export class GetVariantImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetVariantImportJobCommand) .de(de_GetVariantImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVariantImportRequest; + output: GetVariantImportResponse; + }; + sdk: { + input: GetVariantImportJobCommandInput; + output: GetVariantImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetVariantStoreCommand.ts b/clients/client-omics/src/commands/GetVariantStoreCommand.ts index b4183d63c3b2..e3b04c3f65cb 100644 --- a/clients/client-omics/src/commands/GetVariantStoreCommand.ts +++ b/clients/client-omics/src/commands/GetVariantStoreCommand.ts @@ -110,4 +110,16 @@ export class GetVariantStoreCommand extends $Command .f(void 0, void 0) .ser(se_GetVariantStoreCommand) .de(de_GetVariantStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVariantStoreRequest; + output: GetVariantStoreResponse; + }; + sdk: { + input: GetVariantStoreCommandInput; + output: GetVariantStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/GetWorkflowCommand.ts b/clients/client-omics/src/commands/GetWorkflowCommand.ts index 8ab94b76b47f..66151a501ee6 100644 --- a/clients/client-omics/src/commands/GetWorkflowCommand.ts +++ b/clients/client-omics/src/commands/GetWorkflowCommand.ts @@ -132,4 +132,16 @@ export class GetWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowCommand) .de(de_GetWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowRequest; + output: GetWorkflowResponse; + }; + sdk: { + input: GetWorkflowCommandInput; + output: GetWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListAnnotationImportJobsCommand.ts b/clients/client-omics/src/commands/ListAnnotationImportJobsCommand.ts index 81849d3a58fb..503c637929f9 100644 --- a/clients/client-omics/src/commands/ListAnnotationImportJobsCommand.ts +++ b/clients/client-omics/src/commands/ListAnnotationImportJobsCommand.ts @@ -116,4 +116,16 @@ export class ListAnnotationImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListAnnotationImportJobsCommand) .de(de_ListAnnotationImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnnotationImportJobsRequest; + output: ListAnnotationImportJobsResponse; + }; + sdk: { + input: ListAnnotationImportJobsCommandInput; + output: ListAnnotationImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListAnnotationStoreVersionsCommand.ts b/clients/client-omics/src/commands/ListAnnotationStoreVersionsCommand.ts index a0137692041b..ec3d610e1678 100644 --- a/clients/client-omics/src/commands/ListAnnotationStoreVersionsCommand.ts +++ b/clients/client-omics/src/commands/ListAnnotationStoreVersionsCommand.ts @@ -119,4 +119,16 @@ export class ListAnnotationStoreVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAnnotationStoreVersionsCommand) .de(de_ListAnnotationStoreVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnnotationStoreVersionsRequest; + output: ListAnnotationStoreVersionsResponse; + }; + sdk: { + input: ListAnnotationStoreVersionsCommandInput; + output: ListAnnotationStoreVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListAnnotationStoresCommand.ts b/clients/client-omics/src/commands/ListAnnotationStoresCommand.ts index c59c54925242..1ccd87fb7f28 100644 --- a/clients/client-omics/src/commands/ListAnnotationStoresCommand.ts +++ b/clients/client-omics/src/commands/ListAnnotationStoresCommand.ts @@ -120,4 +120,16 @@ export class ListAnnotationStoresCommand extends $Command .f(void 0, void 0) .ser(se_ListAnnotationStoresCommand) .de(de_ListAnnotationStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnnotationStoresRequest; + output: ListAnnotationStoresResponse; + }; + sdk: { + input: ListAnnotationStoresCommandInput; + output: ListAnnotationStoresCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListMultipartReadSetUploadsCommand.ts b/clients/client-omics/src/commands/ListMultipartReadSetUploadsCommand.ts index 81e437e3372e..d3b345afa044 100644 --- a/clients/client-omics/src/commands/ListMultipartReadSetUploadsCommand.ts +++ b/clients/client-omics/src/commands/ListMultipartReadSetUploadsCommand.ts @@ -128,4 +128,16 @@ export class ListMultipartReadSetUploadsCommand extends $Command .f(void 0, void 0) .ser(se_ListMultipartReadSetUploadsCommand) .de(de_ListMultipartReadSetUploadsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMultipartReadSetUploadsRequest; + output: ListMultipartReadSetUploadsResponse; + }; + sdk: { + input: ListMultipartReadSetUploadsCommandInput; + output: ListMultipartReadSetUploadsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReadSetActivationJobsCommand.ts b/clients/client-omics/src/commands/ListReadSetActivationJobsCommand.ts index 5fbf1049a767..ada500a48078 100644 --- a/clients/client-omics/src/commands/ListReadSetActivationJobsCommand.ts +++ b/clients/client-omics/src/commands/ListReadSetActivationJobsCommand.ts @@ -111,4 +111,16 @@ export class ListReadSetActivationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListReadSetActivationJobsCommand) .de(de_ListReadSetActivationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReadSetActivationJobsRequest; + output: ListReadSetActivationJobsResponse; + }; + sdk: { + input: ListReadSetActivationJobsCommandInput; + output: ListReadSetActivationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReadSetExportJobsCommand.ts b/clients/client-omics/src/commands/ListReadSetExportJobsCommand.ts index 9d16487d6c00..18f7bca7eb89 100644 --- a/clients/client-omics/src/commands/ListReadSetExportJobsCommand.ts +++ b/clients/client-omics/src/commands/ListReadSetExportJobsCommand.ts @@ -112,4 +112,16 @@ export class ListReadSetExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListReadSetExportJobsCommand) .de(de_ListReadSetExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReadSetExportJobsRequest; + output: ListReadSetExportJobsResponse; + }; + sdk: { + input: ListReadSetExportJobsCommandInput; + output: ListReadSetExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReadSetImportJobsCommand.ts b/clients/client-omics/src/commands/ListReadSetImportJobsCommand.ts index 0f7a228ce6fc..93f341ac13dd 100644 --- a/clients/client-omics/src/commands/ListReadSetImportJobsCommand.ts +++ b/clients/client-omics/src/commands/ListReadSetImportJobsCommand.ts @@ -112,4 +112,16 @@ export class ListReadSetImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListReadSetImportJobsCommand) .de(de_ListReadSetImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReadSetImportJobsRequest; + output: ListReadSetImportJobsResponse; + }; + sdk: { + input: ListReadSetImportJobsCommandInput; + output: ListReadSetImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReadSetUploadPartsCommand.ts b/clients/client-omics/src/commands/ListReadSetUploadPartsCommand.ts index acc001fac66c..b8cf256b4f53 100644 --- a/clients/client-omics/src/commands/ListReadSetUploadPartsCommand.ts +++ b/clients/client-omics/src/commands/ListReadSetUploadPartsCommand.ts @@ -121,4 +121,16 @@ export class ListReadSetUploadPartsCommand extends $Command .f(void 0, void 0) .ser(se_ListReadSetUploadPartsCommand) .de(de_ListReadSetUploadPartsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReadSetUploadPartsRequest; + output: ListReadSetUploadPartsResponse; + }; + sdk: { + input: ListReadSetUploadPartsCommandInput; + output: ListReadSetUploadPartsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReadSetsCommand.ts b/clients/client-omics/src/commands/ListReadSetsCommand.ts index 80e4c274aa36..a14dff4da1fc 100644 --- a/clients/client-omics/src/commands/ListReadSetsCommand.ts +++ b/clients/client-omics/src/commands/ListReadSetsCommand.ts @@ -136,4 +136,16 @@ export class ListReadSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListReadSetsCommand) .de(de_ListReadSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReadSetsRequest; + output: ListReadSetsResponse; + }; + sdk: { + input: ListReadSetsCommandInput; + output: ListReadSetsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReferenceImportJobsCommand.ts b/clients/client-omics/src/commands/ListReferenceImportJobsCommand.ts index 5ec26a1a91cb..6abd2af24cc6 100644 --- a/clients/client-omics/src/commands/ListReferenceImportJobsCommand.ts +++ b/clients/client-omics/src/commands/ListReferenceImportJobsCommand.ts @@ -112,4 +112,16 @@ export class ListReferenceImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListReferenceImportJobsCommand) .de(de_ListReferenceImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReferenceImportJobsRequest; + output: ListReferenceImportJobsResponse; + }; + sdk: { + input: ListReferenceImportJobsCommandInput; + output: ListReferenceImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReferenceStoresCommand.ts b/clients/client-omics/src/commands/ListReferenceStoresCommand.ts index 57df9cbda0bf..53c87111b026 100644 --- a/clients/client-omics/src/commands/ListReferenceStoresCommand.ts +++ b/clients/client-omics/src/commands/ListReferenceStoresCommand.ts @@ -111,4 +111,16 @@ export class ListReferenceStoresCommand extends $Command .f(void 0, void 0) .ser(se_ListReferenceStoresCommand) .de(de_ListReferenceStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReferenceStoresRequest; + output: ListReferenceStoresResponse; + }; + sdk: { + input: ListReferenceStoresCommandInput; + output: ListReferenceStoresCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListReferencesCommand.ts b/clients/client-omics/src/commands/ListReferencesCommand.ts index 07fa674fe748..d4a6c3c55097 100644 --- a/clients/client-omics/src/commands/ListReferencesCommand.ts +++ b/clients/client-omics/src/commands/ListReferencesCommand.ts @@ -116,4 +116,16 @@ export class ListReferencesCommand extends $Command .f(void 0, void 0) .ser(se_ListReferencesCommand) .de(de_ListReferencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReferencesRequest; + output: ListReferencesResponse; + }; + sdk: { + input: ListReferencesCommandInput; + output: ListReferencesCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListRunGroupsCommand.ts b/clients/client-omics/src/commands/ListRunGroupsCommand.ts index 549db00bf194..2d1421b54c1f 100644 --- a/clients/client-omics/src/commands/ListRunGroupsCommand.ts +++ b/clients/client-omics/src/commands/ListRunGroupsCommand.ts @@ -115,4 +115,16 @@ export class ListRunGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListRunGroupsCommand) .de(de_ListRunGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRunGroupsRequest; + output: ListRunGroupsResponse; + }; + sdk: { + input: ListRunGroupsCommandInput; + output: ListRunGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListRunTasksCommand.ts b/clients/client-omics/src/commands/ListRunTasksCommand.ts index 6c7943849a0c..714e437e689a 100644 --- a/clients/client-omics/src/commands/ListRunTasksCommand.ts +++ b/clients/client-omics/src/commands/ListRunTasksCommand.ts @@ -118,4 +118,16 @@ export class ListRunTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListRunTasksCommand) .de(de_ListRunTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRunTasksRequest; + output: ListRunTasksResponse; + }; + sdk: { + input: ListRunTasksCommandInput; + output: ListRunTasksCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListRunsCommand.ts b/clients/client-omics/src/commands/ListRunsCommand.ts index 73ede0070121..eb0a91791529 100644 --- a/clients/client-omics/src/commands/ListRunsCommand.ts +++ b/clients/client-omics/src/commands/ListRunsCommand.ts @@ -120,4 +120,16 @@ export class ListRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListRunsCommand) .de(de_ListRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRunsRequest; + output: ListRunsResponse; + }; + sdk: { + input: ListRunsCommandInput; + output: ListRunsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListSequenceStoresCommand.ts b/clients/client-omics/src/commands/ListSequenceStoresCommand.ts index e61f122e27e3..60f7aed62669 100644 --- a/clients/client-omics/src/commands/ListSequenceStoresCommand.ts +++ b/clients/client-omics/src/commands/ListSequenceStoresCommand.ts @@ -113,4 +113,16 @@ export class ListSequenceStoresCommand extends $Command .f(void 0, void 0) .ser(se_ListSequenceStoresCommand) .de(de_ListSequenceStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSequenceStoresRequest; + output: ListSequenceStoresResponse; + }; + sdk: { + input: ListSequenceStoresCommandInput; + output: ListSequenceStoresCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListSharesCommand.ts b/clients/client-omics/src/commands/ListSharesCommand.ts index a453906fdf2f..9162544e883e 100644 --- a/clients/client-omics/src/commands/ListSharesCommand.ts +++ b/clients/client-omics/src/commands/ListSharesCommand.ts @@ -126,4 +126,16 @@ export class ListSharesCommand extends $Command .f(void 0, void 0) .ser(se_ListSharesCommand) .de(de_ListSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSharesRequest; + output: ListSharesResponse; + }; + sdk: { + input: ListSharesCommandInput; + output: ListSharesCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListTagsForResourceCommand.ts b/clients/client-omics/src/commands/ListTagsForResourceCommand.ts index 2579975c5f7d..9da87189c16f 100644 --- a/clients/client-omics/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-omics/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListVariantImportJobsCommand.ts b/clients/client-omics/src/commands/ListVariantImportJobsCommand.ts index 7b7b5ecb227c..3ce2ce82b489 100644 --- a/clients/client-omics/src/commands/ListVariantImportJobsCommand.ts +++ b/clients/client-omics/src/commands/ListVariantImportJobsCommand.ts @@ -115,4 +115,16 @@ export class ListVariantImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListVariantImportJobsCommand) .de(de_ListVariantImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVariantImportJobsRequest; + output: ListVariantImportJobsResponse; + }; + sdk: { + input: ListVariantImportJobsCommandInput; + output: ListVariantImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListVariantStoresCommand.ts b/clients/client-omics/src/commands/ListVariantStoresCommand.ts index bffb890cdf4d..8e8daaabcde9 100644 --- a/clients/client-omics/src/commands/ListVariantStoresCommand.ts +++ b/clients/client-omics/src/commands/ListVariantStoresCommand.ts @@ -119,4 +119,16 @@ export class ListVariantStoresCommand extends $Command .f(void 0, void 0) .ser(se_ListVariantStoresCommand) .de(de_ListVariantStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVariantStoresRequest; + output: ListVariantStoresResponse; + }; + sdk: { + input: ListVariantStoresCommandInput; + output: ListVariantStoresCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/ListWorkflowsCommand.ts b/clients/client-omics/src/commands/ListWorkflowsCommand.ts index ba6759b53ba5..20e947ae9171 100644 --- a/clients/client-omics/src/commands/ListWorkflowsCommand.ts +++ b/clients/client-omics/src/commands/ListWorkflowsCommand.ts @@ -118,4 +118,16 @@ export class ListWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowsCommand) .de(de_ListWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowsRequest; + output: ListWorkflowsResponse; + }; + sdk: { + input: ListWorkflowsCommandInput; + output: ListWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/StartAnnotationImportJobCommand.ts b/clients/client-omics/src/commands/StartAnnotationImportJobCommand.ts index e53031185de7..38746f186340 100644 --- a/clients/client-omics/src/commands/StartAnnotationImportJobCommand.ts +++ b/clients/client-omics/src/commands/StartAnnotationImportJobCommand.ts @@ -125,4 +125,16 @@ export class StartAnnotationImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartAnnotationImportJobCommand) .de(de_StartAnnotationImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAnnotationImportRequest; + output: StartAnnotationImportResponse; + }; + sdk: { + input: StartAnnotationImportJobCommandInput; + output: StartAnnotationImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/StartReadSetActivationJobCommand.ts b/clients/client-omics/src/commands/StartReadSetActivationJobCommand.ts index e6b0728806a7..7ce0f3fcbb21 100644 --- a/clients/client-omics/src/commands/StartReadSetActivationJobCommand.ts +++ b/clients/client-omics/src/commands/StartReadSetActivationJobCommand.ts @@ -108,4 +108,16 @@ export class StartReadSetActivationJobCommand extends $Command .f(void 0, void 0) .ser(se_StartReadSetActivationJobCommand) .de(de_StartReadSetActivationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReadSetActivationJobRequest; + output: StartReadSetActivationJobResponse; + }; + sdk: { + input: StartReadSetActivationJobCommandInput; + output: StartReadSetActivationJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/StartReadSetExportJobCommand.ts b/clients/client-omics/src/commands/StartReadSetExportJobCommand.ts index b324cc3d776f..d27bd079267b 100644 --- a/clients/client-omics/src/commands/StartReadSetExportJobCommand.ts +++ b/clients/client-omics/src/commands/StartReadSetExportJobCommand.ts @@ -110,4 +110,16 @@ export class StartReadSetExportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartReadSetExportJobCommand) .de(de_StartReadSetExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReadSetExportJobRequest; + output: StartReadSetExportJobResponse; + }; + sdk: { + input: StartReadSetExportJobCommandInput; + output: StartReadSetExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/StartReadSetImportJobCommand.ts b/clients/client-omics/src/commands/StartReadSetImportJobCommand.ts index ab425c0db362..c1bab35c6b01 100644 --- a/clients/client-omics/src/commands/StartReadSetImportJobCommand.ts +++ b/clients/client-omics/src/commands/StartReadSetImportJobCommand.ts @@ -122,4 +122,16 @@ export class StartReadSetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartReadSetImportJobCommand) .de(de_StartReadSetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReadSetImportJobRequest; + output: StartReadSetImportJobResponse; + }; + sdk: { + input: StartReadSetImportJobCommandInput; + output: StartReadSetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/StartReferenceImportJobCommand.ts b/clients/client-omics/src/commands/StartReferenceImportJobCommand.ts index 3759c0e00a22..4dd6ccc43a0c 100644 --- a/clients/client-omics/src/commands/StartReferenceImportJobCommand.ts +++ b/clients/client-omics/src/commands/StartReferenceImportJobCommand.ts @@ -114,4 +114,16 @@ export class StartReferenceImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartReferenceImportJobCommand) .de(de_StartReferenceImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReferenceImportJobRequest; + output: StartReferenceImportJobResponse; + }; + sdk: { + input: StartReferenceImportJobCommandInput; + output: StartReferenceImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/StartRunCommand.ts b/clients/client-omics/src/commands/StartRunCommand.ts index 8d4b363f8ba5..2b54c4b090c6 100644 --- a/clients/client-omics/src/commands/StartRunCommand.ts +++ b/clients/client-omics/src/commands/StartRunCommand.ts @@ -135,4 +135,16 @@ export class StartRunCommand extends $Command .f(void 0, void 0) .ser(se_StartRunCommand) .de(de_StartRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRunRequest; + output: StartRunResponse; + }; + sdk: { + input: StartRunCommandInput; + output: StartRunCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/StartVariantImportJobCommand.ts b/clients/client-omics/src/commands/StartVariantImportJobCommand.ts index 2120c3e9cfba..b66c84275a44 100644 --- a/clients/client-omics/src/commands/StartVariantImportJobCommand.ts +++ b/clients/client-omics/src/commands/StartVariantImportJobCommand.ts @@ -105,4 +105,16 @@ export class StartVariantImportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartVariantImportJobCommand) .de(de_StartVariantImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartVariantImportRequest; + output: StartVariantImportResponse; + }; + sdk: { + input: StartVariantImportJobCommandInput; + output: StartVariantImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/TagResourceCommand.ts b/clients/client-omics/src/commands/TagResourceCommand.ts index 996b73d6c0dc..5325d253cf15 100644 --- a/clients/client-omics/src/commands/TagResourceCommand.ts +++ b/clients/client-omics/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/UntagResourceCommand.ts b/clients/client-omics/src/commands/UntagResourceCommand.ts index bf05c3e1468a..20aa4a561bfe 100644 --- a/clients/client-omics/src/commands/UntagResourceCommand.ts +++ b/clients/client-omics/src/commands/UntagResourceCommand.ts @@ -102,4 +102,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/UpdateAnnotationStoreCommand.ts b/clients/client-omics/src/commands/UpdateAnnotationStoreCommand.ts index 13eeb3ec7c32..62fbe6a0861c 100644 --- a/clients/client-omics/src/commands/UpdateAnnotationStoreCommand.ts +++ b/clients/client-omics/src/commands/UpdateAnnotationStoreCommand.ts @@ -115,4 +115,16 @@ export class UpdateAnnotationStoreCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnnotationStoreCommand) .de(de_UpdateAnnotationStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnnotationStoreRequest; + output: UpdateAnnotationStoreResponse; + }; + sdk: { + input: UpdateAnnotationStoreCommandInput; + output: UpdateAnnotationStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/UpdateAnnotationStoreVersionCommand.ts b/clients/client-omics/src/commands/UpdateAnnotationStoreVersionCommand.ts index a3a654029c67..deaf1eea1dfc 100644 --- a/clients/client-omics/src/commands/UpdateAnnotationStoreVersionCommand.ts +++ b/clients/client-omics/src/commands/UpdateAnnotationStoreVersionCommand.ts @@ -108,4 +108,16 @@ export class UpdateAnnotationStoreVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnnotationStoreVersionCommand) .de(de_UpdateAnnotationStoreVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnnotationStoreVersionRequest; + output: UpdateAnnotationStoreVersionResponse; + }; + sdk: { + input: UpdateAnnotationStoreVersionCommandInput; + output: UpdateAnnotationStoreVersionCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/UpdateRunGroupCommand.ts b/clients/client-omics/src/commands/UpdateRunGroupCommand.ts index 76e7f24dc9e5..02b386e25611 100644 --- a/clients/client-omics/src/commands/UpdateRunGroupCommand.ts +++ b/clients/client-omics/src/commands/UpdateRunGroupCommand.ts @@ -104,4 +104,16 @@ export class UpdateRunGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRunGroupCommand) .de(de_UpdateRunGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRunGroupRequest; + output: {}; + }; + sdk: { + input: UpdateRunGroupCommandInput; + output: UpdateRunGroupCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/UpdateVariantStoreCommand.ts b/clients/client-omics/src/commands/UpdateVariantStoreCommand.ts index 0b5b40285e72..06c55e0ad973 100644 --- a/clients/client-omics/src/commands/UpdateVariantStoreCommand.ts +++ b/clients/client-omics/src/commands/UpdateVariantStoreCommand.ts @@ -101,4 +101,16 @@ export class UpdateVariantStoreCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVariantStoreCommand) .de(de_UpdateVariantStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVariantStoreRequest; + output: UpdateVariantStoreResponse; + }; + sdk: { + input: UpdateVariantStoreCommandInput; + output: UpdateVariantStoreCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/UpdateWorkflowCommand.ts b/clients/client-omics/src/commands/UpdateWorkflowCommand.ts index c852abb526e0..610409caaa0b 100644 --- a/clients/client-omics/src/commands/UpdateWorkflowCommand.ts +++ b/clients/client-omics/src/commands/UpdateWorkflowCommand.ts @@ -101,4 +101,16 @@ export class UpdateWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkflowCommand) .de(de_UpdateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkflowRequest; + output: {}; + }; + sdk: { + input: UpdateWorkflowCommandInput; + output: UpdateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-omics/src/commands/UploadReadSetPartCommand.ts b/clients/client-omics/src/commands/UploadReadSetPartCommand.ts index 5ee705728e91..d06c41b2e552 100644 --- a/clients/client-omics/src/commands/UploadReadSetPartCommand.ts +++ b/clients/client-omics/src/commands/UploadReadSetPartCommand.ts @@ -115,4 +115,16 @@ export class UploadReadSetPartCommand extends $Command .f(UploadReadSetPartRequestFilterSensitiveLog, void 0) .ser(se_UploadReadSetPartCommand) .de(de_UploadReadSetPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadReadSetPartRequest; + output: UploadReadSetPartResponse; + }; + sdk: { + input: UploadReadSetPartCommandInput; + output: UploadReadSetPartCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/package.json b/clients/client-opensearch/package.json index d01fc527e760..25fa2f22d3f7 100644 --- a/clients/client-opensearch/package.json +++ b/clients/client-opensearch/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-opensearch/src/commands/AcceptInboundConnectionCommand.ts b/clients/client-opensearch/src/commands/AcceptInboundConnectionCommand.ts index 98f1fcfac0a6..0008945450b6 100644 --- a/clients/client-opensearch/src/commands/AcceptInboundConnectionCommand.ts +++ b/clients/client-opensearch/src/commands/AcceptInboundConnectionCommand.ts @@ -109,4 +109,16 @@ export class AcceptInboundConnectionCommand extends $Command .f(void 0, void 0) .ser(se_AcceptInboundConnectionCommand) .de(de_AcceptInboundConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptInboundConnectionRequest; + output: AcceptInboundConnectionResponse; + }; + sdk: { + input: AcceptInboundConnectionCommandInput; + output: AcceptInboundConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/AddDataSourceCommand.ts b/clients/client-opensearch/src/commands/AddDataSourceCommand.ts index 50cd378cf75f..befbe8805280 100644 --- a/clients/client-opensearch/src/commands/AddDataSourceCommand.ts +++ b/clients/client-opensearch/src/commands/AddDataSourceCommand.ts @@ -106,4 +106,16 @@ export class AddDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_AddDataSourceCommand) .de(de_AddDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddDataSourceRequest; + output: AddDataSourceResponse; + }; + sdk: { + input: AddDataSourceCommandInput; + output: AddDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/AddTagsCommand.ts b/clients/client-opensearch/src/commands/AddTagsCommand.ts index 1f384987d601..f3a16f0c54ad 100644 --- a/clients/client-opensearch/src/commands/AddTagsCommand.ts +++ b/clients/client-opensearch/src/commands/AddTagsCommand.ts @@ -96,4 +96,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsRequest; + output: {}; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/AssociatePackageCommand.ts b/clients/client-opensearch/src/commands/AssociatePackageCommand.ts index 3dd28ec1c6e9..95c54be32fa3 100644 --- a/clients/client-opensearch/src/commands/AssociatePackageCommand.ts +++ b/clients/client-opensearch/src/commands/AssociatePackageCommand.ts @@ -111,4 +111,16 @@ export class AssociatePackageCommand extends $Command .f(void 0, void 0) .ser(se_AssociatePackageCommand) .de(de_AssociatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePackageRequest; + output: AssociatePackageResponse; + }; + sdk: { + input: AssociatePackageCommandInput; + output: AssociatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/AuthorizeVpcEndpointAccessCommand.ts b/clients/client-opensearch/src/commands/AuthorizeVpcEndpointAccessCommand.ts index da58413abe3c..5d0f67adf20b 100644 --- a/clients/client-opensearch/src/commands/AuthorizeVpcEndpointAccessCommand.ts +++ b/clients/client-opensearch/src/commands/AuthorizeVpcEndpointAccessCommand.ts @@ -100,4 +100,16 @@ export class AuthorizeVpcEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeVpcEndpointAccessCommand) .de(de_AuthorizeVpcEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeVpcEndpointAccessRequest; + output: AuthorizeVpcEndpointAccessResponse; + }; + sdk: { + input: AuthorizeVpcEndpointAccessCommandInput; + output: AuthorizeVpcEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/CancelDomainConfigChangeCommand.ts b/clients/client-opensearch/src/commands/CancelDomainConfigChangeCommand.ts index 19cf84d63bf7..3da9ca300593 100644 --- a/clients/client-opensearch/src/commands/CancelDomainConfigChangeCommand.ts +++ b/clients/client-opensearch/src/commands/CancelDomainConfigChangeCommand.ts @@ -103,4 +103,16 @@ export class CancelDomainConfigChangeCommand extends $Command .f(void 0, void 0) .ser(se_CancelDomainConfigChangeCommand) .de(de_CancelDomainConfigChangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDomainConfigChangeRequest; + output: CancelDomainConfigChangeResponse; + }; + sdk: { + input: CancelDomainConfigChangeCommandInput; + output: CancelDomainConfigChangeCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/CancelServiceSoftwareUpdateCommand.ts b/clients/client-opensearch/src/commands/CancelServiceSoftwareUpdateCommand.ts index adf06dfe2f25..5c1a0742b6f4 100644 --- a/clients/client-opensearch/src/commands/CancelServiceSoftwareUpdateCommand.ts +++ b/clients/client-opensearch/src/commands/CancelServiceSoftwareUpdateCommand.ts @@ -105,4 +105,16 @@ export class CancelServiceSoftwareUpdateCommand extends $Command .f(void 0, void 0) .ser(se_CancelServiceSoftwareUpdateCommand) .de(de_CancelServiceSoftwareUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelServiceSoftwareUpdateRequest; + output: CancelServiceSoftwareUpdateResponse; + }; + sdk: { + input: CancelServiceSoftwareUpdateCommandInput; + output: CancelServiceSoftwareUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/CreateDomainCommand.ts b/clients/client-opensearch/src/commands/CreateDomainCommand.ts index 9b271c19d9fd..f48fb341e128 100644 --- a/clients/client-opensearch/src/commands/CreateDomainCommand.ts +++ b/clients/client-opensearch/src/commands/CreateDomainCommand.ts @@ -389,4 +389,16 @@ export class CreateDomainCommand extends $Command .f(CreateDomainRequestFilterSensitiveLog, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResponse; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/CreateOutboundConnectionCommand.ts b/clients/client-opensearch/src/commands/CreateOutboundConnectionCommand.ts index 3b0ea1eb7649..19b33fe7d1eb 100644 --- a/clients/client-opensearch/src/commands/CreateOutboundConnectionCommand.ts +++ b/clients/client-opensearch/src/commands/CreateOutboundConnectionCommand.ts @@ -138,4 +138,16 @@ export class CreateOutboundConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateOutboundConnectionCommand) .de(de_CreateOutboundConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOutboundConnectionRequest; + output: CreateOutboundConnectionResponse; + }; + sdk: { + input: CreateOutboundConnectionCommandInput; + output: CreateOutboundConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/CreatePackageCommand.ts b/clients/client-opensearch/src/commands/CreatePackageCommand.ts index f4eae29dce65..7475d9813555 100644 --- a/clients/client-opensearch/src/commands/CreatePackageCommand.ts +++ b/clients/client-opensearch/src/commands/CreatePackageCommand.ts @@ -126,4 +126,16 @@ export class CreatePackageCommand extends $Command .f(void 0, void 0) .ser(se_CreatePackageCommand) .de(de_CreatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackageRequest; + output: CreatePackageResponse; + }; + sdk: { + input: CreatePackageCommandInput; + output: CreatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/CreateVpcEndpointCommand.ts b/clients/client-opensearch/src/commands/CreateVpcEndpointCommand.ts index ee968e9aa79d..8a3ac55e9c0d 100644 --- a/clients/client-opensearch/src/commands/CreateVpcEndpointCommand.ts +++ b/clients/client-opensearch/src/commands/CreateVpcEndpointCommand.ts @@ -122,4 +122,16 @@ export class CreateVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcEndpointCommand) .de(de_CreateVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcEndpointRequest; + output: CreateVpcEndpointResponse; + }; + sdk: { + input: CreateVpcEndpointCommandInput; + output: CreateVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DeleteDataSourceCommand.ts b/clients/client-opensearch/src/commands/DeleteDataSourceCommand.ts index 44c203637880..1936901be818 100644 --- a/clients/client-opensearch/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-opensearch/src/commands/DeleteDataSourceCommand.ts @@ -96,4 +96,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceRequest; + output: DeleteDataSourceResponse; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DeleteDomainCommand.ts b/clients/client-opensearch/src/commands/DeleteDomainCommand.ts index 22973b53c4d5..2c384f093317 100644 --- a/clients/client-opensearch/src/commands/DeleteDomainCommand.ts +++ b/clients/client-opensearch/src/commands/DeleteDomainCommand.ts @@ -248,4 +248,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: DeleteDomainResponse; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DeleteInboundConnectionCommand.ts b/clients/client-opensearch/src/commands/DeleteInboundConnectionCommand.ts index afc7c883e237..f55ac86ebda8 100644 --- a/clients/client-opensearch/src/commands/DeleteInboundConnectionCommand.ts +++ b/clients/client-opensearch/src/commands/DeleteInboundConnectionCommand.ts @@ -106,4 +106,16 @@ export class DeleteInboundConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInboundConnectionCommand) .de(de_DeleteInboundConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInboundConnectionRequest; + output: DeleteInboundConnectionResponse; + }; + sdk: { + input: DeleteInboundConnectionCommandInput; + output: DeleteInboundConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DeleteOutboundConnectionCommand.ts b/clients/client-opensearch/src/commands/DeleteOutboundConnectionCommand.ts index 0e5c99e95bf6..f10110a00f94 100644 --- a/clients/client-opensearch/src/commands/DeleteOutboundConnectionCommand.ts +++ b/clients/client-opensearch/src/commands/DeleteOutboundConnectionCommand.ts @@ -113,4 +113,16 @@ export class DeleteOutboundConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOutboundConnectionCommand) .de(de_DeleteOutboundConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOutboundConnectionRequest; + output: DeleteOutboundConnectionResponse; + }; + sdk: { + input: DeleteOutboundConnectionCommandInput; + output: DeleteOutboundConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DeletePackageCommand.ts b/clients/client-opensearch/src/commands/DeletePackageCommand.ts index 15e3281ccd5d..ae75bc0a02fe 100644 --- a/clients/client-opensearch/src/commands/DeletePackageCommand.ts +++ b/clients/client-opensearch/src/commands/DeletePackageCommand.ts @@ -117,4 +117,16 @@ export class DeletePackageCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageCommand) .de(de_DeletePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageRequest; + output: DeletePackageResponse; + }; + sdk: { + input: DeletePackageCommandInput; + output: DeletePackageCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DeleteVpcEndpointCommand.ts b/clients/client-opensearch/src/commands/DeleteVpcEndpointCommand.ts index 227b4341a1a6..ed54141c1a75 100644 --- a/clients/client-opensearch/src/commands/DeleteVpcEndpointCommand.ts +++ b/clients/client-opensearch/src/commands/DeleteVpcEndpointCommand.ts @@ -94,4 +94,16 @@ export class DeleteVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcEndpointCommand) .de(de_DeleteVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcEndpointRequest; + output: DeleteVpcEndpointResponse; + }; + sdk: { + input: DeleteVpcEndpointCommandInput; + output: DeleteVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDomainAutoTunesCommand.ts b/clients/client-opensearch/src/commands/DescribeDomainAutoTunesCommand.ts index 481924afc753..d89bfab305fb 100644 --- a/clients/client-opensearch/src/commands/DescribeDomainAutoTunesCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDomainAutoTunesCommand.ts @@ -106,4 +106,16 @@ export class DescribeDomainAutoTunesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainAutoTunesCommand) .de(de_DescribeDomainAutoTunesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainAutoTunesRequest; + output: DescribeDomainAutoTunesResponse; + }; + sdk: { + input: DescribeDomainAutoTunesCommandInput; + output: DescribeDomainAutoTunesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDomainChangeProgressCommand.ts b/clients/client-opensearch/src/commands/DescribeDomainChangeProgressCommand.ts index ee4f58798278..b778a170cd84 100644 --- a/clients/client-opensearch/src/commands/DescribeDomainChangeProgressCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDomainChangeProgressCommand.ts @@ -118,4 +118,16 @@ export class DescribeDomainChangeProgressCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainChangeProgressCommand) .de(de_DescribeDomainChangeProgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainChangeProgressRequest; + output: DescribeDomainChangeProgressResponse; + }; + sdk: { + input: DescribeDomainChangeProgressCommandInput; + output: DescribeDomainChangeProgressCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDomainCommand.ts b/clients/client-opensearch/src/commands/DescribeDomainCommand.ts index b274bbd17127..94a04e74f876 100644 --- a/clients/client-opensearch/src/commands/DescribeDomainCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDomainCommand.ts @@ -248,4 +248,16 @@ export class DescribeDomainCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainCommand) .de(de_DescribeDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainRequest; + output: DescribeDomainResponse; + }; + sdk: { + input: DescribeDomainCommandInput; + output: DescribeDomainCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDomainConfigCommand.ts b/clients/client-opensearch/src/commands/DescribeDomainConfigCommand.ts index 2462a29bc417..4382bc56cb9f 100644 --- a/clients/client-opensearch/src/commands/DescribeDomainConfigCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDomainConfigCommand.ts @@ -324,4 +324,16 @@ export class DescribeDomainConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainConfigCommand) .de(de_DescribeDomainConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainConfigRequest; + output: DescribeDomainConfigResponse; + }; + sdk: { + input: DescribeDomainConfigCommandInput; + output: DescribeDomainConfigCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDomainHealthCommand.ts b/clients/client-opensearch/src/commands/DescribeDomainHealthCommand.ts index fc780d90a748..1d06b7adcc46 100644 --- a/clients/client-opensearch/src/commands/DescribeDomainHealthCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDomainHealthCommand.ts @@ -117,4 +117,16 @@ export class DescribeDomainHealthCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainHealthCommand) .de(de_DescribeDomainHealthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainHealthRequest; + output: DescribeDomainHealthResponse; + }; + sdk: { + input: DescribeDomainHealthCommandInput; + output: DescribeDomainHealthCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDomainNodesCommand.ts b/clients/client-opensearch/src/commands/DescribeDomainNodesCommand.ts index e61dfb7ee75a..3e4be52f8f00 100644 --- a/clients/client-opensearch/src/commands/DescribeDomainNodesCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDomainNodesCommand.ts @@ -107,4 +107,16 @@ export class DescribeDomainNodesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainNodesCommand) .de(de_DescribeDomainNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainNodesRequest; + output: DescribeDomainNodesResponse; + }; + sdk: { + input: DescribeDomainNodesCommandInput; + output: DescribeDomainNodesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDomainsCommand.ts b/clients/client-opensearch/src/commands/DescribeDomainsCommand.ts index 1676d66e7fb4..e73a531ed17b 100644 --- a/clients/client-opensearch/src/commands/DescribeDomainsCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDomainsCommand.ts @@ -249,4 +249,16 @@ export class DescribeDomainsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainsCommand) .de(de_DescribeDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainsRequest; + output: DescribeDomainsResponse; + }; + sdk: { + input: DescribeDomainsCommandInput; + output: DescribeDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeDryRunProgressCommand.ts b/clients/client-opensearch/src/commands/DescribeDryRunProgressCommand.ts index 6193f1462740..31e83abe6967 100644 --- a/clients/client-opensearch/src/commands/DescribeDryRunProgressCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeDryRunProgressCommand.ts @@ -269,4 +269,16 @@ export class DescribeDryRunProgressCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDryRunProgressCommand) .de(de_DescribeDryRunProgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDryRunProgressRequest; + output: DescribeDryRunProgressResponse; + }; + sdk: { + input: DescribeDryRunProgressCommandInput; + output: DescribeDryRunProgressCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeInboundConnectionsCommand.ts b/clients/client-opensearch/src/commands/DescribeInboundConnectionsCommand.ts index 885eaabdc230..4732f2065aed 100644 --- a/clients/client-opensearch/src/commands/DescribeInboundConnectionsCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeInboundConnectionsCommand.ts @@ -118,4 +118,16 @@ export class DescribeInboundConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInboundConnectionsCommand) .de(de_DescribeInboundConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInboundConnectionsRequest; + output: DescribeInboundConnectionsResponse; + }; + sdk: { + input: DescribeInboundConnectionsCommandInput; + output: DescribeInboundConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeInstanceTypeLimitsCommand.ts b/clients/client-opensearch/src/commands/DescribeInstanceTypeLimitsCommand.ts index 4b54ec0cfac1..66bd2f53e15d 100644 --- a/clients/client-opensearch/src/commands/DescribeInstanceTypeLimitsCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeInstanceTypeLimitsCommand.ts @@ -129,4 +129,16 @@ export class DescribeInstanceTypeLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceTypeLimitsCommand) .de(de_DescribeInstanceTypeLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceTypeLimitsRequest; + output: DescribeInstanceTypeLimitsResponse; + }; + sdk: { + input: DescribeInstanceTypeLimitsCommandInput; + output: DescribeInstanceTypeLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeOutboundConnectionsCommand.ts b/clients/client-opensearch/src/commands/DescribeOutboundConnectionsCommand.ts index 45c0e10bfd23..29a9573da340 100644 --- a/clients/client-opensearch/src/commands/DescribeOutboundConnectionsCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeOutboundConnectionsCommand.ts @@ -130,4 +130,16 @@ export class DescribeOutboundConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOutboundConnectionsCommand) .de(de_DescribeOutboundConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOutboundConnectionsRequest; + output: DescribeOutboundConnectionsResponse; + }; + sdk: { + input: DescribeOutboundConnectionsCommandInput; + output: DescribeOutboundConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribePackagesCommand.ts b/clients/client-opensearch/src/commands/DescribePackagesCommand.ts index c1e1237689f7..17311a62d423 100644 --- a/clients/client-opensearch/src/commands/DescribePackagesCommand.ts +++ b/clients/client-opensearch/src/commands/DescribePackagesCommand.ts @@ -126,4 +126,16 @@ export class DescribePackagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackagesCommand) .de(de_DescribePackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackagesRequest; + output: DescribePackagesResponse; + }; + sdk: { + input: DescribePackagesCommandInput; + output: DescribePackagesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeReservedInstanceOfferingsCommand.ts b/clients/client-opensearch/src/commands/DescribeReservedInstanceOfferingsCommand.ts index cdcb49105cb1..f5a8bddeb005 100644 --- a/clients/client-opensearch/src/commands/DescribeReservedInstanceOfferingsCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeReservedInstanceOfferingsCommand.ts @@ -117,4 +117,16 @@ export class DescribeReservedInstanceOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedInstanceOfferingsCommand) .de(de_DescribeReservedInstanceOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedInstanceOfferingsRequest; + output: DescribeReservedInstanceOfferingsResponse; + }; + sdk: { + input: DescribeReservedInstanceOfferingsCommandInput; + output: DescribeReservedInstanceOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeReservedInstancesCommand.ts b/clients/client-opensearch/src/commands/DescribeReservedInstancesCommand.ts index 5510039b5eac..4b5ca69daae9 100644 --- a/clients/client-opensearch/src/commands/DescribeReservedInstancesCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeReservedInstancesCommand.ts @@ -116,4 +116,16 @@ export class DescribeReservedInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedInstancesCommand) .de(de_DescribeReservedInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedInstancesRequest; + output: DescribeReservedInstancesResponse; + }; + sdk: { + input: DescribeReservedInstancesCommandInput; + output: DescribeReservedInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DescribeVpcEndpointsCommand.ts b/clients/client-opensearch/src/commands/DescribeVpcEndpointsCommand.ts index aa42325776dd..4ad6cb4f77d1 100644 --- a/clients/client-opensearch/src/commands/DescribeVpcEndpointsCommand.ts +++ b/clients/client-opensearch/src/commands/DescribeVpcEndpointsCommand.ts @@ -118,4 +118,16 @@ export class DescribeVpcEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVpcEndpointsCommand) .de(de_DescribeVpcEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVpcEndpointsRequest; + output: DescribeVpcEndpointsResponse; + }; + sdk: { + input: DescribeVpcEndpointsCommandInput; + output: DescribeVpcEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/DissociatePackageCommand.ts b/clients/client-opensearch/src/commands/DissociatePackageCommand.ts index b5f402af1231..4bc9638f6b4f 100644 --- a/clients/client-opensearch/src/commands/DissociatePackageCommand.ts +++ b/clients/client-opensearch/src/commands/DissociatePackageCommand.ts @@ -112,4 +112,16 @@ export class DissociatePackageCommand extends $Command .f(void 0, void 0) .ser(se_DissociatePackageCommand) .de(de_DissociatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DissociatePackageRequest; + output: DissociatePackageResponse; + }; + sdk: { + input: DissociatePackageCommandInput; + output: DissociatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/GetCompatibleVersionsCommand.ts b/clients/client-opensearch/src/commands/GetCompatibleVersionsCommand.ts index 2b79b55cff3d..5635ed1db89b 100644 --- a/clients/client-opensearch/src/commands/GetCompatibleVersionsCommand.ts +++ b/clients/client-opensearch/src/commands/GetCompatibleVersionsCommand.ts @@ -100,4 +100,16 @@ export class GetCompatibleVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetCompatibleVersionsCommand) .de(de_GetCompatibleVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCompatibleVersionsRequest; + output: GetCompatibleVersionsResponse; + }; + sdk: { + input: GetCompatibleVersionsCommandInput; + output: GetCompatibleVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/GetDataSourceCommand.ts b/clients/client-opensearch/src/commands/GetDataSourceCommand.ts index 6942e88f397b..09f36cbfb96a 100644 --- a/clients/client-opensearch/src/commands/GetDataSourceCommand.ts +++ b/clients/client-opensearch/src/commands/GetDataSourceCommand.ts @@ -103,4 +103,16 @@ export class GetDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSourceCommand) .de(de_GetDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceRequest; + output: GetDataSourceResponse; + }; + sdk: { + input: GetDataSourceCommandInput; + output: GetDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/GetDomainMaintenanceStatusCommand.ts b/clients/client-opensearch/src/commands/GetDomainMaintenanceStatusCommand.ts index 19b8cb6bb068..de11e05a270e 100644 --- a/clients/client-opensearch/src/commands/GetDomainMaintenanceStatusCommand.ts +++ b/clients/client-opensearch/src/commands/GetDomainMaintenanceStatusCommand.ts @@ -98,4 +98,16 @@ export class GetDomainMaintenanceStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainMaintenanceStatusCommand) .de(de_GetDomainMaintenanceStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainMaintenanceStatusRequest; + output: GetDomainMaintenanceStatusResponse; + }; + sdk: { + input: GetDomainMaintenanceStatusCommandInput; + output: GetDomainMaintenanceStatusCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/GetPackageVersionHistoryCommand.ts b/clients/client-opensearch/src/commands/GetPackageVersionHistoryCommand.ts index 4599aa7365ad..af0390cad9fc 100644 --- a/clients/client-opensearch/src/commands/GetPackageVersionHistoryCommand.ts +++ b/clients/client-opensearch/src/commands/GetPackageVersionHistoryCommand.ts @@ -111,4 +111,16 @@ export class GetPackageVersionHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetPackageVersionHistoryCommand) .de(de_GetPackageVersionHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPackageVersionHistoryRequest; + output: GetPackageVersionHistoryResponse; + }; + sdk: { + input: GetPackageVersionHistoryCommandInput; + output: GetPackageVersionHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/GetUpgradeHistoryCommand.ts b/clients/client-opensearch/src/commands/GetUpgradeHistoryCommand.ts index 2e4f1c5e2acd..4a7af0478157 100644 --- a/clients/client-opensearch/src/commands/GetUpgradeHistoryCommand.ts +++ b/clients/client-opensearch/src/commands/GetUpgradeHistoryCommand.ts @@ -112,4 +112,16 @@ export class GetUpgradeHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetUpgradeHistoryCommand) .de(de_GetUpgradeHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUpgradeHistoryRequest; + output: GetUpgradeHistoryResponse; + }; + sdk: { + input: GetUpgradeHistoryCommandInput; + output: GetUpgradeHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/GetUpgradeStatusCommand.ts b/clients/client-opensearch/src/commands/GetUpgradeStatusCommand.ts index 03dd78edc279..e2be4b0147ac 100644 --- a/clients/client-opensearch/src/commands/GetUpgradeStatusCommand.ts +++ b/clients/client-opensearch/src/commands/GetUpgradeStatusCommand.ts @@ -95,4 +95,16 @@ export class GetUpgradeStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetUpgradeStatusCommand) .de(de_GetUpgradeStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUpgradeStatusRequest; + output: GetUpgradeStatusResponse; + }; + sdk: { + input: GetUpgradeStatusCommandInput; + output: GetUpgradeStatusCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListDataSourcesCommand.ts b/clients/client-opensearch/src/commands/ListDataSourcesCommand.ts index dee07dc5e78d..0c8d12ddd5d0 100644 --- a/clients/client-opensearch/src/commands/ListDataSourcesCommand.ts +++ b/clients/client-opensearch/src/commands/ListDataSourcesCommand.ts @@ -108,4 +108,16 @@ export class ListDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourcesCommand) .de(de_ListDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourcesRequest; + output: ListDataSourcesResponse; + }; + sdk: { + input: ListDataSourcesCommandInput; + output: ListDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListDomainMaintenancesCommand.ts b/clients/client-opensearch/src/commands/ListDomainMaintenancesCommand.ts index fc1f6becd161..2ac6a35ea902 100644 --- a/clients/client-opensearch/src/commands/ListDomainMaintenancesCommand.ts +++ b/clients/client-opensearch/src/commands/ListDomainMaintenancesCommand.ts @@ -108,4 +108,16 @@ export class ListDomainMaintenancesCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainMaintenancesCommand) .de(de_ListDomainMaintenancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainMaintenancesRequest; + output: ListDomainMaintenancesResponse; + }; + sdk: { + input: ListDomainMaintenancesCommandInput; + output: ListDomainMaintenancesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListDomainNamesCommand.ts b/clients/client-opensearch/src/commands/ListDomainNamesCommand.ts index 00a675bd3025..7d99046d3132 100644 --- a/clients/client-opensearch/src/commands/ListDomainNamesCommand.ts +++ b/clients/client-opensearch/src/commands/ListDomainNamesCommand.ts @@ -89,4 +89,16 @@ export class ListDomainNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainNamesCommand) .de(de_ListDomainNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainNamesRequest; + output: ListDomainNamesResponse; + }; + sdk: { + input: ListDomainNamesCommandInput; + output: ListDomainNamesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListDomainsForPackageCommand.ts b/clients/client-opensearch/src/commands/ListDomainsForPackageCommand.ts index c8adab9ab1ea..fa209f686362 100644 --- a/clients/client-opensearch/src/commands/ListDomainsForPackageCommand.ts +++ b/clients/client-opensearch/src/commands/ListDomainsForPackageCommand.ts @@ -112,4 +112,16 @@ export class ListDomainsForPackageCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsForPackageCommand) .de(de_ListDomainsForPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsForPackageRequest; + output: ListDomainsForPackageResponse; + }; + sdk: { + input: ListDomainsForPackageCommandInput; + output: ListDomainsForPackageCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListInstanceTypeDetailsCommand.ts b/clients/client-opensearch/src/commands/ListInstanceTypeDetailsCommand.ts index 0788ee872b9e..81946b83c44a 100644 --- a/clients/client-opensearch/src/commands/ListInstanceTypeDetailsCommand.ts +++ b/clients/client-opensearch/src/commands/ListInstanceTypeDetailsCommand.ts @@ -111,4 +111,16 @@ export class ListInstanceTypeDetailsCommand extends $Command .f(void 0, void 0) .ser(se_ListInstanceTypeDetailsCommand) .de(de_ListInstanceTypeDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstanceTypeDetailsRequest; + output: ListInstanceTypeDetailsResponse; + }; + sdk: { + input: ListInstanceTypeDetailsCommandInput; + output: ListInstanceTypeDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListPackagesForDomainCommand.ts b/clients/client-opensearch/src/commands/ListPackagesForDomainCommand.ts index dbbddfe7ed81..fc576b3ec587 100644 --- a/clients/client-opensearch/src/commands/ListPackagesForDomainCommand.ts +++ b/clients/client-opensearch/src/commands/ListPackagesForDomainCommand.ts @@ -112,4 +112,16 @@ export class ListPackagesForDomainCommand extends $Command .f(void 0, void 0) .ser(se_ListPackagesForDomainCommand) .de(de_ListPackagesForDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackagesForDomainRequest; + output: ListPackagesForDomainResponse; + }; + sdk: { + input: ListPackagesForDomainCommandInput; + output: ListPackagesForDomainCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListScheduledActionsCommand.ts b/clients/client-opensearch/src/commands/ListScheduledActionsCommand.ts index 4f48e085ea7b..7be7f7a6e2c3 100644 --- a/clients/client-opensearch/src/commands/ListScheduledActionsCommand.ts +++ b/clients/client-opensearch/src/commands/ListScheduledActionsCommand.ts @@ -110,4 +110,16 @@ export class ListScheduledActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListScheduledActionsCommand) .de(de_ListScheduledActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScheduledActionsRequest; + output: ListScheduledActionsResponse; + }; + sdk: { + input: ListScheduledActionsCommandInput; + output: ListScheduledActionsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListTagsCommand.ts b/clients/client-opensearch/src/commands/ListTagsCommand.ts index 9f0d58d00961..31c07fcd9a9a 100644 --- a/clients/client-opensearch/src/commands/ListTagsCommand.ts +++ b/clients/client-opensearch/src/commands/ListTagsCommand.ts @@ -95,4 +95,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResponse; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListVersionsCommand.ts b/clients/client-opensearch/src/commands/ListVersionsCommand.ts index a974461fa068..5a7d15b71dfb 100644 --- a/clients/client-opensearch/src/commands/ListVersionsCommand.ts +++ b/clients/client-opensearch/src/commands/ListVersionsCommand.ts @@ -94,4 +94,16 @@ export class ListVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListVersionsCommand) .de(de_ListVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVersionsRequest; + output: ListVersionsResponse; + }; + sdk: { + input: ListVersionsCommandInput; + output: ListVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListVpcEndpointAccessCommand.ts b/clients/client-opensearch/src/commands/ListVpcEndpointAccessCommand.ts index 33f05cfc6dcf..08075eda31eb 100644 --- a/clients/client-opensearch/src/commands/ListVpcEndpointAccessCommand.ts +++ b/clients/client-opensearch/src/commands/ListVpcEndpointAccessCommand.ts @@ -97,4 +97,16 @@ export class ListVpcEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcEndpointAccessCommand) .de(de_ListVpcEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcEndpointAccessRequest; + output: ListVpcEndpointAccessResponse; + }; + sdk: { + input: ListVpcEndpointAccessCommandInput; + output: ListVpcEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListVpcEndpointsCommand.ts b/clients/client-opensearch/src/commands/ListVpcEndpointsCommand.ts index 121900022782..d7f6c8b45edc 100644 --- a/clients/client-opensearch/src/commands/ListVpcEndpointsCommand.ts +++ b/clients/client-opensearch/src/commands/ListVpcEndpointsCommand.ts @@ -94,4 +94,16 @@ export class ListVpcEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcEndpointsCommand) .de(de_ListVpcEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcEndpointsRequest; + output: ListVpcEndpointsResponse; + }; + sdk: { + input: ListVpcEndpointsCommandInput; + output: ListVpcEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/ListVpcEndpointsForDomainCommand.ts b/clients/client-opensearch/src/commands/ListVpcEndpointsForDomainCommand.ts index e097b2e3e274..eebe38ff2d4e 100644 --- a/clients/client-opensearch/src/commands/ListVpcEndpointsForDomainCommand.ts +++ b/clients/client-opensearch/src/commands/ListVpcEndpointsForDomainCommand.ts @@ -99,4 +99,16 @@ export class ListVpcEndpointsForDomainCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcEndpointsForDomainCommand) .de(de_ListVpcEndpointsForDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcEndpointsForDomainRequest; + output: ListVpcEndpointsForDomainResponse; + }; + sdk: { + input: ListVpcEndpointsForDomainCommandInput; + output: ListVpcEndpointsForDomainCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/PurchaseReservedInstanceOfferingCommand.ts b/clients/client-opensearch/src/commands/PurchaseReservedInstanceOfferingCommand.ts index 2a542942eabb..be97e5c966df 100644 --- a/clients/client-opensearch/src/commands/PurchaseReservedInstanceOfferingCommand.ts +++ b/clients/client-opensearch/src/commands/PurchaseReservedInstanceOfferingCommand.ts @@ -103,4 +103,16 @@ export class PurchaseReservedInstanceOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseReservedInstanceOfferingCommand) .de(de_PurchaseReservedInstanceOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseReservedInstanceOfferingRequest; + output: PurchaseReservedInstanceOfferingResponse; + }; + sdk: { + input: PurchaseReservedInstanceOfferingCommandInput; + output: PurchaseReservedInstanceOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/RejectInboundConnectionCommand.ts b/clients/client-opensearch/src/commands/RejectInboundConnectionCommand.ts index 632bcb4c50b2..a77f459850e6 100644 --- a/clients/client-opensearch/src/commands/RejectInboundConnectionCommand.ts +++ b/clients/client-opensearch/src/commands/RejectInboundConnectionCommand.ts @@ -105,4 +105,16 @@ export class RejectInboundConnectionCommand extends $Command .f(void 0, void 0) .ser(se_RejectInboundConnectionCommand) .de(de_RejectInboundConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectInboundConnectionRequest; + output: RejectInboundConnectionResponse; + }; + sdk: { + input: RejectInboundConnectionCommandInput; + output: RejectInboundConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/RemoveTagsCommand.ts b/clients/client-opensearch/src/commands/RemoveTagsCommand.ts index 1a4ed10faaf3..bdff4be9a260 100644 --- a/clients/client-opensearch/src/commands/RemoveTagsCommand.ts +++ b/clients/client-opensearch/src/commands/RemoveTagsCommand.ts @@ -88,4 +88,16 @@ export class RemoveTagsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsCommand) .de(de_RemoveTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsRequest; + output: {}; + }; + sdk: { + input: RemoveTagsCommandInput; + output: RemoveTagsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/RevokeVpcEndpointAccessCommand.ts b/clients/client-opensearch/src/commands/RevokeVpcEndpointAccessCommand.ts index 38fea00830bc..ca75e558071b 100644 --- a/clients/client-opensearch/src/commands/RevokeVpcEndpointAccessCommand.ts +++ b/clients/client-opensearch/src/commands/RevokeVpcEndpointAccessCommand.ts @@ -92,4 +92,16 @@ export class RevokeVpcEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_RevokeVpcEndpointAccessCommand) .de(de_RevokeVpcEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeVpcEndpointAccessRequest; + output: {}; + }; + sdk: { + input: RevokeVpcEndpointAccessCommandInput; + output: RevokeVpcEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/StartDomainMaintenanceCommand.ts b/clients/client-opensearch/src/commands/StartDomainMaintenanceCommand.ts index 9907c0aa2a68..8f034944595e 100644 --- a/clients/client-opensearch/src/commands/StartDomainMaintenanceCommand.ts +++ b/clients/client-opensearch/src/commands/StartDomainMaintenanceCommand.ts @@ -95,4 +95,16 @@ export class StartDomainMaintenanceCommand extends $Command .f(void 0, void 0) .ser(se_StartDomainMaintenanceCommand) .de(de_StartDomainMaintenanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDomainMaintenanceRequest; + output: StartDomainMaintenanceResponse; + }; + sdk: { + input: StartDomainMaintenanceCommandInput; + output: StartDomainMaintenanceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/StartServiceSoftwareUpdateCommand.ts b/clients/client-opensearch/src/commands/StartServiceSoftwareUpdateCommand.ts index 978fb2bb7787..beb15a597efc 100644 --- a/clients/client-opensearch/src/commands/StartServiceSoftwareUpdateCommand.ts +++ b/clients/client-opensearch/src/commands/StartServiceSoftwareUpdateCommand.ts @@ -102,4 +102,16 @@ export class StartServiceSoftwareUpdateCommand extends $Command .f(void 0, void 0) .ser(se_StartServiceSoftwareUpdateCommand) .de(de_StartServiceSoftwareUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartServiceSoftwareUpdateRequest; + output: StartServiceSoftwareUpdateResponse; + }; + sdk: { + input: StartServiceSoftwareUpdateCommandInput; + output: StartServiceSoftwareUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/UpdateDataSourceCommand.ts b/clients/client-opensearch/src/commands/UpdateDataSourceCommand.ts index eaa6be374015..4104b0497494 100644 --- a/clients/client-opensearch/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-opensearch/src/commands/UpdateDataSourceCommand.ts @@ -104,4 +104,16 @@ export class UpdateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceRequest; + output: UpdateDataSourceResponse; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/UpdateDomainConfigCommand.ts b/clients/client-opensearch/src/commands/UpdateDomainConfigCommand.ts index 85d5a02ef810..9dc76be4e439 100644 --- a/clients/client-opensearch/src/commands/UpdateDomainConfigCommand.ts +++ b/clients/client-opensearch/src/commands/UpdateDomainConfigCommand.ts @@ -480,4 +480,16 @@ export class UpdateDomainConfigCommand extends $Command .f(UpdateDomainConfigRequestFilterSensitiveLog, void 0) .ser(se_UpdateDomainConfigCommand) .de(de_UpdateDomainConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainConfigRequest; + output: UpdateDomainConfigResponse; + }; + sdk: { + input: UpdateDomainConfigCommandInput; + output: UpdateDomainConfigCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/UpdatePackageCommand.ts b/clients/client-opensearch/src/commands/UpdatePackageCommand.ts index 62410bad7304..bea78b87f9af 100644 --- a/clients/client-opensearch/src/commands/UpdatePackageCommand.ts +++ b/clients/client-opensearch/src/commands/UpdatePackageCommand.ts @@ -123,4 +123,16 @@ export class UpdatePackageCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePackageCommand) .de(de_UpdatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePackageRequest; + output: UpdatePackageResponse; + }; + sdk: { + input: UpdatePackageCommandInput; + output: UpdatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/UpdateScheduledActionCommand.ts b/clients/client-opensearch/src/commands/UpdateScheduledActionCommand.ts index eba43b855b8a..f8cc24eefc8b 100644 --- a/clients/client-opensearch/src/commands/UpdateScheduledActionCommand.ts +++ b/clients/client-opensearch/src/commands/UpdateScheduledActionCommand.ts @@ -115,4 +115,16 @@ export class UpdateScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScheduledActionCommand) .de(de_UpdateScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScheduledActionRequest; + output: UpdateScheduledActionResponse; + }; + sdk: { + input: UpdateScheduledActionCommandInput; + output: UpdateScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/UpdateVpcEndpointCommand.ts b/clients/client-opensearch/src/commands/UpdateVpcEndpointCommand.ts index 0986e27b5f10..404ced06df3d 100644 --- a/clients/client-opensearch/src/commands/UpdateVpcEndpointCommand.ts +++ b/clients/client-opensearch/src/commands/UpdateVpcEndpointCommand.ts @@ -121,4 +121,16 @@ export class UpdateVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVpcEndpointCommand) .de(de_UpdateVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVpcEndpointRequest; + output: UpdateVpcEndpointResponse; + }; + sdk: { + input: UpdateVpcEndpointCommandInput; + output: UpdateVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-opensearch/src/commands/UpgradeDomainCommand.ts b/clients/client-opensearch/src/commands/UpgradeDomainCommand.ts index 9cd8b98f5b56..56a46630461b 100644 --- a/clients/client-opensearch/src/commands/UpgradeDomainCommand.ts +++ b/clients/client-opensearch/src/commands/UpgradeDomainCommand.ts @@ -115,4 +115,16 @@ export class UpgradeDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpgradeDomainCommand) .de(de_UpgradeDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpgradeDomainRequest; + output: UpgradeDomainResponse; + }; + sdk: { + input: UpgradeDomainCommandInput; + output: UpgradeDomainCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/package.json b/clients/client-opensearchserverless/package.json index 016ad01af8c2..9860f14ffc43 100644 --- a/clients/client-opensearchserverless/package.json +++ b/clients/client-opensearchserverless/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-opensearchserverless/src/commands/BatchGetCollectionCommand.ts b/clients/client-opensearchserverless/src/commands/BatchGetCollectionCommand.ts index 048c0544d1cb..04795f433ffe 100644 --- a/clients/client-opensearchserverless/src/commands/BatchGetCollectionCommand.ts +++ b/clients/client-opensearchserverless/src/commands/BatchGetCollectionCommand.ts @@ -120,4 +120,16 @@ export class BatchGetCollectionCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetCollectionCommand) .de(de_BatchGetCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetCollectionRequest; + output: BatchGetCollectionResponse; + }; + sdk: { + input: BatchGetCollectionCommandInput; + output: BatchGetCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/BatchGetEffectiveLifecyclePolicyCommand.ts b/clients/client-opensearchserverless/src/commands/BatchGetEffectiveLifecyclePolicyCommand.ts index f1427ed04231..6ce082620c08 100644 --- a/clients/client-opensearchserverless/src/commands/BatchGetEffectiveLifecyclePolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/BatchGetEffectiveLifecyclePolicyCommand.ts @@ -115,4 +115,16 @@ export class BatchGetEffectiveLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetEffectiveLifecyclePolicyCommand) .de(de_BatchGetEffectiveLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetEffectiveLifecyclePolicyRequest; + output: BatchGetEffectiveLifecyclePolicyResponse; + }; + sdk: { + input: BatchGetEffectiveLifecyclePolicyCommandInput; + output: BatchGetEffectiveLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/BatchGetLifecyclePolicyCommand.ts b/clients/client-opensearchserverless/src/commands/BatchGetLifecyclePolicyCommand.ts index f0312921e9c8..6b36d548dcf5 100644 --- a/clients/client-opensearchserverless/src/commands/BatchGetLifecyclePolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/BatchGetLifecyclePolicyCommand.ts @@ -111,4 +111,16 @@ export class BatchGetLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetLifecyclePolicyCommand) .de(de_BatchGetLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetLifecyclePolicyRequest; + output: BatchGetLifecyclePolicyResponse; + }; + sdk: { + input: BatchGetLifecyclePolicyCommandInput; + output: BatchGetLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/BatchGetVpcEndpointCommand.ts b/clients/client-opensearchserverless/src/commands/BatchGetVpcEndpointCommand.ts index a148ade923f1..328e0652c01c 100644 --- a/clients/client-opensearchserverless/src/commands/BatchGetVpcEndpointCommand.ts +++ b/clients/client-opensearchserverless/src/commands/BatchGetVpcEndpointCommand.ts @@ -115,4 +115,16 @@ export class BatchGetVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetVpcEndpointCommand) .de(de_BatchGetVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetVpcEndpointRequest; + output: BatchGetVpcEndpointResponse; + }; + sdk: { + input: BatchGetVpcEndpointCommandInput; + output: BatchGetVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/CreateAccessPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/CreateAccessPolicyCommand.ts index 0e5870f0dbbb..6652587d5bb6 100644 --- a/clients/client-opensearchserverless/src/commands/CreateAccessPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/CreateAccessPolicyCommand.ts @@ -111,4 +111,16 @@ export class CreateAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessPolicyCommand) .de(de_CreateAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessPolicyRequest; + output: CreateAccessPolicyResponse; + }; + sdk: { + input: CreateAccessPolicyCommandInput; + output: CreateAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/CreateCollectionCommand.ts b/clients/client-opensearchserverless/src/commands/CreateCollectionCommand.ts index ac294243f4e2..e6ac6ab7dd10 100644 --- a/clients/client-opensearchserverless/src/commands/CreateCollectionCommand.ts +++ b/clients/client-opensearchserverless/src/commands/CreateCollectionCommand.ts @@ -121,4 +121,16 @@ export class CreateCollectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateCollectionCommand) .de(de_CreateCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCollectionRequest; + output: CreateCollectionResponse; + }; + sdk: { + input: CreateCollectionCommandInput; + output: CreateCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/CreateLifecyclePolicyCommand.ts b/clients/client-opensearchserverless/src/commands/CreateLifecyclePolicyCommand.ts index e667aebcf9c3..2957a9e712d7 100644 --- a/clients/client-opensearchserverless/src/commands/CreateLifecyclePolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/CreateLifecyclePolicyCommand.ts @@ -109,4 +109,16 @@ export class CreateLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateLifecyclePolicyCommand) .de(de_CreateLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLifecyclePolicyRequest; + output: CreateLifecyclePolicyResponse; + }; + sdk: { + input: CreateLifecyclePolicyCommandInput; + output: CreateLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/CreateSecurityConfigCommand.ts b/clients/client-opensearchserverless/src/commands/CreateSecurityConfigCommand.ts index 4cb5ac33acda..5a27cb3e4336 100644 --- a/clients/client-opensearchserverless/src/commands/CreateSecurityConfigCommand.ts +++ b/clients/client-opensearchserverless/src/commands/CreateSecurityConfigCommand.ts @@ -120,4 +120,16 @@ export class CreateSecurityConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityConfigCommand) .de(de_CreateSecurityConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityConfigRequest; + output: CreateSecurityConfigResponse; + }; + sdk: { + input: CreateSecurityConfigCommandInput; + output: CreateSecurityConfigCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/CreateSecurityPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/CreateSecurityPolicyCommand.ts index df25abe0a2a7..a897e40af446 100644 --- a/clients/client-opensearchserverless/src/commands/CreateSecurityPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/CreateSecurityPolicyCommand.ts @@ -113,4 +113,16 @@ export class CreateSecurityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateSecurityPolicyCommand) .de(de_CreateSecurityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecurityPolicyRequest; + output: CreateSecurityPolicyResponse; + }; + sdk: { + input: CreateSecurityPolicyCommandInput; + output: CreateSecurityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/CreateVpcEndpointCommand.ts b/clients/client-opensearchserverless/src/commands/CreateVpcEndpointCommand.ts index 4656f4752ca5..0fae36c69c6b 100644 --- a/clients/client-opensearchserverless/src/commands/CreateVpcEndpointCommand.ts +++ b/clients/client-opensearchserverless/src/commands/CreateVpcEndpointCommand.ts @@ -109,4 +109,16 @@ export class CreateVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateVpcEndpointCommand) .de(de_CreateVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVpcEndpointRequest; + output: CreateVpcEndpointResponse; + }; + sdk: { + input: CreateVpcEndpointCommandInput; + output: CreateVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/DeleteAccessPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/DeleteAccessPolicyCommand.ts index e84e8debcaff..85913adbed53 100644 --- a/clients/client-opensearchserverless/src/commands/DeleteAccessPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/DeleteAccessPolicyCommand.ts @@ -97,4 +97,16 @@ export class DeleteAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessPolicyCommand) .de(de_DeleteAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteAccessPolicyCommandInput; + output: DeleteAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/DeleteCollectionCommand.ts b/clients/client-opensearchserverless/src/commands/DeleteCollectionCommand.ts index fa8e1bafb34e..89f35e9433cd 100644 --- a/clients/client-opensearchserverless/src/commands/DeleteCollectionCommand.ts +++ b/clients/client-opensearchserverless/src/commands/DeleteCollectionCommand.ts @@ -102,4 +102,16 @@ export class DeleteCollectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCollectionCommand) .de(de_DeleteCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCollectionRequest; + output: DeleteCollectionResponse; + }; + sdk: { + input: DeleteCollectionCommandInput; + output: DeleteCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/DeleteLifecyclePolicyCommand.ts b/clients/client-opensearchserverless/src/commands/DeleteLifecyclePolicyCommand.ts index 44bdd7d33645..799aa45f112d 100644 --- a/clients/client-opensearchserverless/src/commands/DeleteLifecyclePolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/DeleteLifecyclePolicyCommand.ts @@ -96,4 +96,16 @@ export class DeleteLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLifecyclePolicyCommand) .de(de_DeleteLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLifecyclePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteLifecyclePolicyCommandInput; + output: DeleteLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/DeleteSecurityConfigCommand.ts b/clients/client-opensearchserverless/src/commands/DeleteSecurityConfigCommand.ts index b15a8295d752..b9a71c95e405 100644 --- a/clients/client-opensearchserverless/src/commands/DeleteSecurityConfigCommand.ts +++ b/clients/client-opensearchserverless/src/commands/DeleteSecurityConfigCommand.ts @@ -97,4 +97,16 @@ export class DeleteSecurityConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecurityConfigCommand) .de(de_DeleteSecurityConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecurityConfigRequest; + output: {}; + }; + sdk: { + input: DeleteSecurityConfigCommandInput; + output: DeleteSecurityConfigCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/DeleteSecurityPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/DeleteSecurityPolicyCommand.ts index 164eb8c33821..199131ef0f6f 100644 --- a/clients/client-opensearchserverless/src/commands/DeleteSecurityPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/DeleteSecurityPolicyCommand.ts @@ -96,4 +96,16 @@ export class DeleteSecurityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecurityPolicyCommand) .de(de_DeleteSecurityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecurityPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteSecurityPolicyCommandInput; + output: DeleteSecurityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/DeleteVpcEndpointCommand.ts b/clients/client-opensearchserverless/src/commands/DeleteVpcEndpointCommand.ts index 294b410834c7..2724e1b3c526 100644 --- a/clients/client-opensearchserverless/src/commands/DeleteVpcEndpointCommand.ts +++ b/clients/client-opensearchserverless/src/commands/DeleteVpcEndpointCommand.ts @@ -102,4 +102,16 @@ export class DeleteVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVpcEndpointCommand) .de(de_DeleteVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVpcEndpointRequest; + output: DeleteVpcEndpointResponse; + }; + sdk: { + input: DeleteVpcEndpointCommandInput; + output: DeleteVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/GetAccessPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/GetAccessPolicyCommand.ts index 6a629db1627a..01ae67f27266 100644 --- a/clients/client-opensearchserverless/src/commands/GetAccessPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/GetAccessPolicyCommand.ts @@ -101,4 +101,16 @@ export class GetAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPolicyCommand) .de(de_GetAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPolicyRequest; + output: GetAccessPolicyResponse; + }; + sdk: { + input: GetAccessPolicyCommandInput; + output: GetAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/GetAccountSettingsCommand.ts b/clients/client-opensearchserverless/src/commands/GetAccountSettingsCommand.ts index c77549fbd179..26aee9054a94 100644 --- a/clients/client-opensearchserverless/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-opensearchserverless/src/commands/GetAccountSettingsCommand.ts @@ -91,4 +91,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSettingsResponse; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/GetPoliciesStatsCommand.ts b/clients/client-opensearchserverless/src/commands/GetPoliciesStatsCommand.ts index c9d8c74cfef9..3e0cff00852b 100644 --- a/clients/client-opensearchserverless/src/commands/GetPoliciesStatsCommand.ts +++ b/clients/client-opensearchserverless/src/commands/GetPoliciesStatsCommand.ts @@ -96,4 +96,16 @@ export class GetPoliciesStatsCommand extends $Command .f(void 0, void 0) .ser(se_GetPoliciesStatsCommand) .de(de_GetPoliciesStatsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetPoliciesStatsResponse; + }; + sdk: { + input: GetPoliciesStatsCommandInput; + output: GetPoliciesStatsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/GetSecurityConfigCommand.ts b/clients/client-opensearchserverless/src/commands/GetSecurityConfigCommand.ts index 4b8c95986eaf..da44dec1d1ea 100644 --- a/clients/client-opensearchserverless/src/commands/GetSecurityConfigCommand.ts +++ b/clients/client-opensearchserverless/src/commands/GetSecurityConfigCommand.ts @@ -106,4 +106,16 @@ export class GetSecurityConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetSecurityConfigCommand) .de(de_GetSecurityConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSecurityConfigRequest; + output: GetSecurityConfigResponse; + }; + sdk: { + input: GetSecurityConfigCommandInput; + output: GetSecurityConfigCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/GetSecurityPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/GetSecurityPolicyCommand.ts index 54fb52b133d1..9d74ccc56929 100644 --- a/clients/client-opensearchserverless/src/commands/GetSecurityPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/GetSecurityPolicyCommand.ts @@ -102,4 +102,16 @@ export class GetSecurityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetSecurityPolicyCommand) .de(de_GetSecurityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSecurityPolicyRequest; + output: GetSecurityPolicyResponse; + }; + sdk: { + input: GetSecurityPolicyCommandInput; + output: GetSecurityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/ListAccessPoliciesCommand.ts b/clients/client-opensearchserverless/src/commands/ListAccessPoliciesCommand.ts index 2ebf9e4a5949..997bbdda4886 100644 --- a/clients/client-opensearchserverless/src/commands/ListAccessPoliciesCommand.ts +++ b/clients/client-opensearchserverless/src/commands/ListAccessPoliciesCommand.ts @@ -103,4 +103,16 @@ export class ListAccessPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessPoliciesCommand) .de(de_ListAccessPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessPoliciesRequest; + output: ListAccessPoliciesResponse; + }; + sdk: { + input: ListAccessPoliciesCommandInput; + output: ListAccessPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/ListCollectionsCommand.ts b/clients/client-opensearchserverless/src/commands/ListCollectionsCommand.ts index 910a23945d0c..c539d5b63e13 100644 --- a/clients/client-opensearchserverless/src/commands/ListCollectionsCommand.ts +++ b/clients/client-opensearchserverless/src/commands/ListCollectionsCommand.ts @@ -106,4 +106,16 @@ export class ListCollectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCollectionsCommand) .de(de_ListCollectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollectionsRequest; + output: ListCollectionsResponse; + }; + sdk: { + input: ListCollectionsCommandInput; + output: ListCollectionsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/ListLifecyclePoliciesCommand.ts b/clients/client-opensearchserverless/src/commands/ListLifecyclePoliciesCommand.ts index 206a83019ff8..3dcd7206b7b1 100644 --- a/clients/client-opensearchserverless/src/commands/ListLifecyclePoliciesCommand.ts +++ b/clients/client-opensearchserverless/src/commands/ListLifecyclePoliciesCommand.ts @@ -103,4 +103,16 @@ export class ListLifecyclePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListLifecyclePoliciesCommand) .de(de_ListLifecyclePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLifecyclePoliciesRequest; + output: ListLifecyclePoliciesResponse; + }; + sdk: { + input: ListLifecyclePoliciesCommandInput; + output: ListLifecyclePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/ListSecurityConfigsCommand.ts b/clients/client-opensearchserverless/src/commands/ListSecurityConfigsCommand.ts index cee3703995fa..68439abb024f 100644 --- a/clients/client-opensearchserverless/src/commands/ListSecurityConfigsCommand.ts +++ b/clients/client-opensearchserverless/src/commands/ListSecurityConfigsCommand.ts @@ -102,4 +102,16 @@ export class ListSecurityConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityConfigsCommand) .de(de_ListSecurityConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityConfigsRequest; + output: ListSecurityConfigsResponse; + }; + sdk: { + input: ListSecurityConfigsCommandInput; + output: ListSecurityConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/ListSecurityPoliciesCommand.ts b/clients/client-opensearchserverless/src/commands/ListSecurityPoliciesCommand.ts index df4a2ee7c473..2ce632a70e1d 100644 --- a/clients/client-opensearchserverless/src/commands/ListSecurityPoliciesCommand.ts +++ b/clients/client-opensearchserverless/src/commands/ListSecurityPoliciesCommand.ts @@ -103,4 +103,16 @@ export class ListSecurityPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityPoliciesCommand) .de(de_ListSecurityPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityPoliciesRequest; + output: ListSecurityPoliciesResponse; + }; + sdk: { + input: ListSecurityPoliciesCommandInput; + output: ListSecurityPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/ListTagsForResourceCommand.ts b/clients/client-opensearchserverless/src/commands/ListTagsForResourceCommand.ts index 028577a23e8b..2af87cede94b 100644 --- a/clients/client-opensearchserverless/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-opensearchserverless/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/ListVpcEndpointsCommand.ts b/clients/client-opensearchserverless/src/commands/ListVpcEndpointsCommand.ts index 89e97f39f8c7..26919469d323 100644 --- a/clients/client-opensearchserverless/src/commands/ListVpcEndpointsCommand.ts +++ b/clients/client-opensearchserverless/src/commands/ListVpcEndpointsCommand.ts @@ -101,4 +101,16 @@ export class ListVpcEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListVpcEndpointsCommand) .de(de_ListVpcEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVpcEndpointsRequest; + output: ListVpcEndpointsResponse; + }; + sdk: { + input: ListVpcEndpointsCommandInput; + output: ListVpcEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/TagResourceCommand.ts b/clients/client-opensearchserverless/src/commands/TagResourceCommand.ts index 1d989c36094c..dc0080ded0c5 100644 --- a/clients/client-opensearchserverless/src/commands/TagResourceCommand.ts +++ b/clients/client-opensearchserverless/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UntagResourceCommand.ts b/clients/client-opensearchserverless/src/commands/UntagResourceCommand.ts index e5a6dfa3c097..e7c78c7023a9 100644 --- a/clients/client-opensearchserverless/src/commands/UntagResourceCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UpdateAccessPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/UpdateAccessPolicyCommand.ts index 04228baf4126..548d6f055d38 100644 --- a/clients/client-opensearchserverless/src/commands/UpdateAccessPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UpdateAccessPolicyCommand.ts @@ -110,4 +110,16 @@ export class UpdateAccessPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessPolicyCommand) .de(de_UpdateAccessPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessPolicyRequest; + output: UpdateAccessPolicyResponse; + }; + sdk: { + input: UpdateAccessPolicyCommandInput; + output: UpdateAccessPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UpdateAccountSettingsCommand.ts b/clients/client-opensearchserverless/src/commands/UpdateAccountSettingsCommand.ts index 4b15ddcb6bb1..d13e6b23ec38 100644 --- a/clients/client-opensearchserverless/src/commands/UpdateAccountSettingsCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UpdateAccountSettingsCommand.ts @@ -97,4 +97,16 @@ export class UpdateAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSettingsCommand) .de(de_UpdateAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSettingsRequest; + output: UpdateAccountSettingsResponse; + }; + sdk: { + input: UpdateAccountSettingsCommandInput; + output: UpdateAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UpdateCollectionCommand.ts b/clients/client-opensearchserverless/src/commands/UpdateCollectionCommand.ts index 0dd339c5f3af..bb69b75a76a3 100644 --- a/clients/client-opensearchserverless/src/commands/UpdateCollectionCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UpdateCollectionCommand.ts @@ -104,4 +104,16 @@ export class UpdateCollectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCollectionCommand) .de(de_UpdateCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCollectionRequest; + output: UpdateCollectionResponse; + }; + sdk: { + input: UpdateCollectionCommandInput; + output: UpdateCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UpdateLifecyclePolicyCommand.ts b/clients/client-opensearchserverless/src/commands/UpdateLifecyclePolicyCommand.ts index 245a57423c4b..6d7e382c5063 100644 --- a/clients/client-opensearchserverless/src/commands/UpdateLifecyclePolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UpdateLifecyclePolicyCommand.ts @@ -112,4 +112,16 @@ export class UpdateLifecyclePolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLifecyclePolicyCommand) .de(de_UpdateLifecyclePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLifecyclePolicyRequest; + output: UpdateLifecyclePolicyResponse; + }; + sdk: { + input: UpdateLifecyclePolicyCommandInput; + output: UpdateLifecyclePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UpdateSecurityConfigCommand.ts b/clients/client-opensearchserverless/src/commands/UpdateSecurityConfigCommand.ts index ac6a883de4f6..505ed204adbb 100644 --- a/clients/client-opensearchserverless/src/commands/UpdateSecurityConfigCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UpdateSecurityConfigCommand.ts @@ -120,4 +120,16 @@ export class UpdateSecurityConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityConfigCommand) .de(de_UpdateSecurityConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityConfigRequest; + output: UpdateSecurityConfigResponse; + }; + sdk: { + input: UpdateSecurityConfigCommandInput; + output: UpdateSecurityConfigCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UpdateSecurityPolicyCommand.ts b/clients/client-opensearchserverless/src/commands/UpdateSecurityPolicyCommand.ts index 5a2cd65de12c..f2902a8651ac 100644 --- a/clients/client-opensearchserverless/src/commands/UpdateSecurityPolicyCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UpdateSecurityPolicyCommand.ts @@ -114,4 +114,16 @@ export class UpdateSecurityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityPolicyCommand) .de(de_UpdateSecurityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityPolicyRequest; + output: UpdateSecurityPolicyResponse; + }; + sdk: { + input: UpdateSecurityPolicyCommandInput; + output: UpdateSecurityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-opensearchserverless/src/commands/UpdateVpcEndpointCommand.ts b/clients/client-opensearchserverless/src/commands/UpdateVpcEndpointCommand.ts index 6754a72e5c44..be366843602d 100644 --- a/clients/client-opensearchserverless/src/commands/UpdateVpcEndpointCommand.ts +++ b/clients/client-opensearchserverless/src/commands/UpdateVpcEndpointCommand.ts @@ -118,4 +118,16 @@ export class UpdateVpcEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVpcEndpointCommand) .de(de_UpdateVpcEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVpcEndpointRequest; + output: UpdateVpcEndpointResponse; + }; + sdk: { + input: UpdateVpcEndpointCommandInput; + output: UpdateVpcEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/package.json b/clients/client-opsworks/package.json index db7192fc0162..b8374892a4a9 100644 --- a/clients/client-opsworks/package.json +++ b/clients/client-opsworks/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-opsworks/src/commands/AssignInstanceCommand.ts b/clients/client-opsworks/src/commands/AssignInstanceCommand.ts index 566423bce52b..acfaeb48a027 100644 --- a/clients/client-opsworks/src/commands/AssignInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/AssignInstanceCommand.ts @@ -101,4 +101,16 @@ export class AssignInstanceCommand extends $Command .f(void 0, void 0) .ser(se_AssignInstanceCommand) .de(de_AssignInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssignInstanceRequest; + output: {}; + }; + sdk: { + input: AssignInstanceCommandInput; + output: AssignInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/AssignVolumeCommand.ts b/clients/client-opsworks/src/commands/AssignVolumeCommand.ts index da11a78378e1..d999ed87f9b6 100644 --- a/clients/client-opsworks/src/commands/AssignVolumeCommand.ts +++ b/clients/client-opsworks/src/commands/AssignVolumeCommand.ts @@ -91,4 +91,16 @@ export class AssignVolumeCommand extends $Command .f(void 0, void 0) .ser(se_AssignVolumeCommand) .de(de_AssignVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssignVolumeRequest; + output: {}; + }; + sdk: { + input: AssignVolumeCommandInput; + output: AssignVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/AssociateElasticIpCommand.ts b/clients/client-opsworks/src/commands/AssociateElasticIpCommand.ts index dda3cda9b18a..feae556d0e4b 100644 --- a/clients/client-opsworks/src/commands/AssociateElasticIpCommand.ts +++ b/clients/client-opsworks/src/commands/AssociateElasticIpCommand.ts @@ -91,4 +91,16 @@ export class AssociateElasticIpCommand extends $Command .f(void 0, void 0) .ser(se_AssociateElasticIpCommand) .de(de_AssociateElasticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateElasticIpRequest; + output: {}; + }; + sdk: { + input: AssociateElasticIpCommandInput; + output: AssociateElasticIpCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/AttachElasticLoadBalancerCommand.ts b/clients/client-opsworks/src/commands/AttachElasticLoadBalancerCommand.ts index 1f43aaae50bb..093757610456 100644 --- a/clients/client-opsworks/src/commands/AttachElasticLoadBalancerCommand.ts +++ b/clients/client-opsworks/src/commands/AttachElasticLoadBalancerCommand.ts @@ -94,4 +94,16 @@ export class AttachElasticLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_AttachElasticLoadBalancerCommand) .de(de_AttachElasticLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachElasticLoadBalancerRequest; + output: {}; + }; + sdk: { + input: AttachElasticLoadBalancerCommandInput; + output: AttachElasticLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/CloneStackCommand.ts b/clients/client-opsworks/src/commands/CloneStackCommand.ts index d0db8da5fd1e..368037a9157b 100644 --- a/clients/client-opsworks/src/commands/CloneStackCommand.ts +++ b/clients/client-opsworks/src/commands/CloneStackCommand.ts @@ -126,4 +126,16 @@ export class CloneStackCommand extends $Command .f(void 0, void 0) .ser(se_CloneStackCommand) .de(de_CloneStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CloneStackRequest; + output: CloneStackResult; + }; + sdk: { + input: CloneStackCommandInput; + output: CloneStackCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/CreateAppCommand.ts b/clients/client-opsworks/src/commands/CreateAppCommand.ts index a2b871a640a9..c6facb04c0af 100644 --- a/clients/client-opsworks/src/commands/CreateAppCommand.ts +++ b/clients/client-opsworks/src/commands/CreateAppCommand.ts @@ -127,4 +127,16 @@ export class CreateAppCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppCommand) .de(de_CreateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppRequest; + output: CreateAppResult; + }; + sdk: { + input: CreateAppCommandInput; + output: CreateAppCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/CreateDeploymentCommand.ts b/clients/client-opsworks/src/commands/CreateDeploymentCommand.ts index f56b20fd1f33..af3865d66f70 100644 --- a/clients/client-opsworks/src/commands/CreateDeploymentCommand.ts +++ b/clients/client-opsworks/src/commands/CreateDeploymentCommand.ts @@ -106,4 +106,16 @@ export class CreateDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentCommand) .de(de_CreateDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentRequest; + output: CreateDeploymentResult; + }; + sdk: { + input: CreateDeploymentCommandInput; + output: CreateDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/CreateInstanceCommand.ts b/clients/client-opsworks/src/commands/CreateInstanceCommand.ts index 4661a3302dc3..56f9196b1a93 100644 --- a/clients/client-opsworks/src/commands/CreateInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/CreateInstanceCommand.ts @@ -121,4 +121,16 @@ export class CreateInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceCommand) .de(de_CreateInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceRequest; + output: CreateInstanceResult; + }; + sdk: { + input: CreateInstanceCommandInput; + output: CreateInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/CreateLayerCommand.ts b/clients/client-opsworks/src/commands/CreateLayerCommand.ts index afb4783d6a6a..a401acb35b9f 100644 --- a/clients/client-opsworks/src/commands/CreateLayerCommand.ts +++ b/clients/client-opsworks/src/commands/CreateLayerCommand.ts @@ -165,4 +165,16 @@ export class CreateLayerCommand extends $Command .f(void 0, void 0) .ser(se_CreateLayerCommand) .de(de_CreateLayerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLayerRequest; + output: CreateLayerResult; + }; + sdk: { + input: CreateLayerCommandInput; + output: CreateLayerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/CreateStackCommand.ts b/clients/client-opsworks/src/commands/CreateStackCommand.ts index 11a0dda30eaf..fc891094d81c 100644 --- a/clients/client-opsworks/src/commands/CreateStackCommand.ts +++ b/clients/client-opsworks/src/commands/CreateStackCommand.ts @@ -118,4 +118,16 @@ export class CreateStackCommand extends $Command .f(void 0, void 0) .ser(se_CreateStackCommand) .de(de_CreateStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStackRequest; + output: CreateStackResult; + }; + sdk: { + input: CreateStackCommandInput; + output: CreateStackCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/CreateUserProfileCommand.ts b/clients/client-opsworks/src/commands/CreateUserProfileCommand.ts index 5baf8a164ef8..40746b525db6 100644 --- a/clients/client-opsworks/src/commands/CreateUserProfileCommand.ts +++ b/clients/client-opsworks/src/commands/CreateUserProfileCommand.ts @@ -87,4 +87,16 @@ export class CreateUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserProfileCommand) .de(de_CreateUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserProfileRequest; + output: CreateUserProfileResult; + }; + sdk: { + input: CreateUserProfileCommandInput; + output: CreateUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeleteAppCommand.ts b/clients/client-opsworks/src/commands/DeleteAppCommand.ts index 04251e3c71a9..1556bb2d207a 100644 --- a/clients/client-opsworks/src/commands/DeleteAppCommand.ts +++ b/clients/client-opsworks/src/commands/DeleteAppCommand.ts @@ -87,4 +87,16 @@ export class DeleteAppCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppCommand) .de(de_DeleteAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppRequest; + output: {}; + }; + sdk: { + input: DeleteAppCommandInput; + output: DeleteAppCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeleteInstanceCommand.ts b/clients/client-opsworks/src/commands/DeleteInstanceCommand.ts index 0aaad3171c0a..afbb402f4750 100644 --- a/clients/client-opsworks/src/commands/DeleteInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/DeleteInstanceCommand.ts @@ -92,4 +92,16 @@ export class DeleteInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceCommand) .de(de_DeleteInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteInstanceCommandInput; + output: DeleteInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeleteLayerCommand.ts b/clients/client-opsworks/src/commands/DeleteLayerCommand.ts index 30978d563f84..7a921a86dce3 100644 --- a/clients/client-opsworks/src/commands/DeleteLayerCommand.ts +++ b/clients/client-opsworks/src/commands/DeleteLayerCommand.ts @@ -89,4 +89,16 @@ export class DeleteLayerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLayerCommand) .de(de_DeleteLayerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLayerRequest; + output: {}; + }; + sdk: { + input: DeleteLayerCommandInput; + output: DeleteLayerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeleteStackCommand.ts b/clients/client-opsworks/src/commands/DeleteStackCommand.ts index 9f1c162d9e3a..ee608557ebc8 100644 --- a/clients/client-opsworks/src/commands/DeleteStackCommand.ts +++ b/clients/client-opsworks/src/commands/DeleteStackCommand.ts @@ -88,4 +88,16 @@ export class DeleteStackCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStackCommand) .de(de_DeleteStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStackRequest; + output: {}; + }; + sdk: { + input: DeleteStackCommandInput; + output: DeleteStackCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeleteUserProfileCommand.ts b/clients/client-opsworks/src/commands/DeleteUserProfileCommand.ts index 452a8ae8b86f..b90755b4ae81 100644 --- a/clients/client-opsworks/src/commands/DeleteUserProfileCommand.ts +++ b/clients/client-opsworks/src/commands/DeleteUserProfileCommand.ts @@ -86,4 +86,16 @@ export class DeleteUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserProfileCommand) .de(de_DeleteUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserProfileRequest; + output: {}; + }; + sdk: { + input: DeleteUserProfileCommandInput; + output: DeleteUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeregisterEcsClusterCommand.ts b/clients/client-opsworks/src/commands/DeregisterEcsClusterCommand.ts index b1e5b1af7691..14bcd4b7fb6b 100644 --- a/clients/client-opsworks/src/commands/DeregisterEcsClusterCommand.ts +++ b/clients/client-opsworks/src/commands/DeregisterEcsClusterCommand.ts @@ -89,4 +89,16 @@ export class DeregisterEcsClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterEcsClusterCommand) .de(de_DeregisterEcsClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterEcsClusterRequest; + output: {}; + }; + sdk: { + input: DeregisterEcsClusterCommandInput; + output: DeregisterEcsClusterCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeregisterElasticIpCommand.ts b/clients/client-opsworks/src/commands/DeregisterElasticIpCommand.ts index a78a9863fd6b..53d15a533e3b 100644 --- a/clients/client-opsworks/src/commands/DeregisterElasticIpCommand.ts +++ b/clients/client-opsworks/src/commands/DeregisterElasticIpCommand.ts @@ -87,4 +87,16 @@ export class DeregisterElasticIpCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterElasticIpCommand) .de(de_DeregisterElasticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterElasticIpRequest; + output: {}; + }; + sdk: { + input: DeregisterElasticIpCommandInput; + output: DeregisterElasticIpCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeregisterInstanceCommand.ts b/clients/client-opsworks/src/commands/DeregisterInstanceCommand.ts index 63e24191e94d..0493a272098b 100644 --- a/clients/client-opsworks/src/commands/DeregisterInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/DeregisterInstanceCommand.ts @@ -87,4 +87,16 @@ export class DeregisterInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterInstanceCommand) .de(de_DeregisterInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterInstanceRequest; + output: {}; + }; + sdk: { + input: DeregisterInstanceCommandInput; + output: DeregisterInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeregisterRdsDbInstanceCommand.ts b/clients/client-opsworks/src/commands/DeregisterRdsDbInstanceCommand.ts index 13e680403159..ff4b1ef20955 100644 --- a/clients/client-opsworks/src/commands/DeregisterRdsDbInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/DeregisterRdsDbInstanceCommand.ts @@ -86,4 +86,16 @@ export class DeregisterRdsDbInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterRdsDbInstanceCommand) .de(de_DeregisterRdsDbInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterRdsDbInstanceRequest; + output: {}; + }; + sdk: { + input: DeregisterRdsDbInstanceCommandInput; + output: DeregisterRdsDbInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DeregisterVolumeCommand.ts b/clients/client-opsworks/src/commands/DeregisterVolumeCommand.ts index e4101a153409..62fc7421cb0b 100644 --- a/clients/client-opsworks/src/commands/DeregisterVolumeCommand.ts +++ b/clients/client-opsworks/src/commands/DeregisterVolumeCommand.ts @@ -88,4 +88,16 @@ export class DeregisterVolumeCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterVolumeCommand) .de(de_DeregisterVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterVolumeRequest; + output: {}; + }; + sdk: { + input: DeregisterVolumeCommandInput; + output: DeregisterVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeAgentVersionsCommand.ts b/clients/client-opsworks/src/commands/DescribeAgentVersionsCommand.ts index b49a6d8e29fd..c29de4653ee6 100644 --- a/clients/client-opsworks/src/commands/DescribeAgentVersionsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeAgentVersionsCommand.ts @@ -97,4 +97,16 @@ export class DescribeAgentVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAgentVersionsCommand) .de(de_DescribeAgentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAgentVersionsRequest; + output: DescribeAgentVersionsResult; + }; + sdk: { + input: DescribeAgentVersionsCommandInput; + output: DescribeAgentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeAppsCommand.ts b/clients/client-opsworks/src/commands/DescribeAppsCommand.ts index fa78d70362b7..bfcd36950c9f 100644 --- a/clients/client-opsworks/src/commands/DescribeAppsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeAppsCommand.ts @@ -139,4 +139,16 @@ export class DescribeAppsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppsCommand) .de(de_DescribeAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppsRequest; + output: DescribeAppsResult; + }; + sdk: { + input: DescribeAppsCommandInput; + output: DescribeAppsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeCommandsCommand.ts b/clients/client-opsworks/src/commands/DescribeCommandsCommand.ts index 2d7d00c7adbd..787368019b6d 100644 --- a/clients/client-opsworks/src/commands/DescribeCommandsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeCommandsCommand.ts @@ -108,4 +108,16 @@ export class DescribeCommandsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCommandsCommand) .de(de_DescribeCommandsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCommandsRequest; + output: DescribeCommandsResult; + }; + sdk: { + input: DescribeCommandsCommandInput; + output: DescribeCommandsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeDeploymentsCommand.ts b/clients/client-opsworks/src/commands/DescribeDeploymentsCommand.ts index 597b746a48ec..898ec825476c 100644 --- a/clients/client-opsworks/src/commands/DescribeDeploymentsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeDeploymentsCommand.ts @@ -119,4 +119,16 @@ export class DescribeDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeploymentsCommand) .de(de_DescribeDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeploymentsRequest; + output: DescribeDeploymentsResult; + }; + sdk: { + input: DescribeDeploymentsCommandInput; + output: DescribeDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeEcsClustersCommand.ts b/clients/client-opsworks/src/commands/DescribeEcsClustersCommand.ts index 265dadd874f9..af36d3bcb979 100644 --- a/clients/client-opsworks/src/commands/DescribeEcsClustersCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeEcsClustersCommand.ts @@ -105,4 +105,16 @@ export class DescribeEcsClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEcsClustersCommand) .de(de_DescribeEcsClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEcsClustersRequest; + output: DescribeEcsClustersResult; + }; + sdk: { + input: DescribeEcsClustersCommandInput; + output: DescribeEcsClustersCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeElasticIpsCommand.ts b/clients/client-opsworks/src/commands/DescribeElasticIpsCommand.ts index bbeca0ce3cf5..9e1441df68b2 100644 --- a/clients/client-opsworks/src/commands/DescribeElasticIpsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeElasticIpsCommand.ts @@ -103,4 +103,16 @@ export class DescribeElasticIpsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeElasticIpsCommand) .de(de_DescribeElasticIpsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeElasticIpsRequest; + output: DescribeElasticIpsResult; + }; + sdk: { + input: DescribeElasticIpsCommandInput; + output: DescribeElasticIpsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeElasticLoadBalancersCommand.ts b/clients/client-opsworks/src/commands/DescribeElasticLoadBalancersCommand.ts index 683ba53b8852..b5443ed9dde0 100644 --- a/clients/client-opsworks/src/commands/DescribeElasticLoadBalancersCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeElasticLoadBalancersCommand.ts @@ -117,4 +117,16 @@ export class DescribeElasticLoadBalancersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeElasticLoadBalancersCommand) .de(de_DescribeElasticLoadBalancersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeElasticLoadBalancersRequest; + output: DescribeElasticLoadBalancersResult; + }; + sdk: { + input: DescribeElasticLoadBalancersCommandInput; + output: DescribeElasticLoadBalancersCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeInstancesCommand.ts b/clients/client-opsworks/src/commands/DescribeInstancesCommand.ts index 4344cdf7be28..3044cefabb7f 100644 --- a/clients/client-opsworks/src/commands/DescribeInstancesCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeInstancesCommand.ts @@ -160,4 +160,16 @@ export class DescribeInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstancesCommand) .de(de_DescribeInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancesRequest; + output: DescribeInstancesResult; + }; + sdk: { + input: DescribeInstancesCommandInput; + output: DescribeInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeLayersCommand.ts b/clients/client-opsworks/src/commands/DescribeLayersCommand.ts index 5422aeb76ac7..76025487d2bf 100644 --- a/clients/client-opsworks/src/commands/DescribeLayersCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeLayersCommand.ts @@ -176,4 +176,16 @@ export class DescribeLayersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLayersCommand) .de(de_DescribeLayersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLayersRequest; + output: DescribeLayersResult; + }; + sdk: { + input: DescribeLayersCommandInput; + output: DescribeLayersCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeLoadBasedAutoScalingCommand.ts b/clients/client-opsworks/src/commands/DescribeLoadBasedAutoScalingCommand.ts index 3a3281fcaa3b..909295dcefa0 100644 --- a/clients/client-opsworks/src/commands/DescribeLoadBasedAutoScalingCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeLoadBasedAutoScalingCommand.ts @@ -125,4 +125,16 @@ export class DescribeLoadBasedAutoScalingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoadBasedAutoScalingCommand) .de(de_DescribeLoadBasedAutoScalingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoadBasedAutoScalingRequest; + output: DescribeLoadBasedAutoScalingResult; + }; + sdk: { + input: DescribeLoadBasedAutoScalingCommandInput; + output: DescribeLoadBasedAutoScalingCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeMyUserProfileCommand.ts b/clients/client-opsworks/src/commands/DescribeMyUserProfileCommand.ts index 4ba7b67edc79..2cd4f6721ecf 100644 --- a/clients/client-opsworks/src/commands/DescribeMyUserProfileCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeMyUserProfileCommand.ts @@ -85,4 +85,16 @@ export class DescribeMyUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMyUserProfileCommand) .de(de_DescribeMyUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeMyUserProfileResult; + }; + sdk: { + input: DescribeMyUserProfileCommandInput; + output: DescribeMyUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeOperatingSystemsCommand.ts b/clients/client-opsworks/src/commands/DescribeOperatingSystemsCommand.ts index a36dae852105..c8990cec1089 100644 --- a/clients/client-opsworks/src/commands/DescribeOperatingSystemsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeOperatingSystemsCommand.ts @@ -90,4 +90,16 @@ export class DescribeOperatingSystemsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOperatingSystemsCommand) .de(de_DescribeOperatingSystemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeOperatingSystemsResponse; + }; + sdk: { + input: DescribeOperatingSystemsCommandInput; + output: DescribeOperatingSystemsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribePermissionsCommand.ts b/clients/client-opsworks/src/commands/DescribePermissionsCommand.ts index ab00a965dcfe..32b435831b2d 100644 --- a/clients/client-opsworks/src/commands/DescribePermissionsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribePermissionsCommand.ts @@ -97,4 +97,16 @@ export class DescribePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePermissionsCommand) .de(de_DescribePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePermissionsRequest; + output: DescribePermissionsResult; + }; + sdk: { + input: DescribePermissionsCommandInput; + output: DescribePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeRaidArraysCommand.ts b/clients/client-opsworks/src/commands/DescribeRaidArraysCommand.ts index 70f7a4d3f27f..49acb76570c7 100644 --- a/clients/client-opsworks/src/commands/DescribeRaidArraysCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeRaidArraysCommand.ts @@ -111,4 +111,16 @@ export class DescribeRaidArraysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRaidArraysCommand) .de(de_DescribeRaidArraysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRaidArraysRequest; + output: DescribeRaidArraysResult; + }; + sdk: { + input: DescribeRaidArraysCommandInput; + output: DescribeRaidArraysCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeRdsDbInstancesCommand.ts b/clients/client-opsworks/src/commands/DescribeRdsDbInstancesCommand.ts index 5ff08b7afe6a..6f3868c26645 100644 --- a/clients/client-opsworks/src/commands/DescribeRdsDbInstancesCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeRdsDbInstancesCommand.ts @@ -104,4 +104,16 @@ export class DescribeRdsDbInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRdsDbInstancesCommand) .de(de_DescribeRdsDbInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRdsDbInstancesRequest; + output: DescribeRdsDbInstancesResult; + }; + sdk: { + input: DescribeRdsDbInstancesCommandInput; + output: DescribeRdsDbInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeServiceErrorsCommand.ts b/clients/client-opsworks/src/commands/DescribeServiceErrorsCommand.ts index 2beaf320abc3..e870097bb08a 100644 --- a/clients/client-opsworks/src/commands/DescribeServiceErrorsCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeServiceErrorsCommand.ts @@ -102,4 +102,16 @@ export class DescribeServiceErrorsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServiceErrorsCommand) .de(de_DescribeServiceErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServiceErrorsRequest; + output: DescribeServiceErrorsResult; + }; + sdk: { + input: DescribeServiceErrorsCommandInput; + output: DescribeServiceErrorsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeStackProvisioningParametersCommand.ts b/clients/client-opsworks/src/commands/DescribeStackProvisioningParametersCommand.ts index 22b14a8b1de9..f42822d51c4d 100644 --- a/clients/client-opsworks/src/commands/DescribeStackProvisioningParametersCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeStackProvisioningParametersCommand.ts @@ -99,4 +99,16 @@ export class DescribeStackProvisioningParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackProvisioningParametersCommand) .de(de_DescribeStackProvisioningParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackProvisioningParametersRequest; + output: DescribeStackProvisioningParametersResult; + }; + sdk: { + input: DescribeStackProvisioningParametersCommandInput; + output: DescribeStackProvisioningParametersCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeStackSummaryCommand.ts b/clients/client-opsworks/src/commands/DescribeStackSummaryCommand.ts index 9a7367a1e3b8..fde1c66b0b16 100644 --- a/clients/client-opsworks/src/commands/DescribeStackSummaryCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeStackSummaryCommand.ts @@ -117,4 +117,16 @@ export class DescribeStackSummaryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStackSummaryCommand) .de(de_DescribeStackSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStackSummaryRequest; + output: DescribeStackSummaryResult; + }; + sdk: { + input: DescribeStackSummaryCommandInput; + output: DescribeStackSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeStacksCommand.ts b/clients/client-opsworks/src/commands/DescribeStacksCommand.ts index fb2a57e252a7..0e2089ac975f 100644 --- a/clients/client-opsworks/src/commands/DescribeStacksCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeStacksCommand.ts @@ -130,4 +130,16 @@ export class DescribeStacksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStacksCommand) .de(de_DescribeStacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStacksRequest; + output: DescribeStacksResult; + }; + sdk: { + input: DescribeStacksCommandInput; + output: DescribeStacksCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeTimeBasedAutoScalingCommand.ts b/clients/client-opsworks/src/commands/DescribeTimeBasedAutoScalingCommand.ts index aee1dd737c93..8857f3eac004 100644 --- a/clients/client-opsworks/src/commands/DescribeTimeBasedAutoScalingCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeTimeBasedAutoScalingCommand.ts @@ -121,4 +121,16 @@ export class DescribeTimeBasedAutoScalingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTimeBasedAutoScalingCommand) .de(de_DescribeTimeBasedAutoScalingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTimeBasedAutoScalingRequest; + output: DescribeTimeBasedAutoScalingResult; + }; + sdk: { + input: DescribeTimeBasedAutoScalingCommandInput; + output: DescribeTimeBasedAutoScalingCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeUserProfilesCommand.ts b/clients/client-opsworks/src/commands/DescribeUserProfilesCommand.ts index f4e9e8c5c270..be10807e3382 100644 --- a/clients/client-opsworks/src/commands/DescribeUserProfilesCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeUserProfilesCommand.ts @@ -97,4 +97,16 @@ export class DescribeUserProfilesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserProfilesCommand) .de(de_DescribeUserProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserProfilesRequest; + output: DescribeUserProfilesResult; + }; + sdk: { + input: DescribeUserProfilesCommandInput; + output: DescribeUserProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DescribeVolumesCommand.ts b/clients/client-opsworks/src/commands/DescribeVolumesCommand.ts index 76c586182770..26d20b6545f6 100644 --- a/clients/client-opsworks/src/commands/DescribeVolumesCommand.ts +++ b/clients/client-opsworks/src/commands/DescribeVolumesCommand.ts @@ -113,4 +113,16 @@ export class DescribeVolumesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVolumesCommand) .de(de_DescribeVolumesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVolumesRequest; + output: DescribeVolumesResult; + }; + sdk: { + input: DescribeVolumesCommandInput; + output: DescribeVolumesCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DetachElasticLoadBalancerCommand.ts b/clients/client-opsworks/src/commands/DetachElasticLoadBalancerCommand.ts index da3eb9ea012c..69f41c1deef1 100644 --- a/clients/client-opsworks/src/commands/DetachElasticLoadBalancerCommand.ts +++ b/clients/client-opsworks/src/commands/DetachElasticLoadBalancerCommand.ts @@ -85,4 +85,16 @@ export class DetachElasticLoadBalancerCommand extends $Command .f(void 0, void 0) .ser(se_DetachElasticLoadBalancerCommand) .de(de_DetachElasticLoadBalancerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachElasticLoadBalancerRequest; + output: {}; + }; + sdk: { + input: DetachElasticLoadBalancerCommandInput; + output: DetachElasticLoadBalancerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/DisassociateElasticIpCommand.ts b/clients/client-opsworks/src/commands/DisassociateElasticIpCommand.ts index dc9461b8aecb..7d8ae6cefbcb 100644 --- a/clients/client-opsworks/src/commands/DisassociateElasticIpCommand.ts +++ b/clients/client-opsworks/src/commands/DisassociateElasticIpCommand.ts @@ -87,4 +87,16 @@ export class DisassociateElasticIpCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateElasticIpCommand) .de(de_DisassociateElasticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateElasticIpRequest; + output: {}; + }; + sdk: { + input: DisassociateElasticIpCommandInput; + output: DisassociateElasticIpCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/GetHostnameSuggestionCommand.ts b/clients/client-opsworks/src/commands/GetHostnameSuggestionCommand.ts index a2b3d4182971..e07b753a6026 100644 --- a/clients/client-opsworks/src/commands/GetHostnameSuggestionCommand.ts +++ b/clients/client-opsworks/src/commands/GetHostnameSuggestionCommand.ts @@ -89,4 +89,16 @@ export class GetHostnameSuggestionCommand extends $Command .f(void 0, void 0) .ser(se_GetHostnameSuggestionCommand) .de(de_GetHostnameSuggestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHostnameSuggestionRequest; + output: GetHostnameSuggestionResult; + }; + sdk: { + input: GetHostnameSuggestionCommandInput; + output: GetHostnameSuggestionCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/GrantAccessCommand.ts b/clients/client-opsworks/src/commands/GrantAccessCommand.ts index 8cd9ba5a2d89..3ecaf1c95174 100644 --- a/clients/client-opsworks/src/commands/GrantAccessCommand.ts +++ b/clients/client-opsworks/src/commands/GrantAccessCommand.ts @@ -92,4 +92,16 @@ export class GrantAccessCommand extends $Command .f(void 0, void 0) .ser(se_GrantAccessCommand) .de(de_GrantAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GrantAccessRequest; + output: GrantAccessResult; + }; + sdk: { + input: GrantAccessCommandInput; + output: GrantAccessCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/ListTagsCommand.ts b/clients/client-opsworks/src/commands/ListTagsCommand.ts index 685cf114a65b..e75ec7099f17 100644 --- a/clients/client-opsworks/src/commands/ListTagsCommand.ts +++ b/clients/client-opsworks/src/commands/ListTagsCommand.ts @@ -88,4 +88,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsRequest; + output: ListTagsResult; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/RebootInstanceCommand.ts b/clients/client-opsworks/src/commands/RebootInstanceCommand.ts index 80998b4cbe88..220b24144230 100644 --- a/clients/client-opsworks/src/commands/RebootInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/RebootInstanceCommand.ts @@ -87,4 +87,16 @@ export class RebootInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RebootInstanceCommand) .de(de_RebootInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootInstanceRequest; + output: {}; + }; + sdk: { + input: RebootInstanceCommandInput; + output: RebootInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/RegisterEcsClusterCommand.ts b/clients/client-opsworks/src/commands/RegisterEcsClusterCommand.ts index 3115383fc9b0..0096d0a626bf 100644 --- a/clients/client-opsworks/src/commands/RegisterEcsClusterCommand.ts +++ b/clients/client-opsworks/src/commands/RegisterEcsClusterCommand.ts @@ -94,4 +94,16 @@ export class RegisterEcsClusterCommand extends $Command .f(void 0, void 0) .ser(se_RegisterEcsClusterCommand) .de(de_RegisterEcsClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterEcsClusterRequest; + output: RegisterEcsClusterResult; + }; + sdk: { + input: RegisterEcsClusterCommandInput; + output: RegisterEcsClusterCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/RegisterElasticIpCommand.ts b/clients/client-opsworks/src/commands/RegisterElasticIpCommand.ts index 20890554c42c..9ff71896e1b1 100644 --- a/clients/client-opsworks/src/commands/RegisterElasticIpCommand.ts +++ b/clients/client-opsworks/src/commands/RegisterElasticIpCommand.ts @@ -91,4 +91,16 @@ export class RegisterElasticIpCommand extends $Command .f(void 0, void 0) .ser(se_RegisterElasticIpCommand) .de(de_RegisterElasticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterElasticIpRequest; + output: RegisterElasticIpResult; + }; + sdk: { + input: RegisterElasticIpCommandInput; + output: RegisterElasticIpCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/RegisterInstanceCommand.ts b/clients/client-opsworks/src/commands/RegisterInstanceCommand.ts index 65783cf2c1c4..0954cc7889fa 100644 --- a/clients/client-opsworks/src/commands/RegisterInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/RegisterInstanceCommand.ts @@ -111,4 +111,16 @@ export class RegisterInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RegisterInstanceCommand) .de(de_RegisterInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterInstanceRequest; + output: RegisterInstanceResult; + }; + sdk: { + input: RegisterInstanceCommandInput; + output: RegisterInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/RegisterRdsDbInstanceCommand.ts b/clients/client-opsworks/src/commands/RegisterRdsDbInstanceCommand.ts index c8d6f844e427..2346225687ac 100644 --- a/clients/client-opsworks/src/commands/RegisterRdsDbInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/RegisterRdsDbInstanceCommand.ts @@ -89,4 +89,16 @@ export class RegisterRdsDbInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RegisterRdsDbInstanceCommand) .de(de_RegisterRdsDbInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterRdsDbInstanceRequest; + output: {}; + }; + sdk: { + input: RegisterRdsDbInstanceCommandInput; + output: RegisterRdsDbInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/RegisterVolumeCommand.ts b/clients/client-opsworks/src/commands/RegisterVolumeCommand.ts index b2e66e762b7e..a5190be9990b 100644 --- a/clients/client-opsworks/src/commands/RegisterVolumeCommand.ts +++ b/clients/client-opsworks/src/commands/RegisterVolumeCommand.ts @@ -91,4 +91,16 @@ export class RegisterVolumeCommand extends $Command .f(void 0, void 0) .ser(se_RegisterVolumeCommand) .de(de_RegisterVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterVolumeRequest; + output: RegisterVolumeResult; + }; + sdk: { + input: RegisterVolumeCommandInput; + output: RegisterVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/SetLoadBasedAutoScalingCommand.ts b/clients/client-opsworks/src/commands/SetLoadBasedAutoScalingCommand.ts index d5391ed9d7dc..c3e34192a010 100644 --- a/clients/client-opsworks/src/commands/SetLoadBasedAutoScalingCommand.ts +++ b/clients/client-opsworks/src/commands/SetLoadBasedAutoScalingCommand.ts @@ -116,4 +116,16 @@ export class SetLoadBasedAutoScalingCommand extends $Command .f(void 0, void 0) .ser(se_SetLoadBasedAutoScalingCommand) .de(de_SetLoadBasedAutoScalingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetLoadBasedAutoScalingRequest; + output: {}; + }; + sdk: { + input: SetLoadBasedAutoScalingCommandInput; + output: SetLoadBasedAutoScalingCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/SetPermissionCommand.ts b/clients/client-opsworks/src/commands/SetPermissionCommand.ts index 00b90e593503..56da7b6cd4b1 100644 --- a/clients/client-opsworks/src/commands/SetPermissionCommand.ts +++ b/clients/client-opsworks/src/commands/SetPermissionCommand.ts @@ -92,4 +92,16 @@ export class SetPermissionCommand extends $Command .f(void 0, void 0) .ser(se_SetPermissionCommand) .de(de_SetPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetPermissionRequest; + output: {}; + }; + sdk: { + input: SetPermissionCommandInput; + output: SetPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/SetTimeBasedAutoScalingCommand.ts b/clients/client-opsworks/src/commands/SetTimeBasedAutoScalingCommand.ts index 64cac7847136..82e646413c42 100644 --- a/clients/client-opsworks/src/commands/SetTimeBasedAutoScalingCommand.ts +++ b/clients/client-opsworks/src/commands/SetTimeBasedAutoScalingCommand.ts @@ -107,4 +107,16 @@ export class SetTimeBasedAutoScalingCommand extends $Command .f(void 0, void 0) .ser(se_SetTimeBasedAutoScalingCommand) .de(de_SetTimeBasedAutoScalingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTimeBasedAutoScalingRequest; + output: {}; + }; + sdk: { + input: SetTimeBasedAutoScalingCommandInput; + output: SetTimeBasedAutoScalingCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/StartInstanceCommand.ts b/clients/client-opsworks/src/commands/StartInstanceCommand.ts index c230fca20149..8b50bde21a85 100644 --- a/clients/client-opsworks/src/commands/StartInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/StartInstanceCommand.ts @@ -87,4 +87,16 @@ export class StartInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StartInstanceCommand) .de(de_StartInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInstanceRequest; + output: {}; + }; + sdk: { + input: StartInstanceCommandInput; + output: StartInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/StartStackCommand.ts b/clients/client-opsworks/src/commands/StartStackCommand.ts index 3f0efc48e8f7..8cea634c0b79 100644 --- a/clients/client-opsworks/src/commands/StartStackCommand.ts +++ b/clients/client-opsworks/src/commands/StartStackCommand.ts @@ -86,4 +86,16 @@ export class StartStackCommand extends $Command .f(void 0, void 0) .ser(se_StartStackCommand) .de(de_StartStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartStackRequest; + output: {}; + }; + sdk: { + input: StartStackCommandInput; + output: StartStackCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/StopInstanceCommand.ts b/clients/client-opsworks/src/commands/StopInstanceCommand.ts index 8b8dccd497a3..e3dcef1af7e9 100644 --- a/clients/client-opsworks/src/commands/StopInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/StopInstanceCommand.ts @@ -90,4 +90,16 @@ export class StopInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StopInstanceCommand) .de(de_StopInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopInstanceRequest; + output: {}; + }; + sdk: { + input: StopInstanceCommandInput; + output: StopInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/StopStackCommand.ts b/clients/client-opsworks/src/commands/StopStackCommand.ts index e5fdec5bb4ba..619e418d9fb7 100644 --- a/clients/client-opsworks/src/commands/StopStackCommand.ts +++ b/clients/client-opsworks/src/commands/StopStackCommand.ts @@ -86,4 +86,16 @@ export class StopStackCommand extends $Command .f(void 0, void 0) .ser(se_StopStackCommand) .de(de_StopStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopStackRequest; + output: {}; + }; + sdk: { + input: StopStackCommandInput; + output: StopStackCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/TagResourceCommand.ts b/clients/client-opsworks/src/commands/TagResourceCommand.ts index ef4bc812b46e..e62a04beabdd 100644 --- a/clients/client-opsworks/src/commands/TagResourceCommand.ts +++ b/clients/client-opsworks/src/commands/TagResourceCommand.ts @@ -85,4 +85,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UnassignInstanceCommand.ts b/clients/client-opsworks/src/commands/UnassignInstanceCommand.ts index 70d9d7fe2055..f42eca7dd690 100644 --- a/clients/client-opsworks/src/commands/UnassignInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/UnassignInstanceCommand.ts @@ -89,4 +89,16 @@ export class UnassignInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UnassignInstanceCommand) .de(de_UnassignInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnassignInstanceRequest; + output: {}; + }; + sdk: { + input: UnassignInstanceCommandInput; + output: UnassignInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UnassignVolumeCommand.ts b/clients/client-opsworks/src/commands/UnassignVolumeCommand.ts index 3d445e292516..29fd4a31c2cd 100644 --- a/clients/client-opsworks/src/commands/UnassignVolumeCommand.ts +++ b/clients/client-opsworks/src/commands/UnassignVolumeCommand.ts @@ -88,4 +88,16 @@ export class UnassignVolumeCommand extends $Command .f(void 0, void 0) .ser(se_UnassignVolumeCommand) .de(de_UnassignVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnassignVolumeRequest; + output: {}; + }; + sdk: { + input: UnassignVolumeCommandInput; + output: UnassignVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UntagResourceCommand.ts b/clients/client-opsworks/src/commands/UntagResourceCommand.ts index 05df561ac3d1..a53eeb0df254 100644 --- a/clients/client-opsworks/src/commands/UntagResourceCommand.ts +++ b/clients/client-opsworks/src/commands/UntagResourceCommand.ts @@ -84,4 +84,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateAppCommand.ts b/clients/client-opsworks/src/commands/UpdateAppCommand.ts index ee5e6eca9917..bb87d135e2dd 100644 --- a/clients/client-opsworks/src/commands/UpdateAppCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateAppCommand.ts @@ -123,4 +123,16 @@ export class UpdateAppCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppCommand) .de(de_UpdateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppRequest; + output: {}; + }; + sdk: { + input: UpdateAppCommandInput; + output: UpdateAppCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateElasticIpCommand.ts b/clients/client-opsworks/src/commands/UpdateElasticIpCommand.ts index 68d1cf949bfb..536a85b7ed29 100644 --- a/clients/client-opsworks/src/commands/UpdateElasticIpCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateElasticIpCommand.ts @@ -87,4 +87,16 @@ export class UpdateElasticIpCommand extends $Command .f(void 0, void 0) .ser(se_UpdateElasticIpCommand) .de(de_UpdateElasticIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateElasticIpRequest; + output: {}; + }; + sdk: { + input: UpdateElasticIpCommandInput; + output: UpdateElasticIpCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateInstanceCommand.ts b/clients/client-opsworks/src/commands/UpdateInstanceCommand.ts index 7fa3b309154a..cb494b9b6aee 100644 --- a/clients/client-opsworks/src/commands/UpdateInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateInstanceCommand.ts @@ -99,4 +99,16 @@ export class UpdateInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInstanceCommand) .de(de_UpdateInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceRequest; + output: {}; + }; + sdk: { + input: UpdateInstanceCommandInput; + output: UpdateInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateLayerCommand.ts b/clients/client-opsworks/src/commands/UpdateLayerCommand.ts index 609138ee5bfa..351fd563a9ee 100644 --- a/clients/client-opsworks/src/commands/UpdateLayerCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateLayerCommand.ts @@ -152,4 +152,16 @@ export class UpdateLayerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLayerCommand) .de(de_UpdateLayerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLayerRequest; + output: {}; + }; + sdk: { + input: UpdateLayerCommandInput; + output: UpdateLayerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateMyUserProfileCommand.ts b/clients/client-opsworks/src/commands/UpdateMyUserProfileCommand.ts index efbc1063eb44..d8f282238a9a 100644 --- a/clients/client-opsworks/src/commands/UpdateMyUserProfileCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateMyUserProfileCommand.ts @@ -83,4 +83,16 @@ export class UpdateMyUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMyUserProfileCommand) .de(de_UpdateMyUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMyUserProfileRequest; + output: {}; + }; + sdk: { + input: UpdateMyUserProfileCommandInput; + output: UpdateMyUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateRdsDbInstanceCommand.ts b/clients/client-opsworks/src/commands/UpdateRdsDbInstanceCommand.ts index eb787adc7455..c94ad96fbb69 100644 --- a/clients/client-opsworks/src/commands/UpdateRdsDbInstanceCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateRdsDbInstanceCommand.ts @@ -88,4 +88,16 @@ export class UpdateRdsDbInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRdsDbInstanceCommand) .de(de_UpdateRdsDbInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRdsDbInstanceRequest; + output: {}; + }; + sdk: { + input: UpdateRdsDbInstanceCommandInput; + output: UpdateRdsDbInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateStackCommand.ts b/clients/client-opsworks/src/commands/UpdateStackCommand.ts index b8718a906ba2..78749a2f5193 100644 --- a/clients/client-opsworks/src/commands/UpdateStackCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateStackCommand.ts @@ -118,4 +118,16 @@ export class UpdateStackCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStackCommand) .de(de_UpdateStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStackRequest; + output: {}; + }; + sdk: { + input: UpdateStackCommandInput; + output: UpdateStackCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateUserProfileCommand.ts b/clients/client-opsworks/src/commands/UpdateUserProfileCommand.ts index 84dce92a4cea..ac993cb7b9d5 100644 --- a/clients/client-opsworks/src/commands/UpdateUserProfileCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateUserProfileCommand.ts @@ -88,4 +88,16 @@ export class UpdateUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserProfileCommand) .de(de_UpdateUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserProfileRequest; + output: {}; + }; + sdk: { + input: UpdateUserProfileCommandInput; + output: UpdateUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-opsworks/src/commands/UpdateVolumeCommand.ts b/clients/client-opsworks/src/commands/UpdateVolumeCommand.ts index 852e7fafe48a..a6b64ecd7479 100644 --- a/clients/client-opsworks/src/commands/UpdateVolumeCommand.ts +++ b/clients/client-opsworks/src/commands/UpdateVolumeCommand.ts @@ -89,4 +89,16 @@ export class UpdateVolumeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVolumeCommand) .de(de_UpdateVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVolumeRequest; + output: {}; + }; + sdk: { + input: UpdateVolumeCommandInput; + output: UpdateVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/package.json b/clients/client-opsworkscm/package.json index 0637c6d6439d..bbe9c6d6731a 100644 --- a/clients/client-opsworkscm/package.json +++ b/clients/client-opsworkscm/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-opsworkscm/src/commands/AssociateNodeCommand.ts b/clients/client-opsworkscm/src/commands/AssociateNodeCommand.ts index 4bcad8a87203..6dcdf39320c3 100644 --- a/clients/client-opsworkscm/src/commands/AssociateNodeCommand.ts +++ b/clients/client-opsworkscm/src/commands/AssociateNodeCommand.ts @@ -116,4 +116,16 @@ export class AssociateNodeCommand extends $Command .f(AssociateNodeRequestFilterSensitiveLog, void 0) .ser(se_AssociateNodeCommand) .de(de_AssociateNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateNodeRequest; + output: AssociateNodeResponse; + }; + sdk: { + input: AssociateNodeCommandInput; + output: AssociateNodeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/CreateBackupCommand.ts b/clients/client-opsworkscm/src/commands/CreateBackupCommand.ts index 5e86a325db6d..6399ee0b2907 100644 --- a/clients/client-opsworkscm/src/commands/CreateBackupCommand.ts +++ b/clients/client-opsworkscm/src/commands/CreateBackupCommand.ts @@ -146,4 +146,16 @@ export class CreateBackupCommand extends $Command .f(void 0, void 0) .ser(se_CreateBackupCommand) .de(de_CreateBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBackupRequest; + output: CreateBackupResponse; + }; + sdk: { + input: CreateBackupCommandInput; + output: CreateBackupCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/CreateServerCommand.ts b/clients/client-opsworkscm/src/commands/CreateServerCommand.ts index 8d036bbcc2fc..0ea5ed63e353 100644 --- a/clients/client-opsworkscm/src/commands/CreateServerCommand.ts +++ b/clients/client-opsworkscm/src/commands/CreateServerCommand.ts @@ -193,4 +193,16 @@ export class CreateServerCommand extends $Command .f(CreateServerRequestFilterSensitiveLog, CreateServerResponseFilterSensitiveLog) .ser(se_CreateServerCommand) .de(de_CreateServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServerRequest; + output: CreateServerResponse; + }; + sdk: { + input: CreateServerCommandInput; + output: CreateServerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DeleteBackupCommand.ts b/clients/client-opsworkscm/src/commands/DeleteBackupCommand.ts index 1e16c8a50e87..e05a990e2d7d 100644 --- a/clients/client-opsworkscm/src/commands/DeleteBackupCommand.ts +++ b/clients/client-opsworkscm/src/commands/DeleteBackupCommand.ts @@ -94,4 +94,16 @@ export class DeleteBackupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBackupCommand) .de(de_DeleteBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBackupRequest; + output: {}; + }; + sdk: { + input: DeleteBackupCommandInput; + output: DeleteBackupCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DeleteServerCommand.ts b/clients/client-opsworkscm/src/commands/DeleteServerCommand.ts index ecc6b5a942b4..a2b13ba4b8ea 100644 --- a/clients/client-opsworkscm/src/commands/DeleteServerCommand.ts +++ b/clients/client-opsworkscm/src/commands/DeleteServerCommand.ts @@ -102,4 +102,16 @@ export class DeleteServerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServerCommand) .de(de_DeleteServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServerRequest; + output: {}; + }; + sdk: { + input: DeleteServerCommandInput; + output: DeleteServerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DescribeAccountAttributesCommand.ts b/clients/client-opsworkscm/src/commands/DescribeAccountAttributesCommand.ts index e6e365846162..7c8053a3a09d 100644 --- a/clients/client-opsworkscm/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-opsworkscm/src/commands/DescribeAccountAttributesCommand.ts @@ -86,4 +86,16 @@ export class DescribeAccountAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAttributesCommand) .de(de_DescribeAccountAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountAttributesResponse; + }; + sdk: { + input: DescribeAccountAttributesCommandInput; + output: DescribeAccountAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DescribeBackupsCommand.ts b/clients/client-opsworkscm/src/commands/DescribeBackupsCommand.ts index 06950550bd32..1a4f615ddbf0 100644 --- a/clients/client-opsworkscm/src/commands/DescribeBackupsCommand.ts +++ b/clients/client-opsworkscm/src/commands/DescribeBackupsCommand.ts @@ -134,4 +134,16 @@ export class DescribeBackupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBackupsCommand) .de(de_DescribeBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBackupsRequest; + output: DescribeBackupsResponse; + }; + sdk: { + input: DescribeBackupsCommandInput; + output: DescribeBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DescribeEventsCommand.ts b/clients/client-opsworkscm/src/commands/DescribeEventsCommand.ts index 1b1adeabf023..2218948d6885 100644 --- a/clients/client-opsworkscm/src/commands/DescribeEventsCommand.ts +++ b/clients/client-opsworkscm/src/commands/DescribeEventsCommand.ts @@ -108,4 +108,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsRequest; + output: DescribeEventsResponse; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DescribeNodeAssociationStatusCommand.ts b/clients/client-opsworkscm/src/commands/DescribeNodeAssociationStatusCommand.ts index c0bc16999780..7814b9b7942c 100644 --- a/clients/client-opsworkscm/src/commands/DescribeNodeAssociationStatusCommand.ts +++ b/clients/client-opsworkscm/src/commands/DescribeNodeAssociationStatusCommand.ts @@ -107,4 +107,16 @@ export class DescribeNodeAssociationStatusCommand extends $Command .f(void 0, DescribeNodeAssociationStatusResponseFilterSensitiveLog) .ser(se_DescribeNodeAssociationStatusCommand) .de(de_DescribeNodeAssociationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNodeAssociationStatusRequest; + output: DescribeNodeAssociationStatusResponse; + }; + sdk: { + input: DescribeNodeAssociationStatusCommandInput; + output: DescribeNodeAssociationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DescribeServersCommand.ts b/clients/client-opsworkscm/src/commands/DescribeServersCommand.ts index 68d9da484a62..14519520f552 100644 --- a/clients/client-opsworkscm/src/commands/DescribeServersCommand.ts +++ b/clients/client-opsworkscm/src/commands/DescribeServersCommand.ts @@ -143,4 +143,16 @@ export class DescribeServersCommand extends $Command .f(void 0, DescribeServersResponseFilterSensitiveLog) .ser(se_DescribeServersCommand) .de(de_DescribeServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServersRequest; + output: DescribeServersResponse; + }; + sdk: { + input: DescribeServersCommandInput; + output: DescribeServersCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/DisassociateNodeCommand.ts b/clients/client-opsworkscm/src/commands/DisassociateNodeCommand.ts index eb0d0c41345d..7a84fd6f15ac 100644 --- a/clients/client-opsworkscm/src/commands/DisassociateNodeCommand.ts +++ b/clients/client-opsworkscm/src/commands/DisassociateNodeCommand.ts @@ -107,4 +107,16 @@ export class DisassociateNodeCommand extends $Command .f(DisassociateNodeRequestFilterSensitiveLog, void 0) .ser(se_DisassociateNodeCommand) .de(de_DisassociateNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateNodeRequest; + output: DisassociateNodeResponse; + }; + sdk: { + input: DisassociateNodeCommandInput; + output: DisassociateNodeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/ExportServerEngineAttributeCommand.ts b/clients/client-opsworkscm/src/commands/ExportServerEngineAttributeCommand.ts index dc0df83f0229..afc5e66fc0c4 100644 --- a/clients/client-opsworkscm/src/commands/ExportServerEngineAttributeCommand.ts +++ b/clients/client-opsworkscm/src/commands/ExportServerEngineAttributeCommand.ts @@ -118,4 +118,16 @@ export class ExportServerEngineAttributeCommand extends $Command .f(ExportServerEngineAttributeRequestFilterSensitiveLog, ExportServerEngineAttributeResponseFilterSensitiveLog) .ser(se_ExportServerEngineAttributeCommand) .de(de_ExportServerEngineAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportServerEngineAttributeRequest; + output: ExportServerEngineAttributeResponse; + }; + sdk: { + input: ExportServerEngineAttributeCommandInput; + output: ExportServerEngineAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/ListTagsForResourceCommand.ts b/clients/client-opsworkscm/src/commands/ListTagsForResourceCommand.ts index 02b795a60373..028cc7a532c6 100644 --- a/clients/client-opsworkscm/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-opsworkscm/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/RestoreServerCommand.ts b/clients/client-opsworkscm/src/commands/RestoreServerCommand.ts index 35b51650763c..ca53c173c1a2 100644 --- a/clients/client-opsworkscm/src/commands/RestoreServerCommand.ts +++ b/clients/client-opsworkscm/src/commands/RestoreServerCommand.ts @@ -144,4 +144,16 @@ export class RestoreServerCommand extends $Command .f(void 0, RestoreServerResponseFilterSensitiveLog) .ser(se_RestoreServerCommand) .de(de_RestoreServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreServerRequest; + output: RestoreServerResponse; + }; + sdk: { + input: RestoreServerCommandInput; + output: RestoreServerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/StartMaintenanceCommand.ts b/clients/client-opsworkscm/src/commands/StartMaintenanceCommand.ts index 78c8bd128b79..09858e98af22 100644 --- a/clients/client-opsworkscm/src/commands/StartMaintenanceCommand.ts +++ b/clients/client-opsworkscm/src/commands/StartMaintenanceCommand.ts @@ -141,4 +141,16 @@ export class StartMaintenanceCommand extends $Command .f(StartMaintenanceRequestFilterSensitiveLog, StartMaintenanceResponseFilterSensitiveLog) .ser(se_StartMaintenanceCommand) .de(de_StartMaintenanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMaintenanceRequest; + output: StartMaintenanceResponse; + }; + sdk: { + input: StartMaintenanceCommandInput; + output: StartMaintenanceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/TagResourceCommand.ts b/clients/client-opsworkscm/src/commands/TagResourceCommand.ts index 39af233f2ae3..5d3b2cf247be 100644 --- a/clients/client-opsworkscm/src/commands/TagResourceCommand.ts +++ b/clients/client-opsworkscm/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/UntagResourceCommand.ts b/clients/client-opsworkscm/src/commands/UntagResourceCommand.ts index 29115d2d67c7..f7beba9d8e4f 100644 --- a/clients/client-opsworkscm/src/commands/UntagResourceCommand.ts +++ b/clients/client-opsworkscm/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/UpdateServerCommand.ts b/clients/client-opsworkscm/src/commands/UpdateServerCommand.ts index 9aad3fb4840d..06ee8d170eb0 100644 --- a/clients/client-opsworkscm/src/commands/UpdateServerCommand.ts +++ b/clients/client-opsworkscm/src/commands/UpdateServerCommand.ts @@ -132,4 +132,16 @@ export class UpdateServerCommand extends $Command .f(void 0, UpdateServerResponseFilterSensitiveLog) .ser(se_UpdateServerCommand) .de(de_UpdateServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServerRequest; + output: UpdateServerResponse; + }; + sdk: { + input: UpdateServerCommandInput; + output: UpdateServerCommandOutput; + }; + }; +} diff --git a/clients/client-opsworkscm/src/commands/UpdateServerEngineAttributesCommand.ts b/clients/client-opsworkscm/src/commands/UpdateServerEngineAttributesCommand.ts index 114306f5b0b9..5c32b2ba2bbe 100644 --- a/clients/client-opsworkscm/src/commands/UpdateServerEngineAttributesCommand.ts +++ b/clients/client-opsworkscm/src/commands/UpdateServerEngineAttributesCommand.ts @@ -147,4 +147,16 @@ export class UpdateServerEngineAttributesCommand extends $Command .f(void 0, UpdateServerEngineAttributesResponseFilterSensitiveLog) .ser(se_UpdateServerEngineAttributesCommand) .de(de_UpdateServerEngineAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServerEngineAttributesRequest; + output: UpdateServerEngineAttributesResponse; + }; + sdk: { + input: UpdateServerEngineAttributesCommandInput; + output: UpdateServerEngineAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/package.json b/clients/client-organizations/package.json index d5c22eda73de..533bdcfff3d8 100644 --- a/clients/client-organizations/package.json +++ b/clients/client-organizations/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-organizations/src/commands/AcceptHandshakeCommand.ts b/clients/client-organizations/src/commands/AcceptHandshakeCommand.ts index a3194019aafb..52302848ed19 100644 --- a/clients/client-organizations/src/commands/AcceptHandshakeCommand.ts +++ b/clients/client-organizations/src/commands/AcceptHandshakeCommand.ts @@ -399,4 +399,16 @@ export class AcceptHandshakeCommand extends $Command .f(void 0, AcceptHandshakeResponseFilterSensitiveLog) .ser(se_AcceptHandshakeCommand) .de(de_AcceptHandshakeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptHandshakeRequest; + output: AcceptHandshakeResponse; + }; + sdk: { + input: AcceptHandshakeCommandInput; + output: AcceptHandshakeCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/AttachPolicyCommand.ts b/clients/client-organizations/src/commands/AttachPolicyCommand.ts index 28f03001a94c..6172648c78cb 100644 --- a/clients/client-organizations/src/commands/AttachPolicyCommand.ts +++ b/clients/client-organizations/src/commands/AttachPolicyCommand.ts @@ -474,4 +474,16 @@ export class AttachPolicyCommand extends $Command .f(void 0, void 0) .ser(se_AttachPolicyCommand) .de(de_AttachPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachPolicyRequest; + output: {}; + }; + sdk: { + input: AttachPolicyCommandInput; + output: AttachPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/CancelHandshakeCommand.ts b/clients/client-organizations/src/commands/CancelHandshakeCommand.ts index db19af0a5ee3..b95206ddb011 100644 --- a/clients/client-organizations/src/commands/CancelHandshakeCommand.ts +++ b/clients/client-organizations/src/commands/CancelHandshakeCommand.ts @@ -310,4 +310,16 @@ export class CancelHandshakeCommand extends $Command .f(void 0, CancelHandshakeResponseFilterSensitiveLog) .ser(se_CancelHandshakeCommand) .de(de_CancelHandshakeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelHandshakeRequest; + output: CancelHandshakeResponse; + }; + sdk: { + input: CancelHandshakeCommandInput; + output: CancelHandshakeCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/CloseAccountCommand.ts b/clients/client-organizations/src/commands/CloseAccountCommand.ts index 369b50c168f2..2fd0b1571c0e 100644 --- a/clients/client-organizations/src/commands/CloseAccountCommand.ts +++ b/clients/client-organizations/src/commands/CloseAccountCommand.ts @@ -459,4 +459,16 @@ export class CloseAccountCommand extends $Command .f(void 0, void 0) .ser(se_CloseAccountCommand) .de(de_CloseAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CloseAccountRequest; + output: {}; + }; + sdk: { + input: CloseAccountCommandInput; + output: CloseAccountCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/CreateAccountCommand.ts b/clients/client-organizations/src/commands/CreateAccountCommand.ts index b4158217130e..e4a021734718 100644 --- a/clients/client-organizations/src/commands/CreateAccountCommand.ts +++ b/clients/client-organizations/src/commands/CreateAccountCommand.ts @@ -524,4 +524,16 @@ export class CreateAccountCommand extends $Command .f(CreateAccountRequestFilterSensitiveLog, CreateAccountResponseFilterSensitiveLog) .ser(se_CreateAccountCommand) .de(de_CreateAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccountRequest; + output: CreateAccountResponse; + }; + sdk: { + input: CreateAccountCommandInput; + output: CreateAccountCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts b/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts index 89a9d13ec49b..bc74050d366f 100644 --- a/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts +++ b/clients/client-organizations/src/commands/CreateGovCloudAccountCommand.ts @@ -556,4 +556,16 @@ export class CreateGovCloudAccountCommand extends $Command .f(CreateGovCloudAccountRequestFilterSensitiveLog, CreateGovCloudAccountResponseFilterSensitiveLog) .ser(se_CreateGovCloudAccountCommand) .de(de_CreateGovCloudAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGovCloudAccountRequest; + output: CreateGovCloudAccountResponse; + }; + sdk: { + input: CreateGovCloudAccountCommandInput; + output: CreateGovCloudAccountCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/CreateOrganizationCommand.ts b/clients/client-organizations/src/commands/CreateOrganizationCommand.ts index 9be2f0a1cd74..4a967f75962d 100644 --- a/clients/client-organizations/src/commands/CreateOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/CreateOrganizationCommand.ts @@ -488,4 +488,16 @@ export class CreateOrganizationCommand extends $Command .f(void 0, CreateOrganizationResponseFilterSensitiveLog) .ser(se_CreateOrganizationCommand) .de(de_CreateOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOrganizationRequest; + output: CreateOrganizationResponse; + }; + sdk: { + input: CreateOrganizationCommandInput; + output: CreateOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts b/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts index 66411eb7d07b..72069906deab 100644 --- a/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts +++ b/clients/client-organizations/src/commands/CreateOrganizationalUnitCommand.ts @@ -449,4 +449,16 @@ export class CreateOrganizationalUnitCommand extends $Command .f(void 0, void 0) .ser(se_CreateOrganizationalUnitCommand) .de(de_CreateOrganizationalUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOrganizationalUnitRequest; + output: CreateOrganizationalUnitResponse; + }; + sdk: { + input: CreateOrganizationalUnitCommandInput; + output: CreateOrganizationalUnitCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/CreatePolicyCommand.ts b/clients/client-organizations/src/commands/CreatePolicyCommand.ts index 1f5ce51b9dbc..1e0d5499d02a 100644 --- a/clients/client-organizations/src/commands/CreatePolicyCommand.ts +++ b/clients/client-organizations/src/commands/CreatePolicyCommand.ts @@ -473,4 +473,16 @@ export class CreatePolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreatePolicyCommand) .de(de_CreatePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyRequest; + output: CreatePolicyResponse; + }; + sdk: { + input: CreatePolicyCommandInput; + output: CreatePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DeclineHandshakeCommand.ts b/clients/client-organizations/src/commands/DeclineHandshakeCommand.ts index c7792395cc9f..92035618b92c 100644 --- a/clients/client-organizations/src/commands/DeclineHandshakeCommand.ts +++ b/clients/client-organizations/src/commands/DeclineHandshakeCommand.ts @@ -306,4 +306,16 @@ export class DeclineHandshakeCommand extends $Command .f(void 0, DeclineHandshakeResponseFilterSensitiveLog) .ser(se_DeclineHandshakeCommand) .de(de_DeclineHandshakeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeclineHandshakeRequest; + output: DeclineHandshakeResponse; + }; + sdk: { + input: DeclineHandshakeCommandInput; + output: DeclineHandshakeCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DeleteOrganizationCommand.ts b/clients/client-organizations/src/commands/DeleteOrganizationCommand.ts index a6ea9fc37068..77488e8e2c36 100644 --- a/clients/client-organizations/src/commands/DeleteOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/DeleteOrganizationCommand.ts @@ -205,4 +205,16 @@ export class DeleteOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOrganizationCommand) .de(de_DeleteOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteOrganizationCommandInput; + output: DeleteOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DeleteOrganizationalUnitCommand.ts b/clients/client-organizations/src/commands/DeleteOrganizationalUnitCommand.ts index 0af45be2ec2e..e3ce9b99b4b5 100644 --- a/clients/client-organizations/src/commands/DeleteOrganizationalUnitCommand.ts +++ b/clients/client-organizations/src/commands/DeleteOrganizationalUnitCommand.ts @@ -226,4 +226,16 @@ export class DeleteOrganizationalUnitCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOrganizationalUnitCommand) .de(de_DeleteOrganizationalUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOrganizationalUnitRequest; + output: {}; + }; + sdk: { + input: DeleteOrganizationalUnitCommandInput; + output: DeleteOrganizationalUnitCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DeletePolicyCommand.ts b/clients/client-organizations/src/commands/DeletePolicyCommand.ts index f0525654f5e1..165e21e98935 100644 --- a/clients/client-organizations/src/commands/DeletePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DeletePolicyCommand.ts @@ -230,4 +230,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyRequest; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts index 2b67ba88e926..474eb8e11c3b 100644 --- a/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DeleteResourcePolicyCommand.ts @@ -298,4 +298,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts b/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts index 2e8f45429fd0..c3a6268f490d 100644 --- a/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts +++ b/clients/client-organizations/src/commands/DeregisterDelegatedAdministratorCommand.ts @@ -426,4 +426,16 @@ export class DeregisterDelegatedAdministratorCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterDelegatedAdministratorCommand) .de(de_DeregisterDelegatedAdministratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterDelegatedAdministratorRequest; + output: {}; + }; + sdk: { + input: DeregisterDelegatedAdministratorCommandInput; + output: DeregisterDelegatedAdministratorCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribeAccountCommand.ts b/clients/client-organizations/src/commands/DescribeAccountCommand.ts index c17e30af3660..b7391399b877 100644 --- a/clients/client-organizations/src/commands/DescribeAccountCommand.ts +++ b/clients/client-organizations/src/commands/DescribeAccountCommand.ts @@ -241,4 +241,16 @@ export class DescribeAccountCommand extends $Command .f(void 0, DescribeAccountResponseFilterSensitiveLog) .ser(se_DescribeAccountCommand) .de(de_DescribeAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountRequest; + output: DescribeAccountResponse; + }; + sdk: { + input: DescribeAccountCommandInput; + output: DescribeAccountCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribeCreateAccountStatusCommand.ts b/clients/client-organizations/src/commands/DescribeCreateAccountStatusCommand.ts index e0597cc7cb62..b5ae2ca9a85f 100644 --- a/clients/client-organizations/src/commands/DescribeCreateAccountStatusCommand.ts +++ b/clients/client-organizations/src/commands/DescribeCreateAccountStatusCommand.ts @@ -245,4 +245,16 @@ export class DescribeCreateAccountStatusCommand extends $Command .f(void 0, DescribeCreateAccountStatusResponseFilterSensitiveLog) .ser(se_DescribeCreateAccountStatusCommand) .de(de_DescribeCreateAccountStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCreateAccountStatusRequest; + output: DescribeCreateAccountStatusResponse; + }; + sdk: { + input: DescribeCreateAccountStatusCommandInput; + output: DescribeCreateAccountStatusCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts b/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts index e351b8559d9a..7aaef84f6aaf 100644 --- a/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DescribeEffectivePolicyCommand.ts @@ -424,4 +424,16 @@ export class DescribeEffectivePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEffectivePolicyCommand) .de(de_DescribeEffectivePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEffectivePolicyRequest; + output: DescribeEffectivePolicyResponse; + }; + sdk: { + input: DescribeEffectivePolicyCommandInput; + output: DescribeEffectivePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribeHandshakeCommand.ts b/clients/client-organizations/src/commands/DescribeHandshakeCommand.ts index a8fbfb8d2981..e6817e4b8519 100644 --- a/clients/client-organizations/src/commands/DescribeHandshakeCommand.ts +++ b/clients/client-organizations/src/commands/DescribeHandshakeCommand.ts @@ -293,4 +293,16 @@ export class DescribeHandshakeCommand extends $Command .f(void 0, DescribeHandshakeResponseFilterSensitiveLog) .ser(se_DescribeHandshakeCommand) .de(de_DescribeHandshakeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHandshakeRequest; + output: DescribeHandshakeResponse; + }; + sdk: { + input: DescribeHandshakeCommandInput; + output: DescribeHandshakeCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribeOrganizationCommand.ts b/clients/client-organizations/src/commands/DescribeOrganizationCommand.ts index 5442862b2f6d..939ec24a739d 100644 --- a/clients/client-organizations/src/commands/DescribeOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/DescribeOrganizationCommand.ts @@ -145,4 +145,16 @@ export class DescribeOrganizationCommand extends $Command .f(void 0, DescribeOrganizationResponseFilterSensitiveLog) .ser(se_DescribeOrganizationCommand) .de(de_DescribeOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeOrganizationResponse; + }; + sdk: { + input: DescribeOrganizationCommandInput; + output: DescribeOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribeOrganizationalUnitCommand.ts b/clients/client-organizations/src/commands/DescribeOrganizationalUnitCommand.ts index f41d3e8bedea..2d59eef36d1f 100644 --- a/clients/client-organizations/src/commands/DescribeOrganizationalUnitCommand.ts +++ b/clients/client-organizations/src/commands/DescribeOrganizationalUnitCommand.ts @@ -192,7 +192,7 @@ export interface DescribeOrganizationalUnitCommandOutput extends DescribeOrganiz * @public * @example To get information about an organizational unit * ```javascript - * // The following example shows how to request details about an OU:/n/n + * // The following example shows how to request details about an OU: * const input = { * "OrganizationalUnitId": "ou-examplerootid111-exampleouid111" * }; @@ -231,4 +231,16 @@ export class DescribeOrganizationalUnitCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationalUnitCommand) .de(de_DescribeOrganizationalUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationalUnitRequest; + output: DescribeOrganizationalUnitResponse; + }; + sdk: { + input: DescribeOrganizationalUnitCommandInput; + output: DescribeOrganizationalUnitCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribePolicyCommand.ts b/clients/client-organizations/src/commands/DescribePolicyCommand.ts index 510d4fd6af60..0185b5df2f73 100644 --- a/clients/client-organizations/src/commands/DescribePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DescribePolicyCommand.ts @@ -245,4 +245,16 @@ export class DescribePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribePolicyCommand) .de(de_DescribePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePolicyRequest; + output: DescribePolicyResponse; + }; + sdk: { + input: DescribePolicyCommandInput; + output: DescribePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts b/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts index 028290f1cf08..3218f41dd39a 100644 --- a/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts +++ b/clients/client-organizations/src/commands/DescribeResourcePolicyCommand.ts @@ -304,4 +304,16 @@ export class DescribeResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourcePolicyCommand) .de(de_DescribeResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeResourcePolicyResponse; + }; + sdk: { + input: DescribeResourcePolicyCommandInput; + output: DescribeResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DetachPolicyCommand.ts b/clients/client-organizations/src/commands/DetachPolicyCommand.ts index 3d3819c7abd1..695d8bc34f55 100644 --- a/clients/client-organizations/src/commands/DetachPolicyCommand.ts +++ b/clients/client-organizations/src/commands/DetachPolicyCommand.ts @@ -443,4 +443,16 @@ export class DetachPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DetachPolicyCommand) .de(de_DetachPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachPolicyRequest; + output: {}; + }; + sdk: { + input: DetachPolicyCommandInput; + output: DetachPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts b/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts index cdd5b4c1ac9b..832ebec8e99a 100644 --- a/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts +++ b/clients/client-organizations/src/commands/DisableAWSServiceAccessCommand.ts @@ -455,4 +455,16 @@ export class DisableAWSServiceAccessCommand extends $Command .f(void 0, void 0) .ser(se_DisableAWSServiceAccessCommand) .de(de_DisableAWSServiceAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableAWSServiceAccessRequest; + output: {}; + }; + sdk: { + input: DisableAWSServiceAccessCommandInput; + output: DisableAWSServiceAccessCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts b/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts index 4c9996248e71..6497cdcedef9 100644 --- a/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts +++ b/clients/client-organizations/src/commands/DisablePolicyTypeCommand.ts @@ -460,4 +460,16 @@ export class DisablePolicyTypeCommand extends $Command .f(void 0, void 0) .ser(se_DisablePolicyTypeCommand) .de(de_DisablePolicyTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisablePolicyTypeRequest; + output: DisablePolicyTypeResponse; + }; + sdk: { + input: DisablePolicyTypeCommandInput; + output: DisablePolicyTypeCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts b/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts index 8b6e97c170d1..523d6a425f92 100644 --- a/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts +++ b/clients/client-organizations/src/commands/EnableAWSServiceAccessCommand.ts @@ -420,4 +420,16 @@ export class EnableAWSServiceAccessCommand extends $Command .f(void 0, void 0) .ser(se_EnableAWSServiceAccessCommand) .de(de_EnableAWSServiceAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableAWSServiceAccessRequest; + output: {}; + }; + sdk: { + input: EnableAWSServiceAccessCommandInput; + output: EnableAWSServiceAccessCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/EnableAllFeaturesCommand.ts b/clients/client-organizations/src/commands/EnableAllFeaturesCommand.ts index 81f3d4890c43..8446443be0c8 100644 --- a/clients/client-organizations/src/commands/EnableAllFeaturesCommand.ts +++ b/clients/client-organizations/src/commands/EnableAllFeaturesCommand.ts @@ -350,4 +350,16 @@ export class EnableAllFeaturesCommand extends $Command .f(void 0, EnableAllFeaturesResponseFilterSensitiveLog) .ser(se_EnableAllFeaturesCommand) .de(de_EnableAllFeaturesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: EnableAllFeaturesResponse; + }; + sdk: { + input: EnableAllFeaturesCommandInput; + output: EnableAllFeaturesCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts b/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts index ac9efc3a337a..f00dc918a138 100644 --- a/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts +++ b/clients/client-organizations/src/commands/EnablePolicyTypeCommand.ts @@ -468,4 +468,16 @@ export class EnablePolicyTypeCommand extends $Command .f(void 0, void 0) .ser(se_EnablePolicyTypeCommand) .de(de_EnablePolicyTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnablePolicyTypeRequest; + output: EnablePolicyTypeResponse; + }; + sdk: { + input: EnablePolicyTypeCommandInput; + output: EnablePolicyTypeCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts b/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts index 625a45e6158f..a9544e6366f4 100644 --- a/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/InviteAccountToOrganizationCommand.ts @@ -607,4 +607,16 @@ export class InviteAccountToOrganizationCommand extends $Command .f(InviteAccountToOrganizationRequestFilterSensitiveLog, InviteAccountToOrganizationResponseFilterSensitiveLog) .ser(se_InviteAccountToOrganizationCommand) .de(de_InviteAccountToOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InviteAccountToOrganizationRequest; + output: InviteAccountToOrganizationResponse; + }; + sdk: { + input: InviteAccountToOrganizationCommandInput; + output: InviteAccountToOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts b/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts index 6c59cd2d477a..e27c9f14e1a5 100644 --- a/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/LeaveOrganizationCommand.ts @@ -480,4 +480,16 @@ export class LeaveOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_LeaveOrganizationCommand) .de(de_LeaveOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: LeaveOrganizationCommandInput; + output: LeaveOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts b/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts index a4c7b853be44..0771b3ef5462 100644 --- a/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/ListAWSServiceAccessForOrganizationCommand.ts @@ -421,4 +421,16 @@ export class ListAWSServiceAccessForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_ListAWSServiceAccessForOrganizationCommand) .de(de_ListAWSServiceAccessForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAWSServiceAccessForOrganizationRequest; + output: ListAWSServiceAccessForOrganizationResponse; + }; + sdk: { + input: ListAWSServiceAccessForOrganizationCommandInput; + output: ListAWSServiceAccessForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListAccountsCommand.ts b/clients/client-organizations/src/commands/ListAccountsCommand.ts index 62dc5445af62..d7c89b225a22 100644 --- a/clients/client-organizations/src/commands/ListAccountsCommand.ts +++ b/clients/client-organizations/src/commands/ListAccountsCommand.ts @@ -275,4 +275,16 @@ export class ListAccountsCommand extends $Command .f(void 0, ListAccountsResponseFilterSensitiveLog) .ser(se_ListAccountsCommand) .de(de_ListAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountsRequest; + output: ListAccountsResponse; + }; + sdk: { + input: ListAccountsCommandInput; + output: ListAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListAccountsForParentCommand.ts b/clients/client-organizations/src/commands/ListAccountsForParentCommand.ts index 211cecabec0c..73db10889dc3 100644 --- a/clients/client-organizations/src/commands/ListAccountsForParentCommand.ts +++ b/clients/client-organizations/src/commands/ListAccountsForParentCommand.ts @@ -270,4 +270,16 @@ export class ListAccountsForParentCommand extends $Command .f(void 0, ListAccountsForParentResponseFilterSensitiveLog) .ser(se_ListAccountsForParentCommand) .de(de_ListAccountsForParentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountsForParentRequest; + output: ListAccountsForParentResponse; + }; + sdk: { + input: ListAccountsForParentCommandInput; + output: ListAccountsForParentCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListChildrenCommand.ts b/clients/client-organizations/src/commands/ListChildrenCommand.ts index 9123796e1921..b11eea9304d6 100644 --- a/clients/client-organizations/src/commands/ListChildrenCommand.ts +++ b/clients/client-organizations/src/commands/ListChildrenCommand.ts @@ -251,4 +251,16 @@ export class ListChildrenCommand extends $Command .f(void 0, void 0) .ser(se_ListChildrenCommand) .de(de_ListChildrenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChildrenRequest; + output: ListChildrenResponse; + }; + sdk: { + input: ListChildrenCommandInput; + output: ListChildrenCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListCreateAccountStatusCommand.ts b/clients/client-organizations/src/commands/ListCreateAccountStatusCommand.ts index 9424315eceda..a4b4c5ff3cae 100644 --- a/clients/client-organizations/src/commands/ListCreateAccountStatusCommand.ts +++ b/clients/client-organizations/src/commands/ListCreateAccountStatusCommand.ts @@ -287,4 +287,16 @@ export class ListCreateAccountStatusCommand extends $Command .f(void 0, ListCreateAccountStatusResponseFilterSensitiveLog) .ser(se_ListCreateAccountStatusCommand) .de(de_ListCreateAccountStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCreateAccountStatusRequest; + output: ListCreateAccountStatusResponse; + }; + sdk: { + input: ListCreateAccountStatusCommandInput; + output: ListCreateAccountStatusCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts b/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts index 34c6047a4939..9ced4656957b 100644 --- a/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts +++ b/clients/client-organizations/src/commands/ListDelegatedAdministratorsCommand.ts @@ -422,4 +422,16 @@ export class ListDelegatedAdministratorsCommand extends $Command .f(void 0, ListDelegatedAdministratorsResponseFilterSensitiveLog) .ser(se_ListDelegatedAdministratorsCommand) .de(de_ListDelegatedAdministratorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDelegatedAdministratorsRequest; + output: ListDelegatedAdministratorsResponse; + }; + sdk: { + input: ListDelegatedAdministratorsCommandInput; + output: ListDelegatedAdministratorsCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts b/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts index 14630138dd29..93096102bd07 100644 --- a/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts +++ b/clients/client-organizations/src/commands/ListDelegatedServicesForAccountCommand.ts @@ -423,4 +423,16 @@ export class ListDelegatedServicesForAccountCommand extends $Command .f(void 0, void 0) .ser(se_ListDelegatedServicesForAccountCommand) .de(de_ListDelegatedServicesForAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDelegatedServicesForAccountRequest; + output: ListDelegatedServicesForAccountResponse; + }; + sdk: { + input: ListDelegatedServicesForAccountCommandInput; + output: ListDelegatedServicesForAccountCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListHandshakesForAccountCommand.ts b/clients/client-organizations/src/commands/ListHandshakesForAccountCommand.ts index 92a9b9598135..7c2a2ef4fc7e 100644 --- a/clients/client-organizations/src/commands/ListHandshakesForAccountCommand.ts +++ b/clients/client-organizations/src/commands/ListHandshakesForAccountCommand.ts @@ -310,4 +310,16 @@ export class ListHandshakesForAccountCommand extends $Command .f(void 0, ListHandshakesForAccountResponseFilterSensitiveLog) .ser(se_ListHandshakesForAccountCommand) .de(de_ListHandshakesForAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHandshakesForAccountRequest; + output: ListHandshakesForAccountResponse; + }; + sdk: { + input: ListHandshakesForAccountCommandInput; + output: ListHandshakesForAccountCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListHandshakesForOrganizationCommand.ts b/clients/client-organizations/src/commands/ListHandshakesForOrganizationCommand.ts index 727394c42c22..5956618098b0 100644 --- a/clients/client-organizations/src/commands/ListHandshakesForOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/ListHandshakesForOrganizationCommand.ts @@ -364,4 +364,16 @@ export class ListHandshakesForOrganizationCommand extends $Command .f(void 0, ListHandshakesForOrganizationResponseFilterSensitiveLog) .ser(se_ListHandshakesForOrganizationCommand) .de(de_ListHandshakesForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHandshakesForOrganizationRequest; + output: ListHandshakesForOrganizationResponse; + }; + sdk: { + input: ListHandshakesForOrganizationCommandInput; + output: ListHandshakesForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListOrganizationalUnitsForParentCommand.ts b/clients/client-organizations/src/commands/ListOrganizationalUnitsForParentCommand.ts index 0e1392579b26..7c3fb72c33e1 100644 --- a/clients/client-organizations/src/commands/ListOrganizationalUnitsForParentCommand.ts +++ b/clients/client-organizations/src/commands/ListOrganizationalUnitsForParentCommand.ts @@ -255,4 +255,16 @@ export class ListOrganizationalUnitsForParentCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationalUnitsForParentCommand) .de(de_ListOrganizationalUnitsForParentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationalUnitsForParentRequest; + output: ListOrganizationalUnitsForParentResponse; + }; + sdk: { + input: ListOrganizationalUnitsForParentCommandInput; + output: ListOrganizationalUnitsForParentCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListParentsCommand.ts b/clients/client-organizations/src/commands/ListParentsCommand.ts index efb4aec81029..210c0198d02f 100644 --- a/clients/client-organizations/src/commands/ListParentsCommand.ts +++ b/clients/client-organizations/src/commands/ListParentsCommand.ts @@ -249,4 +249,16 @@ export class ListParentsCommand extends $Command .f(void 0, void 0) .ser(se_ListParentsCommand) .de(de_ListParentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListParentsRequest; + output: ListParentsResponse; + }; + sdk: { + input: ListParentsCommandInput; + output: ListParentsCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListPoliciesCommand.ts b/clients/client-organizations/src/commands/ListPoliciesCommand.ts index 878894d09fb8..329169583b14 100644 --- a/clients/client-organizations/src/commands/ListPoliciesCommand.ts +++ b/clients/client-organizations/src/commands/ListPoliciesCommand.ts @@ -267,4 +267,16 @@ export class ListPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListPoliciesCommand) .de(de_ListPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoliciesRequest; + output: ListPoliciesResponse; + }; + sdk: { + input: ListPoliciesCommandInput; + output: ListPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListPoliciesForTargetCommand.ts b/clients/client-organizations/src/commands/ListPoliciesForTargetCommand.ts index 867fcfc96780..e4597606f3e1 100644 --- a/clients/client-organizations/src/commands/ListPoliciesForTargetCommand.ts +++ b/clients/client-organizations/src/commands/ListPoliciesForTargetCommand.ts @@ -259,4 +259,16 @@ export class ListPoliciesForTargetCommand extends $Command .f(void 0, void 0) .ser(se_ListPoliciesForTargetCommand) .de(de_ListPoliciesForTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoliciesForTargetRequest; + output: ListPoliciesForTargetResponse; + }; + sdk: { + input: ListPoliciesForTargetCommandInput; + output: ListPoliciesForTargetCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListRootsCommand.ts b/clients/client-organizations/src/commands/ListRootsCommand.ts index 2bcbbaf80e8e..b79d060c8a45 100644 --- a/clients/client-organizations/src/commands/ListRootsCommand.ts +++ b/clients/client-organizations/src/commands/ListRootsCommand.ts @@ -258,4 +258,16 @@ export class ListRootsCommand extends $Command .f(void 0, void 0) .ser(se_ListRootsCommand) .de(de_ListRootsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRootsRequest; + output: ListRootsResponse; + }; + sdk: { + input: ListRootsCommandInput; + output: ListRootsCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListTagsForResourceCommand.ts b/clients/client-organizations/src/commands/ListTagsForResourceCommand.ts index 791e41cbfdce..adca3dca95ba 100644 --- a/clients/client-organizations/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-organizations/src/commands/ListTagsForResourceCommand.ts @@ -229,4 +229,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/ListTargetsForPolicyCommand.ts b/clients/client-organizations/src/commands/ListTargetsForPolicyCommand.ts index b092fab5c7e7..cfe3f21a7f08 100644 --- a/clients/client-organizations/src/commands/ListTargetsForPolicyCommand.ts +++ b/clients/client-organizations/src/commands/ListTargetsForPolicyCommand.ts @@ -263,4 +263,16 @@ export class ListTargetsForPolicyCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetsForPolicyCommand) .de(de_ListTargetsForPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetsForPolicyRequest; + output: ListTargetsForPolicyResponse; + }; + sdk: { + input: ListTargetsForPolicyCommandInput; + output: ListTargetsForPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/MoveAccountCommand.ts b/clients/client-organizations/src/commands/MoveAccountCommand.ts index e5801e0080f8..47abf70ee5cb 100644 --- a/clients/client-organizations/src/commands/MoveAccountCommand.ts +++ b/clients/client-organizations/src/commands/MoveAccountCommand.ts @@ -236,4 +236,16 @@ export class MoveAccountCommand extends $Command .f(void 0, void 0) .ser(se_MoveAccountCommand) .de(de_MoveAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MoveAccountRequest; + output: {}; + }; + sdk: { + input: MoveAccountCommandInput; + output: MoveAccountCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts b/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts index 2bf5d559cda9..7aeffc6cc1ba 100644 --- a/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-organizations/src/commands/PutResourcePolicyCommand.ts @@ -416,4 +416,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts b/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts index 8ee9b273ab1b..a36397e1d920 100644 --- a/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts +++ b/clients/client-organizations/src/commands/RegisterDelegatedAdministratorCommand.ts @@ -422,4 +422,16 @@ export class RegisterDelegatedAdministratorCommand extends $Command .f(void 0, void 0) .ser(se_RegisterDelegatedAdministratorCommand) .de(de_RegisterDelegatedAdministratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDelegatedAdministratorRequest; + output: {}; + }; + sdk: { + input: RegisterDelegatedAdministratorCommandInput; + output: RegisterDelegatedAdministratorCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts b/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts index a1e1e3df32d5..54d0b276dc0a 100644 --- a/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts +++ b/clients/client-organizations/src/commands/RemoveAccountFromOrganizationCommand.ts @@ -452,4 +452,16 @@ export class RemoveAccountFromOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_RemoveAccountFromOrganizationCommand) .de(de_RemoveAccountFromOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAccountFromOrganizationRequest; + output: {}; + }; + sdk: { + input: RemoveAccountFromOrganizationCommandInput; + output: RemoveAccountFromOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/TagResourceCommand.ts b/clients/client-organizations/src/commands/TagResourceCommand.ts index 2bc8058df372..1f1b6313711f 100644 --- a/clients/client-organizations/src/commands/TagResourceCommand.ts +++ b/clients/client-organizations/src/commands/TagResourceCommand.ts @@ -425,4 +425,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/UntagResourceCommand.ts b/clients/client-organizations/src/commands/UntagResourceCommand.ts index 49294b68da55..ecbd80f0fef4 100644 --- a/clients/client-organizations/src/commands/UntagResourceCommand.ts +++ b/clients/client-organizations/src/commands/UntagResourceCommand.ts @@ -422,4 +422,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/UpdateOrganizationalUnitCommand.ts b/clients/client-organizations/src/commands/UpdateOrganizationalUnitCommand.ts index b5934e044bde..fc10bda764d1 100644 --- a/clients/client-organizations/src/commands/UpdateOrganizationalUnitCommand.ts +++ b/clients/client-organizations/src/commands/UpdateOrganizationalUnitCommand.ts @@ -241,4 +241,16 @@ export class UpdateOrganizationalUnitCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOrganizationalUnitCommand) .de(de_UpdateOrganizationalUnitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrganizationalUnitRequest; + output: UpdateOrganizationalUnitResponse; + }; + sdk: { + input: UpdateOrganizationalUnitCommandInput; + output: UpdateOrganizationalUnitCommandOutput; + }; + }; +} diff --git a/clients/client-organizations/src/commands/UpdatePolicyCommand.ts b/clients/client-organizations/src/commands/UpdatePolicyCommand.ts index f3b8abd93d7f..3c959c2cd9cb 100644 --- a/clients/client-organizations/src/commands/UpdatePolicyCommand.ts +++ b/clients/client-organizations/src/commands/UpdatePolicyCommand.ts @@ -491,4 +491,16 @@ export class UpdatePolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePolicyCommand) .de(de_UpdatePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePolicyRequest; + output: UpdatePolicyResponse; + }; + sdk: { + input: UpdatePolicyCommandInput; + output: UpdatePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-osis/package.json b/clients/client-osis/package.json index 85e049eb33c5..d09454269bae 100644 --- a/clients/client-osis/package.json +++ b/clients/client-osis/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-osis/src/commands/CreatePipelineCommand.ts b/clients/client-osis/src/commands/CreatePipelineCommand.ts index 202a5029adeb..eec1b987e255 100644 --- a/clients/client-osis/src/commands/CreatePipelineCommand.ts +++ b/clients/client-osis/src/commands/CreatePipelineCommand.ts @@ -198,4 +198,16 @@ export class CreatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_CreatePipelineCommand) .de(de_CreatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePipelineRequest; + output: CreatePipelineResponse; + }; + sdk: { + input: CreatePipelineCommandInput; + output: CreatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/DeletePipelineCommand.ts b/clients/client-osis/src/commands/DeletePipelineCommand.ts index 84a7de883d1b..4e637976788c 100644 --- a/clients/client-osis/src/commands/DeletePipelineCommand.ts +++ b/clients/client-osis/src/commands/DeletePipelineCommand.ts @@ -94,4 +94,16 @@ export class DeletePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeletePipelineCommand) .de(de_DeletePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePipelineRequest; + output: {}; + }; + sdk: { + input: DeletePipelineCommandInput; + output: DeletePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/GetPipelineBlueprintCommand.ts b/clients/client-osis/src/commands/GetPipelineBlueprintCommand.ts index 1466c7dff882..97feae57d5f8 100644 --- a/clients/client-osis/src/commands/GetPipelineBlueprintCommand.ts +++ b/clients/client-osis/src/commands/GetPipelineBlueprintCommand.ts @@ -105,4 +105,16 @@ export class GetPipelineBlueprintCommand extends $Command .f(void 0, void 0) .ser(se_GetPipelineBlueprintCommand) .de(de_GetPipelineBlueprintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPipelineBlueprintRequest; + output: GetPipelineBlueprintResponse; + }; + sdk: { + input: GetPipelineBlueprintCommandInput; + output: GetPipelineBlueprintCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/GetPipelineChangeProgressCommand.ts b/clients/client-osis/src/commands/GetPipelineChangeProgressCommand.ts index 5bde0df62f03..c003c914504b 100644 --- a/clients/client-osis/src/commands/GetPipelineChangeProgressCommand.ts +++ b/clients/client-osis/src/commands/GetPipelineChangeProgressCommand.ts @@ -110,4 +110,16 @@ export class GetPipelineChangeProgressCommand extends $Command .f(void 0, void 0) .ser(se_GetPipelineChangeProgressCommand) .de(de_GetPipelineChangeProgressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPipelineChangeProgressRequest; + output: GetPipelineChangeProgressResponse; + }; + sdk: { + input: GetPipelineChangeProgressCommandInput; + output: GetPipelineChangeProgressCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/GetPipelineCommand.ts b/clients/client-osis/src/commands/GetPipelineCommand.ts index bf5cca15a94c..0dfa6cda3fa8 100644 --- a/clients/client-osis/src/commands/GetPipelineCommand.ts +++ b/clients/client-osis/src/commands/GetPipelineCommand.ts @@ -158,4 +158,16 @@ export class GetPipelineCommand extends $Command .f(void 0, void 0) .ser(se_GetPipelineCommand) .de(de_GetPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPipelineRequest; + output: GetPipelineResponse; + }; + sdk: { + input: GetPipelineCommandInput; + output: GetPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/ListPipelineBlueprintsCommand.ts b/clients/client-osis/src/commands/ListPipelineBlueprintsCommand.ts index b0f50ceeb12a..24358d791ffa 100644 --- a/clients/client-osis/src/commands/ListPipelineBlueprintsCommand.ts +++ b/clients/client-osis/src/commands/ListPipelineBlueprintsCommand.ts @@ -100,4 +100,16 @@ export class ListPipelineBlueprintsCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelineBlueprintsCommand) .de(de_ListPipelineBlueprintsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListPipelineBlueprintsResponse; + }; + sdk: { + input: ListPipelineBlueprintsCommandInput; + output: ListPipelineBlueprintsCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/ListPipelinesCommand.ts b/clients/client-osis/src/commands/ListPipelinesCommand.ts index 0dfacd4d59f3..d4ddaa558d9f 100644 --- a/clients/client-osis/src/commands/ListPipelinesCommand.ts +++ b/clients/client-osis/src/commands/ListPipelinesCommand.ts @@ -121,4 +121,16 @@ export class ListPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelinesCommand) .de(de_ListPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelinesRequest; + output: ListPipelinesResponse; + }; + sdk: { + input: ListPipelinesCommandInput; + output: ListPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/ListTagsForResourceCommand.ts b/clients/client-osis/src/commands/ListTagsForResourceCommand.ts index fcba104075fd..30961777d03e 100644 --- a/clients/client-osis/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-osis/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/StartPipelineCommand.ts b/clients/client-osis/src/commands/StartPipelineCommand.ts index 0b57c6454757..af5223c33b5a 100644 --- a/clients/client-osis/src/commands/StartPipelineCommand.ts +++ b/clients/client-osis/src/commands/StartPipelineCommand.ts @@ -161,4 +161,16 @@ export class StartPipelineCommand extends $Command .f(void 0, void 0) .ser(se_StartPipelineCommand) .de(de_StartPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPipelineRequest; + output: StartPipelineResponse; + }; + sdk: { + input: StartPipelineCommandInput; + output: StartPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/StopPipelineCommand.ts b/clients/client-osis/src/commands/StopPipelineCommand.ts index 988db95f3c8d..a342aad67d46 100644 --- a/clients/client-osis/src/commands/StopPipelineCommand.ts +++ b/clients/client-osis/src/commands/StopPipelineCommand.ts @@ -161,4 +161,16 @@ export class StopPipelineCommand extends $Command .f(void 0, void 0) .ser(se_StopPipelineCommand) .de(de_StopPipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopPipelineRequest; + output: StopPipelineResponse; + }; + sdk: { + input: StopPipelineCommandInput; + output: StopPipelineCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/TagResourceCommand.ts b/clients/client-osis/src/commands/TagResourceCommand.ts index 8b2eaa357da8..bd1ce3e517b2 100644 --- a/clients/client-osis/src/commands/TagResourceCommand.ts +++ b/clients/client-osis/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/UntagResourceCommand.ts b/clients/client-osis/src/commands/UntagResourceCommand.ts index 94a990bbe90d..78c22463c322 100644 --- a/clients/client-osis/src/commands/UntagResourceCommand.ts +++ b/clients/client-osis/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/UpdatePipelineCommand.ts b/clients/client-osis/src/commands/UpdatePipelineCommand.ts index 95115a52039b..23eb068dd062 100644 --- a/clients/client-osis/src/commands/UpdatePipelineCommand.ts +++ b/clients/client-osis/src/commands/UpdatePipelineCommand.ts @@ -176,4 +176,16 @@ export class UpdatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineCommand) .de(de_UpdatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineRequest; + output: UpdatePipelineResponse; + }; + sdk: { + input: UpdatePipelineCommandInput; + output: UpdatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-osis/src/commands/ValidatePipelineCommand.ts b/clients/client-osis/src/commands/ValidatePipelineCommand.ts index 38bb14eb773a..980cb544bd8f 100644 --- a/clients/client-osis/src/commands/ValidatePipelineCommand.ts +++ b/clients/client-osis/src/commands/ValidatePipelineCommand.ts @@ -97,4 +97,16 @@ export class ValidatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_ValidatePipelineCommand) .de(de_ValidatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidatePipelineRequest; + output: ValidatePipelineResponse; + }; + sdk: { + input: ValidatePipelineCommandInput; + output: ValidatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/package.json b/clients/client-outposts/package.json index 66c40f227b52..d6c4e8c2178a 100644 --- a/clients/client-outposts/package.json +++ b/clients/client-outposts/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-outposts/src/commands/CancelCapacityTaskCommand.ts b/clients/client-outposts/src/commands/CancelCapacityTaskCommand.ts index a9d03caa6151..40915fb32453 100644 --- a/clients/client-outposts/src/commands/CancelCapacityTaskCommand.ts +++ b/clients/client-outposts/src/commands/CancelCapacityTaskCommand.ts @@ -91,4 +91,16 @@ export class CancelCapacityTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelCapacityTaskCommand) .de(de_CancelCapacityTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelCapacityTaskInput; + output: {}; + }; + sdk: { + input: CancelCapacityTaskCommandInput; + output: CancelCapacityTaskCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/CancelOrderCommand.ts b/clients/client-outposts/src/commands/CancelOrderCommand.ts index 16355e2b91f7..c84fd0499b9c 100644 --- a/clients/client-outposts/src/commands/CancelOrderCommand.ts +++ b/clients/client-outposts/src/commands/CancelOrderCommand.ts @@ -90,4 +90,16 @@ export class CancelOrderCommand extends $Command .f(void 0, void 0) .ser(se_CancelOrderCommand) .de(de_CancelOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelOrderInput; + output: {}; + }; + sdk: { + input: CancelOrderCommandInput; + output: CancelOrderCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/CreateOrderCommand.ts b/clients/client-outposts/src/commands/CreateOrderCommand.ts index fba5a4856e1e..6486ff6caee2 100644 --- a/clients/client-outposts/src/commands/CreateOrderCommand.ts +++ b/clients/client-outposts/src/commands/CreateOrderCommand.ts @@ -134,4 +134,16 @@ export class CreateOrderCommand extends $Command .f(void 0, void 0) .ser(se_CreateOrderCommand) .de(de_CreateOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOrderInput; + output: CreateOrderOutput; + }; + sdk: { + input: CreateOrderCommandInput; + output: CreateOrderCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/CreateOutpostCommand.ts b/clients/client-outposts/src/commands/CreateOutpostCommand.ts index a07d3d49e1f3..1acc5462135f 100644 --- a/clients/client-outposts/src/commands/CreateOutpostCommand.ts +++ b/clients/client-outposts/src/commands/CreateOutpostCommand.ts @@ -119,4 +119,16 @@ export class CreateOutpostCommand extends $Command .f(void 0, void 0) .ser(se_CreateOutpostCommand) .de(de_CreateOutpostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOutpostInput; + output: CreateOutpostOutput; + }; + sdk: { + input: CreateOutpostCommandInput; + output: CreateOutpostCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/CreateSiteCommand.ts b/clients/client-outposts/src/commands/CreateSiteCommand.ts index 69d98d3578c1..af39da2b4655 100644 --- a/clients/client-outposts/src/commands/CreateSiteCommand.ts +++ b/clients/client-outposts/src/commands/CreateSiteCommand.ts @@ -158,4 +158,16 @@ export class CreateSiteCommand extends $Command .f(void 0, void 0) .ser(se_CreateSiteCommand) .de(de_CreateSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSiteInput; + output: CreateSiteOutput; + }; + sdk: { + input: CreateSiteCommandInput; + output: CreateSiteCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/DeleteOutpostCommand.ts b/clients/client-outposts/src/commands/DeleteOutpostCommand.ts index 5dbfd35f5c82..56e5798c9250 100644 --- a/clients/client-outposts/src/commands/DeleteOutpostCommand.ts +++ b/clients/client-outposts/src/commands/DeleteOutpostCommand.ts @@ -90,4 +90,16 @@ export class DeleteOutpostCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOutpostCommand) .de(de_DeleteOutpostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOutpostInput; + output: {}; + }; + sdk: { + input: DeleteOutpostCommandInput; + output: DeleteOutpostCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/DeleteSiteCommand.ts b/clients/client-outposts/src/commands/DeleteSiteCommand.ts index 8a41fc0a5c1b..81685aa17262 100644 --- a/clients/client-outposts/src/commands/DeleteSiteCommand.ts +++ b/clients/client-outposts/src/commands/DeleteSiteCommand.ts @@ -90,4 +90,16 @@ export class DeleteSiteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSiteCommand) .de(de_DeleteSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSiteInput; + output: {}; + }; + sdk: { + input: DeleteSiteCommandInput; + output: DeleteSiteCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetCapacityTaskCommand.ts b/clients/client-outposts/src/commands/GetCapacityTaskCommand.ts index 837880420762..f602aa41b7bc 100644 --- a/clients/client-outposts/src/commands/GetCapacityTaskCommand.ts +++ b/clients/client-outposts/src/commands/GetCapacityTaskCommand.ts @@ -107,4 +107,16 @@ export class GetCapacityTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetCapacityTaskCommand) .de(de_GetCapacityTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCapacityTaskInput; + output: GetCapacityTaskOutput; + }; + sdk: { + input: GetCapacityTaskCommandInput; + output: GetCapacityTaskCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetCatalogItemCommand.ts b/clients/client-outposts/src/commands/GetCatalogItemCommand.ts index 609b35224ac8..1162a84b12b8 100644 --- a/clients/client-outposts/src/commands/GetCatalogItemCommand.ts +++ b/clients/client-outposts/src/commands/GetCatalogItemCommand.ts @@ -104,4 +104,16 @@ export class GetCatalogItemCommand extends $Command .f(void 0, void 0) .ser(se_GetCatalogItemCommand) .de(de_GetCatalogItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCatalogItemInput; + output: GetCatalogItemOutput; + }; + sdk: { + input: GetCatalogItemCommandInput; + output: GetCatalogItemCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetConnectionCommand.ts b/clients/client-outposts/src/commands/GetConnectionCommand.ts index 5cbb4458aedf..a13cd35a8c26 100644 --- a/clients/client-outposts/src/commands/GetConnectionCommand.ts +++ b/clients/client-outposts/src/commands/GetConnectionCommand.ts @@ -109,4 +109,16 @@ export class GetConnectionCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionCommand) .de(de_GetConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionRequest; + output: GetConnectionResponse; + }; + sdk: { + input: GetConnectionCommandInput; + output: GetConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetOrderCommand.ts b/clients/client-outposts/src/commands/GetOrderCommand.ts index c811ca0dcb41..66f7412afab6 100644 --- a/clients/client-outposts/src/commands/GetOrderCommand.ts +++ b/clients/client-outposts/src/commands/GetOrderCommand.ts @@ -117,4 +117,16 @@ export class GetOrderCommand extends $Command .f(void 0, void 0) .ser(se_GetOrderCommand) .de(de_GetOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOrderInput; + output: GetOrderOutput; + }; + sdk: { + input: GetOrderCommandInput; + output: GetOrderCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetOutpostCommand.ts b/clients/client-outposts/src/commands/GetOutpostCommand.ts index 80c4117dc347..70ea65fb45e8 100644 --- a/clients/client-outposts/src/commands/GetOutpostCommand.ts +++ b/clients/client-outposts/src/commands/GetOutpostCommand.ts @@ -104,4 +104,16 @@ export class GetOutpostCommand extends $Command .f(void 0, void 0) .ser(se_GetOutpostCommand) .de(de_GetOutpostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOutpostInput; + output: GetOutpostOutput; + }; + sdk: { + input: GetOutpostCommandInput; + output: GetOutpostCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetOutpostInstanceTypesCommand.ts b/clients/client-outposts/src/commands/GetOutpostInstanceTypesCommand.ts index 086f3cc7c9cb..503e10d7c53d 100644 --- a/clients/client-outposts/src/commands/GetOutpostInstanceTypesCommand.ts +++ b/clients/client-outposts/src/commands/GetOutpostInstanceTypesCommand.ts @@ -99,4 +99,16 @@ export class GetOutpostInstanceTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetOutpostInstanceTypesCommand) .de(de_GetOutpostInstanceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOutpostInstanceTypesInput; + output: GetOutpostInstanceTypesOutput; + }; + sdk: { + input: GetOutpostInstanceTypesCommandInput; + output: GetOutpostInstanceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetOutpostSupportedInstanceTypesCommand.ts b/clients/client-outposts/src/commands/GetOutpostSupportedInstanceTypesCommand.ts index 353cc5724d09..294b88ccb008 100644 --- a/clients/client-outposts/src/commands/GetOutpostSupportedInstanceTypesCommand.ts +++ b/clients/client-outposts/src/commands/GetOutpostSupportedInstanceTypesCommand.ts @@ -106,4 +106,16 @@ export class GetOutpostSupportedInstanceTypesCommand extends $Command .f(void 0, void 0) .ser(se_GetOutpostSupportedInstanceTypesCommand) .de(de_GetOutpostSupportedInstanceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOutpostSupportedInstanceTypesInput; + output: GetOutpostSupportedInstanceTypesOutput; + }; + sdk: { + input: GetOutpostSupportedInstanceTypesCommandInput; + output: GetOutpostSupportedInstanceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetSiteAddressCommand.ts b/clients/client-outposts/src/commands/GetSiteAddressCommand.ts index e2d08241188f..1801b26a4535 100644 --- a/clients/client-outposts/src/commands/GetSiteAddressCommand.ts +++ b/clients/client-outposts/src/commands/GetSiteAddressCommand.ts @@ -104,4 +104,16 @@ export class GetSiteAddressCommand extends $Command .f(void 0, void 0) .ser(se_GetSiteAddressCommand) .de(de_GetSiteAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSiteAddressInput; + output: GetSiteAddressOutput; + }; + sdk: { + input: GetSiteAddressCommandInput; + output: GetSiteAddressCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/GetSiteCommand.ts b/clients/client-outposts/src/commands/GetSiteCommand.ts index 0243cbd93936..376bed3c5713 100644 --- a/clients/client-outposts/src/commands/GetSiteCommand.ts +++ b/clients/client-outposts/src/commands/GetSiteCommand.ts @@ -113,4 +113,16 @@ export class GetSiteCommand extends $Command .f(void 0, void 0) .ser(se_GetSiteCommand) .de(de_GetSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSiteInput; + output: GetSiteOutput; + }; + sdk: { + input: GetSiteCommandInput; + output: GetSiteCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/ListAssetsCommand.ts b/clients/client-outposts/src/commands/ListAssetsCommand.ts index 3f2422b67ee2..5c1160644ab3 100644 --- a/clients/client-outposts/src/commands/ListAssetsCommand.ts +++ b/clients/client-outposts/src/commands/ListAssetsCommand.ts @@ -117,4 +117,16 @@ export class ListAssetsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetsCommand) .de(de_ListAssetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetsInput; + output: ListAssetsOutput; + }; + sdk: { + input: ListAssetsCommandInput; + output: ListAssetsCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/ListCapacityTasksCommand.ts b/clients/client-outposts/src/commands/ListCapacityTasksCommand.ts index 5177a51fe8ac..b286d57bf7c9 100644 --- a/clients/client-outposts/src/commands/ListCapacityTasksCommand.ts +++ b/clients/client-outposts/src/commands/ListCapacityTasksCommand.ts @@ -108,4 +108,16 @@ export class ListCapacityTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListCapacityTasksCommand) .de(de_ListCapacityTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCapacityTasksInput; + output: ListCapacityTasksOutput; + }; + sdk: { + input: ListCapacityTasksCommandInput; + output: ListCapacityTasksCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/ListCatalogItemsCommand.ts b/clients/client-outposts/src/commands/ListCatalogItemsCommand.ts index 6b1eedead7fb..7d6aca5ed03e 100644 --- a/clients/client-outposts/src/commands/ListCatalogItemsCommand.ts +++ b/clients/client-outposts/src/commands/ListCatalogItemsCommand.ts @@ -120,4 +120,16 @@ export class ListCatalogItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListCatalogItemsCommand) .de(de_ListCatalogItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCatalogItemsInput; + output: ListCatalogItemsOutput; + }; + sdk: { + input: ListCatalogItemsCommandInput; + output: ListCatalogItemsCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/ListOrdersCommand.ts b/clients/client-outposts/src/commands/ListOrdersCommand.ts index d8cd0d2c9e19..0a56f6f2dd1c 100644 --- a/clients/client-outposts/src/commands/ListOrdersCommand.ts +++ b/clients/client-outposts/src/commands/ListOrdersCommand.ts @@ -104,4 +104,16 @@ export class ListOrdersCommand extends $Command .f(void 0, void 0) .ser(se_ListOrdersCommand) .de(de_ListOrdersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrdersInput; + output: ListOrdersOutput; + }; + sdk: { + input: ListOrdersCommandInput; + output: ListOrdersCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/ListOutpostsCommand.ts b/clients/client-outposts/src/commands/ListOutpostsCommand.ts index 6a249ad3976d..ccbce3023565 100644 --- a/clients/client-outposts/src/commands/ListOutpostsCommand.ts +++ b/clients/client-outposts/src/commands/ListOutpostsCommand.ts @@ -117,4 +117,16 @@ export class ListOutpostsCommand extends $Command .f(void 0, void 0) .ser(se_ListOutpostsCommand) .de(de_ListOutpostsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOutpostsInput; + output: ListOutpostsOutput; + }; + sdk: { + input: ListOutpostsCommandInput; + output: ListOutpostsCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/ListSitesCommand.ts b/clients/client-outposts/src/commands/ListSitesCommand.ts index aa7444390c6b..340e66529903 100644 --- a/clients/client-outposts/src/commands/ListSitesCommand.ts +++ b/clients/client-outposts/src/commands/ListSitesCommand.ts @@ -127,4 +127,16 @@ export class ListSitesCommand extends $Command .f(void 0, void 0) .ser(se_ListSitesCommand) .de(de_ListSitesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSitesInput; + output: ListSitesOutput; + }; + sdk: { + input: ListSitesCommandInput; + output: ListSitesCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/ListTagsForResourceCommand.ts b/clients/client-outposts/src/commands/ListTagsForResourceCommand.ts index d8ae459b593c..e8a553171af2 100644 --- a/clients/client-outposts/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-outposts/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/StartCapacityTaskCommand.ts b/clients/client-outposts/src/commands/StartCapacityTaskCommand.ts index de6467eecbfa..a7255789518d 100644 --- a/clients/client-outposts/src/commands/StartCapacityTaskCommand.ts +++ b/clients/client-outposts/src/commands/StartCapacityTaskCommand.ts @@ -117,4 +117,16 @@ export class StartCapacityTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartCapacityTaskCommand) .de(de_StartCapacityTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCapacityTaskInput; + output: StartCapacityTaskOutput; + }; + sdk: { + input: StartCapacityTaskCommandInput; + output: StartCapacityTaskCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/StartConnectionCommand.ts b/clients/client-outposts/src/commands/StartConnectionCommand.ts index d1c6ac298fe5..0c0283b23816 100644 --- a/clients/client-outposts/src/commands/StartConnectionCommand.ts +++ b/clients/client-outposts/src/commands/StartConnectionCommand.ts @@ -103,4 +103,16 @@ export class StartConnectionCommand extends $Command .f(void 0, void 0) .ser(se_StartConnectionCommand) .de(de_StartConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartConnectionRequest; + output: StartConnectionResponse; + }; + sdk: { + input: StartConnectionCommandInput; + output: StartConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/TagResourceCommand.ts b/clients/client-outposts/src/commands/TagResourceCommand.ts index e3b6ad1b582f..6a3366049a56 100644 --- a/clients/client-outposts/src/commands/TagResourceCommand.ts +++ b/clients/client-outposts/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/UntagResourceCommand.ts b/clients/client-outposts/src/commands/UntagResourceCommand.ts index 89705e4f7523..9b041a9d78a6 100644 --- a/clients/client-outposts/src/commands/UntagResourceCommand.ts +++ b/clients/client-outposts/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/UpdateOutpostCommand.ts b/clients/client-outposts/src/commands/UpdateOutpostCommand.ts index d510115a06e6..97481fb31bab 100644 --- a/clients/client-outposts/src/commands/UpdateOutpostCommand.ts +++ b/clients/client-outposts/src/commands/UpdateOutpostCommand.ts @@ -110,4 +110,16 @@ export class UpdateOutpostCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOutpostCommand) .de(de_UpdateOutpostCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOutpostInput; + output: UpdateOutpostOutput; + }; + sdk: { + input: UpdateOutpostCommandInput; + output: UpdateOutpostCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/UpdateSiteAddressCommand.ts b/clients/client-outposts/src/commands/UpdateSiteAddressCommand.ts index 3f9285c1fae4..927a3cdd011a 100644 --- a/clients/client-outposts/src/commands/UpdateSiteAddressCommand.ts +++ b/clients/client-outposts/src/commands/UpdateSiteAddressCommand.ts @@ -123,4 +123,16 @@ export class UpdateSiteAddressCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSiteAddressCommand) .de(de_UpdateSiteAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSiteAddressInput; + output: UpdateSiteAddressOutput; + }; + sdk: { + input: UpdateSiteAddressCommandInput; + output: UpdateSiteAddressCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/UpdateSiteCommand.ts b/clients/client-outposts/src/commands/UpdateSiteCommand.ts index a03aeb7dd984..1feca81db21c 100644 --- a/clients/client-outposts/src/commands/UpdateSiteCommand.ts +++ b/clients/client-outposts/src/commands/UpdateSiteCommand.ts @@ -119,4 +119,16 @@ export class UpdateSiteCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSiteCommand) .de(de_UpdateSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSiteInput; + output: UpdateSiteOutput; + }; + sdk: { + input: UpdateSiteCommandInput; + output: UpdateSiteCommandOutput; + }; + }; +} diff --git a/clients/client-outposts/src/commands/UpdateSiteRackPhysicalPropertiesCommand.ts b/clients/client-outposts/src/commands/UpdateSiteRackPhysicalPropertiesCommand.ts index 5f33894dd844..c0e031d7ed41 100644 --- a/clients/client-outposts/src/commands/UpdateSiteRackPhysicalPropertiesCommand.ts +++ b/clients/client-outposts/src/commands/UpdateSiteRackPhysicalPropertiesCommand.ts @@ -135,4 +135,16 @@ export class UpdateSiteRackPhysicalPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSiteRackPhysicalPropertiesCommand) .de(de_UpdateSiteRackPhysicalPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSiteRackPhysicalPropertiesInput; + output: UpdateSiteRackPhysicalPropertiesOutput; + }; + sdk: { + input: UpdateSiteRackPhysicalPropertiesCommandInput; + output: UpdateSiteRackPhysicalPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/package.json b/clients/client-panorama/package.json index bd08b4cde53b..f0135d206ff7 100644 --- a/clients/client-panorama/package.json +++ b/clients/client-panorama/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-panorama/src/commands/CreateApplicationInstanceCommand.ts b/clients/client-panorama/src/commands/CreateApplicationInstanceCommand.ts index 3f682247e030..3c054894a988 100644 --- a/clients/client-panorama/src/commands/CreateApplicationInstanceCommand.ts +++ b/clients/client-panorama/src/commands/CreateApplicationInstanceCommand.ts @@ -102,4 +102,16 @@ export class CreateApplicationInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationInstanceCommand) .de(de_CreateApplicationInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationInstanceRequest; + output: CreateApplicationInstanceResponse; + }; + sdk: { + input: CreateApplicationInstanceCommandInput; + output: CreateApplicationInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/CreateJobForDevicesCommand.ts b/clients/client-panorama/src/commands/CreateJobForDevicesCommand.ts index 50ad43c82371..f2fdf4a37b0e 100644 --- a/clients/client-panorama/src/commands/CreateJobForDevicesCommand.ts +++ b/clients/client-panorama/src/commands/CreateJobForDevicesCommand.ts @@ -106,4 +106,16 @@ export class CreateJobForDevicesCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobForDevicesCommand) .de(de_CreateJobForDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobForDevicesRequest; + output: CreateJobForDevicesResponse; + }; + sdk: { + input: CreateJobForDevicesCommandInput; + output: CreateJobForDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/CreateNodeFromTemplateJobCommand.ts b/clients/client-panorama/src/commands/CreateNodeFromTemplateJobCommand.ts index 6e35b9cb1faf..731dcfd7104b 100644 --- a/clients/client-panorama/src/commands/CreateNodeFromTemplateJobCommand.ts +++ b/clients/client-panorama/src/commands/CreateNodeFromTemplateJobCommand.ts @@ -108,4 +108,16 @@ export class CreateNodeFromTemplateJobCommand extends $Command .f(CreateNodeFromTemplateJobRequestFilterSensitiveLog, void 0) .ser(se_CreateNodeFromTemplateJobCommand) .de(de_CreateNodeFromTemplateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNodeFromTemplateJobRequest; + output: CreateNodeFromTemplateJobResponse; + }; + sdk: { + input: CreateNodeFromTemplateJobCommandInput; + output: CreateNodeFromTemplateJobCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/CreatePackageCommand.ts b/clients/client-panorama/src/commands/CreatePackageCommand.ts index f01598e73b50..9a8d7a5f3e6b 100644 --- a/clients/client-panorama/src/commands/CreatePackageCommand.ts +++ b/clients/client-panorama/src/commands/CreatePackageCommand.ts @@ -100,4 +100,16 @@ export class CreatePackageCommand extends $Command .f(void 0, void 0) .ser(se_CreatePackageCommand) .de(de_CreatePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackageRequest; + output: CreatePackageResponse; + }; + sdk: { + input: CreatePackageCommandInput; + output: CreatePackageCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/CreatePackageImportJobCommand.ts b/clients/client-panorama/src/commands/CreatePackageImportJobCommand.ts index 66f0f8f29fd7..97182bc94e60 100644 --- a/clients/client-panorama/src/commands/CreatePackageImportJobCommand.ts +++ b/clients/client-panorama/src/commands/CreatePackageImportJobCommand.ts @@ -114,4 +114,16 @@ export class CreatePackageImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreatePackageImportJobCommand) .de(de_CreatePackageImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePackageImportJobRequest; + output: CreatePackageImportJobResponse; + }; + sdk: { + input: CreatePackageImportJobCommandInput; + output: CreatePackageImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DeleteDeviceCommand.ts b/clients/client-panorama/src/commands/DeleteDeviceCommand.ts index fe2f69076bdc..86fe14578c0c 100644 --- a/clients/client-panorama/src/commands/DeleteDeviceCommand.ts +++ b/clients/client-panorama/src/commands/DeleteDeviceCommand.ts @@ -92,4 +92,16 @@ export class DeleteDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeviceCommand) .de(de_DeleteDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeviceRequest; + output: DeleteDeviceResponse; + }; + sdk: { + input: DeleteDeviceCommandInput; + output: DeleteDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DeletePackageCommand.ts b/clients/client-panorama/src/commands/DeletePackageCommand.ts index a2c646ac01f8..3f0e09334f47 100644 --- a/clients/client-panorama/src/commands/DeletePackageCommand.ts +++ b/clients/client-panorama/src/commands/DeletePackageCommand.ts @@ -95,4 +95,16 @@ export class DeletePackageCommand extends $Command .f(void 0, void 0) .ser(se_DeletePackageCommand) .de(de_DeletePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePackageRequest; + output: {}; + }; + sdk: { + input: DeletePackageCommandInput; + output: DeletePackageCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DeregisterPackageVersionCommand.ts b/clients/client-panorama/src/commands/DeregisterPackageVersionCommand.ts index db1ec3d37d4e..efa4cf943d78 100644 --- a/clients/client-panorama/src/commands/DeregisterPackageVersionCommand.ts +++ b/clients/client-panorama/src/commands/DeregisterPackageVersionCommand.ts @@ -94,4 +94,16 @@ export class DeregisterPackageVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterPackageVersionCommand) .de(de_DeregisterPackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterPackageVersionRequest; + output: {}; + }; + sdk: { + input: DeregisterPackageVersionCommandInput; + output: DeregisterPackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribeApplicationInstanceCommand.ts b/clients/client-panorama/src/commands/DescribeApplicationInstanceCommand.ts index 6bda181d8d3d..fbf5345a4dc0 100644 --- a/clients/client-panorama/src/commands/DescribeApplicationInstanceCommand.ts +++ b/clients/client-panorama/src/commands/DescribeApplicationInstanceCommand.ts @@ -120,4 +120,16 @@ export class DescribeApplicationInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationInstanceCommand) .de(de_DescribeApplicationInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationInstanceRequest; + output: DescribeApplicationInstanceResponse; + }; + sdk: { + input: DescribeApplicationInstanceCommandInput; + output: DescribeApplicationInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribeApplicationInstanceDetailsCommand.ts b/clients/client-panorama/src/commands/DescribeApplicationInstanceDetailsCommand.ts index 68cada6111f7..79cd0a885adf 100644 --- a/clients/client-panorama/src/commands/DescribeApplicationInstanceDetailsCommand.ts +++ b/clients/client-panorama/src/commands/DescribeApplicationInstanceDetailsCommand.ts @@ -111,4 +111,16 @@ export class DescribeApplicationInstanceDetailsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationInstanceDetailsCommand) .de(de_DescribeApplicationInstanceDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationInstanceDetailsRequest; + output: DescribeApplicationInstanceDetailsResponse; + }; + sdk: { + input: DescribeApplicationInstanceDetailsCommandInput; + output: DescribeApplicationInstanceDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribeDeviceCommand.ts b/clients/client-panorama/src/commands/DescribeDeviceCommand.ts index 537715e5f3b6..a3cdc32289e7 100644 --- a/clients/client-panorama/src/commands/DescribeDeviceCommand.ts +++ b/clients/client-panorama/src/commands/DescribeDeviceCommand.ts @@ -163,4 +163,16 @@ export class DescribeDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceCommand) .de(de_DescribeDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceRequest; + output: DescribeDeviceResponse; + }; + sdk: { + input: DescribeDeviceCommandInput; + output: DescribeDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribeDeviceJobCommand.ts b/clients/client-panorama/src/commands/DescribeDeviceJobCommand.ts index 1f14a20b35f1..20bd5188cc26 100644 --- a/clients/client-panorama/src/commands/DescribeDeviceJobCommand.ts +++ b/clients/client-panorama/src/commands/DescribeDeviceJobCommand.ts @@ -100,4 +100,16 @@ export class DescribeDeviceJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceJobCommand) .de(de_DescribeDeviceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceJobRequest; + output: DescribeDeviceJobResponse; + }; + sdk: { + input: DescribeDeviceJobCommandInput; + output: DescribeDeviceJobCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribeNodeCommand.ts b/clients/client-panorama/src/commands/DescribeNodeCommand.ts index b3f1d9b6b75e..92344d5fcda8 100644 --- a/clients/client-panorama/src/commands/DescribeNodeCommand.ts +++ b/clients/client-panorama/src/commands/DescribeNodeCommand.ts @@ -123,4 +123,16 @@ export class DescribeNodeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNodeCommand) .de(de_DescribeNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNodeRequest; + output: DescribeNodeResponse; + }; + sdk: { + input: DescribeNodeCommandInput; + output: DescribeNodeCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribeNodeFromTemplateJobCommand.ts b/clients/client-panorama/src/commands/DescribeNodeFromTemplateJobCommand.ts index f3c9b6cf63ab..c2027ebe4fc2 100644 --- a/clients/client-panorama/src/commands/DescribeNodeFromTemplateJobCommand.ts +++ b/clients/client-panorama/src/commands/DescribeNodeFromTemplateJobCommand.ts @@ -118,4 +118,16 @@ export class DescribeNodeFromTemplateJobCommand extends $Command .f(void 0, DescribeNodeFromTemplateJobResponseFilterSensitiveLog) .ser(se_DescribeNodeFromTemplateJobCommand) .de(de_DescribeNodeFromTemplateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNodeFromTemplateJobRequest; + output: DescribeNodeFromTemplateJobResponse; + }; + sdk: { + input: DescribeNodeFromTemplateJobCommandInput; + output: DescribeNodeFromTemplateJobCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribePackageCommand.ts b/clients/client-panorama/src/commands/DescribePackageCommand.ts index c2b949a23907..68bde59e33af 100644 --- a/clients/client-panorama/src/commands/DescribePackageCommand.ts +++ b/clients/client-panorama/src/commands/DescribePackageCommand.ts @@ -111,4 +111,16 @@ export class DescribePackageCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackageCommand) .de(de_DescribePackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackageRequest; + output: DescribePackageResponse; + }; + sdk: { + input: DescribePackageCommandInput; + output: DescribePackageCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribePackageImportJobCommand.ts b/clients/client-panorama/src/commands/DescribePackageImportJobCommand.ts index 65fe3b3913b1..4452bb9af90e 100644 --- a/clients/client-panorama/src/commands/DescribePackageImportJobCommand.ts +++ b/clients/client-panorama/src/commands/DescribePackageImportJobCommand.ts @@ -128,4 +128,16 @@ export class DescribePackageImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackageImportJobCommand) .de(de_DescribePackageImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackageImportJobRequest; + output: DescribePackageImportJobResponse; + }; + sdk: { + input: DescribePackageImportJobCommandInput; + output: DescribePackageImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/DescribePackageVersionCommand.ts b/clients/client-panorama/src/commands/DescribePackageVersionCommand.ts index e5f472114ab5..6ab34eb52297 100644 --- a/clients/client-panorama/src/commands/DescribePackageVersionCommand.ts +++ b/clients/client-panorama/src/commands/DescribePackageVersionCommand.ts @@ -104,4 +104,16 @@ export class DescribePackageVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribePackageVersionCommand) .de(de_DescribePackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePackageVersionRequest; + output: DescribePackageVersionResponse; + }; + sdk: { + input: DescribePackageVersionCommandInput; + output: DescribePackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListApplicationInstanceDependenciesCommand.ts b/clients/client-panorama/src/commands/ListApplicationInstanceDependenciesCommand.ts index 28e2e483cd68..fd8041b79186 100644 --- a/clients/client-panorama/src/commands/ListApplicationInstanceDependenciesCommand.ts +++ b/clients/client-panorama/src/commands/ListApplicationInstanceDependenciesCommand.ts @@ -100,4 +100,16 @@ export class ListApplicationInstanceDependenciesCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationInstanceDependenciesCommand) .de(de_ListApplicationInstanceDependenciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationInstanceDependenciesRequest; + output: ListApplicationInstanceDependenciesResponse; + }; + sdk: { + input: ListApplicationInstanceDependenciesCommandInput; + output: ListApplicationInstanceDependenciesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListApplicationInstanceNodeInstancesCommand.ts b/clients/client-panorama/src/commands/ListApplicationInstanceNodeInstancesCommand.ts index c36267ce662d..ce7b5a8264a2 100644 --- a/clients/client-panorama/src/commands/ListApplicationInstanceNodeInstancesCommand.ts +++ b/clients/client-panorama/src/commands/ListApplicationInstanceNodeInstancesCommand.ts @@ -104,4 +104,16 @@ export class ListApplicationInstanceNodeInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationInstanceNodeInstancesCommand) .de(de_ListApplicationInstanceNodeInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationInstanceNodeInstancesRequest; + output: ListApplicationInstanceNodeInstancesResponse; + }; + sdk: { + input: ListApplicationInstanceNodeInstancesCommandInput; + output: ListApplicationInstanceNodeInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListApplicationInstancesCommand.ts b/clients/client-panorama/src/commands/ListApplicationInstancesCommand.ts index d8d21cc0d1e6..53427e8c2102 100644 --- a/clients/client-panorama/src/commands/ListApplicationInstancesCommand.ts +++ b/clients/client-panorama/src/commands/ListApplicationInstancesCommand.ts @@ -111,4 +111,16 @@ export class ListApplicationInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationInstancesCommand) .de(de_ListApplicationInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationInstancesRequest; + output: ListApplicationInstancesResponse; + }; + sdk: { + input: ListApplicationInstancesCommandInput; + output: ListApplicationInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListDevicesCommand.ts b/clients/client-panorama/src/commands/ListDevicesCommand.ts index 9b0a219cc4bc..7f5cf3e83296 100644 --- a/clients/client-panorama/src/commands/ListDevicesCommand.ts +++ b/clients/client-panorama/src/commands/ListDevicesCommand.ts @@ -117,4 +117,16 @@ export class ListDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesRequest; + output: ListDevicesResponse; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListDevicesJobsCommand.ts b/clients/client-panorama/src/commands/ListDevicesJobsCommand.ts index 03756a373364..fadbe7a776ce 100644 --- a/clients/client-panorama/src/commands/ListDevicesJobsCommand.ts +++ b/clients/client-panorama/src/commands/ListDevicesJobsCommand.ts @@ -103,4 +103,16 @@ export class ListDevicesJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesJobsCommand) .de(de_ListDevicesJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesJobsRequest; + output: ListDevicesJobsResponse; + }; + sdk: { + input: ListDevicesJobsCommandInput; + output: ListDevicesJobsCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListNodeFromTemplateJobsCommand.ts b/clients/client-panorama/src/commands/ListNodeFromTemplateJobsCommand.ts index 63285473ebb8..7b2674c955f3 100644 --- a/clients/client-panorama/src/commands/ListNodeFromTemplateJobsCommand.ts +++ b/clients/client-panorama/src/commands/ListNodeFromTemplateJobsCommand.ts @@ -100,4 +100,16 @@ export class ListNodeFromTemplateJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListNodeFromTemplateJobsCommand) .de(de_ListNodeFromTemplateJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNodeFromTemplateJobsRequest; + output: ListNodeFromTemplateJobsResponse; + }; + sdk: { + input: ListNodeFromTemplateJobsCommandInput; + output: ListNodeFromTemplateJobsCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListNodesCommand.ts b/clients/client-panorama/src/commands/ListNodesCommand.ts index dc0546021c5a..6a08fc484cb8 100644 --- a/clients/client-panorama/src/commands/ListNodesCommand.ts +++ b/clients/client-panorama/src/commands/ListNodesCommand.ts @@ -107,4 +107,16 @@ export class ListNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListNodesCommand) .de(de_ListNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNodesRequest; + output: ListNodesResponse; + }; + sdk: { + input: ListNodesCommandInput; + output: ListNodesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListPackageImportJobsCommand.ts b/clients/client-panorama/src/commands/ListPackageImportJobsCommand.ts index fd0c29256deb..51aa5c33e939 100644 --- a/clients/client-panorama/src/commands/ListPackageImportJobsCommand.ts +++ b/clients/client-panorama/src/commands/ListPackageImportJobsCommand.ts @@ -100,4 +100,16 @@ export class ListPackageImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListPackageImportJobsCommand) .de(de_ListPackageImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackageImportJobsRequest; + output: ListPackageImportJobsResponse; + }; + sdk: { + input: ListPackageImportJobsCommandInput; + output: ListPackageImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListPackagesCommand.ts b/clients/client-panorama/src/commands/ListPackagesCommand.ts index ea1df2dca2cc..de15deca2e27 100644 --- a/clients/client-panorama/src/commands/ListPackagesCommand.ts +++ b/clients/client-panorama/src/commands/ListPackagesCommand.ts @@ -104,4 +104,16 @@ export class ListPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListPackagesCommand) .de(de_ListPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPackagesRequest; + output: ListPackagesResponse; + }; + sdk: { + input: ListPackagesCommandInput; + output: ListPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ListTagsForResourceCommand.ts b/clients/client-panorama/src/commands/ListTagsForResourceCommand.ts index c4711d16e81a..b8a2b061b191 100644 --- a/clients/client-panorama/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-panorama/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/ProvisionDeviceCommand.ts b/clients/client-panorama/src/commands/ProvisionDeviceCommand.ts index 8ce7479135c9..299746b5fd9d 100644 --- a/clients/client-panorama/src/commands/ProvisionDeviceCommand.ts +++ b/clients/client-panorama/src/commands/ProvisionDeviceCommand.ts @@ -132,4 +132,16 @@ export class ProvisionDeviceCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionDeviceCommand) .de(de_ProvisionDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionDeviceRequest; + output: ProvisionDeviceResponse; + }; + sdk: { + input: ProvisionDeviceCommandInput; + output: ProvisionDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/RegisterPackageVersionCommand.ts b/clients/client-panorama/src/commands/RegisterPackageVersionCommand.ts index 56c8999231b8..e0a6db3d318b 100644 --- a/clients/client-panorama/src/commands/RegisterPackageVersionCommand.ts +++ b/clients/client-panorama/src/commands/RegisterPackageVersionCommand.ts @@ -91,4 +91,16 @@ export class RegisterPackageVersionCommand extends $Command .f(void 0, void 0) .ser(se_RegisterPackageVersionCommand) .de(de_RegisterPackageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterPackageVersionRequest; + output: {}; + }; + sdk: { + input: RegisterPackageVersionCommandInput; + output: RegisterPackageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/RemoveApplicationInstanceCommand.ts b/clients/client-panorama/src/commands/RemoveApplicationInstanceCommand.ts index b0bf4c08898e..1885bf8941fd 100644 --- a/clients/client-panorama/src/commands/RemoveApplicationInstanceCommand.ts +++ b/clients/client-panorama/src/commands/RemoveApplicationInstanceCommand.ts @@ -90,4 +90,16 @@ export class RemoveApplicationInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveApplicationInstanceCommand) .de(de_RemoveApplicationInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveApplicationInstanceRequest; + output: {}; + }; + sdk: { + input: RemoveApplicationInstanceCommandInput; + output: RemoveApplicationInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/SignalApplicationInstanceNodeInstancesCommand.ts b/clients/client-panorama/src/commands/SignalApplicationInstanceNodeInstancesCommand.ts index d45c2db944be..97f3e6f2876a 100644 --- a/clients/client-panorama/src/commands/SignalApplicationInstanceNodeInstancesCommand.ts +++ b/clients/client-panorama/src/commands/SignalApplicationInstanceNodeInstancesCommand.ts @@ -104,4 +104,16 @@ export class SignalApplicationInstanceNodeInstancesCommand extends $Command .f(void 0, void 0) .ser(se_SignalApplicationInstanceNodeInstancesCommand) .de(de_SignalApplicationInstanceNodeInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SignalApplicationInstanceNodeInstancesRequest; + output: SignalApplicationInstanceNodeInstancesResponse; + }; + sdk: { + input: SignalApplicationInstanceNodeInstancesCommandInput; + output: SignalApplicationInstanceNodeInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/TagResourceCommand.ts b/clients/client-panorama/src/commands/TagResourceCommand.ts index be9e1f3ef647..1e535ccb6e03 100644 --- a/clients/client-panorama/src/commands/TagResourceCommand.ts +++ b/clients/client-panorama/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/UntagResourceCommand.ts b/clients/client-panorama/src/commands/UntagResourceCommand.ts index 867334f0eac6..d4c6e4e299ff 100644 --- a/clients/client-panorama/src/commands/UntagResourceCommand.ts +++ b/clients/client-panorama/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-panorama/src/commands/UpdateDeviceMetadataCommand.ts b/clients/client-panorama/src/commands/UpdateDeviceMetadataCommand.ts index d069439869d0..d26f3bf7ef28 100644 --- a/clients/client-panorama/src/commands/UpdateDeviceMetadataCommand.ts +++ b/clients/client-panorama/src/commands/UpdateDeviceMetadataCommand.ts @@ -93,4 +93,16 @@ export class UpdateDeviceMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeviceMetadataCommand) .de(de_UpdateDeviceMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceMetadataRequest; + output: UpdateDeviceMetadataResponse; + }; + sdk: { + input: UpdateDeviceMetadataCommandInput; + output: UpdateDeviceMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/package.json b/clients/client-payment-cryptography-data/package.json index 2f6d53651a00..05d9c6f4b95d 100644 --- a/clients/client-payment-cryptography-data/package.json +++ b/clients/client-payment-cryptography-data/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-payment-cryptography-data/src/commands/DecryptDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/DecryptDataCommand.ts index cd164fc258a9..7c3142a07056 100644 --- a/clients/client-payment-cryptography-data/src/commands/DecryptDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/DecryptDataCommand.ts @@ -161,4 +161,16 @@ export class DecryptDataCommand extends $Command .f(DecryptDataInputFilterSensitiveLog, DecryptDataOutputFilterSensitiveLog) .ser(se_DecryptDataCommand) .de(de_DecryptDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DecryptDataInput; + output: DecryptDataOutput; + }; + sdk: { + input: DecryptDataCommandInput; + output: DecryptDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/EncryptDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/EncryptDataCommand.ts index cba9361b7b34..60ebbe14867d 100644 --- a/clients/client-payment-cryptography-data/src/commands/EncryptDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/EncryptDataCommand.ts @@ -167,4 +167,16 @@ export class EncryptDataCommand extends $Command .f(EncryptDataInputFilterSensitiveLog, EncryptDataOutputFilterSensitiveLog) .ser(se_EncryptDataCommand) .de(de_EncryptDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EncryptDataInput; + output: EncryptDataOutput; + }; + sdk: { + input: EncryptDataCommandInput; + output: EncryptDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/GenerateCardValidationDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/GenerateCardValidationDataCommand.ts index a9e873b79dad..b53e34e18bb6 100644 --- a/clients/client-payment-cryptography-data/src/commands/GenerateCardValidationDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/GenerateCardValidationDataCommand.ts @@ -157,4 +157,16 @@ export class GenerateCardValidationDataCommand extends $Command .f(GenerateCardValidationDataInputFilterSensitiveLog, GenerateCardValidationDataOutputFilterSensitiveLog) .ser(se_GenerateCardValidationDataCommand) .de(de_GenerateCardValidationDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateCardValidationDataInput; + output: GenerateCardValidationDataOutput; + }; + sdk: { + input: GenerateCardValidationDataCommandInput; + output: GenerateCardValidationDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/GenerateMacCommand.ts b/clients/client-payment-cryptography-data/src/commands/GenerateMacCommand.ts index f068be947293..6be3207f3d38 100644 --- a/clients/client-payment-cryptography-data/src/commands/GenerateMacCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/GenerateMacCommand.ts @@ -148,4 +148,16 @@ export class GenerateMacCommand extends $Command .f(GenerateMacInputFilterSensitiveLog, GenerateMacOutputFilterSensitiveLog) .ser(se_GenerateMacCommand) .de(de_GenerateMacCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateMacInput; + output: GenerateMacOutput; + }; + sdk: { + input: GenerateMacCommandInput; + output: GenerateMacCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/GeneratePinDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/GeneratePinDataCommand.ts index 2fe1e6a5d06a..3859196d846e 100644 --- a/clients/client-payment-cryptography-data/src/commands/GeneratePinDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/GeneratePinDataCommand.ts @@ -168,4 +168,16 @@ export class GeneratePinDataCommand extends $Command .f(GeneratePinDataInputFilterSensitiveLog, GeneratePinDataOutputFilterSensitiveLog) .ser(se_GeneratePinDataCommand) .de(de_GeneratePinDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GeneratePinDataInput; + output: GeneratePinDataOutput; + }; + sdk: { + input: GeneratePinDataCommandInput; + output: GeneratePinDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/ReEncryptDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/ReEncryptDataCommand.ts index aeaf294002fb..3111b1231aaf 100644 --- a/clients/client-payment-cryptography-data/src/commands/ReEncryptDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/ReEncryptDataCommand.ts @@ -175,4 +175,16 @@ export class ReEncryptDataCommand extends $Command .f(ReEncryptDataInputFilterSensitiveLog, ReEncryptDataOutputFilterSensitiveLog) .ser(se_ReEncryptDataCommand) .de(de_ReEncryptDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReEncryptDataInput; + output: ReEncryptDataOutput; + }; + sdk: { + input: ReEncryptDataCommandInput; + output: ReEncryptDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/TranslatePinDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/TranslatePinDataCommand.ts index 5183c7985a8e..7b07bd21ef1f 100644 --- a/clients/client-payment-cryptography-data/src/commands/TranslatePinDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/TranslatePinDataCommand.ts @@ -172,4 +172,16 @@ export class TranslatePinDataCommand extends $Command .f(TranslatePinDataInputFilterSensitiveLog, TranslatePinDataOutputFilterSensitiveLog) .ser(se_TranslatePinDataCommand) .de(de_TranslatePinDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TranslatePinDataInput; + output: TranslatePinDataOutput; + }; + sdk: { + input: TranslatePinDataCommandInput; + output: TranslatePinDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/VerifyAuthRequestCryptogramCommand.ts b/clients/client-payment-cryptography-data/src/commands/VerifyAuthRequestCryptogramCommand.ts index 2a9dfb7a2090..5f0a124e0565 100644 --- a/clients/client-payment-cryptography-data/src/commands/VerifyAuthRequestCryptogramCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/VerifyAuthRequestCryptogramCommand.ts @@ -166,4 +166,16 @@ export class VerifyAuthRequestCryptogramCommand extends $Command .f(VerifyAuthRequestCryptogramInputFilterSensitiveLog, VerifyAuthRequestCryptogramOutputFilterSensitiveLog) .ser(se_VerifyAuthRequestCryptogramCommand) .de(de_VerifyAuthRequestCryptogramCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyAuthRequestCryptogramInput; + output: VerifyAuthRequestCryptogramOutput; + }; + sdk: { + input: VerifyAuthRequestCryptogramCommandInput; + output: VerifyAuthRequestCryptogramCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/VerifyCardValidationDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/VerifyCardValidationDataCommand.ts index 03107fe9f723..5dae9cee55c2 100644 --- a/clients/client-payment-cryptography-data/src/commands/VerifyCardValidationDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/VerifyCardValidationDataCommand.ts @@ -168,4 +168,16 @@ export class VerifyCardValidationDataCommand extends $Command .f(VerifyCardValidationDataInputFilterSensitiveLog, void 0) .ser(se_VerifyCardValidationDataCommand) .de(de_VerifyCardValidationDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyCardValidationDataInput; + output: VerifyCardValidationDataOutput; + }; + sdk: { + input: VerifyCardValidationDataCommandInput; + output: VerifyCardValidationDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/VerifyMacCommand.ts b/clients/client-payment-cryptography-data/src/commands/VerifyMacCommand.ts index d8883db5ba56..57252eabdeb5 100644 --- a/clients/client-payment-cryptography-data/src/commands/VerifyMacCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/VerifyMacCommand.ts @@ -145,4 +145,16 @@ export class VerifyMacCommand extends $Command .f(VerifyMacInputFilterSensitiveLog, void 0) .ser(se_VerifyMacCommand) .de(de_VerifyMacCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyMacInput; + output: VerifyMacOutput; + }; + sdk: { + input: VerifyMacCommandInput; + output: VerifyMacCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography-data/src/commands/VerifyPinDataCommand.ts b/clients/client-payment-cryptography-data/src/commands/VerifyPinDataCommand.ts index 82405c69655e..0b2eae94c3be 100644 --- a/clients/client-payment-cryptography-data/src/commands/VerifyPinDataCommand.ts +++ b/clients/client-payment-cryptography-data/src/commands/VerifyPinDataCommand.ts @@ -142,4 +142,16 @@ export class VerifyPinDataCommand extends $Command .f(VerifyPinDataInputFilterSensitiveLog, void 0) .ser(se_VerifyPinDataCommand) .de(de_VerifyPinDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyPinDataInput; + output: VerifyPinDataOutput; + }; + sdk: { + input: VerifyPinDataCommandInput; + output: VerifyPinDataCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/package.json b/clients/client-payment-cryptography/package.json index 2097d0be0ac8..66e6823ebda3 100644 --- a/clients/client-payment-cryptography/package.json +++ b/clients/client-payment-cryptography/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-payment-cryptography/src/commands/CreateAliasCommand.ts b/clients/client-payment-cryptography/src/commands/CreateAliasCommand.ts index f5ec7a9701af..d54e48dd146b 100644 --- a/clients/client-payment-cryptography/src/commands/CreateAliasCommand.ts +++ b/clients/client-payment-cryptography/src/commands/CreateAliasCommand.ts @@ -138,4 +138,16 @@ export class CreateAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAliasCommand) .de(de_CreateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAliasInput; + output: CreateAliasOutput; + }; + sdk: { + input: CreateAliasCommandInput; + output: CreateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/CreateKeyCommand.ts b/clients/client-payment-cryptography/src/commands/CreateKeyCommand.ts index 2f68a9554f6c..4cd21377fc66 100644 --- a/clients/client-payment-cryptography/src/commands/CreateKeyCommand.ts +++ b/clients/client-payment-cryptography/src/commands/CreateKeyCommand.ts @@ -183,4 +183,16 @@ export class CreateKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreateKeyCommand) .de(de_CreateKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeyInput; + output: CreateKeyOutput; + }; + sdk: { + input: CreateKeyCommandInput; + output: CreateKeyCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/DeleteAliasCommand.ts b/clients/client-payment-cryptography/src/commands/DeleteAliasCommand.ts index 031a359a9e59..93fc33ffa682 100644 --- a/clients/client-payment-cryptography/src/commands/DeleteAliasCommand.ts +++ b/clients/client-payment-cryptography/src/commands/DeleteAliasCommand.ts @@ -128,4 +128,16 @@ export class DeleteAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAliasCommand) .de(de_DeleteAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAliasInput; + output: {}; + }; + sdk: { + input: DeleteAliasCommandInput; + output: DeleteAliasCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/DeleteKeyCommand.ts b/clients/client-payment-cryptography/src/commands/DeleteKeyCommand.ts index cb14a9028bdd..4fc5447f73af 100644 --- a/clients/client-payment-cryptography/src/commands/DeleteKeyCommand.ts +++ b/clients/client-payment-cryptography/src/commands/DeleteKeyCommand.ts @@ -156,4 +156,16 @@ export class DeleteKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeyCommand) .de(de_DeleteKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeyInput; + output: DeleteKeyOutput; + }; + sdk: { + input: DeleteKeyCommandInput; + output: DeleteKeyCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/ExportKeyCommand.ts b/clients/client-payment-cryptography/src/commands/ExportKeyCommand.ts index ae91728130fa..736ff11f5f1a 100644 --- a/clients/client-payment-cryptography/src/commands/ExportKeyCommand.ts +++ b/clients/client-payment-cryptography/src/commands/ExportKeyCommand.ts @@ -272,4 +272,16 @@ export class ExportKeyCommand extends $Command .f(ExportKeyInputFilterSensitiveLog, ExportKeyOutputFilterSensitiveLog) .ser(se_ExportKeyCommand) .de(de_ExportKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportKeyInput; + output: ExportKeyOutput; + }; + sdk: { + input: ExportKeyCommandInput; + output: ExportKeyCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/GetAliasCommand.ts b/clients/client-payment-cryptography/src/commands/GetAliasCommand.ts index 1129b4ebcae5..c13ddbcbd29c 100644 --- a/clients/client-payment-cryptography/src/commands/GetAliasCommand.ts +++ b/clients/client-payment-cryptography/src/commands/GetAliasCommand.ts @@ -129,4 +129,16 @@ export class GetAliasCommand extends $Command .f(void 0, void 0) .ser(se_GetAliasCommand) .de(de_GetAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAliasInput; + output: GetAliasOutput; + }; + sdk: { + input: GetAliasCommandInput; + output: GetAliasCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/GetKeyCommand.ts b/clients/client-payment-cryptography/src/commands/GetKeyCommand.ts index 2b6d3ef10cba..d568ac0850f8 100644 --- a/clients/client-payment-cryptography/src/commands/GetKeyCommand.ts +++ b/clients/client-payment-cryptography/src/commands/GetKeyCommand.ts @@ -150,4 +150,16 @@ export class GetKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetKeyCommand) .de(de_GetKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKeyInput; + output: GetKeyOutput; + }; + sdk: { + input: GetKeyCommandInput; + output: GetKeyCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/GetParametersForExportCommand.ts b/clients/client-payment-cryptography/src/commands/GetParametersForExportCommand.ts index 3b23fb1db524..fb12c533c8ff 100644 --- a/clients/client-payment-cryptography/src/commands/GetParametersForExportCommand.ts +++ b/clients/client-payment-cryptography/src/commands/GetParametersForExportCommand.ts @@ -132,4 +132,16 @@ export class GetParametersForExportCommand extends $Command .f(void 0, GetParametersForExportOutputFilterSensitiveLog) .ser(se_GetParametersForExportCommand) .de(de_GetParametersForExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParametersForExportInput; + output: GetParametersForExportOutput; + }; + sdk: { + input: GetParametersForExportCommandInput; + output: GetParametersForExportCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/GetParametersForImportCommand.ts b/clients/client-payment-cryptography/src/commands/GetParametersForImportCommand.ts index b70634a76e0b..3cfc1f633c68 100644 --- a/clients/client-payment-cryptography/src/commands/GetParametersForImportCommand.ts +++ b/clients/client-payment-cryptography/src/commands/GetParametersForImportCommand.ts @@ -132,4 +132,16 @@ export class GetParametersForImportCommand extends $Command .f(void 0, GetParametersForImportOutputFilterSensitiveLog) .ser(se_GetParametersForImportCommand) .de(de_GetParametersForImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParametersForImportInput; + output: GetParametersForImportOutput; + }; + sdk: { + input: GetParametersForImportCommandInput; + output: GetParametersForImportCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/GetPublicKeyCertificateCommand.ts b/clients/client-payment-cryptography/src/commands/GetPublicKeyCertificateCommand.ts index 226258395248..f4a4a71212a9 100644 --- a/clients/client-payment-cryptography/src/commands/GetPublicKeyCertificateCommand.ts +++ b/clients/client-payment-cryptography/src/commands/GetPublicKeyCertificateCommand.ts @@ -107,4 +107,16 @@ export class GetPublicKeyCertificateCommand extends $Command .f(void 0, GetPublicKeyCertificateOutputFilterSensitiveLog) .ser(se_GetPublicKeyCertificateCommand) .de(de_GetPublicKeyCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicKeyCertificateInput; + output: GetPublicKeyCertificateOutput; + }; + sdk: { + input: GetPublicKeyCertificateCommandInput; + output: GetPublicKeyCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/ImportKeyCommand.ts b/clients/client-payment-cryptography/src/commands/ImportKeyCommand.ts index 05def5910e27..7f9106904d34 100644 --- a/clients/client-payment-cryptography/src/commands/ImportKeyCommand.ts +++ b/clients/client-payment-cryptography/src/commands/ImportKeyCommand.ts @@ -347,4 +347,16 @@ export class ImportKeyCommand extends $Command .f(ImportKeyInputFilterSensitiveLog, void 0) .ser(se_ImportKeyCommand) .de(de_ImportKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportKeyInput; + output: ImportKeyOutput; + }; + sdk: { + input: ImportKeyCommandInput; + output: ImportKeyCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/ListAliasesCommand.ts b/clients/client-payment-cryptography/src/commands/ListAliasesCommand.ts index f321ff83a1b6..c1f6377c46c5 100644 --- a/clients/client-payment-cryptography/src/commands/ListAliasesCommand.ts +++ b/clients/client-payment-cryptography/src/commands/ListAliasesCommand.ts @@ -135,4 +135,16 @@ export class ListAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAliasesCommand) .de(de_ListAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAliasesInput; + output: ListAliasesOutput; + }; + sdk: { + input: ListAliasesCommandInput; + output: ListAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/ListKeysCommand.ts b/clients/client-payment-cryptography/src/commands/ListKeysCommand.ts index ff6b519b9960..6ee4d42476c1 100644 --- a/clients/client-payment-cryptography/src/commands/ListKeysCommand.ts +++ b/clients/client-payment-cryptography/src/commands/ListKeysCommand.ts @@ -151,4 +151,16 @@ export class ListKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListKeysCommand) .de(de_ListKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKeysInput; + output: ListKeysOutput; + }; + sdk: { + input: ListKeysCommandInput; + output: ListKeysCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/ListTagsForResourceCommand.ts b/clients/client-payment-cryptography/src/commands/ListTagsForResourceCommand.ts index 0fa59cbb3fe6..5c8b1d564340 100644 --- a/clients/client-payment-cryptography/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-payment-cryptography/src/commands/ListTagsForResourceCommand.ts @@ -127,4 +127,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/RestoreKeyCommand.ts b/clients/client-payment-cryptography/src/commands/RestoreKeyCommand.ts index f393a9f9a747..2e24ff0a2ca5 100644 --- a/clients/client-payment-cryptography/src/commands/RestoreKeyCommand.ts +++ b/clients/client-payment-cryptography/src/commands/RestoreKeyCommand.ts @@ -158,4 +158,16 @@ export class RestoreKeyCommand extends $Command .f(void 0, void 0) .ser(se_RestoreKeyCommand) .de(de_RestoreKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreKeyInput; + output: RestoreKeyOutput; + }; + sdk: { + input: RestoreKeyCommandInput; + output: RestoreKeyCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/StartKeyUsageCommand.ts b/clients/client-payment-cryptography/src/commands/StartKeyUsageCommand.ts index 06c84c5f44b3..6ac4bc83e72c 100644 --- a/clients/client-payment-cryptography/src/commands/StartKeyUsageCommand.ts +++ b/clients/client-payment-cryptography/src/commands/StartKeyUsageCommand.ts @@ -146,4 +146,16 @@ export class StartKeyUsageCommand extends $Command .f(void 0, void 0) .ser(se_StartKeyUsageCommand) .de(de_StartKeyUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartKeyUsageInput; + output: StartKeyUsageOutput; + }; + sdk: { + input: StartKeyUsageCommandInput; + output: StartKeyUsageCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/StopKeyUsageCommand.ts b/clients/client-payment-cryptography/src/commands/StopKeyUsageCommand.ts index a2766751ed91..86aedddcd3bc 100644 --- a/clients/client-payment-cryptography/src/commands/StopKeyUsageCommand.ts +++ b/clients/client-payment-cryptography/src/commands/StopKeyUsageCommand.ts @@ -152,4 +152,16 @@ export class StopKeyUsageCommand extends $Command .f(void 0, void 0) .ser(se_StopKeyUsageCommand) .de(de_StopKeyUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopKeyUsageInput; + output: StopKeyUsageOutput; + }; + sdk: { + input: StopKeyUsageCommandInput; + output: StopKeyUsageCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/TagResourceCommand.ts b/clients/client-payment-cryptography/src/commands/TagResourceCommand.ts index fc835c3094eb..bb3f1609b8a7 100644 --- a/clients/client-payment-cryptography/src/commands/TagResourceCommand.ts +++ b/clients/client-payment-cryptography/src/commands/TagResourceCommand.ts @@ -130,4 +130,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/UntagResourceCommand.ts b/clients/client-payment-cryptography/src/commands/UntagResourceCommand.ts index d563bc408a7a..ab7bab2742ae 100644 --- a/clients/client-payment-cryptography/src/commands/UntagResourceCommand.ts +++ b/clients/client-payment-cryptography/src/commands/UntagResourceCommand.ts @@ -123,4 +123,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-payment-cryptography/src/commands/UpdateAliasCommand.ts b/clients/client-payment-cryptography/src/commands/UpdateAliasCommand.ts index aeaf482671b9..a6c9cbdffdc8 100644 --- a/clients/client-payment-cryptography/src/commands/UpdateAliasCommand.ts +++ b/clients/client-payment-cryptography/src/commands/UpdateAliasCommand.ts @@ -133,4 +133,16 @@ export class UpdateAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAliasCommand) .de(de_UpdateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAliasInput; + output: UpdateAliasOutput; + }; + sdk: { + input: UpdateAliasCommandInput; + output: UpdateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/package.json b/clients/client-pca-connector-ad/package.json index fadf5a99139f..bbde74b10be9 100644 --- a/clients/client-pca-connector-ad/package.json +++ b/clients/client-pca-connector-ad/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-pca-connector-ad/src/commands/CreateConnectorCommand.ts b/clients/client-pca-connector-ad/src/commands/CreateConnectorCommand.ts index 654b78db63e9..384f442d6f41 100644 --- a/clients/client-pca-connector-ad/src/commands/CreateConnectorCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/CreateConnectorCommand.ts @@ -117,4 +117,16 @@ export class CreateConnectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectorCommand) .de(de_CreateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorRequest; + output: CreateConnectorResponse; + }; + sdk: { + input: CreateConnectorCommandInput; + output: CreateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/CreateDirectoryRegistrationCommand.ts b/clients/client-pca-connector-ad/src/commands/CreateDirectoryRegistrationCommand.ts index ef7d5de3e81c..3d80d4346019 100644 --- a/clients/client-pca-connector-ad/src/commands/CreateDirectoryRegistrationCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/CreateDirectoryRegistrationCommand.ts @@ -113,4 +113,16 @@ export class CreateDirectoryRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDirectoryRegistrationCommand) .de(de_CreateDirectoryRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDirectoryRegistrationRequest; + output: CreateDirectoryRegistrationResponse; + }; + sdk: { + input: CreateDirectoryRegistrationCommandInput; + output: CreateDirectoryRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/CreateServicePrincipalNameCommand.ts b/clients/client-pca-connector-ad/src/commands/CreateServicePrincipalNameCommand.ts index 13ae514c841d..d81c4b720620 100644 --- a/clients/client-pca-connector-ad/src/commands/CreateServicePrincipalNameCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/CreateServicePrincipalNameCommand.ts @@ -105,4 +105,16 @@ export class CreateServicePrincipalNameCommand extends $Command .f(void 0, void 0) .ser(se_CreateServicePrincipalNameCommand) .de(de_CreateServicePrincipalNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServicePrincipalNameRequest; + output: {}; + }; + sdk: { + input: CreateServicePrincipalNameCommandInput; + output: CreateServicePrincipalNameCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/CreateTemplateCommand.ts b/clients/client-pca-connector-ad/src/commands/CreateTemplateCommand.ts index 03c906231553..a29194485ed4 100644 --- a/clients/client-pca-connector-ad/src/commands/CreateTemplateCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/CreateTemplateCommand.ts @@ -348,4 +348,16 @@ export class CreateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateCommand) .de(de_CreateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateRequest; + output: CreateTemplateResponse; + }; + sdk: { + input: CreateTemplateCommandInput; + output: CreateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/CreateTemplateGroupAccessControlEntryCommand.ts b/clients/client-pca-connector-ad/src/commands/CreateTemplateGroupAccessControlEntryCommand.ts index 00f6c3ec94d1..06e1dca96b27 100644 --- a/clients/client-pca-connector-ad/src/commands/CreateTemplateGroupAccessControlEntryCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/CreateTemplateGroupAccessControlEntryCommand.ts @@ -116,4 +116,16 @@ export class CreateTemplateGroupAccessControlEntryCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateGroupAccessControlEntryCommand) .de(de_CreateTemplateGroupAccessControlEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateGroupAccessControlEntryRequest; + output: {}; + }; + sdk: { + input: CreateTemplateGroupAccessControlEntryCommandInput; + output: CreateTemplateGroupAccessControlEntryCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/DeleteConnectorCommand.ts b/clients/client-pca-connector-ad/src/commands/DeleteConnectorCommand.ts index e9f5e38f7461..72f131f13d4a 100644 --- a/clients/client-pca-connector-ad/src/commands/DeleteConnectorCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/DeleteConnectorCommand.ts @@ -105,4 +105,16 @@ export class DeleteConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectorCommand) .de(de_DeleteConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectorRequest; + output: {}; + }; + sdk: { + input: DeleteConnectorCommandInput; + output: DeleteConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/DeleteDirectoryRegistrationCommand.ts b/clients/client-pca-connector-ad/src/commands/DeleteDirectoryRegistrationCommand.ts index f1acea1bb179..ef4a54f0c8ae 100644 --- a/clients/client-pca-connector-ad/src/commands/DeleteDirectoryRegistrationCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/DeleteDirectoryRegistrationCommand.ts @@ -101,4 +101,16 @@ export class DeleteDirectoryRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDirectoryRegistrationCommand) .de(de_DeleteDirectoryRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDirectoryRegistrationRequest; + output: {}; + }; + sdk: { + input: DeleteDirectoryRegistrationCommandInput; + output: DeleteDirectoryRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/DeleteServicePrincipalNameCommand.ts b/clients/client-pca-connector-ad/src/commands/DeleteServicePrincipalNameCommand.ts index 65b28552b527..c6f54c3d1550 100644 --- a/clients/client-pca-connector-ad/src/commands/DeleteServicePrincipalNameCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/DeleteServicePrincipalNameCommand.ts @@ -99,4 +99,16 @@ export class DeleteServicePrincipalNameCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServicePrincipalNameCommand) .de(de_DeleteServicePrincipalNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServicePrincipalNameRequest; + output: {}; + }; + sdk: { + input: DeleteServicePrincipalNameCommandInput; + output: DeleteServicePrincipalNameCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/DeleteTemplateCommand.ts b/clients/client-pca-connector-ad/src/commands/DeleteTemplateCommand.ts index 7c6586caed3f..b1229cb0b1de 100644 --- a/clients/client-pca-connector-ad/src/commands/DeleteTemplateCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/DeleteTemplateCommand.ts @@ -102,4 +102,16 @@ export class DeleteTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateCommand) .de(de_DeleteTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteTemplateCommandInput; + output: DeleteTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/DeleteTemplateGroupAccessControlEntryCommand.ts b/clients/client-pca-connector-ad/src/commands/DeleteTemplateGroupAccessControlEntryCommand.ts index 06a20a3d8713..c569cca1c732 100644 --- a/clients/client-pca-connector-ad/src/commands/DeleteTemplateGroupAccessControlEntryCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/DeleteTemplateGroupAccessControlEntryCommand.ts @@ -106,4 +106,16 @@ export class DeleteTemplateGroupAccessControlEntryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateGroupAccessControlEntryCommand) .de(de_DeleteTemplateGroupAccessControlEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateGroupAccessControlEntryRequest; + output: {}; + }; + sdk: { + input: DeleteTemplateGroupAccessControlEntryCommandInput; + output: DeleteTemplateGroupAccessControlEntryCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/GetConnectorCommand.ts b/clients/client-pca-connector-ad/src/commands/GetConnectorCommand.ts index 39229b0f7880..d0298549a6bf 100644 --- a/clients/client-pca-connector-ad/src/commands/GetConnectorCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/GetConnectorCommand.ts @@ -114,4 +114,16 @@ export class GetConnectorCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectorCommand) .de(de_GetConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectorRequest; + output: GetConnectorResponse; + }; + sdk: { + input: GetConnectorCommandInput; + output: GetConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/GetDirectoryRegistrationCommand.ts b/clients/client-pca-connector-ad/src/commands/GetDirectoryRegistrationCommand.ts index 529b9e2c5989..6ca146464cc9 100644 --- a/clients/client-pca-connector-ad/src/commands/GetDirectoryRegistrationCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/GetDirectoryRegistrationCommand.ts @@ -106,4 +106,16 @@ export class GetDirectoryRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_GetDirectoryRegistrationCommand) .de(de_GetDirectoryRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDirectoryRegistrationRequest; + output: GetDirectoryRegistrationResponse; + }; + sdk: { + input: GetDirectoryRegistrationCommandInput; + output: GetDirectoryRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/GetServicePrincipalNameCommand.ts b/clients/client-pca-connector-ad/src/commands/GetServicePrincipalNameCommand.ts index 17f79ba9ed5b..112a781d6c9e 100644 --- a/clients/client-pca-connector-ad/src/commands/GetServicePrincipalNameCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/GetServicePrincipalNameCommand.ts @@ -108,4 +108,16 @@ export class GetServicePrincipalNameCommand extends $Command .f(void 0, void 0) .ser(se_GetServicePrincipalNameCommand) .de(de_GetServicePrincipalNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServicePrincipalNameRequest; + output: GetServicePrincipalNameResponse; + }; + sdk: { + input: GetServicePrincipalNameCommandInput; + output: GetServicePrincipalNameCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/GetTemplateCommand.ts b/clients/client-pca-connector-ad/src/commands/GetTemplateCommand.ts index 0ce02f4fc63f..d2378570987f 100644 --- a/clients/client-pca-connector-ad/src/commands/GetTemplateCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/GetTemplateCommand.ts @@ -349,4 +349,16 @@ export class GetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateCommand) .de(de_GetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateRequest; + output: GetTemplateResponse; + }; + sdk: { + input: GetTemplateCommandInput; + output: GetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/GetTemplateGroupAccessControlEntryCommand.ts b/clients/client-pca-connector-ad/src/commands/GetTemplateGroupAccessControlEntryCommand.ts index 8fdb35b73dd3..87536367ae4b 100644 --- a/clients/client-pca-connector-ad/src/commands/GetTemplateGroupAccessControlEntryCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/GetTemplateGroupAccessControlEntryCommand.ts @@ -118,4 +118,16 @@ export class GetTemplateGroupAccessControlEntryCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateGroupAccessControlEntryCommand) .de(de_GetTemplateGroupAccessControlEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateGroupAccessControlEntryRequest; + output: GetTemplateGroupAccessControlEntryResponse; + }; + sdk: { + input: GetTemplateGroupAccessControlEntryCommandInput; + output: GetTemplateGroupAccessControlEntryCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/ListConnectorsCommand.ts b/clients/client-pca-connector-ad/src/commands/ListConnectorsCommand.ts index a1d0a5fe8b70..b6165bc07d54 100644 --- a/clients/client-pca-connector-ad/src/commands/ListConnectorsCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/ListConnectorsCommand.ts @@ -113,4 +113,16 @@ export class ListConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorsCommand) .de(de_ListConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorsRequest; + output: ListConnectorsResponse; + }; + sdk: { + input: ListConnectorsCommandInput; + output: ListConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/ListDirectoryRegistrationsCommand.ts b/clients/client-pca-connector-ad/src/commands/ListDirectoryRegistrationsCommand.ts index 1f70fb933c22..12490b935c22 100644 --- a/clients/client-pca-connector-ad/src/commands/ListDirectoryRegistrationsCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/ListDirectoryRegistrationsCommand.ts @@ -107,4 +107,16 @@ export class ListDirectoryRegistrationsCommand extends $Command .f(void 0, void 0) .ser(se_ListDirectoryRegistrationsCommand) .de(de_ListDirectoryRegistrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDirectoryRegistrationsRequest; + output: ListDirectoryRegistrationsResponse; + }; + sdk: { + input: ListDirectoryRegistrationsCommandInput; + output: ListDirectoryRegistrationsCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/ListServicePrincipalNamesCommand.ts b/clients/client-pca-connector-ad/src/commands/ListServicePrincipalNamesCommand.ts index 7c485540b2e3..6b2a628e8dd3 100644 --- a/clients/client-pca-connector-ad/src/commands/ListServicePrincipalNamesCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/ListServicePrincipalNamesCommand.ts @@ -112,4 +112,16 @@ export class ListServicePrincipalNamesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicePrincipalNamesCommand) .de(de_ListServicePrincipalNamesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicePrincipalNamesRequest; + output: ListServicePrincipalNamesResponse; + }; + sdk: { + input: ListServicePrincipalNamesCommandInput; + output: ListServicePrincipalNamesCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/ListTagsForResourceCommand.ts b/clients/client-pca-connector-ad/src/commands/ListTagsForResourceCommand.ts index 2861f16c9f1e..d4885510fbf5 100644 --- a/clients/client-pca-connector-ad/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/ListTemplateGroupAccessControlEntriesCommand.ts b/clients/client-pca-connector-ad/src/commands/ListTemplateGroupAccessControlEntriesCommand.ts index 7d80280d255e..73c28adf6c3c 100644 --- a/clients/client-pca-connector-ad/src/commands/ListTemplateGroupAccessControlEntriesCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/ListTemplateGroupAccessControlEntriesCommand.ts @@ -123,4 +123,16 @@ export class ListTemplateGroupAccessControlEntriesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateGroupAccessControlEntriesCommand) .de(de_ListTemplateGroupAccessControlEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateGroupAccessControlEntriesRequest; + output: ListTemplateGroupAccessControlEntriesResponse; + }; + sdk: { + input: ListTemplateGroupAccessControlEntriesCommandInput; + output: ListTemplateGroupAccessControlEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/ListTemplatesCommand.ts b/clients/client-pca-connector-ad/src/commands/ListTemplatesCommand.ts index fd4ec0bd9971..269612f7648e 100644 --- a/clients/client-pca-connector-ad/src/commands/ListTemplatesCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/ListTemplatesCommand.ts @@ -353,4 +353,16 @@ export class ListTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplatesCommand) .de(de_ListTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplatesRequest; + output: ListTemplatesResponse; + }; + sdk: { + input: ListTemplatesCommandInput; + output: ListTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/TagResourceCommand.ts b/clients/client-pca-connector-ad/src/commands/TagResourceCommand.ts index d7ac4fee60c2..09044dee115e 100644 --- a/clients/client-pca-connector-ad/src/commands/TagResourceCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/UntagResourceCommand.ts b/clients/client-pca-connector-ad/src/commands/UntagResourceCommand.ts index 35a0f626fdb4..9c134f4daec6 100644 --- a/clients/client-pca-connector-ad/src/commands/UntagResourceCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/UpdateTemplateCommand.ts b/clients/client-pca-connector-ad/src/commands/UpdateTemplateCommand.ts index 35feac60029a..ac3e0bb5012d 100644 --- a/clients/client-pca-connector-ad/src/commands/UpdateTemplateCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/UpdateTemplateCommand.ts @@ -338,4 +338,16 @@ export class UpdateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateCommand) .de(de_UpdateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateTemplateCommandInput; + output: UpdateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-ad/src/commands/UpdateTemplateGroupAccessControlEntryCommand.ts b/clients/client-pca-connector-ad/src/commands/UpdateTemplateGroupAccessControlEntryCommand.ts index 33c0a103b12e..503ee1b80d7f 100644 --- a/clients/client-pca-connector-ad/src/commands/UpdateTemplateGroupAccessControlEntryCommand.ts +++ b/clients/client-pca-connector-ad/src/commands/UpdateTemplateGroupAccessControlEntryCommand.ts @@ -111,4 +111,16 @@ export class UpdateTemplateGroupAccessControlEntryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateGroupAccessControlEntryCommand) .de(de_UpdateTemplateGroupAccessControlEntryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateGroupAccessControlEntryRequest; + output: {}; + }; + sdk: { + input: UpdateTemplateGroupAccessControlEntryCommandInput; + output: UpdateTemplateGroupAccessControlEntryCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/package.json b/clients/client-pca-connector-scep/package.json index 5cb4adaa37d1..0cf8484c995a 100644 --- a/clients/client-pca-connector-scep/package.json +++ b/clients/client-pca-connector-scep/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-pca-connector-scep/src/commands/CreateChallengeCommand.ts b/clients/client-pca-connector-scep/src/commands/CreateChallengeCommand.ts index d015242d4694..9dafa0db898f 100644 --- a/clients/client-pca-connector-scep/src/commands/CreateChallengeCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/CreateChallengeCommand.ts @@ -122,4 +122,16 @@ export class CreateChallengeCommand extends $Command .f(void 0, CreateChallengeResponseFilterSensitiveLog) .ser(se_CreateChallengeCommand) .de(de_CreateChallengeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateChallengeRequest; + output: CreateChallengeResponse; + }; + sdk: { + input: CreateChallengeCommandInput; + output: CreateChallengeCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/CreateConnectorCommand.ts b/clients/client-pca-connector-scep/src/commands/CreateConnectorCommand.ts index 2cfeda3042c3..7e12f66da762 100644 --- a/clients/client-pca-connector-scep/src/commands/CreateConnectorCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/CreateConnectorCommand.ts @@ -114,4 +114,16 @@ export class CreateConnectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectorCommand) .de(de_CreateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorRequest; + output: CreateConnectorResponse; + }; + sdk: { + input: CreateConnectorCommandInput; + output: CreateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/DeleteChallengeCommand.ts b/clients/client-pca-connector-scep/src/commands/DeleteChallengeCommand.ts index abed8d88874e..375a45141f77 100644 --- a/clients/client-pca-connector-scep/src/commands/DeleteChallengeCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/DeleteChallengeCommand.ts @@ -99,4 +99,16 @@ export class DeleteChallengeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChallengeCommand) .de(de_DeleteChallengeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChallengeRequest; + output: {}; + }; + sdk: { + input: DeleteChallengeCommandInput; + output: DeleteChallengeCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/DeleteConnectorCommand.ts b/clients/client-pca-connector-scep/src/commands/DeleteConnectorCommand.ts index 8cedeb492024..cf7f48150554 100644 --- a/clients/client-pca-connector-scep/src/commands/DeleteConnectorCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/DeleteConnectorCommand.ts @@ -99,4 +99,16 @@ export class DeleteConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectorCommand) .de(de_DeleteConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectorRequest; + output: {}; + }; + sdk: { + input: DeleteConnectorCommandInput; + output: DeleteConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/GetChallengeMetadataCommand.ts b/clients/client-pca-connector-scep/src/commands/GetChallengeMetadataCommand.ts index cf67c83c38b2..acd43a4c62f7 100644 --- a/clients/client-pca-connector-scep/src/commands/GetChallengeMetadataCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/GetChallengeMetadataCommand.ts @@ -102,4 +102,16 @@ export class GetChallengeMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetChallengeMetadataCommand) .de(de_GetChallengeMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChallengeMetadataRequest; + output: GetChallengeMetadataResponse; + }; + sdk: { + input: GetChallengeMetadataCommandInput; + output: GetChallengeMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/GetChallengePasswordCommand.ts b/clients/client-pca-connector-scep/src/commands/GetChallengePasswordCommand.ts index f3608ca454b9..5efd24392171 100644 --- a/clients/client-pca-connector-scep/src/commands/GetChallengePasswordCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/GetChallengePasswordCommand.ts @@ -101,4 +101,16 @@ export class GetChallengePasswordCommand extends $Command .f(void 0, GetChallengePasswordResponseFilterSensitiveLog) .ser(se_GetChallengePasswordCommand) .de(de_GetChallengePasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChallengePasswordRequest; + output: GetChallengePasswordResponse; + }; + sdk: { + input: GetChallengePasswordCommandInput; + output: GetChallengePasswordCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/GetConnectorCommand.ts b/clients/client-pca-connector-scep/src/commands/GetConnectorCommand.ts index c1f2a6cf0f62..4198e2d19f7a 100644 --- a/clients/client-pca-connector-scep/src/commands/GetConnectorCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/GetConnectorCommand.ts @@ -117,4 +117,16 @@ export class GetConnectorCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectorCommand) .de(de_GetConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectorRequest; + output: GetConnectorResponse; + }; + sdk: { + input: GetConnectorCommandInput; + output: GetConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/ListChallengeMetadataCommand.ts b/clients/client-pca-connector-scep/src/commands/ListChallengeMetadataCommand.ts index 3f610e381059..713bed609c30 100644 --- a/clients/client-pca-connector-scep/src/commands/ListChallengeMetadataCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/ListChallengeMetadataCommand.ts @@ -107,4 +107,16 @@ export class ListChallengeMetadataCommand extends $Command .f(void 0, void 0) .ser(se_ListChallengeMetadataCommand) .de(de_ListChallengeMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChallengeMetadataRequest; + output: ListChallengeMetadataResponse; + }; + sdk: { + input: ListChallengeMetadataCommandInput; + output: ListChallengeMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/ListConnectorsCommand.ts b/clients/client-pca-connector-scep/src/commands/ListConnectorsCommand.ts index 25c7cce3a097..c33f7c5f21d7 100644 --- a/clients/client-pca-connector-scep/src/commands/ListConnectorsCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/ListConnectorsCommand.ts @@ -118,4 +118,16 @@ export class ListConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorsCommand) .de(de_ListConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorsRequest; + output: ListConnectorsResponse; + }; + sdk: { + input: ListConnectorsCommandInput; + output: ListConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/ListTagsForResourceCommand.ts b/clients/client-pca-connector-scep/src/commands/ListTagsForResourceCommand.ts index e9f482bb264e..8fecf26552d0 100644 --- a/clients/client-pca-connector-scep/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/TagResourceCommand.ts b/clients/client-pca-connector-scep/src/commands/TagResourceCommand.ts index b7a8589cee1b..7617b15a4fa5 100644 --- a/clients/client-pca-connector-scep/src/commands/TagResourceCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/TagResourceCommand.ts @@ -98,4 +98,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pca-connector-scep/src/commands/UntagResourceCommand.ts b/clients/client-pca-connector-scep/src/commands/UntagResourceCommand.ts index ad804411f15e..1be95124b672 100644 --- a/clients/client-pca-connector-scep/src/commands/UntagResourceCommand.ts +++ b/clients/client-pca-connector-scep/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/package.json b/clients/client-pcs/package.json index 04cf6d844f09..a13e36385d7b 100644 --- a/clients/client-pcs/package.json +++ b/clients/client-pcs/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-pcs/src/commands/CreateClusterCommand.ts b/clients/client-pcs/src/commands/CreateClusterCommand.ts index d1b5c8002759..baa7a1dfdf4b 100644 --- a/clients/client-pcs/src/commands/CreateClusterCommand.ts +++ b/clients/client-pcs/src/commands/CreateClusterCommand.ts @@ -254,4 +254,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/CreateComputeNodeGroupCommand.ts b/clients/client-pcs/src/commands/CreateComputeNodeGroupCommand.ts index eb30c75ea4bd..cef070bff9d2 100644 --- a/clients/client-pcs/src/commands/CreateComputeNodeGroupCommand.ts +++ b/clients/client-pcs/src/commands/CreateComputeNodeGroupCommand.ts @@ -264,4 +264,16 @@ export class CreateComputeNodeGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateComputeNodeGroupCommand) .de(de_CreateComputeNodeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComputeNodeGroupRequest; + output: CreateComputeNodeGroupResponse; + }; + sdk: { + input: CreateComputeNodeGroupCommandInput; + output: CreateComputeNodeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/CreateQueueCommand.ts b/clients/client-pcs/src/commands/CreateQueueCommand.ts index 208af08017ad..1532d41a3ab1 100644 --- a/clients/client-pcs/src/commands/CreateQueueCommand.ts +++ b/clients/client-pcs/src/commands/CreateQueueCommand.ts @@ -207,4 +207,16 @@ export class CreateQueueCommand extends $Command .f(void 0, void 0) .ser(se_CreateQueueCommand) .de(de_CreateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueueRequest; + output: CreateQueueResponse; + }; + sdk: { + input: CreateQueueCommandInput; + output: CreateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/DeleteClusterCommand.ts b/clients/client-pcs/src/commands/DeleteClusterCommand.ts index d3097ab2d5f2..60d9d962fbc8 100644 --- a/clients/client-pcs/src/commands/DeleteClusterCommand.ts +++ b/clients/client-pcs/src/commands/DeleteClusterCommand.ts @@ -154,4 +154,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: {}; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/DeleteComputeNodeGroupCommand.ts b/clients/client-pcs/src/commands/DeleteComputeNodeGroupCommand.ts index 9f8e05ef62d1..f179dd1fb345 100644 --- a/clients/client-pcs/src/commands/DeleteComputeNodeGroupCommand.ts +++ b/clients/client-pcs/src/commands/DeleteComputeNodeGroupCommand.ts @@ -155,4 +155,16 @@ export class DeleteComputeNodeGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteComputeNodeGroupCommand) .de(de_DeleteComputeNodeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComputeNodeGroupRequest; + output: {}; + }; + sdk: { + input: DeleteComputeNodeGroupCommandInput; + output: DeleteComputeNodeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/DeleteQueueCommand.ts b/clients/client-pcs/src/commands/DeleteQueueCommand.ts index 4f8bc8d87d8b..6b5bbc48546a 100644 --- a/clients/client-pcs/src/commands/DeleteQueueCommand.ts +++ b/clients/client-pcs/src/commands/DeleteQueueCommand.ts @@ -156,4 +156,16 @@ export class DeleteQueueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueueCommand) .de(de_DeleteQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueueRequest; + output: {}; + }; + sdk: { + input: DeleteQueueCommandInput; + output: DeleteQueueCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/GetClusterCommand.ts b/clients/client-pcs/src/commands/GetClusterCommand.ts index 623cc01f9884..a24d255263df 100644 --- a/clients/client-pcs/src/commands/GetClusterCommand.ts +++ b/clients/client-pcs/src/commands/GetClusterCommand.ts @@ -203,4 +203,16 @@ export class GetClusterCommand extends $Command .f(void 0, void 0) .ser(se_GetClusterCommand) .de(de_GetClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClusterRequest; + output: GetClusterResponse; + }; + sdk: { + input: GetClusterCommandInput; + output: GetClusterCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/GetComputeNodeGroupCommand.ts b/clients/client-pcs/src/commands/GetComputeNodeGroupCommand.ts index 128e43c5c1ca..3154ad7c6ea5 100644 --- a/clients/client-pcs/src/commands/GetComputeNodeGroupCommand.ts +++ b/clients/client-pcs/src/commands/GetComputeNodeGroupCommand.ts @@ -201,4 +201,16 @@ export class GetComputeNodeGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetComputeNodeGroupCommand) .de(de_GetComputeNodeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComputeNodeGroupRequest; + output: GetComputeNodeGroupResponse; + }; + sdk: { + input: GetComputeNodeGroupCommandInput; + output: GetComputeNodeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/GetQueueCommand.ts b/clients/client-pcs/src/commands/GetQueueCommand.ts index e7494bd0c10e..6066da21f41a 100644 --- a/clients/client-pcs/src/commands/GetQueueCommand.ts +++ b/clients/client-pcs/src/commands/GetQueueCommand.ts @@ -175,4 +175,16 @@ export class GetQueueCommand extends $Command .f(void 0, void 0) .ser(se_GetQueueCommand) .de(de_GetQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueueRequest; + output: GetQueueResponse; + }; + sdk: { + input: GetQueueCommandInput; + output: GetQueueCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/ListClustersCommand.ts b/clients/client-pcs/src/commands/ListClustersCommand.ts index 1e31c7dcdb20..ac729b1a6909 100644 --- a/clients/client-pcs/src/commands/ListClustersCommand.ts +++ b/clients/client-pcs/src/commands/ListClustersCommand.ts @@ -165,4 +165,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResponse; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/ListComputeNodeGroupsCommand.ts b/clients/client-pcs/src/commands/ListComputeNodeGroupsCommand.ts index 7a4ea5cbd295..773f3a3f6d0a 100644 --- a/clients/client-pcs/src/commands/ListComputeNodeGroupsCommand.ts +++ b/clients/client-pcs/src/commands/ListComputeNodeGroupsCommand.ts @@ -167,4 +167,16 @@ export class ListComputeNodeGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListComputeNodeGroupsCommand) .de(de_ListComputeNodeGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComputeNodeGroupsRequest; + output: ListComputeNodeGroupsResponse; + }; + sdk: { + input: ListComputeNodeGroupsCommandInput; + output: ListComputeNodeGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/ListQueuesCommand.ts b/clients/client-pcs/src/commands/ListQueuesCommand.ts index d0c257dd5b4f..106212b3916e 100644 --- a/clients/client-pcs/src/commands/ListQueuesCommand.ts +++ b/clients/client-pcs/src/commands/ListQueuesCommand.ts @@ -167,4 +167,16 @@ export class ListQueuesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueuesCommand) .de(de_ListQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueuesRequest; + output: ListQueuesResponse; + }; + sdk: { + input: ListQueuesCommandInput; + output: ListQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/ListTagsForResourceCommand.ts b/clients/client-pcs/src/commands/ListTagsForResourceCommand.ts index a2e8516f8fa3..1573cd801805 100644 --- a/clients/client-pcs/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pcs/src/commands/ListTagsForResourceCommand.ts @@ -86,4 +86,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/RegisterComputeNodeGroupInstanceCommand.ts b/clients/client-pcs/src/commands/RegisterComputeNodeGroupInstanceCommand.ts index 21f4b620f271..88ae23a4a4ed 100644 --- a/clients/client-pcs/src/commands/RegisterComputeNodeGroupInstanceCommand.ts +++ b/clients/client-pcs/src/commands/RegisterComputeNodeGroupInstanceCommand.ts @@ -123,4 +123,16 @@ export class RegisterComputeNodeGroupInstanceCommand extends $Command .f(void 0, RegisterComputeNodeGroupInstanceResponseFilterSensitiveLog) .ser(se_RegisterComputeNodeGroupInstanceCommand) .de(de_RegisterComputeNodeGroupInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterComputeNodeGroupInstanceRequest; + output: RegisterComputeNodeGroupInstanceResponse; + }; + sdk: { + input: RegisterComputeNodeGroupInstanceCommandInput; + output: RegisterComputeNodeGroupInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/TagResourceCommand.ts b/clients/client-pcs/src/commands/TagResourceCommand.ts index 3c0fb73152c0..0d35f84f7d01 100644 --- a/clients/client-pcs/src/commands/TagResourceCommand.ts +++ b/clients/client-pcs/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/UntagResourceCommand.ts b/clients/client-pcs/src/commands/UntagResourceCommand.ts index a7afbeb6b7f3..c24c82da7c8f 100644 --- a/clients/client-pcs/src/commands/UntagResourceCommand.ts +++ b/clients/client-pcs/src/commands/UntagResourceCommand.ts @@ -86,4 +86,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/UpdateComputeNodeGroupCommand.ts b/clients/client-pcs/src/commands/UpdateComputeNodeGroupCommand.ts index 57352599c859..16cbb1ddf6ae 100644 --- a/clients/client-pcs/src/commands/UpdateComputeNodeGroupCommand.ts +++ b/clients/client-pcs/src/commands/UpdateComputeNodeGroupCommand.ts @@ -250,4 +250,16 @@ export class UpdateComputeNodeGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateComputeNodeGroupCommand) .de(de_UpdateComputeNodeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateComputeNodeGroupRequest; + output: UpdateComputeNodeGroupResponse; + }; + sdk: { + input: UpdateComputeNodeGroupCommandInput; + output: UpdateComputeNodeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-pcs/src/commands/UpdateQueueCommand.ts b/clients/client-pcs/src/commands/UpdateQueueCommand.ts index 2341d68c4629..c4fb7bc221ca 100644 --- a/clients/client-pcs/src/commands/UpdateQueueCommand.ts +++ b/clients/client-pcs/src/commands/UpdateQueueCommand.ts @@ -204,4 +204,16 @@ export class UpdateQueueCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQueueCommand) .de(de_UpdateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQueueRequest; + output: UpdateQueueResponse; + }; + sdk: { + input: UpdateQueueCommandInput; + output: UpdateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-events/package.json b/clients/client-personalize-events/package.json index 9b890cae9282..80f402eb9ea8 100644 --- a/clients/client-personalize-events/package.json +++ b/clients/client-personalize-events/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-personalize-events/src/commands/PutActionInteractionsCommand.ts b/clients/client-personalize-events/src/commands/PutActionInteractionsCommand.ts index 2b8db5f4cc0d..6b495bde39e7 100644 --- a/clients/client-personalize-events/src/commands/PutActionInteractionsCommand.ts +++ b/clients/client-personalize-events/src/commands/PutActionInteractionsCommand.ts @@ -107,4 +107,16 @@ export class PutActionInteractionsCommand extends $Command .f(PutActionInteractionsRequestFilterSensitiveLog, void 0) .ser(se_PutActionInteractionsCommand) .de(de_PutActionInteractionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutActionInteractionsRequest; + output: {}; + }; + sdk: { + input: PutActionInteractionsCommandInput; + output: PutActionInteractionsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-events/src/commands/PutActionsCommand.ts b/clients/client-personalize-events/src/commands/PutActionsCommand.ts index 288c02659b8f..e799e8eefeaa 100644 --- a/clients/client-personalize-events/src/commands/PutActionsCommand.ts +++ b/clients/client-personalize-events/src/commands/PutActionsCommand.ts @@ -96,4 +96,16 @@ export class PutActionsCommand extends $Command .f(PutActionsRequestFilterSensitiveLog, void 0) .ser(se_PutActionsCommand) .de(de_PutActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutActionsRequest; + output: {}; + }; + sdk: { + input: PutActionsCommandInput; + output: PutActionsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-events/src/commands/PutEventsCommand.ts b/clients/client-personalize-events/src/commands/PutEventsCommand.ts index d6ffb47721fe..ccd20ac9a75b 100644 --- a/clients/client-personalize-events/src/commands/PutEventsCommand.ts +++ b/clients/client-personalize-events/src/commands/PutEventsCommand.ts @@ -102,4 +102,16 @@ export class PutEventsCommand extends $Command .f(PutEventsRequestFilterSensitiveLog, void 0) .ser(se_PutEventsCommand) .de(de_PutEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventsRequest; + output: {}; + }; + sdk: { + input: PutEventsCommandInput; + output: PutEventsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-events/src/commands/PutItemsCommand.ts b/clients/client-personalize-events/src/commands/PutItemsCommand.ts index a35f9ae59f5c..85d6182d60e9 100644 --- a/clients/client-personalize-events/src/commands/PutItemsCommand.ts +++ b/clients/client-personalize-events/src/commands/PutItemsCommand.ts @@ -96,4 +96,16 @@ export class PutItemsCommand extends $Command .f(PutItemsRequestFilterSensitiveLog, void 0) .ser(se_PutItemsCommand) .de(de_PutItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutItemsRequest; + output: {}; + }; + sdk: { + input: PutItemsCommandInput; + output: PutItemsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-events/src/commands/PutUsersCommand.ts b/clients/client-personalize-events/src/commands/PutUsersCommand.ts index b8a000ea159f..7f80c7966735 100644 --- a/clients/client-personalize-events/src/commands/PutUsersCommand.ts +++ b/clients/client-personalize-events/src/commands/PutUsersCommand.ts @@ -95,4 +95,16 @@ export class PutUsersCommand extends $Command .f(PutUsersRequestFilterSensitiveLog, void 0) .ser(se_PutUsersCommand) .de(de_PutUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutUsersRequest; + output: {}; + }; + sdk: { + input: PutUsersCommandInput; + output: PutUsersCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-runtime/package.json b/clients/client-personalize-runtime/package.json index ce85cf8a7fa9..4d6dd0cd1115 100644 --- a/clients/client-personalize-runtime/package.json +++ b/clients/client-personalize-runtime/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-personalize-runtime/src/commands/GetActionRecommendationsCommand.ts b/clients/client-personalize-runtime/src/commands/GetActionRecommendationsCommand.ts index 37ca09c17b7a..3267e76ff1ec 100644 --- a/clients/client-personalize-runtime/src/commands/GetActionRecommendationsCommand.ts +++ b/clients/client-personalize-runtime/src/commands/GetActionRecommendationsCommand.ts @@ -108,4 +108,16 @@ export class GetActionRecommendationsCommand extends $Command .f(GetActionRecommendationsRequestFilterSensitiveLog, void 0) .ser(se_GetActionRecommendationsCommand) .de(de_GetActionRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetActionRecommendationsRequest; + output: GetActionRecommendationsResponse; + }; + sdk: { + input: GetActionRecommendationsCommandInput; + output: GetActionRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-runtime/src/commands/GetPersonalizedRankingCommand.ts b/clients/client-personalize-runtime/src/commands/GetPersonalizedRankingCommand.ts index c2adb15b8f5e..03814ba96a52 100644 --- a/clients/client-personalize-runtime/src/commands/GetPersonalizedRankingCommand.ts +++ b/clients/client-personalize-runtime/src/commands/GetPersonalizedRankingCommand.ts @@ -126,4 +126,16 @@ export class GetPersonalizedRankingCommand extends $Command .f(GetPersonalizedRankingRequestFilterSensitiveLog, GetPersonalizedRankingResponseFilterSensitiveLog) .ser(se_GetPersonalizedRankingCommand) .de(de_GetPersonalizedRankingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPersonalizedRankingRequest; + output: GetPersonalizedRankingResponse; + }; + sdk: { + input: GetPersonalizedRankingCommandInput; + output: GetPersonalizedRankingCommandOutput; + }; + }; +} diff --git a/clients/client-personalize-runtime/src/commands/GetRecommendationsCommand.ts b/clients/client-personalize-runtime/src/commands/GetRecommendationsCommand.ts index c053a1917cb8..01360fed249a 100644 --- a/clients/client-personalize-runtime/src/commands/GetRecommendationsCommand.ts +++ b/clients/client-personalize-runtime/src/commands/GetRecommendationsCommand.ts @@ -148,4 +148,16 @@ export class GetRecommendationsCommand extends $Command .f(GetRecommendationsRequestFilterSensitiveLog, GetRecommendationsResponseFilterSensitiveLog) .ser(se_GetRecommendationsCommand) .de(de_GetRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationsRequest; + output: GetRecommendationsResponse; + }; + sdk: { + input: GetRecommendationsCommandInput; + output: GetRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/package.json b/clients/client-personalize/package.json index dd313b93cee0..4e91e0bc042f 100644 --- a/clients/client-personalize/package.json +++ b/clients/client-personalize/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-personalize/src/commands/CreateBatchInferenceJobCommand.ts b/clients/client-personalize/src/commands/CreateBatchInferenceJobCommand.ts index d13468e01735..af9e341c08be 100644 --- a/clients/client-personalize/src/commands/CreateBatchInferenceJobCommand.ts +++ b/clients/client-personalize/src/commands/CreateBatchInferenceJobCommand.ts @@ -145,4 +145,16 @@ export class CreateBatchInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateBatchInferenceJobCommand) .de(de_CreateBatchInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBatchInferenceJobRequest; + output: CreateBatchInferenceJobResponse; + }; + sdk: { + input: CreateBatchInferenceJobCommandInput; + output: CreateBatchInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateBatchSegmentJobCommand.ts b/clients/client-personalize/src/commands/CreateBatchSegmentJobCommand.ts index 3ad4f1dadae1..7559c1d94f51 100644 --- a/clients/client-personalize/src/commands/CreateBatchSegmentJobCommand.ts +++ b/clients/client-personalize/src/commands/CreateBatchSegmentJobCommand.ts @@ -119,4 +119,16 @@ export class CreateBatchSegmentJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateBatchSegmentJobCommand) .de(de_CreateBatchSegmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBatchSegmentJobRequest; + output: CreateBatchSegmentJobResponse; + }; + sdk: { + input: CreateBatchSegmentJobCommandInput; + output: CreateBatchSegmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateCampaignCommand.ts b/clients/client-personalize/src/commands/CreateCampaignCommand.ts index f4bfdd491f30..2c4dddd663b0 100644 --- a/clients/client-personalize/src/commands/CreateCampaignCommand.ts +++ b/clients/client-personalize/src/commands/CreateCampaignCommand.ts @@ -184,4 +184,16 @@ export class CreateCampaignCommand extends $Command .f(void 0, void 0) .ser(se_CreateCampaignCommand) .de(de_CreateCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCampaignRequest; + output: CreateCampaignResponse; + }; + sdk: { + input: CreateCampaignCommandInput; + output: CreateCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateDataDeletionJobCommand.ts b/clients/client-personalize/src/commands/CreateDataDeletionJobCommand.ts index 5e88eb83cd5e..b0104f15ba38 100644 --- a/clients/client-personalize/src/commands/CreateDataDeletionJobCommand.ts +++ b/clients/client-personalize/src/commands/CreateDataDeletionJobCommand.ts @@ -156,4 +156,16 @@ export class CreateDataDeletionJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataDeletionJobCommand) .de(de_CreateDataDeletionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataDeletionJobRequest; + output: CreateDataDeletionJobResponse; + }; + sdk: { + input: CreateDataDeletionJobCommandInput; + output: CreateDataDeletionJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateDatasetCommand.ts b/clients/client-personalize/src/commands/CreateDatasetCommand.ts index 5be4ccf62b31..02735b7f14a2 100644 --- a/clients/client-personalize/src/commands/CreateDatasetCommand.ts +++ b/clients/client-personalize/src/commands/CreateDatasetCommand.ts @@ -163,4 +163,16 @@ export class CreateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateDatasetExportJobCommand.ts b/clients/client-personalize/src/commands/CreateDatasetExportJobCommand.ts index 2a603ee68b6c..00800993c922 100644 --- a/clients/client-personalize/src/commands/CreateDatasetExportJobCommand.ts +++ b/clients/client-personalize/src/commands/CreateDatasetExportJobCommand.ts @@ -128,4 +128,16 @@ export class CreateDatasetExportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetExportJobCommand) .de(de_CreateDatasetExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetExportJobRequest; + output: CreateDatasetExportJobResponse; + }; + sdk: { + input: CreateDatasetExportJobCommandInput; + output: CreateDatasetExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateDatasetGroupCommand.ts b/clients/client-personalize/src/commands/CreateDatasetGroupCommand.ts index 9ad0bd11998d..312d98ee3ef2 100644 --- a/clients/client-personalize/src/commands/CreateDatasetGroupCommand.ts +++ b/clients/client-personalize/src/commands/CreateDatasetGroupCommand.ts @@ -185,4 +185,16 @@ export class CreateDatasetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetGroupCommand) .de(de_CreateDatasetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetGroupRequest; + output: CreateDatasetGroupResponse; + }; + sdk: { + input: CreateDatasetGroupCommandInput; + output: CreateDatasetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateDatasetImportJobCommand.ts b/clients/client-personalize/src/commands/CreateDatasetImportJobCommand.ts index 7ddc3627d962..7ec4aaf3946a 100644 --- a/clients/client-personalize/src/commands/CreateDatasetImportJobCommand.ts +++ b/clients/client-personalize/src/commands/CreateDatasetImportJobCommand.ts @@ -157,4 +157,16 @@ export class CreateDatasetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetImportJobCommand) .de(de_CreateDatasetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetImportJobRequest; + output: CreateDatasetImportJobResponse; + }; + sdk: { + input: CreateDatasetImportJobCommandInput; + output: CreateDatasetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateEventTrackerCommand.ts b/clients/client-personalize/src/commands/CreateEventTrackerCommand.ts index 3a8bfbcf6099..8fed3037b410 100644 --- a/clients/client-personalize/src/commands/CreateEventTrackerCommand.ts +++ b/clients/client-personalize/src/commands/CreateEventTrackerCommand.ts @@ -148,4 +148,16 @@ export class CreateEventTrackerCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventTrackerCommand) .de(de_CreateEventTrackerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventTrackerRequest; + output: CreateEventTrackerResponse; + }; + sdk: { + input: CreateEventTrackerCommandInput; + output: CreateEventTrackerCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateFilterCommand.ts b/clients/client-personalize/src/commands/CreateFilterCommand.ts index 0f89f79d6cc7..048b1671df74 100644 --- a/clients/client-personalize/src/commands/CreateFilterCommand.ts +++ b/clients/client-personalize/src/commands/CreateFilterCommand.ts @@ -100,4 +100,16 @@ export class CreateFilterCommand extends $Command .f(CreateFilterRequestFilterSensitiveLog, void 0) .ser(se_CreateFilterCommand) .de(de_CreateFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFilterRequest; + output: CreateFilterResponse; + }; + sdk: { + input: CreateFilterCommandInput; + output: CreateFilterCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateMetricAttributionCommand.ts b/clients/client-personalize/src/commands/CreateMetricAttributionCommand.ts index d273dec2ea4b..95dfc52bc147 100644 --- a/clients/client-personalize/src/commands/CreateMetricAttributionCommand.ts +++ b/clients/client-personalize/src/commands/CreateMetricAttributionCommand.ts @@ -109,4 +109,16 @@ export class CreateMetricAttributionCommand extends $Command .f(void 0, void 0) .ser(se_CreateMetricAttributionCommand) .de(de_CreateMetricAttributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMetricAttributionRequest; + output: CreateMetricAttributionResponse; + }; + sdk: { + input: CreateMetricAttributionCommandInput; + output: CreateMetricAttributionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateRecommenderCommand.ts b/clients/client-personalize/src/commands/CreateRecommenderCommand.ts index b5eb44eb9045..05792763727e 100644 --- a/clients/client-personalize/src/commands/CreateRecommenderCommand.ts +++ b/clients/client-personalize/src/commands/CreateRecommenderCommand.ts @@ -194,4 +194,16 @@ export class CreateRecommenderCommand extends $Command .f(void 0, void 0) .ser(se_CreateRecommenderCommand) .de(de_CreateRecommenderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRecommenderRequest; + output: CreateRecommenderResponse; + }; + sdk: { + input: CreateRecommenderCommandInput; + output: CreateRecommenderCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateSchemaCommand.ts b/clients/client-personalize/src/commands/CreateSchemaCommand.ts index d2268ef65c13..0a18a23fd844 100644 --- a/clients/client-personalize/src/commands/CreateSchemaCommand.ts +++ b/clients/client-personalize/src/commands/CreateSchemaCommand.ts @@ -113,4 +113,16 @@ export class CreateSchemaCommand extends $Command .f(void 0, void 0) .ser(se_CreateSchemaCommand) .de(de_CreateSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSchemaRequest; + output: CreateSchemaResponse; + }; + sdk: { + input: CreateSchemaCommandInput; + output: CreateSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateSolutionCommand.ts b/clients/client-personalize/src/commands/CreateSolutionCommand.ts index 1c3eb58f3130..5cd90cc563c0 100644 --- a/clients/client-personalize/src/commands/CreateSolutionCommand.ts +++ b/clients/client-personalize/src/commands/CreateSolutionCommand.ts @@ -258,4 +258,16 @@ export class CreateSolutionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSolutionCommand) .de(de_CreateSolutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSolutionRequest; + output: CreateSolutionResponse; + }; + sdk: { + input: CreateSolutionCommandInput; + output: CreateSolutionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/CreateSolutionVersionCommand.ts b/clients/client-personalize/src/commands/CreateSolutionVersionCommand.ts index f559c1cfb5a6..50e5ec358132 100644 --- a/clients/client-personalize/src/commands/CreateSolutionVersionCommand.ts +++ b/clients/client-personalize/src/commands/CreateSolutionVersionCommand.ts @@ -169,4 +169,16 @@ export class CreateSolutionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSolutionVersionCommand) .de(de_CreateSolutionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSolutionVersionRequest; + output: CreateSolutionVersionResponse; + }; + sdk: { + input: CreateSolutionVersionCommandInput; + output: CreateSolutionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteCampaignCommand.ts b/clients/client-personalize/src/commands/DeleteCampaignCommand.ts index f24fac588dfe..3c96989252a8 100644 --- a/clients/client-personalize/src/commands/DeleteCampaignCommand.ts +++ b/clients/client-personalize/src/commands/DeleteCampaignCommand.ts @@ -89,4 +89,16 @@ export class DeleteCampaignCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCampaignCommand) .de(de_DeleteCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCampaignRequest; + output: {}; + }; + sdk: { + input: DeleteCampaignCommandInput; + output: DeleteCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteDatasetCommand.ts b/clients/client-personalize/src/commands/DeleteDatasetCommand.ts index 08072d0ba5a4..70a6abfd4a52 100644 --- a/clients/client-personalize/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-personalize/src/commands/DeleteDatasetCommand.ts @@ -87,4 +87,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteDatasetGroupCommand.ts b/clients/client-personalize/src/commands/DeleteDatasetGroupCommand.ts index 2c56b67b7fa8..ed0e1918db8c 100644 --- a/clients/client-personalize/src/commands/DeleteDatasetGroupCommand.ts +++ b/clients/client-personalize/src/commands/DeleteDatasetGroupCommand.ts @@ -96,4 +96,16 @@ export class DeleteDatasetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetGroupCommand) .de(de_DeleteDatasetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetGroupRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetGroupCommandInput; + output: DeleteDatasetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteEventTrackerCommand.ts b/clients/client-personalize/src/commands/DeleteEventTrackerCommand.ts index 2fd1a7d158f0..5ea6f31c0e6c 100644 --- a/clients/client-personalize/src/commands/DeleteEventTrackerCommand.ts +++ b/clients/client-personalize/src/commands/DeleteEventTrackerCommand.ts @@ -86,4 +86,16 @@ export class DeleteEventTrackerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventTrackerCommand) .de(de_DeleteEventTrackerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventTrackerRequest; + output: {}; + }; + sdk: { + input: DeleteEventTrackerCommandInput; + output: DeleteEventTrackerCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteFilterCommand.ts b/clients/client-personalize/src/commands/DeleteFilterCommand.ts index de9f6504a0a8..772ac08d7221 100644 --- a/clients/client-personalize/src/commands/DeleteFilterCommand.ts +++ b/clients/client-personalize/src/commands/DeleteFilterCommand.ts @@ -84,4 +84,16 @@ export class DeleteFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFilterCommand) .de(de_DeleteFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFilterRequest; + output: {}; + }; + sdk: { + input: DeleteFilterCommandInput; + output: DeleteFilterCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteMetricAttributionCommand.ts b/clients/client-personalize/src/commands/DeleteMetricAttributionCommand.ts index b036fb8c8a2b..82ae7b8b5466 100644 --- a/clients/client-personalize/src/commands/DeleteMetricAttributionCommand.ts +++ b/clients/client-personalize/src/commands/DeleteMetricAttributionCommand.ts @@ -84,4 +84,16 @@ export class DeleteMetricAttributionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMetricAttributionCommand) .de(de_DeleteMetricAttributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMetricAttributionRequest; + output: {}; + }; + sdk: { + input: DeleteMetricAttributionCommandInput; + output: DeleteMetricAttributionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteRecommenderCommand.ts b/clients/client-personalize/src/commands/DeleteRecommenderCommand.ts index de7be657ce6f..a24186d523a7 100644 --- a/clients/client-personalize/src/commands/DeleteRecommenderCommand.ts +++ b/clients/client-personalize/src/commands/DeleteRecommenderCommand.ts @@ -85,4 +85,16 @@ export class DeleteRecommenderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecommenderCommand) .de(de_DeleteRecommenderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecommenderRequest; + output: {}; + }; + sdk: { + input: DeleteRecommenderCommandInput; + output: DeleteRecommenderCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteSchemaCommand.ts b/clients/client-personalize/src/commands/DeleteSchemaCommand.ts index 5ed0433b9154..f43e4d54c911 100644 --- a/clients/client-personalize/src/commands/DeleteSchemaCommand.ts +++ b/clients/client-personalize/src/commands/DeleteSchemaCommand.ts @@ -86,4 +86,16 @@ export class DeleteSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchemaCommand) .de(de_DeleteSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchemaRequest; + output: {}; + }; + sdk: { + input: DeleteSchemaCommandInput; + output: DeleteSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DeleteSolutionCommand.ts b/clients/client-personalize/src/commands/DeleteSolutionCommand.ts index 3de36f6e7f44..71821fe903a1 100644 --- a/clients/client-personalize/src/commands/DeleteSolutionCommand.ts +++ b/clients/client-personalize/src/commands/DeleteSolutionCommand.ts @@ -90,4 +90,16 @@ export class DeleteSolutionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSolutionCommand) .de(de_DeleteSolutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSolutionRequest; + output: {}; + }; + sdk: { + input: DeleteSolutionCommandInput; + output: DeleteSolutionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeAlgorithmCommand.ts b/clients/client-personalize/src/commands/DescribeAlgorithmCommand.ts index 9fa72e701f7b..69296c260b66 100644 --- a/clients/client-personalize/src/commands/DescribeAlgorithmCommand.ts +++ b/clients/client-personalize/src/commands/DescribeAlgorithmCommand.ts @@ -127,4 +127,16 @@ export class DescribeAlgorithmCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlgorithmCommand) .de(de_DescribeAlgorithmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlgorithmRequest; + output: DescribeAlgorithmResponse; + }; + sdk: { + input: DescribeAlgorithmCommandInput; + output: DescribeAlgorithmCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeBatchInferenceJobCommand.ts b/clients/client-personalize/src/commands/DescribeBatchInferenceJobCommand.ts index 81e329ba48fa..37abd61a776a 100644 --- a/clients/client-personalize/src/commands/DescribeBatchInferenceJobCommand.ts +++ b/clients/client-personalize/src/commands/DescribeBatchInferenceJobCommand.ts @@ -119,4 +119,16 @@ export class DescribeBatchInferenceJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBatchInferenceJobCommand) .de(de_DescribeBatchInferenceJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBatchInferenceJobRequest; + output: DescribeBatchInferenceJobResponse; + }; + sdk: { + input: DescribeBatchInferenceJobCommandInput; + output: DescribeBatchInferenceJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeBatchSegmentJobCommand.ts b/clients/client-personalize/src/commands/DescribeBatchSegmentJobCommand.ts index 2f668f8d7a6f..5bf95e872d78 100644 --- a/clients/client-personalize/src/commands/DescribeBatchSegmentJobCommand.ts +++ b/clients/client-personalize/src/commands/DescribeBatchSegmentJobCommand.ts @@ -108,4 +108,16 @@ export class DescribeBatchSegmentJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBatchSegmentJobCommand) .de(de_DescribeBatchSegmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBatchSegmentJobRequest; + output: DescribeBatchSegmentJobResponse; + }; + sdk: { + input: DescribeBatchSegmentJobCommandInput; + output: DescribeBatchSegmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeCampaignCommand.ts b/clients/client-personalize/src/commands/DescribeCampaignCommand.ts index 7a32f8db8a3e..9be61f60bf6f 100644 --- a/clients/client-personalize/src/commands/DescribeCampaignCommand.ts +++ b/clients/client-personalize/src/commands/DescribeCampaignCommand.ts @@ -126,4 +126,16 @@ export class DescribeCampaignCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCampaignCommand) .de(de_DescribeCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCampaignRequest; + output: DescribeCampaignResponse; + }; + sdk: { + input: DescribeCampaignCommandInput; + output: DescribeCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeDataDeletionJobCommand.ts b/clients/client-personalize/src/commands/DescribeDataDeletionJobCommand.ts index 43cafc38da1e..48caf73a9fb3 100644 --- a/clients/client-personalize/src/commands/DescribeDataDeletionJobCommand.ts +++ b/clients/client-personalize/src/commands/DescribeDataDeletionJobCommand.ts @@ -96,4 +96,16 @@ export class DescribeDataDeletionJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataDeletionJobCommand) .de(de_DescribeDataDeletionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataDeletionJobRequest; + output: DescribeDataDeletionJobResponse; + }; + sdk: { + input: DescribeDataDeletionJobCommandInput; + output: DescribeDataDeletionJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeDatasetCommand.ts b/clients/client-personalize/src/commands/DescribeDatasetCommand.ts index 720f925670ed..7b12f3e62828 100644 --- a/clients/client-personalize/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-personalize/src/commands/DescribeDatasetCommand.ts @@ -101,4 +101,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeDatasetExportJobCommand.ts b/clients/client-personalize/src/commands/DescribeDatasetExportJobCommand.ts index 538de096998e..36d388c4bbf7 100644 --- a/clients/client-personalize/src/commands/DescribeDatasetExportJobCommand.ts +++ b/clients/client-personalize/src/commands/DescribeDatasetExportJobCommand.ts @@ -99,4 +99,16 @@ export class DescribeDatasetExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetExportJobCommand) .de(de_DescribeDatasetExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetExportJobRequest; + output: DescribeDatasetExportJobResponse; + }; + sdk: { + input: DescribeDatasetExportJobCommandInput; + output: DescribeDatasetExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeDatasetGroupCommand.ts b/clients/client-personalize/src/commands/DescribeDatasetGroupCommand.ts index 50bad45670c9..e1001c51f529 100644 --- a/clients/client-personalize/src/commands/DescribeDatasetGroupCommand.ts +++ b/clients/client-personalize/src/commands/DescribeDatasetGroupCommand.ts @@ -94,4 +94,16 @@ export class DescribeDatasetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetGroupCommand) .de(de_DescribeDatasetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetGroupRequest; + output: DescribeDatasetGroupResponse; + }; + sdk: { + input: DescribeDatasetGroupCommandInput; + output: DescribeDatasetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeDatasetImportJobCommand.ts b/clients/client-personalize/src/commands/DescribeDatasetImportJobCommand.ts index 683168fc897a..a1731381f96a 100644 --- a/clients/client-personalize/src/commands/DescribeDatasetImportJobCommand.ts +++ b/clients/client-personalize/src/commands/DescribeDatasetImportJobCommand.ts @@ -97,4 +97,16 @@ export class DescribeDatasetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetImportJobCommand) .de(de_DescribeDatasetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetImportJobRequest; + output: DescribeDatasetImportJobResponse; + }; + sdk: { + input: DescribeDatasetImportJobCommandInput; + output: DescribeDatasetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeEventTrackerCommand.ts b/clients/client-personalize/src/commands/DescribeEventTrackerCommand.ts index 3995b35d455e..15f52b6013ea 100644 --- a/clients/client-personalize/src/commands/DescribeEventTrackerCommand.ts +++ b/clients/client-personalize/src/commands/DescribeEventTrackerCommand.ts @@ -94,4 +94,16 @@ export class DescribeEventTrackerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventTrackerCommand) .de(de_DescribeEventTrackerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventTrackerRequest; + output: DescribeEventTrackerResponse; + }; + sdk: { + input: DescribeEventTrackerCommandInput; + output: DescribeEventTrackerCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeFeatureTransformationCommand.ts b/clients/client-personalize/src/commands/DescribeFeatureTransformationCommand.ts index 3020bfb78512..fbdea80b2eda 100644 --- a/clients/client-personalize/src/commands/DescribeFeatureTransformationCommand.ts +++ b/clients/client-personalize/src/commands/DescribeFeatureTransformationCommand.ts @@ -97,4 +97,16 @@ export class DescribeFeatureTransformationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFeatureTransformationCommand) .de(de_DescribeFeatureTransformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFeatureTransformationRequest; + output: DescribeFeatureTransformationResponse; + }; + sdk: { + input: DescribeFeatureTransformationCommandInput; + output: DescribeFeatureTransformationCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeFilterCommand.ts b/clients/client-personalize/src/commands/DescribeFilterCommand.ts index a18672c21203..a159a53fdde3 100644 --- a/clients/client-personalize/src/commands/DescribeFilterCommand.ts +++ b/clients/client-personalize/src/commands/DescribeFilterCommand.ts @@ -96,4 +96,16 @@ export class DescribeFilterCommand extends $Command .f(void 0, DescribeFilterResponseFilterSensitiveLog) .ser(se_DescribeFilterCommand) .de(de_DescribeFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFilterRequest; + output: DescribeFilterResponse; + }; + sdk: { + input: DescribeFilterCommandInput; + output: DescribeFilterCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeMetricAttributionCommand.ts b/clients/client-personalize/src/commands/DescribeMetricAttributionCommand.ts index c943b41b8cfc..831f7415e3a5 100644 --- a/clients/client-personalize/src/commands/DescribeMetricAttributionCommand.ts +++ b/clients/client-personalize/src/commands/DescribeMetricAttributionCommand.ts @@ -98,4 +98,16 @@ export class DescribeMetricAttributionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMetricAttributionCommand) .de(de_DescribeMetricAttributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMetricAttributionRequest; + output: DescribeMetricAttributionResponse; + }; + sdk: { + input: DescribeMetricAttributionCommandInput; + output: DescribeMetricAttributionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeRecipeCommand.ts b/clients/client-personalize/src/commands/DescribeRecipeCommand.ts index 3698b4e2eca9..4f19ad74f9f1 100644 --- a/clients/client-personalize/src/commands/DescribeRecipeCommand.ts +++ b/clients/client-personalize/src/commands/DescribeRecipeCommand.ts @@ -111,4 +111,16 @@ export class DescribeRecipeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecipeCommand) .de(de_DescribeRecipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecipeRequest; + output: DescribeRecipeResponse; + }; + sdk: { + input: DescribeRecipeCommandInput; + output: DescribeRecipeCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeRecommenderCommand.ts b/clients/client-personalize/src/commands/DescribeRecommenderCommand.ts index b3076c3a2f53..c488842d637c 100644 --- a/clients/client-personalize/src/commands/DescribeRecommenderCommand.ts +++ b/clients/client-personalize/src/commands/DescribeRecommenderCommand.ts @@ -146,4 +146,16 @@ export class DescribeRecommenderCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecommenderCommand) .de(de_DescribeRecommenderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecommenderRequest; + output: DescribeRecommenderResponse; + }; + sdk: { + input: DescribeRecommenderCommandInput; + output: DescribeRecommenderCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeSchemaCommand.ts b/clients/client-personalize/src/commands/DescribeSchemaCommand.ts index 93b9e574a156..f6d9597a44ad 100644 --- a/clients/client-personalize/src/commands/DescribeSchemaCommand.ts +++ b/clients/client-personalize/src/commands/DescribeSchemaCommand.ts @@ -91,4 +91,16 @@ export class DescribeSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSchemaCommand) .de(de_DescribeSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSchemaRequest; + output: DescribeSchemaResponse; + }; + sdk: { + input: DescribeSchemaCommandInput; + output: DescribeSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeSolutionCommand.ts b/clients/client-personalize/src/commands/DescribeSolutionCommand.ts index 1a5985ae0cac..1dc555cd39ba 100644 --- a/clients/client-personalize/src/commands/DescribeSolutionCommand.ts +++ b/clients/client-personalize/src/commands/DescribeSolutionCommand.ts @@ -184,4 +184,16 @@ export class DescribeSolutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSolutionCommand) .de(de_DescribeSolutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSolutionRequest; + output: DescribeSolutionResponse; + }; + sdk: { + input: DescribeSolutionCommandInput; + output: DescribeSolutionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/DescribeSolutionVersionCommand.ts b/clients/client-personalize/src/commands/DescribeSolutionVersionCommand.ts index 0375794a87ef..baa437dc2e42 100644 --- a/clients/client-personalize/src/commands/DescribeSolutionVersionCommand.ts +++ b/clients/client-personalize/src/commands/DescribeSolutionVersionCommand.ts @@ -169,4 +169,16 @@ export class DescribeSolutionVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSolutionVersionCommand) .de(de_DescribeSolutionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSolutionVersionRequest; + output: DescribeSolutionVersionResponse; + }; + sdk: { + input: DescribeSolutionVersionCommandInput; + output: DescribeSolutionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/GetSolutionMetricsCommand.ts b/clients/client-personalize/src/commands/GetSolutionMetricsCommand.ts index 1272dfb79616..591f4572e46d 100644 --- a/clients/client-personalize/src/commands/GetSolutionMetricsCommand.ts +++ b/clients/client-personalize/src/commands/GetSolutionMetricsCommand.ts @@ -89,4 +89,16 @@ export class GetSolutionMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetSolutionMetricsCommand) .de(de_GetSolutionMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolutionMetricsRequest; + output: GetSolutionMetricsResponse; + }; + sdk: { + input: GetSolutionMetricsCommandInput; + output: GetSolutionMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListBatchInferenceJobsCommand.ts b/clients/client-personalize/src/commands/ListBatchInferenceJobsCommand.ts index 4423506b1868..c6996f635146 100644 --- a/clients/client-personalize/src/commands/ListBatchInferenceJobsCommand.ts +++ b/clients/client-personalize/src/commands/ListBatchInferenceJobsCommand.ts @@ -98,4 +98,16 @@ export class ListBatchInferenceJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListBatchInferenceJobsCommand) .de(de_ListBatchInferenceJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBatchInferenceJobsRequest; + output: ListBatchInferenceJobsResponse; + }; + sdk: { + input: ListBatchInferenceJobsCommandInput; + output: ListBatchInferenceJobsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListBatchSegmentJobsCommand.ts b/clients/client-personalize/src/commands/ListBatchSegmentJobsCommand.ts index 4e914ac784bc..07f79603d8f7 100644 --- a/clients/client-personalize/src/commands/ListBatchSegmentJobsCommand.ts +++ b/clients/client-personalize/src/commands/ListBatchSegmentJobsCommand.ts @@ -97,4 +97,16 @@ export class ListBatchSegmentJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListBatchSegmentJobsCommand) .de(de_ListBatchSegmentJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBatchSegmentJobsRequest; + output: ListBatchSegmentJobsResponse; + }; + sdk: { + input: ListBatchSegmentJobsCommandInput; + output: ListBatchSegmentJobsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListCampaignsCommand.ts b/clients/client-personalize/src/commands/ListCampaignsCommand.ts index 408a9bac80bb..f1eb79c64cc2 100644 --- a/clients/client-personalize/src/commands/ListCampaignsCommand.ts +++ b/clients/client-personalize/src/commands/ListCampaignsCommand.ts @@ -98,4 +98,16 @@ export class ListCampaignsCommand extends $Command .f(void 0, void 0) .ser(se_ListCampaignsCommand) .de(de_ListCampaignsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCampaignsRequest; + output: ListCampaignsResponse; + }; + sdk: { + input: ListCampaignsCommandInput; + output: ListCampaignsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListDataDeletionJobsCommand.ts b/clients/client-personalize/src/commands/ListDataDeletionJobsCommand.ts index 464c98eb588b..c67615a3bd03 100644 --- a/clients/client-personalize/src/commands/ListDataDeletionJobsCommand.ts +++ b/clients/client-personalize/src/commands/ListDataDeletionJobsCommand.ts @@ -102,4 +102,16 @@ export class ListDataDeletionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataDeletionJobsCommand) .de(de_ListDataDeletionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataDeletionJobsRequest; + output: ListDataDeletionJobsResponse; + }; + sdk: { + input: ListDataDeletionJobsCommandInput; + output: ListDataDeletionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListDatasetExportJobsCommand.ts b/clients/client-personalize/src/commands/ListDatasetExportJobsCommand.ts index 60292d84779c..9efc63a44ff4 100644 --- a/clients/client-personalize/src/commands/ListDatasetExportJobsCommand.ts +++ b/clients/client-personalize/src/commands/ListDatasetExportJobsCommand.ts @@ -100,4 +100,16 @@ export class ListDatasetExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetExportJobsCommand) .de(de_ListDatasetExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetExportJobsRequest; + output: ListDatasetExportJobsResponse; + }; + sdk: { + input: ListDatasetExportJobsCommandInput; + output: ListDatasetExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListDatasetGroupsCommand.ts b/clients/client-personalize/src/commands/ListDatasetGroupsCommand.ts index 8274fd74aa00..37d1e2e1278b 100644 --- a/clients/client-personalize/src/commands/ListDatasetGroupsCommand.ts +++ b/clients/client-personalize/src/commands/ListDatasetGroupsCommand.ts @@ -94,4 +94,16 @@ export class ListDatasetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetGroupsCommand) .de(de_ListDatasetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetGroupsRequest; + output: ListDatasetGroupsResponse; + }; + sdk: { + input: ListDatasetGroupsCommandInput; + output: ListDatasetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListDatasetImportJobsCommand.ts b/clients/client-personalize/src/commands/ListDatasetImportJobsCommand.ts index 106e7869ed71..fa5ac39d2de3 100644 --- a/clients/client-personalize/src/commands/ListDatasetImportJobsCommand.ts +++ b/clients/client-personalize/src/commands/ListDatasetImportJobsCommand.ts @@ -101,4 +101,16 @@ export class ListDatasetImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetImportJobsCommand) .de(de_ListDatasetImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetImportJobsRequest; + output: ListDatasetImportJobsResponse; + }; + sdk: { + input: ListDatasetImportJobsCommandInput; + output: ListDatasetImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListDatasetsCommand.ts b/clients/client-personalize/src/commands/ListDatasetsCommand.ts index 2b6afbcb143c..27c0a6e41fdf 100644 --- a/clients/client-personalize/src/commands/ListDatasetsCommand.ts +++ b/clients/client-personalize/src/commands/ListDatasetsCommand.ts @@ -97,4 +97,16 @@ export class ListDatasetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetsCommand) .de(de_ListDatasetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetsRequest; + output: ListDatasetsResponse; + }; + sdk: { + input: ListDatasetsCommandInput; + output: ListDatasetsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListEventTrackersCommand.ts b/clients/client-personalize/src/commands/ListEventTrackersCommand.ts index 140cafab7f01..52090a985f9b 100644 --- a/clients/client-personalize/src/commands/ListEventTrackersCommand.ts +++ b/clients/client-personalize/src/commands/ListEventTrackersCommand.ts @@ -97,4 +97,16 @@ export class ListEventTrackersCommand extends $Command .f(void 0, void 0) .ser(se_ListEventTrackersCommand) .de(de_ListEventTrackersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEventTrackersRequest; + output: ListEventTrackersResponse; + }; + sdk: { + input: ListEventTrackersCommandInput; + output: ListEventTrackersCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListFiltersCommand.ts b/clients/client-personalize/src/commands/ListFiltersCommand.ts index 635cdec46d5c..604d0fd25401 100644 --- a/clients/client-personalize/src/commands/ListFiltersCommand.ts +++ b/clients/client-personalize/src/commands/ListFiltersCommand.ts @@ -96,4 +96,16 @@ export class ListFiltersCommand extends $Command .f(void 0, void 0) .ser(se_ListFiltersCommand) .de(de_ListFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFiltersRequest; + output: ListFiltersResponse; + }; + sdk: { + input: ListFiltersCommandInput; + output: ListFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListMetricAttributionMetricsCommand.ts b/clients/client-personalize/src/commands/ListMetricAttributionMetricsCommand.ts index e3e4474383e8..97bbd7386b8a 100644 --- a/clients/client-personalize/src/commands/ListMetricAttributionMetricsCommand.ts +++ b/clients/client-personalize/src/commands/ListMetricAttributionMetricsCommand.ts @@ -97,4 +97,16 @@ export class ListMetricAttributionMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListMetricAttributionMetricsCommand) .de(de_ListMetricAttributionMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetricAttributionMetricsRequest; + output: ListMetricAttributionMetricsResponse; + }; + sdk: { + input: ListMetricAttributionMetricsCommandInput; + output: ListMetricAttributionMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListMetricAttributionsCommand.ts b/clients/client-personalize/src/commands/ListMetricAttributionsCommand.ts index 4a68fb10156b..c855d01f3ebe 100644 --- a/clients/client-personalize/src/commands/ListMetricAttributionsCommand.ts +++ b/clients/client-personalize/src/commands/ListMetricAttributionsCommand.ts @@ -95,4 +95,16 @@ export class ListMetricAttributionsCommand extends $Command .f(void 0, void 0) .ser(se_ListMetricAttributionsCommand) .de(de_ListMetricAttributionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMetricAttributionsRequest; + output: ListMetricAttributionsResponse; + }; + sdk: { + input: ListMetricAttributionsCommandInput; + output: ListMetricAttributionsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListRecipesCommand.ts b/clients/client-personalize/src/commands/ListRecipesCommand.ts index 898238b20821..65725394d654 100644 --- a/clients/client-personalize/src/commands/ListRecipesCommand.ts +++ b/clients/client-personalize/src/commands/ListRecipesCommand.ts @@ -97,4 +97,16 @@ export class ListRecipesCommand extends $Command .f(void 0, void 0) .ser(se_ListRecipesCommand) .de(de_ListRecipesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecipesRequest; + output: ListRecipesResponse; + }; + sdk: { + input: ListRecipesCommandInput; + output: ListRecipesCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListRecommendersCommand.ts b/clients/client-personalize/src/commands/ListRecommendersCommand.ts index 7d64a799d27f..d4ca553ff5b2 100644 --- a/clients/client-personalize/src/commands/ListRecommendersCommand.ts +++ b/clients/client-personalize/src/commands/ListRecommendersCommand.ts @@ -113,4 +113,16 @@ export class ListRecommendersCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendersCommand) .de(de_ListRecommendersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendersRequest; + output: ListRecommendersResponse; + }; + sdk: { + input: ListRecommendersCommandInput; + output: ListRecommendersCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListSchemasCommand.ts b/clients/client-personalize/src/commands/ListSchemasCommand.ts index f20dd7ecdbb7..968e03e74062 100644 --- a/clients/client-personalize/src/commands/ListSchemasCommand.ts +++ b/clients/client-personalize/src/commands/ListSchemasCommand.ts @@ -92,4 +92,16 @@ export class ListSchemasCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemasCommand) .de(de_ListSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemasRequest; + output: ListSchemasResponse; + }; + sdk: { + input: ListSchemasCommandInput; + output: ListSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListSolutionVersionsCommand.ts b/clients/client-personalize/src/commands/ListSolutionVersionsCommand.ts index 575f5a5badcd..cc58a31f6b35 100644 --- a/clients/client-personalize/src/commands/ListSolutionVersionsCommand.ts +++ b/clients/client-personalize/src/commands/ListSolutionVersionsCommand.ts @@ -101,4 +101,16 @@ export class ListSolutionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSolutionVersionsCommand) .de(de_ListSolutionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSolutionVersionsRequest; + output: ListSolutionVersionsResponse; + }; + sdk: { + input: ListSolutionVersionsCommandInput; + output: ListSolutionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListSolutionsCommand.ts b/clients/client-personalize/src/commands/ListSolutionsCommand.ts index 1e836989af68..341ef923bd77 100644 --- a/clients/client-personalize/src/commands/ListSolutionsCommand.ts +++ b/clients/client-personalize/src/commands/ListSolutionsCommand.ts @@ -98,4 +98,16 @@ export class ListSolutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSolutionsCommand) .de(de_ListSolutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSolutionsRequest; + output: ListSolutionsResponse; + }; + sdk: { + input: ListSolutionsCommandInput; + output: ListSolutionsCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/ListTagsForResourceCommand.ts b/clients/client-personalize/src/commands/ListTagsForResourceCommand.ts index 9cc9a980e6f2..d34d464b2315 100644 --- a/clients/client-personalize/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-personalize/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/StartRecommenderCommand.ts b/clients/client-personalize/src/commands/StartRecommenderCommand.ts index 4718cd923478..c0ae78f09fcd 100644 --- a/clients/client-personalize/src/commands/StartRecommenderCommand.ts +++ b/clients/client-personalize/src/commands/StartRecommenderCommand.ts @@ -87,4 +87,16 @@ export class StartRecommenderCommand extends $Command .f(void 0, void 0) .ser(se_StartRecommenderCommand) .de(de_StartRecommenderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartRecommenderRequest; + output: StartRecommenderResponse; + }; + sdk: { + input: StartRecommenderCommandInput; + output: StartRecommenderCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/StopRecommenderCommand.ts b/clients/client-personalize/src/commands/StopRecommenderCommand.ts index 35776279d357..e877e7a1e4a2 100644 --- a/clients/client-personalize/src/commands/StopRecommenderCommand.ts +++ b/clients/client-personalize/src/commands/StopRecommenderCommand.ts @@ -86,4 +86,16 @@ export class StopRecommenderCommand extends $Command .f(void 0, void 0) .ser(se_StopRecommenderCommand) .de(de_StopRecommenderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopRecommenderRequest; + output: StopRecommenderResponse; + }; + sdk: { + input: StopRecommenderCommandInput; + output: StopRecommenderCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/StopSolutionVersionCreationCommand.ts b/clients/client-personalize/src/commands/StopSolutionVersionCreationCommand.ts index 5fba4557d70d..ef870ff0f4d6 100644 --- a/clients/client-personalize/src/commands/StopSolutionVersionCreationCommand.ts +++ b/clients/client-personalize/src/commands/StopSolutionVersionCreationCommand.ts @@ -97,4 +97,16 @@ export class StopSolutionVersionCreationCommand extends $Command .f(void 0, void 0) .ser(se_StopSolutionVersionCreationCommand) .de(de_StopSolutionVersionCreationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSolutionVersionCreationRequest; + output: {}; + }; + sdk: { + input: StopSolutionVersionCreationCommandInput; + output: StopSolutionVersionCreationCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/TagResourceCommand.ts b/clients/client-personalize/src/commands/TagResourceCommand.ts index 974246df0ec5..9bcc689c7780 100644 --- a/clients/client-personalize/src/commands/TagResourceCommand.ts +++ b/clients/client-personalize/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/UntagResourceCommand.ts b/clients/client-personalize/src/commands/UntagResourceCommand.ts index e5965ce1b90a..739363902dff 100644 --- a/clients/client-personalize/src/commands/UntagResourceCommand.ts +++ b/clients/client-personalize/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/UpdateCampaignCommand.ts b/clients/client-personalize/src/commands/UpdateCampaignCommand.ts index 3e3027499868..894b9a56bd88 100644 --- a/clients/client-personalize/src/commands/UpdateCampaignCommand.ts +++ b/clients/client-personalize/src/commands/UpdateCampaignCommand.ts @@ -118,4 +118,16 @@ export class UpdateCampaignCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCampaignCommand) .de(de_UpdateCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCampaignRequest; + output: UpdateCampaignResponse; + }; + sdk: { + input: UpdateCampaignCommandInput; + output: UpdateCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/UpdateDatasetCommand.ts b/clients/client-personalize/src/commands/UpdateDatasetCommand.ts index 71b75d68c0b5..cea58e38064b 100644 --- a/clients/client-personalize/src/commands/UpdateDatasetCommand.ts +++ b/clients/client-personalize/src/commands/UpdateDatasetCommand.ts @@ -87,4 +87,16 @@ export class UpdateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasetCommand) .de(de_UpdateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasetRequest; + output: UpdateDatasetResponse; + }; + sdk: { + input: UpdateDatasetCommandInput; + output: UpdateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/UpdateMetricAttributionCommand.ts b/clients/client-personalize/src/commands/UpdateMetricAttributionCommand.ts index 243c6ceab8e3..ab61243311e3 100644 --- a/clients/client-personalize/src/commands/UpdateMetricAttributionCommand.ts +++ b/clients/client-personalize/src/commands/UpdateMetricAttributionCommand.ts @@ -106,4 +106,16 @@ export class UpdateMetricAttributionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMetricAttributionCommand) .de(de_UpdateMetricAttributionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMetricAttributionRequest; + output: UpdateMetricAttributionResponse; + }; + sdk: { + input: UpdateMetricAttributionCommandInput; + output: UpdateMetricAttributionCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/UpdateRecommenderCommand.ts b/clients/client-personalize/src/commands/UpdateRecommenderCommand.ts index e3af6a8ef887..6905fa85cf87 100644 --- a/clients/client-personalize/src/commands/UpdateRecommenderCommand.ts +++ b/clients/client-personalize/src/commands/UpdateRecommenderCommand.ts @@ -107,4 +107,16 @@ export class UpdateRecommenderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRecommenderCommand) .de(de_UpdateRecommenderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecommenderRequest; + output: UpdateRecommenderResponse; + }; + sdk: { + input: UpdateRecommenderCommandInput; + output: UpdateRecommenderCommandOutput; + }; + }; +} diff --git a/clients/client-personalize/src/commands/UpdateSolutionCommand.ts b/clients/client-personalize/src/commands/UpdateSolutionCommand.ts index 70ac507b4b76..5a4b483fa35d 100644 --- a/clients/client-personalize/src/commands/UpdateSolutionCommand.ts +++ b/clients/client-personalize/src/commands/UpdateSolutionCommand.ts @@ -104,4 +104,16 @@ export class UpdateSolutionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSolutionCommand) .de(de_UpdateSolutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSolutionRequest; + output: UpdateSolutionResponse; + }; + sdk: { + input: UpdateSolutionCommandInput; + output: UpdateSolutionCommandOutput; + }; + }; +} diff --git a/clients/client-pi/package.json b/clients/client-pi/package.json index 49e089fb9fab..67b09bfa1120 100644 --- a/clients/client-pi/package.json +++ b/clients/client-pi/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-pi/src/commands/CreatePerformanceAnalysisReportCommand.ts b/clients/client-pi/src/commands/CreatePerformanceAnalysisReportCommand.ts index 8cf9a02f2749..e27a13d915e9 100644 --- a/clients/client-pi/src/commands/CreatePerformanceAnalysisReportCommand.ts +++ b/clients/client-pi/src/commands/CreatePerformanceAnalysisReportCommand.ts @@ -101,4 +101,16 @@ export class CreatePerformanceAnalysisReportCommand extends $Command .f(void 0, void 0) .ser(se_CreatePerformanceAnalysisReportCommand) .de(de_CreatePerformanceAnalysisReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePerformanceAnalysisReportRequest; + output: CreatePerformanceAnalysisReportResponse; + }; + sdk: { + input: CreatePerformanceAnalysisReportCommandInput; + output: CreatePerformanceAnalysisReportCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/DeletePerformanceAnalysisReportCommand.ts b/clients/client-pi/src/commands/DeletePerformanceAnalysisReportCommand.ts index 4a117f3441f4..a8a146ea5439 100644 --- a/clients/client-pi/src/commands/DeletePerformanceAnalysisReportCommand.ts +++ b/clients/client-pi/src/commands/DeletePerformanceAnalysisReportCommand.ts @@ -91,4 +91,16 @@ export class DeletePerformanceAnalysisReportCommand extends $Command .f(void 0, void 0) .ser(se_DeletePerformanceAnalysisReportCommand) .de(de_DeletePerformanceAnalysisReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePerformanceAnalysisReportRequest; + output: {}; + }; + sdk: { + input: DeletePerformanceAnalysisReportCommandInput; + output: DeletePerformanceAnalysisReportCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/DescribeDimensionKeysCommand.ts b/clients/client-pi/src/commands/DescribeDimensionKeysCommand.ts index 04fb8f1a782f..e516c4fa10b6 100644 --- a/clients/client-pi/src/commands/DescribeDimensionKeysCommand.ts +++ b/clients/client-pi/src/commands/DescribeDimensionKeysCommand.ts @@ -141,4 +141,16 @@ export class DescribeDimensionKeysCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDimensionKeysCommand) .de(de_DescribeDimensionKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDimensionKeysRequest; + output: DescribeDimensionKeysResponse; + }; + sdk: { + input: DescribeDimensionKeysCommandInput; + output: DescribeDimensionKeysCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/GetDimensionKeyDetailsCommand.ts b/clients/client-pi/src/commands/GetDimensionKeyDetailsCommand.ts index e922e7f47819..d6d89272363e 100644 --- a/clients/client-pi/src/commands/GetDimensionKeyDetailsCommand.ts +++ b/clients/client-pi/src/commands/GetDimensionKeyDetailsCommand.ts @@ -101,4 +101,16 @@ export class GetDimensionKeyDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetDimensionKeyDetailsCommand) .de(de_GetDimensionKeyDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDimensionKeyDetailsRequest; + output: GetDimensionKeyDetailsResponse; + }; + sdk: { + input: GetDimensionKeyDetailsCommandInput; + output: GetDimensionKeyDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/GetPerformanceAnalysisReportCommand.ts b/clients/client-pi/src/commands/GetPerformanceAnalysisReportCommand.ts index 4bae7f229700..6d9298a69fef 100644 --- a/clients/client-pi/src/commands/GetPerformanceAnalysisReportCommand.ts +++ b/clients/client-pi/src/commands/GetPerformanceAnalysisReportCommand.ts @@ -193,4 +193,16 @@ export class GetPerformanceAnalysisReportCommand extends $Command .f(void 0, GetPerformanceAnalysisReportResponseFilterSensitiveLog) .ser(se_GetPerformanceAnalysisReportCommand) .de(de_GetPerformanceAnalysisReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPerformanceAnalysisReportRequest; + output: GetPerformanceAnalysisReportResponse; + }; + sdk: { + input: GetPerformanceAnalysisReportCommandInput; + output: GetPerformanceAnalysisReportCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/GetResourceMetadataCommand.ts b/clients/client-pi/src/commands/GetResourceMetadataCommand.ts index e1c79175c23c..ca5196c63b50 100644 --- a/clients/client-pi/src/commands/GetResourceMetadataCommand.ts +++ b/clients/client-pi/src/commands/GetResourceMetadataCommand.ts @@ -94,4 +94,16 @@ export class GetResourceMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceMetadataCommand) .de(de_GetResourceMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceMetadataRequest; + output: GetResourceMetadataResponse; + }; + sdk: { + input: GetResourceMetadataCommandInput; + output: GetResourceMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/GetResourceMetricsCommand.ts b/clients/client-pi/src/commands/GetResourceMetricsCommand.ts index 03f0a9ff4b5d..4c5a5ed29cae 100644 --- a/clients/client-pi/src/commands/GetResourceMetricsCommand.ts +++ b/clients/client-pi/src/commands/GetResourceMetricsCommand.ts @@ -133,4 +133,16 @@ export class GetResourceMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceMetricsCommand) .de(de_GetResourceMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceMetricsRequest; + output: GetResourceMetricsResponse; + }; + sdk: { + input: GetResourceMetricsCommandInput; + output: GetResourceMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/ListAvailableResourceDimensionsCommand.ts b/clients/client-pi/src/commands/ListAvailableResourceDimensionsCommand.ts index 05638fca9acb..cafa4af60af5 100644 --- a/clients/client-pi/src/commands/ListAvailableResourceDimensionsCommand.ts +++ b/clients/client-pi/src/commands/ListAvailableResourceDimensionsCommand.ts @@ -115,4 +115,16 @@ export class ListAvailableResourceDimensionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableResourceDimensionsCommand) .de(de_ListAvailableResourceDimensionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAvailableResourceDimensionsRequest; + output: ListAvailableResourceDimensionsResponse; + }; + sdk: { + input: ListAvailableResourceDimensionsCommandInput; + output: ListAvailableResourceDimensionsCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/ListAvailableResourceMetricsCommand.ts b/clients/client-pi/src/commands/ListAvailableResourceMetricsCommand.ts index 0205708acd7e..b9e090c450d1 100644 --- a/clients/client-pi/src/commands/ListAvailableResourceMetricsCommand.ts +++ b/clients/client-pi/src/commands/ListAvailableResourceMetricsCommand.ts @@ -105,4 +105,16 @@ export class ListAvailableResourceMetricsCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableResourceMetricsCommand) .de(de_ListAvailableResourceMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAvailableResourceMetricsRequest; + output: ListAvailableResourceMetricsResponse; + }; + sdk: { + input: ListAvailableResourceMetricsCommandInput; + output: ListAvailableResourceMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/ListPerformanceAnalysisReportsCommand.ts b/clients/client-pi/src/commands/ListPerformanceAnalysisReportsCommand.ts index 4bce11e04d46..44c170fb5349 100644 --- a/clients/client-pi/src/commands/ListPerformanceAnalysisReportsCommand.ts +++ b/clients/client-pi/src/commands/ListPerformanceAnalysisReportsCommand.ts @@ -110,4 +110,16 @@ export class ListPerformanceAnalysisReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListPerformanceAnalysisReportsCommand) .de(de_ListPerformanceAnalysisReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPerformanceAnalysisReportsRequest; + output: ListPerformanceAnalysisReportsResponse; + }; + sdk: { + input: ListPerformanceAnalysisReportsCommandInput; + output: ListPerformanceAnalysisReportsCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/ListTagsForResourceCommand.ts b/clients/client-pi/src/commands/ListTagsForResourceCommand.ts index 78e7e6aabd3d..63eddd33ee7e 100644 --- a/clients/client-pi/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pi/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/TagResourceCommand.ts b/clients/client-pi/src/commands/TagResourceCommand.ts index e95df231b3a5..bebd15ef17ae 100644 --- a/clients/client-pi/src/commands/TagResourceCommand.ts +++ b/clients/client-pi/src/commands/TagResourceCommand.ts @@ -91,4 +91,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pi/src/commands/UntagResourceCommand.ts b/clients/client-pi/src/commands/UntagResourceCommand.ts index d98f4a7ba149..b4e82f294fa7 100644 --- a/clients/client-pi/src/commands/UntagResourceCommand.ts +++ b/clients/client-pi/src/commands/UntagResourceCommand.ts @@ -88,4 +88,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/package.json b/clients/client-pinpoint-email/package.json index 6068b54d2232..fbfd270922b7 100644 --- a/clients/client-pinpoint-email/package.json +++ b/clients/client-pinpoint-email/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-pinpoint-email/src/commands/CreateConfigurationSetCommand.ts b/clients/client-pinpoint-email/src/commands/CreateConfigurationSetCommand.ts index c166063697d7..e43cbbe59004 100644 --- a/clients/client-pinpoint-email/src/commands/CreateConfigurationSetCommand.ts +++ b/clients/client-pinpoint-email/src/commands/CreateConfigurationSetCommand.ts @@ -117,4 +117,16 @@ export class CreateConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetCommand) .de(de_CreateConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetCommandInput; + output: CreateConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/CreateConfigurationSetEventDestinationCommand.ts b/clients/client-pinpoint-email/src/commands/CreateConfigurationSetEventDestinationCommand.ts index 754d700379c6..b0e6c72df58b 100644 --- a/clients/client-pinpoint-email/src/commands/CreateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-pinpoint-email/src/commands/CreateConfigurationSetEventDestinationCommand.ts @@ -131,4 +131,16 @@ export class CreateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetEventDestinationCommand) .de(de_CreateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetEventDestinationCommandInput; + output: CreateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/CreateDedicatedIpPoolCommand.ts b/clients/client-pinpoint-email/src/commands/CreateDedicatedIpPoolCommand.ts index a6c199d109e5..83e77b1747b5 100644 --- a/clients/client-pinpoint-email/src/commands/CreateDedicatedIpPoolCommand.ts +++ b/clients/client-pinpoint-email/src/commands/CreateDedicatedIpPoolCommand.ts @@ -99,4 +99,16 @@ export class CreateDedicatedIpPoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateDedicatedIpPoolCommand) .de(de_CreateDedicatedIpPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDedicatedIpPoolRequest; + output: {}; + }; + sdk: { + input: CreateDedicatedIpPoolCommandInput; + output: CreateDedicatedIpPoolCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/CreateDeliverabilityTestReportCommand.ts b/clients/client-pinpoint-email/src/commands/CreateDeliverabilityTestReportCommand.ts index 614623ed76ef..3112b29b4405 100644 --- a/clients/client-pinpoint-email/src/commands/CreateDeliverabilityTestReportCommand.ts +++ b/clients/client-pinpoint-email/src/commands/CreateDeliverabilityTestReportCommand.ts @@ -150,4 +150,16 @@ export class CreateDeliverabilityTestReportCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeliverabilityTestReportCommand) .de(de_CreateDeliverabilityTestReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeliverabilityTestReportRequest; + output: CreateDeliverabilityTestReportResponse; + }; + sdk: { + input: CreateDeliverabilityTestReportCommandInput; + output: CreateDeliverabilityTestReportCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/CreateEmailIdentityCommand.ts b/clients/client-pinpoint-email/src/commands/CreateEmailIdentityCommand.ts index 671499a43cd3..081d8f0284e9 100644 --- a/clients/client-pinpoint-email/src/commands/CreateEmailIdentityCommand.ts +++ b/clients/client-pinpoint-email/src/commands/CreateEmailIdentityCommand.ts @@ -116,4 +116,16 @@ export class CreateEmailIdentityCommand extends $Command .f(void 0, void 0) .ser(se_CreateEmailIdentityCommand) .de(de_CreateEmailIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEmailIdentityRequest; + output: CreateEmailIdentityResponse; + }; + sdk: { + input: CreateEmailIdentityCommandInput; + output: CreateEmailIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetCommand.ts b/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetCommand.ts index 15f3065e4bb9..18e7ac93125b 100644 --- a/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetCommand.ts +++ b/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetCommand.ts @@ -92,4 +92,16 @@ export class DeleteConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetCommand) .de(de_DeleteConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetCommandInput; + output: DeleteConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetEventDestinationCommand.ts b/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetEventDestinationCommand.ts index 351580f1c7c1..62ea03e68272 100644 --- a/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetEventDestinationCommand.ts +++ b/clients/client-pinpoint-email/src/commands/DeleteConfigurationSetEventDestinationCommand.ts @@ -99,4 +99,16 @@ export class DeleteConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetEventDestinationCommand) .de(de_DeleteConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetEventDestinationCommandInput; + output: DeleteConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/DeleteDedicatedIpPoolCommand.ts b/clients/client-pinpoint-email/src/commands/DeleteDedicatedIpPoolCommand.ts index 96a83840a2cf..5737ff4e9632 100644 --- a/clients/client-pinpoint-email/src/commands/DeleteDedicatedIpPoolCommand.ts +++ b/clients/client-pinpoint-email/src/commands/DeleteDedicatedIpPoolCommand.ts @@ -87,4 +87,16 @@ export class DeleteDedicatedIpPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDedicatedIpPoolCommand) .de(de_DeleteDedicatedIpPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDedicatedIpPoolRequest; + output: {}; + }; + sdk: { + input: DeleteDedicatedIpPoolCommandInput; + output: DeleteDedicatedIpPoolCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/DeleteEmailIdentityCommand.ts b/clients/client-pinpoint-email/src/commands/DeleteEmailIdentityCommand.ts index 086a903a2887..840b451c7f38 100644 --- a/clients/client-pinpoint-email/src/commands/DeleteEmailIdentityCommand.ts +++ b/clients/client-pinpoint-email/src/commands/DeleteEmailIdentityCommand.ts @@ -88,4 +88,16 @@ export class DeleteEmailIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEmailIdentityCommand) .de(de_DeleteEmailIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEmailIdentityRequest; + output: {}; + }; + sdk: { + input: DeleteEmailIdentityCommandInput; + output: DeleteEmailIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetAccountCommand.ts b/clients/client-pinpoint-email/src/commands/GetAccountCommand.ts index ab51d0f0e0a8..a39ae121c709 100644 --- a/clients/client-pinpoint-email/src/commands/GetAccountCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetAccountCommand.ts @@ -90,4 +90,16 @@ export class GetAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountCommand) .de(de_GetAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountResponse; + }; + sdk: { + input: GetAccountCommandInput; + output: GetAccountCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetBlacklistReportsCommand.ts b/clients/client-pinpoint-email/src/commands/GetBlacklistReportsCommand.ts index 07c0189a3808..2aa507bc66ba 100644 --- a/clients/client-pinpoint-email/src/commands/GetBlacklistReportsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetBlacklistReportsCommand.ts @@ -96,4 +96,16 @@ export class GetBlacklistReportsCommand extends $Command .f(void 0, void 0) .ser(se_GetBlacklistReportsCommand) .de(de_GetBlacklistReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlacklistReportsRequest; + output: GetBlacklistReportsResponse; + }; + sdk: { + input: GetBlacklistReportsCommandInput; + output: GetBlacklistReportsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetConfigurationSetCommand.ts b/clients/client-pinpoint-email/src/commands/GetConfigurationSetCommand.ts index b8d3c0ea862e..30d6b518ef15 100644 --- a/clients/client-pinpoint-email/src/commands/GetConfigurationSetCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetConfigurationSetCommand.ts @@ -113,4 +113,16 @@ export class GetConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationSetCommand) .de(de_GetConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationSetRequest; + output: GetConfigurationSetResponse; + }; + sdk: { + input: GetConfigurationSetCommandInput; + output: GetConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetConfigurationSetEventDestinationsCommand.ts b/clients/client-pinpoint-email/src/commands/GetConfigurationSetEventDestinationsCommand.ts index db55ccef4f4d..dbeb0612222e 100644 --- a/clients/client-pinpoint-email/src/commands/GetConfigurationSetEventDestinationsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetConfigurationSetEventDestinationsCommand.ts @@ -127,4 +127,16 @@ export class GetConfigurationSetEventDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationSetEventDestinationsCommand) .de(de_GetConfigurationSetEventDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationSetEventDestinationsRequest; + output: GetConfigurationSetEventDestinationsResponse; + }; + sdk: { + input: GetConfigurationSetEventDestinationsCommandInput; + output: GetConfigurationSetEventDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetDedicatedIpCommand.ts b/clients/client-pinpoint-email/src/commands/GetDedicatedIpCommand.ts index bbaa9c557009..b4563c5953ac 100644 --- a/clients/client-pinpoint-email/src/commands/GetDedicatedIpCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetDedicatedIpCommand.ts @@ -93,4 +93,16 @@ export class GetDedicatedIpCommand extends $Command .f(void 0, void 0) .ser(se_GetDedicatedIpCommand) .de(de_GetDedicatedIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDedicatedIpRequest; + output: GetDedicatedIpResponse; + }; + sdk: { + input: GetDedicatedIpCommandInput; + output: GetDedicatedIpCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetDedicatedIpsCommand.ts b/clients/client-pinpoint-email/src/commands/GetDedicatedIpsCommand.ts index d5a2ad4f462e..b6e4baf096ad 100644 --- a/clients/client-pinpoint-email/src/commands/GetDedicatedIpsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetDedicatedIpsCommand.ts @@ -97,4 +97,16 @@ export class GetDedicatedIpsCommand extends $Command .f(void 0, void 0) .ser(se_GetDedicatedIpsCommand) .de(de_GetDedicatedIpsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDedicatedIpsRequest; + output: GetDedicatedIpsResponse; + }; + sdk: { + input: GetDedicatedIpsCommandInput; + output: GetDedicatedIpsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetDeliverabilityDashboardOptionsCommand.ts b/clients/client-pinpoint-email/src/commands/GetDeliverabilityDashboardOptionsCommand.ts index 7254c053342c..2832dd7947c0 100644 --- a/clients/client-pinpoint-email/src/commands/GetDeliverabilityDashboardOptionsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetDeliverabilityDashboardOptionsCommand.ts @@ -124,4 +124,16 @@ export class GetDeliverabilityDashboardOptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliverabilityDashboardOptionsCommand) .de(de_GetDeliverabilityDashboardOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDeliverabilityDashboardOptionsResponse; + }; + sdk: { + input: GetDeliverabilityDashboardOptionsCommandInput; + output: GetDeliverabilityDashboardOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetDeliverabilityTestReportCommand.ts b/clients/client-pinpoint-email/src/commands/GetDeliverabilityTestReportCommand.ts index 6c2888026b62..e65bf3d9cb7d 100644 --- a/clients/client-pinpoint-email/src/commands/GetDeliverabilityTestReportCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetDeliverabilityTestReportCommand.ts @@ -124,4 +124,16 @@ export class GetDeliverabilityTestReportCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliverabilityTestReportCommand) .de(de_GetDeliverabilityTestReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeliverabilityTestReportRequest; + output: GetDeliverabilityTestReportResponse; + }; + sdk: { + input: GetDeliverabilityTestReportCommandInput; + output: GetDeliverabilityTestReportCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetDomainDeliverabilityCampaignCommand.ts b/clients/client-pinpoint-email/src/commands/GetDomainDeliverabilityCampaignCommand.ts index 292658c59f9a..aa50657242b6 100644 --- a/clients/client-pinpoint-email/src/commands/GetDomainDeliverabilityCampaignCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetDomainDeliverabilityCampaignCommand.ts @@ -113,4 +113,16 @@ export class GetDomainDeliverabilityCampaignCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainDeliverabilityCampaignCommand) .de(de_GetDomainDeliverabilityCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainDeliverabilityCampaignRequest; + output: GetDomainDeliverabilityCampaignResponse; + }; + sdk: { + input: GetDomainDeliverabilityCampaignCommandInput; + output: GetDomainDeliverabilityCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetDomainStatisticsReportCommand.ts b/clients/client-pinpoint-email/src/commands/GetDomainStatisticsReportCommand.ts index bb1eccf43ce7..63ee67ab0872 100644 --- a/clients/client-pinpoint-email/src/commands/GetDomainStatisticsReportCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetDomainStatisticsReportCommand.ts @@ -126,4 +126,16 @@ export class GetDomainStatisticsReportCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainStatisticsReportCommand) .de(de_GetDomainStatisticsReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainStatisticsReportRequest; + output: GetDomainStatisticsReportResponse; + }; + sdk: { + input: GetDomainStatisticsReportCommandInput; + output: GetDomainStatisticsReportCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/GetEmailIdentityCommand.ts b/clients/client-pinpoint-email/src/commands/GetEmailIdentityCommand.ts index 78623e301eee..d937f54ca6a6 100644 --- a/clients/client-pinpoint-email/src/commands/GetEmailIdentityCommand.ts +++ b/clients/client-pinpoint-email/src/commands/GetEmailIdentityCommand.ts @@ -108,4 +108,16 @@ export class GetEmailIdentityCommand extends $Command .f(void 0, void 0) .ser(se_GetEmailIdentityCommand) .de(de_GetEmailIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEmailIdentityRequest; + output: GetEmailIdentityResponse; + }; + sdk: { + input: GetEmailIdentityCommandInput; + output: GetEmailIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/ListConfigurationSetsCommand.ts b/clients/client-pinpoint-email/src/commands/ListConfigurationSetsCommand.ts index 1dd04085769d..04c2b5a1f7b2 100644 --- a/clients/client-pinpoint-email/src/commands/ListConfigurationSetsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/ListConfigurationSetsCommand.ts @@ -93,4 +93,16 @@ export class ListConfigurationSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationSetsCommand) .de(de_ListConfigurationSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationSetsRequest; + output: ListConfigurationSetsResponse; + }; + sdk: { + input: ListConfigurationSetsCommandInput; + output: ListConfigurationSetsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/ListDedicatedIpPoolsCommand.ts b/clients/client-pinpoint-email/src/commands/ListDedicatedIpPoolsCommand.ts index d6ebea74985d..6953185f3f68 100644 --- a/clients/client-pinpoint-email/src/commands/ListDedicatedIpPoolsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/ListDedicatedIpPoolsCommand.ts @@ -88,4 +88,16 @@ export class ListDedicatedIpPoolsCommand extends $Command .f(void 0, void 0) .ser(se_ListDedicatedIpPoolsCommand) .de(de_ListDedicatedIpPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDedicatedIpPoolsRequest; + output: ListDedicatedIpPoolsResponse; + }; + sdk: { + input: ListDedicatedIpPoolsCommandInput; + output: ListDedicatedIpPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/ListDeliverabilityTestReportsCommand.ts b/clients/client-pinpoint-email/src/commands/ListDeliverabilityTestReportsCommand.ts index 1b70cfba2fef..fa3d378a19e5 100644 --- a/clients/client-pinpoint-email/src/commands/ListDeliverabilityTestReportsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/ListDeliverabilityTestReportsCommand.ts @@ -104,4 +104,16 @@ export class ListDeliverabilityTestReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeliverabilityTestReportsCommand) .de(de_ListDeliverabilityTestReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeliverabilityTestReportsRequest; + output: ListDeliverabilityTestReportsResponse; + }; + sdk: { + input: ListDeliverabilityTestReportsCommandInput; + output: ListDeliverabilityTestReportsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/ListDomainDeliverabilityCampaignsCommand.ts b/clients/client-pinpoint-email/src/commands/ListDomainDeliverabilityCampaignsCommand.ts index e0d991ec99e7..7dc562d8b2ab 100644 --- a/clients/client-pinpoint-email/src/commands/ListDomainDeliverabilityCampaignsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/ListDomainDeliverabilityCampaignsCommand.ts @@ -123,4 +123,16 @@ export class ListDomainDeliverabilityCampaignsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainDeliverabilityCampaignsCommand) .de(de_ListDomainDeliverabilityCampaignsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainDeliverabilityCampaignsRequest; + output: ListDomainDeliverabilityCampaignsResponse; + }; + sdk: { + input: ListDomainDeliverabilityCampaignsCommandInput; + output: ListDomainDeliverabilityCampaignsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/ListEmailIdentitiesCommand.ts b/clients/client-pinpoint-email/src/commands/ListEmailIdentitiesCommand.ts index 60725f86fd83..4c6fd9f875d0 100644 --- a/clients/client-pinpoint-email/src/commands/ListEmailIdentitiesCommand.ts +++ b/clients/client-pinpoint-email/src/commands/ListEmailIdentitiesCommand.ts @@ -93,4 +93,16 @@ export class ListEmailIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListEmailIdentitiesCommand) .de(de_ListEmailIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEmailIdentitiesRequest; + output: ListEmailIdentitiesResponse; + }; + sdk: { + input: ListEmailIdentitiesCommandInput; + output: ListEmailIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/ListTagsForResourceCommand.ts b/clients/client-pinpoint-email/src/commands/ListTagsForResourceCommand.ts index b01f1e431dc0..1e460b6ac48b 100644 --- a/clients/client-pinpoint-email/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pinpoint-email/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts b/clients/client-pinpoint-email/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts index 9f1f2d9ceb18..45ad187d1aa6 100644 --- a/clients/client-pinpoint-email/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts @@ -90,4 +90,16 @@ export class PutAccountDedicatedIpWarmupAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountDedicatedIpWarmupAttributesCommand) .de(de_PutAccountDedicatedIpWarmupAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountDedicatedIpWarmupAttributesRequest; + output: {}; + }; + sdk: { + input: PutAccountDedicatedIpWarmupAttributesCommandInput; + output: PutAccountDedicatedIpWarmupAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutAccountSendingAttributesCommand.ts b/clients/client-pinpoint-email/src/commands/PutAccountSendingAttributesCommand.ts index e041da5b5804..1f25df6ac7ef 100644 --- a/clients/client-pinpoint-email/src/commands/PutAccountSendingAttributesCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutAccountSendingAttributesCommand.ts @@ -86,4 +86,16 @@ export class PutAccountSendingAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountSendingAttributesCommand) .de(de_PutAccountSendingAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountSendingAttributesRequest; + output: {}; + }; + sdk: { + input: PutAccountSendingAttributesCommandInput; + output: PutAccountSendingAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts b/clients/client-pinpoint-email/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts index 4582c5687b2d..b68c059c6475 100644 --- a/clients/client-pinpoint-email/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts @@ -95,4 +95,16 @@ export class PutConfigurationSetDeliveryOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetDeliveryOptionsCommand) .de(de_PutConfigurationSetDeliveryOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetDeliveryOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetDeliveryOptionsCommandInput; + output: PutConfigurationSetDeliveryOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutConfigurationSetReputationOptionsCommand.ts b/clients/client-pinpoint-email/src/commands/PutConfigurationSetReputationOptionsCommand.ts index 3de6a8caba06..5e2d7ce628f9 100644 --- a/clients/client-pinpoint-email/src/commands/PutConfigurationSetReputationOptionsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutConfigurationSetReputationOptionsCommand.ts @@ -94,4 +94,16 @@ export class PutConfigurationSetReputationOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetReputationOptionsCommand) .de(de_PutConfigurationSetReputationOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetReputationOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetReputationOptionsCommandInput; + output: PutConfigurationSetReputationOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutConfigurationSetSendingOptionsCommand.ts b/clients/client-pinpoint-email/src/commands/PutConfigurationSetSendingOptionsCommand.ts index d6ac1b4b68b7..893f995d8399 100644 --- a/clients/client-pinpoint-email/src/commands/PutConfigurationSetSendingOptionsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutConfigurationSetSendingOptionsCommand.ts @@ -94,4 +94,16 @@ export class PutConfigurationSetSendingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetSendingOptionsCommand) .de(de_PutConfigurationSetSendingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetSendingOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetSendingOptionsCommandInput; + output: PutConfigurationSetSendingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutConfigurationSetTrackingOptionsCommand.ts b/clients/client-pinpoint-email/src/commands/PutConfigurationSetTrackingOptionsCommand.ts index d7fb5ae6fac7..04abcf968fa8 100644 --- a/clients/client-pinpoint-email/src/commands/PutConfigurationSetTrackingOptionsCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutConfigurationSetTrackingOptionsCommand.ts @@ -94,4 +94,16 @@ export class PutConfigurationSetTrackingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetTrackingOptionsCommand) .de(de_PutConfigurationSetTrackingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetTrackingOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetTrackingOptionsCommandInput; + output: PutConfigurationSetTrackingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutDedicatedIpInPoolCommand.ts b/clients/client-pinpoint-email/src/commands/PutDedicatedIpInPoolCommand.ts index 25fe2131bc0b..d077fd08ecdc 100644 --- a/clients/client-pinpoint-email/src/commands/PutDedicatedIpInPoolCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutDedicatedIpInPoolCommand.ts @@ -94,4 +94,16 @@ export class PutDedicatedIpInPoolCommand extends $Command .f(void 0, void 0) .ser(se_PutDedicatedIpInPoolCommand) .de(de_PutDedicatedIpInPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDedicatedIpInPoolRequest; + output: {}; + }; + sdk: { + input: PutDedicatedIpInPoolCommandInput; + output: PutDedicatedIpInPoolCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutDedicatedIpWarmupAttributesCommand.ts b/clients/client-pinpoint-email/src/commands/PutDedicatedIpWarmupAttributesCommand.ts index ededc6f8cd65..3abaaa80460c 100644 --- a/clients/client-pinpoint-email/src/commands/PutDedicatedIpWarmupAttributesCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutDedicatedIpWarmupAttributesCommand.ts @@ -90,4 +90,16 @@ export class PutDedicatedIpWarmupAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutDedicatedIpWarmupAttributesCommand) .de(de_PutDedicatedIpWarmupAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDedicatedIpWarmupAttributesRequest; + output: {}; + }; + sdk: { + input: PutDedicatedIpWarmupAttributesCommandInput; + output: PutDedicatedIpWarmupAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutDeliverabilityDashboardOptionCommand.ts b/clients/client-pinpoint-email/src/commands/PutDeliverabilityDashboardOptionCommand.ts index b968dc60f1ea..e5605441b24d 100644 --- a/clients/client-pinpoint-email/src/commands/PutDeliverabilityDashboardOptionCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutDeliverabilityDashboardOptionCommand.ts @@ -113,4 +113,16 @@ export class PutDeliverabilityDashboardOptionCommand extends $Command .f(void 0, void 0) .ser(se_PutDeliverabilityDashboardOptionCommand) .de(de_PutDeliverabilityDashboardOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDeliverabilityDashboardOptionRequest; + output: {}; + }; + sdk: { + input: PutDeliverabilityDashboardOptionCommandInput; + output: PutDeliverabilityDashboardOptionCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutEmailIdentityDkimAttributesCommand.ts b/clients/client-pinpoint-email/src/commands/PutEmailIdentityDkimAttributesCommand.ts index 59b3ea993ac5..7986c13fc137 100644 --- a/clients/client-pinpoint-email/src/commands/PutEmailIdentityDkimAttributesCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutEmailIdentityDkimAttributesCommand.ts @@ -90,4 +90,16 @@ export class PutEmailIdentityDkimAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailIdentityDkimAttributesCommand) .de(de_PutEmailIdentityDkimAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityDkimAttributesRequest; + output: {}; + }; + sdk: { + input: PutEmailIdentityDkimAttributesCommandInput; + output: PutEmailIdentityDkimAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts b/clients/client-pinpoint-email/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts index f752395f30b9..1ddbd3151a8a 100644 --- a/clients/client-pinpoint-email/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts @@ -103,4 +103,16 @@ export class PutEmailIdentityFeedbackAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailIdentityFeedbackAttributesCommand) .de(de_PutEmailIdentityFeedbackAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityFeedbackAttributesRequest; + output: {}; + }; + sdk: { + input: PutEmailIdentityFeedbackAttributesCommandInput; + output: PutEmailIdentityFeedbackAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/PutEmailIdentityMailFromAttributesCommand.ts b/clients/client-pinpoint-email/src/commands/PutEmailIdentityMailFromAttributesCommand.ts index 4bd79d0652e7..c5449b22712a 100644 --- a/clients/client-pinpoint-email/src/commands/PutEmailIdentityMailFromAttributesCommand.ts +++ b/clients/client-pinpoint-email/src/commands/PutEmailIdentityMailFromAttributesCommand.ts @@ -95,4 +95,16 @@ export class PutEmailIdentityMailFromAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailIdentityMailFromAttributesCommand) .de(de_PutEmailIdentityMailFromAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityMailFromAttributesRequest; + output: {}; + }; + sdk: { + input: PutEmailIdentityMailFromAttributesCommandInput; + output: PutEmailIdentityMailFromAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/SendEmailCommand.ts b/clients/client-pinpoint-email/src/commands/SendEmailCommand.ts index c8ce3d268461..f489c03f1a46 100644 --- a/clients/client-pinpoint-email/src/commands/SendEmailCommand.ts +++ b/clients/client-pinpoint-email/src/commands/SendEmailCommand.ts @@ -167,4 +167,16 @@ export class SendEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendEmailCommand) .de(de_SendEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendEmailRequest; + output: SendEmailResponse; + }; + sdk: { + input: SendEmailCommandInput; + output: SendEmailCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/TagResourceCommand.ts b/clients/client-pinpoint-email/src/commands/TagResourceCommand.ts index 5053fd71db7e..8d1ad3a376da 100644 --- a/clients/client-pinpoint-email/src/commands/TagResourceCommand.ts +++ b/clients/client-pinpoint-email/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/UntagResourceCommand.ts b/clients/client-pinpoint-email/src/commands/UntagResourceCommand.ts index 32c8676471ed..2e3a563908e8 100644 --- a/clients/client-pinpoint-email/src/commands/UntagResourceCommand.ts +++ b/clients/client-pinpoint-email/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-email/src/commands/UpdateConfigurationSetEventDestinationCommand.ts b/clients/client-pinpoint-email/src/commands/UpdateConfigurationSetEventDestinationCommand.ts index 2827b3e80d4d..3260386151e7 100644 --- a/clients/client-pinpoint-email/src/commands/UpdateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-pinpoint-email/src/commands/UpdateConfigurationSetEventDestinationCommand.ts @@ -124,4 +124,16 @@ export class UpdateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationSetEventDestinationCommand) .de(de_UpdateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationSetEventDestinationCommandInput; + output: UpdateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/package.json b/clients/client-pinpoint-sms-voice-v2/package.json index 351f80d04a25..eb0c6145fded 100644 --- a/clients/client-pinpoint-sms-voice-v2/package.json +++ b/clients/client-pinpoint-sms-voice-v2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateOriginationIdentityCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateOriginationIdentityCommand.ts index fb5803cbf13d..ea4700465fac 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateOriginationIdentityCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateOriginationIdentityCommand.ts @@ -124,4 +124,16 @@ export class AssociateOriginationIdentityCommand extends $Command .f(void 0, void 0) .ser(se_AssociateOriginationIdentityCommand) .de(de_AssociateOriginationIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateOriginationIdentityRequest; + output: AssociateOriginationIdentityResult; + }; + sdk: { + input: AssociateOriginationIdentityCommandInput; + output: AssociateOriginationIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateProtectConfigurationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateProtectConfigurationCommand.ts index 11cf98424eb5..d9db70405396 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateProtectConfigurationCommand.ts @@ -117,4 +117,16 @@ export class AssociateProtectConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_AssociateProtectConfigurationCommand) .de(de_AssociateProtectConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateProtectConfigurationRequest; + output: AssociateProtectConfigurationResult; + }; + sdk: { + input: AssociateProtectConfigurationCommandInput; + output: AssociateProtectConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateConfigurationSetCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateConfigurationSetCommand.ts index 872889d08b1f..ac019f54ebaf 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateConfigurationSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateConfigurationSetCommand.ts @@ -124,4 +124,16 @@ export class CreateConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetCommand) .de(de_CreateConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetRequest; + output: CreateConfigurationSetResult; + }; + sdk: { + input: CreateConfigurationSetCommandInput; + output: CreateConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateEventDestinationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateEventDestinationCommand.ts index 21bd9a9d3cfa..26628de924e4 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateEventDestinationCommand.ts @@ -151,4 +151,16 @@ export class CreateEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventDestinationCommand) .de(de_CreateEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventDestinationRequest; + output: CreateEventDestinationResult; + }; + sdk: { + input: CreateEventDestinationCommandInput; + output: CreateEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateOptOutListCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateOptOutListCommand.ts index fcff2d4761c2..019e599150b1 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateOptOutListCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateOptOutListCommand.ts @@ -127,4 +127,16 @@ export class CreateOptOutListCommand extends $Command .f(void 0, void 0) .ser(se_CreateOptOutListCommand) .de(de_CreateOptOutListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOptOutListRequest; + output: CreateOptOutListResult; + }; + sdk: { + input: CreateOptOutListCommandInput; + output: CreateOptOutListCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreatePoolCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreatePoolCommand.ts index 563f21435bf4..5c5f39a14dbd 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreatePoolCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreatePoolCommand.ts @@ -143,4 +143,16 @@ export class CreatePoolCommand extends $Command .f(void 0, void 0) .ser(se_CreatePoolCommand) .de(de_CreatePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePoolRequest; + output: CreatePoolResult; + }; + sdk: { + input: CreatePoolCommandInput; + output: CreatePoolCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateProtectConfigurationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateProtectConfigurationCommand.ts index e4920ce606e7..cfc3a81663d1 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateProtectConfigurationCommand.ts @@ -116,4 +116,16 @@ export class CreateProtectConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateProtectConfigurationCommand) .de(de_CreateProtectConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProtectConfigurationRequest; + output: CreateProtectConfigurationResult; + }; + sdk: { + input: CreateProtectConfigurationCommandInput; + output: CreateProtectConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAssociationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAssociationCommand.ts index c0276a50b6c2..a55a9925b22f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAssociationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAssociationCommand.ts @@ -121,4 +121,16 @@ export class CreateRegistrationAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegistrationAssociationCommand) .de(de_CreateRegistrationAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegistrationAssociationRequest; + output: CreateRegistrationAssociationResult; + }; + sdk: { + input: CreateRegistrationAssociationCommandInput; + output: CreateRegistrationAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAttachmentCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAttachmentCommand.ts index b327edc37ea6..b6bb86e53cbf 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAttachmentCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAttachmentCommand.ts @@ -127,4 +127,16 @@ export class CreateRegistrationAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegistrationAttachmentCommand) .de(de_CreateRegistrationAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegistrationAttachmentRequest; + output: CreateRegistrationAttachmentResult; + }; + sdk: { + input: CreateRegistrationAttachmentCommandInput; + output: CreateRegistrationAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationCommand.ts index cd8116a6b42d..15b77175d0d7 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationCommand.ts @@ -126,4 +126,16 @@ export class CreateRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegistrationCommand) .de(de_CreateRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegistrationRequest; + output: CreateRegistrationResult; + }; + sdk: { + input: CreateRegistrationCommandInput; + output: CreateRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationVersionCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationVersionCommand.ts index 1cb1ebe0558a..93b800794eb5 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationVersionCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationVersionCommand.ts @@ -121,4 +121,16 @@ export class CreateRegistrationVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegistrationVersionCommand) .de(de_CreateRegistrationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegistrationVersionRequest; + output: CreateRegistrationVersionResult; + }; + sdk: { + input: CreateRegistrationVersionCommandInput; + output: CreateRegistrationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateVerifiedDestinationNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateVerifiedDestinationNumberCommand.ts index bfa27d558ee6..0321d7a7548b 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateVerifiedDestinationNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateVerifiedDestinationNumberCommand.ts @@ -128,4 +128,16 @@ export class CreateVerifiedDestinationNumberCommand extends $Command .f(void 0, void 0) .ser(se_CreateVerifiedDestinationNumberCommand) .de(de_CreateVerifiedDestinationNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVerifiedDestinationNumberRequest; + output: CreateVerifiedDestinationNumberResult; + }; + sdk: { + input: CreateVerifiedDestinationNumberCommandInput; + output: CreateVerifiedDestinationNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteAccountDefaultProtectConfigurationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteAccountDefaultProtectConfigurationCommand.ts index 9b18802f2c4e..57b82a1a4172 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteAccountDefaultProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteAccountDefaultProtectConfigurationCommand.ts @@ -107,4 +107,16 @@ export class DeleteAccountDefaultProtectConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountDefaultProtectConfigurationCommand) .de(de_DeleteAccountDefaultProtectConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeleteAccountDefaultProtectConfigurationResult; + }; + sdk: { + input: DeleteAccountDefaultProtectConfigurationCommandInput; + output: DeleteAccountDefaultProtectConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteConfigurationSetCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteConfigurationSetCommand.ts index a7e9587056c3..34b7a45cf1ec 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteConfigurationSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteConfigurationSetCommand.ts @@ -126,4 +126,16 @@ export class DeleteConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetCommand) .de(de_DeleteConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetRequest; + output: DeleteConfigurationSetResult; + }; + sdk: { + input: DeleteConfigurationSetCommandInput; + output: DeleteConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultMessageTypeCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultMessageTypeCommand.ts index 2ff48f7ee910..93aba47206c6 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultMessageTypeCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultMessageTypeCommand.ts @@ -106,4 +106,16 @@ export class DeleteDefaultMessageTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDefaultMessageTypeCommand) .de(de_DeleteDefaultMessageTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDefaultMessageTypeRequest; + output: DeleteDefaultMessageTypeResult; + }; + sdk: { + input: DeleteDefaultMessageTypeCommandInput; + output: DeleteDefaultMessageTypeCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultSenderIdCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultSenderIdCommand.ts index 303fa2b11e6c..80fd9d1b4f87 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultSenderIdCommand.ts @@ -104,4 +104,16 @@ export class DeleteDefaultSenderIdCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDefaultSenderIdCommand) .de(de_DeleteDefaultSenderIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDefaultSenderIdRequest; + output: DeleteDefaultSenderIdResult; + }; + sdk: { + input: DeleteDefaultSenderIdCommandInput; + output: DeleteDefaultSenderIdCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteEventDestinationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteEventDestinationCommand.ts index fedfb2434bc7..0d0088011835 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteEventDestinationCommand.ts @@ -123,4 +123,16 @@ export class DeleteEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventDestinationCommand) .de(de_DeleteEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventDestinationRequest; + output: DeleteEventDestinationResult; + }; + sdk: { + input: DeleteEventDestinationCommandInput; + output: DeleteEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteKeywordCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteKeywordCommand.ts index bd046b49f7a2..a5c5955ee20a 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteKeywordCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteKeywordCommand.ts @@ -116,4 +116,16 @@ export class DeleteKeywordCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeywordCommand) .de(de_DeleteKeywordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeywordRequest; + output: DeleteKeywordResult; + }; + sdk: { + input: DeleteKeywordCommandInput; + output: DeleteKeywordCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteMediaMessageSpendLimitOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteMediaMessageSpendLimitOverrideCommand.ts index 16eab96ff327..e39c5fd58d95 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteMediaMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteMediaMessageSpendLimitOverrideCommand.ts @@ -106,4 +106,16 @@ export class DeleteMediaMessageSpendLimitOverrideCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMediaMessageSpendLimitOverrideCommand) .de(de_DeleteMediaMessageSpendLimitOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeleteMediaMessageSpendLimitOverrideResult; + }; + sdk: { + input: DeleteMediaMessageSpendLimitOverrideCommandInput; + output: DeleteMediaMessageSpendLimitOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptOutListCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptOutListCommand.ts index 73fd2014ba9e..ae7246fc4658 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptOutListCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptOutListCommand.ts @@ -110,4 +110,16 @@ export class DeleteOptOutListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOptOutListCommand) .de(de_DeleteOptOutListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOptOutListRequest; + output: DeleteOptOutListResult; + }; + sdk: { + input: DeleteOptOutListCommandInput; + output: DeleteOptOutListCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptedOutNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptedOutNumberCommand.ts index 6155495dda48..3d1b91d87d46 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptedOutNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptedOutNumberCommand.ts @@ -114,4 +114,16 @@ export class DeleteOptedOutNumberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOptedOutNumberCommand) .de(de_DeleteOptedOutNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOptedOutNumberRequest; + output: DeleteOptedOutNumberResult; + }; + sdk: { + input: DeleteOptedOutNumberCommandInput; + output: DeleteOptedOutNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeletePoolCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeletePoolCommand.ts index 6e53f709e311..2d469b219d42 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeletePoolCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeletePoolCommand.ts @@ -121,4 +121,16 @@ export class DeletePoolCommand extends $Command .f(void 0, void 0) .ser(se_DeletePoolCommand) .de(de_DeletePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePoolRequest; + output: DeletePoolResult; + }; + sdk: { + input: DeletePoolCommandInput; + output: DeletePoolCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationCommand.ts index b13f7528da12..f113aef9ab73 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationCommand.ts @@ -109,4 +109,16 @@ export class DeleteProtectConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProtectConfigurationCommand) .de(de_DeleteProtectConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProtectConfigurationRequest; + output: DeleteProtectConfigurationResult; + }; + sdk: { + input: DeleteProtectConfigurationCommandInput; + output: DeleteProtectConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationAttachmentCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationAttachmentCommand.ts index f5f4332d15e0..d908a6d38510 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationAttachmentCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationAttachmentCommand.ts @@ -114,4 +114,16 @@ export class DeleteRegistrationAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegistrationAttachmentCommand) .de(de_DeleteRegistrationAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegistrationAttachmentRequest; + output: DeleteRegistrationAttachmentResult; + }; + sdk: { + input: DeleteRegistrationAttachmentCommandInput; + output: DeleteRegistrationAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationCommand.ts index 742c73feef7c..4324e0c183d0 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationCommand.ts @@ -115,4 +115,16 @@ export class DeleteRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegistrationCommand) .de(de_DeleteRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegistrationRequest; + output: DeleteRegistrationResult; + }; + sdk: { + input: DeleteRegistrationCommandInput; + output: DeleteRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationFieldValueCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationFieldValueCommand.ts index 7c7268bbae23..ff0aba2e06b4 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationFieldValueCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationFieldValueCommand.ts @@ -119,4 +119,16 @@ export class DeleteRegistrationFieldValueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegistrationFieldValueCommand) .de(de_DeleteRegistrationFieldValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegistrationFieldValueRequest; + output: DeleteRegistrationFieldValueResult; + }; + sdk: { + input: DeleteRegistrationFieldValueCommandInput; + output: DeleteRegistrationFieldValueCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteTextMessageSpendLimitOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteTextMessageSpendLimitOverrideCommand.ts index 9743c6f3ab86..b3b612aa9340 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteTextMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteTextMessageSpendLimitOverrideCommand.ts @@ -106,4 +106,16 @@ export class DeleteTextMessageSpendLimitOverrideCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTextMessageSpendLimitOverrideCommand) .de(de_DeleteTextMessageSpendLimitOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeleteTextMessageSpendLimitOverrideResult; + }; + sdk: { + input: DeleteTextMessageSpendLimitOverrideCommandInput; + output: DeleteTextMessageSpendLimitOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVerifiedDestinationNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVerifiedDestinationNumberCommand.ts index 98193fd77e14..8e87791e8b2b 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVerifiedDestinationNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVerifiedDestinationNumberCommand.ts @@ -113,4 +113,16 @@ export class DeleteVerifiedDestinationNumberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVerifiedDestinationNumberCommand) .de(de_DeleteVerifiedDestinationNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVerifiedDestinationNumberRequest; + output: DeleteVerifiedDestinationNumberResult; + }; + sdk: { + input: DeleteVerifiedDestinationNumberCommandInput; + output: DeleteVerifiedDestinationNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVoiceMessageSpendLimitOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVoiceMessageSpendLimitOverrideCommand.ts index bfd67d5df7de..aac92712e078 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVoiceMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVoiceMessageSpendLimitOverrideCommand.ts @@ -106,4 +106,16 @@ export class DeleteVoiceMessageSpendLimitOverrideCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceMessageSpendLimitOverrideCommand) .de(de_DeleteVoiceMessageSpendLimitOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DeleteVoiceMessageSpendLimitOverrideResult; + }; + sdk: { + input: DeleteVoiceMessageSpendLimitOverrideCommandInput; + output: DeleteVoiceMessageSpendLimitOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountAttributesCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountAttributesCommand.ts index ce39a59c6dda..a94671ebd804 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountAttributesCommand.ts @@ -109,4 +109,16 @@ export class DescribeAccountAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAttributesCommand) .de(de_DescribeAccountAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountAttributesRequest; + output: DescribeAccountAttributesResult; + }; + sdk: { + input: DescribeAccountAttributesCommandInput; + output: DescribeAccountAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountLimitsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountLimitsCommand.ts index 192d748e55c7..50341a861972 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountLimitsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountLimitsCommand.ts @@ -110,4 +110,16 @@ export class DescribeAccountLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountLimitsCommand) .de(de_DescribeAccountLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountLimitsRequest; + output: DescribeAccountLimitsResult; + }; + sdk: { + input: DescribeAccountLimitsCommandInput; + output: DescribeAccountLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeConfigurationSetsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeConfigurationSetsCommand.ts index f6c27e5b07db..08339e59d976 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeConfigurationSetsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeConfigurationSetsCommand.ts @@ -147,4 +147,16 @@ export class DescribeConfigurationSetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationSetsCommand) .de(de_DescribeConfigurationSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationSetsRequest; + output: DescribeConfigurationSetsResult; + }; + sdk: { + input: DescribeConfigurationSetsCommandInput; + output: DescribeConfigurationSetsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeKeywordsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeKeywordsCommand.ts index a6e517569793..eec971ec6a36 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeKeywordsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeKeywordsCommand.ts @@ -128,4 +128,16 @@ export class DescribeKeywordsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKeywordsCommand) .de(de_DescribeKeywordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeywordsRequest; + output: DescribeKeywordsResult; + }; + sdk: { + input: DescribeKeywordsCommandInput; + output: DescribeKeywordsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptOutListsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptOutListsCommand.ts index cde3d05a4a93..774d82104d14 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptOutListsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptOutListsCommand.ts @@ -115,4 +115,16 @@ export class DescribeOptOutListsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOptOutListsCommand) .de(de_DescribeOptOutListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOptOutListsRequest; + output: DescribeOptOutListsResult; + }; + sdk: { + input: DescribeOptOutListsCommandInput; + output: DescribeOptOutListsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptedOutNumbersCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptedOutNumbersCommand.ts index b76aa300c439..052f9fd77fac 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptedOutNumbersCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptedOutNumbersCommand.ts @@ -128,4 +128,16 @@ export class DescribeOptedOutNumbersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOptedOutNumbersCommand) .de(de_DescribeOptedOutNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOptedOutNumbersRequest; + output: DescribeOptedOutNumbersResult; + }; + sdk: { + input: DescribeOptedOutNumbersCommandInput; + output: DescribeOptedOutNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePhoneNumbersCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePhoneNumbersCommand.ts index 33d87150463f..ff97c8c33ab0 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePhoneNumbersCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePhoneNumbersCommand.ts @@ -141,4 +141,16 @@ export class DescribePhoneNumbersCommand extends $Command .f(void 0, void 0) .ser(se_DescribePhoneNumbersCommand) .de(de_DescribePhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePhoneNumbersRequest; + output: DescribePhoneNumbersResult; + }; + sdk: { + input: DescribePhoneNumbersCommandInput; + output: DescribePhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePoolsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePoolsCommand.ts index 31c51c71c62e..9d869b9516a7 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePoolsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePoolsCommand.ts @@ -136,4 +136,16 @@ export class DescribePoolsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePoolsCommand) .de(de_DescribePoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePoolsRequest; + output: DescribePoolsResult; + }; + sdk: { + input: DescribePoolsCommandInput; + output: DescribePoolsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeProtectConfigurationsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeProtectConfigurationsCommand.ts index c352c1e7872f..ae27080d86f3 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeProtectConfigurationsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeProtectConfigurationsCommand.ts @@ -125,4 +125,16 @@ export class DescribeProtectConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProtectConfigurationsCommand) .de(de_DescribeProtectConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProtectConfigurationsRequest; + output: DescribeProtectConfigurationsResult; + }; + sdk: { + input: DescribeProtectConfigurationsCommandInput; + output: DescribeProtectConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationAttachmentsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationAttachmentsCommand.ts index bd4444a9c11e..a50f342a66fc 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationAttachmentsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationAttachmentsCommand.ts @@ -125,4 +125,16 @@ export class DescribeRegistrationAttachmentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistrationAttachmentsCommand) .de(de_DescribeRegistrationAttachmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistrationAttachmentsRequest; + output: DescribeRegistrationAttachmentsResult; + }; + sdk: { + input: DescribeRegistrationAttachmentsCommandInput; + output: DescribeRegistrationAttachmentsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldDefinitionsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldDefinitionsCommand.ts index d05efa14b433..68c8205bf1f8 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldDefinitionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldDefinitionsCommand.ts @@ -147,4 +147,16 @@ export class DescribeRegistrationFieldDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistrationFieldDefinitionsCommand) .de(de_DescribeRegistrationFieldDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistrationFieldDefinitionsRequest; + output: DescribeRegistrationFieldDefinitionsResult; + }; + sdk: { + input: DescribeRegistrationFieldDefinitionsCommandInput; + output: DescribeRegistrationFieldDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldValuesCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldValuesCommand.ts index 20b17173bc4d..b9d0dde6bbb1 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldValuesCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldValuesCommand.ts @@ -125,4 +125,16 @@ export class DescribeRegistrationFieldValuesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistrationFieldValuesCommand) .de(de_DescribeRegistrationFieldValuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistrationFieldValuesRequest; + output: DescribeRegistrationFieldValuesResult; + }; + sdk: { + input: DescribeRegistrationFieldValuesCommandInput; + output: DescribeRegistrationFieldValuesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationSectionDefinitionsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationSectionDefinitionsCommand.ts index c71ae9d03a0d..b75b6d44b5cd 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationSectionDefinitionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationSectionDefinitionsCommand.ts @@ -123,4 +123,16 @@ export class DescribeRegistrationSectionDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistrationSectionDefinitionsCommand) .de(de_DescribeRegistrationSectionDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistrationSectionDefinitionsRequest; + output: DescribeRegistrationSectionDefinitionsResult; + }; + sdk: { + input: DescribeRegistrationSectionDefinitionsCommandInput; + output: DescribeRegistrationSectionDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationTypeDefinitionsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationTypeDefinitionsCommand.ts index 6ce3b0997d6a..ee7cf3223bc7 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationTypeDefinitionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationTypeDefinitionsCommand.ts @@ -136,4 +136,16 @@ export class DescribeRegistrationTypeDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistrationTypeDefinitionsCommand) .de(de_DescribeRegistrationTypeDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistrationTypeDefinitionsRequest; + output: DescribeRegistrationTypeDefinitionsResult; + }; + sdk: { + input: DescribeRegistrationTypeDefinitionsCommandInput; + output: DescribeRegistrationTypeDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationVersionsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationVersionsCommand.ts index 9b8495a4d424..6664975024f9 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationVersionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationVersionsCommand.ts @@ -144,4 +144,16 @@ export class DescribeRegistrationVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistrationVersionsCommand) .de(de_DescribeRegistrationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistrationVersionsRequest; + output: DescribeRegistrationVersionsResult; + }; + sdk: { + input: DescribeRegistrationVersionsCommandInput; + output: DescribeRegistrationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationsCommand.ts index 4ee52490f0ba..709a12f5e89f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationsCommand.ts @@ -126,4 +126,16 @@ export class DescribeRegistrationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistrationsCommand) .de(de_DescribeRegistrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistrationsRequest; + output: DescribeRegistrationsResult; + }; + sdk: { + input: DescribeRegistrationsCommandInput; + output: DescribeRegistrationsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSenderIdsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSenderIdsCommand.ts index 26e4506b24a6..82b32d2285ec 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSenderIdsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSenderIdsCommand.ts @@ -133,4 +133,16 @@ export class DescribeSenderIdsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSenderIdsCommand) .de(de_DescribeSenderIdsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSenderIdsRequest; + output: DescribeSenderIdsResult; + }; + sdk: { + input: DescribeSenderIdsCommandInput; + output: DescribeSenderIdsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSpendLimitsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSpendLimitsCommand.ts index d59a8139d37e..20526ef0c6b6 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSpendLimitsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSpendLimitsCommand.ts @@ -111,4 +111,16 @@ export class DescribeSpendLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSpendLimitsCommand) .de(de_DescribeSpendLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpendLimitsRequest; + output: DescribeSpendLimitsResult; + }; + sdk: { + input: DescribeSpendLimitsCommandInput; + output: DescribeSpendLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeVerifiedDestinationNumbersCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeVerifiedDestinationNumbersCommand.ts index 26dfb9fda035..f842327c5571 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeVerifiedDestinationNumbersCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeVerifiedDestinationNumbersCommand.ts @@ -131,4 +131,16 @@ export class DescribeVerifiedDestinationNumbersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVerifiedDestinationNumbersCommand) .de(de_DescribeVerifiedDestinationNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVerifiedDestinationNumbersRequest; + output: DescribeVerifiedDestinationNumbersResult; + }; + sdk: { + input: DescribeVerifiedDestinationNumbersCommandInput; + output: DescribeVerifiedDestinationNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateOriginationIdentityCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateOriginationIdentityCommand.ts index af56c8236376..95ff6d4cdc0d 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateOriginationIdentityCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateOriginationIdentityCommand.ts @@ -119,4 +119,16 @@ export class DisassociateOriginationIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateOriginationIdentityCommand) .de(de_DisassociateOriginationIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateOriginationIdentityRequest; + output: DisassociateOriginationIdentityResult; + }; + sdk: { + input: DisassociateOriginationIdentityCommandInput; + output: DisassociateOriginationIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateProtectConfigurationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateProtectConfigurationCommand.ts index a33b9881980f..ecc9912ecb52 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateProtectConfigurationCommand.ts @@ -114,4 +114,16 @@ export class DisassociateProtectConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateProtectConfigurationCommand) .de(de_DisassociateProtectConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateProtectConfigurationRequest; + output: DisassociateProtectConfigurationResult; + }; + sdk: { + input: DisassociateProtectConfigurationCommandInput; + output: DisassociateProtectConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DiscardRegistrationVersionCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DiscardRegistrationVersionCommand.ts index 011a2ed4527f..b083688fa436 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DiscardRegistrationVersionCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DiscardRegistrationVersionCommand.ts @@ -118,4 +118,16 @@ export class DiscardRegistrationVersionCommand extends $Command .f(void 0, void 0) .ser(se_DiscardRegistrationVersionCommand) .de(de_DiscardRegistrationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DiscardRegistrationVersionRequest; + output: DiscardRegistrationVersionResult; + }; + sdk: { + input: DiscardRegistrationVersionCommandInput; + output: DiscardRegistrationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/GetProtectConfigurationCountryRuleSetCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/GetProtectConfigurationCountryRuleSetCommand.ts index 121093b6b64a..09c55cb3ff98 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/GetProtectConfigurationCountryRuleSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/GetProtectConfigurationCountryRuleSetCommand.ts @@ -116,4 +116,16 @@ export class GetProtectConfigurationCountryRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_GetProtectConfigurationCountryRuleSetCommand) .de(de_GetProtectConfigurationCountryRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProtectConfigurationCountryRuleSetRequest; + output: GetProtectConfigurationCountryRuleSetResult; + }; + sdk: { + input: GetProtectConfigurationCountryRuleSetCommandInput; + output: GetProtectConfigurationCountryRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/ListPoolOriginationIdentitiesCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/ListPoolOriginationIdentitiesCommand.ts index dcd9de01a5ce..28e3a79b78fe 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ListPoolOriginationIdentitiesCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ListPoolOriginationIdentitiesCommand.ts @@ -129,4 +129,16 @@ export class ListPoolOriginationIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListPoolOriginationIdentitiesCommand) .de(de_ListPoolOriginationIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoolOriginationIdentitiesRequest; + output: ListPoolOriginationIdentitiesResult; + }; + sdk: { + input: ListPoolOriginationIdentitiesCommandInput; + output: ListPoolOriginationIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/ListRegistrationAssociationsCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/ListRegistrationAssociationsCommand.ts index 10b4f4051acf..7fab2a868a60 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ListRegistrationAssociationsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ListRegistrationAssociationsCommand.ts @@ -126,4 +126,16 @@ export class ListRegistrationAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegistrationAssociationsCommand) .de(de_ListRegistrationAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegistrationAssociationsRequest; + output: ListRegistrationAssociationsResult; + }; + sdk: { + input: ListRegistrationAssociationsCommandInput; + output: ListRegistrationAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/ListTagsForResourceCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/ListTagsForResourceCommand.ts index 739e259b1e54..3a2e17389262 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ListTagsForResourceCommand.ts @@ -105,4 +105,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/PutKeywordCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/PutKeywordCommand.ts index 5c20216527db..79a53afee79e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutKeywordCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutKeywordCommand.ts @@ -122,4 +122,16 @@ export class PutKeywordCommand extends $Command .f(void 0, void 0) .ser(se_PutKeywordCommand) .de(de_PutKeywordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutKeywordRequest; + output: PutKeywordResult; + }; + sdk: { + input: PutKeywordCommandInput; + output: PutKeywordCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/PutOptedOutNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/PutOptedOutNumberCommand.ts index ee9313e9eca5..ad6b2f6a55f2 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutOptedOutNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutOptedOutNumberCommand.ts @@ -106,4 +106,16 @@ export class PutOptedOutNumberCommand extends $Command .f(void 0, void 0) .ser(se_PutOptedOutNumberCommand) .de(de_PutOptedOutNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutOptedOutNumberRequest; + output: PutOptedOutNumberResult; + }; + sdk: { + input: PutOptedOutNumberCommandInput; + output: PutOptedOutNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/PutRegistrationFieldValueCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/PutRegistrationFieldValueCommand.ts index 9f52ebad3207..e7d3db1d601f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutRegistrationFieldValueCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutRegistrationFieldValueCommand.ts @@ -119,4 +119,16 @@ export class PutRegistrationFieldValueCommand extends $Command .f(void 0, void 0) .ser(se_PutRegistrationFieldValueCommand) .de(de_PutRegistrationFieldValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRegistrationFieldValueRequest; + output: PutRegistrationFieldValueResult; + }; + sdk: { + input: PutRegistrationFieldValueCommandInput; + output: PutRegistrationFieldValueCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/ReleasePhoneNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/ReleasePhoneNumberCommand.ts index 3b2df2691a6b..4df6e572ea34 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ReleasePhoneNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ReleasePhoneNumberCommand.ts @@ -125,4 +125,16 @@ export class ReleasePhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_ReleasePhoneNumberCommand) .de(de_ReleasePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleasePhoneNumberRequest; + output: ReleasePhoneNumberResult; + }; + sdk: { + input: ReleasePhoneNumberCommandInput; + output: ReleasePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/ReleaseSenderIdCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/ReleaseSenderIdCommand.ts index 666d904cb71a..561a1f703085 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ReleaseSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ReleaseSenderIdCommand.ts @@ -114,4 +114,16 @@ export class ReleaseSenderIdCommand extends $Command .f(void 0, void 0) .ser(se_ReleaseSenderIdCommand) .de(de_ReleaseSenderIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReleaseSenderIdRequest; + output: ReleaseSenderIdResult; + }; + sdk: { + input: ReleaseSenderIdCommandInput; + output: ReleaseSenderIdCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/RequestPhoneNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/RequestPhoneNumberCommand.ts index 2c44de79141f..96e42cb1b2fd 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/RequestPhoneNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/RequestPhoneNumberCommand.ts @@ -150,4 +150,16 @@ export class RequestPhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_RequestPhoneNumberCommand) .de(de_RequestPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestPhoneNumberRequest; + output: RequestPhoneNumberResult; + }; + sdk: { + input: RequestPhoneNumberCommandInput; + output: RequestPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/RequestSenderIdCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/RequestSenderIdCommand.ts index 3d0d75e5f0b9..abe2a1387a67 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/RequestSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/RequestSenderIdCommand.ts @@ -131,4 +131,16 @@ export class RequestSenderIdCommand extends $Command .f(void 0, void 0) .ser(se_RequestSenderIdCommand) .de(de_RequestSenderIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestSenderIdRequest; + output: RequestSenderIdResult; + }; + sdk: { + input: RequestSenderIdCommandInput; + output: RequestSenderIdCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SendDestinationNumberVerificationCodeCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SendDestinationNumberVerificationCodeCommand.ts index 74acf7acdcfb..ff889cbe4971 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendDestinationNumberVerificationCodeCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendDestinationNumberVerificationCodeCommand.ts @@ -129,4 +129,16 @@ export class SendDestinationNumberVerificationCodeCommand extends $Command .f(void 0, void 0) .ser(se_SendDestinationNumberVerificationCodeCommand) .de(de_SendDestinationNumberVerificationCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendDestinationNumberVerificationCodeRequest; + output: SendDestinationNumberVerificationCodeResult; + }; + sdk: { + input: SendDestinationNumberVerificationCodeCommandInput; + output: SendDestinationNumberVerificationCodeCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SendMediaMessageCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SendMediaMessageCommand.ts index 9e5413d38fec..e03f665c2d96 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendMediaMessageCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendMediaMessageCommand.ts @@ -121,4 +121,16 @@ export class SendMediaMessageCommand extends $Command .f(void 0, void 0) .ser(se_SendMediaMessageCommand) .de(de_SendMediaMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendMediaMessageRequest; + output: SendMediaMessageResult; + }; + sdk: { + input: SendMediaMessageCommandInput; + output: SendMediaMessageCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SendTextMessageCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SendTextMessageCommand.ts index 9a566f661aaa..6594a3b2ded5 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendTextMessageCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendTextMessageCommand.ts @@ -127,4 +127,16 @@ export class SendTextMessageCommand extends $Command .f(void 0, void 0) .ser(se_SendTextMessageCommand) .de(de_SendTextMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendTextMessageRequest; + output: SendTextMessageResult; + }; + sdk: { + input: SendTextMessageCommandInput; + output: SendTextMessageCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SendVoiceMessageCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SendVoiceMessageCommand.ts index c9fdd4437da9..5c7571dbde64 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendVoiceMessageCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendVoiceMessageCommand.ts @@ -122,4 +122,16 @@ export class SendVoiceMessageCommand extends $Command .f(void 0, void 0) .ser(se_SendVoiceMessageCommand) .de(de_SendVoiceMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendVoiceMessageRequest; + output: SendVoiceMessageResult; + }; + sdk: { + input: SendVoiceMessageCommandInput; + output: SendVoiceMessageCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SetAccountDefaultProtectConfigurationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SetAccountDefaultProtectConfigurationCommand.ts index adf851cc4236..d0f7ff711f77 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetAccountDefaultProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetAccountDefaultProtectConfigurationCommand.ts @@ -110,4 +110,16 @@ export class SetAccountDefaultProtectConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_SetAccountDefaultProtectConfigurationCommand) .de(de_SetAccountDefaultProtectConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetAccountDefaultProtectConfigurationRequest; + output: SetAccountDefaultProtectConfigurationResult; + }; + sdk: { + input: SetAccountDefaultProtectConfigurationCommandInput; + output: SetAccountDefaultProtectConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageTypeCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageTypeCommand.ts index 2e9b37ec4552..46546936c5d4 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageTypeCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageTypeCommand.ts @@ -107,4 +107,16 @@ export class SetDefaultMessageTypeCommand extends $Command .f(void 0, void 0) .ser(se_SetDefaultMessageTypeCommand) .de(de_SetDefaultMessageTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDefaultMessageTypeRequest; + output: SetDefaultMessageTypeResult; + }; + sdk: { + input: SetDefaultMessageTypeCommandInput; + output: SetDefaultMessageTypeCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultSenderIdCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultSenderIdCommand.ts index f8cf1e9302ef..66762199088f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultSenderIdCommand.ts @@ -105,4 +105,16 @@ export class SetDefaultSenderIdCommand extends $Command .f(void 0, void 0) .ser(se_SetDefaultSenderIdCommand) .de(de_SetDefaultSenderIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDefaultSenderIdRequest; + output: SetDefaultSenderIdResult; + }; + sdk: { + input: SetDefaultSenderIdCommandInput; + output: SetDefaultSenderIdCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SetMediaMessageSpendLimitOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SetMediaMessageSpendLimitOverrideCommand.ts index 2dca34f84c60..7184ba1d58b7 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetMediaMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetMediaMessageSpendLimitOverrideCommand.ts @@ -103,4 +103,16 @@ export class SetMediaMessageSpendLimitOverrideCommand extends $Command .f(void 0, void 0) .ser(se_SetMediaMessageSpendLimitOverrideCommand) .de(de_SetMediaMessageSpendLimitOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetMediaMessageSpendLimitOverrideRequest; + output: SetMediaMessageSpendLimitOverrideResult; + }; + sdk: { + input: SetMediaMessageSpendLimitOverrideCommandInput; + output: SetMediaMessageSpendLimitOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SetTextMessageSpendLimitOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SetTextMessageSpendLimitOverrideCommand.ts index 30667aa374fe..78c3b02f7d28 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetTextMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetTextMessageSpendLimitOverrideCommand.ts @@ -103,4 +103,16 @@ export class SetTextMessageSpendLimitOverrideCommand extends $Command .f(void 0, void 0) .ser(se_SetTextMessageSpendLimitOverrideCommand) .de(de_SetTextMessageSpendLimitOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTextMessageSpendLimitOverrideRequest; + output: SetTextMessageSpendLimitOverrideResult; + }; + sdk: { + input: SetTextMessageSpendLimitOverrideCommandInput; + output: SetTextMessageSpendLimitOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SetVoiceMessageSpendLimitOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SetVoiceMessageSpendLimitOverrideCommand.ts index 981350854d80..0be2b6f2a2be 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetVoiceMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetVoiceMessageSpendLimitOverrideCommand.ts @@ -103,4 +103,16 @@ export class SetVoiceMessageSpendLimitOverrideCommand extends $Command .f(void 0, void 0) .ser(se_SetVoiceMessageSpendLimitOverrideCommand) .de(de_SetVoiceMessageSpendLimitOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetVoiceMessageSpendLimitOverrideRequest; + output: SetVoiceMessageSpendLimitOverrideResult; + }; + sdk: { + input: SetVoiceMessageSpendLimitOverrideCommandInput; + output: SetVoiceMessageSpendLimitOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SubmitRegistrationVersionCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SubmitRegistrationVersionCommand.ts index b81b6fc5f96a..6d77c12f22aa 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SubmitRegistrationVersionCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SubmitRegistrationVersionCommand.ts @@ -118,4 +118,16 @@ export class SubmitRegistrationVersionCommand extends $Command .f(void 0, void 0) .ser(se_SubmitRegistrationVersionCommand) .de(de_SubmitRegistrationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitRegistrationVersionRequest; + output: SubmitRegistrationVersionResult; + }; + sdk: { + input: SubmitRegistrationVersionCommandInput; + output: SubmitRegistrationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/TagResourceCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/TagResourceCommand.ts index 5875f9a23555..3f2cc6d3bdc0 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/TagResourceCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/TagResourceCommand.ts @@ -109,4 +109,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/UntagResourceCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/UntagResourceCommand.ts index d11980cce725..70f357c15a52 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UntagResourceCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateEventDestinationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateEventDestinationCommand.ts index 2fcb7bd9ca8c..25bbfd52ac44 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateEventDestinationCommand.ts @@ -145,4 +145,16 @@ export class UpdateEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEventDestinationCommand) .de(de_UpdateEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEventDestinationRequest; + output: UpdateEventDestinationResult; + }; + sdk: { + input: UpdateEventDestinationCommandInput; + output: UpdateEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePhoneNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePhoneNumberCommand.ts index c9bd199aca33..b85bdaa37bed 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePhoneNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePhoneNumberCommand.ts @@ -133,4 +133,16 @@ export class UpdatePhoneNumberCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePhoneNumberCommand) .de(de_UpdatePhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePhoneNumberRequest; + output: UpdatePhoneNumberResult; + }; + sdk: { + input: UpdatePhoneNumberCommandInput; + output: UpdatePhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePoolCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePoolCommand.ts index 343eae66f28f..43e75d9f6c91 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePoolCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePoolCommand.ts @@ -126,4 +126,16 @@ export class UpdatePoolCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePoolCommand) .de(de_UpdatePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePoolRequest; + output: UpdatePoolResult; + }; + sdk: { + input: UpdatePoolCommandInput; + output: UpdatePoolCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCommand.ts index 192b1ad9ff5d..ba69f3a9cb44 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCommand.ts @@ -104,4 +104,16 @@ export class UpdateProtectConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProtectConfigurationCommand) .de(de_UpdateProtectConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProtectConfigurationRequest; + output: UpdateProtectConfigurationResult; + }; + sdk: { + input: UpdateProtectConfigurationCommandInput; + output: UpdateProtectConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCountryRuleSetCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCountryRuleSetCommand.ts index bb9958a13ec5..eb09297beb73 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCountryRuleSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCountryRuleSetCommand.ts @@ -121,4 +121,16 @@ export class UpdateProtectConfigurationCountryRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProtectConfigurationCountryRuleSetCommand) .de(de_UpdateProtectConfigurationCountryRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProtectConfigurationCountryRuleSetRequest; + output: UpdateProtectConfigurationCountryRuleSetResult; + }; + sdk: { + input: UpdateProtectConfigurationCountryRuleSetCommandInput; + output: UpdateProtectConfigurationCountryRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateSenderIdCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateSenderIdCommand.ts index bd62fff45b79..6816c2be8d03 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateSenderIdCommand.ts @@ -110,4 +110,16 @@ export class UpdateSenderIdCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSenderIdCommand) .de(de_UpdateSenderIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSenderIdRequest; + output: UpdateSenderIdResult; + }; + sdk: { + input: UpdateSenderIdCommandInput; + output: UpdateSenderIdCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/VerifyDestinationNumberCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/VerifyDestinationNumberCommand.ts index 6242f86bfa20..fe1a25d6c37f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/VerifyDestinationNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/VerifyDestinationNumberCommand.ts @@ -110,4 +110,16 @@ export class VerifyDestinationNumberCommand extends $Command .f(void 0, void 0) .ser(se_VerifyDestinationNumberCommand) .de(de_VerifyDestinationNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyDestinationNumberRequest; + output: VerifyDestinationNumberResult; + }; + sdk: { + input: VerifyDestinationNumberCommandInput; + output: VerifyDestinationNumberCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/package.json b/clients/client-pinpoint-sms-voice/package.json index bfeebe7d18aa..d9d39eb504fa 100644 --- a/clients/client-pinpoint-sms-voice/package.json +++ b/clients/client-pinpoint-sms-voice/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetCommand.ts index 9ff159b85dbb..eb0bc438dfd8 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetCommand.ts @@ -90,4 +90,16 @@ export class CreateConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetCommand) .de(de_CreateConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetCommandInput; + output: CreateConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetEventDestinationCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetEventDestinationCommand.ts index 96fca2480ff3..463b0ae66909 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/CreateConfigurationSetEventDestinationCommand.ts @@ -120,4 +120,16 @@ export class CreateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetEventDestinationCommand) .de(de_CreateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetEventDestinationCommandInput; + output: CreateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetCommand.ts index a6a13e36ddf5..d6e4a6bf5a12 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetCommand.ts @@ -87,4 +87,16 @@ export class DeleteConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetCommand) .de(de_DeleteConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetCommandInput; + output: DeleteConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetEventDestinationCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetEventDestinationCommand.ts index 09621076a157..c835eebca0ff 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/DeleteConfigurationSetEventDestinationCommand.ts @@ -97,4 +97,16 @@ export class DeleteConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetEventDestinationCommand) .de(de_DeleteConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetEventDestinationCommandInput; + output: DeleteConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/src/commands/GetConfigurationSetEventDestinationsCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/GetConfigurationSetEventDestinationsCommand.ts index 7c59363ca3e9..6520780cdb40 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/GetConfigurationSetEventDestinationsCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/GetConfigurationSetEventDestinationsCommand.ts @@ -116,4 +116,16 @@ export class GetConfigurationSetEventDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationSetEventDestinationsCommand) .de(de_GetConfigurationSetEventDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationSetEventDestinationsRequest; + output: GetConfigurationSetEventDestinationsResponse; + }; + sdk: { + input: GetConfigurationSetEventDestinationsCommandInput; + output: GetConfigurationSetEventDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/src/commands/ListConfigurationSetsCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/ListConfigurationSetsCommand.ts index 2bc902550b92..265a4a7a135d 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/ListConfigurationSetsCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/ListConfigurationSetsCommand.ts @@ -90,4 +90,16 @@ export class ListConfigurationSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationSetsCommand) .de(de_ListConfigurationSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationSetsRequest; + output: ListConfigurationSetsResponse; + }; + sdk: { + input: ListConfigurationSetsCommandInput; + output: ListConfigurationSetsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/src/commands/SendVoiceMessageCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/SendVoiceMessageCommand.ts index 7a50dc202e61..0a09d88ed69e 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/SendVoiceMessageCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/SendVoiceMessageCommand.ts @@ -104,4 +104,16 @@ export class SendVoiceMessageCommand extends $Command .f(void 0, void 0) .ser(se_SendVoiceMessageCommand) .de(de_SendVoiceMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendVoiceMessageRequest; + output: SendVoiceMessageResponse; + }; + sdk: { + input: SendVoiceMessageCommandInput; + output: SendVoiceMessageCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint-sms-voice/src/commands/UpdateConfigurationSetEventDestinationCommand.ts b/clients/client-pinpoint-sms-voice/src/commands/UpdateConfigurationSetEventDestinationCommand.ts index 79bc729930d2..83a5d5d8aeff 100644 --- a/clients/client-pinpoint-sms-voice/src/commands/UpdateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice/src/commands/UpdateConfigurationSetEventDestinationCommand.ts @@ -114,4 +114,16 @@ export class UpdateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationSetEventDestinationCommand) .de(de_UpdateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationSetEventDestinationCommandInput; + output: UpdateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/package.json b/clients/client-pinpoint/package.json index 061e9c095c11..97a3b68fd1c9 100644 --- a/clients/client-pinpoint/package.json +++ b/clients/client-pinpoint/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-pinpoint/src/commands/CreateAppCommand.ts b/clients/client-pinpoint/src/commands/CreateAppCommand.ts index d8d509f74029..eeaea9544421 100644 --- a/clients/client-pinpoint/src/commands/CreateAppCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateAppCommand.ts @@ -111,4 +111,16 @@ export class CreateAppCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppCommand) .de(de_CreateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppRequest; + output: CreateAppResponse; + }; + sdk: { + input: CreateAppCommandInput; + output: CreateAppCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateCampaignCommand.ts b/clients/client-pinpoint/src/commands/CreateCampaignCommand.ts index 257126664fd7..6b954ca26db3 100644 --- a/clients/client-pinpoint/src/commands/CreateCampaignCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateCampaignCommand.ts @@ -869,4 +869,16 @@ export class CreateCampaignCommand extends $Command .f(void 0, void 0) .ser(se_CreateCampaignCommand) .de(de_CreateCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCampaignRequest; + output: CreateCampaignResponse; + }; + sdk: { + input: CreateCampaignCommandInput; + output: CreateCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateEmailTemplateCommand.ts b/clients/client-pinpoint/src/commands/CreateEmailTemplateCommand.ts index ad086b473341..4bcbfe36a803 100644 --- a/clients/client-pinpoint/src/commands/CreateEmailTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateEmailTemplateCommand.ts @@ -113,4 +113,16 @@ export class CreateEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateEmailTemplateCommand) .de(de_CreateEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEmailTemplateRequest; + output: CreateEmailTemplateResponse; + }; + sdk: { + input: CreateEmailTemplateCommandInput; + output: CreateEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateExportJobCommand.ts b/clients/client-pinpoint/src/commands/CreateExportJobCommand.ts index 878fa05a9d0c..21e0325e4222 100644 --- a/clients/client-pinpoint/src/commands/CreateExportJobCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateExportJobCommand.ts @@ -125,4 +125,16 @@ export class CreateExportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateExportJobCommand) .de(de_CreateExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExportJobRequest; + output: CreateExportJobResponse; + }; + sdk: { + input: CreateExportJobCommandInput; + output: CreateExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateImportJobCommand.ts b/clients/client-pinpoint/src/commands/CreateImportJobCommand.ts index d9249b7e121d..9cffc20c9e26 100644 --- a/clients/client-pinpoint/src/commands/CreateImportJobCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateImportJobCommand.ts @@ -133,4 +133,16 @@ export class CreateImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateImportJobCommand) .de(de_CreateImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImportJobRequest; + output: CreateImportJobResponse; + }; + sdk: { + input: CreateImportJobCommandInput; + output: CreateImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateInAppTemplateCommand.ts b/clients/client-pinpoint/src/commands/CreateInAppTemplateCommand.ts index 5fd9ed7c53fe..9ac046ca5b9a 100644 --- a/clients/client-pinpoint/src/commands/CreateInAppTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateInAppTemplateCommand.ts @@ -163,4 +163,16 @@ export class CreateInAppTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateInAppTemplateCommand) .de(de_CreateInAppTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInAppTemplateRequest; + output: CreateInAppTemplateResponse; + }; + sdk: { + input: CreateInAppTemplateCommandInput; + output: CreateInAppTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateJourneyCommand.ts b/clients/client-pinpoint/src/commands/CreateJourneyCommand.ts index 0129d1207b3e..2e72184b94c9 100644 --- a/clients/client-pinpoint/src/commands/CreateJourneyCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateJourneyCommand.ts @@ -864,4 +864,16 @@ export class CreateJourneyCommand extends $Command .f(void 0, void 0) .ser(se_CreateJourneyCommand) .de(de_CreateJourneyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJourneyRequest; + output: CreateJourneyResponse; + }; + sdk: { + input: CreateJourneyCommandInput; + output: CreateJourneyCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreatePushTemplateCommand.ts b/clients/client-pinpoint/src/commands/CreatePushTemplateCommand.ts index cd789dfb8f88..ce4ee13767dd 100644 --- a/clients/client-pinpoint/src/commands/CreatePushTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/CreatePushTemplateCommand.ts @@ -153,4 +153,16 @@ export class CreatePushTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreatePushTemplateCommand) .de(de_CreatePushTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePushTemplateRequest; + output: CreatePushTemplateResponse; + }; + sdk: { + input: CreatePushTemplateCommandInput; + output: CreatePushTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateRecommenderConfigurationCommand.ts b/clients/client-pinpoint/src/commands/CreateRecommenderConfigurationCommand.ts index b0f5c1fd1236..83a1af17fa3c 100644 --- a/clients/client-pinpoint/src/commands/CreateRecommenderConfigurationCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateRecommenderConfigurationCommand.ts @@ -130,4 +130,16 @@ export class CreateRecommenderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateRecommenderConfigurationCommand) .de(de_CreateRecommenderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRecommenderConfigurationRequest; + output: CreateRecommenderConfigurationResponse; + }; + sdk: { + input: CreateRecommenderConfigurationCommandInput; + output: CreateRecommenderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateSegmentCommand.ts b/clients/client-pinpoint/src/commands/CreateSegmentCommand.ts index ddf8366e73cc..ad7be283b291 100644 --- a/clients/client-pinpoint/src/commands/CreateSegmentCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateSegmentCommand.ts @@ -386,4 +386,16 @@ export class CreateSegmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateSegmentCommand) .de(de_CreateSegmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSegmentRequest; + output: CreateSegmentResponse; + }; + sdk: { + input: CreateSegmentCommandInput; + output: CreateSegmentCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateSmsTemplateCommand.ts b/clients/client-pinpoint/src/commands/CreateSmsTemplateCommand.ts index a2ba03d2cc0f..3ef2edfe5913 100644 --- a/clients/client-pinpoint/src/commands/CreateSmsTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateSmsTemplateCommand.ts @@ -105,4 +105,16 @@ export class CreateSmsTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateSmsTemplateCommand) .de(de_CreateSmsTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSmsTemplateRequest; + output: CreateSmsTemplateResponse; + }; + sdk: { + input: CreateSmsTemplateCommandInput; + output: CreateSmsTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/CreateVoiceTemplateCommand.ts b/clients/client-pinpoint/src/commands/CreateVoiceTemplateCommand.ts index 1120365f5403..e66a6073a390 100644 --- a/clients/client-pinpoint/src/commands/CreateVoiceTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/CreateVoiceTemplateCommand.ts @@ -106,4 +106,16 @@ export class CreateVoiceTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateVoiceTemplateCommand) .de(de_CreateVoiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVoiceTemplateRequest; + output: CreateVoiceTemplateResponse; + }; + sdk: { + input: CreateVoiceTemplateCommandInput; + output: CreateVoiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteAdmChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteAdmChannelCommand.ts index d488afa083e0..efb373cd0ac9 100644 --- a/clients/client-pinpoint/src/commands/DeleteAdmChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteAdmChannelCommand.ts @@ -109,4 +109,16 @@ export class DeleteAdmChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAdmChannelCommand) .de(de_DeleteAdmChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAdmChannelRequest; + output: DeleteAdmChannelResponse; + }; + sdk: { + input: DeleteAdmChannelCommandInput; + output: DeleteAdmChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteApnsChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteApnsChannelCommand.ts index 16bf9f162e02..9899a3eb60c2 100644 --- a/clients/client-pinpoint/src/commands/DeleteApnsChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteApnsChannelCommand.ts @@ -111,4 +111,16 @@ export class DeleteApnsChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApnsChannelCommand) .de(de_DeleteApnsChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApnsChannelRequest; + output: DeleteApnsChannelResponse; + }; + sdk: { + input: DeleteApnsChannelCommandInput; + output: DeleteApnsChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteApnsSandboxChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteApnsSandboxChannelCommand.ts index 114b0c1408da..d6cefe433cd2 100644 --- a/clients/client-pinpoint/src/commands/DeleteApnsSandboxChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteApnsSandboxChannelCommand.ts @@ -111,4 +111,16 @@ export class DeleteApnsSandboxChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApnsSandboxChannelCommand) .de(de_DeleteApnsSandboxChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApnsSandboxChannelRequest; + output: DeleteApnsSandboxChannelResponse; + }; + sdk: { + input: DeleteApnsSandboxChannelCommandInput; + output: DeleteApnsSandboxChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteApnsVoipChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteApnsVoipChannelCommand.ts index 712cd1baacbd..f4059b96f5a3 100644 --- a/clients/client-pinpoint/src/commands/DeleteApnsVoipChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteApnsVoipChannelCommand.ts @@ -111,4 +111,16 @@ export class DeleteApnsVoipChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApnsVoipChannelCommand) .de(de_DeleteApnsVoipChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApnsVoipChannelRequest; + output: DeleteApnsVoipChannelResponse; + }; + sdk: { + input: DeleteApnsVoipChannelCommandInput; + output: DeleteApnsVoipChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteApnsVoipSandboxChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteApnsVoipSandboxChannelCommand.ts index 89224c6c34d6..3527d62a051f 100644 --- a/clients/client-pinpoint/src/commands/DeleteApnsVoipSandboxChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteApnsVoipSandboxChannelCommand.ts @@ -116,4 +116,16 @@ export class DeleteApnsVoipSandboxChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApnsVoipSandboxChannelCommand) .de(de_DeleteApnsVoipSandboxChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApnsVoipSandboxChannelRequest; + output: DeleteApnsVoipSandboxChannelResponse; + }; + sdk: { + input: DeleteApnsVoipSandboxChannelCommandInput; + output: DeleteApnsVoipSandboxChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteAppCommand.ts b/clients/client-pinpoint/src/commands/DeleteAppCommand.ts index 1c8617efe65b..fe905fbd3dc6 100644 --- a/clients/client-pinpoint/src/commands/DeleteAppCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteAppCommand.ts @@ -106,4 +106,16 @@ export class DeleteAppCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppCommand) .de(de_DeleteAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppRequest; + output: DeleteAppResponse; + }; + sdk: { + input: DeleteAppCommandInput; + output: DeleteAppCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteBaiduChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteBaiduChannelCommand.ts index 3b9f4d6b3ebc..23c4bc2d13d0 100644 --- a/clients/client-pinpoint/src/commands/DeleteBaiduChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteBaiduChannelCommand.ts @@ -110,4 +110,16 @@ export class DeleteBaiduChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBaiduChannelCommand) .de(de_DeleteBaiduChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBaiduChannelRequest; + output: DeleteBaiduChannelResponse; + }; + sdk: { + input: DeleteBaiduChannelCommandInput; + output: DeleteBaiduChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteCampaignCommand.ts b/clients/client-pinpoint/src/commands/DeleteCampaignCommand.ts index 867b9af65780..04d074c2e3e7 100644 --- a/clients/client-pinpoint/src/commands/DeleteCampaignCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteCampaignCommand.ts @@ -492,4 +492,16 @@ export class DeleteCampaignCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCampaignCommand) .de(de_DeleteCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCampaignRequest; + output: DeleteCampaignResponse; + }; + sdk: { + input: DeleteCampaignCommandInput; + output: DeleteCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteEmailChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteEmailChannelCommand.ts index b3cf268bf4de..48be7569b51f 100644 --- a/clients/client-pinpoint/src/commands/DeleteEmailChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteEmailChannelCommand.ts @@ -115,4 +115,16 @@ export class DeleteEmailChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEmailChannelCommand) .de(de_DeleteEmailChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEmailChannelRequest; + output: DeleteEmailChannelResponse; + }; + sdk: { + input: DeleteEmailChannelCommandInput; + output: DeleteEmailChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteEmailTemplateCommand.ts b/clients/client-pinpoint/src/commands/DeleteEmailTemplateCommand.ts index 2c21d709d3d9..a9a95a7ffaa3 100644 --- a/clients/client-pinpoint/src/commands/DeleteEmailTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteEmailTemplateCommand.ts @@ -102,4 +102,16 @@ export class DeleteEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEmailTemplateCommand) .de(de_DeleteEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEmailTemplateRequest; + output: DeleteEmailTemplateResponse; + }; + sdk: { + input: DeleteEmailTemplateCommandInput; + output: DeleteEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteEndpointCommand.ts b/clients/client-pinpoint/src/commands/DeleteEndpointCommand.ts index 8bd0accfffa5..ab7a9843d870 100644 --- a/clients/client-pinpoint/src/commands/DeleteEndpointCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteEndpointCommand.ts @@ -144,4 +144,16 @@ export class DeleteEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointCommand) .de(de_DeleteEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointRequest; + output: DeleteEndpointResponse; + }; + sdk: { + input: DeleteEndpointCommandInput; + output: DeleteEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteEventStreamCommand.ts b/clients/client-pinpoint/src/commands/DeleteEventStreamCommand.ts index d37a5878de6a..2b20e9a806a5 100644 --- a/clients/client-pinpoint/src/commands/DeleteEventStreamCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteEventStreamCommand.ts @@ -105,4 +105,16 @@ export class DeleteEventStreamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventStreamCommand) .de(de_DeleteEventStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventStreamRequest; + output: DeleteEventStreamResponse; + }; + sdk: { + input: DeleteEventStreamCommandInput; + output: DeleteEventStreamCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteGcmChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteGcmChannelCommand.ts index d99dec3dd1a9..32a29ad697c6 100644 --- a/clients/client-pinpoint/src/commands/DeleteGcmChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteGcmChannelCommand.ts @@ -112,4 +112,16 @@ export class DeleteGcmChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGcmChannelCommand) .de(de_DeleteGcmChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGcmChannelRequest; + output: DeleteGcmChannelResponse; + }; + sdk: { + input: DeleteGcmChannelCommandInput; + output: DeleteGcmChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteInAppTemplateCommand.ts b/clients/client-pinpoint/src/commands/DeleteInAppTemplateCommand.ts index 249bab2d5cda..2d86bf2dbf2b 100644 --- a/clients/client-pinpoint/src/commands/DeleteInAppTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteInAppTemplateCommand.ts @@ -102,4 +102,16 @@ export class DeleteInAppTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInAppTemplateCommand) .de(de_DeleteInAppTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInAppTemplateRequest; + output: DeleteInAppTemplateResponse; + }; + sdk: { + input: DeleteInAppTemplateCommandInput; + output: DeleteInAppTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteJourneyCommand.ts b/clients/client-pinpoint/src/commands/DeleteJourneyCommand.ts index 13c6f1ee0abd..aaf0e8b65cf9 100644 --- a/clients/client-pinpoint/src/commands/DeleteJourneyCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteJourneyCommand.ts @@ -484,4 +484,16 @@ export class DeleteJourneyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJourneyCommand) .de(de_DeleteJourneyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJourneyRequest; + output: DeleteJourneyResponse; + }; + sdk: { + input: DeleteJourneyCommandInput; + output: DeleteJourneyCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeletePushTemplateCommand.ts b/clients/client-pinpoint/src/commands/DeletePushTemplateCommand.ts index 5f9d379eb29b..52764185aa82 100644 --- a/clients/client-pinpoint/src/commands/DeletePushTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/DeletePushTemplateCommand.ts @@ -102,4 +102,16 @@ export class DeletePushTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeletePushTemplateCommand) .de(de_DeletePushTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePushTemplateRequest; + output: DeletePushTemplateResponse; + }; + sdk: { + input: DeletePushTemplateCommandInput; + output: DeletePushTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteRecommenderConfigurationCommand.ts b/clients/client-pinpoint/src/commands/DeleteRecommenderConfigurationCommand.ts index 865a2e20c887..4bc8c287705d 100644 --- a/clients/client-pinpoint/src/commands/DeleteRecommenderConfigurationCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteRecommenderConfigurationCommand.ts @@ -118,4 +118,16 @@ export class DeleteRecommenderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecommenderConfigurationCommand) .de(de_DeleteRecommenderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecommenderConfigurationRequest; + output: DeleteRecommenderConfigurationResponse; + }; + sdk: { + input: DeleteRecommenderConfigurationCommandInput; + output: DeleteRecommenderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteSegmentCommand.ts b/clients/client-pinpoint/src/commands/DeleteSegmentCommand.ts index 855d62fb9948..50fb7df94adf 100644 --- a/clients/client-pinpoint/src/commands/DeleteSegmentCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteSegmentCommand.ts @@ -251,4 +251,16 @@ export class DeleteSegmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSegmentCommand) .de(de_DeleteSegmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSegmentRequest; + output: DeleteSegmentResponse; + }; + sdk: { + input: DeleteSegmentCommandInput; + output: DeleteSegmentCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteSmsChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteSmsChannelCommand.ts index dc7254e22788..6c4d299770fd 100644 --- a/clients/client-pinpoint/src/commands/DeleteSmsChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteSmsChannelCommand.ts @@ -113,4 +113,16 @@ export class DeleteSmsChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSmsChannelCommand) .de(de_DeleteSmsChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSmsChannelRequest; + output: DeleteSmsChannelResponse; + }; + sdk: { + input: DeleteSmsChannelCommandInput; + output: DeleteSmsChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteSmsTemplateCommand.ts b/clients/client-pinpoint/src/commands/DeleteSmsTemplateCommand.ts index 13f8165a438c..d70e890df44c 100644 --- a/clients/client-pinpoint/src/commands/DeleteSmsTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteSmsTemplateCommand.ts @@ -102,4 +102,16 @@ export class DeleteSmsTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSmsTemplateCommand) .de(de_DeleteSmsTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSmsTemplateRequest; + output: DeleteSmsTemplateResponse; + }; + sdk: { + input: DeleteSmsTemplateCommandInput; + output: DeleteSmsTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteUserEndpointsCommand.ts b/clients/client-pinpoint/src/commands/DeleteUserEndpointsCommand.ts index 31eaba1f67a7..fa2effd358a0 100644 --- a/clients/client-pinpoint/src/commands/DeleteUserEndpointsCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteUserEndpointsCommand.ts @@ -148,4 +148,16 @@ export class DeleteUserEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserEndpointsCommand) .de(de_DeleteUserEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserEndpointsRequest; + output: DeleteUserEndpointsResponse; + }; + sdk: { + input: DeleteUserEndpointsCommandInput; + output: DeleteUserEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteVoiceChannelCommand.ts b/clients/client-pinpoint/src/commands/DeleteVoiceChannelCommand.ts index 8e3cea84d2be..88a7cdb6282c 100644 --- a/clients/client-pinpoint/src/commands/DeleteVoiceChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteVoiceChannelCommand.ts @@ -109,4 +109,16 @@ export class DeleteVoiceChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceChannelCommand) .de(de_DeleteVoiceChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceChannelRequest; + output: DeleteVoiceChannelResponse; + }; + sdk: { + input: DeleteVoiceChannelCommandInput; + output: DeleteVoiceChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/DeleteVoiceTemplateCommand.ts b/clients/client-pinpoint/src/commands/DeleteVoiceTemplateCommand.ts index 85a5d82fe03c..a36299498e55 100644 --- a/clients/client-pinpoint/src/commands/DeleteVoiceTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/DeleteVoiceTemplateCommand.ts @@ -102,4 +102,16 @@ export class DeleteVoiceTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVoiceTemplateCommand) .de(de_DeleteVoiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVoiceTemplateRequest; + output: DeleteVoiceTemplateResponse; + }; + sdk: { + input: DeleteVoiceTemplateCommandInput; + output: DeleteVoiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetAdmChannelCommand.ts b/clients/client-pinpoint/src/commands/GetAdmChannelCommand.ts index 836943b2b37e..cd162419963c 100644 --- a/clients/client-pinpoint/src/commands/GetAdmChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetAdmChannelCommand.ts @@ -109,4 +109,16 @@ export class GetAdmChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetAdmChannelCommand) .de(de_GetAdmChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAdmChannelRequest; + output: GetAdmChannelResponse; + }; + sdk: { + input: GetAdmChannelCommandInput; + output: GetAdmChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetApnsChannelCommand.ts b/clients/client-pinpoint/src/commands/GetApnsChannelCommand.ts index 40e650e4d6a8..b9b18db1ca8a 100644 --- a/clients/client-pinpoint/src/commands/GetApnsChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetApnsChannelCommand.ts @@ -111,4 +111,16 @@ export class GetApnsChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetApnsChannelCommand) .de(de_GetApnsChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApnsChannelRequest; + output: GetApnsChannelResponse; + }; + sdk: { + input: GetApnsChannelCommandInput; + output: GetApnsChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetApnsSandboxChannelCommand.ts b/clients/client-pinpoint/src/commands/GetApnsSandboxChannelCommand.ts index f8344b702595..7c68697b6852 100644 --- a/clients/client-pinpoint/src/commands/GetApnsSandboxChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetApnsSandboxChannelCommand.ts @@ -111,4 +111,16 @@ export class GetApnsSandboxChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetApnsSandboxChannelCommand) .de(de_GetApnsSandboxChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApnsSandboxChannelRequest; + output: GetApnsSandboxChannelResponse; + }; + sdk: { + input: GetApnsSandboxChannelCommandInput; + output: GetApnsSandboxChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetApnsVoipChannelCommand.ts b/clients/client-pinpoint/src/commands/GetApnsVoipChannelCommand.ts index 2cb174578d8b..43e31c0540b5 100644 --- a/clients/client-pinpoint/src/commands/GetApnsVoipChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetApnsVoipChannelCommand.ts @@ -111,4 +111,16 @@ export class GetApnsVoipChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetApnsVoipChannelCommand) .de(de_GetApnsVoipChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApnsVoipChannelRequest; + output: GetApnsVoipChannelResponse; + }; + sdk: { + input: GetApnsVoipChannelCommandInput; + output: GetApnsVoipChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetApnsVoipSandboxChannelCommand.ts b/clients/client-pinpoint/src/commands/GetApnsVoipSandboxChannelCommand.ts index 452e777c4445..4ca5df295d4f 100644 --- a/clients/client-pinpoint/src/commands/GetApnsVoipSandboxChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetApnsVoipSandboxChannelCommand.ts @@ -111,4 +111,16 @@ export class GetApnsVoipSandboxChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetApnsVoipSandboxChannelCommand) .de(de_GetApnsVoipSandboxChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApnsVoipSandboxChannelRequest; + output: GetApnsVoipSandboxChannelResponse; + }; + sdk: { + input: GetApnsVoipSandboxChannelCommandInput; + output: GetApnsVoipSandboxChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetAppCommand.ts b/clients/client-pinpoint/src/commands/GetAppCommand.ts index 04eb25d5c3c9..5c9de785653b 100644 --- a/clients/client-pinpoint/src/commands/GetAppCommand.ts +++ b/clients/client-pinpoint/src/commands/GetAppCommand.ts @@ -106,4 +106,16 @@ export class GetAppCommand extends $Command .f(void 0, void 0) .ser(se_GetAppCommand) .de(de_GetAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppRequest; + output: GetAppResponse; + }; + sdk: { + input: GetAppCommandInput; + output: GetAppCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetApplicationDateRangeKpiCommand.ts b/clients/client-pinpoint/src/commands/GetApplicationDateRangeKpiCommand.ts index 89a99146a2e4..12b73236d40d 100644 --- a/clients/client-pinpoint/src/commands/GetApplicationDateRangeKpiCommand.ts +++ b/clients/client-pinpoint/src/commands/GetApplicationDateRangeKpiCommand.ts @@ -129,4 +129,16 @@ export class GetApplicationDateRangeKpiCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationDateRangeKpiCommand) .de(de_GetApplicationDateRangeKpiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationDateRangeKpiRequest; + output: GetApplicationDateRangeKpiResponse; + }; + sdk: { + input: GetApplicationDateRangeKpiCommandInput; + output: GetApplicationDateRangeKpiCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetApplicationSettingsCommand.ts b/clients/client-pinpoint/src/commands/GetApplicationSettingsCommand.ts index f86483330848..e6c786d8e6b0 100644 --- a/clients/client-pinpoint/src/commands/GetApplicationSettingsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetApplicationSettingsCommand.ts @@ -125,4 +125,16 @@ export class GetApplicationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationSettingsCommand) .de(de_GetApplicationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationSettingsRequest; + output: GetApplicationSettingsResponse; + }; + sdk: { + input: GetApplicationSettingsCommandInput; + output: GetApplicationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetAppsCommand.ts b/clients/client-pinpoint/src/commands/GetAppsCommand.ts index 66cfcfc3ed06..0afe45a2d2ae 100644 --- a/clients/client-pinpoint/src/commands/GetAppsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetAppsCommand.ts @@ -112,4 +112,16 @@ export class GetAppsCommand extends $Command .f(void 0, void 0) .ser(se_GetAppsCommand) .de(de_GetAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppsRequest; + output: GetAppsResponse; + }; + sdk: { + input: GetAppsCommandInput; + output: GetAppsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetBaiduChannelCommand.ts b/clients/client-pinpoint/src/commands/GetBaiduChannelCommand.ts index 3109375f8d69..44bdc51f1e4c 100644 --- a/clients/client-pinpoint/src/commands/GetBaiduChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetBaiduChannelCommand.ts @@ -110,4 +110,16 @@ export class GetBaiduChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetBaiduChannelCommand) .de(de_GetBaiduChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBaiduChannelRequest; + output: GetBaiduChannelResponse; + }; + sdk: { + input: GetBaiduChannelCommandInput; + output: GetBaiduChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetCampaignActivitiesCommand.ts b/clients/client-pinpoint/src/commands/GetCampaignActivitiesCommand.ts index 016b5a2a8a97..0ed4e6dfcd47 100644 --- a/clients/client-pinpoint/src/commands/GetCampaignActivitiesCommand.ts +++ b/clients/client-pinpoint/src/commands/GetCampaignActivitiesCommand.ts @@ -123,4 +123,16 @@ export class GetCampaignActivitiesCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignActivitiesCommand) .de(de_GetCampaignActivitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignActivitiesRequest; + output: GetCampaignActivitiesResponse; + }; + sdk: { + input: GetCampaignActivitiesCommandInput; + output: GetCampaignActivitiesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetCampaignCommand.ts b/clients/client-pinpoint/src/commands/GetCampaignCommand.ts index 7b6efb735b35..b1a2225b93bf 100644 --- a/clients/client-pinpoint/src/commands/GetCampaignCommand.ts +++ b/clients/client-pinpoint/src/commands/GetCampaignCommand.ts @@ -492,4 +492,16 @@ export class GetCampaignCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignCommand) .de(de_GetCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignRequest; + output: GetCampaignResponse; + }; + sdk: { + input: GetCampaignCommandInput; + output: GetCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetCampaignDateRangeKpiCommand.ts b/clients/client-pinpoint/src/commands/GetCampaignDateRangeKpiCommand.ts index ed7ee60e5e3e..a69e1d322ac3 100644 --- a/clients/client-pinpoint/src/commands/GetCampaignDateRangeKpiCommand.ts +++ b/clients/client-pinpoint/src/commands/GetCampaignDateRangeKpiCommand.ts @@ -131,4 +131,16 @@ export class GetCampaignDateRangeKpiCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignDateRangeKpiCommand) .de(de_GetCampaignDateRangeKpiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignDateRangeKpiRequest; + output: GetCampaignDateRangeKpiResponse; + }; + sdk: { + input: GetCampaignDateRangeKpiCommandInput; + output: GetCampaignDateRangeKpiCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetCampaignVersionCommand.ts b/clients/client-pinpoint/src/commands/GetCampaignVersionCommand.ts index c9a422946847..5953f478ab25 100644 --- a/clients/client-pinpoint/src/commands/GetCampaignVersionCommand.ts +++ b/clients/client-pinpoint/src/commands/GetCampaignVersionCommand.ts @@ -493,4 +493,16 @@ export class GetCampaignVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignVersionCommand) .de(de_GetCampaignVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignVersionRequest; + output: GetCampaignVersionResponse; + }; + sdk: { + input: GetCampaignVersionCommandInput; + output: GetCampaignVersionCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetCampaignVersionsCommand.ts b/clients/client-pinpoint/src/commands/GetCampaignVersionsCommand.ts index eddcfaf1dc98..285051a0c803 100644 --- a/clients/client-pinpoint/src/commands/GetCampaignVersionsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetCampaignVersionsCommand.ts @@ -499,4 +499,16 @@ export class GetCampaignVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignVersionsCommand) .de(de_GetCampaignVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignVersionsRequest; + output: GetCampaignVersionsResponse; + }; + sdk: { + input: GetCampaignVersionsCommandInput; + output: GetCampaignVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetCampaignsCommand.ts b/clients/client-pinpoint/src/commands/GetCampaignsCommand.ts index 9fc10384c2e3..8877fb4b3e6a 100644 --- a/clients/client-pinpoint/src/commands/GetCampaignsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetCampaignsCommand.ts @@ -498,4 +498,16 @@ export class GetCampaignsCommand extends $Command .f(void 0, void 0) .ser(se_GetCampaignsCommand) .de(de_GetCampaignsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCampaignsRequest; + output: GetCampaignsResponse; + }; + sdk: { + input: GetCampaignsCommandInput; + output: GetCampaignsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetChannelsCommand.ts b/clients/client-pinpoint/src/commands/GetChannelsCommand.ts index 6292c554f96c..09408491f8f1 100644 --- a/clients/client-pinpoint/src/commands/GetChannelsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetChannelsCommand.ts @@ -112,4 +112,16 @@ export class GetChannelsCommand extends $Command .f(void 0, void 0) .ser(se_GetChannelsCommand) .de(de_GetChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChannelsRequest; + output: GetChannelsResponse; + }; + sdk: { + input: GetChannelsCommandInput; + output: GetChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetEmailChannelCommand.ts b/clients/client-pinpoint/src/commands/GetEmailChannelCommand.ts index e340c7b370ff..9fd3a27f2a9d 100644 --- a/clients/client-pinpoint/src/commands/GetEmailChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetEmailChannelCommand.ts @@ -115,4 +115,16 @@ export class GetEmailChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetEmailChannelCommand) .de(de_GetEmailChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEmailChannelRequest; + output: GetEmailChannelResponse; + }; + sdk: { + input: GetEmailChannelCommandInput; + output: GetEmailChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetEmailTemplateCommand.ts b/clients/client-pinpoint/src/commands/GetEmailTemplateCommand.ts index 206f03eed054..5d1c52c0f117 100644 --- a/clients/client-pinpoint/src/commands/GetEmailTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/GetEmailTemplateCommand.ts @@ -121,4 +121,16 @@ export class GetEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetEmailTemplateCommand) .de(de_GetEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEmailTemplateRequest; + output: GetEmailTemplateResponse; + }; + sdk: { + input: GetEmailTemplateCommandInput; + output: GetEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetEndpointCommand.ts b/clients/client-pinpoint/src/commands/GetEndpointCommand.ts index 7b163d29739b..ac2e10820f56 100644 --- a/clients/client-pinpoint/src/commands/GetEndpointCommand.ts +++ b/clients/client-pinpoint/src/commands/GetEndpointCommand.ts @@ -144,4 +144,16 @@ export class GetEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetEndpointCommand) .de(de_GetEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEndpointRequest; + output: GetEndpointResponse; + }; + sdk: { + input: GetEndpointCommandInput; + output: GetEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetEventStreamCommand.ts b/clients/client-pinpoint/src/commands/GetEventStreamCommand.ts index 9fc348df79eb..525bdf1275e3 100644 --- a/clients/client-pinpoint/src/commands/GetEventStreamCommand.ts +++ b/clients/client-pinpoint/src/commands/GetEventStreamCommand.ts @@ -105,4 +105,16 @@ export class GetEventStreamCommand extends $Command .f(void 0, void 0) .ser(se_GetEventStreamCommand) .de(de_GetEventStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEventStreamRequest; + output: GetEventStreamResponse; + }; + sdk: { + input: GetEventStreamCommandInput; + output: GetEventStreamCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetExportJobCommand.ts b/clients/client-pinpoint/src/commands/GetExportJobCommand.ts index f87e46a6b94e..e7474bf4dd4e 100644 --- a/clients/client-pinpoint/src/commands/GetExportJobCommand.ts +++ b/clients/client-pinpoint/src/commands/GetExportJobCommand.ts @@ -120,4 +120,16 @@ export class GetExportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetExportJobCommand) .de(de_GetExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExportJobRequest; + output: GetExportJobResponse; + }; + sdk: { + input: GetExportJobCommandInput; + output: GetExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetExportJobsCommand.ts b/clients/client-pinpoint/src/commands/GetExportJobsCommand.ts index 73d12dae78e9..c2fc90909bf8 100644 --- a/clients/client-pinpoint/src/commands/GetExportJobsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetExportJobsCommand.ts @@ -126,4 +126,16 @@ export class GetExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_GetExportJobsCommand) .de(de_GetExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExportJobsRequest; + output: GetExportJobsResponse; + }; + sdk: { + input: GetExportJobsCommandInput; + output: GetExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetGcmChannelCommand.ts b/clients/client-pinpoint/src/commands/GetGcmChannelCommand.ts index 2067da396016..fd91a0a31c31 100644 --- a/clients/client-pinpoint/src/commands/GetGcmChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetGcmChannelCommand.ts @@ -112,4 +112,16 @@ export class GetGcmChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetGcmChannelCommand) .de(de_GetGcmChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGcmChannelRequest; + output: GetGcmChannelResponse; + }; + sdk: { + input: GetGcmChannelCommandInput; + output: GetGcmChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetImportJobCommand.ts b/clients/client-pinpoint/src/commands/GetImportJobCommand.ts index cea6a014b28d..1976315b26a3 100644 --- a/clients/client-pinpoint/src/commands/GetImportJobCommand.ts +++ b/clients/client-pinpoint/src/commands/GetImportJobCommand.ts @@ -124,4 +124,16 @@ export class GetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetImportJobCommand) .de(de_GetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportJobRequest; + output: GetImportJobResponse; + }; + sdk: { + input: GetImportJobCommandInput; + output: GetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetImportJobsCommand.ts b/clients/client-pinpoint/src/commands/GetImportJobsCommand.ts index 5c56d91fca5c..3a36135543b5 100644 --- a/clients/client-pinpoint/src/commands/GetImportJobsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetImportJobsCommand.ts @@ -130,4 +130,16 @@ export class GetImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_GetImportJobsCommand) .de(de_GetImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportJobsRequest; + output: GetImportJobsResponse; + }; + sdk: { + input: GetImportJobsCommandInput; + output: GetImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetInAppMessagesCommand.ts b/clients/client-pinpoint/src/commands/GetInAppMessagesCommand.ts index 96e8ec7044f1..b2ca37d3809e 100644 --- a/clients/client-pinpoint/src/commands/GetInAppMessagesCommand.ts +++ b/clients/client-pinpoint/src/commands/GetInAppMessagesCommand.ts @@ -205,4 +205,16 @@ export class GetInAppMessagesCommand extends $Command .f(void 0, void 0) .ser(se_GetInAppMessagesCommand) .de(de_GetInAppMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInAppMessagesRequest; + output: GetInAppMessagesResponse; + }; + sdk: { + input: GetInAppMessagesCommandInput; + output: GetInAppMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetInAppTemplateCommand.ts b/clients/client-pinpoint/src/commands/GetInAppTemplateCommand.ts index aea332f702e3..da257b55aaa2 100644 --- a/clients/client-pinpoint/src/commands/GetInAppTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/GetInAppTemplateCommand.ts @@ -171,4 +171,16 @@ export class GetInAppTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetInAppTemplateCommand) .de(de_GetInAppTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInAppTemplateRequest; + output: GetInAppTemplateResponse; + }; + sdk: { + input: GetInAppTemplateCommandInput; + output: GetInAppTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetJourneyCommand.ts b/clients/client-pinpoint/src/commands/GetJourneyCommand.ts index 63e9885ab380..f5afaa963163 100644 --- a/clients/client-pinpoint/src/commands/GetJourneyCommand.ts +++ b/clients/client-pinpoint/src/commands/GetJourneyCommand.ts @@ -484,4 +484,16 @@ export class GetJourneyCommand extends $Command .f(void 0, void 0) .ser(se_GetJourneyCommand) .de(de_GetJourneyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJourneyRequest; + output: GetJourneyResponse; + }; + sdk: { + input: GetJourneyCommandInput; + output: GetJourneyCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetJourneyDateRangeKpiCommand.ts b/clients/client-pinpoint/src/commands/GetJourneyDateRangeKpiCommand.ts index 985c43601374..521f4f0d6a54 100644 --- a/clients/client-pinpoint/src/commands/GetJourneyDateRangeKpiCommand.ts +++ b/clients/client-pinpoint/src/commands/GetJourneyDateRangeKpiCommand.ts @@ -131,4 +131,16 @@ export class GetJourneyDateRangeKpiCommand extends $Command .f(void 0, void 0) .ser(se_GetJourneyDateRangeKpiCommand) .de(de_GetJourneyDateRangeKpiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJourneyDateRangeKpiRequest; + output: GetJourneyDateRangeKpiResponse; + }; + sdk: { + input: GetJourneyDateRangeKpiCommandInput; + output: GetJourneyDateRangeKpiCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetJourneyExecutionActivityMetricsCommand.ts b/clients/client-pinpoint/src/commands/GetJourneyExecutionActivityMetricsCommand.ts index fd839a8b706c..ffef3c98f3e2 100644 --- a/clients/client-pinpoint/src/commands/GetJourneyExecutionActivityMetricsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetJourneyExecutionActivityMetricsCommand.ts @@ -119,4 +119,16 @@ export class GetJourneyExecutionActivityMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetJourneyExecutionActivityMetricsCommand) .de(de_GetJourneyExecutionActivityMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJourneyExecutionActivityMetricsRequest; + output: GetJourneyExecutionActivityMetricsResponse; + }; + sdk: { + input: GetJourneyExecutionActivityMetricsCommandInput; + output: GetJourneyExecutionActivityMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetJourneyExecutionMetricsCommand.ts b/clients/client-pinpoint/src/commands/GetJourneyExecutionMetricsCommand.ts index b1b320d9b8af..65363cc48cb0 100644 --- a/clients/client-pinpoint/src/commands/GetJourneyExecutionMetricsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetJourneyExecutionMetricsCommand.ts @@ -108,4 +108,16 @@ export class GetJourneyExecutionMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetJourneyExecutionMetricsCommand) .de(de_GetJourneyExecutionMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJourneyExecutionMetricsRequest; + output: GetJourneyExecutionMetricsResponse; + }; + sdk: { + input: GetJourneyExecutionMetricsCommandInput; + output: GetJourneyExecutionMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetJourneyRunExecutionActivityMetricsCommand.ts b/clients/client-pinpoint/src/commands/GetJourneyRunExecutionActivityMetricsCommand.ts index 0a0ee5e8540d..ec4127a57821 100644 --- a/clients/client-pinpoint/src/commands/GetJourneyRunExecutionActivityMetricsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetJourneyRunExecutionActivityMetricsCommand.ts @@ -151,4 +151,16 @@ export class GetJourneyRunExecutionActivityMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetJourneyRunExecutionActivityMetricsCommand) .de(de_GetJourneyRunExecutionActivityMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJourneyRunExecutionActivityMetricsRequest; + output: GetJourneyRunExecutionActivityMetricsResponse; + }; + sdk: { + input: GetJourneyRunExecutionActivityMetricsCommandInput; + output: GetJourneyRunExecutionActivityMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetJourneyRunExecutionMetricsCommand.ts b/clients/client-pinpoint/src/commands/GetJourneyRunExecutionMetricsCommand.ts index d96fdac7bbad..fb0beaa8d059 100644 --- a/clients/client-pinpoint/src/commands/GetJourneyRunExecutionMetricsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetJourneyRunExecutionMetricsCommand.ts @@ -143,4 +143,16 @@ export class GetJourneyRunExecutionMetricsCommand extends $Command .f(void 0, void 0) .ser(se_GetJourneyRunExecutionMetricsCommand) .de(de_GetJourneyRunExecutionMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJourneyRunExecutionMetricsRequest; + output: GetJourneyRunExecutionMetricsResponse; + }; + sdk: { + input: GetJourneyRunExecutionMetricsCommandInput; + output: GetJourneyRunExecutionMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetJourneyRunsCommand.ts b/clients/client-pinpoint/src/commands/GetJourneyRunsCommand.ts index 30c263e8f0ed..83465d82f09d 100644 --- a/clients/client-pinpoint/src/commands/GetJourneyRunsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetJourneyRunsCommand.ts @@ -143,4 +143,16 @@ export class GetJourneyRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetJourneyRunsCommand) .de(de_GetJourneyRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJourneyRunsRequest; + output: GetJourneyRunsResponse; + }; + sdk: { + input: GetJourneyRunsCommandInput; + output: GetJourneyRunsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetPushTemplateCommand.ts b/clients/client-pinpoint/src/commands/GetPushTemplateCommand.ts index a4e6b5d7de2c..a8ef2b1eefb1 100644 --- a/clients/client-pinpoint/src/commands/GetPushTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/GetPushTemplateCommand.ts @@ -161,4 +161,16 @@ export class GetPushTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetPushTemplateCommand) .de(de_GetPushTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPushTemplateRequest; + output: GetPushTemplateResponse; + }; + sdk: { + input: GetPushTemplateCommandInput; + output: GetPushTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetRecommenderConfigurationCommand.ts b/clients/client-pinpoint/src/commands/GetRecommenderConfigurationCommand.ts index 407a16bea589..e99cb9964c95 100644 --- a/clients/client-pinpoint/src/commands/GetRecommenderConfigurationCommand.ts +++ b/clients/client-pinpoint/src/commands/GetRecommenderConfigurationCommand.ts @@ -118,4 +118,16 @@ export class GetRecommenderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetRecommenderConfigurationCommand) .de(de_GetRecommenderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommenderConfigurationRequest; + output: GetRecommenderConfigurationResponse; + }; + sdk: { + input: GetRecommenderConfigurationCommandInput; + output: GetRecommenderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetRecommenderConfigurationsCommand.ts b/clients/client-pinpoint/src/commands/GetRecommenderConfigurationsCommand.ts index 668fbd884a25..6155c67ee820 100644 --- a/clients/client-pinpoint/src/commands/GetRecommenderConfigurationsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetRecommenderConfigurationsCommand.ts @@ -124,4 +124,16 @@ export class GetRecommenderConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_GetRecommenderConfigurationsCommand) .de(de_GetRecommenderConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommenderConfigurationsRequest; + output: GetRecommenderConfigurationsResponse; + }; + sdk: { + input: GetRecommenderConfigurationsCommandInput; + output: GetRecommenderConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSegmentCommand.ts b/clients/client-pinpoint/src/commands/GetSegmentCommand.ts index e5a87770abfe..d70a0a9b568f 100644 --- a/clients/client-pinpoint/src/commands/GetSegmentCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSegmentCommand.ts @@ -251,4 +251,16 @@ export class GetSegmentCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentCommand) .de(de_GetSegmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentRequest; + output: GetSegmentResponse; + }; + sdk: { + input: GetSegmentCommandInput; + output: GetSegmentCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSegmentExportJobsCommand.ts b/clients/client-pinpoint/src/commands/GetSegmentExportJobsCommand.ts index 444741870700..820f6311f0bf 100644 --- a/clients/client-pinpoint/src/commands/GetSegmentExportJobsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSegmentExportJobsCommand.ts @@ -127,4 +127,16 @@ export class GetSegmentExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentExportJobsCommand) .de(de_GetSegmentExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentExportJobsRequest; + output: GetSegmentExportJobsResponse; + }; + sdk: { + input: GetSegmentExportJobsCommandInput; + output: GetSegmentExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSegmentImportJobsCommand.ts b/clients/client-pinpoint/src/commands/GetSegmentImportJobsCommand.ts index 5da90510b304..b6da7d03b70d 100644 --- a/clients/client-pinpoint/src/commands/GetSegmentImportJobsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSegmentImportJobsCommand.ts @@ -131,4 +131,16 @@ export class GetSegmentImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentImportJobsCommand) .de(de_GetSegmentImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentImportJobsRequest; + output: GetSegmentImportJobsResponse; + }; + sdk: { + input: GetSegmentImportJobsCommandInput; + output: GetSegmentImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSegmentVersionCommand.ts b/clients/client-pinpoint/src/commands/GetSegmentVersionCommand.ts index b5c5bf921707..29f6606be478 100644 --- a/clients/client-pinpoint/src/commands/GetSegmentVersionCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSegmentVersionCommand.ts @@ -252,4 +252,16 @@ export class GetSegmentVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentVersionCommand) .de(de_GetSegmentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentVersionRequest; + output: GetSegmentVersionResponse; + }; + sdk: { + input: GetSegmentVersionCommandInput; + output: GetSegmentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSegmentVersionsCommand.ts b/clients/client-pinpoint/src/commands/GetSegmentVersionsCommand.ts index 542427a5eee1..7c86a29cd9e4 100644 --- a/clients/client-pinpoint/src/commands/GetSegmentVersionsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSegmentVersionsCommand.ts @@ -258,4 +258,16 @@ export class GetSegmentVersionsCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentVersionsCommand) .de(de_GetSegmentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentVersionsRequest; + output: GetSegmentVersionsResponse; + }; + sdk: { + input: GetSegmentVersionsCommandInput; + output: GetSegmentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSegmentsCommand.ts b/clients/client-pinpoint/src/commands/GetSegmentsCommand.ts index 3c3eb295d8cd..32bba258b8a1 100644 --- a/clients/client-pinpoint/src/commands/GetSegmentsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSegmentsCommand.ts @@ -257,4 +257,16 @@ export class GetSegmentsCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentsCommand) .de(de_GetSegmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentsRequest; + output: GetSegmentsResponse; + }; + sdk: { + input: GetSegmentsCommandInput; + output: GetSegmentsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSmsChannelCommand.ts b/clients/client-pinpoint/src/commands/GetSmsChannelCommand.ts index f7b8a9de49c6..3b582ef3d558 100644 --- a/clients/client-pinpoint/src/commands/GetSmsChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSmsChannelCommand.ts @@ -113,4 +113,16 @@ export class GetSmsChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetSmsChannelCommand) .de(de_GetSmsChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSmsChannelRequest; + output: GetSmsChannelResponse; + }; + sdk: { + input: GetSmsChannelCommandInput; + output: GetSmsChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetSmsTemplateCommand.ts b/clients/client-pinpoint/src/commands/GetSmsTemplateCommand.ts index ae776b3ca1a8..43414d5ad83a 100644 --- a/clients/client-pinpoint/src/commands/GetSmsTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/GetSmsTemplateCommand.ts @@ -113,4 +113,16 @@ export class GetSmsTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetSmsTemplateCommand) .de(de_GetSmsTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSmsTemplateRequest; + output: GetSmsTemplateResponse; + }; + sdk: { + input: GetSmsTemplateCommandInput; + output: GetSmsTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetUserEndpointsCommand.ts b/clients/client-pinpoint/src/commands/GetUserEndpointsCommand.ts index cd1f8292bf0e..e3af661395e9 100644 --- a/clients/client-pinpoint/src/commands/GetUserEndpointsCommand.ts +++ b/clients/client-pinpoint/src/commands/GetUserEndpointsCommand.ts @@ -148,4 +148,16 @@ export class GetUserEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_GetUserEndpointsCommand) .de(de_GetUserEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserEndpointsRequest; + output: GetUserEndpointsResponse; + }; + sdk: { + input: GetUserEndpointsCommandInput; + output: GetUserEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetVoiceChannelCommand.ts b/clients/client-pinpoint/src/commands/GetVoiceChannelCommand.ts index 8de2d6eaca8c..caa0aaef124f 100644 --- a/clients/client-pinpoint/src/commands/GetVoiceChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/GetVoiceChannelCommand.ts @@ -109,4 +109,16 @@ export class GetVoiceChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceChannelCommand) .de(de_GetVoiceChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceChannelRequest; + output: GetVoiceChannelResponse; + }; + sdk: { + input: GetVoiceChannelCommandInput; + output: GetVoiceChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/GetVoiceTemplateCommand.ts b/clients/client-pinpoint/src/commands/GetVoiceTemplateCommand.ts index 8dadbc87205e..38632e8324a9 100644 --- a/clients/client-pinpoint/src/commands/GetVoiceTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/GetVoiceTemplateCommand.ts @@ -114,4 +114,16 @@ export class GetVoiceTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetVoiceTemplateCommand) .de(de_GetVoiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVoiceTemplateRequest; + output: GetVoiceTemplateResponse; + }; + sdk: { + input: GetVoiceTemplateCommandInput; + output: GetVoiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/ListJourneysCommand.ts b/clients/client-pinpoint/src/commands/ListJourneysCommand.ts index f6a3e3206ecf..cf7a8dfeef87 100644 --- a/clients/client-pinpoint/src/commands/ListJourneysCommand.ts +++ b/clients/client-pinpoint/src/commands/ListJourneysCommand.ts @@ -490,4 +490,16 @@ export class ListJourneysCommand extends $Command .f(void 0, void 0) .ser(se_ListJourneysCommand) .de(de_ListJourneysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJourneysRequest; + output: ListJourneysResponse; + }; + sdk: { + input: ListJourneysCommandInput; + output: ListJourneysCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/ListTagsForResourceCommand.ts b/clients/client-pinpoint/src/commands/ListTagsForResourceCommand.ts index 5e47dae15dff..161d4d62ab51 100644 --- a/clients/client-pinpoint/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pinpoint/src/commands/ListTagsForResourceCommand.ts @@ -81,4 +81,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/ListTemplateVersionsCommand.ts b/clients/client-pinpoint/src/commands/ListTemplateVersionsCommand.ts index 9fb494d3a672..0dc2bde54030 100644 --- a/clients/client-pinpoint/src/commands/ListTemplateVersionsCommand.ts +++ b/clients/client-pinpoint/src/commands/ListTemplateVersionsCommand.ts @@ -116,4 +116,16 @@ export class ListTemplateVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateVersionsCommand) .de(de_ListTemplateVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateVersionsRequest; + output: ListTemplateVersionsResponse; + }; + sdk: { + input: ListTemplateVersionsCommandInput; + output: ListTemplateVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/ListTemplatesCommand.ts b/clients/client-pinpoint/src/commands/ListTemplatesCommand.ts index 1c004d286aea..de6cae542c35 100644 --- a/clients/client-pinpoint/src/commands/ListTemplatesCommand.ts +++ b/clients/client-pinpoint/src/commands/ListTemplatesCommand.ts @@ -112,4 +112,16 @@ export class ListTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplatesCommand) .de(de_ListTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplatesRequest; + output: ListTemplatesResponse; + }; + sdk: { + input: ListTemplatesCommandInput; + output: ListTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/PhoneNumberValidateCommand.ts b/clients/client-pinpoint/src/commands/PhoneNumberValidateCommand.ts index ce03fd99046a..a5f6b33fbc36 100644 --- a/clients/client-pinpoint/src/commands/PhoneNumberValidateCommand.ts +++ b/clients/client-pinpoint/src/commands/PhoneNumberValidateCommand.ts @@ -116,4 +116,16 @@ export class PhoneNumberValidateCommand extends $Command .f(void 0, void 0) .ser(se_PhoneNumberValidateCommand) .de(de_PhoneNumberValidateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PhoneNumberValidateRequest; + output: PhoneNumberValidateResponse; + }; + sdk: { + input: PhoneNumberValidateCommandInput; + output: PhoneNumberValidateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/PutEventStreamCommand.ts b/clients/client-pinpoint/src/commands/PutEventStreamCommand.ts index 887da0697f9b..99d603c26aef 100644 --- a/clients/client-pinpoint/src/commands/PutEventStreamCommand.ts +++ b/clients/client-pinpoint/src/commands/PutEventStreamCommand.ts @@ -109,4 +109,16 @@ export class PutEventStreamCommand extends $Command .f(void 0, void 0) .ser(se_PutEventStreamCommand) .de(de_PutEventStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventStreamRequest; + output: PutEventStreamResponse; + }; + sdk: { + input: PutEventStreamCommandInput; + output: PutEventStreamCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/PutEventsCommand.ts b/clients/client-pinpoint/src/commands/PutEventsCommand.ts index bba5f2de2cc3..3b707637af9c 100644 --- a/clients/client-pinpoint/src/commands/PutEventsCommand.ts +++ b/clients/client-pinpoint/src/commands/PutEventsCommand.ts @@ -184,4 +184,16 @@ export class PutEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutEventsCommand) .de(de_PutEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEventsRequest; + output: PutEventsResponse; + }; + sdk: { + input: PutEventsCommandInput; + output: PutEventsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/RemoveAttributesCommand.ts b/clients/client-pinpoint/src/commands/RemoveAttributesCommand.ts index 01011c83fa63..ba816dba65ee 100644 --- a/clients/client-pinpoint/src/commands/RemoveAttributesCommand.ts +++ b/clients/client-pinpoint/src/commands/RemoveAttributesCommand.ts @@ -110,4 +110,16 @@ export class RemoveAttributesCommand extends $Command .f(void 0, void 0) .ser(se_RemoveAttributesCommand) .de(de_RemoveAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAttributesRequest; + output: RemoveAttributesResponse; + }; + sdk: { + input: RemoveAttributesCommandInput; + output: RemoveAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/SendMessagesCommand.ts b/clients/client-pinpoint/src/commands/SendMessagesCommand.ts index aa22de02a3ef..e2f9d8c26c84 100644 --- a/clients/client-pinpoint/src/commands/SendMessagesCommand.ts +++ b/clients/client-pinpoint/src/commands/SendMessagesCommand.ts @@ -332,4 +332,16 @@ export class SendMessagesCommand extends $Command .f(void 0, void 0) .ser(se_SendMessagesCommand) .de(de_SendMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendMessagesRequest; + output: SendMessagesResponse; + }; + sdk: { + input: SendMessagesCommandInput; + output: SendMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/SendOTPMessageCommand.ts b/clients/client-pinpoint/src/commands/SendOTPMessageCommand.ts index 87e4d6756e0d..9f87ea59c59b 100644 --- a/clients/client-pinpoint/src/commands/SendOTPMessageCommand.ts +++ b/clients/client-pinpoint/src/commands/SendOTPMessageCommand.ts @@ -133,4 +133,16 @@ export class SendOTPMessageCommand extends $Command .f(void 0, void 0) .ser(se_SendOTPMessageCommand) .de(de_SendOTPMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendOTPMessageRequest; + output: SendOTPMessageResponse; + }; + sdk: { + input: SendOTPMessageCommandInput; + output: SendOTPMessageCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/SendUsersMessagesCommand.ts b/clients/client-pinpoint/src/commands/SendUsersMessagesCommand.ts index 5a72f259b752..e003d218674b 100644 --- a/clients/client-pinpoint/src/commands/SendUsersMessagesCommand.ts +++ b/clients/client-pinpoint/src/commands/SendUsersMessagesCommand.ts @@ -315,4 +315,16 @@ export class SendUsersMessagesCommand extends $Command .f(void 0, void 0) .ser(se_SendUsersMessagesCommand) .de(de_SendUsersMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendUsersMessagesRequest; + output: SendUsersMessagesResponse; + }; + sdk: { + input: SendUsersMessagesCommandInput; + output: SendUsersMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/TagResourceCommand.ts b/clients/client-pinpoint/src/commands/TagResourceCommand.ts index 538b9fc4a8a2..9ea2605caee2 100644 --- a/clients/client-pinpoint/src/commands/TagResourceCommand.ts +++ b/clients/client-pinpoint/src/commands/TagResourceCommand.ts @@ -80,4 +80,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UntagResourceCommand.ts b/clients/client-pinpoint/src/commands/UntagResourceCommand.ts index a6d02ea956e0..8e2da524576b 100644 --- a/clients/client-pinpoint/src/commands/UntagResourceCommand.ts +++ b/clients/client-pinpoint/src/commands/UntagResourceCommand.ts @@ -78,4 +78,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateAdmChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateAdmChannelCommand.ts index 462a8fad09cc..4c6c3fcdc6b4 100644 --- a/clients/client-pinpoint/src/commands/UpdateAdmChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateAdmChannelCommand.ts @@ -114,4 +114,16 @@ export class UpdateAdmChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAdmChannelCommand) .de(de_UpdateAdmChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAdmChannelRequest; + output: UpdateAdmChannelResponse; + }; + sdk: { + input: UpdateAdmChannelCommandInput; + output: UpdateAdmChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateApnsChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateApnsChannelCommand.ts index ef69795ce134..2fe3b27da98a 100644 --- a/clients/client-pinpoint/src/commands/UpdateApnsChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateApnsChannelCommand.ts @@ -121,4 +121,16 @@ export class UpdateApnsChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApnsChannelCommand) .de(de_UpdateApnsChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApnsChannelRequest; + output: UpdateApnsChannelResponse; + }; + sdk: { + input: UpdateApnsChannelCommandInput; + output: UpdateApnsChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateApnsSandboxChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateApnsSandboxChannelCommand.ts index f63a030f47f4..e58701f0ebf7 100644 --- a/clients/client-pinpoint/src/commands/UpdateApnsSandboxChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateApnsSandboxChannelCommand.ts @@ -121,4 +121,16 @@ export class UpdateApnsSandboxChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApnsSandboxChannelCommand) .de(de_UpdateApnsSandboxChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApnsSandboxChannelRequest; + output: UpdateApnsSandboxChannelResponse; + }; + sdk: { + input: UpdateApnsSandboxChannelCommandInput; + output: UpdateApnsSandboxChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateApnsVoipChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateApnsVoipChannelCommand.ts index c6ad94202fdd..5c064577b84e 100644 --- a/clients/client-pinpoint/src/commands/UpdateApnsVoipChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateApnsVoipChannelCommand.ts @@ -121,4 +121,16 @@ export class UpdateApnsVoipChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApnsVoipChannelCommand) .de(de_UpdateApnsVoipChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApnsVoipChannelRequest; + output: UpdateApnsVoipChannelResponse; + }; + sdk: { + input: UpdateApnsVoipChannelCommandInput; + output: UpdateApnsVoipChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateApnsVoipSandboxChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateApnsVoipSandboxChannelCommand.ts index 6d0c44d28156..306188d1b400 100644 --- a/clients/client-pinpoint/src/commands/UpdateApnsVoipSandboxChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateApnsVoipSandboxChannelCommand.ts @@ -126,4 +126,16 @@ export class UpdateApnsVoipSandboxChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApnsVoipSandboxChannelCommand) .de(de_UpdateApnsVoipSandboxChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApnsVoipSandboxChannelRequest; + output: UpdateApnsVoipSandboxChannelResponse; + }; + sdk: { + input: UpdateApnsVoipSandboxChannelCommandInput; + output: UpdateApnsVoipSandboxChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateApplicationSettingsCommand.ts b/clients/client-pinpoint/src/commands/UpdateApplicationSettingsCommand.ts index 83507f0ea196..e34eeb0167ad 100644 --- a/clients/client-pinpoint/src/commands/UpdateApplicationSettingsCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateApplicationSettingsCommand.ts @@ -153,4 +153,16 @@ export class UpdateApplicationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationSettingsCommand) .de(de_UpdateApplicationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationSettingsRequest; + output: UpdateApplicationSettingsResponse; + }; + sdk: { + input: UpdateApplicationSettingsCommandInput; + output: UpdateApplicationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateBaiduChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateBaiduChannelCommand.ts index 6f627b30b6bb..e2ecbf1925ce 100644 --- a/clients/client-pinpoint/src/commands/UpdateBaiduChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateBaiduChannelCommand.ts @@ -115,4 +115,16 @@ export class UpdateBaiduChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBaiduChannelCommand) .de(de_UpdateBaiduChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBaiduChannelRequest; + output: UpdateBaiduChannelResponse; + }; + sdk: { + input: UpdateBaiduChannelCommandInput; + output: UpdateBaiduChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateCampaignCommand.ts b/clients/client-pinpoint/src/commands/UpdateCampaignCommand.ts index 5c213dc6a6ac..7b0b6a5a6f0f 100644 --- a/clients/client-pinpoint/src/commands/UpdateCampaignCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateCampaignCommand.ts @@ -870,4 +870,16 @@ export class UpdateCampaignCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCampaignCommand) .de(de_UpdateCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCampaignRequest; + output: UpdateCampaignResponse; + }; + sdk: { + input: UpdateCampaignCommandInput; + output: UpdateCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateEmailChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateEmailChannelCommand.ts index 8a5408bcda01..74bf03a1d2a0 100644 --- a/clients/client-pinpoint/src/commands/UpdateEmailChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateEmailChannelCommand.ts @@ -123,4 +123,16 @@ export class UpdateEmailChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEmailChannelCommand) .de(de_UpdateEmailChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEmailChannelRequest; + output: UpdateEmailChannelResponse; + }; + sdk: { + input: UpdateEmailChannelCommandInput; + output: UpdateEmailChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateEmailTemplateCommand.ts b/clients/client-pinpoint/src/commands/UpdateEmailTemplateCommand.ts index 6cb3aadff3c4..3a545e356012 100644 --- a/clients/client-pinpoint/src/commands/UpdateEmailTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateEmailTemplateCommand.ts @@ -120,4 +120,16 @@ export class UpdateEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEmailTemplateCommand) .de(de_UpdateEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEmailTemplateRequest; + output: UpdateEmailTemplateResponse; + }; + sdk: { + input: UpdateEmailTemplateCommandInput; + output: UpdateEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateEndpointCommand.ts b/clients/client-pinpoint/src/commands/UpdateEndpointCommand.ts index 2f7d12ec5e79..d09821acb7d3 100644 --- a/clients/client-pinpoint/src/commands/UpdateEndpointCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateEndpointCommand.ts @@ -144,4 +144,16 @@ export class UpdateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointCommand) .de(de_UpdateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointRequest; + output: UpdateEndpointResponse; + }; + sdk: { + input: UpdateEndpointCommandInput; + output: UpdateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateEndpointsBatchCommand.ts b/clients/client-pinpoint/src/commands/UpdateEndpointsBatchCommand.ts index e9fc9dd16249..70a4d92b29e7 100644 --- a/clients/client-pinpoint/src/commands/UpdateEndpointsBatchCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateEndpointsBatchCommand.ts @@ -148,4 +148,16 @@ export class UpdateEndpointsBatchCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointsBatchCommand) .de(de_UpdateEndpointsBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointsBatchRequest; + output: UpdateEndpointsBatchResponse; + }; + sdk: { + input: UpdateEndpointsBatchCommandInput; + output: UpdateEndpointsBatchCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateGcmChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateGcmChannelCommand.ts index 1299e763cf01..a8ddd5fd8987 100644 --- a/clients/client-pinpoint/src/commands/UpdateGcmChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateGcmChannelCommand.ts @@ -118,4 +118,16 @@ export class UpdateGcmChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGcmChannelCommand) .de(de_UpdateGcmChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGcmChannelRequest; + output: UpdateGcmChannelResponse; + }; + sdk: { + input: UpdateGcmChannelCommandInput; + output: UpdateGcmChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateInAppTemplateCommand.ts b/clients/client-pinpoint/src/commands/UpdateInAppTemplateCommand.ts index cd7546ebe9b6..fb42c2101a48 100644 --- a/clients/client-pinpoint/src/commands/UpdateInAppTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateInAppTemplateCommand.ts @@ -170,4 +170,16 @@ export class UpdateInAppTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInAppTemplateCommand) .de(de_UpdateInAppTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInAppTemplateRequest; + output: UpdateInAppTemplateResponse; + }; + sdk: { + input: UpdateInAppTemplateCommandInput; + output: UpdateInAppTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateJourneyCommand.ts b/clients/client-pinpoint/src/commands/UpdateJourneyCommand.ts index 2bfc6464d5c8..3b772a8c8812 100644 --- a/clients/client-pinpoint/src/commands/UpdateJourneyCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateJourneyCommand.ts @@ -868,4 +868,16 @@ export class UpdateJourneyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJourneyCommand) .de(de_UpdateJourneyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJourneyRequest; + output: UpdateJourneyResponse; + }; + sdk: { + input: UpdateJourneyCommandInput; + output: UpdateJourneyCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateJourneyStateCommand.ts b/clients/client-pinpoint/src/commands/UpdateJourneyStateCommand.ts index 9b23217cf33e..ff6598e4f002 100644 --- a/clients/client-pinpoint/src/commands/UpdateJourneyStateCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateJourneyStateCommand.ts @@ -487,4 +487,16 @@ export class UpdateJourneyStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJourneyStateCommand) .de(de_UpdateJourneyStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJourneyStateRequest; + output: UpdateJourneyStateResponse; + }; + sdk: { + input: UpdateJourneyStateCommandInput; + output: UpdateJourneyStateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdatePushTemplateCommand.ts b/clients/client-pinpoint/src/commands/UpdatePushTemplateCommand.ts index b6bf2f50b1e1..dd44d6c9c8a6 100644 --- a/clients/client-pinpoint/src/commands/UpdatePushTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdatePushTemplateCommand.ts @@ -160,4 +160,16 @@ export class UpdatePushTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePushTemplateCommand) .de(de_UpdatePushTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePushTemplateRequest; + output: UpdatePushTemplateResponse; + }; + sdk: { + input: UpdatePushTemplateCommandInput; + output: UpdatePushTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateRecommenderConfigurationCommand.ts b/clients/client-pinpoint/src/commands/UpdateRecommenderConfigurationCommand.ts index 56ab689ca60d..40be66ce88e1 100644 --- a/clients/client-pinpoint/src/commands/UpdateRecommenderConfigurationCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateRecommenderConfigurationCommand.ts @@ -131,4 +131,16 @@ export class UpdateRecommenderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRecommenderConfigurationCommand) .de(de_UpdateRecommenderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecommenderConfigurationRequest; + output: UpdateRecommenderConfigurationResponse; + }; + sdk: { + input: UpdateRecommenderConfigurationCommandInput; + output: UpdateRecommenderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateSegmentCommand.ts b/clients/client-pinpoint/src/commands/UpdateSegmentCommand.ts index 329543fca721..0fb1ae10532c 100644 --- a/clients/client-pinpoint/src/commands/UpdateSegmentCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateSegmentCommand.ts @@ -387,4 +387,16 @@ export class UpdateSegmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSegmentCommand) .de(de_UpdateSegmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSegmentRequest; + output: UpdateSegmentResponse; + }; + sdk: { + input: UpdateSegmentCommandInput; + output: UpdateSegmentCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateSmsChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateSmsChannelCommand.ts index 88c1e18c7204..68a3176cfc05 100644 --- a/clients/client-pinpoint/src/commands/UpdateSmsChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateSmsChannelCommand.ts @@ -118,4 +118,16 @@ export class UpdateSmsChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSmsChannelCommand) .de(de_UpdateSmsChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSmsChannelRequest; + output: UpdateSmsChannelResponse; + }; + sdk: { + input: UpdateSmsChannelCommandInput; + output: UpdateSmsChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateSmsTemplateCommand.ts b/clients/client-pinpoint/src/commands/UpdateSmsTemplateCommand.ts index 4b90c5cb8cf6..82caeb649443 100644 --- a/clients/client-pinpoint/src/commands/UpdateSmsTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateSmsTemplateCommand.ts @@ -112,4 +112,16 @@ export class UpdateSmsTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSmsTemplateCommand) .de(de_UpdateSmsTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSmsTemplateRequest; + output: UpdateSmsTemplateResponse; + }; + sdk: { + input: UpdateSmsTemplateCommandInput; + output: UpdateSmsTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateTemplateActiveVersionCommand.ts b/clients/client-pinpoint/src/commands/UpdateTemplateActiveVersionCommand.ts index 02d8cb01ff57..69e275ba025d 100644 --- a/clients/client-pinpoint/src/commands/UpdateTemplateActiveVersionCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateTemplateActiveVersionCommand.ts @@ -110,4 +110,16 @@ export class UpdateTemplateActiveVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateActiveVersionCommand) .de(de_UpdateTemplateActiveVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateActiveVersionRequest; + output: UpdateTemplateActiveVersionResponse; + }; + sdk: { + input: UpdateTemplateActiveVersionCommandInput; + output: UpdateTemplateActiveVersionCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateVoiceChannelCommand.ts b/clients/client-pinpoint/src/commands/UpdateVoiceChannelCommand.ts index fe5ef376c1ef..36c2bfcf48bb 100644 --- a/clients/client-pinpoint/src/commands/UpdateVoiceChannelCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateVoiceChannelCommand.ts @@ -112,4 +112,16 @@ export class UpdateVoiceChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVoiceChannelCommand) .de(de_UpdateVoiceChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceChannelRequest; + output: UpdateVoiceChannelResponse; + }; + sdk: { + input: UpdateVoiceChannelCommandInput; + output: UpdateVoiceChannelCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/UpdateVoiceTemplateCommand.ts b/clients/client-pinpoint/src/commands/UpdateVoiceTemplateCommand.ts index d4ad3c265551..cd4358de2fc8 100644 --- a/clients/client-pinpoint/src/commands/UpdateVoiceTemplateCommand.ts +++ b/clients/client-pinpoint/src/commands/UpdateVoiceTemplateCommand.ts @@ -113,4 +113,16 @@ export class UpdateVoiceTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVoiceTemplateCommand) .de(de_UpdateVoiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVoiceTemplateRequest; + output: UpdateVoiceTemplateResponse; + }; + sdk: { + input: UpdateVoiceTemplateCommandInput; + output: UpdateVoiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-pinpoint/src/commands/VerifyOTPMessageCommand.ts b/clients/client-pinpoint/src/commands/VerifyOTPMessageCommand.ts index c0f2678f6e50..af9251016f65 100644 --- a/clients/client-pinpoint/src/commands/VerifyOTPMessageCommand.ts +++ b/clients/client-pinpoint/src/commands/VerifyOTPMessageCommand.ts @@ -105,4 +105,16 @@ export class VerifyOTPMessageCommand extends $Command .f(void 0, void 0) .ser(se_VerifyOTPMessageCommand) .de(de_VerifyOTPMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyOTPMessageRequest; + output: VerifyOTPMessageResponse; + }; + sdk: { + input: VerifyOTPMessageCommandInput; + output: VerifyOTPMessageCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/package.json b/clients/client-pipes/package.json index db26990b2a67..30abc8e338b4 100644 --- a/clients/client-pipes/package.json +++ b/clients/client-pipes/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-pipes/src/commands/CreatePipeCommand.ts b/clients/client-pipes/src/commands/CreatePipeCommand.ts index 99b30343d170..9ca3bb9574bf 100644 --- a/clients/client-pipes/src/commands/CreatePipeCommand.ts +++ b/clients/client-pipes/src/commands/CreatePipeCommand.ts @@ -453,4 +453,16 @@ export class CreatePipeCommand extends $Command .f(CreatePipeRequestFilterSensitiveLog, void 0) .ser(se_CreatePipeCommand) .de(de_CreatePipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePipeRequest; + output: CreatePipeResponse; + }; + sdk: { + input: CreatePipeCommandInput; + output: CreatePipeCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/DeletePipeCommand.ts b/clients/client-pipes/src/commands/DeletePipeCommand.ts index ba3a543b720c..f2c1e836a90d 100644 --- a/clients/client-pipes/src/commands/DeletePipeCommand.ts +++ b/clients/client-pipes/src/commands/DeletePipeCommand.ts @@ -97,4 +97,16 @@ export class DeletePipeCommand extends $Command .f(void 0, void 0) .ser(se_DeletePipeCommand) .de(de_DeletePipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePipeRequest; + output: DeletePipeResponse; + }; + sdk: { + input: DeletePipeCommandInput; + output: DeletePipeCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/DescribePipeCommand.ts b/clients/client-pipes/src/commands/DescribePipeCommand.ts index a674c251c752..763f2fa2d06d 100644 --- a/clients/client-pipes/src/commands/DescribePipeCommand.ts +++ b/clients/client-pipes/src/commands/DescribePipeCommand.ts @@ -446,4 +446,16 @@ export class DescribePipeCommand extends $Command .f(void 0, DescribePipeResponseFilterSensitiveLog) .ser(se_DescribePipeCommand) .de(de_DescribePipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePipeRequest; + output: DescribePipeResponse; + }; + sdk: { + input: DescribePipeCommandInput; + output: DescribePipeCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/ListPipesCommand.ts b/clients/client-pipes/src/commands/ListPipesCommand.ts index 630b6a316c2d..4fcf9abe482d 100644 --- a/clients/client-pipes/src/commands/ListPipesCommand.ts +++ b/clients/client-pipes/src/commands/ListPipesCommand.ts @@ -111,4 +111,16 @@ export class ListPipesCommand extends $Command .f(ListPipesRequestFilterSensitiveLog, ListPipesResponseFilterSensitiveLog) .ser(se_ListPipesCommand) .de(de_ListPipesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipesRequest; + output: ListPipesResponse; + }; + sdk: { + input: ListPipesCommandInput; + output: ListPipesCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/ListTagsForResourceCommand.ts b/clients/client-pipes/src/commands/ListTagsForResourceCommand.ts index 1bc1f91df8b4..873cc3992635 100644 --- a/clients/client-pipes/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pipes/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/StartPipeCommand.ts b/clients/client-pipes/src/commands/StartPipeCommand.ts index 60bc3e0bbeea..5332f91d4231 100644 --- a/clients/client-pipes/src/commands/StartPipeCommand.ts +++ b/clients/client-pipes/src/commands/StartPipeCommand.ts @@ -97,4 +97,16 @@ export class StartPipeCommand extends $Command .f(void 0, void 0) .ser(se_StartPipeCommand) .de(de_StartPipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPipeRequest; + output: StartPipeResponse; + }; + sdk: { + input: StartPipeCommandInput; + output: StartPipeCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/StopPipeCommand.ts b/clients/client-pipes/src/commands/StopPipeCommand.ts index 5193c0842b25..341fb900a00f 100644 --- a/clients/client-pipes/src/commands/StopPipeCommand.ts +++ b/clients/client-pipes/src/commands/StopPipeCommand.ts @@ -97,4 +97,16 @@ export class StopPipeCommand extends $Command .f(void 0, void 0) .ser(se_StopPipeCommand) .de(de_StopPipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopPipeRequest; + output: StopPipeResponse; + }; + sdk: { + input: StopPipeCommandInput; + output: StopPipeCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/TagResourceCommand.ts b/clients/client-pipes/src/commands/TagResourceCommand.ts index 0d9cb08b98da..26332639ce0c 100644 --- a/clients/client-pipes/src/commands/TagResourceCommand.ts +++ b/clients/client-pipes/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/UntagResourceCommand.ts b/clients/client-pipes/src/commands/UntagResourceCommand.ts index 86caf6a31b79..09f33aa30b81 100644 --- a/clients/client-pipes/src/commands/UntagResourceCommand.ts +++ b/clients/client-pipes/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-pipes/src/commands/UpdatePipeCommand.ts b/clients/client-pipes/src/commands/UpdatePipeCommand.ts index 28e6938bd222..5c19cb74ddf5 100644 --- a/clients/client-pipes/src/commands/UpdatePipeCommand.ts +++ b/clients/client-pipes/src/commands/UpdatePipeCommand.ts @@ -441,4 +441,16 @@ export class UpdatePipeCommand extends $Command .f(UpdatePipeRequestFilterSensitiveLog, void 0) .ser(se_UpdatePipeCommand) .de(de_UpdatePipeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipeRequest; + output: UpdatePipeResponse; + }; + sdk: { + input: UpdatePipeCommandInput; + output: UpdatePipeCommandOutput; + }; + }; +} diff --git a/clients/client-polly/package.json b/clients/client-polly/package.json index 8d926542e959..d05d98d85e6d 100644 --- a/clients/client-polly/package.json +++ b/clients/client-polly/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-polly/src/commands/DeleteLexiconCommand.ts b/clients/client-polly/src/commands/DeleteLexiconCommand.ts index 3c8e561c6850..1710cf10554f 100644 --- a/clients/client-polly/src/commands/DeleteLexiconCommand.ts +++ b/clients/client-polly/src/commands/DeleteLexiconCommand.ts @@ -99,4 +99,16 @@ export class DeleteLexiconCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLexiconCommand) .de(de_DeleteLexiconCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLexiconInput; + output: {}; + }; + sdk: { + input: DeleteLexiconCommandInput; + output: DeleteLexiconCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/DescribeVoicesCommand.ts b/clients/client-polly/src/commands/DescribeVoicesCommand.ts index 0fae39345e8f..550b2efc7136 100644 --- a/clients/client-polly/src/commands/DescribeVoicesCommand.ts +++ b/clients/client-polly/src/commands/DescribeVoicesCommand.ts @@ -155,4 +155,16 @@ export class DescribeVoicesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVoicesCommand) .de(de_DescribeVoicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVoicesInput; + output: DescribeVoicesOutput; + }; + sdk: { + input: DescribeVoicesCommandInput; + output: DescribeVoicesCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/GetLexiconCommand.ts b/clients/client-polly/src/commands/GetLexiconCommand.ts index b5cd35a56cb8..7414d26a690b 100644 --- a/clients/client-polly/src/commands/GetLexiconCommand.ts +++ b/clients/client-polly/src/commands/GetLexiconCommand.ts @@ -126,4 +126,16 @@ export class GetLexiconCommand extends $Command .f(void 0, GetLexiconOutputFilterSensitiveLog) .ser(se_GetLexiconCommand) .de(de_GetLexiconCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLexiconInput; + output: GetLexiconOutput; + }; + sdk: { + input: GetLexiconCommandInput; + output: GetLexiconCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/GetSpeechSynthesisTaskCommand.ts b/clients/client-polly/src/commands/GetSpeechSynthesisTaskCommand.ts index 93ab61359abc..14353d41ffb8 100644 --- a/clients/client-polly/src/commands/GetSpeechSynthesisTaskCommand.ts +++ b/clients/client-polly/src/commands/GetSpeechSynthesisTaskCommand.ts @@ -111,4 +111,16 @@ export class GetSpeechSynthesisTaskCommand extends $Command .f(void 0, void 0) .ser(se_GetSpeechSynthesisTaskCommand) .de(de_GetSpeechSynthesisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSpeechSynthesisTaskInput; + output: GetSpeechSynthesisTaskOutput; + }; + sdk: { + input: GetSpeechSynthesisTaskCommandInput; + output: GetSpeechSynthesisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/ListLexiconsCommand.ts b/clients/client-polly/src/commands/ListLexiconsCommand.ts index 2b421636c9eb..cf49853065d6 100644 --- a/clients/client-polly/src/commands/ListLexiconsCommand.ts +++ b/clients/client-polly/src/commands/ListLexiconsCommand.ts @@ -123,4 +123,16 @@ export class ListLexiconsCommand extends $Command .f(void 0, void 0) .ser(se_ListLexiconsCommand) .de(de_ListLexiconsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLexiconsInput; + output: ListLexiconsOutput; + }; + sdk: { + input: ListLexiconsCommandInput; + output: ListLexiconsCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/ListSpeechSynthesisTasksCommand.ts b/clients/client-polly/src/commands/ListSpeechSynthesisTasksCommand.ts index a95e2becd1d0..9cc0f8bf0837 100644 --- a/clients/client-polly/src/commands/ListSpeechSynthesisTasksCommand.ts +++ b/clients/client-polly/src/commands/ListSpeechSynthesisTasksCommand.ts @@ -111,4 +111,16 @@ export class ListSpeechSynthesisTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListSpeechSynthesisTasksCommand) .de(de_ListSpeechSynthesisTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSpeechSynthesisTasksInput; + output: ListSpeechSynthesisTasksOutput; + }; + sdk: { + input: ListSpeechSynthesisTasksCommandInput; + output: ListSpeechSynthesisTasksCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/PutLexiconCommand.ts b/clients/client-polly/src/commands/PutLexiconCommand.ts index 7c41bf7bcf8b..2a106d845e0f 100644 --- a/clients/client-polly/src/commands/PutLexiconCommand.ts +++ b/clients/client-polly/src/commands/PutLexiconCommand.ts @@ -120,4 +120,16 @@ export class PutLexiconCommand extends $Command .f(PutLexiconInputFilterSensitiveLog, void 0) .ser(se_PutLexiconCommand) .de(de_PutLexiconCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLexiconInput; + output: {}; + }; + sdk: { + input: PutLexiconCommandInput; + output: PutLexiconCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/StartSpeechSynthesisTaskCommand.ts b/clients/client-polly/src/commands/StartSpeechSynthesisTaskCommand.ts index 9aad28ba4a05..c43954b77745 100644 --- a/clients/client-polly/src/commands/StartSpeechSynthesisTaskCommand.ts +++ b/clients/client-polly/src/commands/StartSpeechSynthesisTaskCommand.ts @@ -177,4 +177,16 @@ export class StartSpeechSynthesisTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartSpeechSynthesisTaskCommand) .de(de_StartSpeechSynthesisTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSpeechSynthesisTaskInput; + output: StartSpeechSynthesisTaskOutput; + }; + sdk: { + input: StartSpeechSynthesisTaskCommandInput; + output: StartSpeechSynthesisTaskCommandOutput; + }; + }; +} diff --git a/clients/client-polly/src/commands/SynthesizeSpeechCommand.ts b/clients/client-polly/src/commands/SynthesizeSpeechCommand.ts index 6fa31fbc37d2..ea00fa7753c5 100644 --- a/clients/client-polly/src/commands/SynthesizeSpeechCommand.ts +++ b/clients/client-polly/src/commands/SynthesizeSpeechCommand.ts @@ -170,4 +170,16 @@ export class SynthesizeSpeechCommand extends $Command .f(void 0, SynthesizeSpeechOutputFilterSensitiveLog) .ser(se_SynthesizeSpeechCommand) .de(de_SynthesizeSpeechCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SynthesizeSpeechInput; + output: SynthesizeSpeechOutput; + }; + sdk: { + input: SynthesizeSpeechCommandInput; + output: SynthesizeSpeechCommandOutput; + }; + }; +} diff --git a/clients/client-pricing/package.json b/clients/client-pricing/package.json index 9099ba5091c5..b2fdfd6d96cb 100644 --- a/clients/client-pricing/package.json +++ b/clients/client-pricing/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-pricing/src/commands/DescribeServicesCommand.ts b/clients/client-pricing/src/commands/DescribeServicesCommand.ts index 967d2c962782..dc160e7c85f1 100644 --- a/clients/client-pricing/src/commands/DescribeServicesCommand.ts +++ b/clients/client-pricing/src/commands/DescribeServicesCommand.ts @@ -114,4 +114,16 @@ export class DescribeServicesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServicesCommand) .de(de_DescribeServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServicesRequest; + output: DescribeServicesResponse; + }; + sdk: { + input: DescribeServicesCommandInput; + output: DescribeServicesCommandOutput; + }; + }; +} diff --git a/clients/client-pricing/src/commands/GetAttributeValuesCommand.ts b/clients/client-pricing/src/commands/GetAttributeValuesCommand.ts index f9cef26651f8..79393d8f71f0 100644 --- a/clients/client-pricing/src/commands/GetAttributeValuesCommand.ts +++ b/clients/client-pricing/src/commands/GetAttributeValuesCommand.ts @@ -107,4 +107,16 @@ export class GetAttributeValuesCommand extends $Command .f(void 0, void 0) .ser(se_GetAttributeValuesCommand) .de(de_GetAttributeValuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAttributeValuesRequest; + output: GetAttributeValuesResponse; + }; + sdk: { + input: GetAttributeValuesCommandInput; + output: GetAttributeValuesCommandOutput; + }; + }; +} diff --git a/clients/client-pricing/src/commands/GetPriceListFileUrlCommand.ts b/clients/client-pricing/src/commands/GetPriceListFileUrlCommand.ts index 9efdcc4bdff3..fdda47ab035e 100644 --- a/clients/client-pricing/src/commands/GetPriceListFileUrlCommand.ts +++ b/clients/client-pricing/src/commands/GetPriceListFileUrlCommand.ts @@ -104,4 +104,16 @@ export class GetPriceListFileUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetPriceListFileUrlCommand) .de(de_GetPriceListFileUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPriceListFileUrlRequest; + output: GetPriceListFileUrlResponse; + }; + sdk: { + input: GetPriceListFileUrlCommandInput; + output: GetPriceListFileUrlCommandOutput; + }; + }; +} diff --git a/clients/client-pricing/src/commands/GetProductsCommand.ts b/clients/client-pricing/src/commands/GetProductsCommand.ts index 5ff3a2a864c8..ca91c531116e 100644 --- a/clients/client-pricing/src/commands/GetProductsCommand.ts +++ b/clients/client-pricing/src/commands/GetProductsCommand.ts @@ -110,4 +110,16 @@ export class GetProductsCommand extends $Command .f(void 0, void 0) .ser(se_GetProductsCommand) .de(de_GetProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProductsRequest; + output: GetProductsResponse; + }; + sdk: { + input: GetProductsCommandInput; + output: GetProductsCommandOutput; + }; + }; +} diff --git a/clients/client-pricing/src/commands/ListPriceListsCommand.ts b/clients/client-pricing/src/commands/ListPriceListsCommand.ts index 683b6c3013f0..433710a67c6b 100644 --- a/clients/client-pricing/src/commands/ListPriceListsCommand.ts +++ b/clients/client-pricing/src/commands/ListPriceListsCommand.ts @@ -128,4 +128,16 @@ export class ListPriceListsCommand extends $Command .f(void 0, void 0) .ser(se_ListPriceListsCommand) .de(de_ListPriceListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPriceListsRequest; + output: ListPriceListsResponse; + }; + sdk: { + input: ListPriceListsCommandInput; + output: ListPriceListsCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/package.json b/clients/client-privatenetworks/package.json index 35f0dcb9a4c4..ead91f63262e 100644 --- a/clients/client-privatenetworks/package.json +++ b/clients/client-privatenetworks/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-privatenetworks/src/commands/AcknowledgeOrderReceiptCommand.ts b/clients/client-privatenetworks/src/commands/AcknowledgeOrderReceiptCommand.ts index ddda5982e577..e0dfcd23f9a3 100644 --- a/clients/client-privatenetworks/src/commands/AcknowledgeOrderReceiptCommand.ts +++ b/clients/client-privatenetworks/src/commands/AcknowledgeOrderReceiptCommand.ts @@ -124,4 +124,16 @@ export class AcknowledgeOrderReceiptCommand extends $Command .f(void 0, AcknowledgeOrderReceiptResponseFilterSensitiveLog) .ser(se_AcknowledgeOrderReceiptCommand) .de(de_AcknowledgeOrderReceiptCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcknowledgeOrderReceiptRequest; + output: AcknowledgeOrderReceiptResponse; + }; + sdk: { + input: AcknowledgeOrderReceiptCommandInput; + output: AcknowledgeOrderReceiptCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ActivateDeviceIdentifierCommand.ts b/clients/client-privatenetworks/src/commands/ActivateDeviceIdentifierCommand.ts index f7fda3676c4a..51d5aee3e614 100644 --- a/clients/client-privatenetworks/src/commands/ActivateDeviceIdentifierCommand.ts +++ b/clients/client-privatenetworks/src/commands/ActivateDeviceIdentifierCommand.ts @@ -104,4 +104,16 @@ export class ActivateDeviceIdentifierCommand extends $Command .f(void 0, ActivateDeviceIdentifierResponseFilterSensitiveLog) .ser(se_ActivateDeviceIdentifierCommand) .de(de_ActivateDeviceIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateDeviceIdentifierRequest; + output: ActivateDeviceIdentifierResponse; + }; + sdk: { + input: ActivateDeviceIdentifierCommandInput; + output: ActivateDeviceIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ActivateNetworkSiteCommand.ts b/clients/client-privatenetworks/src/commands/ActivateNetworkSiteCommand.ts index 6ea8ba248318..4d1ea95c71a5 100644 --- a/clients/client-privatenetworks/src/commands/ActivateNetworkSiteCommand.ts +++ b/clients/client-privatenetworks/src/commands/ActivateNetworkSiteCommand.ts @@ -158,4 +158,16 @@ export class ActivateNetworkSiteCommand extends $Command .f(ActivateNetworkSiteRequestFilterSensitiveLog, void 0) .ser(se_ActivateNetworkSiteCommand) .de(de_ActivateNetworkSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateNetworkSiteRequest; + output: ActivateNetworkSiteResponse; + }; + sdk: { + input: ActivateNetworkSiteCommandInput; + output: ActivateNetworkSiteCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ConfigureAccessPointCommand.ts b/clients/client-privatenetworks/src/commands/ConfigureAccessPointCommand.ts index 12ef859ea005..d527e9865b0c 100644 --- a/clients/client-privatenetworks/src/commands/ConfigureAccessPointCommand.ts +++ b/clients/client-privatenetworks/src/commands/ConfigureAccessPointCommand.ts @@ -159,4 +159,16 @@ export class ConfigureAccessPointCommand extends $Command .f(ConfigureAccessPointRequestFilterSensitiveLog, ConfigureAccessPointResponseFilterSensitiveLog) .ser(se_ConfigureAccessPointCommand) .de(de_ConfigureAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfigureAccessPointRequest; + output: ConfigureAccessPointResponse; + }; + sdk: { + input: ConfigureAccessPointCommandInput; + output: ConfigureAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/CreateNetworkCommand.ts b/clients/client-privatenetworks/src/commands/CreateNetworkCommand.ts index af78b1ea82c1..b79627b67dbe 100644 --- a/clients/client-privatenetworks/src/commands/CreateNetworkCommand.ts +++ b/clients/client-privatenetworks/src/commands/CreateNetworkCommand.ts @@ -106,4 +106,16 @@ export class CreateNetworkCommand extends $Command .f(CreateNetworkRequestFilterSensitiveLog, CreateNetworkResponseFilterSensitiveLog) .ser(se_CreateNetworkCommand) .de(de_CreateNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkRequest; + output: CreateNetworkResponse; + }; + sdk: { + input: CreateNetworkCommandInput; + output: CreateNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/CreateNetworkSiteCommand.ts b/clients/client-privatenetworks/src/commands/CreateNetworkSiteCommand.ts index f5c9f7b9cae1..3d5686251cac 100644 --- a/clients/client-privatenetworks/src/commands/CreateNetworkSiteCommand.ts +++ b/clients/client-privatenetworks/src/commands/CreateNetworkSiteCommand.ts @@ -172,4 +172,16 @@ export class CreateNetworkSiteCommand extends $Command .f(CreateNetworkSiteRequestFilterSensitiveLog, CreateNetworkSiteResponseFilterSensitiveLog) .ser(se_CreateNetworkSiteCommand) .de(de_CreateNetworkSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkSiteRequest; + output: CreateNetworkSiteResponse; + }; + sdk: { + input: CreateNetworkSiteCommandInput; + output: CreateNetworkSiteCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/DeactivateDeviceIdentifierCommand.ts b/clients/client-privatenetworks/src/commands/DeactivateDeviceIdentifierCommand.ts index e5dc5dd270d8..cb809ee75d62 100644 --- a/clients/client-privatenetworks/src/commands/DeactivateDeviceIdentifierCommand.ts +++ b/clients/client-privatenetworks/src/commands/DeactivateDeviceIdentifierCommand.ts @@ -101,4 +101,16 @@ export class DeactivateDeviceIdentifierCommand extends $Command .f(void 0, DeactivateDeviceIdentifierResponseFilterSensitiveLog) .ser(se_DeactivateDeviceIdentifierCommand) .de(de_DeactivateDeviceIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateDeviceIdentifierRequest; + output: DeactivateDeviceIdentifierResponse; + }; + sdk: { + input: DeactivateDeviceIdentifierCommandInput; + output: DeactivateDeviceIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/DeleteNetworkCommand.ts b/clients/client-privatenetworks/src/commands/DeleteNetworkCommand.ts index 7334e7741a86..46cddab62256 100644 --- a/clients/client-privatenetworks/src/commands/DeleteNetworkCommand.ts +++ b/clients/client-privatenetworks/src/commands/DeleteNetworkCommand.ts @@ -99,4 +99,16 @@ export class DeleteNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkCommand) .de(de_DeleteNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkRequest; + output: DeleteNetworkResponse; + }; + sdk: { + input: DeleteNetworkCommandInput; + output: DeleteNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/DeleteNetworkSiteCommand.ts b/clients/client-privatenetworks/src/commands/DeleteNetworkSiteCommand.ts index a0672d0917f4..8e37fb3bbe3d 100644 --- a/clients/client-privatenetworks/src/commands/DeleteNetworkSiteCommand.ts +++ b/clients/client-privatenetworks/src/commands/DeleteNetworkSiteCommand.ts @@ -143,4 +143,16 @@ export class DeleteNetworkSiteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkSiteCommand) .de(de_DeleteNetworkSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkSiteRequest; + output: DeleteNetworkSiteResponse; + }; + sdk: { + input: DeleteNetworkSiteCommandInput; + output: DeleteNetworkSiteCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/GetDeviceIdentifierCommand.ts b/clients/client-privatenetworks/src/commands/GetDeviceIdentifierCommand.ts index 28e2e7143f6a..7520cc7568e7 100644 --- a/clients/client-privatenetworks/src/commands/GetDeviceIdentifierCommand.ts +++ b/clients/client-privatenetworks/src/commands/GetDeviceIdentifierCommand.ts @@ -103,4 +103,16 @@ export class GetDeviceIdentifierCommand extends $Command .f(void 0, GetDeviceIdentifierResponseFilterSensitiveLog) .ser(se_GetDeviceIdentifierCommand) .de(de_GetDeviceIdentifierCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceIdentifierRequest; + output: GetDeviceIdentifierResponse; + }; + sdk: { + input: GetDeviceIdentifierCommandInput; + output: GetDeviceIdentifierCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/GetNetworkCommand.ts b/clients/client-privatenetworks/src/commands/GetNetworkCommand.ts index af71fe1dbb18..47f15fe5fc97 100644 --- a/clients/client-privatenetworks/src/commands/GetNetworkCommand.ts +++ b/clients/client-privatenetworks/src/commands/GetNetworkCommand.ts @@ -96,4 +96,16 @@ export class GetNetworkCommand extends $Command .f(void 0, GetNetworkResponseFilterSensitiveLog) .ser(se_GetNetworkCommand) .de(de_GetNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkRequest; + output: GetNetworkResponse; + }; + sdk: { + input: GetNetworkCommandInput; + output: GetNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/GetNetworkResourceCommand.ts b/clients/client-privatenetworks/src/commands/GetNetworkResourceCommand.ts index 063839305c8d..cf762008a23f 100644 --- a/clients/client-privatenetworks/src/commands/GetNetworkResourceCommand.ts +++ b/clients/client-privatenetworks/src/commands/GetNetworkResourceCommand.ts @@ -146,4 +146,16 @@ export class GetNetworkResourceCommand extends $Command .f(void 0, GetNetworkResourceResponseFilterSensitiveLog) .ser(se_GetNetworkResourceCommand) .de(de_GetNetworkResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkResourceRequest; + output: GetNetworkResourceResponse; + }; + sdk: { + input: GetNetworkResourceCommandInput; + output: GetNetworkResourceCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/GetNetworkSiteCommand.ts b/clients/client-privatenetworks/src/commands/GetNetworkSiteCommand.ts index 5dee7e44278c..11824ffe303f 100644 --- a/clients/client-privatenetworks/src/commands/GetNetworkSiteCommand.ts +++ b/clients/client-privatenetworks/src/commands/GetNetworkSiteCommand.ts @@ -143,4 +143,16 @@ export class GetNetworkSiteCommand extends $Command .f(void 0, GetNetworkSiteResponseFilterSensitiveLog) .ser(se_GetNetworkSiteCommand) .de(de_GetNetworkSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkSiteRequest; + output: GetNetworkSiteResponse; + }; + sdk: { + input: GetNetworkSiteCommandInput; + output: GetNetworkSiteCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/GetOrderCommand.ts b/clients/client-privatenetworks/src/commands/GetOrderCommand.ts index 943af56f4fd2..4cec55d3d28d 100644 --- a/clients/client-privatenetworks/src/commands/GetOrderCommand.ts +++ b/clients/client-privatenetworks/src/commands/GetOrderCommand.ts @@ -123,4 +123,16 @@ export class GetOrderCommand extends $Command .f(void 0, GetOrderResponseFilterSensitiveLog) .ser(se_GetOrderCommand) .de(de_GetOrderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOrderRequest; + output: GetOrderResponse; + }; + sdk: { + input: GetOrderCommandInput; + output: GetOrderCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ListDeviceIdentifiersCommand.ts b/clients/client-privatenetworks/src/commands/ListDeviceIdentifiersCommand.ts index 10453c3b1014..e8af315e39b7 100644 --- a/clients/client-privatenetworks/src/commands/ListDeviceIdentifiersCommand.ts +++ b/clients/client-privatenetworks/src/commands/ListDeviceIdentifiersCommand.ts @@ -114,4 +114,16 @@ export class ListDeviceIdentifiersCommand extends $Command .f(void 0, ListDeviceIdentifiersResponseFilterSensitiveLog) .ser(se_ListDeviceIdentifiersCommand) .de(de_ListDeviceIdentifiersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceIdentifiersRequest; + output: ListDeviceIdentifiersResponse; + }; + sdk: { + input: ListDeviceIdentifiersCommandInput; + output: ListDeviceIdentifiersCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ListNetworkResourcesCommand.ts b/clients/client-privatenetworks/src/commands/ListNetworkResourcesCommand.ts index c7214fd364cc..c68163edc14f 100644 --- a/clients/client-privatenetworks/src/commands/ListNetworkResourcesCommand.ts +++ b/clients/client-privatenetworks/src/commands/ListNetworkResourcesCommand.ts @@ -157,4 +157,16 @@ export class ListNetworkResourcesCommand extends $Command .f(void 0, ListNetworkResourcesResponseFilterSensitiveLog) .ser(se_ListNetworkResourcesCommand) .de(de_ListNetworkResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworkResourcesRequest; + output: ListNetworkResourcesResponse; + }; + sdk: { + input: ListNetworkResourcesCommandInput; + output: ListNetworkResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ListNetworkSitesCommand.ts b/clients/client-privatenetworks/src/commands/ListNetworkSitesCommand.ts index 217077215c89..5ac2808b7666 100644 --- a/clients/client-privatenetworks/src/commands/ListNetworkSitesCommand.ts +++ b/clients/client-privatenetworks/src/commands/ListNetworkSitesCommand.ts @@ -147,4 +147,16 @@ export class ListNetworkSitesCommand extends $Command .f(void 0, void 0) .ser(se_ListNetworkSitesCommand) .de(de_ListNetworkSitesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworkSitesRequest; + output: ListNetworkSitesResponse; + }; + sdk: { + input: ListNetworkSitesCommandInput; + output: ListNetworkSitesCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ListNetworksCommand.ts b/clients/client-privatenetworks/src/commands/ListNetworksCommand.ts index 42196f075688..d5e3ba7d10e3 100644 --- a/clients/client-privatenetworks/src/commands/ListNetworksCommand.ts +++ b/clients/client-privatenetworks/src/commands/ListNetworksCommand.ts @@ -103,4 +103,16 @@ export class ListNetworksCommand extends $Command .f(void 0, void 0) .ser(se_ListNetworksCommand) .de(de_ListNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworksRequest; + output: ListNetworksResponse; + }; + sdk: { + input: ListNetworksCommandInput; + output: ListNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ListOrdersCommand.ts b/clients/client-privatenetworks/src/commands/ListOrdersCommand.ts index 25a16ee1e046..ecebe417a5d8 100644 --- a/clients/client-privatenetworks/src/commands/ListOrdersCommand.ts +++ b/clients/client-privatenetworks/src/commands/ListOrdersCommand.ts @@ -134,4 +134,16 @@ export class ListOrdersCommand extends $Command .f(void 0, ListOrdersResponseFilterSensitiveLog) .ser(se_ListOrdersCommand) .de(de_ListOrdersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrdersRequest; + output: ListOrdersResponse; + }; + sdk: { + input: ListOrdersCommandInput; + output: ListOrdersCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/ListTagsForResourceCommand.ts b/clients/client-privatenetworks/src/commands/ListTagsForResourceCommand.ts index 196fc80582ec..f5b64542bc64 100644 --- a/clients/client-privatenetworks/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-privatenetworks/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/PingCommand.ts b/clients/client-privatenetworks/src/commands/PingCommand.ts index e976763762f6..8b16617d5f9e 100644 --- a/clients/client-privatenetworks/src/commands/PingCommand.ts +++ b/clients/client-privatenetworks/src/commands/PingCommand.ts @@ -78,4 +78,16 @@ export class PingCommand extends $Command .f(void 0, void 0) .ser(se_PingCommand) .de(de_PingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: PingResponse; + }; + sdk: { + input: PingCommandInput; + output: PingCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/StartNetworkResourceUpdateCommand.ts b/clients/client-privatenetworks/src/commands/StartNetworkResourceUpdateCommand.ts index eda4965d7f99..dc7b45ccaf11 100644 --- a/clients/client-privatenetworks/src/commands/StartNetworkResourceUpdateCommand.ts +++ b/clients/client-privatenetworks/src/commands/StartNetworkResourceUpdateCommand.ts @@ -180,4 +180,16 @@ export class StartNetworkResourceUpdateCommand extends $Command .f(StartNetworkResourceUpdateRequestFilterSensitiveLog, StartNetworkResourceUpdateResponseFilterSensitiveLog) .ser(se_StartNetworkResourceUpdateCommand) .de(de_StartNetworkResourceUpdateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartNetworkResourceUpdateRequest; + output: StartNetworkResourceUpdateResponse; + }; + sdk: { + input: StartNetworkResourceUpdateCommandInput; + output: StartNetworkResourceUpdateCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/TagResourceCommand.ts b/clients/client-privatenetworks/src/commands/TagResourceCommand.ts index d9b7da456e46..e204a181066e 100644 --- a/clients/client-privatenetworks/src/commands/TagResourceCommand.ts +++ b/clients/client-privatenetworks/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/UntagResourceCommand.ts b/clients/client-privatenetworks/src/commands/UntagResourceCommand.ts index 7297f21e79f1..639a935c7c1e 100644 --- a/clients/client-privatenetworks/src/commands/UntagResourceCommand.ts +++ b/clients/client-privatenetworks/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/UpdateNetworkSiteCommand.ts b/clients/client-privatenetworks/src/commands/UpdateNetworkSiteCommand.ts index a35217252497..eababff2be19 100644 --- a/clients/client-privatenetworks/src/commands/UpdateNetworkSiteCommand.ts +++ b/clients/client-privatenetworks/src/commands/UpdateNetworkSiteCommand.ts @@ -145,4 +145,16 @@ export class UpdateNetworkSiteCommand extends $Command .f(void 0, UpdateNetworkSiteResponseFilterSensitiveLog) .ser(se_UpdateNetworkSiteCommand) .de(de_UpdateNetworkSiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNetworkSiteRequest; + output: UpdateNetworkSiteResponse; + }; + sdk: { + input: UpdateNetworkSiteCommandInput; + output: UpdateNetworkSiteCommandOutput; + }; + }; +} diff --git a/clients/client-privatenetworks/src/commands/UpdateNetworkSitePlanCommand.ts b/clients/client-privatenetworks/src/commands/UpdateNetworkSitePlanCommand.ts index a8889cd0e0a6..5001951ce68f 100644 --- a/clients/client-privatenetworks/src/commands/UpdateNetworkSitePlanCommand.ts +++ b/clients/client-privatenetworks/src/commands/UpdateNetworkSitePlanCommand.ts @@ -164,4 +164,16 @@ export class UpdateNetworkSitePlanCommand extends $Command .f(void 0, UpdateNetworkSiteResponseFilterSensitiveLog) .ser(se_UpdateNetworkSitePlanCommand) .de(de_UpdateNetworkSitePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNetworkSitePlanRequest; + output: UpdateNetworkSiteResponse; + }; + sdk: { + input: UpdateNetworkSitePlanCommandInput; + output: UpdateNetworkSitePlanCommandOutput; + }; + }; +} diff --git a/clients/client-proton/package.json b/clients/client-proton/package.json index f5e09ce8854f..7e4312731fee 100644 --- a/clients/client-proton/package.json +++ b/clients/client-proton/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-proton/src/commands/AcceptEnvironmentAccountConnectionCommand.ts b/clients/client-proton/src/commands/AcceptEnvironmentAccountConnectionCommand.ts index bb13b96a420a..d76ebb9883a0 100644 --- a/clients/client-proton/src/commands/AcceptEnvironmentAccountConnectionCommand.ts +++ b/clients/client-proton/src/commands/AcceptEnvironmentAccountConnectionCommand.ts @@ -115,4 +115,16 @@ export class AcceptEnvironmentAccountConnectionCommand extends $Command .f(void 0, void 0) .ser(se_AcceptEnvironmentAccountConnectionCommand) .de(de_AcceptEnvironmentAccountConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptEnvironmentAccountConnectionInput; + output: AcceptEnvironmentAccountConnectionOutput; + }; + sdk: { + input: AcceptEnvironmentAccountConnectionCommandInput; + output: AcceptEnvironmentAccountConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CancelComponentDeploymentCommand.ts b/clients/client-proton/src/commands/CancelComponentDeploymentCommand.ts index 69c996dfa337..14d1dea49cf4 100644 --- a/clients/client-proton/src/commands/CancelComponentDeploymentCommand.ts +++ b/clients/client-proton/src/commands/CancelComponentDeploymentCommand.ts @@ -119,4 +119,16 @@ export class CancelComponentDeploymentCommand extends $Command .f(void 0, CancelComponentDeploymentOutputFilterSensitiveLog) .ser(se_CancelComponentDeploymentCommand) .de(de_CancelComponentDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelComponentDeploymentInput; + output: CancelComponentDeploymentOutput; + }; + sdk: { + input: CancelComponentDeploymentCommandInput; + output: CancelComponentDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CancelEnvironmentDeploymentCommand.ts b/clients/client-proton/src/commands/CancelEnvironmentDeploymentCommand.ts index ded4d6a4d5ce..7d1cbb9b5430 100644 --- a/clients/client-proton/src/commands/CancelEnvironmentDeploymentCommand.ts +++ b/clients/client-proton/src/commands/CancelEnvironmentDeploymentCommand.ts @@ -141,4 +141,16 @@ export class CancelEnvironmentDeploymentCommand extends $Command .f(void 0, CancelEnvironmentDeploymentOutputFilterSensitiveLog) .ser(se_CancelEnvironmentDeploymentCommand) .de(de_CancelEnvironmentDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelEnvironmentDeploymentInput; + output: CancelEnvironmentDeploymentOutput; + }; + sdk: { + input: CancelEnvironmentDeploymentCommandInput; + output: CancelEnvironmentDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CancelServiceInstanceDeploymentCommand.ts b/clients/client-proton/src/commands/CancelServiceInstanceDeploymentCommand.ts index 143baa6285fb..37d4650d36b3 100644 --- a/clients/client-proton/src/commands/CancelServiceInstanceDeploymentCommand.ts +++ b/clients/client-proton/src/commands/CancelServiceInstanceDeploymentCommand.ts @@ -140,4 +140,16 @@ export class CancelServiceInstanceDeploymentCommand extends $Command .f(void 0, CancelServiceInstanceDeploymentOutputFilterSensitiveLog) .ser(se_CancelServiceInstanceDeploymentCommand) .de(de_CancelServiceInstanceDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelServiceInstanceDeploymentInput; + output: CancelServiceInstanceDeploymentOutput; + }; + sdk: { + input: CancelServiceInstanceDeploymentCommandInput; + output: CancelServiceInstanceDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CancelServicePipelineDeploymentCommand.ts b/clients/client-proton/src/commands/CancelServicePipelineDeploymentCommand.ts index 033492e44fdc..37b4f11f3c6a 100644 --- a/clients/client-proton/src/commands/CancelServicePipelineDeploymentCommand.ts +++ b/clients/client-proton/src/commands/CancelServicePipelineDeploymentCommand.ts @@ -135,4 +135,16 @@ export class CancelServicePipelineDeploymentCommand extends $Command .f(void 0, CancelServicePipelineDeploymentOutputFilterSensitiveLog) .ser(se_CancelServicePipelineDeploymentCommand) .de(de_CancelServicePipelineDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelServicePipelineDeploymentInput; + output: CancelServicePipelineDeploymentOutput; + }; + sdk: { + input: CancelServicePipelineDeploymentCommandInput; + output: CancelServicePipelineDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateComponentCommand.ts b/clients/client-proton/src/commands/CreateComponentCommand.ts index f0bcb8fe0db5..716cf0cd9cec 100644 --- a/clients/client-proton/src/commands/CreateComponentCommand.ts +++ b/clients/client-proton/src/commands/CreateComponentCommand.ts @@ -138,4 +138,16 @@ export class CreateComponentCommand extends $Command .f(CreateComponentInputFilterSensitiveLog, CreateComponentOutputFilterSensitiveLog) .ser(se_CreateComponentCommand) .de(de_CreateComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateComponentInput; + output: CreateComponentOutput; + }; + sdk: { + input: CreateComponentCommandInput; + output: CreateComponentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateEnvironmentAccountConnectionCommand.ts b/clients/client-proton/src/commands/CreateEnvironmentAccountConnectionCommand.ts index 517d58b926a8..65fcb4a69514 100644 --- a/clients/client-proton/src/commands/CreateEnvironmentAccountConnectionCommand.ts +++ b/clients/client-proton/src/commands/CreateEnvironmentAccountConnectionCommand.ts @@ -128,4 +128,16 @@ export class CreateEnvironmentAccountConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEnvironmentAccountConnectionCommand) .de(de_CreateEnvironmentAccountConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentAccountConnectionInput; + output: CreateEnvironmentAccountConnectionOutput; + }; + sdk: { + input: CreateEnvironmentAccountConnectionCommandInput; + output: CreateEnvironmentAccountConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateEnvironmentCommand.ts b/clients/client-proton/src/commands/CreateEnvironmentCommand.ts index 4fba2861ca5e..f15dedb676e9 100644 --- a/clients/client-proton/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-proton/src/commands/CreateEnvironmentCommand.ts @@ -166,4 +166,16 @@ export class CreateEnvironmentCommand extends $Command .f(CreateEnvironmentInputFilterSensitiveLog, CreateEnvironmentOutputFilterSensitiveLog) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentInput; + output: CreateEnvironmentOutput; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateEnvironmentTemplateCommand.ts b/clients/client-proton/src/commands/CreateEnvironmentTemplateCommand.ts index bea037d21355..dd5e06bb8b65 100644 --- a/clients/client-proton/src/commands/CreateEnvironmentTemplateCommand.ts +++ b/clients/client-proton/src/commands/CreateEnvironmentTemplateCommand.ts @@ -135,4 +135,16 @@ export class CreateEnvironmentTemplateCommand extends $Command .f(CreateEnvironmentTemplateInputFilterSensitiveLog, CreateEnvironmentTemplateOutputFilterSensitiveLog) .ser(se_CreateEnvironmentTemplateCommand) .de(de_CreateEnvironmentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentTemplateInput; + output: CreateEnvironmentTemplateOutput; + }; + sdk: { + input: CreateEnvironmentTemplateCommandInput; + output: CreateEnvironmentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateEnvironmentTemplateVersionCommand.ts b/clients/client-proton/src/commands/CreateEnvironmentTemplateVersionCommand.ts index 26123ea92159..7d2335a0bb07 100644 --- a/clients/client-proton/src/commands/CreateEnvironmentTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/CreateEnvironmentTemplateVersionCommand.ts @@ -138,4 +138,16 @@ export class CreateEnvironmentTemplateVersionCommand extends $Command .f(CreateEnvironmentTemplateVersionInputFilterSensitiveLog, CreateEnvironmentTemplateVersionOutputFilterSensitiveLog) .ser(se_CreateEnvironmentTemplateVersionCommand) .de(de_CreateEnvironmentTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentTemplateVersionInput; + output: CreateEnvironmentTemplateVersionOutput; + }; + sdk: { + input: CreateEnvironmentTemplateVersionCommandInput; + output: CreateEnvironmentTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateRepositoryCommand.ts b/clients/client-proton/src/commands/CreateRepositoryCommand.ts index b3a60874a941..46f42eb25a19 100644 --- a/clients/client-proton/src/commands/CreateRepositoryCommand.ts +++ b/clients/client-proton/src/commands/CreateRepositoryCommand.ts @@ -116,4 +116,16 @@ export class CreateRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateRepositoryCommand) .de(de_CreateRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRepositoryInput; + output: CreateRepositoryOutput; + }; + sdk: { + input: CreateRepositoryCommandInput; + output: CreateRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateServiceCommand.ts b/clients/client-proton/src/commands/CreateServiceCommand.ts index 5a18fd8a689f..9b03a12aea68 100644 --- a/clients/client-proton/src/commands/CreateServiceCommand.ts +++ b/clients/client-proton/src/commands/CreateServiceCommand.ts @@ -148,4 +148,16 @@ export class CreateServiceCommand extends $Command .f(CreateServiceInputFilterSensitiveLog, CreateServiceOutputFilterSensitiveLog) .ser(se_CreateServiceCommand) .de(de_CreateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceInput; + output: CreateServiceOutput; + }; + sdk: { + input: CreateServiceCommandInput; + output: CreateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateServiceInstanceCommand.ts b/clients/client-proton/src/commands/CreateServiceInstanceCommand.ts index c80c11ef4f27..f09c684f8568 100644 --- a/clients/client-proton/src/commands/CreateServiceInstanceCommand.ts +++ b/clients/client-proton/src/commands/CreateServiceInstanceCommand.ts @@ -128,4 +128,16 @@ export class CreateServiceInstanceCommand extends $Command .f(CreateServiceInstanceInputFilterSensitiveLog, CreateServiceInstanceOutputFilterSensitiveLog) .ser(se_CreateServiceInstanceCommand) .de(de_CreateServiceInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceInstanceInput; + output: CreateServiceInstanceOutput; + }; + sdk: { + input: CreateServiceInstanceCommandInput; + output: CreateServiceInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateServiceSyncConfigCommand.ts b/clients/client-proton/src/commands/CreateServiceSyncConfigCommand.ts index aa2a4c0e6139..324ae79bc2c9 100644 --- a/clients/client-proton/src/commands/CreateServiceSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/CreateServiceSyncConfigCommand.ts @@ -106,4 +106,16 @@ export class CreateServiceSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceSyncConfigCommand) .de(de_CreateServiceSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceSyncConfigInput; + output: CreateServiceSyncConfigOutput; + }; + sdk: { + input: CreateServiceSyncConfigCommandInput; + output: CreateServiceSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateServiceTemplateCommand.ts b/clients/client-proton/src/commands/CreateServiceTemplateCommand.ts index 1636d0fb39a5..9b6df0b8f05e 100644 --- a/clients/client-proton/src/commands/CreateServiceTemplateCommand.ts +++ b/clients/client-proton/src/commands/CreateServiceTemplateCommand.ts @@ -126,4 +126,16 @@ export class CreateServiceTemplateCommand extends $Command .f(CreateServiceTemplateInputFilterSensitiveLog, CreateServiceTemplateOutputFilterSensitiveLog) .ser(se_CreateServiceTemplateCommand) .de(de_CreateServiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceTemplateInput; + output: CreateServiceTemplateOutput; + }; + sdk: { + input: CreateServiceTemplateCommandInput; + output: CreateServiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateServiceTemplateVersionCommand.ts b/clients/client-proton/src/commands/CreateServiceTemplateVersionCommand.ts index 1b8d39fdc424..8fd5f8bd1b52 100644 --- a/clients/client-proton/src/commands/CreateServiceTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/CreateServiceTemplateVersionCommand.ts @@ -156,4 +156,16 @@ export class CreateServiceTemplateVersionCommand extends $Command .f(CreateServiceTemplateVersionInputFilterSensitiveLog, CreateServiceTemplateVersionOutputFilterSensitiveLog) .ser(se_CreateServiceTemplateVersionCommand) .de(de_CreateServiceTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceTemplateVersionInput; + output: CreateServiceTemplateVersionOutput; + }; + sdk: { + input: CreateServiceTemplateVersionCommandInput; + output: CreateServiceTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/CreateTemplateSyncConfigCommand.ts b/clients/client-proton/src/commands/CreateTemplateSyncConfigCommand.ts index f42e5410272c..a6c8bba8dd02 100644 --- a/clients/client-proton/src/commands/CreateTemplateSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/CreateTemplateSyncConfigCommand.ts @@ -112,4 +112,16 @@ export class CreateTemplateSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateSyncConfigCommand) .de(de_CreateTemplateSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateSyncConfigInput; + output: CreateTemplateSyncConfigOutput; + }; + sdk: { + input: CreateTemplateSyncConfigCommandInput; + output: CreateTemplateSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteComponentCommand.ts b/clients/client-proton/src/commands/DeleteComponentCommand.ts index 761fdf2039b4..fcefe465ec52 100644 --- a/clients/client-proton/src/commands/DeleteComponentCommand.ts +++ b/clients/client-proton/src/commands/DeleteComponentCommand.ts @@ -119,4 +119,16 @@ export class DeleteComponentCommand extends $Command .f(void 0, DeleteComponentOutputFilterSensitiveLog) .ser(se_DeleteComponentCommand) .de(de_DeleteComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteComponentInput; + output: DeleteComponentOutput; + }; + sdk: { + input: DeleteComponentCommandInput; + output: DeleteComponentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteDeploymentCommand.ts b/clients/client-proton/src/commands/DeleteDeploymentCommand.ts index c8f67c56c3b5..82061197a1b5 100644 --- a/clients/client-proton/src/commands/DeleteDeploymentCommand.ts +++ b/clients/client-proton/src/commands/DeleteDeploymentCommand.ts @@ -175,4 +175,16 @@ export class DeleteDeploymentCommand extends $Command .f(void 0, DeleteDeploymentOutputFilterSensitiveLog) .ser(se_DeleteDeploymentCommand) .de(de_DeleteDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeploymentInput; + output: DeleteDeploymentOutput; + }; + sdk: { + input: DeleteDeploymentCommandInput; + output: DeleteDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteEnvironmentAccountConnectionCommand.ts b/clients/client-proton/src/commands/DeleteEnvironmentAccountConnectionCommand.ts index 10c025a694cd..e9a008378a9c 100644 --- a/clients/client-proton/src/commands/DeleteEnvironmentAccountConnectionCommand.ts +++ b/clients/client-proton/src/commands/DeleteEnvironmentAccountConnectionCommand.ts @@ -117,4 +117,16 @@ export class DeleteEnvironmentAccountConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentAccountConnectionCommand) .de(de_DeleteEnvironmentAccountConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentAccountConnectionInput; + output: DeleteEnvironmentAccountConnectionOutput; + }; + sdk: { + input: DeleteEnvironmentAccountConnectionCommandInput; + output: DeleteEnvironmentAccountConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteEnvironmentCommand.ts b/clients/client-proton/src/commands/DeleteEnvironmentCommand.ts index afb1d0a64ae7..ea84030f6252 100644 --- a/clients/client-proton/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-proton/src/commands/DeleteEnvironmentCommand.ts @@ -126,4 +126,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, DeleteEnvironmentOutputFilterSensitiveLog) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentInput; + output: DeleteEnvironmentOutput; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteEnvironmentTemplateCommand.ts b/clients/client-proton/src/commands/DeleteEnvironmentTemplateCommand.ts index 0ab57ae37f73..dfff0f0ceece 100644 --- a/clients/client-proton/src/commands/DeleteEnvironmentTemplateCommand.ts +++ b/clients/client-proton/src/commands/DeleteEnvironmentTemplateCommand.ts @@ -109,4 +109,16 @@ export class DeleteEnvironmentTemplateCommand extends $Command .f(void 0, DeleteEnvironmentTemplateOutputFilterSensitiveLog) .ser(se_DeleteEnvironmentTemplateCommand) .de(de_DeleteEnvironmentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentTemplateInput; + output: DeleteEnvironmentTemplateOutput; + }; + sdk: { + input: DeleteEnvironmentTemplateCommandInput; + output: DeleteEnvironmentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteEnvironmentTemplateVersionCommand.ts b/clients/client-proton/src/commands/DeleteEnvironmentTemplateVersionCommand.ts index 11e264ad0718..02016e7b8a59 100644 --- a/clients/client-proton/src/commands/DeleteEnvironmentTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/DeleteEnvironmentTemplateVersionCommand.ts @@ -123,4 +123,16 @@ export class DeleteEnvironmentTemplateVersionCommand extends $Command .f(void 0, DeleteEnvironmentTemplateVersionOutputFilterSensitiveLog) .ser(se_DeleteEnvironmentTemplateVersionCommand) .de(de_DeleteEnvironmentTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentTemplateVersionInput; + output: DeleteEnvironmentTemplateVersionOutput; + }; + sdk: { + input: DeleteEnvironmentTemplateVersionCommandInput; + output: DeleteEnvironmentTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteRepositoryCommand.ts b/clients/client-proton/src/commands/DeleteRepositoryCommand.ts index 146f51089eeb..65e37373c7c3 100644 --- a/clients/client-proton/src/commands/DeleteRepositoryCommand.ts +++ b/clients/client-proton/src/commands/DeleteRepositoryCommand.ts @@ -102,4 +102,16 @@ export class DeleteRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRepositoryCommand) .de(de_DeleteRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRepositoryInput; + output: DeleteRepositoryOutput; + }; + sdk: { + input: DeleteRepositoryCommandInput; + output: DeleteRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteServiceCommand.ts b/clients/client-proton/src/commands/DeleteServiceCommand.ts index 93aae129b006..509e984115db 100644 --- a/clients/client-proton/src/commands/DeleteServiceCommand.ts +++ b/clients/client-proton/src/commands/DeleteServiceCommand.ts @@ -129,4 +129,16 @@ export class DeleteServiceCommand extends $Command .f(void 0, DeleteServiceOutputFilterSensitiveLog) .ser(se_DeleteServiceCommand) .de(de_DeleteServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceInput; + output: DeleteServiceOutput; + }; + sdk: { + input: DeleteServiceCommandInput; + output: DeleteServiceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteServiceSyncConfigCommand.ts b/clients/client-proton/src/commands/DeleteServiceSyncConfigCommand.ts index 055c1ad175ad..a3b7ab278bc6 100644 --- a/clients/client-proton/src/commands/DeleteServiceSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/DeleteServiceSyncConfigCommand.ts @@ -101,4 +101,16 @@ export class DeleteServiceSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceSyncConfigCommand) .de(de_DeleteServiceSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceSyncConfigInput; + output: DeleteServiceSyncConfigOutput; + }; + sdk: { + input: DeleteServiceSyncConfigCommandInput; + output: DeleteServiceSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteServiceTemplateCommand.ts b/clients/client-proton/src/commands/DeleteServiceTemplateCommand.ts index efd40c6ffd07..6dc8f5b340e7 100644 --- a/clients/client-proton/src/commands/DeleteServiceTemplateCommand.ts +++ b/clients/client-proton/src/commands/DeleteServiceTemplateCommand.ts @@ -110,4 +110,16 @@ export class DeleteServiceTemplateCommand extends $Command .f(void 0, DeleteServiceTemplateOutputFilterSensitiveLog) .ser(se_DeleteServiceTemplateCommand) .de(de_DeleteServiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceTemplateInput; + output: DeleteServiceTemplateOutput; + }; + sdk: { + input: DeleteServiceTemplateCommandInput; + output: DeleteServiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteServiceTemplateVersionCommand.ts b/clients/client-proton/src/commands/DeleteServiceTemplateVersionCommand.ts index 0fbc8a6a2bcd..c715d869e459 100644 --- a/clients/client-proton/src/commands/DeleteServiceTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/DeleteServiceTemplateVersionCommand.ts @@ -135,4 +135,16 @@ export class DeleteServiceTemplateVersionCommand extends $Command .f(void 0, DeleteServiceTemplateVersionOutputFilterSensitiveLog) .ser(se_DeleteServiceTemplateVersionCommand) .de(de_DeleteServiceTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceTemplateVersionInput; + output: DeleteServiceTemplateVersionOutput; + }; + sdk: { + input: DeleteServiceTemplateVersionCommandInput; + output: DeleteServiceTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/DeleteTemplateSyncConfigCommand.ts b/clients/client-proton/src/commands/DeleteTemplateSyncConfigCommand.ts index e5da8e40b823..bf7078527c3d 100644 --- a/clients/client-proton/src/commands/DeleteTemplateSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/DeleteTemplateSyncConfigCommand.ts @@ -103,4 +103,16 @@ export class DeleteTemplateSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateSyncConfigCommand) .de(de_DeleteTemplateSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateSyncConfigInput; + output: DeleteTemplateSyncConfigOutput; + }; + sdk: { + input: DeleteTemplateSyncConfigCommandInput; + output: DeleteTemplateSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetAccountSettingsCommand.ts b/clients/client-proton/src/commands/GetAccountSettingsCommand.ts index e9fb3b8c4adb..1376d6352922 100644 --- a/clients/client-proton/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-proton/src/commands/GetAccountSettingsCommand.ts @@ -99,4 +99,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSettingsOutput; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetComponentCommand.ts b/clients/client-proton/src/commands/GetComponentCommand.ts index c8be40948046..d8c86ecdff4f 100644 --- a/clients/client-proton/src/commands/GetComponentCommand.ts +++ b/clients/client-proton/src/commands/GetComponentCommand.ts @@ -112,4 +112,16 @@ export class GetComponentCommand extends $Command .f(void 0, GetComponentOutputFilterSensitiveLog) .ser(se_GetComponentCommand) .de(de_GetComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentInput; + output: GetComponentOutput; + }; + sdk: { + input: GetComponentCommandInput; + output: GetComponentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetDeploymentCommand.ts b/clients/client-proton/src/commands/GetDeploymentCommand.ts index 3443a3efa60e..b34311e091b9 100644 --- a/clients/client-proton/src/commands/GetDeploymentCommand.ts +++ b/clients/client-proton/src/commands/GetDeploymentCommand.ts @@ -175,4 +175,16 @@ export class GetDeploymentCommand extends $Command .f(void 0, GetDeploymentOutputFilterSensitiveLog) .ser(se_GetDeploymentCommand) .de(de_GetDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentInput; + output: GetDeploymentOutput; + }; + sdk: { + input: GetDeploymentCommandInput; + output: GetDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetEnvironmentAccountConnectionCommand.ts b/clients/client-proton/src/commands/GetEnvironmentAccountConnectionCommand.ts index c35f6eaf860d..a2df63e1a502 100644 --- a/clients/client-proton/src/commands/GetEnvironmentAccountConnectionCommand.ts +++ b/clients/client-proton/src/commands/GetEnvironmentAccountConnectionCommand.ts @@ -111,4 +111,16 @@ export class GetEnvironmentAccountConnectionCommand extends $Command .f(void 0, void 0) .ser(se_GetEnvironmentAccountConnectionCommand) .de(de_GetEnvironmentAccountConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentAccountConnectionInput; + output: GetEnvironmentAccountConnectionOutput; + }; + sdk: { + input: GetEnvironmentAccountConnectionCommandInput; + output: GetEnvironmentAccountConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetEnvironmentCommand.ts b/clients/client-proton/src/commands/GetEnvironmentCommand.ts index 29a0d0e5d5e4..a01c9461fb78 100644 --- a/clients/client-proton/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-proton/src/commands/GetEnvironmentCommand.ts @@ -119,4 +119,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, GetEnvironmentOutputFilterSensitiveLog) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentInput; + output: GetEnvironmentOutput; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetEnvironmentTemplateCommand.ts b/clients/client-proton/src/commands/GetEnvironmentTemplateCommand.ts index cbefa5bc2fa5..15664d7015d7 100644 --- a/clients/client-proton/src/commands/GetEnvironmentTemplateCommand.ts +++ b/clients/client-proton/src/commands/GetEnvironmentTemplateCommand.ts @@ -106,4 +106,16 @@ export class GetEnvironmentTemplateCommand extends $Command .f(void 0, GetEnvironmentTemplateOutputFilterSensitiveLog) .ser(se_GetEnvironmentTemplateCommand) .de(de_GetEnvironmentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentTemplateInput; + output: GetEnvironmentTemplateOutput; + }; + sdk: { + input: GetEnvironmentTemplateCommandInput; + output: GetEnvironmentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetEnvironmentTemplateVersionCommand.ts b/clients/client-proton/src/commands/GetEnvironmentTemplateVersionCommand.ts index bf6b98df8eea..0a231785633f 100644 --- a/clients/client-proton/src/commands/GetEnvironmentTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/GetEnvironmentTemplateVersionCommand.ts @@ -115,4 +115,16 @@ export class GetEnvironmentTemplateVersionCommand extends $Command .f(void 0, GetEnvironmentTemplateVersionOutputFilterSensitiveLog) .ser(se_GetEnvironmentTemplateVersionCommand) .de(de_GetEnvironmentTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentTemplateVersionInput; + output: GetEnvironmentTemplateVersionOutput; + }; + sdk: { + input: GetEnvironmentTemplateVersionCommandInput; + output: GetEnvironmentTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetRepositoryCommand.ts b/clients/client-proton/src/commands/GetRepositoryCommand.ts index 6f263b579f81..be056888f8b7 100644 --- a/clients/client-proton/src/commands/GetRepositoryCommand.ts +++ b/clients/client-proton/src/commands/GetRepositoryCommand.ts @@ -99,4 +99,16 @@ export class GetRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositoryCommand) .de(de_GetRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositoryInput; + output: GetRepositoryOutput; + }; + sdk: { + input: GetRepositoryCommandInput; + output: GetRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetRepositorySyncStatusCommand.ts b/clients/client-proton/src/commands/GetRepositorySyncStatusCommand.ts index de257701593a..b3496a68a502 100644 --- a/clients/client-proton/src/commands/GetRepositorySyncStatusCommand.ts +++ b/clients/client-proton/src/commands/GetRepositorySyncStatusCommand.ts @@ -113,4 +113,16 @@ export class GetRepositorySyncStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetRepositorySyncStatusCommand) .de(de_GetRepositorySyncStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRepositorySyncStatusInput; + output: GetRepositorySyncStatusOutput; + }; + sdk: { + input: GetRepositorySyncStatusCommandInput; + output: GetRepositorySyncStatusCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetResourcesSummaryCommand.ts b/clients/client-proton/src/commands/GetResourcesSummaryCommand.ts index d74d1408bb21..a4af43e191bc 100644 --- a/clients/client-proton/src/commands/GetResourcesSummaryCommand.ts +++ b/clients/client-proton/src/commands/GetResourcesSummaryCommand.ts @@ -134,4 +134,16 @@ export class GetResourcesSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcesSummaryCommand) .de(de_GetResourcesSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetResourcesSummaryOutput; + }; + sdk: { + input: GetResourcesSummaryCommandInput; + output: GetResourcesSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetServiceCommand.ts b/clients/client-proton/src/commands/GetServiceCommand.ts index 9007d5f6a4c2..312a61faa015 100644 --- a/clients/client-proton/src/commands/GetServiceCommand.ts +++ b/clients/client-proton/src/commands/GetServiceCommand.ts @@ -119,4 +119,16 @@ export class GetServiceCommand extends $Command .f(void 0, GetServiceOutputFilterSensitiveLog) .ser(se_GetServiceCommand) .de(de_GetServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceInput; + output: GetServiceOutput; + }; + sdk: { + input: GetServiceCommandInput; + output: GetServiceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetServiceInstanceCommand.ts b/clients/client-proton/src/commands/GetServiceInstanceCommand.ts index 56a1df29cc67..0664af2e854a 100644 --- a/clients/client-proton/src/commands/GetServiceInstanceCommand.ts +++ b/clients/client-proton/src/commands/GetServiceInstanceCommand.ts @@ -115,4 +115,16 @@ export class GetServiceInstanceCommand extends $Command .f(void 0, GetServiceInstanceOutputFilterSensitiveLog) .ser(se_GetServiceInstanceCommand) .de(de_GetServiceInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceInstanceInput; + output: GetServiceInstanceOutput; + }; + sdk: { + input: GetServiceInstanceCommandInput; + output: GetServiceInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetServiceInstanceSyncStatusCommand.ts b/clients/client-proton/src/commands/GetServiceInstanceSyncStatusCommand.ts index 840e1d56d334..b49a157cbce0 100644 --- a/clients/client-proton/src/commands/GetServiceInstanceSyncStatusCommand.ts +++ b/clients/client-proton/src/commands/GetServiceInstanceSyncStatusCommand.ts @@ -158,4 +158,16 @@ export class GetServiceInstanceSyncStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceInstanceSyncStatusCommand) .de(de_GetServiceInstanceSyncStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceInstanceSyncStatusInput; + output: GetServiceInstanceSyncStatusOutput; + }; + sdk: { + input: GetServiceInstanceSyncStatusCommandInput; + output: GetServiceInstanceSyncStatusCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetServiceSyncBlockerSummaryCommand.ts b/clients/client-proton/src/commands/GetServiceSyncBlockerSummaryCommand.ts index a8480fb73eed..03b2fe1f0228 100644 --- a/clients/client-proton/src/commands/GetServiceSyncBlockerSummaryCommand.ts +++ b/clients/client-proton/src/commands/GetServiceSyncBlockerSummaryCommand.ts @@ -118,4 +118,16 @@ export class GetServiceSyncBlockerSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceSyncBlockerSummaryCommand) .de(de_GetServiceSyncBlockerSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceSyncBlockerSummaryInput; + output: GetServiceSyncBlockerSummaryOutput; + }; + sdk: { + input: GetServiceSyncBlockerSummaryCommandInput; + output: GetServiceSyncBlockerSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetServiceSyncConfigCommand.ts b/clients/client-proton/src/commands/GetServiceSyncConfigCommand.ts index a57192deb407..f466223f5eba 100644 --- a/clients/client-proton/src/commands/GetServiceSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/GetServiceSyncConfigCommand.ts @@ -98,4 +98,16 @@ export class GetServiceSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceSyncConfigCommand) .de(de_GetServiceSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceSyncConfigInput; + output: GetServiceSyncConfigOutput; + }; + sdk: { + input: GetServiceSyncConfigCommandInput; + output: GetServiceSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetServiceTemplateCommand.ts b/clients/client-proton/src/commands/GetServiceTemplateCommand.ts index f5eed06852d6..9c38f61f4611 100644 --- a/clients/client-proton/src/commands/GetServiceTemplateCommand.ts +++ b/clients/client-proton/src/commands/GetServiceTemplateCommand.ts @@ -106,4 +106,16 @@ export class GetServiceTemplateCommand extends $Command .f(void 0, GetServiceTemplateOutputFilterSensitiveLog) .ser(se_GetServiceTemplateCommand) .de(de_GetServiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceTemplateInput; + output: GetServiceTemplateOutput; + }; + sdk: { + input: GetServiceTemplateCommandInput; + output: GetServiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetServiceTemplateVersionCommand.ts b/clients/client-proton/src/commands/GetServiceTemplateVersionCommand.ts index 4f113e7cd01d..8eaa6b1fe76e 100644 --- a/clients/client-proton/src/commands/GetServiceTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/GetServiceTemplateVersionCommand.ts @@ -119,4 +119,16 @@ export class GetServiceTemplateVersionCommand extends $Command .f(void 0, GetServiceTemplateVersionOutputFilterSensitiveLog) .ser(se_GetServiceTemplateVersionCommand) .de(de_GetServiceTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceTemplateVersionInput; + output: GetServiceTemplateVersionOutput; + }; + sdk: { + input: GetServiceTemplateVersionCommandInput; + output: GetServiceTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetTemplateSyncConfigCommand.ts b/clients/client-proton/src/commands/GetTemplateSyncConfigCommand.ts index 4863c3e421a8..524ec2ddfb10 100644 --- a/clients/client-proton/src/commands/GetTemplateSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/GetTemplateSyncConfigCommand.ts @@ -100,4 +100,16 @@ export class GetTemplateSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateSyncConfigCommand) .de(de_GetTemplateSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateSyncConfigInput; + output: GetTemplateSyncConfigOutput; + }; + sdk: { + input: GetTemplateSyncConfigCommandInput; + output: GetTemplateSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/GetTemplateSyncStatusCommand.ts b/clients/client-proton/src/commands/GetTemplateSyncStatusCommand.ts index d9dbb8f9d7c0..a016171ddb71 100644 --- a/clients/client-proton/src/commands/GetTemplateSyncStatusCommand.ts +++ b/clients/client-proton/src/commands/GetTemplateSyncStatusCommand.ts @@ -154,4 +154,16 @@ export class GetTemplateSyncStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateSyncStatusCommand) .de(de_GetTemplateSyncStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateSyncStatusInput; + output: GetTemplateSyncStatusOutput; + }; + sdk: { + input: GetTemplateSyncStatusCommandInput; + output: GetTemplateSyncStatusCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListComponentOutputsCommand.ts b/clients/client-proton/src/commands/ListComponentOutputsCommand.ts index 1fbb49db2f2a..c037fa350bd8 100644 --- a/clients/client-proton/src/commands/ListComponentOutputsCommand.ts +++ b/clients/client-proton/src/commands/ListComponentOutputsCommand.ts @@ -107,4 +107,16 @@ export class ListComponentOutputsCommand extends $Command .f(void 0, ListComponentOutputsOutputFilterSensitiveLog) .ser(se_ListComponentOutputsCommand) .de(de_ListComponentOutputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentOutputsInput; + output: ListComponentOutputsOutput; + }; + sdk: { + input: ListComponentOutputsCommandInput; + output: ListComponentOutputsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListComponentProvisionedResourcesCommand.ts b/clients/client-proton/src/commands/ListComponentProvisionedResourcesCommand.ts index 5ec00e016bae..04c6754fa087 100644 --- a/clients/client-proton/src/commands/ListComponentProvisionedResourcesCommand.ts +++ b/clients/client-proton/src/commands/ListComponentProvisionedResourcesCommand.ts @@ -108,4 +108,16 @@ export class ListComponentProvisionedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentProvisionedResourcesCommand) .de(de_ListComponentProvisionedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentProvisionedResourcesInput; + output: ListComponentProvisionedResourcesOutput; + }; + sdk: { + input: ListComponentProvisionedResourcesCommandInput; + output: ListComponentProvisionedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListComponentsCommand.ts b/clients/client-proton/src/commands/ListComponentsCommand.ts index 1932000ab384..672ef83483ed 100644 --- a/clients/client-proton/src/commands/ListComponentsCommand.ts +++ b/clients/client-proton/src/commands/ListComponentsCommand.ts @@ -113,4 +113,16 @@ export class ListComponentsCommand extends $Command .f(void 0, ListComponentsOutputFilterSensitiveLog) .ser(se_ListComponentsCommand) .de(de_ListComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentsInput; + output: ListComponentsOutput; + }; + sdk: { + input: ListComponentsCommandInput; + output: ListComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListDeploymentsCommand.ts b/clients/client-proton/src/commands/ListDeploymentsCommand.ts index b54bc327ef26..d70b246eec86 100644 --- a/clients/client-proton/src/commands/ListDeploymentsCommand.ts +++ b/clients/client-proton/src/commands/ListDeploymentsCommand.ts @@ -116,4 +116,16 @@ export class ListDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentsCommand) .de(de_ListDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentsInput; + output: ListDeploymentsOutput; + }; + sdk: { + input: ListDeploymentsCommandInput; + output: ListDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListEnvironmentAccountConnectionsCommand.ts b/clients/client-proton/src/commands/ListEnvironmentAccountConnectionsCommand.ts index 6107b448381d..101cdafd078f 100644 --- a/clients/client-proton/src/commands/ListEnvironmentAccountConnectionsCommand.ts +++ b/clients/client-proton/src/commands/ListEnvironmentAccountConnectionsCommand.ts @@ -116,4 +116,16 @@ export class ListEnvironmentAccountConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentAccountConnectionsCommand) .de(de_ListEnvironmentAccountConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentAccountConnectionsInput; + output: ListEnvironmentAccountConnectionsOutput; + }; + sdk: { + input: ListEnvironmentAccountConnectionsCommandInput; + output: ListEnvironmentAccountConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListEnvironmentOutputsCommand.ts b/clients/client-proton/src/commands/ListEnvironmentOutputsCommand.ts index 4de9a99780c3..9becc6af6516 100644 --- a/clients/client-proton/src/commands/ListEnvironmentOutputsCommand.ts +++ b/clients/client-proton/src/commands/ListEnvironmentOutputsCommand.ts @@ -104,4 +104,16 @@ export class ListEnvironmentOutputsCommand extends $Command .f(void 0, ListEnvironmentOutputsOutputFilterSensitiveLog) .ser(se_ListEnvironmentOutputsCommand) .de(de_ListEnvironmentOutputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentOutputsInput; + output: ListEnvironmentOutputsOutput; + }; + sdk: { + input: ListEnvironmentOutputsCommandInput; + output: ListEnvironmentOutputsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListEnvironmentProvisionedResourcesCommand.ts b/clients/client-proton/src/commands/ListEnvironmentProvisionedResourcesCommand.ts index 11f4899d91b2..4fd35f67c0c0 100644 --- a/clients/client-proton/src/commands/ListEnvironmentProvisionedResourcesCommand.ts +++ b/clients/client-proton/src/commands/ListEnvironmentProvisionedResourcesCommand.ts @@ -108,4 +108,16 @@ export class ListEnvironmentProvisionedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListEnvironmentProvisionedResourcesCommand) .de(de_ListEnvironmentProvisionedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentProvisionedResourcesInput; + output: ListEnvironmentProvisionedResourcesOutput; + }; + sdk: { + input: ListEnvironmentProvisionedResourcesCommandInput; + output: ListEnvironmentProvisionedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListEnvironmentTemplateVersionsCommand.ts b/clients/client-proton/src/commands/ListEnvironmentTemplateVersionsCommand.ts index 1c5e0046486a..93ae1f9babe5 100644 --- a/clients/client-proton/src/commands/ListEnvironmentTemplateVersionsCommand.ts +++ b/clients/client-proton/src/commands/ListEnvironmentTemplateVersionsCommand.ts @@ -118,4 +118,16 @@ export class ListEnvironmentTemplateVersionsCommand extends $Command .f(void 0, ListEnvironmentTemplateVersionsOutputFilterSensitiveLog) .ser(se_ListEnvironmentTemplateVersionsCommand) .de(de_ListEnvironmentTemplateVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentTemplateVersionsInput; + output: ListEnvironmentTemplateVersionsOutput; + }; + sdk: { + input: ListEnvironmentTemplateVersionsCommandInput; + output: ListEnvironmentTemplateVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListEnvironmentTemplatesCommand.ts b/clients/client-proton/src/commands/ListEnvironmentTemplatesCommand.ts index cc6533fe456b..3dd7a07508f2 100644 --- a/clients/client-proton/src/commands/ListEnvironmentTemplatesCommand.ts +++ b/clients/client-proton/src/commands/ListEnvironmentTemplatesCommand.ts @@ -106,4 +106,16 @@ export class ListEnvironmentTemplatesCommand extends $Command .f(void 0, ListEnvironmentTemplatesOutputFilterSensitiveLog) .ser(se_ListEnvironmentTemplatesCommand) .de(de_ListEnvironmentTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentTemplatesInput; + output: ListEnvironmentTemplatesOutput; + }; + sdk: { + input: ListEnvironmentTemplatesCommandInput; + output: ListEnvironmentTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListEnvironmentsCommand.ts b/clients/client-proton/src/commands/ListEnvironmentsCommand.ts index 15f75ae3067f..ce158711c4ad 100644 --- a/clients/client-proton/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-proton/src/commands/ListEnvironmentsCommand.ts @@ -125,4 +125,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, ListEnvironmentsOutputFilterSensitiveLog) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsInput; + output: ListEnvironmentsOutput; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListRepositoriesCommand.ts b/clients/client-proton/src/commands/ListRepositoriesCommand.ts index a0fca1f7c5fd..7214ca98c720 100644 --- a/clients/client-proton/src/commands/ListRepositoriesCommand.ts +++ b/clients/client-proton/src/commands/ListRepositoriesCommand.ts @@ -101,4 +101,16 @@ export class ListRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositoriesCommand) .de(de_ListRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositoriesInput; + output: ListRepositoriesOutput; + }; + sdk: { + input: ListRepositoriesCommandInput; + output: ListRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListRepositorySyncDefinitionsCommand.ts b/clients/client-proton/src/commands/ListRepositorySyncDefinitionsCommand.ts index 69bbdee416aa..fa267e00ee8a 100644 --- a/clients/client-proton/src/commands/ListRepositorySyncDefinitionsCommand.ts +++ b/clients/client-proton/src/commands/ListRepositorySyncDefinitionsCommand.ts @@ -105,4 +105,16 @@ export class ListRepositorySyncDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListRepositorySyncDefinitionsCommand) .de(de_ListRepositorySyncDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRepositorySyncDefinitionsInput; + output: ListRepositorySyncDefinitionsOutput; + }; + sdk: { + input: ListRepositorySyncDefinitionsCommandInput; + output: ListRepositorySyncDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServiceInstanceOutputsCommand.ts b/clients/client-proton/src/commands/ListServiceInstanceOutputsCommand.ts index 2509ee681b21..854eec0c3b4a 100644 --- a/clients/client-proton/src/commands/ListServiceInstanceOutputsCommand.ts +++ b/clients/client-proton/src/commands/ListServiceInstanceOutputsCommand.ts @@ -105,4 +105,16 @@ export class ListServiceInstanceOutputsCommand extends $Command .f(void 0, ListServiceInstanceOutputsOutputFilterSensitiveLog) .ser(se_ListServiceInstanceOutputsCommand) .de(de_ListServiceInstanceOutputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceInstanceOutputsInput; + output: ListServiceInstanceOutputsOutput; + }; + sdk: { + input: ListServiceInstanceOutputsCommandInput; + output: ListServiceInstanceOutputsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServiceInstanceProvisionedResourcesCommand.ts b/clients/client-proton/src/commands/ListServiceInstanceProvisionedResourcesCommand.ts index e805ab76fca1..377aaf18df26 100644 --- a/clients/client-proton/src/commands/ListServiceInstanceProvisionedResourcesCommand.ts +++ b/clients/client-proton/src/commands/ListServiceInstanceProvisionedResourcesCommand.ts @@ -110,4 +110,16 @@ export class ListServiceInstanceProvisionedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceInstanceProvisionedResourcesCommand) .de(de_ListServiceInstanceProvisionedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceInstanceProvisionedResourcesInput; + output: ListServiceInstanceProvisionedResourcesOutput; + }; + sdk: { + input: ListServiceInstanceProvisionedResourcesCommandInput; + output: ListServiceInstanceProvisionedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServiceInstancesCommand.ts b/clients/client-proton/src/commands/ListServiceInstancesCommand.ts index c50993f36e76..55dfd5b1cd23 100644 --- a/clients/client-proton/src/commands/ListServiceInstancesCommand.ts +++ b/clients/client-proton/src/commands/ListServiceInstancesCommand.ts @@ -125,4 +125,16 @@ export class ListServiceInstancesCommand extends $Command .f(void 0, ListServiceInstancesOutputFilterSensitiveLog) .ser(se_ListServiceInstancesCommand) .de(de_ListServiceInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceInstancesInput; + output: ListServiceInstancesOutput; + }; + sdk: { + input: ListServiceInstancesCommandInput; + output: ListServiceInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServicePipelineOutputsCommand.ts b/clients/client-proton/src/commands/ListServicePipelineOutputsCommand.ts index 5fb4fec70383..ab67a2a4531c 100644 --- a/clients/client-proton/src/commands/ListServicePipelineOutputsCommand.ts +++ b/clients/client-proton/src/commands/ListServicePipelineOutputsCommand.ts @@ -104,4 +104,16 @@ export class ListServicePipelineOutputsCommand extends $Command .f(void 0, ListServicePipelineOutputsOutputFilterSensitiveLog) .ser(se_ListServicePipelineOutputsCommand) .de(de_ListServicePipelineOutputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicePipelineOutputsInput; + output: ListServicePipelineOutputsOutput; + }; + sdk: { + input: ListServicePipelineOutputsCommandInput; + output: ListServicePipelineOutputsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServicePipelineProvisionedResourcesCommand.ts b/clients/client-proton/src/commands/ListServicePipelineProvisionedResourcesCommand.ts index ba8b2f096991..114f12b678b1 100644 --- a/clients/client-proton/src/commands/ListServicePipelineProvisionedResourcesCommand.ts +++ b/clients/client-proton/src/commands/ListServicePipelineProvisionedResourcesCommand.ts @@ -109,4 +109,16 @@ export class ListServicePipelineProvisionedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicePipelineProvisionedResourcesCommand) .de(de_ListServicePipelineProvisionedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicePipelineProvisionedResourcesInput; + output: ListServicePipelineProvisionedResourcesOutput; + }; + sdk: { + input: ListServicePipelineProvisionedResourcesCommandInput; + output: ListServicePipelineProvisionedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServiceTemplateVersionsCommand.ts b/clients/client-proton/src/commands/ListServiceTemplateVersionsCommand.ts index d00a50affc7e..687b0001edce 100644 --- a/clients/client-proton/src/commands/ListServiceTemplateVersionsCommand.ts +++ b/clients/client-proton/src/commands/ListServiceTemplateVersionsCommand.ts @@ -113,4 +113,16 @@ export class ListServiceTemplateVersionsCommand extends $Command .f(void 0, ListServiceTemplateVersionsOutputFilterSensitiveLog) .ser(se_ListServiceTemplateVersionsCommand) .de(de_ListServiceTemplateVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceTemplateVersionsInput; + output: ListServiceTemplateVersionsOutput; + }; + sdk: { + input: ListServiceTemplateVersionsCommandInput; + output: ListServiceTemplateVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServiceTemplatesCommand.ts b/clients/client-proton/src/commands/ListServiceTemplatesCommand.ts index f8a0e0d85f52..05309e38ac97 100644 --- a/clients/client-proton/src/commands/ListServiceTemplatesCommand.ts +++ b/clients/client-proton/src/commands/ListServiceTemplatesCommand.ts @@ -106,4 +106,16 @@ export class ListServiceTemplatesCommand extends $Command .f(void 0, ListServiceTemplatesOutputFilterSensitiveLog) .ser(se_ListServiceTemplatesCommand) .de(de_ListServiceTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceTemplatesInput; + output: ListServiceTemplatesOutput; + }; + sdk: { + input: ListServiceTemplatesCommandInput; + output: ListServiceTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListServicesCommand.ts b/clients/client-proton/src/commands/ListServicesCommand.ts index 623fe380cae1..a37fc786260b 100644 --- a/clients/client-proton/src/commands/ListServicesCommand.ts +++ b/clients/client-proton/src/commands/ListServicesCommand.ts @@ -102,4 +102,16 @@ export class ListServicesCommand extends $Command .f(void 0, ListServicesOutputFilterSensitiveLog) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesInput; + output: ListServicesOutput; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/ListTagsForResourceCommand.ts b/clients/client-proton/src/commands/ListTagsForResourceCommand.ts index 30a5f4c88eaf..ad37e750faa4 100644 --- a/clients/client-proton/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-proton/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/NotifyResourceDeploymentStatusChangeCommand.ts b/clients/client-proton/src/commands/NotifyResourceDeploymentStatusChangeCommand.ts index 3c198e4be4ba..370375716ade 100644 --- a/clients/client-proton/src/commands/NotifyResourceDeploymentStatusChangeCommand.ts +++ b/clients/client-proton/src/commands/NotifyResourceDeploymentStatusChangeCommand.ts @@ -116,4 +116,16 @@ export class NotifyResourceDeploymentStatusChangeCommand extends $Command .f(NotifyResourceDeploymentStatusChangeInputFilterSensitiveLog, void 0) .ser(se_NotifyResourceDeploymentStatusChangeCommand) .de(de_NotifyResourceDeploymentStatusChangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyResourceDeploymentStatusChangeInput; + output: {}; + }; + sdk: { + input: NotifyResourceDeploymentStatusChangeCommandInput; + output: NotifyResourceDeploymentStatusChangeCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/RejectEnvironmentAccountConnectionCommand.ts b/clients/client-proton/src/commands/RejectEnvironmentAccountConnectionCommand.ts index 3ea916f1df2d..a63ab3678f96 100644 --- a/clients/client-proton/src/commands/RejectEnvironmentAccountConnectionCommand.ts +++ b/clients/client-proton/src/commands/RejectEnvironmentAccountConnectionCommand.ts @@ -117,4 +117,16 @@ export class RejectEnvironmentAccountConnectionCommand extends $Command .f(void 0, void 0) .ser(se_RejectEnvironmentAccountConnectionCommand) .de(de_RejectEnvironmentAccountConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectEnvironmentAccountConnectionInput; + output: RejectEnvironmentAccountConnectionOutput; + }; + sdk: { + input: RejectEnvironmentAccountConnectionCommandInput; + output: RejectEnvironmentAccountConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/TagResourceCommand.ts b/clients/client-proton/src/commands/TagResourceCommand.ts index b11388f83143..baf6442a1cdd 100644 --- a/clients/client-proton/src/commands/TagResourceCommand.ts +++ b/clients/client-proton/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UntagResourceCommand.ts b/clients/client-proton/src/commands/UntagResourceCommand.ts index afed1b29a017..40230a530907 100644 --- a/clients/client-proton/src/commands/UntagResourceCommand.ts +++ b/clients/client-proton/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateAccountSettingsCommand.ts b/clients/client-proton/src/commands/UpdateAccountSettingsCommand.ts index 75695c2f8072..6b6ddf8343cb 100644 --- a/clients/client-proton/src/commands/UpdateAccountSettingsCommand.ts +++ b/clients/client-proton/src/commands/UpdateAccountSettingsCommand.ts @@ -108,4 +108,16 @@ export class UpdateAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSettingsCommand) .de(de_UpdateAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSettingsInput; + output: UpdateAccountSettingsOutput; + }; + sdk: { + input: UpdateAccountSettingsCommandInput; + output: UpdateAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateComponentCommand.ts b/clients/client-proton/src/commands/UpdateComponentCommand.ts index 2038256110f2..1e13895bf90a 100644 --- a/clients/client-proton/src/commands/UpdateComponentCommand.ts +++ b/clients/client-proton/src/commands/UpdateComponentCommand.ts @@ -136,4 +136,16 @@ export class UpdateComponentCommand extends $Command .f(UpdateComponentInputFilterSensitiveLog, UpdateComponentOutputFilterSensitiveLog) .ser(se_UpdateComponentCommand) .de(de_UpdateComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateComponentInput; + output: UpdateComponentOutput; + }; + sdk: { + input: UpdateComponentCommandInput; + output: UpdateComponentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateEnvironmentAccountConnectionCommand.ts b/clients/client-proton/src/commands/UpdateEnvironmentAccountConnectionCommand.ts index b5055c425d56..66c7150aea7c 100644 --- a/clients/client-proton/src/commands/UpdateEnvironmentAccountConnectionCommand.ts +++ b/clients/client-proton/src/commands/UpdateEnvironmentAccountConnectionCommand.ts @@ -117,4 +117,16 @@ export class UpdateEnvironmentAccountConnectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEnvironmentAccountConnectionCommand) .de(de_UpdateEnvironmentAccountConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentAccountConnectionInput; + output: UpdateEnvironmentAccountConnectionOutput; + }; + sdk: { + input: UpdateEnvironmentAccountConnectionCommandInput; + output: UpdateEnvironmentAccountConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateEnvironmentCommand.ts b/clients/client-proton/src/commands/UpdateEnvironmentCommand.ts index 9dc755546e30..05f3b3d81c8a 100644 --- a/clients/client-proton/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-proton/src/commands/UpdateEnvironmentCommand.ts @@ -189,4 +189,16 @@ export class UpdateEnvironmentCommand extends $Command .f(UpdateEnvironmentInputFilterSensitiveLog, UpdateEnvironmentOutputFilterSensitiveLog) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentInput; + output: UpdateEnvironmentOutput; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateEnvironmentTemplateCommand.ts b/clients/client-proton/src/commands/UpdateEnvironmentTemplateCommand.ts index a994aa9879e4..cd1dfc16de48 100644 --- a/clients/client-proton/src/commands/UpdateEnvironmentTemplateCommand.ts +++ b/clients/client-proton/src/commands/UpdateEnvironmentTemplateCommand.ts @@ -112,4 +112,16 @@ export class UpdateEnvironmentTemplateCommand extends $Command .f(UpdateEnvironmentTemplateInputFilterSensitiveLog, UpdateEnvironmentTemplateOutputFilterSensitiveLog) .ser(se_UpdateEnvironmentTemplateCommand) .de(de_UpdateEnvironmentTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentTemplateInput; + output: UpdateEnvironmentTemplateOutput; + }; + sdk: { + input: UpdateEnvironmentTemplateCommandInput; + output: UpdateEnvironmentTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateEnvironmentTemplateVersionCommand.ts b/clients/client-proton/src/commands/UpdateEnvironmentTemplateVersionCommand.ts index 033c7962efad..51d5b7750a6d 100644 --- a/clients/client-proton/src/commands/UpdateEnvironmentTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/UpdateEnvironmentTemplateVersionCommand.ts @@ -121,4 +121,16 @@ export class UpdateEnvironmentTemplateVersionCommand extends $Command .f(UpdateEnvironmentTemplateVersionInputFilterSensitiveLog, UpdateEnvironmentTemplateVersionOutputFilterSensitiveLog) .ser(se_UpdateEnvironmentTemplateVersionCommand) .de(de_UpdateEnvironmentTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentTemplateVersionInput; + output: UpdateEnvironmentTemplateVersionOutput; + }; + sdk: { + input: UpdateEnvironmentTemplateVersionCommandInput; + output: UpdateEnvironmentTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateServiceCommand.ts b/clients/client-proton/src/commands/UpdateServiceCommand.ts index e881e5964ab2..f4b2594acf4a 100644 --- a/clients/client-proton/src/commands/UpdateServiceCommand.ts +++ b/clients/client-proton/src/commands/UpdateServiceCommand.ts @@ -146,4 +146,16 @@ export class UpdateServiceCommand extends $Command .f(UpdateServiceInputFilterSensitiveLog, UpdateServiceOutputFilterSensitiveLog) .ser(se_UpdateServiceCommand) .de(de_UpdateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceInput; + output: UpdateServiceOutput; + }; + sdk: { + input: UpdateServiceCommandInput; + output: UpdateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateServiceInstanceCommand.ts b/clients/client-proton/src/commands/UpdateServiceInstanceCommand.ts index c355abced068..ae5011092ac8 100644 --- a/clients/client-proton/src/commands/UpdateServiceInstanceCommand.ts +++ b/clients/client-proton/src/commands/UpdateServiceInstanceCommand.ts @@ -132,4 +132,16 @@ export class UpdateServiceInstanceCommand extends $Command .f(UpdateServiceInstanceInputFilterSensitiveLog, UpdateServiceInstanceOutputFilterSensitiveLog) .ser(se_UpdateServiceInstanceCommand) .de(de_UpdateServiceInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceInstanceInput; + output: UpdateServiceInstanceOutput; + }; + sdk: { + input: UpdateServiceInstanceCommandInput; + output: UpdateServiceInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateServicePipelineCommand.ts b/clients/client-proton/src/commands/UpdateServicePipelineCommand.ts index 1b9e494208cd..a221d55ccad7 100644 --- a/clients/client-proton/src/commands/UpdateServicePipelineCommand.ts +++ b/clients/client-proton/src/commands/UpdateServicePipelineCommand.ts @@ -157,4 +157,16 @@ export class UpdateServicePipelineCommand extends $Command .f(UpdateServicePipelineInputFilterSensitiveLog, UpdateServicePipelineOutputFilterSensitiveLog) .ser(se_UpdateServicePipelineCommand) .de(de_UpdateServicePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServicePipelineInput; + output: UpdateServicePipelineOutput; + }; + sdk: { + input: UpdateServicePipelineCommandInput; + output: UpdateServicePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateServiceSyncBlockerCommand.ts b/clients/client-proton/src/commands/UpdateServiceSyncBlockerCommand.ts index 9767689881e5..6df1e3c89986 100644 --- a/clients/client-proton/src/commands/UpdateServiceSyncBlockerCommand.ts +++ b/clients/client-proton/src/commands/UpdateServiceSyncBlockerCommand.ts @@ -112,4 +112,16 @@ export class UpdateServiceSyncBlockerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceSyncBlockerCommand) .de(de_UpdateServiceSyncBlockerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceSyncBlockerInput; + output: UpdateServiceSyncBlockerOutput; + }; + sdk: { + input: UpdateServiceSyncBlockerCommandInput; + output: UpdateServiceSyncBlockerCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateServiceSyncConfigCommand.ts b/clients/client-proton/src/commands/UpdateServiceSyncConfigCommand.ts index 15abcfe5cb3c..ee9a77f7c223 100644 --- a/clients/client-proton/src/commands/UpdateServiceSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/UpdateServiceSyncConfigCommand.ts @@ -105,4 +105,16 @@ export class UpdateServiceSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceSyncConfigCommand) .de(de_UpdateServiceSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceSyncConfigInput; + output: UpdateServiceSyncConfigOutput; + }; + sdk: { + input: UpdateServiceSyncConfigCommandInput; + output: UpdateServiceSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateServiceTemplateCommand.ts b/clients/client-proton/src/commands/UpdateServiceTemplateCommand.ts index 8dced065c00e..01d79bd3acb3 100644 --- a/clients/client-proton/src/commands/UpdateServiceTemplateCommand.ts +++ b/clients/client-proton/src/commands/UpdateServiceTemplateCommand.ts @@ -112,4 +112,16 @@ export class UpdateServiceTemplateCommand extends $Command .f(UpdateServiceTemplateInputFilterSensitiveLog, UpdateServiceTemplateOutputFilterSensitiveLog) .ser(se_UpdateServiceTemplateCommand) .de(de_UpdateServiceTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceTemplateInput; + output: UpdateServiceTemplateOutput; + }; + sdk: { + input: UpdateServiceTemplateCommandInput; + output: UpdateServiceTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateServiceTemplateVersionCommand.ts b/clients/client-proton/src/commands/UpdateServiceTemplateVersionCommand.ts index e1e011dd6ecb..62f76b82fb5a 100644 --- a/clients/client-proton/src/commands/UpdateServiceTemplateVersionCommand.ts +++ b/clients/client-proton/src/commands/UpdateServiceTemplateVersionCommand.ts @@ -139,4 +139,16 @@ export class UpdateServiceTemplateVersionCommand extends $Command .f(UpdateServiceTemplateVersionInputFilterSensitiveLog, UpdateServiceTemplateVersionOutputFilterSensitiveLog) .ser(se_UpdateServiceTemplateVersionCommand) .de(de_UpdateServiceTemplateVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceTemplateVersionInput; + output: UpdateServiceTemplateVersionOutput; + }; + sdk: { + input: UpdateServiceTemplateVersionCommandInput; + output: UpdateServiceTemplateVersionCommandOutput; + }; + }; +} diff --git a/clients/client-proton/src/commands/UpdateTemplateSyncConfigCommand.ts b/clients/client-proton/src/commands/UpdateTemplateSyncConfigCommand.ts index 942568523597..167e8d0cfc7e 100644 --- a/clients/client-proton/src/commands/UpdateTemplateSyncConfigCommand.ts +++ b/clients/client-proton/src/commands/UpdateTemplateSyncConfigCommand.ts @@ -109,4 +109,16 @@ export class UpdateTemplateSyncConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateSyncConfigCommand) .de(de_UpdateTemplateSyncConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateSyncConfigInput; + output: UpdateTemplateSyncConfigOutput; + }; + sdk: { + input: UpdateTemplateSyncConfigCommandInput; + output: UpdateTemplateSyncConfigCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/package.json b/clients/client-qapps/package.json index f746f0b5efe5..948b81be5db3 100644 --- a/clients/client-qapps/package.json +++ b/clients/client-qapps/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-qapps/src/commands/AssociateLibraryItemReviewCommand.ts b/clients/client-qapps/src/commands/AssociateLibraryItemReviewCommand.ts index 52fbbab7596a..f64ca7cab1ba 100644 --- a/clients/client-qapps/src/commands/AssociateLibraryItemReviewCommand.ts +++ b/clients/client-qapps/src/commands/AssociateLibraryItemReviewCommand.ts @@ -116,4 +116,16 @@ export class AssociateLibraryItemReviewCommand extends $Command .f(void 0, void 0) .ser(se_AssociateLibraryItemReviewCommand) .de(de_AssociateLibraryItemReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateLibraryItemReviewInput; + output: {}; + }; + sdk: { + input: AssociateLibraryItemReviewCommandInput; + output: AssociateLibraryItemReviewCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/AssociateQAppWithUserCommand.ts b/clients/client-qapps/src/commands/AssociateQAppWithUserCommand.ts index c191c8e23d01..e9190db4efcb 100644 --- a/clients/client-qapps/src/commands/AssociateQAppWithUserCommand.ts +++ b/clients/client-qapps/src/commands/AssociateQAppWithUserCommand.ts @@ -114,4 +114,16 @@ export class AssociateQAppWithUserCommand extends $Command .f(void 0, void 0) .ser(se_AssociateQAppWithUserCommand) .de(de_AssociateQAppWithUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateQAppWithUserInput; + output: {}; + }; + sdk: { + input: AssociateQAppWithUserCommandInput; + output: AssociateQAppWithUserCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/CreateLibraryItemCommand.ts b/clients/client-qapps/src/commands/CreateLibraryItemCommand.ts index c8bf2bf82b21..717cb32a9b2a 100644 --- a/clients/client-qapps/src/commands/CreateLibraryItemCommand.ts +++ b/clients/client-qapps/src/commands/CreateLibraryItemCommand.ts @@ -141,4 +141,16 @@ export class CreateLibraryItemCommand extends $Command .f(void 0, void 0) .ser(se_CreateLibraryItemCommand) .de(de_CreateLibraryItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLibraryItemInput; + output: CreateLibraryItemOutput; + }; + sdk: { + input: CreateLibraryItemCommandInput; + output: CreateLibraryItemCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/CreateQAppCommand.ts b/clients/client-qapps/src/commands/CreateQAppCommand.ts index b093b56b79ce..0d3139fb9a87 100644 --- a/clients/client-qapps/src/commands/CreateQAppCommand.ts +++ b/clients/client-qapps/src/commands/CreateQAppCommand.ts @@ -291,4 +291,16 @@ export class CreateQAppCommand extends $Command .f(void 0, void 0) .ser(se_CreateQAppCommand) .de(de_CreateQAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQAppInput; + output: CreateQAppOutput; + }; + sdk: { + input: CreateQAppCommandInput; + output: CreateQAppCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/DeleteLibraryItemCommand.ts b/clients/client-qapps/src/commands/DeleteLibraryItemCommand.ts index 0bc28b70c629..3b31628aee29 100644 --- a/clients/client-qapps/src/commands/DeleteLibraryItemCommand.ts +++ b/clients/client-qapps/src/commands/DeleteLibraryItemCommand.ts @@ -112,4 +112,16 @@ export class DeleteLibraryItemCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLibraryItemCommand) .de(de_DeleteLibraryItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLibraryItemInput; + output: {}; + }; + sdk: { + input: DeleteLibraryItemCommandInput; + output: DeleteLibraryItemCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/DeleteQAppCommand.ts b/clients/client-qapps/src/commands/DeleteQAppCommand.ts index 6130eb2c1367..23a332d54f0d 100644 --- a/clients/client-qapps/src/commands/DeleteQAppCommand.ts +++ b/clients/client-qapps/src/commands/DeleteQAppCommand.ts @@ -107,4 +107,16 @@ export class DeleteQAppCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQAppCommand) .de(de_DeleteQAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQAppInput; + output: {}; + }; + sdk: { + input: DeleteQAppCommandInput; + output: DeleteQAppCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/DisassociateLibraryItemReviewCommand.ts b/clients/client-qapps/src/commands/DisassociateLibraryItemReviewCommand.ts index 96bd30baf986..dbcf4a813aac 100644 --- a/clients/client-qapps/src/commands/DisassociateLibraryItemReviewCommand.ts +++ b/clients/client-qapps/src/commands/DisassociateLibraryItemReviewCommand.ts @@ -118,4 +118,16 @@ export class DisassociateLibraryItemReviewCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateLibraryItemReviewCommand) .de(de_DisassociateLibraryItemReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateLibraryItemReviewInput; + output: {}; + }; + sdk: { + input: DisassociateLibraryItemReviewCommandInput; + output: DisassociateLibraryItemReviewCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/DisassociateQAppFromUserCommand.ts b/clients/client-qapps/src/commands/DisassociateQAppFromUserCommand.ts index 29c40e336f3f..b6af90fffdc5 100644 --- a/clients/client-qapps/src/commands/DisassociateQAppFromUserCommand.ts +++ b/clients/client-qapps/src/commands/DisassociateQAppFromUserCommand.ts @@ -108,4 +108,16 @@ export class DisassociateQAppFromUserCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateQAppFromUserCommand) .de(de_DisassociateQAppFromUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateQAppFromUserInput; + output: {}; + }; + sdk: { + input: DisassociateQAppFromUserCommandInput; + output: DisassociateQAppFromUserCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/GetLibraryItemCommand.ts b/clients/client-qapps/src/commands/GetLibraryItemCommand.ts index f80d5e7e2036..9751465ae226 100644 --- a/clients/client-qapps/src/commands/GetLibraryItemCommand.ts +++ b/clients/client-qapps/src/commands/GetLibraryItemCommand.ts @@ -158,4 +158,16 @@ export class GetLibraryItemCommand extends $Command .f(void 0, void 0) .ser(se_GetLibraryItemCommand) .de(de_GetLibraryItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLibraryItemInput; + output: GetLibraryItemOutput; + }; + sdk: { + input: GetLibraryItemCommandInput; + output: GetLibraryItemCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/GetQAppCommand.ts b/clients/client-qapps/src/commands/GetQAppCommand.ts index 8f8e54d360d1..54cf9ce211a1 100644 --- a/clients/client-qapps/src/commands/GetQAppCommand.ts +++ b/clients/client-qapps/src/commands/GetQAppCommand.ts @@ -291,4 +291,16 @@ export class GetQAppCommand extends $Command .f(void 0, void 0) .ser(se_GetQAppCommand) .de(de_GetQAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQAppInput; + output: GetQAppOutput; + }; + sdk: { + input: GetQAppCommandInput; + output: GetQAppCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/GetQAppSessionCommand.ts b/clients/client-qapps/src/commands/GetQAppSessionCommand.ts index c9055b2a91fc..52eea0e0926b 100644 --- a/clients/client-qapps/src/commands/GetQAppSessionCommand.ts +++ b/clients/client-qapps/src/commands/GetQAppSessionCommand.ts @@ -138,4 +138,16 @@ export class GetQAppSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetQAppSessionCommand) .de(de_GetQAppSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQAppSessionInput; + output: GetQAppSessionOutput; + }; + sdk: { + input: GetQAppSessionCommandInput; + output: GetQAppSessionCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/ImportDocumentCommand.ts b/clients/client-qapps/src/commands/ImportDocumentCommand.ts index 5589ac690991..7e74becce785 100644 --- a/clients/client-qapps/src/commands/ImportDocumentCommand.ts +++ b/clients/client-qapps/src/commands/ImportDocumentCommand.ts @@ -157,4 +157,16 @@ export class ImportDocumentCommand extends $Command .f(void 0, void 0) .ser(se_ImportDocumentCommand) .de(de_ImportDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportDocumentInput; + output: ImportDocumentOutput; + }; + sdk: { + input: ImportDocumentCommandInput; + output: ImportDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/ListLibraryItemsCommand.ts b/clients/client-qapps/src/commands/ListLibraryItemsCommand.ts index 496d219f015d..a2d5ef0b3c57 100644 --- a/clients/client-qapps/src/commands/ListLibraryItemsCommand.ts +++ b/clients/client-qapps/src/commands/ListLibraryItemsCommand.ts @@ -204,4 +204,16 @@ export class ListLibraryItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListLibraryItemsCommand) .de(de_ListLibraryItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLibraryItemsInput; + output: ListLibraryItemsOutput; + }; + sdk: { + input: ListLibraryItemsCommandInput; + output: ListLibraryItemsCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/ListQAppsCommand.ts b/clients/client-qapps/src/commands/ListQAppsCommand.ts index 6441852320ba..80b442e69391 100644 --- a/clients/client-qapps/src/commands/ListQAppsCommand.ts +++ b/clients/client-qapps/src/commands/ListQAppsCommand.ts @@ -202,4 +202,16 @@ export class ListQAppsCommand extends $Command .f(void 0, void 0) .ser(se_ListQAppsCommand) .de(de_ListQAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQAppsInput; + output: ListQAppsOutput; + }; + sdk: { + input: ListQAppsCommandInput; + output: ListQAppsCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/ListTagsForResourceCommand.ts b/clients/client-qapps/src/commands/ListTagsForResourceCommand.ts index a9732db38264..403aba746eb7 100644 --- a/clients/client-qapps/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-qapps/src/commands/ListTagsForResourceCommand.ts @@ -113,4 +113,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/PredictQAppCommand.ts b/clients/client-qapps/src/commands/PredictQAppCommand.ts index b19840dfb7a8..6a0779891d51 100644 --- a/clients/client-qapps/src/commands/PredictQAppCommand.ts +++ b/clients/client-qapps/src/commands/PredictQAppCommand.ts @@ -226,4 +226,16 @@ export class PredictQAppCommand extends $Command .f(void 0, void 0) .ser(se_PredictQAppCommand) .de(de_PredictQAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PredictQAppInput; + output: PredictQAppOutput; + }; + sdk: { + input: PredictQAppCommandInput; + output: PredictQAppCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/StartQAppSessionCommand.ts b/clients/client-qapps/src/commands/StartQAppSessionCommand.ts index e5cfdce2bbe5..1dfd2cac737e 100644 --- a/clients/client-qapps/src/commands/StartQAppSessionCommand.ts +++ b/clients/client-qapps/src/commands/StartQAppSessionCommand.ts @@ -142,4 +142,16 @@ export class StartQAppSessionCommand extends $Command .f(void 0, void 0) .ser(se_StartQAppSessionCommand) .de(de_StartQAppSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartQAppSessionInput; + output: StartQAppSessionOutput; + }; + sdk: { + input: StartQAppSessionCommandInput; + output: StartQAppSessionCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/StopQAppSessionCommand.ts b/clients/client-qapps/src/commands/StopQAppSessionCommand.ts index 27be0787404c..ce39dec6325f 100644 --- a/clients/client-qapps/src/commands/StopQAppSessionCommand.ts +++ b/clients/client-qapps/src/commands/StopQAppSessionCommand.ts @@ -101,4 +101,16 @@ export class StopQAppSessionCommand extends $Command .f(void 0, void 0) .ser(se_StopQAppSessionCommand) .de(de_StopQAppSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopQAppSessionInput; + output: {}; + }; + sdk: { + input: StopQAppSessionCommandInput; + output: StopQAppSessionCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/TagResourceCommand.ts b/clients/client-qapps/src/commands/TagResourceCommand.ts index b9b7418113b5..1aeefc6e3dad 100644 --- a/clients/client-qapps/src/commands/TagResourceCommand.ts +++ b/clients/client-qapps/src/commands/TagResourceCommand.ts @@ -112,4 +112,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/UntagResourceCommand.ts b/clients/client-qapps/src/commands/UntagResourceCommand.ts index 76095cb4da97..8bd7962f37cb 100644 --- a/clients/client-qapps/src/commands/UntagResourceCommand.ts +++ b/clients/client-qapps/src/commands/UntagResourceCommand.ts @@ -108,4 +108,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/UpdateLibraryItemCommand.ts b/clients/client-qapps/src/commands/UpdateLibraryItemCommand.ts index 912249a48388..ebdab08e7fb4 100644 --- a/clients/client-qapps/src/commands/UpdateLibraryItemCommand.ts +++ b/clients/client-qapps/src/commands/UpdateLibraryItemCommand.ts @@ -163,4 +163,16 @@ export class UpdateLibraryItemCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLibraryItemCommand) .de(de_UpdateLibraryItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLibraryItemInput; + output: UpdateLibraryItemOutput; + }; + sdk: { + input: UpdateLibraryItemCommandInput; + output: UpdateLibraryItemCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/UpdateLibraryItemMetadataCommand.ts b/clients/client-qapps/src/commands/UpdateLibraryItemMetadataCommand.ts index 6e52c08f5ff3..8894398608c3 100644 --- a/clients/client-qapps/src/commands/UpdateLibraryItemMetadataCommand.ts +++ b/clients/client-qapps/src/commands/UpdateLibraryItemMetadataCommand.ts @@ -113,4 +113,16 @@ export class UpdateLibraryItemMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLibraryItemMetadataCommand) .de(de_UpdateLibraryItemMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLibraryItemMetadataInput; + output: {}; + }; + sdk: { + input: UpdateLibraryItemMetadataCommandInput; + output: UpdateLibraryItemMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/UpdateQAppCommand.ts b/clients/client-qapps/src/commands/UpdateQAppCommand.ts index ab473527c35b..963716591334 100644 --- a/clients/client-qapps/src/commands/UpdateQAppCommand.ts +++ b/clients/client-qapps/src/commands/UpdateQAppCommand.ts @@ -302,4 +302,16 @@ export class UpdateQAppCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQAppCommand) .de(de_UpdateQAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQAppInput; + output: UpdateQAppOutput; + }; + sdk: { + input: UpdateQAppCommandInput; + output: UpdateQAppCommandOutput; + }; + }; +} diff --git a/clients/client-qapps/src/commands/UpdateQAppSessionCommand.ts b/clients/client-qapps/src/commands/UpdateQAppSessionCommand.ts index f04d75b72a4b..b79c9267b7b7 100644 --- a/clients/client-qapps/src/commands/UpdateQAppSessionCommand.ts +++ b/clients/client-qapps/src/commands/UpdateQAppSessionCommand.ts @@ -112,4 +112,16 @@ export class UpdateQAppSessionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateQAppSessionCommand) .de(de_UpdateQAppSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQAppSessionInput; + output: UpdateQAppSessionOutput; + }; + sdk: { + input: UpdateQAppSessionCommandInput; + output: UpdateQAppSessionCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/package.json b/clients/client-qbusiness/package.json index 226f3ee05bc3..b6f1f4ee3160 100644 --- a/clients/client-qbusiness/package.json +++ b/clients/client-qbusiness/package.json @@ -35,33 +35,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-qbusiness/src/commands/BatchDeleteDocumentCommand.ts b/clients/client-qbusiness/src/commands/BatchDeleteDocumentCommand.ts index 1df1cd6dbc3b..05b5a566b180 100644 --- a/clients/client-qbusiness/src/commands/BatchDeleteDocumentCommand.ts +++ b/clients/client-qbusiness/src/commands/BatchDeleteDocumentCommand.ts @@ -120,4 +120,16 @@ export class BatchDeleteDocumentCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteDocumentCommand) .de(de_BatchDeleteDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteDocumentRequest; + output: BatchDeleteDocumentResponse; + }; + sdk: { + input: BatchDeleteDocumentCommandInput; + output: BatchDeleteDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/BatchPutDocumentCommand.ts b/clients/client-qbusiness/src/commands/BatchPutDocumentCommand.ts index af18e9b07b71..0f24e70c3fcd 100644 --- a/clients/client-qbusiness/src/commands/BatchPutDocumentCommand.ts +++ b/clients/client-qbusiness/src/commands/BatchPutDocumentCommand.ts @@ -232,4 +232,16 @@ export class BatchPutDocumentCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutDocumentCommand) .de(de_BatchPutDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutDocumentRequest; + output: BatchPutDocumentResponse; + }; + sdk: { + input: BatchPutDocumentCommandInput; + output: BatchPutDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ChatCommand.ts b/clients/client-qbusiness/src/commands/ChatCommand.ts index d017baa7fd68..c604d610865f 100644 --- a/clients/client-qbusiness/src/commands/ChatCommand.ts +++ b/clients/client-qbusiness/src/commands/ChatCommand.ts @@ -309,4 +309,16 @@ export class ChatCommand extends $Command .f(ChatInputFilterSensitiveLog, ChatOutputFilterSensitiveLog) .ser(se_ChatCommand) .de(de_ChatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChatInput; + output: ChatOutput; + }; + sdk: { + input: ChatCommandInput; + output: ChatCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ChatSyncCommand.ts b/clients/client-qbusiness/src/commands/ChatSyncCommand.ts index 9808119dba79..8f0fb157de80 100644 --- a/clients/client-qbusiness/src/commands/ChatSyncCommand.ts +++ b/clients/client-qbusiness/src/commands/ChatSyncCommand.ts @@ -276,4 +276,16 @@ export class ChatSyncCommand extends $Command .f(void 0, void 0) .ser(se_ChatSyncCommand) .de(de_ChatSyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChatSyncInput; + output: ChatSyncOutput; + }; + sdk: { + input: ChatSyncCommandInput; + output: ChatSyncCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts b/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts index c90a9c24118f..679599731eb1 100644 --- a/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts +++ b/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts @@ -142,4 +142,16 @@ export class CreateApplicationCommand extends $Command .f(CreateApplicationRequestFilterSensitiveLog, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreateDataSourceCommand.ts b/clients/client-qbusiness/src/commands/CreateDataSourceCommand.ts index 1cb5c482a1a8..056d05453d32 100644 --- a/clients/client-qbusiness/src/commands/CreateDataSourceCommand.ts +++ b/clients/client-qbusiness/src/commands/CreateDataSourceCommand.ts @@ -194,4 +194,16 @@ export class CreateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataSourceCommand) .de(de_CreateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceRequest; + output: CreateDataSourceResponse; + }; + sdk: { + input: CreateDataSourceCommandInput; + output: CreateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreateIndexCommand.ts b/clients/client-qbusiness/src/commands/CreateIndexCommand.ts index f2a1ecce64b7..87ffcce8efc4 100644 --- a/clients/client-qbusiness/src/commands/CreateIndexCommand.ts +++ b/clients/client-qbusiness/src/commands/CreateIndexCommand.ts @@ -126,4 +126,16 @@ export class CreateIndexCommand extends $Command .f(void 0, void 0) .ser(se_CreateIndexCommand) .de(de_CreateIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIndexRequest; + output: CreateIndexResponse; + }; + sdk: { + input: CreateIndexCommandInput; + output: CreateIndexCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreatePluginCommand.ts b/clients/client-qbusiness/src/commands/CreatePluginCommand.ts index 9d2fd57557b9..df7a27bb74d6 100644 --- a/clients/client-qbusiness/src/commands/CreatePluginCommand.ts +++ b/clients/client-qbusiness/src/commands/CreatePluginCommand.ts @@ -138,4 +138,16 @@ export class CreatePluginCommand extends $Command .f(CreatePluginRequestFilterSensitiveLog, void 0) .ser(se_CreatePluginCommand) .de(de_CreatePluginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePluginRequest; + output: CreatePluginResponse; + }; + sdk: { + input: CreatePluginCommandInput; + output: CreatePluginCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreateRetrieverCommand.ts b/clients/client-qbusiness/src/commands/CreateRetrieverCommand.ts index 1dd1d0e7b243..990aad065430 100644 --- a/clients/client-qbusiness/src/commands/CreateRetrieverCommand.ts +++ b/clients/client-qbusiness/src/commands/CreateRetrieverCommand.ts @@ -144,4 +144,16 @@ export class CreateRetrieverCommand extends $Command .f(void 0, void 0) .ser(se_CreateRetrieverCommand) .de(de_CreateRetrieverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRetrieverRequest; + output: CreateRetrieverResponse; + }; + sdk: { + input: CreateRetrieverCommandInput; + output: CreateRetrieverCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreateUserCommand.ts b/clients/client-qbusiness/src/commands/CreateUserCommand.ts index 606bd2a2200d..0713c7c6a2eb 100644 --- a/clients/client-qbusiness/src/commands/CreateUserCommand.ts +++ b/clients/client-qbusiness/src/commands/CreateUserCommand.ts @@ -112,4 +112,16 @@ export class CreateUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: {}; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreateWebExperienceCommand.ts b/clients/client-qbusiness/src/commands/CreateWebExperienceCommand.ts index 3154d65bc5c7..c0abc51e7285 100644 --- a/clients/client-qbusiness/src/commands/CreateWebExperienceCommand.ts +++ b/clients/client-qbusiness/src/commands/CreateWebExperienceCommand.ts @@ -126,4 +126,16 @@ export class CreateWebExperienceCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebExperienceCommand) .de(de_CreateWebExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebExperienceRequest; + output: CreateWebExperienceResponse; + }; + sdk: { + input: CreateWebExperienceCommandInput; + output: CreateWebExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteApplicationCommand.ts b/clients/client-qbusiness/src/commands/DeleteApplicationCommand.ts index 6646038cabfc..96c3c15b0ec0 100644 --- a/clients/client-qbusiness/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteApplicationCommand.ts @@ -99,4 +99,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteChatControlsConfigurationCommand.ts b/clients/client-qbusiness/src/commands/DeleteChatControlsConfigurationCommand.ts index 67be5912e8cb..bb463125f6b3 100644 --- a/clients/client-qbusiness/src/commands/DeleteChatControlsConfigurationCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteChatControlsConfigurationCommand.ts @@ -100,4 +100,16 @@ export class DeleteChatControlsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChatControlsConfigurationCommand) .de(de_DeleteChatControlsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChatControlsConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteChatControlsConfigurationCommandInput; + output: DeleteChatControlsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteConversationCommand.ts b/clients/client-qbusiness/src/commands/DeleteConversationCommand.ts index 3724d5bb7c62..b95b12dce071 100644 --- a/clients/client-qbusiness/src/commands/DeleteConversationCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteConversationCommand.ts @@ -101,4 +101,16 @@ export class DeleteConversationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConversationCommand) .de(de_DeleteConversationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConversationRequest; + output: {}; + }; + sdk: { + input: DeleteConversationCommandInput; + output: DeleteConversationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteDataSourceCommand.ts b/clients/client-qbusiness/src/commands/DeleteDataSourceCommand.ts index ae5588b53317..cf1ec924d95e 100644 --- a/clients/client-qbusiness/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteDataSourceCommand.ts @@ -103,4 +103,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceRequest; + output: {}; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteGroupCommand.ts b/clients/client-qbusiness/src/commands/DeleteGroupCommand.ts index a3bf5303a036..98645298b689 100644 --- a/clients/client-qbusiness/src/commands/DeleteGroupCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteGroupCommand.ts @@ -110,4 +110,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteIndexCommand.ts b/clients/client-qbusiness/src/commands/DeleteIndexCommand.ts index e2aa9c09314f..c4f0e32d3b48 100644 --- a/clients/client-qbusiness/src/commands/DeleteIndexCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteIndexCommand.ts @@ -100,4 +100,16 @@ export class DeleteIndexCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIndexCommand) .de(de_DeleteIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIndexRequest; + output: {}; + }; + sdk: { + input: DeleteIndexCommandInput; + output: DeleteIndexCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeletePluginCommand.ts b/clients/client-qbusiness/src/commands/DeletePluginCommand.ts index e20f9f787d8f..fdbe8b5ec044 100644 --- a/clients/client-qbusiness/src/commands/DeletePluginCommand.ts +++ b/clients/client-qbusiness/src/commands/DeletePluginCommand.ts @@ -100,4 +100,16 @@ export class DeletePluginCommand extends $Command .f(void 0, void 0) .ser(se_DeletePluginCommand) .de(de_DeletePluginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePluginRequest; + output: {}; + }; + sdk: { + input: DeletePluginCommandInput; + output: DeletePluginCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteRetrieverCommand.ts b/clients/client-qbusiness/src/commands/DeleteRetrieverCommand.ts index 9fecc87ab852..85be59f29752 100644 --- a/clients/client-qbusiness/src/commands/DeleteRetrieverCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteRetrieverCommand.ts @@ -100,4 +100,16 @@ export class DeleteRetrieverCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRetrieverCommand) .de(de_DeleteRetrieverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRetrieverRequest; + output: {}; + }; + sdk: { + input: DeleteRetrieverCommandInput; + output: DeleteRetrieverCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteUserCommand.ts b/clients/client-qbusiness/src/commands/DeleteUserCommand.ts index 49bbdd5913ee..ef1eb51a054e 100644 --- a/clients/client-qbusiness/src/commands/DeleteUserCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteUserCommand.ts @@ -100,4 +100,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/DeleteWebExperienceCommand.ts b/clients/client-qbusiness/src/commands/DeleteWebExperienceCommand.ts index 68d9beb27edc..2fac21b0b7ab 100644 --- a/clients/client-qbusiness/src/commands/DeleteWebExperienceCommand.ts +++ b/clients/client-qbusiness/src/commands/DeleteWebExperienceCommand.ts @@ -100,4 +100,16 @@ export class DeleteWebExperienceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWebExperienceCommand) .de(de_DeleteWebExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWebExperienceRequest; + output: {}; + }; + sdk: { + input: DeleteWebExperienceCommandInput; + output: DeleteWebExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetApplicationCommand.ts b/clients/client-qbusiness/src/commands/GetApplicationCommand.ts index 8e32580b28b8..069062053afc 100644 --- a/clients/client-qbusiness/src/commands/GetApplicationCommand.ts +++ b/clients/client-qbusiness/src/commands/GetApplicationCommand.ts @@ -134,4 +134,16 @@ export class GetApplicationCommand extends $Command .f(void 0, GetApplicationResponseFilterSensitiveLog) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: GetApplicationResponse; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetChatControlsConfigurationCommand.ts b/clients/client-qbusiness/src/commands/GetChatControlsConfigurationCommand.ts index 3d33cb609d9a..d17ccb690879 100644 --- a/clients/client-qbusiness/src/commands/GetChatControlsConfigurationCommand.ts +++ b/clients/client-qbusiness/src/commands/GetChatControlsConfigurationCommand.ts @@ -158,4 +158,16 @@ export class GetChatControlsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetChatControlsConfigurationCommand) .de(de_GetChatControlsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChatControlsConfigurationRequest; + output: GetChatControlsConfigurationResponse; + }; + sdk: { + input: GetChatControlsConfigurationCommandInput; + output: GetChatControlsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetDataSourceCommand.ts b/clients/client-qbusiness/src/commands/GetDataSourceCommand.ts index b09a3f6a17e8..de02fbff968b 100644 --- a/clients/client-qbusiness/src/commands/GetDataSourceCommand.ts +++ b/clients/client-qbusiness/src/commands/GetDataSourceCommand.ts @@ -188,4 +188,16 @@ export class GetDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_GetDataSourceCommand) .de(de_GetDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataSourceRequest; + output: GetDataSourceResponse; + }; + sdk: { + input: GetDataSourceCommandInput; + output: GetDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetGroupCommand.ts b/clients/client-qbusiness/src/commands/GetGroupCommand.ts index 5d16a0f66967..c89fea030f82 100644 --- a/clients/client-qbusiness/src/commands/GetGroupCommand.ts +++ b/clients/client-qbusiness/src/commands/GetGroupCommand.ts @@ -121,4 +121,16 @@ export class GetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCommand) .de(de_GetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupRequest; + output: GetGroupResponse; + }; + sdk: { + input: GetGroupCommandInput; + output: GetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetIndexCommand.ts b/clients/client-qbusiness/src/commands/GetIndexCommand.ts index 754c00ad1811..33c0c932b721 100644 --- a/clients/client-qbusiness/src/commands/GetIndexCommand.ts +++ b/clients/client-qbusiness/src/commands/GetIndexCommand.ts @@ -126,4 +126,16 @@ export class GetIndexCommand extends $Command .f(void 0, void 0) .ser(se_GetIndexCommand) .de(de_GetIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIndexRequest; + output: GetIndexResponse; + }; + sdk: { + input: GetIndexCommandInput; + output: GetIndexCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetPluginCommand.ts b/clients/client-qbusiness/src/commands/GetPluginCommand.ts index 0578a6639aac..f27bc997beb7 100644 --- a/clients/client-qbusiness/src/commands/GetPluginCommand.ts +++ b/clients/client-qbusiness/src/commands/GetPluginCommand.ts @@ -129,4 +129,16 @@ export class GetPluginCommand extends $Command .f(void 0, GetPluginResponseFilterSensitiveLog) .ser(se_GetPluginCommand) .de(de_GetPluginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPluginRequest; + output: GetPluginResponse; + }; + sdk: { + input: GetPluginCommandInput; + output: GetPluginCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetRetrieverCommand.ts b/clients/client-qbusiness/src/commands/GetRetrieverCommand.ts index 22eb869320a8..41dbe16da8f9 100644 --- a/clients/client-qbusiness/src/commands/GetRetrieverCommand.ts +++ b/clients/client-qbusiness/src/commands/GetRetrieverCommand.ts @@ -136,4 +136,16 @@ export class GetRetrieverCommand extends $Command .f(void 0, void 0) .ser(se_GetRetrieverCommand) .de(de_GetRetrieverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRetrieverRequest; + output: GetRetrieverResponse; + }; + sdk: { + input: GetRetrieverCommandInput; + output: GetRetrieverCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetUserCommand.ts b/clients/client-qbusiness/src/commands/GetUserCommand.ts index 33875bce1be9..40e57b3daecd 100644 --- a/clients/client-qbusiness/src/commands/GetUserCommand.ts +++ b/clients/client-qbusiness/src/commands/GetUserCommand.ts @@ -109,4 +109,16 @@ export class GetUserCommand extends $Command .f(void 0, void 0) .ser(se_GetUserCommand) .de(de_GetUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserRequest; + output: GetUserResponse; + }; + sdk: { + input: GetUserCommandInput; + output: GetUserCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/GetWebExperienceCommand.ts b/clients/client-qbusiness/src/commands/GetWebExperienceCommand.ts index 535fe2c3397c..d9403a590257 100644 --- a/clients/client-qbusiness/src/commands/GetWebExperienceCommand.ts +++ b/clients/client-qbusiness/src/commands/GetWebExperienceCommand.ts @@ -130,4 +130,16 @@ export class GetWebExperienceCommand extends $Command .f(void 0, void 0) .ser(se_GetWebExperienceCommand) .de(de_GetWebExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWebExperienceRequest; + output: GetWebExperienceResponse; + }; + sdk: { + input: GetWebExperienceCommandInput; + output: GetWebExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts b/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts index 048307b06f99..6c19e5529875 100644 --- a/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts @@ -104,4 +104,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListConversationsCommand.ts b/clients/client-qbusiness/src/commands/ListConversationsCommand.ts index 346031159c14..c2c761b1c0e2 100644 --- a/clients/client-qbusiness/src/commands/ListConversationsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListConversationsCommand.ts @@ -111,4 +111,16 @@ export class ListConversationsCommand extends $Command .f(void 0, void 0) .ser(se_ListConversationsCommand) .de(de_ListConversationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConversationsRequest; + output: ListConversationsResponse; + }; + sdk: { + input: ListConversationsCommandInput; + output: ListConversationsCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts b/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts index 11eccd6bc51e..872212b2476b 100644 --- a/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts @@ -124,4 +124,16 @@ export class ListDataSourceSyncJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourceSyncJobsCommand) .de(de_ListDataSourceSyncJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourceSyncJobsRequest; + output: ListDataSourceSyncJobsResponse; + }; + sdk: { + input: ListDataSourceSyncJobsCommandInput; + output: ListDataSourceSyncJobsCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListDataSourcesCommand.ts b/clients/client-qbusiness/src/commands/ListDataSourcesCommand.ts index c8846691538d..c94a2e8c8628 100644 --- a/clients/client-qbusiness/src/commands/ListDataSourcesCommand.ts +++ b/clients/client-qbusiness/src/commands/ListDataSourcesCommand.ts @@ -110,4 +110,16 @@ export class ListDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourcesCommand) .de(de_ListDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourcesRequest; + output: ListDataSourcesResponse; + }; + sdk: { + input: ListDataSourcesCommandInput; + output: ListDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListDocumentsCommand.ts b/clients/client-qbusiness/src/commands/ListDocumentsCommand.ts index b545b9d375a8..2db1157449cb 100644 --- a/clients/client-qbusiness/src/commands/ListDocumentsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListDocumentsCommand.ts @@ -115,4 +115,16 @@ export class ListDocumentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDocumentsCommand) .de(de_ListDocumentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDocumentsRequest; + output: ListDocumentsResponse; + }; + sdk: { + input: ListDocumentsCommandInput; + output: ListDocumentsCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListGroupsCommand.ts b/clients/client-qbusiness/src/commands/ListGroupsCommand.ts index 78c89c327984..c09906792981 100644 --- a/clients/client-qbusiness/src/commands/ListGroupsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListGroupsCommand.ts @@ -111,4 +111,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListIndicesCommand.ts b/clients/client-qbusiness/src/commands/ListIndicesCommand.ts index 76fd83048b50..1d3693452c0e 100644 --- a/clients/client-qbusiness/src/commands/ListIndicesCommand.ts +++ b/clients/client-qbusiness/src/commands/ListIndicesCommand.ts @@ -108,4 +108,16 @@ export class ListIndicesCommand extends $Command .f(void 0, void 0) .ser(se_ListIndicesCommand) .de(de_ListIndicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIndicesRequest; + output: ListIndicesResponse; + }; + sdk: { + input: ListIndicesCommandInput; + output: ListIndicesCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListMessagesCommand.ts b/clients/client-qbusiness/src/commands/ListMessagesCommand.ts index 71093d52fee9..09c1ca35fdb3 100644 --- a/clients/client-qbusiness/src/commands/ListMessagesCommand.ts +++ b/clients/client-qbusiness/src/commands/ListMessagesCommand.ts @@ -172,4 +172,16 @@ export class ListMessagesCommand extends $Command .f(void 0, void 0) .ser(se_ListMessagesCommand) .de(de_ListMessagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMessagesRequest; + output: ListMessagesResponse; + }; + sdk: { + input: ListMessagesCommandInput; + output: ListMessagesCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListPluginsCommand.ts b/clients/client-qbusiness/src/commands/ListPluginsCommand.ts index 3a546795e505..3884f36c5842 100644 --- a/clients/client-qbusiness/src/commands/ListPluginsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListPluginsCommand.ts @@ -111,4 +111,16 @@ export class ListPluginsCommand extends $Command .f(void 0, void 0) .ser(se_ListPluginsCommand) .de(de_ListPluginsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPluginsRequest; + output: ListPluginsResponse; + }; + sdk: { + input: ListPluginsCommandInput; + output: ListPluginsCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListRetrieversCommand.ts b/clients/client-qbusiness/src/commands/ListRetrieversCommand.ts index 8d4fa8d55c7d..5ab1cdadbe31 100644 --- a/clients/client-qbusiness/src/commands/ListRetrieversCommand.ts +++ b/clients/client-qbusiness/src/commands/ListRetrieversCommand.ts @@ -108,4 +108,16 @@ export class ListRetrieversCommand extends $Command .f(void 0, void 0) .ser(se_ListRetrieversCommand) .de(de_ListRetrieversCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRetrieversRequest; + output: ListRetrieversResponse; + }; + sdk: { + input: ListRetrieversCommandInput; + output: ListRetrieversCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListTagsForResourceCommand.ts b/clients/client-qbusiness/src/commands/ListTagsForResourceCommand.ts index e189c9c926cd..6434dc32ed10 100644 --- a/clients/client-qbusiness/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-qbusiness/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/ListWebExperiencesCommand.ts b/clients/client-qbusiness/src/commands/ListWebExperiencesCommand.ts index 9046068bb97f..e37fd5979be8 100644 --- a/clients/client-qbusiness/src/commands/ListWebExperiencesCommand.ts +++ b/clients/client-qbusiness/src/commands/ListWebExperiencesCommand.ts @@ -108,4 +108,16 @@ export class ListWebExperiencesCommand extends $Command .f(void 0, void 0) .ser(se_ListWebExperiencesCommand) .de(de_ListWebExperiencesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebExperiencesRequest; + output: ListWebExperiencesResponse; + }; + sdk: { + input: ListWebExperiencesCommandInput; + output: ListWebExperiencesCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/PutFeedbackCommand.ts b/clients/client-qbusiness/src/commands/PutFeedbackCommand.ts index e5d5ea225629..455f1d80bd2e 100644 --- a/clients/client-qbusiness/src/commands/PutFeedbackCommand.ts +++ b/clients/client-qbusiness/src/commands/PutFeedbackCommand.ts @@ -106,4 +106,16 @@ export class PutFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_PutFeedbackCommand) .de(de_PutFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFeedbackRequest; + output: {}; + }; + sdk: { + input: PutFeedbackCommandInput; + output: PutFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/PutGroupCommand.ts b/clients/client-qbusiness/src/commands/PutGroupCommand.ts index 883fd6f4f5f3..85e890579a85 100644 --- a/clients/client-qbusiness/src/commands/PutGroupCommand.ts +++ b/clients/client-qbusiness/src/commands/PutGroupCommand.ts @@ -126,4 +126,16 @@ export class PutGroupCommand extends $Command .f(void 0, void 0) .ser(se_PutGroupCommand) .de(de_PutGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutGroupRequest; + output: {}; + }; + sdk: { + input: PutGroupCommandInput; + output: PutGroupCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/StartDataSourceSyncJobCommand.ts b/clients/client-qbusiness/src/commands/StartDataSourceSyncJobCommand.ts index 8d25fff8fd51..cdbbfc2a0374 100644 --- a/clients/client-qbusiness/src/commands/StartDataSourceSyncJobCommand.ts +++ b/clients/client-qbusiness/src/commands/StartDataSourceSyncJobCommand.ts @@ -107,4 +107,16 @@ export class StartDataSourceSyncJobCommand extends $Command .f(void 0, void 0) .ser(se_StartDataSourceSyncJobCommand) .de(de_StartDataSourceSyncJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDataSourceSyncJobRequest; + output: StartDataSourceSyncJobResponse; + }; + sdk: { + input: StartDataSourceSyncJobCommandInput; + output: StartDataSourceSyncJobCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/StopDataSourceSyncJobCommand.ts b/clients/client-qbusiness/src/commands/StopDataSourceSyncJobCommand.ts index 8206837613a7..1da7ad3015b7 100644 --- a/clients/client-qbusiness/src/commands/StopDataSourceSyncJobCommand.ts +++ b/clients/client-qbusiness/src/commands/StopDataSourceSyncJobCommand.ts @@ -98,4 +98,16 @@ export class StopDataSourceSyncJobCommand extends $Command .f(void 0, void 0) .ser(se_StopDataSourceSyncJobCommand) .de(de_StopDataSourceSyncJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDataSourceSyncJobRequest; + output: {}; + }; + sdk: { + input: StopDataSourceSyncJobCommandInput; + output: StopDataSourceSyncJobCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/TagResourceCommand.ts b/clients/client-qbusiness/src/commands/TagResourceCommand.ts index aa9bfb09570c..00ce48988b02 100644 --- a/clients/client-qbusiness/src/commands/TagResourceCommand.ts +++ b/clients/client-qbusiness/src/commands/TagResourceCommand.ts @@ -107,4 +107,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UntagResourceCommand.ts b/clients/client-qbusiness/src/commands/UntagResourceCommand.ts index 8237df6bfa98..e191c1cc2520 100644 --- a/clients/client-qbusiness/src/commands/UntagResourceCommand.ts +++ b/clients/client-qbusiness/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdateApplicationCommand.ts b/clients/client-qbusiness/src/commands/UpdateApplicationCommand.ts index eb6372499c66..0279c29362e6 100644 --- a/clients/client-qbusiness/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdateApplicationCommand.ts @@ -116,4 +116,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdateChatControlsConfigurationCommand.ts b/clients/client-qbusiness/src/commands/UpdateChatControlsConfigurationCommand.ts index b240a1278aea..f6bfc9737ca3 100644 --- a/clients/client-qbusiness/src/commands/UpdateChatControlsConfigurationCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdateChatControlsConfigurationCommand.ts @@ -208,4 +208,16 @@ export class UpdateChatControlsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateChatControlsConfigurationCommand) .de(de_UpdateChatControlsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChatControlsConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateChatControlsConfigurationCommandInput; + output: UpdateChatControlsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdateDataSourceCommand.ts b/clients/client-qbusiness/src/commands/UpdateDataSourceCommand.ts index 341547296c95..d090622eee2d 100644 --- a/clients/client-qbusiness/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdateDataSourceCommand.ts @@ -179,4 +179,16 @@ export class UpdateDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceRequest; + output: {}; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdateIndexCommand.ts b/clients/client-qbusiness/src/commands/UpdateIndexCommand.ts index 02b3027826e5..a02141f46490 100644 --- a/clients/client-qbusiness/src/commands/UpdateIndexCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdateIndexCommand.ts @@ -115,4 +115,16 @@ export class UpdateIndexCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIndexCommand) .de(de_UpdateIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIndexRequest; + output: {}; + }; + sdk: { + input: UpdateIndexCommandInput; + output: UpdateIndexCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdatePluginCommand.ts b/clients/client-qbusiness/src/commands/UpdatePluginCommand.ts index 022acaa2d2b0..ed875a4731c9 100644 --- a/clients/client-qbusiness/src/commands/UpdatePluginCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdatePluginCommand.ts @@ -128,4 +128,16 @@ export class UpdatePluginCommand extends $Command .f(UpdatePluginRequestFilterSensitiveLog, void 0) .ser(se_UpdatePluginCommand) .de(de_UpdatePluginCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePluginRequest; + output: {}; + }; + sdk: { + input: UpdatePluginCommandInput; + output: UpdatePluginCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdateRetrieverCommand.ts b/clients/client-qbusiness/src/commands/UpdateRetrieverCommand.ts index 8dc41776157d..f7af180308e1 100644 --- a/clients/client-qbusiness/src/commands/UpdateRetrieverCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdateRetrieverCommand.ts @@ -134,4 +134,16 @@ export class UpdateRetrieverCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRetrieverCommand) .de(de_UpdateRetrieverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRetrieverRequest; + output: {}; + }; + sdk: { + input: UpdateRetrieverCommandInput; + output: UpdateRetrieverCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdateUserCommand.ts b/clients/client-qbusiness/src/commands/UpdateUserCommand.ts index cb83616fb0cc..f5a8ab7d4cd9 100644 --- a/clients/client-qbusiness/src/commands/UpdateUserCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdateUserCommand.ts @@ -135,4 +135,16 @@ export class UpdateUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: UpdateUserResponse; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/UpdateWebExperienceCommand.ts b/clients/client-qbusiness/src/commands/UpdateWebExperienceCommand.ts index e244c8b6715f..ff1f65cc5dde 100644 --- a/clients/client-qbusiness/src/commands/UpdateWebExperienceCommand.ts +++ b/clients/client-qbusiness/src/commands/UpdateWebExperienceCommand.ts @@ -122,4 +122,16 @@ export class UpdateWebExperienceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWebExperienceCommand) .de(de_UpdateWebExperienceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWebExperienceRequest; + output: {}; + }; + sdk: { + input: UpdateWebExperienceCommandInput; + output: UpdateWebExperienceCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/package.json b/clients/client-qconnect/package.json index 0706ba30991d..1958471242fd 100644 --- a/clients/client-qconnect/package.json +++ b/clients/client-qconnect/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-qconnect/src/commands/CreateAssistantAssociationCommand.ts b/clients/client-qconnect/src/commands/CreateAssistantAssociationCommand.ts index 9914951c087e..fa3ab451ade0 100644 --- a/clients/client-qconnect/src/commands/CreateAssistantAssociationCommand.ts +++ b/clients/client-qconnect/src/commands/CreateAssistantAssociationCommand.ts @@ -121,4 +121,16 @@ export class CreateAssistantAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssistantAssociationCommand) .de(de_CreateAssistantAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssistantAssociationRequest; + output: CreateAssistantAssociationResponse; + }; + sdk: { + input: CreateAssistantAssociationCommandInput; + output: CreateAssistantAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/CreateAssistantCommand.ts b/clients/client-qconnect/src/commands/CreateAssistantCommand.ts index 2e5d57868632..deb205c6679b 100644 --- a/clients/client-qconnect/src/commands/CreateAssistantCommand.ts +++ b/clients/client-qconnect/src/commands/CreateAssistantCommand.ts @@ -121,4 +121,16 @@ export class CreateAssistantCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssistantCommand) .de(de_CreateAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssistantRequest; + output: CreateAssistantResponse; + }; + sdk: { + input: CreateAssistantCommandInput; + output: CreateAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/CreateContentAssociationCommand.ts b/clients/client-qconnect/src/commands/CreateContentAssociationCommand.ts index db37a7386849..aac0450143f2 100644 --- a/clients/client-qconnect/src/commands/CreateContentAssociationCommand.ts +++ b/clients/client-qconnect/src/commands/CreateContentAssociationCommand.ts @@ -145,4 +145,16 @@ export class CreateContentAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateContentAssociationCommand) .de(de_CreateContentAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContentAssociationRequest; + output: CreateContentAssociationResponse; + }; + sdk: { + input: CreateContentAssociationCommandInput; + output: CreateContentAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/CreateContentCommand.ts b/clients/client-qconnect/src/commands/CreateContentCommand.ts index 45b698e84ca8..548fd212aca3 100644 --- a/clients/client-qconnect/src/commands/CreateContentCommand.ts +++ b/clients/client-qconnect/src/commands/CreateContentCommand.ts @@ -130,4 +130,16 @@ export class CreateContentCommand extends $Command .f(void 0, CreateContentResponseFilterSensitiveLog) .ser(se_CreateContentCommand) .de(de_CreateContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContentRequest; + output: CreateContentResponse; + }; + sdk: { + input: CreateContentCommandInput; + output: CreateContentCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/CreateKnowledgeBaseCommand.ts b/clients/client-qconnect/src/commands/CreateKnowledgeBaseCommand.ts index 19975a6fe7e8..256c14886f7c 100644 --- a/clients/client-qconnect/src/commands/CreateKnowledgeBaseCommand.ts +++ b/clients/client-qconnect/src/commands/CreateKnowledgeBaseCommand.ts @@ -161,4 +161,16 @@ export class CreateKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateKnowledgeBaseCommand) .de(de_CreateKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKnowledgeBaseRequest; + output: CreateKnowledgeBaseResponse; + }; + sdk: { + input: CreateKnowledgeBaseCommandInput; + output: CreateKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/CreateQuickResponseCommand.ts b/clients/client-qconnect/src/commands/CreateQuickResponseCommand.ts index dce1af73fdbe..a993c9980e9a 100644 --- a/clients/client-qconnect/src/commands/CreateQuickResponseCommand.ts +++ b/clients/client-qconnect/src/commands/CreateQuickResponseCommand.ts @@ -158,4 +158,16 @@ export class CreateQuickResponseCommand extends $Command .f(CreateQuickResponseRequestFilterSensitiveLog, CreateQuickResponseResponseFilterSensitiveLog) .ser(se_CreateQuickResponseCommand) .de(de_CreateQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQuickResponseRequest; + output: CreateQuickResponseResponse; + }; + sdk: { + input: CreateQuickResponseCommandInput; + output: CreateQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/CreateSessionCommand.ts b/clients/client-qconnect/src/commands/CreateSessionCommand.ts index bd5aa71e4c94..bb1065fe6176 100644 --- a/clients/client-qconnect/src/commands/CreateSessionCommand.ts +++ b/clients/client-qconnect/src/commands/CreateSessionCommand.ts @@ -151,4 +151,16 @@ export class CreateSessionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSessionCommand) .de(de_CreateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSessionRequest; + output: CreateSessionResponse; + }; + sdk: { + input: CreateSessionCommandInput; + output: CreateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/DeleteAssistantAssociationCommand.ts b/clients/client-qconnect/src/commands/DeleteAssistantAssociationCommand.ts index 5e3e48c11773..bad48c6829b2 100644 --- a/clients/client-qconnect/src/commands/DeleteAssistantAssociationCommand.ts +++ b/clients/client-qconnect/src/commands/DeleteAssistantAssociationCommand.ts @@ -85,4 +85,16 @@ export class DeleteAssistantAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssistantAssociationCommand) .de(de_DeleteAssistantAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssistantAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteAssistantAssociationCommandInput; + output: DeleteAssistantAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/DeleteAssistantCommand.ts b/clients/client-qconnect/src/commands/DeleteAssistantCommand.ts index 15863f3133fe..c0bea65af644 100644 --- a/clients/client-qconnect/src/commands/DeleteAssistantCommand.ts +++ b/clients/client-qconnect/src/commands/DeleteAssistantCommand.ts @@ -84,4 +84,16 @@ export class DeleteAssistantCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssistantCommand) .de(de_DeleteAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssistantRequest; + output: {}; + }; + sdk: { + input: DeleteAssistantCommandInput; + output: DeleteAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/DeleteContentAssociationCommand.ts b/clients/client-qconnect/src/commands/DeleteContentAssociationCommand.ts index f05993d98fce..b48347c5834a 100644 --- a/clients/client-qconnect/src/commands/DeleteContentAssociationCommand.ts +++ b/clients/client-qconnect/src/commands/DeleteContentAssociationCommand.ts @@ -89,4 +89,16 @@ export class DeleteContentAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContentAssociationCommand) .de(de_DeleteContentAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContentAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteContentAssociationCommandInput; + output: DeleteContentAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/DeleteContentCommand.ts b/clients/client-qconnect/src/commands/DeleteContentCommand.ts index dea8e44f98f3..13c123d3dd4f 100644 --- a/clients/client-qconnect/src/commands/DeleteContentCommand.ts +++ b/clients/client-qconnect/src/commands/DeleteContentCommand.ts @@ -85,4 +85,16 @@ export class DeleteContentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContentCommand) .de(de_DeleteContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContentRequest; + output: {}; + }; + sdk: { + input: DeleteContentCommandInput; + output: DeleteContentCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/DeleteImportJobCommand.ts b/clients/client-qconnect/src/commands/DeleteImportJobCommand.ts index 3c5d521e9451..9262b2ec7a21 100644 --- a/clients/client-qconnect/src/commands/DeleteImportJobCommand.ts +++ b/clients/client-qconnect/src/commands/DeleteImportJobCommand.ts @@ -91,4 +91,16 @@ export class DeleteImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImportJobCommand) .de(de_DeleteImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImportJobRequest; + output: {}; + }; + sdk: { + input: DeleteImportJobCommandInput; + output: DeleteImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/DeleteKnowledgeBaseCommand.ts b/clients/client-qconnect/src/commands/DeleteKnowledgeBaseCommand.ts index d61b5423b5de..9902b5f19f84 100644 --- a/clients/client-qconnect/src/commands/DeleteKnowledgeBaseCommand.ts +++ b/clients/client-qconnect/src/commands/DeleteKnowledgeBaseCommand.ts @@ -98,4 +98,16 @@ export class DeleteKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKnowledgeBaseCommand) .de(de_DeleteKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKnowledgeBaseRequest; + output: {}; + }; + sdk: { + input: DeleteKnowledgeBaseCommandInput; + output: DeleteKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/DeleteQuickResponseCommand.ts b/clients/client-qconnect/src/commands/DeleteQuickResponseCommand.ts index d1d742e12851..3fc1478975d9 100644 --- a/clients/client-qconnect/src/commands/DeleteQuickResponseCommand.ts +++ b/clients/client-qconnect/src/commands/DeleteQuickResponseCommand.ts @@ -85,4 +85,16 @@ export class DeleteQuickResponseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQuickResponseCommand) .de(de_DeleteQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQuickResponseRequest; + output: {}; + }; + sdk: { + input: DeleteQuickResponseCommandInput; + output: DeleteQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetAssistantAssociationCommand.ts b/clients/client-qconnect/src/commands/GetAssistantAssociationCommand.ts index 4f612c1ba4a2..d1a63e8115e3 100644 --- a/clients/client-qconnect/src/commands/GetAssistantAssociationCommand.ts +++ b/clients/client-qconnect/src/commands/GetAssistantAssociationCommand.ts @@ -102,4 +102,16 @@ export class GetAssistantAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetAssistantAssociationCommand) .de(de_GetAssistantAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssistantAssociationRequest; + output: GetAssistantAssociationResponse; + }; + sdk: { + input: GetAssistantAssociationCommandInput; + output: GetAssistantAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetAssistantCommand.ts b/clients/client-qconnect/src/commands/GetAssistantCommand.ts index 5331e9cdf4a9..4220a757b8b8 100644 --- a/clients/client-qconnect/src/commands/GetAssistantCommand.ts +++ b/clients/client-qconnect/src/commands/GetAssistantCommand.ts @@ -105,4 +105,16 @@ export class GetAssistantCommand extends $Command .f(void 0, void 0) .ser(se_GetAssistantCommand) .de(de_GetAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssistantRequest; + output: GetAssistantResponse; + }; + sdk: { + input: GetAssistantCommandInput; + output: GetAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetContentAssociationCommand.ts b/clients/client-qconnect/src/commands/GetContentAssociationCommand.ts index 2d5c7d00924e..64e274d6314f 100644 --- a/clients/client-qconnect/src/commands/GetContentAssociationCommand.ts +++ b/clients/client-qconnect/src/commands/GetContentAssociationCommand.ts @@ -107,4 +107,16 @@ export class GetContentAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetContentAssociationCommand) .de(de_GetContentAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContentAssociationRequest; + output: GetContentAssociationResponse; + }; + sdk: { + input: GetContentAssociationCommandInput; + output: GetContentAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetContentCommand.ts b/clients/client-qconnect/src/commands/GetContentCommand.ts index 3299dce597bd..1eecabb86679 100644 --- a/clients/client-qconnect/src/commands/GetContentCommand.ts +++ b/clients/client-qconnect/src/commands/GetContentCommand.ts @@ -106,4 +106,16 @@ export class GetContentCommand extends $Command .f(void 0, GetContentResponseFilterSensitiveLog) .ser(se_GetContentCommand) .de(de_GetContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContentRequest; + output: GetContentResponse; + }; + sdk: { + input: GetContentCommandInput; + output: GetContentCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetContentSummaryCommand.ts b/clients/client-qconnect/src/commands/GetContentSummaryCommand.ts index 4294101cf928..a737e46984ea 100644 --- a/clients/client-qconnect/src/commands/GetContentSummaryCommand.ts +++ b/clients/client-qconnect/src/commands/GetContentSummaryCommand.ts @@ -103,4 +103,16 @@ export class GetContentSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetContentSummaryCommand) .de(de_GetContentSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContentSummaryRequest; + output: GetContentSummaryResponse; + }; + sdk: { + input: GetContentSummaryCommandInput; + output: GetContentSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetImportJobCommand.ts b/clients/client-qconnect/src/commands/GetImportJobCommand.ts index cee84a0d6fe9..fe9ec17382fa 100644 --- a/clients/client-qconnect/src/commands/GetImportJobCommand.ts +++ b/clients/client-qconnect/src/commands/GetImportJobCommand.ts @@ -110,4 +110,16 @@ export class GetImportJobCommand extends $Command .f(void 0, GetImportJobResponseFilterSensitiveLog) .ser(se_GetImportJobCommand) .de(de_GetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportJobRequest; + output: GetImportJobResponse; + }; + sdk: { + input: GetImportJobCommandInput; + output: GetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetKnowledgeBaseCommand.ts b/clients/client-qconnect/src/commands/GetKnowledgeBaseCommand.ts index a901e7fdf6be..e011eb8a0534 100644 --- a/clients/client-qconnect/src/commands/GetKnowledgeBaseCommand.ts +++ b/clients/client-qconnect/src/commands/GetKnowledgeBaseCommand.ts @@ -111,4 +111,16 @@ export class GetKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_GetKnowledgeBaseCommand) .de(de_GetKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKnowledgeBaseRequest; + output: GetKnowledgeBaseResponse; + }; + sdk: { + input: GetKnowledgeBaseCommandInput; + output: GetKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetQuickResponseCommand.ts b/clients/client-qconnect/src/commands/GetQuickResponseCommand.ts index 02fa5c144ce2..781e6e534156 100644 --- a/clients/client-qconnect/src/commands/GetQuickResponseCommand.ts +++ b/clients/client-qconnect/src/commands/GetQuickResponseCommand.ts @@ -126,4 +126,16 @@ export class GetQuickResponseCommand extends $Command .f(void 0, GetQuickResponseResponseFilterSensitiveLog) .ser(se_GetQuickResponseCommand) .de(de_GetQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQuickResponseRequest; + output: GetQuickResponseResponse; + }; + sdk: { + input: GetQuickResponseCommandInput; + output: GetQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetRecommendationsCommand.ts b/clients/client-qconnect/src/commands/GetRecommendationsCommand.ts index f289f4d92c83..ed053806d743 100644 --- a/clients/client-qconnect/src/commands/GetRecommendationsCommand.ts +++ b/clients/client-qconnect/src/commands/GetRecommendationsCommand.ts @@ -255,4 +255,16 @@ export class GetRecommendationsCommand extends $Command .f(void 0, GetRecommendationsResponseFilterSensitiveLog) .ser(se_GetRecommendationsCommand) .de(de_GetRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationsRequest; + output: GetRecommendationsResponse; + }; + sdk: { + input: GetRecommendationsCommandInput; + output: GetRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/GetSessionCommand.ts b/clients/client-qconnect/src/commands/GetSessionCommand.ts index 665f20d0563b..3064e9a27bbb 100644 --- a/clients/client-qconnect/src/commands/GetSessionCommand.ts +++ b/clients/client-qconnect/src/commands/GetSessionCommand.ts @@ -118,4 +118,16 @@ export class GetSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetSessionCommand) .de(de_GetSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListAssistantAssociationsCommand.ts b/clients/client-qconnect/src/commands/ListAssistantAssociationsCommand.ts index a27b20655540..efc7f11ef00f 100644 --- a/clients/client-qconnect/src/commands/ListAssistantAssociationsCommand.ts +++ b/clients/client-qconnect/src/commands/ListAssistantAssociationsCommand.ts @@ -106,4 +106,16 @@ export class ListAssistantAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssistantAssociationsCommand) .de(de_ListAssistantAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssistantAssociationsRequest; + output: ListAssistantAssociationsResponse; + }; + sdk: { + input: ListAssistantAssociationsCommandInput; + output: ListAssistantAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListAssistantsCommand.ts b/clients/client-qconnect/src/commands/ListAssistantsCommand.ts index f8f35f9c699f..3add6b16f096 100644 --- a/clients/client-qconnect/src/commands/ListAssistantsCommand.ts +++ b/clients/client-qconnect/src/commands/ListAssistantsCommand.ts @@ -106,4 +106,16 @@ export class ListAssistantsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssistantsCommand) .de(de_ListAssistantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssistantsRequest; + output: ListAssistantsResponse; + }; + sdk: { + input: ListAssistantsCommandInput; + output: ListAssistantsCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListContentAssociationsCommand.ts b/clients/client-qconnect/src/commands/ListContentAssociationsCommand.ts index cfc229987503..d55de64a76d2 100644 --- a/clients/client-qconnect/src/commands/ListContentAssociationsCommand.ts +++ b/clients/client-qconnect/src/commands/ListContentAssociationsCommand.ts @@ -111,4 +111,16 @@ export class ListContentAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListContentAssociationsCommand) .de(de_ListContentAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContentAssociationsRequest; + output: ListContentAssociationsResponse; + }; + sdk: { + input: ListContentAssociationsCommandInput; + output: ListContentAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListContentsCommand.ts b/clients/client-qconnect/src/commands/ListContentsCommand.ts index 3c2c2c05dae3..b5ab75e90412 100644 --- a/clients/client-qconnect/src/commands/ListContentsCommand.ts +++ b/clients/client-qconnect/src/commands/ListContentsCommand.ts @@ -107,4 +107,16 @@ export class ListContentsCommand extends $Command .f(void 0, void 0) .ser(se_ListContentsCommand) .de(de_ListContentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContentsRequest; + output: ListContentsResponse; + }; + sdk: { + input: ListContentsCommandInput; + output: ListContentsCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListImportJobsCommand.ts b/clients/client-qconnect/src/commands/ListImportJobsCommand.ts index f1392a3974a7..a1ae71cdda51 100644 --- a/clients/client-qconnect/src/commands/ListImportJobsCommand.ts +++ b/clients/client-qconnect/src/commands/ListImportJobsCommand.ts @@ -108,4 +108,16 @@ export class ListImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportJobsCommand) .de(de_ListImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportJobsRequest; + output: ListImportJobsResponse; + }; + sdk: { + input: ListImportJobsCommandInput; + output: ListImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListKnowledgeBasesCommand.ts b/clients/client-qconnect/src/commands/ListKnowledgeBasesCommand.ts index 1475966ec419..0e73684ebfd2 100644 --- a/clients/client-qconnect/src/commands/ListKnowledgeBasesCommand.ts +++ b/clients/client-qconnect/src/commands/ListKnowledgeBasesCommand.ts @@ -111,4 +111,16 @@ export class ListKnowledgeBasesCommand extends $Command .f(void 0, void 0) .ser(se_ListKnowledgeBasesCommand) .de(de_ListKnowledgeBasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKnowledgeBasesRequest; + output: ListKnowledgeBasesResponse; + }; + sdk: { + input: ListKnowledgeBasesCommandInput; + output: ListKnowledgeBasesCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListQuickResponsesCommand.ts b/clients/client-qconnect/src/commands/ListQuickResponsesCommand.ts index f151c389baf7..0f7fe0751b7c 100644 --- a/clients/client-qconnect/src/commands/ListQuickResponsesCommand.ts +++ b/clients/client-qconnect/src/commands/ListQuickResponsesCommand.ts @@ -114,4 +114,16 @@ export class ListQuickResponsesCommand extends $Command .f(void 0, ListQuickResponsesResponseFilterSensitiveLog) .ser(se_ListQuickResponsesCommand) .de(de_ListQuickResponsesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQuickResponsesRequest; + output: ListQuickResponsesResponse; + }; + sdk: { + input: ListQuickResponsesCommandInput; + output: ListQuickResponsesCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/ListTagsForResourceCommand.ts b/clients/client-qconnect/src/commands/ListTagsForResourceCommand.ts index b84fbabb0146..70bc73e4d4e4 100644 --- a/clients/client-qconnect/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-qconnect/src/commands/ListTagsForResourceCommand.ts @@ -82,4 +82,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/NotifyRecommendationsReceivedCommand.ts b/clients/client-qconnect/src/commands/NotifyRecommendationsReceivedCommand.ts index c3953ff69a8a..aa6319fd5b53 100644 --- a/clients/client-qconnect/src/commands/NotifyRecommendationsReceivedCommand.ts +++ b/clients/client-qconnect/src/commands/NotifyRecommendationsReceivedCommand.ts @@ -105,4 +105,16 @@ export class NotifyRecommendationsReceivedCommand extends $Command .f(void 0, void 0) .ser(se_NotifyRecommendationsReceivedCommand) .de(de_NotifyRecommendationsReceivedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyRecommendationsReceivedRequest; + output: NotifyRecommendationsReceivedResponse; + }; + sdk: { + input: NotifyRecommendationsReceivedCommandInput; + output: NotifyRecommendationsReceivedCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/PutFeedbackCommand.ts b/clients/client-qconnect/src/commands/PutFeedbackCommand.ts index b0ea71339bd8..85da51d573c8 100644 --- a/clients/client-qconnect/src/commands/PutFeedbackCommand.ts +++ b/clients/client-qconnect/src/commands/PutFeedbackCommand.ts @@ -102,4 +102,16 @@ export class PutFeedbackCommand extends $Command .f(void 0, void 0) .ser(se_PutFeedbackCommand) .de(de_PutFeedbackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFeedbackRequest; + output: PutFeedbackResponse; + }; + sdk: { + input: PutFeedbackCommandInput; + output: PutFeedbackCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/QueryAssistantCommand.ts b/clients/client-qconnect/src/commands/QueryAssistantCommand.ts index d6aad812161a..0441348d761a 100644 --- a/clients/client-qconnect/src/commands/QueryAssistantCommand.ts +++ b/clients/client-qconnect/src/commands/QueryAssistantCommand.ts @@ -254,4 +254,16 @@ export class QueryAssistantCommand extends $Command .f(QueryAssistantRequestFilterSensitiveLog, QueryAssistantResponseFilterSensitiveLog) .ser(se_QueryAssistantCommand) .de(de_QueryAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryAssistantRequest; + output: QueryAssistantResponse; + }; + sdk: { + input: QueryAssistantCommandInput; + output: QueryAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts b/clients/client-qconnect/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts index b09b618faa3f..3ed510bc187b 100644 --- a/clients/client-qconnect/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts +++ b/clients/client-qconnect/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts @@ -89,4 +89,16 @@ export class RemoveKnowledgeBaseTemplateUriCommand extends $Command .f(void 0, void 0) .ser(se_RemoveKnowledgeBaseTemplateUriCommand) .de(de_RemoveKnowledgeBaseTemplateUriCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveKnowledgeBaseTemplateUriRequest; + output: {}; + }; + sdk: { + input: RemoveKnowledgeBaseTemplateUriCommandInput; + output: RemoveKnowledgeBaseTemplateUriCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/SearchContentCommand.ts b/clients/client-qconnect/src/commands/SearchContentCommand.ts index 8cf5633b9ef9..4f2b2510d3eb 100644 --- a/clients/client-qconnect/src/commands/SearchContentCommand.ts +++ b/clients/client-qconnect/src/commands/SearchContentCommand.ts @@ -117,4 +117,16 @@ export class SearchContentCommand extends $Command .f(void 0, void 0) .ser(se_SearchContentCommand) .de(de_SearchContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchContentRequest; + output: SearchContentResponse; + }; + sdk: { + input: SearchContentCommandInput; + output: SearchContentCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/SearchQuickResponsesCommand.ts b/clients/client-qconnect/src/commands/SearchQuickResponsesCommand.ts index bad5a640f895..3b5b97a2b7ad 100644 --- a/clients/client-qconnect/src/commands/SearchQuickResponsesCommand.ts +++ b/clients/client-qconnect/src/commands/SearchQuickResponsesCommand.ts @@ -172,4 +172,16 @@ export class SearchQuickResponsesCommand extends $Command .f(SearchQuickResponsesRequestFilterSensitiveLog, SearchQuickResponsesResponseFilterSensitiveLog) .ser(se_SearchQuickResponsesCommand) .de(de_SearchQuickResponsesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchQuickResponsesRequest; + output: SearchQuickResponsesResponse; + }; + sdk: { + input: SearchQuickResponsesCommandInput; + output: SearchQuickResponsesCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/SearchSessionsCommand.ts b/clients/client-qconnect/src/commands/SearchSessionsCommand.ts index 2416895b3933..f8cddde415b3 100644 --- a/clients/client-qconnect/src/commands/SearchSessionsCommand.ts +++ b/clients/client-qconnect/src/commands/SearchSessionsCommand.ts @@ -105,4 +105,16 @@ export class SearchSessionsCommand extends $Command .f(void 0, void 0) .ser(se_SearchSessionsCommand) .de(de_SearchSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchSessionsRequest; + output: SearchSessionsResponse; + }; + sdk: { + input: SearchSessionsCommandInput; + output: SearchSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/StartContentUploadCommand.ts b/clients/client-qconnect/src/commands/StartContentUploadCommand.ts index 639ba8b34604..eb531b5a5f9e 100644 --- a/clients/client-qconnect/src/commands/StartContentUploadCommand.ts +++ b/clients/client-qconnect/src/commands/StartContentUploadCommand.ts @@ -102,4 +102,16 @@ export class StartContentUploadCommand extends $Command .f(void 0, StartContentUploadResponseFilterSensitiveLog) .ser(se_StartContentUploadCommand) .de(de_StartContentUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartContentUploadRequest; + output: StartContentUploadResponse; + }; + sdk: { + input: StartContentUploadCommandInput; + output: StartContentUploadCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/StartImportJobCommand.ts b/clients/client-qconnect/src/commands/StartImportJobCommand.ts index 9df61b3a7aa5..d4dda3e8de6d 100644 --- a/clients/client-qconnect/src/commands/StartImportJobCommand.ts +++ b/clients/client-qconnect/src/commands/StartImportJobCommand.ts @@ -146,4 +146,16 @@ export class StartImportJobCommand extends $Command .f(void 0, StartImportJobResponseFilterSensitiveLog) .ser(se_StartImportJobCommand) .de(de_StartImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportJobRequest; + output: StartImportJobResponse; + }; + sdk: { + input: StartImportJobCommandInput; + output: StartImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/TagResourceCommand.ts b/clients/client-qconnect/src/commands/TagResourceCommand.ts index e69c95d6f4f7..e21c55099dbf 100644 --- a/clients/client-qconnect/src/commands/TagResourceCommand.ts +++ b/clients/client-qconnect/src/commands/TagResourceCommand.ts @@ -84,4 +84,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/UntagResourceCommand.ts b/clients/client-qconnect/src/commands/UntagResourceCommand.ts index 14da8946a3e3..fe94dcb455c6 100644 --- a/clients/client-qconnect/src/commands/UntagResourceCommand.ts +++ b/clients/client-qconnect/src/commands/UntagResourceCommand.ts @@ -81,4 +81,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/UpdateContentCommand.ts b/clients/client-qconnect/src/commands/UpdateContentCommand.ts index 99f0e7863145..35226bcfe088 100644 --- a/clients/client-qconnect/src/commands/UpdateContentCommand.ts +++ b/clients/client-qconnect/src/commands/UpdateContentCommand.ts @@ -122,4 +122,16 @@ export class UpdateContentCommand extends $Command .f(void 0, UpdateContentResponseFilterSensitiveLog) .ser(se_UpdateContentCommand) .de(de_UpdateContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContentRequest; + output: UpdateContentResponse; + }; + sdk: { + input: UpdateContentCommandInput; + output: UpdateContentCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts b/clients/client-qconnect/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts index 38c2afc5769a..905b8d748ea1 100644 --- a/clients/client-qconnect/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts +++ b/clients/client-qconnect/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts @@ -122,4 +122,16 @@ export class UpdateKnowledgeBaseTemplateUriCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKnowledgeBaseTemplateUriCommand) .de(de_UpdateKnowledgeBaseTemplateUriCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKnowledgeBaseTemplateUriRequest; + output: UpdateKnowledgeBaseTemplateUriResponse; + }; + sdk: { + input: UpdateKnowledgeBaseTemplateUriCommandInput; + output: UpdateKnowledgeBaseTemplateUriCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/UpdateQuickResponseCommand.ts b/clients/client-qconnect/src/commands/UpdateQuickResponseCommand.ts index b8ba9bab039d..55453de50157 100644 --- a/clients/client-qconnect/src/commands/UpdateQuickResponseCommand.ts +++ b/clients/client-qconnect/src/commands/UpdateQuickResponseCommand.ts @@ -158,4 +158,16 @@ export class UpdateQuickResponseCommand extends $Command .f(UpdateQuickResponseRequestFilterSensitiveLog, UpdateQuickResponseResponseFilterSensitiveLog) .ser(se_UpdateQuickResponseCommand) .de(de_UpdateQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQuickResponseRequest; + output: UpdateQuickResponseResponse; + }; + sdk: { + input: UpdateQuickResponseCommandInput; + output: UpdateQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-qconnect/src/commands/UpdateSessionCommand.ts b/clients/client-qconnect/src/commands/UpdateSessionCommand.ts index 3186d344d67e..1cb1ed066886 100644 --- a/clients/client-qconnect/src/commands/UpdateSessionCommand.ts +++ b/clients/client-qconnect/src/commands/UpdateSessionCommand.ts @@ -141,4 +141,16 @@ export class UpdateSessionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSessionCommand) .de(de_UpdateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSessionRequest; + output: UpdateSessionResponse; + }; + sdk: { + input: UpdateSessionCommandInput; + output: UpdateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-qldb-session/package.json b/clients/client-qldb-session/package.json index 18974bb1c233..45d236179d09 100644 --- a/clients/client-qldb-session/package.json +++ b/clients/client-qldb-session/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-qldb-session/src/commands/SendCommandCommand.ts b/clients/client-qldb-session/src/commands/SendCommandCommand.ts index 9f787ff0ad39..e7f86f0c21ad 100644 --- a/clients/client-qldb-session/src/commands/SendCommandCommand.ts +++ b/clients/client-qldb-session/src/commands/SendCommandCommand.ts @@ -205,4 +205,16 @@ export class SendCommandCommand extends $Command .f(void 0, void 0) .ser(se_SendCommandCommand) .de(de_SendCommandCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendCommandRequest; + output: SendCommandResult; + }; + sdk: { + input: SendCommandCommandInput; + output: SendCommandCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/package.json b/clients/client-qldb/package.json index 248f0200813b..806b5f421869 100644 --- a/clients/client-qldb/package.json +++ b/clients/client-qldb/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-qldb/src/commands/CancelJournalKinesisStreamCommand.ts b/clients/client-qldb/src/commands/CancelJournalKinesisStreamCommand.ts index 00b56b1d2025..4d68e96a2323 100644 --- a/clients/client-qldb/src/commands/CancelJournalKinesisStreamCommand.ts +++ b/clients/client-qldb/src/commands/CancelJournalKinesisStreamCommand.ts @@ -91,4 +91,16 @@ export class CancelJournalKinesisStreamCommand extends $Command .f(void 0, void 0) .ser(se_CancelJournalKinesisStreamCommand) .de(de_CancelJournalKinesisStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJournalKinesisStreamRequest; + output: CancelJournalKinesisStreamResponse; + }; + sdk: { + input: CancelJournalKinesisStreamCommandInput; + output: CancelJournalKinesisStreamCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/CreateLedgerCommand.ts b/clients/client-qldb/src/commands/CreateLedgerCommand.ts index 008bc97d1e08..e2e357b18010 100644 --- a/clients/client-qldb/src/commands/CreateLedgerCommand.ts +++ b/clients/client-qldb/src/commands/CreateLedgerCommand.ts @@ -101,4 +101,16 @@ export class CreateLedgerCommand extends $Command .f(void 0, void 0) .ser(se_CreateLedgerCommand) .de(de_CreateLedgerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLedgerRequest; + output: CreateLedgerResponse; + }; + sdk: { + input: CreateLedgerCommandInput; + output: CreateLedgerCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/DeleteLedgerCommand.ts b/clients/client-qldb/src/commands/DeleteLedgerCommand.ts index cd954092645e..3a387bbce858 100644 --- a/clients/client-qldb/src/commands/DeleteLedgerCommand.ts +++ b/clients/client-qldb/src/commands/DeleteLedgerCommand.ts @@ -89,4 +89,16 @@ export class DeleteLedgerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLedgerCommand) .de(de_DeleteLedgerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLedgerRequest; + output: {}; + }; + sdk: { + input: DeleteLedgerCommandInput; + output: DeleteLedgerCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/DescribeJournalKinesisStreamCommand.ts b/clients/client-qldb/src/commands/DescribeJournalKinesisStreamCommand.ts index f15571b1d6e0..628590e0b47d 100644 --- a/clients/client-qldb/src/commands/DescribeJournalKinesisStreamCommand.ts +++ b/clients/client-qldb/src/commands/DescribeJournalKinesisStreamCommand.ts @@ -112,4 +112,16 @@ export class DescribeJournalKinesisStreamCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJournalKinesisStreamCommand) .de(de_DescribeJournalKinesisStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJournalKinesisStreamRequest; + output: DescribeJournalKinesisStreamResponse; + }; + sdk: { + input: DescribeJournalKinesisStreamCommandInput; + output: DescribeJournalKinesisStreamCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/DescribeJournalS3ExportCommand.ts b/clients/client-qldb/src/commands/DescribeJournalS3ExportCommand.ts index c1fdff7a9cda..6c6f98ac7039 100644 --- a/clients/client-qldb/src/commands/DescribeJournalS3ExportCommand.ts +++ b/clients/client-qldb/src/commands/DescribeJournalS3ExportCommand.ts @@ -106,4 +106,16 @@ export class DescribeJournalS3ExportCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJournalS3ExportCommand) .de(de_DescribeJournalS3ExportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJournalS3ExportRequest; + output: DescribeJournalS3ExportResponse; + }; + sdk: { + input: DescribeJournalS3ExportCommandInput; + output: DescribeJournalS3ExportCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/DescribeLedgerCommand.ts b/clients/client-qldb/src/commands/DescribeLedgerCommand.ts index 24003cfd4795..b3ea2c623d11 100644 --- a/clients/client-qldb/src/commands/DescribeLedgerCommand.ts +++ b/clients/client-qldb/src/commands/DescribeLedgerCommand.ts @@ -94,4 +94,16 @@ export class DescribeLedgerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLedgerCommand) .de(de_DescribeLedgerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLedgerRequest; + output: DescribeLedgerResponse; + }; + sdk: { + input: DescribeLedgerCommandInput; + output: DescribeLedgerCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/ExportJournalToS3Command.ts b/clients/client-qldb/src/commands/ExportJournalToS3Command.ts index 050ad7d38e20..49cebeb5ad9b 100644 --- a/clients/client-qldb/src/commands/ExportJournalToS3Command.ts +++ b/clients/client-qldb/src/commands/ExportJournalToS3Command.ts @@ -104,4 +104,16 @@ export class ExportJournalToS3Command extends $Command .f(void 0, void 0) .ser(se_ExportJournalToS3Command) .de(de_ExportJournalToS3Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportJournalToS3Request; + output: ExportJournalToS3Response; + }; + sdk: { + input: ExportJournalToS3CommandInput; + output: ExportJournalToS3CommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/GetBlockCommand.ts b/clients/client-qldb/src/commands/GetBlockCommand.ts index dda598c518be..c6c86729a997 100644 --- a/clients/client-qldb/src/commands/GetBlockCommand.ts +++ b/clients/client-qldb/src/commands/GetBlockCommand.ts @@ -111,4 +111,16 @@ export class GetBlockCommand extends $Command .f(GetBlockRequestFilterSensitiveLog, GetBlockResponseFilterSensitiveLog) .ser(se_GetBlockCommand) .de(de_GetBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlockRequest; + output: GetBlockResponse; + }; + sdk: { + input: GetBlockCommandInput; + output: GetBlockCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/GetDigestCommand.ts b/clients/client-qldb/src/commands/GetDigestCommand.ts index a3a40d41064d..13e9b1b474fe 100644 --- a/clients/client-qldb/src/commands/GetDigestCommand.ts +++ b/clients/client-qldb/src/commands/GetDigestCommand.ts @@ -90,4 +90,16 @@ export class GetDigestCommand extends $Command .f(void 0, GetDigestResponseFilterSensitiveLog) .ser(se_GetDigestCommand) .de(de_GetDigestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDigestRequest; + output: GetDigestResponse; + }; + sdk: { + input: GetDigestCommandInput; + output: GetDigestCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/GetRevisionCommand.ts b/clients/client-qldb/src/commands/GetRevisionCommand.ts index 1b5ac43c435b..df53cf04ebd6 100644 --- a/clients/client-qldb/src/commands/GetRevisionCommand.ts +++ b/clients/client-qldb/src/commands/GetRevisionCommand.ts @@ -105,4 +105,16 @@ export class GetRevisionCommand extends $Command .f(GetRevisionRequestFilterSensitiveLog, GetRevisionResponseFilterSensitiveLog) .ser(se_GetRevisionCommand) .de(de_GetRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRevisionRequest; + output: GetRevisionResponse; + }; + sdk: { + input: GetRevisionCommandInput; + output: GetRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/ListJournalKinesisStreamsForLedgerCommand.ts b/clients/client-qldb/src/commands/ListJournalKinesisStreamsForLedgerCommand.ts index d76c0cc0aaea..5e5c1611d14f 100644 --- a/clients/client-qldb/src/commands/ListJournalKinesisStreamsForLedgerCommand.ts +++ b/clients/client-qldb/src/commands/ListJournalKinesisStreamsForLedgerCommand.ts @@ -120,4 +120,16 @@ export class ListJournalKinesisStreamsForLedgerCommand extends $Command .f(void 0, void 0) .ser(se_ListJournalKinesisStreamsForLedgerCommand) .de(de_ListJournalKinesisStreamsForLedgerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJournalKinesisStreamsForLedgerRequest; + output: ListJournalKinesisStreamsForLedgerResponse; + }; + sdk: { + input: ListJournalKinesisStreamsForLedgerCommandInput; + output: ListJournalKinesisStreamsForLedgerCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/ListJournalS3ExportsCommand.ts b/clients/client-qldb/src/commands/ListJournalS3ExportsCommand.ts index 62e0e2907bdb..de0a99acbfc6 100644 --- a/clients/client-qldb/src/commands/ListJournalS3ExportsCommand.ts +++ b/clients/client-qldb/src/commands/ListJournalS3ExportsCommand.ts @@ -104,4 +104,16 @@ export class ListJournalS3ExportsCommand extends $Command .f(void 0, void 0) .ser(se_ListJournalS3ExportsCommand) .de(de_ListJournalS3ExportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJournalS3ExportsRequest; + output: ListJournalS3ExportsResponse; + }; + sdk: { + input: ListJournalS3ExportsCommandInput; + output: ListJournalS3ExportsCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/ListJournalS3ExportsForLedgerCommand.ts b/clients/client-qldb/src/commands/ListJournalS3ExportsForLedgerCommand.ts index f5a08585108b..aafeead972d2 100644 --- a/clients/client-qldb/src/commands/ListJournalS3ExportsForLedgerCommand.ts +++ b/clients/client-qldb/src/commands/ListJournalS3ExportsForLedgerCommand.ts @@ -109,4 +109,16 @@ export class ListJournalS3ExportsForLedgerCommand extends $Command .f(void 0, void 0) .ser(se_ListJournalS3ExportsForLedgerCommand) .de(de_ListJournalS3ExportsForLedgerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJournalS3ExportsForLedgerRequest; + output: ListJournalS3ExportsForLedgerResponse; + }; + sdk: { + input: ListJournalS3ExportsForLedgerCommandInput; + output: ListJournalS3ExportsForLedgerCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/ListLedgersCommand.ts b/clients/client-qldb/src/commands/ListLedgersCommand.ts index 2bc0e615b9df..0fad9b4e8655 100644 --- a/clients/client-qldb/src/commands/ListLedgersCommand.ts +++ b/clients/client-qldb/src/commands/ListLedgersCommand.ts @@ -88,4 +88,16 @@ export class ListLedgersCommand extends $Command .f(void 0, void 0) .ser(se_ListLedgersCommand) .de(de_ListLedgersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLedgersRequest; + output: ListLedgersResponse; + }; + sdk: { + input: ListLedgersCommandInput; + output: ListLedgersCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/ListTagsForResourceCommand.ts b/clients/client-qldb/src/commands/ListTagsForResourceCommand.ts index b2186ca7acc6..89928978e514 100644 --- a/clients/client-qldb/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-qldb/src/commands/ListTagsForResourceCommand.ts @@ -85,4 +85,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/StreamJournalToKinesisCommand.ts b/clients/client-qldb/src/commands/StreamJournalToKinesisCommand.ts index cebe3137a473..ff72b8930963 100644 --- a/clients/client-qldb/src/commands/StreamJournalToKinesisCommand.ts +++ b/clients/client-qldb/src/commands/StreamJournalToKinesisCommand.ts @@ -99,4 +99,16 @@ export class StreamJournalToKinesisCommand extends $Command .f(void 0, void 0) .ser(se_StreamJournalToKinesisCommand) .de(de_StreamJournalToKinesisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StreamJournalToKinesisRequest; + output: StreamJournalToKinesisResponse; + }; + sdk: { + input: StreamJournalToKinesisCommandInput; + output: StreamJournalToKinesisCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/TagResourceCommand.ts b/clients/client-qldb/src/commands/TagResourceCommand.ts index 35754309e7ae..65a1e1350099 100644 --- a/clients/client-qldb/src/commands/TagResourceCommand.ts +++ b/clients/client-qldb/src/commands/TagResourceCommand.ts @@ -86,4 +86,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/UntagResourceCommand.ts b/clients/client-qldb/src/commands/UntagResourceCommand.ts index f827b163b59b..6a4a837079cd 100644 --- a/clients/client-qldb/src/commands/UntagResourceCommand.ts +++ b/clients/client-qldb/src/commands/UntagResourceCommand.ts @@ -85,4 +85,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/UpdateLedgerCommand.ts b/clients/client-qldb/src/commands/UpdateLedgerCommand.ts index a4931c46f0fb..e54fc6497ff7 100644 --- a/clients/client-qldb/src/commands/UpdateLedgerCommand.ts +++ b/clients/client-qldb/src/commands/UpdateLedgerCommand.ts @@ -94,4 +94,16 @@ export class UpdateLedgerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLedgerCommand) .de(de_UpdateLedgerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLedgerRequest; + output: UpdateLedgerResponse; + }; + sdk: { + input: UpdateLedgerCommandInput; + output: UpdateLedgerCommandOutput; + }; + }; +} diff --git a/clients/client-qldb/src/commands/UpdateLedgerPermissionsModeCommand.ts b/clients/client-qldb/src/commands/UpdateLedgerPermissionsModeCommand.ts index 70c90786ea1a..518926348460 100644 --- a/clients/client-qldb/src/commands/UpdateLedgerPermissionsModeCommand.ts +++ b/clients/client-qldb/src/commands/UpdateLedgerPermissionsModeCommand.ts @@ -97,4 +97,16 @@ export class UpdateLedgerPermissionsModeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLedgerPermissionsModeCommand) .de(de_UpdateLedgerPermissionsModeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLedgerPermissionsModeRequest; + output: UpdateLedgerPermissionsModeResponse; + }; + sdk: { + input: UpdateLedgerPermissionsModeCommandInput; + output: UpdateLedgerPermissionsModeCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/package.json b/clients/client-quicksight/package.json index e3175a509f32..44d50a721be3 100644 --- a/clients/client-quicksight/package.json +++ b/clients/client-quicksight/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-quicksight/src/commands/BatchCreateTopicReviewedAnswerCommand.ts b/clients/client-quicksight/src/commands/BatchCreateTopicReviewedAnswerCommand.ts index fee5265f92d2..26b62e238998 100644 --- a/clients/client-quicksight/src/commands/BatchCreateTopicReviewedAnswerCommand.ts +++ b/clients/client-quicksight/src/commands/BatchCreateTopicReviewedAnswerCommand.ts @@ -592,4 +592,16 @@ export class BatchCreateTopicReviewedAnswerCommand extends $Command .f(BatchCreateTopicReviewedAnswerRequestFilterSensitiveLog, void 0) .ser(se_BatchCreateTopicReviewedAnswerCommand) .de(de_BatchCreateTopicReviewedAnswerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateTopicReviewedAnswerRequest; + output: BatchCreateTopicReviewedAnswerResponse; + }; + sdk: { + input: BatchCreateTopicReviewedAnswerCommandInput; + output: BatchCreateTopicReviewedAnswerCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/BatchDeleteTopicReviewedAnswerCommand.ts b/clients/client-quicksight/src/commands/BatchDeleteTopicReviewedAnswerCommand.ts index 5aeed3718e73..ec0e0ecc6b08 100644 --- a/clients/client-quicksight/src/commands/BatchDeleteTopicReviewedAnswerCommand.ts +++ b/clients/client-quicksight/src/commands/BatchDeleteTopicReviewedAnswerCommand.ts @@ -121,4 +121,16 @@ export class BatchDeleteTopicReviewedAnswerCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteTopicReviewedAnswerCommand) .de(de_BatchDeleteTopicReviewedAnswerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteTopicReviewedAnswerRequest; + output: BatchDeleteTopicReviewedAnswerResponse; + }; + sdk: { + input: BatchDeleteTopicReviewedAnswerCommandInput; + output: BatchDeleteTopicReviewedAnswerCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CancelIngestionCommand.ts b/clients/client-quicksight/src/commands/CancelIngestionCommand.ts index 38f6664807a7..c73a80c37bb1 100644 --- a/clients/client-quicksight/src/commands/CancelIngestionCommand.ts +++ b/clients/client-quicksight/src/commands/CancelIngestionCommand.ts @@ -103,4 +103,16 @@ export class CancelIngestionCommand extends $Command .f(void 0, void 0) .ser(se_CancelIngestionCommand) .de(de_CancelIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelIngestionRequest; + output: CancelIngestionResponse; + }; + sdk: { + input: CancelIngestionCommandInput; + output: CancelIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateAccountCustomizationCommand.ts b/clients/client-quicksight/src/commands/CreateAccountCustomizationCommand.ts index 7146381a1148..3caeee0c9178 100644 --- a/clients/client-quicksight/src/commands/CreateAccountCustomizationCommand.ts +++ b/clients/client-quicksight/src/commands/CreateAccountCustomizationCommand.ts @@ -145,4 +145,16 @@ export class CreateAccountCustomizationCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccountCustomizationCommand) .de(de_CreateAccountCustomizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccountCustomizationRequest; + output: CreateAccountCustomizationResponse; + }; + sdk: { + input: CreateAccountCustomizationCommandInput; + output: CreateAccountCustomizationCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateAccountSubscriptionCommand.ts b/clients/client-quicksight/src/commands/CreateAccountSubscriptionCommand.ts index 77890b381276..d05c40ddbbb7 100644 --- a/clients/client-quicksight/src/commands/CreateAccountSubscriptionCommand.ts +++ b/clients/client-quicksight/src/commands/CreateAccountSubscriptionCommand.ts @@ -163,4 +163,16 @@ export class CreateAccountSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccountSubscriptionCommand) .de(de_CreateAccountSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccountSubscriptionRequest; + output: CreateAccountSubscriptionResponse; + }; + sdk: { + input: CreateAccountSubscriptionCommandInput; + output: CreateAccountSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts b/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts index b987274f5cfb..28cafacd9492 100644 --- a/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts +++ b/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts @@ -5111,4 +5111,16 @@ export class CreateAnalysisCommand extends $Command .f(CreateAnalysisRequestFilterSensitiveLog, void 0) .ser(se_CreateAnalysisCommand) .de(de_CreateAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnalysisRequest; + output: CreateAnalysisResponse; + }; + sdk: { + input: CreateAnalysisCommandInput; + output: CreateAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateDashboardCommand.ts b/clients/client-quicksight/src/commands/CreateDashboardCommand.ts index d4c8679765d2..d02b1bde37c0 100644 --- a/clients/client-quicksight/src/commands/CreateDashboardCommand.ts +++ b/clients/client-quicksight/src/commands/CreateDashboardCommand.ts @@ -5166,4 +5166,16 @@ export class CreateDashboardCommand extends $Command .f(CreateDashboardRequestFilterSensitiveLog, void 0) .ser(se_CreateDashboardCommand) .de(de_CreateDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDashboardRequest; + output: CreateDashboardResponse; + }; + sdk: { + input: CreateDashboardCommandInput; + output: CreateDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateDataSetCommand.ts b/clients/client-quicksight/src/commands/CreateDataSetCommand.ts index b64ba2bd0ba4..d0107a8570c9 100644 --- a/clients/client-quicksight/src/commands/CreateDataSetCommand.ts +++ b/clients/client-quicksight/src/commands/CreateDataSetCommand.ts @@ -373,4 +373,16 @@ export class CreateDataSetCommand extends $Command .f(CreateDataSetRequestFilterSensitiveLog, void 0) .ser(se_CreateDataSetCommand) .de(de_CreateDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSetRequest; + output: CreateDataSetResponse; + }; + sdk: { + input: CreateDataSetCommandInput; + output: CreateDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateDataSourceCommand.ts b/clients/client-quicksight/src/commands/CreateDataSourceCommand.ts index 535be550b2f4..59bc7b00c289 100644 --- a/clients/client-quicksight/src/commands/CreateDataSourceCommand.ts +++ b/clients/client-quicksight/src/commands/CreateDataSourceCommand.ts @@ -413,4 +413,16 @@ export class CreateDataSourceCommand extends $Command .f(CreateDataSourceRequestFilterSensitiveLog, void 0) .ser(se_CreateDataSourceCommand) .de(de_CreateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataSourceRequest; + output: CreateDataSourceResponse; + }; + sdk: { + input: CreateDataSourceCommandInput; + output: CreateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateFolderCommand.ts b/clients/client-quicksight/src/commands/CreateFolderCommand.ts index 8b58d7487109..056fae2eeee8 100644 --- a/clients/client-quicksight/src/commands/CreateFolderCommand.ts +++ b/clients/client-quicksight/src/commands/CreateFolderCommand.ts @@ -132,4 +132,16 @@ export class CreateFolderCommand extends $Command .f(void 0, void 0) .ser(se_CreateFolderCommand) .de(de_CreateFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFolderRequest; + output: CreateFolderResponse; + }; + sdk: { + input: CreateFolderCommandInput; + output: CreateFolderCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateFolderMembershipCommand.ts b/clients/client-quicksight/src/commands/CreateFolderMembershipCommand.ts index ffdbf4c98fac..ae04b11a79cc 100644 --- a/clients/client-quicksight/src/commands/CreateFolderMembershipCommand.ts +++ b/clients/client-quicksight/src/commands/CreateFolderMembershipCommand.ts @@ -115,4 +115,16 @@ export class CreateFolderMembershipCommand extends $Command .f(void 0, void 0) .ser(se_CreateFolderMembershipCommand) .de(de_CreateFolderMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFolderMembershipRequest; + output: CreateFolderMembershipResponse; + }; + sdk: { + input: CreateFolderMembershipCommandInput; + output: CreateFolderMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateGroupCommand.ts b/clients/client-quicksight/src/commands/CreateGroupCommand.ts index 4743bf12727f..8a4ee5f25701 100644 --- a/clients/client-quicksight/src/commands/CreateGroupCommand.ts +++ b/clients/client-quicksight/src/commands/CreateGroupCommand.ts @@ -121,4 +121,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResponse; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateGroupMembershipCommand.ts b/clients/client-quicksight/src/commands/CreateGroupMembershipCommand.ts index d916ad95f347..9cd58c6d77b3 100644 --- a/clients/client-quicksight/src/commands/CreateGroupMembershipCommand.ts +++ b/clients/client-quicksight/src/commands/CreateGroupMembershipCommand.ts @@ -109,4 +109,16 @@ export class CreateGroupMembershipCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupMembershipCommand) .de(de_CreateGroupMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupMembershipRequest; + output: CreateGroupMembershipResponse; + }; + sdk: { + input: CreateGroupMembershipCommandInput; + output: CreateGroupMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateIAMPolicyAssignmentCommand.ts b/clients/client-quicksight/src/commands/CreateIAMPolicyAssignmentCommand.ts index 1f77b8c6300c..3afe2b40872e 100644 --- a/clients/client-quicksight/src/commands/CreateIAMPolicyAssignmentCommand.ts +++ b/clients/client-quicksight/src/commands/CreateIAMPolicyAssignmentCommand.ts @@ -125,4 +125,16 @@ export class CreateIAMPolicyAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateIAMPolicyAssignmentCommand) .de(de_CreateIAMPolicyAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIAMPolicyAssignmentRequest; + output: CreateIAMPolicyAssignmentResponse; + }; + sdk: { + input: CreateIAMPolicyAssignmentCommandInput; + output: CreateIAMPolicyAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateIngestionCommand.ts b/clients/client-quicksight/src/commands/CreateIngestionCommand.ts index 002bbd48c8f5..1c9c220565c5 100644 --- a/clients/client-quicksight/src/commands/CreateIngestionCommand.ts +++ b/clients/client-quicksight/src/commands/CreateIngestionCommand.ts @@ -114,4 +114,16 @@ export class CreateIngestionCommand extends $Command .f(void 0, void 0) .ser(se_CreateIngestionCommand) .de(de_CreateIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIngestionRequest; + output: CreateIngestionResponse; + }; + sdk: { + input: CreateIngestionCommandInput; + output: CreateIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateNamespaceCommand.ts b/clients/client-quicksight/src/commands/CreateNamespaceCommand.ts index 166f6e934bc7..bad8007ecd13 100644 --- a/clients/client-quicksight/src/commands/CreateNamespaceCommand.ts +++ b/clients/client-quicksight/src/commands/CreateNamespaceCommand.ts @@ -131,4 +131,16 @@ export class CreateNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateNamespaceCommand) .de(de_CreateNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNamespaceRequest; + output: CreateNamespaceResponse; + }; + sdk: { + input: CreateNamespaceCommandInput; + output: CreateNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/CreateRefreshScheduleCommand.ts index 2db8ecc99c8e..23c923a1f928 100644 --- a/clients/client-quicksight/src/commands/CreateRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/CreateRefreshScheduleCommand.ts @@ -123,4 +123,16 @@ export class CreateRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRefreshScheduleCommand) .de(de_CreateRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRefreshScheduleRequest; + output: CreateRefreshScheduleResponse; + }; + sdk: { + input: CreateRefreshScheduleCommandInput; + output: CreateRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateRoleMembershipCommand.ts b/clients/client-quicksight/src/commands/CreateRoleMembershipCommand.ts index 5a343e2df0d2..cbfe29693a3d 100644 --- a/clients/client-quicksight/src/commands/CreateRoleMembershipCommand.ts +++ b/clients/client-quicksight/src/commands/CreateRoleMembershipCommand.ts @@ -105,4 +105,16 @@ export class CreateRoleMembershipCommand extends $Command .f(void 0, void 0) .ser(se_CreateRoleMembershipCommand) .de(de_CreateRoleMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoleMembershipRequest; + output: CreateRoleMembershipResponse; + }; + sdk: { + input: CreateRoleMembershipCommandInput; + output: CreateRoleMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateTemplateAliasCommand.ts b/clients/client-quicksight/src/commands/CreateTemplateAliasCommand.ts index 70c06b5ba35d..95f08421555c 100644 --- a/clients/client-quicksight/src/commands/CreateTemplateAliasCommand.ts +++ b/clients/client-quicksight/src/commands/CreateTemplateAliasCommand.ts @@ -110,4 +110,16 @@ export class CreateTemplateAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateAliasCommand) .de(de_CreateTemplateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateAliasRequest; + output: CreateTemplateAliasResponse; + }; + sdk: { + input: CreateTemplateAliasCommandInput; + output: CreateTemplateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateTemplateCommand.ts b/clients/client-quicksight/src/commands/CreateTemplateCommand.ts index 434671d44f40..863cadd40bb4 100644 --- a/clients/client-quicksight/src/commands/CreateTemplateCommand.ts +++ b/clients/client-quicksight/src/commands/CreateTemplateCommand.ts @@ -5109,4 +5109,16 @@ export class CreateTemplateCommand extends $Command .f(CreateTemplateRequestFilterSensitiveLog, void 0) .ser(se_CreateTemplateCommand) .de(de_CreateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateRequest; + output: CreateTemplateResponse; + }; + sdk: { + input: CreateTemplateCommandInput; + output: CreateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateThemeAliasCommand.ts b/clients/client-quicksight/src/commands/CreateThemeAliasCommand.ts index 5cea1c88139b..29e3500488c7 100644 --- a/clients/client-quicksight/src/commands/CreateThemeAliasCommand.ts +++ b/clients/client-quicksight/src/commands/CreateThemeAliasCommand.ts @@ -113,4 +113,16 @@ export class CreateThemeAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateThemeAliasCommand) .de(de_CreateThemeAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThemeAliasRequest; + output: CreateThemeAliasResponse; + }; + sdk: { + input: CreateThemeAliasCommandInput; + output: CreateThemeAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateThemeCommand.ts b/clients/client-quicksight/src/commands/CreateThemeCommand.ts index 491fecb8c9e7..b53ac6aeb49b 100644 --- a/clients/client-quicksight/src/commands/CreateThemeCommand.ts +++ b/clients/client-quicksight/src/commands/CreateThemeCommand.ts @@ -184,4 +184,16 @@ export class CreateThemeCommand extends $Command .f(void 0, void 0) .ser(se_CreateThemeCommand) .de(de_CreateThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateThemeRequest; + output: CreateThemeResponse; + }; + sdk: { + input: CreateThemeCommandInput; + output: CreateThemeCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateTopicCommand.ts b/clients/client-quicksight/src/commands/CreateTopicCommand.ts index cf8e8aeea8a2..296a7a5cdc31 100644 --- a/clients/client-quicksight/src/commands/CreateTopicCommand.ts +++ b/clients/client-quicksight/src/commands/CreateTopicCommand.ts @@ -363,4 +363,16 @@ export class CreateTopicCommand extends $Command .f(CreateTopicRequestFilterSensitiveLog, void 0) .ser(se_CreateTopicCommand) .de(de_CreateTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTopicRequest; + output: CreateTopicResponse; + }; + sdk: { + input: CreateTopicCommandInput; + output: CreateTopicCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateTopicRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/CreateTopicRefreshScheduleCommand.ts index e5d31d8ae69e..27f17e61be18 100644 --- a/clients/client-quicksight/src/commands/CreateTopicRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/CreateTopicRefreshScheduleCommand.ts @@ -119,4 +119,16 @@ export class CreateTopicRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_CreateTopicRefreshScheduleCommand) .de(de_CreateTopicRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTopicRefreshScheduleRequest; + output: CreateTopicRefreshScheduleResponse; + }; + sdk: { + input: CreateTopicRefreshScheduleCommandInput; + output: CreateTopicRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/CreateVPCConnectionCommand.ts b/clients/client-quicksight/src/commands/CreateVPCConnectionCommand.ts index dd3cfa7873f3..9d8515afdd81 100644 --- a/clients/client-quicksight/src/commands/CreateVPCConnectionCommand.ts +++ b/clients/client-quicksight/src/commands/CreateVPCConnectionCommand.ts @@ -130,4 +130,16 @@ export class CreateVPCConnectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateVPCConnectionCommand) .de(de_CreateVPCConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVPCConnectionRequest; + output: CreateVPCConnectionResponse; + }; + sdk: { + input: CreateVPCConnectionCommandInput; + output: CreateVPCConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteAccountCustomizationCommand.ts b/clients/client-quicksight/src/commands/DeleteAccountCustomizationCommand.ts index 06e710aafb72..7d998b425c73 100644 --- a/clients/client-quicksight/src/commands/DeleteAccountCustomizationCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteAccountCustomizationCommand.ts @@ -110,4 +110,16 @@ export class DeleteAccountCustomizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountCustomizationCommand) .de(de_DeleteAccountCustomizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountCustomizationRequest; + output: DeleteAccountCustomizationResponse; + }; + sdk: { + input: DeleteAccountCustomizationCommandInput; + output: DeleteAccountCustomizationCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteAccountSubscriptionCommand.ts b/clients/client-quicksight/src/commands/DeleteAccountSubscriptionCommand.ts index 2672a394b6a6..57bc2ccd4efe 100644 --- a/clients/client-quicksight/src/commands/DeleteAccountSubscriptionCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteAccountSubscriptionCommand.ts @@ -102,4 +102,16 @@ export class DeleteAccountSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountSubscriptionCommand) .de(de_DeleteAccountSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountSubscriptionRequest; + output: DeleteAccountSubscriptionResponse; + }; + sdk: { + input: DeleteAccountSubscriptionCommandInput; + output: DeleteAccountSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteAnalysisCommand.ts b/clients/client-quicksight/src/commands/DeleteAnalysisCommand.ts index 7e928bb11173..18bb1653d878 100644 --- a/clients/client-quicksight/src/commands/DeleteAnalysisCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteAnalysisCommand.ts @@ -116,4 +116,16 @@ export class DeleteAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAnalysisCommand) .de(de_DeleteAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAnalysisRequest; + output: DeleteAnalysisResponse; + }; + sdk: { + input: DeleteAnalysisCommandInput; + output: DeleteAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteDashboardCommand.ts b/clients/client-quicksight/src/commands/DeleteDashboardCommand.ts index 75285ff66397..ad12aac876f8 100644 --- a/clients/client-quicksight/src/commands/DeleteDashboardCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteDashboardCommand.ts @@ -103,4 +103,16 @@ export class DeleteDashboardCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDashboardCommand) .de(de_DeleteDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDashboardRequest; + output: DeleteDashboardResponse; + }; + sdk: { + input: DeleteDashboardCommandInput; + output: DeleteDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteDataSetCommand.ts b/clients/client-quicksight/src/commands/DeleteDataSetCommand.ts index 76cbf0781230..3bbd9ef1f49e 100644 --- a/clients/client-quicksight/src/commands/DeleteDataSetCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteDataSetCommand.ts @@ -99,4 +99,16 @@ export class DeleteDataSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSetCommand) .de(de_DeleteDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSetRequest; + output: DeleteDataSetResponse; + }; + sdk: { + input: DeleteDataSetCommandInput; + output: DeleteDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteDataSetRefreshPropertiesCommand.ts b/clients/client-quicksight/src/commands/DeleteDataSetRefreshPropertiesCommand.ts index d283bbb8a2f4..04d6442f4a9e 100644 --- a/clients/client-quicksight/src/commands/DeleteDataSetRefreshPropertiesCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteDataSetRefreshPropertiesCommand.ts @@ -108,4 +108,16 @@ export class DeleteDataSetRefreshPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSetRefreshPropertiesCommand) .de(de_DeleteDataSetRefreshPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSetRefreshPropertiesRequest; + output: DeleteDataSetRefreshPropertiesResponse; + }; + sdk: { + input: DeleteDataSetRefreshPropertiesCommandInput; + output: DeleteDataSetRefreshPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteDataSourceCommand.ts b/clients/client-quicksight/src/commands/DeleteDataSourceCommand.ts index 985b5c4c7ef5..4c94e5c6877a 100644 --- a/clients/client-quicksight/src/commands/DeleteDataSourceCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteDataSourceCommand.ts @@ -100,4 +100,16 @@ export class DeleteDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataSourceCommand) .de(de_DeleteDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataSourceRequest; + output: DeleteDataSourceResponse; + }; + sdk: { + input: DeleteDataSourceCommandInput; + output: DeleteDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteFolderCommand.ts b/clients/client-quicksight/src/commands/DeleteFolderCommand.ts index 4fdb879ed7d9..bb84e19f73b5 100644 --- a/clients/client-quicksight/src/commands/DeleteFolderCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteFolderCommand.ts @@ -111,4 +111,16 @@ export class DeleteFolderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFolderCommand) .de(de_DeleteFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFolderRequest; + output: DeleteFolderResponse; + }; + sdk: { + input: DeleteFolderCommandInput; + output: DeleteFolderCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteFolderMembershipCommand.ts b/clients/client-quicksight/src/commands/DeleteFolderMembershipCommand.ts index a744ac372935..46ce2a0eccb0 100644 --- a/clients/client-quicksight/src/commands/DeleteFolderMembershipCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteFolderMembershipCommand.ts @@ -105,4 +105,16 @@ export class DeleteFolderMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFolderMembershipCommand) .de(de_DeleteFolderMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFolderMembershipRequest; + output: DeleteFolderMembershipResponse; + }; + sdk: { + input: DeleteFolderMembershipCommandInput; + output: DeleteFolderMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteGroupCommand.ts b/clients/client-quicksight/src/commands/DeleteGroupCommand.ts index 4f10e8717d21..7491b0fe0b3d 100644 --- a/clients/client-quicksight/src/commands/DeleteGroupCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteGroupCommand.ts @@ -104,4 +104,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: DeleteGroupResponse; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteGroupMembershipCommand.ts b/clients/client-quicksight/src/commands/DeleteGroupMembershipCommand.ts index f32a84ef24ea..25c6aebbe450 100644 --- a/clients/client-quicksight/src/commands/DeleteGroupMembershipCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteGroupMembershipCommand.ts @@ -105,4 +105,16 @@ export class DeleteGroupMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupMembershipCommand) .de(de_DeleteGroupMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupMembershipRequest; + output: DeleteGroupMembershipResponse; + }; + sdk: { + input: DeleteGroupMembershipCommandInput; + output: DeleteGroupMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteIAMPolicyAssignmentCommand.ts b/clients/client-quicksight/src/commands/DeleteIAMPolicyAssignmentCommand.ts index 9b2fbcf3a14e..64ca81710e9b 100644 --- a/clients/client-quicksight/src/commands/DeleteIAMPolicyAssignmentCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteIAMPolicyAssignmentCommand.ts @@ -106,4 +106,16 @@ export class DeleteIAMPolicyAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIAMPolicyAssignmentCommand) .de(de_DeleteIAMPolicyAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIAMPolicyAssignmentRequest; + output: DeleteIAMPolicyAssignmentResponse; + }; + sdk: { + input: DeleteIAMPolicyAssignmentCommandInput; + output: DeleteIAMPolicyAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteIdentityPropagationConfigCommand.ts b/clients/client-quicksight/src/commands/DeleteIdentityPropagationConfigCommand.ts index bc2f69721027..4b5678d05b1f 100644 --- a/clients/client-quicksight/src/commands/DeleteIdentityPropagationConfigCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteIdentityPropagationConfigCommand.ts @@ -103,4 +103,16 @@ export class DeleteIdentityPropagationConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentityPropagationConfigCommand) .de(de_DeleteIdentityPropagationConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentityPropagationConfigRequest; + output: DeleteIdentityPropagationConfigResponse; + }; + sdk: { + input: DeleteIdentityPropagationConfigCommandInput; + output: DeleteIdentityPropagationConfigCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteNamespaceCommand.ts b/clients/client-quicksight/src/commands/DeleteNamespaceCommand.ts index d635f831ae30..9ad248156c42 100644 --- a/clients/client-quicksight/src/commands/DeleteNamespaceCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteNamespaceCommand.ts @@ -105,4 +105,16 @@ export class DeleteNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNamespaceCommand) .de(de_DeleteNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNamespaceRequest; + output: DeleteNamespaceResponse; + }; + sdk: { + input: DeleteNamespaceCommandInput; + output: DeleteNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/DeleteRefreshScheduleCommand.ts index 14243ade3830..829027f717ab 100644 --- a/clients/client-quicksight/src/commands/DeleteRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteRefreshScheduleCommand.ts @@ -103,4 +103,16 @@ export class DeleteRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRefreshScheduleCommand) .de(de_DeleteRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRefreshScheduleRequest; + output: DeleteRefreshScheduleResponse; + }; + sdk: { + input: DeleteRefreshScheduleCommandInput; + output: DeleteRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteRoleCustomPermissionCommand.ts b/clients/client-quicksight/src/commands/DeleteRoleCustomPermissionCommand.ts index 4faeb354e09d..62c3853349c4 100644 --- a/clients/client-quicksight/src/commands/DeleteRoleCustomPermissionCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteRoleCustomPermissionCommand.ts @@ -104,4 +104,16 @@ export class DeleteRoleCustomPermissionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoleCustomPermissionCommand) .de(de_DeleteRoleCustomPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoleCustomPermissionRequest; + output: DeleteRoleCustomPermissionResponse; + }; + sdk: { + input: DeleteRoleCustomPermissionCommandInput; + output: DeleteRoleCustomPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteRoleMembershipCommand.ts b/clients/client-quicksight/src/commands/DeleteRoleMembershipCommand.ts index 7b200a925b7b..e48b130faee9 100644 --- a/clients/client-quicksight/src/commands/DeleteRoleMembershipCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteRoleMembershipCommand.ts @@ -105,4 +105,16 @@ export class DeleteRoleMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoleMembershipCommand) .de(de_DeleteRoleMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoleMembershipRequest; + output: DeleteRoleMembershipResponse; + }; + sdk: { + input: DeleteRoleMembershipCommandInput; + output: DeleteRoleMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteTemplateAliasCommand.ts b/clients/client-quicksight/src/commands/DeleteTemplateAliasCommand.ts index 3c3b83e0a2b0..508f48bbf592 100644 --- a/clients/client-quicksight/src/commands/DeleteTemplateAliasCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteTemplateAliasCommand.ts @@ -102,4 +102,16 @@ export class DeleteTemplateAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateAliasCommand) .de(de_DeleteTemplateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateAliasRequest; + output: DeleteTemplateAliasResponse; + }; + sdk: { + input: DeleteTemplateAliasCommandInput; + output: DeleteTemplateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteTemplateCommand.ts b/clients/client-quicksight/src/commands/DeleteTemplateCommand.ts index e4bcb607ac69..35bfb91ed59a 100644 --- a/clients/client-quicksight/src/commands/DeleteTemplateCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteTemplateCommand.ts @@ -106,4 +106,16 @@ export class DeleteTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateCommand) .de(de_DeleteTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateRequest; + output: DeleteTemplateResponse; + }; + sdk: { + input: DeleteTemplateCommandInput; + output: DeleteTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteThemeAliasCommand.ts b/clients/client-quicksight/src/commands/DeleteThemeAliasCommand.ts index b342b9247f76..f1f5a0c1bf3a 100644 --- a/clients/client-quicksight/src/commands/DeleteThemeAliasCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteThemeAliasCommand.ts @@ -106,4 +106,16 @@ export class DeleteThemeAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThemeAliasCommand) .de(de_DeleteThemeAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThemeAliasRequest; + output: DeleteThemeAliasResponse; + }; + sdk: { + input: DeleteThemeAliasCommandInput; + output: DeleteThemeAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteThemeCommand.ts b/clients/client-quicksight/src/commands/DeleteThemeCommand.ts index dc4198fd9c9d..1de65249e8e9 100644 --- a/clients/client-quicksight/src/commands/DeleteThemeCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteThemeCommand.ts @@ -109,4 +109,16 @@ export class DeleteThemeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteThemeCommand) .de(de_DeleteThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteThemeRequest; + output: DeleteThemeResponse; + }; + sdk: { + input: DeleteThemeCommandInput; + output: DeleteThemeCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteTopicCommand.ts b/clients/client-quicksight/src/commands/DeleteTopicCommand.ts index 6b85b8df044e..d1d3e4472c43 100644 --- a/clients/client-quicksight/src/commands/DeleteTopicCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteTopicCommand.ts @@ -102,4 +102,16 @@ export class DeleteTopicCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTopicCommand) .de(de_DeleteTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTopicRequest; + output: DeleteTopicResponse; + }; + sdk: { + input: DeleteTopicCommandInput; + output: DeleteTopicCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteTopicRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/DeleteTopicRefreshScheduleCommand.ts index 77d61b721441..50cf71e36954 100644 --- a/clients/client-quicksight/src/commands/DeleteTopicRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteTopicRefreshScheduleCommand.ts @@ -110,4 +110,16 @@ export class DeleteTopicRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTopicRefreshScheduleCommand) .de(de_DeleteTopicRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTopicRefreshScheduleRequest; + output: DeleteTopicRefreshScheduleResponse; + }; + sdk: { + input: DeleteTopicRefreshScheduleCommandInput; + output: DeleteTopicRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteUserByPrincipalIdCommand.ts b/clients/client-quicksight/src/commands/DeleteUserByPrincipalIdCommand.ts index c11cd0e55ca0..1e42411f6635 100644 --- a/clients/client-quicksight/src/commands/DeleteUserByPrincipalIdCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteUserByPrincipalIdCommand.ts @@ -104,4 +104,16 @@ export class DeleteUserByPrincipalIdCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserByPrincipalIdCommand) .de(de_DeleteUserByPrincipalIdCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserByPrincipalIdRequest; + output: DeleteUserByPrincipalIdResponse; + }; + sdk: { + input: DeleteUserByPrincipalIdCommandInput; + output: DeleteUserByPrincipalIdCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteUserCommand.ts b/clients/client-quicksight/src/commands/DeleteUserCommand.ts index 8b740824dd37..9295c15f2925 100644 --- a/clients/client-quicksight/src/commands/DeleteUserCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteUserCommand.ts @@ -106,4 +106,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: DeleteUserResponse; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DeleteVPCConnectionCommand.ts b/clients/client-quicksight/src/commands/DeleteVPCConnectionCommand.ts index c1430f2fc304..703eaf6ea799 100644 --- a/clients/client-quicksight/src/commands/DeleteVPCConnectionCommand.ts +++ b/clients/client-quicksight/src/commands/DeleteVPCConnectionCommand.ts @@ -110,4 +110,16 @@ export class DeleteVPCConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVPCConnectionCommand) .de(de_DeleteVPCConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVPCConnectionRequest; + output: DeleteVPCConnectionResponse; + }; + sdk: { + input: DeleteVPCConnectionCommandInput; + output: DeleteVPCConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAccountCustomizationCommand.ts b/clients/client-quicksight/src/commands/DescribeAccountCustomizationCommand.ts index c8e2a96f5efc..f514d30174f3 100644 --- a/clients/client-quicksight/src/commands/DescribeAccountCustomizationCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAccountCustomizationCommand.ts @@ -169,4 +169,16 @@ export class DescribeAccountCustomizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountCustomizationCommand) .de(de_DescribeAccountCustomizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountCustomizationRequest; + output: DescribeAccountCustomizationResponse; + }; + sdk: { + input: DescribeAccountCustomizationCommandInput; + output: DescribeAccountCustomizationCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAccountSettingsCommand.ts b/clients/client-quicksight/src/commands/DescribeAccountSettingsCommand.ts index 23a7ad8da5c1..54d094313e65 100644 --- a/clients/client-quicksight/src/commands/DescribeAccountSettingsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAccountSettingsCommand.ts @@ -108,4 +108,16 @@ export class DescribeAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountSettingsCommand) .de(de_DescribeAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountSettingsRequest; + output: DescribeAccountSettingsResponse; + }; + sdk: { + input: DescribeAccountSettingsCommandInput; + output: DescribeAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAccountSubscriptionCommand.ts b/clients/client-quicksight/src/commands/DescribeAccountSubscriptionCommand.ts index de2c02cdc03b..c6cc19b05c39 100644 --- a/clients/client-quicksight/src/commands/DescribeAccountSubscriptionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAccountSubscriptionCommand.ts @@ -112,4 +112,16 @@ export class DescribeAccountSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountSubscriptionCommand) .de(de_DescribeAccountSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountSubscriptionRequest; + output: DescribeAccountSubscriptionResponse; + }; + sdk: { + input: DescribeAccountSubscriptionCommandInput; + output: DescribeAccountSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAnalysisCommand.ts b/clients/client-quicksight/src/commands/DescribeAnalysisCommand.ts index 7a02e87649bb..d1514621635d 100644 --- a/clients/client-quicksight/src/commands/DescribeAnalysisCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAnalysisCommand.ts @@ -132,4 +132,16 @@ export class DescribeAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAnalysisCommand) .de(de_DescribeAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnalysisRequest; + output: DescribeAnalysisResponse; + }; + sdk: { + input: DescribeAnalysisCommandInput; + output: DescribeAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts b/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts index dc22744db41f..0c613f7b3d17 100644 --- a/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts @@ -5067,4 +5067,16 @@ export class DescribeAnalysisDefinitionCommand extends $Command .f(void 0, DescribeAnalysisDefinitionResponseFilterSensitiveLog) .ser(se_DescribeAnalysisDefinitionCommand) .de(de_DescribeAnalysisDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnalysisDefinitionRequest; + output: DescribeAnalysisDefinitionResponse; + }; + sdk: { + input: DescribeAnalysisDefinitionCommandInput; + output: DescribeAnalysisDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAnalysisPermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeAnalysisPermissionsCommand.ts index 8572a2e091ed..a96cb14b203f 100644 --- a/clients/client-quicksight/src/commands/DescribeAnalysisPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAnalysisPermissionsCommand.ts @@ -112,4 +112,16 @@ export class DescribeAnalysisPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAnalysisPermissionsCommand) .de(de_DescribeAnalysisPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAnalysisPermissionsRequest; + output: DescribeAnalysisPermissionsResponse; + }; + sdk: { + input: DescribeAnalysisPermissionsCommandInput; + output: DescribeAnalysisPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAssetBundleExportJobCommand.ts b/clients/client-quicksight/src/commands/DescribeAssetBundleExportJobCommand.ts index a8a16885bbb7..c9b4548518f9 100644 --- a/clients/client-quicksight/src/commands/DescribeAssetBundleExportJobCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAssetBundleExportJobCommand.ts @@ -192,4 +192,16 @@ export class DescribeAssetBundleExportJobCommand extends $Command .f(void 0, DescribeAssetBundleExportJobResponseFilterSensitiveLog) .ser(se_DescribeAssetBundleExportJobCommand) .de(de_DescribeAssetBundleExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetBundleExportJobRequest; + output: DescribeAssetBundleExportJobResponse; + }; + sdk: { + input: DescribeAssetBundleExportJobCommandInput; + output: DescribeAssetBundleExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeAssetBundleImportJobCommand.ts b/clients/client-quicksight/src/commands/DescribeAssetBundleImportJobCommand.ts index f13797a307e4..9d517cbfefae 100644 --- a/clients/client-quicksight/src/commands/DescribeAssetBundleImportJobCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAssetBundleImportJobCommand.ts @@ -479,4 +479,16 @@ export class DescribeAssetBundleImportJobCommand extends $Command .f(void 0, DescribeAssetBundleImportJobResponseFilterSensitiveLog) .ser(se_DescribeAssetBundleImportJobCommand) .de(de_DescribeAssetBundleImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssetBundleImportJobRequest; + output: DescribeAssetBundleImportJobResponse; + }; + sdk: { + input: DescribeAssetBundleImportJobCommandInput; + output: DescribeAssetBundleImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDashboardCommand.ts b/clients/client-quicksight/src/commands/DescribeDashboardCommand.ts index 9878bb3e204a..0f169225bfa1 100644 --- a/clients/client-quicksight/src/commands/DescribeDashboardCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDashboardCommand.ts @@ -145,4 +145,16 @@ export class DescribeDashboardCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDashboardCommand) .de(de_DescribeDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDashboardRequest; + output: DescribeDashboardResponse; + }; + sdk: { + input: DescribeDashboardCommandInput; + output: DescribeDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts b/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts index e00ea42a8b58..f91b764ac78b 100644 --- a/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts @@ -5106,4 +5106,16 @@ export class DescribeDashboardDefinitionCommand extends $Command .f(void 0, DescribeDashboardDefinitionResponseFilterSensitiveLog) .ser(se_DescribeDashboardDefinitionCommand) .de(de_DescribeDashboardDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDashboardDefinitionRequest; + output: DescribeDashboardDefinitionResponse; + }; + sdk: { + input: DescribeDashboardDefinitionCommandInput; + output: DescribeDashboardDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDashboardPermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeDashboardPermissionsCommand.ts index cce8e9e9d717..95f6414c33ae 100644 --- a/clients/client-quicksight/src/commands/DescribeDashboardPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDashboardPermissionsCommand.ts @@ -122,4 +122,16 @@ export class DescribeDashboardPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDashboardPermissionsCommand) .de(de_DescribeDashboardPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDashboardPermissionsRequest; + output: DescribeDashboardPermissionsResponse; + }; + sdk: { + input: DescribeDashboardPermissionsCommandInput; + output: DescribeDashboardPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobCommand.ts b/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobCommand.ts index b0436d3d196d..aa39d97eedb4 100644 --- a/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobCommand.ts @@ -192,4 +192,16 @@ export class DescribeDashboardSnapshotJobCommand extends $Command .f(void 0, DescribeDashboardSnapshotJobResponseFilterSensitiveLog) .ser(se_DescribeDashboardSnapshotJobCommand) .de(de_DescribeDashboardSnapshotJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDashboardSnapshotJobRequest; + output: DescribeDashboardSnapshotJobResponse; + }; + sdk: { + input: DescribeDashboardSnapshotJobCommandInput; + output: DescribeDashboardSnapshotJobCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobResultCommand.ts b/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobResultCommand.ts index 3cf976c0ac7b..e7b3a1b27139 100644 --- a/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobResultCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDashboardSnapshotJobResultCommand.ts @@ -168,4 +168,16 @@ export class DescribeDashboardSnapshotJobResultCommand extends $Command .f(void 0, DescribeDashboardSnapshotJobResultResponseFilterSensitiveLog) .ser(se_DescribeDashboardSnapshotJobResultCommand) .de(de_DescribeDashboardSnapshotJobResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDashboardSnapshotJobResultRequest; + output: DescribeDashboardSnapshotJobResultResponse; + }; + sdk: { + input: DescribeDashboardSnapshotJobResultCommandInput; + output: DescribeDashboardSnapshotJobResultCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDataSetCommand.ts b/clients/client-quicksight/src/commands/DescribeDataSetCommand.ts index 86f69a9138fd..7be0bc1e0bf6 100644 --- a/clients/client-quicksight/src/commands/DescribeDataSetCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDataSetCommand.ts @@ -352,4 +352,16 @@ export class DescribeDataSetCommand extends $Command .f(void 0, DescribeDataSetResponseFilterSensitiveLog) .ser(se_DescribeDataSetCommand) .de(de_DescribeDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSetRequest; + output: DescribeDataSetResponse; + }; + sdk: { + input: DescribeDataSetCommandInput; + output: DescribeDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDataSetPermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeDataSetPermissionsCommand.ts index a51018887c2a..8c41d70aac82 100644 --- a/clients/client-quicksight/src/commands/DescribeDataSetPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDataSetPermissionsCommand.ts @@ -108,4 +108,16 @@ export class DescribeDataSetPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSetPermissionsCommand) .de(de_DescribeDataSetPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSetPermissionsRequest; + output: DescribeDataSetPermissionsResponse; + }; + sdk: { + input: DescribeDataSetPermissionsCommandInput; + output: DescribeDataSetPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDataSetRefreshPropertiesCommand.ts b/clients/client-quicksight/src/commands/DescribeDataSetRefreshPropertiesCommand.ts index ca9ce2bf97e9..f666fc5855cf 100644 --- a/clients/client-quicksight/src/commands/DescribeDataSetRefreshPropertiesCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDataSetRefreshPropertiesCommand.ts @@ -119,4 +119,16 @@ export class DescribeDataSetRefreshPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSetRefreshPropertiesCommand) .de(de_DescribeDataSetRefreshPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSetRefreshPropertiesRequest; + output: DescribeDataSetRefreshPropertiesResponse; + }; + sdk: { + input: DescribeDataSetRefreshPropertiesCommandInput; + output: DescribeDataSetRefreshPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDataSourceCommand.ts b/clients/client-quicksight/src/commands/DescribeDataSourceCommand.ts index 6f8be890a31b..bdd905bdd3bc 100644 --- a/clients/client-quicksight/src/commands/DescribeDataSourceCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDataSourceCommand.ts @@ -381,4 +381,16 @@ export class DescribeDataSourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSourceCommand) .de(de_DescribeDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSourceRequest; + output: DescribeDataSourceResponse; + }; + sdk: { + input: DescribeDataSourceCommandInput; + output: DescribeDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeDataSourcePermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeDataSourcePermissionsCommand.ts index bfe8476c85c3..983561565f3c 100644 --- a/clients/client-quicksight/src/commands/DescribeDataSourcePermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDataSourcePermissionsCommand.ts @@ -112,4 +112,16 @@ export class DescribeDataSourcePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSourcePermissionsCommand) .de(de_DescribeDataSourcePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSourcePermissionsRequest; + output: DescribeDataSourcePermissionsResponse; + }; + sdk: { + input: DescribeDataSourcePermissionsCommandInput; + output: DescribeDataSourcePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeFolderCommand.ts b/clients/client-quicksight/src/commands/DescribeFolderCommand.ts index c3b7c0570904..ebff72752462 100644 --- a/clients/client-quicksight/src/commands/DescribeFolderCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeFolderCommand.ts @@ -115,4 +115,16 @@ export class DescribeFolderCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFolderCommand) .de(de_DescribeFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFolderRequest; + output: DescribeFolderResponse; + }; + sdk: { + input: DescribeFolderCommandInput; + output: DescribeFolderCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeFolderPermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeFolderPermissionsCommand.ts index 0bdfae9aa6d4..b71d87ebde93 100644 --- a/clients/client-quicksight/src/commands/DescribeFolderPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeFolderPermissionsCommand.ts @@ -120,4 +120,16 @@ export class DescribeFolderPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFolderPermissionsCommand) .de(de_DescribeFolderPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFolderPermissionsRequest; + output: DescribeFolderPermissionsResponse; + }; + sdk: { + input: DescribeFolderPermissionsCommandInput; + output: DescribeFolderPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeFolderResolvedPermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeFolderResolvedPermissionsCommand.ts index 92f8eab4916d..9ee9e5a52216 100644 --- a/clients/client-quicksight/src/commands/DescribeFolderResolvedPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeFolderResolvedPermissionsCommand.ts @@ -128,4 +128,16 @@ export class DescribeFolderResolvedPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFolderResolvedPermissionsCommand) .de(de_DescribeFolderResolvedPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFolderResolvedPermissionsRequest; + output: DescribeFolderResolvedPermissionsResponse; + }; + sdk: { + input: DescribeFolderResolvedPermissionsCommandInput; + output: DescribeFolderResolvedPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeGroupCommand.ts b/clients/client-quicksight/src/commands/DescribeGroupCommand.ts index 755eefcfd302..1fe5ea155c7d 100644 --- a/clients/client-quicksight/src/commands/DescribeGroupCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeGroupCommand.ts @@ -110,4 +110,16 @@ export class DescribeGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGroupCommand) .de(de_DescribeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGroupRequest; + output: DescribeGroupResponse; + }; + sdk: { + input: DescribeGroupCommandInput; + output: DescribeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeGroupMembershipCommand.ts b/clients/client-quicksight/src/commands/DescribeGroupMembershipCommand.ts index a3d8f5bd33f8..f98409933a01 100644 --- a/clients/client-quicksight/src/commands/DescribeGroupMembershipCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeGroupMembershipCommand.ts @@ -111,4 +111,16 @@ export class DescribeGroupMembershipCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGroupMembershipCommand) .de(de_DescribeGroupMembershipCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGroupMembershipRequest; + output: DescribeGroupMembershipResponse; + }; + sdk: { + input: DescribeGroupMembershipCommandInput; + output: DescribeGroupMembershipCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeIAMPolicyAssignmentCommand.ts b/clients/client-quicksight/src/commands/DescribeIAMPolicyAssignmentCommand.ts index d47ec957d4c2..041b56c18fcf 100644 --- a/clients/client-quicksight/src/commands/DescribeIAMPolicyAssignmentCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeIAMPolicyAssignmentCommand.ts @@ -119,4 +119,16 @@ export class DescribeIAMPolicyAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIAMPolicyAssignmentCommand) .de(de_DescribeIAMPolicyAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIAMPolicyAssignmentRequest; + output: DescribeIAMPolicyAssignmentResponse; + }; + sdk: { + input: DescribeIAMPolicyAssignmentCommandInput; + output: DescribeIAMPolicyAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeIngestionCommand.ts b/clients/client-quicksight/src/commands/DescribeIngestionCommand.ts index 94a9d0913aff..b727f6fb788e 100644 --- a/clients/client-quicksight/src/commands/DescribeIngestionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeIngestionCommand.ts @@ -124,4 +124,16 @@ export class DescribeIngestionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIngestionCommand) .de(de_DescribeIngestionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIngestionRequest; + output: DescribeIngestionResponse; + }; + sdk: { + input: DescribeIngestionCommandInput; + output: DescribeIngestionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeIpRestrictionCommand.ts b/clients/client-quicksight/src/commands/DescribeIpRestrictionCommand.ts index a57607299a94..0bffc4fe5524 100644 --- a/clients/client-quicksight/src/commands/DescribeIpRestrictionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeIpRestrictionCommand.ts @@ -107,4 +107,16 @@ export class DescribeIpRestrictionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpRestrictionCommand) .de(de_DescribeIpRestrictionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpRestrictionRequest; + output: DescribeIpRestrictionResponse; + }; + sdk: { + input: DescribeIpRestrictionCommandInput; + output: DescribeIpRestrictionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeKeyRegistrationCommand.ts b/clients/client-quicksight/src/commands/DescribeKeyRegistrationCommand.ts index 1da77cb952dc..709a73fa54a9 100644 --- a/clients/client-quicksight/src/commands/DescribeKeyRegistrationCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeKeyRegistrationCommand.ts @@ -101,4 +101,16 @@ export class DescribeKeyRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeKeyRegistrationCommand) .de(de_DescribeKeyRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeKeyRegistrationRequest; + output: DescribeKeyRegistrationResponse; + }; + sdk: { + input: DescribeKeyRegistrationCommandInput; + output: DescribeKeyRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeNamespaceCommand.ts b/clients/client-quicksight/src/commands/DescribeNamespaceCommand.ts index 9b5564333fba..442aceed71d0 100644 --- a/clients/client-quicksight/src/commands/DescribeNamespaceCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeNamespaceCommand.ts @@ -111,4 +111,16 @@ export class DescribeNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNamespaceCommand) .de(de_DescribeNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNamespaceRequest; + output: DescribeNamespaceResponse; + }; + sdk: { + input: DescribeNamespaceCommandInput; + output: DescribeNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/DescribeRefreshScheduleCommand.ts index e53e12540fc0..680c2ff3a87b 100644 --- a/clients/client-quicksight/src/commands/DescribeRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeRefreshScheduleCommand.ts @@ -117,4 +117,16 @@ export class DescribeRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRefreshScheduleCommand) .de(de_DescribeRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRefreshScheduleRequest; + output: DescribeRefreshScheduleResponse; + }; + sdk: { + input: DescribeRefreshScheduleCommandInput; + output: DescribeRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeRoleCustomPermissionCommand.ts b/clients/client-quicksight/src/commands/DescribeRoleCustomPermissionCommand.ts index 243e9dcf7a04..f4f8e23daae3 100644 --- a/clients/client-quicksight/src/commands/DescribeRoleCustomPermissionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeRoleCustomPermissionCommand.ts @@ -110,4 +110,16 @@ export class DescribeRoleCustomPermissionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRoleCustomPermissionCommand) .de(de_DescribeRoleCustomPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRoleCustomPermissionRequest; + output: DescribeRoleCustomPermissionResponse; + }; + sdk: { + input: DescribeRoleCustomPermissionCommandInput; + output: DescribeRoleCustomPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTemplateAliasCommand.ts b/clients/client-quicksight/src/commands/DescribeTemplateAliasCommand.ts index 62a4874d5095..ff9b52e073cb 100644 --- a/clients/client-quicksight/src/commands/DescribeTemplateAliasCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTemplateAliasCommand.ts @@ -100,4 +100,16 @@ export class DescribeTemplateAliasCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTemplateAliasCommand) .de(de_DescribeTemplateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTemplateAliasRequest; + output: DescribeTemplateAliasResponse; + }; + sdk: { + input: DescribeTemplateAliasCommandInput; + output: DescribeTemplateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTemplateCommand.ts b/clients/client-quicksight/src/commands/DescribeTemplateCommand.ts index 1035c9f1f17b..9a5779eac456 100644 --- a/clients/client-quicksight/src/commands/DescribeTemplateCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTemplateCommand.ts @@ -167,4 +167,16 @@ export class DescribeTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTemplateCommand) .de(de_DescribeTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTemplateRequest; + output: DescribeTemplateResponse; + }; + sdk: { + input: DescribeTemplateCommandInput; + output: DescribeTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts b/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts index 379c8a704430..4ead19638a55 100644 --- a/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts @@ -5087,4 +5087,16 @@ export class DescribeTemplateDefinitionCommand extends $Command .f(void 0, DescribeTemplateDefinitionResponseFilterSensitiveLog) .ser(se_DescribeTemplateDefinitionCommand) .de(de_DescribeTemplateDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTemplateDefinitionRequest; + output: DescribeTemplateDefinitionResponse; + }; + sdk: { + input: DescribeTemplateDefinitionCommandInput; + output: DescribeTemplateDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTemplatePermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeTemplatePermissionsCommand.ts index 9f1935ca8c3b..40946a80aa55 100644 --- a/clients/client-quicksight/src/commands/DescribeTemplatePermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTemplatePermissionsCommand.ts @@ -115,4 +115,16 @@ export class DescribeTemplatePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTemplatePermissionsCommand) .de(de_DescribeTemplatePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTemplatePermissionsRequest; + output: DescribeTemplatePermissionsResponse; + }; + sdk: { + input: DescribeTemplatePermissionsCommandInput; + output: DescribeTemplatePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeThemeAliasCommand.ts b/clients/client-quicksight/src/commands/DescribeThemeAliasCommand.ts index 77afc4a69320..277f122140b3 100644 --- a/clients/client-quicksight/src/commands/DescribeThemeAliasCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeThemeAliasCommand.ts @@ -106,4 +106,16 @@ export class DescribeThemeAliasCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThemeAliasCommand) .de(de_DescribeThemeAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThemeAliasRequest; + output: DescribeThemeAliasResponse; + }; + sdk: { + input: DescribeThemeAliasCommandInput; + output: DescribeThemeAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeThemeCommand.ts b/clients/client-quicksight/src/commands/DescribeThemeCommand.ts index f571cfd2ab90..c7bda68de712 100644 --- a/clients/client-quicksight/src/commands/DescribeThemeCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeThemeCommand.ts @@ -181,4 +181,16 @@ export class DescribeThemeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThemeCommand) .de(de_DescribeThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThemeRequest; + output: DescribeThemeResponse; + }; + sdk: { + input: DescribeThemeCommandInput; + output: DescribeThemeCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeThemePermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeThemePermissionsCommand.ts index 4f57c5075574..fe616751c692 100644 --- a/clients/client-quicksight/src/commands/DescribeThemePermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeThemePermissionsCommand.ts @@ -113,4 +113,16 @@ export class DescribeThemePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeThemePermissionsCommand) .de(de_DescribeThemePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeThemePermissionsRequest; + output: DescribeThemePermissionsResponse; + }; + sdk: { + input: DescribeThemePermissionsCommandInput; + output: DescribeThemePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTopicCommand.ts b/clients/client-quicksight/src/commands/DescribeTopicCommand.ts index 0ec3d13d6a7f..9e3c3763a31c 100644 --- a/clients/client-quicksight/src/commands/DescribeTopicCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTopicCommand.ts @@ -351,4 +351,16 @@ export class DescribeTopicCommand extends $Command .f(void 0, DescribeTopicResponseFilterSensitiveLog) .ser(se_DescribeTopicCommand) .de(de_DescribeTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTopicRequest; + output: DescribeTopicResponse; + }; + sdk: { + input: DescribeTopicCommandInput; + output: DescribeTopicCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTopicPermissionsCommand.ts b/clients/client-quicksight/src/commands/DescribeTopicPermissionsCommand.ts index 59b8052fa844..ea7fe77cecb5 100644 --- a/clients/client-quicksight/src/commands/DescribeTopicPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTopicPermissionsCommand.ts @@ -107,4 +107,16 @@ export class DescribeTopicPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTopicPermissionsCommand) .de(de_DescribeTopicPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTopicPermissionsRequest; + output: DescribeTopicPermissionsResponse; + }; + sdk: { + input: DescribeTopicPermissionsCommandInput; + output: DescribeTopicPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTopicRefreshCommand.ts b/clients/client-quicksight/src/commands/DescribeTopicRefreshCommand.ts index 9512f7e9d9d6..50f0782dd874 100644 --- a/clients/client-quicksight/src/commands/DescribeTopicRefreshCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTopicRefreshCommand.ts @@ -103,4 +103,16 @@ export class DescribeTopicRefreshCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTopicRefreshCommand) .de(de_DescribeTopicRefreshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTopicRefreshRequest; + output: DescribeTopicRefreshResponse; + }; + sdk: { + input: DescribeTopicRefreshCommandInput; + output: DescribeTopicRefreshCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeTopicRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/DescribeTopicRefreshScheduleCommand.ts index 183399dd7dba..8281121b13da 100644 --- a/clients/client-quicksight/src/commands/DescribeTopicRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTopicRefreshScheduleCommand.ts @@ -123,4 +123,16 @@ export class DescribeTopicRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTopicRefreshScheduleCommand) .de(de_DescribeTopicRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTopicRefreshScheduleRequest; + output: DescribeTopicRefreshScheduleResponse; + }; + sdk: { + input: DescribeTopicRefreshScheduleCommandInput; + output: DescribeTopicRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeUserCommand.ts b/clients/client-quicksight/src/commands/DescribeUserCommand.ts index 53c735fa4a1c..b54a6efcbbd9 100644 --- a/clients/client-quicksight/src/commands/DescribeUserCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeUserCommand.ts @@ -117,4 +117,16 @@ export class DescribeUserCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserCommand) .de(de_DescribeUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserRequest; + output: DescribeUserResponse; + }; + sdk: { + input: DescribeUserCommandInput; + output: DescribeUserCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts b/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts index 78044cc95fcd..49fe7efea669 100644 --- a/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts @@ -130,4 +130,16 @@ export class DescribeVPCConnectionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVPCConnectionCommand) .de(de_DescribeVPCConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVPCConnectionRequest; + output: DescribeVPCConnectionResponse; + }; + sdk: { + input: DescribeVPCConnectionCommandInput; + output: DescribeVPCConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/GenerateEmbedUrlForAnonymousUserCommand.ts b/clients/client-quicksight/src/commands/GenerateEmbedUrlForAnonymousUserCommand.ts index 8444b62dc1cf..1cdf08b66949 100644 --- a/clients/client-quicksight/src/commands/GenerateEmbedUrlForAnonymousUserCommand.ts +++ b/clients/client-quicksight/src/commands/GenerateEmbedUrlForAnonymousUserCommand.ts @@ -192,4 +192,16 @@ export class GenerateEmbedUrlForAnonymousUserCommand extends $Command ) .ser(se_GenerateEmbedUrlForAnonymousUserCommand) .de(de_GenerateEmbedUrlForAnonymousUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateEmbedUrlForAnonymousUserRequest; + output: GenerateEmbedUrlForAnonymousUserResponse; + }; + sdk: { + input: GenerateEmbedUrlForAnonymousUserCommandInput; + output: GenerateEmbedUrlForAnonymousUserCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/GenerateEmbedUrlForRegisteredUserCommand.ts b/clients/client-quicksight/src/commands/GenerateEmbedUrlForRegisteredUserCommand.ts index 355acf3b210a..c67253e866f5 100644 --- a/clients/client-quicksight/src/commands/GenerateEmbedUrlForRegisteredUserCommand.ts +++ b/clients/client-quicksight/src/commands/GenerateEmbedUrlForRegisteredUserCommand.ts @@ -197,4 +197,16 @@ export class GenerateEmbedUrlForRegisteredUserCommand extends $Command .f(void 0, GenerateEmbedUrlForRegisteredUserResponseFilterSensitiveLog) .ser(se_GenerateEmbedUrlForRegisteredUserCommand) .de(de_GenerateEmbedUrlForRegisteredUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateEmbedUrlForRegisteredUserRequest; + output: GenerateEmbedUrlForRegisteredUserResponse; + }; + sdk: { + input: GenerateEmbedUrlForRegisteredUserCommandInput; + output: GenerateEmbedUrlForRegisteredUserCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/GetDashboardEmbedUrlCommand.ts b/clients/client-quicksight/src/commands/GetDashboardEmbedUrlCommand.ts index 1b8942ecc04c..0c68af243187 100644 --- a/clients/client-quicksight/src/commands/GetDashboardEmbedUrlCommand.ts +++ b/clients/client-quicksight/src/commands/GetDashboardEmbedUrlCommand.ts @@ -170,4 +170,16 @@ export class GetDashboardEmbedUrlCommand extends $Command .f(void 0, GetDashboardEmbedUrlResponseFilterSensitiveLog) .ser(se_GetDashboardEmbedUrlCommand) .de(de_GetDashboardEmbedUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDashboardEmbedUrlRequest; + output: GetDashboardEmbedUrlResponse; + }; + sdk: { + input: GetDashboardEmbedUrlCommandInput; + output: GetDashboardEmbedUrlCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/GetSessionEmbedUrlCommand.ts b/clients/client-quicksight/src/commands/GetSessionEmbedUrlCommand.ts index ebea21f1a3c8..4c34702505d0 100644 --- a/clients/client-quicksight/src/commands/GetSessionEmbedUrlCommand.ts +++ b/clients/client-quicksight/src/commands/GetSessionEmbedUrlCommand.ts @@ -147,4 +147,16 @@ export class GetSessionEmbedUrlCommand extends $Command .f(void 0, GetSessionEmbedUrlResponseFilterSensitiveLog) .ser(se_GetSessionEmbedUrlCommand) .de(de_GetSessionEmbedUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionEmbedUrlRequest; + output: GetSessionEmbedUrlResponse; + }; + sdk: { + input: GetSessionEmbedUrlCommandInput; + output: GetSessionEmbedUrlCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListAnalysesCommand.ts b/clients/client-quicksight/src/commands/ListAnalysesCommand.ts index f70fd132ddb7..c77c0e25668c 100644 --- a/clients/client-quicksight/src/commands/ListAnalysesCommand.ts +++ b/clients/client-quicksight/src/commands/ListAnalysesCommand.ts @@ -106,4 +106,16 @@ export class ListAnalysesCommand extends $Command .f(void 0, void 0) .ser(se_ListAnalysesCommand) .de(de_ListAnalysesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnalysesRequest; + output: ListAnalysesResponse; + }; + sdk: { + input: ListAnalysesCommandInput; + output: ListAnalysesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListAssetBundleExportJobsCommand.ts b/clients/client-quicksight/src/commands/ListAssetBundleExportJobsCommand.ts index 61ed9567df9a..907e641c480e 100644 --- a/clients/client-quicksight/src/commands/ListAssetBundleExportJobsCommand.ts +++ b/clients/client-quicksight/src/commands/ListAssetBundleExportJobsCommand.ts @@ -114,4 +114,16 @@ export class ListAssetBundleExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetBundleExportJobsCommand) .de(de_ListAssetBundleExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetBundleExportJobsRequest; + output: ListAssetBundleExportJobsResponse; + }; + sdk: { + input: ListAssetBundleExportJobsCommandInput; + output: ListAssetBundleExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListAssetBundleImportJobsCommand.ts b/clients/client-quicksight/src/commands/ListAssetBundleImportJobsCommand.ts index 18ce4a48edf4..1467e4f1f9fc 100644 --- a/clients/client-quicksight/src/commands/ListAssetBundleImportJobsCommand.ts +++ b/clients/client-quicksight/src/commands/ListAssetBundleImportJobsCommand.ts @@ -111,4 +111,16 @@ export class ListAssetBundleImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssetBundleImportJobsCommand) .de(de_ListAssetBundleImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssetBundleImportJobsRequest; + output: ListAssetBundleImportJobsResponse; + }; + sdk: { + input: ListAssetBundleImportJobsCommandInput; + output: ListAssetBundleImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListDashboardVersionsCommand.ts b/clients/client-quicksight/src/commands/ListDashboardVersionsCommand.ts index 2c9d90b207c4..86688d56c9af 100644 --- a/clients/client-quicksight/src/commands/ListDashboardVersionsCommand.ts +++ b/clients/client-quicksight/src/commands/ListDashboardVersionsCommand.ts @@ -113,4 +113,16 @@ export class ListDashboardVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDashboardVersionsCommand) .de(de_ListDashboardVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDashboardVersionsRequest; + output: ListDashboardVersionsResponse; + }; + sdk: { + input: ListDashboardVersionsCommandInput; + output: ListDashboardVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListDashboardsCommand.ts b/clients/client-quicksight/src/commands/ListDashboardsCommand.ts index 9c6303d92fa6..4716ca2c8c53 100644 --- a/clients/client-quicksight/src/commands/ListDashboardsCommand.ts +++ b/clients/client-quicksight/src/commands/ListDashboardsCommand.ts @@ -107,4 +107,16 @@ export class ListDashboardsCommand extends $Command .f(void 0, void 0) .ser(se_ListDashboardsCommand) .de(de_ListDashboardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDashboardsRequest; + output: ListDashboardsResponse; + }; + sdk: { + input: ListDashboardsCommandInput; + output: ListDashboardsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListDataSetsCommand.ts b/clients/client-quicksight/src/commands/ListDataSetsCommand.ts index b7cb5e9b07de..fba219aa57d1 100644 --- a/clients/client-quicksight/src/commands/ListDataSetsCommand.ts +++ b/clients/client-quicksight/src/commands/ListDataSetsCommand.ts @@ -119,4 +119,16 @@ export class ListDataSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSetsCommand) .de(de_ListDataSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSetsRequest; + output: ListDataSetsResponse; + }; + sdk: { + input: ListDataSetsCommandInput; + output: ListDataSetsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListDataSourcesCommand.ts b/clients/client-quicksight/src/commands/ListDataSourcesCommand.ts index 7afdd9c86482..0c85b5272f8b 100644 --- a/clients/client-quicksight/src/commands/ListDataSourcesCommand.ts +++ b/clients/client-quicksight/src/commands/ListDataSourcesCommand.ts @@ -385,4 +385,16 @@ export class ListDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDataSourcesCommand) .de(de_ListDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataSourcesRequest; + output: ListDataSourcesResponse; + }; + sdk: { + input: ListDataSourcesCommandInput; + output: ListDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListFolderMembersCommand.ts b/clients/client-quicksight/src/commands/ListFolderMembersCommand.ts index 01daae117a12..0aefa8d18875 100644 --- a/clients/client-quicksight/src/commands/ListFolderMembersCommand.ts +++ b/clients/client-quicksight/src/commands/ListFolderMembersCommand.ts @@ -115,4 +115,16 @@ export class ListFolderMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListFolderMembersCommand) .de(de_ListFolderMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFolderMembersRequest; + output: ListFolderMembersResponse; + }; + sdk: { + input: ListFolderMembersCommandInput; + output: ListFolderMembersCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListFoldersCommand.ts b/clients/client-quicksight/src/commands/ListFoldersCommand.ts index 6b74bbb1353c..0ebd460b801a 100644 --- a/clients/client-quicksight/src/commands/ListFoldersCommand.ts +++ b/clients/client-quicksight/src/commands/ListFoldersCommand.ts @@ -119,4 +119,16 @@ export class ListFoldersCommand extends $Command .f(void 0, void 0) .ser(se_ListFoldersCommand) .de(de_ListFoldersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFoldersRequest; + output: ListFoldersResponse; + }; + sdk: { + input: ListFoldersCommandInput; + output: ListFoldersCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListGroupMembershipsCommand.ts b/clients/client-quicksight/src/commands/ListGroupMembershipsCommand.ts index a546e087b32a..149883a39596 100644 --- a/clients/client-quicksight/src/commands/ListGroupMembershipsCommand.ts +++ b/clients/client-quicksight/src/commands/ListGroupMembershipsCommand.ts @@ -116,4 +116,16 @@ export class ListGroupMembershipsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupMembershipsCommand) .de(de_ListGroupMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupMembershipsRequest; + output: ListGroupMembershipsResponse; + }; + sdk: { + input: ListGroupMembershipsCommandInput; + output: ListGroupMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListGroupsCommand.ts b/clients/client-quicksight/src/commands/ListGroupsCommand.ts index 6b4783fb26e9..4ca4245e16ca 100644 --- a/clients/client-quicksight/src/commands/ListGroupsCommand.ts +++ b/clients/client-quicksight/src/commands/ListGroupsCommand.ts @@ -117,4 +117,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsCommand.ts b/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsCommand.ts index 0da6f5c52e07..ce068f523352 100644 --- a/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsCommand.ts +++ b/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsCommand.ts @@ -112,4 +112,16 @@ export class ListIAMPolicyAssignmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListIAMPolicyAssignmentsCommand) .de(de_ListIAMPolicyAssignmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIAMPolicyAssignmentsRequest; + output: ListIAMPolicyAssignmentsResponse; + }; + sdk: { + input: ListIAMPolicyAssignmentsCommandInput; + output: ListIAMPolicyAssignmentsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsForUserCommand.ts b/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsForUserCommand.ts index 2e5b5067ed53..44ef0597dbba 100644 --- a/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsForUserCommand.ts +++ b/clients/client-quicksight/src/commands/ListIAMPolicyAssignmentsForUserCommand.ts @@ -125,4 +125,16 @@ export class ListIAMPolicyAssignmentsForUserCommand extends $Command .f(void 0, void 0) .ser(se_ListIAMPolicyAssignmentsForUserCommand) .de(de_ListIAMPolicyAssignmentsForUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIAMPolicyAssignmentsForUserRequest; + output: ListIAMPolicyAssignmentsForUserResponse; + }; + sdk: { + input: ListIAMPolicyAssignmentsForUserCommandInput; + output: ListIAMPolicyAssignmentsForUserCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListIdentityPropagationConfigsCommand.ts b/clients/client-quicksight/src/commands/ListIdentityPropagationConfigsCommand.ts index 1c4c382634a7..1a442402de94 100644 --- a/clients/client-quicksight/src/commands/ListIdentityPropagationConfigsCommand.ts +++ b/clients/client-quicksight/src/commands/ListIdentityPropagationConfigsCommand.ts @@ -113,4 +113,16 @@ export class ListIdentityPropagationConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityPropagationConfigsCommand) .de(de_ListIdentityPropagationConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityPropagationConfigsRequest; + output: ListIdentityPropagationConfigsResponse; + }; + sdk: { + input: ListIdentityPropagationConfigsCommandInput; + output: ListIdentityPropagationConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListIngestionsCommand.ts b/clients/client-quicksight/src/commands/ListIngestionsCommand.ts index 6a9c6af75cb6..c4f8c6f13438 100644 --- a/clients/client-quicksight/src/commands/ListIngestionsCommand.ts +++ b/clients/client-quicksight/src/commands/ListIngestionsCommand.ts @@ -131,4 +131,16 @@ export class ListIngestionsCommand extends $Command .f(void 0, void 0) .ser(se_ListIngestionsCommand) .de(de_ListIngestionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIngestionsRequest; + output: ListIngestionsResponse; + }; + sdk: { + input: ListIngestionsCommandInput; + output: ListIngestionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListNamespacesCommand.ts b/clients/client-quicksight/src/commands/ListNamespacesCommand.ts index f46ede2eebe3..9cba6d443f6d 100644 --- a/clients/client-quicksight/src/commands/ListNamespacesCommand.ts +++ b/clients/client-quicksight/src/commands/ListNamespacesCommand.ts @@ -121,4 +121,16 @@ export class ListNamespacesCommand extends $Command .f(void 0, void 0) .ser(se_ListNamespacesCommand) .de(de_ListNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNamespacesRequest; + output: ListNamespacesResponse; + }; + sdk: { + input: ListNamespacesCommandInput; + output: ListNamespacesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListRefreshSchedulesCommand.ts b/clients/client-quicksight/src/commands/ListRefreshSchedulesCommand.ts index 9345333118ae..f8153c35099a 100644 --- a/clients/client-quicksight/src/commands/ListRefreshSchedulesCommand.ts +++ b/clients/client-quicksight/src/commands/ListRefreshSchedulesCommand.ts @@ -117,4 +117,16 @@ export class ListRefreshSchedulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRefreshSchedulesCommand) .de(de_ListRefreshSchedulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRefreshSchedulesRequest; + output: ListRefreshSchedulesResponse; + }; + sdk: { + input: ListRefreshSchedulesCommandInput; + output: ListRefreshSchedulesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListRoleMembershipsCommand.ts b/clients/client-quicksight/src/commands/ListRoleMembershipsCommand.ts index 789c084fdc3b..61bbbbd72398 100644 --- a/clients/client-quicksight/src/commands/ListRoleMembershipsCommand.ts +++ b/clients/client-quicksight/src/commands/ListRoleMembershipsCommand.ts @@ -116,4 +116,16 @@ export class ListRoleMembershipsCommand extends $Command .f(void 0, void 0) .ser(se_ListRoleMembershipsCommand) .de(de_ListRoleMembershipsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoleMembershipsRequest; + output: ListRoleMembershipsResponse; + }; + sdk: { + input: ListRoleMembershipsCommandInput; + output: ListRoleMembershipsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListTagsForResourceCommand.ts b/clients/client-quicksight/src/commands/ListTagsForResourceCommand.ts index ffb0dca4c934..a55517007cc7 100644 --- a/clients/client-quicksight/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-quicksight/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListTemplateAliasesCommand.ts b/clients/client-quicksight/src/commands/ListTemplateAliasesCommand.ts index 851883a7deb6..568eeb8ef37f 100644 --- a/clients/client-quicksight/src/commands/ListTemplateAliasesCommand.ts +++ b/clients/client-quicksight/src/commands/ListTemplateAliasesCommand.ts @@ -107,4 +107,16 @@ export class ListTemplateAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateAliasesCommand) .de(de_ListTemplateAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateAliasesRequest; + output: ListTemplateAliasesResponse; + }; + sdk: { + input: ListTemplateAliasesCommandInput; + output: ListTemplateAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListTemplateVersionsCommand.ts b/clients/client-quicksight/src/commands/ListTemplateVersionsCommand.ts index 56bc5bb85e47..258896800dd6 100644 --- a/clients/client-quicksight/src/commands/ListTemplateVersionsCommand.ts +++ b/clients/client-quicksight/src/commands/ListTemplateVersionsCommand.ts @@ -112,4 +112,16 @@ export class ListTemplateVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateVersionsCommand) .de(de_ListTemplateVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateVersionsRequest; + output: ListTemplateVersionsResponse; + }; + sdk: { + input: ListTemplateVersionsCommandInput; + output: ListTemplateVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListTemplatesCommand.ts b/clients/client-quicksight/src/commands/ListTemplatesCommand.ts index fd3abadb4ab4..dfac9a4d6aed 100644 --- a/clients/client-quicksight/src/commands/ListTemplatesCommand.ts +++ b/clients/client-quicksight/src/commands/ListTemplatesCommand.ts @@ -112,4 +112,16 @@ export class ListTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplatesCommand) .de(de_ListTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplatesRequest; + output: ListTemplatesResponse; + }; + sdk: { + input: ListTemplatesCommandInput; + output: ListTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListThemeAliasesCommand.ts b/clients/client-quicksight/src/commands/ListThemeAliasesCommand.ts index 0e7ef9533314..f4c21d852038 100644 --- a/clients/client-quicksight/src/commands/ListThemeAliasesCommand.ts +++ b/clients/client-quicksight/src/commands/ListThemeAliasesCommand.ts @@ -113,4 +113,16 @@ export class ListThemeAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListThemeAliasesCommand) .de(de_ListThemeAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThemeAliasesRequest; + output: ListThemeAliasesResponse; + }; + sdk: { + input: ListThemeAliasesCommandInput; + output: ListThemeAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListThemeVersionsCommand.ts b/clients/client-quicksight/src/commands/ListThemeVersionsCommand.ts index 25b54e873412..4b32d5f1ac22 100644 --- a/clients/client-quicksight/src/commands/ListThemeVersionsCommand.ts +++ b/clients/client-quicksight/src/commands/ListThemeVersionsCommand.ts @@ -118,4 +118,16 @@ export class ListThemeVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListThemeVersionsCommand) .de(de_ListThemeVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThemeVersionsRequest; + output: ListThemeVersionsResponse; + }; + sdk: { + input: ListThemeVersionsCommandInput; + output: ListThemeVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListThemesCommand.ts b/clients/client-quicksight/src/commands/ListThemesCommand.ts index 47d756898e56..7840d72ac7f1 100644 --- a/clients/client-quicksight/src/commands/ListThemesCommand.ts +++ b/clients/client-quicksight/src/commands/ListThemesCommand.ts @@ -119,4 +119,16 @@ export class ListThemesCommand extends $Command .f(void 0, void 0) .ser(se_ListThemesCommand) .de(de_ListThemesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListThemesRequest; + output: ListThemesResponse; + }; + sdk: { + input: ListThemesCommandInput; + output: ListThemesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListTopicRefreshSchedulesCommand.ts b/clients/client-quicksight/src/commands/ListTopicRefreshSchedulesCommand.ts index f051246169d8..289f9b219f6b 100644 --- a/clients/client-quicksight/src/commands/ListTopicRefreshSchedulesCommand.ts +++ b/clients/client-quicksight/src/commands/ListTopicRefreshSchedulesCommand.ts @@ -123,4 +123,16 @@ export class ListTopicRefreshSchedulesCommand extends $Command .f(void 0, void 0) .ser(se_ListTopicRefreshSchedulesCommand) .de(de_ListTopicRefreshSchedulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTopicRefreshSchedulesRequest; + output: ListTopicRefreshSchedulesResponse; + }; + sdk: { + input: ListTopicRefreshSchedulesCommandInput; + output: ListTopicRefreshSchedulesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListTopicReviewedAnswersCommand.ts b/clients/client-quicksight/src/commands/ListTopicReviewedAnswersCommand.ts index 4cf85a5befc4..15a865cadc24 100644 --- a/clients/client-quicksight/src/commands/ListTopicReviewedAnswersCommand.ts +++ b/clients/client-quicksight/src/commands/ListTopicReviewedAnswersCommand.ts @@ -577,4 +577,16 @@ export class ListTopicReviewedAnswersCommand extends $Command .f(void 0, ListTopicReviewedAnswersResponseFilterSensitiveLog) .ser(se_ListTopicReviewedAnswersCommand) .de(de_ListTopicReviewedAnswersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTopicReviewedAnswersRequest; + output: ListTopicReviewedAnswersResponse; + }; + sdk: { + input: ListTopicReviewedAnswersCommandInput; + output: ListTopicReviewedAnswersCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListTopicsCommand.ts b/clients/client-quicksight/src/commands/ListTopicsCommand.ts index 867056d2c297..e1104d2fd4a3 100644 --- a/clients/client-quicksight/src/commands/ListTopicsCommand.ts +++ b/clients/client-quicksight/src/commands/ListTopicsCommand.ts @@ -107,4 +107,16 @@ export class ListTopicsCommand extends $Command .f(void 0, void 0) .ser(se_ListTopicsCommand) .de(de_ListTopicsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTopicsRequest; + output: ListTopicsResponse; + }; + sdk: { + input: ListTopicsCommandInput; + output: ListTopicsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListUserGroupsCommand.ts b/clients/client-quicksight/src/commands/ListUserGroupsCommand.ts index a33f4c3aefd7..2e5de2ad1052 100644 --- a/clients/client-quicksight/src/commands/ListUserGroupsCommand.ts +++ b/clients/client-quicksight/src/commands/ListUserGroupsCommand.ts @@ -115,4 +115,16 @@ export class ListUserGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListUserGroupsCommand) .de(de_ListUserGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserGroupsRequest; + output: ListUserGroupsResponse; + }; + sdk: { + input: ListUserGroupsCommandInput; + output: ListUserGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListUsersCommand.ts b/clients/client-quicksight/src/commands/ListUsersCommand.ts index 325a918ecc83..5ab004814d16 100644 --- a/clients/client-quicksight/src/commands/ListUsersCommand.ts +++ b/clients/client-quicksight/src/commands/ListUsersCommand.ts @@ -124,4 +124,16 @@ export class ListUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/ListVPCConnectionsCommand.ts b/clients/client-quicksight/src/commands/ListVPCConnectionsCommand.ts index 3e571187c1f2..fa5aff913905 100644 --- a/clients/client-quicksight/src/commands/ListVPCConnectionsCommand.ts +++ b/clients/client-quicksight/src/commands/ListVPCConnectionsCommand.ts @@ -134,4 +134,16 @@ export class ListVPCConnectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListVPCConnectionsCommand) .de(de_ListVPCConnectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVPCConnectionsRequest; + output: ListVPCConnectionsResponse; + }; + sdk: { + input: ListVPCConnectionsCommandInput; + output: ListVPCConnectionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/PutDataSetRefreshPropertiesCommand.ts b/clients/client-quicksight/src/commands/PutDataSetRefreshPropertiesCommand.ts index 78ec883d856c..a91d8097f7c7 100644 --- a/clients/client-quicksight/src/commands/PutDataSetRefreshPropertiesCommand.ts +++ b/clients/client-quicksight/src/commands/PutDataSetRefreshPropertiesCommand.ts @@ -122,4 +122,16 @@ export class PutDataSetRefreshPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_PutDataSetRefreshPropertiesCommand) .de(de_PutDataSetRefreshPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDataSetRefreshPropertiesRequest; + output: PutDataSetRefreshPropertiesResponse; + }; + sdk: { + input: PutDataSetRefreshPropertiesCommandInput; + output: PutDataSetRefreshPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/RegisterUserCommand.ts b/clients/client-quicksight/src/commands/RegisterUserCommand.ts index 8776b2ac7623..8f051b3ef09a 100644 --- a/clients/client-quicksight/src/commands/RegisterUserCommand.ts +++ b/clients/client-quicksight/src/commands/RegisterUserCommand.ts @@ -139,4 +139,16 @@ export class RegisterUserCommand extends $Command .f(void 0, void 0) .ser(se_RegisterUserCommand) .de(de_RegisterUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterUserRequest; + output: RegisterUserResponse; + }; + sdk: { + input: RegisterUserCommandInput; + output: RegisterUserCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/RestoreAnalysisCommand.ts b/clients/client-quicksight/src/commands/RestoreAnalysisCommand.ts index 249b6acea0de..2d80b90ab023 100644 --- a/clients/client-quicksight/src/commands/RestoreAnalysisCommand.ts +++ b/clients/client-quicksight/src/commands/RestoreAnalysisCommand.ts @@ -102,4 +102,16 @@ export class RestoreAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_RestoreAnalysisCommand) .de(de_RestoreAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreAnalysisRequest; + output: RestoreAnalysisResponse; + }; + sdk: { + input: RestoreAnalysisCommandInput; + output: RestoreAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/SearchAnalysesCommand.ts b/clients/client-quicksight/src/commands/SearchAnalysesCommand.ts index ecb770b1c8d0..587e98389ec8 100644 --- a/clients/client-quicksight/src/commands/SearchAnalysesCommand.ts +++ b/clients/client-quicksight/src/commands/SearchAnalysesCommand.ts @@ -122,4 +122,16 @@ export class SearchAnalysesCommand extends $Command .f(void 0, void 0) .ser(se_SearchAnalysesCommand) .de(de_SearchAnalysesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchAnalysesRequest; + output: SearchAnalysesResponse; + }; + sdk: { + input: SearchAnalysesCommandInput; + output: SearchAnalysesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/SearchDashboardsCommand.ts b/clients/client-quicksight/src/commands/SearchDashboardsCommand.ts index d5c952e5f4a7..4a5999a9675f 100644 --- a/clients/client-quicksight/src/commands/SearchDashboardsCommand.ts +++ b/clients/client-quicksight/src/commands/SearchDashboardsCommand.ts @@ -123,4 +123,16 @@ export class SearchDashboardsCommand extends $Command .f(void 0, void 0) .ser(se_SearchDashboardsCommand) .de(de_SearchDashboardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchDashboardsRequest; + output: SearchDashboardsResponse; + }; + sdk: { + input: SearchDashboardsCommandInput; + output: SearchDashboardsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/SearchDataSetsCommand.ts b/clients/client-quicksight/src/commands/SearchDataSetsCommand.ts index 824e9ddc37c1..bf33c085f641 100644 --- a/clients/client-quicksight/src/commands/SearchDataSetsCommand.ts +++ b/clients/client-quicksight/src/commands/SearchDataSetsCommand.ts @@ -128,4 +128,16 @@ export class SearchDataSetsCommand extends $Command .f(void 0, void 0) .ser(se_SearchDataSetsCommand) .de(de_SearchDataSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchDataSetsRequest; + output: SearchDataSetsResponse; + }; + sdk: { + input: SearchDataSetsCommandInput; + output: SearchDataSetsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/SearchDataSourcesCommand.ts b/clients/client-quicksight/src/commands/SearchDataSourcesCommand.ts index affbcf1b2b84..afb69307ae6a 100644 --- a/clients/client-quicksight/src/commands/SearchDataSourcesCommand.ts +++ b/clients/client-quicksight/src/commands/SearchDataSourcesCommand.ts @@ -119,4 +119,16 @@ export class SearchDataSourcesCommand extends $Command .f(void 0, void 0) .ser(se_SearchDataSourcesCommand) .de(de_SearchDataSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchDataSourcesRequest; + output: SearchDataSourcesResponse; + }; + sdk: { + input: SearchDataSourcesCommandInput; + output: SearchDataSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/SearchFoldersCommand.ts b/clients/client-quicksight/src/commands/SearchFoldersCommand.ts index 2166a6c8c7f6..c0541fdcda61 100644 --- a/clients/client-quicksight/src/commands/SearchFoldersCommand.ts +++ b/clients/client-quicksight/src/commands/SearchFoldersCommand.ts @@ -129,4 +129,16 @@ export class SearchFoldersCommand extends $Command .f(void 0, void 0) .ser(se_SearchFoldersCommand) .de(de_SearchFoldersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchFoldersRequest; + output: SearchFoldersResponse; + }; + sdk: { + input: SearchFoldersCommandInput; + output: SearchFoldersCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/SearchGroupsCommand.ts b/clients/client-quicksight/src/commands/SearchGroupsCommand.ts index c551f39e8e3c..231f2d4ad2d0 100644 --- a/clients/client-quicksight/src/commands/SearchGroupsCommand.ts +++ b/clients/client-quicksight/src/commands/SearchGroupsCommand.ts @@ -124,4 +124,16 @@ export class SearchGroupsCommand extends $Command .f(void 0, void 0) .ser(se_SearchGroupsCommand) .de(de_SearchGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchGroupsRequest; + output: SearchGroupsResponse; + }; + sdk: { + input: SearchGroupsCommandInput; + output: SearchGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/StartAssetBundleExportJobCommand.ts b/clients/client-quicksight/src/commands/StartAssetBundleExportJobCommand.ts index e5fbbb8146fe..a0724f595dab 100644 --- a/clients/client-quicksight/src/commands/StartAssetBundleExportJobCommand.ts +++ b/clients/client-quicksight/src/commands/StartAssetBundleExportJobCommand.ts @@ -181,4 +181,16 @@ export class StartAssetBundleExportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartAssetBundleExportJobCommand) .de(de_StartAssetBundleExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAssetBundleExportJobRequest; + output: StartAssetBundleExportJobResponse; + }; + sdk: { + input: StartAssetBundleExportJobCommandInput; + output: StartAssetBundleExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/StartAssetBundleImportJobCommand.ts b/clients/client-quicksight/src/commands/StartAssetBundleImportJobCommand.ts index 99ad89c57f88..95db5dbfd459 100644 --- a/clients/client-quicksight/src/commands/StartAssetBundleImportJobCommand.ts +++ b/clients/client-quicksight/src/commands/StartAssetBundleImportJobCommand.ts @@ -467,4 +467,16 @@ export class StartAssetBundleImportJobCommand extends $Command .f(StartAssetBundleImportJobRequestFilterSensitiveLog, void 0) .ser(se_StartAssetBundleImportJobCommand) .de(de_StartAssetBundleImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAssetBundleImportJobRequest; + output: StartAssetBundleImportJobResponse; + }; + sdk: { + input: StartAssetBundleImportJobCommandInput; + output: StartAssetBundleImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/StartDashboardSnapshotJobCommand.ts b/clients/client-quicksight/src/commands/StartDashboardSnapshotJobCommand.ts index b16de49f2f5f..00b3b74babbf 100644 --- a/clients/client-quicksight/src/commands/StartDashboardSnapshotJobCommand.ts +++ b/clients/client-quicksight/src/commands/StartDashboardSnapshotJobCommand.ts @@ -263,4 +263,16 @@ export class StartDashboardSnapshotJobCommand extends $Command .f(StartDashboardSnapshotJobRequestFilterSensitiveLog, void 0) .ser(se_StartDashboardSnapshotJobCommand) .de(de_StartDashboardSnapshotJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDashboardSnapshotJobRequest; + output: StartDashboardSnapshotJobResponse; + }; + sdk: { + input: StartDashboardSnapshotJobCommandInput; + output: StartDashboardSnapshotJobCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/TagResourceCommand.ts b/clients/client-quicksight/src/commands/TagResourceCommand.ts index 63f136974284..743a139e9b3b 100644 --- a/clients/client-quicksight/src/commands/TagResourceCommand.ts +++ b/clients/client-quicksight/src/commands/TagResourceCommand.ts @@ -124,4 +124,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: TagResourceResponse; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UntagResourceCommand.ts b/clients/client-quicksight/src/commands/UntagResourceCommand.ts index c2e873abf7cb..4da7683a9e84 100644 --- a/clients/client-quicksight/src/commands/UntagResourceCommand.ts +++ b/clients/client-quicksight/src/commands/UntagResourceCommand.ts @@ -99,4 +99,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: UntagResourceResponse; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateAccountCustomizationCommand.ts b/clients/client-quicksight/src/commands/UpdateAccountCustomizationCommand.ts index 157b3c4e76b2..0299e0606eb4 100644 --- a/clients/client-quicksight/src/commands/UpdateAccountCustomizationCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateAccountCustomizationCommand.ts @@ -118,4 +118,16 @@ export class UpdateAccountCustomizationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountCustomizationCommand) .de(de_UpdateAccountCustomizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountCustomizationRequest; + output: UpdateAccountCustomizationResponse; + }; + sdk: { + input: UpdateAccountCustomizationCommandInput; + output: UpdateAccountCustomizationCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateAccountSettingsCommand.ts b/clients/client-quicksight/src/commands/UpdateAccountSettingsCommand.ts index 9e298e879ce1..c8f87d3c441b 100644 --- a/clients/client-quicksight/src/commands/UpdateAccountSettingsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateAccountSettingsCommand.ts @@ -102,4 +102,16 @@ export class UpdateAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSettingsCommand) .de(de_UpdateAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSettingsRequest; + output: UpdateAccountSettingsResponse; + }; + sdk: { + input: UpdateAccountSettingsCommandInput; + output: UpdateAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts b/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts index 56e675c53a1b..c78ef9bf6c93 100644 --- a/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts @@ -5091,4 +5091,16 @@ export class UpdateAnalysisCommand extends $Command .f(UpdateAnalysisRequestFilterSensitiveLog, void 0) .ser(se_UpdateAnalysisCommand) .de(de_UpdateAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnalysisRequest; + output: UpdateAnalysisResponse; + }; + sdk: { + input: UpdateAnalysisCommandInput; + output: UpdateAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateAnalysisPermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateAnalysisPermissionsCommand.ts index 32282914f9ac..54c0680e9f32 100644 --- a/clients/client-quicksight/src/commands/UpdateAnalysisPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateAnalysisPermissionsCommand.ts @@ -129,4 +129,16 @@ export class UpdateAnalysisPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnalysisPermissionsCommand) .de(de_UpdateAnalysisPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnalysisPermissionsRequest; + output: UpdateAnalysisPermissionsResponse; + }; + sdk: { + input: UpdateAnalysisPermissionsCommandInput; + output: UpdateAnalysisPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts b/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts index 3b3a285a0b5b..bcae7e688da9 100644 --- a/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts @@ -5132,4 +5132,16 @@ export class UpdateDashboardCommand extends $Command .f(UpdateDashboardRequestFilterSensitiveLog, void 0) .ser(se_UpdateDashboardCommand) .de(de_UpdateDashboardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDashboardRequest; + output: UpdateDashboardResponse; + }; + sdk: { + input: UpdateDashboardCommandInput; + output: UpdateDashboardCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDashboardLinksCommand.ts b/clients/client-quicksight/src/commands/UpdateDashboardLinksCommand.ts index 06525ebc9dde..5f2a4585cf78 100644 --- a/clients/client-quicksight/src/commands/UpdateDashboardLinksCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDashboardLinksCommand.ts @@ -113,4 +113,16 @@ export class UpdateDashboardLinksCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDashboardLinksCommand) .de(de_UpdateDashboardLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDashboardLinksRequest; + output: UpdateDashboardLinksResponse; + }; + sdk: { + input: UpdateDashboardLinksCommandInput; + output: UpdateDashboardLinksCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDashboardPermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateDashboardPermissionsCommand.ts index d813a35de642..818b72b1c008 100644 --- a/clients/client-quicksight/src/commands/UpdateDashboardPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDashboardPermissionsCommand.ts @@ -155,4 +155,16 @@ export class UpdateDashboardPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDashboardPermissionsCommand) .de(de_UpdateDashboardPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDashboardPermissionsRequest; + output: UpdateDashboardPermissionsResponse; + }; + sdk: { + input: UpdateDashboardPermissionsCommandInput; + output: UpdateDashboardPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDashboardPublishedVersionCommand.ts b/clients/client-quicksight/src/commands/UpdateDashboardPublishedVersionCommand.ts index 1d857a0a51b1..5571dd5f5048 100644 --- a/clients/client-quicksight/src/commands/UpdateDashboardPublishedVersionCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDashboardPublishedVersionCommand.ts @@ -108,4 +108,16 @@ export class UpdateDashboardPublishedVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDashboardPublishedVersionCommand) .de(de_UpdateDashboardPublishedVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDashboardPublishedVersionRequest; + output: UpdateDashboardPublishedVersionResponse; + }; + sdk: { + input: UpdateDashboardPublishedVersionCommandInput; + output: UpdateDashboardPublishedVersionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDataSetCommand.ts b/clients/client-quicksight/src/commands/UpdateDataSetCommand.ts index fa9aa3b779e3..db05b15a06d6 100644 --- a/clients/client-quicksight/src/commands/UpdateDataSetCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDataSetCommand.ts @@ -353,4 +353,16 @@ export class UpdateDataSetCommand extends $Command .f(UpdateDataSetRequestFilterSensitiveLog, void 0) .ser(se_UpdateDataSetCommand) .de(de_UpdateDataSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSetRequest; + output: UpdateDataSetResponse; + }; + sdk: { + input: UpdateDataSetCommandInput; + output: UpdateDataSetCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDataSetPermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateDataSetPermissionsCommand.ts index 3e9720c72949..318ebeda016d 100644 --- a/clients/client-quicksight/src/commands/UpdateDataSetPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDataSetPermissionsCommand.ts @@ -119,4 +119,16 @@ export class UpdateDataSetPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSetPermissionsCommand) .de(de_UpdateDataSetPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSetPermissionsRequest; + output: UpdateDataSetPermissionsResponse; + }; + sdk: { + input: UpdateDataSetPermissionsCommandInput; + output: UpdateDataSetPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDataSourceCommand.ts b/clients/client-quicksight/src/commands/UpdateDataSourceCommand.ts index 9780da7e90d7..a775a48221da 100644 --- a/clients/client-quicksight/src/commands/UpdateDataSourceCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDataSourceCommand.ts @@ -389,4 +389,16 @@ export class UpdateDataSourceCommand extends $Command .f(UpdateDataSourceRequestFilterSensitiveLog, void 0) .ser(se_UpdateDataSourceCommand) .de(de_UpdateDataSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourceRequest; + output: UpdateDataSourceResponse; + }; + sdk: { + input: UpdateDataSourceCommandInput; + output: UpdateDataSourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateDataSourcePermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateDataSourcePermissionsCommand.ts index efb28ce1d827..b9b3b2c022e9 100644 --- a/clients/client-quicksight/src/commands/UpdateDataSourcePermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDataSourcePermissionsCommand.ts @@ -123,4 +123,16 @@ export class UpdateDataSourcePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataSourcePermissionsCommand) .de(de_UpdateDataSourcePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataSourcePermissionsRequest; + output: UpdateDataSourcePermissionsResponse; + }; + sdk: { + input: UpdateDataSourcePermissionsCommandInput; + output: UpdateDataSourcePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateFolderCommand.ts b/clients/client-quicksight/src/commands/UpdateFolderCommand.ts index 304ea8489496..3fe21e466178 100644 --- a/clients/client-quicksight/src/commands/UpdateFolderCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateFolderCommand.ts @@ -112,4 +112,16 @@ export class UpdateFolderCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFolderCommand) .de(de_UpdateFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFolderRequest; + output: UpdateFolderResponse; + }; + sdk: { + input: UpdateFolderCommandInput; + output: UpdateFolderCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateFolderPermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateFolderPermissionsCommand.ts index a293c696a914..5f47e32bf1e1 100644 --- a/clients/client-quicksight/src/commands/UpdateFolderPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateFolderPermissionsCommand.ts @@ -132,4 +132,16 @@ export class UpdateFolderPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFolderPermissionsCommand) .de(de_UpdateFolderPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFolderPermissionsRequest; + output: UpdateFolderPermissionsResponse; + }; + sdk: { + input: UpdateFolderPermissionsCommandInput; + output: UpdateFolderPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateGroupCommand.ts b/clients/client-quicksight/src/commands/UpdateGroupCommand.ts index 30a0ed3e22fc..060d293bed63 100644 --- a/clients/client-quicksight/src/commands/UpdateGroupCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateGroupCommand.ts @@ -111,4 +111,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: UpdateGroupResponse; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateIAMPolicyAssignmentCommand.ts b/clients/client-quicksight/src/commands/UpdateIAMPolicyAssignmentCommand.ts index 1684370e9736..47eb24ce21a4 100644 --- a/clients/client-quicksight/src/commands/UpdateIAMPolicyAssignmentCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateIAMPolicyAssignmentCommand.ts @@ -123,4 +123,16 @@ export class UpdateIAMPolicyAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIAMPolicyAssignmentCommand) .de(de_UpdateIAMPolicyAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIAMPolicyAssignmentRequest; + output: UpdateIAMPolicyAssignmentResponse; + }; + sdk: { + input: UpdateIAMPolicyAssignmentCommandInput; + output: UpdateIAMPolicyAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateIdentityPropagationConfigCommand.ts b/clients/client-quicksight/src/commands/UpdateIdentityPropagationConfigCommand.ts index d8d69d9a67ea..b486f02557b5 100644 --- a/clients/client-quicksight/src/commands/UpdateIdentityPropagationConfigCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateIdentityPropagationConfigCommand.ts @@ -106,4 +106,16 @@ export class UpdateIdentityPropagationConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdentityPropagationConfigCommand) .de(de_UpdateIdentityPropagationConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdentityPropagationConfigRequest; + output: UpdateIdentityPropagationConfigResponse; + }; + sdk: { + input: UpdateIdentityPropagationConfigCommandInput; + output: UpdateIdentityPropagationConfigCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateIpRestrictionCommand.ts b/clients/client-quicksight/src/commands/UpdateIpRestrictionCommand.ts index a756fe1e3964..67049b067c4e 100644 --- a/clients/client-quicksight/src/commands/UpdateIpRestrictionCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateIpRestrictionCommand.ts @@ -110,4 +110,16 @@ export class UpdateIpRestrictionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIpRestrictionCommand) .de(de_UpdateIpRestrictionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIpRestrictionRequest; + output: UpdateIpRestrictionResponse; + }; + sdk: { + input: UpdateIpRestrictionCommandInput; + output: UpdateIpRestrictionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateKeyRegistrationCommand.ts b/clients/client-quicksight/src/commands/UpdateKeyRegistrationCommand.ts index 83c16a319395..1f170b0deec3 100644 --- a/clients/client-quicksight/src/commands/UpdateKeyRegistrationCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateKeyRegistrationCommand.ts @@ -112,4 +112,16 @@ export class UpdateKeyRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKeyRegistrationCommand) .de(de_UpdateKeyRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKeyRegistrationRequest; + output: UpdateKeyRegistrationResponse; + }; + sdk: { + input: UpdateKeyRegistrationCommandInput; + output: UpdateKeyRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdatePublicSharingSettingsCommand.ts b/clients/client-quicksight/src/commands/UpdatePublicSharingSettingsCommand.ts index ecfd5c4233a1..639af75f5dfe 100644 --- a/clients/client-quicksight/src/commands/UpdatePublicSharingSettingsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdatePublicSharingSettingsCommand.ts @@ -121,4 +121,16 @@ export class UpdatePublicSharingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePublicSharingSettingsCommand) .de(de_UpdatePublicSharingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePublicSharingSettingsRequest; + output: UpdatePublicSharingSettingsResponse; + }; + sdk: { + input: UpdatePublicSharingSettingsCommandInput; + output: UpdatePublicSharingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/UpdateRefreshScheduleCommand.ts index 366b0fe9797c..14b5a1215c8e 100644 --- a/clients/client-quicksight/src/commands/UpdateRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateRefreshScheduleCommand.ts @@ -120,4 +120,16 @@ export class UpdateRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRefreshScheduleCommand) .de(de_UpdateRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRefreshScheduleRequest; + output: UpdateRefreshScheduleResponse; + }; + sdk: { + input: UpdateRefreshScheduleCommandInput; + output: UpdateRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateRoleCustomPermissionCommand.ts b/clients/client-quicksight/src/commands/UpdateRoleCustomPermissionCommand.ts index 1f6bf1758322..577789ad3134 100644 --- a/clients/client-quicksight/src/commands/UpdateRoleCustomPermissionCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateRoleCustomPermissionCommand.ts @@ -105,4 +105,16 @@ export class UpdateRoleCustomPermissionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoleCustomPermissionCommand) .de(de_UpdateRoleCustomPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoleCustomPermissionRequest; + output: UpdateRoleCustomPermissionResponse; + }; + sdk: { + input: UpdateRoleCustomPermissionCommandInput; + output: UpdateRoleCustomPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateSPICECapacityConfigurationCommand.ts b/clients/client-quicksight/src/commands/UpdateSPICECapacityConfigurationCommand.ts index 863c9b3390be..b4a57596e6fd 100644 --- a/clients/client-quicksight/src/commands/UpdateSPICECapacityConfigurationCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateSPICECapacityConfigurationCommand.ts @@ -102,4 +102,16 @@ export class UpdateSPICECapacityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSPICECapacityConfigurationCommand) .de(de_UpdateSPICECapacityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSPICECapacityConfigurationRequest; + output: UpdateSPICECapacityConfigurationResponse; + }; + sdk: { + input: UpdateSPICECapacityConfigurationCommandInput; + output: UpdateSPICECapacityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateTemplateAliasCommand.ts b/clients/client-quicksight/src/commands/UpdateTemplateAliasCommand.ts index 681fb0320d37..f76c76b7f502 100644 --- a/clients/client-quicksight/src/commands/UpdateTemplateAliasCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateTemplateAliasCommand.ts @@ -104,4 +104,16 @@ export class UpdateTemplateAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateAliasCommand) .de(de_UpdateTemplateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateAliasRequest; + output: UpdateTemplateAliasResponse; + }; + sdk: { + input: UpdateTemplateAliasCommandInput; + output: UpdateTemplateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts b/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts index 766ca61bd4cd..fa3956707098 100644 --- a/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts @@ -5082,4 +5082,16 @@ export class UpdateTemplateCommand extends $Command .f(UpdateTemplateRequestFilterSensitiveLog, void 0) .ser(se_UpdateTemplateCommand) .de(de_UpdateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateRequest; + output: UpdateTemplateResponse; + }; + sdk: { + input: UpdateTemplateCommandInput; + output: UpdateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateTemplatePermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateTemplatePermissionsCommand.ts index 333246aa2d39..c53d8cb0aac0 100644 --- a/clients/client-quicksight/src/commands/UpdateTemplatePermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateTemplatePermissionsCommand.ts @@ -129,4 +129,16 @@ export class UpdateTemplatePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplatePermissionsCommand) .de(de_UpdateTemplatePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplatePermissionsRequest; + output: UpdateTemplatePermissionsResponse; + }; + sdk: { + input: UpdateTemplatePermissionsCommandInput; + output: UpdateTemplatePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateThemeAliasCommand.ts b/clients/client-quicksight/src/commands/UpdateThemeAliasCommand.ts index de65968e1545..26592e1732b4 100644 --- a/clients/client-quicksight/src/commands/UpdateThemeAliasCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateThemeAliasCommand.ts @@ -110,4 +110,16 @@ export class UpdateThemeAliasCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThemeAliasCommand) .de(de_UpdateThemeAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThemeAliasRequest; + output: UpdateThemeAliasResponse; + }; + sdk: { + input: UpdateThemeAliasCommandInput; + output: UpdateThemeAliasCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateThemeCommand.ts b/clients/client-quicksight/src/commands/UpdateThemeCommand.ts index d6381fa73267..6959b1d82b33 100644 --- a/clients/client-quicksight/src/commands/UpdateThemeCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateThemeCommand.ts @@ -167,4 +167,16 @@ export class UpdateThemeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThemeCommand) .de(de_UpdateThemeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThemeRequest; + output: UpdateThemeResponse; + }; + sdk: { + input: UpdateThemeCommandInput; + output: UpdateThemeCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateThemePermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateThemePermissionsCommand.ts index 6b77b7479f39..4c2348b13880 100644 --- a/clients/client-quicksight/src/commands/UpdateThemePermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateThemePermissionsCommand.ts @@ -225,4 +225,16 @@ export class UpdateThemePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateThemePermissionsCommand) .de(de_UpdateThemePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateThemePermissionsRequest; + output: UpdateThemePermissionsResponse; + }; + sdk: { + input: UpdateThemePermissionsCommandInput; + output: UpdateThemePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateTopicCommand.ts b/clients/client-quicksight/src/commands/UpdateTopicCommand.ts index 7a7357939d6f..1a4175da6e4c 100644 --- a/clients/client-quicksight/src/commands/UpdateTopicCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateTopicCommand.ts @@ -357,4 +357,16 @@ export class UpdateTopicCommand extends $Command .f(UpdateTopicRequestFilterSensitiveLog, void 0) .ser(se_UpdateTopicCommand) .de(de_UpdateTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTopicRequest; + output: UpdateTopicResponse; + }; + sdk: { + input: UpdateTopicCommandInput; + output: UpdateTopicCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateTopicPermissionsCommand.ts b/clients/client-quicksight/src/commands/UpdateTopicPermissionsCommand.ts index 2f7dd97b0e8f..ab032c004463 100644 --- a/clients/client-quicksight/src/commands/UpdateTopicPermissionsCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateTopicPermissionsCommand.ts @@ -135,4 +135,16 @@ export class UpdateTopicPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTopicPermissionsCommand) .de(de_UpdateTopicPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTopicPermissionsRequest; + output: UpdateTopicPermissionsResponse; + }; + sdk: { + input: UpdateTopicPermissionsCommandInput; + output: UpdateTopicPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateTopicRefreshScheduleCommand.ts b/clients/client-quicksight/src/commands/UpdateTopicRefreshScheduleCommand.ts index 4ef7a05d7fba..40b7edada3d3 100644 --- a/clients/client-quicksight/src/commands/UpdateTopicRefreshScheduleCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateTopicRefreshScheduleCommand.ts @@ -118,4 +118,16 @@ export class UpdateTopicRefreshScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTopicRefreshScheduleCommand) .de(de_UpdateTopicRefreshScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTopicRefreshScheduleRequest; + output: UpdateTopicRefreshScheduleResponse; + }; + sdk: { + input: UpdateTopicRefreshScheduleCommandInput; + output: UpdateTopicRefreshScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateUserCommand.ts b/clients/client-quicksight/src/commands/UpdateUserCommand.ts index c6c8cc730f79..938fd9623c5f 100644 --- a/clients/client-quicksight/src/commands/UpdateUserCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateUserCommand.ts @@ -124,4 +124,16 @@ export class UpdateUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: UpdateUserResponse; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateVPCConnectionCommand.ts b/clients/client-quicksight/src/commands/UpdateVPCConnectionCommand.ts index d40cf47a3385..ba890ddaa787 100644 --- a/clients/client-quicksight/src/commands/UpdateVPCConnectionCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateVPCConnectionCommand.ts @@ -124,4 +124,16 @@ export class UpdateVPCConnectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVPCConnectionCommand) .de(de_UpdateVPCConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVPCConnectionRequest; + output: UpdateVPCConnectionResponse; + }; + sdk: { + input: UpdateVPCConnectionCommandInput; + output: UpdateVPCConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/package.json b/clients/client-ram/package.json index bfca86dab83a..bfd189e5d257 100644 --- a/clients/client-ram/package.json +++ b/clients/client-ram/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-ram/src/commands/AcceptResourceShareInvitationCommand.ts b/clients/client-ram/src/commands/AcceptResourceShareInvitationCommand.ts index f425d676b34d..aa266fa24452 100644 --- a/clients/client-ram/src/commands/AcceptResourceShareInvitationCommand.ts +++ b/clients/client-ram/src/commands/AcceptResourceShareInvitationCommand.ts @@ -144,4 +144,16 @@ export class AcceptResourceShareInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptResourceShareInvitationCommand) .de(de_AcceptResourceShareInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptResourceShareInvitationRequest; + output: AcceptResourceShareInvitationResponse; + }; + sdk: { + input: AcceptResourceShareInvitationCommandInput; + output: AcceptResourceShareInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/AssociateResourceShareCommand.ts b/clients/client-ram/src/commands/AssociateResourceShareCommand.ts index 1b00bf5893f3..5d0226990032 100644 --- a/clients/client-ram/src/commands/AssociateResourceShareCommand.ts +++ b/clients/client-ram/src/commands/AssociateResourceShareCommand.ts @@ -143,4 +143,16 @@ export class AssociateResourceShareCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResourceShareCommand) .de(de_AssociateResourceShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResourceShareRequest; + output: AssociateResourceShareResponse; + }; + sdk: { + input: AssociateResourceShareCommandInput; + output: AssociateResourceShareCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/AssociateResourceSharePermissionCommand.ts b/clients/client-ram/src/commands/AssociateResourceSharePermissionCommand.ts index 9acc4c0675c5..358d90b364f0 100644 --- a/clients/client-ram/src/commands/AssociateResourceSharePermissionCommand.ts +++ b/clients/client-ram/src/commands/AssociateResourceSharePermissionCommand.ts @@ -113,4 +113,16 @@ export class AssociateResourceSharePermissionCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResourceSharePermissionCommand) .de(de_AssociateResourceSharePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResourceSharePermissionRequest; + output: AssociateResourceSharePermissionResponse; + }; + sdk: { + input: AssociateResourceSharePermissionCommandInput; + output: AssociateResourceSharePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/CreatePermissionCommand.ts b/clients/client-ram/src/commands/CreatePermissionCommand.ts index 1f9f68d1456e..f263a67a1f77 100644 --- a/clients/client-ram/src/commands/CreatePermissionCommand.ts +++ b/clients/client-ram/src/commands/CreatePermissionCommand.ts @@ -142,4 +142,16 @@ export class CreatePermissionCommand extends $Command .f(void 0, void 0) .ser(se_CreatePermissionCommand) .de(de_CreatePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePermissionRequest; + output: CreatePermissionResponse; + }; + sdk: { + input: CreatePermissionCommandInput; + output: CreatePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/CreatePermissionVersionCommand.ts b/clients/client-ram/src/commands/CreatePermissionVersionCommand.ts index 59146ec83de1..2b3bb06ba2be 100644 --- a/clients/client-ram/src/commands/CreatePermissionVersionCommand.ts +++ b/clients/client-ram/src/commands/CreatePermissionVersionCommand.ts @@ -140,4 +140,16 @@ export class CreatePermissionVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreatePermissionVersionCommand) .de(de_CreatePermissionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePermissionVersionRequest; + output: CreatePermissionVersionResponse; + }; + sdk: { + input: CreatePermissionVersionCommandInput; + output: CreatePermissionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/CreateResourceShareCommand.ts b/clients/client-ram/src/commands/CreateResourceShareCommand.ts index fb6cc4da9615..f196b483313f 100644 --- a/clients/client-ram/src/commands/CreateResourceShareCommand.ts +++ b/clients/client-ram/src/commands/CreateResourceShareCommand.ts @@ -166,4 +166,16 @@ export class CreateResourceShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceShareCommand) .de(de_CreateResourceShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceShareRequest; + output: CreateResourceShareResponse; + }; + sdk: { + input: CreateResourceShareCommandInput; + output: CreateResourceShareCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/DeletePermissionCommand.ts b/clients/client-ram/src/commands/DeletePermissionCommand.ts index e958b2a5de3b..4d0cb1ee8874 100644 --- a/clients/client-ram/src/commands/DeletePermissionCommand.ts +++ b/clients/client-ram/src/commands/DeletePermissionCommand.ts @@ -107,4 +107,16 @@ export class DeletePermissionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionCommand) .de(de_DeletePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionRequest; + output: DeletePermissionResponse; + }; + sdk: { + input: DeletePermissionCommandInput; + output: DeletePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/DeletePermissionVersionCommand.ts b/clients/client-ram/src/commands/DeletePermissionVersionCommand.ts index 9d43f8d13896..cbbfee652590 100644 --- a/clients/client-ram/src/commands/DeletePermissionVersionCommand.ts +++ b/clients/client-ram/src/commands/DeletePermissionVersionCommand.ts @@ -112,4 +112,16 @@ export class DeletePermissionVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionVersionCommand) .de(de_DeletePermissionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionVersionRequest; + output: DeletePermissionVersionResponse; + }; + sdk: { + input: DeletePermissionVersionCommandInput; + output: DeletePermissionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/DeleteResourceShareCommand.ts b/clients/client-ram/src/commands/DeleteResourceShareCommand.ts index 9f7095ac9d44..8a0da94e94e3 100644 --- a/clients/client-ram/src/commands/DeleteResourceShareCommand.ts +++ b/clients/client-ram/src/commands/DeleteResourceShareCommand.ts @@ -115,4 +115,16 @@ export class DeleteResourceShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceShareCommand) .de(de_DeleteResourceShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceShareRequest; + output: DeleteResourceShareResponse; + }; + sdk: { + input: DeleteResourceShareCommandInput; + output: DeleteResourceShareCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/DisassociateResourceShareCommand.ts b/clients/client-ram/src/commands/DisassociateResourceShareCommand.ts index 2175b236ca18..f19e04b2bebf 100644 --- a/clients/client-ram/src/commands/DisassociateResourceShareCommand.ts +++ b/clients/client-ram/src/commands/DisassociateResourceShareCommand.ts @@ -138,4 +138,16 @@ export class DisassociateResourceShareCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResourceShareCommand) .de(de_DisassociateResourceShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResourceShareRequest; + output: DisassociateResourceShareResponse; + }; + sdk: { + input: DisassociateResourceShareCommandInput; + output: DisassociateResourceShareCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/DisassociateResourceSharePermissionCommand.ts b/clients/client-ram/src/commands/DisassociateResourceSharePermissionCommand.ts index fe69a9de7331..f925e1facbbd 100644 --- a/clients/client-ram/src/commands/DisassociateResourceSharePermissionCommand.ts +++ b/clients/client-ram/src/commands/DisassociateResourceSharePermissionCommand.ts @@ -117,4 +117,16 @@ export class DisassociateResourceSharePermissionCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResourceSharePermissionCommand) .de(de_DisassociateResourceSharePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResourceSharePermissionRequest; + output: DisassociateResourceSharePermissionResponse; + }; + sdk: { + input: DisassociateResourceSharePermissionCommandInput; + output: DisassociateResourceSharePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/EnableSharingWithAwsOrganizationCommand.ts b/clients/client-ram/src/commands/EnableSharingWithAwsOrganizationCommand.ts index c41ffa6351d4..ec37c6718387 100644 --- a/clients/client-ram/src/commands/EnableSharingWithAwsOrganizationCommand.ts +++ b/clients/client-ram/src/commands/EnableSharingWithAwsOrganizationCommand.ts @@ -100,4 +100,16 @@ export class EnableSharingWithAwsOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_EnableSharingWithAwsOrganizationCommand) .de(de_EnableSharingWithAwsOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: EnableSharingWithAwsOrganizationResponse; + }; + sdk: { + input: EnableSharingWithAwsOrganizationCommandInput; + output: EnableSharingWithAwsOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/GetPermissionCommand.ts b/clients/client-ram/src/commands/GetPermissionCommand.ts index afd8f80c0c1f..82116555ca08 100644 --- a/clients/client-ram/src/commands/GetPermissionCommand.ts +++ b/clients/client-ram/src/commands/GetPermissionCommand.ts @@ -117,4 +117,16 @@ export class GetPermissionCommand extends $Command .f(void 0, void 0) .ser(se_GetPermissionCommand) .de(de_GetPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPermissionRequest; + output: GetPermissionResponse; + }; + sdk: { + input: GetPermissionCommandInput; + output: GetPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/GetResourcePoliciesCommand.ts b/clients/client-ram/src/commands/GetResourcePoliciesCommand.ts index 9fbc301c949b..1f304d986978 100644 --- a/clients/client-ram/src/commands/GetResourcePoliciesCommand.ts +++ b/clients/client-ram/src/commands/GetResourcePoliciesCommand.ts @@ -108,4 +108,16 @@ export class GetResourcePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePoliciesCommand) .de(de_GetResourcePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePoliciesRequest; + output: GetResourcePoliciesResponse; + }; + sdk: { + input: GetResourcePoliciesCommandInput; + output: GetResourcePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/GetResourceShareAssociationsCommand.ts b/clients/client-ram/src/commands/GetResourceShareAssociationsCommand.ts index 705a2220ab0c..9ddbff09a428 100644 --- a/clients/client-ram/src/commands/GetResourceShareAssociationsCommand.ts +++ b/clients/client-ram/src/commands/GetResourceShareAssociationsCommand.ts @@ -129,4 +129,16 @@ export class GetResourceShareAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceShareAssociationsCommand) .de(de_GetResourceShareAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceShareAssociationsRequest; + output: GetResourceShareAssociationsResponse; + }; + sdk: { + input: GetResourceShareAssociationsCommandInput; + output: GetResourceShareAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/GetResourceShareInvitationsCommand.ts b/clients/client-ram/src/commands/GetResourceShareInvitationsCommand.ts index 74cf84c6db5c..6058614f4449 100644 --- a/clients/client-ram/src/commands/GetResourceShareInvitationsCommand.ts +++ b/clients/client-ram/src/commands/GetResourceShareInvitationsCommand.ts @@ -144,4 +144,16 @@ export class GetResourceShareInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceShareInvitationsCommand) .de(de_GetResourceShareInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceShareInvitationsRequest; + output: GetResourceShareInvitationsResponse; + }; + sdk: { + input: GetResourceShareInvitationsCommandInput; + output: GetResourceShareInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/GetResourceSharesCommand.ts b/clients/client-ram/src/commands/GetResourceSharesCommand.ts index 83a0dbd9c5be..5863a96dad52 100644 --- a/clients/client-ram/src/commands/GetResourceSharesCommand.ts +++ b/clients/client-ram/src/commands/GetResourceSharesCommand.ts @@ -135,4 +135,16 @@ export class GetResourceSharesCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceSharesCommand) .de(de_GetResourceSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceSharesRequest; + output: GetResourceSharesResponse; + }; + sdk: { + input: GetResourceSharesCommandInput; + output: GetResourceSharesCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListPendingInvitationResourcesCommand.ts b/clients/client-ram/src/commands/ListPendingInvitationResourcesCommand.ts index 4346c7417e95..6b613d4b7440 100644 --- a/clients/client-ram/src/commands/ListPendingInvitationResourcesCommand.ts +++ b/clients/client-ram/src/commands/ListPendingInvitationResourcesCommand.ts @@ -133,4 +133,16 @@ export class ListPendingInvitationResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListPendingInvitationResourcesCommand) .de(de_ListPendingInvitationResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPendingInvitationResourcesRequest; + output: ListPendingInvitationResourcesResponse; + }; + sdk: { + input: ListPendingInvitationResourcesCommandInput; + output: ListPendingInvitationResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListPermissionAssociationsCommand.ts b/clients/client-ram/src/commands/ListPermissionAssociationsCommand.ts index 5f4c32551b98..098c8422ceba 100644 --- a/clients/client-ram/src/commands/ListPermissionAssociationsCommand.ts +++ b/clients/client-ram/src/commands/ListPermissionAssociationsCommand.ts @@ -117,4 +117,16 @@ export class ListPermissionAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionAssociationsCommand) .de(de_ListPermissionAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionAssociationsRequest; + output: ListPermissionAssociationsResponse; + }; + sdk: { + input: ListPermissionAssociationsCommandInput; + output: ListPermissionAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListPermissionVersionsCommand.ts b/clients/client-ram/src/commands/ListPermissionVersionsCommand.ts index 580e112367d0..8308f166aa6e 100644 --- a/clients/client-ram/src/commands/ListPermissionVersionsCommand.ts +++ b/clients/client-ram/src/commands/ListPermissionVersionsCommand.ts @@ -125,4 +125,16 @@ export class ListPermissionVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionVersionsCommand) .de(de_ListPermissionVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionVersionsRequest; + output: ListPermissionVersionsResponse; + }; + sdk: { + input: ListPermissionVersionsCommandInput; + output: ListPermissionVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListPermissionsCommand.ts b/clients/client-ram/src/commands/ListPermissionsCommand.ts index 6ccf1133a0ae..d677a50a7dcd 100644 --- a/clients/client-ram/src/commands/ListPermissionsCommand.ts +++ b/clients/client-ram/src/commands/ListPermissionsCommand.ts @@ -120,4 +120,16 @@ export class ListPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionsCommand) .de(de_ListPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionsRequest; + output: ListPermissionsResponse; + }; + sdk: { + input: ListPermissionsCommandInput; + output: ListPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListPrincipalsCommand.ts b/clients/client-ram/src/commands/ListPrincipalsCommand.ts index eaaba020c7fc..da47c3ce9bf5 100644 --- a/clients/client-ram/src/commands/ListPrincipalsCommand.ts +++ b/clients/client-ram/src/commands/ListPrincipalsCommand.ts @@ -119,4 +119,16 @@ export class ListPrincipalsCommand extends $Command .f(void 0, void 0) .ser(se_ListPrincipalsCommand) .de(de_ListPrincipalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrincipalsRequest; + output: ListPrincipalsResponse; + }; + sdk: { + input: ListPrincipalsCommandInput; + output: ListPrincipalsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListReplacePermissionAssociationsWorkCommand.ts b/clients/client-ram/src/commands/ListReplacePermissionAssociationsWorkCommand.ts index a3428332252a..7963ab0d2441 100644 --- a/clients/client-ram/src/commands/ListReplacePermissionAssociationsWorkCommand.ts +++ b/clients/client-ram/src/commands/ListReplacePermissionAssociationsWorkCommand.ts @@ -120,4 +120,16 @@ export class ListReplacePermissionAssociationsWorkCommand extends $Command .f(void 0, void 0) .ser(se_ListReplacePermissionAssociationsWorkCommand) .de(de_ListReplacePermissionAssociationsWorkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReplacePermissionAssociationsWorkRequest; + output: ListReplacePermissionAssociationsWorkResponse; + }; + sdk: { + input: ListReplacePermissionAssociationsWorkCommandInput; + output: ListReplacePermissionAssociationsWorkCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListResourceSharePermissionsCommand.ts b/clients/client-ram/src/commands/ListResourceSharePermissionsCommand.ts index f107dc4a3ae4..9c96a6e6de60 100644 --- a/clients/client-ram/src/commands/ListResourceSharePermissionsCommand.ts +++ b/clients/client-ram/src/commands/ListResourceSharePermissionsCommand.ts @@ -130,4 +130,16 @@ export class ListResourceSharePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceSharePermissionsCommand) .de(de_ListResourceSharePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceSharePermissionsRequest; + output: ListResourceSharePermissionsResponse; + }; + sdk: { + input: ListResourceSharePermissionsCommandInput; + output: ListResourceSharePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListResourceTypesCommand.ts b/clients/client-ram/src/commands/ListResourceTypesCommand.ts index 82d2aa9b4ace..20035e7539a1 100644 --- a/clients/client-ram/src/commands/ListResourceTypesCommand.ts +++ b/clients/client-ram/src/commands/ListResourceTypesCommand.ts @@ -101,4 +101,16 @@ export class ListResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceTypesCommand) .de(de_ListResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceTypesRequest; + output: ListResourceTypesResponse; + }; + sdk: { + input: ListResourceTypesCommandInput; + output: ListResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ListResourcesCommand.ts b/clients/client-ram/src/commands/ListResourcesCommand.ts index 3ac129379551..32eced9f096a 100644 --- a/clients/client-ram/src/commands/ListResourcesCommand.ts +++ b/clients/client-ram/src/commands/ListResourcesCommand.ts @@ -127,4 +127,16 @@ export class ListResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesCommand) .de(de_ListResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesRequest; + output: ListResourcesResponse; + }; + sdk: { + input: ListResourcesCommandInput; + output: ListResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/PromotePermissionCreatedFromPolicyCommand.ts b/clients/client-ram/src/commands/PromotePermissionCreatedFromPolicyCommand.ts index 53df45a81bd5..8178039b4f8d 100644 --- a/clients/client-ram/src/commands/PromotePermissionCreatedFromPolicyCommand.ts +++ b/clients/client-ram/src/commands/PromotePermissionCreatedFromPolicyCommand.ts @@ -160,4 +160,16 @@ export class PromotePermissionCreatedFromPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PromotePermissionCreatedFromPolicyCommand) .de(de_PromotePermissionCreatedFromPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PromotePermissionCreatedFromPolicyRequest; + output: PromotePermissionCreatedFromPolicyResponse; + }; + sdk: { + input: PromotePermissionCreatedFromPolicyCommandInput; + output: PromotePermissionCreatedFromPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/PromoteResourceShareCreatedFromPolicyCommand.ts b/clients/client-ram/src/commands/PromoteResourceShareCreatedFromPolicyCommand.ts index cbfa3e605d83..c7b178e2e650 100644 --- a/clients/client-ram/src/commands/PromoteResourceShareCreatedFromPolicyCommand.ts +++ b/clients/client-ram/src/commands/PromoteResourceShareCreatedFromPolicyCommand.ts @@ -135,4 +135,16 @@ export class PromoteResourceShareCreatedFromPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PromoteResourceShareCreatedFromPolicyCommand) .de(de_PromoteResourceShareCreatedFromPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PromoteResourceShareCreatedFromPolicyRequest; + output: PromoteResourceShareCreatedFromPolicyResponse; + }; + sdk: { + input: PromoteResourceShareCreatedFromPolicyCommandInput; + output: PromoteResourceShareCreatedFromPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/RejectResourceShareInvitationCommand.ts b/clients/client-ram/src/commands/RejectResourceShareInvitationCommand.ts index 1ceb70269be8..80dd51c74875 100644 --- a/clients/client-ram/src/commands/RejectResourceShareInvitationCommand.ts +++ b/clients/client-ram/src/commands/RejectResourceShareInvitationCommand.ts @@ -142,4 +142,16 @@ export class RejectResourceShareInvitationCommand extends $Command .f(void 0, void 0) .ser(se_RejectResourceShareInvitationCommand) .de(de_RejectResourceShareInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectResourceShareInvitationRequest; + output: RejectResourceShareInvitationResponse; + }; + sdk: { + input: RejectResourceShareInvitationCommandInput; + output: RejectResourceShareInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/ReplacePermissionAssociationsCommand.ts b/clients/client-ram/src/commands/ReplacePermissionAssociationsCommand.ts index 3e1679ae1200..af5e0039042a 100644 --- a/clients/client-ram/src/commands/ReplacePermissionAssociationsCommand.ts +++ b/clients/client-ram/src/commands/ReplacePermissionAssociationsCommand.ts @@ -138,4 +138,16 @@ export class ReplacePermissionAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ReplacePermissionAssociationsCommand) .de(de_ReplacePermissionAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplacePermissionAssociationsRequest; + output: ReplacePermissionAssociationsResponse; + }; + sdk: { + input: ReplacePermissionAssociationsCommandInput; + output: ReplacePermissionAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/SetDefaultPermissionVersionCommand.ts b/clients/client-ram/src/commands/SetDefaultPermissionVersionCommand.ts index 4f3685d2530d..33d69c427bf8 100644 --- a/clients/client-ram/src/commands/SetDefaultPermissionVersionCommand.ts +++ b/clients/client-ram/src/commands/SetDefaultPermissionVersionCommand.ts @@ -112,4 +112,16 @@ export class SetDefaultPermissionVersionCommand extends $Command .f(void 0, void 0) .ser(se_SetDefaultPermissionVersionCommand) .de(de_SetDefaultPermissionVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetDefaultPermissionVersionRequest; + output: SetDefaultPermissionVersionResponse; + }; + sdk: { + input: SetDefaultPermissionVersionCommandInput; + output: SetDefaultPermissionVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/TagResourceCommand.ts b/clients/client-ram/src/commands/TagResourceCommand.ts index a971bf9d0534..ee348f10120a 100644 --- a/clients/client-ram/src/commands/TagResourceCommand.ts +++ b/clients/client-ram/src/commands/TagResourceCommand.ts @@ -112,4 +112,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/UntagResourceCommand.ts b/clients/client-ram/src/commands/UntagResourceCommand.ts index 7a708ee0dd6e..0b33407db2bd 100644 --- a/clients/client-ram/src/commands/UntagResourceCommand.ts +++ b/clients/client-ram/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ram/src/commands/UpdateResourceShareCommand.ts b/clients/client-ram/src/commands/UpdateResourceShareCommand.ts index 5e9e99c26399..1459cadd50f5 100644 --- a/clients/client-ram/src/commands/UpdateResourceShareCommand.ts +++ b/clients/client-ram/src/commands/UpdateResourceShareCommand.ts @@ -128,4 +128,16 @@ export class UpdateResourceShareCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceShareCommand) .de(de_UpdateResourceShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceShareRequest; + output: UpdateResourceShareResponse; + }; + sdk: { + input: UpdateResourceShareCommandInput; + output: UpdateResourceShareCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/package.json b/clients/client-rbin/package.json index e92e60e71fe5..0f48cf725bda 100644 --- a/clients/client-rbin/package.json +++ b/clients/client-rbin/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-rbin/src/commands/CreateRuleCommand.ts b/clients/client-rbin/src/commands/CreateRuleCommand.ts index 7489c47f54d8..a20c28d740d7 100644 --- a/clients/client-rbin/src/commands/CreateRuleCommand.ts +++ b/clients/client-rbin/src/commands/CreateRuleCommand.ts @@ -137,4 +137,16 @@ export class CreateRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleCommand) .de(de_CreateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleRequest; + output: CreateRuleResponse; + }; + sdk: { + input: CreateRuleCommandInput; + output: CreateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/DeleteRuleCommand.ts b/clients/client-rbin/src/commands/DeleteRuleCommand.ts index f52bc6c2c720..a7fa55712a6a 100644 --- a/clients/client-rbin/src/commands/DeleteRuleCommand.ts +++ b/clients/client-rbin/src/commands/DeleteRuleCommand.ts @@ -88,4 +88,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: {}; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/GetRuleCommand.ts b/clients/client-rbin/src/commands/GetRuleCommand.ts index e3666c18b19c..ac454c90c2d1 100644 --- a/clients/client-rbin/src/commands/GetRuleCommand.ts +++ b/clients/client-rbin/src/commands/GetRuleCommand.ts @@ -108,4 +108,16 @@ export class GetRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetRuleCommand) .de(de_GetRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleRequest; + output: GetRuleResponse; + }; + sdk: { + input: GetRuleCommandInput; + output: GetRuleCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/ListRulesCommand.ts b/clients/client-rbin/src/commands/ListRulesCommand.ts index ab071c72f7a8..b9f10da0d300 100644 --- a/clients/client-rbin/src/commands/ListRulesCommand.ts +++ b/clients/client-rbin/src/commands/ListRulesCommand.ts @@ -104,4 +104,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/ListTagsForResourceCommand.ts b/clients/client-rbin/src/commands/ListTagsForResourceCommand.ts index 85a34602f2f1..4299939d4bcc 100644 --- a/clients/client-rbin/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-rbin/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/LockRuleCommand.ts b/clients/client-rbin/src/commands/LockRuleCommand.ts index c5d9985672e2..3647aa53c901 100644 --- a/clients/client-rbin/src/commands/LockRuleCommand.ts +++ b/clients/client-rbin/src/commands/LockRuleCommand.ts @@ -116,4 +116,16 @@ export class LockRuleCommand extends $Command .f(void 0, void 0) .ser(se_LockRuleCommand) .de(de_LockRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LockRuleRequest; + output: LockRuleResponse; + }; + sdk: { + input: LockRuleCommandInput; + output: LockRuleCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/TagResourceCommand.ts b/clients/client-rbin/src/commands/TagResourceCommand.ts index 0d80d4c31f26..0e8fa77bb689 100644 --- a/clients/client-rbin/src/commands/TagResourceCommand.ts +++ b/clients/client-rbin/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/UnlockRuleCommand.ts b/clients/client-rbin/src/commands/UnlockRuleCommand.ts index 6dde25f8d5c3..213a53b8bb85 100644 --- a/clients/client-rbin/src/commands/UnlockRuleCommand.ts +++ b/clients/client-rbin/src/commands/UnlockRuleCommand.ts @@ -112,4 +112,16 @@ export class UnlockRuleCommand extends $Command .f(void 0, void 0) .ser(se_UnlockRuleCommand) .de(de_UnlockRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnlockRuleRequest; + output: UnlockRuleResponse; + }; + sdk: { + input: UnlockRuleCommandInput; + output: UnlockRuleCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/UntagResourceCommand.ts b/clients/client-rbin/src/commands/UntagResourceCommand.ts index bfb7b9b775c5..7414321c4103 100644 --- a/clients/client-rbin/src/commands/UntagResourceCommand.ts +++ b/clients/client-rbin/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rbin/src/commands/UpdateRuleCommand.ts b/clients/client-rbin/src/commands/UpdateRuleCommand.ts index 33b673e02814..9d5661bcd3ec 100644 --- a/clients/client-rbin/src/commands/UpdateRuleCommand.ts +++ b/clients/client-rbin/src/commands/UpdateRuleCommand.ts @@ -123,4 +123,16 @@ export class UpdateRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleCommand) .de(de_UpdateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleRequest; + output: UpdateRuleResponse; + }; + sdk: { + input: UpdateRuleCommandInput; + output: UpdateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-rds-data/package.json b/clients/client-rds-data/package.json index df8e1904220b..cea98f744994 100644 --- a/clients/client-rds-data/package.json +++ b/clients/client-rds-data/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-rds-data/src/commands/BatchExecuteStatementCommand.ts b/clients/client-rds-data/src/commands/BatchExecuteStatementCommand.ts index 5592368d08fb..814365e923db 100644 --- a/clients/client-rds-data/src/commands/BatchExecuteStatementCommand.ts +++ b/clients/client-rds-data/src/commands/BatchExecuteStatementCommand.ts @@ -241,4 +241,16 @@ export class BatchExecuteStatementCommand extends $Command .f(void 0, void 0) .ser(se_BatchExecuteStatementCommand) .de(de_BatchExecuteStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchExecuteStatementRequest; + output: BatchExecuteStatementResponse; + }; + sdk: { + input: BatchExecuteStatementCommandInput; + output: BatchExecuteStatementCommandOutput; + }; + }; +} diff --git a/clients/client-rds-data/src/commands/BeginTransactionCommand.ts b/clients/client-rds-data/src/commands/BeginTransactionCommand.ts index 6c3e013cf6a4..75cd497e870f 100644 --- a/clients/client-rds-data/src/commands/BeginTransactionCommand.ts +++ b/clients/client-rds-data/src/commands/BeginTransactionCommand.ts @@ -139,4 +139,16 @@ export class BeginTransactionCommand extends $Command .f(void 0, void 0) .ser(se_BeginTransactionCommand) .de(de_BeginTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BeginTransactionRequest; + output: BeginTransactionResponse; + }; + sdk: { + input: BeginTransactionCommandInput; + output: BeginTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-rds-data/src/commands/CommitTransactionCommand.ts b/clients/client-rds-data/src/commands/CommitTransactionCommand.ts index 23a0d41de38d..9d981fe98a1e 100644 --- a/clients/client-rds-data/src/commands/CommitTransactionCommand.ts +++ b/clients/client-rds-data/src/commands/CommitTransactionCommand.ts @@ -134,4 +134,16 @@ export class CommitTransactionCommand extends $Command .f(void 0, void 0) .ser(se_CommitTransactionCommand) .de(de_CommitTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CommitTransactionRequest; + output: CommitTransactionResponse; + }; + sdk: { + input: CommitTransactionCommandInput; + output: CommitTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-rds-data/src/commands/ExecuteSqlCommand.ts b/clients/client-rds-data/src/commands/ExecuteSqlCommand.ts index 55e1702c2dac..d3fb8f542d53 100644 --- a/clients/client-rds-data/src/commands/ExecuteSqlCommand.ts +++ b/clients/client-rds-data/src/commands/ExecuteSqlCommand.ts @@ -167,4 +167,16 @@ export class ExecuteSqlCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteSqlCommand) .de(de_ExecuteSqlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteSqlRequest; + output: ExecuteSqlResponse; + }; + sdk: { + input: ExecuteSqlCommandInput; + output: ExecuteSqlCommandOutput; + }; + }; +} diff --git a/clients/client-rds-data/src/commands/ExecuteStatementCommand.ts b/clients/client-rds-data/src/commands/ExecuteStatementCommand.ts index a52bc029d732..3e90bfe7bb16 100644 --- a/clients/client-rds-data/src/commands/ExecuteStatementCommand.ts +++ b/clients/client-rds-data/src/commands/ExecuteStatementCommand.ts @@ -282,4 +282,16 @@ export class ExecuteStatementCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteStatementCommand) .de(de_ExecuteStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteStatementRequest; + output: ExecuteStatementResponse; + }; + sdk: { + input: ExecuteStatementCommandInput; + output: ExecuteStatementCommandOutput; + }; + }; +} diff --git a/clients/client-rds-data/src/commands/RollbackTransactionCommand.ts b/clients/client-rds-data/src/commands/RollbackTransactionCommand.ts index dd152081e395..f8c96ee6bb53 100644 --- a/clients/client-rds-data/src/commands/RollbackTransactionCommand.ts +++ b/clients/client-rds-data/src/commands/RollbackTransactionCommand.ts @@ -133,4 +133,16 @@ export class RollbackTransactionCommand extends $Command .f(void 0, void 0) .ser(se_RollbackTransactionCommand) .de(de_RollbackTransactionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RollbackTransactionRequest; + output: RollbackTransactionResponse; + }; + sdk: { + input: RollbackTransactionCommandInput; + output: RollbackTransactionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/package.json b/clients/client-rds/package.json index 46fe1d71afcb..a6d7b03dfa05 100644 --- a/clients/client-rds/package.json +++ b/clients/client-rds/package.json @@ -34,32 +34,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-rds/src/commands/AddRoleToDBClusterCommand.ts b/clients/client-rds/src/commands/AddRoleToDBClusterCommand.ts index 8fb00160251e..c85d26184ac7 100644 --- a/clients/client-rds/src/commands/AddRoleToDBClusterCommand.ts +++ b/clients/client-rds/src/commands/AddRoleToDBClusterCommand.ts @@ -102,4 +102,16 @@ export class AddRoleToDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_AddRoleToDBClusterCommand) .de(de_AddRoleToDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddRoleToDBClusterMessage; + output: {}; + }; + sdk: { + input: AddRoleToDBClusterCommandInput; + output: AddRoleToDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/AddRoleToDBInstanceCommand.ts b/clients/client-rds/src/commands/AddRoleToDBInstanceCommand.ts index 806b43491799..5b77eefbc358 100644 --- a/clients/client-rds/src/commands/AddRoleToDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/AddRoleToDBInstanceCommand.ts @@ -107,4 +107,16 @@ export class AddRoleToDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_AddRoleToDBInstanceCommand) .de(de_AddRoleToDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddRoleToDBInstanceMessage; + output: {}; + }; + sdk: { + input: AddRoleToDBInstanceCommandInput; + output: AddRoleToDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/AddSourceIdentifierToSubscriptionCommand.ts b/clients/client-rds/src/commands/AddSourceIdentifierToSubscriptionCommand.ts index e7e2d068fcc2..5c50148160fc 100644 --- a/clients/client-rds/src/commands/AddSourceIdentifierToSubscriptionCommand.ts +++ b/clients/client-rds/src/commands/AddSourceIdentifierToSubscriptionCommand.ts @@ -138,4 +138,16 @@ export class AddSourceIdentifierToSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_AddSourceIdentifierToSubscriptionCommand) .de(de_AddSourceIdentifierToSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddSourceIdentifierToSubscriptionMessage; + output: AddSourceIdentifierToSubscriptionResult; + }; + sdk: { + input: AddSourceIdentifierToSubscriptionCommandInput; + output: AddSourceIdentifierToSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/AddTagsToResourceCommand.ts b/clients/client-rds/src/commands/AddTagsToResourceCommand.ts index 3de4b7c7b8ff..b1224d41f4ec 100644 --- a/clients/client-rds/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-rds/src/commands/AddTagsToResourceCommand.ts @@ -133,4 +133,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceMessage; + output: {}; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ApplyPendingMaintenanceActionCommand.ts b/clients/client-rds/src/commands/ApplyPendingMaintenanceActionCommand.ts index df3652a9f58f..da5df31b2899 100644 --- a/clients/client-rds/src/commands/ApplyPendingMaintenanceActionCommand.ts +++ b/clients/client-rds/src/commands/ApplyPendingMaintenanceActionCommand.ts @@ -133,4 +133,16 @@ export class ApplyPendingMaintenanceActionCommand extends $Command .f(void 0, void 0) .ser(se_ApplyPendingMaintenanceActionCommand) .de(de_ApplyPendingMaintenanceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ApplyPendingMaintenanceActionMessage; + output: ApplyPendingMaintenanceActionResult; + }; + sdk: { + input: ApplyPendingMaintenanceActionCommandInput; + output: ApplyPendingMaintenanceActionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/AuthorizeDBSecurityGroupIngressCommand.ts b/clients/client-rds/src/commands/AuthorizeDBSecurityGroupIngressCommand.ts index d9044e6c9258..bfdcde29e01e 100644 --- a/clients/client-rds/src/commands/AuthorizeDBSecurityGroupIngressCommand.ts +++ b/clients/client-rds/src/commands/AuthorizeDBSecurityGroupIngressCommand.ts @@ -152,4 +152,16 @@ export class AuthorizeDBSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeDBSecurityGroupIngressCommand) .de(de_AuthorizeDBSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeDBSecurityGroupIngressMessage; + output: AuthorizeDBSecurityGroupIngressResult; + }; + sdk: { + input: AuthorizeDBSecurityGroupIngressCommandInput; + output: AuthorizeDBSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/BacktrackDBClusterCommand.ts b/clients/client-rds/src/commands/BacktrackDBClusterCommand.ts index e34d33b26b67..2f7d5f744d0d 100644 --- a/clients/client-rds/src/commands/BacktrackDBClusterCommand.ts +++ b/clients/client-rds/src/commands/BacktrackDBClusterCommand.ts @@ -99,4 +99,16 @@ export class BacktrackDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_BacktrackDBClusterCommand) .de(de_BacktrackDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BacktrackDBClusterMessage; + output: DBClusterBacktrack; + }; + sdk: { + input: BacktrackDBClusterCommandInput; + output: BacktrackDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CancelExportTaskCommand.ts b/clients/client-rds/src/commands/CancelExportTaskCommand.ts index 970ec19e1943..ef1d24452ead 100644 --- a/clients/client-rds/src/commands/CancelExportTaskCommand.ts +++ b/clients/client-rds/src/commands/CancelExportTaskCommand.ts @@ -126,4 +126,16 @@ export class CancelExportTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelExportTaskCommand) .de(de_CancelExportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelExportTaskMessage; + output: ExportTask; + }; + sdk: { + input: CancelExportTaskCommandInput; + output: CancelExportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CopyDBClusterParameterGroupCommand.ts b/clients/client-rds/src/commands/CopyDBClusterParameterGroupCommand.ts index fc22cf98f1ee..14ebc729ea98 100644 --- a/clients/client-rds/src/commands/CopyDBClusterParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/CopyDBClusterParameterGroupCommand.ts @@ -129,4 +129,16 @@ export class CopyDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBClusterParameterGroupCommand) .de(de_CopyDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBClusterParameterGroupMessage; + output: CopyDBClusterParameterGroupResult; + }; + sdk: { + input: CopyDBClusterParameterGroupCommandInput; + output: CopyDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CopyDBClusterSnapshotCommand.ts b/clients/client-rds/src/commands/CopyDBClusterSnapshotCommand.ts index 43e053da2ba9..261182b042f1 100644 --- a/clients/client-rds/src/commands/CopyDBClusterSnapshotCommand.ts +++ b/clients/client-rds/src/commands/CopyDBClusterSnapshotCommand.ts @@ -221,4 +221,16 @@ export class CopyDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBClusterSnapshotCommand) .de(de_CopyDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBClusterSnapshotMessage; + output: CopyDBClusterSnapshotResult; + }; + sdk: { + input: CopyDBClusterSnapshotCommandInput; + output: CopyDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CopyDBParameterGroupCommand.ts b/clients/client-rds/src/commands/CopyDBParameterGroupCommand.ts index 93ceb33b0641..9964c7ccb2a0 100644 --- a/clients/client-rds/src/commands/CopyDBParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/CopyDBParameterGroupCommand.ts @@ -129,4 +129,16 @@ export class CopyDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBParameterGroupCommand) .de(de_CopyDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBParameterGroupMessage; + output: CopyDBParameterGroupResult; + }; + sdk: { + input: CopyDBParameterGroupCommandInput; + output: CopyDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CopyDBSnapshotCommand.ts b/clients/client-rds/src/commands/CopyDBSnapshotCommand.ts index 1d9d268c5128..d6770658a9e7 100644 --- a/clients/client-rds/src/commands/CopyDBSnapshotCommand.ts +++ b/clients/client-rds/src/commands/CopyDBSnapshotCommand.ts @@ -211,4 +211,16 @@ export class CopyDBSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopyDBSnapshotCommand) .de(de_CopyDBSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyDBSnapshotMessage; + output: CopyDBSnapshotResult; + }; + sdk: { + input: CopyDBSnapshotCommandInput; + output: CopyDBSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CopyOptionGroupCommand.ts b/clients/client-rds/src/commands/CopyOptionGroupCommand.ts index 2b9c21a43303..54d59ee96ca7 100644 --- a/clients/client-rds/src/commands/CopyOptionGroupCommand.ts +++ b/clients/client-rds/src/commands/CopyOptionGroupCommand.ts @@ -166,4 +166,16 @@ export class CopyOptionGroupCommand extends $Command .f(void 0, void 0) .ser(se_CopyOptionGroupCommand) .de(de_CopyOptionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyOptionGroupMessage; + output: CopyOptionGroupResult; + }; + sdk: { + input: CopyOptionGroupCommandInput; + output: CopyOptionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateBlueGreenDeploymentCommand.ts b/clients/client-rds/src/commands/CreateBlueGreenDeploymentCommand.ts index f82aa2f1c802..40d87f75ea52 100644 --- a/clients/client-rds/src/commands/CreateBlueGreenDeploymentCommand.ts +++ b/clients/client-rds/src/commands/CreateBlueGreenDeploymentCommand.ts @@ -299,4 +299,16 @@ export class CreateBlueGreenDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_CreateBlueGreenDeploymentCommand) .de(de_CreateBlueGreenDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBlueGreenDeploymentRequest; + output: CreateBlueGreenDeploymentResponse; + }; + sdk: { + input: CreateBlueGreenDeploymentCommandInput; + output: CreateBlueGreenDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateCustomDBEngineVersionCommand.ts b/clients/client-rds/src/commands/CreateCustomDBEngineVersionCommand.ts index 5e3980c25f2c..0084e8b3fd34 100644 --- a/clients/client-rds/src/commands/CreateCustomDBEngineVersionCommand.ts +++ b/clients/client-rds/src/commands/CreateCustomDBEngineVersionCommand.ts @@ -190,4 +190,16 @@ export class CreateCustomDBEngineVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomDBEngineVersionCommand) .de(de_CreateCustomDBEngineVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomDBEngineVersionMessage; + output: DBEngineVersion; + }; + sdk: { + input: CreateCustomDBEngineVersionCommandInput; + output: CreateCustomDBEngineVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBClusterCommand.ts b/clients/client-rds/src/commands/CreateDBClusterCommand.ts index 90f87f124aa9..29288c7d4c21 100644 --- a/clients/client-rds/src/commands/CreateDBClusterCommand.ts +++ b/clients/client-rds/src/commands/CreateDBClusterCommand.ts @@ -559,4 +559,16 @@ export class CreateDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterCommand) .de(de_CreateDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterMessage; + output: CreateDBClusterResult; + }; + sdk: { + input: CreateDBClusterCommandInput; + output: CreateDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBClusterEndpointCommand.ts b/clients/client-rds/src/commands/CreateDBClusterEndpointCommand.ts index 32cd2c83f304..f96473d8780f 100644 --- a/clients/client-rds/src/commands/CreateDBClusterEndpointCommand.ts +++ b/clients/client-rds/src/commands/CreateDBClusterEndpointCommand.ts @@ -161,4 +161,16 @@ export class CreateDBClusterEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterEndpointCommand) .de(de_CreateDBClusterEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterEndpointMessage; + output: DBClusterEndpoint; + }; + sdk: { + input: CreateDBClusterEndpointCommandInput; + output: CreateDBClusterEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBClusterParameterGroupCommand.ts b/clients/client-rds/src/commands/CreateDBClusterParameterGroupCommand.ts index 821e62ae03ef..104373566081 100644 --- a/clients/client-rds/src/commands/CreateDBClusterParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/CreateDBClusterParameterGroupCommand.ts @@ -154,4 +154,16 @@ export class CreateDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterParameterGroupCommand) .de(de_CreateDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterParameterGroupMessage; + output: CreateDBClusterParameterGroupResult; + }; + sdk: { + input: CreateDBClusterParameterGroupCommandInput; + output: CreateDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBClusterSnapshotCommand.ts b/clients/client-rds/src/commands/CreateDBClusterSnapshotCommand.ts index a1d692d87d9c..f74896cdc059 100644 --- a/clients/client-rds/src/commands/CreateDBClusterSnapshotCommand.ts +++ b/clients/client-rds/src/commands/CreateDBClusterSnapshotCommand.ts @@ -181,4 +181,16 @@ export class CreateDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBClusterSnapshotCommand) .de(de_CreateDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBClusterSnapshotMessage; + output: CreateDBClusterSnapshotResult; + }; + sdk: { + input: CreateDBClusterSnapshotCommandInput; + output: CreateDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBInstanceCommand.ts b/clients/client-rds/src/commands/CreateDBInstanceCommand.ts index 77f0844d325e..691e387a5a7a 100644 --- a/clients/client-rds/src/commands/CreateDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/CreateDBInstanceCommand.ts @@ -577,4 +577,16 @@ export class CreateDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBInstanceCommand) .de(de_CreateDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBInstanceMessage; + output: CreateDBInstanceResult; + }; + sdk: { + input: CreateDBInstanceCommandInput; + output: CreateDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBInstanceReadReplicaCommand.ts b/clients/client-rds/src/commands/CreateDBInstanceReadReplicaCommand.ts index 686c4a7974e5..5e4664ae119a 100644 --- a/clients/client-rds/src/commands/CreateDBInstanceReadReplicaCommand.ts +++ b/clients/client-rds/src/commands/CreateDBInstanceReadReplicaCommand.ts @@ -485,4 +485,16 @@ export class CreateDBInstanceReadReplicaCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBInstanceReadReplicaCommand) .de(de_CreateDBInstanceReadReplicaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBInstanceReadReplicaMessage; + output: CreateDBInstanceReadReplicaResult; + }; + sdk: { + input: CreateDBInstanceReadReplicaCommandInput; + output: CreateDBInstanceReadReplicaCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBParameterGroupCommand.ts b/clients/client-rds/src/commands/CreateDBParameterGroupCommand.ts index 00a999feae2c..7c9ff8f15109 100644 --- a/clients/client-rds/src/commands/CreateDBParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/CreateDBParameterGroupCommand.ts @@ -139,4 +139,16 @@ export class CreateDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBParameterGroupCommand) .de(de_CreateDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBParameterGroupMessage; + output: CreateDBParameterGroupResult; + }; + sdk: { + input: CreateDBParameterGroupCommandInput; + output: CreateDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBProxyCommand.ts b/clients/client-rds/src/commands/CreateDBProxyCommand.ts index 8e411b72f89c..8c9d690379da 100644 --- a/clients/client-rds/src/commands/CreateDBProxyCommand.ts +++ b/clients/client-rds/src/commands/CreateDBProxyCommand.ts @@ -142,4 +142,16 @@ export class CreateDBProxyCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBProxyCommand) .de(de_CreateDBProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBProxyRequest; + output: CreateDBProxyResponse; + }; + sdk: { + input: CreateDBProxyCommandInput; + output: CreateDBProxyCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBProxyEndpointCommand.ts b/clients/client-rds/src/commands/CreateDBProxyEndpointCommand.ts index 8991a98abea0..e6eb0dd4bbe4 100644 --- a/clients/client-rds/src/commands/CreateDBProxyEndpointCommand.ts +++ b/clients/client-rds/src/commands/CreateDBProxyEndpointCommand.ts @@ -124,4 +124,16 @@ export class CreateDBProxyEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBProxyEndpointCommand) .de(de_CreateDBProxyEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBProxyEndpointRequest; + output: CreateDBProxyEndpointResponse; + }; + sdk: { + input: CreateDBProxyEndpointCommandInput; + output: CreateDBProxyEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBSecurityGroupCommand.ts b/clients/client-rds/src/commands/CreateDBSecurityGroupCommand.ts index 3dc0fdc3ac3f..a3f3d9e133b5 100644 --- a/clients/client-rds/src/commands/CreateDBSecurityGroupCommand.ts +++ b/clients/client-rds/src/commands/CreateDBSecurityGroupCommand.ts @@ -140,4 +140,16 @@ export class CreateDBSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBSecurityGroupCommand) .de(de_CreateDBSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBSecurityGroupMessage; + output: CreateDBSecurityGroupResult; + }; + sdk: { + input: CreateDBSecurityGroupCommandInput; + output: CreateDBSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBShardGroupCommand.ts b/clients/client-rds/src/commands/CreateDBShardGroupCommand.ts index 055ff34acbbc..3409516adfc2 100644 --- a/clients/client-rds/src/commands/CreateDBShardGroupCommand.ts +++ b/clients/client-rds/src/commands/CreateDBShardGroupCommand.ts @@ -114,4 +114,16 @@ export class CreateDBShardGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBShardGroupCommand) .de(de_CreateDBShardGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBShardGroupMessage; + output: DBShardGroup; + }; + sdk: { + input: CreateDBShardGroupCommandInput; + output: CreateDBShardGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBSnapshotCommand.ts b/clients/client-rds/src/commands/CreateDBSnapshotCommand.ts index fc66a7be3bf2..e00fc211e805 100644 --- a/clients/client-rds/src/commands/CreateDBSnapshotCommand.ts +++ b/clients/client-rds/src/commands/CreateDBSnapshotCommand.ts @@ -188,4 +188,16 @@ export class CreateDBSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBSnapshotCommand) .de(de_CreateDBSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBSnapshotMessage; + output: CreateDBSnapshotResult; + }; + sdk: { + input: CreateDBSnapshotCommandInput; + output: CreateDBSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateDBSubnetGroupCommand.ts b/clients/client-rds/src/commands/CreateDBSubnetGroupCommand.ts index dc292b42484d..9ab50985f2cb 100644 --- a/clients/client-rds/src/commands/CreateDBSubnetGroupCommand.ts +++ b/clients/client-rds/src/commands/CreateDBSubnetGroupCommand.ts @@ -177,4 +177,16 @@ export class CreateDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDBSubnetGroupCommand) .de(de_CreateDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDBSubnetGroupMessage; + output: CreateDBSubnetGroupResult; + }; + sdk: { + input: CreateDBSubnetGroupCommandInput; + output: CreateDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateEventSubscriptionCommand.ts b/clients/client-rds/src/commands/CreateEventSubscriptionCommand.ts index 204b1a0e74dc..5b19e0bf0292 100644 --- a/clients/client-rds/src/commands/CreateEventSubscriptionCommand.ts +++ b/clients/client-rds/src/commands/CreateEventSubscriptionCommand.ts @@ -186,4 +186,16 @@ export class CreateEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventSubscriptionCommand) .de(de_CreateEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventSubscriptionMessage; + output: CreateEventSubscriptionResult; + }; + sdk: { + input: CreateEventSubscriptionCommandInput; + output: CreateEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts b/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts index 2917ed849b5b..3a573a21fd7d 100644 --- a/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/CreateGlobalClusterCommand.ts @@ -176,4 +176,16 @@ export class CreateGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateGlobalClusterCommand) .de(de_CreateGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGlobalClusterMessage; + output: CreateGlobalClusterResult; + }; + sdk: { + input: CreateGlobalClusterCommandInput; + output: CreateGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateIntegrationCommand.ts b/clients/client-rds/src/commands/CreateIntegrationCommand.ts index bc1214217ffb..b9cf58f7d485 100644 --- a/clients/client-rds/src/commands/CreateIntegrationCommand.ts +++ b/clients/client-rds/src/commands/CreateIntegrationCommand.ts @@ -161,4 +161,16 @@ export class CreateIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_CreateIntegrationCommand) .de(de_CreateIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIntegrationMessage; + output: Integration; + }; + sdk: { + input: CreateIntegrationCommandInput; + output: CreateIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateOptionGroupCommand.ts b/clients/client-rds/src/commands/CreateOptionGroupCommand.ts index f229a3767ec4..ae1e70b9a645 100644 --- a/clients/client-rds/src/commands/CreateOptionGroupCommand.ts +++ b/clients/client-rds/src/commands/CreateOptionGroupCommand.ts @@ -166,4 +166,16 @@ export class CreateOptionGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateOptionGroupCommand) .de(de_CreateOptionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOptionGroupMessage; + output: CreateOptionGroupResult; + }; + sdk: { + input: CreateOptionGroupCommandInput; + output: CreateOptionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/CreateTenantDatabaseCommand.ts b/clients/client-rds/src/commands/CreateTenantDatabaseCommand.ts index f8b682f36906..a89b8b28c7e2 100644 --- a/clients/client-rds/src/commands/CreateTenantDatabaseCommand.ts +++ b/clients/client-rds/src/commands/CreateTenantDatabaseCommand.ts @@ -131,4 +131,16 @@ export class CreateTenantDatabaseCommand extends $Command .f(CreateTenantDatabaseMessageFilterSensitiveLog, CreateTenantDatabaseResultFilterSensitiveLog) .ser(se_CreateTenantDatabaseCommand) .de(de_CreateTenantDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTenantDatabaseMessage; + output: CreateTenantDatabaseResult; + }; + sdk: { + input: CreateTenantDatabaseCommandInput; + output: CreateTenantDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteBlueGreenDeploymentCommand.ts b/clients/client-rds/src/commands/DeleteBlueGreenDeploymentCommand.ts index 1d7b954d17a4..3a2e54caa35e 100644 --- a/clients/client-rds/src/commands/DeleteBlueGreenDeploymentCommand.ts +++ b/clients/client-rds/src/commands/DeleteBlueGreenDeploymentCommand.ts @@ -259,4 +259,16 @@ export class DeleteBlueGreenDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBlueGreenDeploymentCommand) .de(de_DeleteBlueGreenDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBlueGreenDeploymentRequest; + output: DeleteBlueGreenDeploymentResponse; + }; + sdk: { + input: DeleteBlueGreenDeploymentCommandInput; + output: DeleteBlueGreenDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteCustomDBEngineVersionCommand.ts b/clients/client-rds/src/commands/DeleteCustomDBEngineVersionCommand.ts index 92145aeae7ab..d6c98b172b46 100644 --- a/clients/client-rds/src/commands/DeleteCustomDBEngineVersionCommand.ts +++ b/clients/client-rds/src/commands/DeleteCustomDBEngineVersionCommand.ts @@ -187,4 +187,16 @@ export class DeleteCustomDBEngineVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomDBEngineVersionCommand) .de(de_DeleteCustomDBEngineVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomDBEngineVersionMessage; + output: DBEngineVersion; + }; + sdk: { + input: DeleteCustomDBEngineVersionCommandInput; + output: DeleteCustomDBEngineVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBClusterAutomatedBackupCommand.ts b/clients/client-rds/src/commands/DeleteDBClusterAutomatedBackupCommand.ts index 56d1e02738c3..378acd0d3d38 100644 --- a/clients/client-rds/src/commands/DeleteDBClusterAutomatedBackupCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBClusterAutomatedBackupCommand.ts @@ -121,4 +121,16 @@ export class DeleteDBClusterAutomatedBackupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterAutomatedBackupCommand) .de(de_DeleteDBClusterAutomatedBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterAutomatedBackupMessage; + output: DeleteDBClusterAutomatedBackupResult; + }; + sdk: { + input: DeleteDBClusterAutomatedBackupCommandInput; + output: DeleteDBClusterAutomatedBackupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBClusterCommand.ts b/clients/client-rds/src/commands/DeleteDBClusterCommand.ts index 2620c152c7db..f18a6c9c6677 100644 --- a/clients/client-rds/src/commands/DeleteDBClusterCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBClusterCommand.ts @@ -327,4 +327,16 @@ export class DeleteDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterCommand) .de(de_DeleteDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterMessage; + output: DeleteDBClusterResult; + }; + sdk: { + input: DeleteDBClusterCommandInput; + output: DeleteDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBClusterEndpointCommand.ts b/clients/client-rds/src/commands/DeleteDBClusterEndpointCommand.ts index a586574d41a8..eefb50a0a117 100644 --- a/clients/client-rds/src/commands/DeleteDBClusterEndpointCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBClusterEndpointCommand.ts @@ -131,4 +131,16 @@ export class DeleteDBClusterEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterEndpointCommand) .de(de_DeleteDBClusterEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterEndpointMessage; + output: DBClusterEndpoint; + }; + sdk: { + input: DeleteDBClusterEndpointCommandInput; + output: DeleteDBClusterEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBClusterParameterGroupCommand.ts b/clients/client-rds/src/commands/DeleteDBClusterParameterGroupCommand.ts index 98fda00075b4..1c6de5dd2aed 100644 --- a/clients/client-rds/src/commands/DeleteDBClusterParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBClusterParameterGroupCommand.ts @@ -105,4 +105,16 @@ export class DeleteDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterParameterGroupCommand) .de(de_DeleteDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterParameterGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBClusterParameterGroupCommandInput; + output: DeleteDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBClusterSnapshotCommand.ts b/clients/client-rds/src/commands/DeleteDBClusterSnapshotCommand.ts index 58a0f4bf16f1..e00de7d9dbf0 100644 --- a/clients/client-rds/src/commands/DeleteDBClusterSnapshotCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBClusterSnapshotCommand.ts @@ -168,4 +168,16 @@ export class DeleteDBClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBClusterSnapshotCommand) .de(de_DeleteDBClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBClusterSnapshotMessage; + output: DeleteDBClusterSnapshotResult; + }; + sdk: { + input: DeleteDBClusterSnapshotCommandInput; + output: DeleteDBClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBInstanceAutomatedBackupCommand.ts b/clients/client-rds/src/commands/DeleteDBInstanceAutomatedBackupCommand.ts index 0a246f311129..12ed3c89757d 100644 --- a/clients/client-rds/src/commands/DeleteDBInstanceAutomatedBackupCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBInstanceAutomatedBackupCommand.ts @@ -167,4 +167,16 @@ export class DeleteDBInstanceAutomatedBackupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBInstanceAutomatedBackupCommand) .de(de_DeleteDBInstanceAutomatedBackupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBInstanceAutomatedBackupMessage; + output: DeleteDBInstanceAutomatedBackupResult; + }; + sdk: { + input: DeleteDBInstanceAutomatedBackupCommandInput; + output: DeleteDBInstanceAutomatedBackupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBInstanceCommand.ts b/clients/client-rds/src/commands/DeleteDBInstanceCommand.ts index 6032741aa214..8429fc0781b1 100644 --- a/clients/client-rds/src/commands/DeleteDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBInstanceCommand.ts @@ -369,4 +369,16 @@ export class DeleteDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBInstanceCommand) .de(de_DeleteDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBInstanceMessage; + output: DeleteDBInstanceResult; + }; + sdk: { + input: DeleteDBInstanceCommandInput; + output: DeleteDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBParameterGroupCommand.ts b/clients/client-rds/src/commands/DeleteDBParameterGroupCommand.ts index f615a7e9edae..5285f2a95a7d 100644 --- a/clients/client-rds/src/commands/DeleteDBParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBParameterGroupCommand.ts @@ -96,4 +96,16 @@ export class DeleteDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBParameterGroupCommand) .de(de_DeleteDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBParameterGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBParameterGroupCommandInput; + output: DeleteDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBProxyCommand.ts b/clients/client-rds/src/commands/DeleteDBProxyCommand.ts index f91c07519eae..0498f5b7636d 100644 --- a/clients/client-rds/src/commands/DeleteDBProxyCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBProxyCommand.ts @@ -112,4 +112,16 @@ export class DeleteDBProxyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBProxyCommand) .de(de_DeleteDBProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBProxyRequest; + output: DeleteDBProxyResponse; + }; + sdk: { + input: DeleteDBProxyCommandInput; + output: DeleteDBProxyCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBProxyEndpointCommand.ts b/clients/client-rds/src/commands/DeleteDBProxyEndpointCommand.ts index 318248825028..efbd1398af9a 100644 --- a/clients/client-rds/src/commands/DeleteDBProxyEndpointCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBProxyEndpointCommand.ts @@ -101,4 +101,16 @@ export class DeleteDBProxyEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBProxyEndpointCommand) .de(de_DeleteDBProxyEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBProxyEndpointRequest; + output: DeleteDBProxyEndpointResponse; + }; + sdk: { + input: DeleteDBProxyEndpointCommandInput; + output: DeleteDBProxyEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBSecurityGroupCommand.ts b/clients/client-rds/src/commands/DeleteDBSecurityGroupCommand.ts index 481e3792fa46..c133fc3498ca 100644 --- a/clients/client-rds/src/commands/DeleteDBSecurityGroupCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBSecurityGroupCommand.ts @@ -101,4 +101,16 @@ export class DeleteDBSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBSecurityGroupCommand) .de(de_DeleteDBSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBSecurityGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBSecurityGroupCommandInput; + output: DeleteDBSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBShardGroupCommand.ts b/clients/client-rds/src/commands/DeleteDBShardGroupCommand.ts index 13f7bd6f75a2..1b72194fd7ff 100644 --- a/clients/client-rds/src/commands/DeleteDBShardGroupCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBShardGroupCommand.ts @@ -94,4 +94,16 @@ export class DeleteDBShardGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBShardGroupCommand) .de(de_DeleteDBShardGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBShardGroupMessage; + output: DBShardGroup; + }; + sdk: { + input: DeleteDBShardGroupCommandInput; + output: DeleteDBShardGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBSnapshotCommand.ts b/clients/client-rds/src/commands/DeleteDBSnapshotCommand.ts index 85d798ee6c62..d1d6046cff53 100644 --- a/clients/client-rds/src/commands/DeleteDBSnapshotCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBSnapshotCommand.ts @@ -176,4 +176,16 @@ export class DeleteDBSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBSnapshotCommand) .de(de_DeleteDBSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBSnapshotMessage; + output: DeleteDBSnapshotResult; + }; + sdk: { + input: DeleteDBSnapshotCommandInput; + output: DeleteDBSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteDBSubnetGroupCommand.ts b/clients/client-rds/src/commands/DeleteDBSubnetGroupCommand.ts index 43ebe16664dd..21b73dbe7e0e 100644 --- a/clients/client-rds/src/commands/DeleteDBSubnetGroupCommand.ts +++ b/clients/client-rds/src/commands/DeleteDBSubnetGroupCommand.ts @@ -99,4 +99,16 @@ export class DeleteDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDBSubnetGroupCommand) .de(de_DeleteDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDBSubnetGroupMessage; + output: {}; + }; + sdk: { + input: DeleteDBSubnetGroupCommandInput; + output: DeleteDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteEventSubscriptionCommand.ts b/clients/client-rds/src/commands/DeleteEventSubscriptionCommand.ts index 63ff41a2e256..7e372d5294e2 100644 --- a/clients/client-rds/src/commands/DeleteEventSubscriptionCommand.ts +++ b/clients/client-rds/src/commands/DeleteEventSubscriptionCommand.ts @@ -130,4 +130,16 @@ export class DeleteEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventSubscriptionCommand) .de(de_DeleteEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventSubscriptionMessage; + output: DeleteEventSubscriptionResult; + }; + sdk: { + input: DeleteEventSubscriptionCommandInput; + output: DeleteEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts b/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts index 4fee179177cf..dbc9d77326a9 100644 --- a/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/DeleteGlobalClusterCommand.ts @@ -147,4 +147,16 @@ export class DeleteGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGlobalClusterCommand) .de(de_DeleteGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGlobalClusterMessage; + output: DeleteGlobalClusterResult; + }; + sdk: { + input: DeleteGlobalClusterCommandInput; + output: DeleteGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteIntegrationCommand.ts b/clients/client-rds/src/commands/DeleteIntegrationCommand.ts index 66d467a76225..dbfb173b361c 100644 --- a/clients/client-rds/src/commands/DeleteIntegrationCommand.ts +++ b/clients/client-rds/src/commands/DeleteIntegrationCommand.ts @@ -134,4 +134,16 @@ export class DeleteIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIntegrationCommand) .de(de_DeleteIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIntegrationMessage; + output: Integration; + }; + sdk: { + input: DeleteIntegrationCommandInput; + output: DeleteIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteOptionGroupCommand.ts b/clients/client-rds/src/commands/DeleteOptionGroupCommand.ts index 37061dacfff1..1bea4f857604 100644 --- a/clients/client-rds/src/commands/DeleteOptionGroupCommand.ts +++ b/clients/client-rds/src/commands/DeleteOptionGroupCommand.ts @@ -92,4 +92,16 @@ export class DeleteOptionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOptionGroupCommand) .de(de_DeleteOptionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOptionGroupMessage; + output: {}; + }; + sdk: { + input: DeleteOptionGroupCommandInput; + output: DeleteOptionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeleteTenantDatabaseCommand.ts b/clients/client-rds/src/commands/DeleteTenantDatabaseCommand.ts index e0b59dd1f3b0..bec629119ca0 100644 --- a/clients/client-rds/src/commands/DeleteTenantDatabaseCommand.ts +++ b/clients/client-rds/src/commands/DeleteTenantDatabaseCommand.ts @@ -116,4 +116,16 @@ export class DeleteTenantDatabaseCommand extends $Command .f(void 0, DeleteTenantDatabaseResultFilterSensitiveLog) .ser(se_DeleteTenantDatabaseCommand) .de(de_DeleteTenantDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTenantDatabaseMessage; + output: DeleteTenantDatabaseResult; + }; + sdk: { + input: DeleteTenantDatabaseCommandInput; + output: DeleteTenantDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DeregisterDBProxyTargetsCommand.ts b/clients/client-rds/src/commands/DeregisterDBProxyTargetsCommand.ts index b9918888ed48..9bc9c103195d 100644 --- a/clients/client-rds/src/commands/DeregisterDBProxyTargetsCommand.ts +++ b/clients/client-rds/src/commands/DeregisterDBProxyTargetsCommand.ts @@ -94,4 +94,16 @@ export class DeregisterDBProxyTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterDBProxyTargetsCommand) .de(de_DeregisterDBProxyTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterDBProxyTargetsRequest; + output: {}; + }; + sdk: { + input: DeregisterDBProxyTargetsCommandInput; + output: DeregisterDBProxyTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeAccountAttributesCommand.ts b/clients/client-rds/src/commands/DescribeAccountAttributesCommand.ts index 155767651055..bb8bfe5266e1 100644 --- a/clients/client-rds/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-rds/src/commands/DescribeAccountAttributesCommand.ts @@ -173,4 +173,16 @@ export class DescribeAccountAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAttributesCommand) .de(de_DescribeAccountAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: AccountAttributesMessage; + }; + sdk: { + input: DescribeAccountAttributesCommandInput; + output: DescribeAccountAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeBlueGreenDeploymentsCommand.ts b/clients/client-rds/src/commands/DescribeBlueGreenDeploymentsCommand.ts index ccb0126c27eb..8427374c5ca8 100644 --- a/clients/client-rds/src/commands/DescribeBlueGreenDeploymentsCommand.ts +++ b/clients/client-rds/src/commands/DescribeBlueGreenDeploymentsCommand.ts @@ -344,4 +344,16 @@ export class DescribeBlueGreenDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBlueGreenDeploymentsCommand) .de(de_DescribeBlueGreenDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBlueGreenDeploymentsRequest; + output: DescribeBlueGreenDeploymentsResponse; + }; + sdk: { + input: DescribeBlueGreenDeploymentsCommandInput; + output: DescribeBlueGreenDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeCertificatesCommand.ts b/clients/client-rds/src/commands/DescribeCertificatesCommand.ts index c26300c73736..62b1052767c4 100644 --- a/clients/client-rds/src/commands/DescribeCertificatesCommand.ts +++ b/clients/client-rds/src/commands/DescribeCertificatesCommand.ts @@ -162,4 +162,16 @@ export class DescribeCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCertificatesCommand) .de(de_DescribeCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificatesMessage; + output: CertificateMessage; + }; + sdk: { + input: DescribeCertificatesCommandInput; + output: DescribeCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClusterAutomatedBackupsCommand.ts b/clients/client-rds/src/commands/DescribeDBClusterAutomatedBackupsCommand.ts index db689332f4b5..d63f53904ffa 100644 --- a/clients/client-rds/src/commands/DescribeDBClusterAutomatedBackupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClusterAutomatedBackupsCommand.ts @@ -133,4 +133,16 @@ export class DescribeDBClusterAutomatedBackupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterAutomatedBackupsCommand) .de(de_DescribeDBClusterAutomatedBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterAutomatedBackupsMessage; + output: DBClusterAutomatedBackupMessage; + }; + sdk: { + input: DescribeDBClusterAutomatedBackupsCommandInput; + output: DescribeDBClusterAutomatedBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClusterBacktracksCommand.ts b/clients/client-rds/src/commands/DescribeDBClusterBacktracksCommand.ts index 8803876ca26e..e65146ed8f42 100644 --- a/clients/client-rds/src/commands/DescribeDBClusterBacktracksCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClusterBacktracksCommand.ts @@ -145,4 +145,16 @@ export class DescribeDBClusterBacktracksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterBacktracksCommand) .de(de_DescribeDBClusterBacktracksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterBacktracksMessage; + output: DBClusterBacktrackMessage; + }; + sdk: { + input: DescribeDBClusterBacktracksCommandInput; + output: DescribeDBClusterBacktracksCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClusterEndpointsCommand.ts b/clients/client-rds/src/commands/DescribeDBClusterEndpointsCommand.ts index be8b34516d53..fa5ff99d20fb 100644 --- a/clients/client-rds/src/commands/DescribeDBClusterEndpointsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClusterEndpointsCommand.ts @@ -175,4 +175,16 @@ export class DescribeDBClusterEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterEndpointsCommand) .de(de_DescribeDBClusterEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterEndpointsMessage; + output: DBClusterEndpointMessage; + }; + sdk: { + input: DescribeDBClusterEndpointsCommandInput; + output: DescribeDBClusterEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClusterParameterGroupsCommand.ts b/clients/client-rds/src/commands/DescribeDBClusterParameterGroupsCommand.ts index 101b9952f890..9b437ada9de8 100644 --- a/clients/client-rds/src/commands/DescribeDBClusterParameterGroupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClusterParameterGroupsCommand.ts @@ -158,4 +158,16 @@ export class DescribeDBClusterParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterParameterGroupsCommand) .de(de_DescribeDBClusterParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterParameterGroupsMessage; + output: DBClusterParameterGroupsMessage; + }; + sdk: { + input: DescribeDBClusterParameterGroupsCommandInput; + output: DescribeDBClusterParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClusterParametersCommand.ts b/clients/client-rds/src/commands/DescribeDBClusterParametersCommand.ts index a78f93ddb5fd..55ad38ee8c67 100644 --- a/clients/client-rds/src/commands/DescribeDBClusterParametersCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClusterParametersCommand.ts @@ -160,4 +160,16 @@ export class DescribeDBClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterParametersCommand) .de(de_DescribeDBClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterParametersMessage; + output: DBClusterParameterGroupDetails; + }; + sdk: { + input: DescribeDBClusterParametersCommandInput; + output: DescribeDBClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts b/clients/client-rds/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts index 70ad79760228..df8002b9dd6f 100644 --- a/clients/client-rds/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClusterSnapshotAttributesCommand.ts @@ -132,4 +132,16 @@ export class DescribeDBClusterSnapshotAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterSnapshotAttributesCommand) .de(de_DescribeDBClusterSnapshotAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterSnapshotAttributesMessage; + output: DescribeDBClusterSnapshotAttributesResult; + }; + sdk: { + input: DescribeDBClusterSnapshotAttributesCommandInput; + output: DescribeDBClusterSnapshotAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClusterSnapshotsCommand.ts b/clients/client-rds/src/commands/DescribeDBClusterSnapshotsCommand.ts index 03957652bd73..c8a05bb0ec94 100644 --- a/clients/client-rds/src/commands/DescribeDBClusterSnapshotsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClusterSnapshotsCommand.ts @@ -206,4 +206,16 @@ export class DescribeDBClusterSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClusterSnapshotsCommand) .de(de_DescribeDBClusterSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClusterSnapshotsMessage; + output: DBClusterSnapshotMessage; + }; + sdk: { + input: DescribeDBClusterSnapshotsCommandInput; + output: DescribeDBClusterSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBClustersCommand.ts b/clients/client-rds/src/commands/DescribeDBClustersCommand.ts index c563dcdedc2e..1470e5ad8a13 100644 --- a/clients/client-rds/src/commands/DescribeDBClustersCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBClustersCommand.ts @@ -386,4 +386,16 @@ export class DescribeDBClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBClustersCommand) .de(de_DescribeDBClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBClustersMessage; + output: DBClusterMessage; + }; + sdk: { + input: DescribeDBClustersCommandInput; + output: DescribeDBClustersCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBEngineVersionsCommand.ts b/clients/client-rds/src/commands/DescribeDBEngineVersionsCommand.ts index 19f8cb381523..9548b7c9f178 100644 --- a/clients/client-rds/src/commands/DescribeDBEngineVersionsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBEngineVersionsCommand.ts @@ -221,4 +221,16 @@ export class DescribeDBEngineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBEngineVersionsCommand) .de(de_DescribeDBEngineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBEngineVersionsMessage; + output: DBEngineVersionMessage; + }; + sdk: { + input: DescribeDBEngineVersionsCommandInput; + output: DescribeDBEngineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBInstanceAutomatedBackupsCommand.ts b/clients/client-rds/src/commands/DescribeDBInstanceAutomatedBackupsCommand.ts index 6ed428fe7ef4..a1ff2503f565 100644 --- a/clients/client-rds/src/commands/DescribeDBInstanceAutomatedBackupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBInstanceAutomatedBackupsCommand.ts @@ -186,4 +186,16 @@ export class DescribeDBInstanceAutomatedBackupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBInstanceAutomatedBackupsCommand) .de(de_DescribeDBInstanceAutomatedBackupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBInstanceAutomatedBackupsMessage; + output: DBInstanceAutomatedBackupMessage; + }; + sdk: { + input: DescribeDBInstanceAutomatedBackupsCommandInput; + output: DescribeDBInstanceAutomatedBackupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBInstancesCommand.ts b/clients/client-rds/src/commands/DescribeDBInstancesCommand.ts index e78d014125da..6c44b6dd525e 100644 --- a/clients/client-rds/src/commands/DescribeDBInstancesCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBInstancesCommand.ts @@ -349,4 +349,16 @@ export class DescribeDBInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBInstancesCommand) .de(de_DescribeDBInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBInstancesMessage; + output: DBInstanceMessage; + }; + sdk: { + input: DescribeDBInstancesCommandInput; + output: DescribeDBInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBLogFilesCommand.ts b/clients/client-rds/src/commands/DescribeDBLogFilesCommand.ts index 361ff68da832..4018b7be3842 100644 --- a/clients/client-rds/src/commands/DescribeDBLogFilesCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBLogFilesCommand.ts @@ -149,4 +149,16 @@ export class DescribeDBLogFilesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBLogFilesCommand) .de(de_DescribeDBLogFilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBLogFilesMessage; + output: DescribeDBLogFilesResponse; + }; + sdk: { + input: DescribeDBLogFilesCommandInput; + output: DescribeDBLogFilesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBParameterGroupsCommand.ts b/clients/client-rds/src/commands/DescribeDBParameterGroupsCommand.ts index fe0a3f3cb9b5..a9ea15594606 100644 --- a/clients/client-rds/src/commands/DescribeDBParameterGroupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBParameterGroupsCommand.ts @@ -140,4 +140,16 @@ export class DescribeDBParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBParameterGroupsCommand) .de(de_DescribeDBParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBParameterGroupsMessage; + output: DBParameterGroupsMessage; + }; + sdk: { + input: DescribeDBParameterGroupsCommandInput; + output: DescribeDBParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBParametersCommand.ts b/clients/client-rds/src/commands/DescribeDBParametersCommand.ts index 54e6d2ad0216..7558da8ca228 100644 --- a/clients/client-rds/src/commands/DescribeDBParametersCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBParametersCommand.ts @@ -147,4 +147,16 @@ export class DescribeDBParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBParametersCommand) .de(de_DescribeDBParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBParametersMessage; + output: DBParameterGroupDetails; + }; + sdk: { + input: DescribeDBParametersCommandInput; + output: DescribeDBParametersCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBProxiesCommand.ts b/clients/client-rds/src/commands/DescribeDBProxiesCommand.ts index 30452d6244c0..7acd8b2e2445 100644 --- a/clients/client-rds/src/commands/DescribeDBProxiesCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBProxiesCommand.ts @@ -122,4 +122,16 @@ export class DescribeDBProxiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBProxiesCommand) .de(de_DescribeDBProxiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBProxiesRequest; + output: DescribeDBProxiesResponse; + }; + sdk: { + input: DescribeDBProxiesCommandInput; + output: DescribeDBProxiesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBProxyEndpointsCommand.ts b/clients/client-rds/src/commands/DescribeDBProxyEndpointsCommand.ts index 06767113b5e3..ebad3f0cf030 100644 --- a/clients/client-rds/src/commands/DescribeDBProxyEndpointsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBProxyEndpointsCommand.ts @@ -113,4 +113,16 @@ export class DescribeDBProxyEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBProxyEndpointsCommand) .de(de_DescribeDBProxyEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBProxyEndpointsRequest; + output: DescribeDBProxyEndpointsResponse; + }; + sdk: { + input: DescribeDBProxyEndpointsCommandInput; + output: DescribeDBProxyEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBProxyTargetGroupsCommand.ts b/clients/client-rds/src/commands/DescribeDBProxyTargetGroupsCommand.ts index c1bbaaf33bb8..f44f1bffb296 100644 --- a/clients/client-rds/src/commands/DescribeDBProxyTargetGroupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBProxyTargetGroupsCommand.ts @@ -119,4 +119,16 @@ export class DescribeDBProxyTargetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBProxyTargetGroupsCommand) .de(de_DescribeDBProxyTargetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBProxyTargetGroupsRequest; + output: DescribeDBProxyTargetGroupsResponse; + }; + sdk: { + input: DescribeDBProxyTargetGroupsCommandInput; + output: DescribeDBProxyTargetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBProxyTargetsCommand.ts b/clients/client-rds/src/commands/DescribeDBProxyTargetsCommand.ts index b89626a2b97e..8915eeded4f3 100644 --- a/clients/client-rds/src/commands/DescribeDBProxyTargetsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBProxyTargetsCommand.ts @@ -116,4 +116,16 @@ export class DescribeDBProxyTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBProxyTargetsCommand) .de(de_DescribeDBProxyTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBProxyTargetsRequest; + output: DescribeDBProxyTargetsResponse; + }; + sdk: { + input: DescribeDBProxyTargetsCommandInput; + output: DescribeDBProxyTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBRecommendationsCommand.ts b/clients/client-rds/src/commands/DescribeDBRecommendationsCommand.ts index c65bbdf75b6f..797ecdacf731 100644 --- a/clients/client-rds/src/commands/DescribeDBRecommendationsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBRecommendationsCommand.ts @@ -208,4 +208,16 @@ export class DescribeDBRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBRecommendationsCommand) .de(de_DescribeDBRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBRecommendationsMessage; + output: DBRecommendationsMessage; + }; + sdk: { + input: DescribeDBRecommendationsCommandInput; + output: DescribeDBRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBSecurityGroupsCommand.ts b/clients/client-rds/src/commands/DescribeDBSecurityGroupsCommand.ts index 6416537a0651..24372421beb5 100644 --- a/clients/client-rds/src/commands/DescribeDBSecurityGroupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBSecurityGroupsCommand.ts @@ -133,4 +133,16 @@ export class DescribeDBSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBSecurityGroupsCommand) .de(de_DescribeDBSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBSecurityGroupsMessage; + output: DBSecurityGroupMessage; + }; + sdk: { + input: DescribeDBSecurityGroupsCommandInput; + output: DescribeDBSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBShardGroupsCommand.ts b/clients/client-rds/src/commands/DescribeDBShardGroupsCommand.ts index 66caac5f6592..9764f98d3556 100644 --- a/clients/client-rds/src/commands/DescribeDBShardGroupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBShardGroupsCommand.ts @@ -107,4 +107,16 @@ export class DescribeDBShardGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBShardGroupsCommand) .de(de_DescribeDBShardGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBShardGroupsMessage; + output: DescribeDBShardGroupsResponse; + }; + sdk: { + input: DescribeDBShardGroupsCommandInput; + output: DescribeDBShardGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBSnapshotAttributesCommand.ts b/clients/client-rds/src/commands/DescribeDBSnapshotAttributesCommand.ts index 400d0cdf00f0..41c5411ad13b 100644 --- a/clients/client-rds/src/commands/DescribeDBSnapshotAttributesCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBSnapshotAttributesCommand.ts @@ -127,4 +127,16 @@ export class DescribeDBSnapshotAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBSnapshotAttributesCommand) .de(de_DescribeDBSnapshotAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBSnapshotAttributesMessage; + output: DescribeDBSnapshotAttributesResult; + }; + sdk: { + input: DescribeDBSnapshotAttributesCommandInput; + output: DescribeDBSnapshotAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBSnapshotTenantDatabasesCommand.ts b/clients/client-rds/src/commands/DescribeDBSnapshotTenantDatabasesCommand.ts index 74292c5aab68..4b67cfcc9e0e 100644 --- a/clients/client-rds/src/commands/DescribeDBSnapshotTenantDatabasesCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBSnapshotTenantDatabasesCommand.ts @@ -126,4 +126,16 @@ export class DescribeDBSnapshotTenantDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBSnapshotTenantDatabasesCommand) .de(de_DescribeDBSnapshotTenantDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBSnapshotTenantDatabasesMessage; + output: DBSnapshotTenantDatabasesMessage; + }; + sdk: { + input: DescribeDBSnapshotTenantDatabasesCommandInput; + output: DescribeDBSnapshotTenantDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBSnapshotsCommand.ts b/clients/client-rds/src/commands/DescribeDBSnapshotsCommand.ts index 69e27237bb7e..5a54fe6091cf 100644 --- a/clients/client-rds/src/commands/DescribeDBSnapshotsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBSnapshotsCommand.ts @@ -187,4 +187,16 @@ export class DescribeDBSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBSnapshotsCommand) .de(de_DescribeDBSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBSnapshotsMessage; + output: DBSnapshotMessage; + }; + sdk: { + input: DescribeDBSnapshotsCommandInput; + output: DescribeDBSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeDBSubnetGroupsCommand.ts b/clients/client-rds/src/commands/DescribeDBSubnetGroupsCommand.ts index 5de0d85b2eab..00f17372fc65 100644 --- a/clients/client-rds/src/commands/DescribeDBSubnetGroupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeDBSubnetGroupsCommand.ts @@ -169,4 +169,16 @@ export class DescribeDBSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDBSubnetGroupsCommand) .de(de_DescribeDBSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDBSubnetGroupsMessage; + output: DBSubnetGroupMessage; + }; + sdk: { + input: DescribeDBSubnetGroupsCommandInput; + output: DescribeDBSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeEngineDefaultClusterParametersCommand.ts b/clients/client-rds/src/commands/DescribeEngineDefaultClusterParametersCommand.ts index abdb9f55cd3a..defb6502de72 100644 --- a/clients/client-rds/src/commands/DescribeEngineDefaultClusterParametersCommand.ts +++ b/clients/client-rds/src/commands/DescribeEngineDefaultClusterParametersCommand.ts @@ -149,4 +149,16 @@ export class DescribeEngineDefaultClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineDefaultClusterParametersCommand) .de(de_DescribeEngineDefaultClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineDefaultClusterParametersMessage; + output: DescribeEngineDefaultClusterParametersResult; + }; + sdk: { + input: DescribeEngineDefaultClusterParametersCommandInput; + output: DescribeEngineDefaultClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeEngineDefaultParametersCommand.ts b/clients/client-rds/src/commands/DescribeEngineDefaultParametersCommand.ts index 91931e4681ca..f3e05b7848ed 100644 --- a/clients/client-rds/src/commands/DescribeEngineDefaultParametersCommand.ts +++ b/clients/client-rds/src/commands/DescribeEngineDefaultParametersCommand.ts @@ -140,4 +140,16 @@ export class DescribeEngineDefaultParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngineDefaultParametersCommand) .de(de_DescribeEngineDefaultParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngineDefaultParametersMessage; + output: DescribeEngineDefaultParametersResult; + }; + sdk: { + input: DescribeEngineDefaultParametersCommandInput; + output: DescribeEngineDefaultParametersCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeEventCategoriesCommand.ts b/clients/client-rds/src/commands/DescribeEventCategoriesCommand.ts index 5cf37002bf5b..f0c7d1583731 100644 --- a/clients/client-rds/src/commands/DescribeEventCategoriesCommand.ts +++ b/clients/client-rds/src/commands/DescribeEventCategoriesCommand.ts @@ -171,4 +171,16 @@ export class DescribeEventCategoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventCategoriesCommand) .de(de_DescribeEventCategoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventCategoriesMessage; + output: EventCategoriesMessage; + }; + sdk: { + input: DescribeEventCategoriesCommandInput; + output: DescribeEventCategoriesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeEventSubscriptionsCommand.ts b/clients/client-rds/src/commands/DescribeEventSubscriptionsCommand.ts index ec785910aad1..0ed7803b200b 100644 --- a/clients/client-rds/src/commands/DescribeEventSubscriptionsCommand.ts +++ b/clients/client-rds/src/commands/DescribeEventSubscriptionsCommand.ts @@ -139,4 +139,16 @@ export class DescribeEventSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSubscriptionsCommand) .de(de_DescribeEventSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventSubscriptionsMessage; + output: EventSubscriptionsMessage; + }; + sdk: { + input: DescribeEventSubscriptionsCommandInput; + output: DescribeEventSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeEventsCommand.ts b/clients/client-rds/src/commands/DescribeEventsCommand.ts index caaac9f158ad..702373fa7a18 100644 --- a/clients/client-rds/src/commands/DescribeEventsCommand.ts +++ b/clients/client-rds/src/commands/DescribeEventsCommand.ts @@ -151,4 +151,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsMessage; + output: EventsMessage; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeExportTasksCommand.ts b/clients/client-rds/src/commands/DescribeExportTasksCommand.ts index babb55432fa0..9af5d3a8dd43 100644 --- a/clients/client-rds/src/commands/DescribeExportTasksCommand.ts +++ b/clients/client-rds/src/commands/DescribeExportTasksCommand.ts @@ -156,4 +156,16 @@ export class DescribeExportTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExportTasksCommand) .de(de_DescribeExportTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExportTasksMessage; + output: ExportTasksMessage; + }; + sdk: { + input: DescribeExportTasksCommandInput; + output: DescribeExportTasksCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts b/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts index 2b9e5fcf7dac..50de1c97eb43 100644 --- a/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts +++ b/clients/client-rds/src/commands/DescribeGlobalClustersCommand.ts @@ -158,4 +158,16 @@ export class DescribeGlobalClustersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGlobalClustersCommand) .de(de_DescribeGlobalClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGlobalClustersMessage; + output: GlobalClustersMessage; + }; + sdk: { + input: DescribeGlobalClustersCommandInput; + output: DescribeGlobalClustersCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeIntegrationsCommand.ts b/clients/client-rds/src/commands/DescribeIntegrationsCommand.ts index ac8999ae62e0..6f5c831bd6e4 100644 --- a/clients/client-rds/src/commands/DescribeIntegrationsCommand.ts +++ b/clients/client-rds/src/commands/DescribeIntegrationsCommand.ts @@ -145,4 +145,16 @@ export class DescribeIntegrationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIntegrationsCommand) .de(de_DescribeIntegrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIntegrationsMessage; + output: DescribeIntegrationsResponse; + }; + sdk: { + input: DescribeIntegrationsCommandInput; + output: DescribeIntegrationsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeOptionGroupOptionsCommand.ts b/clients/client-rds/src/commands/DescribeOptionGroupOptionsCommand.ts index 735bd1acb74c..a995a4c5aa86 100644 --- a/clients/client-rds/src/commands/DescribeOptionGroupOptionsCommand.ts +++ b/clients/client-rds/src/commands/DescribeOptionGroupOptionsCommand.ts @@ -184,4 +184,16 @@ export class DescribeOptionGroupOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOptionGroupOptionsCommand) .de(de_DescribeOptionGroupOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOptionGroupOptionsMessage; + output: OptionGroupOptionsMessage; + }; + sdk: { + input: DescribeOptionGroupOptionsCommandInput; + output: DescribeOptionGroupOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeOptionGroupsCommand.ts b/clients/client-rds/src/commands/DescribeOptionGroupsCommand.ts index 06f7afb8f4af..022a686234b0 100644 --- a/clients/client-rds/src/commands/DescribeOptionGroupsCommand.ts +++ b/clients/client-rds/src/commands/DescribeOptionGroupsCommand.ts @@ -168,4 +168,16 @@ export class DescribeOptionGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOptionGroupsCommand) .de(de_DescribeOptionGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOptionGroupsMessage; + output: OptionGroups; + }; + sdk: { + input: DescribeOptionGroupsCommandInput; + output: DescribeOptionGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts b/clients/client-rds/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts index a4690c9bede5..2c84c1198db6 100644 --- a/clients/client-rds/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts +++ b/clients/client-rds/src/commands/DescribeOrderableDBInstanceOptionsCommand.ts @@ -201,4 +201,16 @@ export class DescribeOrderableDBInstanceOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrderableDBInstanceOptionsCommand) .de(de_DescribeOrderableDBInstanceOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrderableDBInstanceOptionsMessage; + output: OrderableDBInstanceOptionsMessage; + }; + sdk: { + input: DescribeOrderableDBInstanceOptionsCommandInput; + output: DescribeOrderableDBInstanceOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribePendingMaintenanceActionsCommand.ts b/clients/client-rds/src/commands/DescribePendingMaintenanceActionsCommand.ts index 2ed27be0db33..e990d083a421 100644 --- a/clients/client-rds/src/commands/DescribePendingMaintenanceActionsCommand.ts +++ b/clients/client-rds/src/commands/DescribePendingMaintenanceActionsCommand.ts @@ -139,4 +139,16 @@ export class DescribePendingMaintenanceActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePendingMaintenanceActionsCommand) .de(de_DescribePendingMaintenanceActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePendingMaintenanceActionsMessage; + output: PendingMaintenanceActionsMessage; + }; + sdk: { + input: DescribePendingMaintenanceActionsCommandInput; + output: DescribePendingMaintenanceActionsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeReservedDBInstancesCommand.ts b/clients/client-rds/src/commands/DescribeReservedDBInstancesCommand.ts index 10eef81f8d48..fbc0b3dbc7c0 100644 --- a/clients/client-rds/src/commands/DescribeReservedDBInstancesCommand.ts +++ b/clients/client-rds/src/commands/DescribeReservedDBInstancesCommand.ts @@ -160,4 +160,16 @@ export class DescribeReservedDBInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedDBInstancesCommand) .de(de_DescribeReservedDBInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedDBInstancesMessage; + output: ReservedDBInstanceMessage; + }; + sdk: { + input: DescribeReservedDBInstancesCommandInput; + output: DescribeReservedDBInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeReservedDBInstancesOfferingsCommand.ts b/clients/client-rds/src/commands/DescribeReservedDBInstancesOfferingsCommand.ts index 020c28d6d43f..6b8e57a4229b 100644 --- a/clients/client-rds/src/commands/DescribeReservedDBInstancesOfferingsCommand.ts +++ b/clients/client-rds/src/commands/DescribeReservedDBInstancesOfferingsCommand.ts @@ -153,4 +153,16 @@ export class DescribeReservedDBInstancesOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedDBInstancesOfferingsCommand) .de(de_DescribeReservedDBInstancesOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedDBInstancesOfferingsMessage; + output: ReservedDBInstancesOfferingMessage; + }; + sdk: { + input: DescribeReservedDBInstancesOfferingsCommandInput; + output: DescribeReservedDBInstancesOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeSourceRegionsCommand.ts b/clients/client-rds/src/commands/DescribeSourceRegionsCommand.ts index 6d0f58ad7da7..4e4b5e0b08d1 100644 --- a/clients/client-rds/src/commands/DescribeSourceRegionsCommand.ts +++ b/clients/client-rds/src/commands/DescribeSourceRegionsCommand.ts @@ -245,4 +245,16 @@ export class DescribeSourceRegionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSourceRegionsCommand) .de(de_DescribeSourceRegionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSourceRegionsMessage; + output: SourceRegionMessage; + }; + sdk: { + input: DescribeSourceRegionsCommandInput; + output: DescribeSourceRegionsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeTenantDatabasesCommand.ts b/clients/client-rds/src/commands/DescribeTenantDatabasesCommand.ts index 90098c2a9551..d28f5e0b885b 100644 --- a/clients/client-rds/src/commands/DescribeTenantDatabasesCommand.ts +++ b/clients/client-rds/src/commands/DescribeTenantDatabasesCommand.ts @@ -122,4 +122,16 @@ export class DescribeTenantDatabasesCommand extends $Command .f(void 0, TenantDatabasesMessageFilterSensitiveLog) .ser(se_DescribeTenantDatabasesCommand) .de(de_DescribeTenantDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTenantDatabasesMessage; + output: TenantDatabasesMessage; + }; + sdk: { + input: DescribeTenantDatabasesCommandInput; + output: DescribeTenantDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DescribeValidDBInstanceModificationsCommand.ts b/clients/client-rds/src/commands/DescribeValidDBInstanceModificationsCommand.ts index a101c96ca55b..5a72ad81fe64 100644 --- a/clients/client-rds/src/commands/DescribeValidDBInstanceModificationsCommand.ts +++ b/clients/client-rds/src/commands/DescribeValidDBInstanceModificationsCommand.ts @@ -176,4 +176,16 @@ export class DescribeValidDBInstanceModificationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeValidDBInstanceModificationsCommand) .de(de_DescribeValidDBInstanceModificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeValidDBInstanceModificationsMessage; + output: DescribeValidDBInstanceModificationsResult; + }; + sdk: { + input: DescribeValidDBInstanceModificationsCommandInput; + output: DescribeValidDBInstanceModificationsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DisableHttpEndpointCommand.ts b/clients/client-rds/src/commands/DisableHttpEndpointCommand.ts index 7d79468ead00..a27d43c51c2e 100644 --- a/clients/client-rds/src/commands/DisableHttpEndpointCommand.ts +++ b/clients/client-rds/src/commands/DisableHttpEndpointCommand.ts @@ -90,4 +90,16 @@ export class DisableHttpEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DisableHttpEndpointCommand) .de(de_DisableHttpEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableHttpEndpointRequest; + output: DisableHttpEndpointResponse; + }; + sdk: { + input: DisableHttpEndpointCommandInput; + output: DisableHttpEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/DownloadDBLogFilePortionCommand.ts b/clients/client-rds/src/commands/DownloadDBLogFilePortionCommand.ts index da4e9b53a723..d76f3c22d8fe 100644 --- a/clients/client-rds/src/commands/DownloadDBLogFilePortionCommand.ts +++ b/clients/client-rds/src/commands/DownloadDBLogFilePortionCommand.ts @@ -103,4 +103,16 @@ export class DownloadDBLogFilePortionCommand extends $Command .f(void 0, void 0) .ser(se_DownloadDBLogFilePortionCommand) .de(de_DownloadDBLogFilePortionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DownloadDBLogFilePortionMessage; + output: DownloadDBLogFilePortionDetails; + }; + sdk: { + input: DownloadDBLogFilePortionCommandInput; + output: DownloadDBLogFilePortionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/EnableHttpEndpointCommand.ts b/clients/client-rds/src/commands/EnableHttpEndpointCommand.ts index bd47b86ad7be..e0b111339afd 100644 --- a/clients/client-rds/src/commands/EnableHttpEndpointCommand.ts +++ b/clients/client-rds/src/commands/EnableHttpEndpointCommand.ts @@ -94,4 +94,16 @@ export class EnableHttpEndpointCommand extends $Command .f(void 0, void 0) .ser(se_EnableHttpEndpointCommand) .de(de_EnableHttpEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableHttpEndpointRequest; + output: EnableHttpEndpointResponse; + }; + sdk: { + input: EnableHttpEndpointCommandInput; + output: EnableHttpEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/FailoverDBClusterCommand.ts b/clients/client-rds/src/commands/FailoverDBClusterCommand.ts index d7fe40bd33b2..5c97577be424 100644 --- a/clients/client-rds/src/commands/FailoverDBClusterCommand.ts +++ b/clients/client-rds/src/commands/FailoverDBClusterCommand.ts @@ -309,4 +309,16 @@ export class FailoverDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_FailoverDBClusterCommand) .de(de_FailoverDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverDBClusterMessage; + output: FailoverDBClusterResult; + }; + sdk: { + input: FailoverDBClusterCommandInput; + output: FailoverDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts b/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts index 634e60ebf32e..007b36ed53fe 100644 --- a/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/FailoverGlobalClusterCommand.ts @@ -162,4 +162,16 @@ export class FailoverGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_FailoverGlobalClusterCommand) .de(de_FailoverGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverGlobalClusterMessage; + output: FailoverGlobalClusterResult; + }; + sdk: { + input: FailoverGlobalClusterCommandInput; + output: FailoverGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ListTagsForResourceCommand.ts b/clients/client-rds/src/commands/ListTagsForResourceCommand.ts index 0609036e0800..543c4181b6ad 100644 --- a/clients/client-rds/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-rds/src/commands/ListTagsForResourceCommand.ts @@ -149,4 +149,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceMessage; + output: TagListMessage; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyActivityStreamCommand.ts b/clients/client-rds/src/commands/ModifyActivityStreamCommand.ts index bdf29a1b8cac..6eae21583726 100644 --- a/clients/client-rds/src/commands/ModifyActivityStreamCommand.ts +++ b/clients/client-rds/src/commands/ModifyActivityStreamCommand.ts @@ -97,4 +97,16 @@ export class ModifyActivityStreamCommand extends $Command .f(void 0, void 0) .ser(se_ModifyActivityStreamCommand) .de(de_ModifyActivityStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyActivityStreamRequest; + output: ModifyActivityStreamResponse; + }; + sdk: { + input: ModifyActivityStreamCommandInput; + output: ModifyActivityStreamCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyCertificatesCommand.ts b/clients/client-rds/src/commands/ModifyCertificatesCommand.ts index 932124326d78..2ce2e8c7aaff 100644 --- a/clients/client-rds/src/commands/ModifyCertificatesCommand.ts +++ b/clients/client-rds/src/commands/ModifyCertificatesCommand.ts @@ -141,4 +141,16 @@ export class ModifyCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCertificatesCommand) .de(de_ModifyCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCertificatesMessage; + output: ModifyCertificatesResult; + }; + sdk: { + input: ModifyCertificatesCommandInput; + output: ModifyCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyCurrentDBClusterCapacityCommand.ts b/clients/client-rds/src/commands/ModifyCurrentDBClusterCapacityCommand.ts index 6d92c2dd4a3e..0272842877cb 100644 --- a/clients/client-rds/src/commands/ModifyCurrentDBClusterCapacityCommand.ts +++ b/clients/client-rds/src/commands/ModifyCurrentDBClusterCapacityCommand.ts @@ -138,4 +138,16 @@ export class ModifyCurrentDBClusterCapacityCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCurrentDBClusterCapacityCommand) .de(de_ModifyCurrentDBClusterCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCurrentDBClusterCapacityMessage; + output: DBClusterCapacityInfo; + }; + sdk: { + input: ModifyCurrentDBClusterCapacityCommandInput; + output: ModifyCurrentDBClusterCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyCustomDBEngineVersionCommand.ts b/clients/client-rds/src/commands/ModifyCustomDBEngineVersionCommand.ts index 9879179f70c2..51d0a06bfad9 100644 --- a/clients/client-rds/src/commands/ModifyCustomDBEngineVersionCommand.ts +++ b/clients/client-rds/src/commands/ModifyCustomDBEngineVersionCommand.ts @@ -180,4 +180,16 @@ export class ModifyCustomDBEngineVersionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCustomDBEngineVersionCommand) .de(de_ModifyCustomDBEngineVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCustomDBEngineVersionMessage; + output: DBEngineVersion; + }; + sdk: { + input: ModifyCustomDBEngineVersionCommandInput; + output: ModifyCustomDBEngineVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBClusterCommand.ts b/clients/client-rds/src/commands/ModifyDBClusterCommand.ts index 8fff575f7807..8082d4d79f72 100644 --- a/clients/client-rds/src/commands/ModifyDBClusterCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBClusterCommand.ts @@ -459,4 +459,16 @@ export class ModifyDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterCommand) .de(de_ModifyDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterMessage; + output: ModifyDBClusterResult; + }; + sdk: { + input: ModifyDBClusterCommandInput; + output: ModifyDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBClusterEndpointCommand.ts b/clients/client-rds/src/commands/ModifyDBClusterEndpointCommand.ts index 9fa7d4278d61..e96e9677a22a 100644 --- a/clients/client-rds/src/commands/ModifyDBClusterEndpointCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBClusterEndpointCommand.ts @@ -151,4 +151,16 @@ export class ModifyDBClusterEndpointCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterEndpointCommand) .de(de_ModifyDBClusterEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterEndpointMessage; + output: DBClusterEndpoint; + }; + sdk: { + input: ModifyDBClusterEndpointCommandInput; + output: ModifyDBClusterEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBClusterParameterGroupCommand.ts b/clients/client-rds/src/commands/ModifyDBClusterParameterGroupCommand.ts index 70c921ec9bab..8742abb9b151 100644 --- a/clients/client-rds/src/commands/ModifyDBClusterParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBClusterParameterGroupCommand.ts @@ -162,4 +162,16 @@ export class ModifyDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterParameterGroupCommand) .de(de_ModifyDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterParameterGroupMessage; + output: DBClusterParameterGroupNameMessage; + }; + sdk: { + input: ModifyDBClusterParameterGroupCommandInput; + output: ModifyDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts b/clients/client-rds/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts index e8cfab8db77b..d1c2bf7536e9 100644 --- a/clients/client-rds/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBClusterSnapshotAttributeCommand.ts @@ -157,4 +157,16 @@ export class ModifyDBClusterSnapshotAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBClusterSnapshotAttributeCommand) .de(de_ModifyDBClusterSnapshotAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBClusterSnapshotAttributeMessage; + output: ModifyDBClusterSnapshotAttributeResult; + }; + sdk: { + input: ModifyDBClusterSnapshotAttributeCommandInput; + output: ModifyDBClusterSnapshotAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBInstanceCommand.ts b/clients/client-rds/src/commands/ModifyDBInstanceCommand.ts index b4eaf47a29d1..24c362010e7d 100644 --- a/clients/client-rds/src/commands/ModifyDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBInstanceCommand.ts @@ -507,4 +507,16 @@ export class ModifyDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBInstanceCommand) .de(de_ModifyDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBInstanceMessage; + output: ModifyDBInstanceResult; + }; + sdk: { + input: ModifyDBInstanceCommandInput; + output: ModifyDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBParameterGroupCommand.ts b/clients/client-rds/src/commands/ModifyDBParameterGroupCommand.ts index 0748340b00b8..919a7b2e023a 100644 --- a/clients/client-rds/src/commands/ModifyDBParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBParameterGroupCommand.ts @@ -140,4 +140,16 @@ export class ModifyDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBParameterGroupCommand) .de(de_ModifyDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBParameterGroupMessage; + output: DBParameterGroupNameMessage; + }; + sdk: { + input: ModifyDBParameterGroupCommandInput; + output: ModifyDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBProxyCommand.ts b/clients/client-rds/src/commands/ModifyDBProxyCommand.ts index d7812e30c3f8..2b3e202d5c34 100644 --- a/clients/client-rds/src/commands/ModifyDBProxyCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBProxyCommand.ts @@ -133,4 +133,16 @@ export class ModifyDBProxyCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBProxyCommand) .de(de_ModifyDBProxyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBProxyRequest; + output: ModifyDBProxyResponse; + }; + sdk: { + input: ModifyDBProxyCommandInput; + output: ModifyDBProxyCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBProxyEndpointCommand.ts b/clients/client-rds/src/commands/ModifyDBProxyEndpointCommand.ts index b3612e38d6b9..d13e81c9737d 100644 --- a/clients/client-rds/src/commands/ModifyDBProxyEndpointCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBProxyEndpointCommand.ts @@ -109,4 +109,16 @@ export class ModifyDBProxyEndpointCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBProxyEndpointCommand) .de(de_ModifyDBProxyEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBProxyEndpointRequest; + output: ModifyDBProxyEndpointResponse; + }; + sdk: { + input: ModifyDBProxyEndpointCommandInput; + output: ModifyDBProxyEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBProxyTargetGroupCommand.ts b/clients/client-rds/src/commands/ModifyDBProxyTargetGroupCommand.ts index 1ea54023b3ed..25580f4df0f3 100644 --- a/clients/client-rds/src/commands/ModifyDBProxyTargetGroupCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBProxyTargetGroupCommand.ts @@ -114,4 +114,16 @@ export class ModifyDBProxyTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBProxyTargetGroupCommand) .de(de_ModifyDBProxyTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBProxyTargetGroupRequest; + output: ModifyDBProxyTargetGroupResponse; + }; + sdk: { + input: ModifyDBProxyTargetGroupCommandInput; + output: ModifyDBProxyTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBRecommendationCommand.ts b/clients/client-rds/src/commands/ModifyDBRecommendationCommand.ts index 74d6a8679750..a77860e8c798 100644 --- a/clients/client-rds/src/commands/ModifyDBRecommendationCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBRecommendationCommand.ts @@ -201,4 +201,16 @@ export class ModifyDBRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBRecommendationCommand) .de(de_ModifyDBRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBRecommendationMessage; + output: DBRecommendationMessage; + }; + sdk: { + input: ModifyDBRecommendationCommandInput; + output: ModifyDBRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBShardGroupCommand.ts b/clients/client-rds/src/commands/ModifyDBShardGroupCommand.ts index 901c1bbf07bb..5c06c77f9aaa 100644 --- a/clients/client-rds/src/commands/ModifyDBShardGroupCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBShardGroupCommand.ts @@ -101,4 +101,16 @@ export class ModifyDBShardGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBShardGroupCommand) .de(de_ModifyDBShardGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBShardGroupMessage; + output: DBShardGroup; + }; + sdk: { + input: ModifyDBShardGroupCommandInput; + output: ModifyDBShardGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBSnapshotAttributeCommand.ts b/clients/client-rds/src/commands/ModifyDBSnapshotAttributeCommand.ts index 6287e368bbb3..ca28e110c492 100644 --- a/clients/client-rds/src/commands/ModifyDBSnapshotAttributeCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBSnapshotAttributeCommand.ts @@ -182,4 +182,16 @@ export class ModifyDBSnapshotAttributeCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBSnapshotAttributeCommand) .de(de_ModifyDBSnapshotAttributeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBSnapshotAttributeMessage; + output: ModifyDBSnapshotAttributeResult; + }; + sdk: { + input: ModifyDBSnapshotAttributeCommandInput; + output: ModifyDBSnapshotAttributeCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBSnapshotCommand.ts b/clients/client-rds/src/commands/ModifyDBSnapshotCommand.ts index dec5cdf81f01..51eb806490cd 100644 --- a/clients/client-rds/src/commands/ModifyDBSnapshotCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBSnapshotCommand.ts @@ -175,4 +175,16 @@ export class ModifyDBSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBSnapshotCommand) .de(de_ModifyDBSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBSnapshotMessage; + output: ModifyDBSnapshotResult; + }; + sdk: { + input: ModifyDBSnapshotCommandInput; + output: ModifyDBSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyDBSubnetGroupCommand.ts b/clients/client-rds/src/commands/ModifyDBSubnetGroupCommand.ts index 03006ff253e7..cfa469b1cb69 100644 --- a/clients/client-rds/src/commands/ModifyDBSubnetGroupCommand.ts +++ b/clients/client-rds/src/commands/ModifyDBSubnetGroupCommand.ts @@ -178,4 +178,16 @@ export class ModifyDBSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDBSubnetGroupCommand) .de(de_ModifyDBSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDBSubnetGroupMessage; + output: ModifyDBSubnetGroupResult; + }; + sdk: { + input: ModifyDBSubnetGroupCommandInput; + output: ModifyDBSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyEventSubscriptionCommand.ts b/clients/client-rds/src/commands/ModifyEventSubscriptionCommand.ts index 2db869e775e4..eec6c6321286 100644 --- a/clients/client-rds/src/commands/ModifyEventSubscriptionCommand.ts +++ b/clients/client-rds/src/commands/ModifyEventSubscriptionCommand.ts @@ -150,4 +150,16 @@ export class ModifyEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyEventSubscriptionCommand) .de(de_ModifyEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEventSubscriptionMessage; + output: ModifyEventSubscriptionResult; + }; + sdk: { + input: ModifyEventSubscriptionCommandInput; + output: ModifyEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts b/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts index cc93437320d6..868d94c7c8b6 100644 --- a/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/ModifyGlobalClusterCommand.ts @@ -160,4 +160,16 @@ export class ModifyGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_ModifyGlobalClusterCommand) .de(de_ModifyGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyGlobalClusterMessage; + output: ModifyGlobalClusterResult; + }; + sdk: { + input: ModifyGlobalClusterCommandInput; + output: ModifyGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyIntegrationCommand.ts b/clients/client-rds/src/commands/ModifyIntegrationCommand.ts index 25c78ab8ebab..1403058ff1af 100644 --- a/clients/client-rds/src/commands/ModifyIntegrationCommand.ts +++ b/clients/client-rds/src/commands/ModifyIntegrationCommand.ts @@ -143,4 +143,16 @@ export class ModifyIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyIntegrationCommand) .de(de_ModifyIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyIntegrationMessage; + output: Integration; + }; + sdk: { + input: ModifyIntegrationCommandInput; + output: ModifyIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyOptionGroupCommand.ts b/clients/client-rds/src/commands/ModifyOptionGroupCommand.ts index beb0122b2d9e..cc4ba938f5d7 100644 --- a/clients/client-rds/src/commands/ModifyOptionGroupCommand.ts +++ b/clients/client-rds/src/commands/ModifyOptionGroupCommand.ts @@ -184,4 +184,16 @@ export class ModifyOptionGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyOptionGroupCommand) .de(de_ModifyOptionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyOptionGroupMessage; + output: ModifyOptionGroupResult; + }; + sdk: { + input: ModifyOptionGroupCommandInput; + output: ModifyOptionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ModifyTenantDatabaseCommand.ts b/clients/client-rds/src/commands/ModifyTenantDatabaseCommand.ts index 4f0da57f6d21..951d9e87015e 100644 --- a/clients/client-rds/src/commands/ModifyTenantDatabaseCommand.ts +++ b/clients/client-rds/src/commands/ModifyTenantDatabaseCommand.ts @@ -123,4 +123,16 @@ export class ModifyTenantDatabaseCommand extends $Command .f(ModifyTenantDatabaseMessageFilterSensitiveLog, ModifyTenantDatabaseResultFilterSensitiveLog) .ser(se_ModifyTenantDatabaseCommand) .de(de_ModifyTenantDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyTenantDatabaseMessage; + output: ModifyTenantDatabaseResult; + }; + sdk: { + input: ModifyTenantDatabaseCommandInput; + output: ModifyTenantDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/PromoteReadReplicaCommand.ts b/clients/client-rds/src/commands/PromoteReadReplicaCommand.ts index 8ae1c898fdec..a99847aaa97e 100644 --- a/clients/client-rds/src/commands/PromoteReadReplicaCommand.ts +++ b/clients/client-rds/src/commands/PromoteReadReplicaCommand.ts @@ -347,4 +347,16 @@ export class PromoteReadReplicaCommand extends $Command .f(void 0, void 0) .ser(se_PromoteReadReplicaCommand) .de(de_PromoteReadReplicaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PromoteReadReplicaMessage; + output: PromoteReadReplicaResult; + }; + sdk: { + input: PromoteReadReplicaCommandInput; + output: PromoteReadReplicaCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/PromoteReadReplicaDBClusterCommand.ts b/clients/client-rds/src/commands/PromoteReadReplicaDBClusterCommand.ts index e4d8cdab815b..df58d7ae48f5 100644 --- a/clients/client-rds/src/commands/PromoteReadReplicaDBClusterCommand.ts +++ b/clients/client-rds/src/commands/PromoteReadReplicaDBClusterCommand.ts @@ -270,4 +270,16 @@ export class PromoteReadReplicaDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_PromoteReadReplicaDBClusterCommand) .de(de_PromoteReadReplicaDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PromoteReadReplicaDBClusterMessage; + output: PromoteReadReplicaDBClusterResult; + }; + sdk: { + input: PromoteReadReplicaDBClusterCommandInput; + output: PromoteReadReplicaDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/PurchaseReservedDBInstancesOfferingCommand.ts b/clients/client-rds/src/commands/PurchaseReservedDBInstancesOfferingCommand.ts index c99cb9677f4f..a0b83ce8abd1 100644 --- a/clients/client-rds/src/commands/PurchaseReservedDBInstancesOfferingCommand.ts +++ b/clients/client-rds/src/commands/PurchaseReservedDBInstancesOfferingCommand.ts @@ -162,4 +162,16 @@ export class PurchaseReservedDBInstancesOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseReservedDBInstancesOfferingCommand) .de(de_PurchaseReservedDBInstancesOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseReservedDBInstancesOfferingMessage; + output: PurchaseReservedDBInstancesOfferingResult; + }; + sdk: { + input: PurchaseReservedDBInstancesOfferingCommandInput; + output: PurchaseReservedDBInstancesOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RebootDBClusterCommand.ts b/clients/client-rds/src/commands/RebootDBClusterCommand.ts index a2808c462540..61c301675376 100644 --- a/clients/client-rds/src/commands/RebootDBClusterCommand.ts +++ b/clients/client-rds/src/commands/RebootDBClusterCommand.ts @@ -283,4 +283,16 @@ export class RebootDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_RebootDBClusterCommand) .de(de_RebootDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootDBClusterMessage; + output: RebootDBClusterResult; + }; + sdk: { + input: RebootDBClusterCommandInput; + output: RebootDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RebootDBInstanceCommand.ts b/clients/client-rds/src/commands/RebootDBInstanceCommand.ts index 62601117ad53..c2e3ae7a2dee 100644 --- a/clients/client-rds/src/commands/RebootDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/RebootDBInstanceCommand.ts @@ -344,4 +344,16 @@ export class RebootDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RebootDBInstanceCommand) .de(de_RebootDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootDBInstanceMessage; + output: RebootDBInstanceResult; + }; + sdk: { + input: RebootDBInstanceCommandInput; + output: RebootDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RebootDBShardGroupCommand.ts b/clients/client-rds/src/commands/RebootDBShardGroupCommand.ts index ece354a5cea5..f17cc4747aa0 100644 --- a/clients/client-rds/src/commands/RebootDBShardGroupCommand.ts +++ b/clients/client-rds/src/commands/RebootDBShardGroupCommand.ts @@ -94,4 +94,16 @@ export class RebootDBShardGroupCommand extends $Command .f(void 0, void 0) .ser(se_RebootDBShardGroupCommand) .de(de_RebootDBShardGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootDBShardGroupMessage; + output: DBShardGroup; + }; + sdk: { + input: RebootDBShardGroupCommandInput; + output: RebootDBShardGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RegisterDBProxyTargetsCommand.ts b/clients/client-rds/src/commands/RegisterDBProxyTargetsCommand.ts index 5fdfe9caeb6c..bc9bc322c68b 100644 --- a/clients/client-rds/src/commands/RegisterDBProxyTargetsCommand.ts +++ b/clients/client-rds/src/commands/RegisterDBProxyTargetsCommand.ts @@ -130,4 +130,16 @@ export class RegisterDBProxyTargetsCommand extends $Command .f(void 0, void 0) .ser(se_RegisterDBProxyTargetsCommand) .de(de_RegisterDBProxyTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDBProxyTargetsRequest; + output: RegisterDBProxyTargetsResponse; + }; + sdk: { + input: RegisterDBProxyTargetsCommandInput; + output: RegisterDBProxyTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts b/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts index b976f6e6f60e..7be268bb3dba 100644 --- a/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/RemoveFromGlobalClusterCommand.ts @@ -168,4 +168,16 @@ export class RemoveFromGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_RemoveFromGlobalClusterCommand) .de(de_RemoveFromGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveFromGlobalClusterMessage; + output: RemoveFromGlobalClusterResult; + }; + sdk: { + input: RemoveFromGlobalClusterCommandInput; + output: RemoveFromGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RemoveRoleFromDBClusterCommand.ts b/clients/client-rds/src/commands/RemoveRoleFromDBClusterCommand.ts index 55e86cd0faa2..b6a9ea816612 100644 --- a/clients/client-rds/src/commands/RemoveRoleFromDBClusterCommand.ts +++ b/clients/client-rds/src/commands/RemoveRoleFromDBClusterCommand.ts @@ -107,4 +107,16 @@ export class RemoveRoleFromDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_RemoveRoleFromDBClusterCommand) .de(de_RemoveRoleFromDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveRoleFromDBClusterMessage; + output: {}; + }; + sdk: { + input: RemoveRoleFromDBClusterCommandInput; + output: RemoveRoleFromDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RemoveRoleFromDBInstanceCommand.ts b/clients/client-rds/src/commands/RemoveRoleFromDBInstanceCommand.ts index 0a61c4a94950..2e2eb639dd85 100644 --- a/clients/client-rds/src/commands/RemoveRoleFromDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/RemoveRoleFromDBInstanceCommand.ts @@ -88,4 +88,16 @@ export class RemoveRoleFromDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveRoleFromDBInstanceCommand) .de(de_RemoveRoleFromDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveRoleFromDBInstanceMessage; + output: {}; + }; + sdk: { + input: RemoveRoleFromDBInstanceCommandInput; + output: RemoveRoleFromDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts b/clients/client-rds/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts index a2290e5e4785..7b40dce60671 100644 --- a/clients/client-rds/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts +++ b/clients/client-rds/src/commands/RemoveSourceIdentifierFromSubscriptionCommand.ts @@ -141,4 +141,16 @@ export class RemoveSourceIdentifierFromSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveSourceIdentifierFromSubscriptionCommand) .de(de_RemoveSourceIdentifierFromSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveSourceIdentifierFromSubscriptionMessage; + output: RemoveSourceIdentifierFromSubscriptionResult; + }; + sdk: { + input: RemoveSourceIdentifierFromSubscriptionCommandInput; + output: RemoveSourceIdentifierFromSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts index add7f8ad4efa..d3db8df126e8 100644 --- a/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-rds/src/commands/RemoveTagsFromResourceCommand.ts @@ -127,4 +127,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceMessage; + output: {}; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ResetDBClusterParameterGroupCommand.ts b/clients/client-rds/src/commands/ResetDBClusterParameterGroupCommand.ts index 97c354e6b93b..29e62f79fd0b 100644 --- a/clients/client-rds/src/commands/ResetDBClusterParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/ResetDBClusterParameterGroupCommand.ts @@ -139,4 +139,16 @@ export class ResetDBClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetDBClusterParameterGroupCommand) .de(de_ResetDBClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetDBClusterParameterGroupMessage; + output: DBClusterParameterGroupNameMessage; + }; + sdk: { + input: ResetDBClusterParameterGroupCommandInput; + output: ResetDBClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/ResetDBParameterGroupCommand.ts b/clients/client-rds/src/commands/ResetDBParameterGroupCommand.ts index bc0b1c9ea90e..0fa17f63d719 100644 --- a/clients/client-rds/src/commands/ResetDBParameterGroupCommand.ts +++ b/clients/client-rds/src/commands/ResetDBParameterGroupCommand.ts @@ -129,4 +129,16 @@ export class ResetDBParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetDBParameterGroupCommand) .de(de_ResetDBParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetDBParameterGroupMessage; + output: DBParameterGroupNameMessage; + }; + sdk: { + input: ResetDBParameterGroupCommandInput; + output: ResetDBParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RestoreDBClusterFromS3Command.ts b/clients/client-rds/src/commands/RestoreDBClusterFromS3Command.ts index 671b0ce8c8f6..47e314a25f9f 100644 --- a/clients/client-rds/src/commands/RestoreDBClusterFromS3Command.ts +++ b/clients/client-rds/src/commands/RestoreDBClusterFromS3Command.ts @@ -452,4 +452,16 @@ export class RestoreDBClusterFromS3Command extends $Command .f(void 0, void 0) .ser(se_RestoreDBClusterFromS3Command) .de(de_RestoreDBClusterFromS3Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBClusterFromS3Message; + output: RestoreDBClusterFromS3Result; + }; + sdk: { + input: RestoreDBClusterFromS3CommandInput; + output: RestoreDBClusterFromS3CommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RestoreDBClusterFromSnapshotCommand.ts b/clients/client-rds/src/commands/RestoreDBClusterFromSnapshotCommand.ts index c7ef1fdb2a64..76aafc5fc5ad 100644 --- a/clients/client-rds/src/commands/RestoreDBClusterFromSnapshotCommand.ts +++ b/clients/client-rds/src/commands/RestoreDBClusterFromSnapshotCommand.ts @@ -472,4 +472,16 @@ export class RestoreDBClusterFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBClusterFromSnapshotCommand) .de(de_RestoreDBClusterFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBClusterFromSnapshotMessage; + output: RestoreDBClusterFromSnapshotResult; + }; + sdk: { + input: RestoreDBClusterFromSnapshotCommandInput; + output: RestoreDBClusterFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RestoreDBClusterToPointInTimeCommand.ts b/clients/client-rds/src/commands/RestoreDBClusterToPointInTimeCommand.ts index 93f5ea4ec3e3..35fa3f5dc02c 100644 --- a/clients/client-rds/src/commands/RestoreDBClusterToPointInTimeCommand.ts +++ b/clients/client-rds/src/commands/RestoreDBClusterToPointInTimeCommand.ts @@ -474,4 +474,16 @@ export class RestoreDBClusterToPointInTimeCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBClusterToPointInTimeCommand) .de(de_RestoreDBClusterToPointInTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBClusterToPointInTimeMessage; + output: RestoreDBClusterToPointInTimeResult; + }; + sdk: { + input: RestoreDBClusterToPointInTimeCommandInput; + output: RestoreDBClusterToPointInTimeCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts b/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts index 67ad808de7cd..f0915e5a1649 100644 --- a/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts +++ b/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts @@ -498,4 +498,16 @@ export class RestoreDBInstanceFromDBSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBInstanceFromDBSnapshotCommand) .de(de_RestoreDBInstanceFromDBSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBInstanceFromDBSnapshotMessage; + output: RestoreDBInstanceFromDBSnapshotResult; + }; + sdk: { + input: RestoreDBInstanceFromDBSnapshotCommandInput; + output: RestoreDBInstanceFromDBSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RestoreDBInstanceFromS3Command.ts b/clients/client-rds/src/commands/RestoreDBInstanceFromS3Command.ts index bdf25f300fe4..a2d041969b5a 100644 --- a/clients/client-rds/src/commands/RestoreDBInstanceFromS3Command.ts +++ b/clients/client-rds/src/commands/RestoreDBInstanceFromS3Command.ts @@ -444,4 +444,16 @@ export class RestoreDBInstanceFromS3Command extends $Command .f(void 0, void 0) .ser(se_RestoreDBInstanceFromS3Command) .de(de_RestoreDBInstanceFromS3Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBInstanceFromS3Message; + output: RestoreDBInstanceFromS3Result; + }; + sdk: { + input: RestoreDBInstanceFromS3CommandInput; + output: RestoreDBInstanceFromS3CommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RestoreDBInstanceToPointInTimeCommand.ts b/clients/client-rds/src/commands/RestoreDBInstanceToPointInTimeCommand.ts index 2fcfe33330dc..535d6ff0e2d5 100644 --- a/clients/client-rds/src/commands/RestoreDBInstanceToPointInTimeCommand.ts +++ b/clients/client-rds/src/commands/RestoreDBInstanceToPointInTimeCommand.ts @@ -562,4 +562,16 @@ export class RestoreDBInstanceToPointInTimeCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDBInstanceToPointInTimeCommand) .de(de_RestoreDBInstanceToPointInTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDBInstanceToPointInTimeMessage; + output: RestoreDBInstanceToPointInTimeResult; + }; + sdk: { + input: RestoreDBInstanceToPointInTimeCommandInput; + output: RestoreDBInstanceToPointInTimeCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/RevokeDBSecurityGroupIngressCommand.ts b/clients/client-rds/src/commands/RevokeDBSecurityGroupIngressCommand.ts index 14a034748a54..2686ac628497 100644 --- a/clients/client-rds/src/commands/RevokeDBSecurityGroupIngressCommand.ts +++ b/clients/client-rds/src/commands/RevokeDBSecurityGroupIngressCommand.ts @@ -142,4 +142,16 @@ export class RevokeDBSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_RevokeDBSecurityGroupIngressCommand) .de(de_RevokeDBSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeDBSecurityGroupIngressMessage; + output: RevokeDBSecurityGroupIngressResult; + }; + sdk: { + input: RevokeDBSecurityGroupIngressCommandInput; + output: RevokeDBSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StartActivityStreamCommand.ts b/clients/client-rds/src/commands/StartActivityStreamCommand.ts index 6b536e989b85..9a9adb5f8d73 100644 --- a/clients/client-rds/src/commands/StartActivityStreamCommand.ts +++ b/clients/client-rds/src/commands/StartActivityStreamCommand.ts @@ -136,4 +136,16 @@ export class StartActivityStreamCommand extends $Command .f(void 0, void 0) .ser(se_StartActivityStreamCommand) .de(de_StartActivityStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartActivityStreamRequest; + output: StartActivityStreamResponse; + }; + sdk: { + input: StartActivityStreamCommandInput; + output: StartActivityStreamCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StartDBClusterCommand.ts b/clients/client-rds/src/commands/StartDBClusterCommand.ts index 77c22c9b4bee..1d9c4fdc37d1 100644 --- a/clients/client-rds/src/commands/StartDBClusterCommand.ts +++ b/clients/client-rds/src/commands/StartDBClusterCommand.ts @@ -306,4 +306,16 @@ export class StartDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_StartDBClusterCommand) .de(de_StartDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDBClusterMessage; + output: StartDBClusterResult; + }; + sdk: { + input: StartDBClusterCommandInput; + output: StartDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StartDBInstanceAutomatedBackupsReplicationCommand.ts b/clients/client-rds/src/commands/StartDBInstanceAutomatedBackupsReplicationCommand.ts index fc725c377df1..49d047568ecc 100644 --- a/clients/client-rds/src/commands/StartDBInstanceAutomatedBackupsReplicationCommand.ts +++ b/clients/client-rds/src/commands/StartDBInstanceAutomatedBackupsReplicationCommand.ts @@ -189,4 +189,16 @@ export class StartDBInstanceAutomatedBackupsReplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartDBInstanceAutomatedBackupsReplicationCommand) .de(de_StartDBInstanceAutomatedBackupsReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDBInstanceAutomatedBackupsReplicationMessage; + output: StartDBInstanceAutomatedBackupsReplicationResult; + }; + sdk: { + input: StartDBInstanceAutomatedBackupsReplicationCommandInput; + output: StartDBInstanceAutomatedBackupsReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StartDBInstanceCommand.ts b/clients/client-rds/src/commands/StartDBInstanceCommand.ts index 91f85137be73..b1e192003ed2 100644 --- a/clients/client-rds/src/commands/StartDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/StartDBInstanceCommand.ts @@ -368,4 +368,16 @@ export class StartDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StartDBInstanceCommand) .de(de_StartDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDBInstanceMessage; + output: StartDBInstanceResult; + }; + sdk: { + input: StartDBInstanceCommandInput; + output: StartDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StartExportTaskCommand.ts b/clients/client-rds/src/commands/StartExportTaskCommand.ts index 7f0c7c59cfd2..ec1e25028d89 100644 --- a/clients/client-rds/src/commands/StartExportTaskCommand.ts +++ b/clients/client-rds/src/commands/StartExportTaskCommand.ts @@ -175,4 +175,16 @@ export class StartExportTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartExportTaskCommand) .de(de_StartExportTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExportTaskMessage; + output: ExportTask; + }; + sdk: { + input: StartExportTaskCommandInput; + output: StartExportTaskCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StopActivityStreamCommand.ts b/clients/client-rds/src/commands/StopActivityStreamCommand.ts index b4423a4ff79c..b5368bb1ebad 100644 --- a/clients/client-rds/src/commands/StopActivityStreamCommand.ts +++ b/clients/client-rds/src/commands/StopActivityStreamCommand.ts @@ -124,4 +124,16 @@ export class StopActivityStreamCommand extends $Command .f(void 0, void 0) .ser(se_StopActivityStreamCommand) .de(de_StopActivityStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopActivityStreamRequest; + output: StopActivityStreamResponse; + }; + sdk: { + input: StopActivityStreamCommandInput; + output: StopActivityStreamCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StopDBClusterCommand.ts b/clients/client-rds/src/commands/StopDBClusterCommand.ts index 825e33f6910f..9b053079d569 100644 --- a/clients/client-rds/src/commands/StopDBClusterCommand.ts +++ b/clients/client-rds/src/commands/StopDBClusterCommand.ts @@ -307,4 +307,16 @@ export class StopDBClusterCommand extends $Command .f(void 0, void 0) .ser(se_StopDBClusterCommand) .de(de_StopDBClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDBClusterMessage; + output: StopDBClusterResult; + }; + sdk: { + input: StopDBClusterCommandInput; + output: StopDBClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StopDBInstanceAutomatedBackupsReplicationCommand.ts b/clients/client-rds/src/commands/StopDBInstanceAutomatedBackupsReplicationCommand.ts index 5d5848ee2d68..1df24171bb9f 100644 --- a/clients/client-rds/src/commands/StopDBInstanceAutomatedBackupsReplicationCommand.ts +++ b/clients/client-rds/src/commands/StopDBInstanceAutomatedBackupsReplicationCommand.ts @@ -175,4 +175,16 @@ export class StopDBInstanceAutomatedBackupsReplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopDBInstanceAutomatedBackupsReplicationCommand) .de(de_StopDBInstanceAutomatedBackupsReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDBInstanceAutomatedBackupsReplicationMessage; + output: StopDBInstanceAutomatedBackupsReplicationResult; + }; + sdk: { + input: StopDBInstanceAutomatedBackupsReplicationCommandInput; + output: StopDBInstanceAutomatedBackupsReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/StopDBInstanceCommand.ts b/clients/client-rds/src/commands/StopDBInstanceCommand.ts index fd102797572b..68c8f8dc3514 100644 --- a/clients/client-rds/src/commands/StopDBInstanceCommand.ts +++ b/clients/client-rds/src/commands/StopDBInstanceCommand.ts @@ -348,4 +348,16 @@ export class StopDBInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StopDBInstanceCommand) .de(de_StopDBInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDBInstanceMessage; + output: StopDBInstanceResult; + }; + sdk: { + input: StopDBInstanceCommandInput; + output: StopDBInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/SwitchoverBlueGreenDeploymentCommand.ts b/clients/client-rds/src/commands/SwitchoverBlueGreenDeploymentCommand.ts index 0f86dee1bdaf..96f3977c72e7 100644 --- a/clients/client-rds/src/commands/SwitchoverBlueGreenDeploymentCommand.ts +++ b/clients/client-rds/src/commands/SwitchoverBlueGreenDeploymentCommand.ts @@ -264,4 +264,16 @@ export class SwitchoverBlueGreenDeploymentCommand extends $Command .f(void 0, void 0) .ser(se_SwitchoverBlueGreenDeploymentCommand) .de(de_SwitchoverBlueGreenDeploymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SwitchoverBlueGreenDeploymentRequest; + output: SwitchoverBlueGreenDeploymentResponse; + }; + sdk: { + input: SwitchoverBlueGreenDeploymentCommandInput; + output: SwitchoverBlueGreenDeploymentCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts b/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts index 592bf045429d..bb4b1a7dda34 100644 --- a/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts +++ b/clients/client-rds/src/commands/SwitchoverGlobalClusterCommand.ts @@ -135,4 +135,16 @@ export class SwitchoverGlobalClusterCommand extends $Command .f(void 0, void 0) .ser(se_SwitchoverGlobalClusterCommand) .de(de_SwitchoverGlobalClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SwitchoverGlobalClusterMessage; + output: SwitchoverGlobalClusterResult; + }; + sdk: { + input: SwitchoverGlobalClusterCommandInput; + output: SwitchoverGlobalClusterCommandOutput; + }; + }; +} diff --git a/clients/client-rds/src/commands/SwitchoverReadReplicaCommand.ts b/clients/client-rds/src/commands/SwitchoverReadReplicaCommand.ts index 9b22ef11ddc8..acd08a727140 100644 --- a/clients/client-rds/src/commands/SwitchoverReadReplicaCommand.ts +++ b/clients/client-rds/src/commands/SwitchoverReadReplicaCommand.ts @@ -308,4 +308,16 @@ export class SwitchoverReadReplicaCommand extends $Command .f(void 0, void 0) .ser(se_SwitchoverReadReplicaCommand) .de(de_SwitchoverReadReplicaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SwitchoverReadReplicaMessage; + output: SwitchoverReadReplicaResult; + }; + sdk: { + input: SwitchoverReadReplicaCommandInput; + output: SwitchoverReadReplicaCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/package.json b/clients/client-redshift-data/package.json index 7577eda9c4a3..3519dd050b39 100644 --- a/clients/client-redshift-data/package.json +++ b/clients/client-redshift-data/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-redshift-data/src/commands/BatchExecuteStatementCommand.ts b/clients/client-redshift-data/src/commands/BatchExecuteStatementCommand.ts index d64997302c1a..342067d35458 100644 --- a/clients/client-redshift-data/src/commands/BatchExecuteStatementCommand.ts +++ b/clients/client-redshift-data/src/commands/BatchExecuteStatementCommand.ts @@ -150,4 +150,16 @@ export class BatchExecuteStatementCommand extends $Command .f(void 0, void 0) .ser(se_BatchExecuteStatementCommand) .de(de_BatchExecuteStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchExecuteStatementInput; + output: BatchExecuteStatementOutput; + }; + sdk: { + input: BatchExecuteStatementCommandInput; + output: BatchExecuteStatementCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/CancelStatementCommand.ts b/clients/client-redshift-data/src/commands/CancelStatementCommand.ts index 1a3a83fd29a1..21c763c2ea3e 100644 --- a/clients/client-redshift-data/src/commands/CancelStatementCommand.ts +++ b/clients/client-redshift-data/src/commands/CancelStatementCommand.ts @@ -92,4 +92,16 @@ export class CancelStatementCommand extends $Command .f(void 0, void 0) .ser(se_CancelStatementCommand) .de(de_CancelStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelStatementRequest; + output: CancelStatementResponse; + }; + sdk: { + input: CancelStatementCommandInput; + output: CancelStatementCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/DescribeStatementCommand.ts b/clients/client-redshift-data/src/commands/DescribeStatementCommand.ts index c745d9cf88a6..7f9c1cb6d587 100644 --- a/clients/client-redshift-data/src/commands/DescribeStatementCommand.ts +++ b/clients/client-redshift-data/src/commands/DescribeStatementCommand.ts @@ -129,4 +129,16 @@ export class DescribeStatementCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStatementCommand) .de(de_DescribeStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStatementRequest; + output: DescribeStatementResponse; + }; + sdk: { + input: DescribeStatementCommandInput; + output: DescribeStatementCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/DescribeTableCommand.ts b/clients/client-redshift-data/src/commands/DescribeTableCommand.ts index 7ba232f7e519..e47c9225da0f 100644 --- a/clients/client-redshift-data/src/commands/DescribeTableCommand.ts +++ b/clients/client-redshift-data/src/commands/DescribeTableCommand.ts @@ -153,4 +153,16 @@ export class DescribeTableCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTableCommand) .de(de_DescribeTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTableRequest; + output: DescribeTableResponse; + }; + sdk: { + input: DescribeTableCommandInput; + output: DescribeTableCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/ExecuteStatementCommand.ts b/clients/client-redshift-data/src/commands/ExecuteStatementCommand.ts index f2c69a77d094..8a78fbe4d818 100644 --- a/clients/client-redshift-data/src/commands/ExecuteStatementCommand.ts +++ b/clients/client-redshift-data/src/commands/ExecuteStatementCommand.ts @@ -154,4 +154,16 @@ export class ExecuteStatementCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteStatementCommand) .de(de_ExecuteStatementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteStatementInput; + output: ExecuteStatementOutput; + }; + sdk: { + input: ExecuteStatementCommandInput; + output: ExecuteStatementCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/GetStatementResultCommand.ts b/clients/client-redshift-data/src/commands/GetStatementResultCommand.ts index 3152569d0cff..e3b8c0c6b737 100644 --- a/clients/client-redshift-data/src/commands/GetStatementResultCommand.ts +++ b/clients/client-redshift-data/src/commands/GetStatementResultCommand.ts @@ -121,4 +121,16 @@ export class GetStatementResultCommand extends $Command .f(void 0, void 0) .ser(se_GetStatementResultCommand) .de(de_GetStatementResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStatementResultRequest; + output: GetStatementResultResponse; + }; + sdk: { + input: GetStatementResultCommandInput; + output: GetStatementResultCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/ListDatabasesCommand.ts b/clients/client-redshift-data/src/commands/ListDatabasesCommand.ts index aef4796c9cc9..1ac689389851 100644 --- a/clients/client-redshift-data/src/commands/ListDatabasesCommand.ts +++ b/clients/client-redshift-data/src/commands/ListDatabasesCommand.ts @@ -134,4 +134,16 @@ export class ListDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_ListDatabasesCommand) .de(de_ListDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatabasesRequest; + output: ListDatabasesResponse; + }; + sdk: { + input: ListDatabasesCommandInput; + output: ListDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/ListSchemasCommand.ts b/clients/client-redshift-data/src/commands/ListSchemasCommand.ts index 39cdd6058deb..e93cf5b79e02 100644 --- a/clients/client-redshift-data/src/commands/ListSchemasCommand.ts +++ b/clients/client-redshift-data/src/commands/ListSchemasCommand.ts @@ -136,4 +136,16 @@ export class ListSchemasCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemasCommand) .de(de_ListSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemasRequest; + output: ListSchemasResponse; + }; + sdk: { + input: ListSchemasCommandInput; + output: ListSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/ListStatementsCommand.ts b/clients/client-redshift-data/src/commands/ListStatementsCommand.ts index 7d0832456849..2598d5610b96 100644 --- a/clients/client-redshift-data/src/commands/ListStatementsCommand.ts +++ b/clients/client-redshift-data/src/commands/ListStatementsCommand.ts @@ -113,4 +113,16 @@ export class ListStatementsCommand extends $Command .f(void 0, void 0) .ser(se_ListStatementsCommand) .de(de_ListStatementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStatementsRequest; + output: ListStatementsResponse; + }; + sdk: { + input: ListStatementsCommandInput; + output: ListStatementsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-data/src/commands/ListTablesCommand.ts b/clients/client-redshift-data/src/commands/ListTablesCommand.ts index 03763656335a..5047e24bec66 100644 --- a/clients/client-redshift-data/src/commands/ListTablesCommand.ts +++ b/clients/client-redshift-data/src/commands/ListTablesCommand.ts @@ -142,4 +142,16 @@ export class ListTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListTablesCommand) .de(de_ListTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTablesRequest; + output: ListTablesResponse; + }; + sdk: { + input: ListTablesCommandInput; + output: ListTablesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/package.json b/clients/client-redshift-serverless/package.json index 13a1986a4c44..3fd71f464da8 100644 --- a/clients/client-redshift-serverless/package.json +++ b/clients/client-redshift-serverless/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-redshift-serverless/src/commands/ConvertRecoveryPointToSnapshotCommand.ts b/clients/client-redshift-serverless/src/commands/ConvertRecoveryPointToSnapshotCommand.ts index af455a3c502f..4dba058749a7 100644 --- a/clients/client-redshift-serverless/src/commands/ConvertRecoveryPointToSnapshotCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ConvertRecoveryPointToSnapshotCommand.ts @@ -140,4 +140,16 @@ export class ConvertRecoveryPointToSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_ConvertRecoveryPointToSnapshotCommand) .de(de_ConvertRecoveryPointToSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConvertRecoveryPointToSnapshotRequest; + output: ConvertRecoveryPointToSnapshotResponse; + }; + sdk: { + input: ConvertRecoveryPointToSnapshotCommandInput; + output: ConvertRecoveryPointToSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateCustomDomainAssociationCommand.ts b/clients/client-redshift-serverless/src/commands/CreateCustomDomainAssociationCommand.ts index 2e145dffa41e..885311669198 100644 --- a/clients/client-redshift-serverless/src/commands/CreateCustomDomainAssociationCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateCustomDomainAssociationCommand.ts @@ -109,4 +109,16 @@ export class CreateCustomDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomDomainAssociationCommand) .de(de_CreateCustomDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomDomainAssociationRequest; + output: CreateCustomDomainAssociationResponse; + }; + sdk: { + input: CreateCustomDomainAssociationCommandInput; + output: CreateCustomDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateEndpointAccessCommand.ts b/clients/client-redshift-serverless/src/commands/CreateEndpointAccessCommand.ts index 3950c9d1f709..21762bd49387 100644 --- a/clients/client-redshift-serverless/src/commands/CreateEndpointAccessCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateEndpointAccessCommand.ts @@ -137,4 +137,16 @@ export class CreateEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointAccessCommand) .de(de_CreateEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointAccessRequest; + output: CreateEndpointAccessResponse; + }; + sdk: { + input: CreateEndpointAccessCommandInput; + output: CreateEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateNamespaceCommand.ts b/clients/client-redshift-serverless/src/commands/CreateNamespaceCommand.ts index 0c80a2968ce8..74d31ea0d88c 100644 --- a/clients/client-redshift-serverless/src/commands/CreateNamespaceCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateNamespaceCommand.ts @@ -136,4 +136,16 @@ export class CreateNamespaceCommand extends $Command .f(CreateNamespaceRequestFilterSensitiveLog, CreateNamespaceResponseFilterSensitiveLog) .ser(se_CreateNamespaceCommand) .de(de_CreateNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNamespaceRequest; + output: CreateNamespaceResponse; + }; + sdk: { + input: CreateNamespaceCommandInput; + output: CreateNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateScheduledActionCommand.ts b/clients/client-redshift-serverless/src/commands/CreateScheduledActionCommand.ts index 3f45ee63a678..235d5be2b8af 100644 --- a/clients/client-redshift-serverless/src/commands/CreateScheduledActionCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateScheduledActionCommand.ts @@ -146,4 +146,16 @@ export class CreateScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_CreateScheduledActionCommand) .de(de_CreateScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScheduledActionRequest; + output: CreateScheduledActionResponse; + }; + sdk: { + input: CreateScheduledActionCommandInput; + output: CreateScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateSnapshotCommand.ts b/clients/client-redshift-serverless/src/commands/CreateSnapshotCommand.ts index 48d23c59ad4e..f70fbec453fa 100644 --- a/clients/client-redshift-serverless/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateSnapshotCommand.ts @@ -137,4 +137,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotRequest; + output: CreateSnapshotResponse; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateSnapshotCopyConfigurationCommand.ts b/clients/client-redshift-serverless/src/commands/CreateSnapshotCopyConfigurationCommand.ts index b5a4ee872447..6bf00875f127 100644 --- a/clients/client-redshift-serverless/src/commands/CreateSnapshotCopyConfigurationCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateSnapshotCopyConfigurationCommand.ts @@ -114,4 +114,16 @@ export class CreateSnapshotCopyConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCopyConfigurationCommand) .de(de_CreateSnapshotCopyConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotCopyConfigurationRequest; + output: CreateSnapshotCopyConfigurationResponse; + }; + sdk: { + input: CreateSnapshotCopyConfigurationCommandInput; + output: CreateSnapshotCopyConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateUsageLimitCommand.ts b/clients/client-redshift-serverless/src/commands/CreateUsageLimitCommand.ts index 970abc1c4874..cab936e5b38b 100644 --- a/clients/client-redshift-serverless/src/commands/CreateUsageLimitCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateUsageLimitCommand.ts @@ -109,4 +109,16 @@ export class CreateUsageLimitCommand extends $Command .f(void 0, void 0) .ser(se_CreateUsageLimitCommand) .de(de_CreateUsageLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUsageLimitRequest; + output: CreateUsageLimitResponse; + }; + sdk: { + input: CreateUsageLimitCommandInput; + output: CreateUsageLimitCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/CreateWorkgroupCommand.ts b/clients/client-redshift-serverless/src/commands/CreateWorkgroupCommand.ts index 3042c5ac889f..b52d8d9200b6 100644 --- a/clients/client-redshift-serverless/src/commands/CreateWorkgroupCommand.ts +++ b/clients/client-redshift-serverless/src/commands/CreateWorkgroupCommand.ts @@ -179,4 +179,16 @@ export class CreateWorkgroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkgroupCommand) .de(de_CreateWorkgroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkgroupRequest; + output: CreateWorkgroupResponse; + }; + sdk: { + input: CreateWorkgroupCommandInput; + output: CreateWorkgroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteCustomDomainAssociationCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteCustomDomainAssociationCommand.ts index 8b78c17d9979..25c8ac6ddadd 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteCustomDomainAssociationCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteCustomDomainAssociationCommand.ts @@ -103,4 +103,16 @@ export class DeleteCustomDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomDomainAssociationCommand) .de(de_DeleteCustomDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomDomainAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteCustomDomainAssociationCommandInput; + output: DeleteCustomDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteEndpointAccessCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteEndpointAccessCommand.ts index 24162680060a..833f5138deb8 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteEndpointAccessCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteEndpointAccessCommand.ts @@ -123,4 +123,16 @@ export class DeleteEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointAccessCommand) .de(de_DeleteEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointAccessRequest; + output: DeleteEndpointAccessResponse; + }; + sdk: { + input: DeleteEndpointAccessCommandInput; + output: DeleteEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteNamespaceCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteNamespaceCommand.ts index 7fd1b96647bf..bf023c4090e1 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteNamespaceCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteNamespaceCommand.ts @@ -118,4 +118,16 @@ export class DeleteNamespaceCommand extends $Command .f(void 0, DeleteNamespaceResponseFilterSensitiveLog) .ser(se_DeleteNamespaceCommand) .de(de_DeleteNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNamespaceRequest; + output: DeleteNamespaceResponse; + }; + sdk: { + input: DeleteNamespaceCommandInput; + output: DeleteNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteResourcePolicyCommand.ts index 18d7565202d9..f9bdc4d36838 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteResourcePolicyCommand.ts @@ -88,4 +88,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteScheduledActionCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteScheduledActionCommand.ts index 794c20d17d75..118582467e5f 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteScheduledActionCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteScheduledActionCommand.ts @@ -119,4 +119,16 @@ export class DeleteScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduledActionCommand) .de(de_DeleteScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduledActionRequest; + output: DeleteScheduledActionResponse; + }; + sdk: { + input: DeleteScheduledActionCommandInput; + output: DeleteScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteSnapshotCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteSnapshotCommand.ts index 888b5618abff..4f0803bd9f01 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteSnapshotCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteSnapshotCommand.ts @@ -120,4 +120,16 @@ export class DeleteSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCommand) .de(de_DeleteSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotRequest; + output: DeleteSnapshotResponse; + }; + sdk: { + input: DeleteSnapshotCommandInput; + output: DeleteSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteSnapshotCopyConfigurationCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteSnapshotCopyConfigurationCommand.ts index 5eb9218cb46f..efd55a2d4d62 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteSnapshotCopyConfigurationCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteSnapshotCopyConfigurationCommand.ts @@ -108,4 +108,16 @@ export class DeleteSnapshotCopyConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCopyConfigurationCommand) .de(de_DeleteSnapshotCopyConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotCopyConfigurationRequest; + output: DeleteSnapshotCopyConfigurationResponse; + }; + sdk: { + input: DeleteSnapshotCopyConfigurationCommandInput; + output: DeleteSnapshotCopyConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteUsageLimitCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteUsageLimitCommand.ts index c684b53b67c5..039583da2ccb 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteUsageLimitCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteUsageLimitCommand.ts @@ -101,4 +101,16 @@ export class DeleteUsageLimitCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUsageLimitCommand) .de(de_DeleteUsageLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUsageLimitRequest; + output: DeleteUsageLimitResponse; + }; + sdk: { + input: DeleteUsageLimitCommandInput; + output: DeleteUsageLimitCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/DeleteWorkgroupCommand.ts b/clients/client-redshift-serverless/src/commands/DeleteWorkgroupCommand.ts index 07add4d00255..8e9eb932bbfd 100644 --- a/clients/client-redshift-serverless/src/commands/DeleteWorkgroupCommand.ts +++ b/clients/client-redshift-serverless/src/commands/DeleteWorkgroupCommand.ts @@ -145,4 +145,16 @@ export class DeleteWorkgroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkgroupCommand) .de(de_DeleteWorkgroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkgroupRequest; + output: DeleteWorkgroupResponse; + }; + sdk: { + input: DeleteWorkgroupCommandInput; + output: DeleteWorkgroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetCredentialsCommand.ts b/clients/client-redshift-serverless/src/commands/GetCredentialsCommand.ts index 6d3dbe3de15d..23b4b1ab8207 100644 --- a/clients/client-redshift-serverless/src/commands/GetCredentialsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetCredentialsCommand.ts @@ -110,4 +110,16 @@ export class GetCredentialsCommand extends $Command .f(void 0, GetCredentialsResponseFilterSensitiveLog) .ser(se_GetCredentialsCommand) .de(de_GetCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCredentialsRequest; + output: GetCredentialsResponse; + }; + sdk: { + input: GetCredentialsCommandInput; + output: GetCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetCustomDomainAssociationCommand.ts b/clients/client-redshift-serverless/src/commands/GetCustomDomainAssociationCommand.ts index e0afe5796053..35795ead7e09 100644 --- a/clients/client-redshift-serverless/src/commands/GetCustomDomainAssociationCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetCustomDomainAssociationCommand.ts @@ -103,4 +103,16 @@ export class GetCustomDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomDomainAssociationCommand) .de(de_GetCustomDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomDomainAssociationRequest; + output: GetCustomDomainAssociationResponse; + }; + sdk: { + input: GetCustomDomainAssociationCommandInput; + output: GetCustomDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetEndpointAccessCommand.ts b/clients/client-redshift-serverless/src/commands/GetEndpointAccessCommand.ts index 683f41dc894e..63263c8e3381 100644 --- a/clients/client-redshift-serverless/src/commands/GetEndpointAccessCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetEndpointAccessCommand.ts @@ -123,4 +123,16 @@ export class GetEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_GetEndpointAccessCommand) .de(de_GetEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEndpointAccessRequest; + output: GetEndpointAccessResponse; + }; + sdk: { + input: GetEndpointAccessCommandInput; + output: GetEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetNamespaceCommand.ts b/clients/client-redshift-serverless/src/commands/GetNamespaceCommand.ts index 288cb5c7f6d1..e1774d1da0fe 100644 --- a/clients/client-redshift-serverless/src/commands/GetNamespaceCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetNamespaceCommand.ts @@ -108,4 +108,16 @@ export class GetNamespaceCommand extends $Command .f(void 0, GetNamespaceResponseFilterSensitiveLog) .ser(se_GetNamespaceCommand) .de(de_GetNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNamespaceRequest; + output: GetNamespaceResponse; + }; + sdk: { + input: GetNamespaceCommandInput; + output: GetNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetRecoveryPointCommand.ts b/clients/client-redshift-serverless/src/commands/GetRecoveryPointCommand.ts index ca09dd529475..60cbbed2abe9 100644 --- a/clients/client-redshift-serverless/src/commands/GetRecoveryPointCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetRecoveryPointCommand.ts @@ -100,4 +100,16 @@ export class GetRecoveryPointCommand extends $Command .f(void 0, void 0) .ser(se_GetRecoveryPointCommand) .de(de_GetRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecoveryPointRequest; + output: GetRecoveryPointResponse; + }; + sdk: { + input: GetRecoveryPointCommandInput; + output: GetRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetResourcePolicyCommand.ts b/clients/client-redshift-serverless/src/commands/GetResourcePolicyCommand.ts index f8b702308775..85e85650e0ab 100644 --- a/clients/client-redshift-serverless/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetResourcePolicyCommand.ts @@ -93,4 +93,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetScheduledActionCommand.ts b/clients/client-redshift-serverless/src/commands/GetScheduledActionCommand.ts index 8ea197aeae4e..8cac7ce04a2f 100644 --- a/clients/client-redshift-serverless/src/commands/GetScheduledActionCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetScheduledActionCommand.ts @@ -119,4 +119,16 @@ export class GetScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_GetScheduledActionCommand) .de(de_GetScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetScheduledActionRequest; + output: GetScheduledActionResponse; + }; + sdk: { + input: GetScheduledActionCommandInput; + output: GetScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetSnapshotCommand.ts b/clients/client-redshift-serverless/src/commands/GetSnapshotCommand.ts index 233328d1847d..f0ec91a5dd68 100644 --- a/clients/client-redshift-serverless/src/commands/GetSnapshotCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetSnapshotCommand.ts @@ -119,4 +119,16 @@ export class GetSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_GetSnapshotCommand) .de(de_GetSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSnapshotRequest; + output: GetSnapshotResponse; + }; + sdk: { + input: GetSnapshotCommandInput; + output: GetSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetTableRestoreStatusCommand.ts b/clients/client-redshift-serverless/src/commands/GetTableRestoreStatusCommand.ts index 31c29a828fc3..9708194a0fa4 100644 --- a/clients/client-redshift-serverless/src/commands/GetTableRestoreStatusCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetTableRestoreStatusCommand.ts @@ -104,4 +104,16 @@ export class GetTableRestoreStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetTableRestoreStatusCommand) .de(de_GetTableRestoreStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTableRestoreStatusRequest; + output: GetTableRestoreStatusResponse; + }; + sdk: { + input: GetTableRestoreStatusCommandInput; + output: GetTableRestoreStatusCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetUsageLimitCommand.ts b/clients/client-redshift-serverless/src/commands/GetUsageLimitCommand.ts index 341f27a81214..196ea41cdc6c 100644 --- a/clients/client-redshift-serverless/src/commands/GetUsageLimitCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetUsageLimitCommand.ts @@ -101,4 +101,16 @@ export class GetUsageLimitCommand extends $Command .f(void 0, void 0) .ser(se_GetUsageLimitCommand) .de(de_GetUsageLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUsageLimitRequest; + output: GetUsageLimitResponse; + }; + sdk: { + input: GetUsageLimitCommandInput; + output: GetUsageLimitCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/GetWorkgroupCommand.ts b/clients/client-redshift-serverless/src/commands/GetWorkgroupCommand.ts index 11857cf40ff5..88d373abc217 100644 --- a/clients/client-redshift-serverless/src/commands/GetWorkgroupCommand.ts +++ b/clients/client-redshift-serverless/src/commands/GetWorkgroupCommand.ts @@ -142,4 +142,16 @@ export class GetWorkgroupCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkgroupCommand) .de(de_GetWorkgroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkgroupRequest; + output: GetWorkgroupResponse; + }; + sdk: { + input: GetWorkgroupCommandInput; + output: GetWorkgroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListCustomDomainAssociationsCommand.ts b/clients/client-redshift-serverless/src/commands/ListCustomDomainAssociationsCommand.ts index 27252161a62d..5639870e7db2 100644 --- a/clients/client-redshift-serverless/src/commands/ListCustomDomainAssociationsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListCustomDomainAssociationsCommand.ts @@ -112,4 +112,16 @@ export class ListCustomDomainAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomDomainAssociationsCommand) .de(de_ListCustomDomainAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomDomainAssociationsRequest; + output: ListCustomDomainAssociationsResponse; + }; + sdk: { + input: ListCustomDomainAssociationsCommandInput; + output: ListCustomDomainAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListEndpointAccessCommand.ts b/clients/client-redshift-serverless/src/commands/ListEndpointAccessCommand.ts index 4885b33b28d8..9f656c9a6581 100644 --- a/clients/client-redshift-serverless/src/commands/ListEndpointAccessCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListEndpointAccessCommand.ts @@ -130,4 +130,16 @@ export class ListEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointAccessCommand) .de(de_ListEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointAccessRequest; + output: ListEndpointAccessResponse; + }; + sdk: { + input: ListEndpointAccessCommandInput; + output: ListEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListNamespacesCommand.ts b/clients/client-redshift-serverless/src/commands/ListNamespacesCommand.ts index d91e94b9aced..69e299913552 100644 --- a/clients/client-redshift-serverless/src/commands/ListNamespacesCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListNamespacesCommand.ts @@ -113,4 +113,16 @@ export class ListNamespacesCommand extends $Command .f(void 0, ListNamespacesResponseFilterSensitiveLog) .ser(se_ListNamespacesCommand) .de(de_ListNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNamespacesRequest; + output: ListNamespacesResponse; + }; + sdk: { + input: ListNamespacesCommandInput; + output: ListNamespacesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListRecoveryPointsCommand.ts b/clients/client-redshift-serverless/src/commands/ListRecoveryPointsCommand.ts index b51e30bec9d9..8caf37b400fd 100644 --- a/clients/client-redshift-serverless/src/commands/ListRecoveryPointsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListRecoveryPointsCommand.ts @@ -102,4 +102,16 @@ export class ListRecoveryPointsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecoveryPointsCommand) .de(de_ListRecoveryPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecoveryPointsRequest; + output: ListRecoveryPointsResponse; + }; + sdk: { + input: ListRecoveryPointsCommandInput; + output: ListRecoveryPointsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListScheduledActionsCommand.ts b/clients/client-redshift-serverless/src/commands/ListScheduledActionsCommand.ts index 86c7b7ee78a8..94c80b248026 100644 --- a/clients/client-redshift-serverless/src/commands/ListScheduledActionsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListScheduledActionsCommand.ts @@ -101,4 +101,16 @@ export class ListScheduledActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListScheduledActionsCommand) .de(de_ListScheduledActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScheduledActionsRequest; + output: ListScheduledActionsResponse; + }; + sdk: { + input: ListScheduledActionsCommandInput; + output: ListScheduledActionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListSnapshotCopyConfigurationsCommand.ts b/clients/client-redshift-serverless/src/commands/ListSnapshotCopyConfigurationsCommand.ts index 2e3520d82b98..c33e3f2a138a 100644 --- a/clients/client-redshift-serverless/src/commands/ListSnapshotCopyConfigurationsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListSnapshotCopyConfigurationsCommand.ts @@ -113,4 +113,16 @@ export class ListSnapshotCopyConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSnapshotCopyConfigurationsCommand) .de(de_ListSnapshotCopyConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSnapshotCopyConfigurationsRequest; + output: ListSnapshotCopyConfigurationsResponse; + }; + sdk: { + input: ListSnapshotCopyConfigurationsCommandInput; + output: ListSnapshotCopyConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListSnapshotsCommand.ts b/clients/client-redshift-serverless/src/commands/ListSnapshotsCommand.ts index 3251451e846f..539883b51d32 100644 --- a/clients/client-redshift-serverless/src/commands/ListSnapshotsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListSnapshotsCommand.ts @@ -126,4 +126,16 @@ export class ListSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_ListSnapshotsCommand) .de(de_ListSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSnapshotsRequest; + output: ListSnapshotsResponse; + }; + sdk: { + input: ListSnapshotsCommandInput; + output: ListSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListTableRestoreStatusCommand.ts b/clients/client-redshift-serverless/src/commands/ListTableRestoreStatusCommand.ts index f89781bfa48c..08fc01acc61c 100644 --- a/clients/client-redshift-serverless/src/commands/ListTableRestoreStatusCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListTableRestoreStatusCommand.ts @@ -113,4 +113,16 @@ export class ListTableRestoreStatusCommand extends $Command .f(void 0, void 0) .ser(se_ListTableRestoreStatusCommand) .de(de_ListTableRestoreStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTableRestoreStatusRequest; + output: ListTableRestoreStatusResponse; + }; + sdk: { + input: ListTableRestoreStatusCommandInput; + output: ListTableRestoreStatusCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListTagsForResourceCommand.ts b/clients/client-redshift-serverless/src/commands/ListTagsForResourceCommand.ts index 54122a06ea56..f3672281cc3c 100644 --- a/clients/client-redshift-serverless/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListUsageLimitsCommand.ts b/clients/client-redshift-serverless/src/commands/ListUsageLimitsCommand.ts index 17abcb949c5d..12d16eba6029 100644 --- a/clients/client-redshift-serverless/src/commands/ListUsageLimitsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListUsageLimitsCommand.ts @@ -110,4 +110,16 @@ export class ListUsageLimitsCommand extends $Command .f(void 0, void 0) .ser(se_ListUsageLimitsCommand) .de(de_ListUsageLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsageLimitsRequest; + output: ListUsageLimitsResponse; + }; + sdk: { + input: ListUsageLimitsCommandInput; + output: ListUsageLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/ListWorkgroupsCommand.ts b/clients/client-redshift-serverless/src/commands/ListWorkgroupsCommand.ts index 3cc836e1d275..54040ea1b157 100644 --- a/clients/client-redshift-serverless/src/commands/ListWorkgroupsCommand.ts +++ b/clients/client-redshift-serverless/src/commands/ListWorkgroupsCommand.ts @@ -144,4 +144,16 @@ export class ListWorkgroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkgroupsCommand) .de(de_ListWorkgroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkgroupsRequest; + output: ListWorkgroupsResponse; + }; + sdk: { + input: ListWorkgroupsCommandInput; + output: ListWorkgroupsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/PutResourcePolicyCommand.ts b/clients/client-redshift-serverless/src/commands/PutResourcePolicyCommand.ts index 845caeb17b57..f075f28a68d8 100644 --- a/clients/client-redshift-serverless/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-redshift-serverless/src/commands/PutResourcePolicyCommand.ts @@ -100,4 +100,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/RestoreFromRecoveryPointCommand.ts b/clients/client-redshift-serverless/src/commands/RestoreFromRecoveryPointCommand.ts index f9bdb0009906..2a220ebb2acd 100644 --- a/clients/client-redshift-serverless/src/commands/RestoreFromRecoveryPointCommand.ts +++ b/clients/client-redshift-serverless/src/commands/RestoreFromRecoveryPointCommand.ts @@ -118,4 +118,16 @@ export class RestoreFromRecoveryPointCommand extends $Command .f(void 0, RestoreFromRecoveryPointResponseFilterSensitiveLog) .ser(se_RestoreFromRecoveryPointCommand) .de(de_RestoreFromRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreFromRecoveryPointRequest; + output: RestoreFromRecoveryPointResponse; + }; + sdk: { + input: RestoreFromRecoveryPointCommandInput; + output: RestoreFromRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/RestoreFromSnapshotCommand.ts b/clients/client-redshift-serverless/src/commands/RestoreFromSnapshotCommand.ts index e579e3f03835..79777300c455 100644 --- a/clients/client-redshift-serverless/src/commands/RestoreFromSnapshotCommand.ts +++ b/clients/client-redshift-serverless/src/commands/RestoreFromSnapshotCommand.ts @@ -126,4 +126,16 @@ export class RestoreFromSnapshotCommand extends $Command .f(void 0, RestoreFromSnapshotResponseFilterSensitiveLog) .ser(se_RestoreFromSnapshotCommand) .de(de_RestoreFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreFromSnapshotRequest; + output: RestoreFromSnapshotResponse; + }; + sdk: { + input: RestoreFromSnapshotCommandInput; + output: RestoreFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/RestoreTableFromRecoveryPointCommand.ts b/clients/client-redshift-serverless/src/commands/RestoreTableFromRecoveryPointCommand.ts index 306e03e99b16..9349cf266100 100644 --- a/clients/client-redshift-serverless/src/commands/RestoreTableFromRecoveryPointCommand.ts +++ b/clients/client-redshift-serverless/src/commands/RestoreTableFromRecoveryPointCommand.ts @@ -124,4 +124,16 @@ export class RestoreTableFromRecoveryPointCommand extends $Command .f(void 0, void 0) .ser(se_RestoreTableFromRecoveryPointCommand) .de(de_RestoreTableFromRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreTableFromRecoveryPointRequest; + output: RestoreTableFromRecoveryPointResponse; + }; + sdk: { + input: RestoreTableFromRecoveryPointCommandInput; + output: RestoreTableFromRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/RestoreTableFromSnapshotCommand.ts b/clients/client-redshift-serverless/src/commands/RestoreTableFromSnapshotCommand.ts index 0196b868357a..223b15811088 100644 --- a/clients/client-redshift-serverless/src/commands/RestoreTableFromSnapshotCommand.ts +++ b/clients/client-redshift-serverless/src/commands/RestoreTableFromSnapshotCommand.ts @@ -120,4 +120,16 @@ export class RestoreTableFromSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreTableFromSnapshotCommand) .de(de_RestoreTableFromSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreTableFromSnapshotRequest; + output: RestoreTableFromSnapshotResponse; + }; + sdk: { + input: RestoreTableFromSnapshotCommandInput; + output: RestoreTableFromSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/TagResourceCommand.ts b/clients/client-redshift-serverless/src/commands/TagResourceCommand.ts index e1d0d7700349..027962aea520 100644 --- a/clients/client-redshift-serverless/src/commands/TagResourceCommand.ts +++ b/clients/client-redshift-serverless/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UntagResourceCommand.ts b/clients/client-redshift-serverless/src/commands/UntagResourceCommand.ts index 28d77e8b7edd..4a8af65d82b5 100644 --- a/clients/client-redshift-serverless/src/commands/UntagResourceCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateCustomDomainAssociationCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateCustomDomainAssociationCommand.ts index 8bc969409a5d..d03440e2c371 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateCustomDomainAssociationCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateCustomDomainAssociationCommand.ts @@ -109,4 +109,16 @@ export class UpdateCustomDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCustomDomainAssociationCommand) .de(de_UpdateCustomDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomDomainAssociationRequest; + output: UpdateCustomDomainAssociationResponse; + }; + sdk: { + input: UpdateCustomDomainAssociationCommandInput; + output: UpdateCustomDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateEndpointAccessCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateEndpointAccessCommand.ts index 22af63c3928c..a8bf1b593f27 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateEndpointAccessCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateEndpointAccessCommand.ts @@ -129,4 +129,16 @@ export class UpdateEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointAccessCommand) .de(de_UpdateEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointAccessRequest; + output: UpdateEndpointAccessResponse; + }; + sdk: { + input: UpdateEndpointAccessCommandInput; + output: UpdateEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateNamespaceCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateNamespaceCommand.ts index 43997303fffb..2bfb4e691f36 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateNamespaceCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateNamespaceCommand.ts @@ -130,4 +130,16 @@ export class UpdateNamespaceCommand extends $Command .f(UpdateNamespaceRequestFilterSensitiveLog, UpdateNamespaceResponseFilterSensitiveLog) .ser(se_UpdateNamespaceCommand) .de(de_UpdateNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNamespaceRequest; + output: UpdateNamespaceResponse; + }; + sdk: { + input: UpdateNamespaceCommandInput; + output: UpdateNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateScheduledActionCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateScheduledActionCommand.ts index 7ab0c423dc9f..13c2c6e3f979 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateScheduledActionCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateScheduledActionCommand.ts @@ -144,4 +144,16 @@ export class UpdateScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScheduledActionCommand) .de(de_UpdateScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScheduledActionRequest; + output: UpdateScheduledActionResponse; + }; + sdk: { + input: UpdateScheduledActionCommandInput; + output: UpdateScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateSnapshotCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateSnapshotCommand.ts index df97d2eb9c5a..51e1066eed18 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateSnapshotCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateSnapshotCommand.ts @@ -121,4 +121,16 @@ export class UpdateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSnapshotCommand) .de(de_UpdateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSnapshotRequest; + output: UpdateSnapshotResponse; + }; + sdk: { + input: UpdateSnapshotCommandInput; + output: UpdateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateSnapshotCopyConfigurationCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateSnapshotCopyConfigurationCommand.ts index 92dce27a2415..32adaf3715dc 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateSnapshotCopyConfigurationCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateSnapshotCopyConfigurationCommand.ts @@ -109,4 +109,16 @@ export class UpdateSnapshotCopyConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSnapshotCopyConfigurationCommand) .de(de_UpdateSnapshotCopyConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSnapshotCopyConfigurationRequest; + output: UpdateSnapshotCopyConfigurationResponse; + }; + sdk: { + input: UpdateSnapshotCopyConfigurationCommandInput; + output: UpdateSnapshotCopyConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateUsageLimitCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateUsageLimitCommand.ts index 84ffcb48e25b..39ab30ddf09e 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateUsageLimitCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateUsageLimitCommand.ts @@ -103,4 +103,16 @@ export class UpdateUsageLimitCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUsageLimitCommand) .de(de_UpdateUsageLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUsageLimitRequest; + output: UpdateUsageLimitResponse; + }; + sdk: { + input: UpdateUsageLimitCommandInput; + output: UpdateUsageLimitCommandOutput; + }; + }; +} diff --git a/clients/client-redshift-serverless/src/commands/UpdateWorkgroupCommand.ts b/clients/client-redshift-serverless/src/commands/UpdateWorkgroupCommand.ts index 605fb4f2d816..711c7dc6a9f8 100644 --- a/clients/client-redshift-serverless/src/commands/UpdateWorkgroupCommand.ts +++ b/clients/client-redshift-serverless/src/commands/UpdateWorkgroupCommand.ts @@ -170,4 +170,16 @@ export class UpdateWorkgroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkgroupCommand) .de(de_UpdateWorkgroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkgroupRequest; + output: UpdateWorkgroupResponse; + }; + sdk: { + input: UpdateWorkgroupCommandInput; + output: UpdateWorkgroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/package.json b/clients/client-redshift/package.json index fececbf1e295..5f54244c92a2 100644 --- a/clients/client-redshift/package.json +++ b/clients/client-redshift/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-redshift/src/commands/AcceptReservedNodeExchangeCommand.ts b/clients/client-redshift/src/commands/AcceptReservedNodeExchangeCommand.ts index ca075cdf35fa..9bc1b1467f22 100644 --- a/clients/client-redshift/src/commands/AcceptReservedNodeExchangeCommand.ts +++ b/clients/client-redshift/src/commands/AcceptReservedNodeExchangeCommand.ts @@ -123,4 +123,16 @@ export class AcceptReservedNodeExchangeCommand extends $Command .f(void 0, void 0) .ser(se_AcceptReservedNodeExchangeCommand) .de(de_AcceptReservedNodeExchangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptReservedNodeExchangeInputMessage; + output: AcceptReservedNodeExchangeOutputMessage; + }; + sdk: { + input: AcceptReservedNodeExchangeCommandInput; + output: AcceptReservedNodeExchangeCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/AddPartnerCommand.ts b/clients/client-redshift/src/commands/AddPartnerCommand.ts index 9e683746ea39..d5f9d0c37a4b 100644 --- a/clients/client-redshift/src/commands/AddPartnerCommand.ts +++ b/clients/client-redshift/src/commands/AddPartnerCommand.ts @@ -96,4 +96,16 @@ export class AddPartnerCommand extends $Command .f(void 0, void 0) .ser(se_AddPartnerCommand) .de(de_AddPartnerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PartnerIntegrationInputMessage; + output: PartnerIntegrationOutputMessage; + }; + sdk: { + input: AddPartnerCommandInput; + output: AddPartnerCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/AssociateDataShareConsumerCommand.ts b/clients/client-redshift/src/commands/AssociateDataShareConsumerCommand.ts index fc0fc3d4ce91..328fee844c17 100644 --- a/clients/client-redshift/src/commands/AssociateDataShareConsumerCommand.ts +++ b/clients/client-redshift/src/commands/AssociateDataShareConsumerCommand.ts @@ -103,4 +103,16 @@ export class AssociateDataShareConsumerCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDataShareConsumerCommand) .de(de_AssociateDataShareConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDataShareConsumerMessage; + output: DataShare; + }; + sdk: { + input: AssociateDataShareConsumerCommandInput; + output: AssociateDataShareConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/AuthorizeClusterSecurityGroupIngressCommand.ts b/clients/client-redshift/src/commands/AuthorizeClusterSecurityGroupIngressCommand.ts index 599e5b068e05..8059d71bb85a 100644 --- a/clients/client-redshift/src/commands/AuthorizeClusterSecurityGroupIngressCommand.ts +++ b/clients/client-redshift/src/commands/AuthorizeClusterSecurityGroupIngressCommand.ts @@ -151,4 +151,16 @@ export class AuthorizeClusterSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeClusterSecurityGroupIngressCommand) .de(de_AuthorizeClusterSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeClusterSecurityGroupIngressMessage; + output: AuthorizeClusterSecurityGroupIngressResult; + }; + sdk: { + input: AuthorizeClusterSecurityGroupIngressCommandInput; + output: AuthorizeClusterSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/AuthorizeDataShareCommand.ts b/clients/client-redshift/src/commands/AuthorizeDataShareCommand.ts index bacda8ead050..a8c1825ada3d 100644 --- a/clients/client-redshift/src/commands/AuthorizeDataShareCommand.ts +++ b/clients/client-redshift/src/commands/AuthorizeDataShareCommand.ts @@ -98,4 +98,16 @@ export class AuthorizeDataShareCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeDataShareCommand) .de(de_AuthorizeDataShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeDataShareMessage; + output: DataShare; + }; + sdk: { + input: AuthorizeDataShareCommandInput; + output: AuthorizeDataShareCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/AuthorizeEndpointAccessCommand.ts b/clients/client-redshift/src/commands/AuthorizeEndpointAccessCommand.ts index e5747b8f1afa..67002f265c57 100644 --- a/clients/client-redshift/src/commands/AuthorizeEndpointAccessCommand.ts +++ b/clients/client-redshift/src/commands/AuthorizeEndpointAccessCommand.ts @@ -110,4 +110,16 @@ export class AuthorizeEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeEndpointAccessCommand) .de(de_AuthorizeEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeEndpointAccessMessage; + output: EndpointAuthorization; + }; + sdk: { + input: AuthorizeEndpointAccessCommandInput; + output: AuthorizeEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/AuthorizeSnapshotAccessCommand.ts b/clients/client-redshift/src/commands/AuthorizeSnapshotAccessCommand.ts index 64a39bfc00fc..4b3d7530d9ef 100644 --- a/clients/client-redshift/src/commands/AuthorizeSnapshotAccessCommand.ts +++ b/clients/client-redshift/src/commands/AuthorizeSnapshotAccessCommand.ts @@ -159,4 +159,16 @@ export class AuthorizeSnapshotAccessCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeSnapshotAccessCommand) .de(de_AuthorizeSnapshotAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeSnapshotAccessMessage; + output: AuthorizeSnapshotAccessResult; + }; + sdk: { + input: AuthorizeSnapshotAccessCommandInput; + output: AuthorizeSnapshotAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/BatchDeleteClusterSnapshotsCommand.ts b/clients/client-redshift/src/commands/BatchDeleteClusterSnapshotsCommand.ts index 5fc314b59cb0..647c549c8f50 100644 --- a/clients/client-redshift/src/commands/BatchDeleteClusterSnapshotsCommand.ts +++ b/clients/client-redshift/src/commands/BatchDeleteClusterSnapshotsCommand.ts @@ -96,4 +96,16 @@ export class BatchDeleteClusterSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteClusterSnapshotsCommand) .de(de_BatchDeleteClusterSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteClusterSnapshotsRequest; + output: BatchDeleteClusterSnapshotsResult; + }; + sdk: { + input: BatchDeleteClusterSnapshotsCommandInput; + output: BatchDeleteClusterSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/BatchModifyClusterSnapshotsCommand.ts b/clients/client-redshift/src/commands/BatchModifyClusterSnapshotsCommand.ts index dbb4d70bb9c4..19e91d83f6e9 100644 --- a/clients/client-redshift/src/commands/BatchModifyClusterSnapshotsCommand.ts +++ b/clients/client-redshift/src/commands/BatchModifyClusterSnapshotsCommand.ts @@ -101,4 +101,16 @@ export class BatchModifyClusterSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_BatchModifyClusterSnapshotsCommand) .de(de_BatchModifyClusterSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchModifyClusterSnapshotsMessage; + output: BatchModifyClusterSnapshotsOutputMessage; + }; + sdk: { + input: BatchModifyClusterSnapshotsCommandInput; + output: BatchModifyClusterSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CancelResizeCommand.ts b/clients/client-redshift/src/commands/CancelResizeCommand.ts index e8394737bd58..8ec25cc0cc9b 100644 --- a/clients/client-redshift/src/commands/CancelResizeCommand.ts +++ b/clients/client-redshift/src/commands/CancelResizeCommand.ts @@ -111,4 +111,16 @@ export class CancelResizeCommand extends $Command .f(void 0, void 0) .ser(se_CancelResizeCommand) .de(de_CancelResizeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelResizeMessage; + output: ResizeProgressMessage; + }; + sdk: { + input: CancelResizeCommandInput; + output: CancelResizeCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CopyClusterSnapshotCommand.ts b/clients/client-redshift/src/commands/CopyClusterSnapshotCommand.ts index 6faadc16a9d2..991f38de6add 100644 --- a/clients/client-redshift/src/commands/CopyClusterSnapshotCommand.ts +++ b/clients/client-redshift/src/commands/CopyClusterSnapshotCommand.ts @@ -164,4 +164,16 @@ export class CopyClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CopyClusterSnapshotCommand) .de(de_CopyClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyClusterSnapshotMessage; + output: CopyClusterSnapshotResult; + }; + sdk: { + input: CopyClusterSnapshotCommandInput; + output: CopyClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateAuthenticationProfileCommand.ts b/clients/client-redshift/src/commands/CreateAuthenticationProfileCommand.ts index 634be7c97513..a02919e10f1e 100644 --- a/clients/client-redshift/src/commands/CreateAuthenticationProfileCommand.ts +++ b/clients/client-redshift/src/commands/CreateAuthenticationProfileCommand.ts @@ -90,4 +90,16 @@ export class CreateAuthenticationProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateAuthenticationProfileCommand) .de(de_CreateAuthenticationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAuthenticationProfileMessage; + output: CreateAuthenticationProfileResult; + }; + sdk: { + input: CreateAuthenticationProfileCommandInput; + output: CreateAuthenticationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateClusterCommand.ts b/clients/client-redshift/src/commands/CreateClusterCommand.ts index a076b2e4501e..ee3a80a71fb5 100644 --- a/clients/client-redshift/src/commands/CreateClusterCommand.ts +++ b/clients/client-redshift/src/commands/CreateClusterCommand.ts @@ -416,4 +416,16 @@ export class CreateClusterCommand extends $Command .f(CreateClusterMessageFilterSensitiveLog, CreateClusterResultFilterSensitiveLog) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterMessage; + output: CreateClusterResult; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateClusterParameterGroupCommand.ts b/clients/client-redshift/src/commands/CreateClusterParameterGroupCommand.ts index 54f89c52ca95..ada65ad351ca 100644 --- a/clients/client-redshift/src/commands/CreateClusterParameterGroupCommand.ts +++ b/clients/client-redshift/src/commands/CreateClusterParameterGroupCommand.ts @@ -119,4 +119,16 @@ export class CreateClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterParameterGroupCommand) .de(de_CreateClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterParameterGroupMessage; + output: CreateClusterParameterGroupResult; + }; + sdk: { + input: CreateClusterParameterGroupCommandInput; + output: CreateClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateClusterSecurityGroupCommand.ts b/clients/client-redshift/src/commands/CreateClusterSecurityGroupCommand.ts index 4a77dece31f3..da007d3fc4a0 100644 --- a/clients/client-redshift/src/commands/CreateClusterSecurityGroupCommand.ts +++ b/clients/client-redshift/src/commands/CreateClusterSecurityGroupCommand.ts @@ -139,4 +139,16 @@ export class CreateClusterSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterSecurityGroupCommand) .de(de_CreateClusterSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterSecurityGroupMessage; + output: CreateClusterSecurityGroupResult; + }; + sdk: { + input: CreateClusterSecurityGroupCommandInput; + output: CreateClusterSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateClusterSnapshotCommand.ts b/clients/client-redshift/src/commands/CreateClusterSnapshotCommand.ts index 1cf7d201dca8..375c138c4feb 100644 --- a/clients/client-redshift/src/commands/CreateClusterSnapshotCommand.ts +++ b/clients/client-redshift/src/commands/CreateClusterSnapshotCommand.ts @@ -165,4 +165,16 @@ export class CreateClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterSnapshotCommand) .de(de_CreateClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterSnapshotMessage; + output: CreateClusterSnapshotResult; + }; + sdk: { + input: CreateClusterSnapshotCommandInput; + output: CreateClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateClusterSubnetGroupCommand.ts b/clients/client-redshift/src/commands/CreateClusterSubnetGroupCommand.ts index 1902cec49665..4e6773d9cf45 100644 --- a/clients/client-redshift/src/commands/CreateClusterSubnetGroupCommand.ts +++ b/clients/client-redshift/src/commands/CreateClusterSubnetGroupCommand.ts @@ -156,4 +156,16 @@ export class CreateClusterSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterSubnetGroupCommand) .de(de_CreateClusterSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterSubnetGroupMessage; + output: CreateClusterSubnetGroupResult; + }; + sdk: { + input: CreateClusterSubnetGroupCommandInput; + output: CreateClusterSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateCustomDomainAssociationCommand.ts b/clients/client-redshift/src/commands/CreateCustomDomainAssociationCommand.ts index 220e7e4f81bb..ea89624e4530 100644 --- a/clients/client-redshift/src/commands/CreateCustomDomainAssociationCommand.ts +++ b/clients/client-redshift/src/commands/CreateCustomDomainAssociationCommand.ts @@ -98,4 +98,16 @@ export class CreateCustomDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomDomainAssociationCommand) .de(de_CreateCustomDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomDomainAssociationMessage; + output: CreateCustomDomainAssociationResult; + }; + sdk: { + input: CreateCustomDomainAssociationCommandInput; + output: CreateCustomDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateEndpointAccessCommand.ts b/clients/client-redshift/src/commands/CreateEndpointAccessCommand.ts index af9813040986..63d88708bcd6 100644 --- a/clients/client-redshift/src/commands/CreateEndpointAccessCommand.ts +++ b/clients/client-redshift/src/commands/CreateEndpointAccessCommand.ts @@ -141,4 +141,16 @@ export class CreateEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointAccessCommand) .de(de_CreateEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointAccessMessage; + output: EndpointAccess; + }; + sdk: { + input: CreateEndpointAccessCommandInput; + output: CreateEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateEventSubscriptionCommand.ts b/clients/client-redshift/src/commands/CreateEventSubscriptionCommand.ts index 0127813367c1..399afab90dd7 100644 --- a/clients/client-redshift/src/commands/CreateEventSubscriptionCommand.ts +++ b/clients/client-redshift/src/commands/CreateEventSubscriptionCommand.ts @@ -174,4 +174,16 @@ export class CreateEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateEventSubscriptionCommand) .de(de_CreateEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEventSubscriptionMessage; + output: CreateEventSubscriptionResult; + }; + sdk: { + input: CreateEventSubscriptionCommandInput; + output: CreateEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateHsmClientCertificateCommand.ts b/clients/client-redshift/src/commands/CreateHsmClientCertificateCommand.ts index 4627884f960b..4d04ec9c8a64 100644 --- a/clients/client-redshift/src/commands/CreateHsmClientCertificateCommand.ts +++ b/clients/client-redshift/src/commands/CreateHsmClientCertificateCommand.ts @@ -115,4 +115,16 @@ export class CreateHsmClientCertificateCommand extends $Command .f(void 0, void 0) .ser(se_CreateHsmClientCertificateCommand) .de(de_CreateHsmClientCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHsmClientCertificateMessage; + output: CreateHsmClientCertificateResult; + }; + sdk: { + input: CreateHsmClientCertificateCommandInput; + output: CreateHsmClientCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateHsmConfigurationCommand.ts b/clients/client-redshift/src/commands/CreateHsmConfigurationCommand.ts index 42b4d527671c..12b4d13eacc2 100644 --- a/clients/client-redshift/src/commands/CreateHsmConfigurationCommand.ts +++ b/clients/client-redshift/src/commands/CreateHsmConfigurationCommand.ts @@ -121,4 +121,16 @@ export class CreateHsmConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateHsmConfigurationCommand) .de(de_CreateHsmConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHsmConfigurationMessage; + output: CreateHsmConfigurationResult; + }; + sdk: { + input: CreateHsmConfigurationCommandInput; + output: CreateHsmConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateRedshiftIdcApplicationCommand.ts b/clients/client-redshift/src/commands/CreateRedshiftIdcApplicationCommand.ts index f6034c0004c0..4d07817d6d90 100644 --- a/clients/client-redshift/src/commands/CreateRedshiftIdcApplicationCommand.ts +++ b/clients/client-redshift/src/commands/CreateRedshiftIdcApplicationCommand.ts @@ -146,4 +146,16 @@ export class CreateRedshiftIdcApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateRedshiftIdcApplicationCommand) .de(de_CreateRedshiftIdcApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRedshiftIdcApplicationMessage; + output: CreateRedshiftIdcApplicationResult; + }; + sdk: { + input: CreateRedshiftIdcApplicationCommandInput; + output: CreateRedshiftIdcApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateScheduledActionCommand.ts b/clients/client-redshift/src/commands/CreateScheduledActionCommand.ts index c3e934e2e9e8..88d8246cfd42 100644 --- a/clients/client-redshift/src/commands/CreateScheduledActionCommand.ts +++ b/clients/client-redshift/src/commands/CreateScheduledActionCommand.ts @@ -153,4 +153,16 @@ export class CreateScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_CreateScheduledActionCommand) .de(de_CreateScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScheduledActionMessage; + output: ScheduledAction; + }; + sdk: { + input: CreateScheduledActionCommandInput; + output: CreateScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateSnapshotCopyGrantCommand.ts b/clients/client-redshift/src/commands/CreateSnapshotCopyGrantCommand.ts index 53661bde7aab..b4eb8979262d 100644 --- a/clients/client-redshift/src/commands/CreateSnapshotCopyGrantCommand.ts +++ b/clients/client-redshift/src/commands/CreateSnapshotCopyGrantCommand.ts @@ -121,4 +121,16 @@ export class CreateSnapshotCopyGrantCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCopyGrantCommand) .de(de_CreateSnapshotCopyGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotCopyGrantMessage; + output: CreateSnapshotCopyGrantResult; + }; + sdk: { + input: CreateSnapshotCopyGrantCommandInput; + output: CreateSnapshotCopyGrantCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateSnapshotScheduleCommand.ts b/clients/client-redshift/src/commands/CreateSnapshotScheduleCommand.ts index 256789f0e2bb..aff01684a650 100644 --- a/clients/client-redshift/src/commands/CreateSnapshotScheduleCommand.ts +++ b/clients/client-redshift/src/commands/CreateSnapshotScheduleCommand.ts @@ -127,4 +127,16 @@ export class CreateSnapshotScheduleCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotScheduleCommand) .de(de_CreateSnapshotScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotScheduleMessage; + output: SnapshotSchedule; + }; + sdk: { + input: CreateSnapshotScheduleCommandInput; + output: CreateSnapshotScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateTagsCommand.ts b/clients/client-redshift/src/commands/CreateTagsCommand.ts index 5e57e49bde75..e45128bed848 100644 --- a/clients/client-redshift/src/commands/CreateTagsCommand.ts +++ b/clients/client-redshift/src/commands/CreateTagsCommand.ts @@ -97,4 +97,16 @@ export class CreateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagsCommand) .de(de_CreateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagsMessage; + output: {}; + }; + sdk: { + input: CreateTagsCommandInput; + output: CreateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/CreateUsageLimitCommand.ts b/clients/client-redshift/src/commands/CreateUsageLimitCommand.ts index 92fae28d40cd..b0591e38297a 100644 --- a/clients/client-redshift/src/commands/CreateUsageLimitCommand.ts +++ b/clients/client-redshift/src/commands/CreateUsageLimitCommand.ts @@ -123,4 +123,16 @@ export class CreateUsageLimitCommand extends $Command .f(void 0, void 0) .ser(se_CreateUsageLimitCommand) .de(de_CreateUsageLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUsageLimitMessage; + output: UsageLimit; + }; + sdk: { + input: CreateUsageLimitCommandInput; + output: CreateUsageLimitCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeauthorizeDataShareCommand.ts b/clients/client-redshift/src/commands/DeauthorizeDataShareCommand.ts index 4f028c8235c8..6e31fb133d5f 100644 --- a/clients/client-redshift/src/commands/DeauthorizeDataShareCommand.ts +++ b/clients/client-redshift/src/commands/DeauthorizeDataShareCommand.ts @@ -95,4 +95,16 @@ export class DeauthorizeDataShareCommand extends $Command .f(void 0, void 0) .ser(se_DeauthorizeDataShareCommand) .de(de_DeauthorizeDataShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeauthorizeDataShareMessage; + output: DataShare; + }; + sdk: { + input: DeauthorizeDataShareCommandInput; + output: DeauthorizeDataShareCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteAuthenticationProfileCommand.ts b/clients/client-redshift/src/commands/DeleteAuthenticationProfileCommand.ts index 129f17191123..1e3980860779 100644 --- a/clients/client-redshift/src/commands/DeleteAuthenticationProfileCommand.ts +++ b/clients/client-redshift/src/commands/DeleteAuthenticationProfileCommand.ts @@ -84,4 +84,16 @@ export class DeleteAuthenticationProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAuthenticationProfileCommand) .de(de_DeleteAuthenticationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAuthenticationProfileMessage; + output: DeleteAuthenticationProfileResult; + }; + sdk: { + input: DeleteAuthenticationProfileCommandInput; + output: DeleteAuthenticationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteClusterCommand.ts b/clients/client-redshift/src/commands/DeleteClusterCommand.ts index 46f8e55322a4..a771b99b8a0b 100644 --- a/clients/client-redshift/src/commands/DeleteClusterCommand.ts +++ b/clients/client-redshift/src/commands/DeleteClusterCommand.ts @@ -302,4 +302,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, DeleteClusterResultFilterSensitiveLog) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterMessage; + output: DeleteClusterResult; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteClusterParameterGroupCommand.ts b/clients/client-redshift/src/commands/DeleteClusterParameterGroupCommand.ts index 8662f57cab26..4be87a44657d 100644 --- a/clients/client-redshift/src/commands/DeleteClusterParameterGroupCommand.ts +++ b/clients/client-redshift/src/commands/DeleteClusterParameterGroupCommand.ts @@ -87,4 +87,16 @@ export class DeleteClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterParameterGroupCommand) .de(de_DeleteClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterParameterGroupMessage; + output: {}; + }; + sdk: { + input: DeleteClusterParameterGroupCommandInput; + output: DeleteClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteClusterSecurityGroupCommand.ts b/clients/client-redshift/src/commands/DeleteClusterSecurityGroupCommand.ts index 91281288c58e..99d45b8e45a2 100644 --- a/clients/client-redshift/src/commands/DeleteClusterSecurityGroupCommand.ts +++ b/clients/client-redshift/src/commands/DeleteClusterSecurityGroupCommand.ts @@ -90,4 +90,16 @@ export class DeleteClusterSecurityGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterSecurityGroupCommand) .de(de_DeleteClusterSecurityGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterSecurityGroupMessage; + output: {}; + }; + sdk: { + input: DeleteClusterSecurityGroupCommandInput; + output: DeleteClusterSecurityGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteClusterSnapshotCommand.ts b/clients/client-redshift/src/commands/DeleteClusterSnapshotCommand.ts index 8cd0c4510dd9..5f78aa183770 100644 --- a/clients/client-redshift/src/commands/DeleteClusterSnapshotCommand.ts +++ b/clients/client-redshift/src/commands/DeleteClusterSnapshotCommand.ts @@ -141,4 +141,16 @@ export class DeleteClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterSnapshotCommand) .de(de_DeleteClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterSnapshotMessage; + output: DeleteClusterSnapshotResult; + }; + sdk: { + input: DeleteClusterSnapshotCommandInput; + output: DeleteClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteClusterSubnetGroupCommand.ts b/clients/client-redshift/src/commands/DeleteClusterSubnetGroupCommand.ts index 2a48e683c644..1355f7292aae 100644 --- a/clients/client-redshift/src/commands/DeleteClusterSubnetGroupCommand.ts +++ b/clients/client-redshift/src/commands/DeleteClusterSubnetGroupCommand.ts @@ -85,4 +85,16 @@ export class DeleteClusterSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterSubnetGroupCommand) .de(de_DeleteClusterSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterSubnetGroupMessage; + output: {}; + }; + sdk: { + input: DeleteClusterSubnetGroupCommandInput; + output: DeleteClusterSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteCustomDomainAssociationCommand.ts b/clients/client-redshift/src/commands/DeleteCustomDomainAssociationCommand.ts index 3d63a86a40da..7d383636ebf7 100644 --- a/clients/client-redshift/src/commands/DeleteCustomDomainAssociationCommand.ts +++ b/clients/client-redshift/src/commands/DeleteCustomDomainAssociationCommand.ts @@ -92,4 +92,16 @@ export class DeleteCustomDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomDomainAssociationCommand) .de(de_DeleteCustomDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomDomainAssociationMessage; + output: {}; + }; + sdk: { + input: DeleteCustomDomainAssociationCommandInput; + output: DeleteCustomDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteEndpointAccessCommand.ts b/clients/client-redshift/src/commands/DeleteEndpointAccessCommand.ts index e4235206a984..d6fe7001399d 100644 --- a/clients/client-redshift/src/commands/DeleteEndpointAccessCommand.ts +++ b/clients/client-redshift/src/commands/DeleteEndpointAccessCommand.ts @@ -119,4 +119,16 @@ export class DeleteEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointAccessCommand) .de(de_DeleteEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointAccessMessage; + output: EndpointAccess; + }; + sdk: { + input: DeleteEndpointAccessCommandInput; + output: DeleteEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteEventSubscriptionCommand.ts b/clients/client-redshift/src/commands/DeleteEventSubscriptionCommand.ts index dcd864c6abd7..8878ebf73cc3 100644 --- a/clients/client-redshift/src/commands/DeleteEventSubscriptionCommand.ts +++ b/clients/client-redshift/src/commands/DeleteEventSubscriptionCommand.ts @@ -83,4 +83,16 @@ export class DeleteEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEventSubscriptionCommand) .de(de_DeleteEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEventSubscriptionMessage; + output: {}; + }; + sdk: { + input: DeleteEventSubscriptionCommandInput; + output: DeleteEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteHsmClientCertificateCommand.ts b/clients/client-redshift/src/commands/DeleteHsmClientCertificateCommand.ts index a7abff9ff349..992435bab7c1 100644 --- a/clients/client-redshift/src/commands/DeleteHsmClientCertificateCommand.ts +++ b/clients/client-redshift/src/commands/DeleteHsmClientCertificateCommand.ts @@ -83,4 +83,16 @@ export class DeleteHsmClientCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHsmClientCertificateCommand) .de(de_DeleteHsmClientCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHsmClientCertificateMessage; + output: {}; + }; + sdk: { + input: DeleteHsmClientCertificateCommandInput; + output: DeleteHsmClientCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteHsmConfigurationCommand.ts b/clients/client-redshift/src/commands/DeleteHsmConfigurationCommand.ts index b0bf255b5f92..1dc16bd14601 100644 --- a/clients/client-redshift/src/commands/DeleteHsmConfigurationCommand.ts +++ b/clients/client-redshift/src/commands/DeleteHsmConfigurationCommand.ts @@ -82,4 +82,16 @@ export class DeleteHsmConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHsmConfigurationCommand) .de(de_DeleteHsmConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHsmConfigurationMessage; + output: {}; + }; + sdk: { + input: DeleteHsmConfigurationCommandInput; + output: DeleteHsmConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeletePartnerCommand.ts b/clients/client-redshift/src/commands/DeletePartnerCommand.ts index ff04a5a5478a..e5aa92175592 100644 --- a/clients/client-redshift/src/commands/DeletePartnerCommand.ts +++ b/clients/client-redshift/src/commands/DeletePartnerCommand.ts @@ -94,4 +94,16 @@ export class DeletePartnerCommand extends $Command .f(void 0, void 0) .ser(se_DeletePartnerCommand) .de(de_DeletePartnerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PartnerIntegrationInputMessage; + output: PartnerIntegrationOutputMessage; + }; + sdk: { + input: DeletePartnerCommandInput; + output: DeletePartnerCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteRedshiftIdcApplicationCommand.ts b/clients/client-redshift/src/commands/DeleteRedshiftIdcApplicationCommand.ts index 7f920e86341f..e4bf0f263aa5 100644 --- a/clients/client-redshift/src/commands/DeleteRedshiftIdcApplicationCommand.ts +++ b/clients/client-redshift/src/commands/DeleteRedshiftIdcApplicationCommand.ts @@ -88,4 +88,16 @@ export class DeleteRedshiftIdcApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRedshiftIdcApplicationCommand) .de(de_DeleteRedshiftIdcApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRedshiftIdcApplicationMessage; + output: {}; + }; + sdk: { + input: DeleteRedshiftIdcApplicationCommandInput; + output: DeleteRedshiftIdcApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-redshift/src/commands/DeleteResourcePolicyCommand.ts index ce6d9b05baa0..4a45bf37da2d 100644 --- a/clients/client-redshift/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-redshift/src/commands/DeleteResourcePolicyCommand.ts @@ -81,4 +81,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyMessage; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteScheduledActionCommand.ts b/clients/client-redshift/src/commands/DeleteScheduledActionCommand.ts index d8d522f0b3f1..dcc184b278c1 100644 --- a/clients/client-redshift/src/commands/DeleteScheduledActionCommand.ts +++ b/clients/client-redshift/src/commands/DeleteScheduledActionCommand.ts @@ -82,4 +82,16 @@ export class DeleteScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduledActionCommand) .de(de_DeleteScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduledActionMessage; + output: {}; + }; + sdk: { + input: DeleteScheduledActionCommandInput; + output: DeleteScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteSnapshotCopyGrantCommand.ts b/clients/client-redshift/src/commands/DeleteSnapshotCopyGrantCommand.ts index 1f6907315f49..051e795b04c9 100644 --- a/clients/client-redshift/src/commands/DeleteSnapshotCopyGrantCommand.ts +++ b/clients/client-redshift/src/commands/DeleteSnapshotCopyGrantCommand.ts @@ -83,4 +83,16 @@ export class DeleteSnapshotCopyGrantCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotCopyGrantCommand) .de(de_DeleteSnapshotCopyGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotCopyGrantMessage; + output: {}; + }; + sdk: { + input: DeleteSnapshotCopyGrantCommandInput; + output: DeleteSnapshotCopyGrantCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteSnapshotScheduleCommand.ts b/clients/client-redshift/src/commands/DeleteSnapshotScheduleCommand.ts index b8fc402c3a93..489f4d4965a4 100644 --- a/clients/client-redshift/src/commands/DeleteSnapshotScheduleCommand.ts +++ b/clients/client-redshift/src/commands/DeleteSnapshotScheduleCommand.ts @@ -81,4 +81,16 @@ export class DeleteSnapshotScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotScheduleCommand) .de(de_DeleteSnapshotScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotScheduleMessage; + output: {}; + }; + sdk: { + input: DeleteSnapshotScheduleCommandInput; + output: DeleteSnapshotScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteTagsCommand.ts b/clients/client-redshift/src/commands/DeleteTagsCommand.ts index 01a27cc35256..daeb74917f34 100644 --- a/clients/client-redshift/src/commands/DeleteTagsCommand.ts +++ b/clients/client-redshift/src/commands/DeleteTagsCommand.ts @@ -85,4 +85,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsMessage; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DeleteUsageLimitCommand.ts b/clients/client-redshift/src/commands/DeleteUsageLimitCommand.ts index b55c48b5e50f..a14a2b58a7b2 100644 --- a/clients/client-redshift/src/commands/DeleteUsageLimitCommand.ts +++ b/clients/client-redshift/src/commands/DeleteUsageLimitCommand.ts @@ -81,4 +81,16 @@ export class DeleteUsageLimitCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUsageLimitCommand) .de(de_DeleteUsageLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUsageLimitMessage; + output: {}; + }; + sdk: { + input: DeleteUsageLimitCommandInput; + output: DeleteUsageLimitCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeAccountAttributesCommand.ts b/clients/client-redshift/src/commands/DescribeAccountAttributesCommand.ts index e0c6f5f4202c..03569968143a 100644 --- a/clients/client-redshift/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-redshift/src/commands/DescribeAccountAttributesCommand.ts @@ -88,4 +88,16 @@ export class DescribeAccountAttributesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAttributesCommand) .de(de_DescribeAccountAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountAttributesMessage; + output: AccountAttributeList; + }; + sdk: { + input: DescribeAccountAttributesCommandInput; + output: DescribeAccountAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeAuthenticationProfilesCommand.ts b/clients/client-redshift/src/commands/DescribeAuthenticationProfilesCommand.ts index 84ed5002068a..9aa34d7fb319 100644 --- a/clients/client-redshift/src/commands/DescribeAuthenticationProfilesCommand.ts +++ b/clients/client-redshift/src/commands/DescribeAuthenticationProfilesCommand.ts @@ -94,4 +94,16 @@ export class DescribeAuthenticationProfilesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuthenticationProfilesCommand) .de(de_DescribeAuthenticationProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuthenticationProfilesMessage; + output: DescribeAuthenticationProfilesResult; + }; + sdk: { + input: DescribeAuthenticationProfilesCommandInput; + output: DescribeAuthenticationProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterDbRevisionsCommand.ts b/clients/client-redshift/src/commands/DescribeClusterDbRevisionsCommand.ts index c5ffd4a99602..999f82856f92 100644 --- a/clients/client-redshift/src/commands/DescribeClusterDbRevisionsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterDbRevisionsCommand.ts @@ -100,4 +100,16 @@ export class DescribeClusterDbRevisionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterDbRevisionsCommand) .de(de_DescribeClusterDbRevisionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterDbRevisionsMessage; + output: ClusterDbRevisionsMessage; + }; + sdk: { + input: DescribeClusterDbRevisionsCommandInput; + output: DescribeClusterDbRevisionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterParameterGroupsCommand.ts b/clients/client-redshift/src/commands/DescribeClusterParameterGroupsCommand.ts index ce3420247615..08f358c19afb 100644 --- a/clients/client-redshift/src/commands/DescribeClusterParameterGroupsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterParameterGroupsCommand.ts @@ -123,4 +123,16 @@ export class DescribeClusterParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterParameterGroupsCommand) .de(de_DescribeClusterParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterParameterGroupsMessage; + output: ClusterParameterGroupsMessage; + }; + sdk: { + input: DescribeClusterParameterGroupsCommandInput; + output: DescribeClusterParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterParametersCommand.ts b/clients/client-redshift/src/commands/DescribeClusterParametersCommand.ts index 5172836f2ad5..1f43b259faed 100644 --- a/clients/client-redshift/src/commands/DescribeClusterParametersCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterParametersCommand.ts @@ -107,4 +107,16 @@ export class DescribeClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterParametersCommand) .de(de_DescribeClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterParametersMessage; + output: ClusterParameterGroupDetails; + }; + sdk: { + input: DescribeClusterParametersCommandInput; + output: DescribeClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterSecurityGroupsCommand.ts b/clients/client-redshift/src/commands/DescribeClusterSecurityGroupsCommand.ts index 40eff274b41f..487f31892165 100644 --- a/clients/client-redshift/src/commands/DescribeClusterSecurityGroupsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterSecurityGroupsCommand.ts @@ -146,4 +146,16 @@ export class DescribeClusterSecurityGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterSecurityGroupsCommand) .de(de_DescribeClusterSecurityGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterSecurityGroupsMessage; + output: ClusterSecurityGroupMessage; + }; + sdk: { + input: DescribeClusterSecurityGroupsCommandInput; + output: DescribeClusterSecurityGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterSnapshotsCommand.ts b/clients/client-redshift/src/commands/DescribeClusterSnapshotsCommand.ts index f67e3ee39c38..66f65d8064b0 100644 --- a/clients/client-redshift/src/commands/DescribeClusterSnapshotsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterSnapshotsCommand.ts @@ -176,4 +176,16 @@ export class DescribeClusterSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterSnapshotsCommand) .de(de_DescribeClusterSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterSnapshotsMessage; + output: SnapshotMessage; + }; + sdk: { + input: DescribeClusterSnapshotsCommandInput; + output: DescribeClusterSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterSubnetGroupsCommand.ts b/clients/client-redshift/src/commands/DescribeClusterSubnetGroupsCommand.ts index 2e6061929733..1685a6d07a16 100644 --- a/clients/client-redshift/src/commands/DescribeClusterSubnetGroupsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterSubnetGroupsCommand.ts @@ -133,4 +133,16 @@ export class DescribeClusterSubnetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterSubnetGroupsCommand) .de(de_DescribeClusterSubnetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterSubnetGroupsMessage; + output: ClusterSubnetGroupMessage; + }; + sdk: { + input: DescribeClusterSubnetGroupsCommandInput; + output: DescribeClusterSubnetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterTracksCommand.ts b/clients/client-redshift/src/commands/DescribeClusterTracksCommand.ts index 9a5277a74b2d..511c8d84ff37 100644 --- a/clients/client-redshift/src/commands/DescribeClusterTracksCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterTracksCommand.ts @@ -102,4 +102,16 @@ export class DescribeClusterTracksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterTracksCommand) .de(de_DescribeClusterTracksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterTracksMessage; + output: TrackListMessage; + }; + sdk: { + input: DescribeClusterTracksCommandInput; + output: DescribeClusterTracksCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClusterVersionsCommand.ts b/clients/client-redshift/src/commands/DescribeClusterVersionsCommand.ts index 4e32e54e52fe..330fcbeab98d 100644 --- a/clients/client-redshift/src/commands/DescribeClusterVersionsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClusterVersionsCommand.ts @@ -93,4 +93,16 @@ export class DescribeClusterVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterVersionsCommand) .de(de_DescribeClusterVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterVersionsMessage; + output: ClusterVersionsMessage; + }; + sdk: { + input: DescribeClusterVersionsCommandInput; + output: DescribeClusterVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeClustersCommand.ts b/clients/client-redshift/src/commands/DescribeClustersCommand.ts index be26a75dd665..e26172633a34 100644 --- a/clients/client-redshift/src/commands/DescribeClustersCommand.ts +++ b/clients/client-redshift/src/commands/DescribeClustersCommand.ts @@ -295,4 +295,16 @@ export class DescribeClustersCommand extends $Command .f(void 0, ClustersMessageFilterSensitiveLog) .ser(se_DescribeClustersCommand) .de(de_DescribeClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClustersMessage; + output: ClustersMessage; + }; + sdk: { + input: DescribeClustersCommandInput; + output: DescribeClustersCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeCustomDomainAssociationsCommand.ts b/clients/client-redshift/src/commands/DescribeCustomDomainAssociationsCommand.ts index 0f3fca0c8b25..82ed313823d3 100644 --- a/clients/client-redshift/src/commands/DescribeCustomDomainAssociationsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeCustomDomainAssociationsCommand.ts @@ -104,4 +104,16 @@ export class DescribeCustomDomainAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCustomDomainAssociationsCommand) .de(de_DescribeCustomDomainAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCustomDomainAssociationsMessage; + output: CustomDomainAssociationsMessage; + }; + sdk: { + input: DescribeCustomDomainAssociationsCommandInput; + output: DescribeCustomDomainAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeDataSharesCommand.ts b/clients/client-redshift/src/commands/DescribeDataSharesCommand.ts index 9aaddd4ca483..1d0de23cfdf8 100644 --- a/clients/client-redshift/src/commands/DescribeDataSharesCommand.ts +++ b/clients/client-redshift/src/commands/DescribeDataSharesCommand.ts @@ -102,4 +102,16 @@ export class DescribeDataSharesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSharesCommand) .de(de_DescribeDataSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSharesMessage; + output: DescribeDataSharesResult; + }; + sdk: { + input: DescribeDataSharesCommandInput; + output: DescribeDataSharesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeDataSharesForConsumerCommand.ts b/clients/client-redshift/src/commands/DescribeDataSharesForConsumerCommand.ts index 1d848467adbd..312c09ea9496 100644 --- a/clients/client-redshift/src/commands/DescribeDataSharesForConsumerCommand.ts +++ b/clients/client-redshift/src/commands/DescribeDataSharesForConsumerCommand.ts @@ -107,4 +107,16 @@ export class DescribeDataSharesForConsumerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSharesForConsumerCommand) .de(de_DescribeDataSharesForConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSharesForConsumerMessage; + output: DescribeDataSharesForConsumerResult; + }; + sdk: { + input: DescribeDataSharesForConsumerCommandInput; + output: DescribeDataSharesForConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeDataSharesForProducerCommand.ts b/clients/client-redshift/src/commands/DescribeDataSharesForProducerCommand.ts index 578718d4cceb..b7cd42a99cab 100644 --- a/clients/client-redshift/src/commands/DescribeDataSharesForProducerCommand.ts +++ b/clients/client-redshift/src/commands/DescribeDataSharesForProducerCommand.ts @@ -107,4 +107,16 @@ export class DescribeDataSharesForProducerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataSharesForProducerCommand) .de(de_DescribeDataSharesForProducerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataSharesForProducerMessage; + output: DescribeDataSharesForProducerResult; + }; + sdk: { + input: DescribeDataSharesForProducerCommandInput; + output: DescribeDataSharesForProducerCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeDefaultClusterParametersCommand.ts b/clients/client-redshift/src/commands/DescribeDefaultClusterParametersCommand.ts index 0377f6f920da..4eb55df53dff 100644 --- a/clients/client-redshift/src/commands/DescribeDefaultClusterParametersCommand.ts +++ b/clients/client-redshift/src/commands/DescribeDefaultClusterParametersCommand.ts @@ -105,4 +105,16 @@ export class DescribeDefaultClusterParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDefaultClusterParametersCommand) .de(de_DescribeDefaultClusterParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDefaultClusterParametersMessage; + output: DescribeDefaultClusterParametersResult; + }; + sdk: { + input: DescribeDefaultClusterParametersCommandInput; + output: DescribeDefaultClusterParametersCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeEndpointAccessCommand.ts b/clients/client-redshift/src/commands/DescribeEndpointAccessCommand.ts index d5fa631eac95..1d53d683e0e4 100644 --- a/clients/client-redshift/src/commands/DescribeEndpointAccessCommand.ts +++ b/clients/client-redshift/src/commands/DescribeEndpointAccessCommand.ts @@ -123,4 +123,16 @@ export class DescribeEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointAccessCommand) .de(de_DescribeEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointAccessMessage; + output: EndpointAccessList; + }; + sdk: { + input: DescribeEndpointAccessCommandInput; + output: DescribeEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeEndpointAuthorizationCommand.ts b/clients/client-redshift/src/commands/DescribeEndpointAuthorizationCommand.ts index dce06bb37d49..cfff71b9f501 100644 --- a/clients/client-redshift/src/commands/DescribeEndpointAuthorizationCommand.ts +++ b/clients/client-redshift/src/commands/DescribeEndpointAuthorizationCommand.ts @@ -106,4 +106,16 @@ export class DescribeEndpointAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointAuthorizationCommand) .de(de_DescribeEndpointAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointAuthorizationMessage; + output: EndpointAuthorizationList; + }; + sdk: { + input: DescribeEndpointAuthorizationCommandInput; + output: DescribeEndpointAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeEventCategoriesCommand.ts b/clients/client-redshift/src/commands/DescribeEventCategoriesCommand.ts index 4b8b6bee7ed1..2cffc03f29b5 100644 --- a/clients/client-redshift/src/commands/DescribeEventCategoriesCommand.ts +++ b/clients/client-redshift/src/commands/DescribeEventCategoriesCommand.ts @@ -93,4 +93,16 @@ export class DescribeEventCategoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventCategoriesCommand) .de(de_DescribeEventCategoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventCategoriesMessage; + output: EventCategoriesMessage; + }; + sdk: { + input: DescribeEventCategoriesCommandInput; + output: DescribeEventCategoriesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeEventSubscriptionsCommand.ts b/clients/client-redshift/src/commands/DescribeEventSubscriptionsCommand.ts index 018d12e44fc4..6fefcbea984f 100644 --- a/clients/client-redshift/src/commands/DescribeEventSubscriptionsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeEventSubscriptionsCommand.ts @@ -126,4 +126,16 @@ export class DescribeEventSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventSubscriptionsCommand) .de(de_DescribeEventSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventSubscriptionsMessage; + output: EventSubscriptionsMessage; + }; + sdk: { + input: DescribeEventSubscriptionsCommandInput; + output: DescribeEventSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeEventsCommand.ts b/clients/client-redshift/src/commands/DescribeEventsCommand.ts index 41992064fbc8..49a94a7f0d9a 100644 --- a/clients/client-redshift/src/commands/DescribeEventsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeEventsCommand.ts @@ -99,4 +99,16 @@ export class DescribeEventsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEventsCommand) .de(de_DescribeEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEventsMessage; + output: EventsMessage; + }; + sdk: { + input: DescribeEventsCommandInput; + output: DescribeEventsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeHsmClientCertificatesCommand.ts b/clients/client-redshift/src/commands/DescribeHsmClientCertificatesCommand.ts index 295e45f518bb..95571ebe726e 100644 --- a/clients/client-redshift/src/commands/DescribeHsmClientCertificatesCommand.ts +++ b/clients/client-redshift/src/commands/DescribeHsmClientCertificatesCommand.ts @@ -116,4 +116,16 @@ export class DescribeHsmClientCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHsmClientCertificatesCommand) .de(de_DescribeHsmClientCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHsmClientCertificatesMessage; + output: HsmClientCertificateMessage; + }; + sdk: { + input: DescribeHsmClientCertificatesCommandInput; + output: DescribeHsmClientCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeHsmConfigurationsCommand.ts b/clients/client-redshift/src/commands/DescribeHsmConfigurationsCommand.ts index 4fb969ced742..d5f4c3be39ae 100644 --- a/clients/client-redshift/src/commands/DescribeHsmConfigurationsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeHsmConfigurationsCommand.ts @@ -115,4 +115,16 @@ export class DescribeHsmConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHsmConfigurationsCommand) .de(de_DescribeHsmConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHsmConfigurationsMessage; + output: HsmConfigurationMessage; + }; + sdk: { + input: DescribeHsmConfigurationsCommandInput; + output: DescribeHsmConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeInboundIntegrationsCommand.ts b/clients/client-redshift/src/commands/DescribeInboundIntegrationsCommand.ts index cc2afae03d0d..47581f40f7c6 100644 --- a/clients/client-redshift/src/commands/DescribeInboundIntegrationsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeInboundIntegrationsCommand.ts @@ -104,4 +104,16 @@ export class DescribeInboundIntegrationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInboundIntegrationsCommand) .de(de_DescribeInboundIntegrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInboundIntegrationsMessage; + output: InboundIntegrationsMessage; + }; + sdk: { + input: DescribeInboundIntegrationsCommandInput; + output: DescribeInboundIntegrationsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeLoggingStatusCommand.ts b/clients/client-redshift/src/commands/DescribeLoggingStatusCommand.ts index e83462016ac6..23b5c5896682 100644 --- a/clients/client-redshift/src/commands/DescribeLoggingStatusCommand.ts +++ b/clients/client-redshift/src/commands/DescribeLoggingStatusCommand.ts @@ -94,4 +94,16 @@ export class DescribeLoggingStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLoggingStatusCommand) .de(de_DescribeLoggingStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLoggingStatusMessage; + output: LoggingStatus; + }; + sdk: { + input: DescribeLoggingStatusCommandInput; + output: DescribeLoggingStatusCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeNodeConfigurationOptionsCommand.ts b/clients/client-redshift/src/commands/DescribeNodeConfigurationOptionsCommand.ts index cc270781a0d0..c26159841f8d 100644 --- a/clients/client-redshift/src/commands/DescribeNodeConfigurationOptionsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeNodeConfigurationOptionsCommand.ts @@ -124,4 +124,16 @@ export class DescribeNodeConfigurationOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNodeConfigurationOptionsCommand) .de(de_DescribeNodeConfigurationOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNodeConfigurationOptionsMessage; + output: NodeConfigurationOptionsMessage; + }; + sdk: { + input: DescribeNodeConfigurationOptionsCommandInput; + output: DescribeNodeConfigurationOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeOrderableClusterOptionsCommand.ts b/clients/client-redshift/src/commands/DescribeOrderableClusterOptionsCommand.ts index c823912d1939..ad8e5861d69d 100644 --- a/clients/client-redshift/src/commands/DescribeOrderableClusterOptionsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeOrderableClusterOptionsCommand.ts @@ -110,4 +110,16 @@ export class DescribeOrderableClusterOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrderableClusterOptionsCommand) .de(de_DescribeOrderableClusterOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrderableClusterOptionsMessage; + output: OrderableClusterOptionsMessage; + }; + sdk: { + input: DescribeOrderableClusterOptionsCommandInput; + output: DescribeOrderableClusterOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribePartnersCommand.ts b/clients/client-redshift/src/commands/DescribePartnersCommand.ts index 736fd947ec1b..407af2b2653b 100644 --- a/clients/client-redshift/src/commands/DescribePartnersCommand.ts +++ b/clients/client-redshift/src/commands/DescribePartnersCommand.ts @@ -99,4 +99,16 @@ export class DescribePartnersCommand extends $Command .f(void 0, void 0) .ser(se_DescribePartnersCommand) .de(de_DescribePartnersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePartnersInputMessage; + output: DescribePartnersOutputMessage; + }; + sdk: { + input: DescribePartnersCommandInput; + output: DescribePartnersCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeRedshiftIdcApplicationsCommand.ts b/clients/client-redshift/src/commands/DescribeRedshiftIdcApplicationsCommand.ts index e85fbf103e9d..00017a015895 100644 --- a/clients/client-redshift/src/commands/DescribeRedshiftIdcApplicationsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeRedshiftIdcApplicationsCommand.ts @@ -128,4 +128,16 @@ export class DescribeRedshiftIdcApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRedshiftIdcApplicationsCommand) .de(de_DescribeRedshiftIdcApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRedshiftIdcApplicationsMessage; + output: DescribeRedshiftIdcApplicationsResult; + }; + sdk: { + input: DescribeRedshiftIdcApplicationsCommandInput; + output: DescribeRedshiftIdcApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeReservedNodeExchangeStatusCommand.ts b/clients/client-redshift/src/commands/DescribeReservedNodeExchangeStatusCommand.ts index d9e272e04cd9..4ccd1b652d8c 100644 --- a/clients/client-redshift/src/commands/DescribeReservedNodeExchangeStatusCommand.ts +++ b/clients/client-redshift/src/commands/DescribeReservedNodeExchangeStatusCommand.ts @@ -112,4 +112,16 @@ export class DescribeReservedNodeExchangeStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedNodeExchangeStatusCommand) .de(de_DescribeReservedNodeExchangeStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedNodeExchangeStatusInputMessage; + output: DescribeReservedNodeExchangeStatusOutputMessage; + }; + sdk: { + input: DescribeReservedNodeExchangeStatusCommandInput; + output: DescribeReservedNodeExchangeStatusCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeReservedNodeOfferingsCommand.ts b/clients/client-redshift/src/commands/DescribeReservedNodeOfferingsCommand.ts index 51a98e104da3..156f6b84fd66 100644 --- a/clients/client-redshift/src/commands/DescribeReservedNodeOfferingsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeReservedNodeOfferingsCommand.ts @@ -119,4 +119,16 @@ export class DescribeReservedNodeOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedNodeOfferingsCommand) .de(de_DescribeReservedNodeOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedNodeOfferingsMessage; + output: ReservedNodeOfferingsMessage; + }; + sdk: { + input: DescribeReservedNodeOfferingsCommandInput; + output: DescribeReservedNodeOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeReservedNodesCommand.ts b/clients/client-redshift/src/commands/DescribeReservedNodesCommand.ts index 1debff473260..d0c52d4fb757 100644 --- a/clients/client-redshift/src/commands/DescribeReservedNodesCommand.ts +++ b/clients/client-redshift/src/commands/DescribeReservedNodesCommand.ts @@ -108,4 +108,16 @@ export class DescribeReservedNodesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReservedNodesCommand) .de(de_DescribeReservedNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReservedNodesMessage; + output: ReservedNodesMessage; + }; + sdk: { + input: DescribeReservedNodesCommandInput; + output: DescribeReservedNodesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeResizeCommand.ts b/clients/client-redshift/src/commands/DescribeResizeCommand.ts index ddead09efca9..48030813f886 100644 --- a/clients/client-redshift/src/commands/DescribeResizeCommand.ts +++ b/clients/client-redshift/src/commands/DescribeResizeCommand.ts @@ -114,4 +114,16 @@ export class DescribeResizeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResizeCommand) .de(de_DescribeResizeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResizeMessage; + output: ResizeProgressMessage; + }; + sdk: { + input: DescribeResizeCommandInput; + output: DescribeResizeCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeScheduledActionsCommand.ts b/clients/client-redshift/src/commands/DescribeScheduledActionsCommand.ts index 6cf994237ed3..b8b3bb1d1baa 100644 --- a/clients/client-redshift/src/commands/DescribeScheduledActionsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeScheduledActionsCommand.ts @@ -129,4 +129,16 @@ export class DescribeScheduledActionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeScheduledActionsCommand) .de(de_DescribeScheduledActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduledActionsMessage; + output: ScheduledActionsMessage; + }; + sdk: { + input: DescribeScheduledActionsCommandInput; + output: DescribeScheduledActionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeSnapshotCopyGrantsCommand.ts b/clients/client-redshift/src/commands/DescribeSnapshotCopyGrantsCommand.ts index dfdb90aebee2..0c9f3e6eaf0f 100644 --- a/clients/client-redshift/src/commands/DescribeSnapshotCopyGrantsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeSnapshotCopyGrantsCommand.ts @@ -110,4 +110,16 @@ export class DescribeSnapshotCopyGrantsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotCopyGrantsCommand) .de(de_DescribeSnapshotCopyGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotCopyGrantsMessage; + output: SnapshotCopyGrantMessage; + }; + sdk: { + input: DescribeSnapshotCopyGrantsCommandInput; + output: DescribeSnapshotCopyGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeSnapshotSchedulesCommand.ts b/clients/client-redshift/src/commands/DescribeSnapshotSchedulesCommand.ts index c6d2121bc974..82d7b96fae6a 100644 --- a/clients/client-redshift/src/commands/DescribeSnapshotSchedulesCommand.ts +++ b/clients/client-redshift/src/commands/DescribeSnapshotSchedulesCommand.ts @@ -113,4 +113,16 @@ export class DescribeSnapshotSchedulesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotSchedulesCommand) .de(de_DescribeSnapshotSchedulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotSchedulesMessage; + output: DescribeSnapshotSchedulesOutputMessage; + }; + sdk: { + input: DescribeSnapshotSchedulesCommandInput; + output: DescribeSnapshotSchedulesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeStorageCommand.ts b/clients/client-redshift/src/commands/DescribeStorageCommand.ts index 3687f8746935..6b56b336fa4f 100644 --- a/clients/client-redshift/src/commands/DescribeStorageCommand.ts +++ b/clients/client-redshift/src/commands/DescribeStorageCommand.ts @@ -76,4 +76,16 @@ export class DescribeStorageCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStorageCommand) .de(de_DescribeStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: CustomerStorageMessage; + }; + sdk: { + input: DescribeStorageCommandInput; + output: DescribeStorageCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeTableRestoreStatusCommand.ts b/clients/client-redshift/src/commands/DescribeTableRestoreStatusCommand.ts index 412e387e5c49..0309b9c34fa6 100644 --- a/clients/client-redshift/src/commands/DescribeTableRestoreStatusCommand.ts +++ b/clients/client-redshift/src/commands/DescribeTableRestoreStatusCommand.ts @@ -110,4 +110,16 @@ export class DescribeTableRestoreStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTableRestoreStatusCommand) .de(de_DescribeTableRestoreStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTableRestoreStatusMessage; + output: TableRestoreStatusMessage; + }; + sdk: { + input: DescribeTableRestoreStatusCommandInput; + output: DescribeTableRestoreStatusCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeTagsCommand.ts b/clients/client-redshift/src/commands/DescribeTagsCommand.ts index 5ac45f44bb35..ba1e691b71c4 100644 --- a/clients/client-redshift/src/commands/DescribeTagsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeTagsCommand.ts @@ -126,4 +126,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsMessage; + output: TaggedResourceListMessage; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DescribeUsageLimitsCommand.ts b/clients/client-redshift/src/commands/DescribeUsageLimitsCommand.ts index c37f1c90a259..9f4f54ec71ef 100644 --- a/clients/client-redshift/src/commands/DescribeUsageLimitsCommand.ts +++ b/clients/client-redshift/src/commands/DescribeUsageLimitsCommand.ts @@ -130,4 +130,16 @@ export class DescribeUsageLimitsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUsageLimitsCommand) .de(de_DescribeUsageLimitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUsageLimitsMessage; + output: UsageLimitList; + }; + sdk: { + input: DescribeUsageLimitsCommandInput; + output: DescribeUsageLimitsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DisableLoggingCommand.ts b/clients/client-redshift/src/commands/DisableLoggingCommand.ts index ec30efeab10a..7e0433ad3663 100644 --- a/clients/client-redshift/src/commands/DisableLoggingCommand.ts +++ b/clients/client-redshift/src/commands/DisableLoggingCommand.ts @@ -97,4 +97,16 @@ export class DisableLoggingCommand extends $Command .f(void 0, void 0) .ser(se_DisableLoggingCommand) .de(de_DisableLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableLoggingMessage; + output: LoggingStatus; + }; + sdk: { + input: DisableLoggingCommandInput; + output: DisableLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DisableSnapshotCopyCommand.ts b/clients/client-redshift/src/commands/DisableSnapshotCopyCommand.ts index f72d908a097c..b9fdf04c89cb 100644 --- a/clients/client-redshift/src/commands/DisableSnapshotCopyCommand.ts +++ b/clients/client-redshift/src/commands/DisableSnapshotCopyCommand.ts @@ -289,4 +289,16 @@ export class DisableSnapshotCopyCommand extends $Command .f(void 0, DisableSnapshotCopyResultFilterSensitiveLog) .ser(se_DisableSnapshotCopyCommand) .de(de_DisableSnapshotCopyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableSnapshotCopyMessage; + output: DisableSnapshotCopyResult; + }; + sdk: { + input: DisableSnapshotCopyCommandInput; + output: DisableSnapshotCopyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/DisassociateDataShareConsumerCommand.ts b/clients/client-redshift/src/commands/DisassociateDataShareConsumerCommand.ts index 9d44502830a8..c5bac10ad010 100644 --- a/clients/client-redshift/src/commands/DisassociateDataShareConsumerCommand.ts +++ b/clients/client-redshift/src/commands/DisassociateDataShareConsumerCommand.ts @@ -105,4 +105,16 @@ export class DisassociateDataShareConsumerCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDataShareConsumerCommand) .de(de_DisassociateDataShareConsumerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateDataShareConsumerMessage; + output: DataShare; + }; + sdk: { + input: DisassociateDataShareConsumerCommandInput; + output: DisassociateDataShareConsumerCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/EnableLoggingCommand.ts b/clients/client-redshift/src/commands/EnableLoggingCommand.ts index 2a642b510065..a57e5536ecb5 100644 --- a/clients/client-redshift/src/commands/EnableLoggingCommand.ts +++ b/clients/client-redshift/src/commands/EnableLoggingCommand.ts @@ -120,4 +120,16 @@ export class EnableLoggingCommand extends $Command .f(void 0, void 0) .ser(se_EnableLoggingCommand) .de(de_EnableLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableLoggingMessage; + output: LoggingStatus; + }; + sdk: { + input: EnableLoggingCommandInput; + output: EnableLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/EnableSnapshotCopyCommand.ts b/clients/client-redshift/src/commands/EnableSnapshotCopyCommand.ts index 48cb88e97fd2..4ff14eeacf72 100644 --- a/clients/client-redshift/src/commands/EnableSnapshotCopyCommand.ts +++ b/clients/client-redshift/src/commands/EnableSnapshotCopyCommand.ts @@ -312,4 +312,16 @@ export class EnableSnapshotCopyCommand extends $Command .f(void 0, EnableSnapshotCopyResultFilterSensitiveLog) .ser(se_EnableSnapshotCopyCommand) .de(de_EnableSnapshotCopyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableSnapshotCopyMessage; + output: EnableSnapshotCopyResult; + }; + sdk: { + input: EnableSnapshotCopyCommandInput; + output: EnableSnapshotCopyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/FailoverPrimaryComputeCommand.ts b/clients/client-redshift/src/commands/FailoverPrimaryComputeCommand.ts index 656804ffea9c..6a9a5ef11a5e 100644 --- a/clients/client-redshift/src/commands/FailoverPrimaryComputeCommand.ts +++ b/clients/client-redshift/src/commands/FailoverPrimaryComputeCommand.ts @@ -282,4 +282,16 @@ export class FailoverPrimaryComputeCommand extends $Command .f(void 0, FailoverPrimaryComputeResultFilterSensitiveLog) .ser(se_FailoverPrimaryComputeCommand) .de(de_FailoverPrimaryComputeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FailoverPrimaryComputeInputMessage; + output: FailoverPrimaryComputeResult; + }; + sdk: { + input: FailoverPrimaryComputeCommandInput; + output: FailoverPrimaryComputeCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/GetClusterCredentialsCommand.ts b/clients/client-redshift/src/commands/GetClusterCredentialsCommand.ts index 0595cc6b48aa..a927fd1753d8 100644 --- a/clients/client-redshift/src/commands/GetClusterCredentialsCommand.ts +++ b/clients/client-redshift/src/commands/GetClusterCredentialsCommand.ts @@ -115,4 +115,16 @@ export class GetClusterCredentialsCommand extends $Command .f(void 0, ClusterCredentialsFilterSensitiveLog) .ser(se_GetClusterCredentialsCommand) .de(de_GetClusterCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClusterCredentialsMessage; + output: ClusterCredentials; + }; + sdk: { + input: GetClusterCredentialsCommandInput; + output: GetClusterCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/GetClusterCredentialsWithIAMCommand.ts b/clients/client-redshift/src/commands/GetClusterCredentialsWithIAMCommand.ts index a23a2edd35cc..3b0dc6deb081 100644 --- a/clients/client-redshift/src/commands/GetClusterCredentialsWithIAMCommand.ts +++ b/clients/client-redshift/src/commands/GetClusterCredentialsWithIAMCommand.ts @@ -100,4 +100,16 @@ export class GetClusterCredentialsWithIAMCommand extends $Command .f(void 0, ClusterExtendedCredentialsFilterSensitiveLog) .ser(se_GetClusterCredentialsWithIAMCommand) .de(de_GetClusterCredentialsWithIAMCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetClusterCredentialsWithIAMMessage; + output: ClusterExtendedCredentials; + }; + sdk: { + input: GetClusterCredentialsWithIAMCommandInput; + output: GetClusterCredentialsWithIAMCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/GetReservedNodeExchangeConfigurationOptionsCommand.ts b/clients/client-redshift/src/commands/GetReservedNodeExchangeConfigurationOptionsCommand.ts index 90a9c70085fb..1fce2dbea4a1 100644 --- a/clients/client-redshift/src/commands/GetReservedNodeExchangeConfigurationOptionsCommand.ts +++ b/clients/client-redshift/src/commands/GetReservedNodeExchangeConfigurationOptionsCommand.ts @@ -159,4 +159,16 @@ export class GetReservedNodeExchangeConfigurationOptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetReservedNodeExchangeConfigurationOptionsCommand) .de(de_GetReservedNodeExchangeConfigurationOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReservedNodeExchangeConfigurationOptionsInputMessage; + output: GetReservedNodeExchangeConfigurationOptionsOutputMessage; + }; + sdk: { + input: GetReservedNodeExchangeConfigurationOptionsCommandInput; + output: GetReservedNodeExchangeConfigurationOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/GetReservedNodeExchangeOfferingsCommand.ts b/clients/client-redshift/src/commands/GetReservedNodeExchangeOfferingsCommand.ts index a07e3261f8a9..b23017bf88d2 100644 --- a/clients/client-redshift/src/commands/GetReservedNodeExchangeOfferingsCommand.ts +++ b/clients/client-redshift/src/commands/GetReservedNodeExchangeOfferingsCommand.ts @@ -125,4 +125,16 @@ export class GetReservedNodeExchangeOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_GetReservedNodeExchangeOfferingsCommand) .de(de_GetReservedNodeExchangeOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReservedNodeExchangeOfferingsInputMessage; + output: GetReservedNodeExchangeOfferingsOutputMessage; + }; + sdk: { + input: GetReservedNodeExchangeOfferingsCommandInput; + output: GetReservedNodeExchangeOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/GetResourcePolicyCommand.ts b/clients/client-redshift/src/commands/GetResourcePolicyCommand.ts index 8fee0d41520e..b6680d9a5c73 100644 --- a/clients/client-redshift/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-redshift/src/commands/GetResourcePolicyCommand.ts @@ -89,4 +89,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyMessage; + output: GetResourcePolicyResult; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ListRecommendationsCommand.ts b/clients/client-redshift/src/commands/ListRecommendationsCommand.ts index 2164ce96d9ee..d3a8228c68df 100644 --- a/clients/client-redshift/src/commands/ListRecommendationsCommand.ts +++ b/clients/client-redshift/src/commands/ListRecommendationsCommand.ts @@ -115,4 +115,16 @@ export class ListRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationsCommand) .de(de_ListRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationsMessage; + output: ListRecommendationsResult; + }; + sdk: { + input: ListRecommendationsCommandInput; + output: ListRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyAquaConfigurationCommand.ts b/clients/client-redshift/src/commands/ModifyAquaConfigurationCommand.ts index 5c8d881785db..77fd01a35745 100644 --- a/clients/client-redshift/src/commands/ModifyAquaConfigurationCommand.ts +++ b/clients/client-redshift/src/commands/ModifyAquaConfigurationCommand.ts @@ -91,4 +91,16 @@ export class ModifyAquaConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyAquaConfigurationCommand) .de(de_ModifyAquaConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyAquaInputMessage; + output: ModifyAquaOutputMessage; + }; + sdk: { + input: ModifyAquaConfigurationCommandInput; + output: ModifyAquaConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyAuthenticationProfileCommand.ts b/clients/client-redshift/src/commands/ModifyAuthenticationProfileCommand.ts index ed8c2398a810..ca1ffad94cae 100644 --- a/clients/client-redshift/src/commands/ModifyAuthenticationProfileCommand.ts +++ b/clients/client-redshift/src/commands/ModifyAuthenticationProfileCommand.ts @@ -90,4 +90,16 @@ export class ModifyAuthenticationProfileCommand extends $Command .f(void 0, void 0) .ser(se_ModifyAuthenticationProfileCommand) .de(de_ModifyAuthenticationProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyAuthenticationProfileMessage; + output: ModifyAuthenticationProfileResult; + }; + sdk: { + input: ModifyAuthenticationProfileCommandInput; + output: ModifyAuthenticationProfileCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterCommand.ts b/clients/client-redshift/src/commands/ModifyClusterCommand.ts index 074f0f71f3a8..e5e3a66ef663 100644 --- a/clients/client-redshift/src/commands/ModifyClusterCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterCommand.ts @@ -388,4 +388,16 @@ export class ModifyClusterCommand extends $Command .f(ModifyClusterMessageFilterSensitiveLog, ModifyClusterResultFilterSensitiveLog) .ser(se_ModifyClusterCommand) .de(de_ModifyClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterMessage; + output: ModifyClusterResult; + }; + sdk: { + input: ModifyClusterCommandInput; + output: ModifyClusterCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterDbRevisionCommand.ts b/clients/client-redshift/src/commands/ModifyClusterDbRevisionCommand.ts index 1032e126d19d..904d58f476a2 100644 --- a/clients/client-redshift/src/commands/ModifyClusterDbRevisionCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterDbRevisionCommand.ts @@ -284,4 +284,16 @@ export class ModifyClusterDbRevisionCommand extends $Command .f(void 0, ModifyClusterDbRevisionResultFilterSensitiveLog) .ser(se_ModifyClusterDbRevisionCommand) .de(de_ModifyClusterDbRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterDbRevisionMessage; + output: ModifyClusterDbRevisionResult; + }; + sdk: { + input: ModifyClusterDbRevisionCommandInput; + output: ModifyClusterDbRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterIamRolesCommand.ts b/clients/client-redshift/src/commands/ModifyClusterIamRolesCommand.ts index 976295405b9f..e459ba84067a 100644 --- a/clients/client-redshift/src/commands/ModifyClusterIamRolesCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterIamRolesCommand.ts @@ -287,4 +287,16 @@ export class ModifyClusterIamRolesCommand extends $Command .f(void 0, ModifyClusterIamRolesResultFilterSensitiveLog) .ser(se_ModifyClusterIamRolesCommand) .de(de_ModifyClusterIamRolesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterIamRolesMessage; + output: ModifyClusterIamRolesResult; + }; + sdk: { + input: ModifyClusterIamRolesCommandInput; + output: ModifyClusterIamRolesCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterMaintenanceCommand.ts b/clients/client-redshift/src/commands/ModifyClusterMaintenanceCommand.ts index f3a1790cc042..da8b1177c9ce 100644 --- a/clients/client-redshift/src/commands/ModifyClusterMaintenanceCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterMaintenanceCommand.ts @@ -281,4 +281,16 @@ export class ModifyClusterMaintenanceCommand extends $Command .f(void 0, ModifyClusterMaintenanceResultFilterSensitiveLog) .ser(se_ModifyClusterMaintenanceCommand) .de(de_ModifyClusterMaintenanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterMaintenanceMessage; + output: ModifyClusterMaintenanceResult; + }; + sdk: { + input: ModifyClusterMaintenanceCommandInput; + output: ModifyClusterMaintenanceCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterParameterGroupCommand.ts b/clients/client-redshift/src/commands/ModifyClusterParameterGroupCommand.ts index 97c765e7cdc1..5ee0314c1620 100644 --- a/clients/client-redshift/src/commands/ModifyClusterParameterGroupCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterParameterGroupCommand.ts @@ -104,4 +104,16 @@ export class ModifyClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClusterParameterGroupCommand) .de(de_ModifyClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterParameterGroupMessage; + output: ClusterParameterGroupNameMessage; + }; + sdk: { + input: ModifyClusterParameterGroupCommandInput; + output: ModifyClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterSnapshotCommand.ts b/clients/client-redshift/src/commands/ModifyClusterSnapshotCommand.ts index 8479e886d98d..ae213f1fa16e 100644 --- a/clients/client-redshift/src/commands/ModifyClusterSnapshotCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterSnapshotCommand.ts @@ -141,4 +141,16 @@ export class ModifyClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClusterSnapshotCommand) .de(de_ModifyClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterSnapshotMessage; + output: ModifyClusterSnapshotResult; + }; + sdk: { + input: ModifyClusterSnapshotCommandInput; + output: ModifyClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterSnapshotScheduleCommand.ts b/clients/client-redshift/src/commands/ModifyClusterSnapshotScheduleCommand.ts index bdae623b9355..a1407678823c 100644 --- a/clients/client-redshift/src/commands/ModifyClusterSnapshotScheduleCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterSnapshotScheduleCommand.ts @@ -90,4 +90,16 @@ export class ModifyClusterSnapshotScheduleCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClusterSnapshotScheduleCommand) .de(de_ModifyClusterSnapshotScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterSnapshotScheduleMessage; + output: {}; + }; + sdk: { + input: ModifyClusterSnapshotScheduleCommandInput; + output: ModifyClusterSnapshotScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyClusterSubnetGroupCommand.ts b/clients/client-redshift/src/commands/ModifyClusterSubnetGroupCommand.ts index b963aca15596..899debe38740 100644 --- a/clients/client-redshift/src/commands/ModifyClusterSubnetGroupCommand.ts +++ b/clients/client-redshift/src/commands/ModifyClusterSubnetGroupCommand.ts @@ -135,4 +135,16 @@ export class ModifyClusterSubnetGroupCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClusterSubnetGroupCommand) .de(de_ModifyClusterSubnetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClusterSubnetGroupMessage; + output: ModifyClusterSubnetGroupResult; + }; + sdk: { + input: ModifyClusterSubnetGroupCommandInput; + output: ModifyClusterSubnetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyCustomDomainAssociationCommand.ts b/clients/client-redshift/src/commands/ModifyCustomDomainAssociationCommand.ts index 3a61bfd21a7d..a349e94fa541 100644 --- a/clients/client-redshift/src/commands/ModifyCustomDomainAssociationCommand.ts +++ b/clients/client-redshift/src/commands/ModifyCustomDomainAssociationCommand.ts @@ -100,4 +100,16 @@ export class ModifyCustomDomainAssociationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCustomDomainAssociationCommand) .de(de_ModifyCustomDomainAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCustomDomainAssociationMessage; + output: ModifyCustomDomainAssociationResult; + }; + sdk: { + input: ModifyCustomDomainAssociationCommandInput; + output: ModifyCustomDomainAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyEndpointAccessCommand.ts b/clients/client-redshift/src/commands/ModifyEndpointAccessCommand.ts index 3306f4d44029..b529bdc92192 100644 --- a/clients/client-redshift/src/commands/ModifyEndpointAccessCommand.ts +++ b/clients/client-redshift/src/commands/ModifyEndpointAccessCommand.ts @@ -126,4 +126,16 @@ export class ModifyEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_ModifyEndpointAccessCommand) .de(de_ModifyEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEndpointAccessMessage; + output: EndpointAccess; + }; + sdk: { + input: ModifyEndpointAccessCommandInput; + output: ModifyEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyEventSubscriptionCommand.ts b/clients/client-redshift/src/commands/ModifyEventSubscriptionCommand.ts index fde0767b3c47..b1a8fe04f106 100644 --- a/clients/client-redshift/src/commands/ModifyEventSubscriptionCommand.ts +++ b/clients/client-redshift/src/commands/ModifyEventSubscriptionCommand.ts @@ -143,4 +143,16 @@ export class ModifyEventSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyEventSubscriptionCommand) .de(de_ModifyEventSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyEventSubscriptionMessage; + output: ModifyEventSubscriptionResult; + }; + sdk: { + input: ModifyEventSubscriptionCommandInput; + output: ModifyEventSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyRedshiftIdcApplicationCommand.ts b/clients/client-redshift/src/commands/ModifyRedshiftIdcApplicationCommand.ts index c2b155671d73..a5e3881b9fb9 100644 --- a/clients/client-redshift/src/commands/ModifyRedshiftIdcApplicationCommand.ts +++ b/clients/client-redshift/src/commands/ModifyRedshiftIdcApplicationCommand.ts @@ -142,4 +142,16 @@ export class ModifyRedshiftIdcApplicationCommand extends $Command .f(void 0, void 0) .ser(se_ModifyRedshiftIdcApplicationCommand) .de(de_ModifyRedshiftIdcApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyRedshiftIdcApplicationMessage; + output: ModifyRedshiftIdcApplicationResult; + }; + sdk: { + input: ModifyRedshiftIdcApplicationCommandInput; + output: ModifyRedshiftIdcApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyScheduledActionCommand.ts b/clients/client-redshift/src/commands/ModifyScheduledActionCommand.ts index fff498efc2ad..8c9806c1c01d 100644 --- a/clients/client-redshift/src/commands/ModifyScheduledActionCommand.ts +++ b/clients/client-redshift/src/commands/ModifyScheduledActionCommand.ts @@ -150,4 +150,16 @@ export class ModifyScheduledActionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyScheduledActionCommand) .de(de_ModifyScheduledActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyScheduledActionMessage; + output: ScheduledAction; + }; + sdk: { + input: ModifyScheduledActionCommandInput; + output: ModifyScheduledActionCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifySnapshotCopyRetentionPeriodCommand.ts b/clients/client-redshift/src/commands/ModifySnapshotCopyRetentionPeriodCommand.ts index 44300e6736db..d07686a62ebb 100644 --- a/clients/client-redshift/src/commands/ModifySnapshotCopyRetentionPeriodCommand.ts +++ b/clients/client-redshift/src/commands/ModifySnapshotCopyRetentionPeriodCommand.ts @@ -300,4 +300,16 @@ export class ModifySnapshotCopyRetentionPeriodCommand extends $Command .f(void 0, ModifySnapshotCopyRetentionPeriodResultFilterSensitiveLog) .ser(se_ModifySnapshotCopyRetentionPeriodCommand) .de(de_ModifySnapshotCopyRetentionPeriodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySnapshotCopyRetentionPeriodMessage; + output: ModifySnapshotCopyRetentionPeriodResult; + }; + sdk: { + input: ModifySnapshotCopyRetentionPeriodCommandInput; + output: ModifySnapshotCopyRetentionPeriodCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifySnapshotScheduleCommand.ts b/clients/client-redshift/src/commands/ModifySnapshotScheduleCommand.ts index b797a881baac..bd7223794f9b 100644 --- a/clients/client-redshift/src/commands/ModifySnapshotScheduleCommand.ts +++ b/clients/client-redshift/src/commands/ModifySnapshotScheduleCommand.ts @@ -111,4 +111,16 @@ export class ModifySnapshotScheduleCommand extends $Command .f(void 0, void 0) .ser(se_ModifySnapshotScheduleCommand) .de(de_ModifySnapshotScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySnapshotScheduleMessage; + output: SnapshotSchedule; + }; + sdk: { + input: ModifySnapshotScheduleCommandInput; + output: ModifySnapshotScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ModifyUsageLimitCommand.ts b/clients/client-redshift/src/commands/ModifyUsageLimitCommand.ts index ab79f4f93c19..e80fad4ca2a7 100644 --- a/clients/client-redshift/src/commands/ModifyUsageLimitCommand.ts +++ b/clients/client-redshift/src/commands/ModifyUsageLimitCommand.ts @@ -102,4 +102,16 @@ export class ModifyUsageLimitCommand extends $Command .f(void 0, void 0) .ser(se_ModifyUsageLimitCommand) .de(de_ModifyUsageLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyUsageLimitMessage; + output: UsageLimit; + }; + sdk: { + input: ModifyUsageLimitCommandInput; + output: ModifyUsageLimitCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/PauseClusterCommand.ts b/clients/client-redshift/src/commands/PauseClusterCommand.ts index 10075eeae22f..1eb2c8414728 100644 --- a/clients/client-redshift/src/commands/PauseClusterCommand.ts +++ b/clients/client-redshift/src/commands/PauseClusterCommand.ts @@ -276,4 +276,16 @@ export class PauseClusterCommand extends $Command .f(void 0, PauseClusterResultFilterSensitiveLog) .ser(se_PauseClusterCommand) .de(de_PauseClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PauseClusterMessage; + output: PauseClusterResult; + }; + sdk: { + input: PauseClusterCommandInput; + output: PauseClusterCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/PurchaseReservedNodeOfferingCommand.ts b/clients/client-redshift/src/commands/PurchaseReservedNodeOfferingCommand.ts index a70d867b4ee1..aa83d933e6f6 100644 --- a/clients/client-redshift/src/commands/PurchaseReservedNodeOfferingCommand.ts +++ b/clients/client-redshift/src/commands/PurchaseReservedNodeOfferingCommand.ts @@ -122,4 +122,16 @@ export class PurchaseReservedNodeOfferingCommand extends $Command .f(void 0, void 0) .ser(se_PurchaseReservedNodeOfferingCommand) .de(de_PurchaseReservedNodeOfferingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurchaseReservedNodeOfferingMessage; + output: PurchaseReservedNodeOfferingResult; + }; + sdk: { + input: PurchaseReservedNodeOfferingCommandInput; + output: PurchaseReservedNodeOfferingCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/PutResourcePolicyCommand.ts b/clients/client-redshift/src/commands/PutResourcePolicyCommand.ts index 2a74099ab927..4a86a8ac4da4 100644 --- a/clients/client-redshift/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-redshift/src/commands/PutResourcePolicyCommand.ts @@ -93,4 +93,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyMessage; + output: PutResourcePolicyResult; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RebootClusterCommand.ts b/clients/client-redshift/src/commands/RebootClusterCommand.ts index 910c6bc81d32..e9c6ec0a58be 100644 --- a/clients/client-redshift/src/commands/RebootClusterCommand.ts +++ b/clients/client-redshift/src/commands/RebootClusterCommand.ts @@ -279,4 +279,16 @@ export class RebootClusterCommand extends $Command .f(void 0, RebootClusterResultFilterSensitiveLog) .ser(se_RebootClusterCommand) .de(de_RebootClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootClusterMessage; + output: RebootClusterResult; + }; + sdk: { + input: RebootClusterCommandInput; + output: RebootClusterCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RejectDataShareCommand.ts b/clients/client-redshift/src/commands/RejectDataShareCommand.ts index 67ab5f59f225..f987c437678e 100644 --- a/clients/client-redshift/src/commands/RejectDataShareCommand.ts +++ b/clients/client-redshift/src/commands/RejectDataShareCommand.ts @@ -95,4 +95,16 @@ export class RejectDataShareCommand extends $Command .f(void 0, void 0) .ser(se_RejectDataShareCommand) .de(de_RejectDataShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectDataShareMessage; + output: DataShare; + }; + sdk: { + input: RejectDataShareCommandInput; + output: RejectDataShareCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ResetClusterParameterGroupCommand.ts b/clients/client-redshift/src/commands/ResetClusterParameterGroupCommand.ts index 9f60a3478f75..fe33a6eea553 100644 --- a/clients/client-redshift/src/commands/ResetClusterParameterGroupCommand.ts +++ b/clients/client-redshift/src/commands/ResetClusterParameterGroupCommand.ts @@ -104,4 +104,16 @@ export class ResetClusterParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_ResetClusterParameterGroupCommand) .de(de_ResetClusterParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetClusterParameterGroupMessage; + output: ClusterParameterGroupNameMessage; + }; + sdk: { + input: ResetClusterParameterGroupCommandInput; + output: ResetClusterParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ResizeClusterCommand.ts b/clients/client-redshift/src/commands/ResizeClusterCommand.ts index fd04bb55ffa3..4b62e8f12f88 100644 --- a/clients/client-redshift/src/commands/ResizeClusterCommand.ts +++ b/clients/client-redshift/src/commands/ResizeClusterCommand.ts @@ -354,4 +354,16 @@ export class ResizeClusterCommand extends $Command .f(void 0, ResizeClusterResultFilterSensitiveLog) .ser(se_ResizeClusterCommand) .de(de_ResizeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResizeClusterMessage; + output: ResizeClusterResult; + }; + sdk: { + input: ResizeClusterCommandInput; + output: ResizeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RestoreFromClusterSnapshotCommand.ts b/clients/client-redshift/src/commands/RestoreFromClusterSnapshotCommand.ts index 3f044295f2b7..792c30b5f983 100644 --- a/clients/client-redshift/src/commands/RestoreFromClusterSnapshotCommand.ts +++ b/clients/client-redshift/src/commands/RestoreFromClusterSnapshotCommand.ts @@ -439,4 +439,16 @@ export class RestoreFromClusterSnapshotCommand extends $Command .f(void 0, RestoreFromClusterSnapshotResultFilterSensitiveLog) .ser(se_RestoreFromClusterSnapshotCommand) .de(de_RestoreFromClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreFromClusterSnapshotMessage; + output: RestoreFromClusterSnapshotResult; + }; + sdk: { + input: RestoreFromClusterSnapshotCommandInput; + output: RestoreFromClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RestoreTableFromClusterSnapshotCommand.ts b/clients/client-redshift/src/commands/RestoreTableFromClusterSnapshotCommand.ts index b8c746db5d65..8fdaa494e42b 100644 --- a/clients/client-redshift/src/commands/RestoreTableFromClusterSnapshotCommand.ts +++ b/clients/client-redshift/src/commands/RestoreTableFromClusterSnapshotCommand.ts @@ -144,4 +144,16 @@ export class RestoreTableFromClusterSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_RestoreTableFromClusterSnapshotCommand) .de(de_RestoreTableFromClusterSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreTableFromClusterSnapshotMessage; + output: RestoreTableFromClusterSnapshotResult; + }; + sdk: { + input: RestoreTableFromClusterSnapshotCommandInput; + output: RestoreTableFromClusterSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/ResumeClusterCommand.ts b/clients/client-redshift/src/commands/ResumeClusterCommand.ts index bcdffca5c58e..71cb8dbecd68 100644 --- a/clients/client-redshift/src/commands/ResumeClusterCommand.ts +++ b/clients/client-redshift/src/commands/ResumeClusterCommand.ts @@ -280,4 +280,16 @@ export class ResumeClusterCommand extends $Command .f(void 0, ResumeClusterResultFilterSensitiveLog) .ser(se_ResumeClusterCommand) .de(de_ResumeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeClusterMessage; + output: ResumeClusterResult; + }; + sdk: { + input: ResumeClusterCommandInput; + output: ResumeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RevokeClusterSecurityGroupIngressCommand.ts b/clients/client-redshift/src/commands/RevokeClusterSecurityGroupIngressCommand.ts index 4e535b0e1aa5..960edb31cb14 100644 --- a/clients/client-redshift/src/commands/RevokeClusterSecurityGroupIngressCommand.ts +++ b/clients/client-redshift/src/commands/RevokeClusterSecurityGroupIngressCommand.ts @@ -134,4 +134,16 @@ export class RevokeClusterSecurityGroupIngressCommand extends $Command .f(void 0, void 0) .ser(se_RevokeClusterSecurityGroupIngressCommand) .de(de_RevokeClusterSecurityGroupIngressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeClusterSecurityGroupIngressMessage; + output: RevokeClusterSecurityGroupIngressResult; + }; + sdk: { + input: RevokeClusterSecurityGroupIngressCommandInput; + output: RevokeClusterSecurityGroupIngressCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RevokeEndpointAccessCommand.ts b/clients/client-redshift/src/commands/RevokeEndpointAccessCommand.ts index a7e439ab19e4..912916e29b8c 100644 --- a/clients/client-redshift/src/commands/RevokeEndpointAccessCommand.ts +++ b/clients/client-redshift/src/commands/RevokeEndpointAccessCommand.ts @@ -115,4 +115,16 @@ export class RevokeEndpointAccessCommand extends $Command .f(void 0, void 0) .ser(se_RevokeEndpointAccessCommand) .de(de_RevokeEndpointAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeEndpointAccessMessage; + output: EndpointAuthorization; + }; + sdk: { + input: RevokeEndpointAccessCommandInput; + output: RevokeEndpointAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RevokeSnapshotAccessCommand.ts b/clients/client-redshift/src/commands/RevokeSnapshotAccessCommand.ts index 2d6cc30c0bf6..862520884715 100644 --- a/clients/client-redshift/src/commands/RevokeSnapshotAccessCommand.ts +++ b/clients/client-redshift/src/commands/RevokeSnapshotAccessCommand.ts @@ -150,4 +150,16 @@ export class RevokeSnapshotAccessCommand extends $Command .f(void 0, void 0) .ser(se_RevokeSnapshotAccessCommand) .de(de_RevokeSnapshotAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeSnapshotAccessMessage; + output: RevokeSnapshotAccessResult; + }; + sdk: { + input: RevokeSnapshotAccessCommandInput; + output: RevokeSnapshotAccessCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/RotateEncryptionKeyCommand.ts b/clients/client-redshift/src/commands/RotateEncryptionKeyCommand.ts index 4772e09b7def..1d6f69ee1bf8 100644 --- a/clients/client-redshift/src/commands/RotateEncryptionKeyCommand.ts +++ b/clients/client-redshift/src/commands/RotateEncryptionKeyCommand.ts @@ -283,4 +283,16 @@ export class RotateEncryptionKeyCommand extends $Command .f(void 0, RotateEncryptionKeyResultFilterSensitiveLog) .ser(se_RotateEncryptionKeyCommand) .de(de_RotateEncryptionKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RotateEncryptionKeyMessage; + output: RotateEncryptionKeyResult; + }; + sdk: { + input: RotateEncryptionKeyCommandInput; + output: RotateEncryptionKeyCommandOutput; + }; + }; +} diff --git a/clients/client-redshift/src/commands/UpdatePartnerStatusCommand.ts b/clients/client-redshift/src/commands/UpdatePartnerStatusCommand.ts index f85dff4f9604..d1d9183ab9c0 100644 --- a/clients/client-redshift/src/commands/UpdatePartnerStatusCommand.ts +++ b/clients/client-redshift/src/commands/UpdatePartnerStatusCommand.ts @@ -97,4 +97,16 @@ export class UpdatePartnerStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePartnerStatusCommand) .de(de_UpdatePartnerStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePartnerStatusInputMessage; + output: PartnerIntegrationOutputMessage; + }; + sdk: { + input: UpdatePartnerStatusCommandInput; + output: UpdatePartnerStatusCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/package.json b/clients/client-rekognition/package.json index 017b6a18385b..8a3154e287ec 100644 --- a/clients/client-rekognition/package.json +++ b/clients/client-rekognition/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-rekognition/src/commands/AssociateFacesCommand.ts b/clients/client-rekognition/src/commands/AssociateFacesCommand.ts index 693c8ecbf7aa..b266ab3ad59a 100644 --- a/clients/client-rekognition/src/commands/AssociateFacesCommand.ts +++ b/clients/client-rekognition/src/commands/AssociateFacesCommand.ts @@ -206,4 +206,16 @@ export class AssociateFacesCommand extends $Command .f(void 0, void 0) .ser(se_AssociateFacesCommand) .de(de_AssociateFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFacesRequest; + output: AssociateFacesResponse; + }; + sdk: { + input: AssociateFacesCommandInput; + output: AssociateFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CompareFacesCommand.ts b/clients/client-rekognition/src/commands/CompareFacesCommand.ts index 98ac3efc0ca2..91cf48a42bd0 100644 --- a/clients/client-rekognition/src/commands/CompareFacesCommand.ts +++ b/clients/client-rekognition/src/commands/CompareFacesCommand.ts @@ -305,4 +305,16 @@ export class CompareFacesCommand extends $Command .f(void 0, void 0) .ser(se_CompareFacesCommand) .de(de_CompareFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompareFacesRequest; + output: CompareFacesResponse; + }; + sdk: { + input: CompareFacesCommandInput; + output: CompareFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CopyProjectVersionCommand.ts b/clients/client-rekognition/src/commands/CopyProjectVersionCommand.ts index 604d5e58b1bc..e7111927667c 100644 --- a/clients/client-rekognition/src/commands/CopyProjectVersionCommand.ts +++ b/clients/client-rekognition/src/commands/CopyProjectVersionCommand.ts @@ -174,4 +174,16 @@ export class CopyProjectVersionCommand extends $Command .f(void 0, void 0) .ser(se_CopyProjectVersionCommand) .de(de_CopyProjectVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyProjectVersionRequest; + output: CopyProjectVersionResponse; + }; + sdk: { + input: CopyProjectVersionCommandInput; + output: CopyProjectVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CreateCollectionCommand.ts b/clients/client-rekognition/src/commands/CreateCollectionCommand.ts index 1ec7fcacea68..aa016913ee38 100644 --- a/clients/client-rekognition/src/commands/CreateCollectionCommand.ts +++ b/clients/client-rekognition/src/commands/CreateCollectionCommand.ts @@ -138,4 +138,16 @@ export class CreateCollectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateCollectionCommand) .de(de_CreateCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCollectionRequest; + output: CreateCollectionResponse; + }; + sdk: { + input: CreateCollectionCommandInput; + output: CreateCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CreateDatasetCommand.ts b/clients/client-rekognition/src/commands/CreateDatasetCommand.ts index 2097ca0134c5..c89addc26a30 100644 --- a/clients/client-rekognition/src/commands/CreateDatasetCommand.ts +++ b/clients/client-rekognition/src/commands/CreateDatasetCommand.ts @@ -170,4 +170,16 @@ export class CreateDatasetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatasetCommand) .de(de_CreateDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatasetRequest; + output: CreateDatasetResponse; + }; + sdk: { + input: CreateDatasetCommandInput; + output: CreateDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CreateFaceLivenessSessionCommand.ts b/clients/client-rekognition/src/commands/CreateFaceLivenessSessionCommand.ts index 173a4d4e4a37..8e10f588c73a 100644 --- a/clients/client-rekognition/src/commands/CreateFaceLivenessSessionCommand.ts +++ b/clients/client-rekognition/src/commands/CreateFaceLivenessSessionCommand.ts @@ -111,4 +111,16 @@ export class CreateFaceLivenessSessionCommand extends $Command .f(void 0, void 0) .ser(se_CreateFaceLivenessSessionCommand) .de(de_CreateFaceLivenessSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFaceLivenessSessionRequest; + output: CreateFaceLivenessSessionResponse; + }; + sdk: { + input: CreateFaceLivenessSessionCommandInput; + output: CreateFaceLivenessSessionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CreateProjectCommand.ts b/clients/client-rekognition/src/commands/CreateProjectCommand.ts index f1d1190bc993..68a1afa95aca 100644 --- a/clients/client-rekognition/src/commands/CreateProjectCommand.ts +++ b/clients/client-rekognition/src/commands/CreateProjectCommand.ts @@ -130,4 +130,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectRequest; + output: CreateProjectResponse; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CreateProjectVersionCommand.ts b/clients/client-rekognition/src/commands/CreateProjectVersionCommand.ts index 7b820da838c6..6d83876f50fb 100644 --- a/clients/client-rekognition/src/commands/CreateProjectVersionCommand.ts +++ b/clients/client-rekognition/src/commands/CreateProjectVersionCommand.ts @@ -203,4 +203,16 @@ export class CreateProjectVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectVersionCommand) .de(de_CreateProjectVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectVersionRequest; + output: CreateProjectVersionResponse; + }; + sdk: { + input: CreateProjectVersionCommandInput; + output: CreateProjectVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CreateStreamProcessorCommand.ts b/clients/client-rekognition/src/commands/CreateStreamProcessorCommand.ts index 049ebf884482..38e98ba29119 100644 --- a/clients/client-rekognition/src/commands/CreateStreamProcessorCommand.ts +++ b/clients/client-rekognition/src/commands/CreateStreamProcessorCommand.ts @@ -192,4 +192,16 @@ export class CreateStreamProcessorCommand extends $Command .f(void 0, void 0) .ser(se_CreateStreamProcessorCommand) .de(de_CreateStreamProcessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStreamProcessorRequest; + output: CreateStreamProcessorResponse; + }; + sdk: { + input: CreateStreamProcessorCommandInput; + output: CreateStreamProcessorCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/CreateUserCommand.ts b/clients/client-rekognition/src/commands/CreateUserCommand.ts index b2ba4c639d96..4da2e2b91118 100644 --- a/clients/client-rekognition/src/commands/CreateUserCommand.ts +++ b/clients/client-rekognition/src/commands/CreateUserCommand.ts @@ -129,4 +129,16 @@ export class CreateUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: {}; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteCollectionCommand.ts b/clients/client-rekognition/src/commands/DeleteCollectionCommand.ts index 26aaeb650172..fe28157188e2 100644 --- a/clients/client-rekognition/src/commands/DeleteCollectionCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteCollectionCommand.ts @@ -117,4 +117,16 @@ export class DeleteCollectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCollectionCommand) .de(de_DeleteCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCollectionRequest; + output: DeleteCollectionResponse; + }; + sdk: { + input: DeleteCollectionCommandInput; + output: DeleteCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteDatasetCommand.ts b/clients/client-rekognition/src/commands/DeleteDatasetCommand.ts index e47775d2b975..0c54eb1eb2a7 100644 --- a/clients/client-rekognition/src/commands/DeleteDatasetCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteDatasetCommand.ts @@ -128,4 +128,16 @@ export class DeleteDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatasetCommand) .de(de_DeleteDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatasetRequest; + output: {}; + }; + sdk: { + input: DeleteDatasetCommandInput; + output: DeleteDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteFacesCommand.ts b/clients/client-rekognition/src/commands/DeleteFacesCommand.ts index 65decf0dcc1b..27b84acc7aad 100644 --- a/clients/client-rekognition/src/commands/DeleteFacesCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteFacesCommand.ts @@ -135,4 +135,16 @@ export class DeleteFacesCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFacesCommand) .de(de_DeleteFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFacesRequest; + output: DeleteFacesResponse; + }; + sdk: { + input: DeleteFacesCommandInput; + output: DeleteFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteProjectCommand.ts b/clients/client-rekognition/src/commands/DeleteProjectCommand.ts index c1fcac0e7012..73d21cfbc749 100644 --- a/clients/client-rekognition/src/commands/DeleteProjectCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteProjectCommand.ts @@ -124,4 +124,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectRequest; + output: DeleteProjectResponse; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteProjectPolicyCommand.ts b/clients/client-rekognition/src/commands/DeleteProjectPolicyCommand.ts index f5508c5bae7f..c248bc7f4f49 100644 --- a/clients/client-rekognition/src/commands/DeleteProjectPolicyCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteProjectPolicyCommand.ts @@ -118,4 +118,16 @@ export class DeleteProjectPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectPolicyCommand) .de(de_DeleteProjectPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteProjectPolicyCommandInput; + output: DeleteProjectPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteProjectVersionCommand.ts b/clients/client-rekognition/src/commands/DeleteProjectVersionCommand.ts index 0269e500118b..3bf1075ad994 100644 --- a/clients/client-rekognition/src/commands/DeleteProjectVersionCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteProjectVersionCommand.ts @@ -122,4 +122,16 @@ export class DeleteProjectVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectVersionCommand) .de(de_DeleteProjectVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectVersionRequest; + output: DeleteProjectVersionResponse; + }; + sdk: { + input: DeleteProjectVersionCommandInput; + output: DeleteProjectVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteStreamProcessorCommand.ts b/clients/client-rekognition/src/commands/DeleteStreamProcessorCommand.ts index d15595c1ab09..7b7aa0f88a44 100644 --- a/clients/client-rekognition/src/commands/DeleteStreamProcessorCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteStreamProcessorCommand.ts @@ -99,4 +99,16 @@ export class DeleteStreamProcessorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStreamProcessorCommand) .de(de_DeleteStreamProcessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStreamProcessorRequest; + output: {}; + }; + sdk: { + input: DeleteStreamProcessorCommandInput; + output: DeleteStreamProcessorCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DeleteUserCommand.ts b/clients/client-rekognition/src/commands/DeleteUserCommand.ts index 31b4a0db1ca9..94159a00b376 100644 --- a/clients/client-rekognition/src/commands/DeleteUserCommand.ts +++ b/clients/client-rekognition/src/commands/DeleteUserCommand.ts @@ -122,4 +122,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DescribeCollectionCommand.ts b/clients/client-rekognition/src/commands/DescribeCollectionCommand.ts index 9f67960a19fc..901529e39a3a 100644 --- a/clients/client-rekognition/src/commands/DescribeCollectionCommand.ts +++ b/clients/client-rekognition/src/commands/DescribeCollectionCommand.ts @@ -105,4 +105,16 @@ export class DescribeCollectionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCollectionCommand) .de(de_DescribeCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCollectionRequest; + output: DescribeCollectionResponse; + }; + sdk: { + input: DescribeCollectionCommandInput; + output: DescribeCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DescribeDatasetCommand.ts b/clients/client-rekognition/src/commands/DescribeDatasetCommand.ts index 5241f68f5218..ea70beddbd2f 100644 --- a/clients/client-rekognition/src/commands/DescribeDatasetCommand.ts +++ b/clients/client-rekognition/src/commands/DescribeDatasetCommand.ts @@ -144,4 +144,16 @@ export class DescribeDatasetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatasetCommand) .de(de_DescribeDatasetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatasetRequest; + output: DescribeDatasetResponse; + }; + sdk: { + input: DescribeDatasetCommandInput; + output: DescribeDatasetCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DescribeProjectVersionsCommand.ts b/clients/client-rekognition/src/commands/DescribeProjectVersionsCommand.ts index f583140a1164..f5b6fde4b6c1 100644 --- a/clients/client-rekognition/src/commands/DescribeProjectVersionsCommand.ts +++ b/clients/client-rekognition/src/commands/DescribeProjectVersionsCommand.ts @@ -321,4 +321,16 @@ export class DescribeProjectVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProjectVersionsCommand) .de(de_DescribeProjectVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProjectVersionsRequest; + output: DescribeProjectVersionsResponse; + }; + sdk: { + input: DescribeProjectVersionsCommandInput; + output: DescribeProjectVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DescribeProjectsCommand.ts b/clients/client-rekognition/src/commands/DescribeProjectsCommand.ts index 1c258ad95275..e6d45cc48758 100644 --- a/clients/client-rekognition/src/commands/DescribeProjectsCommand.ts +++ b/clients/client-rekognition/src/commands/DescribeProjectsCommand.ts @@ -166,4 +166,16 @@ export class DescribeProjectsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProjectsCommand) .de(de_DescribeProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProjectsRequest; + output: DescribeProjectsResponse; + }; + sdk: { + input: DescribeProjectsCommandInput; + output: DescribeProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DescribeStreamProcessorCommand.ts b/clients/client-rekognition/src/commands/DescribeStreamProcessorCommand.ts index 9181598a1a42..0d19bdf2daeb 100644 --- a/clients/client-rekognition/src/commands/DescribeStreamProcessorCommand.ts +++ b/clients/client-rekognition/src/commands/DescribeStreamProcessorCommand.ts @@ -153,4 +153,16 @@ export class DescribeStreamProcessorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStreamProcessorCommand) .de(de_DescribeStreamProcessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStreamProcessorRequest; + output: DescribeStreamProcessorResponse; + }; + sdk: { + input: DescribeStreamProcessorCommandInput; + output: DescribeStreamProcessorCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DetectCustomLabelsCommand.ts b/clients/client-rekognition/src/commands/DetectCustomLabelsCommand.ts index dc64593a0b68..6efac20da640 100644 --- a/clients/client-rekognition/src/commands/DetectCustomLabelsCommand.ts +++ b/clients/client-rekognition/src/commands/DetectCustomLabelsCommand.ts @@ -219,4 +219,16 @@ export class DetectCustomLabelsCommand extends $Command .f(void 0, void 0) .ser(se_DetectCustomLabelsCommand) .de(de_DetectCustomLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectCustomLabelsRequest; + output: DetectCustomLabelsResponse; + }; + sdk: { + input: DetectCustomLabelsCommandInput; + output: DetectCustomLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DetectFacesCommand.ts b/clients/client-rekognition/src/commands/DetectFacesCommand.ts index 5e0310b01d69..e0cacba4c9c4 100644 --- a/clients/client-rekognition/src/commands/DetectFacesCommand.ts +++ b/clients/client-rekognition/src/commands/DetectFacesCommand.ts @@ -280,4 +280,16 @@ export class DetectFacesCommand extends $Command .f(void 0, void 0) .ser(se_DetectFacesCommand) .de(de_DetectFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectFacesRequest; + output: DetectFacesResponse; + }; + sdk: { + input: DetectFacesCommandInput; + output: DetectFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DetectLabelsCommand.ts b/clients/client-rekognition/src/commands/DetectLabelsCommand.ts index b7deffe30bd5..fa8fb2cdcd97 100644 --- a/clients/client-rekognition/src/commands/DetectLabelsCommand.ts +++ b/clients/client-rekognition/src/commands/DetectLabelsCommand.ts @@ -362,4 +362,16 @@ export class DetectLabelsCommand extends $Command .f(void 0, void 0) .ser(se_DetectLabelsCommand) .de(de_DetectLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectLabelsRequest; + output: DetectLabelsResponse; + }; + sdk: { + input: DetectLabelsCommandInput; + output: DetectLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DetectModerationLabelsCommand.ts b/clients/client-rekognition/src/commands/DetectModerationLabelsCommand.ts index 7419c0d5c898..63e60618dd81 100644 --- a/clients/client-rekognition/src/commands/DetectModerationLabelsCommand.ts +++ b/clients/client-rekognition/src/commands/DetectModerationLabelsCommand.ts @@ -171,4 +171,16 @@ export class DetectModerationLabelsCommand extends $Command .f(void 0, void 0) .ser(se_DetectModerationLabelsCommand) .de(de_DetectModerationLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectModerationLabelsRequest; + output: DetectModerationLabelsResponse; + }; + sdk: { + input: DetectModerationLabelsCommandInput; + output: DetectModerationLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DetectProtectiveEquipmentCommand.ts b/clients/client-rekognition/src/commands/DetectProtectiveEquipmentCommand.ts index 48ddd3e93574..d688a107c2e7 100644 --- a/clients/client-rekognition/src/commands/DetectProtectiveEquipmentCommand.ts +++ b/clients/client-rekognition/src/commands/DetectProtectiveEquipmentCommand.ts @@ -200,4 +200,16 @@ export class DetectProtectiveEquipmentCommand extends $Command .f(void 0, void 0) .ser(se_DetectProtectiveEquipmentCommand) .de(de_DetectProtectiveEquipmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectProtectiveEquipmentRequest; + output: DetectProtectiveEquipmentResponse; + }; + sdk: { + input: DetectProtectiveEquipmentCommandInput; + output: DetectProtectiveEquipmentCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DetectTextCommand.ts b/clients/client-rekognition/src/commands/DetectTextCommand.ts index a1ec0732f48a..8e4bafd06362 100644 --- a/clients/client-rekognition/src/commands/DetectTextCommand.ts +++ b/clients/client-rekognition/src/commands/DetectTextCommand.ts @@ -181,4 +181,16 @@ export class DetectTextCommand extends $Command .f(void 0, void 0) .ser(se_DetectTextCommand) .de(de_DetectTextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectTextRequest; + output: DetectTextResponse; + }; + sdk: { + input: DetectTextCommandInput; + output: DetectTextCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DisassociateFacesCommand.ts b/clients/client-rekognition/src/commands/DisassociateFacesCommand.ts index 16a8271349bc..741441b1845c 100644 --- a/clients/client-rekognition/src/commands/DisassociateFacesCommand.ts +++ b/clients/client-rekognition/src/commands/DisassociateFacesCommand.ts @@ -167,4 +167,16 @@ export class DisassociateFacesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFacesCommand) .de(de_DisassociateFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFacesRequest; + output: DisassociateFacesResponse; + }; + sdk: { + input: DisassociateFacesCommandInput; + output: DisassociateFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/DistributeDatasetEntriesCommand.ts b/clients/client-rekognition/src/commands/DistributeDatasetEntriesCommand.ts index c6f0e1038223..86feb4b72443 100644 --- a/clients/client-rekognition/src/commands/DistributeDatasetEntriesCommand.ts +++ b/clients/client-rekognition/src/commands/DistributeDatasetEntriesCommand.ts @@ -135,4 +135,16 @@ export class DistributeDatasetEntriesCommand extends $Command .f(void 0, void 0) .ser(se_DistributeDatasetEntriesCommand) .de(de_DistributeDatasetEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DistributeDatasetEntriesRequest; + output: {}; + }; + sdk: { + input: DistributeDatasetEntriesCommandInput; + output: DistributeDatasetEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetCelebrityInfoCommand.ts b/clients/client-rekognition/src/commands/GetCelebrityInfoCommand.ts index 5f31ffd42a50..d7f9e5ce55d6 100644 --- a/clients/client-rekognition/src/commands/GetCelebrityInfoCommand.ts +++ b/clients/client-rekognition/src/commands/GetCelebrityInfoCommand.ts @@ -109,4 +109,16 @@ export class GetCelebrityInfoCommand extends $Command .f(void 0, void 0) .ser(se_GetCelebrityInfoCommand) .de(de_GetCelebrityInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCelebrityInfoRequest; + output: GetCelebrityInfoResponse; + }; + sdk: { + input: GetCelebrityInfoCommandInput; + output: GetCelebrityInfoCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetCelebrityRecognitionCommand.ts b/clients/client-rekognition/src/commands/GetCelebrityRecognitionCommand.ts index 014c4fcfe286..0df9f52d0198 100644 --- a/clients/client-rekognition/src/commands/GetCelebrityRecognitionCommand.ts +++ b/clients/client-rekognition/src/commands/GetCelebrityRecognitionCommand.ts @@ -259,4 +259,16 @@ export class GetCelebrityRecognitionCommand extends $Command .f(void 0, void 0) .ser(se_GetCelebrityRecognitionCommand) .de(de_GetCelebrityRecognitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCelebrityRecognitionRequest; + output: GetCelebrityRecognitionResponse; + }; + sdk: { + input: GetCelebrityRecognitionCommandInput; + output: GetCelebrityRecognitionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetContentModerationCommand.ts b/clients/client-rekognition/src/commands/GetContentModerationCommand.ts index a788f27cdadd..ef128b8f9279 100644 --- a/clients/client-rekognition/src/commands/GetContentModerationCommand.ts +++ b/clients/client-rekognition/src/commands/GetContentModerationCommand.ts @@ -175,4 +175,16 @@ export class GetContentModerationCommand extends $Command .f(void 0, void 0) .ser(se_GetContentModerationCommand) .de(de_GetContentModerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContentModerationRequest; + output: GetContentModerationResponse; + }; + sdk: { + input: GetContentModerationCommandInput; + output: GetContentModerationCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetFaceDetectionCommand.ts b/clients/client-rekognition/src/commands/GetFaceDetectionCommand.ts index a6add842118b..0603396252f0 100644 --- a/clients/client-rekognition/src/commands/GetFaceDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/GetFaceDetectionCommand.ts @@ -217,4 +217,16 @@ export class GetFaceDetectionCommand extends $Command .f(void 0, void 0) .ser(se_GetFaceDetectionCommand) .de(de_GetFaceDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFaceDetectionRequest; + output: GetFaceDetectionResponse; + }; + sdk: { + input: GetFaceDetectionCommandInput; + output: GetFaceDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetFaceLivenessSessionResultsCommand.ts b/clients/client-rekognition/src/commands/GetFaceLivenessSessionResultsCommand.ts index 2172ad0c6dde..2a9704f68a21 100644 --- a/clients/client-rekognition/src/commands/GetFaceLivenessSessionResultsCommand.ts +++ b/clients/client-rekognition/src/commands/GetFaceLivenessSessionResultsCommand.ts @@ -146,4 +146,16 @@ export class GetFaceLivenessSessionResultsCommand extends $Command .f(void 0, GetFaceLivenessSessionResultsResponseFilterSensitiveLog) .ser(se_GetFaceLivenessSessionResultsCommand) .de(de_GetFaceLivenessSessionResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFaceLivenessSessionResultsRequest; + output: GetFaceLivenessSessionResultsResponse; + }; + sdk: { + input: GetFaceLivenessSessionResultsCommandInput; + output: GetFaceLivenessSessionResultsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetFaceSearchCommand.ts b/clients/client-rekognition/src/commands/GetFaceSearchCommand.ts index f270bd45bd9c..0aa2dcafeb0a 100644 --- a/clients/client-rekognition/src/commands/GetFaceSearchCommand.ts +++ b/clients/client-rekognition/src/commands/GetFaceSearchCommand.ts @@ -255,4 +255,16 @@ export class GetFaceSearchCommand extends $Command .f(void 0, void 0) .ser(se_GetFaceSearchCommand) .de(de_GetFaceSearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFaceSearchRequest; + output: GetFaceSearchResponse; + }; + sdk: { + input: GetFaceSearchCommandInput; + output: GetFaceSearchCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetLabelDetectionCommand.ts b/clients/client-rekognition/src/commands/GetLabelDetectionCommand.ts index 30208e4b0252..880cab6a1404 100644 --- a/clients/client-rekognition/src/commands/GetLabelDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/GetLabelDetectionCommand.ts @@ -245,4 +245,16 @@ export class GetLabelDetectionCommand extends $Command .f(void 0, void 0) .ser(se_GetLabelDetectionCommand) .de(de_GetLabelDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLabelDetectionRequest; + output: GetLabelDetectionResponse; + }; + sdk: { + input: GetLabelDetectionCommandInput; + output: GetLabelDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetMediaAnalysisJobCommand.ts b/clients/client-rekognition/src/commands/GetMediaAnalysisJobCommand.ts index 4cb9cf77870f..4294db761705 100644 --- a/clients/client-rekognition/src/commands/GetMediaAnalysisJobCommand.ts +++ b/clients/client-rekognition/src/commands/GetMediaAnalysisJobCommand.ts @@ -189,4 +189,16 @@ export class GetMediaAnalysisJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMediaAnalysisJobCommand) .de(de_GetMediaAnalysisJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMediaAnalysisJobRequest; + output: GetMediaAnalysisJobResponse; + }; + sdk: { + input: GetMediaAnalysisJobCommandInput; + output: GetMediaAnalysisJobCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetPersonTrackingCommand.ts b/clients/client-rekognition/src/commands/GetPersonTrackingCommand.ts index eb6e7cf8fa28..433a8aebd68e 100644 --- a/clients/client-rekognition/src/commands/GetPersonTrackingCommand.ts +++ b/clients/client-rekognition/src/commands/GetPersonTrackingCommand.ts @@ -237,4 +237,16 @@ export class GetPersonTrackingCommand extends $Command .f(void 0, void 0) .ser(se_GetPersonTrackingCommand) .de(de_GetPersonTrackingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPersonTrackingRequest; + output: GetPersonTrackingResponse; + }; + sdk: { + input: GetPersonTrackingCommandInput; + output: GetPersonTrackingCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetSegmentDetectionCommand.ts b/clients/client-rekognition/src/commands/GetSegmentDetectionCommand.ts index 6e70e2326d1d..00a489e04de0 100644 --- a/clients/client-rekognition/src/commands/GetSegmentDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/GetSegmentDetectionCommand.ts @@ -181,4 +181,16 @@ export class GetSegmentDetectionCommand extends $Command .f(void 0, void 0) .ser(se_GetSegmentDetectionCommand) .de(de_GetSegmentDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSegmentDetectionRequest; + output: GetSegmentDetectionResponse; + }; + sdk: { + input: GetSegmentDetectionCommandInput; + output: GetSegmentDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/GetTextDetectionCommand.ts b/clients/client-rekognition/src/commands/GetTextDetectionCommand.ts index cf6594a41504..3bf59b6d5470 100644 --- a/clients/client-rekognition/src/commands/GetTextDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/GetTextDetectionCommand.ts @@ -167,4 +167,16 @@ export class GetTextDetectionCommand extends $Command .f(void 0, void 0) .ser(se_GetTextDetectionCommand) .de(de_GetTextDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTextDetectionRequest; + output: GetTextDetectionResponse; + }; + sdk: { + input: GetTextDetectionCommandInput; + output: GetTextDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/IndexFacesCommand.ts b/clients/client-rekognition/src/commands/IndexFacesCommand.ts index 0f4cd515dc4a..663d7875ba6b 100644 --- a/clients/client-rekognition/src/commands/IndexFacesCommand.ts +++ b/clients/client-rekognition/src/commands/IndexFacesCommand.ts @@ -540,4 +540,16 @@ export class IndexFacesCommand extends $Command .f(void 0, void 0) .ser(se_IndexFacesCommand) .de(de_IndexFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IndexFacesRequest; + output: IndexFacesResponse; + }; + sdk: { + input: IndexFacesCommandInput; + output: IndexFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListCollectionsCommand.ts b/clients/client-rekognition/src/commands/ListCollectionsCommand.ts index 379e5207373f..9fbbb243308d 100644 --- a/clients/client-rekognition/src/commands/ListCollectionsCommand.ts +++ b/clients/client-rekognition/src/commands/ListCollectionsCommand.ts @@ -129,4 +129,16 @@ export class ListCollectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCollectionsCommand) .de(de_ListCollectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCollectionsRequest; + output: ListCollectionsResponse; + }; + sdk: { + input: ListCollectionsCommandInput; + output: ListCollectionsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListDatasetEntriesCommand.ts b/clients/client-rekognition/src/commands/ListDatasetEntriesCommand.ts index 910155c64e57..6d74de03e1a3 100644 --- a/clients/client-rekognition/src/commands/ListDatasetEntriesCommand.ts +++ b/clients/client-rekognition/src/commands/ListDatasetEntriesCommand.ts @@ -162,4 +162,16 @@ export class ListDatasetEntriesCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetEntriesCommand) .de(de_ListDatasetEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetEntriesRequest; + output: ListDatasetEntriesResponse; + }; + sdk: { + input: ListDatasetEntriesCommandInput; + output: ListDatasetEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListDatasetLabelsCommand.ts b/clients/client-rekognition/src/commands/ListDatasetLabelsCommand.ts index ed59c6a4ef1f..95a7de92b914 100644 --- a/clients/client-rekognition/src/commands/ListDatasetLabelsCommand.ts +++ b/clients/client-rekognition/src/commands/ListDatasetLabelsCommand.ts @@ -164,4 +164,16 @@ export class ListDatasetLabelsCommand extends $Command .f(void 0, void 0) .ser(se_ListDatasetLabelsCommand) .de(de_ListDatasetLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatasetLabelsRequest; + output: ListDatasetLabelsResponse; + }; + sdk: { + input: ListDatasetLabelsCommandInput; + output: ListDatasetLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListFacesCommand.ts b/clients/client-rekognition/src/commands/ListFacesCommand.ts index dcb888cc341d..4d95057d5175 100644 --- a/clients/client-rekognition/src/commands/ListFacesCommand.ts +++ b/clients/client-rekognition/src/commands/ListFacesCommand.ts @@ -184,4 +184,16 @@ export class ListFacesCommand extends $Command .f(void 0, void 0) .ser(se_ListFacesCommand) .de(de_ListFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFacesRequest; + output: ListFacesResponse; + }; + sdk: { + input: ListFacesCommandInput; + output: ListFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListMediaAnalysisJobsCommand.ts b/clients/client-rekognition/src/commands/ListMediaAnalysisJobsCommand.ts index 602894f20810..26ecb2142726 100644 --- a/clients/client-rekognition/src/commands/ListMediaAnalysisJobsCommand.ts +++ b/clients/client-rekognition/src/commands/ListMediaAnalysisJobsCommand.ts @@ -198,4 +198,16 @@ export class ListMediaAnalysisJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMediaAnalysisJobsCommand) .de(de_ListMediaAnalysisJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMediaAnalysisJobsRequest; + output: ListMediaAnalysisJobsResponse; + }; + sdk: { + input: ListMediaAnalysisJobsCommandInput; + output: ListMediaAnalysisJobsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListProjectPoliciesCommand.ts b/clients/client-rekognition/src/commands/ListProjectPoliciesCommand.ts index 2dca8541d35e..e2ffc20e2bc7 100644 --- a/clients/client-rekognition/src/commands/ListProjectPoliciesCommand.ts +++ b/clients/client-rekognition/src/commands/ListProjectPoliciesCommand.ts @@ -145,4 +145,16 @@ export class ListProjectPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectPoliciesCommand) .de(de_ListProjectPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectPoliciesRequest; + output: ListProjectPoliciesResponse; + }; + sdk: { + input: ListProjectPoliciesCommandInput; + output: ListProjectPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListStreamProcessorsCommand.ts b/clients/client-rekognition/src/commands/ListStreamProcessorsCommand.ts index 029e82d06d07..1fa529d0ae0a 100644 --- a/clients/client-rekognition/src/commands/ListStreamProcessorsCommand.ts +++ b/clients/client-rekognition/src/commands/ListStreamProcessorsCommand.ts @@ -104,4 +104,16 @@ export class ListStreamProcessorsCommand extends $Command .f(void 0, void 0) .ser(se_ListStreamProcessorsCommand) .de(de_ListStreamProcessorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStreamProcessorsRequest; + output: ListStreamProcessorsResponse; + }; + sdk: { + input: ListStreamProcessorsCommandInput; + output: ListStreamProcessorsCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListTagsForResourceCommand.ts b/clients/client-rekognition/src/commands/ListTagsForResourceCommand.ts index 33a73353c493..1f3198831414 100644 --- a/clients/client-rekognition/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-rekognition/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/ListUsersCommand.ts b/clients/client-rekognition/src/commands/ListUsersCommand.ts index 9b01acc29688..aa8f2773c5c7 100644 --- a/clients/client-rekognition/src/commands/ListUsersCommand.ts +++ b/clients/client-rekognition/src/commands/ListUsersCommand.ts @@ -138,4 +138,16 @@ export class ListUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/PutProjectPolicyCommand.ts b/clients/client-rekognition/src/commands/PutProjectPolicyCommand.ts index 1067d930b39f..4056f892d858 100644 --- a/clients/client-rekognition/src/commands/PutProjectPolicyCommand.ts +++ b/clients/client-rekognition/src/commands/PutProjectPolicyCommand.ts @@ -158,4 +158,16 @@ export class PutProjectPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutProjectPolicyCommand) .de(de_PutProjectPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutProjectPolicyRequest; + output: PutProjectPolicyResponse; + }; + sdk: { + input: PutProjectPolicyCommandInput; + output: PutProjectPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/RecognizeCelebritiesCommand.ts b/clients/client-rekognition/src/commands/RecognizeCelebritiesCommand.ts index f2ff09862806..fd91c22c37fb 100644 --- a/clients/client-rekognition/src/commands/RecognizeCelebritiesCommand.ts +++ b/clients/client-rekognition/src/commands/RecognizeCelebritiesCommand.ts @@ -224,4 +224,16 @@ export class RecognizeCelebritiesCommand extends $Command .f(void 0, void 0) .ser(se_RecognizeCelebritiesCommand) .de(de_RecognizeCelebritiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecognizeCelebritiesRequest; + output: RecognizeCelebritiesResponse; + }; + sdk: { + input: RecognizeCelebritiesCommandInput; + output: RecognizeCelebritiesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/SearchFacesByImageCommand.ts b/clients/client-rekognition/src/commands/SearchFacesByImageCommand.ts index 81447528d5a5..d4ffb07b9f53 100644 --- a/clients/client-rekognition/src/commands/SearchFacesByImageCommand.ts +++ b/clients/client-rekognition/src/commands/SearchFacesByImageCommand.ts @@ -228,4 +228,16 @@ export class SearchFacesByImageCommand extends $Command .f(void 0, void 0) .ser(se_SearchFacesByImageCommand) .de(de_SearchFacesByImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchFacesByImageRequest; + output: SearchFacesByImageResponse; + }; + sdk: { + input: SearchFacesByImageCommandInput; + output: SearchFacesByImageCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/SearchFacesCommand.ts b/clients/client-rekognition/src/commands/SearchFacesCommand.ts index a6d7fe044c48..499a4eb80682 100644 --- a/clients/client-rekognition/src/commands/SearchFacesCommand.ts +++ b/clients/client-rekognition/src/commands/SearchFacesCommand.ts @@ -198,4 +198,16 @@ export class SearchFacesCommand extends $Command .f(void 0, void 0) .ser(se_SearchFacesCommand) .de(de_SearchFacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchFacesRequest; + output: SearchFacesResponse; + }; + sdk: { + input: SearchFacesCommandInput; + output: SearchFacesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/SearchUsersByImageCommand.ts b/clients/client-rekognition/src/commands/SearchUsersByImageCommand.ts index 672580c08199..c132038efec7 100644 --- a/clients/client-rekognition/src/commands/SearchUsersByImageCommand.ts +++ b/clients/client-rekognition/src/commands/SearchUsersByImageCommand.ts @@ -370,4 +370,16 @@ export class SearchUsersByImageCommand extends $Command .f(void 0, void 0) .ser(se_SearchUsersByImageCommand) .de(de_SearchUsersByImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchUsersByImageRequest; + output: SearchUsersByImageResponse; + }; + sdk: { + input: SearchUsersByImageCommandInput; + output: SearchUsersByImageCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/SearchUsersCommand.ts b/clients/client-rekognition/src/commands/SearchUsersCommand.ts index 3f92a26ea644..866776014b3c 100644 --- a/clients/client-rekognition/src/commands/SearchUsersCommand.ts +++ b/clients/client-rekognition/src/commands/SearchUsersCommand.ts @@ -152,4 +152,16 @@ export class SearchUsersCommand extends $Command .f(void 0, void 0) .ser(se_SearchUsersCommand) .de(de_SearchUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchUsersRequest; + output: SearchUsersResponse; + }; + sdk: { + input: SearchUsersCommandInput; + output: SearchUsersCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartCelebrityRecognitionCommand.ts b/clients/client-rekognition/src/commands/StartCelebrityRecognitionCommand.ts index e8c99cc1ddd2..41c45463310e 100644 --- a/clients/client-rekognition/src/commands/StartCelebrityRecognitionCommand.ts +++ b/clients/client-rekognition/src/commands/StartCelebrityRecognitionCommand.ts @@ -134,4 +134,16 @@ export class StartCelebrityRecognitionCommand extends $Command .f(void 0, void 0) .ser(se_StartCelebrityRecognitionCommand) .de(de_StartCelebrityRecognitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCelebrityRecognitionRequest; + output: StartCelebrityRecognitionResponse; + }; + sdk: { + input: StartCelebrityRecognitionCommandInput; + output: StartCelebrityRecognitionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartContentModerationCommand.ts b/clients/client-rekognition/src/commands/StartContentModerationCommand.ts index bd1073d5608c..987208ac7e9b 100644 --- a/clients/client-rekognition/src/commands/StartContentModerationCommand.ts +++ b/clients/client-rekognition/src/commands/StartContentModerationCommand.ts @@ -135,4 +135,16 @@ export class StartContentModerationCommand extends $Command .f(void 0, void 0) .ser(se_StartContentModerationCommand) .de(de_StartContentModerationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartContentModerationRequest; + output: StartContentModerationResponse; + }; + sdk: { + input: StartContentModerationCommandInput; + output: StartContentModerationCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartFaceDetectionCommand.ts b/clients/client-rekognition/src/commands/StartFaceDetectionCommand.ts index 0681d8cf2d84..d7c53919393e 100644 --- a/clients/client-rekognition/src/commands/StartFaceDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/StartFaceDetectionCommand.ts @@ -136,4 +136,16 @@ export class StartFaceDetectionCommand extends $Command .f(void 0, void 0) .ser(se_StartFaceDetectionCommand) .de(de_StartFaceDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFaceDetectionRequest; + output: StartFaceDetectionResponse; + }; + sdk: { + input: StartFaceDetectionCommandInput; + output: StartFaceDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartFaceSearchCommand.ts b/clients/client-rekognition/src/commands/StartFaceSearchCommand.ts index d6467a48d30c..395c474fcc7a 100644 --- a/clients/client-rekognition/src/commands/StartFaceSearchCommand.ts +++ b/clients/client-rekognition/src/commands/StartFaceSearchCommand.ts @@ -139,4 +139,16 @@ export class StartFaceSearchCommand extends $Command .f(void 0, void 0) .ser(se_StartFaceSearchCommand) .de(de_StartFaceSearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFaceSearchRequest; + output: StartFaceSearchResponse; + }; + sdk: { + input: StartFaceSearchCommandInput; + output: StartFaceSearchCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartLabelDetectionCommand.ts b/clients/client-rekognition/src/commands/StartLabelDetectionCommand.ts index 173bef3f7cd9..b9673a4aa1ab 100644 --- a/clients/client-rekognition/src/commands/StartLabelDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/StartLabelDetectionCommand.ts @@ -168,4 +168,16 @@ export class StartLabelDetectionCommand extends $Command .f(void 0, void 0) .ser(se_StartLabelDetectionCommand) .de(de_StartLabelDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartLabelDetectionRequest; + output: StartLabelDetectionResponse; + }; + sdk: { + input: StartLabelDetectionCommandInput; + output: StartLabelDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartMediaAnalysisJobCommand.ts b/clients/client-rekognition/src/commands/StartMediaAnalysisJobCommand.ts index 2ea6fd91d5ff..db61b96b39f7 100644 --- a/clients/client-rekognition/src/commands/StartMediaAnalysisJobCommand.ts +++ b/clients/client-rekognition/src/commands/StartMediaAnalysisJobCommand.ts @@ -171,4 +171,16 @@ export class StartMediaAnalysisJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMediaAnalysisJobCommand) .de(de_StartMediaAnalysisJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMediaAnalysisJobRequest; + output: StartMediaAnalysisJobResponse; + }; + sdk: { + input: StartMediaAnalysisJobCommandInput; + output: StartMediaAnalysisJobCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartPersonTrackingCommand.ts b/clients/client-rekognition/src/commands/StartPersonTrackingCommand.ts index 77b7b5f9e823..4668dacf6afa 100644 --- a/clients/client-rekognition/src/commands/StartPersonTrackingCommand.ts +++ b/clients/client-rekognition/src/commands/StartPersonTrackingCommand.ts @@ -132,4 +132,16 @@ export class StartPersonTrackingCommand extends $Command .f(void 0, void 0) .ser(se_StartPersonTrackingCommand) .de(de_StartPersonTrackingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPersonTrackingRequest; + output: StartPersonTrackingResponse; + }; + sdk: { + input: StartPersonTrackingCommandInput; + output: StartPersonTrackingCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartProjectVersionCommand.ts b/clients/client-rekognition/src/commands/StartProjectVersionCommand.ts index bcaebc19479f..991b37bf8ba8 100644 --- a/clients/client-rekognition/src/commands/StartProjectVersionCommand.ts +++ b/clients/client-rekognition/src/commands/StartProjectVersionCommand.ts @@ -139,4 +139,16 @@ export class StartProjectVersionCommand extends $Command .f(void 0, void 0) .ser(se_StartProjectVersionCommand) .de(de_StartProjectVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartProjectVersionRequest; + output: StartProjectVersionResponse; + }; + sdk: { + input: StartProjectVersionCommandInput; + output: StartProjectVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartSegmentDetectionCommand.ts b/clients/client-rekognition/src/commands/StartSegmentDetectionCommand.ts index 14c4a1040319..bff8511b8a24 100644 --- a/clients/client-rekognition/src/commands/StartSegmentDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/StartSegmentDetectionCommand.ts @@ -152,4 +152,16 @@ export class StartSegmentDetectionCommand extends $Command .f(void 0, void 0) .ser(se_StartSegmentDetectionCommand) .de(de_StartSegmentDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSegmentDetectionRequest; + output: StartSegmentDetectionResponse; + }; + sdk: { + input: StartSegmentDetectionCommandInput; + output: StartSegmentDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartStreamProcessorCommand.ts b/clients/client-rekognition/src/commands/StartStreamProcessorCommand.ts index c7c35b275f87..532b06860551 100644 --- a/clients/client-rekognition/src/commands/StartStreamProcessorCommand.ts +++ b/clients/client-rekognition/src/commands/StartStreamProcessorCommand.ts @@ -112,4 +112,16 @@ export class StartStreamProcessorCommand extends $Command .f(void 0, void 0) .ser(se_StartStreamProcessorCommand) .de(de_StartStreamProcessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartStreamProcessorRequest; + output: StartStreamProcessorResponse; + }; + sdk: { + input: StartStreamProcessorCommandInput; + output: StartStreamProcessorCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StartTextDetectionCommand.ts b/clients/client-rekognition/src/commands/StartTextDetectionCommand.ts index 935c1dbbb465..80b8b9739630 100644 --- a/clients/client-rekognition/src/commands/StartTextDetectionCommand.ts +++ b/clients/client-rekognition/src/commands/StartTextDetectionCommand.ts @@ -154,4 +154,16 @@ export class StartTextDetectionCommand extends $Command .f(void 0, void 0) .ser(se_StartTextDetectionCommand) .de(de_StartTextDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTextDetectionRequest; + output: StartTextDetectionResponse; + }; + sdk: { + input: StartTextDetectionCommandInput; + output: StartTextDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StopProjectVersionCommand.ts b/clients/client-rekognition/src/commands/StopProjectVersionCommand.ts index f5675f99e986..43f608815fa7 100644 --- a/clients/client-rekognition/src/commands/StopProjectVersionCommand.ts +++ b/clients/client-rekognition/src/commands/StopProjectVersionCommand.ts @@ -122,4 +122,16 @@ export class StopProjectVersionCommand extends $Command .f(void 0, void 0) .ser(se_StopProjectVersionCommand) .de(de_StopProjectVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopProjectVersionRequest; + output: StopProjectVersionResponse; + }; + sdk: { + input: StopProjectVersionCommandInput; + output: StopProjectVersionCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/StopStreamProcessorCommand.ts b/clients/client-rekognition/src/commands/StopStreamProcessorCommand.ts index c007d33bd0fb..9ddf32b65b76 100644 --- a/clients/client-rekognition/src/commands/StopStreamProcessorCommand.ts +++ b/clients/client-rekognition/src/commands/StopStreamProcessorCommand.ts @@ -98,4 +98,16 @@ export class StopStreamProcessorCommand extends $Command .f(void 0, void 0) .ser(se_StopStreamProcessorCommand) .de(de_StopStreamProcessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopStreamProcessorRequest; + output: {}; + }; + sdk: { + input: StopStreamProcessorCommandInput; + output: StopStreamProcessorCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/TagResourceCommand.ts b/clients/client-rekognition/src/commands/TagResourceCommand.ts index 8562841cb7d7..ff385b8294cf 100644 --- a/clients/client-rekognition/src/commands/TagResourceCommand.ts +++ b/clients/client-rekognition/src/commands/TagResourceCommand.ts @@ -107,4 +107,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/UntagResourceCommand.ts b/clients/client-rekognition/src/commands/UntagResourceCommand.ts index 07d9a8339fb9..042c3194ef74 100644 --- a/clients/client-rekognition/src/commands/UntagResourceCommand.ts +++ b/clients/client-rekognition/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/UpdateDatasetEntriesCommand.ts b/clients/client-rekognition/src/commands/UpdateDatasetEntriesCommand.ts index 7d96b3fd6b04..ffb1165c5aeb 100644 --- a/clients/client-rekognition/src/commands/UpdateDatasetEntriesCommand.ts +++ b/clients/client-rekognition/src/commands/UpdateDatasetEntriesCommand.ts @@ -146,4 +146,16 @@ export class UpdateDatasetEntriesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatasetEntriesCommand) .de(de_UpdateDatasetEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatasetEntriesRequest; + output: {}; + }; + sdk: { + input: UpdateDatasetEntriesCommandInput; + output: UpdateDatasetEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-rekognition/src/commands/UpdateStreamProcessorCommand.ts b/clients/client-rekognition/src/commands/UpdateStreamProcessorCommand.ts index 8a29b4e538fe..ebb28d6d11ff 100644 --- a/clients/client-rekognition/src/commands/UpdateStreamProcessorCommand.ts +++ b/clients/client-rekognition/src/commands/UpdateStreamProcessorCommand.ts @@ -130,4 +130,16 @@ export class UpdateStreamProcessorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStreamProcessorCommand) .de(de_UpdateStreamProcessorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStreamProcessorRequest; + output: {}; + }; + sdk: { + input: UpdateStreamProcessorCommandInput; + output: UpdateStreamProcessorCommandOutput; + }; + }; +} diff --git a/clients/client-rekognitionstreaming/package.json b/clients/client-rekognitionstreaming/package.json index 82816571fe79..edb7fb6d1cf6 100644 --- a/clients/client-rekognitionstreaming/package.json +++ b/clients/client-rekognitionstreaming/package.json @@ -36,33 +36,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-rekognitionstreaming/src/commands/StartFaceLivenessSessionCommand.ts b/clients/client-rekognitionstreaming/src/commands/StartFaceLivenessSessionCommand.ts index f33c96043c7e..190c8dbf49f0 100644 --- a/clients/client-rekognitionstreaming/src/commands/StartFaceLivenessSessionCommand.ts +++ b/clients/client-rekognitionstreaming/src/commands/StartFaceLivenessSessionCommand.ts @@ -251,4 +251,16 @@ export class StartFaceLivenessSessionCommand extends $Command .f(StartFaceLivenessSessionRequestFilterSensitiveLog, StartFaceLivenessSessionResponseFilterSensitiveLog) .ser(se_StartFaceLivenessSessionCommand) .de(de_StartFaceLivenessSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFaceLivenessSessionRequest; + output: StartFaceLivenessSessionResponse; + }; + sdk: { + input: StartFaceLivenessSessionCommandInput; + output: StartFaceLivenessSessionCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/package.json b/clients/client-repostspace/package.json index c87b3089d11c..f2771a7fc350 100644 --- a/clients/client-repostspace/package.json +++ b/clients/client-repostspace/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-repostspace/src/commands/CreateSpaceCommand.ts b/clients/client-repostspace/src/commands/CreateSpaceCommand.ts index fa8496c79de9..38a5d46428fb 100644 --- a/clients/client-repostspace/src/commands/CreateSpaceCommand.ts +++ b/clients/client-repostspace/src/commands/CreateSpaceCommand.ts @@ -106,4 +106,16 @@ export class CreateSpaceCommand extends $Command .f(CreateSpaceInputFilterSensitiveLog, void 0) .ser(se_CreateSpaceCommand) .de(de_CreateSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSpaceInput; + output: CreateSpaceOutput; + }; + sdk: { + input: CreateSpaceCommandInput; + output: CreateSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/DeleteSpaceCommand.ts b/clients/client-repostspace/src/commands/DeleteSpaceCommand.ts index 26e8368b46f5..3297ed03ae12 100644 --- a/clients/client-repostspace/src/commands/DeleteSpaceCommand.ts +++ b/clients/client-repostspace/src/commands/DeleteSpaceCommand.ts @@ -90,4 +90,16 @@ export class DeleteSpaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSpaceCommand) .de(de_DeleteSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSpaceInput; + output: {}; + }; + sdk: { + input: DeleteSpaceCommandInput; + output: DeleteSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/DeregisterAdminCommand.ts b/clients/client-repostspace/src/commands/DeregisterAdminCommand.ts index f4da6f85a2fd..c94affeba0a3 100644 --- a/clients/client-repostspace/src/commands/DeregisterAdminCommand.ts +++ b/clients/client-repostspace/src/commands/DeregisterAdminCommand.ts @@ -91,4 +91,16 @@ export class DeregisterAdminCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterAdminCommand) .de(de_DeregisterAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterAdminInput; + output: {}; + }; + sdk: { + input: DeregisterAdminCommandInput; + output: DeregisterAdminCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/GetSpaceCommand.ts b/clients/client-repostspace/src/commands/GetSpaceCommand.ts index bd12c5c22179..23d4bfec9d83 100644 --- a/clients/client-repostspace/src/commands/GetSpaceCommand.ts +++ b/clients/client-repostspace/src/commands/GetSpaceCommand.ts @@ -115,4 +115,16 @@ export class GetSpaceCommand extends $Command .f(void 0, GetSpaceOutputFilterSensitiveLog) .ser(se_GetSpaceCommand) .de(de_GetSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSpaceInput; + output: GetSpaceOutput; + }; + sdk: { + input: GetSpaceCommandInput; + output: GetSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/ListSpacesCommand.ts b/clients/client-repostspace/src/commands/ListSpacesCommand.ts index 5f91b00b85f0..23924f734650 100644 --- a/clients/client-repostspace/src/commands/ListSpacesCommand.ts +++ b/clients/client-repostspace/src/commands/ListSpacesCommand.ts @@ -110,4 +110,16 @@ export class ListSpacesCommand extends $Command .f(void 0, ListSpacesOutputFilterSensitiveLog) .ser(se_ListSpacesCommand) .de(de_ListSpacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSpacesInput; + output: ListSpacesOutput; + }; + sdk: { + input: ListSpacesCommandInput; + output: ListSpacesCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/ListTagsForResourceCommand.ts b/clients/client-repostspace/src/commands/ListTagsForResourceCommand.ts index d52d909bd14e..868292dfe1ac 100644 --- a/clients/client-repostspace/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-repostspace/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/RegisterAdminCommand.ts b/clients/client-repostspace/src/commands/RegisterAdminCommand.ts index 4bdecd681f29..9b0656b7ef45 100644 --- a/clients/client-repostspace/src/commands/RegisterAdminCommand.ts +++ b/clients/client-repostspace/src/commands/RegisterAdminCommand.ts @@ -91,4 +91,16 @@ export class RegisterAdminCommand extends $Command .f(void 0, void 0) .ser(se_RegisterAdminCommand) .de(de_RegisterAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterAdminInput; + output: {}; + }; + sdk: { + input: RegisterAdminCommandInput; + output: RegisterAdminCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/SendInvitesCommand.ts b/clients/client-repostspace/src/commands/SendInvitesCommand.ts index b4cfb000705e..acb8a3bf12dc 100644 --- a/clients/client-repostspace/src/commands/SendInvitesCommand.ts +++ b/clients/client-repostspace/src/commands/SendInvitesCommand.ts @@ -95,4 +95,16 @@ export class SendInvitesCommand extends $Command .f(SendInvitesInputFilterSensitiveLog, void 0) .ser(se_SendInvitesCommand) .de(de_SendInvitesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendInvitesInput; + output: {}; + }; + sdk: { + input: SendInvitesCommandInput; + output: SendInvitesCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/TagResourceCommand.ts b/clients/client-repostspace/src/commands/TagResourceCommand.ts index 4697d948a014..0df22932568f 100644 --- a/clients/client-repostspace/src/commands/TagResourceCommand.ts +++ b/clients/client-repostspace/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/UntagResourceCommand.ts b/clients/client-repostspace/src/commands/UntagResourceCommand.ts index f03d78ff760b..032928a617f8 100644 --- a/clients/client-repostspace/src/commands/UntagResourceCommand.ts +++ b/clients/client-repostspace/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-repostspace/src/commands/UpdateSpaceCommand.ts b/clients/client-repostspace/src/commands/UpdateSpaceCommand.ts index 78113c7a59c7..518b2f1e47d9 100644 --- a/clients/client-repostspace/src/commands/UpdateSpaceCommand.ts +++ b/clients/client-repostspace/src/commands/UpdateSpaceCommand.ts @@ -96,4 +96,16 @@ export class UpdateSpaceCommand extends $Command .f(UpdateSpaceInputFilterSensitiveLog, void 0) .ser(se_UpdateSpaceCommand) .de(de_UpdateSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSpaceInput; + output: {}; + }; + sdk: { + input: UpdateSpaceCommandInput; + output: UpdateSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/package.json b/clients/client-resiliencehub/package.json index 4cff881a4951..dfe4aa7cc9bd 100644 --- a/clients/client-resiliencehub/package.json +++ b/clients/client-resiliencehub/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-resiliencehub/src/commands/AcceptResourceGroupingRecommendationsCommand.ts b/clients/client-resiliencehub/src/commands/AcceptResourceGroupingRecommendationsCommand.ts index 63988c26fa27..931269f90c91 100644 --- a/clients/client-resiliencehub/src/commands/AcceptResourceGroupingRecommendationsCommand.ts +++ b/clients/client-resiliencehub/src/commands/AcceptResourceGroupingRecommendationsCommand.ts @@ -115,4 +115,16 @@ export class AcceptResourceGroupingRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_AcceptResourceGroupingRecommendationsCommand) .de(de_AcceptResourceGroupingRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptResourceGroupingRecommendationsRequest; + output: AcceptResourceGroupingRecommendationsResponse; + }; + sdk: { + input: AcceptResourceGroupingRecommendationsCommandInput; + output: AcceptResourceGroupingRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/AddDraftAppVersionResourceMappingsCommand.ts b/clients/client-resiliencehub/src/commands/AddDraftAppVersionResourceMappingsCommand.ts index 3d3982ffda72..c847b6249316 100644 --- a/clients/client-resiliencehub/src/commands/AddDraftAppVersionResourceMappingsCommand.ts +++ b/clients/client-resiliencehub/src/commands/AddDraftAppVersionResourceMappingsCommand.ts @@ -153,4 +153,16 @@ export class AddDraftAppVersionResourceMappingsCommand extends $Command .f(void 0, void 0) .ser(se_AddDraftAppVersionResourceMappingsCommand) .de(de_AddDraftAppVersionResourceMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddDraftAppVersionResourceMappingsRequest; + output: AddDraftAppVersionResourceMappingsResponse; + }; + sdk: { + input: AddDraftAppVersionResourceMappingsCommandInput; + output: AddDraftAppVersionResourceMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/BatchUpdateRecommendationStatusCommand.ts b/clients/client-resiliencehub/src/commands/BatchUpdateRecommendationStatusCommand.ts index 38bfedddcaf0..98fb81b4caa3 100644 --- a/clients/client-resiliencehub/src/commands/BatchUpdateRecommendationStatusCommand.ts +++ b/clients/client-resiliencehub/src/commands/BatchUpdateRecommendationStatusCommand.ts @@ -132,4 +132,16 @@ export class BatchUpdateRecommendationStatusCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateRecommendationStatusCommand) .de(de_BatchUpdateRecommendationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateRecommendationStatusRequest; + output: BatchUpdateRecommendationStatusResponse; + }; + sdk: { + input: BatchUpdateRecommendationStatusCommandInput; + output: BatchUpdateRecommendationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/CreateAppCommand.ts b/clients/client-resiliencehub/src/commands/CreateAppCommand.ts index d10730186208..b0ce495b5ab2 100644 --- a/clients/client-resiliencehub/src/commands/CreateAppCommand.ts +++ b/clients/client-resiliencehub/src/commands/CreateAppCommand.ts @@ -174,4 +174,16 @@ export class CreateAppCommand extends $Command .f(CreateAppRequestFilterSensitiveLog, CreateAppResponseFilterSensitiveLog) .ser(se_CreateAppCommand) .de(de_CreateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppRequest; + output: CreateAppResponse; + }; + sdk: { + input: CreateAppCommandInput; + output: CreateAppCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/CreateAppVersionAppComponentCommand.ts b/clients/client-resiliencehub/src/commands/CreateAppVersionAppComponentCommand.ts index 73b15e7a47d2..691d23ef1538 100644 --- a/clients/client-resiliencehub/src/commands/CreateAppVersionAppComponentCommand.ts +++ b/clients/client-resiliencehub/src/commands/CreateAppVersionAppComponentCommand.ts @@ -135,4 +135,16 @@ export class CreateAppVersionAppComponentCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppVersionAppComponentCommand) .de(de_CreateAppVersionAppComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppVersionAppComponentRequest; + output: CreateAppVersionAppComponentResponse; + }; + sdk: { + input: CreateAppVersionAppComponentCommandInput; + output: CreateAppVersionAppComponentCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/CreateAppVersionResourceCommand.ts b/clients/client-resiliencehub/src/commands/CreateAppVersionResourceCommand.ts index 09054bea374d..f44ca4cd8041 100644 --- a/clients/client-resiliencehub/src/commands/CreateAppVersionResourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/CreateAppVersionResourceCommand.ts @@ -182,4 +182,16 @@ export class CreateAppVersionResourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppVersionResourceCommand) .de(de_CreateAppVersionResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppVersionResourceRequest; + output: CreateAppVersionResourceResponse; + }; + sdk: { + input: CreateAppVersionResourceCommandInput; + output: CreateAppVersionResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/CreateRecommendationTemplateCommand.ts b/clients/client-resiliencehub/src/commands/CreateRecommendationTemplateCommand.ts index 9b6f8821a31b..6c4756086cc5 100644 --- a/clients/client-resiliencehub/src/commands/CreateRecommendationTemplateCommand.ts +++ b/clients/client-resiliencehub/src/commands/CreateRecommendationTemplateCommand.ts @@ -152,4 +152,16 @@ export class CreateRecommendationTemplateCommand extends $Command .f(CreateRecommendationTemplateRequestFilterSensitiveLog, CreateRecommendationTemplateResponseFilterSensitiveLog) .ser(se_CreateRecommendationTemplateCommand) .de(de_CreateRecommendationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRecommendationTemplateRequest; + output: CreateRecommendationTemplateResponse; + }; + sdk: { + input: CreateRecommendationTemplateCommandInput; + output: CreateRecommendationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/CreateResiliencyPolicyCommand.ts b/clients/client-resiliencehub/src/commands/CreateResiliencyPolicyCommand.ts index e2f1b2769e40..05f38fe23c23 100644 --- a/clients/client-resiliencehub/src/commands/CreateResiliencyPolicyCommand.ts +++ b/clients/client-resiliencehub/src/commands/CreateResiliencyPolicyCommand.ts @@ -146,4 +146,16 @@ export class CreateResiliencyPolicyCommand extends $Command .f(CreateResiliencyPolicyRequestFilterSensitiveLog, CreateResiliencyPolicyResponseFilterSensitiveLog) .ser(se_CreateResiliencyPolicyCommand) .de(de_CreateResiliencyPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResiliencyPolicyRequest; + output: CreateResiliencyPolicyResponse; + }; + sdk: { + input: CreateResiliencyPolicyCommandInput; + output: CreateResiliencyPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DeleteAppAssessmentCommand.ts b/clients/client-resiliencehub/src/commands/DeleteAppAssessmentCommand.ts index 8de7a9170f1e..8ec83366d12f 100644 --- a/clients/client-resiliencehub/src/commands/DeleteAppAssessmentCommand.ts +++ b/clients/client-resiliencehub/src/commands/DeleteAppAssessmentCommand.ts @@ -104,4 +104,16 @@ export class DeleteAppAssessmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppAssessmentCommand) .de(de_DeleteAppAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppAssessmentRequest; + output: DeleteAppAssessmentResponse; + }; + sdk: { + input: DeleteAppAssessmentCommandInput; + output: DeleteAppAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DeleteAppCommand.ts b/clients/client-resiliencehub/src/commands/DeleteAppCommand.ts index 2b9de4eb15ab..bef2a803bbe7 100644 --- a/clients/client-resiliencehub/src/commands/DeleteAppCommand.ts +++ b/clients/client-resiliencehub/src/commands/DeleteAppCommand.ts @@ -99,4 +99,16 @@ export class DeleteAppCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppCommand) .de(de_DeleteAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppRequest; + output: DeleteAppResponse; + }; + sdk: { + input: DeleteAppCommandInput; + output: DeleteAppCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DeleteAppInputSourceCommand.ts b/clients/client-resiliencehub/src/commands/DeleteAppInputSourceCommand.ts index d370a1e46fa0..00802e67f0ed 100644 --- a/clients/client-resiliencehub/src/commands/DeleteAppInputSourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/DeleteAppInputSourceCommand.ts @@ -124,4 +124,16 @@ export class DeleteAppInputSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppInputSourceCommand) .de(de_DeleteAppInputSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInputSourceRequest; + output: DeleteAppInputSourceResponse; + }; + sdk: { + input: DeleteAppInputSourceCommandInput; + output: DeleteAppInputSourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DeleteAppVersionAppComponentCommand.ts b/clients/client-resiliencehub/src/commands/DeleteAppVersionAppComponentCommand.ts index 7e65b293bc3f..5c3efd580fa0 100644 --- a/clients/client-resiliencehub/src/commands/DeleteAppVersionAppComponentCommand.ts +++ b/clients/client-resiliencehub/src/commands/DeleteAppVersionAppComponentCommand.ts @@ -132,4 +132,16 @@ export class DeleteAppVersionAppComponentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppVersionAppComponentCommand) .de(de_DeleteAppVersionAppComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppVersionAppComponentRequest; + output: DeleteAppVersionAppComponentResponse; + }; + sdk: { + input: DeleteAppVersionAppComponentCommandInput; + output: DeleteAppVersionAppComponentCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DeleteAppVersionResourceCommand.ts b/clients/client-resiliencehub/src/commands/DeleteAppVersionResourceCommand.ts index 3f6fb5742249..4cffcb4c40fe 100644 --- a/clients/client-resiliencehub/src/commands/DeleteAppVersionResourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/DeleteAppVersionResourceCommand.ts @@ -167,4 +167,16 @@ export class DeleteAppVersionResourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppVersionResourceCommand) .de(de_DeleteAppVersionResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppVersionResourceRequest; + output: DeleteAppVersionResourceResponse; + }; + sdk: { + input: DeleteAppVersionResourceCommandInput; + output: DeleteAppVersionResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DeleteRecommendationTemplateCommand.ts b/clients/client-resiliencehub/src/commands/DeleteRecommendationTemplateCommand.ts index df968a5f022f..d5310ec96573 100644 --- a/clients/client-resiliencehub/src/commands/DeleteRecommendationTemplateCommand.ts +++ b/clients/client-resiliencehub/src/commands/DeleteRecommendationTemplateCommand.ts @@ -103,4 +103,16 @@ export class DeleteRecommendationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecommendationTemplateCommand) .de(de_DeleteRecommendationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecommendationTemplateRequest; + output: DeleteRecommendationTemplateResponse; + }; + sdk: { + input: DeleteRecommendationTemplateCommandInput; + output: DeleteRecommendationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DeleteResiliencyPolicyCommand.ts b/clients/client-resiliencehub/src/commands/DeleteResiliencyPolicyCommand.ts index 965111fb734f..d79da1fa9cb4 100644 --- a/clients/client-resiliencehub/src/commands/DeleteResiliencyPolicyCommand.ts +++ b/clients/client-resiliencehub/src/commands/DeleteResiliencyPolicyCommand.ts @@ -102,4 +102,16 @@ export class DeleteResiliencyPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResiliencyPolicyCommand) .de(de_DeleteResiliencyPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResiliencyPolicyRequest; + output: DeleteResiliencyPolicyResponse; + }; + sdk: { + input: DeleteResiliencyPolicyCommandInput; + output: DeleteResiliencyPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeAppAssessmentCommand.ts b/clients/client-resiliencehub/src/commands/DescribeAppAssessmentCommand.ts index a27e76c0ef44..718ff8ca1135 100644 --- a/clients/client-resiliencehub/src/commands/DescribeAppAssessmentCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeAppAssessmentCommand.ts @@ -188,4 +188,16 @@ export class DescribeAppAssessmentCommand extends $Command .f(void 0, DescribeAppAssessmentResponseFilterSensitiveLog) .ser(se_DescribeAppAssessmentCommand) .de(de_DescribeAppAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppAssessmentRequest; + output: DescribeAppAssessmentResponse; + }; + sdk: { + input: DescribeAppAssessmentCommandInput; + output: DescribeAppAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeAppCommand.ts b/clients/client-resiliencehub/src/commands/DescribeAppCommand.ts index 053892c035b1..14bdf0f9116a 100644 --- a/clients/client-resiliencehub/src/commands/DescribeAppCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeAppCommand.ts @@ -128,4 +128,16 @@ export class DescribeAppCommand extends $Command .f(void 0, DescribeAppResponseFilterSensitiveLog) .ser(se_DescribeAppCommand) .de(de_DescribeAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppRequest; + output: DescribeAppResponse; + }; + sdk: { + input: DescribeAppCommandInput; + output: DescribeAppCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeAppVersionAppComponentCommand.ts b/clients/client-resiliencehub/src/commands/DescribeAppVersionAppComponentCommand.ts index 9c1bcb8566ab..f4de4070ba56 100644 --- a/clients/client-resiliencehub/src/commands/DescribeAppVersionAppComponentCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeAppVersionAppComponentCommand.ts @@ -119,4 +119,16 @@ export class DescribeAppVersionAppComponentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppVersionAppComponentCommand) .de(de_DescribeAppVersionAppComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppVersionAppComponentRequest; + output: DescribeAppVersionAppComponentResponse; + }; + sdk: { + input: DescribeAppVersionAppComponentCommandInput; + output: DescribeAppVersionAppComponentCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeAppVersionCommand.ts b/clients/client-resiliencehub/src/commands/DescribeAppVersionCommand.ts index 65331469f61f..387454bba95c 100644 --- a/clients/client-resiliencehub/src/commands/DescribeAppVersionCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeAppVersionCommand.ts @@ -102,4 +102,16 @@ export class DescribeAppVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppVersionCommand) .de(de_DescribeAppVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppVersionRequest; + output: DescribeAppVersionResponse; + }; + sdk: { + input: DescribeAppVersionCommandInput; + output: DescribeAppVersionCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeAppVersionResourceCommand.ts b/clients/client-resiliencehub/src/commands/DescribeAppVersionResourceCommand.ts index bc6743b2ba21..4f8c3a353e98 100644 --- a/clients/client-resiliencehub/src/commands/DescribeAppVersionResourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeAppVersionResourceCommand.ts @@ -171,4 +171,16 @@ export class DescribeAppVersionResourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppVersionResourceCommand) .de(de_DescribeAppVersionResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppVersionResourceRequest; + output: DescribeAppVersionResourceResponse; + }; + sdk: { + input: DescribeAppVersionResourceCommandInput; + output: DescribeAppVersionResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeAppVersionResourcesResolutionStatusCommand.ts b/clients/client-resiliencehub/src/commands/DescribeAppVersionResourcesResolutionStatusCommand.ts index 9986c2216070..7215c3dab127 100644 --- a/clients/client-resiliencehub/src/commands/DescribeAppVersionResourcesResolutionStatusCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeAppVersionResourcesResolutionStatusCommand.ts @@ -112,4 +112,16 @@ export class DescribeAppVersionResourcesResolutionStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppVersionResourcesResolutionStatusCommand) .de(de_DescribeAppVersionResourcesResolutionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppVersionResourcesResolutionStatusRequest; + output: DescribeAppVersionResourcesResolutionStatusResponse; + }; + sdk: { + input: DescribeAppVersionResourcesResolutionStatusCommandInput; + output: DescribeAppVersionResourcesResolutionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeAppVersionTemplateCommand.ts b/clients/client-resiliencehub/src/commands/DescribeAppVersionTemplateCommand.ts index e8eb4ce7a7b4..2e093cfe05e0 100644 --- a/clients/client-resiliencehub/src/commands/DescribeAppVersionTemplateCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeAppVersionTemplateCommand.ts @@ -98,4 +98,16 @@ export class DescribeAppVersionTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppVersionTemplateCommand) .de(de_DescribeAppVersionTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppVersionTemplateRequest; + output: DescribeAppVersionTemplateResponse; + }; + sdk: { + input: DescribeAppVersionTemplateCommandInput; + output: DescribeAppVersionTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeDraftAppVersionResourcesImportStatusCommand.ts b/clients/client-resiliencehub/src/commands/DescribeDraftAppVersionResourcesImportStatusCommand.ts index 1cc8161d8abb..e2d6fa648c2b 100644 --- a/clients/client-resiliencehub/src/commands/DescribeDraftAppVersionResourcesImportStatusCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeDraftAppVersionResourcesImportStatusCommand.ts @@ -115,4 +115,16 @@ export class DescribeDraftAppVersionResourcesImportStatusCommand extends $Comman .f(void 0, void 0) .ser(se_DescribeDraftAppVersionResourcesImportStatusCommand) .de(de_DescribeDraftAppVersionResourcesImportStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDraftAppVersionResourcesImportStatusRequest; + output: DescribeDraftAppVersionResourcesImportStatusResponse; + }; + sdk: { + input: DescribeDraftAppVersionResourcesImportStatusCommandInput; + output: DescribeDraftAppVersionResourcesImportStatusCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeResiliencyPolicyCommand.ts b/clients/client-resiliencehub/src/commands/DescribeResiliencyPolicyCommand.ts index d99d5db06265..75c93926a1a8 100644 --- a/clients/client-resiliencehub/src/commands/DescribeResiliencyPolicyCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeResiliencyPolicyCommand.ts @@ -118,4 +118,16 @@ export class DescribeResiliencyPolicyCommand extends $Command .f(void 0, DescribeResiliencyPolicyResponseFilterSensitiveLog) .ser(se_DescribeResiliencyPolicyCommand) .de(de_DescribeResiliencyPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResiliencyPolicyRequest; + output: DescribeResiliencyPolicyResponse; + }; + sdk: { + input: DescribeResiliencyPolicyCommandInput; + output: DescribeResiliencyPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/DescribeResourceGroupingRecommendationTaskCommand.ts b/clients/client-resiliencehub/src/commands/DescribeResourceGroupingRecommendationTaskCommand.ts index 70df7f8d68ac..0f5f277497fa 100644 --- a/clients/client-resiliencehub/src/commands/DescribeResourceGroupingRecommendationTaskCommand.ts +++ b/clients/client-resiliencehub/src/commands/DescribeResourceGroupingRecommendationTaskCommand.ts @@ -107,4 +107,16 @@ export class DescribeResourceGroupingRecommendationTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourceGroupingRecommendationTaskCommand) .de(de_DescribeResourceGroupingRecommendationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourceGroupingRecommendationTaskRequest; + output: DescribeResourceGroupingRecommendationTaskResponse; + }; + sdk: { + input: DescribeResourceGroupingRecommendationTaskCommandInput; + output: DescribeResourceGroupingRecommendationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ImportResourcesToDraftAppVersionCommand.ts b/clients/client-resiliencehub/src/commands/ImportResourcesToDraftAppVersionCommand.ts index f32f1dbf3e68..2ba980262206 100644 --- a/clients/client-resiliencehub/src/commands/ImportResourcesToDraftAppVersionCommand.ts +++ b/clients/client-resiliencehub/src/commands/ImportResourcesToDraftAppVersionCommand.ts @@ -147,4 +147,16 @@ export class ImportResourcesToDraftAppVersionCommand extends $Command .f(void 0, void 0) .ser(se_ImportResourcesToDraftAppVersionCommand) .de(de_ImportResourcesToDraftAppVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportResourcesToDraftAppVersionRequest; + output: ImportResourcesToDraftAppVersionResponse; + }; + sdk: { + input: ImportResourcesToDraftAppVersionCommandInput; + output: ImportResourcesToDraftAppVersionCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAlarmRecommendationsCommand.ts b/clients/client-resiliencehub/src/commands/ListAlarmRecommendationsCommand.ts index ad4518b6e347..327e00b51484 100644 --- a/clients/client-resiliencehub/src/commands/ListAlarmRecommendationsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAlarmRecommendationsCommand.ts @@ -122,4 +122,16 @@ export class ListAlarmRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAlarmRecommendationsCommand) .de(de_ListAlarmRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAlarmRecommendationsRequest; + output: ListAlarmRecommendationsResponse; + }; + sdk: { + input: ListAlarmRecommendationsCommandInput; + output: ListAlarmRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppAssessmentComplianceDriftsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppAssessmentComplianceDriftsCommand.ts index eb58d1ebb2c4..63feb06d39b7 100644 --- a/clients/client-resiliencehub/src/commands/ListAppAssessmentComplianceDriftsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppAssessmentComplianceDriftsCommand.ts @@ -142,4 +142,16 @@ export class ListAppAssessmentComplianceDriftsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppAssessmentComplianceDriftsCommand) .de(de_ListAppAssessmentComplianceDriftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppAssessmentComplianceDriftsRequest; + output: ListAppAssessmentComplianceDriftsResponse; + }; + sdk: { + input: ListAppAssessmentComplianceDriftsCommandInput; + output: ListAppAssessmentComplianceDriftsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppAssessmentResourceDriftsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppAssessmentResourceDriftsCommand.ts index 437e19a569a4..f3aeba4c1ead 100644 --- a/clients/client-resiliencehub/src/commands/ListAppAssessmentResourceDriftsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppAssessmentResourceDriftsCommand.ts @@ -118,4 +118,16 @@ export class ListAppAssessmentResourceDriftsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppAssessmentResourceDriftsCommand) .de(de_ListAppAssessmentResourceDriftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppAssessmentResourceDriftsRequest; + output: ListAppAssessmentResourceDriftsResponse; + }; + sdk: { + input: ListAppAssessmentResourceDriftsCommandInput; + output: ListAppAssessmentResourceDriftsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppAssessmentsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppAssessmentsCommand.ts index 45d4a441bfaf..34a59cac0dee 100644 --- a/clients/client-resiliencehub/src/commands/ListAppAssessmentsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppAssessmentsCommand.ts @@ -127,4 +127,16 @@ export class ListAppAssessmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppAssessmentsCommand) .de(de_ListAppAssessmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppAssessmentsRequest; + output: ListAppAssessmentsResponse; + }; + sdk: { + input: ListAppAssessmentsCommandInput; + output: ListAppAssessmentsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppComponentCompliancesCommand.ts b/clients/client-resiliencehub/src/commands/ListAppComponentCompliancesCommand.ts index 964f622d4b8f..253ceaba8bc2 100644 --- a/clients/client-resiliencehub/src/commands/ListAppComponentCompliancesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppComponentCompliancesCommand.ts @@ -142,4 +142,16 @@ export class ListAppComponentCompliancesCommand extends $Command .f(void 0, void 0) .ser(se_ListAppComponentCompliancesCommand) .de(de_ListAppComponentCompliancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppComponentCompliancesRequest; + output: ListAppComponentCompliancesResponse; + }; + sdk: { + input: ListAppComponentCompliancesCommandInput; + output: ListAppComponentCompliancesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppComponentRecommendationsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppComponentRecommendationsCommand.ts index 771ec00b9215..a34a5e92fa5d 100644 --- a/clients/client-resiliencehub/src/commands/ListAppComponentRecommendationsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppComponentRecommendationsCommand.ts @@ -149,4 +149,16 @@ export class ListAppComponentRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppComponentRecommendationsCommand) .de(de_ListAppComponentRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppComponentRecommendationsRequest; + output: ListAppComponentRecommendationsResponse; + }; + sdk: { + input: ListAppComponentRecommendationsCommandInput; + output: ListAppComponentRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppInputSourcesCommand.ts b/clients/client-resiliencehub/src/commands/ListAppInputSourcesCommand.ts index 8e397c37b5f5..b876c4d130cc 100644 --- a/clients/client-resiliencehub/src/commands/ListAppInputSourcesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppInputSourcesCommand.ts @@ -115,4 +115,16 @@ export class ListAppInputSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListAppInputSourcesCommand) .de(de_ListAppInputSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppInputSourcesRequest; + output: ListAppInputSourcesResponse; + }; + sdk: { + input: ListAppInputSourcesCommandInput; + output: ListAppInputSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppVersionAppComponentsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppVersionAppComponentsCommand.ts index bd8267af4062..deb9bb390ff4 100644 --- a/clients/client-resiliencehub/src/commands/ListAppVersionAppComponentsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppVersionAppComponentsCommand.ts @@ -123,4 +123,16 @@ export class ListAppVersionAppComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppVersionAppComponentsCommand) .de(de_ListAppVersionAppComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppVersionAppComponentsRequest; + output: ListAppVersionAppComponentsResponse; + }; + sdk: { + input: ListAppVersionAppComponentsCommandInput; + output: ListAppVersionAppComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppVersionResourceMappingsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppVersionResourceMappingsCommand.ts index bc346bd0cf40..7c23b469f767 100644 --- a/clients/client-resiliencehub/src/commands/ListAppVersionResourceMappingsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppVersionResourceMappingsCommand.ts @@ -122,4 +122,16 @@ export class ListAppVersionResourceMappingsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppVersionResourceMappingsCommand) .de(de_ListAppVersionResourceMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppVersionResourceMappingsRequest; + output: ListAppVersionResourceMappingsResponse; + }; + sdk: { + input: ListAppVersionResourceMappingsCommandInput; + output: ListAppVersionResourceMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppVersionResourcesCommand.ts b/clients/client-resiliencehub/src/commands/ListAppVersionResourcesCommand.ts index bc0f42e999e1..22df944f2bc3 100644 --- a/clients/client-resiliencehub/src/commands/ListAppVersionResourcesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppVersionResourcesCommand.ts @@ -145,4 +145,16 @@ export class ListAppVersionResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListAppVersionResourcesCommand) .de(de_ListAppVersionResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppVersionResourcesRequest; + output: ListAppVersionResourcesResponse; + }; + sdk: { + input: ListAppVersionResourcesCommandInput; + output: ListAppVersionResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppVersionsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppVersionsCommand.ts index 331f3ade2e49..a98e11dda366 100644 --- a/clients/client-resiliencehub/src/commands/ListAppVersionsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppVersionsCommand.ts @@ -104,4 +104,16 @@ export class ListAppVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppVersionsCommand) .de(de_ListAppVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppVersionsRequest; + output: ListAppVersionsResponse; + }; + sdk: { + input: ListAppVersionsCommandInput; + output: ListAppVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListAppsCommand.ts b/clients/client-resiliencehub/src/commands/ListAppsCommand.ts index 3bfaf0d58fe2..d7f5565bb7b0 100644 --- a/clients/client-resiliencehub/src/commands/ListAppsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListAppsCommand.ts @@ -123,4 +123,16 @@ export class ListAppsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppsCommand) .de(de_ListAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppsRequest; + output: ListAppsResponse; + }; + sdk: { + input: ListAppsCommandInput; + output: ListAppsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListRecommendationTemplatesCommand.ts b/clients/client-resiliencehub/src/commands/ListRecommendationTemplatesCommand.ts index 2eff5bce83ad..02849c95e80d 100644 --- a/clients/client-resiliencehub/src/commands/ListRecommendationTemplatesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListRecommendationTemplatesCommand.ts @@ -136,4 +136,16 @@ export class ListRecommendationTemplatesCommand extends $Command .f(void 0, ListRecommendationTemplatesResponseFilterSensitiveLog) .ser(se_ListRecommendationTemplatesCommand) .de(de_ListRecommendationTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationTemplatesRequest; + output: ListRecommendationTemplatesResponse; + }; + sdk: { + input: ListRecommendationTemplatesCommandInput; + output: ListRecommendationTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListResiliencyPoliciesCommand.ts b/clients/client-resiliencehub/src/commands/ListResiliencyPoliciesCommand.ts index 2743cc019a65..8b020991a0df 100644 --- a/clients/client-resiliencehub/src/commands/ListResiliencyPoliciesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListResiliencyPoliciesCommand.ts @@ -121,4 +121,16 @@ export class ListResiliencyPoliciesCommand extends $Command .f(void 0, ListResiliencyPoliciesResponseFilterSensitiveLog) .ser(se_ListResiliencyPoliciesCommand) .de(de_ListResiliencyPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResiliencyPoliciesRequest; + output: ListResiliencyPoliciesResponse; + }; + sdk: { + input: ListResiliencyPoliciesCommandInput; + output: ListResiliencyPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListResourceGroupingRecommendationsCommand.ts b/clients/client-resiliencehub/src/commands/ListResourceGroupingRecommendationsCommand.ts index 0c471344c364..fd9c19920a24 100644 --- a/clients/client-resiliencehub/src/commands/ListResourceGroupingRecommendationsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListResourceGroupingRecommendationsCommand.ts @@ -145,4 +145,16 @@ export class ListResourceGroupingRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceGroupingRecommendationsCommand) .de(de_ListResourceGroupingRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceGroupingRecommendationsRequest; + output: ListResourceGroupingRecommendationsResponse; + }; + sdk: { + input: ListResourceGroupingRecommendationsCommandInput; + output: ListResourceGroupingRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListSopRecommendationsCommand.ts b/clients/client-resiliencehub/src/commands/ListSopRecommendationsCommand.ts index d8ebaf155594..fe237b3271ce 100644 --- a/clients/client-resiliencehub/src/commands/ListSopRecommendationsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListSopRecommendationsCommand.ts @@ -125,4 +125,16 @@ export class ListSopRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSopRecommendationsCommand) .de(de_ListSopRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSopRecommendationsRequest; + output: ListSopRecommendationsResponse; + }; + sdk: { + input: ListSopRecommendationsCommandInput; + output: ListSopRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListSuggestedResiliencyPoliciesCommand.ts b/clients/client-resiliencehub/src/commands/ListSuggestedResiliencyPoliciesCommand.ts index 471feb6ccbc5..a55048153a84 100644 --- a/clients/client-resiliencehub/src/commands/ListSuggestedResiliencyPoliciesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListSuggestedResiliencyPoliciesCommand.ts @@ -126,4 +126,16 @@ export class ListSuggestedResiliencyPoliciesCommand extends $Command .f(void 0, ListSuggestedResiliencyPoliciesResponseFilterSensitiveLog) .ser(se_ListSuggestedResiliencyPoliciesCommand) .de(de_ListSuggestedResiliencyPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSuggestedResiliencyPoliciesRequest; + output: ListSuggestedResiliencyPoliciesResponse; + }; + sdk: { + input: ListSuggestedResiliencyPoliciesCommandInput; + output: ListSuggestedResiliencyPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListTagsForResourceCommand.ts b/clients/client-resiliencehub/src/commands/ListTagsForResourceCommand.ts index a55b91d4918a..b4aa9882ab89 100644 --- a/clients/client-resiliencehub/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListTestRecommendationsCommand.ts b/clients/client-resiliencehub/src/commands/ListTestRecommendationsCommand.ts index 50acd6a379d5..aa6ace007dab 100644 --- a/clients/client-resiliencehub/src/commands/ListTestRecommendationsCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListTestRecommendationsCommand.ts @@ -130,4 +130,16 @@ export class ListTestRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListTestRecommendationsCommand) .de(de_ListTestRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTestRecommendationsRequest; + output: ListTestRecommendationsResponse; + }; + sdk: { + input: ListTestRecommendationsCommandInput; + output: ListTestRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ListUnsupportedAppVersionResourcesCommand.ts b/clients/client-resiliencehub/src/commands/ListUnsupportedAppVersionResourcesCommand.ts index f0cc6fa44b1b..64a8b7a53da7 100644 --- a/clients/client-resiliencehub/src/commands/ListUnsupportedAppVersionResourcesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ListUnsupportedAppVersionResourcesCommand.ts @@ -135,4 +135,16 @@ export class ListUnsupportedAppVersionResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListUnsupportedAppVersionResourcesCommand) .de(de_ListUnsupportedAppVersionResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUnsupportedAppVersionResourcesRequest; + output: ListUnsupportedAppVersionResourcesResponse; + }; + sdk: { + input: ListUnsupportedAppVersionResourcesCommandInput; + output: ListUnsupportedAppVersionResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/PublishAppVersionCommand.ts b/clients/client-resiliencehub/src/commands/PublishAppVersionCommand.ts index 61d920a79799..91fe2dc2243c 100644 --- a/clients/client-resiliencehub/src/commands/PublishAppVersionCommand.ts +++ b/clients/client-resiliencehub/src/commands/PublishAppVersionCommand.ts @@ -105,4 +105,16 @@ export class PublishAppVersionCommand extends $Command .f(void 0, void 0) .ser(se_PublishAppVersionCommand) .de(de_PublishAppVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishAppVersionRequest; + output: PublishAppVersionResponse; + }; + sdk: { + input: PublishAppVersionCommandInput; + output: PublishAppVersionCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/PutDraftAppVersionTemplateCommand.ts b/clients/client-resiliencehub/src/commands/PutDraftAppVersionTemplateCommand.ts index 75363f211552..30c5dd39cac9 100644 --- a/clients/client-resiliencehub/src/commands/PutDraftAppVersionTemplateCommand.ts +++ b/clients/client-resiliencehub/src/commands/PutDraftAppVersionTemplateCommand.ts @@ -104,4 +104,16 @@ export class PutDraftAppVersionTemplateCommand extends $Command .f(void 0, void 0) .ser(se_PutDraftAppVersionTemplateCommand) .de(de_PutDraftAppVersionTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDraftAppVersionTemplateRequest; + output: PutDraftAppVersionTemplateResponse; + }; + sdk: { + input: PutDraftAppVersionTemplateCommandInput; + output: PutDraftAppVersionTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/RejectResourceGroupingRecommendationsCommand.ts b/clients/client-resiliencehub/src/commands/RejectResourceGroupingRecommendationsCommand.ts index 0c1b053eea8d..b4e7037aa494 100644 --- a/clients/client-resiliencehub/src/commands/RejectResourceGroupingRecommendationsCommand.ts +++ b/clients/client-resiliencehub/src/commands/RejectResourceGroupingRecommendationsCommand.ts @@ -116,4 +116,16 @@ export class RejectResourceGroupingRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_RejectResourceGroupingRecommendationsCommand) .de(de_RejectResourceGroupingRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectResourceGroupingRecommendationsRequest; + output: RejectResourceGroupingRecommendationsResponse; + }; + sdk: { + input: RejectResourceGroupingRecommendationsCommandInput; + output: RejectResourceGroupingRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/RemoveDraftAppVersionResourceMappingsCommand.ts b/clients/client-resiliencehub/src/commands/RemoveDraftAppVersionResourceMappingsCommand.ts index 9a28cfa7af62..2fef9216dae0 100644 --- a/clients/client-resiliencehub/src/commands/RemoveDraftAppVersionResourceMappingsCommand.ts +++ b/clients/client-resiliencehub/src/commands/RemoveDraftAppVersionResourceMappingsCommand.ts @@ -129,4 +129,16 @@ export class RemoveDraftAppVersionResourceMappingsCommand extends $Command .f(void 0, void 0) .ser(se_RemoveDraftAppVersionResourceMappingsCommand) .de(de_RemoveDraftAppVersionResourceMappingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveDraftAppVersionResourceMappingsRequest; + output: RemoveDraftAppVersionResourceMappingsResponse; + }; + sdk: { + input: RemoveDraftAppVersionResourceMappingsCommandInput; + output: RemoveDraftAppVersionResourceMappingsCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/ResolveAppVersionResourcesCommand.ts b/clients/client-resiliencehub/src/commands/ResolveAppVersionResourcesCommand.ts index 4e1f9d2aa38b..9c4bffbd8164 100644 --- a/clients/client-resiliencehub/src/commands/ResolveAppVersionResourcesCommand.ts +++ b/clients/client-resiliencehub/src/commands/ResolveAppVersionResourcesCommand.ts @@ -105,4 +105,16 @@ export class ResolveAppVersionResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ResolveAppVersionResourcesCommand) .de(de_ResolveAppVersionResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResolveAppVersionResourcesRequest; + output: ResolveAppVersionResourcesResponse; + }; + sdk: { + input: ResolveAppVersionResourcesCommandInput; + output: ResolveAppVersionResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/StartAppAssessmentCommand.ts b/clients/client-resiliencehub/src/commands/StartAppAssessmentCommand.ts index 00881cf16602..36ec0dc4cff3 100644 --- a/clients/client-resiliencehub/src/commands/StartAppAssessmentCommand.ts +++ b/clients/client-resiliencehub/src/commands/StartAppAssessmentCommand.ts @@ -205,4 +205,16 @@ export class StartAppAssessmentCommand extends $Command .f(StartAppAssessmentRequestFilterSensitiveLog, StartAppAssessmentResponseFilterSensitiveLog) .ser(se_StartAppAssessmentCommand) .de(de_StartAppAssessmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAppAssessmentRequest; + output: StartAppAssessmentResponse; + }; + sdk: { + input: StartAppAssessmentCommandInput; + output: StartAppAssessmentCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/StartResourceGroupingRecommendationTaskCommand.ts b/clients/client-resiliencehub/src/commands/StartResourceGroupingRecommendationTaskCommand.ts index eb44e97c8a45..bdc36198a962 100644 --- a/clients/client-resiliencehub/src/commands/StartResourceGroupingRecommendationTaskCommand.ts +++ b/clients/client-resiliencehub/src/commands/StartResourceGroupingRecommendationTaskCommand.ts @@ -113,4 +113,16 @@ export class StartResourceGroupingRecommendationTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartResourceGroupingRecommendationTaskCommand) .de(de_StartResourceGroupingRecommendationTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartResourceGroupingRecommendationTaskRequest; + output: StartResourceGroupingRecommendationTaskResponse; + }; + sdk: { + input: StartResourceGroupingRecommendationTaskCommandInput; + output: StartResourceGroupingRecommendationTaskCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/TagResourceCommand.ts b/clients/client-resiliencehub/src/commands/TagResourceCommand.ts index f76995ff51be..ad648f8534f7 100644 --- a/clients/client-resiliencehub/src/commands/TagResourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/UntagResourceCommand.ts b/clients/client-resiliencehub/src/commands/UntagResourceCommand.ts index f4a4875359a3..85ca6c8e8911 100644 --- a/clients/client-resiliencehub/src/commands/UntagResourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/UpdateAppCommand.ts b/clients/client-resiliencehub/src/commands/UpdateAppCommand.ts index 1e4f9eaf15ec..8cb8ebd1cf45 100644 --- a/clients/client-resiliencehub/src/commands/UpdateAppCommand.ts +++ b/clients/client-resiliencehub/src/commands/UpdateAppCommand.ts @@ -152,4 +152,16 @@ export class UpdateAppCommand extends $Command .f(void 0, UpdateAppResponseFilterSensitiveLog) .ser(se_UpdateAppCommand) .de(de_UpdateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppRequest; + output: UpdateAppResponse; + }; + sdk: { + input: UpdateAppCommandInput; + output: UpdateAppCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/UpdateAppVersionAppComponentCommand.ts b/clients/client-resiliencehub/src/commands/UpdateAppVersionAppComponentCommand.ts index dae7fec0fbf7..cc90e6b1b6b6 100644 --- a/clients/client-resiliencehub/src/commands/UpdateAppVersionAppComponentCommand.ts +++ b/clients/client-resiliencehub/src/commands/UpdateAppVersionAppComponentCommand.ts @@ -130,4 +130,16 @@ export class UpdateAppVersionAppComponentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppVersionAppComponentCommand) .de(de_UpdateAppVersionAppComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppVersionAppComponentRequest; + output: UpdateAppVersionAppComponentResponse; + }; + sdk: { + input: UpdateAppVersionAppComponentCommandInput; + output: UpdateAppVersionAppComponentCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/UpdateAppVersionCommand.ts b/clients/client-resiliencehub/src/commands/UpdateAppVersionCommand.ts index d05d40473a51..06b979cdd935 100644 --- a/clients/client-resiliencehub/src/commands/UpdateAppVersionCommand.ts +++ b/clients/client-resiliencehub/src/commands/UpdateAppVersionCommand.ts @@ -117,4 +117,16 @@ export class UpdateAppVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppVersionCommand) .de(de_UpdateAppVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppVersionRequest; + output: UpdateAppVersionResponse; + }; + sdk: { + input: UpdateAppVersionCommandInput; + output: UpdateAppVersionCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/UpdateAppVersionResourceCommand.ts b/clients/client-resiliencehub/src/commands/UpdateAppVersionResourceCommand.ts index 72beaeadc716..ede7d963a46d 100644 --- a/clients/client-resiliencehub/src/commands/UpdateAppVersionResourceCommand.ts +++ b/clients/client-resiliencehub/src/commands/UpdateAppVersionResourceCommand.ts @@ -180,4 +180,16 @@ export class UpdateAppVersionResourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppVersionResourceCommand) .de(de_UpdateAppVersionResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppVersionResourceRequest; + output: UpdateAppVersionResourceResponse; + }; + sdk: { + input: UpdateAppVersionResourceCommandInput; + output: UpdateAppVersionResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resiliencehub/src/commands/UpdateResiliencyPolicyCommand.ts b/clients/client-resiliencehub/src/commands/UpdateResiliencyPolicyCommand.ts index 56c468b91821..74b7a3a0e100 100644 --- a/clients/client-resiliencehub/src/commands/UpdateResiliencyPolicyCommand.ts +++ b/clients/client-resiliencehub/src/commands/UpdateResiliencyPolicyCommand.ts @@ -141,4 +141,16 @@ export class UpdateResiliencyPolicyCommand extends $Command .f(void 0, UpdateResiliencyPolicyResponseFilterSensitiveLog) .ser(se_UpdateResiliencyPolicyCommand) .de(de_UpdateResiliencyPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResiliencyPolicyRequest; + output: UpdateResiliencyPolicyResponse; + }; + sdk: { + input: UpdateResiliencyPolicyCommandInput; + output: UpdateResiliencyPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/package.json b/clients/client-resource-explorer-2/package.json index de4f7d0ce9a7..90b05a5bc091 100644 --- a/clients/client-resource-explorer-2/package.json +++ b/clients/client-resource-explorer-2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-resource-explorer-2/src/commands/AssociateDefaultViewCommand.ts b/clients/client-resource-explorer-2/src/commands/AssociateDefaultViewCommand.ts index f531bf52352a..76097ea3c2df 100644 --- a/clients/client-resource-explorer-2/src/commands/AssociateDefaultViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/AssociateDefaultViewCommand.ts @@ -108,4 +108,16 @@ export class AssociateDefaultViewCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDefaultViewCommand) .de(de_AssociateDefaultViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDefaultViewInput; + output: AssociateDefaultViewOutput; + }; + sdk: { + input: AssociateDefaultViewCommandInput; + output: AssociateDefaultViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/BatchGetViewCommand.ts b/clients/client-resource-explorer-2/src/commands/BatchGetViewCommand.ts index 2a80cc056408..c139034ff8a9 100644 --- a/clients/client-resource-explorer-2/src/commands/BatchGetViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/BatchGetViewCommand.ts @@ -124,4 +124,16 @@ export class BatchGetViewCommand extends $Command .f(void 0, BatchGetViewOutputFilterSensitiveLog) .ser(se_BatchGetViewCommand) .de(de_BatchGetViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetViewInput; + output: BatchGetViewOutput; + }; + sdk: { + input: BatchGetViewCommandInput; + output: BatchGetViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/CreateIndexCommand.ts b/clients/client-resource-explorer-2/src/commands/CreateIndexCommand.ts index 07538f6ef92f..f1c06134ba30 100644 --- a/clients/client-resource-explorer-2/src/commands/CreateIndexCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/CreateIndexCommand.ts @@ -162,4 +162,16 @@ export class CreateIndexCommand extends $Command .f(CreateIndexInputFilterSensitiveLog, void 0) .ser(se_CreateIndexCommand) .de(de_CreateIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIndexInput; + output: CreateIndexOutput; + }; + sdk: { + input: CreateIndexCommandInput; + output: CreateIndexCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/CreateViewCommand.ts b/clients/client-resource-explorer-2/src/commands/CreateViewCommand.ts index c6856ab9d6c7..24d0161af2c5 100644 --- a/clients/client-resource-explorer-2/src/commands/CreateViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/CreateViewCommand.ts @@ -151,4 +151,16 @@ export class CreateViewCommand extends $Command .f(CreateViewInputFilterSensitiveLog, CreateViewOutputFilterSensitiveLog) .ser(se_CreateViewCommand) .de(de_CreateViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateViewInput; + output: CreateViewOutput; + }; + sdk: { + input: CreateViewCommandInput; + output: CreateViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/DeleteIndexCommand.ts b/clients/client-resource-explorer-2/src/commands/DeleteIndexCommand.ts index 97e6be2b0050..5bc38b950aa1 100644 --- a/clients/client-resource-explorer-2/src/commands/DeleteIndexCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/DeleteIndexCommand.ts @@ -115,4 +115,16 @@ export class DeleteIndexCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIndexCommand) .de(de_DeleteIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIndexInput; + output: DeleteIndexOutput; + }; + sdk: { + input: DeleteIndexCommandInput; + output: DeleteIndexCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/DeleteViewCommand.ts b/clients/client-resource-explorer-2/src/commands/DeleteViewCommand.ts index 22e3e8dad8e5..fbcd0709ede4 100644 --- a/clients/client-resource-explorer-2/src/commands/DeleteViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/DeleteViewCommand.ts @@ -108,4 +108,16 @@ export class DeleteViewCommand extends $Command .f(void 0, void 0) .ser(se_DeleteViewCommand) .de(de_DeleteViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteViewInput; + output: DeleteViewOutput; + }; + sdk: { + input: DeleteViewCommandInput; + output: DeleteViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/DisassociateDefaultViewCommand.ts b/clients/client-resource-explorer-2/src/commands/DisassociateDefaultViewCommand.ts index cb7cef2a1546..4eedf1444a47 100644 --- a/clients/client-resource-explorer-2/src/commands/DisassociateDefaultViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/DisassociateDefaultViewCommand.ts @@ -102,4 +102,16 @@ export class DisassociateDefaultViewCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDefaultViewCommand) .de(de_DisassociateDefaultViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateDefaultViewCommandInput; + output: DisassociateDefaultViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/GetAccountLevelServiceConfigurationCommand.ts b/clients/client-resource-explorer-2/src/commands/GetAccountLevelServiceConfigurationCommand.ts index 1890b37c4328..a6d0c2e5c540 100644 --- a/clients/client-resource-explorer-2/src/commands/GetAccountLevelServiceConfigurationCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/GetAccountLevelServiceConfigurationCommand.ts @@ -107,4 +107,16 @@ export class GetAccountLevelServiceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountLevelServiceConfigurationCommand) .de(de_GetAccountLevelServiceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountLevelServiceConfigurationOutput; + }; + sdk: { + input: GetAccountLevelServiceConfigurationCommandInput; + output: GetAccountLevelServiceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/GetDefaultViewCommand.ts b/clients/client-resource-explorer-2/src/commands/GetDefaultViewCommand.ts index 59beb9b83bf4..eee15ffe04f0 100644 --- a/clients/client-resource-explorer-2/src/commands/GetDefaultViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/GetDefaultViewCommand.ts @@ -101,4 +101,16 @@ export class GetDefaultViewCommand extends $Command .f(void 0, void 0) .ser(se_GetDefaultViewCommand) .de(de_GetDefaultViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDefaultViewOutput; + }; + sdk: { + input: GetDefaultViewCommandInput; + output: GetDefaultViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/GetIndexCommand.ts b/clients/client-resource-explorer-2/src/commands/GetIndexCommand.ts index 9d43018065c1..d71d6c5b2824 100644 --- a/clients/client-resource-explorer-2/src/commands/GetIndexCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/GetIndexCommand.ts @@ -114,4 +114,16 @@ export class GetIndexCommand extends $Command .f(void 0, GetIndexOutputFilterSensitiveLog) .ser(se_GetIndexCommand) .de(de_GetIndexCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetIndexOutput; + }; + sdk: { + input: GetIndexCommandInput; + output: GetIndexCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/GetViewCommand.ts b/clients/client-resource-explorer-2/src/commands/GetViewCommand.ts index 6eb316711543..9ac14a1bb546 100644 --- a/clients/client-resource-explorer-2/src/commands/GetViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/GetViewCommand.ts @@ -121,4 +121,16 @@ export class GetViewCommand extends $Command .f(void 0, GetViewOutputFilterSensitiveLog) .ser(se_GetViewCommand) .de(de_GetViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetViewInput; + output: GetViewOutput; + }; + sdk: { + input: GetViewCommandInput; + output: GetViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/ListIndexesCommand.ts b/clients/client-resource-explorer-2/src/commands/ListIndexesCommand.ts index 7c946b5541c9..dc3491d87884 100644 --- a/clients/client-resource-explorer-2/src/commands/ListIndexesCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/ListIndexesCommand.ts @@ -111,4 +111,16 @@ export class ListIndexesCommand extends $Command .f(void 0, void 0) .ser(se_ListIndexesCommand) .de(de_ListIndexesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIndexesInput; + output: ListIndexesOutput; + }; + sdk: { + input: ListIndexesCommandInput; + output: ListIndexesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/ListIndexesForMembersCommand.ts b/clients/client-resource-explorer-2/src/commands/ListIndexesForMembersCommand.ts index a13cd8e8b58f..403155467af4 100644 --- a/clients/client-resource-explorer-2/src/commands/ListIndexesForMembersCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/ListIndexesForMembersCommand.ts @@ -113,4 +113,16 @@ export class ListIndexesForMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListIndexesForMembersCommand) .de(de_ListIndexesForMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIndexesForMembersInput; + output: ListIndexesForMembersOutput; + }; + sdk: { + input: ListIndexesForMembersCommandInput; + output: ListIndexesForMembersCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/ListSupportedResourceTypesCommand.ts b/clients/client-resource-explorer-2/src/commands/ListSupportedResourceTypesCommand.ts index 480fcfe138a2..362204cd4290 100644 --- a/clients/client-resource-explorer-2/src/commands/ListSupportedResourceTypesCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/ListSupportedResourceTypesCommand.ts @@ -105,4 +105,16 @@ export class ListSupportedResourceTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListSupportedResourceTypesCommand) .de(de_ListSupportedResourceTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSupportedResourceTypesInput; + output: ListSupportedResourceTypesOutput; + }; + sdk: { + input: ListSupportedResourceTypesCommandInput; + output: ListSupportedResourceTypesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/ListTagsForResourceCommand.ts b/clients/client-resource-explorer-2/src/commands/ListTagsForResourceCommand.ts index f0ee8c6a816e..f2c1618106d6 100644 --- a/clients/client-resource-explorer-2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/ListTagsForResourceCommand.ts @@ -111,4 +111,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceOutputFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/ListViewsCommand.ts b/clients/client-resource-explorer-2/src/commands/ListViewsCommand.ts index 9b8927f57b4f..86201d458110 100644 --- a/clients/client-resource-explorer-2/src/commands/ListViewsCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/ListViewsCommand.ts @@ -111,4 +111,16 @@ export class ListViewsCommand extends $Command .f(void 0, void 0) .ser(se_ListViewsCommand) .de(de_ListViewsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListViewsInput; + output: ListViewsOutput; + }; + sdk: { + input: ListViewsCommandInput; + output: ListViewsCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/SearchCommand.ts b/clients/client-resource-explorer-2/src/commands/SearchCommand.ts index 1412a00496aa..1a2a8ef9c9d4 100644 --- a/clients/client-resource-explorer-2/src/commands/SearchCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/SearchCommand.ts @@ -142,4 +142,16 @@ export class SearchCommand extends $Command .f(SearchInputFilterSensitiveLog, void 0) .ser(se_SearchCommand) .de(de_SearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchInput; + output: SearchOutput; + }; + sdk: { + input: SearchCommandInput; + output: SearchCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/TagResourceCommand.ts b/clients/client-resource-explorer-2/src/commands/TagResourceCommand.ts index 09af410e2cea..09e51d6ff014 100644 --- a/clients/client-resource-explorer-2/src/commands/TagResourceCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/TagResourceCommand.ts @@ -111,4 +111,16 @@ export class TagResourceCommand extends $Command .f(TagResourceInputFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/UntagResourceCommand.ts b/clients/client-resource-explorer-2/src/commands/UntagResourceCommand.ts index 6de834b63db8..02c833b027fc 100644 --- a/clients/client-resource-explorer-2/src/commands/UntagResourceCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/UntagResourceCommand.ts @@ -106,4 +106,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceInputFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/UpdateIndexTypeCommand.ts b/clients/client-resource-explorer-2/src/commands/UpdateIndexTypeCommand.ts index f56fd8640ecc..61eae1a825f8 100644 --- a/clients/client-resource-explorer-2/src/commands/UpdateIndexTypeCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/UpdateIndexTypeCommand.ts @@ -174,4 +174,16 @@ export class UpdateIndexTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIndexTypeCommand) .de(de_UpdateIndexTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIndexTypeInput; + output: UpdateIndexTypeOutput; + }; + sdk: { + input: UpdateIndexTypeCommandInput; + output: UpdateIndexTypeCommandOutput; + }; + }; +} diff --git a/clients/client-resource-explorer-2/src/commands/UpdateViewCommand.ts b/clients/client-resource-explorer-2/src/commands/UpdateViewCommand.ts index 63f880857b63..6d64ae77dcf6 100644 --- a/clients/client-resource-explorer-2/src/commands/UpdateViewCommand.ts +++ b/clients/client-resource-explorer-2/src/commands/UpdateViewCommand.ts @@ -131,4 +131,16 @@ export class UpdateViewCommand extends $Command .f(UpdateViewInputFilterSensitiveLog, UpdateViewOutputFilterSensitiveLog) .ser(se_UpdateViewCommand) .de(de_UpdateViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateViewInput; + output: UpdateViewOutput; + }; + sdk: { + input: UpdateViewCommandInput; + output: UpdateViewCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/package.json b/clients/client-resource-groups-tagging-api/package.json index 43677c1ff1fe..8ee2018cb9e9 100644 --- a/clients/client-resource-groups-tagging-api/package.json +++ b/clients/client-resource-groups-tagging-api/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-resource-groups-tagging-api/src/commands/DescribeReportCreationCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/DescribeReportCreationCommand.ts index 5f2913e5ab8e..7398b4b06e74 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/DescribeReportCreationCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/DescribeReportCreationCommand.ts @@ -136,4 +136,16 @@ export class DescribeReportCreationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReportCreationCommand) .de(de_DescribeReportCreationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeReportCreationOutput; + }; + sdk: { + input: DescribeReportCreationCommandInput; + output: DescribeReportCreationCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/src/commands/GetComplianceSummaryCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/GetComplianceSummaryCommand.ts index 2169f2fc287c..1706b7cb4903 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/GetComplianceSummaryCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/GetComplianceSummaryCommand.ts @@ -171,4 +171,16 @@ export class GetComplianceSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetComplianceSummaryCommand) .de(de_GetComplianceSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComplianceSummaryInput; + output: GetComplianceSummaryOutput; + }; + sdk: { + input: GetComplianceSummaryCommandInput; + output: GetComplianceSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/src/commands/GetResourcesCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/GetResourcesCommand.ts index 664ffe74db1c..fa354da675a4 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/GetResourcesCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/GetResourcesCommand.ts @@ -176,4 +176,16 @@ export class GetResourcesCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcesCommand) .de(de_GetResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcesInput; + output: GetResourcesOutput; + }; + sdk: { + input: GetResourcesCommandInput; + output: GetResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/src/commands/GetTagKeysCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/GetTagKeysCommand.ts index 9fff284e6a11..a00e20ad881e 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/GetTagKeysCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/GetTagKeysCommand.ts @@ -125,4 +125,16 @@ export class GetTagKeysCommand extends $Command .f(void 0, void 0) .ser(se_GetTagKeysCommand) .de(de_GetTagKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTagKeysInput; + output: GetTagKeysOutput; + }; + sdk: { + input: GetTagKeysCommandInput; + output: GetTagKeysCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/src/commands/GetTagValuesCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/GetTagValuesCommand.ts index 5073f10ebe87..a74ed6625096 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/GetTagValuesCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/GetTagValuesCommand.ts @@ -126,4 +126,16 @@ export class GetTagValuesCommand extends $Command .f(void 0, void 0) .ser(se_GetTagValuesCommand) .de(de_GetTagValuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTagValuesInput; + output: GetTagValuesOutput; + }; + sdk: { + input: GetTagValuesCommandInput; + output: GetTagValuesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/src/commands/StartReportCreationCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/StartReportCreationCommand.ts index e3186a56fd50..55c5c7de9e7f 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/StartReportCreationCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/StartReportCreationCommand.ts @@ -143,4 +143,16 @@ export class StartReportCreationCommand extends $Command .f(void 0, void 0) .ser(se_StartReportCreationCommand) .de(de_StartReportCreationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartReportCreationInput; + output: {}; + }; + sdk: { + input: StartReportCreationCommandInput; + output: StartReportCreationCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/src/commands/TagResourcesCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/TagResourcesCommand.ts index 3b2b162ec3a5..b328660379ef 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/TagResourcesCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/TagResourcesCommand.ts @@ -171,4 +171,16 @@ export class TagResourcesCommand extends $Command .f(void 0, void 0) .ser(se_TagResourcesCommand) .de(de_TagResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourcesInput; + output: TagResourcesOutput; + }; + sdk: { + input: TagResourcesCommandInput; + output: TagResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups-tagging-api/src/commands/UntagResourcesCommand.ts b/clients/client-resource-groups-tagging-api/src/commands/UntagResourcesCommand.ts index eaa87c075202..b4c67ce9004b 100644 --- a/clients/client-resource-groups-tagging-api/src/commands/UntagResourcesCommand.ts +++ b/clients/client-resource-groups-tagging-api/src/commands/UntagResourcesCommand.ts @@ -157,4 +157,16 @@ export class UntagResourcesCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourcesCommand) .de(de_UntagResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourcesInput; + output: UntagResourcesOutput; + }; + sdk: { + input: UntagResourcesCommandInput; + output: UntagResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/package.json b/clients/client-resource-groups/package.json index 827c9b070f60..13f4a9f3f458 100644 --- a/clients/client-resource-groups/package.json +++ b/clients/client-resource-groups/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-resource-groups/src/commands/CreateGroupCommand.ts b/clients/client-resource-groups/src/commands/CreateGroupCommand.ts index 278715fb5c39..feabbe1ee21a 100644 --- a/clients/client-resource-groups/src/commands/CreateGroupCommand.ts +++ b/clients/client-resource-groups/src/commands/CreateGroupCommand.ts @@ -170,4 +170,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupInput; + output: CreateGroupOutput; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/DeleteGroupCommand.ts b/clients/client-resource-groups/src/commands/DeleteGroupCommand.ts index 0517ae2bb73f..2cd229d4f79a 100644 --- a/clients/client-resource-groups/src/commands/DeleteGroupCommand.ts +++ b/clients/client-resource-groups/src/commands/DeleteGroupCommand.ts @@ -113,4 +113,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupInput; + output: DeleteGroupOutput; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/GetAccountSettingsCommand.ts b/clients/client-resource-groups/src/commands/GetAccountSettingsCommand.ts index 9f7fc052f950..15fc1a3292e0 100644 --- a/clients/client-resource-groups/src/commands/GetAccountSettingsCommand.ts +++ b/clients/client-resource-groups/src/commands/GetAccountSettingsCommand.ts @@ -95,4 +95,16 @@ export class GetAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSettingsCommand) .de(de_GetAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSettingsOutput; + }; + sdk: { + input: GetAccountSettingsCommandInput; + output: GetAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/GetGroupCommand.ts b/clients/client-resource-groups/src/commands/GetGroupCommand.ts index 3b91496b0320..a8feafac1696 100644 --- a/clients/client-resource-groups/src/commands/GetGroupCommand.ts +++ b/clients/client-resource-groups/src/commands/GetGroupCommand.ts @@ -112,4 +112,16 @@ export class GetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCommand) .de(de_GetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupInput; + output: GetGroupOutput; + }; + sdk: { + input: GetGroupCommandInput; + output: GetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/GetGroupConfigurationCommand.ts b/clients/client-resource-groups/src/commands/GetGroupConfigurationCommand.ts index c4b3ee362e1b..e499c177c76b 100644 --- a/clients/client-resource-groups/src/commands/GetGroupConfigurationCommand.ts +++ b/clients/client-resource-groups/src/commands/GetGroupConfigurationCommand.ts @@ -137,4 +137,16 @@ export class GetGroupConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupConfigurationCommand) .de(de_GetGroupConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupConfigurationInput; + output: GetGroupConfigurationOutput; + }; + sdk: { + input: GetGroupConfigurationCommandInput; + output: GetGroupConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/GetGroupQueryCommand.ts b/clients/client-resource-groups/src/commands/GetGroupQueryCommand.ts index dd5efe92504b..0fa386286c58 100644 --- a/clients/client-resource-groups/src/commands/GetGroupQueryCommand.ts +++ b/clients/client-resource-groups/src/commands/GetGroupQueryCommand.ts @@ -116,4 +116,16 @@ export class GetGroupQueryCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupQueryCommand) .de(de_GetGroupQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupQueryInput; + output: GetGroupQueryOutput; + }; + sdk: { + input: GetGroupQueryCommandInput; + output: GetGroupQueryCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/GetTagsCommand.ts b/clients/client-resource-groups/src/commands/GetTagsCommand.ts index 5e78bef21e58..9ff0a386b38d 100644 --- a/clients/client-resource-groups/src/commands/GetTagsCommand.ts +++ b/clients/client-resource-groups/src/commands/GetTagsCommand.ts @@ -111,4 +111,16 @@ export class GetTagsCommand extends $Command .f(void 0, void 0) .ser(se_GetTagsCommand) .de(de_GetTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTagsInput; + output: GetTagsOutput; + }; + sdk: { + input: GetTagsCommandInput; + output: GetTagsCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/GroupResourcesCommand.ts b/clients/client-resource-groups/src/commands/GroupResourcesCommand.ts index 87454a84b068..f0859a62e6da 100644 --- a/clients/client-resource-groups/src/commands/GroupResourcesCommand.ts +++ b/clients/client-resource-groups/src/commands/GroupResourcesCommand.ts @@ -142,4 +142,16 @@ export class GroupResourcesCommand extends $Command .f(void 0, void 0) .ser(se_GroupResourcesCommand) .de(de_GroupResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GroupResourcesInput; + output: GroupResourcesOutput; + }; + sdk: { + input: GroupResourcesCommandInput; + output: GroupResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/ListGroupResourcesCommand.ts b/clients/client-resource-groups/src/commands/ListGroupResourcesCommand.ts index 76bd0c4b4b4c..e814e0faa8f1 100644 --- a/clients/client-resource-groups/src/commands/ListGroupResourcesCommand.ts +++ b/clients/client-resource-groups/src/commands/ListGroupResourcesCommand.ts @@ -161,4 +161,16 @@ export class ListGroupResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupResourcesCommand) .de(de_ListGroupResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupResourcesInput; + output: ListGroupResourcesOutput; + }; + sdk: { + input: ListGroupResourcesCommandInput; + output: ListGroupResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/ListGroupsCommand.ts b/clients/client-resource-groups/src/commands/ListGroupsCommand.ts index cb646e0a3583..47b92f4535d1 100644 --- a/clients/client-resource-groups/src/commands/ListGroupsCommand.ts +++ b/clients/client-resource-groups/src/commands/ListGroupsCommand.ts @@ -126,4 +126,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsInput; + output: ListGroupsOutput; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/PutGroupConfigurationCommand.ts b/clients/client-resource-groups/src/commands/PutGroupConfigurationCommand.ts index 7e8c75d6149b..d2ad9bd666ad 100644 --- a/clients/client-resource-groups/src/commands/PutGroupConfigurationCommand.ts +++ b/clients/client-resource-groups/src/commands/PutGroupConfigurationCommand.ts @@ -120,4 +120,16 @@ export class PutGroupConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutGroupConfigurationCommand) .de(de_PutGroupConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutGroupConfigurationInput; + output: {}; + }; + sdk: { + input: PutGroupConfigurationCommandInput; + output: PutGroupConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/SearchResourcesCommand.ts b/clients/client-resource-groups/src/commands/SearchResourcesCommand.ts index 252707b541ad..f73111d71bc1 100644 --- a/clients/client-resource-groups/src/commands/SearchResourcesCommand.ts +++ b/clients/client-resource-groups/src/commands/SearchResourcesCommand.ts @@ -142,4 +142,16 @@ export class SearchResourcesCommand extends $Command .f(void 0, void 0) .ser(se_SearchResourcesCommand) .de(de_SearchResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchResourcesInput; + output: SearchResourcesOutput; + }; + sdk: { + input: SearchResourcesCommandInput; + output: SearchResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/TagCommand.ts b/clients/client-resource-groups/src/commands/TagCommand.ts index 42009f89e532..d915c5918939 100644 --- a/clients/client-resource-groups/src/commands/TagCommand.ts +++ b/clients/client-resource-groups/src/commands/TagCommand.ts @@ -120,4 +120,16 @@ export class TagCommand extends $Command .f(void 0, void 0) .ser(se_TagCommand) .de(de_TagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagInput; + output: TagOutput; + }; + sdk: { + input: TagCommandInput; + output: TagCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/UngroupResourcesCommand.ts b/clients/client-resource-groups/src/commands/UngroupResourcesCommand.ts index 0cd2ad21ada2..5b8cc72ab71e 100644 --- a/clients/client-resource-groups/src/commands/UngroupResourcesCommand.ts +++ b/clients/client-resource-groups/src/commands/UngroupResourcesCommand.ts @@ -127,4 +127,16 @@ export class UngroupResourcesCommand extends $Command .f(void 0, void 0) .ser(se_UngroupResourcesCommand) .de(de_UngroupResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UngroupResourcesInput; + output: UngroupResourcesOutput; + }; + sdk: { + input: UngroupResourcesCommandInput; + output: UngroupResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/UntagCommand.ts b/clients/client-resource-groups/src/commands/UntagCommand.ts index db7c5c0b222a..f2add6d48ace 100644 --- a/clients/client-resource-groups/src/commands/UntagCommand.ts +++ b/clients/client-resource-groups/src/commands/UntagCommand.ts @@ -113,4 +113,16 @@ export class UntagCommand extends $Command .f(void 0, void 0) .ser(se_UntagCommand) .de(de_UntagCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagInput; + output: UntagOutput; + }; + sdk: { + input: UntagCommandInput; + output: UntagCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/UpdateAccountSettingsCommand.ts b/clients/client-resource-groups/src/commands/UpdateAccountSettingsCommand.ts index ef928ffbd611..98b7347c2825 100644 --- a/clients/client-resource-groups/src/commands/UpdateAccountSettingsCommand.ts +++ b/clients/client-resource-groups/src/commands/UpdateAccountSettingsCommand.ts @@ -101,4 +101,16 @@ export class UpdateAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSettingsCommand) .de(de_UpdateAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSettingsInput; + output: UpdateAccountSettingsOutput; + }; + sdk: { + input: UpdateAccountSettingsCommandInput; + output: UpdateAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/UpdateGroupCommand.ts b/clients/client-resource-groups/src/commands/UpdateGroupCommand.ts index e78d37e3e960..5791e72ae342 100644 --- a/clients/client-resource-groups/src/commands/UpdateGroupCommand.ts +++ b/clients/client-resource-groups/src/commands/UpdateGroupCommand.ts @@ -114,4 +114,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupInput; + output: UpdateGroupOutput; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-resource-groups/src/commands/UpdateGroupQueryCommand.ts b/clients/client-resource-groups/src/commands/UpdateGroupQueryCommand.ts index 91679b233032..d9f27405f2e3 100644 --- a/clients/client-resource-groups/src/commands/UpdateGroupQueryCommand.ts +++ b/clients/client-resource-groups/src/commands/UpdateGroupQueryCommand.ts @@ -119,4 +119,16 @@ export class UpdateGroupQueryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupQueryCommand) .de(de_UpdateGroupQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupQueryInput; + output: UpdateGroupQueryOutput; + }; + sdk: { + input: UpdateGroupQueryCommandInput; + output: UpdateGroupQueryCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/package.json b/clients/client-robomaker/package.json index d1a917a03322..c038975cb167 100644 --- a/clients/client-robomaker/package.json +++ b/clients/client-robomaker/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-robomaker/src/commands/BatchDeleteWorldsCommand.ts b/clients/client-robomaker/src/commands/BatchDeleteWorldsCommand.ts index d9870b57c081..d21372a290f5 100644 --- a/clients/client-robomaker/src/commands/BatchDeleteWorldsCommand.ts +++ b/clients/client-robomaker/src/commands/BatchDeleteWorldsCommand.ts @@ -91,4 +91,16 @@ export class BatchDeleteWorldsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteWorldsCommand) .de(de_BatchDeleteWorldsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteWorldsRequest; + output: BatchDeleteWorldsResponse; + }; + sdk: { + input: BatchDeleteWorldsCommandInput; + output: BatchDeleteWorldsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/BatchDescribeSimulationJobCommand.ts b/clients/client-robomaker/src/commands/BatchDescribeSimulationJobCommand.ts index e10253b17ae1..96e8f9d53c2f 100644 --- a/clients/client-robomaker/src/commands/BatchDescribeSimulationJobCommand.ts +++ b/clients/client-robomaker/src/commands/BatchDescribeSimulationJobCommand.ts @@ -247,4 +247,16 @@ export class BatchDescribeSimulationJobCommand extends $Command .f(void 0, void 0) .ser(se_BatchDescribeSimulationJobCommand) .de(de_BatchDescribeSimulationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDescribeSimulationJobRequest; + output: BatchDescribeSimulationJobResponse; + }; + sdk: { + input: BatchDescribeSimulationJobCommandInput; + output: BatchDescribeSimulationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CancelDeploymentJobCommand.ts b/clients/client-robomaker/src/commands/CancelDeploymentJobCommand.ts index 404381028a16..59a0ca516708 100644 --- a/clients/client-robomaker/src/commands/CancelDeploymentJobCommand.ts +++ b/clients/client-robomaker/src/commands/CancelDeploymentJobCommand.ts @@ -93,4 +93,16 @@ export class CancelDeploymentJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelDeploymentJobCommand) .de(de_CancelDeploymentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDeploymentJobRequest; + output: {}; + }; + sdk: { + input: CancelDeploymentJobCommandInput; + output: CancelDeploymentJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CancelSimulationJobBatchCommand.ts b/clients/client-robomaker/src/commands/CancelSimulationJobBatchCommand.ts index f053a63db834..314608646f22 100644 --- a/clients/client-robomaker/src/commands/CancelSimulationJobBatchCommand.ts +++ b/clients/client-robomaker/src/commands/CancelSimulationJobBatchCommand.ts @@ -89,4 +89,16 @@ export class CancelSimulationJobBatchCommand extends $Command .f(void 0, void 0) .ser(se_CancelSimulationJobBatchCommand) .de(de_CancelSimulationJobBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSimulationJobBatchRequest; + output: {}; + }; + sdk: { + input: CancelSimulationJobBatchCommandInput; + output: CancelSimulationJobBatchCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CancelSimulationJobCommand.ts b/clients/client-robomaker/src/commands/CancelSimulationJobCommand.ts index f016e88785f9..4187eeb6a6d2 100644 --- a/clients/client-robomaker/src/commands/CancelSimulationJobCommand.ts +++ b/clients/client-robomaker/src/commands/CancelSimulationJobCommand.ts @@ -88,4 +88,16 @@ export class CancelSimulationJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelSimulationJobCommand) .de(de_CancelSimulationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSimulationJobRequest; + output: {}; + }; + sdk: { + input: CancelSimulationJobCommandInput; + output: CancelSimulationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CancelWorldExportJobCommand.ts b/clients/client-robomaker/src/commands/CancelWorldExportJobCommand.ts index 848352bea741..d4ebf31ec9fd 100644 --- a/clients/client-robomaker/src/commands/CancelWorldExportJobCommand.ts +++ b/clients/client-robomaker/src/commands/CancelWorldExportJobCommand.ts @@ -88,4 +88,16 @@ export class CancelWorldExportJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelWorldExportJobCommand) .de(de_CancelWorldExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelWorldExportJobRequest; + output: {}; + }; + sdk: { + input: CancelWorldExportJobCommandInput; + output: CancelWorldExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CancelWorldGenerationJobCommand.ts b/clients/client-robomaker/src/commands/CancelWorldGenerationJobCommand.ts index bda9303ca403..b251e2fed713 100644 --- a/clients/client-robomaker/src/commands/CancelWorldGenerationJobCommand.ts +++ b/clients/client-robomaker/src/commands/CancelWorldGenerationJobCommand.ts @@ -88,4 +88,16 @@ export class CancelWorldGenerationJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelWorldGenerationJobCommand) .de(de_CancelWorldGenerationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelWorldGenerationJobRequest; + output: {}; + }; + sdk: { + input: CancelWorldGenerationJobCommandInput; + output: CancelWorldGenerationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateDeploymentJobCommand.ts b/clients/client-robomaker/src/commands/CreateDeploymentJobCommand.ts index caf918543443..9cb070248829 100644 --- a/clients/client-robomaker/src/commands/CreateDeploymentJobCommand.ts +++ b/clients/client-robomaker/src/commands/CreateDeploymentJobCommand.ts @@ -175,4 +175,16 @@ export class CreateDeploymentJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeploymentJobCommand) .de(de_CreateDeploymentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeploymentJobRequest; + output: CreateDeploymentJobResponse; + }; + sdk: { + input: CreateDeploymentJobCommandInput; + output: CreateDeploymentJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateFleetCommand.ts b/clients/client-robomaker/src/commands/CreateFleetCommand.ts index c50774f9b855..6c3c650a8dfc 100644 --- a/clients/client-robomaker/src/commands/CreateFleetCommand.ts +++ b/clients/client-robomaker/src/commands/CreateFleetCommand.ts @@ -104,4 +104,16 @@ export class CreateFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetRequest; + output: CreateFleetResponse; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateRobotApplicationCommand.ts b/clients/client-robomaker/src/commands/CreateRobotApplicationCommand.ts index 0693176ee2c2..983a6b731a3e 100644 --- a/clients/client-robomaker/src/commands/CreateRobotApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/CreateRobotApplicationCommand.ts @@ -137,4 +137,16 @@ export class CreateRobotApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateRobotApplicationCommand) .de(de_CreateRobotApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRobotApplicationRequest; + output: CreateRobotApplicationResponse; + }; + sdk: { + input: CreateRobotApplicationCommandInput; + output: CreateRobotApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateRobotApplicationVersionCommand.ts b/clients/client-robomaker/src/commands/CreateRobotApplicationVersionCommand.ts index 15e30bd4f4aa..61803d25975d 100644 --- a/clients/client-robomaker/src/commands/CreateRobotApplicationVersionCommand.ts +++ b/clients/client-robomaker/src/commands/CreateRobotApplicationVersionCommand.ts @@ -124,4 +124,16 @@ export class CreateRobotApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateRobotApplicationVersionCommand) .de(de_CreateRobotApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRobotApplicationVersionRequest; + output: CreateRobotApplicationVersionResponse; + }; + sdk: { + input: CreateRobotApplicationVersionCommandInput; + output: CreateRobotApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateRobotCommand.ts b/clients/client-robomaker/src/commands/CreateRobotCommand.ts index f51f5710dc04..ae30c181abab 100644 --- a/clients/client-robomaker/src/commands/CreateRobotCommand.ts +++ b/clients/client-robomaker/src/commands/CreateRobotCommand.ts @@ -111,4 +111,16 @@ export class CreateRobotCommand extends $Command .f(void 0, void 0) .ser(se_CreateRobotCommand) .de(de_CreateRobotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRobotRequest; + output: CreateRobotResponse; + }; + sdk: { + input: CreateRobotCommandInput; + output: CreateRobotCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateSimulationApplicationCommand.ts b/clients/client-robomaker/src/commands/CreateSimulationApplicationCommand.ts index a6d41426f8ec..11628f403188 100644 --- a/clients/client-robomaker/src/commands/CreateSimulationApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/CreateSimulationApplicationCommand.ts @@ -158,4 +158,16 @@ export class CreateSimulationApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSimulationApplicationCommand) .de(de_CreateSimulationApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSimulationApplicationRequest; + output: CreateSimulationApplicationResponse; + }; + sdk: { + input: CreateSimulationApplicationCommandInput; + output: CreateSimulationApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateSimulationApplicationVersionCommand.ts b/clients/client-robomaker/src/commands/CreateSimulationApplicationVersionCommand.ts index 6fd86191a75c..e62a5656f3a4 100644 --- a/clients/client-robomaker/src/commands/CreateSimulationApplicationVersionCommand.ts +++ b/clients/client-robomaker/src/commands/CreateSimulationApplicationVersionCommand.ts @@ -135,4 +135,16 @@ export class CreateSimulationApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSimulationApplicationVersionCommand) .de(de_CreateSimulationApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSimulationApplicationVersionRequest; + output: CreateSimulationApplicationVersionResponse; + }; + sdk: { + input: CreateSimulationApplicationVersionCommandInput; + output: CreateSimulationApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateSimulationJobCommand.ts b/clients/client-robomaker/src/commands/CreateSimulationJobCommand.ts index e4672c0dd9c4..8892a936318b 100644 --- a/clients/client-robomaker/src/commands/CreateSimulationJobCommand.ts +++ b/clients/client-robomaker/src/commands/CreateSimulationJobCommand.ts @@ -377,4 +377,16 @@ export class CreateSimulationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateSimulationJobCommand) .de(de_CreateSimulationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSimulationJobRequest; + output: CreateSimulationJobResponse; + }; + sdk: { + input: CreateSimulationJobCommandInput; + output: CreateSimulationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateWorldExportJobCommand.ts b/clients/client-robomaker/src/commands/CreateWorldExportJobCommand.ts index fa9c73d3c9ba..a12af73b2233 100644 --- a/clients/client-robomaker/src/commands/CreateWorldExportJobCommand.ts +++ b/clients/client-robomaker/src/commands/CreateWorldExportJobCommand.ts @@ -120,4 +120,16 @@ export class CreateWorldExportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorldExportJobCommand) .de(de_CreateWorldExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorldExportJobRequest; + output: CreateWorldExportJobResponse; + }; + sdk: { + input: CreateWorldExportJobCommandInput; + output: CreateWorldExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateWorldGenerationJobCommand.ts b/clients/client-robomaker/src/commands/CreateWorldGenerationJobCommand.ts index 7871b951c1ae..9d16b4b9da0d 100644 --- a/clients/client-robomaker/src/commands/CreateWorldGenerationJobCommand.ts +++ b/clients/client-robomaker/src/commands/CreateWorldGenerationJobCommand.ts @@ -127,4 +127,16 @@ export class CreateWorldGenerationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorldGenerationJobCommand) .de(de_CreateWorldGenerationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorldGenerationJobRequest; + output: CreateWorldGenerationJobResponse; + }; + sdk: { + input: CreateWorldGenerationJobCommandInput; + output: CreateWorldGenerationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/CreateWorldTemplateCommand.ts b/clients/client-robomaker/src/commands/CreateWorldTemplateCommand.ts index 1b711f4985d9..45526fa1bc12 100644 --- a/clients/client-robomaker/src/commands/CreateWorldTemplateCommand.ts +++ b/clients/client-robomaker/src/commands/CreateWorldTemplateCommand.ts @@ -112,4 +112,16 @@ export class CreateWorldTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorldTemplateCommand) .de(de_CreateWorldTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorldTemplateRequest; + output: CreateWorldTemplateResponse; + }; + sdk: { + input: CreateWorldTemplateCommandInput; + output: CreateWorldTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DeleteFleetCommand.ts b/clients/client-robomaker/src/commands/DeleteFleetCommand.ts index 69e61fae76ee..1072e890f037 100644 --- a/clients/client-robomaker/src/commands/DeleteFleetCommand.ts +++ b/clients/client-robomaker/src/commands/DeleteFleetCommand.ts @@ -90,4 +90,16 @@ export class DeleteFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetCommand) .de(de_DeleteFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetRequest; + output: {}; + }; + sdk: { + input: DeleteFleetCommandInput; + output: DeleteFleetCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DeleteRobotApplicationCommand.ts b/clients/client-robomaker/src/commands/DeleteRobotApplicationCommand.ts index 290a3429cb5d..a2d8bf1ff947 100644 --- a/clients/client-robomaker/src/commands/DeleteRobotApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/DeleteRobotApplicationCommand.ts @@ -86,4 +86,16 @@ export class DeleteRobotApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRobotApplicationCommand) .de(de_DeleteRobotApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRobotApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteRobotApplicationCommandInput; + output: DeleteRobotApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DeleteRobotCommand.ts b/clients/client-robomaker/src/commands/DeleteRobotCommand.ts index e58874549b51..8499d08445e3 100644 --- a/clients/client-robomaker/src/commands/DeleteRobotCommand.ts +++ b/clients/client-robomaker/src/commands/DeleteRobotCommand.ts @@ -90,4 +90,16 @@ export class DeleteRobotCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRobotCommand) .de(de_DeleteRobotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRobotRequest; + output: {}; + }; + sdk: { + input: DeleteRobotCommandInput; + output: DeleteRobotCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DeleteSimulationApplicationCommand.ts b/clients/client-robomaker/src/commands/DeleteSimulationApplicationCommand.ts index 92e5ad0b48ee..cd42b28f3437 100644 --- a/clients/client-robomaker/src/commands/DeleteSimulationApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/DeleteSimulationApplicationCommand.ts @@ -91,4 +91,16 @@ export class DeleteSimulationApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSimulationApplicationCommand) .de(de_DeleteSimulationApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSimulationApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteSimulationApplicationCommandInput; + output: DeleteSimulationApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DeleteWorldTemplateCommand.ts b/clients/client-robomaker/src/commands/DeleteWorldTemplateCommand.ts index aa465bf16419..ce777ca04be6 100644 --- a/clients/client-robomaker/src/commands/DeleteWorldTemplateCommand.ts +++ b/clients/client-robomaker/src/commands/DeleteWorldTemplateCommand.ts @@ -88,4 +88,16 @@ export class DeleteWorldTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorldTemplateCommand) .de(de_DeleteWorldTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorldTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteWorldTemplateCommandInput; + output: DeleteWorldTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DeregisterRobotCommand.ts b/clients/client-robomaker/src/commands/DeregisterRobotCommand.ts index 8aad62684c00..b7e22ecc3db0 100644 --- a/clients/client-robomaker/src/commands/DeregisterRobotCommand.ts +++ b/clients/client-robomaker/src/commands/DeregisterRobotCommand.ts @@ -97,4 +97,16 @@ export class DeregisterRobotCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterRobotCommand) .de(de_DeregisterRobotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterRobotRequest; + output: DeregisterRobotResponse; + }; + sdk: { + input: DeregisterRobotCommandInput; + output: DeregisterRobotCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeDeploymentJobCommand.ts b/clients/client-robomaker/src/commands/DescribeDeploymentJobCommand.ts index 744d18cf4c60..ad3dcb74e2c6 100644 --- a/clients/client-robomaker/src/commands/DescribeDeploymentJobCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeDeploymentJobCommand.ts @@ -144,4 +144,16 @@ export class DescribeDeploymentJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeploymentJobCommand) .de(de_DescribeDeploymentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeploymentJobRequest; + output: DescribeDeploymentJobResponse; + }; + sdk: { + input: DescribeDeploymentJobCommandInput; + output: DescribeDeploymentJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeFleetCommand.ts b/clients/client-robomaker/src/commands/DescribeFleetCommand.ts index 555cbbffd32f..15bcf637c99b 100644 --- a/clients/client-robomaker/src/commands/DescribeFleetCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeFleetCommand.ts @@ -116,4 +116,16 @@ export class DescribeFleetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetCommand) .de(de_DescribeFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetRequest; + output: DescribeFleetResponse; + }; + sdk: { + input: DescribeFleetCommandInput; + output: DescribeFleetCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeRobotApplicationCommand.ts b/clients/client-robomaker/src/commands/DescribeRobotApplicationCommand.ts index d6f0872d86d0..62228e692993 100644 --- a/clients/client-robomaker/src/commands/DescribeRobotApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeRobotApplicationCommand.ts @@ -114,4 +114,16 @@ export class DescribeRobotApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRobotApplicationCommand) .de(de_DescribeRobotApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRobotApplicationRequest; + output: DescribeRobotApplicationResponse; + }; + sdk: { + input: DescribeRobotApplicationCommandInput; + output: DescribeRobotApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeRobotCommand.ts b/clients/client-robomaker/src/commands/DescribeRobotCommand.ts index 1ca52b7c0fc5..8d39b8e742b8 100644 --- a/clients/client-robomaker/src/commands/DescribeRobotCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeRobotCommand.ts @@ -106,4 +106,16 @@ export class DescribeRobotCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRobotCommand) .de(de_DescribeRobotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRobotRequest; + output: DescribeRobotResponse; + }; + sdk: { + input: DescribeRobotCommandInput; + output: DescribeRobotCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeSimulationApplicationCommand.ts b/clients/client-robomaker/src/commands/DescribeSimulationApplicationCommand.ts index 37e2c898b252..6e99d486daf7 100644 --- a/clients/client-robomaker/src/commands/DescribeSimulationApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeSimulationApplicationCommand.ts @@ -127,4 +127,16 @@ export class DescribeSimulationApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSimulationApplicationCommand) .de(de_DescribeSimulationApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSimulationApplicationRequest; + output: DescribeSimulationApplicationResponse; + }; + sdk: { + input: DescribeSimulationApplicationCommandInput; + output: DescribeSimulationApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeSimulationJobBatchCommand.ts b/clients/client-robomaker/src/commands/DescribeSimulationJobBatchCommand.ts index 6eb161bd6e64..ce4ab8176419 100644 --- a/clients/client-robomaker/src/commands/DescribeSimulationJobBatchCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeSimulationJobBatchCommand.ts @@ -393,4 +393,16 @@ export class DescribeSimulationJobBatchCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSimulationJobBatchCommand) .de(de_DescribeSimulationJobBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSimulationJobBatchRequest; + output: DescribeSimulationJobBatchResponse; + }; + sdk: { + input: DescribeSimulationJobBatchCommandInput; + output: DescribeSimulationJobBatchCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeSimulationJobCommand.ts b/clients/client-robomaker/src/commands/DescribeSimulationJobCommand.ts index 389590b86f00..7334f2616d80 100644 --- a/clients/client-robomaker/src/commands/DescribeSimulationJobCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeSimulationJobCommand.ts @@ -238,4 +238,16 @@ export class DescribeSimulationJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSimulationJobCommand) .de(de_DescribeSimulationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSimulationJobRequest; + output: DescribeSimulationJobResponse; + }; + sdk: { + input: DescribeSimulationJobCommandInput; + output: DescribeSimulationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeWorldCommand.ts b/clients/client-robomaker/src/commands/DescribeWorldCommand.ts index a964fd29551e..ac3f9788a5f3 100644 --- a/clients/client-robomaker/src/commands/DescribeWorldCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeWorldCommand.ts @@ -97,4 +97,16 @@ export class DescribeWorldCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorldCommand) .de(de_DescribeWorldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorldRequest; + output: DescribeWorldResponse; + }; + sdk: { + input: DescribeWorldCommandInput; + output: DescribeWorldCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeWorldExportJobCommand.ts b/clients/client-robomaker/src/commands/DescribeWorldExportJobCommand.ts index c27da722cd6f..83d0d6e2362f 100644 --- a/clients/client-robomaker/src/commands/DescribeWorldExportJobCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeWorldExportJobCommand.ts @@ -106,4 +106,16 @@ export class DescribeWorldExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorldExportJobCommand) .de(de_DescribeWorldExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorldExportJobRequest; + output: DescribeWorldExportJobResponse; + }; + sdk: { + input: DescribeWorldExportJobCommandInput; + output: DescribeWorldExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeWorldGenerationJobCommand.ts b/clients/client-robomaker/src/commands/DescribeWorldGenerationJobCommand.ts index d3edbb990d6a..9ab93b408c11 100644 --- a/clients/client-robomaker/src/commands/DescribeWorldGenerationJobCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeWorldGenerationJobCommand.ts @@ -122,4 +122,16 @@ export class DescribeWorldGenerationJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorldGenerationJobCommand) .de(de_DescribeWorldGenerationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorldGenerationJobRequest; + output: DescribeWorldGenerationJobResponse; + }; + sdk: { + input: DescribeWorldGenerationJobCommandInput; + output: DescribeWorldGenerationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/DescribeWorldTemplateCommand.ts b/clients/client-robomaker/src/commands/DescribeWorldTemplateCommand.ts index 4b9d3ed07919..82afb84526ad 100644 --- a/clients/client-robomaker/src/commands/DescribeWorldTemplateCommand.ts +++ b/clients/client-robomaker/src/commands/DescribeWorldTemplateCommand.ts @@ -98,4 +98,16 @@ export class DescribeWorldTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorldTemplateCommand) .de(de_DescribeWorldTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorldTemplateRequest; + output: DescribeWorldTemplateResponse; + }; + sdk: { + input: DescribeWorldTemplateCommandInput; + output: DescribeWorldTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/GetWorldTemplateBodyCommand.ts b/clients/client-robomaker/src/commands/GetWorldTemplateBodyCommand.ts index b429da0b63cb..20bdc3ef32fe 100644 --- a/clients/client-robomaker/src/commands/GetWorldTemplateBodyCommand.ts +++ b/clients/client-robomaker/src/commands/GetWorldTemplateBodyCommand.ts @@ -91,4 +91,16 @@ export class GetWorldTemplateBodyCommand extends $Command .f(void 0, void 0) .ser(se_GetWorldTemplateBodyCommand) .de(de_GetWorldTemplateBodyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorldTemplateBodyRequest; + output: GetWorldTemplateBodyResponse; + }; + sdk: { + input: GetWorldTemplateBodyCommandInput; + output: GetWorldTemplateBodyCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListDeploymentJobsCommand.ts b/clients/client-robomaker/src/commands/ListDeploymentJobsCommand.ts index ea180b7f23f6..49a9536dc95f 100644 --- a/clients/client-robomaker/src/commands/ListDeploymentJobsCommand.ts +++ b/clients/client-robomaker/src/commands/ListDeploymentJobsCommand.ts @@ -139,4 +139,16 @@ export class ListDeploymentJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeploymentJobsCommand) .de(de_ListDeploymentJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeploymentJobsRequest; + output: ListDeploymentJobsResponse; + }; + sdk: { + input: ListDeploymentJobsCommandInput; + output: ListDeploymentJobsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListFleetsCommand.ts b/clients/client-robomaker/src/commands/ListFleetsCommand.ts index 3b71842db289..0e1ec309003a 100644 --- a/clients/client-robomaker/src/commands/ListFleetsCommand.ts +++ b/clients/client-robomaker/src/commands/ListFleetsCommand.ts @@ -114,4 +114,16 @@ export class ListFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetsCommand) .de(de_ListFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetsRequest; + output: ListFleetsResponse; + }; + sdk: { + input: ListFleetsCommandInput; + output: ListFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListRobotApplicationsCommand.ts b/clients/client-robomaker/src/commands/ListRobotApplicationsCommand.ts index be09111a8ff6..192933ce0308 100644 --- a/clients/client-robomaker/src/commands/ListRobotApplicationsCommand.ts +++ b/clients/client-robomaker/src/commands/ListRobotApplicationsCommand.ts @@ -110,4 +110,16 @@ export class ListRobotApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRobotApplicationsCommand) .de(de_ListRobotApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRobotApplicationsRequest; + output: ListRobotApplicationsResponse; + }; + sdk: { + input: ListRobotApplicationsCommandInput; + output: ListRobotApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListRobotsCommand.ts b/clients/client-robomaker/src/commands/ListRobotsCommand.ts index 3d650160d9bb..cf0059c05f64 100644 --- a/clients/client-robomaker/src/commands/ListRobotsCommand.ts +++ b/clients/client-robomaker/src/commands/ListRobotsCommand.ts @@ -117,4 +117,16 @@ export class ListRobotsCommand extends $Command .f(void 0, void 0) .ser(se_ListRobotsCommand) .de(de_ListRobotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRobotsRequest; + output: ListRobotsResponse; + }; + sdk: { + input: ListRobotsCommandInput; + output: ListRobotsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListSimulationApplicationsCommand.ts b/clients/client-robomaker/src/commands/ListSimulationApplicationsCommand.ts index 0d4bd08e1bfa..a0570c3ca170 100644 --- a/clients/client-robomaker/src/commands/ListSimulationApplicationsCommand.ts +++ b/clients/client-robomaker/src/commands/ListSimulationApplicationsCommand.ts @@ -114,4 +114,16 @@ export class ListSimulationApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSimulationApplicationsCommand) .de(de_ListSimulationApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSimulationApplicationsRequest; + output: ListSimulationApplicationsResponse; + }; + sdk: { + input: ListSimulationApplicationsCommandInput; + output: ListSimulationApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListSimulationJobBatchesCommand.ts b/clients/client-robomaker/src/commands/ListSimulationJobBatchesCommand.ts index f76548d5b3d9..1aca9c039b15 100644 --- a/clients/client-robomaker/src/commands/ListSimulationJobBatchesCommand.ts +++ b/clients/client-robomaker/src/commands/ListSimulationJobBatchesCommand.ts @@ -105,4 +105,16 @@ export class ListSimulationJobBatchesCommand extends $Command .f(void 0, void 0) .ser(se_ListSimulationJobBatchesCommand) .de(de_ListSimulationJobBatchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSimulationJobBatchesRequest; + output: ListSimulationJobBatchesResponse; + }; + sdk: { + input: ListSimulationJobBatchesCommandInput; + output: ListSimulationJobBatchesCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListSimulationJobsCommand.ts b/clients/client-robomaker/src/commands/ListSimulationJobsCommand.ts index c4df73116b94..aa2720c81167 100644 --- a/clients/client-robomaker/src/commands/ListSimulationJobsCommand.ts +++ b/clients/client-robomaker/src/commands/ListSimulationJobsCommand.ts @@ -115,4 +115,16 @@ export class ListSimulationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListSimulationJobsCommand) .de(de_ListSimulationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSimulationJobsRequest; + output: ListSimulationJobsResponse; + }; + sdk: { + input: ListSimulationJobsCommandInput; + output: ListSimulationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListTagsForResourceCommand.ts b/clients/client-robomaker/src/commands/ListTagsForResourceCommand.ts index 14c2307b878f..f438df401a3e 100644 --- a/clients/client-robomaker/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-robomaker/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListWorldExportJobsCommand.ts b/clients/client-robomaker/src/commands/ListWorldExportJobsCommand.ts index 35ab9cdb7654..85894066ce71 100644 --- a/clients/client-robomaker/src/commands/ListWorldExportJobsCommand.ts +++ b/clients/client-robomaker/src/commands/ListWorldExportJobsCommand.ts @@ -110,4 +110,16 @@ export class ListWorldExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorldExportJobsCommand) .de(de_ListWorldExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorldExportJobsRequest; + output: ListWorldExportJobsResponse; + }; + sdk: { + input: ListWorldExportJobsCommandInput; + output: ListWorldExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListWorldGenerationJobsCommand.ts b/clients/client-robomaker/src/commands/ListWorldGenerationJobsCommand.ts index 4a248bca1bb6..01fd78957092 100644 --- a/clients/client-robomaker/src/commands/ListWorldGenerationJobsCommand.ts +++ b/clients/client-robomaker/src/commands/ListWorldGenerationJobsCommand.ts @@ -110,4 +110,16 @@ export class ListWorldGenerationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorldGenerationJobsCommand) .de(de_ListWorldGenerationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorldGenerationJobsRequest; + output: ListWorldGenerationJobsResponse; + }; + sdk: { + input: ListWorldGenerationJobsCommandInput; + output: ListWorldGenerationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListWorldTemplatesCommand.ts b/clients/client-robomaker/src/commands/ListWorldTemplatesCommand.ts index fe08ff84b5c5..0d7b54080a58 100644 --- a/clients/client-robomaker/src/commands/ListWorldTemplatesCommand.ts +++ b/clients/client-robomaker/src/commands/ListWorldTemplatesCommand.ts @@ -97,4 +97,16 @@ export class ListWorldTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListWorldTemplatesCommand) .de(de_ListWorldTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorldTemplatesRequest; + output: ListWorldTemplatesResponse; + }; + sdk: { + input: ListWorldTemplatesCommandInput; + output: ListWorldTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/ListWorldsCommand.ts b/clients/client-robomaker/src/commands/ListWorldsCommand.ts index cb956f9d4ee5..723da2c6142b 100644 --- a/clients/client-robomaker/src/commands/ListWorldsCommand.ts +++ b/clients/client-robomaker/src/commands/ListWorldsCommand.ts @@ -104,4 +104,16 @@ export class ListWorldsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorldsCommand) .de(de_ListWorldsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorldsRequest; + output: ListWorldsResponse; + }; + sdk: { + input: ListWorldsCommandInput; + output: ListWorldsCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/RegisterRobotCommand.ts b/clients/client-robomaker/src/commands/RegisterRobotCommand.ts index 389e0146e873..034e3b3fb65a 100644 --- a/clients/client-robomaker/src/commands/RegisterRobotCommand.ts +++ b/clients/client-robomaker/src/commands/RegisterRobotCommand.ts @@ -101,4 +101,16 @@ export class RegisterRobotCommand extends $Command .f(void 0, void 0) .ser(se_RegisterRobotCommand) .de(de_RegisterRobotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterRobotRequest; + output: RegisterRobotResponse; + }; + sdk: { + input: RegisterRobotCommandInput; + output: RegisterRobotCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/RestartSimulationJobCommand.ts b/clients/client-robomaker/src/commands/RestartSimulationJobCommand.ts index 17eb7436ac44..d092a2f2a209 100644 --- a/clients/client-robomaker/src/commands/RestartSimulationJobCommand.ts +++ b/clients/client-robomaker/src/commands/RestartSimulationJobCommand.ts @@ -92,4 +92,16 @@ export class RestartSimulationJobCommand extends $Command .f(void 0, void 0) .ser(se_RestartSimulationJobCommand) .de(de_RestartSimulationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestartSimulationJobRequest; + output: {}; + }; + sdk: { + input: RestartSimulationJobCommandInput; + output: RestartSimulationJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/StartSimulationJobBatchCommand.ts b/clients/client-robomaker/src/commands/StartSimulationJobBatchCommand.ts index a8463f2be425..2f9b85ba76c9 100644 --- a/clients/client-robomaker/src/commands/StartSimulationJobBatchCommand.ts +++ b/clients/client-robomaker/src/commands/StartSimulationJobBatchCommand.ts @@ -544,4 +544,16 @@ export class StartSimulationJobBatchCommand extends $Command .f(void 0, void 0) .ser(se_StartSimulationJobBatchCommand) .de(de_StartSimulationJobBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSimulationJobBatchRequest; + output: StartSimulationJobBatchResponse; + }; + sdk: { + input: StartSimulationJobBatchCommandInput; + output: StartSimulationJobBatchCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/SyncDeploymentJobCommand.ts b/clients/client-robomaker/src/commands/SyncDeploymentJobCommand.ts index bc8babc7f92a..a2a28dcc14a4 100644 --- a/clients/client-robomaker/src/commands/SyncDeploymentJobCommand.ts +++ b/clients/client-robomaker/src/commands/SyncDeploymentJobCommand.ts @@ -137,4 +137,16 @@ export class SyncDeploymentJobCommand extends $Command .f(void 0, void 0) .ser(se_SyncDeploymentJobCommand) .de(de_SyncDeploymentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SyncDeploymentJobRequest; + output: SyncDeploymentJobResponse; + }; + sdk: { + input: SyncDeploymentJobCommandInput; + output: SyncDeploymentJobCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/TagResourceCommand.ts b/clients/client-robomaker/src/commands/TagResourceCommand.ts index ded6554e04f4..20db6e6459e9 100644 --- a/clients/client-robomaker/src/commands/TagResourceCommand.ts +++ b/clients/client-robomaker/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/UntagResourceCommand.ts b/clients/client-robomaker/src/commands/UntagResourceCommand.ts index 7d777b7f817a..59d3bf047fbf 100644 --- a/clients/client-robomaker/src/commands/UntagResourceCommand.ts +++ b/clients/client-robomaker/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/UpdateRobotApplicationCommand.ts b/clients/client-robomaker/src/commands/UpdateRobotApplicationCommand.ts index be27e7b490af..b5324f843012 100644 --- a/clients/client-robomaker/src/commands/UpdateRobotApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/UpdateRobotApplicationCommand.ts @@ -128,4 +128,16 @@ export class UpdateRobotApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRobotApplicationCommand) .de(de_UpdateRobotApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRobotApplicationRequest; + output: UpdateRobotApplicationResponse; + }; + sdk: { + input: UpdateRobotApplicationCommandInput; + output: UpdateRobotApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/UpdateSimulationApplicationCommand.ts b/clients/client-robomaker/src/commands/UpdateSimulationApplicationCommand.ts index 7d79d4a6363e..80709cb83dd4 100644 --- a/clients/client-robomaker/src/commands/UpdateSimulationApplicationCommand.ts +++ b/clients/client-robomaker/src/commands/UpdateSimulationApplicationCommand.ts @@ -149,4 +149,16 @@ export class UpdateSimulationApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSimulationApplicationCommand) .de(de_UpdateSimulationApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSimulationApplicationRequest; + output: UpdateSimulationApplicationResponse; + }; + sdk: { + input: UpdateSimulationApplicationCommandInput; + output: UpdateSimulationApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-robomaker/src/commands/UpdateWorldTemplateCommand.ts b/clients/client-robomaker/src/commands/UpdateWorldTemplateCommand.ts index 3c2c56b4665f..8c325b9b9642 100644 --- a/clients/client-robomaker/src/commands/UpdateWorldTemplateCommand.ts +++ b/clients/client-robomaker/src/commands/UpdateWorldTemplateCommand.ts @@ -99,4 +99,16 @@ export class UpdateWorldTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorldTemplateCommand) .de(de_UpdateWorldTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorldTemplateRequest; + output: UpdateWorldTemplateResponse; + }; + sdk: { + input: UpdateWorldTemplateCommandInput; + output: UpdateWorldTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/package.json b/clients/client-rolesanywhere/package.json index ca0331ed3f45..f64ec23c2e0c 100644 --- a/clients/client-rolesanywhere/package.json +++ b/clients/client-rolesanywhere/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-rolesanywhere/src/commands/CreateProfileCommand.ts b/clients/client-rolesanywhere/src/commands/CreateProfileCommand.ts index 43b7de73d6d5..c19fea683e70 100644 --- a/clients/client-rolesanywhere/src/commands/CreateProfileCommand.ts +++ b/clients/client-rolesanywhere/src/commands/CreateProfileCommand.ts @@ -136,4 +136,16 @@ export class CreateProfileCommand extends $Command .f(CreateProfileRequestFilterSensitiveLog, void 0) .ser(se_CreateProfileCommand) .de(de_CreateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileRequest; + output: ProfileDetailResponse; + }; + sdk: { + input: CreateProfileCommandInput; + output: CreateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/CreateTrustAnchorCommand.ts b/clients/client-rolesanywhere/src/commands/CreateTrustAnchorCommand.ts index 4447adfbb051..99e65b4bd801 100644 --- a/clients/client-rolesanywhere/src/commands/CreateTrustAnchorCommand.ts +++ b/clients/client-rolesanywhere/src/commands/CreateTrustAnchorCommand.ts @@ -138,4 +138,16 @@ export class CreateTrustAnchorCommand extends $Command .f(CreateTrustAnchorRequestFilterSensitiveLog, void 0) .ser(se_CreateTrustAnchorCommand) .de(de_CreateTrustAnchorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrustAnchorRequest; + output: TrustAnchorDetailResponse; + }; + sdk: { + input: CreateTrustAnchorCommandInput; + output: CreateTrustAnchorCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/DeleteAttributeMappingCommand.ts b/clients/client-rolesanywhere/src/commands/DeleteAttributeMappingCommand.ts index 4c995b037188..f6d97a6343af 100644 --- a/clients/client-rolesanywhere/src/commands/DeleteAttributeMappingCommand.ts +++ b/clients/client-rolesanywhere/src/commands/DeleteAttributeMappingCommand.ts @@ -118,4 +118,16 @@ export class DeleteAttributeMappingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAttributeMappingCommand) .de(de_DeleteAttributeMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAttributeMappingRequest; + output: DeleteAttributeMappingResponse; + }; + sdk: { + input: DeleteAttributeMappingCommandInput; + output: DeleteAttributeMappingCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/DeleteCrlCommand.ts b/clients/client-rolesanywhere/src/commands/DeleteCrlCommand.ts index c9ff55261581..54c18e1cd280 100644 --- a/clients/client-rolesanywhere/src/commands/DeleteCrlCommand.ts +++ b/clients/client-rolesanywhere/src/commands/DeleteCrlCommand.ts @@ -96,4 +96,16 @@ export class DeleteCrlCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCrlCommand) .de(de_DeleteCrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarCrlRequest; + output: CrlDetailResponse; + }; + sdk: { + input: DeleteCrlCommandInput; + output: DeleteCrlCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/DeleteProfileCommand.ts b/clients/client-rolesanywhere/src/commands/DeleteProfileCommand.ts index e574f90d0096..81eef941333b 100644 --- a/clients/client-rolesanywhere/src/commands/DeleteProfileCommand.ts +++ b/clients/client-rolesanywhere/src/commands/DeleteProfileCommand.ts @@ -115,4 +115,16 @@ export class DeleteProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileCommand) .de(de_DeleteProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarProfileRequest; + output: ProfileDetailResponse; + }; + sdk: { + input: DeleteProfileCommandInput; + output: DeleteProfileCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/DeleteTrustAnchorCommand.ts b/clients/client-rolesanywhere/src/commands/DeleteTrustAnchorCommand.ts index cac0032b7c31..df29e3f5efc6 100644 --- a/clients/client-rolesanywhere/src/commands/DeleteTrustAnchorCommand.ts +++ b/clients/client-rolesanywhere/src/commands/DeleteTrustAnchorCommand.ts @@ -110,4 +110,16 @@ export class DeleteTrustAnchorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrustAnchorCommand) .de(de_DeleteTrustAnchorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarTrustAnchorRequest; + output: TrustAnchorDetailResponse; + }; + sdk: { + input: DeleteTrustAnchorCommandInput; + output: DeleteTrustAnchorCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/DisableCrlCommand.ts b/clients/client-rolesanywhere/src/commands/DisableCrlCommand.ts index 69c234f7f585..2bd5b8c285cd 100644 --- a/clients/client-rolesanywhere/src/commands/DisableCrlCommand.ts +++ b/clients/client-rolesanywhere/src/commands/DisableCrlCommand.ts @@ -96,4 +96,16 @@ export class DisableCrlCommand extends $Command .f(void 0, void 0) .ser(se_DisableCrlCommand) .de(de_DisableCrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarCrlRequest; + output: CrlDetailResponse; + }; + sdk: { + input: DisableCrlCommandInput; + output: DisableCrlCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/DisableProfileCommand.ts b/clients/client-rolesanywhere/src/commands/DisableProfileCommand.ts index b68d43091120..cdbf3d4c4ba0 100644 --- a/clients/client-rolesanywhere/src/commands/DisableProfileCommand.ts +++ b/clients/client-rolesanywhere/src/commands/DisableProfileCommand.ts @@ -115,4 +115,16 @@ export class DisableProfileCommand extends $Command .f(void 0, void 0) .ser(se_DisableProfileCommand) .de(de_DisableProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarProfileRequest; + output: ProfileDetailResponse; + }; + sdk: { + input: DisableProfileCommandInput; + output: DisableProfileCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/DisableTrustAnchorCommand.ts b/clients/client-rolesanywhere/src/commands/DisableTrustAnchorCommand.ts index 951c32f6f530..29b2bc397392 100644 --- a/clients/client-rolesanywhere/src/commands/DisableTrustAnchorCommand.ts +++ b/clients/client-rolesanywhere/src/commands/DisableTrustAnchorCommand.ts @@ -110,4 +110,16 @@ export class DisableTrustAnchorCommand extends $Command .f(void 0, void 0) .ser(se_DisableTrustAnchorCommand) .de(de_DisableTrustAnchorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarTrustAnchorRequest; + output: TrustAnchorDetailResponse; + }; + sdk: { + input: DisableTrustAnchorCommandInput; + output: DisableTrustAnchorCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/EnableCrlCommand.ts b/clients/client-rolesanywhere/src/commands/EnableCrlCommand.ts index 9ca9675fcf4c..aecf8bd32e9f 100644 --- a/clients/client-rolesanywhere/src/commands/EnableCrlCommand.ts +++ b/clients/client-rolesanywhere/src/commands/EnableCrlCommand.ts @@ -96,4 +96,16 @@ export class EnableCrlCommand extends $Command .f(void 0, void 0) .ser(se_EnableCrlCommand) .de(de_EnableCrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarCrlRequest; + output: CrlDetailResponse; + }; + sdk: { + input: EnableCrlCommandInput; + output: EnableCrlCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/EnableProfileCommand.ts b/clients/client-rolesanywhere/src/commands/EnableProfileCommand.ts index ac94f2cf7320..ef8e0651cfcb 100644 --- a/clients/client-rolesanywhere/src/commands/EnableProfileCommand.ts +++ b/clients/client-rolesanywhere/src/commands/EnableProfileCommand.ts @@ -115,4 +115,16 @@ export class EnableProfileCommand extends $Command .f(void 0, void 0) .ser(se_EnableProfileCommand) .de(de_EnableProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarProfileRequest; + output: ProfileDetailResponse; + }; + sdk: { + input: EnableProfileCommandInput; + output: EnableProfileCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/EnableTrustAnchorCommand.ts b/clients/client-rolesanywhere/src/commands/EnableTrustAnchorCommand.ts index 85b7496d38fa..1e7d923d9c12 100644 --- a/clients/client-rolesanywhere/src/commands/EnableTrustAnchorCommand.ts +++ b/clients/client-rolesanywhere/src/commands/EnableTrustAnchorCommand.ts @@ -110,4 +110,16 @@ export class EnableTrustAnchorCommand extends $Command .f(void 0, void 0) .ser(se_EnableTrustAnchorCommand) .de(de_EnableTrustAnchorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarTrustAnchorRequest; + output: TrustAnchorDetailResponse; + }; + sdk: { + input: EnableTrustAnchorCommandInput; + output: EnableTrustAnchorCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/GetCrlCommand.ts b/clients/client-rolesanywhere/src/commands/GetCrlCommand.ts index 5a191ac550cd..34620c0ad51a 100644 --- a/clients/client-rolesanywhere/src/commands/GetCrlCommand.ts +++ b/clients/client-rolesanywhere/src/commands/GetCrlCommand.ts @@ -93,4 +93,16 @@ export class GetCrlCommand extends $Command .f(void 0, void 0) .ser(se_GetCrlCommand) .de(de_GetCrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarCrlRequest; + output: CrlDetailResponse; + }; + sdk: { + input: GetCrlCommandInput; + output: GetCrlCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/GetProfileCommand.ts b/clients/client-rolesanywhere/src/commands/GetProfileCommand.ts index 730a3d3453bd..3a222bdea31d 100644 --- a/clients/client-rolesanywhere/src/commands/GetProfileCommand.ts +++ b/clients/client-rolesanywhere/src/commands/GetProfileCommand.ts @@ -115,4 +115,16 @@ export class GetProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetProfileCommand) .de(de_GetProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarProfileRequest; + output: ProfileDetailResponse; + }; + sdk: { + input: GetProfileCommandInput; + output: GetProfileCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/GetSubjectCommand.ts b/clients/client-rolesanywhere/src/commands/GetSubjectCommand.ts index abe8ddfd38e2..5e2a7fa9c011 100644 --- a/clients/client-rolesanywhere/src/commands/GetSubjectCommand.ts +++ b/clients/client-rolesanywhere/src/commands/GetSubjectCommand.ts @@ -117,4 +117,16 @@ export class GetSubjectCommand extends $Command .f(void 0, void 0) .ser(se_GetSubjectCommand) .de(de_GetSubjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarSubjectRequest; + output: SubjectDetailResponse; + }; + sdk: { + input: GetSubjectCommandInput; + output: GetSubjectCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/GetTrustAnchorCommand.ts b/clients/client-rolesanywhere/src/commands/GetTrustAnchorCommand.ts index 3565feeb4ca5..798cc0beb1c7 100644 --- a/clients/client-rolesanywhere/src/commands/GetTrustAnchorCommand.ts +++ b/clients/client-rolesanywhere/src/commands/GetTrustAnchorCommand.ts @@ -113,4 +113,16 @@ export class GetTrustAnchorCommand extends $Command .f(void 0, void 0) .ser(se_GetTrustAnchorCommand) .de(de_GetTrustAnchorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScalarTrustAnchorRequest; + output: TrustAnchorDetailResponse; + }; + sdk: { + input: GetTrustAnchorCommandInput; + output: GetTrustAnchorCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/ImportCrlCommand.ts b/clients/client-rolesanywhere/src/commands/ImportCrlCommand.ts index aaa5fc6343c8..9f6d003c7272 100644 --- a/clients/client-rolesanywhere/src/commands/ImportCrlCommand.ts +++ b/clients/client-rolesanywhere/src/commands/ImportCrlCommand.ts @@ -108,4 +108,16 @@ export class ImportCrlCommand extends $Command .f(ImportCrlRequestFilterSensitiveLog, void 0) .ser(se_ImportCrlCommand) .de(de_ImportCrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportCrlRequest; + output: CrlDetailResponse; + }; + sdk: { + input: ImportCrlCommandInput; + output: ImportCrlCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/ListCrlsCommand.ts b/clients/client-rolesanywhere/src/commands/ListCrlsCommand.ts index 248eb02a4aee..fc2958fc38ca 100644 --- a/clients/client-rolesanywhere/src/commands/ListCrlsCommand.ts +++ b/clients/client-rolesanywhere/src/commands/ListCrlsCommand.ts @@ -100,4 +100,16 @@ export class ListCrlsCommand extends $Command .f(void 0, void 0) .ser(se_ListCrlsCommand) .de(de_ListCrlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRequest; + output: ListCrlsResponse; + }; + sdk: { + input: ListCrlsCommandInput; + output: ListCrlsCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/ListProfilesCommand.ts b/clients/client-rolesanywhere/src/commands/ListProfilesCommand.ts index 2a1e446fa520..473b104deb4d 100644 --- a/clients/client-rolesanywhere/src/commands/ListProfilesCommand.ts +++ b/clients/client-rolesanywhere/src/commands/ListProfilesCommand.ts @@ -119,4 +119,16 @@ export class ListProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfilesCommand) .de(de_ListProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRequest; + output: ListProfilesResponse; + }; + sdk: { + input: ListProfilesCommandInput; + output: ListProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/ListSubjectsCommand.ts b/clients/client-rolesanywhere/src/commands/ListSubjectsCommand.ts index a440931aa7bd..61c93ae3899e 100644 --- a/clients/client-rolesanywhere/src/commands/ListSubjectsCommand.ts +++ b/clients/client-rolesanywhere/src/commands/ListSubjectsCommand.ts @@ -99,4 +99,16 @@ export class ListSubjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubjectsCommand) .de(de_ListSubjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRequest; + output: ListSubjectsResponse; + }; + sdk: { + input: ListSubjectsCommandInput; + output: ListSubjectsCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/ListTagsForResourceCommand.ts b/clients/client-rolesanywhere/src/commands/ListTagsForResourceCommand.ts index a0e3d1a9b9fc..0cefa65ef947 100644 --- a/clients/client-rolesanywhere/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-rolesanywhere/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/ListTrustAnchorsCommand.ts b/clients/client-rolesanywhere/src/commands/ListTrustAnchorsCommand.ts index 1cba3bd154c8..4aa9b1ba1dd8 100644 --- a/clients/client-rolesanywhere/src/commands/ListTrustAnchorsCommand.ts +++ b/clients/client-rolesanywhere/src/commands/ListTrustAnchorsCommand.ts @@ -114,4 +114,16 @@ export class ListTrustAnchorsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrustAnchorsCommand) .de(de_ListTrustAnchorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRequest; + output: ListTrustAnchorsResponse; + }; + sdk: { + input: ListTrustAnchorsCommandInput; + output: ListTrustAnchorsCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/PutAttributeMappingCommand.ts b/clients/client-rolesanywhere/src/commands/PutAttributeMappingCommand.ts index c222dfedfe83..3f649199c134 100644 --- a/clients/client-rolesanywhere/src/commands/PutAttributeMappingCommand.ts +++ b/clients/client-rolesanywhere/src/commands/PutAttributeMappingCommand.ts @@ -121,4 +121,16 @@ export class PutAttributeMappingCommand extends $Command .f(void 0, void 0) .ser(se_PutAttributeMappingCommand) .de(de_PutAttributeMappingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAttributeMappingRequest; + output: PutAttributeMappingResponse; + }; + sdk: { + input: PutAttributeMappingCommandInput; + output: PutAttributeMappingCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/PutNotificationSettingsCommand.ts b/clients/client-rolesanywhere/src/commands/PutNotificationSettingsCommand.ts index 481e126002eb..d7dd33cebe1c 100644 --- a/clients/client-rolesanywhere/src/commands/PutNotificationSettingsCommand.ts +++ b/clients/client-rolesanywhere/src/commands/PutNotificationSettingsCommand.ts @@ -123,4 +123,16 @@ export class PutNotificationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutNotificationSettingsCommand) .de(de_PutNotificationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutNotificationSettingsRequest; + output: PutNotificationSettingsResponse; + }; + sdk: { + input: PutNotificationSettingsCommandInput; + output: PutNotificationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/ResetNotificationSettingsCommand.ts b/clients/client-rolesanywhere/src/commands/ResetNotificationSettingsCommand.ts index 95510fb56cc3..3805e217622a 100644 --- a/clients/client-rolesanywhere/src/commands/ResetNotificationSettingsCommand.ts +++ b/clients/client-rolesanywhere/src/commands/ResetNotificationSettingsCommand.ts @@ -120,4 +120,16 @@ export class ResetNotificationSettingsCommand extends $Command .f(void 0, void 0) .ser(se_ResetNotificationSettingsCommand) .de(de_ResetNotificationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetNotificationSettingsRequest; + output: ResetNotificationSettingsResponse; + }; + sdk: { + input: ResetNotificationSettingsCommandInput; + output: ResetNotificationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/TagResourceCommand.ts b/clients/client-rolesanywhere/src/commands/TagResourceCommand.ts index 801b553a98b2..85d5f92fc731 100644 --- a/clients/client-rolesanywhere/src/commands/TagResourceCommand.ts +++ b/clients/client-rolesanywhere/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/UntagResourceCommand.ts b/clients/client-rolesanywhere/src/commands/UntagResourceCommand.ts index 54aef0d7f2fd..a040ca09b996 100644 --- a/clients/client-rolesanywhere/src/commands/UntagResourceCommand.ts +++ b/clients/client-rolesanywhere/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/UpdateCrlCommand.ts b/clients/client-rolesanywhere/src/commands/UpdateCrlCommand.ts index 45d062566b80..c0daf6cb79f4 100644 --- a/clients/client-rolesanywhere/src/commands/UpdateCrlCommand.ts +++ b/clients/client-rolesanywhere/src/commands/UpdateCrlCommand.ts @@ -103,4 +103,16 @@ export class UpdateCrlCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCrlCommand) .de(de_UpdateCrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCrlRequest; + output: CrlDetailResponse; + }; + sdk: { + input: UpdateCrlCommandInput; + output: UpdateCrlCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/UpdateProfileCommand.ts b/clients/client-rolesanywhere/src/commands/UpdateProfileCommand.ts index d55ffcd778a4..131ebc5ddda2 100644 --- a/clients/client-rolesanywhere/src/commands/UpdateProfileCommand.ts +++ b/clients/client-rolesanywhere/src/commands/UpdateProfileCommand.ts @@ -130,4 +130,16 @@ export class UpdateProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProfileCommand) .de(de_UpdateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfileRequest; + output: ProfileDetailResponse; + }; + sdk: { + input: UpdateProfileCommandInput; + output: UpdateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-rolesanywhere/src/commands/UpdateTrustAnchorCommand.ts b/clients/client-rolesanywhere/src/commands/UpdateTrustAnchorCommand.ts index 78d3dfc0ffc2..8d8715cbc5b4 100644 --- a/clients/client-rolesanywhere/src/commands/UpdateTrustAnchorCommand.ts +++ b/clients/client-rolesanywhere/src/commands/UpdateTrustAnchorCommand.ts @@ -126,4 +126,16 @@ export class UpdateTrustAnchorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrustAnchorCommand) .de(de_UpdateTrustAnchorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrustAnchorRequest; + output: TrustAnchorDetailResponse; + }; + sdk: { + input: UpdateTrustAnchorCommandInput; + output: UpdateTrustAnchorCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/package.json b/clients/client-route-53-domains/package.json index b3f16e2b48d6..3af7229f653c 100644 --- a/clients/client-route-53-domains/package.json +++ b/clients/client-route-53-domains/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-route-53-domains/src/commands/AcceptDomainTransferFromAnotherAwsAccountCommand.ts b/clients/client-route-53-domains/src/commands/AcceptDomainTransferFromAnotherAwsAccountCommand.ts index ef4914262ab1..a7796e3e1d4b 100644 --- a/clients/client-route-53-domains/src/commands/AcceptDomainTransferFromAnotherAwsAccountCommand.ts +++ b/clients/client-route-53-domains/src/commands/AcceptDomainTransferFromAnotherAwsAccountCommand.ts @@ -110,4 +110,16 @@ export class AcceptDomainTransferFromAnotherAwsAccountCommand extends $Command .f(AcceptDomainTransferFromAnotherAwsAccountRequestFilterSensitiveLog, void 0) .ser(se_AcceptDomainTransferFromAnotherAwsAccountCommand) .de(de_AcceptDomainTransferFromAnotherAwsAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptDomainTransferFromAnotherAwsAccountRequest; + output: AcceptDomainTransferFromAnotherAwsAccountResponse; + }; + sdk: { + input: AcceptDomainTransferFromAnotherAwsAccountCommandInput; + output: AcceptDomainTransferFromAnotherAwsAccountCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/AssociateDelegationSignerToDomainCommand.ts b/clients/client-route-53-domains/src/commands/AssociateDelegationSignerToDomainCommand.ts index 4cf9ea4ceaf8..97b771fe5c13 100644 --- a/clients/client-route-53-domains/src/commands/AssociateDelegationSignerToDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/AssociateDelegationSignerToDomainCommand.ts @@ -121,4 +121,16 @@ export class AssociateDelegationSignerToDomainCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDelegationSignerToDomainCommand) .de(de_AssociateDelegationSignerToDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDelegationSignerToDomainRequest; + output: AssociateDelegationSignerToDomainResponse; + }; + sdk: { + input: AssociateDelegationSignerToDomainCommandInput; + output: AssociateDelegationSignerToDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/CancelDomainTransferToAnotherAwsAccountCommand.ts b/clients/client-route-53-domains/src/commands/CancelDomainTransferToAnotherAwsAccountCommand.ts index bd68ff8ddf9e..fb27fd4d4e34 100644 --- a/clients/client-route-53-domains/src/commands/CancelDomainTransferToAnotherAwsAccountCommand.ts +++ b/clients/client-route-53-domains/src/commands/CancelDomainTransferToAnotherAwsAccountCommand.ts @@ -106,4 +106,16 @@ export class CancelDomainTransferToAnotherAwsAccountCommand extends $Command .f(void 0, void 0) .ser(se_CancelDomainTransferToAnotherAwsAccountCommand) .de(de_CancelDomainTransferToAnotherAwsAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelDomainTransferToAnotherAwsAccountRequest; + output: CancelDomainTransferToAnotherAwsAccountResponse; + }; + sdk: { + input: CancelDomainTransferToAnotherAwsAccountCommandInput; + output: CancelDomainTransferToAnotherAwsAccountCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/CheckDomainAvailabilityCommand.ts b/clients/client-route-53-domains/src/commands/CheckDomainAvailabilityCommand.ts index 3847ae47a824..1d107e5e8480 100644 --- a/clients/client-route-53-domains/src/commands/CheckDomainAvailabilityCommand.ts +++ b/clients/client-route-53-domains/src/commands/CheckDomainAvailabilityCommand.ts @@ -89,4 +89,16 @@ export class CheckDomainAvailabilityCommand extends $Command .f(void 0, void 0) .ser(se_CheckDomainAvailabilityCommand) .de(de_CheckDomainAvailabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckDomainAvailabilityRequest; + output: CheckDomainAvailabilityResponse; + }; + sdk: { + input: CheckDomainAvailabilityCommandInput; + output: CheckDomainAvailabilityCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/CheckDomainTransferabilityCommand.ts b/clients/client-route-53-domains/src/commands/CheckDomainTransferabilityCommand.ts index 6d41a5823c07..b48aac1deeab 100644 --- a/clients/client-route-53-domains/src/commands/CheckDomainTransferabilityCommand.ts +++ b/clients/client-route-53-domains/src/commands/CheckDomainTransferabilityCommand.ts @@ -94,4 +94,16 @@ export class CheckDomainTransferabilityCommand extends $Command .f(CheckDomainTransferabilityRequestFilterSensitiveLog, void 0) .ser(se_CheckDomainTransferabilityCommand) .de(de_CheckDomainTransferabilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckDomainTransferabilityRequest; + output: CheckDomainTransferabilityResponse; + }; + sdk: { + input: CheckDomainTransferabilityCommandInput; + output: CheckDomainTransferabilityCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/DeleteDomainCommand.ts b/clients/client-route-53-domains/src/commands/DeleteDomainCommand.ts index 52e38acaae2e..604ebe6ffd2f 100644 --- a/clients/client-route-53-domains/src/commands/DeleteDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/DeleteDomainCommand.ts @@ -113,4 +113,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: DeleteDomainResponse; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/DeleteTagsForDomainCommand.ts b/clients/client-route-53-domains/src/commands/DeleteTagsForDomainCommand.ts index 1058398ce25d..c2e52c48cf35 100644 --- a/clients/client-route-53-domains/src/commands/DeleteTagsForDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/DeleteTagsForDomainCommand.ts @@ -93,4 +93,16 @@ export class DeleteTagsForDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsForDomainCommand) .de(de_DeleteTagsForDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsForDomainRequest; + output: {}; + }; + sdk: { + input: DeleteTagsForDomainCommandInput; + output: DeleteTagsForDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/DisableDomainAutoRenewCommand.ts b/clients/client-route-53-domains/src/commands/DisableDomainAutoRenewCommand.ts index 9defb237d69a..8e7af961c25e 100644 --- a/clients/client-route-53-domains/src/commands/DisableDomainAutoRenewCommand.ts +++ b/clients/client-route-53-domains/src/commands/DisableDomainAutoRenewCommand.ts @@ -85,4 +85,16 @@ export class DisableDomainAutoRenewCommand extends $Command .f(void 0, void 0) .ser(se_DisableDomainAutoRenewCommand) .de(de_DisableDomainAutoRenewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableDomainAutoRenewRequest; + output: {}; + }; + sdk: { + input: DisableDomainAutoRenewCommandInput; + output: DisableDomainAutoRenewCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/DisableDomainTransferLockCommand.ts b/clients/client-route-53-domains/src/commands/DisableDomainTransferLockCommand.ts index 05c59ae22983..c4a32a49fcd3 100644 --- a/clients/client-route-53-domains/src/commands/DisableDomainTransferLockCommand.ts +++ b/clients/client-route-53-domains/src/commands/DisableDomainTransferLockCommand.ts @@ -101,4 +101,16 @@ export class DisableDomainTransferLockCommand extends $Command .f(void 0, void 0) .ser(se_DisableDomainTransferLockCommand) .de(de_DisableDomainTransferLockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableDomainTransferLockRequest; + output: DisableDomainTransferLockResponse; + }; + sdk: { + input: DisableDomainTransferLockCommandInput; + output: DisableDomainTransferLockCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/DisassociateDelegationSignerFromDomainCommand.ts b/clients/client-route-53-domains/src/commands/DisassociateDelegationSignerFromDomainCommand.ts index 1ed4b0c7bc1c..55463b3871b2 100644 --- a/clients/client-route-53-domains/src/commands/DisassociateDelegationSignerFromDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/DisassociateDelegationSignerFromDomainCommand.ts @@ -107,4 +107,16 @@ export class DisassociateDelegationSignerFromDomainCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDelegationSignerFromDomainCommand) .de(de_DisassociateDelegationSignerFromDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateDelegationSignerFromDomainRequest; + output: DisassociateDelegationSignerFromDomainResponse; + }; + sdk: { + input: DisassociateDelegationSignerFromDomainCommandInput; + output: DisassociateDelegationSignerFromDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/EnableDomainAutoRenewCommand.ts b/clients/client-route-53-domains/src/commands/EnableDomainAutoRenewCommand.ts index 16f7aa865c80..2cc3651732fd 100644 --- a/clients/client-route-53-domains/src/commands/EnableDomainAutoRenewCommand.ts +++ b/clients/client-route-53-domains/src/commands/EnableDomainAutoRenewCommand.ts @@ -94,4 +94,16 @@ export class EnableDomainAutoRenewCommand extends $Command .f(void 0, void 0) .ser(se_EnableDomainAutoRenewCommand) .de(de_EnableDomainAutoRenewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableDomainAutoRenewRequest; + output: {}; + }; + sdk: { + input: EnableDomainAutoRenewCommandInput; + output: EnableDomainAutoRenewCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/EnableDomainTransferLockCommand.ts b/clients/client-route-53-domains/src/commands/EnableDomainTransferLockCommand.ts index f98eefdee8ab..d0e725e0c80a 100644 --- a/clients/client-route-53-domains/src/commands/EnableDomainTransferLockCommand.ts +++ b/clients/client-route-53-domains/src/commands/EnableDomainTransferLockCommand.ts @@ -100,4 +100,16 @@ export class EnableDomainTransferLockCommand extends $Command .f(void 0, void 0) .ser(se_EnableDomainTransferLockCommand) .de(de_EnableDomainTransferLockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableDomainTransferLockRequest; + output: EnableDomainTransferLockResponse; + }; + sdk: { + input: EnableDomainTransferLockCommandInput; + output: EnableDomainTransferLockCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/GetContactReachabilityStatusCommand.ts b/clients/client-route-53-domains/src/commands/GetContactReachabilityStatusCommand.ts index 7371f2e89cb0..5273fb491bb5 100644 --- a/clients/client-route-53-domains/src/commands/GetContactReachabilityStatusCommand.ts +++ b/clients/client-route-53-domains/src/commands/GetContactReachabilityStatusCommand.ts @@ -100,4 +100,16 @@ export class GetContactReachabilityStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetContactReachabilityStatusCommand) .de(de_GetContactReachabilityStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactReachabilityStatusRequest; + output: GetContactReachabilityStatusResponse; + }; + sdk: { + input: GetContactReachabilityStatusCommandInput; + output: GetContactReachabilityStatusCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/GetDomainDetailCommand.ts b/clients/client-route-53-domains/src/commands/GetDomainDetailCommand.ts index 65bdfb19b242..31c660ca1a0b 100644 --- a/clients/client-route-53-domains/src/commands/GetDomainDetailCommand.ts +++ b/clients/client-route-53-domains/src/commands/GetDomainDetailCommand.ts @@ -214,4 +214,16 @@ export class GetDomainDetailCommand extends $Command .f(void 0, GetDomainDetailResponseFilterSensitiveLog) .ser(se_GetDomainDetailCommand) .de(de_GetDomainDetailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainDetailRequest; + output: GetDomainDetailResponse; + }; + sdk: { + input: GetDomainDetailCommandInput; + output: GetDomainDetailCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/GetDomainSuggestionsCommand.ts b/clients/client-route-53-domains/src/commands/GetDomainSuggestionsCommand.ts index 4c0d5adb8022..17981c4bb3ef 100644 --- a/clients/client-route-53-domains/src/commands/GetDomainSuggestionsCommand.ts +++ b/clients/client-route-53-domains/src/commands/GetDomainSuggestionsCommand.ts @@ -93,4 +93,16 @@ export class GetDomainSuggestionsCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainSuggestionsCommand) .de(de_GetDomainSuggestionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainSuggestionsRequest; + output: GetDomainSuggestionsResponse; + }; + sdk: { + input: GetDomainSuggestionsCommandInput; + output: GetDomainSuggestionsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/GetOperationDetailCommand.ts b/clients/client-route-53-domains/src/commands/GetOperationDetailCommand.ts index c96686d23369..fee95f299725 100644 --- a/clients/client-route-53-domains/src/commands/GetOperationDetailCommand.ts +++ b/clients/client-route-53-domains/src/commands/GetOperationDetailCommand.ts @@ -91,4 +91,16 @@ export class GetOperationDetailCommand extends $Command .f(void 0, void 0) .ser(se_GetOperationDetailCommand) .de(de_GetOperationDetailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOperationDetailRequest; + output: GetOperationDetailResponse; + }; + sdk: { + input: GetOperationDetailCommandInput; + output: GetOperationDetailCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/ListDomainsCommand.ts b/clients/client-route-53-domains/src/commands/ListDomainsCommand.ts index 3e303e9dcda0..93d12305c1b6 100644 --- a/clients/client-route-53-domains/src/commands/ListDomainsCommand.ts +++ b/clients/client-route-53-domains/src/commands/ListDomainsCommand.ts @@ -106,4 +106,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResponse; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/ListOperationsCommand.ts b/clients/client-route-53-domains/src/commands/ListOperationsCommand.ts index 5dd22e4c2ba5..1b7d6f0918bc 100644 --- a/clients/client-route-53-domains/src/commands/ListOperationsCommand.ts +++ b/clients/client-route-53-domains/src/commands/ListOperationsCommand.ts @@ -107,4 +107,16 @@ export class ListOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListOperationsCommand) .de(de_ListOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOperationsRequest; + output: ListOperationsResponse; + }; + sdk: { + input: ListOperationsCommandInput; + output: ListOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/ListPricesCommand.ts b/clients/client-route-53-domains/src/commands/ListPricesCommand.ts index b7149ff3b966..4a4cbeadc487 100644 --- a/clients/client-route-53-domains/src/commands/ListPricesCommand.ts +++ b/clients/client-route-53-domains/src/commands/ListPricesCommand.ts @@ -131,4 +131,16 @@ export class ListPricesCommand extends $Command .f(void 0, void 0) .ser(se_ListPricesCommand) .de(de_ListPricesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPricesRequest; + output: ListPricesResponse; + }; + sdk: { + input: ListPricesCommandInput; + output: ListPricesCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/ListTagsForDomainCommand.ts b/clients/client-route-53-domains/src/commands/ListTagsForDomainCommand.ts index 7663977b6ac5..16e236c647d6 100644 --- a/clients/client-route-53-domains/src/commands/ListTagsForDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/ListTagsForDomainCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForDomainCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForDomainCommand) .de(de_ListTagsForDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForDomainRequest; + output: ListTagsForDomainResponse; + }; + sdk: { + input: ListTagsForDomainCommandInput; + output: ListTagsForDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/PushDomainCommand.ts b/clients/client-route-53-domains/src/commands/PushDomainCommand.ts index 3b9000516758..95dc25c2cf23 100644 --- a/clients/client-route-53-domains/src/commands/PushDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/PushDomainCommand.ts @@ -96,4 +96,16 @@ export class PushDomainCommand extends $Command .f(void 0, void 0) .ser(se_PushDomainCommand) .de(de_PushDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PushDomainRequest; + output: {}; + }; + sdk: { + input: PushDomainCommandInput; + output: PushDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/RegisterDomainCommand.ts b/clients/client-route-53-domains/src/commands/RegisterDomainCommand.ts index 8041f714a22e..5633791e09cd 100644 --- a/clients/client-route-53-domains/src/commands/RegisterDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/RegisterDomainCommand.ts @@ -228,4 +228,16 @@ export class RegisterDomainCommand extends $Command .f(RegisterDomainRequestFilterSensitiveLog, void 0) .ser(se_RegisterDomainCommand) .de(de_RegisterDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDomainRequest; + output: RegisterDomainResponse; + }; + sdk: { + input: RegisterDomainCommandInput; + output: RegisterDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/RejectDomainTransferFromAnotherAwsAccountCommand.ts b/clients/client-route-53-domains/src/commands/RejectDomainTransferFromAnotherAwsAccountCommand.ts index 7d0f48f36a68..2182073b378a 100644 --- a/clients/client-route-53-domains/src/commands/RejectDomainTransferFromAnotherAwsAccountCommand.ts +++ b/clients/client-route-53-domains/src/commands/RejectDomainTransferFromAnotherAwsAccountCommand.ts @@ -102,4 +102,16 @@ export class RejectDomainTransferFromAnotherAwsAccountCommand extends $Command .f(void 0, void 0) .ser(se_RejectDomainTransferFromAnotherAwsAccountCommand) .de(de_RejectDomainTransferFromAnotherAwsAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectDomainTransferFromAnotherAwsAccountRequest; + output: RejectDomainTransferFromAnotherAwsAccountResponse; + }; + sdk: { + input: RejectDomainTransferFromAnotherAwsAccountCommandInput; + output: RejectDomainTransferFromAnotherAwsAccountCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/RenewDomainCommand.ts b/clients/client-route-53-domains/src/commands/RenewDomainCommand.ts index 20316a704856..5505abb5b468 100644 --- a/clients/client-route-53-domains/src/commands/RenewDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/RenewDomainCommand.ts @@ -104,4 +104,16 @@ export class RenewDomainCommand extends $Command .f(void 0, void 0) .ser(se_RenewDomainCommand) .de(de_RenewDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RenewDomainRequest; + output: RenewDomainResponse; + }; + sdk: { + input: RenewDomainCommandInput; + output: RenewDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/ResendContactReachabilityEmailCommand.ts b/clients/client-route-53-domains/src/commands/ResendContactReachabilityEmailCommand.ts index 6cd7fd1848b8..605ff9048eb3 100644 --- a/clients/client-route-53-domains/src/commands/ResendContactReachabilityEmailCommand.ts +++ b/clients/client-route-53-domains/src/commands/ResendContactReachabilityEmailCommand.ts @@ -103,4 +103,16 @@ export class ResendContactReachabilityEmailCommand extends $Command .f(void 0, ResendContactReachabilityEmailResponseFilterSensitiveLog) .ser(se_ResendContactReachabilityEmailCommand) .de(de_ResendContactReachabilityEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResendContactReachabilityEmailRequest; + output: ResendContactReachabilityEmailResponse; + }; + sdk: { + input: ResendContactReachabilityEmailCommandInput; + output: ResendContactReachabilityEmailCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/ResendOperationAuthorizationCommand.ts b/clients/client-route-53-domains/src/commands/ResendOperationAuthorizationCommand.ts index 2306a3bad4af..d501aa980e52 100644 --- a/clients/client-route-53-domains/src/commands/ResendOperationAuthorizationCommand.ts +++ b/clients/client-route-53-domains/src/commands/ResendOperationAuthorizationCommand.ts @@ -84,4 +84,16 @@ export class ResendOperationAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_ResendOperationAuthorizationCommand) .de(de_ResendOperationAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResendOperationAuthorizationRequest; + output: {}; + }; + sdk: { + input: ResendOperationAuthorizationCommandInput; + output: ResendOperationAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/RetrieveDomainAuthCodeCommand.ts b/clients/client-route-53-domains/src/commands/RetrieveDomainAuthCodeCommand.ts index e083b61f912e..5d55aad06180 100644 --- a/clients/client-route-53-domains/src/commands/RetrieveDomainAuthCodeCommand.ts +++ b/clients/client-route-53-domains/src/commands/RetrieveDomainAuthCodeCommand.ts @@ -91,4 +91,16 @@ export class RetrieveDomainAuthCodeCommand extends $Command .f(void 0, RetrieveDomainAuthCodeResponseFilterSensitiveLog) .ser(se_RetrieveDomainAuthCodeCommand) .de(de_RetrieveDomainAuthCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetrieveDomainAuthCodeRequest; + output: RetrieveDomainAuthCodeResponse; + }; + sdk: { + input: RetrieveDomainAuthCodeCommandInput; + output: RetrieveDomainAuthCodeCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/TransferDomainCommand.ts b/clients/client-route-53-domains/src/commands/TransferDomainCommand.ts index a70dea826f91..a692978d7f50 100644 --- a/clients/client-route-53-domains/src/commands/TransferDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/TransferDomainCommand.ts @@ -240,4 +240,16 @@ export class TransferDomainCommand extends $Command .f(TransferDomainRequestFilterSensitiveLog, void 0) .ser(se_TransferDomainCommand) .de(de_TransferDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TransferDomainRequest; + output: TransferDomainResponse; + }; + sdk: { + input: TransferDomainCommandInput; + output: TransferDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/TransferDomainToAnotherAwsAccountCommand.ts b/clients/client-route-53-domains/src/commands/TransferDomainToAnotherAwsAccountCommand.ts index ac2610cec316..5d20c3c5fe79 100644 --- a/clients/client-route-53-domains/src/commands/TransferDomainToAnotherAwsAccountCommand.ts +++ b/clients/client-route-53-domains/src/commands/TransferDomainToAnotherAwsAccountCommand.ts @@ -128,4 +128,16 @@ export class TransferDomainToAnotherAwsAccountCommand extends $Command .f(void 0, TransferDomainToAnotherAwsAccountResponseFilterSensitiveLog) .ser(se_TransferDomainToAnotherAwsAccountCommand) .de(de_TransferDomainToAnotherAwsAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TransferDomainToAnotherAwsAccountRequest; + output: TransferDomainToAnotherAwsAccountResponse; + }; + sdk: { + input: TransferDomainToAnotherAwsAccountCommandInput; + output: TransferDomainToAnotherAwsAccountCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/UpdateDomainContactCommand.ts b/clients/client-route-53-domains/src/commands/UpdateDomainContactCommand.ts index 5f897d34fedf..31a43b1eaf66 100644 --- a/clients/client-route-53-domains/src/commands/UpdateDomainContactCommand.ts +++ b/clients/client-route-53-domains/src/commands/UpdateDomainContactCommand.ts @@ -193,4 +193,16 @@ export class UpdateDomainContactCommand extends $Command .f(UpdateDomainContactRequestFilterSensitiveLog, void 0) .ser(se_UpdateDomainContactCommand) .de(de_UpdateDomainContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainContactRequest; + output: UpdateDomainContactResponse; + }; + sdk: { + input: UpdateDomainContactCommandInput; + output: UpdateDomainContactCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/UpdateDomainContactPrivacyCommand.ts b/clients/client-route-53-domains/src/commands/UpdateDomainContactPrivacyCommand.ts index b6da58338e9d..cd780ebc8c8e 100644 --- a/clients/client-route-53-domains/src/commands/UpdateDomainContactPrivacyCommand.ts +++ b/clients/client-route-53-domains/src/commands/UpdateDomainContactPrivacyCommand.ts @@ -122,4 +122,16 @@ export class UpdateDomainContactPrivacyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainContactPrivacyCommand) .de(de_UpdateDomainContactPrivacyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainContactPrivacyRequest; + output: UpdateDomainContactPrivacyResponse; + }; + sdk: { + input: UpdateDomainContactPrivacyCommandInput; + output: UpdateDomainContactPrivacyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/UpdateDomainNameserversCommand.ts b/clients/client-route-53-domains/src/commands/UpdateDomainNameserversCommand.ts index 20ff41ee151e..e1ebce06c1b1 100644 --- a/clients/client-route-53-domains/src/commands/UpdateDomainNameserversCommand.ts +++ b/clients/client-route-53-domains/src/commands/UpdateDomainNameserversCommand.ts @@ -114,4 +114,16 @@ export class UpdateDomainNameserversCommand extends $Command .f(UpdateDomainNameserversRequestFilterSensitiveLog, void 0) .ser(se_UpdateDomainNameserversCommand) .de(de_UpdateDomainNameserversCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainNameserversRequest; + output: UpdateDomainNameserversResponse; + }; + sdk: { + input: UpdateDomainNameserversCommandInput; + output: UpdateDomainNameserversCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/UpdateTagsForDomainCommand.ts b/clients/client-route-53-domains/src/commands/UpdateTagsForDomainCommand.ts index a80e5e4ed045..adf7ce4db40e 100644 --- a/clients/client-route-53-domains/src/commands/UpdateTagsForDomainCommand.ts +++ b/clients/client-route-53-domains/src/commands/UpdateTagsForDomainCommand.ts @@ -96,4 +96,16 @@ export class UpdateTagsForDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTagsForDomainCommand) .de(de_UpdateTagsForDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTagsForDomainRequest; + output: {}; + }; + sdk: { + input: UpdateTagsForDomainCommandInput; + output: UpdateTagsForDomainCommandOutput; + }; + }; +} diff --git a/clients/client-route-53-domains/src/commands/ViewBillingCommand.ts b/clients/client-route-53-domains/src/commands/ViewBillingCommand.ts index 26ad90479a08..0c6dff70cafe 100644 --- a/clients/client-route-53-domains/src/commands/ViewBillingCommand.ts +++ b/clients/client-route-53-domains/src/commands/ViewBillingCommand.ts @@ -95,4 +95,16 @@ export class ViewBillingCommand extends $Command .f(void 0, void 0) .ser(se_ViewBillingCommand) .de(de_ViewBillingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ViewBillingRequest; + output: ViewBillingResponse; + }; + sdk: { + input: ViewBillingCommandInput; + output: ViewBillingCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/package.json b/clients/client-route-53/package.json index 00ea92ccc1ae..5b7a061a7eda 100644 --- a/clients/client-route-53/package.json +++ b/clients/client-route-53/package.json @@ -35,32 +35,32 @@ "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", "@aws-sdk/xml-builder": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-route-53/src/commands/ActivateKeySigningKeyCommand.ts b/clients/client-route-53/src/commands/ActivateKeySigningKeyCommand.ts index a2a83d8c2a28..8de38a25f12d 100644 --- a/clients/client-route-53/src/commands/ActivateKeySigningKeyCommand.ts +++ b/clients/client-route-53/src/commands/ActivateKeySigningKeyCommand.ts @@ -108,4 +108,16 @@ export class ActivateKeySigningKeyCommand extends $Command .f(void 0, void 0) .ser(se_ActivateKeySigningKeyCommand) .de(de_ActivateKeySigningKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateKeySigningKeyRequest; + output: ActivateKeySigningKeyResponse; + }; + sdk: { + input: ActivateKeySigningKeyCommandInput; + output: ActivateKeySigningKeyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/AssociateVPCWithHostedZoneCommand.ts b/clients/client-route-53/src/commands/AssociateVPCWithHostedZoneCommand.ts index 2eb8b45f2a26..ff267154d533 100644 --- a/clients/client-route-53/src/commands/AssociateVPCWithHostedZoneCommand.ts +++ b/clients/client-route-53/src/commands/AssociateVPCWithHostedZoneCommand.ts @@ -205,4 +205,16 @@ export class AssociateVPCWithHostedZoneCommand extends $Command .f(void 0, void 0) .ser(se_AssociateVPCWithHostedZoneCommand) .de(de_AssociateVPCWithHostedZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateVPCWithHostedZoneRequest; + output: AssociateVPCWithHostedZoneResponse; + }; + sdk: { + input: AssociateVPCWithHostedZoneCommandInput; + output: AssociateVPCWithHostedZoneCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ChangeCidrCollectionCommand.ts b/clients/client-route-53/src/commands/ChangeCidrCollectionCommand.ts index e6df70b8f9c8..4a95b358aefe 100644 --- a/clients/client-route-53/src/commands/ChangeCidrCollectionCommand.ts +++ b/clients/client-route-53/src/commands/ChangeCidrCollectionCommand.ts @@ -135,4 +135,16 @@ export class ChangeCidrCollectionCommand extends $Command .f(void 0, void 0) .ser(se_ChangeCidrCollectionCommand) .de(de_ChangeCidrCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangeCidrCollectionRequest; + output: ChangeCidrCollectionResponse; + }; + sdk: { + input: ChangeCidrCollectionCommandInput; + output: ChangeCidrCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ChangeResourceRecordSetsCommand.ts b/clients/client-route-53/src/commands/ChangeResourceRecordSetsCommand.ts index 8564cdb8b961..891e30cf8bf6 100644 --- a/clients/client-route-53/src/commands/ChangeResourceRecordSetsCommand.ts +++ b/clients/client-route-53/src/commands/ChangeResourceRecordSetsCommand.ts @@ -839,4 +839,16 @@ export class ChangeResourceRecordSetsCommand extends $Command .f(void 0, void 0) .ser(se_ChangeResourceRecordSetsCommand) .de(de_ChangeResourceRecordSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangeResourceRecordSetsRequest; + output: ChangeResourceRecordSetsResponse; + }; + sdk: { + input: ChangeResourceRecordSetsCommandInput; + output: ChangeResourceRecordSetsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ChangeTagsForResourceCommand.ts b/clients/client-route-53/src/commands/ChangeTagsForResourceCommand.ts index 01b6b7a79dff..2e17abba29d9 100644 --- a/clients/client-route-53/src/commands/ChangeTagsForResourceCommand.ts +++ b/clients/client-route-53/src/commands/ChangeTagsForResourceCommand.ts @@ -131,4 +131,16 @@ export class ChangeTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ChangeTagsForResourceCommand) .de(de_ChangeTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangeTagsForResourceRequest; + output: {}; + }; + sdk: { + input: ChangeTagsForResourceCommandInput; + output: ChangeTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateCidrCollectionCommand.ts b/clients/client-route-53/src/commands/CreateCidrCollectionCommand.ts index 5f374ad4ece1..a601bc7c2fb8 100644 --- a/clients/client-route-53/src/commands/CreateCidrCollectionCommand.ts +++ b/clients/client-route-53/src/commands/CreateCidrCollectionCommand.ts @@ -99,4 +99,16 @@ export class CreateCidrCollectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateCidrCollectionCommand) .de(de_CreateCidrCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCidrCollectionRequest; + output: CreateCidrCollectionResponse; + }; + sdk: { + input: CreateCidrCollectionCommandInput; + output: CreateCidrCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateHealthCheckCommand.ts b/clients/client-route-53/src/commands/CreateHealthCheckCommand.ts index 43197865a53a..22cd9e0034ea 100644 --- a/clients/client-route-53/src/commands/CreateHealthCheckCommand.ts +++ b/clients/client-route-53/src/commands/CreateHealthCheckCommand.ts @@ -218,4 +218,16 @@ export class CreateHealthCheckCommand extends $Command .f(void 0, void 0) .ser(se_CreateHealthCheckCommand) .de(de_CreateHealthCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHealthCheckRequest; + output: CreateHealthCheckResponse; + }; + sdk: { + input: CreateHealthCheckCommandInput; + output: CreateHealthCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateHostedZoneCommand.ts b/clients/client-route-53/src/commands/CreateHostedZoneCommand.ts index c4c81e92a797..4abca9ab429f 100644 --- a/clients/client-route-53/src/commands/CreateHostedZoneCommand.ts +++ b/clients/client-route-53/src/commands/CreateHostedZoneCommand.ts @@ -248,4 +248,16 @@ export class CreateHostedZoneCommand extends $Command .f(void 0, void 0) .ser(se_CreateHostedZoneCommand) .de(de_CreateHostedZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHostedZoneRequest; + output: CreateHostedZoneResponse; + }; + sdk: { + input: CreateHostedZoneCommandInput; + output: CreateHostedZoneCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateKeySigningKeyCommand.ts b/clients/client-route-53/src/commands/CreateKeySigningKeyCommand.ts index f04a118079ec..73ca5cf1cc4f 100644 --- a/clients/client-route-53/src/commands/CreateKeySigningKeyCommand.ts +++ b/clients/client-route-53/src/commands/CreateKeySigningKeyCommand.ts @@ -143,4 +143,16 @@ export class CreateKeySigningKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreateKeySigningKeyCommand) .de(de_CreateKeySigningKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKeySigningKeyRequest; + output: CreateKeySigningKeyResponse; + }; + sdk: { + input: CreateKeySigningKeyCommandInput; + output: CreateKeySigningKeyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateQueryLoggingConfigCommand.ts b/clients/client-route-53/src/commands/CreateQueryLoggingConfigCommand.ts index cde2b02f77c8..ef6731169ad7 100644 --- a/clients/client-route-53/src/commands/CreateQueryLoggingConfigCommand.ts +++ b/clients/client-route-53/src/commands/CreateQueryLoggingConfigCommand.ts @@ -296,4 +296,16 @@ export class CreateQueryLoggingConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateQueryLoggingConfigCommand) .de(de_CreateQueryLoggingConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueryLoggingConfigRequest; + output: CreateQueryLoggingConfigResponse; + }; + sdk: { + input: CreateQueryLoggingConfigCommandInput; + output: CreateQueryLoggingConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateReusableDelegationSetCommand.ts b/clients/client-route-53/src/commands/CreateReusableDelegationSetCommand.ts index e4999c2d15e8..b0341f9f6547 100644 --- a/clients/client-route-53/src/commands/CreateReusableDelegationSetCommand.ts +++ b/clients/client-route-53/src/commands/CreateReusableDelegationSetCommand.ts @@ -173,4 +173,16 @@ export class CreateReusableDelegationSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateReusableDelegationSetCommand) .de(de_CreateReusableDelegationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReusableDelegationSetRequest; + output: CreateReusableDelegationSetResponse; + }; + sdk: { + input: CreateReusableDelegationSetCommandInput; + output: CreateReusableDelegationSetCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateTrafficPolicyCommand.ts b/clients/client-route-53/src/commands/CreateTrafficPolicyCommand.ts index 4d459c0e713d..99847c774d2b 100644 --- a/clients/client-route-53/src/commands/CreateTrafficPolicyCommand.ts +++ b/clients/client-route-53/src/commands/CreateTrafficPolicyCommand.ts @@ -108,4 +108,16 @@ export class CreateTrafficPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficPolicyCommand) .de(de_CreateTrafficPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficPolicyRequest; + output: CreateTrafficPolicyResponse; + }; + sdk: { + input: CreateTrafficPolicyCommandInput; + output: CreateTrafficPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateTrafficPolicyInstanceCommand.ts b/clients/client-route-53/src/commands/CreateTrafficPolicyInstanceCommand.ts index 763c0c500414..f1b51a7710a8 100644 --- a/clients/client-route-53/src/commands/CreateTrafficPolicyInstanceCommand.ts +++ b/clients/client-route-53/src/commands/CreateTrafficPolicyInstanceCommand.ts @@ -130,4 +130,16 @@ export class CreateTrafficPolicyInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficPolicyInstanceCommand) .de(de_CreateTrafficPolicyInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficPolicyInstanceRequest; + output: CreateTrafficPolicyInstanceResponse; + }; + sdk: { + input: CreateTrafficPolicyInstanceCommandInput; + output: CreateTrafficPolicyInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateTrafficPolicyVersionCommand.ts b/clients/client-route-53/src/commands/CreateTrafficPolicyVersionCommand.ts index 8138b15483d1..c1540dd5130e 100644 --- a/clients/client-route-53/src/commands/CreateTrafficPolicyVersionCommand.ts +++ b/clients/client-route-53/src/commands/CreateTrafficPolicyVersionCommand.ts @@ -117,4 +117,16 @@ export class CreateTrafficPolicyVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrafficPolicyVersionCommand) .de(de_CreateTrafficPolicyVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrafficPolicyVersionRequest; + output: CreateTrafficPolicyVersionResponse; + }; + sdk: { + input: CreateTrafficPolicyVersionCommandInput; + output: CreateTrafficPolicyVersionCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/CreateVPCAssociationAuthorizationCommand.ts b/clients/client-route-53/src/commands/CreateVPCAssociationAuthorizationCommand.ts index fd84241caed0..829d8008e3a5 100644 --- a/clients/client-route-53/src/commands/CreateVPCAssociationAuthorizationCommand.ts +++ b/clients/client-route-53/src/commands/CreateVPCAssociationAuthorizationCommand.ts @@ -126,4 +126,16 @@ export class CreateVPCAssociationAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_CreateVPCAssociationAuthorizationCommand) .de(de_CreateVPCAssociationAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVPCAssociationAuthorizationRequest; + output: CreateVPCAssociationAuthorizationResponse; + }; + sdk: { + input: CreateVPCAssociationAuthorizationCommandInput; + output: CreateVPCAssociationAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeactivateKeySigningKeyCommand.ts b/clients/client-route-53/src/commands/DeactivateKeySigningKeyCommand.ts index 64c38dcf6e67..4a73c4719cb9 100644 --- a/clients/client-route-53/src/commands/DeactivateKeySigningKeyCommand.ts +++ b/clients/client-route-53/src/commands/DeactivateKeySigningKeyCommand.ts @@ -112,4 +112,16 @@ export class DeactivateKeySigningKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateKeySigningKeyCommand) .de(de_DeactivateKeySigningKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateKeySigningKeyRequest; + output: DeactivateKeySigningKeyResponse; + }; + sdk: { + input: DeactivateKeySigningKeyCommandInput; + output: DeactivateKeySigningKeyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteCidrCollectionCommand.ts b/clients/client-route-53/src/commands/DeleteCidrCollectionCommand.ts index 5299b139c366..771a2782945f 100644 --- a/clients/client-route-53/src/commands/DeleteCidrCollectionCommand.ts +++ b/clients/client-route-53/src/commands/DeleteCidrCollectionCommand.ts @@ -91,4 +91,16 @@ export class DeleteCidrCollectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCidrCollectionCommand) .de(de_DeleteCidrCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCidrCollectionRequest; + output: {}; + }; + sdk: { + input: DeleteCidrCollectionCommandInput; + output: DeleteCidrCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteHealthCheckCommand.ts b/clients/client-route-53/src/commands/DeleteHealthCheckCommand.ts index 9fddccca10ff..e220f528abd1 100644 --- a/clients/client-route-53/src/commands/DeleteHealthCheckCommand.ts +++ b/clients/client-route-53/src/commands/DeleteHealthCheckCommand.ts @@ -98,4 +98,16 @@ export class DeleteHealthCheckCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHealthCheckCommand) .de(de_DeleteHealthCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHealthCheckRequest; + output: {}; + }; + sdk: { + input: DeleteHealthCheckCommandInput; + output: DeleteHealthCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteHostedZoneCommand.ts b/clients/client-route-53/src/commands/DeleteHostedZoneCommand.ts index b4835ff0f167..adb0406a9d9b 100644 --- a/clients/client-route-53/src/commands/DeleteHostedZoneCommand.ts +++ b/clients/client-route-53/src/commands/DeleteHostedZoneCommand.ts @@ -144,4 +144,16 @@ export class DeleteHostedZoneCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHostedZoneCommand) .de(de_DeleteHostedZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHostedZoneRequest; + output: DeleteHostedZoneResponse; + }; + sdk: { + input: DeleteHostedZoneCommandInput; + output: DeleteHostedZoneCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteKeySigningKeyCommand.ts b/clients/client-route-53/src/commands/DeleteKeySigningKeyCommand.ts index b34e12fa85bc..00647bef9bbf 100644 --- a/clients/client-route-53/src/commands/DeleteKeySigningKeyCommand.ts +++ b/clients/client-route-53/src/commands/DeleteKeySigningKeyCommand.ts @@ -112,4 +112,16 @@ export class DeleteKeySigningKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKeySigningKeyCommand) .de(de_DeleteKeySigningKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKeySigningKeyRequest; + output: DeleteKeySigningKeyResponse; + }; + sdk: { + input: DeleteKeySigningKeyCommandInput; + output: DeleteKeySigningKeyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteQueryLoggingConfigCommand.ts b/clients/client-route-53/src/commands/DeleteQueryLoggingConfigCommand.ts index 1045c2521cfd..2997b8b376a5 100644 --- a/clients/client-route-53/src/commands/DeleteQueryLoggingConfigCommand.ts +++ b/clients/client-route-53/src/commands/DeleteQueryLoggingConfigCommand.ts @@ -90,4 +90,16 @@ export class DeleteQueryLoggingConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueryLoggingConfigCommand) .de(de_DeleteQueryLoggingConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueryLoggingConfigRequest; + output: {}; + }; + sdk: { + input: DeleteQueryLoggingConfigCommandInput; + output: DeleteQueryLoggingConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteReusableDelegationSetCommand.ts b/clients/client-route-53/src/commands/DeleteReusableDelegationSetCommand.ts index c5e911ba1f79..8fc13e321fa7 100644 --- a/clients/client-route-53/src/commands/DeleteReusableDelegationSetCommand.ts +++ b/clients/client-route-53/src/commands/DeleteReusableDelegationSetCommand.ts @@ -99,4 +99,16 @@ export class DeleteReusableDelegationSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReusableDelegationSetCommand) .de(de_DeleteReusableDelegationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReusableDelegationSetRequest; + output: {}; + }; + sdk: { + input: DeleteReusableDelegationSetCommandInput; + output: DeleteReusableDelegationSetCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteTrafficPolicyCommand.ts b/clients/client-route-53/src/commands/DeleteTrafficPolicyCommand.ts index 410c33ae50fa..93563644bc61 100644 --- a/clients/client-route-53/src/commands/DeleteTrafficPolicyCommand.ts +++ b/clients/client-route-53/src/commands/DeleteTrafficPolicyCommand.ts @@ -107,4 +107,16 @@ export class DeleteTrafficPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficPolicyCommand) .de(de_DeleteTrafficPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteTrafficPolicyCommandInput; + output: DeleteTrafficPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteTrafficPolicyInstanceCommand.ts b/clients/client-route-53/src/commands/DeleteTrafficPolicyInstanceCommand.ts index 31090610c834..06e8926cc5b7 100644 --- a/clients/client-route-53/src/commands/DeleteTrafficPolicyInstanceCommand.ts +++ b/clients/client-route-53/src/commands/DeleteTrafficPolicyInstanceCommand.ts @@ -97,4 +97,16 @@ export class DeleteTrafficPolicyInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrafficPolicyInstanceCommand) .de(de_DeleteTrafficPolicyInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrafficPolicyInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteTrafficPolicyInstanceCommandInput; + output: DeleteTrafficPolicyInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DeleteVPCAssociationAuthorizationCommand.ts b/clients/client-route-53/src/commands/DeleteVPCAssociationAuthorizationCommand.ts index 8271a624d2ae..c5cdda4850c4 100644 --- a/clients/client-route-53/src/commands/DeleteVPCAssociationAuthorizationCommand.ts +++ b/clients/client-route-53/src/commands/DeleteVPCAssociationAuthorizationCommand.ts @@ -118,4 +118,16 @@ export class DeleteVPCAssociationAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVPCAssociationAuthorizationCommand) .de(de_DeleteVPCAssociationAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVPCAssociationAuthorizationRequest; + output: {}; + }; + sdk: { + input: DeleteVPCAssociationAuthorizationCommandInput; + output: DeleteVPCAssociationAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DisableHostedZoneDNSSECCommand.ts b/clients/client-route-53/src/commands/DisableHostedZoneDNSSECCommand.ts index ae481e329a75..8157047e5363 100644 --- a/clients/client-route-53/src/commands/DisableHostedZoneDNSSECCommand.ts +++ b/clients/client-route-53/src/commands/DisableHostedZoneDNSSECCommand.ts @@ -112,4 +112,16 @@ export class DisableHostedZoneDNSSECCommand extends $Command .f(void 0, void 0) .ser(se_DisableHostedZoneDNSSECCommand) .de(de_DisableHostedZoneDNSSECCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableHostedZoneDNSSECRequest; + output: DisableHostedZoneDNSSECResponse; + }; + sdk: { + input: DisableHostedZoneDNSSECCommandInput; + output: DisableHostedZoneDNSSECCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/DisassociateVPCFromHostedZoneCommand.ts b/clients/client-route-53/src/commands/DisassociateVPCFromHostedZoneCommand.ts index 424f28e4793c..857a5ff2f27c 100644 --- a/clients/client-route-53/src/commands/DisassociateVPCFromHostedZoneCommand.ts +++ b/clients/client-route-53/src/commands/DisassociateVPCFromHostedZoneCommand.ts @@ -160,4 +160,16 @@ export class DisassociateVPCFromHostedZoneCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateVPCFromHostedZoneCommand) .de(de_DisassociateVPCFromHostedZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateVPCFromHostedZoneRequest; + output: DisassociateVPCFromHostedZoneResponse; + }; + sdk: { + input: DisassociateVPCFromHostedZoneCommandInput; + output: DisassociateVPCFromHostedZoneCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/EnableHostedZoneDNSSECCommand.ts b/clients/client-route-53/src/commands/EnableHostedZoneDNSSECCommand.ts index 74f83dd909e8..79cc1c393709 100644 --- a/clients/client-route-53/src/commands/EnableHostedZoneDNSSECCommand.ts +++ b/clients/client-route-53/src/commands/EnableHostedZoneDNSSECCommand.ts @@ -115,4 +115,16 @@ export class EnableHostedZoneDNSSECCommand extends $Command .f(void 0, void 0) .ser(se_EnableHostedZoneDNSSECCommand) .de(de_EnableHostedZoneDNSSECCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableHostedZoneDNSSECRequest; + output: EnableHostedZoneDNSSECResponse; + }; + sdk: { + input: EnableHostedZoneDNSSECCommandInput; + output: EnableHostedZoneDNSSECCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetAccountLimitCommand.ts b/clients/client-route-53/src/commands/GetAccountLimitCommand.ts index 0cd9ff971b46..0941ad275d56 100644 --- a/clients/client-route-53/src/commands/GetAccountLimitCommand.ts +++ b/clients/client-route-53/src/commands/GetAccountLimitCommand.ts @@ -92,4 +92,16 @@ export class GetAccountLimitCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountLimitCommand) .de(de_GetAccountLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccountLimitRequest; + output: GetAccountLimitResponse; + }; + sdk: { + input: GetAccountLimitCommandInput; + output: GetAccountLimitCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetChangeCommand.ts b/clients/client-route-53/src/commands/GetChangeCommand.ts index 2b023e2f52af..9461576743d6 100644 --- a/clients/client-route-53/src/commands/GetChangeCommand.ts +++ b/clients/client-route-53/src/commands/GetChangeCommand.ts @@ -104,4 +104,16 @@ export class GetChangeCommand extends $Command .f(void 0, void 0) .ser(se_GetChangeCommand) .de(de_GetChangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChangeRequest; + output: GetChangeResponse; + }; + sdk: { + input: GetChangeCommandInput; + output: GetChangeCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetCheckerIpRangesCommand.ts b/clients/client-route-53/src/commands/GetCheckerIpRangesCommand.ts index 9772fdc42600..817ac60d379a 100644 --- a/clients/client-route-53/src/commands/GetCheckerIpRangesCommand.ts +++ b/clients/client-route-53/src/commands/GetCheckerIpRangesCommand.ts @@ -86,4 +86,16 @@ export class GetCheckerIpRangesCommand extends $Command .f(void 0, void 0) .ser(se_GetCheckerIpRangesCommand) .de(de_GetCheckerIpRangesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetCheckerIpRangesResponse; + }; + sdk: { + input: GetCheckerIpRangesCommandInput; + output: GetCheckerIpRangesCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetDNSSECCommand.ts b/clients/client-route-53/src/commands/GetDNSSECCommand.ts index 45e7a3bced93..16da0c26fab0 100644 --- a/clients/client-route-53/src/commands/GetDNSSECCommand.ts +++ b/clients/client-route-53/src/commands/GetDNSSECCommand.ts @@ -112,4 +112,16 @@ export class GetDNSSECCommand extends $Command .f(void 0, void 0) .ser(se_GetDNSSECCommand) .de(de_GetDNSSECCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDNSSECRequest; + output: GetDNSSECResponse; + }; + sdk: { + input: GetDNSSECCommandInput; + output: GetDNSSECCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetGeoLocationCommand.ts b/clients/client-route-53/src/commands/GetGeoLocationCommand.ts index 8162ce40f8e2..de5414a52d88 100644 --- a/clients/client-route-53/src/commands/GetGeoLocationCommand.ts +++ b/clients/client-route-53/src/commands/GetGeoLocationCommand.ts @@ -119,4 +119,16 @@ export class GetGeoLocationCommand extends $Command .f(void 0, void 0) .ser(se_GetGeoLocationCommand) .de(de_GetGeoLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGeoLocationRequest; + output: GetGeoLocationResponse; + }; + sdk: { + input: GetGeoLocationCommandInput; + output: GetGeoLocationCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetHealthCheckCommand.ts b/clients/client-route-53/src/commands/GetHealthCheckCommand.ts index cf933cd049d3..3db341fc3a31 100644 --- a/clients/client-route-53/src/commands/GetHealthCheckCommand.ts +++ b/clients/client-route-53/src/commands/GetHealthCheckCommand.ts @@ -137,4 +137,16 @@ export class GetHealthCheckCommand extends $Command .f(void 0, void 0) .ser(se_GetHealthCheckCommand) .de(de_GetHealthCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHealthCheckRequest; + output: GetHealthCheckResponse; + }; + sdk: { + input: GetHealthCheckCommandInput; + output: GetHealthCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetHealthCheckCountCommand.ts b/clients/client-route-53/src/commands/GetHealthCheckCountCommand.ts index 77427b0e51e3..48cc84d05ea3 100644 --- a/clients/client-route-53/src/commands/GetHealthCheckCountCommand.ts +++ b/clients/client-route-53/src/commands/GetHealthCheckCountCommand.ts @@ -75,4 +75,16 @@ export class GetHealthCheckCountCommand extends $Command .f(void 0, void 0) .ser(se_GetHealthCheckCountCommand) .de(de_GetHealthCheckCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetHealthCheckCountResponse; + }; + sdk: { + input: GetHealthCheckCountCommandInput; + output: GetHealthCheckCountCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetHealthCheckLastFailureReasonCommand.ts b/clients/client-route-53/src/commands/GetHealthCheckLastFailureReasonCommand.ts index 97072d181796..eda586f3c209 100644 --- a/clients/client-route-53/src/commands/GetHealthCheckLastFailureReasonCommand.ts +++ b/clients/client-route-53/src/commands/GetHealthCheckLastFailureReasonCommand.ts @@ -97,4 +97,16 @@ export class GetHealthCheckLastFailureReasonCommand extends $Command .f(void 0, void 0) .ser(se_GetHealthCheckLastFailureReasonCommand) .de(de_GetHealthCheckLastFailureReasonCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHealthCheckLastFailureReasonRequest; + output: GetHealthCheckLastFailureReasonResponse; + }; + sdk: { + input: GetHealthCheckLastFailureReasonCommandInput; + output: GetHealthCheckLastFailureReasonCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetHealthCheckStatusCommand.ts b/clients/client-route-53/src/commands/GetHealthCheckStatusCommand.ts index 20edec293156..1ee70426193b 100644 --- a/clients/client-route-53/src/commands/GetHealthCheckStatusCommand.ts +++ b/clients/client-route-53/src/commands/GetHealthCheckStatusCommand.ts @@ -97,4 +97,16 @@ export class GetHealthCheckStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetHealthCheckStatusCommand) .de(de_GetHealthCheckStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHealthCheckStatusRequest; + output: GetHealthCheckStatusResponse; + }; + sdk: { + input: GetHealthCheckStatusCommandInput; + output: GetHealthCheckStatusCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetHostedZoneCommand.ts b/clients/client-route-53/src/commands/GetHostedZoneCommand.ts index 68583bdc4a6d..d8b0d49f83f5 100644 --- a/clients/client-route-53/src/commands/GetHostedZoneCommand.ts +++ b/clients/client-route-53/src/commands/GetHostedZoneCommand.ts @@ -144,4 +144,16 @@ export class GetHostedZoneCommand extends $Command .f(void 0, void 0) .ser(se_GetHostedZoneCommand) .de(de_GetHostedZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHostedZoneRequest; + output: GetHostedZoneResponse; + }; + sdk: { + input: GetHostedZoneCommandInput; + output: GetHostedZoneCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetHostedZoneCountCommand.ts b/clients/client-route-53/src/commands/GetHostedZoneCountCommand.ts index 0c2908201124..cf49391d04bb 100644 --- a/clients/client-route-53/src/commands/GetHostedZoneCountCommand.ts +++ b/clients/client-route-53/src/commands/GetHostedZoneCountCommand.ts @@ -78,4 +78,16 @@ export class GetHostedZoneCountCommand extends $Command .f(void 0, void 0) .ser(se_GetHostedZoneCountCommand) .de(de_GetHostedZoneCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetHostedZoneCountResponse; + }; + sdk: { + input: GetHostedZoneCountCommandInput; + output: GetHostedZoneCountCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetHostedZoneLimitCommand.ts b/clients/client-route-53/src/commands/GetHostedZoneLimitCommand.ts index 1c54004fba69..fcc4895c47c7 100644 --- a/clients/client-route-53/src/commands/GetHostedZoneLimitCommand.ts +++ b/clients/client-route-53/src/commands/GetHostedZoneLimitCommand.ts @@ -97,4 +97,16 @@ export class GetHostedZoneLimitCommand extends $Command .f(void 0, void 0) .ser(se_GetHostedZoneLimitCommand) .de(de_GetHostedZoneLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetHostedZoneLimitRequest; + output: GetHostedZoneLimitResponse; + }; + sdk: { + input: GetHostedZoneLimitCommandInput; + output: GetHostedZoneLimitCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetQueryLoggingConfigCommand.ts b/clients/client-route-53/src/commands/GetQueryLoggingConfigCommand.ts index 48bb765ed81c..2d884aaad5a3 100644 --- a/clients/client-route-53/src/commands/GetQueryLoggingConfigCommand.ts +++ b/clients/client-route-53/src/commands/GetQueryLoggingConfigCommand.ts @@ -91,4 +91,16 @@ export class GetQueryLoggingConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetQueryLoggingConfigCommand) .de(de_GetQueryLoggingConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueryLoggingConfigRequest; + output: GetQueryLoggingConfigResponse; + }; + sdk: { + input: GetQueryLoggingConfigCommandInput; + output: GetQueryLoggingConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetReusableDelegationSetCommand.ts b/clients/client-route-53/src/commands/GetReusableDelegationSetCommand.ts index 79319b6b11b7..5f198b4c5329 100644 --- a/clients/client-route-53/src/commands/GetReusableDelegationSetCommand.ts +++ b/clients/client-route-53/src/commands/GetReusableDelegationSetCommand.ts @@ -95,4 +95,16 @@ export class GetReusableDelegationSetCommand extends $Command .f(void 0, void 0) .ser(se_GetReusableDelegationSetCommand) .de(de_GetReusableDelegationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReusableDelegationSetRequest; + output: GetReusableDelegationSetResponse; + }; + sdk: { + input: GetReusableDelegationSetCommandInput; + output: GetReusableDelegationSetCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetReusableDelegationSetLimitCommand.ts b/clients/client-route-53/src/commands/GetReusableDelegationSetLimitCommand.ts index a9f34a33c5a8..4c2b2772bbdb 100644 --- a/clients/client-route-53/src/commands/GetReusableDelegationSetLimitCommand.ts +++ b/clients/client-route-53/src/commands/GetReusableDelegationSetLimitCommand.ts @@ -99,4 +99,16 @@ export class GetReusableDelegationSetLimitCommand extends $Command .f(void 0, void 0) .ser(se_GetReusableDelegationSetLimitCommand) .de(de_GetReusableDelegationSetLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReusableDelegationSetLimitRequest; + output: GetReusableDelegationSetLimitResponse; + }; + sdk: { + input: GetReusableDelegationSetLimitCommandInput; + output: GetReusableDelegationSetLimitCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetTrafficPolicyCommand.ts b/clients/client-route-53/src/commands/GetTrafficPolicyCommand.ts index a6183bdf9e33..08168a15ce4a 100644 --- a/clients/client-route-53/src/commands/GetTrafficPolicyCommand.ts +++ b/clients/client-route-53/src/commands/GetTrafficPolicyCommand.ts @@ -95,4 +95,16 @@ export class GetTrafficPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetTrafficPolicyCommand) .de(de_GetTrafficPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrafficPolicyRequest; + output: GetTrafficPolicyResponse; + }; + sdk: { + input: GetTrafficPolicyCommandInput; + output: GetTrafficPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCommand.ts b/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCommand.ts index 54a6b5eb0216..d08fc8ecee37 100644 --- a/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCommand.ts +++ b/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCommand.ts @@ -106,4 +106,16 @@ export class GetTrafficPolicyInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetTrafficPolicyInstanceCommand) .de(de_GetTrafficPolicyInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrafficPolicyInstanceRequest; + output: GetTrafficPolicyInstanceResponse; + }; + sdk: { + input: GetTrafficPolicyInstanceCommandInput; + output: GetTrafficPolicyInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCountCommand.ts b/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCountCommand.ts index d7a4253cd339..2455f5a1c70f 100644 --- a/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCountCommand.ts +++ b/clients/client-route-53/src/commands/GetTrafficPolicyInstanceCountCommand.ts @@ -81,4 +81,16 @@ export class GetTrafficPolicyInstanceCountCommand extends $Command .f(void 0, void 0) .ser(se_GetTrafficPolicyInstanceCountCommand) .de(de_GetTrafficPolicyInstanceCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetTrafficPolicyInstanceCountResponse; + }; + sdk: { + input: GetTrafficPolicyInstanceCountCommandInput; + output: GetTrafficPolicyInstanceCountCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListCidrBlocksCommand.ts b/clients/client-route-53/src/commands/ListCidrBlocksCommand.ts index 5a61f052d193..3ec8a4094aac 100644 --- a/clients/client-route-53/src/commands/ListCidrBlocksCommand.ts +++ b/clients/client-route-53/src/commands/ListCidrBlocksCommand.ts @@ -95,4 +95,16 @@ export class ListCidrBlocksCommand extends $Command .f(void 0, void 0) .ser(se_ListCidrBlocksCommand) .de(de_ListCidrBlocksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCidrBlocksRequest; + output: ListCidrBlocksResponse; + }; + sdk: { + input: ListCidrBlocksCommandInput; + output: ListCidrBlocksCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListCidrCollectionsCommand.ts b/clients/client-route-53/src/commands/ListCidrCollectionsCommand.ts index f427b5799583..ba0b8d2b2a86 100644 --- a/clients/client-route-53/src/commands/ListCidrCollectionsCommand.ts +++ b/clients/client-route-53/src/commands/ListCidrCollectionsCommand.ts @@ -90,4 +90,16 @@ export class ListCidrCollectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListCidrCollectionsCommand) .de(de_ListCidrCollectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCidrCollectionsRequest; + output: ListCidrCollectionsResponse; + }; + sdk: { + input: ListCidrCollectionsCommandInput; + output: ListCidrCollectionsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListCidrLocationsCommand.ts b/clients/client-route-53/src/commands/ListCidrLocationsCommand.ts index 9db03b89f228..df5ca8807522 100644 --- a/clients/client-route-53/src/commands/ListCidrLocationsCommand.ts +++ b/clients/client-route-53/src/commands/ListCidrLocationsCommand.ts @@ -91,4 +91,16 @@ export class ListCidrLocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCidrLocationsCommand) .de(de_ListCidrLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCidrLocationsRequest; + output: ListCidrLocationsResponse; + }; + sdk: { + input: ListCidrLocationsCommandInput; + output: ListCidrLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListGeoLocationsCommand.ts b/clients/client-route-53/src/commands/ListGeoLocationsCommand.ts index 6c36a4832f48..042625950a67 100644 --- a/clients/client-route-53/src/commands/ListGeoLocationsCommand.ts +++ b/clients/client-route-53/src/commands/ListGeoLocationsCommand.ts @@ -105,4 +105,16 @@ export class ListGeoLocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListGeoLocationsCommand) .de(de_ListGeoLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGeoLocationsRequest; + output: ListGeoLocationsResponse; + }; + sdk: { + input: ListGeoLocationsCommandInput; + output: ListGeoLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListHealthChecksCommand.ts b/clients/client-route-53/src/commands/ListHealthChecksCommand.ts index 3141732bdc7f..95469ed4d2a8 100644 --- a/clients/client-route-53/src/commands/ListHealthChecksCommand.ts +++ b/clients/client-route-53/src/commands/ListHealthChecksCommand.ts @@ -141,4 +141,16 @@ export class ListHealthChecksCommand extends $Command .f(void 0, void 0) .ser(se_ListHealthChecksCommand) .de(de_ListHealthChecksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHealthChecksRequest; + output: ListHealthChecksResponse; + }; + sdk: { + input: ListHealthChecksCommandInput; + output: ListHealthChecksCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListHostedZonesByNameCommand.ts b/clients/client-route-53/src/commands/ListHostedZonesByNameCommand.ts index 2379df7384d2..3a0a29749267 100644 --- a/clients/client-route-53/src/commands/ListHostedZonesByNameCommand.ts +++ b/clients/client-route-53/src/commands/ListHostedZonesByNameCommand.ts @@ -163,4 +163,16 @@ export class ListHostedZonesByNameCommand extends $Command .f(void 0, void 0) .ser(se_ListHostedZonesByNameCommand) .de(de_ListHostedZonesByNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHostedZonesByNameRequest; + output: ListHostedZonesByNameResponse; + }; + sdk: { + input: ListHostedZonesByNameCommandInput; + output: ListHostedZonesByNameCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListHostedZonesByVPCCommand.ts b/clients/client-route-53/src/commands/ListHostedZonesByVPCCommand.ts index 1ef46116fc41..7af8004d2e6c 100644 --- a/clients/client-route-53/src/commands/ListHostedZonesByVPCCommand.ts +++ b/clients/client-route-53/src/commands/ListHostedZonesByVPCCommand.ts @@ -137,4 +137,16 @@ export class ListHostedZonesByVPCCommand extends $Command .f(void 0, void 0) .ser(se_ListHostedZonesByVPCCommand) .de(de_ListHostedZonesByVPCCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHostedZonesByVPCRequest; + output: ListHostedZonesByVPCResponse; + }; + sdk: { + input: ListHostedZonesByVPCCommandInput; + output: ListHostedZonesByVPCCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListHostedZonesCommand.ts b/clients/client-route-53/src/commands/ListHostedZonesCommand.ts index 4f1fdb37b72d..fba4658d5bad 100644 --- a/clients/client-route-53/src/commands/ListHostedZonesCommand.ts +++ b/clients/client-route-53/src/commands/ListHostedZonesCommand.ts @@ -115,4 +115,16 @@ export class ListHostedZonesCommand extends $Command .f(void 0, void 0) .ser(se_ListHostedZonesCommand) .de(de_ListHostedZonesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHostedZonesRequest; + output: ListHostedZonesResponse; + }; + sdk: { + input: ListHostedZonesCommandInput; + output: ListHostedZonesCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListQueryLoggingConfigsCommand.ts b/clients/client-route-53/src/commands/ListQueryLoggingConfigsCommand.ts index ad93c2f3507a..ce54c566d365 100644 --- a/clients/client-route-53/src/commands/ListQueryLoggingConfigsCommand.ts +++ b/clients/client-route-53/src/commands/ListQueryLoggingConfigsCommand.ts @@ -103,4 +103,16 @@ export class ListQueryLoggingConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListQueryLoggingConfigsCommand) .de(de_ListQueryLoggingConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueryLoggingConfigsRequest; + output: ListQueryLoggingConfigsResponse; + }; + sdk: { + input: ListQueryLoggingConfigsCommandInput; + output: ListQueryLoggingConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListResourceRecordSetsCommand.ts b/clients/client-route-53/src/commands/ListResourceRecordSetsCommand.ts index f8d17570faf5..2b19d87e09ae 100644 --- a/clients/client-route-53/src/commands/ListResourceRecordSetsCommand.ts +++ b/clients/client-route-53/src/commands/ListResourceRecordSetsCommand.ts @@ -205,4 +205,16 @@ export class ListResourceRecordSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceRecordSetsCommand) .de(de_ListResourceRecordSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceRecordSetsRequest; + output: ListResourceRecordSetsResponse; + }; + sdk: { + input: ListResourceRecordSetsCommandInput; + output: ListResourceRecordSetsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListReusableDelegationSetsCommand.ts b/clients/client-route-53/src/commands/ListReusableDelegationSetsCommand.ts index 77ec145ea335..e4e5c27f17f4 100644 --- a/clients/client-route-53/src/commands/ListReusableDelegationSetsCommand.ts +++ b/clients/client-route-53/src/commands/ListReusableDelegationSetsCommand.ts @@ -94,4 +94,16 @@ export class ListReusableDelegationSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListReusableDelegationSetsCommand) .de(de_ListReusableDelegationSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReusableDelegationSetsRequest; + output: ListReusableDelegationSetsResponse; + }; + sdk: { + input: ListReusableDelegationSetsCommandInput; + output: ListReusableDelegationSetsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListTagsForResourceCommand.ts b/clients/client-route-53/src/commands/ListTagsForResourceCommand.ts index 058c31170753..854e362fd7e0 100644 --- a/clients/client-route-53/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-route-53/src/commands/ListTagsForResourceCommand.ts @@ -108,4 +108,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListTagsForResourcesCommand.ts b/clients/client-route-53/src/commands/ListTagsForResourcesCommand.ts index 5fc92cdacc07..7b918d159b5a 100644 --- a/clients/client-route-53/src/commands/ListTagsForResourcesCommand.ts +++ b/clients/client-route-53/src/commands/ListTagsForResourcesCommand.ts @@ -112,4 +112,16 @@ export class ListTagsForResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourcesCommand) .de(de_ListTagsForResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourcesRequest; + output: ListTagsForResourcesResponse; + }; + sdk: { + input: ListTagsForResourcesCommandInput; + output: ListTagsForResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListTrafficPoliciesCommand.ts b/clients/client-route-53/src/commands/ListTrafficPoliciesCommand.ts index 8aa524669543..0411ecb17dc3 100644 --- a/clients/client-route-53/src/commands/ListTrafficPoliciesCommand.ts +++ b/clients/client-route-53/src/commands/ListTrafficPoliciesCommand.ts @@ -96,4 +96,16 @@ export class ListTrafficPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficPoliciesCommand) .de(de_ListTrafficPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficPoliciesRequest; + output: ListTrafficPoliciesResponse; + }; + sdk: { + input: ListTrafficPoliciesCommandInput; + output: ListTrafficPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByHostedZoneCommand.ts b/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByHostedZoneCommand.ts index 5dcd2c8d802c..bf2e7066a8da 100644 --- a/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByHostedZoneCommand.ts +++ b/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByHostedZoneCommand.ts @@ -127,4 +127,16 @@ export class ListTrafficPolicyInstancesByHostedZoneCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficPolicyInstancesByHostedZoneCommand) .de(de_ListTrafficPolicyInstancesByHostedZoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficPolicyInstancesByHostedZoneRequest; + output: ListTrafficPolicyInstancesByHostedZoneResponse; + }; + sdk: { + input: ListTrafficPolicyInstancesByHostedZoneCommandInput; + output: ListTrafficPolicyInstancesByHostedZoneCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByPolicyCommand.ts b/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByPolicyCommand.ts index 79931d15ed68..2ee62bc8b184 100644 --- a/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByPolicyCommand.ts +++ b/clients/client-route-53/src/commands/ListTrafficPolicyInstancesByPolicyCommand.ts @@ -127,4 +127,16 @@ export class ListTrafficPolicyInstancesByPolicyCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficPolicyInstancesByPolicyCommand) .de(de_ListTrafficPolicyInstancesByPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficPolicyInstancesByPolicyRequest; + output: ListTrafficPolicyInstancesByPolicyResponse; + }; + sdk: { + input: ListTrafficPolicyInstancesByPolicyCommandInput; + output: ListTrafficPolicyInstancesByPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListTrafficPolicyInstancesCommand.ts b/clients/client-route-53/src/commands/ListTrafficPolicyInstancesCommand.ts index 42ae83bf5246..338a3d187c15 100644 --- a/clients/client-route-53/src/commands/ListTrafficPolicyInstancesCommand.ts +++ b/clients/client-route-53/src/commands/ListTrafficPolicyInstancesCommand.ts @@ -113,4 +113,16 @@ export class ListTrafficPolicyInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficPolicyInstancesCommand) .de(de_ListTrafficPolicyInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficPolicyInstancesRequest; + output: ListTrafficPolicyInstancesResponse; + }; + sdk: { + input: ListTrafficPolicyInstancesCommandInput; + output: ListTrafficPolicyInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListTrafficPolicyVersionsCommand.ts b/clients/client-route-53/src/commands/ListTrafficPolicyVersionsCommand.ts index 081473fd9587..972a59a8794f 100644 --- a/clients/client-route-53/src/commands/ListTrafficPolicyVersionsCommand.ts +++ b/clients/client-route-53/src/commands/ListTrafficPolicyVersionsCommand.ts @@ -101,4 +101,16 @@ export class ListTrafficPolicyVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrafficPolicyVersionsCommand) .de(de_ListTrafficPolicyVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrafficPolicyVersionsRequest; + output: ListTrafficPolicyVersionsResponse; + }; + sdk: { + input: ListTrafficPolicyVersionsCommandInput; + output: ListTrafficPolicyVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/ListVPCAssociationAuthorizationsCommand.ts b/clients/client-route-53/src/commands/ListVPCAssociationAuthorizationsCommand.ts index 31e173db9cdf..e4f90e9c8e91 100644 --- a/clients/client-route-53/src/commands/ListVPCAssociationAuthorizationsCommand.ts +++ b/clients/client-route-53/src/commands/ListVPCAssociationAuthorizationsCommand.ts @@ -107,4 +107,16 @@ export class ListVPCAssociationAuthorizationsCommand extends $Command .f(void 0, void 0) .ser(se_ListVPCAssociationAuthorizationsCommand) .de(de_ListVPCAssociationAuthorizationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVPCAssociationAuthorizationsRequest; + output: ListVPCAssociationAuthorizationsResponse; + }; + sdk: { + input: ListVPCAssociationAuthorizationsCommandInput; + output: ListVPCAssociationAuthorizationsCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/TestDNSAnswerCommand.ts b/clients/client-route-53/src/commands/TestDNSAnswerCommand.ts index f6b180d2e2e2..99180d625b25 100644 --- a/clients/client-route-53/src/commands/TestDNSAnswerCommand.ts +++ b/clients/client-route-53/src/commands/TestDNSAnswerCommand.ts @@ -106,4 +106,16 @@ export class TestDNSAnswerCommand extends $Command .f(void 0, void 0) .ser(se_TestDNSAnswerCommand) .de(de_TestDNSAnswerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestDNSAnswerRequest; + output: TestDNSAnswerResponse; + }; + sdk: { + input: TestDNSAnswerCommandInput; + output: TestDNSAnswerCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/UpdateHealthCheckCommand.ts b/clients/client-route-53/src/commands/UpdateHealthCheckCommand.ts index 491d4b244791..94a79a6a008b 100644 --- a/clients/client-route-53/src/commands/UpdateHealthCheckCommand.ts +++ b/clients/client-route-53/src/commands/UpdateHealthCheckCommand.ts @@ -165,4 +165,16 @@ export class UpdateHealthCheckCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHealthCheckCommand) .de(de_UpdateHealthCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHealthCheckRequest; + output: UpdateHealthCheckResponse; + }; + sdk: { + input: UpdateHealthCheckCommandInput; + output: UpdateHealthCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/UpdateHostedZoneCommentCommand.ts b/clients/client-route-53/src/commands/UpdateHostedZoneCommentCommand.ts index fb38f36c950e..46d937d37442 100644 --- a/clients/client-route-53/src/commands/UpdateHostedZoneCommentCommand.ts +++ b/clients/client-route-53/src/commands/UpdateHostedZoneCommentCommand.ts @@ -106,4 +106,16 @@ export class UpdateHostedZoneCommentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHostedZoneCommentCommand) .de(de_UpdateHostedZoneCommentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHostedZoneCommentRequest; + output: UpdateHostedZoneCommentResponse; + }; + sdk: { + input: UpdateHostedZoneCommentCommandInput; + output: UpdateHostedZoneCommentCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/UpdateTrafficPolicyCommentCommand.ts b/clients/client-route-53/src/commands/UpdateTrafficPolicyCommentCommand.ts index 6600b341dc45..38c347ceb10e 100644 --- a/clients/client-route-53/src/commands/UpdateTrafficPolicyCommentCommand.ts +++ b/clients/client-route-53/src/commands/UpdateTrafficPolicyCommentCommand.ts @@ -98,4 +98,16 @@ export class UpdateTrafficPolicyCommentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrafficPolicyCommentCommand) .de(de_UpdateTrafficPolicyCommentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrafficPolicyCommentRequest; + output: UpdateTrafficPolicyCommentResponse; + }; + sdk: { + input: UpdateTrafficPolicyCommentCommandInput; + output: UpdateTrafficPolicyCommentCommandOutput; + }; + }; +} diff --git a/clients/client-route-53/src/commands/UpdateTrafficPolicyInstanceCommand.ts b/clients/client-route-53/src/commands/UpdateTrafficPolicyInstanceCommand.ts index ab1ce956ba3b..4bb01f98ae25 100644 --- a/clients/client-route-53/src/commands/UpdateTrafficPolicyInstanceCommand.ts +++ b/clients/client-route-53/src/commands/UpdateTrafficPolicyInstanceCommand.ts @@ -144,4 +144,16 @@ export class UpdateTrafficPolicyInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrafficPolicyInstanceCommand) .de(de_UpdateTrafficPolicyInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrafficPolicyInstanceRequest; + output: UpdateTrafficPolicyInstanceResponse; + }; + sdk: { + input: UpdateTrafficPolicyInstanceCommandInput; + output: UpdateTrafficPolicyInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-cluster/package.json b/clients/client-route53-recovery-cluster/package.json index 50216b947ded..a62dbd4652e3 100644 --- a/clients/client-route53-recovery-cluster/package.json +++ b/clients/client-route53-recovery-cluster/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-route53-recovery-cluster/src/commands/GetRoutingControlStateCommand.ts b/clients/client-route53-recovery-cluster/src/commands/GetRoutingControlStateCommand.ts index ac63db4c1a03..a5b0113d1f02 100644 --- a/clients/client-route53-recovery-cluster/src/commands/GetRoutingControlStateCommand.ts +++ b/clients/client-route53-recovery-cluster/src/commands/GetRoutingControlStateCommand.ts @@ -131,4 +131,16 @@ export class GetRoutingControlStateCommand extends $Command .f(void 0, void 0) .ser(se_GetRoutingControlStateCommand) .de(de_GetRoutingControlStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRoutingControlStateRequest; + output: GetRoutingControlStateResponse; + }; + sdk: { + input: GetRoutingControlStateCommandInput; + output: GetRoutingControlStateCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-cluster/src/commands/ListRoutingControlsCommand.ts b/clients/client-route53-recovery-cluster/src/commands/ListRoutingControlsCommand.ts index b0d62f324d61..f3d930a8a108 100644 --- a/clients/client-route53-recovery-cluster/src/commands/ListRoutingControlsCommand.ts +++ b/clients/client-route53-recovery-cluster/src/commands/ListRoutingControlsCommand.ts @@ -142,4 +142,16 @@ export class ListRoutingControlsCommand extends $Command .f(void 0, void 0) .ser(se_ListRoutingControlsCommand) .de(de_ListRoutingControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoutingControlsRequest; + output: ListRoutingControlsResponse; + }; + sdk: { + input: ListRoutingControlsCommandInput; + output: ListRoutingControlsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStateCommand.ts b/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStateCommand.ts index 201b79261fd0..917951f979c8 100644 --- a/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStateCommand.ts +++ b/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStateCommand.ts @@ -137,4 +137,16 @@ export class UpdateRoutingControlStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingControlStateCommand) .de(de_UpdateRoutingControlStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingControlStateRequest; + output: {}; + }; + sdk: { + input: UpdateRoutingControlStateCommandInput; + output: UpdateRoutingControlStateCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStatesCommand.ts b/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStatesCommand.ts index 3bf9e439c7af..f277c237b9d0 100644 --- a/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStatesCommand.ts +++ b/clients/client-route53-recovery-cluster/src/commands/UpdateRoutingControlStatesCommand.ts @@ -144,4 +144,16 @@ export class UpdateRoutingControlStatesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingControlStatesCommand) .de(de_UpdateRoutingControlStatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingControlStatesRequest; + output: {}; + }; + sdk: { + input: UpdateRoutingControlStatesCommandInput; + output: UpdateRoutingControlStatesCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/package.json b/clients/client-route53-recovery-control-config/package.json index ba30ee4972f1..b45748fed73d 100644 --- a/clients/client-route53-recovery-control-config/package.json +++ b/clients/client-route53-recovery-control-config/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-route53-recovery-control-config/src/commands/CreateClusterCommand.ts b/clients/client-route53-recovery-control-config/src/commands/CreateClusterCommand.ts index c2109a731056..7200aca39065 100644 --- a/clients/client-route53-recovery-control-config/src/commands/CreateClusterCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/CreateClusterCommand.ts @@ -117,4 +117,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/CreateControlPanelCommand.ts b/clients/client-route53-recovery-control-config/src/commands/CreateControlPanelCommand.ts index 827b04e50681..02bd24b17873 100644 --- a/clients/client-route53-recovery-control-config/src/commands/CreateControlPanelCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/CreateControlPanelCommand.ts @@ -115,4 +115,16 @@ export class CreateControlPanelCommand extends $Command .f(void 0, void 0) .ser(se_CreateControlPanelCommand) .de(de_CreateControlPanelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateControlPanelRequest; + output: CreateControlPanelResponse; + }; + sdk: { + input: CreateControlPanelCommandInput; + output: CreateControlPanelCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/CreateRoutingControlCommand.ts b/clients/client-route53-recovery-control-config/src/commands/CreateRoutingControlCommand.ts index fc968545d47a..21f365da59a0 100644 --- a/clients/client-route53-recovery-control-config/src/commands/CreateRoutingControlCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/CreateRoutingControlCommand.ts @@ -111,4 +111,16 @@ export class CreateRoutingControlCommand extends $Command .f(void 0, void 0) .ser(se_CreateRoutingControlCommand) .de(de_CreateRoutingControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRoutingControlRequest; + output: CreateRoutingControlResponse; + }; + sdk: { + input: CreateRoutingControlCommandInput; + output: CreateRoutingControlCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/CreateSafetyRuleCommand.ts b/clients/client-route53-recovery-control-config/src/commands/CreateSafetyRuleCommand.ts index c4997d692def..dee5f3443cb3 100644 --- a/clients/client-route53-recovery-control-config/src/commands/CreateSafetyRuleCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/CreateSafetyRuleCommand.ts @@ -153,4 +153,16 @@ export class CreateSafetyRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateSafetyRuleCommand) .de(de_CreateSafetyRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSafetyRuleRequest; + output: CreateSafetyRuleResponse; + }; + sdk: { + input: CreateSafetyRuleCommandInput; + output: CreateSafetyRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DeleteClusterCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DeleteClusterCommand.ts index f94181b31b01..3a7657b3c438 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DeleteClusterCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DeleteClusterCommand.ts @@ -97,4 +97,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: {}; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DeleteControlPanelCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DeleteControlPanelCommand.ts index 20487437932f..6b9fdd833ac0 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DeleteControlPanelCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DeleteControlPanelCommand.ts @@ -97,4 +97,16 @@ export class DeleteControlPanelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteControlPanelCommand) .de(de_DeleteControlPanelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteControlPanelRequest; + output: {}; + }; + sdk: { + input: DeleteControlPanelCommandInput; + output: DeleteControlPanelCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DeleteRoutingControlCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DeleteRoutingControlCommand.ts index dce90fc73bb7..dec0a9d150d9 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DeleteRoutingControlCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DeleteRoutingControlCommand.ts @@ -97,4 +97,16 @@ export class DeleteRoutingControlCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRoutingControlCommand) .de(de_DeleteRoutingControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRoutingControlRequest; + output: {}; + }; + sdk: { + input: DeleteRoutingControlCommandInput; + output: DeleteRoutingControlCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DeleteSafetyRuleCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DeleteSafetyRuleCommand.ts index 06fc556bebf2..d85d313436d5 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DeleteSafetyRuleCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DeleteSafetyRuleCommand.ts @@ -88,4 +88,16 @@ export class DeleteSafetyRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSafetyRuleCommand) .de(de_DeleteSafetyRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSafetyRuleRequest; + output: {}; + }; + sdk: { + input: DeleteSafetyRuleCommandInput; + output: DeleteSafetyRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DescribeClusterCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DescribeClusterCommand.ts index dfee3b0472a9..f0c06c2e5110 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DescribeClusterCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DescribeClusterCommand.ts @@ -110,4 +110,16 @@ export class DescribeClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterCommand) .de(de_DescribeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterRequest; + output: DescribeClusterResponse; + }; + sdk: { + input: DescribeClusterCommandInput; + output: DescribeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DescribeControlPanelCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DescribeControlPanelCommand.ts index 225b77026f96..fa6abf58872d 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DescribeControlPanelCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DescribeControlPanelCommand.ts @@ -107,4 +107,16 @@ export class DescribeControlPanelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeControlPanelCommand) .de(de_DescribeControlPanelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeControlPanelRequest; + output: DescribeControlPanelResponse; + }; + sdk: { + input: DescribeControlPanelCommandInput; + output: DescribeControlPanelCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DescribeRoutingControlCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DescribeRoutingControlCommand.ts index 568e283991df..88c17c90653e 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DescribeRoutingControlCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DescribeRoutingControlCommand.ts @@ -105,4 +105,16 @@ export class DescribeRoutingControlCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRoutingControlCommand) .de(de_DescribeRoutingControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRoutingControlRequest; + output: DescribeRoutingControlResponse; + }; + sdk: { + input: DescribeRoutingControlCommandInput; + output: DescribeRoutingControlCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/DescribeSafetyRuleCommand.ts b/clients/client-route53-recovery-control-config/src/commands/DescribeSafetyRuleCommand.ts index 69f715f5a717..1fe79a7764f0 100644 --- a/clients/client-route53-recovery-control-config/src/commands/DescribeSafetyRuleCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/DescribeSafetyRuleCommand.ts @@ -121,4 +121,16 @@ export class DescribeSafetyRuleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSafetyRuleCommand) .de(de_DescribeSafetyRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSafetyRuleRequest; + output: DescribeSafetyRuleResponse; + }; + sdk: { + input: DescribeSafetyRuleCommandInput; + output: DescribeSafetyRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/GetResourcePolicyCommand.ts b/clients/client-route53-recovery-control-config/src/commands/GetResourcePolicyCommand.ts index b84d5714ed71..e4692b36d71f 100644 --- a/clients/client-route53-recovery-control-config/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/GetResourcePolicyCommand.ts @@ -87,4 +87,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/ListAssociatedRoute53HealthChecksCommand.ts b/clients/client-route53-recovery-control-config/src/commands/ListAssociatedRoute53HealthChecksCommand.ts index da141c80dabf..1378e5ea275d 100644 --- a/clients/client-route53-recovery-control-config/src/commands/ListAssociatedRoute53HealthChecksCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/ListAssociatedRoute53HealthChecksCommand.ts @@ -103,4 +103,16 @@ export class ListAssociatedRoute53HealthChecksCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedRoute53HealthChecksCommand) .de(de_ListAssociatedRoute53HealthChecksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedRoute53HealthChecksRequest; + output: ListAssociatedRoute53HealthChecksResponse; + }; + sdk: { + input: ListAssociatedRoute53HealthChecksCommandInput; + output: ListAssociatedRoute53HealthChecksCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/ListClustersCommand.ts b/clients/client-route53-recovery-control-config/src/commands/ListClustersCommand.ts index ca502a87180d..4edfcabb04a4 100644 --- a/clients/client-route53-recovery-control-config/src/commands/ListClustersCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/ListClustersCommand.ts @@ -111,4 +111,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResponse; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/ListControlPanelsCommand.ts b/clients/client-route53-recovery-control-config/src/commands/ListControlPanelsCommand.ts index edb845b4a8e7..b47b8a069104 100644 --- a/clients/client-route53-recovery-control-config/src/commands/ListControlPanelsCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/ListControlPanelsCommand.ts @@ -109,4 +109,16 @@ export class ListControlPanelsCommand extends $Command .f(void 0, void 0) .ser(se_ListControlPanelsCommand) .de(de_ListControlPanelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListControlPanelsRequest; + output: ListControlPanelsResponse; + }; + sdk: { + input: ListControlPanelsCommandInput; + output: ListControlPanelsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/ListRoutingControlsCommand.ts b/clients/client-route53-recovery-control-config/src/commands/ListRoutingControlsCommand.ts index 0c8d02e75982..d3dbbe07a211 100644 --- a/clients/client-route53-recovery-control-config/src/commands/ListRoutingControlsCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/ListRoutingControlsCommand.ts @@ -107,4 +107,16 @@ export class ListRoutingControlsCommand extends $Command .f(void 0, void 0) .ser(se_ListRoutingControlsCommand) .de(de_ListRoutingControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRoutingControlsRequest; + output: ListRoutingControlsResponse; + }; + sdk: { + input: ListRoutingControlsCommandInput; + output: ListRoutingControlsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/ListSafetyRulesCommand.ts b/clients/client-route53-recovery-control-config/src/commands/ListSafetyRulesCommand.ts index eafc5fdcdbf0..4c32928fc667 100644 --- a/clients/client-route53-recovery-control-config/src/commands/ListSafetyRulesCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/ListSafetyRulesCommand.ts @@ -137,4 +137,16 @@ export class ListSafetyRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListSafetyRulesCommand) .de(de_ListSafetyRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSafetyRulesRequest; + output: ListSafetyRulesResponse; + }; + sdk: { + input: ListSafetyRulesCommandInput; + output: ListSafetyRulesCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/ListTagsForResourceCommand.ts b/clients/client-route53-recovery-control-config/src/commands/ListTagsForResourceCommand.ts index c18f57338018..c913633941ae 100644 --- a/clients/client-route53-recovery-control-config/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/TagResourceCommand.ts b/clients/client-route53-recovery-control-config/src/commands/TagResourceCommand.ts index 44d36d0e9f34..e11e2b2af39b 100644 --- a/clients/client-route53-recovery-control-config/src/commands/TagResourceCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/TagResourceCommand.ts @@ -91,4 +91,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/UntagResourceCommand.ts b/clients/client-route53-recovery-control-config/src/commands/UntagResourceCommand.ts index c51e6b775fd8..b1f35e376dd2 100644 --- a/clients/client-route53-recovery-control-config/src/commands/UntagResourceCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/UpdateControlPanelCommand.ts b/clients/client-route53-recovery-control-config/src/commands/UpdateControlPanelCommand.ts index 14b6a8692b28..75bbf7b1472b 100644 --- a/clients/client-route53-recovery-control-config/src/commands/UpdateControlPanelCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/UpdateControlPanelCommand.ts @@ -108,4 +108,16 @@ export class UpdateControlPanelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateControlPanelCommand) .de(de_UpdateControlPanelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateControlPanelRequest; + output: UpdateControlPanelResponse; + }; + sdk: { + input: UpdateControlPanelCommandInput; + output: UpdateControlPanelCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/UpdateRoutingControlCommand.ts b/clients/client-route53-recovery-control-config/src/commands/UpdateRoutingControlCommand.ts index 7f39c28c9408..9c9d7e70f96b 100644 --- a/clients/client-route53-recovery-control-config/src/commands/UpdateRoutingControlCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/UpdateRoutingControlCommand.ts @@ -106,4 +106,16 @@ export class UpdateRoutingControlCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRoutingControlCommand) .de(de_UpdateRoutingControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRoutingControlRequest; + output: UpdateRoutingControlResponse; + }; + sdk: { + input: UpdateRoutingControlCommandInput; + output: UpdateRoutingControlCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-control-config/src/commands/UpdateSafetyRuleCommand.ts b/clients/client-route53-recovery-control-config/src/commands/UpdateSafetyRuleCommand.ts index 1a25bce892e7..18bec0a32f96 100644 --- a/clients/client-route53-recovery-control-config/src/commands/UpdateSafetyRuleCommand.ts +++ b/clients/client-route53-recovery-control-config/src/commands/UpdateSafetyRuleCommand.ts @@ -133,4 +133,16 @@ export class UpdateSafetyRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSafetyRuleCommand) .de(de_UpdateSafetyRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSafetyRuleRequest; + output: UpdateSafetyRuleResponse; + }; + sdk: { + input: UpdateSafetyRuleCommandInput; + output: UpdateSafetyRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/package.json b/clients/client-route53-recovery-readiness/package.json index bb307883d038..33c3b188f4fd 100644 --- a/clients/client-route53-recovery-readiness/package.json +++ b/clients/client-route53-recovery-readiness/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-route53-recovery-readiness/src/commands/CreateCellCommand.ts b/clients/client-route53-recovery-readiness/src/commands/CreateCellCommand.ts index 1205696632e1..8b1f6f30d2bc 100644 --- a/clients/client-route53-recovery-readiness/src/commands/CreateCellCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/CreateCellCommand.ts @@ -112,4 +112,16 @@ export class CreateCellCommand extends $Command .f(void 0, void 0) .ser(se_CreateCellCommand) .de(de_CreateCellCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCellRequest; + output: CreateCellResponse; + }; + sdk: { + input: CreateCellCommandInput; + output: CreateCellCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/CreateCrossAccountAuthorizationCommand.ts b/clients/client-route53-recovery-readiness/src/commands/CreateCrossAccountAuthorizationCommand.ts index 1c5333618333..bfdd072cafe3 100644 --- a/clients/client-route53-recovery-readiness/src/commands/CreateCrossAccountAuthorizationCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/CreateCrossAccountAuthorizationCommand.ts @@ -101,4 +101,16 @@ export class CreateCrossAccountAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_CreateCrossAccountAuthorizationCommand) .de(de_CreateCrossAccountAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCrossAccountAuthorizationRequest; + output: CreateCrossAccountAuthorizationResponse; + }; + sdk: { + input: CreateCrossAccountAuthorizationCommandInput; + output: CreateCrossAccountAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/CreateReadinessCheckCommand.ts b/clients/client-route53-recovery-readiness/src/commands/CreateReadinessCheckCommand.ts index 6ce45de1ab61..6655c9c24663 100644 --- a/clients/client-route53-recovery-readiness/src/commands/CreateReadinessCheckCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/CreateReadinessCheckCommand.ts @@ -105,4 +105,16 @@ export class CreateReadinessCheckCommand extends $Command .f(void 0, void 0) .ser(se_CreateReadinessCheckCommand) .de(de_CreateReadinessCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReadinessCheckRequest; + output: CreateReadinessCheckResponse; + }; + sdk: { + input: CreateReadinessCheckCommandInput; + output: CreateReadinessCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/CreateRecoveryGroupCommand.ts b/clients/client-route53-recovery-readiness/src/commands/CreateRecoveryGroupCommand.ts index 1b19ab3acd6b..9d69a9106785 100644 --- a/clients/client-route53-recovery-readiness/src/commands/CreateRecoveryGroupCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/CreateRecoveryGroupCommand.ts @@ -109,4 +109,16 @@ export class CreateRecoveryGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateRecoveryGroupCommand) .de(de_CreateRecoveryGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRecoveryGroupRequest; + output: CreateRecoveryGroupResponse; + }; + sdk: { + input: CreateRecoveryGroupCommandInput; + output: CreateRecoveryGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/CreateResourceSetCommand.ts b/clients/client-route53-recovery-readiness/src/commands/CreateResourceSetCommand.ts index 0cf4b39d8b90..bbba4a22571c 100644 --- a/clients/client-route53-recovery-readiness/src/commands/CreateResourceSetCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/CreateResourceSetCommand.ts @@ -153,4 +153,16 @@ export class CreateResourceSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceSetCommand) .de(de_CreateResourceSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceSetRequest; + output: CreateResourceSetResponse; + }; + sdk: { + input: CreateResourceSetCommandInput; + output: CreateResourceSetCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/DeleteCellCommand.ts b/clients/client-route53-recovery-readiness/src/commands/DeleteCellCommand.ts index 0d0a28ec60fd..00d80c9f0323 100644 --- a/clients/client-route53-recovery-readiness/src/commands/DeleteCellCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/DeleteCellCommand.ts @@ -94,4 +94,16 @@ export class DeleteCellCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCellCommand) .de(de_DeleteCellCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCellRequest; + output: {}; + }; + sdk: { + input: DeleteCellCommandInput; + output: DeleteCellCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/DeleteCrossAccountAuthorizationCommand.ts b/clients/client-route53-recovery-readiness/src/commands/DeleteCrossAccountAuthorizationCommand.ts index 0b307c86addf..467a28cbe12c 100644 --- a/clients/client-route53-recovery-readiness/src/commands/DeleteCrossAccountAuthorizationCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/DeleteCrossAccountAuthorizationCommand.ts @@ -96,4 +96,16 @@ export class DeleteCrossAccountAuthorizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCrossAccountAuthorizationCommand) .de(de_DeleteCrossAccountAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCrossAccountAuthorizationRequest; + output: {}; + }; + sdk: { + input: DeleteCrossAccountAuthorizationCommandInput; + output: DeleteCrossAccountAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/DeleteReadinessCheckCommand.ts b/clients/client-route53-recovery-readiness/src/commands/DeleteReadinessCheckCommand.ts index c47c3e3fa0da..205a9a3f944b 100644 --- a/clients/client-route53-recovery-readiness/src/commands/DeleteReadinessCheckCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/DeleteReadinessCheckCommand.ts @@ -94,4 +94,16 @@ export class DeleteReadinessCheckCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReadinessCheckCommand) .de(de_DeleteReadinessCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReadinessCheckRequest; + output: {}; + }; + sdk: { + input: DeleteReadinessCheckCommandInput; + output: DeleteReadinessCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/DeleteRecoveryGroupCommand.ts b/clients/client-route53-recovery-readiness/src/commands/DeleteRecoveryGroupCommand.ts index 9d32572f3e34..ba1dcb0ac6b3 100644 --- a/clients/client-route53-recovery-readiness/src/commands/DeleteRecoveryGroupCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/DeleteRecoveryGroupCommand.ts @@ -94,4 +94,16 @@ export class DeleteRecoveryGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecoveryGroupCommand) .de(de_DeleteRecoveryGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecoveryGroupRequest; + output: {}; + }; + sdk: { + input: DeleteRecoveryGroupCommandInput; + output: DeleteRecoveryGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/DeleteResourceSetCommand.ts b/clients/client-route53-recovery-readiness/src/commands/DeleteResourceSetCommand.ts index bb1d13482412..3f8fc3b72853 100644 --- a/clients/client-route53-recovery-readiness/src/commands/DeleteResourceSetCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/DeleteResourceSetCommand.ts @@ -94,4 +94,16 @@ export class DeleteResourceSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceSetCommand) .de(de_DeleteResourceSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceSetRequest; + output: {}; + }; + sdk: { + input: DeleteResourceSetCommandInput; + output: DeleteResourceSetCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetArchitectureRecommendationsCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetArchitectureRecommendationsCommand.ts index 4af0a9f2aa95..f7bcb2d6de77 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetArchitectureRecommendationsCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetArchitectureRecommendationsCommand.ts @@ -109,4 +109,16 @@ export class GetArchitectureRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_GetArchitectureRecommendationsCommand) .de(de_GetArchitectureRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetArchitectureRecommendationsRequest; + output: GetArchitectureRecommendationsResponse; + }; + sdk: { + input: GetArchitectureRecommendationsCommandInput; + output: GetArchitectureRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetCellCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetCellCommand.ts index 12c90eacc738..4e20580c503b 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetCellCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetCellCommand.ts @@ -106,4 +106,16 @@ export class GetCellCommand extends $Command .f(void 0, void 0) .ser(se_GetCellCommand) .de(de_GetCellCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCellRequest; + output: GetCellResponse; + }; + sdk: { + input: GetCellCommandInput; + output: GetCellCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetCellReadinessSummaryCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetCellReadinessSummaryCommand.ts index 9fbfd8ac1b34..c72920328260 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetCellReadinessSummaryCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetCellReadinessSummaryCommand.ts @@ -105,4 +105,16 @@ export class GetCellReadinessSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetCellReadinessSummaryCommand) .de(de_GetCellReadinessSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCellReadinessSummaryRequest; + output: GetCellReadinessSummaryResponse; + }; + sdk: { + input: GetCellReadinessSummaryCommandInput; + output: GetCellReadinessSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckCommand.ts index c3080d0efaf5..7a2ff2568154 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckCommand.ts @@ -101,4 +101,16 @@ export class GetReadinessCheckCommand extends $Command .f(void 0, void 0) .ser(se_GetReadinessCheckCommand) .de(de_GetReadinessCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadinessCheckRequest; + output: GetReadinessCheckResponse; + }; + sdk: { + input: GetReadinessCheckCommandInput; + output: GetReadinessCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckResourceStatusCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckResourceStatusCommand.ts index dbbb0607a2f5..3ecb2ac8f189 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckResourceStatusCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckResourceStatusCommand.ts @@ -117,4 +117,16 @@ export class GetReadinessCheckResourceStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetReadinessCheckResourceStatusCommand) .de(de_GetReadinessCheckResourceStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadinessCheckResourceStatusRequest; + output: GetReadinessCheckResourceStatusResponse; + }; + sdk: { + input: GetReadinessCheckResourceStatusCommandInput; + output: GetReadinessCheckResourceStatusCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckStatusCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckStatusCommand.ts index ed95d4a6142c..51cc4d2eda2e 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckStatusCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetReadinessCheckStatusCommand.ts @@ -112,4 +112,16 @@ export class GetReadinessCheckStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetReadinessCheckStatusCommand) .de(de_GetReadinessCheckStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReadinessCheckStatusRequest; + output: GetReadinessCheckStatusResponse; + }; + sdk: { + input: GetReadinessCheckStatusCommandInput; + output: GetReadinessCheckStatusCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupCommand.ts index e76e8520e022..cf417716956c 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupCommand.ts @@ -103,4 +103,16 @@ export class GetRecoveryGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetRecoveryGroupCommand) .de(de_GetRecoveryGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecoveryGroupRequest; + output: GetRecoveryGroupResponse; + }; + sdk: { + input: GetRecoveryGroupCommandInput; + output: GetRecoveryGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupReadinessSummaryCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupReadinessSummaryCommand.ts index 6af1a0e05a3f..9cc990c42300 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupReadinessSummaryCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetRecoveryGroupReadinessSummaryCommand.ts @@ -110,4 +110,16 @@ export class GetRecoveryGroupReadinessSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetRecoveryGroupReadinessSummaryCommand) .de(de_GetRecoveryGroupReadinessSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecoveryGroupReadinessSummaryRequest; + output: GetRecoveryGroupReadinessSummaryResponse; + }; + sdk: { + input: GetRecoveryGroupReadinessSummaryCommandInput; + output: GetRecoveryGroupReadinessSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/GetResourceSetCommand.ts b/clients/client-route53-recovery-readiness/src/commands/GetResourceSetCommand.ts index 57b665b99a90..68d76373a851 100644 --- a/clients/client-route53-recovery-readiness/src/commands/GetResourceSetCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/GetResourceSetCommand.ts @@ -125,4 +125,16 @@ export class GetResourceSetCommand extends $Command .f(void 0, void 0) .ser(se_GetResourceSetCommand) .de(de_GetResourceSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourceSetRequest; + output: GetResourceSetResponse; + }; + sdk: { + input: GetResourceSetCommandInput; + output: GetResourceSetCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/ListCellsCommand.ts b/clients/client-route53-recovery-readiness/src/commands/ListCellsCommand.ts index a8d999a27267..bf5f1f86c692 100644 --- a/clients/client-route53-recovery-readiness/src/commands/ListCellsCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/ListCellsCommand.ts @@ -109,4 +109,16 @@ export class ListCellsCommand extends $Command .f(void 0, void 0) .ser(se_ListCellsCommand) .de(de_ListCellsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCellsRequest; + output: ListCellsResponse; + }; + sdk: { + input: ListCellsCommandInput; + output: ListCellsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/ListCrossAccountAuthorizationsCommand.ts b/clients/client-route53-recovery-readiness/src/commands/ListCrossAccountAuthorizationsCommand.ts index 64ffa2b15fb8..6e3f72df41e1 100644 --- a/clients/client-route53-recovery-readiness/src/commands/ListCrossAccountAuthorizationsCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/ListCrossAccountAuthorizationsCommand.ts @@ -102,4 +102,16 @@ export class ListCrossAccountAuthorizationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCrossAccountAuthorizationsCommand) .de(de_ListCrossAccountAuthorizationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCrossAccountAuthorizationsRequest; + output: ListCrossAccountAuthorizationsResponse; + }; + sdk: { + input: ListCrossAccountAuthorizationsCommandInput; + output: ListCrossAccountAuthorizationsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/ListReadinessChecksCommand.ts b/clients/client-route53-recovery-readiness/src/commands/ListReadinessChecksCommand.ts index bb489a12c275..41e33e392b39 100644 --- a/clients/client-route53-recovery-readiness/src/commands/ListReadinessChecksCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/ListReadinessChecksCommand.ts @@ -104,4 +104,16 @@ export class ListReadinessChecksCommand extends $Command .f(void 0, void 0) .ser(se_ListReadinessChecksCommand) .de(de_ListReadinessChecksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReadinessChecksRequest; + output: ListReadinessChecksResponse; + }; + sdk: { + input: ListReadinessChecksCommandInput; + output: ListReadinessChecksCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/ListRecoveryGroupsCommand.ts b/clients/client-route53-recovery-readiness/src/commands/ListRecoveryGroupsCommand.ts index d23d03f3a5dc..85f24d5b2eeb 100644 --- a/clients/client-route53-recovery-readiness/src/commands/ListRecoveryGroupsCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/ListRecoveryGroupsCommand.ts @@ -106,4 +106,16 @@ export class ListRecoveryGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecoveryGroupsCommand) .de(de_ListRecoveryGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecoveryGroupsRequest; + output: ListRecoveryGroupsResponse; + }; + sdk: { + input: ListRecoveryGroupsCommandInput; + output: ListRecoveryGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/ListResourceSetsCommand.ts b/clients/client-route53-recovery-readiness/src/commands/ListResourceSetsCommand.ts index 62d9abfd8d92..5db662e1d5b3 100644 --- a/clients/client-route53-recovery-readiness/src/commands/ListResourceSetsCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/ListResourceSetsCommand.ts @@ -128,4 +128,16 @@ export class ListResourceSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceSetsCommand) .de(de_ListResourceSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceSetsRequest; + output: ListResourceSetsResponse; + }; + sdk: { + input: ListResourceSetsCommandInput; + output: ListResourceSetsCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/ListRulesCommand.ts b/clients/client-route53-recovery-readiness/src/commands/ListRulesCommand.ts index 2ea77519c56b..4075a975aea0 100644 --- a/clients/client-route53-recovery-readiness/src/commands/ListRulesCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/ListRulesCommand.ts @@ -102,4 +102,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/ListTagsForResourcesCommand.ts b/clients/client-route53-recovery-readiness/src/commands/ListTagsForResourcesCommand.ts index 8b1d21ae637d..02dd66b1ba67 100644 --- a/clients/client-route53-recovery-readiness/src/commands/ListTagsForResourcesCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/ListTagsForResourcesCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourcesCommand) .de(de_ListTagsForResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourcesRequest; + output: ListTagsForResourcesResponse; + }; + sdk: { + input: ListTagsForResourcesCommandInput; + output: ListTagsForResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/TagResourceCommand.ts b/clients/client-route53-recovery-readiness/src/commands/TagResourceCommand.ts index 213d1556c970..7937214fad25 100644 --- a/clients/client-route53-recovery-readiness/src/commands/TagResourceCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/TagResourceCommand.ts @@ -91,4 +91,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/UntagResourceCommand.ts b/clients/client-route53-recovery-readiness/src/commands/UntagResourceCommand.ts index 3a1b20a0c760..0cbde83f277c 100644 --- a/clients/client-route53-recovery-readiness/src/commands/UntagResourceCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/UpdateCellCommand.ts b/clients/client-route53-recovery-readiness/src/commands/UpdateCellCommand.ts index 13075137db64..5f95d872caf9 100644 --- a/clients/client-route53-recovery-readiness/src/commands/UpdateCellCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/UpdateCellCommand.ts @@ -109,4 +109,16 @@ export class UpdateCellCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCellCommand) .de(de_UpdateCellCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCellRequest; + output: UpdateCellResponse; + }; + sdk: { + input: UpdateCellCommandInput; + output: UpdateCellCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/UpdateReadinessCheckCommand.ts b/clients/client-route53-recovery-readiness/src/commands/UpdateReadinessCheckCommand.ts index 9868bd5906f0..14208701ea4a 100644 --- a/clients/client-route53-recovery-readiness/src/commands/UpdateReadinessCheckCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/UpdateReadinessCheckCommand.ts @@ -102,4 +102,16 @@ export class UpdateReadinessCheckCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReadinessCheckCommand) .de(de_UpdateReadinessCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReadinessCheckRequest; + output: UpdateReadinessCheckResponse; + }; + sdk: { + input: UpdateReadinessCheckCommandInput; + output: UpdateReadinessCheckCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/UpdateRecoveryGroupCommand.ts b/clients/client-route53-recovery-readiness/src/commands/UpdateRecoveryGroupCommand.ts index 35ceb6c6bc2f..9675cbfa7e64 100644 --- a/clients/client-route53-recovery-readiness/src/commands/UpdateRecoveryGroupCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/UpdateRecoveryGroupCommand.ts @@ -106,4 +106,16 @@ export class UpdateRecoveryGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRecoveryGroupCommand) .de(de_UpdateRecoveryGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecoveryGroupRequest; + output: UpdateRecoveryGroupResponse; + }; + sdk: { + input: UpdateRecoveryGroupCommandInput; + output: UpdateRecoveryGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53-recovery-readiness/src/commands/UpdateResourceSetCommand.ts b/clients/client-route53-recovery-readiness/src/commands/UpdateResourceSetCommand.ts index b07ac12a6b20..fca9688e85ad 100644 --- a/clients/client-route53-recovery-readiness/src/commands/UpdateResourceSetCommand.ts +++ b/clients/client-route53-recovery-readiness/src/commands/UpdateResourceSetCommand.ts @@ -150,4 +150,16 @@ export class UpdateResourceSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceSetCommand) .de(de_UpdateResourceSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceSetRequest; + output: UpdateResourceSetResponse; + }; + sdk: { + input: UpdateResourceSetCommandInput; + output: UpdateResourceSetCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/package.json b/clients/client-route53profiles/package.json index 046f03b90360..99528b5845d8 100644 --- a/clients/client-route53profiles/package.json +++ b/clients/client-route53profiles/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-route53profiles/src/commands/AssociateProfileCommand.ts b/clients/client-route53profiles/src/commands/AssociateProfileCommand.ts index 574340084c92..c221e432d7b5 100644 --- a/clients/client-route53profiles/src/commands/AssociateProfileCommand.ts +++ b/clients/client-route53profiles/src/commands/AssociateProfileCommand.ts @@ -138,4 +138,16 @@ export class AssociateProfileCommand extends $Command .f(void 0, void 0) .ser(se_AssociateProfileCommand) .de(de_AssociateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateProfileRequest; + output: AssociateProfileResponse; + }; + sdk: { + input: AssociateProfileCommandInput; + output: AssociateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/AssociateResourceToProfileCommand.ts b/clients/client-route53profiles/src/commands/AssociateResourceToProfileCommand.ts index a823a9e05837..876c14b68a8a 100644 --- a/clients/client-route53profiles/src/commands/AssociateResourceToProfileCommand.ts +++ b/clients/client-route53profiles/src/commands/AssociateResourceToProfileCommand.ts @@ -134,4 +134,16 @@ export class AssociateResourceToProfileCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResourceToProfileCommand) .de(de_AssociateResourceToProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResourceToProfileRequest; + output: AssociateResourceToProfileResponse; + }; + sdk: { + input: AssociateResourceToProfileCommandInput; + output: AssociateResourceToProfileCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/CreateProfileCommand.ts b/clients/client-route53profiles/src/commands/CreateProfileCommand.ts index 37d026022925..74f4ff52f57d 100644 --- a/clients/client-route53profiles/src/commands/CreateProfileCommand.ts +++ b/clients/client-route53profiles/src/commands/CreateProfileCommand.ts @@ -122,4 +122,16 @@ export class CreateProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateProfileCommand) .de(de_CreateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileRequest; + output: CreateProfileResponse; + }; + sdk: { + input: CreateProfileCommandInput; + output: CreateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/DeleteProfileCommand.ts b/clients/client-route53profiles/src/commands/DeleteProfileCommand.ts index 07ba62e9e238..1f4bd8ffe104 100644 --- a/clients/client-route53profiles/src/commands/DeleteProfileCommand.ts +++ b/clients/client-route53profiles/src/commands/DeleteProfileCommand.ts @@ -115,4 +115,16 @@ export class DeleteProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileCommand) .de(de_DeleteProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileRequest; + output: DeleteProfileResponse; + }; + sdk: { + input: DeleteProfileCommandInput; + output: DeleteProfileCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/DisassociateProfileCommand.ts b/clients/client-route53profiles/src/commands/DisassociateProfileCommand.ts index 36e03715051e..8bf279823d36 100644 --- a/clients/client-route53profiles/src/commands/DisassociateProfileCommand.ts +++ b/clients/client-route53profiles/src/commands/DisassociateProfileCommand.ts @@ -120,4 +120,16 @@ export class DisassociateProfileCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateProfileCommand) .de(de_DisassociateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateProfileRequest; + output: DisassociateProfileResponse; + }; + sdk: { + input: DisassociateProfileCommandInput; + output: DisassociateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/DisassociateResourceFromProfileCommand.ts b/clients/client-route53profiles/src/commands/DisassociateResourceFromProfileCommand.ts index 814c240631d9..b3910ace1d13 100644 --- a/clients/client-route53profiles/src/commands/DisassociateResourceFromProfileCommand.ts +++ b/clients/client-route53profiles/src/commands/DisassociateResourceFromProfileCommand.ts @@ -137,4 +137,16 @@ export class DisassociateResourceFromProfileCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResourceFromProfileCommand) .de(de_DisassociateResourceFromProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResourceFromProfileRequest; + output: DisassociateResourceFromProfileResponse; + }; + sdk: { + input: DisassociateResourceFromProfileCommandInput; + output: DisassociateResourceFromProfileCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/GetProfileAssociationCommand.ts b/clients/client-route53profiles/src/commands/GetProfileAssociationCommand.ts index 7245e76ae92c..3bbdb7da5f82 100644 --- a/clients/client-route53profiles/src/commands/GetProfileAssociationCommand.ts +++ b/clients/client-route53profiles/src/commands/GetProfileAssociationCommand.ts @@ -109,4 +109,16 @@ export class GetProfileAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetProfileAssociationCommand) .de(de_GetProfileAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileAssociationRequest; + output: GetProfileAssociationResponse; + }; + sdk: { + input: GetProfileAssociationCommandInput; + output: GetProfileAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/GetProfileCommand.ts b/clients/client-route53profiles/src/commands/GetProfileCommand.ts index e385369e4a10..d35669cde062 100644 --- a/clients/client-route53profiles/src/commands/GetProfileCommand.ts +++ b/clients/client-route53profiles/src/commands/GetProfileCommand.ts @@ -110,4 +110,16 @@ export class GetProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetProfileCommand) .de(de_GetProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileRequest; + output: GetProfileResponse; + }; + sdk: { + input: GetProfileCommandInput; + output: GetProfileCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/GetProfileResourceAssociationCommand.ts b/clients/client-route53profiles/src/commands/GetProfileResourceAssociationCommand.ts index 93dff08e073f..269de7046c44 100644 --- a/clients/client-route53profiles/src/commands/GetProfileResourceAssociationCommand.ts +++ b/clients/client-route53profiles/src/commands/GetProfileResourceAssociationCommand.ts @@ -121,4 +121,16 @@ export class GetProfileResourceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetProfileResourceAssociationCommand) .de(de_GetProfileResourceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileResourceAssociationRequest; + output: GetProfileResourceAssociationResponse; + }; + sdk: { + input: GetProfileResourceAssociationCommandInput; + output: GetProfileResourceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/ListProfileAssociationsCommand.ts b/clients/client-route53profiles/src/commands/ListProfileAssociationsCommand.ts index 657376a8b56f..4579fd5148c2 100644 --- a/clients/client-route53profiles/src/commands/ListProfileAssociationsCommand.ts +++ b/clients/client-route53profiles/src/commands/ListProfileAssociationsCommand.ts @@ -120,4 +120,16 @@ export class ListProfileAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListProfileAssociationsCommand) .de(de_ListProfileAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileAssociationsRequest; + output: ListProfileAssociationsResponse; + }; + sdk: { + input: ListProfileAssociationsCommandInput; + output: ListProfileAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/ListProfileResourceAssociationsCommand.ts b/clients/client-route53profiles/src/commands/ListProfileResourceAssociationsCommand.ts index 4e2a50dbf5e1..546c25cd4e1c 100644 --- a/clients/client-route53profiles/src/commands/ListProfileResourceAssociationsCommand.ts +++ b/clients/client-route53profiles/src/commands/ListProfileResourceAssociationsCommand.ts @@ -137,4 +137,16 @@ export class ListProfileResourceAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListProfileResourceAssociationsCommand) .de(de_ListProfileResourceAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileResourceAssociationsRequest; + output: ListProfileResourceAssociationsResponse; + }; + sdk: { + input: ListProfileResourceAssociationsCommandInput; + output: ListProfileResourceAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/ListProfilesCommand.ts b/clients/client-route53profiles/src/commands/ListProfilesCommand.ts index 365bd4696f37..23207d9d37e9 100644 --- a/clients/client-route53profiles/src/commands/ListProfilesCommand.ts +++ b/clients/client-route53profiles/src/commands/ListProfilesCommand.ts @@ -113,4 +113,16 @@ export class ListProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfilesCommand) .de(de_ListProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfilesRequest; + output: ListProfilesResponse; + }; + sdk: { + input: ListProfilesCommandInput; + output: ListProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/ListTagsForResourceCommand.ts b/clients/client-route53profiles/src/commands/ListTagsForResourceCommand.ts index 4fec4e4f7ba8..fb3a22a2fd14 100644 --- a/clients/client-route53profiles/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-route53profiles/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/TagResourceCommand.ts b/clients/client-route53profiles/src/commands/TagResourceCommand.ts index 8ff831450984..7b4ce1e4e3b0 100644 --- a/clients/client-route53profiles/src/commands/TagResourceCommand.ts +++ b/clients/client-route53profiles/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/UntagResourceCommand.ts b/clients/client-route53profiles/src/commands/UntagResourceCommand.ts index ed2610c83996..a7d7a03b1e2f 100644 --- a/clients/client-route53profiles/src/commands/UntagResourceCommand.ts +++ b/clients/client-route53profiles/src/commands/UntagResourceCommand.ts @@ -105,4 +105,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53profiles/src/commands/UpdateProfileResourceAssociationCommand.ts b/clients/client-route53profiles/src/commands/UpdateProfileResourceAssociationCommand.ts index fcc404670dfd..a5b9dc7ba90d 100644 --- a/clients/client-route53profiles/src/commands/UpdateProfileResourceAssociationCommand.ts +++ b/clients/client-route53profiles/src/commands/UpdateProfileResourceAssociationCommand.ts @@ -138,4 +138,16 @@ export class UpdateProfileResourceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProfileResourceAssociationCommand) .de(de_UpdateProfileResourceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfileResourceAssociationRequest; + output: UpdateProfileResourceAssociationResponse; + }; + sdk: { + input: UpdateProfileResourceAssociationCommandInput; + output: UpdateProfileResourceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/package.json b/clients/client-route53resolver/package.json index 4bb0ec5dfa01..f6accd8cb7a2 100644 --- a/clients/client-route53resolver/package.json +++ b/clients/client-route53resolver/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-route53resolver/src/commands/AssociateFirewallRuleGroupCommand.ts b/clients/client-route53resolver/src/commands/AssociateFirewallRuleGroupCommand.ts index cc1480f3cb79..39881c33545a 100644 --- a/clients/client-route53resolver/src/commands/AssociateFirewallRuleGroupCommand.ts +++ b/clients/client-route53resolver/src/commands/AssociateFirewallRuleGroupCommand.ts @@ -128,4 +128,16 @@ export class AssociateFirewallRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_AssociateFirewallRuleGroupCommand) .de(de_AssociateFirewallRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFirewallRuleGroupRequest; + output: AssociateFirewallRuleGroupResponse; + }; + sdk: { + input: AssociateFirewallRuleGroupCommandInput; + output: AssociateFirewallRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/AssociateResolverEndpointIpAddressCommand.ts b/clients/client-route53resolver/src/commands/AssociateResolverEndpointIpAddressCommand.ts index 612671dd6736..62c7ff858e7a 100644 --- a/clients/client-route53resolver/src/commands/AssociateResolverEndpointIpAddressCommand.ts +++ b/clients/client-route53resolver/src/commands/AssociateResolverEndpointIpAddressCommand.ts @@ -137,4 +137,16 @@ export class AssociateResolverEndpointIpAddressCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResolverEndpointIpAddressCommand) .de(de_AssociateResolverEndpointIpAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResolverEndpointIpAddressRequest; + output: AssociateResolverEndpointIpAddressResponse; + }; + sdk: { + input: AssociateResolverEndpointIpAddressCommandInput; + output: AssociateResolverEndpointIpAddressCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/AssociateResolverQueryLogConfigCommand.ts b/clients/client-route53resolver/src/commands/AssociateResolverQueryLogConfigCommand.ts index 5c8b8be2b402..d3336f2498c6 100644 --- a/clients/client-route53resolver/src/commands/AssociateResolverQueryLogConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/AssociateResolverQueryLogConfigCommand.ts @@ -125,4 +125,16 @@ export class AssociateResolverQueryLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResolverQueryLogConfigCommand) .de(de_AssociateResolverQueryLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResolverQueryLogConfigRequest; + output: AssociateResolverQueryLogConfigResponse; + }; + sdk: { + input: AssociateResolverQueryLogConfigCommandInput; + output: AssociateResolverQueryLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/AssociateResolverRuleCommand.ts b/clients/client-route53resolver/src/commands/AssociateResolverRuleCommand.ts index f5ac5965de56..a1bbff05c273 100644 --- a/clients/client-route53resolver/src/commands/AssociateResolverRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/AssociateResolverRuleCommand.ts @@ -113,4 +113,16 @@ export class AssociateResolverRuleCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResolverRuleCommand) .de(de_AssociateResolverRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResolverRuleRequest; + output: AssociateResolverRuleResponse; + }; + sdk: { + input: AssociateResolverRuleCommandInput; + output: AssociateResolverRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/CreateFirewallDomainListCommand.ts b/clients/client-route53resolver/src/commands/CreateFirewallDomainListCommand.ts index ef8859907434..1b21ada92898 100644 --- a/clients/client-route53resolver/src/commands/CreateFirewallDomainListCommand.ts +++ b/clients/client-route53resolver/src/commands/CreateFirewallDomainListCommand.ts @@ -113,4 +113,16 @@ export class CreateFirewallDomainListCommand extends $Command .f(void 0, void 0) .ser(se_CreateFirewallDomainListCommand) .de(de_CreateFirewallDomainListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFirewallDomainListRequest; + output: CreateFirewallDomainListResponse; + }; + sdk: { + input: CreateFirewallDomainListCommandInput; + output: CreateFirewallDomainListCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/CreateFirewallRuleCommand.ts b/clients/client-route53resolver/src/commands/CreateFirewallRuleCommand.ts index b2e440e7b0d0..fe05988b8c50 100644 --- a/clients/client-route53resolver/src/commands/CreateFirewallRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/CreateFirewallRuleCommand.ts @@ -124,4 +124,16 @@ export class CreateFirewallRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateFirewallRuleCommand) .de(de_CreateFirewallRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFirewallRuleRequest; + output: CreateFirewallRuleResponse; + }; + sdk: { + input: CreateFirewallRuleCommandInput; + output: CreateFirewallRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/CreateFirewallRuleGroupCommand.ts b/clients/client-route53resolver/src/commands/CreateFirewallRuleGroupCommand.ts index 14a6abd410d5..8e5849fd2fd0 100644 --- a/clients/client-route53resolver/src/commands/CreateFirewallRuleGroupCommand.ts +++ b/clients/client-route53resolver/src/commands/CreateFirewallRuleGroupCommand.ts @@ -115,4 +115,16 @@ export class CreateFirewallRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateFirewallRuleGroupCommand) .de(de_CreateFirewallRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFirewallRuleGroupRequest; + output: CreateFirewallRuleGroupResponse; + }; + sdk: { + input: CreateFirewallRuleGroupCommandInput; + output: CreateFirewallRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/CreateOutpostResolverCommand.ts b/clients/client-route53resolver/src/commands/CreateOutpostResolverCommand.ts index 20a9589c6fa4..5a0ef9743f33 100644 --- a/clients/client-route53resolver/src/commands/CreateOutpostResolverCommand.ts +++ b/clients/client-route53resolver/src/commands/CreateOutpostResolverCommand.ts @@ -120,4 +120,16 @@ export class CreateOutpostResolverCommand extends $Command .f(void 0, void 0) .ser(se_CreateOutpostResolverCommand) .de(de_CreateOutpostResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOutpostResolverRequest; + output: CreateOutpostResolverResponse; + }; + sdk: { + input: CreateOutpostResolverCommandInput; + output: CreateOutpostResolverCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/CreateResolverEndpointCommand.ts b/clients/client-route53resolver/src/commands/CreateResolverEndpointCommand.ts index 670e34bda210..ee23e1aecc68 100644 --- a/clients/client-route53resolver/src/commands/CreateResolverEndpointCommand.ts +++ b/clients/client-route53resolver/src/commands/CreateResolverEndpointCommand.ts @@ -158,4 +158,16 @@ export class CreateResolverEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateResolverEndpointCommand) .de(de_CreateResolverEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResolverEndpointRequest; + output: CreateResolverEndpointResponse; + }; + sdk: { + input: CreateResolverEndpointCommandInput; + output: CreateResolverEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/CreateResolverQueryLogConfigCommand.ts b/clients/client-route53resolver/src/commands/CreateResolverQueryLogConfigCommand.ts index 040899be6c5f..fec61bdaea93 100644 --- a/clients/client-route53resolver/src/commands/CreateResolverQueryLogConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/CreateResolverQueryLogConfigCommand.ts @@ -133,4 +133,16 @@ export class CreateResolverQueryLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateResolverQueryLogConfigCommand) .de(de_CreateResolverQueryLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResolverQueryLogConfigRequest; + output: CreateResolverQueryLogConfigResponse; + }; + sdk: { + input: CreateResolverQueryLogConfigCommandInput; + output: CreateResolverQueryLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/CreateResolverRuleCommand.ts b/clients/client-route53resolver/src/commands/CreateResolverRuleCommand.ts index b51155678c9a..6bcb47838d6a 100644 --- a/clients/client-route53resolver/src/commands/CreateResolverRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/CreateResolverRuleCommand.ts @@ -147,4 +147,16 @@ export class CreateResolverRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateResolverRuleCommand) .de(de_CreateResolverRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResolverRuleRequest; + output: CreateResolverRuleResponse; + }; + sdk: { + input: CreateResolverRuleCommandInput; + output: CreateResolverRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DeleteFirewallDomainListCommand.ts b/clients/client-route53resolver/src/commands/DeleteFirewallDomainListCommand.ts index d6c30807fbc9..ee08a0d00dc8 100644 --- a/clients/client-route53resolver/src/commands/DeleteFirewallDomainListCommand.ts +++ b/clients/client-route53resolver/src/commands/DeleteFirewallDomainListCommand.ts @@ -107,4 +107,16 @@ export class DeleteFirewallDomainListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFirewallDomainListCommand) .de(de_DeleteFirewallDomainListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFirewallDomainListRequest; + output: DeleteFirewallDomainListResponse; + }; + sdk: { + input: DeleteFirewallDomainListCommandInput; + output: DeleteFirewallDomainListCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DeleteFirewallRuleCommand.ts b/clients/client-route53resolver/src/commands/DeleteFirewallRuleCommand.ts index 456d89516d80..e856e5b8323f 100644 --- a/clients/client-route53resolver/src/commands/DeleteFirewallRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/DeleteFirewallRuleCommand.ts @@ -108,4 +108,16 @@ export class DeleteFirewallRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFirewallRuleCommand) .de(de_DeleteFirewallRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFirewallRuleRequest; + output: DeleteFirewallRuleResponse; + }; + sdk: { + input: DeleteFirewallRuleCommandInput; + output: DeleteFirewallRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DeleteFirewallRuleGroupCommand.ts b/clients/client-route53resolver/src/commands/DeleteFirewallRuleGroupCommand.ts index 1d305b57585e..2d7a2512f678 100644 --- a/clients/client-route53resolver/src/commands/DeleteFirewallRuleGroupCommand.ts +++ b/clients/client-route53resolver/src/commands/DeleteFirewallRuleGroupCommand.ts @@ -112,4 +112,16 @@ export class DeleteFirewallRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFirewallRuleGroupCommand) .de(de_DeleteFirewallRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFirewallRuleGroupRequest; + output: DeleteFirewallRuleGroupResponse; + }; + sdk: { + input: DeleteFirewallRuleGroupCommandInput; + output: DeleteFirewallRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DeleteOutpostResolverCommand.ts b/clients/client-route53resolver/src/commands/DeleteOutpostResolverCommand.ts index cc9d030a2ce4..72e293136722 100644 --- a/clients/client-route53resolver/src/commands/DeleteOutpostResolverCommand.ts +++ b/clients/client-route53resolver/src/commands/DeleteOutpostResolverCommand.ts @@ -112,4 +112,16 @@ export class DeleteOutpostResolverCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOutpostResolverCommand) .de(de_DeleteOutpostResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOutpostResolverRequest; + output: DeleteOutpostResolverResponse; + }; + sdk: { + input: DeleteOutpostResolverCommandInput; + output: DeleteOutpostResolverCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DeleteResolverEndpointCommand.ts b/clients/client-route53resolver/src/commands/DeleteResolverEndpointCommand.ts index 450c4a78af82..d0e099344f27 100644 --- a/clients/client-route53resolver/src/commands/DeleteResolverEndpointCommand.ts +++ b/clients/client-route53resolver/src/commands/DeleteResolverEndpointCommand.ts @@ -125,4 +125,16 @@ export class DeleteResolverEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResolverEndpointCommand) .de(de_DeleteResolverEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResolverEndpointRequest; + output: DeleteResolverEndpointResponse; + }; + sdk: { + input: DeleteResolverEndpointCommandInput; + output: DeleteResolverEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DeleteResolverQueryLogConfigCommand.ts b/clients/client-route53resolver/src/commands/DeleteResolverQueryLogConfigCommand.ts index d12b043b4734..9061f375de34 100644 --- a/clients/client-route53resolver/src/commands/DeleteResolverQueryLogConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/DeleteResolverQueryLogConfigCommand.ts @@ -121,4 +121,16 @@ export class DeleteResolverQueryLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResolverQueryLogConfigCommand) .de(de_DeleteResolverQueryLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResolverQueryLogConfigRequest; + output: DeleteResolverQueryLogConfigResponse; + }; + sdk: { + input: DeleteResolverQueryLogConfigCommandInput; + output: DeleteResolverQueryLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DeleteResolverRuleCommand.ts b/clients/client-route53resolver/src/commands/DeleteResolverRuleCommand.ts index 6ad7f52322d2..3adee0d443ff 100644 --- a/clients/client-route53resolver/src/commands/DeleteResolverRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/DeleteResolverRuleCommand.ts @@ -116,4 +116,16 @@ export class DeleteResolverRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResolverRuleCommand) .de(de_DeleteResolverRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResolverRuleRequest; + output: DeleteResolverRuleResponse; + }; + sdk: { + input: DeleteResolverRuleCommandInput; + output: DeleteResolverRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DisassociateFirewallRuleGroupCommand.ts b/clients/client-route53resolver/src/commands/DisassociateFirewallRuleGroupCommand.ts index cfdc029994c4..1e5e33de844a 100644 --- a/clients/client-route53resolver/src/commands/DisassociateFirewallRuleGroupCommand.ts +++ b/clients/client-route53resolver/src/commands/DisassociateFirewallRuleGroupCommand.ts @@ -119,4 +119,16 @@ export class DisassociateFirewallRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFirewallRuleGroupCommand) .de(de_DisassociateFirewallRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFirewallRuleGroupRequest; + output: DisassociateFirewallRuleGroupResponse; + }; + sdk: { + input: DisassociateFirewallRuleGroupCommandInput; + output: DisassociateFirewallRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DisassociateResolverEndpointIpAddressCommand.ts b/clients/client-route53resolver/src/commands/DisassociateResolverEndpointIpAddressCommand.ts index 05a0229b3d04..bb2f2fac851c 100644 --- a/clients/client-route53resolver/src/commands/DisassociateResolverEndpointIpAddressCommand.ts +++ b/clients/client-route53resolver/src/commands/DisassociateResolverEndpointIpAddressCommand.ts @@ -135,4 +135,16 @@ export class DisassociateResolverEndpointIpAddressCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResolverEndpointIpAddressCommand) .de(de_DisassociateResolverEndpointIpAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResolverEndpointIpAddressRequest; + output: DisassociateResolverEndpointIpAddressResponse; + }; + sdk: { + input: DisassociateResolverEndpointIpAddressCommandInput; + output: DisassociateResolverEndpointIpAddressCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DisassociateResolverQueryLogConfigCommand.ts b/clients/client-route53resolver/src/commands/DisassociateResolverQueryLogConfigCommand.ts index feebff75b5db..08dd732ff6b1 100644 --- a/clients/client-route53resolver/src/commands/DisassociateResolverQueryLogConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/DisassociateResolverQueryLogConfigCommand.ts @@ -128,4 +128,16 @@ export class DisassociateResolverQueryLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResolverQueryLogConfigCommand) .de(de_DisassociateResolverQueryLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResolverQueryLogConfigRequest; + output: DisassociateResolverQueryLogConfigResponse; + }; + sdk: { + input: DisassociateResolverQueryLogConfigCommandInput; + output: DisassociateResolverQueryLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/DisassociateResolverRuleCommand.ts b/clients/client-route53resolver/src/commands/DisassociateResolverRuleCommand.ts index 8da2aeb1e98c..3afff6ca4050 100644 --- a/clients/client-route53resolver/src/commands/DisassociateResolverRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/DisassociateResolverRuleCommand.ts @@ -101,4 +101,16 @@ export class DisassociateResolverRuleCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResolverRuleCommand) .de(de_DisassociateResolverRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResolverRuleRequest; + output: DisassociateResolverRuleResponse; + }; + sdk: { + input: DisassociateResolverRuleCommandInput; + output: DisassociateResolverRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetFirewallConfigCommand.ts b/clients/client-route53resolver/src/commands/GetFirewallConfigCommand.ts index f55b31ac695a..1e201fb90a19 100644 --- a/clients/client-route53resolver/src/commands/GetFirewallConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/GetFirewallConfigCommand.ts @@ -101,4 +101,16 @@ export class GetFirewallConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetFirewallConfigCommand) .de(de_GetFirewallConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFirewallConfigRequest; + output: GetFirewallConfigResponse; + }; + sdk: { + input: GetFirewallConfigCommandInput; + output: GetFirewallConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetFirewallDomainListCommand.ts b/clients/client-route53resolver/src/commands/GetFirewallDomainListCommand.ts index 3b771aad3545..8a7eea588a10 100644 --- a/clients/client-route53resolver/src/commands/GetFirewallDomainListCommand.ts +++ b/clients/client-route53resolver/src/commands/GetFirewallDomainListCommand.ts @@ -102,4 +102,16 @@ export class GetFirewallDomainListCommand extends $Command .f(void 0, void 0) .ser(se_GetFirewallDomainListCommand) .de(de_GetFirewallDomainListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFirewallDomainListRequest; + output: GetFirewallDomainListResponse; + }; + sdk: { + input: GetFirewallDomainListCommandInput; + output: GetFirewallDomainListCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetFirewallRuleGroupAssociationCommand.ts b/clients/client-route53resolver/src/commands/GetFirewallRuleGroupAssociationCommand.ts index 47d4eac16399..01e658528713 100644 --- a/clients/client-route53resolver/src/commands/GetFirewallRuleGroupAssociationCommand.ts +++ b/clients/client-route53resolver/src/commands/GetFirewallRuleGroupAssociationCommand.ts @@ -110,4 +110,16 @@ export class GetFirewallRuleGroupAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetFirewallRuleGroupAssociationCommand) .de(de_GetFirewallRuleGroupAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFirewallRuleGroupAssociationRequest; + output: GetFirewallRuleGroupAssociationResponse; + }; + sdk: { + input: GetFirewallRuleGroupAssociationCommandInput; + output: GetFirewallRuleGroupAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetFirewallRuleGroupCommand.ts b/clients/client-route53resolver/src/commands/GetFirewallRuleGroupCommand.ts index b3f2d1cbf35e..b3e4fb06366c 100644 --- a/clients/client-route53resolver/src/commands/GetFirewallRuleGroupCommand.ts +++ b/clients/client-route53resolver/src/commands/GetFirewallRuleGroupCommand.ts @@ -103,4 +103,16 @@ export class GetFirewallRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetFirewallRuleGroupCommand) .de(de_GetFirewallRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFirewallRuleGroupRequest; + output: GetFirewallRuleGroupResponse; + }; + sdk: { + input: GetFirewallRuleGroupCommandInput; + output: GetFirewallRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetFirewallRuleGroupPolicyCommand.ts b/clients/client-route53resolver/src/commands/GetFirewallRuleGroupPolicyCommand.ts index dee9eb0ff5c9..f0a0ca9e037a 100644 --- a/clients/client-route53resolver/src/commands/GetFirewallRuleGroupPolicyCommand.ts +++ b/clients/client-route53resolver/src/commands/GetFirewallRuleGroupPolicyCommand.ts @@ -96,4 +96,16 @@ export class GetFirewallRuleGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetFirewallRuleGroupPolicyCommand) .de(de_GetFirewallRuleGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFirewallRuleGroupPolicyRequest; + output: GetFirewallRuleGroupPolicyResponse; + }; + sdk: { + input: GetFirewallRuleGroupPolicyCommandInput; + output: GetFirewallRuleGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetOutpostResolverCommand.ts b/clients/client-route53resolver/src/commands/GetOutpostResolverCommand.ts index 1aaa379cddf5..be39e9dc2b08 100644 --- a/clients/client-route53resolver/src/commands/GetOutpostResolverCommand.ts +++ b/clients/client-route53resolver/src/commands/GetOutpostResolverCommand.ts @@ -108,4 +108,16 @@ export class GetOutpostResolverCommand extends $Command .f(void 0, void 0) .ser(se_GetOutpostResolverCommand) .de(de_GetOutpostResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOutpostResolverRequest; + output: GetOutpostResolverResponse; + }; + sdk: { + input: GetOutpostResolverCommandInput; + output: GetOutpostResolverCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverConfigCommand.ts b/clients/client-route53resolver/src/commands/GetResolverConfigCommand.ts index 9b37ea2b120a..f289698423ed 100644 --- a/clients/client-route53resolver/src/commands/GetResolverConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverConfigCommand.ts @@ -104,4 +104,16 @@ export class GetResolverConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverConfigCommand) .de(de_GetResolverConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverConfigRequest; + output: GetResolverConfigResponse; + }; + sdk: { + input: GetResolverConfigCommandInput; + output: GetResolverConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverDnssecConfigCommand.ts b/clients/client-route53resolver/src/commands/GetResolverDnssecConfigCommand.ts index b830530c8f40..fb001153b62e 100644 --- a/clients/client-route53resolver/src/commands/GetResolverDnssecConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverDnssecConfigCommand.ts @@ -102,4 +102,16 @@ export class GetResolverDnssecConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverDnssecConfigCommand) .de(de_GetResolverDnssecConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverDnssecConfigRequest; + output: GetResolverDnssecConfigResponse; + }; + sdk: { + input: GetResolverDnssecConfigCommandInput; + output: GetResolverDnssecConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverEndpointCommand.ts b/clients/client-route53resolver/src/commands/GetResolverEndpointCommand.ts index 88a4bd4ce135..65ada57d9f97 100644 --- a/clients/client-route53resolver/src/commands/GetResolverEndpointCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverEndpointCommand.ts @@ -111,4 +111,16 @@ export class GetResolverEndpointCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverEndpointCommand) .de(de_GetResolverEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverEndpointRequest; + output: GetResolverEndpointResponse; + }; + sdk: { + input: GetResolverEndpointCommandInput; + output: GetResolverEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigAssociationCommand.ts b/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigAssociationCommand.ts index 4fcae03b4b19..2090b98e1b46 100644 --- a/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigAssociationCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigAssociationCommand.ts @@ -114,4 +114,16 @@ export class GetResolverQueryLogConfigAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverQueryLogConfigAssociationCommand) .de(de_GetResolverQueryLogConfigAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverQueryLogConfigAssociationRequest; + output: GetResolverQueryLogConfigAssociationResponse; + }; + sdk: { + input: GetResolverQueryLogConfigAssociationCommandInput; + output: GetResolverQueryLogConfigAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigCommand.ts b/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigCommand.ts index 6638150a1c08..3b97011352bf 100644 --- a/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigCommand.ts @@ -109,4 +109,16 @@ export class GetResolverQueryLogConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverQueryLogConfigCommand) .de(de_GetResolverQueryLogConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverQueryLogConfigRequest; + output: GetResolverQueryLogConfigResponse; + }; + sdk: { + input: GetResolverQueryLogConfigCommandInput; + output: GetResolverQueryLogConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigPolicyCommand.ts b/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigPolicyCommand.ts index b5602c2f0cc3..0ee58e9eeef2 100644 --- a/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigPolicyCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverQueryLogConfigPolicyCommand.ts @@ -100,4 +100,16 @@ export class GetResolverQueryLogConfigPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverQueryLogConfigPolicyCommand) .de(de_GetResolverQueryLogConfigPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverQueryLogConfigPolicyRequest; + output: GetResolverQueryLogConfigPolicyResponse; + }; + sdk: { + input: GetResolverQueryLogConfigPolicyCommandInput; + output: GetResolverQueryLogConfigPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverRuleAssociationCommand.ts b/clients/client-route53resolver/src/commands/GetResolverRuleAssociationCommand.ts index cf1d21b0bcc4..1ad518547ee3 100644 --- a/clients/client-route53resolver/src/commands/GetResolverRuleAssociationCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverRuleAssociationCommand.ts @@ -97,4 +97,16 @@ export class GetResolverRuleAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverRuleAssociationCommand) .de(de_GetResolverRuleAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverRuleAssociationRequest; + output: GetResolverRuleAssociationResponse; + }; + sdk: { + input: GetResolverRuleAssociationCommandInput; + output: GetResolverRuleAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverRuleCommand.ts b/clients/client-route53resolver/src/commands/GetResolverRuleCommand.ts index 662903301e02..26ccd4962873 100644 --- a/clients/client-route53resolver/src/commands/GetResolverRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverRuleCommand.ts @@ -112,4 +112,16 @@ export class GetResolverRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverRuleCommand) .de(de_GetResolverRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverRuleRequest; + output: GetResolverRuleResponse; + }; + sdk: { + input: GetResolverRuleCommandInput; + output: GetResolverRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/GetResolverRulePolicyCommand.ts b/clients/client-route53resolver/src/commands/GetResolverRulePolicyCommand.ts index c7a95a74ef4a..ce20204d9fd5 100644 --- a/clients/client-route53resolver/src/commands/GetResolverRulePolicyCommand.ts +++ b/clients/client-route53resolver/src/commands/GetResolverRulePolicyCommand.ts @@ -92,4 +92,16 @@ export class GetResolverRulePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResolverRulePolicyCommand) .de(de_GetResolverRulePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResolverRulePolicyRequest; + output: GetResolverRulePolicyResponse; + }; + sdk: { + input: GetResolverRulePolicyCommandInput; + output: GetResolverRulePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ImportFirewallDomainsCommand.ts b/clients/client-route53resolver/src/commands/ImportFirewallDomainsCommand.ts index 47d8c9bcedfd..20d72ea74b3a 100644 --- a/clients/client-route53resolver/src/commands/ImportFirewallDomainsCommand.ts +++ b/clients/client-route53resolver/src/commands/ImportFirewallDomainsCommand.ts @@ -123,4 +123,16 @@ export class ImportFirewallDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ImportFirewallDomainsCommand) .de(de_ImportFirewallDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportFirewallDomainsRequest; + output: ImportFirewallDomainsResponse; + }; + sdk: { + input: ImportFirewallDomainsCommandInput; + output: ImportFirewallDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListFirewallConfigsCommand.ts b/clients/client-route53resolver/src/commands/ListFirewallConfigsCommand.ts index 6833b48e0e88..e13d7bd0b1c2 100644 --- a/clients/client-route53resolver/src/commands/ListFirewallConfigsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListFirewallConfigsCommand.ts @@ -102,4 +102,16 @@ export class ListFirewallConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallConfigsCommand) .de(de_ListFirewallConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallConfigsRequest; + output: ListFirewallConfigsResponse; + }; + sdk: { + input: ListFirewallConfigsCommandInput; + output: ListFirewallConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListFirewallDomainListsCommand.ts b/clients/client-route53resolver/src/commands/ListFirewallDomainListsCommand.ts index f6770dfac980..0f7364aa57a0 100644 --- a/clients/client-route53resolver/src/commands/ListFirewallDomainListsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListFirewallDomainListsCommand.ts @@ -103,4 +103,16 @@ export class ListFirewallDomainListsCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallDomainListsCommand) .de(de_ListFirewallDomainListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallDomainListsRequest; + output: ListFirewallDomainListsResponse; + }; + sdk: { + input: ListFirewallDomainListsCommandInput; + output: ListFirewallDomainListsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListFirewallDomainsCommand.ts b/clients/client-route53resolver/src/commands/ListFirewallDomainsCommand.ts index a692c636010f..639afa209488 100644 --- a/clients/client-route53resolver/src/commands/ListFirewallDomainsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListFirewallDomainsCommand.ts @@ -101,4 +101,16 @@ export class ListFirewallDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallDomainsCommand) .de(de_ListFirewallDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallDomainsRequest; + output: ListFirewallDomainsResponse; + }; + sdk: { + input: ListFirewallDomainsCommandInput; + output: ListFirewallDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListFirewallRuleGroupAssociationsCommand.ts b/clients/client-route53resolver/src/commands/ListFirewallRuleGroupAssociationsCommand.ts index 57de81f27331..be42e8f2cb4e 100644 --- a/clients/client-route53resolver/src/commands/ListFirewallRuleGroupAssociationsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListFirewallRuleGroupAssociationsCommand.ts @@ -123,4 +123,16 @@ export class ListFirewallRuleGroupAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallRuleGroupAssociationsCommand) .de(de_ListFirewallRuleGroupAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallRuleGroupAssociationsRequest; + output: ListFirewallRuleGroupAssociationsResponse; + }; + sdk: { + input: ListFirewallRuleGroupAssociationsCommandInput; + output: ListFirewallRuleGroupAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListFirewallRuleGroupsCommand.ts b/clients/client-route53resolver/src/commands/ListFirewallRuleGroupsCommand.ts index 2fd988e2d9fb..29f91e4a49ad 100644 --- a/clients/client-route53resolver/src/commands/ListFirewallRuleGroupsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListFirewallRuleGroupsCommand.ts @@ -104,4 +104,16 @@ export class ListFirewallRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallRuleGroupsCommand) .de(de_ListFirewallRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallRuleGroupsRequest; + output: ListFirewallRuleGroupsResponse; + }; + sdk: { + input: ListFirewallRuleGroupsCommandInput; + output: ListFirewallRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListFirewallRulesCommand.ts b/clients/client-route53resolver/src/commands/ListFirewallRulesCommand.ts index 2fa40120a953..aa3ddce4015c 100644 --- a/clients/client-route53resolver/src/commands/ListFirewallRulesCommand.ts +++ b/clients/client-route53resolver/src/commands/ListFirewallRulesCommand.ts @@ -118,4 +118,16 @@ export class ListFirewallRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListFirewallRulesCommand) .de(de_ListFirewallRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFirewallRulesRequest; + output: ListFirewallRulesResponse; + }; + sdk: { + input: ListFirewallRulesCommandInput; + output: ListFirewallRulesCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListOutpostResolversCommand.ts b/clients/client-route53resolver/src/commands/ListOutpostResolversCommand.ts index df0893072843..335eeb70635d 100644 --- a/clients/client-route53resolver/src/commands/ListOutpostResolversCommand.ts +++ b/clients/client-route53resolver/src/commands/ListOutpostResolversCommand.ts @@ -112,4 +112,16 @@ export class ListOutpostResolversCommand extends $Command .f(void 0, void 0) .ser(se_ListOutpostResolversCommand) .de(de_ListOutpostResolversCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOutpostResolversRequest; + output: ListOutpostResolversResponse; + }; + sdk: { + input: ListOutpostResolversCommandInput; + output: ListOutpostResolversCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverConfigsCommand.ts b/clients/client-route53resolver/src/commands/ListResolverConfigsCommand.ts index 827084a9be6f..5d7bc0575137 100644 --- a/clients/client-route53resolver/src/commands/ListResolverConfigsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverConfigsCommand.ts @@ -111,4 +111,16 @@ export class ListResolverConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverConfigsCommand) .de(de_ListResolverConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverConfigsRequest; + output: ListResolverConfigsResponse; + }; + sdk: { + input: ListResolverConfigsCommandInput; + output: ListResolverConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverDnssecConfigsCommand.ts b/clients/client-route53resolver/src/commands/ListResolverDnssecConfigsCommand.ts index 4ee9c3c69ed9..926d8151e052 100644 --- a/clients/client-route53resolver/src/commands/ListResolverDnssecConfigsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverDnssecConfigsCommand.ts @@ -114,4 +114,16 @@ export class ListResolverDnssecConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverDnssecConfigsCommand) .de(de_ListResolverDnssecConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverDnssecConfigsRequest; + output: ListResolverDnssecConfigsResponse; + }; + sdk: { + input: ListResolverDnssecConfigsCommandInput; + output: ListResolverDnssecConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverEndpointIpAddressesCommand.ts b/clients/client-route53resolver/src/commands/ListResolverEndpointIpAddressesCommand.ts index fd3a319c7543..051c2ab53b73 100644 --- a/clients/client-route53resolver/src/commands/ListResolverEndpointIpAddressesCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverEndpointIpAddressesCommand.ts @@ -112,4 +112,16 @@ export class ListResolverEndpointIpAddressesCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverEndpointIpAddressesCommand) .de(de_ListResolverEndpointIpAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverEndpointIpAddressesRequest; + output: ListResolverEndpointIpAddressesResponse; + }; + sdk: { + input: ListResolverEndpointIpAddressesCommandInput; + output: ListResolverEndpointIpAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverEndpointsCommand.ts b/clients/client-route53resolver/src/commands/ListResolverEndpointsCommand.ts index de6fa5f3db56..c30420aa7281 100644 --- a/clients/client-route53resolver/src/commands/ListResolverEndpointsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverEndpointsCommand.ts @@ -126,4 +126,16 @@ export class ListResolverEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverEndpointsCommand) .de(de_ListResolverEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverEndpointsRequest; + output: ListResolverEndpointsResponse; + }; + sdk: { + input: ListResolverEndpointsCommandInput; + output: ListResolverEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigAssociationsCommand.ts b/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigAssociationsCommand.ts index 49226151d1a3..8752ee3dd79d 100644 --- a/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigAssociationsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigAssociationsCommand.ts @@ -130,4 +130,16 @@ export class ListResolverQueryLogConfigAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverQueryLogConfigAssociationsCommand) .de(de_ListResolverQueryLogConfigAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverQueryLogConfigAssociationsRequest; + output: ListResolverQueryLogConfigAssociationsResponse; + }; + sdk: { + input: ListResolverQueryLogConfigAssociationsCommandInput; + output: ListResolverQueryLogConfigAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigsCommand.ts b/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigsCommand.ts index 37d7d3993e44..9caef760b4d9 100644 --- a/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverQueryLogConfigsCommand.ts @@ -127,4 +127,16 @@ export class ListResolverQueryLogConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverQueryLogConfigsCommand) .de(de_ListResolverQueryLogConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverQueryLogConfigsRequest; + output: ListResolverQueryLogConfigsResponse; + }; + sdk: { + input: ListResolverQueryLogConfigsCommandInput; + output: ListResolverQueryLogConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverRuleAssociationsCommand.ts b/clients/client-route53resolver/src/commands/ListResolverRuleAssociationsCommand.ts index 7733a2f8d788..893256f12b9e 100644 --- a/clients/client-route53resolver/src/commands/ListResolverRuleAssociationsCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverRuleAssociationsCommand.ts @@ -117,4 +117,16 @@ export class ListResolverRuleAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverRuleAssociationsCommand) .de(de_ListResolverRuleAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverRuleAssociationsRequest; + output: ListResolverRuleAssociationsResponse; + }; + sdk: { + input: ListResolverRuleAssociationsCommandInput; + output: ListResolverRuleAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListResolverRulesCommand.ts b/clients/client-route53resolver/src/commands/ListResolverRulesCommand.ts index 4ef7f136f35d..89c3e6ba2f5e 100644 --- a/clients/client-route53resolver/src/commands/ListResolverRulesCommand.ts +++ b/clients/client-route53resolver/src/commands/ListResolverRulesCommand.ts @@ -127,4 +127,16 @@ export class ListResolverRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListResolverRulesCommand) .de(de_ListResolverRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResolverRulesRequest; + output: ListResolverRulesResponse; + }; + sdk: { + input: ListResolverRulesCommandInput; + output: ListResolverRulesCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/ListTagsForResourceCommand.ts b/clients/client-route53resolver/src/commands/ListTagsForResourceCommand.ts index f017a0e6a682..1fa4b5da0cfc 100644 --- a/clients/client-route53resolver/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-route53resolver/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/PutFirewallRuleGroupPolicyCommand.ts b/clients/client-route53resolver/src/commands/PutFirewallRuleGroupPolicyCommand.ts index 7f74cc1759bb..3aed9f879131 100644 --- a/clients/client-route53resolver/src/commands/PutFirewallRuleGroupPolicyCommand.ts +++ b/clients/client-route53resolver/src/commands/PutFirewallRuleGroupPolicyCommand.ts @@ -98,4 +98,16 @@ export class PutFirewallRuleGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutFirewallRuleGroupPolicyCommand) .de(de_PutFirewallRuleGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutFirewallRuleGroupPolicyRequest; + output: PutFirewallRuleGroupPolicyResponse; + }; + sdk: { + input: PutFirewallRuleGroupPolicyCommandInput; + output: PutFirewallRuleGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/PutResolverQueryLogConfigPolicyCommand.ts b/clients/client-route53resolver/src/commands/PutResolverQueryLogConfigPolicyCommand.ts index 4d7d377f31c9..7a6207c3c29d 100644 --- a/clients/client-route53resolver/src/commands/PutResolverQueryLogConfigPolicyCommand.ts +++ b/clients/client-route53resolver/src/commands/PutResolverQueryLogConfigPolicyCommand.ts @@ -104,4 +104,16 @@ export class PutResolverQueryLogConfigPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResolverQueryLogConfigPolicyCommand) .de(de_PutResolverQueryLogConfigPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResolverQueryLogConfigPolicyRequest; + output: PutResolverQueryLogConfigPolicyResponse; + }; + sdk: { + input: PutResolverQueryLogConfigPolicyCommandInput; + output: PutResolverQueryLogConfigPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/PutResolverRulePolicyCommand.ts b/clients/client-route53resolver/src/commands/PutResolverRulePolicyCommand.ts index 834b90b90066..fb19b00eddc9 100644 --- a/clients/client-route53resolver/src/commands/PutResolverRulePolicyCommand.ts +++ b/clients/client-route53resolver/src/commands/PutResolverRulePolicyCommand.ts @@ -96,4 +96,16 @@ export class PutResolverRulePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResolverRulePolicyCommand) .de(de_PutResolverRulePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResolverRulePolicyRequest; + output: PutResolverRulePolicyResponse; + }; + sdk: { + input: PutResolverRulePolicyCommandInput; + output: PutResolverRulePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/TagResourceCommand.ts b/clients/client-route53resolver/src/commands/TagResourceCommand.ts index 1c708b355cb4..88111e6f06b1 100644 --- a/clients/client-route53resolver/src/commands/TagResourceCommand.ts +++ b/clients/client-route53resolver/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UntagResourceCommand.ts b/clients/client-route53resolver/src/commands/UntagResourceCommand.ts index df576f9e89d9..3abc934c47b7 100644 --- a/clients/client-route53resolver/src/commands/UntagResourceCommand.ts +++ b/clients/client-route53resolver/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateFirewallConfigCommand.ts b/clients/client-route53resolver/src/commands/UpdateFirewallConfigCommand.ts index 52dd3b178ac7..ad9396e20af5 100644 --- a/clients/client-route53resolver/src/commands/UpdateFirewallConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateFirewallConfigCommand.ts @@ -102,4 +102,16 @@ export class UpdateFirewallConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallConfigCommand) .de(de_UpdateFirewallConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallConfigRequest; + output: UpdateFirewallConfigResponse; + }; + sdk: { + input: UpdateFirewallConfigCommandInput; + output: UpdateFirewallConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateFirewallDomainsCommand.ts b/clients/client-route53resolver/src/commands/UpdateFirewallDomainsCommand.ts index 54b7cf2e1509..ccb8356d7e6f 100644 --- a/clients/client-route53resolver/src/commands/UpdateFirewallDomainsCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateFirewallDomainsCommand.ts @@ -110,4 +110,16 @@ export class UpdateFirewallDomainsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallDomainsCommand) .de(de_UpdateFirewallDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallDomainsRequest; + output: UpdateFirewallDomainsResponse; + }; + sdk: { + input: UpdateFirewallDomainsCommandInput; + output: UpdateFirewallDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateFirewallRuleCommand.ts b/clients/client-route53resolver/src/commands/UpdateFirewallRuleCommand.ts index 24b63166d21f..407a363a4536 100644 --- a/clients/client-route53resolver/src/commands/UpdateFirewallRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateFirewallRuleCommand.ts @@ -125,4 +125,16 @@ export class UpdateFirewallRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallRuleCommand) .de(de_UpdateFirewallRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallRuleRequest; + output: UpdateFirewallRuleResponse; + }; + sdk: { + input: UpdateFirewallRuleCommandInput; + output: UpdateFirewallRuleCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateFirewallRuleGroupAssociationCommand.ts b/clients/client-route53resolver/src/commands/UpdateFirewallRuleGroupAssociationCommand.ts index 37eed108b117..0ad2c81f67cc 100644 --- a/clients/client-route53resolver/src/commands/UpdateFirewallRuleGroupAssociationCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateFirewallRuleGroupAssociationCommand.ts @@ -125,4 +125,16 @@ export class UpdateFirewallRuleGroupAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFirewallRuleGroupAssociationCommand) .de(de_UpdateFirewallRuleGroupAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFirewallRuleGroupAssociationRequest; + output: UpdateFirewallRuleGroupAssociationResponse; + }; + sdk: { + input: UpdateFirewallRuleGroupAssociationCommandInput; + output: UpdateFirewallRuleGroupAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateOutpostResolverCommand.ts b/clients/client-route53resolver/src/commands/UpdateOutpostResolverCommand.ts index a736176f0fe2..55c4b0b4fd55 100644 --- a/clients/client-route53resolver/src/commands/UpdateOutpostResolverCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateOutpostResolverCommand.ts @@ -118,4 +118,16 @@ export class UpdateOutpostResolverCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOutpostResolverCommand) .de(de_UpdateOutpostResolverCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOutpostResolverRequest; + output: UpdateOutpostResolverResponse; + }; + sdk: { + input: UpdateOutpostResolverCommandInput; + output: UpdateOutpostResolverCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateResolverConfigCommand.ts b/clients/client-route53resolver/src/commands/UpdateResolverConfigCommand.ts index dfc2a74ef644..9b5305bc6d6c 100644 --- a/clients/client-route53resolver/src/commands/UpdateResolverConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateResolverConfigCommand.ts @@ -114,4 +114,16 @@ export class UpdateResolverConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResolverConfigCommand) .de(de_UpdateResolverConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResolverConfigRequest; + output: UpdateResolverConfigResponse; + }; + sdk: { + input: UpdateResolverConfigCommandInput; + output: UpdateResolverConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateResolverDnssecConfigCommand.ts b/clients/client-route53resolver/src/commands/UpdateResolverDnssecConfigCommand.ts index 165119cd567e..e2a5c24a7e37 100644 --- a/clients/client-route53resolver/src/commands/UpdateResolverDnssecConfigCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateResolverDnssecConfigCommand.ts @@ -103,4 +103,16 @@ export class UpdateResolverDnssecConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResolverDnssecConfigCommand) .de(de_UpdateResolverDnssecConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResolverDnssecConfigRequest; + output: UpdateResolverDnssecConfigResponse; + }; + sdk: { + input: UpdateResolverDnssecConfigCommandInput; + output: UpdateResolverDnssecConfigCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateResolverEndpointCommand.ts b/clients/client-route53resolver/src/commands/UpdateResolverEndpointCommand.ts index 806920f2a903..d34421b69c2e 100644 --- a/clients/client-route53resolver/src/commands/UpdateResolverEndpointCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateResolverEndpointCommand.ts @@ -130,4 +130,16 @@ export class UpdateResolverEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResolverEndpointCommand) .de(de_UpdateResolverEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResolverEndpointRequest; + output: UpdateResolverEndpointResponse; + }; + sdk: { + input: UpdateResolverEndpointCommandInput; + output: UpdateResolverEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-route53resolver/src/commands/UpdateResolverRuleCommand.ts b/clients/client-route53resolver/src/commands/UpdateResolverRuleCommand.ts index 357a146d485c..76df294bddd4 100644 --- a/clients/client-route53resolver/src/commands/UpdateResolverRuleCommand.ts +++ b/clients/client-route53resolver/src/commands/UpdateResolverRuleCommand.ts @@ -138,4 +138,16 @@ export class UpdateResolverRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResolverRuleCommand) .de(de_UpdateResolverRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResolverRuleRequest; + output: UpdateResolverRuleResponse; + }; + sdk: { + input: UpdateResolverRuleCommandInput; + output: UpdateResolverRuleCommandOutput; + }; + }; +} diff --git a/clients/client-rum/package.json b/clients/client-rum/package.json index b116f1fc57af..56a0cfa3d53a 100644 --- a/clients/client-rum/package.json +++ b/clients/client-rum/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-rum/src/commands/BatchCreateRumMetricDefinitionsCommand.ts b/clients/client-rum/src/commands/BatchCreateRumMetricDefinitionsCommand.ts index 314b929e60c2..1a3db38dc81b 100644 --- a/clients/client-rum/src/commands/BatchCreateRumMetricDefinitionsCommand.ts +++ b/clients/client-rum/src/commands/BatchCreateRumMetricDefinitionsCommand.ts @@ -185,4 +185,16 @@ export class BatchCreateRumMetricDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_BatchCreateRumMetricDefinitionsCommand) .de(de_BatchCreateRumMetricDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchCreateRumMetricDefinitionsRequest; + output: BatchCreateRumMetricDefinitionsResponse; + }; + sdk: { + input: BatchCreateRumMetricDefinitionsCommandInput; + output: BatchCreateRumMetricDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/BatchDeleteRumMetricDefinitionsCommand.ts b/clients/client-rum/src/commands/BatchDeleteRumMetricDefinitionsCommand.ts index b4e08ee1817a..2a2f4795593e 100644 --- a/clients/client-rum/src/commands/BatchDeleteRumMetricDefinitionsCommand.ts +++ b/clients/client-rum/src/commands/BatchDeleteRumMetricDefinitionsCommand.ts @@ -119,4 +119,16 @@ export class BatchDeleteRumMetricDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteRumMetricDefinitionsCommand) .de(de_BatchDeleteRumMetricDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteRumMetricDefinitionsRequest; + output: BatchDeleteRumMetricDefinitionsResponse; + }; + sdk: { + input: BatchDeleteRumMetricDefinitionsCommandInput; + output: BatchDeleteRumMetricDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/BatchGetRumMetricDefinitionsCommand.ts b/clients/client-rum/src/commands/BatchGetRumMetricDefinitionsCommand.ts index 015df41740e7..8777f78fd6d1 100644 --- a/clients/client-rum/src/commands/BatchGetRumMetricDefinitionsCommand.ts +++ b/clients/client-rum/src/commands/BatchGetRumMetricDefinitionsCommand.ts @@ -111,4 +111,16 @@ export class BatchGetRumMetricDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetRumMetricDefinitionsCommand) .de(de_BatchGetRumMetricDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetRumMetricDefinitionsRequest; + output: BatchGetRumMetricDefinitionsResponse; + }; + sdk: { + input: BatchGetRumMetricDefinitionsCommandInput; + output: BatchGetRumMetricDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/CreateAppMonitorCommand.ts b/clients/client-rum/src/commands/CreateAppMonitorCommand.ts index b1351c4de48c..5557af6d21fd 100644 --- a/clients/client-rum/src/commands/CreateAppMonitorCommand.ts +++ b/clients/client-rum/src/commands/CreateAppMonitorCommand.ts @@ -133,4 +133,16 @@ export class CreateAppMonitorCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppMonitorCommand) .de(de_CreateAppMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppMonitorRequest; + output: CreateAppMonitorResponse; + }; + sdk: { + input: CreateAppMonitorCommandInput; + output: CreateAppMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/DeleteAppMonitorCommand.ts b/clients/client-rum/src/commands/DeleteAppMonitorCommand.ts index b2d00dc40c27..c0f9b740e286 100644 --- a/clients/client-rum/src/commands/DeleteAppMonitorCommand.ts +++ b/clients/client-rum/src/commands/DeleteAppMonitorCommand.ts @@ -93,4 +93,16 @@ export class DeleteAppMonitorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppMonitorCommand) .de(de_DeleteAppMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppMonitorRequest; + output: {}; + }; + sdk: { + input: DeleteAppMonitorCommandInput; + output: DeleteAppMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/DeleteRumMetricsDestinationCommand.ts b/clients/client-rum/src/commands/DeleteRumMetricsDestinationCommand.ts index 1cfcdd864daf..c20ed04f1dc7 100644 --- a/clients/client-rum/src/commands/DeleteRumMetricsDestinationCommand.ts +++ b/clients/client-rum/src/commands/DeleteRumMetricsDestinationCommand.ts @@ -101,4 +101,16 @@ export class DeleteRumMetricsDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRumMetricsDestinationCommand) .de(de_DeleteRumMetricsDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRumMetricsDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteRumMetricsDestinationCommandInput; + output: DeleteRumMetricsDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/GetAppMonitorCommand.ts b/clients/client-rum/src/commands/GetAppMonitorCommand.ts index 4d4342940149..ca64bcf9cf24 100644 --- a/clients/client-rum/src/commands/GetAppMonitorCommand.ts +++ b/clients/client-rum/src/commands/GetAppMonitorCommand.ts @@ -130,4 +130,16 @@ export class GetAppMonitorCommand extends $Command .f(void 0, void 0) .ser(se_GetAppMonitorCommand) .de(de_GetAppMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppMonitorRequest; + output: GetAppMonitorResponse; + }; + sdk: { + input: GetAppMonitorCommandInput; + output: GetAppMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/GetAppMonitorDataCommand.ts b/clients/client-rum/src/commands/GetAppMonitorDataCommand.ts index 3f053f749133..952dea62224f 100644 --- a/clients/client-rum/src/commands/GetAppMonitorDataCommand.ts +++ b/clients/client-rum/src/commands/GetAppMonitorDataCommand.ts @@ -110,4 +110,16 @@ export class GetAppMonitorDataCommand extends $Command .f(void 0, void 0) .ser(se_GetAppMonitorDataCommand) .de(de_GetAppMonitorDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppMonitorDataRequest; + output: GetAppMonitorDataResponse; + }; + sdk: { + input: GetAppMonitorDataCommandInput; + output: GetAppMonitorDataCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/ListAppMonitorsCommand.ts b/clients/client-rum/src/commands/ListAppMonitorsCommand.ts index 26d14759430e..c764347f56d8 100644 --- a/clients/client-rum/src/commands/ListAppMonitorsCommand.ts +++ b/clients/client-rum/src/commands/ListAppMonitorsCommand.ts @@ -99,4 +99,16 @@ export class ListAppMonitorsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppMonitorsCommand) .de(de_ListAppMonitorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppMonitorsRequest; + output: ListAppMonitorsResponse; + }; + sdk: { + input: ListAppMonitorsCommandInput; + output: ListAppMonitorsCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/ListRumMetricsDestinationsCommand.ts b/clients/client-rum/src/commands/ListRumMetricsDestinationsCommand.ts index efdf94f0f382..538a18ece3b0 100644 --- a/clients/client-rum/src/commands/ListRumMetricsDestinationsCommand.ts +++ b/clients/client-rum/src/commands/ListRumMetricsDestinationsCommand.ts @@ -100,4 +100,16 @@ export class ListRumMetricsDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRumMetricsDestinationsCommand) .de(de_ListRumMetricsDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRumMetricsDestinationsRequest; + output: ListRumMetricsDestinationsResponse; + }; + sdk: { + input: ListRumMetricsDestinationsCommandInput; + output: ListRumMetricsDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/ListTagsForResourceCommand.ts b/clients/client-rum/src/commands/ListTagsForResourceCommand.ts index 906b4f0d126e..a2232bde0e36 100644 --- a/clients/client-rum/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-rum/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/PutRumEventsCommand.ts b/clients/client-rum/src/commands/PutRumEventsCommand.ts index cfe8040f4c3c..c4bbd6dfbf1c 100644 --- a/clients/client-rum/src/commands/PutRumEventsCommand.ts +++ b/clients/client-rum/src/commands/PutRumEventsCommand.ts @@ -112,4 +112,16 @@ export class PutRumEventsCommand extends $Command .f(void 0, void 0) .ser(se_PutRumEventsCommand) .de(de_PutRumEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRumEventsRequest; + output: {}; + }; + sdk: { + input: PutRumEventsCommandInput; + output: PutRumEventsCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/PutRumMetricsDestinationCommand.ts b/clients/client-rum/src/commands/PutRumMetricsDestinationCommand.ts index 1916efac528a..1ecdc2b6c00e 100644 --- a/clients/client-rum/src/commands/PutRumMetricsDestinationCommand.ts +++ b/clients/client-rum/src/commands/PutRumMetricsDestinationCommand.ts @@ -98,4 +98,16 @@ export class PutRumMetricsDestinationCommand extends $Command .f(void 0, void 0) .ser(se_PutRumMetricsDestinationCommand) .de(de_PutRumMetricsDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRumMetricsDestinationRequest; + output: {}; + }; + sdk: { + input: PutRumMetricsDestinationCommandInput; + output: PutRumMetricsDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/TagResourceCommand.ts b/clients/client-rum/src/commands/TagResourceCommand.ts index 9bb7262c1af0..916b8d3ad4d4 100644 --- a/clients/client-rum/src/commands/TagResourceCommand.ts +++ b/clients/client-rum/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/UntagResourceCommand.ts b/clients/client-rum/src/commands/UntagResourceCommand.ts index c5a31e297ead..e62a1c6a7e28 100644 --- a/clients/client-rum/src/commands/UntagResourceCommand.ts +++ b/clients/client-rum/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/UpdateAppMonitorCommand.ts b/clients/client-rum/src/commands/UpdateAppMonitorCommand.ts index c40f400966c3..ec32c4065e63 100644 --- a/clients/client-rum/src/commands/UpdateAppMonitorCommand.ts +++ b/clients/client-rum/src/commands/UpdateAppMonitorCommand.ts @@ -127,4 +127,16 @@ export class UpdateAppMonitorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppMonitorCommand) .de(de_UpdateAppMonitorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppMonitorRequest; + output: {}; + }; + sdk: { + input: UpdateAppMonitorCommandInput; + output: UpdateAppMonitorCommandOutput; + }; + }; +} diff --git a/clients/client-rum/src/commands/UpdateRumMetricDefinitionCommand.ts b/clients/client-rum/src/commands/UpdateRumMetricDefinitionCommand.ts index 4850657637f0..36aa88efa669 100644 --- a/clients/client-rum/src/commands/UpdateRumMetricDefinitionCommand.ts +++ b/clients/client-rum/src/commands/UpdateRumMetricDefinitionCommand.ts @@ -110,4 +110,16 @@ export class UpdateRumMetricDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRumMetricDefinitionCommand) .de(de_UpdateRumMetricDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRumMetricDefinitionRequest; + output: {}; + }; + sdk: { + input: UpdateRumMetricDefinitionCommandInput; + output: UpdateRumMetricDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/package.json b/clients/client-s3-control/package.json index fb135528dc79..1f974ab3430b 100644 --- a/clients/client-s3-control/package.json +++ b/clients/client-s3-control/package.json @@ -37,34 +37,34 @@ "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", "@aws-sdk/xml-builder": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-blob-browser": "^3.1.3", - "@smithy/hash-node": "^3.0.4", - "@smithy/hash-stream-node": "^3.1.3", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/md5-js": "^3.0.4", - "@smithy/middleware-apply-body-checksum": "^3.0.6", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-blob-browser": "^3.1.5", + "@smithy/hash-node": "^3.0.6", + "@smithy/hash-stream-node": "^3.1.5", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/md5-js": "^3.0.6", + "@smithy/middleware-apply-body-checksum": "^3.0.8", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-s3-control/src/commands/AssociateAccessGrantsIdentityCenterCommand.ts b/clients/client-s3-control/src/commands/AssociateAccessGrantsIdentityCenterCommand.ts index 0986b1404fe4..5033216ef596 100644 --- a/clients/client-s3-control/src/commands/AssociateAccessGrantsIdentityCenterCommand.ts +++ b/clients/client-s3-control/src/commands/AssociateAccessGrantsIdentityCenterCommand.ts @@ -97,4 +97,16 @@ export class AssociateAccessGrantsIdentityCenterCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAccessGrantsIdentityCenterCommand) .de(de_AssociateAccessGrantsIdentityCenterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAccessGrantsIdentityCenterRequest; + output: {}; + }; + sdk: { + input: AssociateAccessGrantsIdentityCenterCommandInput; + output: AssociateAccessGrantsIdentityCenterCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateAccessGrantCommand.ts b/clients/client-s3-control/src/commands/CreateAccessGrantCommand.ts index 292518ff2515..737a2474525f 100644 --- a/clients/client-s3-control/src/commands/CreateAccessGrantCommand.ts +++ b/clients/client-s3-control/src/commands/CreateAccessGrantCommand.ts @@ -130,4 +130,16 @@ export class CreateAccessGrantCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessGrantCommand) .de(de_CreateAccessGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessGrantRequest; + output: CreateAccessGrantResult; + }; + sdk: { + input: CreateAccessGrantCommandInput; + output: CreateAccessGrantCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateAccessGrantsInstanceCommand.ts b/clients/client-s3-control/src/commands/CreateAccessGrantsInstanceCommand.ts index c69ecc0b4e20..e01f016d0efa 100644 --- a/clients/client-s3-control/src/commands/CreateAccessGrantsInstanceCommand.ts +++ b/clients/client-s3-control/src/commands/CreateAccessGrantsInstanceCommand.ts @@ -107,4 +107,16 @@ export class CreateAccessGrantsInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessGrantsInstanceCommand) .de(de_CreateAccessGrantsInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessGrantsInstanceRequest; + output: CreateAccessGrantsInstanceResult; + }; + sdk: { + input: CreateAccessGrantsInstanceCommandInput; + output: CreateAccessGrantsInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateAccessGrantsLocationCommand.ts b/clients/client-s3-control/src/commands/CreateAccessGrantsLocationCommand.ts index cbb72292c67d..e940b2d6852c 100644 --- a/clients/client-s3-control/src/commands/CreateAccessGrantsLocationCommand.ts +++ b/clients/client-s3-control/src/commands/CreateAccessGrantsLocationCommand.ts @@ -123,4 +123,16 @@ export class CreateAccessGrantsLocationCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessGrantsLocationCommand) .de(de_CreateAccessGrantsLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessGrantsLocationRequest; + output: CreateAccessGrantsLocationResult; + }; + sdk: { + input: CreateAccessGrantsLocationCommandInput; + output: CreateAccessGrantsLocationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateAccessPointCommand.ts b/clients/client-s3-control/src/commands/CreateAccessPointCommand.ts index a92ffd207266..2b7f3440d879 100644 --- a/clients/client-s3-control/src/commands/CreateAccessPointCommand.ts +++ b/clients/client-s3-control/src/commands/CreateAccessPointCommand.ts @@ -130,4 +130,16 @@ export class CreateAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessPointCommand) .de(de_CreateAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessPointRequest; + output: CreateAccessPointResult; + }; + sdk: { + input: CreateAccessPointCommandInput; + output: CreateAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateAccessPointForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/CreateAccessPointForObjectLambdaCommand.ts index 3ccce8ac6726..19cf2016be3b 100644 --- a/clients/client-s3-control/src/commands/CreateAccessPointForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/CreateAccessPointForObjectLambdaCommand.ts @@ -136,4 +136,16 @@ export class CreateAccessPointForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessPointForObjectLambdaCommand) .de(de_CreateAccessPointForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessPointForObjectLambdaRequest; + output: CreateAccessPointForObjectLambdaResult; + }; + sdk: { + input: CreateAccessPointForObjectLambdaCommandInput; + output: CreateAccessPointForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateBucketCommand.ts b/clients/client-s3-control/src/commands/CreateBucketCommand.ts index a9b3347b5940..2fc864ac74ab 100644 --- a/clients/client-s3-control/src/commands/CreateBucketCommand.ts +++ b/clients/client-s3-control/src/commands/CreateBucketCommand.ts @@ -158,4 +158,16 @@ export class CreateBucketCommand extends $Command .f(void 0, void 0) .ser(se_CreateBucketCommand) .de(de_CreateBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBucketRequest; + output: CreateBucketResult; + }; + sdk: { + input: CreateBucketCommandInput; + output: CreateBucketCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateJobCommand.ts b/clients/client-s3-control/src/commands/CreateJobCommand.ts index c05dfd3379b2..7ff0c6110bc1 100644 --- a/clients/client-s3-control/src/commands/CreateJobCommand.ts +++ b/clients/client-s3-control/src/commands/CreateJobCommand.ts @@ -312,4 +312,16 @@ export class CreateJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResult; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateMultiRegionAccessPointCommand.ts b/clients/client-s3-control/src/commands/CreateMultiRegionAccessPointCommand.ts index ea620119fbb7..14734cf0a9fb 100644 --- a/clients/client-s3-control/src/commands/CreateMultiRegionAccessPointCommand.ts +++ b/clients/client-s3-control/src/commands/CreateMultiRegionAccessPointCommand.ts @@ -140,4 +140,16 @@ export class CreateMultiRegionAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_CreateMultiRegionAccessPointCommand) .de(de_CreateMultiRegionAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMultiRegionAccessPointRequest; + output: CreateMultiRegionAccessPointResult; + }; + sdk: { + input: CreateMultiRegionAccessPointCommandInput; + output: CreateMultiRegionAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/CreateStorageLensGroupCommand.ts b/clients/client-s3-control/src/commands/CreateStorageLensGroupCommand.ts index 4d6f160945c2..ea68a34aba81 100644 --- a/clients/client-s3-control/src/commands/CreateStorageLensGroupCommand.ts +++ b/clients/client-s3-control/src/commands/CreateStorageLensGroupCommand.ts @@ -169,4 +169,16 @@ export class CreateStorageLensGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateStorageLensGroupCommand) .de(de_CreateStorageLensGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStorageLensGroupRequest; + output: {}; + }; + sdk: { + input: CreateStorageLensGroupCommandInput; + output: CreateStorageLensGroupCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessGrantCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessGrantCommand.ts index ed5e47d75c8b..1b4f489a46c8 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessGrantCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessGrantCommand.ts @@ -90,4 +90,16 @@ export class DeleteAccessGrantCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessGrantCommand) .de(de_DeleteAccessGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessGrantRequest; + output: {}; + }; + sdk: { + input: DeleteAccessGrantCommandInput; + output: DeleteAccessGrantCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceCommand.ts index c2d5fddb8cb4..f0b0d0e0498d 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceCommand.ts @@ -89,4 +89,16 @@ export class DeleteAccessGrantsInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessGrantsInstanceCommand) .de(de_DeleteAccessGrantsInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessGrantsInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteAccessGrantsInstanceCommandInput; + output: DeleteAccessGrantsInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceResourcePolicyCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceResourcePolicyCommand.ts index 8a2be5877a80..116c2ab5e729 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceResourcePolicyCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessGrantsInstanceResourcePolicyCommand.ts @@ -93,4 +93,16 @@ export class DeleteAccessGrantsInstanceResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessGrantsInstanceResourcePolicyCommand) .de(de_DeleteAccessGrantsInstanceResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessGrantsInstanceResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteAccessGrantsInstanceResourcePolicyCommandInput; + output: DeleteAccessGrantsInstanceResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessGrantsLocationCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessGrantsLocationCommand.ts index c4d2097bb696..2a56c155489f 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessGrantsLocationCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessGrantsLocationCommand.ts @@ -90,4 +90,16 @@ export class DeleteAccessGrantsLocationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessGrantsLocationCommand) .de(de_DeleteAccessGrantsLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessGrantsLocationRequest; + output: {}; + }; + sdk: { + input: DeleteAccessGrantsLocationCommandInput; + output: DeleteAccessGrantsLocationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessPointCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessPointCommand.ts index 8f8a0681c6b6..354aca2a20f6 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessPointCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessPointCommand.ts @@ -105,4 +105,16 @@ export class DeleteAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessPointCommand) .de(de_DeleteAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPointRequest; + output: {}; + }; + sdk: { + input: DeleteAccessPointCommandInput; + output: DeleteAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessPointForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessPointForObjectLambdaCommand.ts index 89aa655daed7..e6f1c8e28453 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessPointForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessPointForObjectLambdaCommand.ts @@ -107,4 +107,16 @@ export class DeleteAccessPointForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessPointForObjectLambdaCommand) .de(de_DeleteAccessPointForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPointForObjectLambdaRequest; + output: {}; + }; + sdk: { + input: DeleteAccessPointForObjectLambdaCommandInput; + output: DeleteAccessPointForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessPointPolicyCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessPointPolicyCommand.ts index f093b5d518e3..054261634b71 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessPointPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessPointPolicyCommand.ts @@ -101,4 +101,16 @@ export class DeleteAccessPointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessPointPolicyCommand) .de(de_DeleteAccessPointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPointPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteAccessPointPolicyCommandInput; + output: DeleteAccessPointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteAccessPointPolicyForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/DeleteAccessPointPolicyForObjectLambdaCommand.ts index 3eb99612ce68..8fcd7af0fc06 100644 --- a/clients/client-s3-control/src/commands/DeleteAccessPointPolicyForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteAccessPointPolicyForObjectLambdaCommand.ts @@ -103,4 +103,16 @@ export class DeleteAccessPointPolicyForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessPointPolicyForObjectLambdaCommand) .de(de_DeleteAccessPointPolicyForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessPointPolicyForObjectLambdaRequest; + output: {}; + }; + sdk: { + input: DeleteAccessPointPolicyForObjectLambdaCommandInput; + output: DeleteAccessPointPolicyForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteBucketCommand.ts b/clients/client-s3-control/src/commands/DeleteBucketCommand.ts index d704db8c18b9..c210f4e5bc56 100644 --- a/clients/client-s3-control/src/commands/DeleteBucketCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteBucketCommand.ts @@ -110,4 +110,16 @@ export class DeleteBucketCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketCommand) .de(de_DeleteBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketRequest; + output: {}; + }; + sdk: { + input: DeleteBucketCommandInput; + output: DeleteBucketCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteBucketLifecycleConfigurationCommand.ts b/clients/client-s3-control/src/commands/DeleteBucketLifecycleConfigurationCommand.ts index e00cbbcbbb02..2c9957a73e35 100644 --- a/clients/client-s3-control/src/commands/DeleteBucketLifecycleConfigurationCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteBucketLifecycleConfigurationCommand.ts @@ -114,4 +114,16 @@ export class DeleteBucketLifecycleConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketLifecycleConfigurationCommand) .de(de_DeleteBucketLifecycleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketLifecycleConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteBucketLifecycleConfigurationCommandInput; + output: DeleteBucketLifecycleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteBucketPolicyCommand.ts b/clients/client-s3-control/src/commands/DeleteBucketPolicyCommand.ts index 2a4f3608484a..4d495d549f48 100644 --- a/clients/client-s3-control/src/commands/DeleteBucketPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteBucketPolicyCommand.ts @@ -118,4 +118,16 @@ export class DeleteBucketPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketPolicyCommand) .de(de_DeleteBucketPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteBucketPolicyCommandInput; + output: DeleteBucketPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteBucketReplicationCommand.ts b/clients/client-s3-control/src/commands/DeleteBucketReplicationCommand.ts index b786b8fc418d..0226ec32cd34 100644 --- a/clients/client-s3-control/src/commands/DeleteBucketReplicationCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteBucketReplicationCommand.ts @@ -117,4 +117,16 @@ export class DeleteBucketReplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketReplicationCommand) .de(de_DeleteBucketReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketReplicationRequest; + output: {}; + }; + sdk: { + input: DeleteBucketReplicationCommandInput; + output: DeleteBucketReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteBucketTaggingCommand.ts b/clients/client-s3-control/src/commands/DeleteBucketTaggingCommand.ts index 00a6917605ce..7a781776ac9f 100644 --- a/clients/client-s3-control/src/commands/DeleteBucketTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteBucketTaggingCommand.ts @@ -105,4 +105,16 @@ export class DeleteBucketTaggingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketTaggingCommand) .de(de_DeleteBucketTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketTaggingRequest; + output: {}; + }; + sdk: { + input: DeleteBucketTaggingCommandInput; + output: DeleteBucketTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteJobTaggingCommand.ts b/clients/client-s3-control/src/commands/DeleteJobTaggingCommand.ts index d247a664858c..1afa0c256784 100644 --- a/clients/client-s3-control/src/commands/DeleteJobTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteJobTaggingCommand.ts @@ -119,4 +119,16 @@ export class DeleteJobTaggingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteJobTaggingCommand) .de(de_DeleteJobTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteJobTaggingRequest; + output: {}; + }; + sdk: { + input: DeleteJobTaggingCommandInput; + output: DeleteJobTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteMultiRegionAccessPointCommand.ts b/clients/client-s3-control/src/commands/DeleteMultiRegionAccessPointCommand.ts index 9ddd5ee01740..824f545a8a04 100644 --- a/clients/client-s3-control/src/commands/DeleteMultiRegionAccessPointCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteMultiRegionAccessPointCommand.ts @@ -128,4 +128,16 @@ export class DeleteMultiRegionAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMultiRegionAccessPointCommand) .de(de_DeleteMultiRegionAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMultiRegionAccessPointRequest; + output: DeleteMultiRegionAccessPointResult; + }; + sdk: { + input: DeleteMultiRegionAccessPointCommandInput; + output: DeleteMultiRegionAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeletePublicAccessBlockCommand.ts b/clients/client-s3-control/src/commands/DeletePublicAccessBlockCommand.ts index 07447c2601ba..277520c239fa 100644 --- a/clients/client-s3-control/src/commands/DeletePublicAccessBlockCommand.ts +++ b/clients/client-s3-control/src/commands/DeletePublicAccessBlockCommand.ts @@ -99,4 +99,16 @@ export class DeletePublicAccessBlockCommand extends $Command .f(void 0, void 0) .ser(se_DeletePublicAccessBlockCommand) .de(de_DeletePublicAccessBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePublicAccessBlockRequest; + output: {}; + }; + sdk: { + input: DeletePublicAccessBlockCommandInput; + output: DeletePublicAccessBlockCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationCommand.ts b/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationCommand.ts index 091a948ddf8d..02335ee3b3cd 100644 --- a/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationCommand.ts @@ -96,4 +96,16 @@ export class DeleteStorageLensConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStorageLensConfigurationCommand) .de(de_DeleteStorageLensConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStorageLensConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteStorageLensConfigurationCommandInput; + output: DeleteStorageLensConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationTaggingCommand.ts b/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationTaggingCommand.ts index 1ec1f94ff962..a4dcb874277c 100644 --- a/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteStorageLensConfigurationTaggingCommand.ts @@ -103,4 +103,16 @@ export class DeleteStorageLensConfigurationTaggingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStorageLensConfigurationTaggingCommand) .de(de_DeleteStorageLensConfigurationTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStorageLensConfigurationTaggingRequest; + output: {}; + }; + sdk: { + input: DeleteStorageLensConfigurationTaggingCommandInput; + output: DeleteStorageLensConfigurationTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DeleteStorageLensGroupCommand.ts b/clients/client-s3-control/src/commands/DeleteStorageLensGroupCommand.ts index d4f4823b6d81..6c1643d84f9c 100644 --- a/clients/client-s3-control/src/commands/DeleteStorageLensGroupCommand.ts +++ b/clients/client-s3-control/src/commands/DeleteStorageLensGroupCommand.ts @@ -88,4 +88,16 @@ export class DeleteStorageLensGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStorageLensGroupCommand) .de(de_DeleteStorageLensGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStorageLensGroupRequest; + output: {}; + }; + sdk: { + input: DeleteStorageLensGroupCommandInput; + output: DeleteStorageLensGroupCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DescribeJobCommand.ts b/clients/client-s3-control/src/commands/DescribeJobCommand.ts index a97cf4cacaa5..459f9dd63f63 100644 --- a/clients/client-s3-control/src/commands/DescribeJobCommand.ts +++ b/clients/client-s3-control/src/commands/DescribeJobCommand.ts @@ -328,4 +328,16 @@ export class DescribeJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeJobCommand) .de(de_DescribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobRequest; + output: DescribeJobResult; + }; + sdk: { + input: DescribeJobCommandInput; + output: DescribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DescribeMultiRegionAccessPointOperationCommand.ts b/clients/client-s3-control/src/commands/DescribeMultiRegionAccessPointOperationCommand.ts index 90b88e592a95..f8f3bf55415c 100644 --- a/clients/client-s3-control/src/commands/DescribeMultiRegionAccessPointOperationCommand.ts +++ b/clients/client-s3-control/src/commands/DescribeMultiRegionAccessPointOperationCommand.ts @@ -167,4 +167,16 @@ export class DescribeMultiRegionAccessPointOperationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMultiRegionAccessPointOperationCommand) .de(de_DescribeMultiRegionAccessPointOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMultiRegionAccessPointOperationRequest; + output: DescribeMultiRegionAccessPointOperationResult; + }; + sdk: { + input: DescribeMultiRegionAccessPointOperationCommandInput; + output: DescribeMultiRegionAccessPointOperationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/DissociateAccessGrantsIdentityCenterCommand.ts b/clients/client-s3-control/src/commands/DissociateAccessGrantsIdentityCenterCommand.ts index 7fe5332b01f8..29533750f4c5 100644 --- a/clients/client-s3-control/src/commands/DissociateAccessGrantsIdentityCenterCommand.ts +++ b/clients/client-s3-control/src/commands/DissociateAccessGrantsIdentityCenterCommand.ts @@ -96,4 +96,16 @@ export class DissociateAccessGrantsIdentityCenterCommand extends $Command .f(void 0, void 0) .ser(se_DissociateAccessGrantsIdentityCenterCommand) .de(de_DissociateAccessGrantsIdentityCenterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DissociateAccessGrantsIdentityCenterRequest; + output: {}; + }; + sdk: { + input: DissociateAccessGrantsIdentityCenterCommandInput; + output: DissociateAccessGrantsIdentityCenterCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessGrantCommand.ts b/clients/client-s3-control/src/commands/GetAccessGrantCommand.ts index 3566a839eb8b..b55147aa2a86 100644 --- a/clients/client-s3-control/src/commands/GetAccessGrantCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessGrantCommand.ts @@ -105,4 +105,16 @@ export class GetAccessGrantCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessGrantCommand) .de(de_GetAccessGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessGrantRequest; + output: GetAccessGrantResult; + }; + sdk: { + input: GetAccessGrantCommandInput; + output: GetAccessGrantCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessGrantsInstanceCommand.ts b/clients/client-s3-control/src/commands/GetAccessGrantsInstanceCommand.ts index 7f43f4a79971..f6410480564a 100644 --- a/clients/client-s3-control/src/commands/GetAccessGrantsInstanceCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessGrantsInstanceCommand.ts @@ -100,4 +100,16 @@ export class GetAccessGrantsInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessGrantsInstanceCommand) .de(de_GetAccessGrantsInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessGrantsInstanceRequest; + output: GetAccessGrantsInstanceResult; + }; + sdk: { + input: GetAccessGrantsInstanceCommandInput; + output: GetAccessGrantsInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessGrantsInstanceForPrefixCommand.ts b/clients/client-s3-control/src/commands/GetAccessGrantsInstanceForPrefixCommand.ts index 55cc1327f69a..fd5861c775c7 100644 --- a/clients/client-s3-control/src/commands/GetAccessGrantsInstanceForPrefixCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessGrantsInstanceForPrefixCommand.ts @@ -102,4 +102,16 @@ export class GetAccessGrantsInstanceForPrefixCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessGrantsInstanceForPrefixCommand) .de(de_GetAccessGrantsInstanceForPrefixCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessGrantsInstanceForPrefixRequest; + output: GetAccessGrantsInstanceForPrefixResult; + }; + sdk: { + input: GetAccessGrantsInstanceForPrefixCommandInput; + output: GetAccessGrantsInstanceForPrefixCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessGrantsInstanceResourcePolicyCommand.ts b/clients/client-s3-control/src/commands/GetAccessGrantsInstanceResourcePolicyCommand.ts index 0da9b86b0ee4..c848926b09fb 100644 --- a/clients/client-s3-control/src/commands/GetAccessGrantsInstanceResourcePolicyCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessGrantsInstanceResourcePolicyCommand.ts @@ -102,4 +102,16 @@ export class GetAccessGrantsInstanceResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessGrantsInstanceResourcePolicyCommand) .de(de_GetAccessGrantsInstanceResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessGrantsInstanceResourcePolicyRequest; + output: GetAccessGrantsInstanceResourcePolicyResult; + }; + sdk: { + input: GetAccessGrantsInstanceResourcePolicyCommandInput; + output: GetAccessGrantsInstanceResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessGrantsLocationCommand.ts b/clients/client-s3-control/src/commands/GetAccessGrantsLocationCommand.ts index 4d866d8ba543..b3287056e748 100644 --- a/clients/client-s3-control/src/commands/GetAccessGrantsLocationCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessGrantsLocationCommand.ts @@ -96,4 +96,16 @@ export class GetAccessGrantsLocationCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessGrantsLocationCommand) .de(de_GetAccessGrantsLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessGrantsLocationRequest; + output: GetAccessGrantsLocationResult; + }; + sdk: { + input: GetAccessGrantsLocationCommandInput; + output: GetAccessGrantsLocationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessPointCommand.ts b/clients/client-s3-control/src/commands/GetAccessPointCommand.ts index 222d37126274..117b1e6b26f1 100644 --- a/clients/client-s3-control/src/commands/GetAccessPointCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessPointCommand.ts @@ -126,4 +126,16 @@ export class GetAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPointCommand) .de(de_GetAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPointRequest; + output: GetAccessPointResult; + }; + sdk: { + input: GetAccessPointCommandInput; + output: GetAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessPointConfigurationForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/GetAccessPointConfigurationForObjectLambdaCommand.ts index 4bfd6f8cf947..eb56a8c45637 100644 --- a/clients/client-s3-control/src/commands/GetAccessPointConfigurationForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessPointConfigurationForObjectLambdaCommand.ts @@ -124,4 +124,16 @@ export class GetAccessPointConfigurationForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPointConfigurationForObjectLambdaCommand) .de(de_GetAccessPointConfigurationForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPointConfigurationForObjectLambdaRequest; + output: GetAccessPointConfigurationForObjectLambdaResult; + }; + sdk: { + input: GetAccessPointConfigurationForObjectLambdaCommandInput; + output: GetAccessPointConfigurationForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessPointForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/GetAccessPointForObjectLambdaCommand.ts index 38eab22094cb..d74390661563 100644 --- a/clients/client-s3-control/src/commands/GetAccessPointForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessPointForObjectLambdaCommand.ts @@ -121,4 +121,16 @@ export class GetAccessPointForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPointForObjectLambdaCommand) .de(de_GetAccessPointForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPointForObjectLambdaRequest; + output: GetAccessPointForObjectLambdaResult; + }; + sdk: { + input: GetAccessPointForObjectLambdaCommandInput; + output: GetAccessPointForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessPointPolicyCommand.ts b/clients/client-s3-control/src/commands/GetAccessPointPolicyCommand.ts index a176551d3c58..a04384e93726 100644 --- a/clients/client-s3-control/src/commands/GetAccessPointPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessPointPolicyCommand.ts @@ -101,4 +101,16 @@ export class GetAccessPointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPointPolicyCommand) .de(de_GetAccessPointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPointPolicyRequest; + output: GetAccessPointPolicyResult; + }; + sdk: { + input: GetAccessPointPolicyCommandInput; + output: GetAccessPointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessPointPolicyForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/GetAccessPointPolicyForObjectLambdaCommand.ts index 8ddc6f742e6a..e01b24799373 100644 --- a/clients/client-s3-control/src/commands/GetAccessPointPolicyForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessPointPolicyForObjectLambdaCommand.ts @@ -109,4 +109,16 @@ export class GetAccessPointPolicyForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPointPolicyForObjectLambdaCommand) .de(de_GetAccessPointPolicyForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPointPolicyForObjectLambdaRequest; + output: GetAccessPointPolicyForObjectLambdaResult; + }; + sdk: { + input: GetAccessPointPolicyForObjectLambdaCommandInput; + output: GetAccessPointPolicyForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusCommand.ts b/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusCommand.ts index a0eeb975b847..8f4991adb589 100644 --- a/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusCommand.ts @@ -92,4 +92,16 @@ export class GetAccessPointPolicyStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPointPolicyStatusCommand) .de(de_GetAccessPointPolicyStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPointPolicyStatusRequest; + output: GetAccessPointPolicyStatusResult; + }; + sdk: { + input: GetAccessPointPolicyStatusCommandInput; + output: GetAccessPointPolicyStatusCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusForObjectLambdaCommand.ts index 83d8d65d9c46..0df5dcd63009 100644 --- a/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/GetAccessPointPolicyStatusForObjectLambdaCommand.ts @@ -98,4 +98,16 @@ export class GetAccessPointPolicyStatusForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessPointPolicyStatusForObjectLambdaCommand) .de(de_GetAccessPointPolicyStatusForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessPointPolicyStatusForObjectLambdaRequest; + output: GetAccessPointPolicyStatusForObjectLambdaResult; + }; + sdk: { + input: GetAccessPointPolicyStatusForObjectLambdaCommandInput; + output: GetAccessPointPolicyStatusForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetBucketCommand.ts b/clients/client-s3-control/src/commands/GetBucketCommand.ts index 9d7044a0a408..3a7c30c51763 100644 --- a/clients/client-s3-control/src/commands/GetBucketCommand.ts +++ b/clients/client-s3-control/src/commands/GetBucketCommand.ts @@ -115,4 +115,16 @@ export class GetBucketCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketCommand) .de(de_GetBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketRequest; + output: GetBucketResult; + }; + sdk: { + input: GetBucketCommandInput; + output: GetBucketCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetBucketLifecycleConfigurationCommand.ts b/clients/client-s3-control/src/commands/GetBucketLifecycleConfigurationCommand.ts index 3532494f80c6..f0df9804b44e 100644 --- a/clients/client-s3-control/src/commands/GetBucketLifecycleConfigurationCommand.ts +++ b/clients/client-s3-control/src/commands/GetBucketLifecycleConfigurationCommand.ts @@ -187,4 +187,16 @@ export class GetBucketLifecycleConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketLifecycleConfigurationCommand) .de(de_GetBucketLifecycleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketLifecycleConfigurationRequest; + output: GetBucketLifecycleConfigurationResult; + }; + sdk: { + input: GetBucketLifecycleConfigurationCommandInput; + output: GetBucketLifecycleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetBucketPolicyCommand.ts b/clients/client-s3-control/src/commands/GetBucketPolicyCommand.ts index 61d9b3047cbd..f43c4877c6b2 100644 --- a/clients/client-s3-control/src/commands/GetBucketPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/GetBucketPolicyCommand.ts @@ -125,4 +125,16 @@ export class GetBucketPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketPolicyCommand) .de(de_GetBucketPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketPolicyRequest; + output: GetBucketPolicyResult; + }; + sdk: { + input: GetBucketPolicyCommandInput; + output: GetBucketPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetBucketReplicationCommand.ts b/clients/client-s3-control/src/commands/GetBucketReplicationCommand.ts index 0d7f3e587747..9124bef859f7 100644 --- a/clients/client-s3-control/src/commands/GetBucketReplicationCommand.ts +++ b/clients/client-s3-control/src/commands/GetBucketReplicationCommand.ts @@ -190,4 +190,16 @@ export class GetBucketReplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketReplicationCommand) .de(de_GetBucketReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketReplicationRequest; + output: GetBucketReplicationResult; + }; + sdk: { + input: GetBucketReplicationCommandInput; + output: GetBucketReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetBucketTaggingCommand.ts b/clients/client-s3-control/src/commands/GetBucketTaggingCommand.ts index 57c95f2c2cca..01b83876031a 100644 --- a/clients/client-s3-control/src/commands/GetBucketTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/GetBucketTaggingCommand.ts @@ -126,4 +126,16 @@ export class GetBucketTaggingCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketTaggingCommand) .de(de_GetBucketTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketTaggingRequest; + output: GetBucketTaggingResult; + }; + sdk: { + input: GetBucketTaggingCommandInput; + output: GetBucketTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetBucketVersioningCommand.ts b/clients/client-s3-control/src/commands/GetBucketVersioningCommand.ts index 0e8ba79b750e..45952433e995 100644 --- a/clients/client-s3-control/src/commands/GetBucketVersioningCommand.ts +++ b/clients/client-s3-control/src/commands/GetBucketVersioningCommand.ts @@ -123,4 +123,16 @@ export class GetBucketVersioningCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketVersioningCommand) .de(de_GetBucketVersioningCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketVersioningRequest; + output: GetBucketVersioningResult; + }; + sdk: { + input: GetBucketVersioningCommandInput; + output: GetBucketVersioningCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetDataAccessCommand.ts b/clients/client-s3-control/src/commands/GetDataAccessCommand.ts index c65c10bfe16d..b3ed5d2e8302 100644 --- a/clients/client-s3-control/src/commands/GetDataAccessCommand.ts +++ b/clients/client-s3-control/src/commands/GetDataAccessCommand.ts @@ -106,4 +106,16 @@ export class GetDataAccessCommand extends $Command .f(void 0, GetDataAccessResultFilterSensitiveLog) .ser(se_GetDataAccessCommand) .de(de_GetDataAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataAccessRequest; + output: GetDataAccessResult; + }; + sdk: { + input: GetDataAccessCommandInput; + output: GetDataAccessCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetJobTaggingCommand.ts b/clients/client-s3-control/src/commands/GetJobTaggingCommand.ts index ba103116f125..be7f93c4808a 100644 --- a/clients/client-s3-control/src/commands/GetJobTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/GetJobTaggingCommand.ts @@ -126,4 +126,16 @@ export class GetJobTaggingCommand extends $Command .f(void 0, void 0) .ser(se_GetJobTaggingCommand) .de(de_GetJobTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobTaggingRequest; + output: GetJobTaggingResult; + }; + sdk: { + input: GetJobTaggingCommandInput; + output: GetJobTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointCommand.ts b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointCommand.ts index 798cb54dd985..d6e1cdaa740f 100644 --- a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointCommand.ts +++ b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointCommand.ts @@ -133,4 +133,16 @@ export class GetMultiRegionAccessPointCommand extends $Command .f(void 0, void 0) .ser(se_GetMultiRegionAccessPointCommand) .de(de_GetMultiRegionAccessPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMultiRegionAccessPointRequest; + output: GetMultiRegionAccessPointResult; + }; + sdk: { + input: GetMultiRegionAccessPointCommandInput; + output: GetMultiRegionAccessPointCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyCommand.ts b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyCommand.ts index a10ced977f69..05607c9dfca6 100644 --- a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyCommand.ts @@ -118,4 +118,16 @@ export class GetMultiRegionAccessPointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetMultiRegionAccessPointPolicyCommand) .de(de_GetMultiRegionAccessPointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMultiRegionAccessPointPolicyRequest; + output: GetMultiRegionAccessPointPolicyResult; + }; + sdk: { + input: GetMultiRegionAccessPointPolicyCommandInput; + output: GetMultiRegionAccessPointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyStatusCommand.ts b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyStatusCommand.ts index 3d2543f31066..c668d92c8cc4 100644 --- a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyStatusCommand.ts +++ b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointPolicyStatusCommand.ts @@ -118,4 +118,16 @@ export class GetMultiRegionAccessPointPolicyStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetMultiRegionAccessPointPolicyStatusCommand) .de(de_GetMultiRegionAccessPointPolicyStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMultiRegionAccessPointPolicyStatusRequest; + output: GetMultiRegionAccessPointPolicyStatusResult; + }; + sdk: { + input: GetMultiRegionAccessPointPolicyStatusCommandInput; + output: GetMultiRegionAccessPointPolicyStatusCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointRoutesCommand.ts b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointRoutesCommand.ts index 3c2d0a779075..6a6bdffa12d5 100644 --- a/clients/client-s3-control/src/commands/GetMultiRegionAccessPointRoutesCommand.ts +++ b/clients/client-s3-control/src/commands/GetMultiRegionAccessPointRoutesCommand.ts @@ -131,4 +131,16 @@ export class GetMultiRegionAccessPointRoutesCommand extends $Command .f(void 0, void 0) .ser(se_GetMultiRegionAccessPointRoutesCommand) .de(de_GetMultiRegionAccessPointRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMultiRegionAccessPointRoutesRequest; + output: GetMultiRegionAccessPointRoutesResult; + }; + sdk: { + input: GetMultiRegionAccessPointRoutesCommandInput; + output: GetMultiRegionAccessPointRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetPublicAccessBlockCommand.ts b/clients/client-s3-control/src/commands/GetPublicAccessBlockCommand.ts index 18c9abf6c9c4..0abe50cf2198 100644 --- a/clients/client-s3-control/src/commands/GetPublicAccessBlockCommand.ts +++ b/clients/client-s3-control/src/commands/GetPublicAccessBlockCommand.ts @@ -111,4 +111,16 @@ export class GetPublicAccessBlockCommand extends $Command .f(void 0, void 0) .ser(se_GetPublicAccessBlockCommand) .de(de_GetPublicAccessBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicAccessBlockRequest; + output: GetPublicAccessBlockOutput; + }; + sdk: { + input: GetPublicAccessBlockCommandInput; + output: GetPublicAccessBlockCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetStorageLensConfigurationCommand.ts b/clients/client-s3-control/src/commands/GetStorageLensConfigurationCommand.ts index 5b800df7fcb2..3a6992e0e502 100644 --- a/clients/client-s3-control/src/commands/GetStorageLensConfigurationCommand.ts +++ b/clients/client-s3-control/src/commands/GetStorageLensConfigurationCommand.ts @@ -183,4 +183,16 @@ export class GetStorageLensConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetStorageLensConfigurationCommand) .de(de_GetStorageLensConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStorageLensConfigurationRequest; + output: GetStorageLensConfigurationResult; + }; + sdk: { + input: GetStorageLensConfigurationCommandInput; + output: GetStorageLensConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetStorageLensConfigurationTaggingCommand.ts b/clients/client-s3-control/src/commands/GetStorageLensConfigurationTaggingCommand.ts index 90bdc7d26378..ace1bf6ae03e 100644 --- a/clients/client-s3-control/src/commands/GetStorageLensConfigurationTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/GetStorageLensConfigurationTaggingCommand.ts @@ -109,4 +109,16 @@ export class GetStorageLensConfigurationTaggingCommand extends $Command .f(void 0, void 0) .ser(se_GetStorageLensConfigurationTaggingCommand) .de(de_GetStorageLensConfigurationTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStorageLensConfigurationTaggingRequest; + output: GetStorageLensConfigurationTaggingResult; + }; + sdk: { + input: GetStorageLensConfigurationTaggingCommandInput; + output: GetStorageLensConfigurationTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/GetStorageLensGroupCommand.ts b/clients/client-s3-control/src/commands/GetStorageLensGroupCommand.ts index 5d66cce13bea..31bb03311fb2 100644 --- a/clients/client-s3-control/src/commands/GetStorageLensGroupCommand.ts +++ b/clients/client-s3-control/src/commands/GetStorageLensGroupCommand.ts @@ -159,4 +159,16 @@ export class GetStorageLensGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetStorageLensGroupCommand) .de(de_GetStorageLensGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetStorageLensGroupRequest; + output: GetStorageLensGroupResult; + }; + sdk: { + input: GetStorageLensGroupCommandInput; + output: GetStorageLensGroupCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListAccessGrantsCommand.ts b/clients/client-s3-control/src/commands/ListAccessGrantsCommand.ts index 8adb347bea58..bce8cb62ddc8 100644 --- a/clients/client-s3-control/src/commands/ListAccessGrantsCommand.ts +++ b/clients/client-s3-control/src/commands/ListAccessGrantsCommand.ts @@ -116,4 +116,16 @@ export class ListAccessGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessGrantsCommand) .de(de_ListAccessGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessGrantsRequest; + output: ListAccessGrantsResult; + }; + sdk: { + input: ListAccessGrantsCommandInput; + output: ListAccessGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListAccessGrantsInstancesCommand.ts b/clients/client-s3-control/src/commands/ListAccessGrantsInstancesCommand.ts index 8f6331ffb75f..c59541984622 100644 --- a/clients/client-s3-control/src/commands/ListAccessGrantsInstancesCommand.ts +++ b/clients/client-s3-control/src/commands/ListAccessGrantsInstancesCommand.ts @@ -103,4 +103,16 @@ export class ListAccessGrantsInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessGrantsInstancesCommand) .de(de_ListAccessGrantsInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessGrantsInstancesRequest; + output: ListAccessGrantsInstancesResult; + }; + sdk: { + input: ListAccessGrantsInstancesCommandInput; + output: ListAccessGrantsInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListAccessGrantsLocationsCommand.ts b/clients/client-s3-control/src/commands/ListAccessGrantsLocationsCommand.ts index 69995b36fae5..aaf00b7b8ad4 100644 --- a/clients/client-s3-control/src/commands/ListAccessGrantsLocationsCommand.ts +++ b/clients/client-s3-control/src/commands/ListAccessGrantsLocationsCommand.ts @@ -103,4 +103,16 @@ export class ListAccessGrantsLocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessGrantsLocationsCommand) .de(de_ListAccessGrantsLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessGrantsLocationsRequest; + output: ListAccessGrantsLocationsResult; + }; + sdk: { + input: ListAccessGrantsLocationsCommandInput; + output: ListAccessGrantsLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListAccessPointsCommand.ts b/clients/client-s3-control/src/commands/ListAccessPointsCommand.ts index f84af9a967b8..ec2d735f47d9 100644 --- a/clients/client-s3-control/src/commands/ListAccessPointsCommand.ts +++ b/clients/client-s3-control/src/commands/ListAccessPointsCommand.ts @@ -130,4 +130,16 @@ export class ListAccessPointsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessPointsCommand) .de(de_ListAccessPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessPointsRequest; + output: ListAccessPointsResult; + }; + sdk: { + input: ListAccessPointsCommandInput; + output: ListAccessPointsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListAccessPointsForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/ListAccessPointsForObjectLambdaCommand.ts index b266b85cb2a4..0ad24652aba4 100644 --- a/clients/client-s3-control/src/commands/ListAccessPointsForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/ListAccessPointsForObjectLambdaCommand.ts @@ -124,4 +124,16 @@ export class ListAccessPointsForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessPointsForObjectLambdaCommand) .de(de_ListAccessPointsForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessPointsForObjectLambdaRequest; + output: ListAccessPointsForObjectLambdaResult; + }; + sdk: { + input: ListAccessPointsForObjectLambdaCommandInput; + output: ListAccessPointsForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListCallerAccessGrantsCommand.ts b/clients/client-s3-control/src/commands/ListCallerAccessGrantsCommand.ts index f6a0fe5bd24c..136d0efe5ebb 100644 --- a/clients/client-s3-control/src/commands/ListCallerAccessGrantsCommand.ts +++ b/clients/client-s3-control/src/commands/ListCallerAccessGrantsCommand.ts @@ -102,4 +102,16 @@ export class ListCallerAccessGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListCallerAccessGrantsCommand) .de(de_ListCallerAccessGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCallerAccessGrantsRequest; + output: ListCallerAccessGrantsResult; + }; + sdk: { + input: ListCallerAccessGrantsCommandInput; + output: ListCallerAccessGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListJobsCommand.ts b/clients/client-s3-control/src/commands/ListJobsCommand.ts index 89f8d491e41b..24948ade6b9f 100644 --- a/clients/client-s3-control/src/commands/ListJobsCommand.ts +++ b/clients/client-s3-control/src/commands/ListJobsCommand.ts @@ -149,4 +149,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResult; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListMultiRegionAccessPointsCommand.ts b/clients/client-s3-control/src/commands/ListMultiRegionAccessPointsCommand.ts index b9393b71fc48..296d01a9f19e 100644 --- a/clients/client-s3-control/src/commands/ListMultiRegionAccessPointsCommand.ts +++ b/clients/client-s3-control/src/commands/ListMultiRegionAccessPointsCommand.ts @@ -139,4 +139,16 @@ export class ListMultiRegionAccessPointsCommand extends $Command .f(void 0, void 0) .ser(se_ListMultiRegionAccessPointsCommand) .de(de_ListMultiRegionAccessPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMultiRegionAccessPointsRequest; + output: ListMultiRegionAccessPointsResult; + }; + sdk: { + input: ListMultiRegionAccessPointsCommandInput; + output: ListMultiRegionAccessPointsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListRegionalBucketsCommand.ts b/clients/client-s3-control/src/commands/ListRegionalBucketsCommand.ts index 52cc5a5c0835..507dbc1761c1 100644 --- a/clients/client-s3-control/src/commands/ListRegionalBucketsCommand.ts +++ b/clients/client-s3-control/src/commands/ListRegionalBucketsCommand.ts @@ -103,4 +103,16 @@ export class ListRegionalBucketsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegionalBucketsCommand) .de(de_ListRegionalBucketsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegionalBucketsRequest; + output: ListRegionalBucketsResult; + }; + sdk: { + input: ListRegionalBucketsCommandInput; + output: ListRegionalBucketsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListStorageLensConfigurationsCommand.ts b/clients/client-s3-control/src/commands/ListStorageLensConfigurationsCommand.ts index 1975f286c071..912a9db4ab2d 100644 --- a/clients/client-s3-control/src/commands/ListStorageLensConfigurationsCommand.ts +++ b/clients/client-s3-control/src/commands/ListStorageLensConfigurationsCommand.ts @@ -110,4 +110,16 @@ export class ListStorageLensConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListStorageLensConfigurationsCommand) .de(de_ListStorageLensConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStorageLensConfigurationsRequest; + output: ListStorageLensConfigurationsResult; + }; + sdk: { + input: ListStorageLensConfigurationsCommandInput; + output: ListStorageLensConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListStorageLensGroupsCommand.ts b/clients/client-s3-control/src/commands/ListStorageLensGroupsCommand.ts index a41ed3bf324c..28fefcd5dddb 100644 --- a/clients/client-s3-control/src/commands/ListStorageLensGroupsCommand.ts +++ b/clients/client-s3-control/src/commands/ListStorageLensGroupsCommand.ts @@ -98,4 +98,16 @@ export class ListStorageLensGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListStorageLensGroupsCommand) .de(de_ListStorageLensGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStorageLensGroupsRequest; + output: ListStorageLensGroupsResult; + }; + sdk: { + input: ListStorageLensGroupsCommandInput; + output: ListStorageLensGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/ListTagsForResourceCommand.ts b/clients/client-s3-control/src/commands/ListTagsForResourceCommand.ts index c62f0a53fd15..e31894562cae 100644 --- a/clients/client-s3-control/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-s3-control/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutAccessGrantsInstanceResourcePolicyCommand.ts b/clients/client-s3-control/src/commands/PutAccessGrantsInstanceResourcePolicyCommand.ts index 8639970bc1e1..17dd9293b4c4 100644 --- a/clients/client-s3-control/src/commands/PutAccessGrantsInstanceResourcePolicyCommand.ts +++ b/clients/client-s3-control/src/commands/PutAccessGrantsInstanceResourcePolicyCommand.ts @@ -104,4 +104,16 @@ export class PutAccessGrantsInstanceResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutAccessGrantsInstanceResourcePolicyCommand) .de(de_PutAccessGrantsInstanceResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccessGrantsInstanceResourcePolicyRequest; + output: PutAccessGrantsInstanceResourcePolicyResult; + }; + sdk: { + input: PutAccessGrantsInstanceResourcePolicyCommandInput; + output: PutAccessGrantsInstanceResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutAccessPointConfigurationForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/PutAccessPointConfigurationForObjectLambdaCommand.ts index 6e9c094c00e8..3de0e7bfe50b 100644 --- a/clients/client-s3-control/src/commands/PutAccessPointConfigurationForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/PutAccessPointConfigurationForObjectLambdaCommand.ts @@ -118,4 +118,16 @@ export class PutAccessPointConfigurationForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_PutAccessPointConfigurationForObjectLambdaCommand) .de(de_PutAccessPointConfigurationForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccessPointConfigurationForObjectLambdaRequest; + output: {}; + }; + sdk: { + input: PutAccessPointConfigurationForObjectLambdaCommandInput; + output: PutAccessPointConfigurationForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutAccessPointPolicyCommand.ts b/clients/client-s3-control/src/commands/PutAccessPointPolicyCommand.ts index a34c556ff412..362d6a752363 100644 --- a/clients/client-s3-control/src/commands/PutAccessPointPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/PutAccessPointPolicyCommand.ts @@ -104,4 +104,16 @@ export class PutAccessPointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutAccessPointPolicyCommand) .de(de_PutAccessPointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccessPointPolicyRequest; + output: {}; + }; + sdk: { + input: PutAccessPointPolicyCommandInput; + output: PutAccessPointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutAccessPointPolicyForObjectLambdaCommand.ts b/clients/client-s3-control/src/commands/PutAccessPointPolicyForObjectLambdaCommand.ts index bfe653acdca4..6778ed4772a6 100644 --- a/clients/client-s3-control/src/commands/PutAccessPointPolicyForObjectLambdaCommand.ts +++ b/clients/client-s3-control/src/commands/PutAccessPointPolicyForObjectLambdaCommand.ts @@ -103,4 +103,16 @@ export class PutAccessPointPolicyForObjectLambdaCommand extends $Command .f(void 0, void 0) .ser(se_PutAccessPointPolicyForObjectLambdaCommand) .de(de_PutAccessPointPolicyForObjectLambdaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccessPointPolicyForObjectLambdaRequest; + output: {}; + }; + sdk: { + input: PutAccessPointPolicyForObjectLambdaCommandInput; + output: PutAccessPointPolicyForObjectLambdaCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutBucketLifecycleConfigurationCommand.ts b/clients/client-s3-control/src/commands/PutBucketLifecycleConfigurationCommand.ts index 0ac8d7b1c167..91cbe2a8ac35 100644 --- a/clients/client-s3-control/src/commands/PutBucketLifecycleConfigurationCommand.ts +++ b/clients/client-s3-control/src/commands/PutBucketLifecycleConfigurationCommand.ts @@ -165,4 +165,16 @@ export class PutBucketLifecycleConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketLifecycleConfigurationCommand) .de(de_PutBucketLifecycleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketLifecycleConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketLifecycleConfigurationCommandInput; + output: PutBucketLifecycleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutBucketPolicyCommand.ts b/clients/client-s3-control/src/commands/PutBucketPolicyCommand.ts index 58e1dc96bae3..ef3aedea9108 100644 --- a/clients/client-s3-control/src/commands/PutBucketPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/PutBucketPolicyCommand.ts @@ -122,4 +122,16 @@ export class PutBucketPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketPolicyCommand) .de(de_PutBucketPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketPolicyRequest; + output: {}; + }; + sdk: { + input: PutBucketPolicyCommandInput; + output: PutBucketPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutBucketReplicationCommand.ts b/clients/client-s3-control/src/commands/PutBucketReplicationCommand.ts index 59df66c8da31..bed847f3e07b 100644 --- a/clients/client-s3-control/src/commands/PutBucketReplicationCommand.ts +++ b/clients/client-s3-control/src/commands/PutBucketReplicationCommand.ts @@ -231,4 +231,16 @@ export class PutBucketReplicationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketReplicationCommand) .de(de_PutBucketReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketReplicationRequest; + output: {}; + }; + sdk: { + input: PutBucketReplicationCommandInput; + output: PutBucketReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutBucketTaggingCommand.ts b/clients/client-s3-control/src/commands/PutBucketTaggingCommand.ts index 2bcb3b0e524e..3d27bae2381f 100644 --- a/clients/client-s3-control/src/commands/PutBucketTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/PutBucketTaggingCommand.ts @@ -175,4 +175,16 @@ export class PutBucketTaggingCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketTaggingCommand) .de(de_PutBucketTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketTaggingRequest; + output: {}; + }; + sdk: { + input: PutBucketTaggingCommandInput; + output: PutBucketTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutBucketVersioningCommand.ts b/clients/client-s3-control/src/commands/PutBucketVersioningCommand.ts index 1c6b71620100..35d7d5af3064 100644 --- a/clients/client-s3-control/src/commands/PutBucketVersioningCommand.ts +++ b/clients/client-s3-control/src/commands/PutBucketVersioningCommand.ts @@ -151,4 +151,16 @@ export class PutBucketVersioningCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketVersioningCommand) .de(de_PutBucketVersioningCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketVersioningRequest; + output: {}; + }; + sdk: { + input: PutBucketVersioningCommandInput; + output: PutBucketVersioningCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutJobTaggingCommand.ts b/clients/client-s3-control/src/commands/PutJobTaggingCommand.ts index 800fcfa5322e..7064c0014f0c 100644 --- a/clients/client-s3-control/src/commands/PutJobTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/PutJobTaggingCommand.ts @@ -168,4 +168,16 @@ export class PutJobTaggingCommand extends $Command .f(void 0, void 0) .ser(se_PutJobTaggingCommand) .de(de_PutJobTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutJobTaggingRequest; + output: {}; + }; + sdk: { + input: PutJobTaggingCommandInput; + output: PutJobTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutMultiRegionAccessPointPolicyCommand.ts b/clients/client-s3-control/src/commands/PutMultiRegionAccessPointPolicyCommand.ts index f8ba33177525..df441c6bb370 100644 --- a/clients/client-s3-control/src/commands/PutMultiRegionAccessPointPolicyCommand.ts +++ b/clients/client-s3-control/src/commands/PutMultiRegionAccessPointPolicyCommand.ts @@ -117,4 +117,16 @@ export class PutMultiRegionAccessPointPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutMultiRegionAccessPointPolicyCommand) .de(de_PutMultiRegionAccessPointPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMultiRegionAccessPointPolicyRequest; + output: PutMultiRegionAccessPointPolicyResult; + }; + sdk: { + input: PutMultiRegionAccessPointPolicyCommandInput; + output: PutMultiRegionAccessPointPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutPublicAccessBlockCommand.ts b/clients/client-s3-control/src/commands/PutPublicAccessBlockCommand.ts index d3862bb0e569..f97bbc424589 100644 --- a/clients/client-s3-control/src/commands/PutPublicAccessBlockCommand.ts +++ b/clients/client-s3-control/src/commands/PutPublicAccessBlockCommand.ts @@ -106,4 +106,16 @@ export class PutPublicAccessBlockCommand extends $Command .f(void 0, void 0) .ser(se_PutPublicAccessBlockCommand) .de(de_PutPublicAccessBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPublicAccessBlockRequest; + output: {}; + }; + sdk: { + input: PutPublicAccessBlockCommandInput; + output: PutPublicAccessBlockCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutStorageLensConfigurationCommand.ts b/clients/client-s3-control/src/commands/PutStorageLensConfigurationCommand.ts index 383f278f1980..6022700805dd 100644 --- a/clients/client-s3-control/src/commands/PutStorageLensConfigurationCommand.ts +++ b/clients/client-s3-control/src/commands/PutStorageLensConfigurationCommand.ts @@ -187,4 +187,16 @@ export class PutStorageLensConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutStorageLensConfigurationCommand) .de(de_PutStorageLensConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutStorageLensConfigurationRequest; + output: {}; + }; + sdk: { + input: PutStorageLensConfigurationCommandInput; + output: PutStorageLensConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/PutStorageLensConfigurationTaggingCommand.ts b/clients/client-s3-control/src/commands/PutStorageLensConfigurationTaggingCommand.ts index 52bd8a61e09b..409916d8f939 100644 --- a/clients/client-s3-control/src/commands/PutStorageLensConfigurationTaggingCommand.ts +++ b/clients/client-s3-control/src/commands/PutStorageLensConfigurationTaggingCommand.ts @@ -107,4 +107,16 @@ export class PutStorageLensConfigurationTaggingCommand extends $Command .f(void 0, void 0) .ser(se_PutStorageLensConfigurationTaggingCommand) .de(de_PutStorageLensConfigurationTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutStorageLensConfigurationTaggingRequest; + output: {}; + }; + sdk: { + input: PutStorageLensConfigurationTaggingCommandInput; + output: PutStorageLensConfigurationTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/SubmitMultiRegionAccessPointRoutesCommand.ts b/clients/client-s3-control/src/commands/SubmitMultiRegionAccessPointRoutesCommand.ts index 48259a5ef788..b8f8fccdaa5e 100644 --- a/clients/client-s3-control/src/commands/SubmitMultiRegionAccessPointRoutesCommand.ts +++ b/clients/client-s3-control/src/commands/SubmitMultiRegionAccessPointRoutesCommand.ts @@ -144,4 +144,16 @@ export class SubmitMultiRegionAccessPointRoutesCommand extends $Command .f(void 0, void 0) .ser(se_SubmitMultiRegionAccessPointRoutesCommand) .de(de_SubmitMultiRegionAccessPointRoutesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubmitMultiRegionAccessPointRoutesRequest; + output: {}; + }; + sdk: { + input: SubmitMultiRegionAccessPointRoutesCommandInput; + output: SubmitMultiRegionAccessPointRoutesCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/TagResourceCommand.ts b/clients/client-s3-control/src/commands/TagResourceCommand.ts index 51a84ef5daa7..892bdacfed95 100644 --- a/clients/client-s3-control/src/commands/TagResourceCommand.ts +++ b/clients/client-s3-control/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/UntagResourceCommand.ts b/clients/client-s3-control/src/commands/UntagResourceCommand.ts index 6a3d98de09a0..f1de33f41aec 100644 --- a/clients/client-s3-control/src/commands/UntagResourceCommand.ts +++ b/clients/client-s3-control/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/UpdateAccessGrantsLocationCommand.ts b/clients/client-s3-control/src/commands/UpdateAccessGrantsLocationCommand.ts index ed84d10dca02..6a9119b21556 100644 --- a/clients/client-s3-control/src/commands/UpdateAccessGrantsLocationCommand.ts +++ b/clients/client-s3-control/src/commands/UpdateAccessGrantsLocationCommand.ts @@ -102,4 +102,16 @@ export class UpdateAccessGrantsLocationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessGrantsLocationCommand) .de(de_UpdateAccessGrantsLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessGrantsLocationRequest; + output: UpdateAccessGrantsLocationResult; + }; + sdk: { + input: UpdateAccessGrantsLocationCommandInput; + output: UpdateAccessGrantsLocationCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/UpdateJobPriorityCommand.ts b/clients/client-s3-control/src/commands/UpdateJobPriorityCommand.ts index 61f20f72a6b0..26bea84ad185 100644 --- a/clients/client-s3-control/src/commands/UpdateJobPriorityCommand.ts +++ b/clients/client-s3-control/src/commands/UpdateJobPriorityCommand.ts @@ -129,4 +129,16 @@ export class UpdateJobPriorityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobPriorityCommand) .de(de_UpdateJobPriorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobPriorityRequest; + output: UpdateJobPriorityResult; + }; + sdk: { + input: UpdateJobPriorityCommandInput; + output: UpdateJobPriorityCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/UpdateJobStatusCommand.ts b/clients/client-s3-control/src/commands/UpdateJobStatusCommand.ts index 3665999796be..327d08b8009c 100644 --- a/clients/client-s3-control/src/commands/UpdateJobStatusCommand.ts +++ b/clients/client-s3-control/src/commands/UpdateJobStatusCommand.ts @@ -135,4 +135,16 @@ export class UpdateJobStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobStatusCommand) .de(de_UpdateJobStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobStatusRequest; + output: UpdateJobStatusResult; + }; + sdk: { + input: UpdateJobStatusCommandInput; + output: UpdateJobStatusCommandOutput; + }; + }; +} diff --git a/clients/client-s3-control/src/commands/UpdateStorageLensGroupCommand.ts b/clients/client-s3-control/src/commands/UpdateStorageLensGroupCommand.ts index 4448432b0e15..d88e3e732e28 100644 --- a/clients/client-s3-control/src/commands/UpdateStorageLensGroupCommand.ts +++ b/clients/client-s3-control/src/commands/UpdateStorageLensGroupCommand.ts @@ -158,4 +158,16 @@ export class UpdateStorageLensGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStorageLensGroupCommand) .de(de_UpdateStorageLensGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStorageLensGroupRequest; + output: {}; + }; + sdk: { + input: UpdateStorageLensGroupCommandInput; + output: UpdateStorageLensGroupCommandOutput; + }; + }; +} diff --git a/clients/client-s3/package.json b/clients/client-s3/package.json index 8e14051a3e28..5e4191ebec43 100644 --- a/clients/client-s3/package.json +++ b/clients/client-s3/package.json @@ -47,39 +47,39 @@ "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", "@aws-sdk/xml-builder": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-blob-browser": "^3.1.3", - "@smithy/hash-node": "^3.0.4", - "@smithy/hash-stream-node": "^3.1.3", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/md5-js": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-blob-browser": "^3.1.5", + "@smithy/hash-node": "^3.0.6", + "@smithy/hash-stream-node": "^3.1.5", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/md5-js": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-s3/src/commands/AbortMultipartUploadCommand.ts b/clients/client-s3/src/commands/AbortMultipartUploadCommand.ts index 60c9ce5342df..12bed0819eef 100644 --- a/clients/client-s3/src/commands/AbortMultipartUploadCommand.ts +++ b/clients/client-s3/src/commands/AbortMultipartUploadCommand.ts @@ -187,4 +187,16 @@ export class AbortMultipartUploadCommand extends $Command .f(void 0, void 0) .ser(se_AbortMultipartUploadCommand) .de(de_AbortMultipartUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AbortMultipartUploadRequest; + output: AbortMultipartUploadOutput; + }; + sdk: { + input: AbortMultipartUploadCommandInput; + output: AbortMultipartUploadCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts b/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts index 21aea076fb09..4e52b16c1754 100644 --- a/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts +++ b/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts @@ -322,4 +322,16 @@ export class CompleteMultipartUploadCommand extends $Command .f(CompleteMultipartUploadRequestFilterSensitiveLog, CompleteMultipartUploadOutputFilterSensitiveLog) .ser(se_CompleteMultipartUploadCommand) .de(de_CompleteMultipartUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CompleteMultipartUploadRequest; + output: CompleteMultipartUploadOutput; + }; + sdk: { + input: CompleteMultipartUploadCommandInput; + output: CompleteMultipartUploadCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/CopyObjectCommand.ts b/clients/client-s3/src/commands/CopyObjectCommand.ts index 9463531f5e1e..3580b25b1844 100644 --- a/clients/client-s3/src/commands/CopyObjectCommand.ts +++ b/clients/client-s3/src/commands/CopyObjectCommand.ts @@ -345,4 +345,16 @@ export class CopyObjectCommand extends $Command .f(CopyObjectRequestFilterSensitiveLog, CopyObjectOutputFilterSensitiveLog) .ser(se_CopyObjectCommand) .de(de_CopyObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyObjectRequest; + output: CopyObjectOutput; + }; + sdk: { + input: CopyObjectCommandInput; + output: CopyObjectCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/CreateBucketCommand.ts b/clients/client-s3/src/commands/CreateBucketCommand.ts index 823e7d3a4066..cde15cc0081f 100644 --- a/clients/client-s3/src/commands/CreateBucketCommand.ts +++ b/clients/client-s3/src/commands/CreateBucketCommand.ts @@ -282,4 +282,16 @@ export class CreateBucketCommand extends $Command .f(void 0, void 0) .ser(se_CreateBucketCommand) .de(de_CreateBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBucketRequest; + output: CreateBucketOutput; + }; + sdk: { + input: CreateBucketCommandInput; + output: CreateBucketCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts b/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts index 26173ef13dbf..cda4d6566107 100644 --- a/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts +++ b/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts @@ -371,4 +371,16 @@ export class CreateMultipartUploadCommand extends $Command .f(CreateMultipartUploadRequestFilterSensitiveLog, CreateMultipartUploadOutputFilterSensitiveLog) .ser(se_CreateMultipartUploadCommand) .de(de_CreateMultipartUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMultipartUploadRequest; + output: CreateMultipartUploadOutput; + }; + sdk: { + input: CreateMultipartUploadCommandInput; + output: CreateMultipartUploadCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/CreateSessionCommand.ts b/clients/client-s3/src/commands/CreateSessionCommand.ts index 8e2c06e41b6a..b0d03c545f22 100644 --- a/clients/client-s3/src/commands/CreateSessionCommand.ts +++ b/clients/client-s3/src/commands/CreateSessionCommand.ts @@ -155,4 +155,16 @@ export class CreateSessionCommand extends $Command .f(void 0, CreateSessionOutputFilterSensitiveLog) .ser(se_CreateSessionCommand) .de(de_CreateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSessionRequest; + output: CreateSessionOutput; + }; + sdk: { + input: CreateSessionCommandInput; + output: CreateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketAnalyticsConfigurationCommand.ts b/clients/client-s3/src/commands/DeleteBucketAnalyticsConfigurationCommand.ts index 56b32ffae1eb..eea2fa649562 100644 --- a/clients/client-s3/src/commands/DeleteBucketAnalyticsConfigurationCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketAnalyticsConfigurationCommand.ts @@ -114,4 +114,16 @@ export class DeleteBucketAnalyticsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketAnalyticsConfigurationCommand) .de(de_DeleteBucketAnalyticsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketAnalyticsConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteBucketAnalyticsConfigurationCommandInput; + output: DeleteBucketAnalyticsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketCommand.ts b/clients/client-s3/src/commands/DeleteBucketCommand.ts index fcd46b21a1e3..df5bcbbbd495 100644 --- a/clients/client-s3/src/commands/DeleteBucketCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketCommand.ts @@ -140,4 +140,16 @@ export class DeleteBucketCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketCommand) .de(de_DeleteBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketRequest; + output: {}; + }; + sdk: { + input: DeleteBucketCommandInput; + output: DeleteBucketCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketCorsCommand.ts b/clients/client-s3/src/commands/DeleteBucketCorsCommand.ts index dc92c59b64e3..4da1e5a6ffab 100644 --- a/clients/client-s3/src/commands/DeleteBucketCorsCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketCorsCommand.ts @@ -114,4 +114,16 @@ export class DeleteBucketCorsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketCorsCommand) .de(de_DeleteBucketCorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketCorsRequest; + output: {}; + }; + sdk: { + input: DeleteBucketCorsCommandInput; + output: DeleteBucketCorsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts b/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts index f1b8c1096850..afcb2622e787 100644 --- a/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts @@ -105,4 +105,16 @@ export class DeleteBucketEncryptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketEncryptionCommand) .de(de_DeleteBucketEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketEncryptionRequest; + output: {}; + }; + sdk: { + input: DeleteBucketEncryptionCommandInput; + output: DeleteBucketEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketIntelligentTieringConfigurationCommand.ts b/clients/client-s3/src/commands/DeleteBucketIntelligentTieringConfigurationCommand.ts index 5bb63858c984..f1ff91ea3532 100644 --- a/clients/client-s3/src/commands/DeleteBucketIntelligentTieringConfigurationCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketIntelligentTieringConfigurationCommand.ts @@ -108,4 +108,16 @@ export class DeleteBucketIntelligentTieringConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketIntelligentTieringConfigurationCommand) .de(de_DeleteBucketIntelligentTieringConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketIntelligentTieringConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteBucketIntelligentTieringConfigurationCommandInput; + output: DeleteBucketIntelligentTieringConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketInventoryConfigurationCommand.ts b/clients/client-s3/src/commands/DeleteBucketInventoryConfigurationCommand.ts index d02e623d7a72..7acee47f6f5f 100644 --- a/clients/client-s3/src/commands/DeleteBucketInventoryConfigurationCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketInventoryConfigurationCommand.ts @@ -112,4 +112,16 @@ export class DeleteBucketInventoryConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketInventoryConfigurationCommand) .de(de_DeleteBucketInventoryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketInventoryConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteBucketInventoryConfigurationCommandInput; + output: DeleteBucketInventoryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketLifecycleCommand.ts b/clients/client-s3/src/commands/DeleteBucketLifecycleCommand.ts index 54d4fc40a896..4f8fe764b867 100644 --- a/clients/client-s3/src/commands/DeleteBucketLifecycleCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketLifecycleCommand.ts @@ -116,4 +116,16 @@ export class DeleteBucketLifecycleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketLifecycleCommand) .de(de_DeleteBucketLifecycleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketLifecycleRequest; + output: {}; + }; + sdk: { + input: DeleteBucketLifecycleCommandInput; + output: DeleteBucketLifecycleCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketMetricsConfigurationCommand.ts b/clients/client-s3/src/commands/DeleteBucketMetricsConfigurationCommand.ts index 886bf0b1f55d..0a7bcd8de43a 100644 --- a/clients/client-s3/src/commands/DeleteBucketMetricsConfigurationCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketMetricsConfigurationCommand.ts @@ -120,4 +120,16 @@ export class DeleteBucketMetricsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketMetricsConfigurationCommand) .de(de_DeleteBucketMetricsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketMetricsConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteBucketMetricsConfigurationCommandInput; + output: DeleteBucketMetricsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketOwnershipControlsCommand.ts b/clients/client-s3/src/commands/DeleteBucketOwnershipControlsCommand.ts index c75a845054df..172a1876498d 100644 --- a/clients/client-s3/src/commands/DeleteBucketOwnershipControlsCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketOwnershipControlsCommand.ts @@ -104,4 +104,16 @@ export class DeleteBucketOwnershipControlsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketOwnershipControlsCommand) .de(de_DeleteBucketOwnershipControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketOwnershipControlsRequest; + output: {}; + }; + sdk: { + input: DeleteBucketOwnershipControlsCommandInput; + output: DeleteBucketOwnershipControlsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketPolicyCommand.ts b/clients/client-s3/src/commands/DeleteBucketPolicyCommand.ts index b3b14e455eb2..ae2202246b13 100644 --- a/clients/client-s3/src/commands/DeleteBucketPolicyCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketPolicyCommand.ts @@ -152,4 +152,16 @@ export class DeleteBucketPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketPolicyCommand) .de(de_DeleteBucketPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteBucketPolicyCommandInput; + output: DeleteBucketPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketReplicationCommand.ts b/clients/client-s3/src/commands/DeleteBucketReplicationCommand.ts index 64d5de900ef3..13420a73213f 100644 --- a/clients/client-s3/src/commands/DeleteBucketReplicationCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketReplicationCommand.ts @@ -118,4 +118,16 @@ export class DeleteBucketReplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketReplicationCommand) .de(de_DeleteBucketReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketReplicationRequest; + output: {}; + }; + sdk: { + input: DeleteBucketReplicationCommandInput; + output: DeleteBucketReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketTaggingCommand.ts b/clients/client-s3/src/commands/DeleteBucketTaggingCommand.ts index 63fb5d3065f5..6370e78d36ea 100644 --- a/clients/client-s3/src/commands/DeleteBucketTaggingCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketTaggingCommand.ts @@ -110,4 +110,16 @@ export class DeleteBucketTaggingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketTaggingCommand) .de(de_DeleteBucketTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketTaggingRequest; + output: {}; + }; + sdk: { + input: DeleteBucketTaggingCommandInput; + output: DeleteBucketTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteBucketWebsiteCommand.ts b/clients/client-s3/src/commands/DeleteBucketWebsiteCommand.ts index 663cb2fb7cfc..88df9c8d20b8 100644 --- a/clients/client-s3/src/commands/DeleteBucketWebsiteCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketWebsiteCommand.ts @@ -117,4 +117,16 @@ export class DeleteBucketWebsiteCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBucketWebsiteCommand) .de(de_DeleteBucketWebsiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBucketWebsiteRequest; + output: {}; + }; + sdk: { + input: DeleteBucketWebsiteCommandInput; + output: DeleteBucketWebsiteCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteObjectCommand.ts b/clients/client-s3/src/commands/DeleteObjectCommand.ts index db5e7f78c4ee..053c7afeb76e 100644 --- a/clients/client-s3/src/commands/DeleteObjectCommand.ts +++ b/clients/client-s3/src/commands/DeleteObjectCommand.ts @@ -213,4 +213,16 @@ export class DeleteObjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteObjectCommand) .de(de_DeleteObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteObjectRequest; + output: DeleteObjectOutput; + }; + sdk: { + input: DeleteObjectCommandInput; + output: DeleteObjectCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteObjectTaggingCommand.ts b/clients/client-s3/src/commands/DeleteObjectTaggingCommand.ts index 5d588aa5d266..d64a89337d23 100644 --- a/clients/client-s3/src/commands/DeleteObjectTaggingCommand.ts +++ b/clients/client-s3/src/commands/DeleteObjectTaggingCommand.ts @@ -142,4 +142,16 @@ export class DeleteObjectTaggingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteObjectTaggingCommand) .de(de_DeleteObjectTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteObjectTaggingRequest; + output: DeleteObjectTaggingOutput; + }; + sdk: { + input: DeleteObjectTaggingCommandInput; + output: DeleteObjectTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeleteObjectsCommand.ts b/clients/client-s3/src/commands/DeleteObjectsCommand.ts index b27eeba4abe9..57727ddec80d 100644 --- a/clients/client-s3/src/commands/DeleteObjectsCommand.ts +++ b/clients/client-s3/src/commands/DeleteObjectsCommand.ts @@ -319,4 +319,16 @@ export class DeleteObjectsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteObjectsCommand) .de(de_DeleteObjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteObjectsRequest; + output: DeleteObjectsOutput; + }; + sdk: { + input: DeleteObjectsCommandInput; + output: DeleteObjectsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/DeletePublicAccessBlockCommand.ts b/clients/client-s3/src/commands/DeletePublicAccessBlockCommand.ts index fcf103724887..86533d29675d 100644 --- a/clients/client-s3/src/commands/DeletePublicAccessBlockCommand.ts +++ b/clients/client-s3/src/commands/DeletePublicAccessBlockCommand.ts @@ -110,4 +110,16 @@ export class DeletePublicAccessBlockCommand extends $Command .f(void 0, void 0) .ser(se_DeletePublicAccessBlockCommand) .de(de_DeletePublicAccessBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePublicAccessBlockRequest; + output: {}; + }; + sdk: { + input: DeletePublicAccessBlockCommandInput; + output: DeletePublicAccessBlockCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketAccelerateConfigurationCommand.ts b/clients/client-s3/src/commands/GetBucketAccelerateConfigurationCommand.ts index 2a698e3d02ce..0b5cb6061163 100644 --- a/clients/client-s3/src/commands/GetBucketAccelerateConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketAccelerateConfigurationCommand.ts @@ -119,4 +119,16 @@ export class GetBucketAccelerateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketAccelerateConfigurationCommand) .de(de_GetBucketAccelerateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketAccelerateConfigurationRequest; + output: GetBucketAccelerateConfigurationOutput; + }; + sdk: { + input: GetBucketAccelerateConfigurationCommandInput; + output: GetBucketAccelerateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketAclCommand.ts b/clients/client-s3/src/commands/GetBucketAclCommand.ts index edbb6ca9955f..44669d5f3978 100644 --- a/clients/client-s3/src/commands/GetBucketAclCommand.ts +++ b/clients/client-s3/src/commands/GetBucketAclCommand.ts @@ -127,4 +127,16 @@ export class GetBucketAclCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketAclCommand) .de(de_GetBucketAclCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketAclRequest; + output: GetBucketAclOutput; + }; + sdk: { + input: GetBucketAclCommandInput; + output: GetBucketAclCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketAnalyticsConfigurationCommand.ts b/clients/client-s3/src/commands/GetBucketAnalyticsConfigurationCommand.ts index 252599e12ba8..20e3d4c1a0c8 100644 --- a/clients/client-s3/src/commands/GetBucketAnalyticsConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketAnalyticsConfigurationCommand.ts @@ -152,4 +152,16 @@ export class GetBucketAnalyticsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketAnalyticsConfigurationCommand) .de(de_GetBucketAnalyticsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketAnalyticsConfigurationRequest; + output: GetBucketAnalyticsConfigurationOutput; + }; + sdk: { + input: GetBucketAnalyticsConfigurationCommandInput; + output: GetBucketAnalyticsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketCorsCommand.ts b/clients/client-s3/src/commands/GetBucketCorsCommand.ts index 77803afc81eb..1b6833dcb836 100644 --- a/clients/client-s3/src/commands/GetBucketCorsCommand.ts +++ b/clients/client-s3/src/commands/GetBucketCorsCommand.ts @@ -157,4 +157,16 @@ export class GetBucketCorsCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketCorsCommand) .de(de_GetBucketCorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketCorsRequest; + output: GetBucketCorsOutput; + }; + sdk: { + input: GetBucketCorsCommandInput; + output: GetBucketCorsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts b/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts index 5f8bbc1127d9..ee3fd6b5f9fa 100644 --- a/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts +++ b/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts @@ -122,4 +122,16 @@ export class GetBucketEncryptionCommand extends $Command .f(void 0, GetBucketEncryptionOutputFilterSensitiveLog) .ser(se_GetBucketEncryptionCommand) .de(de_GetBucketEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketEncryptionRequest; + output: GetBucketEncryptionOutput; + }; + sdk: { + input: GetBucketEncryptionCommandInput; + output: GetBucketEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketIntelligentTieringConfigurationCommand.ts b/clients/client-s3/src/commands/GetBucketIntelligentTieringConfigurationCommand.ts index 3b67985769c1..188a7210dc02 100644 --- a/clients/client-s3/src/commands/GetBucketIntelligentTieringConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketIntelligentTieringConfigurationCommand.ts @@ -142,4 +142,16 @@ export class GetBucketIntelligentTieringConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketIntelligentTieringConfigurationCommand) .de(de_GetBucketIntelligentTieringConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketIntelligentTieringConfigurationRequest; + output: GetBucketIntelligentTieringConfigurationOutput; + }; + sdk: { + input: GetBucketIntelligentTieringConfigurationCommandInput; + output: GetBucketIntelligentTieringConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketInventoryConfigurationCommand.ts b/clients/client-s3/src/commands/GetBucketInventoryConfigurationCommand.ts index a5ee988edfa4..c87ed307a9d7 100644 --- a/clients/client-s3/src/commands/GetBucketInventoryConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketInventoryConfigurationCommand.ts @@ -150,4 +150,16 @@ export class GetBucketInventoryConfigurationCommand extends $Command .f(void 0, GetBucketInventoryConfigurationOutputFilterSensitiveLog) .ser(se_GetBucketInventoryConfigurationCommand) .de(de_GetBucketInventoryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketInventoryConfigurationRequest; + output: GetBucketInventoryConfigurationOutput; + }; + sdk: { + input: GetBucketInventoryConfigurationCommandInput; + output: GetBucketInventoryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketLifecycleConfigurationCommand.ts b/clients/client-s3/src/commands/GetBucketLifecycleConfigurationCommand.ts index 639138d5c604..795b032a7ea2 100644 --- a/clients/client-s3/src/commands/GetBucketLifecycleConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketLifecycleConfigurationCommand.ts @@ -225,4 +225,16 @@ export class GetBucketLifecycleConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketLifecycleConfigurationCommand) .de(de_GetBucketLifecycleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketLifecycleConfigurationRequest; + output: GetBucketLifecycleConfigurationOutput; + }; + sdk: { + input: GetBucketLifecycleConfigurationCommandInput; + output: GetBucketLifecycleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketLocationCommand.ts b/clients/client-s3/src/commands/GetBucketLocationCommand.ts index 18a195e0e65c..c13f11641599 100644 --- a/clients/client-s3/src/commands/GetBucketLocationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketLocationCommand.ts @@ -128,4 +128,16 @@ export class GetBucketLocationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketLocationCommand) .de(de_GetBucketLocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketLocationRequest; + output: GetBucketLocationOutput; + }; + sdk: { + input: GetBucketLocationCommandInput; + output: GetBucketLocationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketLoggingCommand.ts b/clients/client-s3/src/commands/GetBucketLoggingCommand.ts index 07ae9ff574b2..0dabf2894284 100644 --- a/clients/client-s3/src/commands/GetBucketLoggingCommand.ts +++ b/clients/client-s3/src/commands/GetBucketLoggingCommand.ts @@ -122,4 +122,16 @@ export class GetBucketLoggingCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketLoggingCommand) .de(de_GetBucketLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketLoggingRequest; + output: GetBucketLoggingOutput; + }; + sdk: { + input: GetBucketLoggingCommandInput; + output: GetBucketLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketMetricsConfigurationCommand.ts b/clients/client-s3/src/commands/GetBucketMetricsConfigurationCommand.ts index e25f246a40d8..731571782215 100644 --- a/clients/client-s3/src/commands/GetBucketMetricsConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketMetricsConfigurationCommand.ts @@ -145,4 +145,16 @@ export class GetBucketMetricsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketMetricsConfigurationCommand) .de(de_GetBucketMetricsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketMetricsConfigurationRequest; + output: GetBucketMetricsConfigurationOutput; + }; + sdk: { + input: GetBucketMetricsConfigurationCommandInput; + output: GetBucketMetricsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketNotificationConfigurationCommand.ts b/clients/client-s3/src/commands/GetBucketNotificationConfigurationCommand.ts index c431ec8b6a03..9765d66f3180 100644 --- a/clients/client-s3/src/commands/GetBucketNotificationConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketNotificationConfigurationCommand.ts @@ -169,4 +169,16 @@ export class GetBucketNotificationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketNotificationConfigurationCommand) .de(de_GetBucketNotificationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketNotificationConfigurationRequest; + output: NotificationConfiguration; + }; + sdk: { + input: GetBucketNotificationConfigurationCommandInput; + output: GetBucketNotificationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketOwnershipControlsCommand.ts b/clients/client-s3/src/commands/GetBucketOwnershipControlsCommand.ts index c58c121de714..a0a633453cc7 100644 --- a/clients/client-s3/src/commands/GetBucketOwnershipControlsCommand.ts +++ b/clients/client-s3/src/commands/GetBucketOwnershipControlsCommand.ts @@ -111,4 +111,16 @@ export class GetBucketOwnershipControlsCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketOwnershipControlsCommand) .de(de_GetBucketOwnershipControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketOwnershipControlsRequest; + output: GetBucketOwnershipControlsOutput; + }; + sdk: { + input: GetBucketOwnershipControlsCommandInput; + output: GetBucketOwnershipControlsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketPolicyCommand.ts b/clients/client-s3/src/commands/GetBucketPolicyCommand.ts index 12617faf2db4..d473f43f4c3b 100644 --- a/clients/client-s3/src/commands/GetBucketPolicyCommand.ts +++ b/clients/client-s3/src/commands/GetBucketPolicyCommand.ts @@ -161,4 +161,16 @@ export class GetBucketPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketPolicyCommand) .de(de_GetBucketPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketPolicyRequest; + output: GetBucketPolicyOutput; + }; + sdk: { + input: GetBucketPolicyCommandInput; + output: GetBucketPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketPolicyStatusCommand.ts b/clients/client-s3/src/commands/GetBucketPolicyStatusCommand.ts index 36a98fd1023c..31c645f16e34 100644 --- a/clients/client-s3/src/commands/GetBucketPolicyStatusCommand.ts +++ b/clients/client-s3/src/commands/GetBucketPolicyStatusCommand.ts @@ -117,4 +117,16 @@ export class GetBucketPolicyStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketPolicyStatusCommand) .de(de_GetBucketPolicyStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketPolicyStatusRequest; + output: GetBucketPolicyStatusOutput; + }; + sdk: { + input: GetBucketPolicyStatusCommandInput; + output: GetBucketPolicyStatusCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketReplicationCommand.ts b/clients/client-s3/src/commands/GetBucketReplicationCommand.ts index 137f5a2febe9..ce59e93a4690 100644 --- a/clients/client-s3/src/commands/GetBucketReplicationCommand.ts +++ b/clients/client-s3/src/commands/GetBucketReplicationCommand.ts @@ -207,4 +207,16 @@ export class GetBucketReplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketReplicationCommand) .de(de_GetBucketReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketReplicationRequest; + output: GetBucketReplicationOutput; + }; + sdk: { + input: GetBucketReplicationCommandInput; + output: GetBucketReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketRequestPaymentCommand.ts b/clients/client-s3/src/commands/GetBucketRequestPaymentCommand.ts index 930bff8ff378..b7adf552df76 100644 --- a/clients/client-s3/src/commands/GetBucketRequestPaymentCommand.ts +++ b/clients/client-s3/src/commands/GetBucketRequestPaymentCommand.ts @@ -113,4 +113,16 @@ export class GetBucketRequestPaymentCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketRequestPaymentCommand) .de(de_GetBucketRequestPaymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketRequestPaymentRequest; + output: GetBucketRequestPaymentOutput; + }; + sdk: { + input: GetBucketRequestPaymentCommandInput; + output: GetBucketRequestPaymentCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketTaggingCommand.ts b/clients/client-s3/src/commands/GetBucketTaggingCommand.ts index 625845d3539c..344072a22444 100644 --- a/clients/client-s3/src/commands/GetBucketTaggingCommand.ts +++ b/clients/client-s3/src/commands/GetBucketTaggingCommand.ts @@ -146,4 +146,16 @@ export class GetBucketTaggingCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketTaggingCommand) .de(de_GetBucketTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketTaggingRequest; + output: GetBucketTaggingOutput; + }; + sdk: { + input: GetBucketTaggingCommandInput; + output: GetBucketTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketVersioningCommand.ts b/clients/client-s3/src/commands/GetBucketVersioningCommand.ts index 7b93df2a6d71..d4e7f1ae7a6c 100644 --- a/clients/client-s3/src/commands/GetBucketVersioningCommand.ts +++ b/clients/client-s3/src/commands/GetBucketVersioningCommand.ts @@ -127,4 +127,16 @@ export class GetBucketVersioningCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketVersioningCommand) .de(de_GetBucketVersioningCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketVersioningRequest; + output: GetBucketVersioningOutput; + }; + sdk: { + input: GetBucketVersioningCommandInput; + output: GetBucketVersioningCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetBucketWebsiteCommand.ts b/clients/client-s3/src/commands/GetBucketWebsiteCommand.ts index 468d96e58f9d..40765d3f278f 100644 --- a/clients/client-s3/src/commands/GetBucketWebsiteCommand.ts +++ b/clients/client-s3/src/commands/GetBucketWebsiteCommand.ts @@ -151,4 +151,16 @@ export class GetBucketWebsiteCommand extends $Command .f(void 0, void 0) .ser(se_GetBucketWebsiteCommand) .de(de_GetBucketWebsiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBucketWebsiteRequest; + output: GetBucketWebsiteOutput; + }; + sdk: { + input: GetBucketWebsiteCommandInput; + output: GetBucketWebsiteCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectAclCommand.ts b/clients/client-s3/src/commands/GetObjectAclCommand.ts index e25ef4a2ec10..44267b96163a 100644 --- a/clients/client-s3/src/commands/GetObjectAclCommand.ts +++ b/clients/client-s3/src/commands/GetObjectAclCommand.ts @@ -201,4 +201,16 @@ export class GetObjectAclCommand extends $Command .f(void 0, void 0) .ser(se_GetObjectAclCommand) .de(de_GetObjectAclCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectAclRequest; + output: GetObjectAclOutput; + }; + sdk: { + input: GetObjectAclCommandInput; + output: GetObjectAclCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectAttributesCommand.ts b/clients/client-s3/src/commands/GetObjectAttributesCommand.ts index e22f181adfbd..f7283e248a34 100644 --- a/clients/client-s3/src/commands/GetObjectAttributesCommand.ts +++ b/clients/client-s3/src/commands/GetObjectAttributesCommand.ts @@ -318,4 +318,16 @@ export class GetObjectAttributesCommand extends $Command .f(GetObjectAttributesRequestFilterSensitiveLog, void 0) .ser(se_GetObjectAttributesCommand) .de(de_GetObjectAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectAttributesRequest; + output: GetObjectAttributesOutput; + }; + sdk: { + input: GetObjectAttributesCommandInput; + output: GetObjectAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectCommand.ts b/clients/client-s3/src/commands/GetObjectCommand.ts index b0b500b75429..1c397d8a75c0 100644 --- a/clients/client-s3/src/commands/GetObjectCommand.ts +++ b/clients/client-s3/src/commands/GetObjectCommand.ts @@ -368,4 +368,16 @@ export class GetObjectCommand extends $Command .f(GetObjectRequestFilterSensitiveLog, GetObjectOutputFilterSensitiveLog) .ser(se_GetObjectCommand) .de(de_GetObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectRequest; + output: GetObjectOutput; + }; + sdk: { + input: GetObjectCommandInput; + output: GetObjectCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectLegalHoldCommand.ts b/clients/client-s3/src/commands/GetObjectLegalHoldCommand.ts index f67d14ec3041..901d338e310d 100644 --- a/clients/client-s3/src/commands/GetObjectLegalHoldCommand.ts +++ b/clients/client-s3/src/commands/GetObjectLegalHoldCommand.ts @@ -101,4 +101,16 @@ export class GetObjectLegalHoldCommand extends $Command .f(void 0, void 0) .ser(se_GetObjectLegalHoldCommand) .de(de_GetObjectLegalHoldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectLegalHoldRequest; + output: GetObjectLegalHoldOutput; + }; + sdk: { + input: GetObjectLegalHoldCommandInput; + output: GetObjectLegalHoldCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectLockConfigurationCommand.ts b/clients/client-s3/src/commands/GetObjectLockConfigurationCommand.ts index d704fd843bb8..c5da4923a86d 100644 --- a/clients/client-s3/src/commands/GetObjectLockConfigurationCommand.ts +++ b/clients/client-s3/src/commands/GetObjectLockConfigurationCommand.ts @@ -105,4 +105,16 @@ export class GetObjectLockConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetObjectLockConfigurationCommand) .de(de_GetObjectLockConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectLockConfigurationRequest; + output: GetObjectLockConfigurationOutput; + }; + sdk: { + input: GetObjectLockConfigurationCommandInput; + output: GetObjectLockConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectRetentionCommand.ts b/clients/client-s3/src/commands/GetObjectRetentionCommand.ts index d9f5c3ff8a19..2242bcb15990 100644 --- a/clients/client-s3/src/commands/GetObjectRetentionCommand.ts +++ b/clients/client-s3/src/commands/GetObjectRetentionCommand.ts @@ -102,4 +102,16 @@ export class GetObjectRetentionCommand extends $Command .f(void 0, void 0) .ser(se_GetObjectRetentionCommand) .de(de_GetObjectRetentionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectRetentionRequest; + output: GetObjectRetentionOutput; + }; + sdk: { + input: GetObjectRetentionCommandInput; + output: GetObjectRetentionCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectTaggingCommand.ts b/clients/client-s3/src/commands/GetObjectTaggingCommand.ts index ea7e3bf92b74..32326f4bc9dc 100644 --- a/clients/client-s3/src/commands/GetObjectTaggingCommand.ts +++ b/clients/client-s3/src/commands/GetObjectTaggingCommand.ts @@ -174,4 +174,16 @@ export class GetObjectTaggingCommand extends $Command .f(void 0, void 0) .ser(se_GetObjectTaggingCommand) .de(de_GetObjectTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectTaggingRequest; + output: GetObjectTaggingOutput; + }; + sdk: { + input: GetObjectTaggingCommandInput; + output: GetObjectTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetObjectTorrentCommand.ts b/clients/client-s3/src/commands/GetObjectTorrentCommand.ts index bcf854d13c90..9eefa303a570 100644 --- a/clients/client-s3/src/commands/GetObjectTorrentCommand.ts +++ b/clients/client-s3/src/commands/GetObjectTorrentCommand.ts @@ -121,4 +121,16 @@ export class GetObjectTorrentCommand extends $Command .f(void 0, GetObjectTorrentOutputFilterSensitiveLog) .ser(se_GetObjectTorrentCommand) .de(de_GetObjectTorrentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetObjectTorrentRequest; + output: GetObjectTorrentOutput; + }; + sdk: { + input: GetObjectTorrentCommandInput; + output: GetObjectTorrentCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/GetPublicAccessBlockCommand.ts b/clients/client-s3/src/commands/GetPublicAccessBlockCommand.ts index 523ef0e6713d..86f7f8a66338 100644 --- a/clients/client-s3/src/commands/GetPublicAccessBlockCommand.ts +++ b/clients/client-s3/src/commands/GetPublicAccessBlockCommand.ts @@ -128,4 +128,16 @@ export class GetPublicAccessBlockCommand extends $Command .f(void 0, void 0) .ser(se_GetPublicAccessBlockCommand) .de(de_GetPublicAccessBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPublicAccessBlockRequest; + output: GetPublicAccessBlockOutput; + }; + sdk: { + input: GetPublicAccessBlockCommandInput; + output: GetPublicAccessBlockCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/HeadBucketCommand.ts b/clients/client-s3/src/commands/HeadBucketCommand.ts index 8ee90c4f6747..9ea3c2a1f3a3 100644 --- a/clients/client-s3/src/commands/HeadBucketCommand.ts +++ b/clients/client-s3/src/commands/HeadBucketCommand.ts @@ -151,4 +151,16 @@ export class HeadBucketCommand extends $Command .f(void 0, void 0) .ser(se_HeadBucketCommand) .de(de_HeadBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HeadBucketRequest; + output: HeadBucketOutput; + }; + sdk: { + input: HeadBucketCommandInput; + output: HeadBucketCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/HeadObjectCommand.ts b/clients/client-s3/src/commands/HeadObjectCommand.ts index 37570096072f..22228f4662c3 100644 --- a/clients/client-s3/src/commands/HeadObjectCommand.ts +++ b/clients/client-s3/src/commands/HeadObjectCommand.ts @@ -308,4 +308,16 @@ export class HeadObjectCommand extends $Command .f(HeadObjectRequestFilterSensitiveLog, HeadObjectOutputFilterSensitiveLog) .ser(se_HeadObjectCommand) .de(de_HeadObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HeadObjectRequest; + output: HeadObjectOutput; + }; + sdk: { + input: HeadObjectCommandInput; + output: HeadObjectCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListBucketAnalyticsConfigurationsCommand.ts b/clients/client-s3/src/commands/ListBucketAnalyticsConfigurationsCommand.ts index 50ec71ce0a72..d1329097476b 100644 --- a/clients/client-s3/src/commands/ListBucketAnalyticsConfigurationsCommand.ts +++ b/clients/client-s3/src/commands/ListBucketAnalyticsConfigurationsCommand.ts @@ -164,4 +164,16 @@ export class ListBucketAnalyticsConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListBucketAnalyticsConfigurationsCommand) .de(de_ListBucketAnalyticsConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBucketAnalyticsConfigurationsRequest; + output: ListBucketAnalyticsConfigurationsOutput; + }; + sdk: { + input: ListBucketAnalyticsConfigurationsCommandInput; + output: ListBucketAnalyticsConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListBucketIntelligentTieringConfigurationsCommand.ts b/clients/client-s3/src/commands/ListBucketIntelligentTieringConfigurationsCommand.ts index 41f9a8856080..611057d338c1 100644 --- a/clients/client-s3/src/commands/ListBucketIntelligentTieringConfigurationsCommand.ts +++ b/clients/client-s3/src/commands/ListBucketIntelligentTieringConfigurationsCommand.ts @@ -147,4 +147,16 @@ export class ListBucketIntelligentTieringConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListBucketIntelligentTieringConfigurationsCommand) .de(de_ListBucketIntelligentTieringConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBucketIntelligentTieringConfigurationsRequest; + output: ListBucketIntelligentTieringConfigurationsOutput; + }; + sdk: { + input: ListBucketIntelligentTieringConfigurationsCommandInput; + output: ListBucketIntelligentTieringConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListBucketInventoryConfigurationsCommand.ts b/clients/client-s3/src/commands/ListBucketInventoryConfigurationsCommand.ts index d4868df83606..2e1f59fc209e 100644 --- a/clients/client-s3/src/commands/ListBucketInventoryConfigurationsCommand.ts +++ b/clients/client-s3/src/commands/ListBucketInventoryConfigurationsCommand.ts @@ -163,4 +163,16 @@ export class ListBucketInventoryConfigurationsCommand extends $Command .f(void 0, ListBucketInventoryConfigurationsOutputFilterSensitiveLog) .ser(se_ListBucketInventoryConfigurationsCommand) .de(de_ListBucketInventoryConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBucketInventoryConfigurationsRequest; + output: ListBucketInventoryConfigurationsOutput; + }; + sdk: { + input: ListBucketInventoryConfigurationsCommandInput; + output: ListBucketInventoryConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListBucketMetricsConfigurationsCommand.ts b/clients/client-s3/src/commands/ListBucketMetricsConfigurationsCommand.ts index c6e0a69bb297..406ac588e6fb 100644 --- a/clients/client-s3/src/commands/ListBucketMetricsConfigurationsCommand.ts +++ b/clients/client-s3/src/commands/ListBucketMetricsConfigurationsCommand.ts @@ -152,4 +152,16 @@ export class ListBucketMetricsConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListBucketMetricsConfigurationsCommand) .de(de_ListBucketMetricsConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBucketMetricsConfigurationsRequest; + output: ListBucketMetricsConfigurationsOutput; + }; + sdk: { + input: ListBucketMetricsConfigurationsCommandInput; + output: ListBucketMetricsConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListBucketsCommand.ts b/clients/client-s3/src/commands/ListBucketsCommand.ts index 6de009fa7982..bf00655b2146 100644 --- a/clients/client-s3/src/commands/ListBucketsCommand.ts +++ b/clients/client-s3/src/commands/ListBucketsCommand.ts @@ -127,4 +127,16 @@ export class ListBucketsCommand extends $Command .f(void 0, void 0) .ser(se_ListBucketsCommand) .de(de_ListBucketsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBucketsRequest; + output: ListBucketsOutput; + }; + sdk: { + input: ListBucketsCommandInput; + output: ListBucketsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListDirectoryBucketsCommand.ts b/clients/client-s3/src/commands/ListDirectoryBucketsCommand.ts index 7572bcf44afe..c4d810381412 100644 --- a/clients/client-s3/src/commands/ListDirectoryBucketsCommand.ts +++ b/clients/client-s3/src/commands/ListDirectoryBucketsCommand.ts @@ -107,4 +107,16 @@ export class ListDirectoryBucketsCommand extends $Command .f(void 0, void 0) .ser(se_ListDirectoryBucketsCommand) .de(de_ListDirectoryBucketsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDirectoryBucketsRequest; + output: ListDirectoryBucketsOutput; + }; + sdk: { + input: ListDirectoryBucketsCommandInput; + output: ListDirectoryBucketsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListMultipartUploadsCommand.ts b/clients/client-s3/src/commands/ListMultipartUploadsCommand.ts index 1f307c5ad48c..1a0bf9edb0a9 100644 --- a/clients/client-s3/src/commands/ListMultipartUploadsCommand.ts +++ b/clients/client-s3/src/commands/ListMultipartUploadsCommand.ts @@ -338,4 +338,16 @@ export class ListMultipartUploadsCommand extends $Command .f(void 0, void 0) .ser(se_ListMultipartUploadsCommand) .de(de_ListMultipartUploadsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMultipartUploadsRequest; + output: ListMultipartUploadsOutput; + }; + sdk: { + input: ListMultipartUploadsCommandInput; + output: ListMultipartUploadsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListObjectVersionsCommand.ts b/clients/client-s3/src/commands/ListObjectVersionsCommand.ts index 9158cf8d03a6..ea5700fd7888 100644 --- a/clients/client-s3/src/commands/ListObjectVersionsCommand.ts +++ b/clients/client-s3/src/commands/ListObjectVersionsCommand.ts @@ -225,4 +225,16 @@ export class ListObjectVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectVersionsCommand) .de(de_ListObjectVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectVersionsRequest; + output: ListObjectVersionsOutput; + }; + sdk: { + input: ListObjectVersionsCommandInput; + output: ListObjectVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListObjectsCommand.ts b/clients/client-s3/src/commands/ListObjectsCommand.ts index efd76dac55dd..d4be20e19f9c 100644 --- a/clients/client-s3/src/commands/ListObjectsCommand.ts +++ b/clients/client-s3/src/commands/ListObjectsCommand.ts @@ -208,4 +208,16 @@ export class ListObjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListObjectsCommand) .de(de_ListObjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectsRequest; + output: ListObjectsOutput; + }; + sdk: { + input: ListObjectsCommandInput; + output: ListObjectsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListObjectsV2Command.ts b/clients/client-s3/src/commands/ListObjectsV2Command.ts index 4867446cbe07..0897b22770f2 100644 --- a/clients/client-s3/src/commands/ListObjectsV2Command.ts +++ b/clients/client-s3/src/commands/ListObjectsV2Command.ts @@ -263,4 +263,16 @@ export class ListObjectsV2Command extends $Command .f(void 0, void 0) .ser(se_ListObjectsV2Command) .de(de_ListObjectsV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListObjectsV2Request; + output: ListObjectsV2Output; + }; + sdk: { + input: ListObjectsV2CommandInput; + output: ListObjectsV2CommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/ListPartsCommand.ts b/clients/client-s3/src/commands/ListPartsCommand.ts index 7134ba96ec31..bd052d6eb825 100644 --- a/clients/client-s3/src/commands/ListPartsCommand.ts +++ b/clients/client-s3/src/commands/ListPartsCommand.ts @@ -246,4 +246,16 @@ export class ListPartsCommand extends $Command .f(ListPartsRequestFilterSensitiveLog, void 0) .ser(se_ListPartsCommand) .de(de_ListPartsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPartsRequest; + output: ListPartsOutput; + }; + sdk: { + input: ListPartsCommandInput; + output: ListPartsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketAccelerateConfigurationCommand.ts b/clients/client-s3/src/commands/PutBucketAccelerateConfigurationCommand.ts index 63f0c164aa6a..6be66e3545fe 100644 --- a/clients/client-s3/src/commands/PutBucketAccelerateConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketAccelerateConfigurationCommand.ts @@ -134,4 +134,16 @@ export class PutBucketAccelerateConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketAccelerateConfigurationCommand) .de(de_PutBucketAccelerateConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketAccelerateConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketAccelerateConfigurationCommandInput; + output: PutBucketAccelerateConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketAclCommand.ts b/clients/client-s3/src/commands/PutBucketAclCommand.ts index 976e9e2c3be2..a19c526d1461 100644 --- a/clients/client-s3/src/commands/PutBucketAclCommand.ts +++ b/clients/client-s3/src/commands/PutBucketAclCommand.ts @@ -325,4 +325,16 @@ export class PutBucketAclCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketAclCommand) .de(de_PutBucketAclCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketAclRequest; + output: {}; + }; + sdk: { + input: PutBucketAclCommandInput; + output: PutBucketAclCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketAnalyticsConfigurationCommand.ts b/clients/client-s3/src/commands/PutBucketAnalyticsConfigurationCommand.ts index fba4ffbe04fe..e23dd31cc275 100644 --- a/clients/client-s3/src/commands/PutBucketAnalyticsConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketAnalyticsConfigurationCommand.ts @@ -221,4 +221,16 @@ export class PutBucketAnalyticsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketAnalyticsConfigurationCommand) .de(de_PutBucketAnalyticsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketAnalyticsConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketAnalyticsConfigurationCommandInput; + output: PutBucketAnalyticsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketCorsCommand.ts b/clients/client-s3/src/commands/PutBucketCorsCommand.ts index 76fa3c5b1b3d..eff76383c463 100644 --- a/clients/client-s3/src/commands/PutBucketCorsCommand.ts +++ b/clients/client-s3/src/commands/PutBucketCorsCommand.ts @@ -209,4 +209,16 @@ export class PutBucketCorsCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketCorsCommand) .de(de_PutBucketCorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketCorsRequest; + output: {}; + }; + sdk: { + input: PutBucketCorsCommandInput; + output: PutBucketCorsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts b/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts index e9bad949f704..1b692bd4a8a4 100644 --- a/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts +++ b/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts @@ -136,4 +136,16 @@ export class PutBucketEncryptionCommand extends $Command .f(PutBucketEncryptionRequestFilterSensitiveLog, void 0) .ser(se_PutBucketEncryptionCommand) .de(de_PutBucketEncryptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketEncryptionRequest; + output: {}; + }; + sdk: { + input: PutBucketEncryptionCommandInput; + output: PutBucketEncryptionCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketIntelligentTieringConfigurationCommand.ts b/clients/client-s3/src/commands/PutBucketIntelligentTieringConfigurationCommand.ts index 132f19572d80..913e67cdec21 100644 --- a/clients/client-s3/src/commands/PutBucketIntelligentTieringConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketIntelligentTieringConfigurationCommand.ts @@ -167,4 +167,16 @@ export class PutBucketIntelligentTieringConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketIntelligentTieringConfigurationCommand) .de(de_PutBucketIntelligentTieringConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketIntelligentTieringConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketIntelligentTieringConfigurationCommandInput; + output: PutBucketIntelligentTieringConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketInventoryConfigurationCommand.ts b/clients/client-s3/src/commands/PutBucketInventoryConfigurationCommand.ts index 44dddcb8e37c..e6c197c0bebe 100644 --- a/clients/client-s3/src/commands/PutBucketInventoryConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketInventoryConfigurationCommand.ts @@ -201,4 +201,16 @@ export class PutBucketInventoryConfigurationCommand extends $Command .f(PutBucketInventoryConfigurationRequestFilterSensitiveLog, void 0) .ser(se_PutBucketInventoryConfigurationCommand) .de(de_PutBucketInventoryConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketInventoryConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketInventoryConfigurationCommandInput; + output: PutBucketInventoryConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketLifecycleConfigurationCommand.ts b/clients/client-s3/src/commands/PutBucketLifecycleConfigurationCommand.ts index 9dda273bbbc9..eaab92e85281 100644 --- a/clients/client-s3/src/commands/PutBucketLifecycleConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketLifecycleConfigurationCommand.ts @@ -267,4 +267,16 @@ export class PutBucketLifecycleConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketLifecycleConfigurationCommand) .de(de_PutBucketLifecycleConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketLifecycleConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketLifecycleConfigurationCommandInput; + output: PutBucketLifecycleConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketLoggingCommand.ts b/clients/client-s3/src/commands/PutBucketLoggingCommand.ts index d9c916296e0a..4efecf7ecadb 100644 --- a/clients/client-s3/src/commands/PutBucketLoggingCommand.ts +++ b/clients/client-s3/src/commands/PutBucketLoggingCommand.ts @@ -225,4 +225,16 @@ export class PutBucketLoggingCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketLoggingCommand) .de(de_PutBucketLoggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketLoggingRequest; + output: {}; + }; + sdk: { + input: PutBucketLoggingCommandInput; + output: PutBucketLoggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketMetricsConfigurationCommand.ts b/clients/client-s3/src/commands/PutBucketMetricsConfigurationCommand.ts index 19a79a6210ec..13264d52868d 100644 --- a/clients/client-s3/src/commands/PutBucketMetricsConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketMetricsConfigurationCommand.ts @@ -154,4 +154,16 @@ export class PutBucketMetricsConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketMetricsConfigurationCommand) .de(de_PutBucketMetricsConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketMetricsConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketMetricsConfigurationCommandInput; + output: PutBucketMetricsConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketNotificationConfigurationCommand.ts b/clients/client-s3/src/commands/PutBucketNotificationConfigurationCommand.ts index 2016d33b9769..db2dbed44239 100644 --- a/clients/client-s3/src/commands/PutBucketNotificationConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketNotificationConfigurationCommand.ts @@ -219,4 +219,16 @@ export class PutBucketNotificationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketNotificationConfigurationCommand) .de(de_PutBucketNotificationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketNotificationConfigurationRequest; + output: {}; + }; + sdk: { + input: PutBucketNotificationConfigurationCommandInput; + output: PutBucketNotificationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketOwnershipControlsCommand.ts b/clients/client-s3/src/commands/PutBucketOwnershipControlsCommand.ts index a38fbc1df265..43a413c00894 100644 --- a/clients/client-s3/src/commands/PutBucketOwnershipControlsCommand.ts +++ b/clients/client-s3/src/commands/PutBucketOwnershipControlsCommand.ts @@ -114,4 +114,16 @@ export class PutBucketOwnershipControlsCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketOwnershipControlsCommand) .de(de_PutBucketOwnershipControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketOwnershipControlsRequest; + output: {}; + }; + sdk: { + input: PutBucketOwnershipControlsCommandInput; + output: PutBucketOwnershipControlsCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketPolicyCommand.ts b/clients/client-s3/src/commands/PutBucketPolicyCommand.ts index 2999df40bca8..18f341a27992 100644 --- a/clients/client-s3/src/commands/PutBucketPolicyCommand.ts +++ b/clients/client-s3/src/commands/PutBucketPolicyCommand.ts @@ -168,4 +168,16 @@ export class PutBucketPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketPolicyCommand) .de(de_PutBucketPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketPolicyRequest; + output: {}; + }; + sdk: { + input: PutBucketPolicyCommandInput; + output: PutBucketPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketReplicationCommand.ts b/clients/client-s3/src/commands/PutBucketReplicationCommand.ts index 6d49272bb2c9..ab5541dfaa1d 100644 --- a/clients/client-s3/src/commands/PutBucketReplicationCommand.ts +++ b/clients/client-s3/src/commands/PutBucketReplicationCommand.ts @@ -250,4 +250,16 @@ export class PutBucketReplicationCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketReplicationCommand) .de(de_PutBucketReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketReplicationRequest; + output: {}; + }; + sdk: { + input: PutBucketReplicationCommandInput; + output: PutBucketReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketRequestPaymentCommand.ts b/clients/client-s3/src/commands/PutBucketRequestPaymentCommand.ts index 8d47ba75f018..8cde3add1e7e 100644 --- a/clients/client-s3/src/commands/PutBucketRequestPaymentCommand.ts +++ b/clients/client-s3/src/commands/PutBucketRequestPaymentCommand.ts @@ -125,4 +125,16 @@ export class PutBucketRequestPaymentCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketRequestPaymentCommand) .de(de_PutBucketRequestPaymentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketRequestPaymentRequest; + output: {}; + }; + sdk: { + input: PutBucketRequestPaymentCommandInput; + output: PutBucketRequestPaymentCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketTaggingCommand.ts b/clients/client-s3/src/commands/PutBucketTaggingCommand.ts index 2135a118e4f5..35c320c62eb8 100644 --- a/clients/client-s3/src/commands/PutBucketTaggingCommand.ts +++ b/clients/client-s3/src/commands/PutBucketTaggingCommand.ts @@ -179,4 +179,16 @@ export class PutBucketTaggingCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketTaggingCommand) .de(de_PutBucketTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketTaggingRequest; + output: {}; + }; + sdk: { + input: PutBucketTaggingCommandInput; + output: PutBucketTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketVersioningCommand.ts b/clients/client-s3/src/commands/PutBucketVersioningCommand.ts index 07c539450a1c..4b242e4860f7 100644 --- a/clients/client-s3/src/commands/PutBucketVersioningCommand.ts +++ b/clients/client-s3/src/commands/PutBucketVersioningCommand.ts @@ -160,4 +160,16 @@ export class PutBucketVersioningCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketVersioningCommand) .de(de_PutBucketVersioningCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketVersioningRequest; + output: {}; + }; + sdk: { + input: PutBucketVersioningCommandInput; + output: PutBucketVersioningCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutBucketWebsiteCommand.ts b/clients/client-s3/src/commands/PutBucketWebsiteCommand.ts index 8709d1259dd5..495a23513fe2 100644 --- a/clients/client-s3/src/commands/PutBucketWebsiteCommand.ts +++ b/clients/client-s3/src/commands/PutBucketWebsiteCommand.ts @@ -260,4 +260,16 @@ export class PutBucketWebsiteCommand extends $Command .f(void 0, void 0) .ser(se_PutBucketWebsiteCommand) .de(de_PutBucketWebsiteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutBucketWebsiteRequest; + output: {}; + }; + sdk: { + input: PutBucketWebsiteCommandInput; + output: PutBucketWebsiteCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutObjectAclCommand.ts b/clients/client-s3/src/commands/PutObjectAclCommand.ts index d71dc16c66d3..ab7017a2e28c 100644 --- a/clients/client-s3/src/commands/PutObjectAclCommand.ts +++ b/clients/client-s3/src/commands/PutObjectAclCommand.ts @@ -325,4 +325,16 @@ export class PutObjectAclCommand extends $Command .f(void 0, void 0) .ser(se_PutObjectAclCommand) .de(de_PutObjectAclCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutObjectAclRequest; + output: PutObjectAclOutput; + }; + sdk: { + input: PutObjectAclCommandInput; + output: PutObjectAclCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutObjectCommand.ts b/clients/client-s3/src/commands/PutObjectCommand.ts index aa5e6f241fe5..817d675ef0b3 100644 --- a/clients/client-s3/src/commands/PutObjectCommand.ts +++ b/clients/client-s3/src/commands/PutObjectCommand.ts @@ -424,4 +424,16 @@ export class PutObjectCommand extends $Command .f(PutObjectRequestFilterSensitiveLog, PutObjectOutputFilterSensitiveLog) .ser(se_PutObjectCommand) .de(de_PutObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutObjectRequest; + output: PutObjectOutput; + }; + sdk: { + input: PutObjectCommandInput; + output: PutObjectCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutObjectLegalHoldCommand.ts b/clients/client-s3/src/commands/PutObjectLegalHoldCommand.ts index cb204f99fb3d..4439d9908630 100644 --- a/clients/client-s3/src/commands/PutObjectLegalHoldCommand.ts +++ b/clients/client-s3/src/commands/PutObjectLegalHoldCommand.ts @@ -103,4 +103,16 @@ export class PutObjectLegalHoldCommand extends $Command .f(void 0, void 0) .ser(se_PutObjectLegalHoldCommand) .de(de_PutObjectLegalHoldCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutObjectLegalHoldRequest; + output: PutObjectLegalHoldOutput; + }; + sdk: { + input: PutObjectLegalHoldCommandInput; + output: PutObjectLegalHoldCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutObjectLockConfigurationCommand.ts b/clients/client-s3/src/commands/PutObjectLockConfigurationCommand.ts index 6586eaf57ae6..7041958683bb 100644 --- a/clients/client-s3/src/commands/PutObjectLockConfigurationCommand.ts +++ b/clients/client-s3/src/commands/PutObjectLockConfigurationCommand.ts @@ -126,4 +126,16 @@ export class PutObjectLockConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutObjectLockConfigurationCommand) .de(de_PutObjectLockConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutObjectLockConfigurationRequest; + output: PutObjectLockConfigurationOutput; + }; + sdk: { + input: PutObjectLockConfigurationCommandInput; + output: PutObjectLockConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutObjectRetentionCommand.ts b/clients/client-s3/src/commands/PutObjectRetentionCommand.ts index e56f584e7cda..74c56d0a12a5 100644 --- a/clients/client-s3/src/commands/PutObjectRetentionCommand.ts +++ b/clients/client-s3/src/commands/PutObjectRetentionCommand.ts @@ -106,4 +106,16 @@ export class PutObjectRetentionCommand extends $Command .f(void 0, void 0) .ser(se_PutObjectRetentionCommand) .de(de_PutObjectRetentionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutObjectRetentionRequest; + output: PutObjectRetentionOutput; + }; + sdk: { + input: PutObjectRetentionCommandInput; + output: PutObjectRetentionCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutObjectTaggingCommand.ts b/clients/client-s3/src/commands/PutObjectTaggingCommand.ts index e0531c21260b..06510a97f709 100644 --- a/clients/client-s3/src/commands/PutObjectTaggingCommand.ts +++ b/clients/client-s3/src/commands/PutObjectTaggingCommand.ts @@ -186,4 +186,16 @@ export class PutObjectTaggingCommand extends $Command .f(void 0, void 0) .ser(se_PutObjectTaggingCommand) .de(de_PutObjectTaggingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutObjectTaggingRequest; + output: PutObjectTaggingOutput; + }; + sdk: { + input: PutObjectTaggingCommandInput; + output: PutObjectTaggingCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/PutPublicAccessBlockCommand.ts b/clients/client-s3/src/commands/PutPublicAccessBlockCommand.ts index 1d2af629d1fc..4306cf2cbe5f 100644 --- a/clients/client-s3/src/commands/PutPublicAccessBlockCommand.ts +++ b/clients/client-s3/src/commands/PutPublicAccessBlockCommand.ts @@ -133,4 +133,16 @@ export class PutPublicAccessBlockCommand extends $Command .f(void 0, void 0) .ser(se_PutPublicAccessBlockCommand) .de(de_PutPublicAccessBlockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPublicAccessBlockRequest; + output: {}; + }; + sdk: { + input: PutPublicAccessBlockCommandInput; + output: PutPublicAccessBlockCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/RestoreObjectCommand.ts b/clients/client-s3/src/commands/RestoreObjectCommand.ts index 63ceea6b442c..418c9361f9bc 100644 --- a/clients/client-s3/src/commands/RestoreObjectCommand.ts +++ b/clients/client-s3/src/commands/RestoreObjectCommand.ts @@ -404,4 +404,16 @@ export class RestoreObjectCommand extends $Command .f(RestoreObjectRequestFilterSensitiveLog, void 0) .ser(se_RestoreObjectCommand) .de(de_RestoreObjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreObjectRequest; + output: RestoreObjectOutput; + }; + sdk: { + input: RestoreObjectCommandInput; + output: RestoreObjectCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/SelectObjectContentCommand.ts b/clients/client-s3/src/commands/SelectObjectContentCommand.ts index 95787c6cde3d..5a55da620871 100644 --- a/clients/client-s3/src/commands/SelectObjectContentCommand.ts +++ b/clients/client-s3/src/commands/SelectObjectContentCommand.ts @@ -283,4 +283,16 @@ export class SelectObjectContentCommand extends $Command .f(SelectObjectContentRequestFilterSensitiveLog, SelectObjectContentOutputFilterSensitiveLog) .ser(se_SelectObjectContentCommand) .de(de_SelectObjectContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SelectObjectContentRequest; + output: SelectObjectContentOutput; + }; + sdk: { + input: SelectObjectContentCommandInput; + output: SelectObjectContentCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/UploadPartCommand.ts b/clients/client-s3/src/commands/UploadPartCommand.ts index 18c49d3f800c..82321abb7af9 100644 --- a/clients/client-s3/src/commands/UploadPartCommand.ts +++ b/clients/client-s3/src/commands/UploadPartCommand.ts @@ -319,4 +319,16 @@ export class UploadPartCommand extends $Command .f(UploadPartRequestFilterSensitiveLog, UploadPartOutputFilterSensitiveLog) .ser(se_UploadPartCommand) .de(de_UploadPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadPartRequest; + output: UploadPartOutput; + }; + sdk: { + input: UploadPartCommandInput; + output: UploadPartCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/UploadPartCopyCommand.ts b/clients/client-s3/src/commands/UploadPartCopyCommand.ts index 54ed1745004b..0722794c57f1 100644 --- a/clients/client-s3/src/commands/UploadPartCopyCommand.ts +++ b/clients/client-s3/src/commands/UploadPartCopyCommand.ts @@ -369,4 +369,16 @@ export class UploadPartCopyCommand extends $Command .f(UploadPartCopyRequestFilterSensitiveLog, UploadPartCopyOutputFilterSensitiveLog) .ser(se_UploadPartCopyCommand) .de(de_UploadPartCopyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadPartCopyRequest; + output: UploadPartCopyOutput; + }; + sdk: { + input: UploadPartCopyCommandInput; + output: UploadPartCopyCommandOutput; + }; + }; +} diff --git a/clients/client-s3/src/commands/WriteGetObjectResponseCommand.ts b/clients/client-s3/src/commands/WriteGetObjectResponseCommand.ts index 5ac4744ce122..c6b3f82655c3 100644 --- a/clients/client-s3/src/commands/WriteGetObjectResponseCommand.ts +++ b/clients/client-s3/src/commands/WriteGetObjectResponseCommand.ts @@ -158,4 +158,16 @@ export class WriteGetObjectResponseCommand extends $Command .f(WriteGetObjectResponseRequestFilterSensitiveLog, void 0) .ser(se_WriteGetObjectResponseCommand) .de(de_WriteGetObjectResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: WriteGetObjectResponseRequest; + output: {}; + }; + sdk: { + input: WriteGetObjectResponseCommandInput; + output: WriteGetObjectResponseCommandOutput; + }; + }; +} diff --git a/clients/client-s3outposts/package.json b/clients/client-s3outposts/package.json index 953803e4ed17..15d43e8e24be 100644 --- a/clients/client-s3outposts/package.json +++ b/clients/client-s3outposts/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-s3outposts/src/commands/CreateEndpointCommand.ts b/clients/client-s3outposts/src/commands/CreateEndpointCommand.ts index dad4ccbecbba..3972dd81410a 100644 --- a/clients/client-s3outposts/src/commands/CreateEndpointCommand.ts +++ b/clients/client-s3outposts/src/commands/CreateEndpointCommand.ts @@ -119,4 +119,16 @@ export class CreateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointCommand) .de(de_CreateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointRequest; + output: CreateEndpointResult; + }; + sdk: { + input: CreateEndpointCommandInput; + output: CreateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-s3outposts/src/commands/DeleteEndpointCommand.ts b/clients/client-s3outposts/src/commands/DeleteEndpointCommand.ts index 4e086b1fbf60..6a5362fcb4aa 100644 --- a/clients/client-s3outposts/src/commands/DeleteEndpointCommand.ts +++ b/clients/client-s3outposts/src/commands/DeleteEndpointCommand.ts @@ -111,4 +111,16 @@ export class DeleteEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointCommand) .de(de_DeleteEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointRequest; + output: {}; + }; + sdk: { + input: DeleteEndpointCommandInput; + output: DeleteEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-s3outposts/src/commands/ListEndpointsCommand.ts b/clients/client-s3outposts/src/commands/ListEndpointsCommand.ts index fcdabb4aa675..52515e803149 100644 --- a/clients/client-s3outposts/src/commands/ListEndpointsCommand.ts +++ b/clients/client-s3outposts/src/commands/ListEndpointsCommand.ts @@ -129,4 +129,16 @@ export class ListEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointsCommand) .de(de_ListEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointsRequest; + output: ListEndpointsResult; + }; + sdk: { + input: ListEndpointsCommandInput; + output: ListEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-s3outposts/src/commands/ListOutpostsWithS3Command.ts b/clients/client-s3outposts/src/commands/ListOutpostsWithS3Command.ts index 3f965f6d0fc4..c8baa302763d 100644 --- a/clients/client-s3outposts/src/commands/ListOutpostsWithS3Command.ts +++ b/clients/client-s3outposts/src/commands/ListOutpostsWithS3Command.ts @@ -101,4 +101,16 @@ export class ListOutpostsWithS3Command extends $Command .f(void 0, void 0) .ser(se_ListOutpostsWithS3Command) .de(de_ListOutpostsWithS3Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOutpostsWithS3Request; + output: ListOutpostsWithS3Result; + }; + sdk: { + input: ListOutpostsWithS3CommandInput; + output: ListOutpostsWithS3CommandOutput; + }; + }; +} diff --git a/clients/client-s3outposts/src/commands/ListSharedEndpointsCommand.ts b/clients/client-s3outposts/src/commands/ListSharedEndpointsCommand.ts index 73416878e4c7..6aabd621d334 100644 --- a/clients/client-s3outposts/src/commands/ListSharedEndpointsCommand.ts +++ b/clients/client-s3outposts/src/commands/ListSharedEndpointsCommand.ts @@ -130,4 +130,16 @@ export class ListSharedEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListSharedEndpointsCommand) .de(de_ListSharedEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSharedEndpointsRequest; + output: ListSharedEndpointsResult; + }; + sdk: { + input: ListSharedEndpointsCommandInput; + output: ListSharedEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-a2i-runtime/package.json b/clients/client-sagemaker-a2i-runtime/package.json index e850a2612017..d683427823b9 100644 --- a/clients/client-sagemaker-a2i-runtime/package.json +++ b/clients/client-sagemaker-a2i-runtime/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sagemaker-a2i-runtime/src/commands/DeleteHumanLoopCommand.ts b/clients/client-sagemaker-a2i-runtime/src/commands/DeleteHumanLoopCommand.ts index 974a9753e30b..e9cdca8b3d15 100644 --- a/clients/client-sagemaker-a2i-runtime/src/commands/DeleteHumanLoopCommand.ts +++ b/clients/client-sagemaker-a2i-runtime/src/commands/DeleteHumanLoopCommand.ts @@ -98,4 +98,16 @@ export class DeleteHumanLoopCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHumanLoopCommand) .de(de_DeleteHumanLoopCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHumanLoopRequest; + output: {}; + }; + sdk: { + input: DeleteHumanLoopCommandInput; + output: DeleteHumanLoopCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-a2i-runtime/src/commands/DescribeHumanLoopCommand.ts b/clients/client-sagemaker-a2i-runtime/src/commands/DescribeHumanLoopCommand.ts index c5eb03082e48..f5cf042d2116 100644 --- a/clients/client-sagemaker-a2i-runtime/src/commands/DescribeHumanLoopCommand.ts +++ b/clients/client-sagemaker-a2i-runtime/src/commands/DescribeHumanLoopCommand.ts @@ -108,4 +108,16 @@ export class DescribeHumanLoopCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHumanLoopCommand) .de(de_DescribeHumanLoopCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHumanLoopRequest; + output: DescribeHumanLoopResponse; + }; + sdk: { + input: DescribeHumanLoopCommandInput; + output: DescribeHumanLoopCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-a2i-runtime/src/commands/ListHumanLoopsCommand.ts b/clients/client-sagemaker-a2i-runtime/src/commands/ListHumanLoopsCommand.ts index 49d36796af62..dc79532c7813 100644 --- a/clients/client-sagemaker-a2i-runtime/src/commands/ListHumanLoopsCommand.ts +++ b/clients/client-sagemaker-a2i-runtime/src/commands/ListHumanLoopsCommand.ts @@ -112,4 +112,16 @@ export class ListHumanLoopsCommand extends $Command .f(void 0, void 0) .ser(se_ListHumanLoopsCommand) .de(de_ListHumanLoopsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHumanLoopsRequest; + output: ListHumanLoopsResponse; + }; + sdk: { + input: ListHumanLoopsCommandInput; + output: ListHumanLoopsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-a2i-runtime/src/commands/StartHumanLoopCommand.ts b/clients/client-sagemaker-a2i-runtime/src/commands/StartHumanLoopCommand.ts index 5fa7dea4441f..e4ec559f7faf 100644 --- a/clients/client-sagemaker-a2i-runtime/src/commands/StartHumanLoopCommand.ts +++ b/clients/client-sagemaker-a2i-runtime/src/commands/StartHumanLoopCommand.ts @@ -115,4 +115,16 @@ export class StartHumanLoopCommand extends $Command .f(void 0, void 0) .ser(se_StartHumanLoopCommand) .de(de_StartHumanLoopCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartHumanLoopRequest; + output: StartHumanLoopResponse; + }; + sdk: { + input: StartHumanLoopCommandInput; + output: StartHumanLoopCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-a2i-runtime/src/commands/StopHumanLoopCommand.ts b/clients/client-sagemaker-a2i-runtime/src/commands/StopHumanLoopCommand.ts index e0501b24676a..087c0603948f 100644 --- a/clients/client-sagemaker-a2i-runtime/src/commands/StopHumanLoopCommand.ts +++ b/clients/client-sagemaker-a2i-runtime/src/commands/StopHumanLoopCommand.ts @@ -96,4 +96,16 @@ export class StopHumanLoopCommand extends $Command .f(void 0, void 0) .ser(se_StopHumanLoopCommand) .de(de_StopHumanLoopCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopHumanLoopRequest; + output: {}; + }; + sdk: { + input: StopHumanLoopCommandInput; + output: StopHumanLoopCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-edge/package.json b/clients/client-sagemaker-edge/package.json index 3124565b56f6..5594113a8c79 100644 --- a/clients/client-sagemaker-edge/package.json +++ b/clients/client-sagemaker-edge/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sagemaker-edge/src/commands/GetDeploymentsCommand.ts b/clients/client-sagemaker-edge/src/commands/GetDeploymentsCommand.ts index abd859a99bc1..cd6851301d41 100644 --- a/clients/client-sagemaker-edge/src/commands/GetDeploymentsCommand.ts +++ b/clients/client-sagemaker-edge/src/commands/GetDeploymentsCommand.ts @@ -99,4 +99,16 @@ export class GetDeploymentsCommand extends $Command .f(void 0, void 0) .ser(se_GetDeploymentsCommand) .de(de_GetDeploymentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeploymentsRequest; + output: GetDeploymentsResult; + }; + sdk: { + input: GetDeploymentsCommandInput; + output: GetDeploymentsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-edge/src/commands/GetDeviceRegistrationCommand.ts b/clients/client-sagemaker-edge/src/commands/GetDeviceRegistrationCommand.ts index 5d114859db08..75c37dadc47c 100644 --- a/clients/client-sagemaker-edge/src/commands/GetDeviceRegistrationCommand.ts +++ b/clients/client-sagemaker-edge/src/commands/GetDeviceRegistrationCommand.ts @@ -83,4 +83,16 @@ export class GetDeviceRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceRegistrationCommand) .de(de_GetDeviceRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceRegistrationRequest; + output: GetDeviceRegistrationResult; + }; + sdk: { + input: GetDeviceRegistrationCommandInput; + output: GetDeviceRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-edge/src/commands/SendHeartbeatCommand.ts b/clients/client-sagemaker-edge/src/commands/SendHeartbeatCommand.ts index 3b2e3f1b9a33..93d8430ab91d 100644 --- a/clients/client-sagemaker-edge/src/commands/SendHeartbeatCommand.ts +++ b/clients/client-sagemaker-edge/src/commands/SendHeartbeatCommand.ts @@ -124,4 +124,16 @@ export class SendHeartbeatCommand extends $Command .f(void 0, void 0) .ser(se_SendHeartbeatCommand) .de(de_SendHeartbeatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendHeartbeatRequest; + output: {}; + }; + sdk: { + input: SendHeartbeatCommandInput; + output: SendHeartbeatCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-featurestore-runtime/package.json b/clients/client-sagemaker-featurestore-runtime/package.json index 2d37f552189a..d2b6da35eea5 100644 --- a/clients/client-sagemaker-featurestore-runtime/package.json +++ b/clients/client-sagemaker-featurestore-runtime/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sagemaker-featurestore-runtime/src/commands/BatchGetRecordCommand.ts b/clients/client-sagemaker-featurestore-runtime/src/commands/BatchGetRecordCommand.ts index 52bf15351e92..25929353cb9b 100644 --- a/clients/client-sagemaker-featurestore-runtime/src/commands/BatchGetRecordCommand.ts +++ b/clients/client-sagemaker-featurestore-runtime/src/commands/BatchGetRecordCommand.ts @@ -139,4 +139,16 @@ export class BatchGetRecordCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetRecordCommand) .de(de_BatchGetRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetRecordRequest; + output: BatchGetRecordResponse; + }; + sdk: { + input: BatchGetRecordCommandInput; + output: BatchGetRecordCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-featurestore-runtime/src/commands/DeleteRecordCommand.ts b/clients/client-sagemaker-featurestore-runtime/src/commands/DeleteRecordCommand.ts index ec9cbfc47d38..9d06f8ac2981 100644 --- a/clients/client-sagemaker-featurestore-runtime/src/commands/DeleteRecordCommand.ts +++ b/clients/client-sagemaker-featurestore-runtime/src/commands/DeleteRecordCommand.ts @@ -131,4 +131,16 @@ export class DeleteRecordCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRecordCommand) .de(de_DeleteRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRecordRequest; + output: {}; + }; + sdk: { + input: DeleteRecordCommandInput; + output: DeleteRecordCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-featurestore-runtime/src/commands/GetRecordCommand.ts b/clients/client-sagemaker-featurestore-runtime/src/commands/GetRecordCommand.ts index c4d5c4034f1f..385d3c23f12c 100644 --- a/clients/client-sagemaker-featurestore-runtime/src/commands/GetRecordCommand.ts +++ b/clients/client-sagemaker-featurestore-runtime/src/commands/GetRecordCommand.ts @@ -113,4 +113,16 @@ export class GetRecordCommand extends $Command .f(void 0, void 0) .ser(se_GetRecordCommand) .de(de_GetRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecordRequest; + output: GetRecordResponse; + }; + sdk: { + input: GetRecordCommandInput; + output: GetRecordCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-featurestore-runtime/src/commands/PutRecordCommand.ts b/clients/client-sagemaker-featurestore-runtime/src/commands/PutRecordCommand.ts index 5b20935d1b74..ba3c736783fe 100644 --- a/clients/client-sagemaker-featurestore-runtime/src/commands/PutRecordCommand.ts +++ b/clients/client-sagemaker-featurestore-runtime/src/commands/PutRecordCommand.ts @@ -123,4 +123,16 @@ export class PutRecordCommand extends $Command .f(void 0, void 0) .ser(se_PutRecordCommand) .de(de_PutRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRecordRequest; + output: {}; + }; + sdk: { + input: PutRecordCommandInput; + output: PutRecordCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/package.json b/clients/client-sagemaker-geospatial/package.json index acc22380f305..669b77e0810b 100644 --- a/clients/client-sagemaker-geospatial/package.json +++ b/clients/client-sagemaker-geospatial/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-sagemaker-geospatial/src/commands/DeleteEarthObservationJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/DeleteEarthObservationJobCommand.ts index a03c088246ad..aa6154b6975a 100644 --- a/clients/client-sagemaker-geospatial/src/commands/DeleteEarthObservationJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/DeleteEarthObservationJobCommand.ts @@ -97,4 +97,16 @@ export class DeleteEarthObservationJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEarthObservationJobCommand) .de(de_DeleteEarthObservationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEarthObservationJobInput; + output: {}; + }; + sdk: { + input: DeleteEarthObservationJobCommandInput; + output: DeleteEarthObservationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/DeleteVectorEnrichmentJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/DeleteVectorEnrichmentJobCommand.ts index 03d6da71d30d..611f55478c52 100644 --- a/clients/client-sagemaker-geospatial/src/commands/DeleteVectorEnrichmentJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/DeleteVectorEnrichmentJobCommand.ts @@ -97,4 +97,16 @@ export class DeleteVectorEnrichmentJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVectorEnrichmentJobCommand) .de(de_DeleteVectorEnrichmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVectorEnrichmentJobInput; + output: {}; + }; + sdk: { + input: DeleteVectorEnrichmentJobCommandInput; + output: DeleteVectorEnrichmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/ExportEarthObservationJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/ExportEarthObservationJobCommand.ts index 7d95d725c410..61da5f95a5b2 100644 --- a/clients/client-sagemaker-geospatial/src/commands/ExportEarthObservationJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/ExportEarthObservationJobCommand.ts @@ -121,4 +121,16 @@ export class ExportEarthObservationJobCommand extends $Command .f(void 0, void 0) .ser(se_ExportEarthObservationJobCommand) .de(de_ExportEarthObservationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportEarthObservationJobInput; + output: ExportEarthObservationJobOutput; + }; + sdk: { + input: ExportEarthObservationJobCommandInput; + output: ExportEarthObservationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/ExportVectorEnrichmentJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/ExportVectorEnrichmentJobCommand.ts index 009f461bb290..dc17febf2a2a 100644 --- a/clients/client-sagemaker-geospatial/src/commands/ExportVectorEnrichmentJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/ExportVectorEnrichmentJobCommand.ts @@ -119,4 +119,16 @@ export class ExportVectorEnrichmentJobCommand extends $Command .f(void 0, void 0) .ser(se_ExportVectorEnrichmentJobCommand) .de(de_ExportVectorEnrichmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportVectorEnrichmentJobInput; + output: ExportVectorEnrichmentJobOutput; + }; + sdk: { + input: ExportVectorEnrichmentJobCommandInput; + output: ExportVectorEnrichmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/GetEarthObservationJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/GetEarthObservationJobCommand.ts index c68ea70f175f..15aea4d6f0b2 100644 --- a/clients/client-sagemaker-geospatial/src/commands/GetEarthObservationJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/GetEarthObservationJobCommand.ts @@ -268,4 +268,16 @@ export class GetEarthObservationJobCommand extends $Command .f(void 0, GetEarthObservationJobOutputFilterSensitiveLog) .ser(se_GetEarthObservationJobCommand) .de(de_GetEarthObservationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEarthObservationJobInput; + output: GetEarthObservationJobOutput; + }; + sdk: { + input: GetEarthObservationJobCommandInput; + output: GetEarthObservationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/GetRasterDataCollectionCommand.ts b/clients/client-sagemaker-geospatial/src/commands/GetRasterDataCollectionCommand.ts index 9736b0918af1..9c92c79cbe8d 100644 --- a/clients/client-sagemaker-geospatial/src/commands/GetRasterDataCollectionCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/GetRasterDataCollectionCommand.ts @@ -114,4 +114,16 @@ export class GetRasterDataCollectionCommand extends $Command .f(void 0, void 0) .ser(se_GetRasterDataCollectionCommand) .de(de_GetRasterDataCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRasterDataCollectionInput; + output: GetRasterDataCollectionOutput; + }; + sdk: { + input: GetRasterDataCollectionCommandInput; + output: GetRasterDataCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/GetTileCommand.ts b/clients/client-sagemaker-geospatial/src/commands/GetTileCommand.ts index 5644e1308538..474c2fea42a8 100644 --- a/clients/client-sagemaker-geospatial/src/commands/GetTileCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/GetTileCommand.ts @@ -111,4 +111,16 @@ export class GetTileCommand extends $Command .f(void 0, GetTileOutputFilterSensitiveLog) .ser(se_GetTileCommand) .de(de_GetTileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTileInput; + output: GetTileOutput; + }; + sdk: { + input: GetTileCommandInput; + output: GetTileCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/GetVectorEnrichmentJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/GetVectorEnrichmentJobCommand.ts index 6206a1bdb36a..89463bbb02ff 100644 --- a/clients/client-sagemaker-geospatial/src/commands/GetVectorEnrichmentJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/GetVectorEnrichmentJobCommand.ts @@ -136,4 +136,16 @@ export class GetVectorEnrichmentJobCommand extends $Command .f(void 0, void 0) .ser(se_GetVectorEnrichmentJobCommand) .de(de_GetVectorEnrichmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVectorEnrichmentJobInput; + output: GetVectorEnrichmentJobOutput; + }; + sdk: { + input: GetVectorEnrichmentJobCommandInput; + output: GetVectorEnrichmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/ListEarthObservationJobsCommand.ts b/clients/client-sagemaker-geospatial/src/commands/ListEarthObservationJobsCommand.ts index a06907cdb8c6..0472f88d7645 100644 --- a/clients/client-sagemaker-geospatial/src/commands/ListEarthObservationJobsCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/ListEarthObservationJobsCommand.ts @@ -118,4 +118,16 @@ export class ListEarthObservationJobsCommand extends $Command .f(ListEarthObservationJobInputFilterSensitiveLog, ListEarthObservationJobOutputFilterSensitiveLog) .ser(se_ListEarthObservationJobsCommand) .de(de_ListEarthObservationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEarthObservationJobInput; + output: ListEarthObservationJobOutput; + }; + sdk: { + input: ListEarthObservationJobsCommandInput; + output: ListEarthObservationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/ListRasterDataCollectionsCommand.ts b/clients/client-sagemaker-geospatial/src/commands/ListRasterDataCollectionsCommand.ts index 3fb635be417a..72182cbd23ca 100644 --- a/clients/client-sagemaker-geospatial/src/commands/ListRasterDataCollectionsCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/ListRasterDataCollectionsCommand.ts @@ -122,4 +122,16 @@ export class ListRasterDataCollectionsCommand extends $Command .f(ListRasterDataCollectionsInputFilterSensitiveLog, ListRasterDataCollectionsOutputFilterSensitiveLog) .ser(se_ListRasterDataCollectionsCommand) .de(de_ListRasterDataCollectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRasterDataCollectionsInput; + output: ListRasterDataCollectionsOutput; + }; + sdk: { + input: ListRasterDataCollectionsCommandInput; + output: ListRasterDataCollectionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/ListTagsForResourceCommand.ts b/clients/client-sagemaker-geospatial/src/commands/ListTagsForResourceCommand.ts index 2a2b31c5e88d..2be85d94df86 100644 --- a/clients/client-sagemaker-geospatial/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/ListVectorEnrichmentJobsCommand.ts b/clients/client-sagemaker-geospatial/src/commands/ListVectorEnrichmentJobsCommand.ts index 8bb82d65e64a..bcb610e9afdf 100644 --- a/clients/client-sagemaker-geospatial/src/commands/ListVectorEnrichmentJobsCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/ListVectorEnrichmentJobsCommand.ts @@ -118,4 +118,16 @@ export class ListVectorEnrichmentJobsCommand extends $Command .f(ListVectorEnrichmentJobInputFilterSensitiveLog, ListVectorEnrichmentJobOutputFilterSensitiveLog) .ser(se_ListVectorEnrichmentJobsCommand) .de(de_ListVectorEnrichmentJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVectorEnrichmentJobInput; + output: ListVectorEnrichmentJobOutput; + }; + sdk: { + input: ListVectorEnrichmentJobsCommandInput; + output: ListVectorEnrichmentJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/SearchRasterDataCollectionCommand.ts b/clients/client-sagemaker-geospatial/src/commands/SearchRasterDataCollectionCommand.ts index f512dadc3c40..2105e9e5c8cd 100644 --- a/clients/client-sagemaker-geospatial/src/commands/SearchRasterDataCollectionCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/SearchRasterDataCollectionCommand.ts @@ -198,4 +198,16 @@ export class SearchRasterDataCollectionCommand extends $Command .f(SearchRasterDataCollectionInputFilterSensitiveLog, SearchRasterDataCollectionOutputFilterSensitiveLog) .ser(se_SearchRasterDataCollectionCommand) .de(de_SearchRasterDataCollectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchRasterDataCollectionInput; + output: SearchRasterDataCollectionOutput; + }; + sdk: { + input: SearchRasterDataCollectionCommandInput; + output: SearchRasterDataCollectionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/StartEarthObservationJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/StartEarthObservationJobCommand.ts index 86627fe0786d..e983a2e5ef69 100644 --- a/clients/client-sagemaker-geospatial/src/commands/StartEarthObservationJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/StartEarthObservationJobCommand.ts @@ -397,4 +397,16 @@ export class StartEarthObservationJobCommand extends $Command .f(StartEarthObservationJobInputFilterSensitiveLog, StartEarthObservationJobOutputFilterSensitiveLog) .ser(se_StartEarthObservationJobCommand) .de(de_StartEarthObservationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEarthObservationJobInput; + output: StartEarthObservationJobOutput; + }; + sdk: { + input: StartEarthObservationJobCommandInput; + output: StartEarthObservationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/StartVectorEnrichmentJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/StartVectorEnrichmentJobCommand.ts index 1acab376b393..bff5db855307 100644 --- a/clients/client-sagemaker-geospatial/src/commands/StartVectorEnrichmentJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/StartVectorEnrichmentJobCommand.ts @@ -160,4 +160,16 @@ export class StartVectorEnrichmentJobCommand extends $Command .f(void 0, void 0) .ser(se_StartVectorEnrichmentJobCommand) .de(de_StartVectorEnrichmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartVectorEnrichmentJobInput; + output: StartVectorEnrichmentJobOutput; + }; + sdk: { + input: StartVectorEnrichmentJobCommandInput; + output: StartVectorEnrichmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/StopEarthObservationJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/StopEarthObservationJobCommand.ts index 4124a1879a28..0999025cfcba 100644 --- a/clients/client-sagemaker-geospatial/src/commands/StopEarthObservationJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/StopEarthObservationJobCommand.ts @@ -97,4 +97,16 @@ export class StopEarthObservationJobCommand extends $Command .f(void 0, void 0) .ser(se_StopEarthObservationJobCommand) .de(de_StopEarthObservationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEarthObservationJobInput; + output: {}; + }; + sdk: { + input: StopEarthObservationJobCommandInput; + output: StopEarthObservationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/StopVectorEnrichmentJobCommand.ts b/clients/client-sagemaker-geospatial/src/commands/StopVectorEnrichmentJobCommand.ts index 9721daec167c..91e72fb22a22 100644 --- a/clients/client-sagemaker-geospatial/src/commands/StopVectorEnrichmentJobCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/StopVectorEnrichmentJobCommand.ts @@ -97,4 +97,16 @@ export class StopVectorEnrichmentJobCommand extends $Command .f(void 0, void 0) .ser(se_StopVectorEnrichmentJobCommand) .de(de_StopVectorEnrichmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopVectorEnrichmentJobInput; + output: {}; + }; + sdk: { + input: StopVectorEnrichmentJobCommandInput; + output: StopVectorEnrichmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/TagResourceCommand.ts b/clients/client-sagemaker-geospatial/src/commands/TagResourceCommand.ts index d9aa6b05af6a..2e26cff6e1ca 100644 --- a/clients/client-sagemaker-geospatial/src/commands/TagResourceCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-geospatial/src/commands/UntagResourceCommand.ts b/clients/client-sagemaker-geospatial/src/commands/UntagResourceCommand.ts index e526bd822cab..82c38679f83b 100644 --- a/clients/client-sagemaker-geospatial/src/commands/UntagResourceCommand.ts +++ b/clients/client-sagemaker-geospatial/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-metrics/package.json b/clients/client-sagemaker-metrics/package.json index 2d4f32e77d5f..76cbd0cedebb 100644 --- a/clients/client-sagemaker-metrics/package.json +++ b/clients/client-sagemaker-metrics/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sagemaker-metrics/src/commands/BatchPutMetricsCommand.ts b/clients/client-sagemaker-metrics/src/commands/BatchPutMetricsCommand.ts index 44397c49829b..ec89c3d9901e 100644 --- a/clients/client-sagemaker-metrics/src/commands/BatchPutMetricsCommand.ts +++ b/clients/client-sagemaker-metrics/src/commands/BatchPutMetricsCommand.ts @@ -92,4 +92,16 @@ export class BatchPutMetricsCommand extends $Command .f(void 0, void 0) .ser(se_BatchPutMetricsCommand) .de(de_BatchPutMetricsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutMetricsRequest; + output: BatchPutMetricsResponse; + }; + sdk: { + input: BatchPutMetricsCommandInput; + output: BatchPutMetricsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-runtime/package.json b/clients/client-sagemaker-runtime/package.json index 129c20ed31be..f45994f55e81 100644 --- a/clients/client-sagemaker-runtime/package.json +++ b/clients/client-sagemaker-runtime/package.json @@ -33,34 +33,34 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sagemaker-runtime/src/commands/InvokeEndpointAsyncCommand.ts b/clients/client-sagemaker-runtime/src/commands/InvokeEndpointAsyncCommand.ts index ac2511726cd5..4ac673193226 100644 --- a/clients/client-sagemaker-runtime/src/commands/InvokeEndpointAsyncCommand.ts +++ b/clients/client-sagemaker-runtime/src/commands/InvokeEndpointAsyncCommand.ts @@ -110,4 +110,16 @@ export class InvokeEndpointAsyncCommand extends $Command .f(InvokeEndpointAsyncInputFilterSensitiveLog, void 0) .ser(se_InvokeEndpointAsyncCommand) .de(de_InvokeEndpointAsyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeEndpointAsyncInput; + output: InvokeEndpointAsyncOutput; + }; + sdk: { + input: InvokeEndpointAsyncCommandInput; + output: InvokeEndpointAsyncCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-runtime/src/commands/InvokeEndpointCommand.ts b/clients/client-sagemaker-runtime/src/commands/InvokeEndpointCommand.ts index 9ea3543887c1..66ca7aed213d 100644 --- a/clients/client-sagemaker-runtime/src/commands/InvokeEndpointCommand.ts +++ b/clients/client-sagemaker-runtime/src/commands/InvokeEndpointCommand.ts @@ -153,4 +153,16 @@ export class InvokeEndpointCommand extends $Command .f(InvokeEndpointInputFilterSensitiveLog, InvokeEndpointOutputFilterSensitiveLog) .ser(se_InvokeEndpointCommand) .de(de_InvokeEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeEndpointInput; + output: InvokeEndpointOutput; + }; + sdk: { + input: InvokeEndpointCommandInput; + output: InvokeEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker-runtime/src/commands/InvokeEndpointWithResponseStreamCommand.ts b/clients/client-sagemaker-runtime/src/commands/InvokeEndpointWithResponseStreamCommand.ts index 80df7fd61a58..60d00341de7a 100644 --- a/clients/client-sagemaker-runtime/src/commands/InvokeEndpointWithResponseStreamCommand.ts +++ b/clients/client-sagemaker-runtime/src/commands/InvokeEndpointWithResponseStreamCommand.ts @@ -179,4 +179,16 @@ export class InvokeEndpointWithResponseStreamCommand extends $Command .f(InvokeEndpointWithResponseStreamInputFilterSensitiveLog, InvokeEndpointWithResponseStreamOutputFilterSensitiveLog) .ser(se_InvokeEndpointWithResponseStreamCommand) .de(de_InvokeEndpointWithResponseStreamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InvokeEndpointWithResponseStreamInput; + output: InvokeEndpointWithResponseStreamOutput; + }; + sdk: { + input: InvokeEndpointWithResponseStreamCommandInput; + output: InvokeEndpointWithResponseStreamCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/package.json b/clients/client-sagemaker/package.json index 4381d8a4e307..06a85e082e96 100644 --- a/clients/client-sagemaker/package.json +++ b/clients/client-sagemaker/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-sagemaker/src/commands/AddAssociationCommand.ts b/clients/client-sagemaker/src/commands/AddAssociationCommand.ts index 81b5cfb290b7..66157455ffdf 100644 --- a/clients/client-sagemaker/src/commands/AddAssociationCommand.ts +++ b/clients/client-sagemaker/src/commands/AddAssociationCommand.ts @@ -91,4 +91,16 @@ export class AddAssociationCommand extends $Command .f(void 0, void 0) .ser(se_AddAssociationCommand) .de(de_AddAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddAssociationRequest; + output: AddAssociationResponse; + }; + sdk: { + input: AddAssociationCommandInput; + output: AddAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/AddTagsCommand.ts b/clients/client-sagemaker/src/commands/AddTagsCommand.ts index 094229906d07..fcfc62fca283 100644 --- a/clients/client-sagemaker/src/commands/AddTagsCommand.ts +++ b/clients/client-sagemaker/src/commands/AddTagsCommand.ts @@ -113,4 +113,16 @@ export class AddTagsCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsCommand) .de(de_AddTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsInput; + output: AddTagsOutput; + }; + sdk: { + input: AddTagsCommandInput; + output: AddTagsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/AssociateTrialComponentCommand.ts b/clients/client-sagemaker/src/commands/AssociateTrialComponentCommand.ts index bdfac7efc822..b5c8cd3821c0 100644 --- a/clients/client-sagemaker/src/commands/AssociateTrialComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/AssociateTrialComponentCommand.ts @@ -87,4 +87,16 @@ export class AssociateTrialComponentCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTrialComponentCommand) .de(de_AssociateTrialComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTrialComponentRequest; + output: AssociateTrialComponentResponse; + }; + sdk: { + input: AssociateTrialComponentCommandInput; + output: AssociateTrialComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/BatchDescribeModelPackageCommand.ts b/clients/client-sagemaker/src/commands/BatchDescribeModelPackageCommand.ts index f0c819db6d3a..911297bb504f 100644 --- a/clients/client-sagemaker/src/commands/BatchDescribeModelPackageCommand.ts +++ b/clients/client-sagemaker/src/commands/BatchDescribeModelPackageCommand.ts @@ -145,4 +145,16 @@ export class BatchDescribeModelPackageCommand extends $Command .f(void 0, void 0) .ser(se_BatchDescribeModelPackageCommand) .de(de_BatchDescribeModelPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDescribeModelPackageInput; + output: BatchDescribeModelPackageOutput; + }; + sdk: { + input: BatchDescribeModelPackageCommandInput; + output: BatchDescribeModelPackageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateActionCommand.ts b/clients/client-sagemaker/src/commands/CreateActionCommand.ts index a866691491c9..214954bfddb5 100644 --- a/clients/client-sagemaker/src/commands/CreateActionCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateActionCommand.ts @@ -108,4 +108,16 @@ export class CreateActionCommand extends $Command .f(void 0, void 0) .ser(se_CreateActionCommand) .de(de_CreateActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateActionRequest; + output: CreateActionResponse; + }; + sdk: { + input: CreateActionCommandInput; + output: CreateActionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateAlgorithmCommand.ts b/clients/client-sagemaker/src/commands/CreateAlgorithmCommand.ts index 9fb4875c3be3..d415f0b13ce2 100644 --- a/clients/client-sagemaker/src/commands/CreateAlgorithmCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateAlgorithmCommand.ts @@ -300,4 +300,16 @@ export class CreateAlgorithmCommand extends $Command .f(void 0, void 0) .ser(se_CreateAlgorithmCommand) .de(de_CreateAlgorithmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAlgorithmInput; + output: CreateAlgorithmOutput; + }; + sdk: { + input: CreateAlgorithmCommandInput; + output: CreateAlgorithmCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateAppCommand.ts b/clients/client-sagemaker/src/commands/CreateAppCommand.ts index a78c6e9257ea..c3dfa416c6ed 100644 --- a/clients/client-sagemaker/src/commands/CreateAppCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateAppCommand.ts @@ -104,4 +104,16 @@ export class CreateAppCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppCommand) .de(de_CreateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppRequest; + output: CreateAppResponse; + }; + sdk: { + input: CreateAppCommandInput; + output: CreateAppCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateAppImageConfigCommand.ts b/clients/client-sagemaker/src/commands/CreateAppImageConfigCommand.ts index 598c223f423c..eb490771dc84 100644 --- a/clients/client-sagemaker/src/commands/CreateAppImageConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateAppImageConfigCommand.ts @@ -137,4 +137,16 @@ export class CreateAppImageConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppImageConfigCommand) .de(de_CreateAppImageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppImageConfigRequest; + output: CreateAppImageConfigResponse; + }; + sdk: { + input: CreateAppImageConfigCommandInput; + output: CreateAppImageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateArtifactCommand.ts b/clients/client-sagemaker/src/commands/CreateArtifactCommand.ts index 8fcaf473561a..068c58be6798 100644 --- a/clients/client-sagemaker/src/commands/CreateArtifactCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateArtifactCommand.ts @@ -110,4 +110,16 @@ export class CreateArtifactCommand extends $Command .f(void 0, void 0) .ser(se_CreateArtifactCommand) .de(de_CreateArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateArtifactRequest; + output: CreateArtifactResponse; + }; + sdk: { + input: CreateArtifactCommandInput; + output: CreateArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateAutoMLJobCommand.ts b/clients/client-sagemaker/src/commands/CreateAutoMLJobCommand.ts index abd150e76302..2edeb45f9133 100644 --- a/clients/client-sagemaker/src/commands/CreateAutoMLJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateAutoMLJobCommand.ts @@ -175,4 +175,16 @@ export class CreateAutoMLJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateAutoMLJobCommand) .de(de_CreateAutoMLJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAutoMLJobRequest; + output: CreateAutoMLJobResponse; + }; + sdk: { + input: CreateAutoMLJobCommandInput; + output: CreateAutoMLJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateAutoMLJobV2Command.ts b/clients/client-sagemaker/src/commands/CreateAutoMLJobV2Command.ts index 0fc189ab4207..5c8b9100c043 100644 --- a/clients/client-sagemaker/src/commands/CreateAutoMLJobV2Command.ts +++ b/clients/client-sagemaker/src/commands/CreateAutoMLJobV2Command.ts @@ -264,4 +264,16 @@ export class CreateAutoMLJobV2Command extends $Command .f(void 0, void 0) .ser(se_CreateAutoMLJobV2Command) .de(de_CreateAutoMLJobV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAutoMLJobV2Request; + output: CreateAutoMLJobV2Response; + }; + sdk: { + input: CreateAutoMLJobV2CommandInput; + output: CreateAutoMLJobV2CommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateClusterCommand.ts b/clients/client-sagemaker/src/commands/CreateClusterCommand.ts index ead2c2d7e543..80209baaccc6 100644 --- a/clients/client-sagemaker/src/commands/CreateClusterCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateClusterCommand.ts @@ -130,4 +130,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResponse; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateCodeRepositoryCommand.ts b/clients/client-sagemaker/src/commands/CreateCodeRepositoryCommand.ts index 2ec55af7eb62..061ecc7525cb 100644 --- a/clients/client-sagemaker/src/commands/CreateCodeRepositoryCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateCodeRepositoryCommand.ts @@ -94,4 +94,16 @@ export class CreateCodeRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateCodeRepositoryCommand) .de(de_CreateCodeRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCodeRepositoryInput; + output: CreateCodeRepositoryOutput; + }; + sdk: { + input: CreateCodeRepositoryCommandInput; + output: CreateCodeRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateCompilationJobCommand.ts b/clients/client-sagemaker/src/commands/CreateCompilationJobCommand.ts index 9b8d480611f1..453be26c7b7d 100644 --- a/clients/client-sagemaker/src/commands/CreateCompilationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateCompilationJobCommand.ts @@ -152,4 +152,16 @@ export class CreateCompilationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateCompilationJobCommand) .de(de_CreateCompilationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCompilationJobRequest; + output: CreateCompilationJobResponse; + }; + sdk: { + input: CreateCompilationJobCommandInput; + output: CreateCompilationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateContextCommand.ts b/clients/client-sagemaker/src/commands/CreateContextCommand.ts index 5677dfcc9a46..613d14bc37a3 100644 --- a/clients/client-sagemaker/src/commands/CreateContextCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateContextCommand.ts @@ -101,4 +101,16 @@ export class CreateContextCommand extends $Command .f(void 0, void 0) .ser(se_CreateContextCommand) .de(de_CreateContextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContextRequest; + output: CreateContextResponse; + }; + sdk: { + input: CreateContextCommandInput; + output: CreateContextCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateDataQualityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/CreateDataQualityJobDefinitionCommand.ts index 708d39435493..8540e0595e69 100644 --- a/clients/client-sagemaker/src/commands/CreateDataQualityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateDataQualityJobDefinitionCommand.ts @@ -193,4 +193,16 @@ export class CreateDataQualityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataQualityJobDefinitionCommand) .de(de_CreateDataQualityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataQualityJobDefinitionRequest; + output: CreateDataQualityJobDefinitionResponse; + }; + sdk: { + input: CreateDataQualityJobDefinitionCommandInput; + output: CreateDataQualityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateDeviceFleetCommand.ts b/clients/client-sagemaker/src/commands/CreateDeviceFleetCommand.ts index b717867ca233..fbc31eb0eaba 100644 --- a/clients/client-sagemaker/src/commands/CreateDeviceFleetCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateDeviceFleetCommand.ts @@ -97,4 +97,16 @@ export class CreateDeviceFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeviceFleetCommand) .de(de_CreateDeviceFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeviceFleetRequest; + output: {}; + }; + sdk: { + input: CreateDeviceFleetCommandInput; + output: CreateDeviceFleetCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateDomainCommand.ts b/clients/client-sagemaker/src/commands/CreateDomainCommand.ts index 17b17636f098..ddd6427da700 100644 --- a/clients/client-sagemaker/src/commands/CreateDomainCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateDomainCommand.ts @@ -437,4 +437,16 @@ export class CreateDomainCommand extends $Command .f(void 0, void 0) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResponse; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateEdgeDeploymentPlanCommand.ts b/clients/client-sagemaker/src/commands/CreateEdgeDeploymentPlanCommand.ts index e80a610f3652..b13ca4209258 100644 --- a/clients/client-sagemaker/src/commands/CreateEdgeDeploymentPlanCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateEdgeDeploymentPlanCommand.ts @@ -111,4 +111,16 @@ export class CreateEdgeDeploymentPlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateEdgeDeploymentPlanCommand) .de(de_CreateEdgeDeploymentPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEdgeDeploymentPlanRequest; + output: CreateEdgeDeploymentPlanResponse; + }; + sdk: { + input: CreateEdgeDeploymentPlanCommandInput; + output: CreateEdgeDeploymentPlanCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateEdgeDeploymentStageCommand.ts b/clients/client-sagemaker/src/commands/CreateEdgeDeploymentStageCommand.ts index 7fc1c90341f2..c137e059c9bc 100644 --- a/clients/client-sagemaker/src/commands/CreateEdgeDeploymentStageCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateEdgeDeploymentStageCommand.ts @@ -95,4 +95,16 @@ export class CreateEdgeDeploymentStageCommand extends $Command .f(void 0, void 0) .ser(se_CreateEdgeDeploymentStageCommand) .de(de_CreateEdgeDeploymentStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEdgeDeploymentStageRequest; + output: {}; + }; + sdk: { + input: CreateEdgeDeploymentStageCommandInput; + output: CreateEdgeDeploymentStageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateEdgePackagingJobCommand.ts b/clients/client-sagemaker/src/commands/CreateEdgePackagingJobCommand.ts index 1af069095f13..e57560b183b1 100644 --- a/clients/client-sagemaker/src/commands/CreateEdgePackagingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateEdgePackagingJobCommand.ts @@ -96,4 +96,16 @@ export class CreateEdgePackagingJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateEdgePackagingJobCommand) .de(de_CreateEdgePackagingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEdgePackagingJobRequest; + output: {}; + }; + sdk: { + input: CreateEdgePackagingJobCommandInput; + output: CreateEdgePackagingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateEndpointCommand.ts b/clients/client-sagemaker/src/commands/CreateEndpointCommand.ts index cf9a06e58de7..72d68c0fc2df 100644 --- a/clients/client-sagemaker/src/commands/CreateEndpointCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateEndpointCommand.ts @@ -199,4 +199,16 @@ export class CreateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointCommand) .de(de_CreateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointInput; + output: CreateEndpointOutput; + }; + sdk: { + input: CreateEndpointCommandInput; + output: CreateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateEndpointConfigCommand.ts b/clients/client-sagemaker/src/commands/CreateEndpointConfigCommand.ts index 0362d7db3d4d..4c50536d195e 100644 --- a/clients/client-sagemaker/src/commands/CreateEndpointConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateEndpointConfigCommand.ts @@ -266,4 +266,16 @@ export class CreateEndpointConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateEndpointConfigCommand) .de(de_CreateEndpointConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEndpointConfigInput; + output: CreateEndpointConfigOutput; + }; + sdk: { + input: CreateEndpointConfigCommandInput; + output: CreateEndpointConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateExperimentCommand.ts b/clients/client-sagemaker/src/commands/CreateExperimentCommand.ts index bd1fe7066c02..21d209356a26 100644 --- a/clients/client-sagemaker/src/commands/CreateExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateExperimentCommand.ts @@ -108,4 +108,16 @@ export class CreateExperimentCommand extends $Command .f(void 0, void 0) .ser(se_CreateExperimentCommand) .de(de_CreateExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExperimentRequest; + output: CreateExperimentResponse; + }; + sdk: { + input: CreateExperimentCommandInput; + output: CreateExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateFeatureGroupCommand.ts b/clients/client-sagemaker/src/commands/CreateFeatureGroupCommand.ts index d333fb48f165..4fd0951e2af0 100644 --- a/clients/client-sagemaker/src/commands/CreateFeatureGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateFeatureGroupCommand.ts @@ -153,4 +153,16 @@ export class CreateFeatureGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateFeatureGroupCommand) .de(de_CreateFeatureGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFeatureGroupRequest; + output: CreateFeatureGroupResponse; + }; + sdk: { + input: CreateFeatureGroupCommandInput; + output: CreateFeatureGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateFlowDefinitionCommand.ts b/clients/client-sagemaker/src/commands/CreateFlowDefinitionCommand.ts index df28316567ef..76a3738d9a40 100644 --- a/clients/client-sagemaker/src/commands/CreateFlowDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateFlowDefinitionCommand.ts @@ -122,4 +122,16 @@ export class CreateFlowDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateFlowDefinitionCommand) .de(de_CreateFlowDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFlowDefinitionRequest; + output: CreateFlowDefinitionResponse; + }; + sdk: { + input: CreateFlowDefinitionCommandInput; + output: CreateFlowDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateHubCommand.ts b/clients/client-sagemaker/src/commands/CreateHubCommand.ts index b2602fdf0cf8..aca271b0d017 100644 --- a/clients/client-sagemaker/src/commands/CreateHubCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateHubCommand.ts @@ -98,4 +98,16 @@ export class CreateHubCommand extends $Command .f(void 0, void 0) .ser(se_CreateHubCommand) .de(de_CreateHubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHubRequest; + output: CreateHubResponse; + }; + sdk: { + input: CreateHubCommandInput; + output: CreateHubCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateHubContentReferenceCommand.ts b/clients/client-sagemaker/src/commands/CreateHubContentReferenceCommand.ts index 836c77ed3b87..8d3889ebf66e 100644 --- a/clients/client-sagemaker/src/commands/CreateHubContentReferenceCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateHubContentReferenceCommand.ts @@ -97,4 +97,16 @@ export class CreateHubContentReferenceCommand extends $Command .f(void 0, void 0) .ser(se_CreateHubContentReferenceCommand) .de(de_CreateHubContentReferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHubContentReferenceRequest; + output: CreateHubContentReferenceResponse; + }; + sdk: { + input: CreateHubContentReferenceCommandInput; + output: CreateHubContentReferenceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateHumanTaskUiCommand.ts b/clients/client-sagemaker/src/commands/CreateHumanTaskUiCommand.ts index fc3f17375a2f..20a68aff9a2c 100644 --- a/clients/client-sagemaker/src/commands/CreateHumanTaskUiCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateHumanTaskUiCommand.ts @@ -93,4 +93,16 @@ export class CreateHumanTaskUiCommand extends $Command .f(void 0, void 0) .ser(se_CreateHumanTaskUiCommand) .de(de_CreateHumanTaskUiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHumanTaskUiRequest; + output: CreateHumanTaskUiResponse; + }; + sdk: { + input: CreateHumanTaskUiCommandInput; + output: CreateHumanTaskUiCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateHyperParameterTuningJobCommand.ts b/clients/client-sagemaker/src/commands/CreateHyperParameterTuningJobCommand.ts index dcf8b4e0d576..902fbbad1d8d 100644 --- a/clients/client-sagemaker/src/commands/CreateHyperParameterTuningJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateHyperParameterTuningJobCommand.ts @@ -471,4 +471,16 @@ export class CreateHyperParameterTuningJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateHyperParameterTuningJobCommand) .de(de_CreateHyperParameterTuningJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHyperParameterTuningJobRequest; + output: CreateHyperParameterTuningJobResponse; + }; + sdk: { + input: CreateHyperParameterTuningJobCommandInput; + output: CreateHyperParameterTuningJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateImageCommand.ts b/clients/client-sagemaker/src/commands/CreateImageCommand.ts index 564f1092abde..5be8c0b8836d 100644 --- a/clients/client-sagemaker/src/commands/CreateImageCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateImageCommand.ts @@ -95,4 +95,16 @@ export class CreateImageCommand extends $Command .f(void 0, void 0) .ser(se_CreateImageCommand) .de(de_CreateImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImageRequest; + output: CreateImageResponse; + }; + sdk: { + input: CreateImageCommandInput; + output: CreateImageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateImageVersionCommand.ts b/clients/client-sagemaker/src/commands/CreateImageVersionCommand.ts index ad684c46785d..ddc11166c768 100644 --- a/clients/client-sagemaker/src/commands/CreateImageVersionCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateImageVersionCommand.ts @@ -100,4 +100,16 @@ export class CreateImageVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateImageVersionCommand) .de(de_CreateImageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImageVersionRequest; + output: CreateImageVersionResponse; + }; + sdk: { + input: CreateImageVersionCommandInput; + output: CreateImageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateInferenceComponentCommand.ts b/clients/client-sagemaker/src/commands/CreateInferenceComponentCommand.ts index 8f0ea5f0e2e2..01bd3bc27160 100644 --- a/clients/client-sagemaker/src/commands/CreateInferenceComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateInferenceComponentCommand.ts @@ -119,4 +119,16 @@ export class CreateInferenceComponentCommand extends $Command .f(void 0, void 0) .ser(se_CreateInferenceComponentCommand) .de(de_CreateInferenceComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInferenceComponentInput; + output: CreateInferenceComponentOutput; + }; + sdk: { + input: CreateInferenceComponentCommandInput; + output: CreateInferenceComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateInferenceExperimentCommand.ts b/clients/client-sagemaker/src/commands/CreateInferenceExperimentCommand.ts index 9b4dc01492d8..ae87f4bf0cb6 100644 --- a/clients/client-sagemaker/src/commands/CreateInferenceExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateInferenceExperimentCommand.ts @@ -147,4 +147,16 @@ export class CreateInferenceExperimentCommand extends $Command .f(void 0, void 0) .ser(se_CreateInferenceExperimentCommand) .de(de_CreateInferenceExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInferenceExperimentRequest; + output: CreateInferenceExperimentResponse; + }; + sdk: { + input: CreateInferenceExperimentCommandInput; + output: CreateInferenceExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateInferenceRecommendationsJobCommand.ts b/clients/client-sagemaker/src/commands/CreateInferenceRecommendationsJobCommand.ts index f9d214dc5f03..3a31d3697729 100644 --- a/clients/client-sagemaker/src/commands/CreateInferenceRecommendationsJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateInferenceRecommendationsJobCommand.ts @@ -198,4 +198,16 @@ export class CreateInferenceRecommendationsJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateInferenceRecommendationsJobCommand) .de(de_CreateInferenceRecommendationsJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInferenceRecommendationsJobRequest; + output: CreateInferenceRecommendationsJobResponse; + }; + sdk: { + input: CreateInferenceRecommendationsJobCommandInput; + output: CreateInferenceRecommendationsJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateLabelingJobCommand.ts b/clients/client-sagemaker/src/commands/CreateLabelingJobCommand.ts index f62f4311e75a..a48bc83c8286 100644 --- a/clients/client-sagemaker/src/commands/CreateLabelingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateLabelingJobCommand.ts @@ -196,4 +196,16 @@ export class CreateLabelingJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateLabelingJobCommand) .de(de_CreateLabelingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLabelingJobRequest; + output: CreateLabelingJobResponse; + }; + sdk: { + input: CreateLabelingJobCommandInput; + output: CreateLabelingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateMlflowTrackingServerCommand.ts b/clients/client-sagemaker/src/commands/CreateMlflowTrackingServerCommand.ts index 3741d37b9192..738b0890db1c 100644 --- a/clients/client-sagemaker/src/commands/CreateMlflowTrackingServerCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateMlflowTrackingServerCommand.ts @@ -95,4 +95,16 @@ export class CreateMlflowTrackingServerCommand extends $Command .f(void 0, void 0) .ser(se_CreateMlflowTrackingServerCommand) .de(de_CreateMlflowTrackingServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMlflowTrackingServerRequest; + output: CreateMlflowTrackingServerResponse; + }; + sdk: { + input: CreateMlflowTrackingServerCommandInput; + output: CreateMlflowTrackingServerCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelBiasJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/CreateModelBiasJobDefinitionCommand.ts index 07d486818dd3..3b9258fe2343 100644 --- a/clients/client-sagemaker/src/commands/CreateModelBiasJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelBiasJobDefinitionCommand.ts @@ -184,4 +184,16 @@ export class CreateModelBiasJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelBiasJobDefinitionCommand) .de(de_CreateModelBiasJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelBiasJobDefinitionRequest; + output: CreateModelBiasJobDefinitionResponse; + }; + sdk: { + input: CreateModelBiasJobDefinitionCommandInput; + output: CreateModelBiasJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelCardCommand.ts b/clients/client-sagemaker/src/commands/CreateModelCardCommand.ts index c7492cc3c196..b3932e438ffd 100644 --- a/clients/client-sagemaker/src/commands/CreateModelCardCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelCardCommand.ts @@ -101,4 +101,16 @@ export class CreateModelCardCommand extends $Command .f(CreateModelCardRequestFilterSensitiveLog, void 0) .ser(se_CreateModelCardCommand) .de(de_CreateModelCardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelCardRequest; + output: CreateModelCardResponse; + }; + sdk: { + input: CreateModelCardCommandInput; + output: CreateModelCardCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelCardExportJobCommand.ts b/clients/client-sagemaker/src/commands/CreateModelCardExportJobCommand.ts index 4b23bef7a64d..15a295a8881c 100644 --- a/clients/client-sagemaker/src/commands/CreateModelCardExportJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelCardExportJobCommand.ts @@ -93,4 +93,16 @@ export class CreateModelCardExportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCardExportJobCommand) .de(de_CreateModelCardExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelCardExportJobRequest; + output: CreateModelCardExportJobResponse; + }; + sdk: { + input: CreateModelCardExportJobCommandInput; + output: CreateModelCardExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelCommand.ts b/clients/client-sagemaker/src/commands/CreateModelCommand.ts index b30960e5db58..cf2cd4a9ea0f 100644 --- a/clients/client-sagemaker/src/commands/CreateModelCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelCommand.ts @@ -206,4 +206,16 @@ export class CreateModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelCommand) .de(de_CreateModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelInput; + output: CreateModelOutput; + }; + sdk: { + input: CreateModelCommandInput; + output: CreateModelCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelExplainabilityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/CreateModelExplainabilityJobDefinitionCommand.ts index 1d10eb950c6b..8a7a148fc989 100644 --- a/clients/client-sagemaker/src/commands/CreateModelExplainabilityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelExplainabilityJobDefinitionCommand.ts @@ -185,4 +185,16 @@ export class CreateModelExplainabilityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelExplainabilityJobDefinitionCommand) .de(de_CreateModelExplainabilityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelExplainabilityJobDefinitionRequest; + output: CreateModelExplainabilityJobDefinitionResponse; + }; + sdk: { + input: CreateModelExplainabilityJobDefinitionCommandInput; + output: CreateModelExplainabilityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelPackageCommand.ts b/clients/client-sagemaker/src/commands/CreateModelPackageCommand.ts index b4c66ff576eb..f2d8438aacf9 100644 --- a/clients/client-sagemaker/src/commands/CreateModelPackageCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelPackageCommand.ts @@ -368,4 +368,16 @@ export class CreateModelPackageCommand extends $Command .f(CreateModelPackageInputFilterSensitiveLog, void 0) .ser(se_CreateModelPackageCommand) .de(de_CreateModelPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelPackageInput; + output: CreateModelPackageOutput; + }; + sdk: { + input: CreateModelPackageCommandInput; + output: CreateModelPackageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelPackageGroupCommand.ts b/clients/client-sagemaker/src/commands/CreateModelPackageGroupCommand.ts index 1ef2d62cc14a..db61d80e0e35 100644 --- a/clients/client-sagemaker/src/commands/CreateModelPackageGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelPackageGroupCommand.ts @@ -88,4 +88,16 @@ export class CreateModelPackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelPackageGroupCommand) .de(de_CreateModelPackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelPackageGroupInput; + output: CreateModelPackageGroupOutput; + }; + sdk: { + input: CreateModelPackageGroupCommandInput; + output: CreateModelPackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateModelQualityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/CreateModelQualityJobDefinitionCommand.ts index c2aa730256f7..9e8d353e24d9 100644 --- a/clients/client-sagemaker/src/commands/CreateModelQualityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateModelQualityJobDefinitionCommand.ts @@ -194,4 +194,16 @@ export class CreateModelQualityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_CreateModelQualityJobDefinitionCommand) .de(de_CreateModelQualityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateModelQualityJobDefinitionRequest; + output: CreateModelQualityJobDefinitionResponse; + }; + sdk: { + input: CreateModelQualityJobDefinitionCommandInput; + output: CreateModelQualityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateMonitoringScheduleCommand.ts b/clients/client-sagemaker/src/commands/CreateMonitoringScheduleCommand.ts index 2f49c3c63f31..1f59b9c315b5 100644 --- a/clients/client-sagemaker/src/commands/CreateMonitoringScheduleCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateMonitoringScheduleCommand.ts @@ -200,4 +200,16 @@ export class CreateMonitoringScheduleCommand extends $Command .f(void 0, void 0) .ser(se_CreateMonitoringScheduleCommand) .de(de_CreateMonitoringScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMonitoringScheduleRequest; + output: CreateMonitoringScheduleResponse; + }; + sdk: { + input: CreateMonitoringScheduleCommandInput; + output: CreateMonitoringScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateNotebookInstanceCommand.ts b/clients/client-sagemaker/src/commands/CreateNotebookInstanceCommand.ts index ea513d18d81f..f185032a2a6a 100644 --- a/clients/client-sagemaker/src/commands/CreateNotebookInstanceCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateNotebookInstanceCommand.ts @@ -143,4 +143,16 @@ export class CreateNotebookInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateNotebookInstanceCommand) .de(de_CreateNotebookInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNotebookInstanceInput; + output: CreateNotebookInstanceOutput; + }; + sdk: { + input: CreateNotebookInstanceCommandInput; + output: CreateNotebookInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateNotebookInstanceLifecycleConfigCommand.ts b/clients/client-sagemaker/src/commands/CreateNotebookInstanceLifecycleConfigCommand.ts index 46d867fc6da7..6f0aac93e030 100644 --- a/clients/client-sagemaker/src/commands/CreateNotebookInstanceLifecycleConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateNotebookInstanceLifecycleConfigCommand.ts @@ -112,4 +112,16 @@ export class CreateNotebookInstanceLifecycleConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateNotebookInstanceLifecycleConfigCommand) .de(de_CreateNotebookInstanceLifecycleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNotebookInstanceLifecycleConfigInput; + output: CreateNotebookInstanceLifecycleConfigOutput; + }; + sdk: { + input: CreateNotebookInstanceLifecycleConfigCommandInput; + output: CreateNotebookInstanceLifecycleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateOptimizationJobCommand.ts b/clients/client-sagemaker/src/commands/CreateOptimizationJobCommand.ts index 2c0aa311e41c..2fc435ef5c3f 100644 --- a/clients/client-sagemaker/src/commands/CreateOptimizationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateOptimizationJobCommand.ts @@ -141,4 +141,16 @@ export class CreateOptimizationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateOptimizationJobCommand) .de(de_CreateOptimizationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOptimizationJobRequest; + output: CreateOptimizationJobResponse; + }; + sdk: { + input: CreateOptimizationJobCommandInput; + output: CreateOptimizationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreatePipelineCommand.ts b/clients/client-sagemaker/src/commands/CreatePipelineCommand.ts index 1edfbbd0eebe..bda60c32501d 100644 --- a/clients/client-sagemaker/src/commands/CreatePipelineCommand.ts +++ b/clients/client-sagemaker/src/commands/CreatePipelineCommand.ts @@ -107,4 +107,16 @@ export class CreatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_CreatePipelineCommand) .de(de_CreatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePipelineRequest; + output: CreatePipelineResponse; + }; + sdk: { + input: CreatePipelineCommandInput; + output: CreatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreatePresignedDomainUrlCommand.ts b/clients/client-sagemaker/src/commands/CreatePresignedDomainUrlCommand.ts index 69136c2818ec..5024679d085e 100644 --- a/clients/client-sagemaker/src/commands/CreatePresignedDomainUrlCommand.ts +++ b/clients/client-sagemaker/src/commands/CreatePresignedDomainUrlCommand.ts @@ -101,4 +101,16 @@ export class CreatePresignedDomainUrlCommand extends $Command .f(void 0, void 0) .ser(se_CreatePresignedDomainUrlCommand) .de(de_CreatePresignedDomainUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePresignedDomainUrlRequest; + output: CreatePresignedDomainUrlResponse; + }; + sdk: { + input: CreatePresignedDomainUrlCommandInput; + output: CreatePresignedDomainUrlCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreatePresignedMlflowTrackingServerUrlCommand.ts b/clients/client-sagemaker/src/commands/CreatePresignedMlflowTrackingServerUrlCommand.ts index 7ffc6aa89715..88c9dc367382 100644 --- a/clients/client-sagemaker/src/commands/CreatePresignedMlflowTrackingServerUrlCommand.ts +++ b/clients/client-sagemaker/src/commands/CreatePresignedMlflowTrackingServerUrlCommand.ts @@ -90,4 +90,16 @@ export class CreatePresignedMlflowTrackingServerUrlCommand extends $Command .f(void 0, void 0) .ser(se_CreatePresignedMlflowTrackingServerUrlCommand) .de(de_CreatePresignedMlflowTrackingServerUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePresignedMlflowTrackingServerUrlRequest; + output: CreatePresignedMlflowTrackingServerUrlResponse; + }; + sdk: { + input: CreatePresignedMlflowTrackingServerUrlCommandInput; + output: CreatePresignedMlflowTrackingServerUrlCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreatePresignedNotebookInstanceUrlCommand.ts b/clients/client-sagemaker/src/commands/CreatePresignedNotebookInstanceUrlCommand.ts index a36e84297aa1..a3232caa626f 100644 --- a/clients/client-sagemaker/src/commands/CreatePresignedNotebookInstanceUrlCommand.ts +++ b/clients/client-sagemaker/src/commands/CreatePresignedNotebookInstanceUrlCommand.ts @@ -99,4 +99,16 @@ export class CreatePresignedNotebookInstanceUrlCommand extends $Command .f(void 0, void 0) .ser(se_CreatePresignedNotebookInstanceUrlCommand) .de(de_CreatePresignedNotebookInstanceUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePresignedNotebookInstanceUrlInput; + output: CreatePresignedNotebookInstanceUrlOutput; + }; + sdk: { + input: CreatePresignedNotebookInstanceUrlCommandInput; + output: CreatePresignedNotebookInstanceUrlCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateProcessingJobCommand.ts b/clients/client-sagemaker/src/commands/CreateProcessingJobCommand.ts index 3ec701c16c6b..64f3c24e477b 100644 --- a/clients/client-sagemaker/src/commands/CreateProcessingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateProcessingJobCommand.ts @@ -192,4 +192,16 @@ export class CreateProcessingJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateProcessingJobCommand) .de(de_CreateProcessingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProcessingJobRequest; + output: CreateProcessingJobResponse; + }; + sdk: { + input: CreateProcessingJobCommandInput; + output: CreateProcessingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateProjectCommand.ts b/clients/client-sagemaker/src/commands/CreateProjectCommand.ts index 8e694d5d7cfa..981d1d85bd33 100644 --- a/clients/client-sagemaker/src/commands/CreateProjectCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateProjectCommand.ts @@ -101,4 +101,16 @@ export class CreateProjectCommand extends $Command .f(void 0, void 0) .ser(se_CreateProjectCommand) .de(de_CreateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProjectInput; + output: CreateProjectOutput; + }; + sdk: { + input: CreateProjectCommandInput; + output: CreateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts b/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts index 49253396bc3f..7fb81b958a82 100644 --- a/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts @@ -182,4 +182,16 @@ export class CreateSpaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateSpaceCommand) .de(de_CreateSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSpaceRequest; + output: CreateSpaceResponse; + }; + sdk: { + input: CreateSpaceCommandInput; + output: CreateSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateStudioLifecycleConfigCommand.ts b/clients/client-sagemaker/src/commands/CreateStudioLifecycleConfigCommand.ts index ca01cdaa6d08..e9c40615d0cc 100644 --- a/clients/client-sagemaker/src/commands/CreateStudioLifecycleConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateStudioLifecycleConfigCommand.ts @@ -90,4 +90,16 @@ export class CreateStudioLifecycleConfigCommand extends $Command .f(void 0, void 0) .ser(se_CreateStudioLifecycleConfigCommand) .de(de_CreateStudioLifecycleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStudioLifecycleConfigRequest; + output: CreateStudioLifecycleConfigResponse; + }; + sdk: { + input: CreateStudioLifecycleConfigCommandInput; + output: CreateStudioLifecycleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateTrainingJobCommand.ts b/clients/client-sagemaker/src/commands/CreateTrainingJobCommand.ts index 9cabc17d267a..d8e8901f29b8 100644 --- a/clients/client-sagemaker/src/commands/CreateTrainingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateTrainingJobCommand.ts @@ -342,4 +342,16 @@ export class CreateTrainingJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrainingJobCommand) .de(de_CreateTrainingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrainingJobRequest; + output: CreateTrainingJobResponse; + }; + sdk: { + input: CreateTrainingJobCommandInput; + output: CreateTrainingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateTransformJobCommand.ts b/clients/client-sagemaker/src/commands/CreateTransformJobCommand.ts index df7ba9bc6d2f..e6b096bd4cac 100644 --- a/clients/client-sagemaker/src/commands/CreateTransformJobCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateTransformJobCommand.ts @@ -176,4 +176,16 @@ export class CreateTransformJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateTransformJobCommand) .de(de_CreateTransformJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTransformJobRequest; + output: CreateTransformJobResponse; + }; + sdk: { + input: CreateTransformJobCommandInput; + output: CreateTransformJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateTrialCommand.ts b/clients/client-sagemaker/src/commands/CreateTrialCommand.ts index e831b6458314..d819d0a33b4d 100644 --- a/clients/client-sagemaker/src/commands/CreateTrialCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateTrialCommand.ts @@ -108,4 +108,16 @@ export class CreateTrialCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrialCommand) .de(de_CreateTrialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrialRequest; + output: CreateTrialResponse; + }; + sdk: { + input: CreateTrialCommandInput; + output: CreateTrialCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateTrialComponentCommand.ts b/clients/client-sagemaker/src/commands/CreateTrialComponentCommand.ts index 4cc2cc2b8424..808d70324860 100644 --- a/clients/client-sagemaker/src/commands/CreateTrialComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateTrialComponentCommand.ts @@ -127,4 +127,16 @@ export class CreateTrialComponentCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrialComponentCommand) .de(de_CreateTrialComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrialComponentRequest; + output: CreateTrialComponentResponse; + }; + sdk: { + input: CreateTrialComponentCommandInput; + output: CreateTrialComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts b/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts index 2fc520ae41fd..4ca6cd465a01 100644 --- a/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts @@ -299,4 +299,16 @@ export class CreateUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserProfileCommand) .de(de_CreateUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserProfileRequest; + output: CreateUserProfileResponse; + }; + sdk: { + input: CreateUserProfileCommandInput; + output: CreateUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateWorkforceCommand.ts b/clients/client-sagemaker/src/commands/CreateWorkforceCommand.ts index cefb3a3c9b23..8f1f47852e8a 100644 --- a/clients/client-sagemaker/src/commands/CreateWorkforceCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateWorkforceCommand.ts @@ -136,4 +136,16 @@ export class CreateWorkforceCommand extends $Command .f(CreateWorkforceRequestFilterSensitiveLog, void 0) .ser(se_CreateWorkforceCommand) .de(de_CreateWorkforceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkforceRequest; + output: CreateWorkforceResponse; + }; + sdk: { + input: CreateWorkforceCommandInput; + output: CreateWorkforceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/CreateWorkteamCommand.ts b/clients/client-sagemaker/src/commands/CreateWorkteamCommand.ts index ac8535070714..5fe90e7585f9 100644 --- a/clients/client-sagemaker/src/commands/CreateWorkteamCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateWorkteamCommand.ts @@ -120,4 +120,16 @@ export class CreateWorkteamCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkteamCommand) .de(de_CreateWorkteamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkteamRequest; + output: CreateWorkteamResponse; + }; + sdk: { + input: CreateWorkteamCommandInput; + output: CreateWorkteamCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteActionCommand.ts b/clients/client-sagemaker/src/commands/DeleteActionCommand.ts index 0c799bcda592..67598a50cc74 100644 --- a/clients/client-sagemaker/src/commands/DeleteActionCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteActionCommand.ts @@ -80,4 +80,16 @@ export class DeleteActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteActionCommand) .de(de_DeleteActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteActionRequest; + output: DeleteActionResponse; + }; + sdk: { + input: DeleteActionCommandInput; + output: DeleteActionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteAlgorithmCommand.ts b/clients/client-sagemaker/src/commands/DeleteAlgorithmCommand.ts index abd2f67f7570..671a99821870 100644 --- a/clients/client-sagemaker/src/commands/DeleteAlgorithmCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteAlgorithmCommand.ts @@ -79,4 +79,16 @@ export class DeleteAlgorithmCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAlgorithmCommand) .de(de_DeleteAlgorithmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAlgorithmInput; + output: {}; + }; + sdk: { + input: DeleteAlgorithmCommandInput; + output: DeleteAlgorithmCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteAppCommand.ts b/clients/client-sagemaker/src/commands/DeleteAppCommand.ts index 9634ce6c221b..6caa0ddea6cc 100644 --- a/clients/client-sagemaker/src/commands/DeleteAppCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteAppCommand.ts @@ -85,4 +85,16 @@ export class DeleteAppCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppCommand) .de(de_DeleteAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppRequest; + output: {}; + }; + sdk: { + input: DeleteAppCommandInput; + output: DeleteAppCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteAppImageConfigCommand.ts b/clients/client-sagemaker/src/commands/DeleteAppImageConfigCommand.ts index e4ea94dadf97..aab3acb3a5ab 100644 --- a/clients/client-sagemaker/src/commands/DeleteAppImageConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteAppImageConfigCommand.ts @@ -78,4 +78,16 @@ export class DeleteAppImageConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppImageConfigCommand) .de(de_DeleteAppImageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppImageConfigRequest; + output: {}; + }; + sdk: { + input: DeleteAppImageConfigCommandInput; + output: DeleteAppImageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteArtifactCommand.ts b/clients/client-sagemaker/src/commands/DeleteArtifactCommand.ts index f74d5e66295d..e992cc00c148 100644 --- a/clients/client-sagemaker/src/commands/DeleteArtifactCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteArtifactCommand.ts @@ -90,4 +90,16 @@ export class DeleteArtifactCommand extends $Command .f(void 0, void 0) .ser(se_DeleteArtifactCommand) .de(de_DeleteArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteArtifactRequest; + output: DeleteArtifactResponse; + }; + sdk: { + input: DeleteArtifactCommandInput; + output: DeleteArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteAssociationCommand.ts b/clients/client-sagemaker/src/commands/DeleteAssociationCommand.ts index b7d67c6e9796..6783957d8b3d 100644 --- a/clients/client-sagemaker/src/commands/DeleteAssociationCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteAssociationCommand.ts @@ -82,4 +82,16 @@ export class DeleteAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssociationCommand) .de(de_DeleteAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssociationRequest; + output: DeleteAssociationResponse; + }; + sdk: { + input: DeleteAssociationCommandInput; + output: DeleteAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteClusterCommand.ts b/clients/client-sagemaker/src/commands/DeleteClusterCommand.ts index fed9db1bb627..95fe786747a6 100644 --- a/clients/client-sagemaker/src/commands/DeleteClusterCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteClusterCommand.ts @@ -84,4 +84,16 @@ export class DeleteClusterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClusterCommand) .de(de_DeleteClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClusterRequest; + output: DeleteClusterResponse; + }; + sdk: { + input: DeleteClusterCommandInput; + output: DeleteClusterCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteCodeRepositoryCommand.ts b/clients/client-sagemaker/src/commands/DeleteCodeRepositoryCommand.ts index 30621305b794..5225ada9235b 100644 --- a/clients/client-sagemaker/src/commands/DeleteCodeRepositoryCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteCodeRepositoryCommand.ts @@ -75,4 +75,16 @@ export class DeleteCodeRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCodeRepositoryCommand) .de(de_DeleteCodeRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCodeRepositoryInput; + output: {}; + }; + sdk: { + input: DeleteCodeRepositoryCommandInput; + output: DeleteCodeRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteCompilationJobCommand.ts b/clients/client-sagemaker/src/commands/DeleteCompilationJobCommand.ts index 020fbd875ae2..748b8ff0b9ac 100644 --- a/clients/client-sagemaker/src/commands/DeleteCompilationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteCompilationJobCommand.ts @@ -85,4 +85,16 @@ export class DeleteCompilationJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCompilationJobCommand) .de(de_DeleteCompilationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCompilationJobRequest; + output: {}; + }; + sdk: { + input: DeleteCompilationJobCommandInput; + output: DeleteCompilationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteContextCommand.ts b/clients/client-sagemaker/src/commands/DeleteContextCommand.ts index 04bf33d7c67c..98e632fbda8e 100644 --- a/clients/client-sagemaker/src/commands/DeleteContextCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteContextCommand.ts @@ -80,4 +80,16 @@ export class DeleteContextCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContextCommand) .de(de_DeleteContextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContextRequest; + output: DeleteContextResponse; + }; + sdk: { + input: DeleteContextCommandInput; + output: DeleteContextCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteDataQualityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DeleteDataQualityJobDefinitionCommand.ts index fb38947369d5..7f8e50e2b73f 100644 --- a/clients/client-sagemaker/src/commands/DeleteDataQualityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteDataQualityJobDefinitionCommand.ts @@ -81,4 +81,16 @@ export class DeleteDataQualityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataQualityJobDefinitionCommand) .de(de_DeleteDataQualityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataQualityJobDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteDataQualityJobDefinitionCommandInput; + output: DeleteDataQualityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteDeviceFleetCommand.ts b/clients/client-sagemaker/src/commands/DeleteDeviceFleetCommand.ts index dd014829dd54..319a2303db2f 100644 --- a/clients/client-sagemaker/src/commands/DeleteDeviceFleetCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteDeviceFleetCommand.ts @@ -78,4 +78,16 @@ export class DeleteDeviceFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeviceFleetCommand) .de(de_DeleteDeviceFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeviceFleetRequest; + output: {}; + }; + sdk: { + input: DeleteDeviceFleetCommandInput; + output: DeleteDeviceFleetCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteDomainCommand.ts b/clients/client-sagemaker/src/commands/DeleteDomainCommand.ts index 677bbfc356f8..5053708b6fe5 100644 --- a/clients/client-sagemaker/src/commands/DeleteDomainCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteDomainCommand.ts @@ -87,4 +87,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: {}; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentPlanCommand.ts b/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentPlanCommand.ts index 76c27e3105a7..bd8816137fdb 100644 --- a/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentPlanCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentPlanCommand.ts @@ -79,4 +79,16 @@ export class DeleteEdgeDeploymentPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEdgeDeploymentPlanCommand) .de(de_DeleteEdgeDeploymentPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEdgeDeploymentPlanRequest; + output: {}; + }; + sdk: { + input: DeleteEdgeDeploymentPlanCommandInput; + output: DeleteEdgeDeploymentPlanCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentStageCommand.ts b/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentStageCommand.ts index f102d5146100..f2af615b7554 100644 --- a/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentStageCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteEdgeDeploymentStageCommand.ts @@ -80,4 +80,16 @@ export class DeleteEdgeDeploymentStageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEdgeDeploymentStageCommand) .de(de_DeleteEdgeDeploymentStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEdgeDeploymentStageRequest; + output: {}; + }; + sdk: { + input: DeleteEdgeDeploymentStageCommandInput; + output: DeleteEdgeDeploymentStageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteEndpointCommand.ts b/clients/client-sagemaker/src/commands/DeleteEndpointCommand.ts index dbf8c9c371f8..e2f3086d95e9 100644 --- a/clients/client-sagemaker/src/commands/DeleteEndpointCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteEndpointCommand.ts @@ -85,4 +85,16 @@ export class DeleteEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointCommand) .de(de_DeleteEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointInput; + output: {}; + }; + sdk: { + input: DeleteEndpointCommandInput; + output: DeleteEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteEndpointConfigCommand.ts b/clients/client-sagemaker/src/commands/DeleteEndpointConfigCommand.ts index 666782bd2674..51ed3ddf4f90 100644 --- a/clients/client-sagemaker/src/commands/DeleteEndpointConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteEndpointConfigCommand.ts @@ -83,4 +83,16 @@ export class DeleteEndpointConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointConfigCommand) .de(de_DeleteEndpointConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointConfigInput; + output: {}; + }; + sdk: { + input: DeleteEndpointConfigCommandInput; + output: DeleteEndpointConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteExperimentCommand.ts b/clients/client-sagemaker/src/commands/DeleteExperimentCommand.ts index d61060d20a51..9a5bc6db21a9 100644 --- a/clients/client-sagemaker/src/commands/DeleteExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteExperimentCommand.ts @@ -82,4 +82,16 @@ export class DeleteExperimentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteExperimentCommand) .de(de_DeleteExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteExperimentRequest; + output: DeleteExperimentResponse; + }; + sdk: { + input: DeleteExperimentCommandInput; + output: DeleteExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteFeatureGroupCommand.ts b/clients/client-sagemaker/src/commands/DeleteFeatureGroupCommand.ts index cbd46aae55a3..d8feb720c04e 100644 --- a/clients/client-sagemaker/src/commands/DeleteFeatureGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteFeatureGroupCommand.ts @@ -85,4 +85,16 @@ export class DeleteFeatureGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFeatureGroupCommand) .de(de_DeleteFeatureGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFeatureGroupRequest; + output: {}; + }; + sdk: { + input: DeleteFeatureGroupCommandInput; + output: DeleteFeatureGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteFlowDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DeleteFlowDefinitionCommand.ts index ccfc69a7d1ec..96d4a8bb8169 100644 --- a/clients/client-sagemaker/src/commands/DeleteFlowDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteFlowDefinitionCommand.ts @@ -81,4 +81,16 @@ export class DeleteFlowDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFlowDefinitionCommand) .de(de_DeleteFlowDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFlowDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteFlowDefinitionCommandInput; + output: DeleteFlowDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteHubCommand.ts b/clients/client-sagemaker/src/commands/DeleteHubCommand.ts index e924b6506bc4..b742f72d76e7 100644 --- a/clients/client-sagemaker/src/commands/DeleteHubCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteHubCommand.ts @@ -81,4 +81,16 @@ export class DeleteHubCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHubCommand) .de(de_DeleteHubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHubRequest; + output: {}; + }; + sdk: { + input: DeleteHubCommandInput; + output: DeleteHubCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteHubContentCommand.ts b/clients/client-sagemaker/src/commands/DeleteHubContentCommand.ts index 20e72e970c09..7058df4eb1f7 100644 --- a/clients/client-sagemaker/src/commands/DeleteHubContentCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteHubContentCommand.ts @@ -84,4 +84,16 @@ export class DeleteHubContentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHubContentCommand) .de(de_DeleteHubContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHubContentRequest; + output: {}; + }; + sdk: { + input: DeleteHubContentCommandInput; + output: DeleteHubContentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteHubContentReferenceCommand.ts b/clients/client-sagemaker/src/commands/DeleteHubContentReferenceCommand.ts index d29b22ae6670..64315f89b4d2 100644 --- a/clients/client-sagemaker/src/commands/DeleteHubContentReferenceCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteHubContentReferenceCommand.ts @@ -80,4 +80,16 @@ export class DeleteHubContentReferenceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHubContentReferenceCommand) .de(de_DeleteHubContentReferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHubContentReferenceRequest; + output: {}; + }; + sdk: { + input: DeleteHubContentReferenceCommandInput; + output: DeleteHubContentReferenceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteHumanTaskUiCommand.ts b/clients/client-sagemaker/src/commands/DeleteHumanTaskUiCommand.ts index 2d4e12e4e258..2216503da35f 100644 --- a/clients/client-sagemaker/src/commands/DeleteHumanTaskUiCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteHumanTaskUiCommand.ts @@ -82,4 +82,16 @@ export class DeleteHumanTaskUiCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHumanTaskUiCommand) .de(de_DeleteHumanTaskUiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHumanTaskUiRequest; + output: {}; + }; + sdk: { + input: DeleteHumanTaskUiCommandInput; + output: DeleteHumanTaskUiCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteHyperParameterTuningJobCommand.ts b/clients/client-sagemaker/src/commands/DeleteHyperParameterTuningJobCommand.ts index 921f5d395a49..f7020d4e35a7 100644 --- a/clients/client-sagemaker/src/commands/DeleteHyperParameterTuningJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteHyperParameterTuningJobCommand.ts @@ -81,4 +81,16 @@ export class DeleteHyperParameterTuningJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHyperParameterTuningJobCommand) .de(de_DeleteHyperParameterTuningJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHyperParameterTuningJobRequest; + output: {}; + }; + sdk: { + input: DeleteHyperParameterTuningJobCommandInput; + output: DeleteHyperParameterTuningJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteImageCommand.ts b/clients/client-sagemaker/src/commands/DeleteImageCommand.ts index 76edce27d6cf..b858f6f4ceef 100644 --- a/clients/client-sagemaker/src/commands/DeleteImageCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteImageCommand.ts @@ -82,4 +82,16 @@ export class DeleteImageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImageCommand) .de(de_DeleteImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImageRequest; + output: {}; + }; + sdk: { + input: DeleteImageCommandInput; + output: DeleteImageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteImageVersionCommand.ts b/clients/client-sagemaker/src/commands/DeleteImageVersionCommand.ts index 4af386c142ce..a2c918ea45f3 100644 --- a/clients/client-sagemaker/src/commands/DeleteImageVersionCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteImageVersionCommand.ts @@ -84,4 +84,16 @@ export class DeleteImageVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImageVersionCommand) .de(de_DeleteImageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImageVersionRequest; + output: {}; + }; + sdk: { + input: DeleteImageVersionCommandInput; + output: DeleteImageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteInferenceComponentCommand.ts b/clients/client-sagemaker/src/commands/DeleteInferenceComponentCommand.ts index 4cee0ac13c0e..de61535e4917 100644 --- a/clients/client-sagemaker/src/commands/DeleteInferenceComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteInferenceComponentCommand.ts @@ -75,4 +75,16 @@ export class DeleteInferenceComponentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInferenceComponentCommand) .de(de_DeleteInferenceComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInferenceComponentInput; + output: {}; + }; + sdk: { + input: DeleteInferenceComponentCommandInput; + output: DeleteInferenceComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteInferenceExperimentCommand.ts b/clients/client-sagemaker/src/commands/DeleteInferenceExperimentCommand.ts index c2070f0e9e19..c60250795f7e 100644 --- a/clients/client-sagemaker/src/commands/DeleteInferenceExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteInferenceExperimentCommand.ts @@ -90,4 +90,16 @@ export class DeleteInferenceExperimentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInferenceExperimentCommand) .de(de_DeleteInferenceExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInferenceExperimentRequest; + output: DeleteInferenceExperimentResponse; + }; + sdk: { + input: DeleteInferenceExperimentCommandInput; + output: DeleteInferenceExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteMlflowTrackingServerCommand.ts b/clients/client-sagemaker/src/commands/DeleteMlflowTrackingServerCommand.ts index d4c2be1421b1..0b70ef04a529 100644 --- a/clients/client-sagemaker/src/commands/DeleteMlflowTrackingServerCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteMlflowTrackingServerCommand.ts @@ -80,4 +80,16 @@ export class DeleteMlflowTrackingServerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMlflowTrackingServerCommand) .de(de_DeleteMlflowTrackingServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMlflowTrackingServerRequest; + output: DeleteMlflowTrackingServerResponse; + }; + sdk: { + input: DeleteMlflowTrackingServerCommandInput; + output: DeleteMlflowTrackingServerCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelBiasJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelBiasJobDefinitionCommand.ts index f9fe4a387f23..073364df1a18 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelBiasJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelBiasJobDefinitionCommand.ts @@ -81,4 +81,16 @@ export class DeleteModelBiasJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelBiasJobDefinitionCommand) .de(de_DeleteModelBiasJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelBiasJobDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteModelBiasJobDefinitionCommandInput; + output: DeleteModelBiasJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelCardCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelCardCommand.ts index f18c2b94b7d6..60bb870e3b9b 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelCardCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelCardCommand.ts @@ -82,4 +82,16 @@ export class DeleteModelCardCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelCardCommand) .de(de_DeleteModelCardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelCardRequest; + output: {}; + }; + sdk: { + input: DeleteModelCardCommandInput; + output: DeleteModelCardCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelCommand.ts index d08b5788f610..59b9a4535d27 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelCommand.ts @@ -78,4 +78,16 @@ export class DeleteModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelCommand) .de(de_DeleteModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelInput; + output: {}; + }; + sdk: { + input: DeleteModelCommandInput; + output: DeleteModelCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelExplainabilityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelExplainabilityJobDefinitionCommand.ts index edb5955bbab8..0c697f2f7387 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelExplainabilityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelExplainabilityJobDefinitionCommand.ts @@ -82,4 +82,16 @@ export class DeleteModelExplainabilityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelExplainabilityJobDefinitionCommand) .de(de_DeleteModelExplainabilityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelExplainabilityJobDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteModelExplainabilityJobDefinitionCommandInput; + output: DeleteModelExplainabilityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelPackageCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelPackageCommand.ts index 223f9dc96296..236855874662 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelPackageCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelPackageCommand.ts @@ -81,4 +81,16 @@ export class DeleteModelPackageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelPackageCommand) .de(de_DeleteModelPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelPackageInput; + output: {}; + }; + sdk: { + input: DeleteModelPackageCommandInput; + output: DeleteModelPackageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelPackageGroupCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelPackageGroupCommand.ts index 8c5c3c4e0468..3cf6dc446d48 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelPackageGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelPackageGroupCommand.ts @@ -79,4 +79,16 @@ export class DeleteModelPackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelPackageGroupCommand) .de(de_DeleteModelPackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelPackageGroupInput; + output: {}; + }; + sdk: { + input: DeleteModelPackageGroupCommandInput; + output: DeleteModelPackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelPackageGroupPolicyCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelPackageGroupPolicyCommand.ts index a23b1ba7bbb2..83ec059b4c68 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelPackageGroupPolicyCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelPackageGroupPolicyCommand.ts @@ -78,4 +78,16 @@ export class DeleteModelPackageGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelPackageGroupPolicyCommand) .de(de_DeleteModelPackageGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelPackageGroupPolicyInput; + output: {}; + }; + sdk: { + input: DeleteModelPackageGroupPolicyCommandInput; + output: DeleteModelPackageGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteModelQualityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DeleteModelQualityJobDefinitionCommand.ts index beffb1f883bd..521dd63b2395 100644 --- a/clients/client-sagemaker/src/commands/DeleteModelQualityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteModelQualityJobDefinitionCommand.ts @@ -81,4 +81,16 @@ export class DeleteModelQualityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteModelQualityJobDefinitionCommand) .de(de_DeleteModelQualityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteModelQualityJobDefinitionRequest; + output: {}; + }; + sdk: { + input: DeleteModelQualityJobDefinitionCommandInput; + output: DeleteModelQualityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteMonitoringScheduleCommand.ts b/clients/client-sagemaker/src/commands/DeleteMonitoringScheduleCommand.ts index e37515191675..bd5fed38b6cf 100644 --- a/clients/client-sagemaker/src/commands/DeleteMonitoringScheduleCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteMonitoringScheduleCommand.ts @@ -79,4 +79,16 @@ export class DeleteMonitoringScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMonitoringScheduleCommand) .de(de_DeleteMonitoringScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMonitoringScheduleRequest; + output: {}; + }; + sdk: { + input: DeleteMonitoringScheduleCommandInput; + output: DeleteMonitoringScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteNotebookInstanceCommand.ts b/clients/client-sagemaker/src/commands/DeleteNotebookInstanceCommand.ts index 8368737a76a8..b6b6cf602dea 100644 --- a/clients/client-sagemaker/src/commands/DeleteNotebookInstanceCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteNotebookInstanceCommand.ts @@ -81,4 +81,16 @@ export class DeleteNotebookInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotebookInstanceCommand) .de(de_DeleteNotebookInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNotebookInstanceInput; + output: {}; + }; + sdk: { + input: DeleteNotebookInstanceCommandInput; + output: DeleteNotebookInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteNotebookInstanceLifecycleConfigCommand.ts b/clients/client-sagemaker/src/commands/DeleteNotebookInstanceLifecycleConfigCommand.ts index 2932a2ab83ab..36d42e6967ec 100644 --- a/clients/client-sagemaker/src/commands/DeleteNotebookInstanceLifecycleConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteNotebookInstanceLifecycleConfigCommand.ts @@ -78,4 +78,16 @@ export class DeleteNotebookInstanceLifecycleConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotebookInstanceLifecycleConfigCommand) .de(de_DeleteNotebookInstanceLifecycleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNotebookInstanceLifecycleConfigInput; + output: {}; + }; + sdk: { + input: DeleteNotebookInstanceLifecycleConfigCommandInput; + output: DeleteNotebookInstanceLifecycleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteOptimizationJobCommand.ts b/clients/client-sagemaker/src/commands/DeleteOptimizationJobCommand.ts index 4b7757ab90cb..67fd335202eb 100644 --- a/clients/client-sagemaker/src/commands/DeleteOptimizationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteOptimizationJobCommand.ts @@ -78,4 +78,16 @@ export class DeleteOptimizationJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOptimizationJobCommand) .de(de_DeleteOptimizationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOptimizationJobRequest; + output: {}; + }; + sdk: { + input: DeleteOptimizationJobCommandInput; + output: DeleteOptimizationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeletePipelineCommand.ts b/clients/client-sagemaker/src/commands/DeletePipelineCommand.ts index 26052f58b92d..f5ef7c528dd8 100644 --- a/clients/client-sagemaker/src/commands/DeletePipelineCommand.ts +++ b/clients/client-sagemaker/src/commands/DeletePipelineCommand.ts @@ -88,4 +88,16 @@ export class DeletePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DeletePipelineCommand) .de(de_DeletePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePipelineRequest; + output: DeletePipelineResponse; + }; + sdk: { + input: DeletePipelineCommandInput; + output: DeletePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteProjectCommand.ts b/clients/client-sagemaker/src/commands/DeleteProjectCommand.ts index 56015f0406d0..f22c1c617187 100644 --- a/clients/client-sagemaker/src/commands/DeleteProjectCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteProjectCommand.ts @@ -79,4 +79,16 @@ export class DeleteProjectCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProjectCommand) .de(de_DeleteProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProjectInput; + output: {}; + }; + sdk: { + input: DeleteProjectCommandInput; + output: DeleteProjectCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteSpaceCommand.ts b/clients/client-sagemaker/src/commands/DeleteSpaceCommand.ts index 057d079fae86..bd9248f70318 100644 --- a/clients/client-sagemaker/src/commands/DeleteSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteSpaceCommand.ts @@ -82,4 +82,16 @@ export class DeleteSpaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSpaceCommand) .de(de_DeleteSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSpaceRequest; + output: {}; + }; + sdk: { + input: DeleteSpaceCommandInput; + output: DeleteSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteStudioLifecycleConfigCommand.ts b/clients/client-sagemaker/src/commands/DeleteStudioLifecycleConfigCommand.ts index 8ce285fdf6b3..416236c3176d 100644 --- a/clients/client-sagemaker/src/commands/DeleteStudioLifecycleConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteStudioLifecycleConfigCommand.ts @@ -84,4 +84,16 @@ export class DeleteStudioLifecycleConfigCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStudioLifecycleConfigCommand) .de(de_DeleteStudioLifecycleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStudioLifecycleConfigRequest; + output: {}; + }; + sdk: { + input: DeleteStudioLifecycleConfigCommandInput; + output: DeleteStudioLifecycleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteTagsCommand.ts b/clients/client-sagemaker/src/commands/DeleteTagsCommand.ts index 1ffc6e4480af..98e621b2294d 100644 --- a/clients/client-sagemaker/src/commands/DeleteTagsCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteTagsCommand.ts @@ -89,4 +89,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsInput; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteTrialCommand.ts b/clients/client-sagemaker/src/commands/DeleteTrialCommand.ts index 950d08577fdc..5170543c00a9 100644 --- a/clients/client-sagemaker/src/commands/DeleteTrialCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteTrialCommand.ts @@ -82,4 +82,16 @@ export class DeleteTrialCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrialCommand) .de(de_DeleteTrialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrialRequest; + output: DeleteTrialResponse; + }; + sdk: { + input: DeleteTrialCommandInput; + output: DeleteTrialCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteTrialComponentCommand.ts b/clients/client-sagemaker/src/commands/DeleteTrialComponentCommand.ts index f3fec64341df..d596343e0c17 100644 --- a/clients/client-sagemaker/src/commands/DeleteTrialComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteTrialComponentCommand.ts @@ -82,4 +82,16 @@ export class DeleteTrialComponentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrialComponentCommand) .de(de_DeleteTrialComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrialComponentRequest; + output: DeleteTrialComponentResponse; + }; + sdk: { + input: DeleteTrialComponentCommandInput; + output: DeleteTrialComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteUserProfileCommand.ts b/clients/client-sagemaker/src/commands/DeleteUserProfileCommand.ts index b7b4534b807c..b9d6cedb752b 100644 --- a/clients/client-sagemaker/src/commands/DeleteUserProfileCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteUserProfileCommand.ts @@ -83,4 +83,16 @@ export class DeleteUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserProfileCommand) .de(de_DeleteUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserProfileRequest; + output: {}; + }; + sdk: { + input: DeleteUserProfileCommandInput; + output: DeleteUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteWorkforceCommand.ts b/clients/client-sagemaker/src/commands/DeleteWorkforceCommand.ts index 84174865a70b..7f383b93e872 100644 --- a/clients/client-sagemaker/src/commands/DeleteWorkforceCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteWorkforceCommand.ts @@ -86,4 +86,16 @@ export class DeleteWorkforceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkforceCommand) .de(de_DeleteWorkforceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkforceRequest; + output: {}; + }; + sdk: { + input: DeleteWorkforceCommandInput; + output: DeleteWorkforceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeleteWorkteamCommand.ts b/clients/client-sagemaker/src/commands/DeleteWorkteamCommand.ts index 284d03e0eb42..87dcc883ed02 100644 --- a/clients/client-sagemaker/src/commands/DeleteWorkteamCommand.ts +++ b/clients/client-sagemaker/src/commands/DeleteWorkteamCommand.ts @@ -81,4 +81,16 @@ export class DeleteWorkteamCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkteamCommand) .de(de_DeleteWorkteamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkteamRequest; + output: DeleteWorkteamResponse; + }; + sdk: { + input: DeleteWorkteamCommandInput; + output: DeleteWorkteamCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DeregisterDevicesCommand.ts b/clients/client-sagemaker/src/commands/DeregisterDevicesCommand.ts index afb07925acad..b7ee5289c759 100644 --- a/clients/client-sagemaker/src/commands/DeregisterDevicesCommand.ts +++ b/clients/client-sagemaker/src/commands/DeregisterDevicesCommand.ts @@ -78,4 +78,16 @@ export class DeregisterDevicesCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterDevicesCommand) .de(de_DeregisterDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterDevicesRequest; + output: {}; + }; + sdk: { + input: DeregisterDevicesCommandInput; + output: DeregisterDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeActionCommand.ts b/clients/client-sagemaker/src/commands/DescribeActionCommand.ts index 1a5dfa89aae5..8835e64b05ce 100644 --- a/clients/client-sagemaker/src/commands/DescribeActionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeActionCommand.ts @@ -121,4 +121,16 @@ export class DescribeActionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeActionCommand) .de(de_DescribeActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeActionRequest; + output: DescribeActionResponse; + }; + sdk: { + input: DescribeActionCommandInput; + output: DescribeActionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeAlgorithmCommand.ts b/clients/client-sagemaker/src/commands/DescribeAlgorithmCommand.ts index 5fdd18fc000b..3a6bf1eea6e5 100644 --- a/clients/client-sagemaker/src/commands/DescribeAlgorithmCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeAlgorithmCommand.ts @@ -314,4 +314,16 @@ export class DescribeAlgorithmCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAlgorithmCommand) .de(de_DescribeAlgorithmCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAlgorithmInput; + output: DescribeAlgorithmOutput; + }; + sdk: { + input: DescribeAlgorithmCommandInput; + output: DescribeAlgorithmCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeAppCommand.ts b/clients/client-sagemaker/src/commands/DescribeAppCommand.ts index f724e9c0d495..444e4d61c156 100644 --- a/clients/client-sagemaker/src/commands/DescribeAppCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeAppCommand.ts @@ -101,4 +101,16 @@ export class DescribeAppCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppCommand) .de(de_DescribeAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppRequest; + output: DescribeAppResponse; + }; + sdk: { + input: DescribeAppCommandInput; + output: DescribeAppCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeAppImageConfigCommand.ts b/clients/client-sagemaker/src/commands/DescribeAppImageConfigCommand.ts index 2c6862bf2c1a..faa7cef27255 100644 --- a/clients/client-sagemaker/src/commands/DescribeAppImageConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeAppImageConfigCommand.ts @@ -132,4 +132,16 @@ export class DescribeAppImageConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppImageConfigCommand) .de(de_DescribeAppImageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppImageConfigRequest; + output: DescribeAppImageConfigResponse; + }; + sdk: { + input: DescribeAppImageConfigCommandInput; + output: DescribeAppImageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeArtifactCommand.ts b/clients/client-sagemaker/src/commands/DescribeArtifactCommand.ts index 4d77fa021d25..c8f89d88e694 100644 --- a/clients/client-sagemaker/src/commands/DescribeArtifactCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeArtifactCommand.ts @@ -123,4 +123,16 @@ export class DescribeArtifactCommand extends $Command .f(void 0, void 0) .ser(se_DescribeArtifactCommand) .de(de_DescribeArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeArtifactRequest; + output: DescribeArtifactResponse; + }; + sdk: { + input: DescribeArtifactCommandInput; + output: DescribeArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeAutoMLJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeAutoMLJobCommand.ts index 93e203e59dc3..8fea1c4a9473 100644 --- a/clients/client-sagemaker/src/commands/DescribeAutoMLJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeAutoMLJobCommand.ts @@ -233,4 +233,16 @@ export class DescribeAutoMLJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutoMLJobCommand) .de(de_DescribeAutoMLJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAutoMLJobRequest; + output: DescribeAutoMLJobResponse; + }; + sdk: { + input: DescribeAutoMLJobCommandInput; + output: DescribeAutoMLJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeAutoMLJobV2Command.ts b/clients/client-sagemaker/src/commands/DescribeAutoMLJobV2Command.ts index 73f6508c35eb..22617ff5485b 100644 --- a/clients/client-sagemaker/src/commands/DescribeAutoMLJobV2Command.ts +++ b/clients/client-sagemaker/src/commands/DescribeAutoMLJobV2Command.ts @@ -316,4 +316,16 @@ export class DescribeAutoMLJobV2Command extends $Command .f(void 0, void 0) .ser(se_DescribeAutoMLJobV2Command) .de(de_DescribeAutoMLJobV2Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAutoMLJobV2Request; + output: DescribeAutoMLJobV2Response; + }; + sdk: { + input: DescribeAutoMLJobV2CommandInput; + output: DescribeAutoMLJobV2CommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeClusterCommand.ts b/clients/client-sagemaker/src/commands/DescribeClusterCommand.ts index fa70f09a820b..02c402faaaa6 100644 --- a/clients/client-sagemaker/src/commands/DescribeClusterCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeClusterCommand.ts @@ -122,4 +122,16 @@ export class DescribeClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterCommand) .de(de_DescribeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterRequest; + output: DescribeClusterResponse; + }; + sdk: { + input: DescribeClusterCommandInput; + output: DescribeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeClusterNodeCommand.ts b/clients/client-sagemaker/src/commands/DescribeClusterNodeCommand.ts index 9e403fdc48fc..7ad07d66634f 100644 --- a/clients/client-sagemaker/src/commands/DescribeClusterNodeCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeClusterNodeCommand.ts @@ -109,4 +109,16 @@ export class DescribeClusterNodeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterNodeCommand) .de(de_DescribeClusterNodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterNodeRequest; + output: DescribeClusterNodeResponse; + }; + sdk: { + input: DescribeClusterNodeCommandInput; + output: DescribeClusterNodeCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeCodeRepositoryCommand.ts b/clients/client-sagemaker/src/commands/DescribeCodeRepositoryCommand.ts index 2ecfdb94d093..79654c349f5c 100644 --- a/clients/client-sagemaker/src/commands/DescribeCodeRepositoryCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeCodeRepositoryCommand.ts @@ -85,4 +85,16 @@ export class DescribeCodeRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCodeRepositoryCommand) .de(de_DescribeCodeRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCodeRepositoryInput; + output: DescribeCodeRepositoryOutput; + }; + sdk: { + input: DescribeCodeRepositoryCommandInput; + output: DescribeCodeRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeCompilationJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeCompilationJobCommand.ts index bd68d7c17ce1..7b93cc581412 100644 --- a/clients/client-sagemaker/src/commands/DescribeCompilationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeCompilationJobCommand.ts @@ -131,4 +131,16 @@ export class DescribeCompilationJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCompilationJobCommand) .de(de_DescribeCompilationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCompilationJobRequest; + output: DescribeCompilationJobResponse; + }; + sdk: { + input: DescribeCompilationJobCommandInput; + output: DescribeCompilationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeContextCommand.ts b/clients/client-sagemaker/src/commands/DescribeContextCommand.ts index fde2668760db..30c5c0c90c0e 100644 --- a/clients/client-sagemaker/src/commands/DescribeContextCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeContextCommand.ts @@ -114,4 +114,16 @@ export class DescribeContextCommand extends $Command .f(void 0, void 0) .ser(se_DescribeContextCommand) .de(de_DescribeContextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeContextRequest; + output: DescribeContextResponse; + }; + sdk: { + input: DescribeContextCommandInput; + output: DescribeContextCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeDataQualityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DescribeDataQualityJobDefinitionCommand.ts index f8f1d3f0297e..0cc6bdb8664b 100644 --- a/clients/client-sagemaker/src/commands/DescribeDataQualityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeDataQualityJobDefinitionCommand.ts @@ -183,4 +183,16 @@ export class DescribeDataQualityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDataQualityJobDefinitionCommand) .de(de_DescribeDataQualityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDataQualityJobDefinitionRequest; + output: DescribeDataQualityJobDefinitionResponse; + }; + sdk: { + input: DescribeDataQualityJobDefinitionCommandInput; + output: DescribeDataQualityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeDeviceCommand.ts b/clients/client-sagemaker/src/commands/DescribeDeviceCommand.ts index c5b1947bb4bc..801fe25cabb2 100644 --- a/clients/client-sagemaker/src/commands/DescribeDeviceCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeDeviceCommand.ts @@ -99,4 +99,16 @@ export class DescribeDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceCommand) .de(de_DescribeDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceRequest; + output: DescribeDeviceResponse; + }; + sdk: { + input: DescribeDeviceCommandInput; + output: DescribeDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeDeviceFleetCommand.ts b/clients/client-sagemaker/src/commands/DescribeDeviceFleetCommand.ts index a40fe9c97df7..613388c5c41d 100644 --- a/clients/client-sagemaker/src/commands/DescribeDeviceFleetCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeDeviceFleetCommand.ts @@ -92,4 +92,16 @@ export class DescribeDeviceFleetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceFleetCommand) .de(de_DescribeDeviceFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceFleetRequest; + output: DescribeDeviceFleetResponse; + }; + sdk: { + input: DescribeDeviceFleetCommandInput; + output: DescribeDeviceFleetCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts b/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts index 06afd769e1d2..64b1409ead83 100644 --- a/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts @@ -394,4 +394,16 @@ export class DescribeDomainCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainCommand) .de(de_DescribeDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainRequest; + output: DescribeDomainResponse; + }; + sdk: { + input: DescribeDomainCommandInput; + output: DescribeDomainCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeEdgeDeploymentPlanCommand.ts b/clients/client-sagemaker/src/commands/DescribeEdgeDeploymentPlanCommand.ts index 7b4bcfe3595d..d090bbe41155 100644 --- a/clients/client-sagemaker/src/commands/DescribeEdgeDeploymentPlanCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeEdgeDeploymentPlanCommand.ts @@ -120,4 +120,16 @@ export class DescribeEdgeDeploymentPlanCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEdgeDeploymentPlanCommand) .de(de_DescribeEdgeDeploymentPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEdgeDeploymentPlanRequest; + output: DescribeEdgeDeploymentPlanResponse; + }; + sdk: { + input: DescribeEdgeDeploymentPlanCommandInput; + output: DescribeEdgeDeploymentPlanCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeEdgePackagingJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeEdgePackagingJobCommand.ts index 9e5980b784bf..fda55d47abee 100644 --- a/clients/client-sagemaker/src/commands/DescribeEdgePackagingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeEdgePackagingJobCommand.ts @@ -104,4 +104,16 @@ export class DescribeEdgePackagingJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEdgePackagingJobCommand) .de(de_DescribeEdgePackagingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEdgePackagingJobRequest; + output: DescribeEdgePackagingJobResponse; + }; + sdk: { + input: DescribeEdgePackagingJobCommandInput; + output: DescribeEdgePackagingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeEndpointCommand.ts b/clients/client-sagemaker/src/commands/DescribeEndpointCommand.ts index 7ed86846df9d..bf056beb970c 100644 --- a/clients/client-sagemaker/src/commands/DescribeEndpointCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeEndpointCommand.ts @@ -342,4 +342,16 @@ export class DescribeEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointCommand) .de(de_DescribeEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointInput; + output: DescribeEndpointOutput; + }; + sdk: { + input: DescribeEndpointCommandInput; + output: DescribeEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeEndpointConfigCommand.ts b/clients/client-sagemaker/src/commands/DescribeEndpointConfigCommand.ts index 5729db3be83d..47463c0e8be9 100644 --- a/clients/client-sagemaker/src/commands/DescribeEndpointConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeEndpointConfigCommand.ts @@ -229,4 +229,16 @@ export class DescribeEndpointConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointConfigCommand) .de(de_DescribeEndpointConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEndpointConfigInput; + output: DescribeEndpointConfigOutput; + }; + sdk: { + input: DescribeEndpointConfigCommandInput; + output: DescribeEndpointConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeExperimentCommand.ts b/clients/client-sagemaker/src/commands/DescribeExperimentCommand.ts index b7750387f1af..1373c7dba149 100644 --- a/clients/client-sagemaker/src/commands/DescribeExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeExperimentCommand.ts @@ -109,4 +109,16 @@ export class DescribeExperimentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExperimentCommand) .de(de_DescribeExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExperimentRequest; + output: DescribeExperimentResponse; + }; + sdk: { + input: DescribeExperimentCommandInput; + output: DescribeExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeFeatureGroupCommand.ts b/clients/client-sagemaker/src/commands/DescribeFeatureGroupCommand.ts index ba8ad92f5248..e9fd55696ea0 100644 --- a/clients/client-sagemaker/src/commands/DescribeFeatureGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeFeatureGroupCommand.ts @@ -144,4 +144,16 @@ export class DescribeFeatureGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFeatureGroupCommand) .de(de_DescribeFeatureGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFeatureGroupRequest; + output: DescribeFeatureGroupResponse; + }; + sdk: { + input: DescribeFeatureGroupCommandInput; + output: DescribeFeatureGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeFeatureMetadataCommand.ts b/clients/client-sagemaker/src/commands/DescribeFeatureMetadataCommand.ts index 23f581bd0f35..b876e22080eb 100644 --- a/clients/client-sagemaker/src/commands/DescribeFeatureMetadataCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeFeatureMetadataCommand.ts @@ -93,4 +93,16 @@ export class DescribeFeatureMetadataCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFeatureMetadataCommand) .de(de_DescribeFeatureMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFeatureMetadataRequest; + output: DescribeFeatureMetadataResponse; + }; + sdk: { + input: DescribeFeatureMetadataCommandInput; + output: DescribeFeatureMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeFlowDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DescribeFlowDefinitionCommand.ts index a4defcb57306..9599dd20a81b 100644 --- a/clients/client-sagemaker/src/commands/DescribeFlowDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeFlowDefinitionCommand.ts @@ -116,4 +116,16 @@ export class DescribeFlowDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFlowDefinitionCommand) .de(de_DescribeFlowDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFlowDefinitionRequest; + output: DescribeFlowDefinitionResponse; + }; + sdk: { + input: DescribeFlowDefinitionCommandInput; + output: DescribeFlowDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeHubCommand.ts b/clients/client-sagemaker/src/commands/DescribeHubCommand.ts index 327463cb5392..22980ecebd1a 100644 --- a/clients/client-sagemaker/src/commands/DescribeHubCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeHubCommand.ts @@ -93,4 +93,16 @@ export class DescribeHubCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHubCommand) .de(de_DescribeHubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHubRequest; + output: DescribeHubResponse; + }; + sdk: { + input: DescribeHubCommandInput; + output: DescribeHubCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeHubContentCommand.ts b/clients/client-sagemaker/src/commands/DescribeHubContentCommand.ts index 0c3d539c5985..84672f58cc2e 100644 --- a/clients/client-sagemaker/src/commands/DescribeHubContentCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeHubContentCommand.ts @@ -108,4 +108,16 @@ export class DescribeHubContentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHubContentCommand) .de(de_DescribeHubContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHubContentRequest; + output: DescribeHubContentResponse; + }; + sdk: { + input: DescribeHubContentCommandInput; + output: DescribeHubContentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeHumanTaskUiCommand.ts b/clients/client-sagemaker/src/commands/DescribeHumanTaskUiCommand.ts index 7936c1af2aa3..cc68fa3c7e73 100644 --- a/clients/client-sagemaker/src/commands/DescribeHumanTaskUiCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeHumanTaskUiCommand.ts @@ -87,4 +87,16 @@ export class DescribeHumanTaskUiCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHumanTaskUiCommand) .de(de_DescribeHumanTaskUiCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHumanTaskUiRequest; + output: DescribeHumanTaskUiResponse; + }; + sdk: { + input: DescribeHumanTaskUiCommandInput; + output: DescribeHumanTaskUiCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeHyperParameterTuningJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeHyperParameterTuningJobCommand.ts index 614e566596e6..6c10ab785b84 100644 --- a/clients/client-sagemaker/src/commands/DescribeHyperParameterTuningJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeHyperParameterTuningJobCommand.ts @@ -514,4 +514,16 @@ export class DescribeHyperParameterTuningJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHyperParameterTuningJobCommand) .de(de_DescribeHyperParameterTuningJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHyperParameterTuningJobRequest; + output: DescribeHyperParameterTuningJobResponse; + }; + sdk: { + input: DescribeHyperParameterTuningJobCommandInput; + output: DescribeHyperParameterTuningJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeImageCommand.ts b/clients/client-sagemaker/src/commands/DescribeImageCommand.ts index 36b56e7032f7..564536cc5d45 100644 --- a/clients/client-sagemaker/src/commands/DescribeImageCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeImageCommand.ts @@ -88,4 +88,16 @@ export class DescribeImageCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageCommand) .de(de_DescribeImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageRequest; + output: DescribeImageResponse; + }; + sdk: { + input: DescribeImageCommandInput; + output: DescribeImageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeImageVersionCommand.ts b/clients/client-sagemaker/src/commands/DescribeImageVersionCommand.ts index 39c4389e5856..549db501882b 100644 --- a/clients/client-sagemaker/src/commands/DescribeImageVersionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeImageVersionCommand.ts @@ -97,4 +97,16 @@ export class DescribeImageVersionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageVersionCommand) .de(de_DescribeImageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageVersionRequest; + output: DescribeImageVersionResponse; + }; + sdk: { + input: DescribeImageVersionCommandInput; + output: DescribeImageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeInferenceComponentCommand.ts b/clients/client-sagemaker/src/commands/DescribeInferenceComponentCommand.ts index abeb2cbfffb2..abb057a2b709 100644 --- a/clients/client-sagemaker/src/commands/DescribeInferenceComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeInferenceComponentCommand.ts @@ -113,4 +113,16 @@ export class DescribeInferenceComponentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInferenceComponentCommand) .de(de_DescribeInferenceComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInferenceComponentInput; + output: DescribeInferenceComponentOutput; + }; + sdk: { + input: DescribeInferenceComponentCommandInput; + output: DescribeInferenceComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeInferenceExperimentCommand.ts b/clients/client-sagemaker/src/commands/DescribeInferenceExperimentCommand.ts index e1bb968025d2..124b47f3f89b 100644 --- a/clients/client-sagemaker/src/commands/DescribeInferenceExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeInferenceExperimentCommand.ts @@ -137,4 +137,16 @@ export class DescribeInferenceExperimentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInferenceExperimentCommand) .de(de_DescribeInferenceExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInferenceExperimentRequest; + output: DescribeInferenceExperimentResponse; + }; + sdk: { + input: DescribeInferenceExperimentCommandInput; + output: DescribeInferenceExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeInferenceRecommendationsJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeInferenceRecommendationsJobCommand.ts index e7c44c507274..35a562c41338 100644 --- a/clients/client-sagemaker/src/commands/DescribeInferenceRecommendationsJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeInferenceRecommendationsJobCommand.ts @@ -237,4 +237,16 @@ export class DescribeInferenceRecommendationsJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInferenceRecommendationsJobCommand) .de(de_DescribeInferenceRecommendationsJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInferenceRecommendationsJobRequest; + output: DescribeInferenceRecommendationsJobResponse; + }; + sdk: { + input: DescribeInferenceRecommendationsJobCommandInput; + output: DescribeInferenceRecommendationsJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeLabelingJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeLabelingJobCommand.ts index ddf91adce3bc..270de5c16860 100644 --- a/clients/client-sagemaker/src/commands/DescribeLabelingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeLabelingJobCommand.ts @@ -172,4 +172,16 @@ export class DescribeLabelingJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLabelingJobCommand) .de(de_DescribeLabelingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLabelingJobRequest; + output: DescribeLabelingJobResponse; + }; + sdk: { + input: DescribeLabelingJobCommandInput; + output: DescribeLabelingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeLineageGroupCommand.ts b/clients/client-sagemaker/src/commands/DescribeLineageGroupCommand.ts index 7255e3bbd428..98062ab32563 100644 --- a/clients/client-sagemaker/src/commands/DescribeLineageGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeLineageGroupCommand.ts @@ -107,4 +107,16 @@ export class DescribeLineageGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLineageGroupCommand) .de(de_DescribeLineageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLineageGroupRequest; + output: DescribeLineageGroupResponse; + }; + sdk: { + input: DescribeLineageGroupCommandInput; + output: DescribeLineageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeMlflowTrackingServerCommand.ts b/clients/client-sagemaker/src/commands/DescribeMlflowTrackingServerCommand.ts index 611466a60200..689e68a58a67 100644 --- a/clients/client-sagemaker/src/commands/DescribeMlflowTrackingServerCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeMlflowTrackingServerCommand.ts @@ -117,4 +117,16 @@ export class DescribeMlflowTrackingServerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMlflowTrackingServerCommand) .de(de_DescribeMlflowTrackingServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMlflowTrackingServerRequest; + output: DescribeMlflowTrackingServerResponse; + }; + sdk: { + input: DescribeMlflowTrackingServerCommandInput; + output: DescribeMlflowTrackingServerCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelBiasJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelBiasJobDefinitionCommand.ts index ccae9ba1bd64..ab6192ae1386 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelBiasJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelBiasJobDefinitionCommand.ts @@ -176,4 +176,16 @@ export class DescribeModelBiasJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelBiasJobDefinitionCommand) .de(de_DescribeModelBiasJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelBiasJobDefinitionRequest; + output: DescribeModelBiasJobDefinitionResponse; + }; + sdk: { + input: DescribeModelBiasJobDefinitionCommandInput; + output: DescribeModelBiasJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelCardCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelCardCommand.ts index 8ffce9bc4b93..ac5b4a3e1d44 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelCardCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelCardCommand.ts @@ -115,4 +115,16 @@ export class DescribeModelCardCommand extends $Command .f(void 0, DescribeModelCardResponseFilterSensitiveLog) .ser(se_DescribeModelCardCommand) .de(de_DescribeModelCardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelCardRequest; + output: DescribeModelCardResponse; + }; + sdk: { + input: DescribeModelCardCommandInput; + output: DescribeModelCardCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelCardExportJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelCardExportJobCommand.ts index b1f8e81d35c3..bff4907ded4f 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelCardExportJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelCardExportJobCommand.ts @@ -93,4 +93,16 @@ export class DescribeModelCardExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelCardExportJobCommand) .de(de_DescribeModelCardExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelCardExportJobRequest; + output: DescribeModelCardExportJobResponse; + }; + sdk: { + input: DescribeModelCardExportJobCommandInput; + output: DescribeModelCardExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelCommand.ts index 4e58f860623a..26d55e4c26d0 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelCommand.ts @@ -193,4 +193,16 @@ export class DescribeModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelCommand) .de(de_DescribeModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelInput; + output: DescribeModelOutput; + }; + sdk: { + input: DescribeModelCommandInput; + output: DescribeModelCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelExplainabilityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelExplainabilityJobDefinitionCommand.ts index 080e56f10f14..784da49c359c 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelExplainabilityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelExplainabilityJobDefinitionCommand.ts @@ -177,4 +177,16 @@ export class DescribeModelExplainabilityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelExplainabilityJobDefinitionCommand) .de(de_DescribeModelExplainabilityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelExplainabilityJobDefinitionRequest; + output: DescribeModelExplainabilityJobDefinitionResponse; + }; + sdk: { + input: DescribeModelExplainabilityJobDefinitionCommandInput; + output: DescribeModelExplainabilityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelPackageCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelPackageCommand.ts index 4b76e02347ac..af4c545d0b45 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelPackageCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelPackageCommand.ts @@ -384,4 +384,16 @@ export class DescribeModelPackageCommand extends $Command .f(void 0, DescribeModelPackageOutputFilterSensitiveLog) .ser(se_DescribeModelPackageCommand) .de(de_DescribeModelPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelPackageInput; + output: DescribeModelPackageOutput; + }; + sdk: { + input: DescribeModelPackageCommandInput; + output: DescribeModelPackageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelPackageGroupCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelPackageGroupCommand.ts index 9c73ccf0390e..c72906708ff1 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelPackageGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelPackageGroupCommand.ts @@ -91,4 +91,16 @@ export class DescribeModelPackageGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelPackageGroupCommand) .de(de_DescribeModelPackageGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelPackageGroupInput; + output: DescribeModelPackageGroupOutput; + }; + sdk: { + input: DescribeModelPackageGroupCommandInput; + output: DescribeModelPackageGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeModelQualityJobDefinitionCommand.ts b/clients/client-sagemaker/src/commands/DescribeModelQualityJobDefinitionCommand.ts index 1eb3191eb7e8..e9babb3fc70f 100644 --- a/clients/client-sagemaker/src/commands/DescribeModelQualityJobDefinitionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeModelQualityJobDefinitionCommand.ts @@ -187,4 +187,16 @@ export class DescribeModelQualityJobDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeModelQualityJobDefinitionCommand) .de(de_DescribeModelQualityJobDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeModelQualityJobDefinitionRequest; + output: DescribeModelQualityJobDefinitionResponse; + }; + sdk: { + input: DescribeModelQualityJobDefinitionCommandInput; + output: DescribeModelQualityJobDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeMonitoringScheduleCommand.ts b/clients/client-sagemaker/src/commands/DescribeMonitoringScheduleCommand.ts index 2f3bf2435a78..5e87de8d7cf6 100644 --- a/clients/client-sagemaker/src/commands/DescribeMonitoringScheduleCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeMonitoringScheduleCommand.ts @@ -208,4 +208,16 @@ export class DescribeMonitoringScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMonitoringScheduleCommand) .de(de_DescribeMonitoringScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMonitoringScheduleRequest; + output: DescribeMonitoringScheduleResponse; + }; + sdk: { + input: DescribeMonitoringScheduleCommandInput; + output: DescribeMonitoringScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeNotebookInstanceCommand.ts b/clients/client-sagemaker/src/commands/DescribeNotebookInstanceCommand.ts index 546c663f6a93..ff4bef42e465 100644 --- a/clients/client-sagemaker/src/commands/DescribeNotebookInstanceCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeNotebookInstanceCommand.ts @@ -106,4 +106,16 @@ export class DescribeNotebookInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNotebookInstanceCommand) .de(de_DescribeNotebookInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotebookInstanceInput; + output: DescribeNotebookInstanceOutput; + }; + sdk: { + input: DescribeNotebookInstanceCommandInput; + output: DescribeNotebookInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeNotebookInstanceLifecycleConfigCommand.ts b/clients/client-sagemaker/src/commands/DescribeNotebookInstanceLifecycleConfigCommand.ts index a5c4eb7f21d7..5f1a70cc5c90 100644 --- a/clients/client-sagemaker/src/commands/DescribeNotebookInstanceLifecycleConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeNotebookInstanceLifecycleConfigCommand.ts @@ -101,4 +101,16 @@ export class DescribeNotebookInstanceLifecycleConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNotebookInstanceLifecycleConfigCommand) .de(de_DescribeNotebookInstanceLifecycleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotebookInstanceLifecycleConfigInput; + output: DescribeNotebookInstanceLifecycleConfigOutput; + }; + sdk: { + input: DescribeNotebookInstanceLifecycleConfigCommandInput; + output: DescribeNotebookInstanceLifecycleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeOptimizationJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeOptimizationJobCommand.ts index 5a1b3fcb60ee..819d8feb2652 100644 --- a/clients/client-sagemaker/src/commands/DescribeOptimizationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeOptimizationJobCommand.ts @@ -136,4 +136,16 @@ export class DescribeOptimizationJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOptimizationJobCommand) .de(de_DescribeOptimizationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOptimizationJobRequest; + output: DescribeOptimizationJobResponse; + }; + sdk: { + input: DescribeOptimizationJobCommandInput; + output: DescribeOptimizationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribePipelineCommand.ts b/clients/client-sagemaker/src/commands/DescribePipelineCommand.ts index e50f15522a01..5a1ba1a43163 100644 --- a/clients/client-sagemaker/src/commands/DescribePipelineCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribePipelineCommand.ts @@ -112,4 +112,16 @@ export class DescribePipelineCommand extends $Command .f(void 0, void 0) .ser(se_DescribePipelineCommand) .de(de_DescribePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePipelineRequest; + output: DescribePipelineResponse; + }; + sdk: { + input: DescribePipelineCommandInput; + output: DescribePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribePipelineDefinitionForExecutionCommand.ts b/clients/client-sagemaker/src/commands/DescribePipelineDefinitionForExecutionCommand.ts index c4da50aa4351..ba062b806e43 100644 --- a/clients/client-sagemaker/src/commands/DescribePipelineDefinitionForExecutionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribePipelineDefinitionForExecutionCommand.ts @@ -90,4 +90,16 @@ export class DescribePipelineDefinitionForExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribePipelineDefinitionForExecutionCommand) .de(de_DescribePipelineDefinitionForExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePipelineDefinitionForExecutionRequest; + output: DescribePipelineDefinitionForExecutionResponse; + }; + sdk: { + input: DescribePipelineDefinitionForExecutionCommandInput; + output: DescribePipelineDefinitionForExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribePipelineExecutionCommand.ts b/clients/client-sagemaker/src/commands/DescribePipelineExecutionCommand.ts index ba7beeda9690..9e7a5c984ff4 100644 --- a/clients/client-sagemaker/src/commands/DescribePipelineExecutionCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribePipelineExecutionCommand.ts @@ -122,4 +122,16 @@ export class DescribePipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribePipelineExecutionCommand) .de(de_DescribePipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePipelineExecutionRequest; + output: DescribePipelineExecutionResponse; + }; + sdk: { + input: DescribePipelineExecutionCommandInput; + output: DescribePipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeProcessingJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeProcessingJobCommand.ts index 70daea47eff4..008099ffbada 100644 --- a/clients/client-sagemaker/src/commands/DescribeProcessingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeProcessingJobCommand.ts @@ -190,4 +190,16 @@ export class DescribeProcessingJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProcessingJobCommand) .de(de_DescribeProcessingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProcessingJobRequest; + output: DescribeProcessingJobResponse; + }; + sdk: { + input: DescribeProcessingJobCommandInput; + output: DescribeProcessingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeProjectCommand.ts b/clients/client-sagemaker/src/commands/DescribeProjectCommand.ts index 2ecd309b4c01..ae2deb9ff2c0 100644 --- a/clients/client-sagemaker/src/commands/DescribeProjectCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeProjectCommand.ts @@ -118,4 +118,16 @@ export class DescribeProjectCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProjectCommand) .de(de_DescribeProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProjectInput; + output: DescribeProjectOutput; + }; + sdk: { + input: DescribeProjectCommandInput; + output: DescribeProjectCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts b/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts index d00afad2b3bb..771a3470c750 100644 --- a/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts @@ -180,4 +180,16 @@ export class DescribeSpaceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSpaceCommand) .de(de_DescribeSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpaceRequest; + output: DescribeSpaceResponse; + }; + sdk: { + input: DescribeSpaceCommandInput; + output: DescribeSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeStudioLifecycleConfigCommand.ts b/clients/client-sagemaker/src/commands/DescribeStudioLifecycleConfigCommand.ts index 2f7fb52dfb17..9d157318d571 100644 --- a/clients/client-sagemaker/src/commands/DescribeStudioLifecycleConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeStudioLifecycleConfigCommand.ts @@ -90,4 +90,16 @@ export class DescribeStudioLifecycleConfigCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStudioLifecycleConfigCommand) .de(de_DescribeStudioLifecycleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStudioLifecycleConfigRequest; + output: DescribeStudioLifecycleConfigResponse; + }; + sdk: { + input: DescribeStudioLifecycleConfigCommandInput; + output: DescribeStudioLifecycleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeSubscribedWorkteamCommand.ts b/clients/client-sagemaker/src/commands/DescribeSubscribedWorkteamCommand.ts index 0037d5418327..5fed94253b5e 100644 --- a/clients/client-sagemaker/src/commands/DescribeSubscribedWorkteamCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeSubscribedWorkteamCommand.ts @@ -84,4 +84,16 @@ export class DescribeSubscribedWorkteamCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSubscribedWorkteamCommand) .de(de_DescribeSubscribedWorkteamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSubscribedWorkteamRequest; + output: DescribeSubscribedWorkteamResponse; + }; + sdk: { + input: DescribeSubscribedWorkteamCommandInput; + output: DescribeSubscribedWorkteamCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeTrainingJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeTrainingJobCommand.ts index dac20bf98316..1c85e1b422ef 100644 --- a/clients/client-sagemaker/src/commands/DescribeTrainingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeTrainingJobCommand.ts @@ -310,4 +310,16 @@ export class DescribeTrainingJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrainingJobCommand) .de(de_DescribeTrainingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrainingJobRequest; + output: DescribeTrainingJobResponse; + }; + sdk: { + input: DescribeTrainingJobCommandInput; + output: DescribeTrainingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeTransformJobCommand.ts b/clients/client-sagemaker/src/commands/DescribeTransformJobCommand.ts index a9d8f0731c7d..c118267dce91 100644 --- a/clients/client-sagemaker/src/commands/DescribeTransformJobCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeTransformJobCommand.ts @@ -137,4 +137,16 @@ export class DescribeTransformJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTransformJobCommand) .de(de_DescribeTransformJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTransformJobRequest; + output: DescribeTransformJobResponse; + }; + sdk: { + input: DescribeTransformJobCommandInput; + output: DescribeTransformJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeTrialCommand.ts b/clients/client-sagemaker/src/commands/DescribeTrialCommand.ts index 150893b2c96f..56fc206500aa 100644 --- a/clients/client-sagemaker/src/commands/DescribeTrialCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeTrialCommand.ts @@ -115,4 +115,16 @@ export class DescribeTrialCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrialCommand) .de(de_DescribeTrialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrialRequest; + output: DescribeTrialResponse; + }; + sdk: { + input: DescribeTrialCommandInput; + output: DescribeTrialCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeTrialComponentCommand.ts b/clients/client-sagemaker/src/commands/DescribeTrialComponentCommand.ts index a42c607f5dfe..b25ba94bed7a 100644 --- a/clients/client-sagemaker/src/commands/DescribeTrialComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeTrialComponentCommand.ts @@ -158,4 +158,16 @@ export class DescribeTrialComponentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrialComponentCommand) .de(de_DescribeTrialComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrialComponentRequest; + output: DescribeTrialComponentResponse; + }; + sdk: { + input: DescribeTrialComponentCommandInput; + output: DescribeTrialComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts b/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts index d0fd2a7a710b..fe32657a64d8 100644 --- a/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts @@ -294,4 +294,16 @@ export class DescribeUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserProfileCommand) .de(de_DescribeUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserProfileRequest; + output: DescribeUserProfileResponse; + }; + sdk: { + input: DescribeUserProfileCommandInput; + output: DescribeUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeWorkforceCommand.ts b/clients/client-sagemaker/src/commands/DescribeWorkforceCommand.ts index 7694d2e78c14..30e295d50e14 100644 --- a/clients/client-sagemaker/src/commands/DescribeWorkforceCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeWorkforceCommand.ts @@ -122,4 +122,16 @@ export class DescribeWorkforceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkforceCommand) .de(de_DescribeWorkforceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkforceRequest; + output: DescribeWorkforceResponse; + }; + sdk: { + input: DescribeWorkforceCommandInput; + output: DescribeWorkforceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DescribeWorkteamCommand.ts b/clients/client-sagemaker/src/commands/DescribeWorkteamCommand.ts index d91f6970df53..c82823b46e91 100644 --- a/clients/client-sagemaker/src/commands/DescribeWorkteamCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeWorkteamCommand.ts @@ -115,4 +115,16 @@ export class DescribeWorkteamCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkteamCommand) .de(de_DescribeWorkteamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkteamRequest; + output: DescribeWorkteamResponse; + }; + sdk: { + input: DescribeWorkteamCommandInput; + output: DescribeWorkteamCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DisableSagemakerServicecatalogPortfolioCommand.ts b/clients/client-sagemaker/src/commands/DisableSagemakerServicecatalogPortfolioCommand.ts index d78d8ebe49f1..2b7cb901f380 100644 --- a/clients/client-sagemaker/src/commands/DisableSagemakerServicecatalogPortfolioCommand.ts +++ b/clients/client-sagemaker/src/commands/DisableSagemakerServicecatalogPortfolioCommand.ts @@ -83,4 +83,16 @@ export class DisableSagemakerServicecatalogPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_DisableSagemakerServicecatalogPortfolioCommand) .de(de_DisableSagemakerServicecatalogPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisableSagemakerServicecatalogPortfolioCommandInput; + output: DisableSagemakerServicecatalogPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/DisassociateTrialComponentCommand.ts b/clients/client-sagemaker/src/commands/DisassociateTrialComponentCommand.ts index decdf12f041c..0d107070ac00 100644 --- a/clients/client-sagemaker/src/commands/DisassociateTrialComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/DisassociateTrialComponentCommand.ts @@ -87,4 +87,16 @@ export class DisassociateTrialComponentCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTrialComponentCommand) .de(de_DisassociateTrialComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTrialComponentRequest; + output: DisassociateTrialComponentResponse; + }; + sdk: { + input: DisassociateTrialComponentCommandInput; + output: DisassociateTrialComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/EnableSagemakerServicecatalogPortfolioCommand.ts b/clients/client-sagemaker/src/commands/EnableSagemakerServicecatalogPortfolioCommand.ts index 298aab9c3d33..75b1a5bc9e0b 100644 --- a/clients/client-sagemaker/src/commands/EnableSagemakerServicecatalogPortfolioCommand.ts +++ b/clients/client-sagemaker/src/commands/EnableSagemakerServicecatalogPortfolioCommand.ts @@ -83,4 +83,16 @@ export class EnableSagemakerServicecatalogPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_EnableSagemakerServicecatalogPortfolioCommand) .de(de_EnableSagemakerServicecatalogPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EnableSagemakerServicecatalogPortfolioCommandInput; + output: EnableSagemakerServicecatalogPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/GetDeviceFleetReportCommand.ts b/clients/client-sagemaker/src/commands/GetDeviceFleetReportCommand.ts index 07b65a7c4d89..891469a80b72 100644 --- a/clients/client-sagemaker/src/commands/GetDeviceFleetReportCommand.ts +++ b/clients/client-sagemaker/src/commands/GetDeviceFleetReportCommand.ts @@ -106,4 +106,16 @@ export class GetDeviceFleetReportCommand extends $Command .f(void 0, void 0) .ser(se_GetDeviceFleetReportCommand) .de(de_GetDeviceFleetReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceFleetReportRequest; + output: GetDeviceFleetReportResponse; + }; + sdk: { + input: GetDeviceFleetReportCommandInput; + output: GetDeviceFleetReportCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/GetLineageGroupPolicyCommand.ts b/clients/client-sagemaker/src/commands/GetLineageGroupPolicyCommand.ts index 7b74df58e95d..49bd26898cb0 100644 --- a/clients/client-sagemaker/src/commands/GetLineageGroupPolicyCommand.ts +++ b/clients/client-sagemaker/src/commands/GetLineageGroupPolicyCommand.ts @@ -81,4 +81,16 @@ export class GetLineageGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetLineageGroupPolicyCommand) .de(de_GetLineageGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLineageGroupPolicyRequest; + output: GetLineageGroupPolicyResponse; + }; + sdk: { + input: GetLineageGroupPolicyCommandInput; + output: GetLineageGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/GetModelPackageGroupPolicyCommand.ts b/clients/client-sagemaker/src/commands/GetModelPackageGroupPolicyCommand.ts index b56ad46c489f..4c150eed393b 100644 --- a/clients/client-sagemaker/src/commands/GetModelPackageGroupPolicyCommand.ts +++ b/clients/client-sagemaker/src/commands/GetModelPackageGroupPolicyCommand.ts @@ -80,4 +80,16 @@ export class GetModelPackageGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetModelPackageGroupPolicyCommand) .de(de_GetModelPackageGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetModelPackageGroupPolicyInput; + output: GetModelPackageGroupPolicyOutput; + }; + sdk: { + input: GetModelPackageGroupPolicyCommandInput; + output: GetModelPackageGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/GetSagemakerServicecatalogPortfolioStatusCommand.ts b/clients/client-sagemaker/src/commands/GetSagemakerServicecatalogPortfolioStatusCommand.ts index 06aa06f5bced..49ef17d10f8f 100644 --- a/clients/client-sagemaker/src/commands/GetSagemakerServicecatalogPortfolioStatusCommand.ts +++ b/clients/client-sagemaker/src/commands/GetSagemakerServicecatalogPortfolioStatusCommand.ts @@ -85,4 +85,16 @@ export class GetSagemakerServicecatalogPortfolioStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetSagemakerServicecatalogPortfolioStatusCommand) .de(de_GetSagemakerServicecatalogPortfolioStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSagemakerServicecatalogPortfolioStatusOutput; + }; + sdk: { + input: GetSagemakerServicecatalogPortfolioStatusCommandInput; + output: GetSagemakerServicecatalogPortfolioStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/GetScalingConfigurationRecommendationCommand.ts b/clients/client-sagemaker/src/commands/GetScalingConfigurationRecommendationCommand.ts index 63de6d64902a..c1fa141b8e60 100644 --- a/clients/client-sagemaker/src/commands/GetScalingConfigurationRecommendationCommand.ts +++ b/clients/client-sagemaker/src/commands/GetScalingConfigurationRecommendationCommand.ts @@ -131,4 +131,16 @@ export class GetScalingConfigurationRecommendationCommand extends $Command .f(void 0, void 0) .ser(se_GetScalingConfigurationRecommendationCommand) .de(de_GetScalingConfigurationRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetScalingConfigurationRecommendationRequest; + output: GetScalingConfigurationRecommendationResponse; + }; + sdk: { + input: GetScalingConfigurationRecommendationCommandInput; + output: GetScalingConfigurationRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/GetSearchSuggestionsCommand.ts b/clients/client-sagemaker/src/commands/GetSearchSuggestionsCommand.ts index f0f3adc38dbf..4d49c29f4649 100644 --- a/clients/client-sagemaker/src/commands/GetSearchSuggestionsCommand.ts +++ b/clients/client-sagemaker/src/commands/GetSearchSuggestionsCommand.ts @@ -89,4 +89,16 @@ export class GetSearchSuggestionsCommand extends $Command .f(void 0, void 0) .ser(se_GetSearchSuggestionsCommand) .de(de_GetSearchSuggestionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSearchSuggestionsRequest; + output: GetSearchSuggestionsResponse; + }; + sdk: { + input: GetSearchSuggestionsCommandInput; + output: GetSearchSuggestionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ImportHubContentCommand.ts b/clients/client-sagemaker/src/commands/ImportHubContentCommand.ts index 226a055a13a8..335938073d46 100644 --- a/clients/client-sagemaker/src/commands/ImportHubContentCommand.ts +++ b/clients/client-sagemaker/src/commands/ImportHubContentCommand.ts @@ -105,4 +105,16 @@ export class ImportHubContentCommand extends $Command .f(void 0, void 0) .ser(se_ImportHubContentCommand) .de(de_ImportHubContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportHubContentRequest; + output: ImportHubContentResponse; + }; + sdk: { + input: ImportHubContentCommandInput; + output: ImportHubContentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListActionsCommand.ts b/clients/client-sagemaker/src/commands/ListActionsCommand.ts index d6b2056eb78c..27253bb56527 100644 --- a/clients/client-sagemaker/src/commands/ListActionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListActionsCommand.ts @@ -102,4 +102,16 @@ export class ListActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListActionsCommand) .de(de_ListActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActionsRequest; + output: ListActionsResponse; + }; + sdk: { + input: ListActionsCommandInput; + output: ListActionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListAlgorithmsCommand.ts b/clients/client-sagemaker/src/commands/ListAlgorithmsCommand.ts index b6f0d4b76666..88056644ebb3 100644 --- a/clients/client-sagemaker/src/commands/ListAlgorithmsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListAlgorithmsCommand.ts @@ -92,4 +92,16 @@ export class ListAlgorithmsCommand extends $Command .f(void 0, void 0) .ser(se_ListAlgorithmsCommand) .de(de_ListAlgorithmsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAlgorithmsInput; + output: ListAlgorithmsOutput; + }; + sdk: { + input: ListAlgorithmsCommandInput; + output: ListAlgorithmsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListAliasesCommand.ts b/clients/client-sagemaker/src/commands/ListAliasesCommand.ts index f5067a100b50..fe36fab71872 100644 --- a/clients/client-sagemaker/src/commands/ListAliasesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListAliasesCommand.ts @@ -87,4 +87,16 @@ export class ListAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAliasesCommand) .de(de_ListAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAliasesRequest; + output: ListAliasesResponse; + }; + sdk: { + input: ListAliasesCommandInput; + output: ListAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListAppImageConfigsCommand.ts b/clients/client-sagemaker/src/commands/ListAppImageConfigsCommand.ts index c1a40de6627e..89adbf11bffa 100644 --- a/clients/client-sagemaker/src/commands/ListAppImageConfigsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListAppImageConfigsCommand.ts @@ -144,4 +144,16 @@ export class ListAppImageConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppImageConfigsCommand) .de(de_ListAppImageConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppImageConfigsRequest; + output: ListAppImageConfigsResponse; + }; + sdk: { + input: ListAppImageConfigsCommandInput; + output: ListAppImageConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListAppsCommand.ts b/clients/client-sagemaker/src/commands/ListAppsCommand.ts index 6400d27737d0..c013ca83165f 100644 --- a/clients/client-sagemaker/src/commands/ListAppsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListAppsCommand.ts @@ -101,4 +101,16 @@ export class ListAppsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppsCommand) .de(de_ListAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppsRequest; + output: ListAppsResponse; + }; + sdk: { + input: ListAppsCommandInput; + output: ListAppsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListArtifactsCommand.ts b/clients/client-sagemaker/src/commands/ListArtifactsCommand.ts index a580e60d0f5a..a8f04bcfc9e2 100644 --- a/clients/client-sagemaker/src/commands/ListArtifactsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListArtifactsCommand.ts @@ -105,4 +105,16 @@ export class ListArtifactsCommand extends $Command .f(void 0, void 0) .ser(se_ListArtifactsCommand) .de(de_ListArtifactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListArtifactsRequest; + output: ListArtifactsResponse; + }; + sdk: { + input: ListArtifactsCommandInput; + output: ListArtifactsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListAssociationsCommand.ts b/clients/client-sagemaker/src/commands/ListAssociationsCommand.ts index 15b9c6c7abfb..5f6e4ad2768b 100644 --- a/clients/client-sagemaker/src/commands/ListAssociationsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListAssociationsCommand.ts @@ -112,4 +112,16 @@ export class ListAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociationsCommand) .de(de_ListAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociationsRequest; + output: ListAssociationsResponse; + }; + sdk: { + input: ListAssociationsCommandInput; + output: ListAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListAutoMLJobsCommand.ts b/clients/client-sagemaker/src/commands/ListAutoMLJobsCommand.ts index 13fb23e3bc5d..e319fc431c1d 100644 --- a/clients/client-sagemaker/src/commands/ListAutoMLJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListAutoMLJobsCommand.ts @@ -103,4 +103,16 @@ export class ListAutoMLJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListAutoMLJobsCommand) .de(de_ListAutoMLJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAutoMLJobsRequest; + output: ListAutoMLJobsResponse; + }; + sdk: { + input: ListAutoMLJobsCommandInput; + output: ListAutoMLJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListCandidatesForAutoMLJobCommand.ts b/clients/client-sagemaker/src/commands/ListCandidatesForAutoMLJobCommand.ts index db36797e2b75..97cbd05b6f55 100644 --- a/clients/client-sagemaker/src/commands/ListCandidatesForAutoMLJobCommand.ts +++ b/clients/client-sagemaker/src/commands/ListCandidatesForAutoMLJobCommand.ts @@ -145,4 +145,16 @@ export class ListCandidatesForAutoMLJobCommand extends $Command .f(void 0, void 0) .ser(se_ListCandidatesForAutoMLJobCommand) .de(de_ListCandidatesForAutoMLJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCandidatesForAutoMLJobRequest; + output: ListCandidatesForAutoMLJobResponse; + }; + sdk: { + input: ListCandidatesForAutoMLJobCommandInput; + output: ListCandidatesForAutoMLJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListClusterNodesCommand.ts b/clients/client-sagemaker/src/commands/ListClusterNodesCommand.ts index 602df26f371f..7dd0f277a9aa 100644 --- a/clients/client-sagemaker/src/commands/ListClusterNodesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListClusterNodesCommand.ts @@ -100,4 +100,16 @@ export class ListClusterNodesCommand extends $Command .f(void 0, void 0) .ser(se_ListClusterNodesCommand) .de(de_ListClusterNodesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClusterNodesRequest; + output: ListClusterNodesResponse; + }; + sdk: { + input: ListClusterNodesCommandInput; + output: ListClusterNodesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListClustersCommand.ts b/clients/client-sagemaker/src/commands/ListClustersCommand.ts index b1645427db24..a205acaaac22 100644 --- a/clients/client-sagemaker/src/commands/ListClustersCommand.ts +++ b/clients/client-sagemaker/src/commands/ListClustersCommand.ts @@ -91,4 +91,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResponse; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListCodeRepositoriesCommand.ts b/clients/client-sagemaker/src/commands/ListCodeRepositoriesCommand.ts index 614aa337164b..4bc726070d3a 100644 --- a/clients/client-sagemaker/src/commands/ListCodeRepositoriesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListCodeRepositoriesCommand.ts @@ -98,4 +98,16 @@ export class ListCodeRepositoriesCommand extends $Command .f(void 0, void 0) .ser(se_ListCodeRepositoriesCommand) .de(de_ListCodeRepositoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCodeRepositoriesInput; + output: ListCodeRepositoriesOutput; + }; + sdk: { + input: ListCodeRepositoriesCommandInput; + output: ListCodeRepositoriesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListCompilationJobsCommand.ts b/clients/client-sagemaker/src/commands/ListCompilationJobsCommand.ts index 065c73fe32ad..e94a1669079d 100644 --- a/clients/client-sagemaker/src/commands/ListCompilationJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListCompilationJobsCommand.ts @@ -103,4 +103,16 @@ export class ListCompilationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListCompilationJobsCommand) .de(de_ListCompilationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCompilationJobsRequest; + output: ListCompilationJobsResponse; + }; + sdk: { + input: ListCompilationJobsCommandInput; + output: ListCompilationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListContextsCommand.ts b/clients/client-sagemaker/src/commands/ListContextsCommand.ts index 9b2a211f7734..b81662e3eaa5 100644 --- a/clients/client-sagemaker/src/commands/ListContextsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListContextsCommand.ts @@ -101,4 +101,16 @@ export class ListContextsCommand extends $Command .f(void 0, void 0) .ser(se_ListContextsCommand) .de(de_ListContextsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContextsRequest; + output: ListContextsResponse; + }; + sdk: { + input: ListContextsCommandInput; + output: ListContextsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListDataQualityJobDefinitionsCommand.ts b/clients/client-sagemaker/src/commands/ListDataQualityJobDefinitionsCommand.ts index 9e9f8c7c4064..01a585c5110c 100644 --- a/clients/client-sagemaker/src/commands/ListDataQualityJobDefinitionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListDataQualityJobDefinitionsCommand.ts @@ -97,4 +97,16 @@ export class ListDataQualityJobDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataQualityJobDefinitionsCommand) .de(de_ListDataQualityJobDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataQualityJobDefinitionsRequest; + output: ListDataQualityJobDefinitionsResponse; + }; + sdk: { + input: ListDataQualityJobDefinitionsCommandInput; + output: ListDataQualityJobDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListDeviceFleetsCommand.ts b/clients/client-sagemaker/src/commands/ListDeviceFleetsCommand.ts index b9ce222daff0..3a83a8798890 100644 --- a/clients/client-sagemaker/src/commands/ListDeviceFleetsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListDeviceFleetsCommand.ts @@ -93,4 +93,16 @@ export class ListDeviceFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeviceFleetsCommand) .de(de_ListDeviceFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceFleetsRequest; + output: ListDeviceFleetsResponse; + }; + sdk: { + input: ListDeviceFleetsCommandInput; + output: ListDeviceFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListDevicesCommand.ts b/clients/client-sagemaker/src/commands/ListDevicesCommand.ts index 4c3a2ee1ea1d..f7ba3f54662d 100644 --- a/clients/client-sagemaker/src/commands/ListDevicesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListDevicesCommand.ts @@ -99,4 +99,16 @@ export class ListDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesRequest; + output: ListDevicesResponse; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListDomainsCommand.ts b/clients/client-sagemaker/src/commands/ListDomainsCommand.ts index f67b16debe53..fb7aed0a6e29 100644 --- a/clients/client-sagemaker/src/commands/ListDomainsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListDomainsCommand.ts @@ -89,4 +89,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResponse; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListEdgeDeploymentPlansCommand.ts b/clients/client-sagemaker/src/commands/ListEdgeDeploymentPlansCommand.ts index 2c72d815595d..57150f0ce853 100644 --- a/clients/client-sagemaker/src/commands/ListEdgeDeploymentPlansCommand.ts +++ b/clients/client-sagemaker/src/commands/ListEdgeDeploymentPlansCommand.ts @@ -98,4 +98,16 @@ export class ListEdgeDeploymentPlansCommand extends $Command .f(void 0, void 0) .ser(se_ListEdgeDeploymentPlansCommand) .de(de_ListEdgeDeploymentPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEdgeDeploymentPlansRequest; + output: ListEdgeDeploymentPlansResponse; + }; + sdk: { + input: ListEdgeDeploymentPlansCommandInput; + output: ListEdgeDeploymentPlansCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListEdgePackagingJobsCommand.ts b/clients/client-sagemaker/src/commands/ListEdgePackagingJobsCommand.ts index 69f7848291b7..ecd38d4e75de 100644 --- a/clients/client-sagemaker/src/commands/ListEdgePackagingJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListEdgePackagingJobsCommand.ts @@ -99,4 +99,16 @@ export class ListEdgePackagingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListEdgePackagingJobsCommand) .de(de_ListEdgePackagingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEdgePackagingJobsRequest; + output: ListEdgePackagingJobsResponse; + }; + sdk: { + input: ListEdgePackagingJobsCommandInput; + output: ListEdgePackagingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListEndpointConfigsCommand.ts b/clients/client-sagemaker/src/commands/ListEndpointConfigsCommand.ts index c59fc8081c56..72ecdaec590d 100644 --- a/clients/client-sagemaker/src/commands/ListEndpointConfigsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListEndpointConfigsCommand.ts @@ -90,4 +90,16 @@ export class ListEndpointConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointConfigsCommand) .de(de_ListEndpointConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointConfigsInput; + output: ListEndpointConfigsOutput; + }; + sdk: { + input: ListEndpointConfigsCommandInput; + output: ListEndpointConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListEndpointsCommand.ts b/clients/client-sagemaker/src/commands/ListEndpointsCommand.ts index f71bbd1cd62c..e3d725168606 100644 --- a/clients/client-sagemaker/src/commands/ListEndpointsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListEndpointsCommand.ts @@ -95,4 +95,16 @@ export class ListEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointsCommand) .de(de_ListEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointsInput; + output: ListEndpointsOutput; + }; + sdk: { + input: ListEndpointsCommandInput; + output: ListEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListExperimentsCommand.ts b/clients/client-sagemaker/src/commands/ListExperimentsCommand.ts index cb1b456e9e26..22da9d75a7be 100644 --- a/clients/client-sagemaker/src/commands/ListExperimentsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListExperimentsCommand.ts @@ -97,4 +97,16 @@ export class ListExperimentsCommand extends $Command .f(void 0, void 0) .ser(se_ListExperimentsCommand) .de(de_ListExperimentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExperimentsRequest; + output: ListExperimentsResponse; + }; + sdk: { + input: ListExperimentsCommandInput; + output: ListExperimentsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListFeatureGroupsCommand.ts b/clients/client-sagemaker/src/commands/ListFeatureGroupsCommand.ts index 21b5c9cfedae..ffc364e7a4d0 100644 --- a/clients/client-sagemaker/src/commands/ListFeatureGroupsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListFeatureGroupsCommand.ts @@ -97,4 +97,16 @@ export class ListFeatureGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListFeatureGroupsCommand) .de(de_ListFeatureGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFeatureGroupsRequest; + output: ListFeatureGroupsResponse; + }; + sdk: { + input: ListFeatureGroupsCommandInput; + output: ListFeatureGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListFlowDefinitionsCommand.ts b/clients/client-sagemaker/src/commands/ListFlowDefinitionsCommand.ts index e6cdcfb69119..2e7622ecc10b 100644 --- a/clients/client-sagemaker/src/commands/ListFlowDefinitionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListFlowDefinitionsCommand.ts @@ -90,4 +90,16 @@ export class ListFlowDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListFlowDefinitionsCommand) .de(de_ListFlowDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFlowDefinitionsRequest; + output: ListFlowDefinitionsResponse; + }; + sdk: { + input: ListFlowDefinitionsCommandInput; + output: ListFlowDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListHubContentVersionsCommand.ts b/clients/client-sagemaker/src/commands/ListHubContentVersionsCommand.ts index 0a28ab6aed2e..eccbd25b5615 100644 --- a/clients/client-sagemaker/src/commands/ListHubContentVersionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListHubContentVersionsCommand.ts @@ -109,4 +109,16 @@ export class ListHubContentVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListHubContentVersionsCommand) .de(de_ListHubContentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHubContentVersionsRequest; + output: ListHubContentVersionsResponse; + }; + sdk: { + input: ListHubContentVersionsCommandInput; + output: ListHubContentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListHubContentsCommand.ts b/clients/client-sagemaker/src/commands/ListHubContentsCommand.ts index 4b76a4ab8dcb..e9cfac3d800c 100644 --- a/clients/client-sagemaker/src/commands/ListHubContentsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListHubContentsCommand.ts @@ -108,4 +108,16 @@ export class ListHubContentsCommand extends $Command .f(void 0, void 0) .ser(se_ListHubContentsCommand) .de(de_ListHubContentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHubContentsRequest; + output: ListHubContentsResponse; + }; + sdk: { + input: ListHubContentsCommandInput; + output: ListHubContentsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListHubsCommand.ts b/clients/client-sagemaker/src/commands/ListHubsCommand.ts index 7707592fa305..78fac36e42ec 100644 --- a/clients/client-sagemaker/src/commands/ListHubsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListHubsCommand.ts @@ -99,4 +99,16 @@ export class ListHubsCommand extends $Command .f(void 0, void 0) .ser(se_ListHubsCommand) .de(de_ListHubsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHubsRequest; + output: ListHubsResponse; + }; + sdk: { + input: ListHubsCommandInput; + output: ListHubsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListHumanTaskUisCommand.ts b/clients/client-sagemaker/src/commands/ListHumanTaskUisCommand.ts index 7f117afe50a1..a5b8b982ec92 100644 --- a/clients/client-sagemaker/src/commands/ListHumanTaskUisCommand.ts +++ b/clients/client-sagemaker/src/commands/ListHumanTaskUisCommand.ts @@ -88,4 +88,16 @@ export class ListHumanTaskUisCommand extends $Command .f(void 0, void 0) .ser(se_ListHumanTaskUisCommand) .de(de_ListHumanTaskUisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHumanTaskUisRequest; + output: ListHumanTaskUisResponse; + }; + sdk: { + input: ListHumanTaskUisCommandInput; + output: ListHumanTaskUisCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListHyperParameterTuningJobsCommand.ts b/clients/client-sagemaker/src/commands/ListHyperParameterTuningJobsCommand.ts index 740caa37ff55..fc278223f10d 100644 --- a/clients/client-sagemaker/src/commands/ListHyperParameterTuningJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListHyperParameterTuningJobsCommand.ts @@ -121,4 +121,16 @@ export class ListHyperParameterTuningJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListHyperParameterTuningJobsCommand) .de(de_ListHyperParameterTuningJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHyperParameterTuningJobsRequest; + output: ListHyperParameterTuningJobsResponse; + }; + sdk: { + input: ListHyperParameterTuningJobsCommandInput; + output: ListHyperParameterTuningJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListImageVersionsCommand.ts b/clients/client-sagemaker/src/commands/ListImageVersionsCommand.ts index 0187ed4105ad..3fb7a502887f 100644 --- a/clients/client-sagemaker/src/commands/ListImageVersionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListImageVersionsCommand.ts @@ -100,4 +100,16 @@ export class ListImageVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListImageVersionsCommand) .de(de_ListImageVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImageVersionsRequest; + output: ListImageVersionsResponse; + }; + sdk: { + input: ListImageVersionsCommandInput; + output: ListImageVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListImagesCommand.ts b/clients/client-sagemaker/src/commands/ListImagesCommand.ts index f34e6414fd75..ace174969cd7 100644 --- a/clients/client-sagemaker/src/commands/ListImagesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListImagesCommand.ts @@ -98,4 +98,16 @@ export class ListImagesCommand extends $Command .f(void 0, void 0) .ser(se_ListImagesCommand) .de(de_ListImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImagesRequest; + output: ListImagesResponse; + }; + sdk: { + input: ListImagesCommandInput; + output: ListImagesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListInferenceComponentsCommand.ts b/clients/client-sagemaker/src/commands/ListInferenceComponentsCommand.ts index 335bd940a47f..7fa6399acb5e 100644 --- a/clients/client-sagemaker/src/commands/ListInferenceComponentsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListInferenceComponentsCommand.ts @@ -100,4 +100,16 @@ export class ListInferenceComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceComponentsCommand) .de(de_ListInferenceComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceComponentsInput; + output: ListInferenceComponentsOutput; + }; + sdk: { + input: ListInferenceComponentsCommandInput; + output: ListInferenceComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListInferenceExperimentsCommand.ts b/clients/client-sagemaker/src/commands/ListInferenceExperimentsCommand.ts index 57b0b4895b33..b4763ff02fbe 100644 --- a/clients/client-sagemaker/src/commands/ListInferenceExperimentsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListInferenceExperimentsCommand.ts @@ -104,4 +104,16 @@ export class ListInferenceExperimentsCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceExperimentsCommand) .de(de_ListInferenceExperimentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceExperimentsRequest; + output: ListInferenceExperimentsResponse; + }; + sdk: { + input: ListInferenceExperimentsCommandInput; + output: ListInferenceExperimentsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobStepsCommand.ts b/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobStepsCommand.ts index 92d3b104bac4..dd1c86985e8d 100644 --- a/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobStepsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobStepsCommand.ts @@ -140,4 +140,16 @@ export class ListInferenceRecommendationsJobStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceRecommendationsJobStepsCommand) .de(de_ListInferenceRecommendationsJobStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceRecommendationsJobStepsRequest; + output: ListInferenceRecommendationsJobStepsResponse; + }; + sdk: { + input: ListInferenceRecommendationsJobStepsCommandInput; + output: ListInferenceRecommendationsJobStepsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobsCommand.ts b/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobsCommand.ts index 4316f79bd86e..67b1c5bdbe32 100644 --- a/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListInferenceRecommendationsJobsCommand.ts @@ -110,4 +110,16 @@ export class ListInferenceRecommendationsJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListInferenceRecommendationsJobsCommand) .de(de_ListInferenceRecommendationsJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInferenceRecommendationsJobsRequest; + output: ListInferenceRecommendationsJobsResponse; + }; + sdk: { + input: ListInferenceRecommendationsJobsCommandInput; + output: ListInferenceRecommendationsJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListLabelingJobsCommand.ts b/clients/client-sagemaker/src/commands/ListLabelingJobsCommand.ts index cc645d2c091a..1a255cc88581 100644 --- a/clients/client-sagemaker/src/commands/ListLabelingJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListLabelingJobsCommand.ts @@ -125,4 +125,16 @@ export class ListLabelingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListLabelingJobsCommand) .de(de_ListLabelingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLabelingJobsRequest; + output: ListLabelingJobsResponse; + }; + sdk: { + input: ListLabelingJobsCommandInput; + output: ListLabelingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListLabelingJobsForWorkteamCommand.ts b/clients/client-sagemaker/src/commands/ListLabelingJobsForWorkteamCommand.ts index 784a094ee7dc..c09e82f20646 100644 --- a/clients/client-sagemaker/src/commands/ListLabelingJobsForWorkteamCommand.ts +++ b/clients/client-sagemaker/src/commands/ListLabelingJobsForWorkteamCommand.ts @@ -103,4 +103,16 @@ export class ListLabelingJobsForWorkteamCommand extends $Command .f(void 0, void 0) .ser(se_ListLabelingJobsForWorkteamCommand) .de(de_ListLabelingJobsForWorkteamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLabelingJobsForWorkteamRequest; + output: ListLabelingJobsForWorkteamResponse; + }; + sdk: { + input: ListLabelingJobsForWorkteamCommandInput; + output: ListLabelingJobsForWorkteamCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListLineageGroupsCommand.ts b/clients/client-sagemaker/src/commands/ListLineageGroupsCommand.ts index 9a80c1ae845a..19733dd98c7c 100644 --- a/clients/client-sagemaker/src/commands/ListLineageGroupsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListLineageGroupsCommand.ts @@ -93,4 +93,16 @@ export class ListLineageGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListLineageGroupsCommand) .de(de_ListLineageGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLineageGroupsRequest; + output: ListLineageGroupsResponse; + }; + sdk: { + input: ListLineageGroupsCommandInput; + output: ListLineageGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListMlflowTrackingServersCommand.ts b/clients/client-sagemaker/src/commands/ListMlflowTrackingServersCommand.ts index 09992fb40643..5af2733b80c9 100644 --- a/clients/client-sagemaker/src/commands/ListMlflowTrackingServersCommand.ts +++ b/clients/client-sagemaker/src/commands/ListMlflowTrackingServersCommand.ts @@ -95,4 +95,16 @@ export class ListMlflowTrackingServersCommand extends $Command .f(void 0, void 0) .ser(se_ListMlflowTrackingServersCommand) .de(de_ListMlflowTrackingServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMlflowTrackingServersRequest; + output: ListMlflowTrackingServersResponse; + }; + sdk: { + input: ListMlflowTrackingServersCommandInput; + output: ListMlflowTrackingServersCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelBiasJobDefinitionsCommand.ts b/clients/client-sagemaker/src/commands/ListModelBiasJobDefinitionsCommand.ts index fe10dc634797..859dc9a1f06a 100644 --- a/clients/client-sagemaker/src/commands/ListModelBiasJobDefinitionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelBiasJobDefinitionsCommand.ts @@ -94,4 +94,16 @@ export class ListModelBiasJobDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelBiasJobDefinitionsCommand) .de(de_ListModelBiasJobDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelBiasJobDefinitionsRequest; + output: ListModelBiasJobDefinitionsResponse; + }; + sdk: { + input: ListModelBiasJobDefinitionsCommandInput; + output: ListModelBiasJobDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelCardExportJobsCommand.ts b/clients/client-sagemaker/src/commands/ListModelCardExportJobsCommand.ts index d443ee89d425..5d906a495258 100644 --- a/clients/client-sagemaker/src/commands/ListModelCardExportJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelCardExportJobsCommand.ts @@ -97,4 +97,16 @@ export class ListModelCardExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelCardExportJobsCommand) .de(de_ListModelCardExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelCardExportJobsRequest; + output: ListModelCardExportJobsResponse; + }; + sdk: { + input: ListModelCardExportJobsCommandInput; + output: ListModelCardExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelCardVersionsCommand.ts b/clients/client-sagemaker/src/commands/ListModelCardVersionsCommand.ts index bf01c9b94a74..e5d68d7fa2e2 100644 --- a/clients/client-sagemaker/src/commands/ListModelCardVersionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelCardVersionsCommand.ts @@ -97,4 +97,16 @@ export class ListModelCardVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelCardVersionsCommand) .de(de_ListModelCardVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelCardVersionsRequest; + output: ListModelCardVersionsResponse; + }; + sdk: { + input: ListModelCardVersionsCommandInput; + output: ListModelCardVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelCardsCommand.ts b/clients/client-sagemaker/src/commands/ListModelCardsCommand.ts index 12c5c1984d5a..3c7e79ce561f 100644 --- a/clients/client-sagemaker/src/commands/ListModelCardsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelCardsCommand.ts @@ -93,4 +93,16 @@ export class ListModelCardsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelCardsCommand) .de(de_ListModelCardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelCardsRequest; + output: ListModelCardsResponse; + }; + sdk: { + input: ListModelCardsCommandInput; + output: ListModelCardsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelExplainabilityJobDefinitionsCommand.ts b/clients/client-sagemaker/src/commands/ListModelExplainabilityJobDefinitionsCommand.ts index 1e115b40f9fb..6d838666490e 100644 --- a/clients/client-sagemaker/src/commands/ListModelExplainabilityJobDefinitionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelExplainabilityJobDefinitionsCommand.ts @@ -101,4 +101,16 @@ export class ListModelExplainabilityJobDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelExplainabilityJobDefinitionsCommand) .de(de_ListModelExplainabilityJobDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelExplainabilityJobDefinitionsRequest; + output: ListModelExplainabilityJobDefinitionsResponse; + }; + sdk: { + input: ListModelExplainabilityJobDefinitionsCommandInput; + output: ListModelExplainabilityJobDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelMetadataCommand.ts b/clients/client-sagemaker/src/commands/ListModelMetadataCommand.ts index d5f5e6a3da52..e4ef5276a276 100644 --- a/clients/client-sagemaker/src/commands/ListModelMetadataCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelMetadataCommand.ts @@ -96,4 +96,16 @@ export class ListModelMetadataCommand extends $Command .f(void 0, void 0) .ser(se_ListModelMetadataCommand) .de(de_ListModelMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelMetadataRequest; + output: ListModelMetadataResponse; + }; + sdk: { + input: ListModelMetadataCommandInput; + output: ListModelMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelPackageGroupsCommand.ts b/clients/client-sagemaker/src/commands/ListModelPackageGroupsCommand.ts index dfb2a73b767a..180a9f29856f 100644 --- a/clients/client-sagemaker/src/commands/ListModelPackageGroupsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelPackageGroupsCommand.ts @@ -93,4 +93,16 @@ export class ListModelPackageGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelPackageGroupsCommand) .de(de_ListModelPackageGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelPackageGroupsInput; + output: ListModelPackageGroupsOutput; + }; + sdk: { + input: ListModelPackageGroupsCommandInput; + output: ListModelPackageGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelPackagesCommand.ts b/clients/client-sagemaker/src/commands/ListModelPackagesCommand.ts index 2eab87e61bc7..ca97d6d400f4 100644 --- a/clients/client-sagemaker/src/commands/ListModelPackagesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelPackagesCommand.ts @@ -98,4 +98,16 @@ export class ListModelPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListModelPackagesCommand) .de(de_ListModelPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelPackagesInput; + output: ListModelPackagesOutput; + }; + sdk: { + input: ListModelPackagesCommandInput; + output: ListModelPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelQualityJobDefinitionsCommand.ts b/clients/client-sagemaker/src/commands/ListModelQualityJobDefinitionsCommand.ts index 49ff4988f540..5d313299a309 100644 --- a/clients/client-sagemaker/src/commands/ListModelQualityJobDefinitionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelQualityJobDefinitionsCommand.ts @@ -97,4 +97,16 @@ export class ListModelQualityJobDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelQualityJobDefinitionsCommand) .de(de_ListModelQualityJobDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelQualityJobDefinitionsRequest; + output: ListModelQualityJobDefinitionsResponse; + }; + sdk: { + input: ListModelQualityJobDefinitionsCommandInput; + output: ListModelQualityJobDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListModelsCommand.ts b/clients/client-sagemaker/src/commands/ListModelsCommand.ts index dd7a199889e5..08e156fef172 100644 --- a/clients/client-sagemaker/src/commands/ListModelsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListModelsCommand.ts @@ -90,4 +90,16 @@ export class ListModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListModelsCommand) .de(de_ListModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListModelsInput; + output: ListModelsOutput; + }; + sdk: { + input: ListModelsCommandInput; + output: ListModelsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListMonitoringAlertHistoryCommand.ts b/clients/client-sagemaker/src/commands/ListMonitoringAlertHistoryCommand.ts index 4860b2702178..63c8d84d2948 100644 --- a/clients/client-sagemaker/src/commands/ListMonitoringAlertHistoryCommand.ts +++ b/clients/client-sagemaker/src/commands/ListMonitoringAlertHistoryCommand.ts @@ -96,4 +96,16 @@ export class ListMonitoringAlertHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitoringAlertHistoryCommand) .de(de_ListMonitoringAlertHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitoringAlertHistoryRequest; + output: ListMonitoringAlertHistoryResponse; + }; + sdk: { + input: ListMonitoringAlertHistoryCommandInput; + output: ListMonitoringAlertHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListMonitoringAlertsCommand.ts b/clients/client-sagemaker/src/commands/ListMonitoringAlertsCommand.ts index a5dba2ca84f5..e17db2553700 100644 --- a/clients/client-sagemaker/src/commands/ListMonitoringAlertsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListMonitoringAlertsCommand.ts @@ -97,4 +97,16 @@ export class ListMonitoringAlertsCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitoringAlertsCommand) .de(de_ListMonitoringAlertsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitoringAlertsRequest; + output: ListMonitoringAlertsResponse; + }; + sdk: { + input: ListMonitoringAlertsCommandInput; + output: ListMonitoringAlertsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListMonitoringExecutionsCommand.ts b/clients/client-sagemaker/src/commands/ListMonitoringExecutionsCommand.ts index 573e237535c3..73b749a228ac 100644 --- a/clients/client-sagemaker/src/commands/ListMonitoringExecutionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListMonitoringExecutionsCommand.ts @@ -105,4 +105,16 @@ export class ListMonitoringExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitoringExecutionsCommand) .de(de_ListMonitoringExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitoringExecutionsRequest; + output: ListMonitoringExecutionsResponse; + }; + sdk: { + input: ListMonitoringExecutionsCommandInput; + output: ListMonitoringExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListMonitoringSchedulesCommand.ts b/clients/client-sagemaker/src/commands/ListMonitoringSchedulesCommand.ts index 43263b9bdf26..117836ed965a 100644 --- a/clients/client-sagemaker/src/commands/ListMonitoringSchedulesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListMonitoringSchedulesCommand.ts @@ -101,4 +101,16 @@ export class ListMonitoringSchedulesCommand extends $Command .f(void 0, void 0) .ser(se_ListMonitoringSchedulesCommand) .de(de_ListMonitoringSchedulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMonitoringSchedulesRequest; + output: ListMonitoringSchedulesResponse; + }; + sdk: { + input: ListMonitoringSchedulesCommandInput; + output: ListMonitoringSchedulesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListNotebookInstanceLifecycleConfigsCommand.ts b/clients/client-sagemaker/src/commands/ListNotebookInstanceLifecycleConfigsCommand.ts index dfb47d747c59..1e3dc3a0d3be 100644 --- a/clients/client-sagemaker/src/commands/ListNotebookInstanceLifecycleConfigsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListNotebookInstanceLifecycleConfigsCommand.ts @@ -101,4 +101,16 @@ export class ListNotebookInstanceLifecycleConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListNotebookInstanceLifecycleConfigsCommand) .de(de_ListNotebookInstanceLifecycleConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotebookInstanceLifecycleConfigsInput; + output: ListNotebookInstanceLifecycleConfigsOutput; + }; + sdk: { + input: ListNotebookInstanceLifecycleConfigsCommandInput; + output: ListNotebookInstanceLifecycleConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListNotebookInstancesCommand.ts b/clients/client-sagemaker/src/commands/ListNotebookInstancesCommand.ts index f0df46b080ff..520bd7cc8f93 100644 --- a/clients/client-sagemaker/src/commands/ListNotebookInstancesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListNotebookInstancesCommand.ts @@ -106,4 +106,16 @@ export class ListNotebookInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListNotebookInstancesCommand) .de(de_ListNotebookInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotebookInstancesInput; + output: ListNotebookInstancesOutput; + }; + sdk: { + input: ListNotebookInstancesCommandInput; + output: ListNotebookInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListOptimizationJobsCommand.ts b/clients/client-sagemaker/src/commands/ListOptimizationJobsCommand.ts index 391b9f1e0f0c..1ed1e43f6d81 100644 --- a/clients/client-sagemaker/src/commands/ListOptimizationJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListOptimizationJobsCommand.ts @@ -102,4 +102,16 @@ export class ListOptimizationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListOptimizationJobsCommand) .de(de_ListOptimizationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOptimizationJobsRequest; + output: ListOptimizationJobsResponse; + }; + sdk: { + input: ListOptimizationJobsCommandInput; + output: ListOptimizationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListPipelineExecutionStepsCommand.ts b/clients/client-sagemaker/src/commands/ListPipelineExecutionStepsCommand.ts index f2629cd81794..49ff145376f6 100644 --- a/clients/client-sagemaker/src/commands/ListPipelineExecutionStepsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListPipelineExecutionStepsCommand.ts @@ -183,4 +183,16 @@ export class ListPipelineExecutionStepsCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelineExecutionStepsCommand) .de(de_ListPipelineExecutionStepsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelineExecutionStepsRequest; + output: ListPipelineExecutionStepsResponse; + }; + sdk: { + input: ListPipelineExecutionStepsCommandInput; + output: ListPipelineExecutionStepsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListPipelineExecutionsCommand.ts b/clients/client-sagemaker/src/commands/ListPipelineExecutionsCommand.ts index 062e07d8f645..276325da6b70 100644 --- a/clients/client-sagemaker/src/commands/ListPipelineExecutionsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListPipelineExecutionsCommand.ts @@ -96,4 +96,16 @@ export class ListPipelineExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelineExecutionsCommand) .de(de_ListPipelineExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelineExecutionsRequest; + output: ListPipelineExecutionsResponse; + }; + sdk: { + input: ListPipelineExecutionsCommandInput; + output: ListPipelineExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListPipelineParametersForExecutionCommand.ts b/clients/client-sagemaker/src/commands/ListPipelineParametersForExecutionCommand.ts index 4c97546ca418..3548b92bd023 100644 --- a/clients/client-sagemaker/src/commands/ListPipelineParametersForExecutionCommand.ts +++ b/clients/client-sagemaker/src/commands/ListPipelineParametersForExecutionCommand.ts @@ -96,4 +96,16 @@ export class ListPipelineParametersForExecutionCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelineParametersForExecutionCommand) .de(de_ListPipelineParametersForExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelineParametersForExecutionRequest; + output: ListPipelineParametersForExecutionResponse; + }; + sdk: { + input: ListPipelineParametersForExecutionCommandInput; + output: ListPipelineParametersForExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListPipelinesCommand.ts b/clients/client-sagemaker/src/commands/ListPipelinesCommand.ts index d8d9c41eacd0..23161e2d4f97 100644 --- a/clients/client-sagemaker/src/commands/ListPipelinesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListPipelinesCommand.ts @@ -95,4 +95,16 @@ export class ListPipelinesCommand extends $Command .f(void 0, void 0) .ser(se_ListPipelinesCommand) .de(de_ListPipelinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPipelinesRequest; + output: ListPipelinesResponse; + }; + sdk: { + input: ListPipelinesCommandInput; + output: ListPipelinesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListProcessingJobsCommand.ts b/clients/client-sagemaker/src/commands/ListProcessingJobsCommand.ts index 32fc5658c60e..5073a267fc22 100644 --- a/clients/client-sagemaker/src/commands/ListProcessingJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListProcessingJobsCommand.ts @@ -98,4 +98,16 @@ export class ListProcessingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListProcessingJobsCommand) .de(de_ListProcessingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProcessingJobsRequest; + output: ListProcessingJobsResponse; + }; + sdk: { + input: ListProcessingJobsCommandInput; + output: ListProcessingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListProjectsCommand.ts b/clients/client-sagemaker/src/commands/ListProjectsCommand.ts index 7827a6372f9a..5f06a44eb01a 100644 --- a/clients/client-sagemaker/src/commands/ListProjectsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListProjectsCommand.ts @@ -93,4 +93,16 @@ export class ListProjectsCommand extends $Command .f(void 0, void 0) .ser(se_ListProjectsCommand) .de(de_ListProjectsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProjectsInput; + output: ListProjectsOutput; + }; + sdk: { + input: ListProjectsCommandInput; + output: ListProjectsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListResourceCatalogsCommand.ts b/clients/client-sagemaker/src/commands/ListResourceCatalogsCommand.ts index e555aa88d942..0b61c5095665 100644 --- a/clients/client-sagemaker/src/commands/ListResourceCatalogsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListResourceCatalogsCommand.ts @@ -92,4 +92,16 @@ export class ListResourceCatalogsCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceCatalogsCommand) .de(de_ListResourceCatalogsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceCatalogsRequest; + output: ListResourceCatalogsResponse; + }; + sdk: { + input: ListResourceCatalogsCommandInput; + output: ListResourceCatalogsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListSpacesCommand.ts b/clients/client-sagemaker/src/commands/ListSpacesCommand.ts index 9bea5a7f857a..2c58002f8bb5 100644 --- a/clients/client-sagemaker/src/commands/ListSpacesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListSpacesCommand.ts @@ -106,4 +106,16 @@ export class ListSpacesCommand extends $Command .f(void 0, void 0) .ser(se_ListSpacesCommand) .de(de_ListSpacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSpacesRequest; + output: ListSpacesResponse; + }; + sdk: { + input: ListSpacesCommandInput; + output: ListSpacesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListStageDevicesCommand.ts b/clients/client-sagemaker/src/commands/ListStageDevicesCommand.ts index bf096f03df2c..fd89e859f1df 100644 --- a/clients/client-sagemaker/src/commands/ListStageDevicesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListStageDevicesCommand.ts @@ -97,4 +97,16 @@ export class ListStageDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListStageDevicesCommand) .de(de_ListStageDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStageDevicesRequest; + output: ListStageDevicesResponse; + }; + sdk: { + input: ListStageDevicesCommandInput; + output: ListStageDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListStudioLifecycleConfigsCommand.ts b/clients/client-sagemaker/src/commands/ListStudioLifecycleConfigsCommand.ts index f8a12b80fa87..812178eb4978 100644 --- a/clients/client-sagemaker/src/commands/ListStudioLifecycleConfigsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListStudioLifecycleConfigsCommand.ts @@ -99,4 +99,16 @@ export class ListStudioLifecycleConfigsCommand extends $Command .f(void 0, void 0) .ser(se_ListStudioLifecycleConfigsCommand) .de(de_ListStudioLifecycleConfigsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStudioLifecycleConfigsRequest; + output: ListStudioLifecycleConfigsResponse; + }; + sdk: { + input: ListStudioLifecycleConfigsCommandInput; + output: ListStudioLifecycleConfigsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListSubscribedWorkteamsCommand.ts b/clients/client-sagemaker/src/commands/ListSubscribedWorkteamsCommand.ts index 0cfc533d5dc9..1d909ae119f7 100644 --- a/clients/client-sagemaker/src/commands/ListSubscribedWorkteamsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListSubscribedWorkteamsCommand.ts @@ -90,4 +90,16 @@ export class ListSubscribedWorkteamsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscribedWorkteamsCommand) .de(de_ListSubscribedWorkteamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscribedWorkteamsRequest; + output: ListSubscribedWorkteamsResponse; + }; + sdk: { + input: ListSubscribedWorkteamsCommandInput; + output: ListSubscribedWorkteamsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListTagsCommand.ts b/clients/client-sagemaker/src/commands/ListTagsCommand.ts index e9153dc658e9..eb1fe8731ec6 100644 --- a/clients/client-sagemaker/src/commands/ListTagsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListTagsCommand.ts @@ -85,4 +85,16 @@ export class ListTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsCommand) .de(de_ListTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsInput; + output: ListTagsOutput; + }; + sdk: { + input: ListTagsCommandInput; + output: ListTagsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListTrainingJobsCommand.ts b/clients/client-sagemaker/src/commands/ListTrainingJobsCommand.ts index 816cb7c8e9cb..c604e849fc27 100644 --- a/clients/client-sagemaker/src/commands/ListTrainingJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListTrainingJobsCommand.ts @@ -123,4 +123,16 @@ export class ListTrainingJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrainingJobsCommand) .de(de_ListTrainingJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrainingJobsRequest; + output: ListTrainingJobsResponse; + }; + sdk: { + input: ListTrainingJobsCommandInput; + output: ListTrainingJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListTrainingJobsForHyperParameterTuningJobCommand.ts b/clients/client-sagemaker/src/commands/ListTrainingJobsForHyperParameterTuningJobCommand.ts index 53feab801f35..45605af200b3 100644 --- a/clients/client-sagemaker/src/commands/ListTrainingJobsForHyperParameterTuningJobCommand.ts +++ b/clients/client-sagemaker/src/commands/ListTrainingJobsForHyperParameterTuningJobCommand.ts @@ -117,4 +117,16 @@ export class ListTrainingJobsForHyperParameterTuningJobCommand extends $Command .f(void 0, void 0) .ser(se_ListTrainingJobsForHyperParameterTuningJobCommand) .de(de_ListTrainingJobsForHyperParameterTuningJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrainingJobsForHyperParameterTuningJobRequest; + output: ListTrainingJobsForHyperParameterTuningJobResponse; + }; + sdk: { + input: ListTrainingJobsForHyperParameterTuningJobCommandInput; + output: ListTrainingJobsForHyperParameterTuningJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListTransformJobsCommand.ts b/clients/client-sagemaker/src/commands/ListTransformJobsCommand.ts index 82f25dcaf268..02e1188d7bc0 100644 --- a/clients/client-sagemaker/src/commands/ListTransformJobsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListTransformJobsCommand.ts @@ -97,4 +97,16 @@ export class ListTransformJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListTransformJobsCommand) .de(de_ListTransformJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTransformJobsRequest; + output: ListTransformJobsResponse; + }; + sdk: { + input: ListTransformJobsCommandInput; + output: ListTransformJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListTrialComponentsCommand.ts b/clients/client-sagemaker/src/commands/ListTrialComponentsCommand.ts index 556c2f719907..abfbd235a14c 100644 --- a/clients/client-sagemaker/src/commands/ListTrialComponentsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListTrialComponentsCommand.ts @@ -146,4 +146,16 @@ export class ListTrialComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrialComponentsCommand) .de(de_ListTrialComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrialComponentsRequest; + output: ListTrialComponentsResponse; + }; + sdk: { + input: ListTrialComponentsCommandInput; + output: ListTrialComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListTrialsCommand.ts b/clients/client-sagemaker/src/commands/ListTrialsCommand.ts index 8f4043ceac32..65fe6b53200b 100644 --- a/clients/client-sagemaker/src/commands/ListTrialsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListTrialsCommand.ts @@ -104,4 +104,16 @@ export class ListTrialsCommand extends $Command .f(void 0, void 0) .ser(se_ListTrialsCommand) .de(de_ListTrialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrialsRequest; + output: ListTrialsResponse; + }; + sdk: { + input: ListTrialsCommandInput; + output: ListTrialsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListUserProfilesCommand.ts b/clients/client-sagemaker/src/commands/ListUserProfilesCommand.ts index 6fd554a6f629..cafae06842a2 100644 --- a/clients/client-sagemaker/src/commands/ListUserProfilesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListUserProfilesCommand.ts @@ -91,4 +91,16 @@ export class ListUserProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListUserProfilesCommand) .de(de_ListUserProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserProfilesRequest; + output: ListUserProfilesResponse; + }; + sdk: { + input: ListUserProfilesCommandInput; + output: ListUserProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListWorkforcesCommand.ts b/clients/client-sagemaker/src/commands/ListWorkforcesCommand.ts index ae4a7b10d37b..0b5098a0bd36 100644 --- a/clients/client-sagemaker/src/commands/ListWorkforcesCommand.ts +++ b/clients/client-sagemaker/src/commands/ListWorkforcesCommand.ts @@ -125,4 +125,16 @@ export class ListWorkforcesCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkforcesCommand) .de(de_ListWorkforcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkforcesRequest; + output: ListWorkforcesResponse; + }; + sdk: { + input: ListWorkforcesCommandInput; + output: ListWorkforcesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/ListWorkteamsCommand.ts b/clients/client-sagemaker/src/commands/ListWorkteamsCommand.ts index e9363791f353..94537b92626f 100644 --- a/clients/client-sagemaker/src/commands/ListWorkteamsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListWorkteamsCommand.ts @@ -122,4 +122,16 @@ export class ListWorkteamsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkteamsCommand) .de(de_ListWorkteamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkteamsRequest; + output: ListWorkteamsResponse; + }; + sdk: { + input: ListWorkteamsCommandInput; + output: ListWorkteamsCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/PutModelPackageGroupPolicyCommand.ts b/clients/client-sagemaker/src/commands/PutModelPackageGroupPolicyCommand.ts index c9f448e5148d..00fce5417d11 100644 --- a/clients/client-sagemaker/src/commands/PutModelPackageGroupPolicyCommand.ts +++ b/clients/client-sagemaker/src/commands/PutModelPackageGroupPolicyCommand.ts @@ -84,4 +84,16 @@ export class PutModelPackageGroupPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutModelPackageGroupPolicyCommand) .de(de_PutModelPackageGroupPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutModelPackageGroupPolicyInput; + output: PutModelPackageGroupPolicyOutput; + }; + sdk: { + input: PutModelPackageGroupPolicyCommandInput; + output: PutModelPackageGroupPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/QueryLineageCommand.ts b/clients/client-sagemaker/src/commands/QueryLineageCommand.ts index 2ee738671d5e..fcc414622e77 100644 --- a/clients/client-sagemaker/src/commands/QueryLineageCommand.ts +++ b/clients/client-sagemaker/src/commands/QueryLineageCommand.ts @@ -118,4 +118,16 @@ export class QueryLineageCommand extends $Command .f(void 0, void 0) .ser(se_QueryLineageCommand) .de(de_QueryLineageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryLineageRequest; + output: QueryLineageResponse; + }; + sdk: { + input: QueryLineageCommandInput; + output: QueryLineageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/RegisterDevicesCommand.ts b/clients/client-sagemaker/src/commands/RegisterDevicesCommand.ts index 7203ecc18ce1..17e95dff6dd8 100644 --- a/clients/client-sagemaker/src/commands/RegisterDevicesCommand.ts +++ b/clients/client-sagemaker/src/commands/RegisterDevicesCommand.ts @@ -92,4 +92,16 @@ export class RegisterDevicesCommand extends $Command .f(void 0, void 0) .ser(se_RegisterDevicesCommand) .de(de_RegisterDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDevicesRequest; + output: {}; + }; + sdk: { + input: RegisterDevicesCommandInput; + output: RegisterDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/RenderUiTemplateCommand.ts b/clients/client-sagemaker/src/commands/RenderUiTemplateCommand.ts index 0d66c9137b03..a86ad06abe80 100644 --- a/clients/client-sagemaker/src/commands/RenderUiTemplateCommand.ts +++ b/clients/client-sagemaker/src/commands/RenderUiTemplateCommand.ts @@ -93,4 +93,16 @@ export class RenderUiTemplateCommand extends $Command .f(void 0, void 0) .ser(se_RenderUiTemplateCommand) .de(de_RenderUiTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RenderUiTemplateRequest; + output: RenderUiTemplateResponse; + }; + sdk: { + input: RenderUiTemplateCommandInput; + output: RenderUiTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/RetryPipelineExecutionCommand.ts b/clients/client-sagemaker/src/commands/RetryPipelineExecutionCommand.ts index 63a4791e3953..ddefed11f553 100644 --- a/clients/client-sagemaker/src/commands/RetryPipelineExecutionCommand.ts +++ b/clients/client-sagemaker/src/commands/RetryPipelineExecutionCommand.ts @@ -92,4 +92,16 @@ export class RetryPipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_RetryPipelineExecutionCommand) .de(de_RetryPipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetryPipelineExecutionRequest; + output: RetryPipelineExecutionResponse; + }; + sdk: { + input: RetryPipelineExecutionCommandInput; + output: RetryPipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/SearchCommand.ts b/clients/client-sagemaker/src/commands/SearchCommand.ts index 5af1e8931db7..b609ef3ccd89 100644 --- a/clients/client-sagemaker/src/commands/SearchCommand.ts +++ b/clients/client-sagemaker/src/commands/SearchCommand.ts @@ -2173,4 +2173,16 @@ export class SearchCommand extends $Command .f(void 0, SearchResponseFilterSensitiveLog) .ser(se_SearchCommand) .de(de_SearchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchRequest; + output: SearchResponse; + }; + sdk: { + input: SearchCommandInput; + output: SearchCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/SendPipelineExecutionStepFailureCommand.ts b/clients/client-sagemaker/src/commands/SendPipelineExecutionStepFailureCommand.ts index 543d4d108c1a..5a21e4d93624 100644 --- a/clients/client-sagemaker/src/commands/SendPipelineExecutionStepFailureCommand.ts +++ b/clients/client-sagemaker/src/commands/SendPipelineExecutionStepFailureCommand.ts @@ -97,4 +97,16 @@ export class SendPipelineExecutionStepFailureCommand extends $Command .f(void 0, void 0) .ser(se_SendPipelineExecutionStepFailureCommand) .de(de_SendPipelineExecutionStepFailureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendPipelineExecutionStepFailureRequest; + output: SendPipelineExecutionStepFailureResponse; + }; + sdk: { + input: SendPipelineExecutionStepFailureCommandInput; + output: SendPipelineExecutionStepFailureCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/SendPipelineExecutionStepSuccessCommand.ts b/clients/client-sagemaker/src/commands/SendPipelineExecutionStepSuccessCommand.ts index c5fc6f6af991..3fb922d6457f 100644 --- a/clients/client-sagemaker/src/commands/SendPipelineExecutionStepSuccessCommand.ts +++ b/clients/client-sagemaker/src/commands/SendPipelineExecutionStepSuccessCommand.ts @@ -102,4 +102,16 @@ export class SendPipelineExecutionStepSuccessCommand extends $Command .f(void 0, void 0) .ser(se_SendPipelineExecutionStepSuccessCommand) .de(de_SendPipelineExecutionStepSuccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendPipelineExecutionStepSuccessRequest; + output: SendPipelineExecutionStepSuccessResponse; + }; + sdk: { + input: SendPipelineExecutionStepSuccessCommandInput; + output: SendPipelineExecutionStepSuccessCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StartEdgeDeploymentStageCommand.ts b/clients/client-sagemaker/src/commands/StartEdgeDeploymentStageCommand.ts index cb5e168ca276..efc0c10dc908 100644 --- a/clients/client-sagemaker/src/commands/StartEdgeDeploymentStageCommand.ts +++ b/clients/client-sagemaker/src/commands/StartEdgeDeploymentStageCommand.ts @@ -76,4 +76,16 @@ export class StartEdgeDeploymentStageCommand extends $Command .f(void 0, void 0) .ser(se_StartEdgeDeploymentStageCommand) .de(de_StartEdgeDeploymentStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEdgeDeploymentStageRequest; + output: {}; + }; + sdk: { + input: StartEdgeDeploymentStageCommandInput; + output: StartEdgeDeploymentStageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StartInferenceExperimentCommand.ts b/clients/client-sagemaker/src/commands/StartInferenceExperimentCommand.ts index 1964a1e469cd..3a8ae6eba38d 100644 --- a/clients/client-sagemaker/src/commands/StartInferenceExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/StartInferenceExperimentCommand.ts @@ -84,4 +84,16 @@ export class StartInferenceExperimentCommand extends $Command .f(void 0, void 0) .ser(se_StartInferenceExperimentCommand) .de(de_StartInferenceExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartInferenceExperimentRequest; + output: StartInferenceExperimentResponse; + }; + sdk: { + input: StartInferenceExperimentCommandInput; + output: StartInferenceExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StartMlflowTrackingServerCommand.ts b/clients/client-sagemaker/src/commands/StartMlflowTrackingServerCommand.ts index 5d00fb649523..2a429ff689cb 100644 --- a/clients/client-sagemaker/src/commands/StartMlflowTrackingServerCommand.ts +++ b/clients/client-sagemaker/src/commands/StartMlflowTrackingServerCommand.ts @@ -84,4 +84,16 @@ export class StartMlflowTrackingServerCommand extends $Command .f(void 0, void 0) .ser(se_StartMlflowTrackingServerCommand) .de(de_StartMlflowTrackingServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMlflowTrackingServerRequest; + output: StartMlflowTrackingServerResponse; + }; + sdk: { + input: StartMlflowTrackingServerCommandInput; + output: StartMlflowTrackingServerCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StartMonitoringScheduleCommand.ts b/clients/client-sagemaker/src/commands/StartMonitoringScheduleCommand.ts index 648f26338f94..6769c10d2891 100644 --- a/clients/client-sagemaker/src/commands/StartMonitoringScheduleCommand.ts +++ b/clients/client-sagemaker/src/commands/StartMonitoringScheduleCommand.ts @@ -82,4 +82,16 @@ export class StartMonitoringScheduleCommand extends $Command .f(void 0, void 0) .ser(se_StartMonitoringScheduleCommand) .de(de_StartMonitoringScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMonitoringScheduleRequest; + output: {}; + }; + sdk: { + input: StartMonitoringScheduleCommandInput; + output: StartMonitoringScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StartNotebookInstanceCommand.ts b/clients/client-sagemaker/src/commands/StartNotebookInstanceCommand.ts index 64b6718e5bfb..c1bd631b49cc 100644 --- a/clients/client-sagemaker/src/commands/StartNotebookInstanceCommand.ts +++ b/clients/client-sagemaker/src/commands/StartNotebookInstanceCommand.ts @@ -82,4 +82,16 @@ export class StartNotebookInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StartNotebookInstanceCommand) .de(de_StartNotebookInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartNotebookInstanceInput; + output: {}; + }; + sdk: { + input: StartNotebookInstanceCommandInput; + output: StartNotebookInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StartPipelineExecutionCommand.ts b/clients/client-sagemaker/src/commands/StartPipelineExecutionCommand.ts index 48d4a44e6b4b..3f85d2580be7 100644 --- a/clients/client-sagemaker/src/commands/StartPipelineExecutionCommand.ts +++ b/clients/client-sagemaker/src/commands/StartPipelineExecutionCommand.ts @@ -108,4 +108,16 @@ export class StartPipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartPipelineExecutionCommand) .de(de_StartPipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartPipelineExecutionRequest; + output: StartPipelineExecutionResponse; + }; + sdk: { + input: StartPipelineExecutionCommandInput; + output: StartPipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopAutoMLJobCommand.ts b/clients/client-sagemaker/src/commands/StopAutoMLJobCommand.ts index 0b5603cfcbde..4aa7e843d17f 100644 --- a/clients/client-sagemaker/src/commands/StopAutoMLJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopAutoMLJobCommand.ts @@ -78,4 +78,16 @@ export class StopAutoMLJobCommand extends $Command .f(void 0, void 0) .ser(se_StopAutoMLJobCommand) .de(de_StopAutoMLJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAutoMLJobRequest; + output: {}; + }; + sdk: { + input: StopAutoMLJobCommandInput; + output: StopAutoMLJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopCompilationJobCommand.ts b/clients/client-sagemaker/src/commands/StopCompilationJobCommand.ts index 67d4e0adba17..9025d260a51c 100644 --- a/clients/client-sagemaker/src/commands/StopCompilationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopCompilationJobCommand.ts @@ -84,4 +84,16 @@ export class StopCompilationJobCommand extends $Command .f(void 0, void 0) .ser(se_StopCompilationJobCommand) .de(de_StopCompilationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCompilationJobRequest; + output: {}; + }; + sdk: { + input: StopCompilationJobCommandInput; + output: StopCompilationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopEdgeDeploymentStageCommand.ts b/clients/client-sagemaker/src/commands/StopEdgeDeploymentStageCommand.ts index cb31240d4d18..ca28b1aeea90 100644 --- a/clients/client-sagemaker/src/commands/StopEdgeDeploymentStageCommand.ts +++ b/clients/client-sagemaker/src/commands/StopEdgeDeploymentStageCommand.ts @@ -76,4 +76,16 @@ export class StopEdgeDeploymentStageCommand extends $Command .f(void 0, void 0) .ser(se_StopEdgeDeploymentStageCommand) .de(de_StopEdgeDeploymentStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEdgeDeploymentStageRequest; + output: {}; + }; + sdk: { + input: StopEdgeDeploymentStageCommandInput; + output: StopEdgeDeploymentStageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopEdgePackagingJobCommand.ts b/clients/client-sagemaker/src/commands/StopEdgePackagingJobCommand.ts index 7f95ded5db3b..4b9c134c2ebf 100644 --- a/clients/client-sagemaker/src/commands/StopEdgePackagingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopEdgePackagingJobCommand.ts @@ -75,4 +75,16 @@ export class StopEdgePackagingJobCommand extends $Command .f(void 0, void 0) .ser(se_StopEdgePackagingJobCommand) .de(de_StopEdgePackagingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEdgePackagingJobRequest; + output: {}; + }; + sdk: { + input: StopEdgePackagingJobCommandInput; + output: StopEdgePackagingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopHyperParameterTuningJobCommand.ts b/clients/client-sagemaker/src/commands/StopHyperParameterTuningJobCommand.ts index 146be9868cd5..0e39c335b1d9 100644 --- a/clients/client-sagemaker/src/commands/StopHyperParameterTuningJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopHyperParameterTuningJobCommand.ts @@ -84,4 +84,16 @@ export class StopHyperParameterTuningJobCommand extends $Command .f(void 0, void 0) .ser(se_StopHyperParameterTuningJobCommand) .de(de_StopHyperParameterTuningJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopHyperParameterTuningJobRequest; + output: {}; + }; + sdk: { + input: StopHyperParameterTuningJobCommandInput; + output: StopHyperParameterTuningJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopInferenceExperimentCommand.ts b/clients/client-sagemaker/src/commands/StopInferenceExperimentCommand.ts index 8112528180bf..befcb421e638 100644 --- a/clients/client-sagemaker/src/commands/StopInferenceExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/StopInferenceExperimentCommand.ts @@ -102,4 +102,16 @@ export class StopInferenceExperimentCommand extends $Command .f(void 0, void 0) .ser(se_StopInferenceExperimentCommand) .de(de_StopInferenceExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopInferenceExperimentRequest; + output: StopInferenceExperimentResponse; + }; + sdk: { + input: StopInferenceExperimentCommandInput; + output: StopInferenceExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopInferenceRecommendationsJobCommand.ts b/clients/client-sagemaker/src/commands/StopInferenceRecommendationsJobCommand.ts index dd0aee9d3915..a7eb74fefebe 100644 --- a/clients/client-sagemaker/src/commands/StopInferenceRecommendationsJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopInferenceRecommendationsJobCommand.ts @@ -81,4 +81,16 @@ export class StopInferenceRecommendationsJobCommand extends $Command .f(void 0, void 0) .ser(se_StopInferenceRecommendationsJobCommand) .de(de_StopInferenceRecommendationsJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopInferenceRecommendationsJobRequest; + output: {}; + }; + sdk: { + input: StopInferenceRecommendationsJobCommandInput; + output: StopInferenceRecommendationsJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopLabelingJobCommand.ts b/clients/client-sagemaker/src/commands/StopLabelingJobCommand.ts index 052f4040c80d..05f78f016dda 100644 --- a/clients/client-sagemaker/src/commands/StopLabelingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopLabelingJobCommand.ts @@ -79,4 +79,16 @@ export class StopLabelingJobCommand extends $Command .f(void 0, void 0) .ser(se_StopLabelingJobCommand) .de(de_StopLabelingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopLabelingJobRequest; + output: {}; + }; + sdk: { + input: StopLabelingJobCommandInput; + output: StopLabelingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopMlflowTrackingServerCommand.ts b/clients/client-sagemaker/src/commands/StopMlflowTrackingServerCommand.ts index 4aa7973c2493..e37a21a7ca0c 100644 --- a/clients/client-sagemaker/src/commands/StopMlflowTrackingServerCommand.ts +++ b/clients/client-sagemaker/src/commands/StopMlflowTrackingServerCommand.ts @@ -84,4 +84,16 @@ export class StopMlflowTrackingServerCommand extends $Command .f(void 0, void 0) .ser(se_StopMlflowTrackingServerCommand) .de(de_StopMlflowTrackingServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMlflowTrackingServerRequest; + output: StopMlflowTrackingServerResponse; + }; + sdk: { + input: StopMlflowTrackingServerCommandInput; + output: StopMlflowTrackingServerCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopMonitoringScheduleCommand.ts b/clients/client-sagemaker/src/commands/StopMonitoringScheduleCommand.ts index 2f0ffef7ef1f..3066784440f9 100644 --- a/clients/client-sagemaker/src/commands/StopMonitoringScheduleCommand.ts +++ b/clients/client-sagemaker/src/commands/StopMonitoringScheduleCommand.ts @@ -78,4 +78,16 @@ export class StopMonitoringScheduleCommand extends $Command .f(void 0, void 0) .ser(se_StopMonitoringScheduleCommand) .de(de_StopMonitoringScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopMonitoringScheduleRequest; + output: {}; + }; + sdk: { + input: StopMonitoringScheduleCommandInput; + output: StopMonitoringScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopNotebookInstanceCommand.ts b/clients/client-sagemaker/src/commands/StopNotebookInstanceCommand.ts index 169a72eaa003..7265e3ef2bdd 100644 --- a/clients/client-sagemaker/src/commands/StopNotebookInstanceCommand.ts +++ b/clients/client-sagemaker/src/commands/StopNotebookInstanceCommand.ts @@ -83,4 +83,16 @@ export class StopNotebookInstanceCommand extends $Command .f(void 0, void 0) .ser(se_StopNotebookInstanceCommand) .de(de_StopNotebookInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopNotebookInstanceInput; + output: {}; + }; + sdk: { + input: StopNotebookInstanceCommandInput; + output: StopNotebookInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopOptimizationJobCommand.ts b/clients/client-sagemaker/src/commands/StopOptimizationJobCommand.ts index 443a8cfa2a5c..1650e2d90262 100644 --- a/clients/client-sagemaker/src/commands/StopOptimizationJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopOptimizationJobCommand.ts @@ -78,4 +78,16 @@ export class StopOptimizationJobCommand extends $Command .f(void 0, void 0) .ser(se_StopOptimizationJobCommand) .de(de_StopOptimizationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopOptimizationJobRequest; + output: {}; + }; + sdk: { + input: StopOptimizationJobCommandInput; + output: StopOptimizationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopPipelineExecutionCommand.ts b/clients/client-sagemaker/src/commands/StopPipelineExecutionCommand.ts index 5b1bce43092d..7c415604b7bd 100644 --- a/clients/client-sagemaker/src/commands/StopPipelineExecutionCommand.ts +++ b/clients/client-sagemaker/src/commands/StopPipelineExecutionCommand.ts @@ -107,4 +107,16 @@ export class StopPipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StopPipelineExecutionCommand) .de(de_StopPipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopPipelineExecutionRequest; + output: StopPipelineExecutionResponse; + }; + sdk: { + input: StopPipelineExecutionCommandInput; + output: StopPipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopProcessingJobCommand.ts b/clients/client-sagemaker/src/commands/StopProcessingJobCommand.ts index a3b07b737fa7..f1cd30fb6770 100644 --- a/clients/client-sagemaker/src/commands/StopProcessingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopProcessingJobCommand.ts @@ -78,4 +78,16 @@ export class StopProcessingJobCommand extends $Command .f(void 0, void 0) .ser(se_StopProcessingJobCommand) .de(de_StopProcessingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopProcessingJobRequest; + output: {}; + }; + sdk: { + input: StopProcessingJobCommandInput; + output: StopProcessingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopTrainingJobCommand.ts b/clients/client-sagemaker/src/commands/StopTrainingJobCommand.ts index 8f38af4eeaf1..962daf101438 100644 --- a/clients/client-sagemaker/src/commands/StopTrainingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopTrainingJobCommand.ts @@ -84,4 +84,16 @@ export class StopTrainingJobCommand extends $Command .f(void 0, void 0) .ser(se_StopTrainingJobCommand) .de(de_StopTrainingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTrainingJobRequest; + output: {}; + }; + sdk: { + input: StopTrainingJobCommandInput; + output: StopTrainingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/StopTransformJobCommand.ts b/clients/client-sagemaker/src/commands/StopTransformJobCommand.ts index 27d54a61edc6..0ed66faf312e 100644 --- a/clients/client-sagemaker/src/commands/StopTransformJobCommand.ts +++ b/clients/client-sagemaker/src/commands/StopTransformJobCommand.ts @@ -83,4 +83,16 @@ export class StopTransformJobCommand extends $Command .f(void 0, void 0) .ser(se_StopTransformJobCommand) .de(de_StopTransformJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTransformJobRequest; + output: {}; + }; + sdk: { + input: StopTransformJobCommandInput; + output: StopTransformJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateActionCommand.ts b/clients/client-sagemaker/src/commands/UpdateActionCommand.ts index 160cf798ace3..e7ecbe38e9df 100644 --- a/clients/client-sagemaker/src/commands/UpdateActionCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateActionCommand.ts @@ -92,4 +92,16 @@ export class UpdateActionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateActionCommand) .de(de_UpdateActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateActionRequest; + output: UpdateActionResponse; + }; + sdk: { + input: UpdateActionCommandInput; + output: UpdateActionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateAppImageConfigCommand.ts b/clients/client-sagemaker/src/commands/UpdateAppImageConfigCommand.ts index 392b86ccc697..c9b2ac86ee9e 100644 --- a/clients/client-sagemaker/src/commands/UpdateAppImageConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateAppImageConfigCommand.ts @@ -129,4 +129,16 @@ export class UpdateAppImageConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppImageConfigCommand) .de(de_UpdateAppImageConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppImageConfigRequest; + output: UpdateAppImageConfigResponse; + }; + sdk: { + input: UpdateAppImageConfigCommandInput; + output: UpdateAppImageConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateArtifactCommand.ts b/clients/client-sagemaker/src/commands/UpdateArtifactCommand.ts index 791190c09dc2..ffec8dc3e767 100644 --- a/clients/client-sagemaker/src/commands/UpdateArtifactCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateArtifactCommand.ts @@ -91,4 +91,16 @@ export class UpdateArtifactCommand extends $Command .f(void 0, void 0) .ser(se_UpdateArtifactCommand) .de(de_UpdateArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateArtifactRequest; + output: UpdateArtifactResponse; + }; + sdk: { + input: UpdateArtifactCommandInput; + output: UpdateArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateClusterCommand.ts b/clients/client-sagemaker/src/commands/UpdateClusterCommand.ts index 9adbd7c24d4c..f0c856741c22 100644 --- a/clients/client-sagemaker/src/commands/UpdateClusterCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateClusterCommand.ts @@ -112,4 +112,16 @@ export class UpdateClusterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterCommand) .de(de_UpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterRequest; + output: UpdateClusterResponse; + }; + sdk: { + input: UpdateClusterCommandInput; + output: UpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateClusterSoftwareCommand.ts b/clients/client-sagemaker/src/commands/UpdateClusterSoftwareCommand.ts index 4afd87a014bd..9e89a15a0b0f 100644 --- a/clients/client-sagemaker/src/commands/UpdateClusterSoftwareCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateClusterSoftwareCommand.ts @@ -85,4 +85,16 @@ export class UpdateClusterSoftwareCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterSoftwareCommand) .de(de_UpdateClusterSoftwareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterSoftwareRequest; + output: UpdateClusterSoftwareResponse; + }; + sdk: { + input: UpdateClusterSoftwareCommandInput; + output: UpdateClusterSoftwareCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateCodeRepositoryCommand.ts b/clients/client-sagemaker/src/commands/UpdateCodeRepositoryCommand.ts index aba1c8d52cf0..1ea583ea5b1e 100644 --- a/clients/client-sagemaker/src/commands/UpdateCodeRepositoryCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateCodeRepositoryCommand.ts @@ -84,4 +84,16 @@ export class UpdateCodeRepositoryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCodeRepositoryCommand) .de(de_UpdateCodeRepositoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCodeRepositoryInput; + output: UpdateCodeRepositoryOutput; + }; + sdk: { + input: UpdateCodeRepositoryCommandInput; + output: UpdateCodeRepositoryCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateContextCommand.ts b/clients/client-sagemaker/src/commands/UpdateContextCommand.ts index ec4cbf3d6cec..12b9af70a6a9 100644 --- a/clients/client-sagemaker/src/commands/UpdateContextCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateContextCommand.ts @@ -91,4 +91,16 @@ export class UpdateContextCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContextCommand) .de(de_UpdateContextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContextRequest; + output: UpdateContextResponse; + }; + sdk: { + input: UpdateContextCommandInput; + output: UpdateContextCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateDeviceFleetCommand.ts b/clients/client-sagemaker/src/commands/UpdateDeviceFleetCommand.ts index 0bd255e16697..dd34c32b991b 100644 --- a/clients/client-sagemaker/src/commands/UpdateDeviceFleetCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateDeviceFleetCommand.ts @@ -87,4 +87,16 @@ export class UpdateDeviceFleetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeviceFleetCommand) .de(de_UpdateDeviceFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceFleetRequest; + output: {}; + }; + sdk: { + input: UpdateDeviceFleetCommandInput; + output: UpdateDeviceFleetCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateDevicesCommand.ts b/clients/client-sagemaker/src/commands/UpdateDevicesCommand.ts index 5a6e17361fa7..df380fb001e0 100644 --- a/clients/client-sagemaker/src/commands/UpdateDevicesCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateDevicesCommand.ts @@ -82,4 +82,16 @@ export class UpdateDevicesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDevicesCommand) .de(de_UpdateDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDevicesRequest; + output: {}; + }; + sdk: { + input: UpdateDevicesCommandInput; + output: UpdateDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts b/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts index 367a91a520e1..c79e58100fb5 100644 --- a/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts @@ -386,4 +386,16 @@ export class UpdateDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainCommand) .de(de_UpdateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainRequest; + output: UpdateDomainResponse; + }; + sdk: { + input: UpdateDomainCommandInput; + output: UpdateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateEndpointCommand.ts b/clients/client-sagemaker/src/commands/UpdateEndpointCommand.ts index 4106d8c6f9fa..4ec5b4b6a892 100644 --- a/clients/client-sagemaker/src/commands/UpdateEndpointCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateEndpointCommand.ts @@ -145,4 +145,16 @@ export class UpdateEndpointCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointCommand) .de(de_UpdateEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointInput; + output: UpdateEndpointOutput; + }; + sdk: { + input: UpdateEndpointCommandInput; + output: UpdateEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateEndpointWeightsAndCapacitiesCommand.ts b/clients/client-sagemaker/src/commands/UpdateEndpointWeightsAndCapacitiesCommand.ts index 4ba7b5ad0455..e19665116654 100644 --- a/clients/client-sagemaker/src/commands/UpdateEndpointWeightsAndCapacitiesCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateEndpointWeightsAndCapacitiesCommand.ts @@ -101,4 +101,16 @@ export class UpdateEndpointWeightsAndCapacitiesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEndpointWeightsAndCapacitiesCommand) .de(de_UpdateEndpointWeightsAndCapacitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEndpointWeightsAndCapacitiesInput; + output: UpdateEndpointWeightsAndCapacitiesOutput; + }; + sdk: { + input: UpdateEndpointWeightsAndCapacitiesCommandInput; + output: UpdateEndpointWeightsAndCapacitiesCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateExperimentCommand.ts b/clients/client-sagemaker/src/commands/UpdateExperimentCommand.ts index c4db8f469fe6..7960128e73b5 100644 --- a/clients/client-sagemaker/src/commands/UpdateExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateExperimentCommand.ts @@ -87,4 +87,16 @@ export class UpdateExperimentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateExperimentCommand) .de(de_UpdateExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateExperimentRequest; + output: UpdateExperimentResponse; + }; + sdk: { + input: UpdateExperimentCommandInput; + output: UpdateExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateFeatureGroupCommand.ts b/clients/client-sagemaker/src/commands/UpdateFeatureGroupCommand.ts index aa01c2835591..486c2936ed33 100644 --- a/clients/client-sagemaker/src/commands/UpdateFeatureGroupCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateFeatureGroupCommand.ts @@ -121,4 +121,16 @@ export class UpdateFeatureGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFeatureGroupCommand) .de(de_UpdateFeatureGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFeatureGroupRequest; + output: UpdateFeatureGroupResponse; + }; + sdk: { + input: UpdateFeatureGroupCommandInput; + output: UpdateFeatureGroupCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateFeatureMetadataCommand.ts b/clients/client-sagemaker/src/commands/UpdateFeatureMetadataCommand.ts index 07932e7b1f4c..1fa5333929db 100644 --- a/clients/client-sagemaker/src/commands/UpdateFeatureMetadataCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateFeatureMetadataCommand.ts @@ -89,4 +89,16 @@ export class UpdateFeatureMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFeatureMetadataCommand) .de(de_UpdateFeatureMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFeatureMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateFeatureMetadataCommandInput; + output: UpdateFeatureMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateHubCommand.ts b/clients/client-sagemaker/src/commands/UpdateHubCommand.ts index 67d4bd574880..859b1f4fd2fe 100644 --- a/clients/client-sagemaker/src/commands/UpdateHubCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateHubCommand.ts @@ -85,4 +85,16 @@ export class UpdateHubCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHubCommand) .de(de_UpdateHubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHubRequest; + output: UpdateHubResponse; + }; + sdk: { + input: UpdateHubCommandInput; + output: UpdateHubCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateImageCommand.ts b/clients/client-sagemaker/src/commands/UpdateImageCommand.ts index cc82c46ff5ff..897e8b50b05e 100644 --- a/clients/client-sagemaker/src/commands/UpdateImageCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateImageCommand.ts @@ -90,4 +90,16 @@ export class UpdateImageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateImageCommand) .de(de_UpdateImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateImageRequest; + output: UpdateImageResponse; + }; + sdk: { + input: UpdateImageCommandInput; + output: UpdateImageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateImageVersionCommand.ts b/clients/client-sagemaker/src/commands/UpdateImageVersionCommand.ts index 9b7365f3f712..bd8699f3d397 100644 --- a/clients/client-sagemaker/src/commands/UpdateImageVersionCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateImageVersionCommand.ts @@ -98,4 +98,16 @@ export class UpdateImageVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateImageVersionCommand) .de(de_UpdateImageVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateImageVersionRequest; + output: UpdateImageVersionResponse; + }; + sdk: { + input: UpdateImageVersionCommandInput; + output: UpdateImageVersionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateInferenceComponentCommand.ts b/clients/client-sagemaker/src/commands/UpdateInferenceComponentCommand.ts index cb034047575e..fe665da7dd6d 100644 --- a/clients/client-sagemaker/src/commands/UpdateInferenceComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateInferenceComponentCommand.ts @@ -104,4 +104,16 @@ export class UpdateInferenceComponentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInferenceComponentCommand) .de(de_UpdateInferenceComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInferenceComponentInput; + output: UpdateInferenceComponentOutput; + }; + sdk: { + input: UpdateInferenceComponentCommandInput; + output: UpdateInferenceComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateInferenceComponentRuntimeConfigCommand.ts b/clients/client-sagemaker/src/commands/UpdateInferenceComponentRuntimeConfigCommand.ts index 29c1390ee72f..787c09ee824a 100644 --- a/clients/client-sagemaker/src/commands/UpdateInferenceComponentRuntimeConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateInferenceComponentRuntimeConfigCommand.ts @@ -92,4 +92,16 @@ export class UpdateInferenceComponentRuntimeConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInferenceComponentRuntimeConfigCommand) .de(de_UpdateInferenceComponentRuntimeConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInferenceComponentRuntimeConfigInput; + output: UpdateInferenceComponentRuntimeConfigOutput; + }; + sdk: { + input: UpdateInferenceComponentRuntimeConfigCommandInput; + output: UpdateInferenceComponentRuntimeConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateInferenceExperimentCommand.ts b/clients/client-sagemaker/src/commands/UpdateInferenceExperimentCommand.ts index 2ec2a669a462..84532c05f8c5 100644 --- a/clients/client-sagemaker/src/commands/UpdateInferenceExperimentCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateInferenceExperimentCommand.ts @@ -127,4 +127,16 @@ export class UpdateInferenceExperimentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInferenceExperimentCommand) .de(de_UpdateInferenceExperimentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInferenceExperimentRequest; + output: UpdateInferenceExperimentResponse; + }; + sdk: { + input: UpdateInferenceExperimentCommandInput; + output: UpdateInferenceExperimentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateMlflowTrackingServerCommand.ts b/clients/client-sagemaker/src/commands/UpdateMlflowTrackingServerCommand.ts index cd1687ee8cf9..0f1bd886ee13 100644 --- a/clients/client-sagemaker/src/commands/UpdateMlflowTrackingServerCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateMlflowTrackingServerCommand.ts @@ -92,4 +92,16 @@ export class UpdateMlflowTrackingServerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMlflowTrackingServerCommand) .de(de_UpdateMlflowTrackingServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMlflowTrackingServerRequest; + output: UpdateMlflowTrackingServerResponse; + }; + sdk: { + input: UpdateMlflowTrackingServerCommandInput; + output: UpdateMlflowTrackingServerCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateModelCardCommand.ts b/clients/client-sagemaker/src/commands/UpdateModelCardCommand.ts index 71213a99bc43..1e4dd2c2bbf8 100644 --- a/clients/client-sagemaker/src/commands/UpdateModelCardCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateModelCardCommand.ts @@ -97,4 +97,16 @@ export class UpdateModelCardCommand extends $Command .f(UpdateModelCardRequestFilterSensitiveLog, void 0) .ser(se_UpdateModelCardCommand) .de(de_UpdateModelCardCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelCardRequest; + output: UpdateModelCardResponse; + }; + sdk: { + input: UpdateModelCardCommandInput; + output: UpdateModelCardCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateModelPackageCommand.ts b/clients/client-sagemaker/src/commands/UpdateModelPackageCommand.ts index b6eea4b48a74..9835efceb39b 100644 --- a/clients/client-sagemaker/src/commands/UpdateModelPackageCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateModelPackageCommand.ts @@ -202,4 +202,16 @@ export class UpdateModelPackageCommand extends $Command .f(UpdateModelPackageInputFilterSensitiveLog, void 0) .ser(se_UpdateModelPackageCommand) .de(de_UpdateModelPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateModelPackageInput; + output: UpdateModelPackageOutput; + }; + sdk: { + input: UpdateModelPackageCommandInput; + output: UpdateModelPackageCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateMonitoringAlertCommand.ts b/clients/client-sagemaker/src/commands/UpdateMonitoringAlertCommand.ts index b77a466e0ded..1f882b60acba 100644 --- a/clients/client-sagemaker/src/commands/UpdateMonitoringAlertCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateMonitoringAlertCommand.ts @@ -88,4 +88,16 @@ export class UpdateMonitoringAlertCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMonitoringAlertCommand) .de(de_UpdateMonitoringAlertCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMonitoringAlertRequest; + output: UpdateMonitoringAlertResponse; + }; + sdk: { + input: UpdateMonitoringAlertCommandInput; + output: UpdateMonitoringAlertCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateMonitoringScheduleCommand.ts b/clients/client-sagemaker/src/commands/UpdateMonitoringScheduleCommand.ts index f2514a4ae055..f65549d43047 100644 --- a/clients/client-sagemaker/src/commands/UpdateMonitoringScheduleCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateMonitoringScheduleCommand.ts @@ -193,4 +193,16 @@ export class UpdateMonitoringScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMonitoringScheduleCommand) .de(de_UpdateMonitoringScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMonitoringScheduleRequest; + output: UpdateMonitoringScheduleResponse; + }; + sdk: { + input: UpdateMonitoringScheduleCommandInput; + output: UpdateMonitoringScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateNotebookInstanceCommand.ts b/clients/client-sagemaker/src/commands/UpdateNotebookInstanceCommand.ts index ccf20046f5d2..c468cffb16c1 100644 --- a/clients/client-sagemaker/src/commands/UpdateNotebookInstanceCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateNotebookInstanceCommand.ts @@ -100,4 +100,16 @@ export class UpdateNotebookInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNotebookInstanceCommand) .de(de_UpdateNotebookInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotebookInstanceInput; + output: {}; + }; + sdk: { + input: UpdateNotebookInstanceCommandInput; + output: UpdateNotebookInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateNotebookInstanceLifecycleConfigCommand.ts b/clients/client-sagemaker/src/commands/UpdateNotebookInstanceLifecycleConfigCommand.ts index 4e705307416c..2094ce0500ab 100644 --- a/clients/client-sagemaker/src/commands/UpdateNotebookInstanceLifecycleConfigCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateNotebookInstanceLifecycleConfigCommand.ts @@ -97,4 +97,16 @@ export class UpdateNotebookInstanceLifecycleConfigCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNotebookInstanceLifecycleConfigCommand) .de(de_UpdateNotebookInstanceLifecycleConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNotebookInstanceLifecycleConfigInput; + output: {}; + }; + sdk: { + input: UpdateNotebookInstanceLifecycleConfigCommandInput; + output: UpdateNotebookInstanceLifecycleConfigCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdatePipelineCommand.ts b/clients/client-sagemaker/src/commands/UpdatePipelineCommand.ts index b1e8e4087d09..0f46602495bb 100644 --- a/clients/client-sagemaker/src/commands/UpdatePipelineCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdatePipelineCommand.ts @@ -96,4 +96,16 @@ export class UpdatePipelineCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineCommand) .de(de_UpdatePipelineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineRequest; + output: UpdatePipelineResponse; + }; + sdk: { + input: UpdatePipelineCommandInput; + output: UpdatePipelineCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdatePipelineExecutionCommand.ts b/clients/client-sagemaker/src/commands/UpdatePipelineExecutionCommand.ts index 2915d112e97c..6ba08e77bc93 100644 --- a/clients/client-sagemaker/src/commands/UpdatePipelineExecutionCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdatePipelineExecutionCommand.ts @@ -89,4 +89,16 @@ export class UpdatePipelineExecutionCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePipelineExecutionCommand) .de(de_UpdatePipelineExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePipelineExecutionRequest; + output: UpdatePipelineExecutionResponse; + }; + sdk: { + input: UpdatePipelineExecutionCommandInput; + output: UpdatePipelineExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateProjectCommand.ts b/clients/client-sagemaker/src/commands/UpdateProjectCommand.ts index 0b3ccb0ca885..6fbb83ffe0ab 100644 --- a/clients/client-sagemaker/src/commands/UpdateProjectCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateProjectCommand.ts @@ -104,4 +104,16 @@ export class UpdateProjectCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProjectCommand) .de(de_UpdateProjectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProjectInput; + output: UpdateProjectOutput; + }; + sdk: { + input: UpdateProjectCommandInput; + output: UpdateProjectCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts b/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts index b1bc9a3b64d6..3c5b97a4bae3 100644 --- a/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts @@ -173,4 +173,16 @@ export class UpdateSpaceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSpaceCommand) .de(de_UpdateSpaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSpaceRequest; + output: UpdateSpaceResponse; + }; + sdk: { + input: UpdateSpaceCommandInput; + output: UpdateSpaceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateTrainingJobCommand.ts b/clients/client-sagemaker/src/commands/UpdateTrainingJobCommand.ts index df46f44883f7..6d6224e79797 100644 --- a/clients/client-sagemaker/src/commands/UpdateTrainingJobCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateTrainingJobCommand.ts @@ -112,4 +112,16 @@ export class UpdateTrainingJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrainingJobCommand) .de(de_UpdateTrainingJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrainingJobRequest; + output: UpdateTrainingJobResponse; + }; + sdk: { + input: UpdateTrainingJobCommandInput; + output: UpdateTrainingJobCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateTrialCommand.ts b/clients/client-sagemaker/src/commands/UpdateTrialCommand.ts index ad625aef101d..4654fe98eddb 100644 --- a/clients/client-sagemaker/src/commands/UpdateTrialCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateTrialCommand.ts @@ -85,4 +85,16 @@ export class UpdateTrialCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrialCommand) .de(de_UpdateTrialCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrialRequest; + output: UpdateTrialResponse; + }; + sdk: { + input: UpdateTrialCommandInput; + output: UpdateTrialCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateTrialComponentCommand.ts b/clients/client-sagemaker/src/commands/UpdateTrialComponentCommand.ts index b1269b8c0a6c..27d730a2fd28 100644 --- a/clients/client-sagemaker/src/commands/UpdateTrialComponentCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateTrialComponentCommand.ts @@ -118,4 +118,16 @@ export class UpdateTrialComponentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrialComponentCommand) .de(de_UpdateTrialComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrialComponentRequest; + output: UpdateTrialComponentResponse; + }; + sdk: { + input: UpdateTrialComponentCommandInput; + output: UpdateTrialComponentCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts b/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts index 67ec9e7e6cd2..eb70b5d9b5e6 100644 --- a/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts @@ -288,4 +288,16 @@ export class UpdateUserProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserProfileCommand) .de(de_UpdateUserProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserProfileRequest; + output: UpdateUserProfileResponse; + }; + sdk: { + input: UpdateUserProfileCommandInput; + output: UpdateUserProfileCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateWorkforceCommand.ts b/clients/client-sagemaker/src/commands/UpdateWorkforceCommand.ts index a422c5998f84..192ff7e2ed13 100644 --- a/clients/client-sagemaker/src/commands/UpdateWorkforceCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateWorkforceCommand.ts @@ -178,4 +178,16 @@ export class UpdateWorkforceCommand extends $Command .f(UpdateWorkforceRequestFilterSensitiveLog, void 0) .ser(se_UpdateWorkforceCommand) .de(de_UpdateWorkforceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkforceRequest; + output: UpdateWorkforceResponse; + }; + sdk: { + input: UpdateWorkforceCommandInput; + output: UpdateWorkforceCommandOutput; + }; + }; +} diff --git a/clients/client-sagemaker/src/commands/UpdateWorkteamCommand.ts b/clients/client-sagemaker/src/commands/UpdateWorkteamCommand.ts index 748f971461ed..f795fb6865ee 100644 --- a/clients/client-sagemaker/src/commands/UpdateWorkteamCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateWorkteamCommand.ts @@ -143,4 +143,16 @@ export class UpdateWorkteamCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkteamCommand) .de(de_UpdateWorkteamCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkteamRequest; + output: UpdateWorkteamResponse; + }; + sdk: { + input: UpdateWorkteamCommandInput; + output: UpdateWorkteamCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/package.json b/clients/client-savingsplans/package.json index 2fe343f1b28f..a481ed3df966 100644 --- a/clients/client-savingsplans/package.json +++ b/clients/client-savingsplans/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-savingsplans/src/commands/CreateSavingsPlanCommand.ts b/clients/client-savingsplans/src/commands/CreateSavingsPlanCommand.ts index 49b0db69921c..3ebd80b9d631 100644 --- a/clients/client-savingsplans/src/commands/CreateSavingsPlanCommand.ts +++ b/clients/client-savingsplans/src/commands/CreateSavingsPlanCommand.ts @@ -96,4 +96,16 @@ export class CreateSavingsPlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateSavingsPlanCommand) .de(de_CreateSavingsPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSavingsPlanRequest; + output: CreateSavingsPlanResponse; + }; + sdk: { + input: CreateSavingsPlanCommandInput; + output: CreateSavingsPlanCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/DeleteQueuedSavingsPlanCommand.ts b/clients/client-savingsplans/src/commands/DeleteQueuedSavingsPlanCommand.ts index db1f8b164555..9cc7217edc4f 100644 --- a/clients/client-savingsplans/src/commands/DeleteQueuedSavingsPlanCommand.ts +++ b/clients/client-savingsplans/src/commands/DeleteQueuedSavingsPlanCommand.ts @@ -87,4 +87,16 @@ export class DeleteQueuedSavingsPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueuedSavingsPlanCommand) .de(de_DeleteQueuedSavingsPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueuedSavingsPlanRequest; + output: {}; + }; + sdk: { + input: DeleteQueuedSavingsPlanCommandInput; + output: DeleteQueuedSavingsPlanCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/DescribeSavingsPlanRatesCommand.ts b/clients/client-savingsplans/src/commands/DescribeSavingsPlanRatesCommand.ts index 87007e39530f..c27262310e84 100644 --- a/clients/client-savingsplans/src/commands/DescribeSavingsPlanRatesCommand.ts +++ b/clients/client-savingsplans/src/commands/DescribeSavingsPlanRatesCommand.ts @@ -111,4 +111,16 @@ export class DescribeSavingsPlanRatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSavingsPlanRatesCommand) .de(de_DescribeSavingsPlanRatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSavingsPlanRatesRequest; + output: DescribeSavingsPlanRatesResponse; + }; + sdk: { + input: DescribeSavingsPlanRatesCommandInput; + output: DescribeSavingsPlanRatesCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/DescribeSavingsPlansCommand.ts b/clients/client-savingsplans/src/commands/DescribeSavingsPlansCommand.ts index 22d03abee0c6..02320aee760e 100644 --- a/clients/client-savingsplans/src/commands/DescribeSavingsPlansCommand.ts +++ b/clients/client-savingsplans/src/commands/DescribeSavingsPlansCommand.ts @@ -128,4 +128,16 @@ export class DescribeSavingsPlansCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSavingsPlansCommand) .de(de_DescribeSavingsPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSavingsPlansRequest; + output: DescribeSavingsPlansResponse; + }; + sdk: { + input: DescribeSavingsPlansCommandInput; + output: DescribeSavingsPlansCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingRatesCommand.ts b/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingRatesCommand.ts index 880fa13ac0f0..6498f472d742 100644 --- a/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingRatesCommand.ts +++ b/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingRatesCommand.ts @@ -145,4 +145,16 @@ export class DescribeSavingsPlansOfferingRatesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSavingsPlansOfferingRatesCommand) .de(de_DescribeSavingsPlansOfferingRatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSavingsPlansOfferingRatesRequest; + output: DescribeSavingsPlansOfferingRatesResponse; + }; + sdk: { + input: DescribeSavingsPlansOfferingRatesCommandInput; + output: DescribeSavingsPlansOfferingRatesCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingsCommand.ts b/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingsCommand.ts index aa84f5cb0602..60a030947318 100644 --- a/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingsCommand.ts +++ b/clients/client-savingsplans/src/commands/DescribeSavingsPlansOfferingsCommand.ts @@ -147,4 +147,16 @@ export class DescribeSavingsPlansOfferingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSavingsPlansOfferingsCommand) .de(de_DescribeSavingsPlansOfferingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSavingsPlansOfferingsRequest; + output: DescribeSavingsPlansOfferingsResponse; + }; + sdk: { + input: DescribeSavingsPlansOfferingsCommandInput; + output: DescribeSavingsPlansOfferingsCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/ListTagsForResourceCommand.ts b/clients/client-savingsplans/src/commands/ListTagsForResourceCommand.ts index 3cac06d119b2..698b37dc87d9 100644 --- a/clients/client-savingsplans/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-savingsplans/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/ReturnSavingsPlanCommand.ts b/clients/client-savingsplans/src/commands/ReturnSavingsPlanCommand.ts index c3b6b7ed86e8..da32d5d19cb4 100644 --- a/clients/client-savingsplans/src/commands/ReturnSavingsPlanCommand.ts +++ b/clients/client-savingsplans/src/commands/ReturnSavingsPlanCommand.ts @@ -90,4 +90,16 @@ export class ReturnSavingsPlanCommand extends $Command .f(void 0, void 0) .ser(se_ReturnSavingsPlanCommand) .de(de_ReturnSavingsPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReturnSavingsPlanRequest; + output: ReturnSavingsPlanResponse; + }; + sdk: { + input: ReturnSavingsPlanCommandInput; + output: ReturnSavingsPlanCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/TagResourceCommand.ts b/clients/client-savingsplans/src/commands/TagResourceCommand.ts index 12e814c475a3..0c093849ad09 100644 --- a/clients/client-savingsplans/src/commands/TagResourceCommand.ts +++ b/clients/client-savingsplans/src/commands/TagResourceCommand.ts @@ -90,4 +90,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-savingsplans/src/commands/UntagResourceCommand.ts b/clients/client-savingsplans/src/commands/UntagResourceCommand.ts index 59890c194c62..e524eec423ef 100644 --- a/clients/client-savingsplans/src/commands/UntagResourceCommand.ts +++ b/clients/client-savingsplans/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/package.json b/clients/client-scheduler/package.json index ed7d9cb1dbec..854f99b81cc7 100644 --- a/clients/client-scheduler/package.json +++ b/clients/client-scheduler/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-scheduler/src/commands/CreateScheduleCommand.ts b/clients/client-scheduler/src/commands/CreateScheduleCommand.ts index 5c93217796b4..4e7f30aeb28b 100644 --- a/clients/client-scheduler/src/commands/CreateScheduleCommand.ts +++ b/clients/client-scheduler/src/commands/CreateScheduleCommand.ts @@ -185,4 +185,16 @@ export class CreateScheduleCommand extends $Command .f(void 0, void 0) .ser(se_CreateScheduleCommand) .de(de_CreateScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScheduleInput; + output: CreateScheduleOutput; + }; + sdk: { + input: CreateScheduleCommandInput; + output: CreateScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/CreateScheduleGroupCommand.ts b/clients/client-scheduler/src/commands/CreateScheduleGroupCommand.ts index 1bc1fc0504f2..791d2fc6230b 100644 --- a/clients/client-scheduler/src/commands/CreateScheduleGroupCommand.ts +++ b/clients/client-scheduler/src/commands/CreateScheduleGroupCommand.ts @@ -99,4 +99,16 @@ export class CreateScheduleGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateScheduleGroupCommand) .de(de_CreateScheduleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScheduleGroupInput; + output: CreateScheduleGroupOutput; + }; + sdk: { + input: CreateScheduleGroupCommandInput; + output: CreateScheduleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/DeleteScheduleCommand.ts b/clients/client-scheduler/src/commands/DeleteScheduleCommand.ts index a32c81dd20fb..c223b963c1ed 100644 --- a/clients/client-scheduler/src/commands/DeleteScheduleCommand.ts +++ b/clients/client-scheduler/src/commands/DeleteScheduleCommand.ts @@ -92,4 +92,16 @@ export class DeleteScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduleCommand) .de(de_DeleteScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduleInput; + output: {}; + }; + sdk: { + input: DeleteScheduleCommandInput; + output: DeleteScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/DeleteScheduleGroupCommand.ts b/clients/client-scheduler/src/commands/DeleteScheduleGroupCommand.ts index 9bf5c6343256..dcdf7072d081 100644 --- a/clients/client-scheduler/src/commands/DeleteScheduleGroupCommand.ts +++ b/clients/client-scheduler/src/commands/DeleteScheduleGroupCommand.ts @@ -99,4 +99,16 @@ export class DeleteScheduleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduleGroupCommand) .de(de_DeleteScheduleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduleGroupInput; + output: {}; + }; + sdk: { + input: DeleteScheduleGroupCommandInput; + output: DeleteScheduleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/GetScheduleCommand.ts b/clients/client-scheduler/src/commands/GetScheduleCommand.ts index 95d0d31012f8..304d564e9e7b 100644 --- a/clients/client-scheduler/src/commands/GetScheduleCommand.ts +++ b/clients/client-scheduler/src/commands/GetScheduleCommand.ts @@ -182,4 +182,16 @@ export class GetScheduleCommand extends $Command .f(void 0, void 0) .ser(se_GetScheduleCommand) .de(de_GetScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetScheduleInput; + output: GetScheduleOutput; + }; + sdk: { + input: GetScheduleCommandInput; + output: GetScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/GetScheduleGroupCommand.ts b/clients/client-scheduler/src/commands/GetScheduleGroupCommand.ts index c9cb0b538a81..49ccf8647fe0 100644 --- a/clients/client-scheduler/src/commands/GetScheduleGroupCommand.ts +++ b/clients/client-scheduler/src/commands/GetScheduleGroupCommand.ts @@ -93,4 +93,16 @@ export class GetScheduleGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetScheduleGroupCommand) .de(de_GetScheduleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetScheduleGroupInput; + output: GetScheduleGroupOutput; + }; + sdk: { + input: GetScheduleGroupCommandInput; + output: GetScheduleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/ListScheduleGroupsCommand.ts b/clients/client-scheduler/src/commands/ListScheduleGroupsCommand.ts index 0853fb02e079..18e242b76ccc 100644 --- a/clients/client-scheduler/src/commands/ListScheduleGroupsCommand.ts +++ b/clients/client-scheduler/src/commands/ListScheduleGroupsCommand.ts @@ -97,4 +97,16 @@ export class ListScheduleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListScheduleGroupsCommand) .de(de_ListScheduleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScheduleGroupsInput; + output: ListScheduleGroupsOutput; + }; + sdk: { + input: ListScheduleGroupsCommandInput; + output: ListScheduleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/ListSchedulesCommand.ts b/clients/client-scheduler/src/commands/ListSchedulesCommand.ts index d9b60ebcf293..ec4b7d171bda 100644 --- a/clients/client-scheduler/src/commands/ListSchedulesCommand.ts +++ b/clients/client-scheduler/src/commands/ListSchedulesCommand.ts @@ -106,4 +106,16 @@ export class ListSchedulesCommand extends $Command .f(void 0, void 0) .ser(se_ListSchedulesCommand) .de(de_ListSchedulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchedulesInput; + output: ListSchedulesOutput; + }; + sdk: { + input: ListSchedulesCommandInput; + output: ListSchedulesCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/ListTagsForResourceCommand.ts b/clients/client-scheduler/src/commands/ListTagsForResourceCommand.ts index f6f7b356fe64..b6aba5a4304d 100644 --- a/clients/client-scheduler/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-scheduler/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/TagResourceCommand.ts b/clients/client-scheduler/src/commands/TagResourceCommand.ts index 51336171f1d3..6bc9aa45f854 100644 --- a/clients/client-scheduler/src/commands/TagResourceCommand.ts +++ b/clients/client-scheduler/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/UntagResourceCommand.ts b/clients/client-scheduler/src/commands/UntagResourceCommand.ts index ea640c8d4121..4bf34302cf71 100644 --- a/clients/client-scheduler/src/commands/UntagResourceCommand.ts +++ b/clients/client-scheduler/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-scheduler/src/commands/UpdateScheduleCommand.ts b/clients/client-scheduler/src/commands/UpdateScheduleCommand.ts index 934df5b66efe..3067690a78b2 100644 --- a/clients/client-scheduler/src/commands/UpdateScheduleCommand.ts +++ b/clients/client-scheduler/src/commands/UpdateScheduleCommand.ts @@ -190,4 +190,16 @@ export class UpdateScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScheduleCommand) .de(de_UpdateScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScheduleInput; + output: UpdateScheduleOutput; + }; + sdk: { + input: UpdateScheduleCommandInput; + output: UpdateScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/package.json b/clients/client-schemas/package.json index 0595318a2dbc..49cdc333d1d3 100644 --- a/clients/client-schemas/package.json +++ b/clients/client-schemas/package.json @@ -33,33 +33,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-schemas/src/commands/CreateDiscovererCommand.ts b/clients/client-schemas/src/commands/CreateDiscovererCommand.ts index e81e7e71faa3..9f7f15a45c44 100644 --- a/clients/client-schemas/src/commands/CreateDiscovererCommand.ts +++ b/clients/client-schemas/src/commands/CreateDiscovererCommand.ts @@ -102,4 +102,16 @@ export class CreateDiscovererCommand extends $Command .f(void 0, void 0) .ser(se_CreateDiscovererCommand) .de(de_CreateDiscovererCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDiscovererRequest; + output: CreateDiscovererResponse; + }; + sdk: { + input: CreateDiscovererCommandInput; + output: CreateDiscovererCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/CreateRegistryCommand.ts b/clients/client-schemas/src/commands/CreateRegistryCommand.ts index 0d9974588f0d..0515b5de000f 100644 --- a/clients/client-schemas/src/commands/CreateRegistryCommand.ts +++ b/clients/client-schemas/src/commands/CreateRegistryCommand.ts @@ -98,4 +98,16 @@ export class CreateRegistryCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegistryCommand) .de(de_CreateRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegistryRequest; + output: CreateRegistryResponse; + }; + sdk: { + input: CreateRegistryCommandInput; + output: CreateRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/CreateSchemaCommand.ts b/clients/client-schemas/src/commands/CreateSchemaCommand.ts index d7914ab84fe7..dee24b738de7 100644 --- a/clients/client-schemas/src/commands/CreateSchemaCommand.ts +++ b/clients/client-schemas/src/commands/CreateSchemaCommand.ts @@ -101,4 +101,16 @@ export class CreateSchemaCommand extends $Command .f(void 0, void 0) .ser(se_CreateSchemaCommand) .de(de_CreateSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSchemaRequest; + output: CreateSchemaResponse; + }; + sdk: { + input: CreateSchemaCommandInput; + output: CreateSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DeleteDiscovererCommand.ts b/clients/client-schemas/src/commands/DeleteDiscovererCommand.ts index 00adc4263d08..017ec877251d 100644 --- a/clients/client-schemas/src/commands/DeleteDiscovererCommand.ts +++ b/clients/client-schemas/src/commands/DeleteDiscovererCommand.ts @@ -87,4 +87,16 @@ export class DeleteDiscovererCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDiscovererCommand) .de(de_DeleteDiscovererCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDiscovererRequest; + output: {}; + }; + sdk: { + input: DeleteDiscovererCommandInput; + output: DeleteDiscovererCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DeleteRegistryCommand.ts b/clients/client-schemas/src/commands/DeleteRegistryCommand.ts index ab278bfd1f43..c097b94bc773 100644 --- a/clients/client-schemas/src/commands/DeleteRegistryCommand.ts +++ b/clients/client-schemas/src/commands/DeleteRegistryCommand.ts @@ -87,4 +87,16 @@ export class DeleteRegistryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegistryCommand) .de(de_DeleteRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegistryRequest; + output: {}; + }; + sdk: { + input: DeleteRegistryCommandInput; + output: DeleteRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-schemas/src/commands/DeleteResourcePolicyCommand.ts index 49e68f824d4a..b19ba49adebb 100644 --- a/clients/client-schemas/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-schemas/src/commands/DeleteResourcePolicyCommand.ts @@ -87,4 +87,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DeleteSchemaCommand.ts b/clients/client-schemas/src/commands/DeleteSchemaCommand.ts index 0e6b749f554a..4c004823a205 100644 --- a/clients/client-schemas/src/commands/DeleteSchemaCommand.ts +++ b/clients/client-schemas/src/commands/DeleteSchemaCommand.ts @@ -88,4 +88,16 @@ export class DeleteSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchemaCommand) .de(de_DeleteSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchemaRequest; + output: {}; + }; + sdk: { + input: DeleteSchemaCommandInput; + output: DeleteSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DeleteSchemaVersionCommand.ts b/clients/client-schemas/src/commands/DeleteSchemaVersionCommand.ts index e8efa4773602..a59f71da17b0 100644 --- a/clients/client-schemas/src/commands/DeleteSchemaVersionCommand.ts +++ b/clients/client-schemas/src/commands/DeleteSchemaVersionCommand.ts @@ -89,4 +89,16 @@ export class DeleteSchemaVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSchemaVersionCommand) .de(de_DeleteSchemaVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSchemaVersionRequest; + output: {}; + }; + sdk: { + input: DeleteSchemaVersionCommandInput; + output: DeleteSchemaVersionCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DescribeCodeBindingCommand.ts b/clients/client-schemas/src/commands/DescribeCodeBindingCommand.ts index 29d5103f0140..b5da69138bf4 100644 --- a/clients/client-schemas/src/commands/DescribeCodeBindingCommand.ts +++ b/clients/client-schemas/src/commands/DescribeCodeBindingCommand.ts @@ -95,4 +95,16 @@ export class DescribeCodeBindingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCodeBindingCommand) .de(de_DescribeCodeBindingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCodeBindingRequest; + output: DescribeCodeBindingResponse; + }; + sdk: { + input: DescribeCodeBindingCommandInput; + output: DescribeCodeBindingCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DescribeDiscovererCommand.ts b/clients/client-schemas/src/commands/DescribeDiscovererCommand.ts index c068028cba84..ea07fe966be8 100644 --- a/clients/client-schemas/src/commands/DescribeDiscovererCommand.ts +++ b/clients/client-schemas/src/commands/DescribeDiscovererCommand.ts @@ -97,4 +97,16 @@ export class DescribeDiscovererCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDiscovererCommand) .de(de_DescribeDiscovererCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDiscovererRequest; + output: DescribeDiscovererResponse; + }; + sdk: { + input: DescribeDiscovererCommandInput; + output: DescribeDiscovererCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DescribeRegistryCommand.ts b/clients/client-schemas/src/commands/DescribeRegistryCommand.ts index d78f90629a66..0c835be2fde0 100644 --- a/clients/client-schemas/src/commands/DescribeRegistryCommand.ts +++ b/clients/client-schemas/src/commands/DescribeRegistryCommand.ts @@ -94,4 +94,16 @@ export class DescribeRegistryCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRegistryCommand) .de(de_DescribeRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRegistryRequest; + output: DescribeRegistryResponse; + }; + sdk: { + input: DescribeRegistryCommandInput; + output: DescribeRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/DescribeSchemaCommand.ts b/clients/client-schemas/src/commands/DescribeSchemaCommand.ts index c2404b63d162..b6b058dd4d8f 100644 --- a/clients/client-schemas/src/commands/DescribeSchemaCommand.ts +++ b/clients/client-schemas/src/commands/DescribeSchemaCommand.ts @@ -101,4 +101,16 @@ export class DescribeSchemaCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSchemaCommand) .de(de_DescribeSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSchemaRequest; + output: DescribeSchemaResponse; + }; + sdk: { + input: DescribeSchemaCommandInput; + output: DescribeSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/ExportSchemaCommand.ts b/clients/client-schemas/src/commands/ExportSchemaCommand.ts index aa4061e56c2e..7ff1a43ea02d 100644 --- a/clients/client-schemas/src/commands/ExportSchemaCommand.ts +++ b/clients/client-schemas/src/commands/ExportSchemaCommand.ts @@ -98,4 +98,16 @@ export class ExportSchemaCommand extends $Command .f(void 0, void 0) .ser(se_ExportSchemaCommand) .de(de_ExportSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportSchemaRequest; + output: ExportSchemaResponse; + }; + sdk: { + input: ExportSchemaCommandInput; + output: ExportSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/GetCodeBindingSourceCommand.ts b/clients/client-schemas/src/commands/GetCodeBindingSourceCommand.ts index cda2a61e6037..1dddd0110858 100644 --- a/clients/client-schemas/src/commands/GetCodeBindingSourceCommand.ts +++ b/clients/client-schemas/src/commands/GetCodeBindingSourceCommand.ts @@ -100,4 +100,16 @@ export class GetCodeBindingSourceCommand extends $Command .f(void 0, void 0) .ser(se_GetCodeBindingSourceCommand) .de(de_GetCodeBindingSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCodeBindingSourceRequest; + output: GetCodeBindingSourceResponse; + }; + sdk: { + input: GetCodeBindingSourceCommandInput; + output: GetCodeBindingSourceCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/GetDiscoveredSchemaCommand.ts b/clients/client-schemas/src/commands/GetDiscoveredSchemaCommand.ts index 5cc43afcdc22..0327693d2cbf 100644 --- a/clients/client-schemas/src/commands/GetDiscoveredSchemaCommand.ts +++ b/clients/client-schemas/src/commands/GetDiscoveredSchemaCommand.ts @@ -90,4 +90,16 @@ export class GetDiscoveredSchemaCommand extends $Command .f(void 0, void 0) .ser(se_GetDiscoveredSchemaCommand) .de(de_GetDiscoveredSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDiscoveredSchemaRequest; + output: GetDiscoveredSchemaResponse; + }; + sdk: { + input: GetDiscoveredSchemaCommandInput; + output: GetDiscoveredSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/GetResourcePolicyCommand.ts b/clients/client-schemas/src/commands/GetResourcePolicyCommand.ts index 1025e4811931..2a7d50ededfd 100644 --- a/clients/client-schemas/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-schemas/src/commands/GetResourcePolicyCommand.ts @@ -90,4 +90,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/ListDiscoverersCommand.ts b/clients/client-schemas/src/commands/ListDiscoverersCommand.ts index 28628f1e9688..531d334b2b3e 100644 --- a/clients/client-schemas/src/commands/ListDiscoverersCommand.ts +++ b/clients/client-schemas/src/commands/ListDiscoverersCommand.ts @@ -102,4 +102,16 @@ export class ListDiscoverersCommand extends $Command .f(void 0, void 0) .ser(se_ListDiscoverersCommand) .de(de_ListDiscoverersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDiscoverersRequest; + output: ListDiscoverersResponse; + }; + sdk: { + input: ListDiscoverersCommandInput; + output: ListDiscoverersCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/ListRegistriesCommand.ts b/clients/client-schemas/src/commands/ListRegistriesCommand.ts index 84062d71ec01..b547ba960f74 100644 --- a/clients/client-schemas/src/commands/ListRegistriesCommand.ts +++ b/clients/client-schemas/src/commands/ListRegistriesCommand.ts @@ -99,4 +99,16 @@ export class ListRegistriesCommand extends $Command .f(void 0, void 0) .ser(se_ListRegistriesCommand) .de(de_ListRegistriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegistriesRequest; + output: ListRegistriesResponse; + }; + sdk: { + input: ListRegistriesCommandInput; + output: ListRegistriesCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/ListSchemaVersionsCommand.ts b/clients/client-schemas/src/commands/ListSchemaVersionsCommand.ts index d16512568596..470118918621 100644 --- a/clients/client-schemas/src/commands/ListSchemaVersionsCommand.ts +++ b/clients/client-schemas/src/commands/ListSchemaVersionsCommand.ts @@ -100,4 +100,16 @@ export class ListSchemaVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemaVersionsCommand) .de(de_ListSchemaVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemaVersionsRequest; + output: ListSchemaVersionsResponse; + }; + sdk: { + input: ListSchemaVersionsCommandInput; + output: ListSchemaVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/ListSchemasCommand.ts b/clients/client-schemas/src/commands/ListSchemasCommand.ts index baa66fa2244d..2ff132d79d8b 100644 --- a/clients/client-schemas/src/commands/ListSchemasCommand.ts +++ b/clients/client-schemas/src/commands/ListSchemasCommand.ts @@ -101,4 +101,16 @@ export class ListSchemasCommand extends $Command .f(void 0, void 0) .ser(se_ListSchemasCommand) .de(de_ListSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSchemasRequest; + output: ListSchemasResponse; + }; + sdk: { + input: ListSchemasCommandInput; + output: ListSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/ListTagsForResourceCommand.ts b/clients/client-schemas/src/commands/ListTagsForResourceCommand.ts index b38f5bcd16b6..07243010a583 100644 --- a/clients/client-schemas/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-schemas/src/commands/ListTagsForResourceCommand.ts @@ -87,4 +87,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/PutCodeBindingCommand.ts b/clients/client-schemas/src/commands/PutCodeBindingCommand.ts index 218ff5f82569..0773cb5c4caa 100644 --- a/clients/client-schemas/src/commands/PutCodeBindingCommand.ts +++ b/clients/client-schemas/src/commands/PutCodeBindingCommand.ts @@ -97,4 +97,16 @@ export class PutCodeBindingCommand extends $Command .f(void 0, void 0) .ser(se_PutCodeBindingCommand) .de(de_PutCodeBindingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutCodeBindingRequest; + output: PutCodeBindingResponse; + }; + sdk: { + input: PutCodeBindingCommandInput; + output: PutCodeBindingCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/PutResourcePolicyCommand.ts b/clients/client-schemas/src/commands/PutResourcePolicyCommand.ts index 9a734a76fd8e..18d53d1c17cb 100644 --- a/clients/client-schemas/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-schemas/src/commands/PutResourcePolicyCommand.ts @@ -94,4 +94,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/SearchSchemasCommand.ts b/clients/client-schemas/src/commands/SearchSchemasCommand.ts index de570b470f46..a5874ccec0ca 100644 --- a/clients/client-schemas/src/commands/SearchSchemasCommand.ts +++ b/clients/client-schemas/src/commands/SearchSchemasCommand.ts @@ -104,4 +104,16 @@ export class SearchSchemasCommand extends $Command .f(void 0, void 0) .ser(se_SearchSchemasCommand) .de(de_SearchSchemasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchSchemasRequest; + output: SearchSchemasResponse; + }; + sdk: { + input: SearchSchemasCommandInput; + output: SearchSchemasCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/StartDiscovererCommand.ts b/clients/client-schemas/src/commands/StartDiscovererCommand.ts index 9811862c629a..33c8049a7d83 100644 --- a/clients/client-schemas/src/commands/StartDiscovererCommand.ts +++ b/clients/client-schemas/src/commands/StartDiscovererCommand.ts @@ -90,4 +90,16 @@ export class StartDiscovererCommand extends $Command .f(void 0, void 0) .ser(se_StartDiscovererCommand) .de(de_StartDiscovererCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDiscovererRequest; + output: StartDiscovererResponse; + }; + sdk: { + input: StartDiscovererCommandInput; + output: StartDiscovererCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/StopDiscovererCommand.ts b/clients/client-schemas/src/commands/StopDiscovererCommand.ts index 7a5f6222d619..cb21a4c6eab1 100644 --- a/clients/client-schemas/src/commands/StopDiscovererCommand.ts +++ b/clients/client-schemas/src/commands/StopDiscovererCommand.ts @@ -90,4 +90,16 @@ export class StopDiscovererCommand extends $Command .f(void 0, void 0) .ser(se_StopDiscovererCommand) .de(de_StopDiscovererCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopDiscovererRequest; + output: StopDiscovererResponse; + }; + sdk: { + input: StopDiscovererCommandInput; + output: StopDiscovererCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/TagResourceCommand.ts b/clients/client-schemas/src/commands/TagResourceCommand.ts index d93344e04a88..5bda79aad851 100644 --- a/clients/client-schemas/src/commands/TagResourceCommand.ts +++ b/clients/client-schemas/src/commands/TagResourceCommand.ts @@ -86,4 +86,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/UntagResourceCommand.ts b/clients/client-schemas/src/commands/UntagResourceCommand.ts index 02f3bfb3e006..9c33cb5130d2 100644 --- a/clients/client-schemas/src/commands/UntagResourceCommand.ts +++ b/clients/client-schemas/src/commands/UntagResourceCommand.ts @@ -86,4 +86,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/UpdateDiscovererCommand.ts b/clients/client-schemas/src/commands/UpdateDiscovererCommand.ts index ba756785ab27..50d711334f54 100644 --- a/clients/client-schemas/src/commands/UpdateDiscovererCommand.ts +++ b/clients/client-schemas/src/commands/UpdateDiscovererCommand.ts @@ -99,4 +99,16 @@ export class UpdateDiscovererCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDiscovererCommand) .de(de_UpdateDiscovererCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDiscovererRequest; + output: UpdateDiscovererResponse; + }; + sdk: { + input: UpdateDiscovererCommandInput; + output: UpdateDiscovererCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/UpdateRegistryCommand.ts b/clients/client-schemas/src/commands/UpdateRegistryCommand.ts index 79614356b686..8eb87b9ca841 100644 --- a/clients/client-schemas/src/commands/UpdateRegistryCommand.ts +++ b/clients/client-schemas/src/commands/UpdateRegistryCommand.ts @@ -95,4 +95,16 @@ export class UpdateRegistryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegistryCommand) .de(de_UpdateRegistryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegistryRequest; + output: UpdateRegistryResponse; + }; + sdk: { + input: UpdateRegistryCommandInput; + output: UpdateRegistryCommandOutput; + }; + }; +} diff --git a/clients/client-schemas/src/commands/UpdateSchemaCommand.ts b/clients/client-schemas/src/commands/UpdateSchemaCommand.ts index 6e56232550b3..8323a1c5f775 100644 --- a/clients/client-schemas/src/commands/UpdateSchemaCommand.ts +++ b/clients/client-schemas/src/commands/UpdateSchemaCommand.ts @@ -101,4 +101,16 @@ export class UpdateSchemaCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSchemaCommand) .de(de_UpdateSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSchemaRequest; + output: UpdateSchemaResponse; + }; + sdk: { + input: UpdateSchemaCommandInput; + output: UpdateSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/package.json b/clients/client-secrets-manager/package.json index 609b48be647e..1025b84ef142 100644 --- a/clients/client-secrets-manager/package.json +++ b/clients/client-secrets-manager/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-secrets-manager/src/commands/BatchGetSecretValueCommand.ts b/clients/client-secrets-manager/src/commands/BatchGetSecretValueCommand.ts index 444558eeedd1..b2d16672b7b2 100644 --- a/clients/client-secrets-manager/src/commands/BatchGetSecretValueCommand.ts +++ b/clients/client-secrets-manager/src/commands/BatchGetSecretValueCommand.ts @@ -207,4 +207,16 @@ export class BatchGetSecretValueCommand extends $Command .f(void 0, BatchGetSecretValueResponseFilterSensitiveLog) .ser(se_BatchGetSecretValueCommand) .de(de_BatchGetSecretValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetSecretValueRequest; + output: BatchGetSecretValueResponse; + }; + sdk: { + input: BatchGetSecretValueCommandInput; + output: BatchGetSecretValueCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/CancelRotateSecretCommand.ts b/clients/client-secrets-manager/src/commands/CancelRotateSecretCommand.ts index 8f0b5ba6526b..f67d63eba899 100644 --- a/clients/client-secrets-manager/src/commands/CancelRotateSecretCommand.ts +++ b/clients/client-secrets-manager/src/commands/CancelRotateSecretCommand.ts @@ -141,4 +141,16 @@ export class CancelRotateSecretCommand extends $Command .f(void 0, void 0) .ser(se_CancelRotateSecretCommand) .de(de_CancelRotateSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelRotateSecretRequest; + output: CancelRotateSecretResponse; + }; + sdk: { + input: CancelRotateSecretCommandInput; + output: CancelRotateSecretCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/CreateSecretCommand.ts b/clients/client-secrets-manager/src/commands/CreateSecretCommand.ts index 2d53f97f892d..7e6580f2cc38 100644 --- a/clients/client-secrets-manager/src/commands/CreateSecretCommand.ts +++ b/clients/client-secrets-manager/src/commands/CreateSecretCommand.ts @@ -212,4 +212,16 @@ export class CreateSecretCommand extends $Command .f(CreateSecretRequestFilterSensitiveLog, void 0) .ser(se_CreateSecretCommand) .de(de_CreateSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSecretRequest; + output: CreateSecretResponse; + }; + sdk: { + input: CreateSecretCommandInput; + output: CreateSecretCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-secrets-manager/src/commands/DeleteResourcePolicyCommand.ts index b74285d372d8..72cd37e3ca32 100644 --- a/clients/client-secrets-manager/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-secrets-manager/src/commands/DeleteResourcePolicyCommand.ts @@ -130,4 +130,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: DeleteResourcePolicyResponse; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/DeleteSecretCommand.ts b/clients/client-secrets-manager/src/commands/DeleteSecretCommand.ts index 867a4151d1bb..d3a6dda2833b 100644 --- a/clients/client-secrets-manager/src/commands/DeleteSecretCommand.ts +++ b/clients/client-secrets-manager/src/commands/DeleteSecretCommand.ts @@ -155,4 +155,16 @@ export class DeleteSecretCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSecretCommand) .de(de_DeleteSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSecretRequest; + output: DeleteSecretResponse; + }; + sdk: { + input: DeleteSecretCommandInput; + output: DeleteSecretCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/DescribeSecretCommand.ts b/clients/client-secrets-manager/src/commands/DescribeSecretCommand.ts index 384b1c0feefe..7322bad5a567 100644 --- a/clients/client-secrets-manager/src/commands/DescribeSecretCommand.ts +++ b/clients/client-secrets-manager/src/commands/DescribeSecretCommand.ts @@ -180,4 +180,16 @@ export class DescribeSecretCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecretCommand) .de(de_DescribeSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecretRequest; + output: DescribeSecretResponse; + }; + sdk: { + input: DescribeSecretCommandInput; + output: DescribeSecretCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/GetRandomPasswordCommand.ts b/clients/client-secrets-manager/src/commands/GetRandomPasswordCommand.ts index c33da2b6deef..6802705fcb67 100644 --- a/clients/client-secrets-manager/src/commands/GetRandomPasswordCommand.ts +++ b/clients/client-secrets-manager/src/commands/GetRandomPasswordCommand.ts @@ -140,4 +140,16 @@ export class GetRandomPasswordCommand extends $Command .f(void 0, GetRandomPasswordResponseFilterSensitiveLog) .ser(se_GetRandomPasswordCommand) .de(de_GetRandomPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRandomPasswordRequest; + output: GetRandomPasswordResponse; + }; + sdk: { + input: GetRandomPasswordCommandInput; + output: GetRandomPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/GetResourcePolicyCommand.ts b/clients/client-secrets-manager/src/commands/GetResourcePolicyCommand.ts index 0987244e9548..384a26e23bf7 100644 --- a/clients/client-secrets-manager/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-secrets-manager/src/commands/GetResourcePolicyCommand.ts @@ -134,4 +134,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/GetSecretValueCommand.ts b/clients/client-secrets-manager/src/commands/GetSecretValueCommand.ts index 3f9d101ab57e..aba9ddeedafc 100644 --- a/clients/client-secrets-manager/src/commands/GetSecretValueCommand.ts +++ b/clients/client-secrets-manager/src/commands/GetSecretValueCommand.ts @@ -161,4 +161,16 @@ export class GetSecretValueCommand extends $Command .f(void 0, GetSecretValueResponseFilterSensitiveLog) .ser(se_GetSecretValueCommand) .de(de_GetSecretValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSecretValueRequest; + output: GetSecretValueResponse; + }; + sdk: { + input: GetSecretValueCommandInput; + output: GetSecretValueCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/ListSecretVersionIdsCommand.ts b/clients/client-secrets-manager/src/commands/ListSecretVersionIdsCommand.ts index b9df79658c73..8de1b1a3ec77 100644 --- a/clients/client-secrets-manager/src/commands/ListSecretVersionIdsCommand.ts +++ b/clients/client-secrets-manager/src/commands/ListSecretVersionIdsCommand.ts @@ -155,4 +155,16 @@ export class ListSecretVersionIdsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecretVersionIdsCommand) .de(de_ListSecretVersionIdsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecretVersionIdsRequest; + output: ListSecretVersionIdsResponse; + }; + sdk: { + input: ListSecretVersionIdsCommandInput; + output: ListSecretVersionIdsCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/ListSecretsCommand.ts b/clients/client-secrets-manager/src/commands/ListSecretsCommand.ts index 92f2a4e8382c..de87e78be4ad 100644 --- a/clients/client-secrets-manager/src/commands/ListSecretsCommand.ts +++ b/clients/client-secrets-manager/src/commands/ListSecretsCommand.ts @@ -198,4 +198,16 @@ export class ListSecretsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecretsCommand) .de(de_ListSecretsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecretsRequest; + output: ListSecretsResponse; + }; + sdk: { + input: ListSecretsCommandInput; + output: ListSecretsCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/PutResourcePolicyCommand.ts b/clients/client-secrets-manager/src/commands/PutResourcePolicyCommand.ts index db45885027a4..8bfbd64f4b6d 100644 --- a/clients/client-secrets-manager/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-secrets-manager/src/commands/PutResourcePolicyCommand.ts @@ -142,4 +142,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/PutSecretValueCommand.ts b/clients/client-secrets-manager/src/commands/PutSecretValueCommand.ts index 255f658ee3d6..842ad18155c8 100644 --- a/clients/client-secrets-manager/src/commands/PutSecretValueCommand.ts +++ b/clients/client-secrets-manager/src/commands/PutSecretValueCommand.ts @@ -187,4 +187,16 @@ export class PutSecretValueCommand extends $Command .f(PutSecretValueRequestFilterSensitiveLog, void 0) .ser(se_PutSecretValueCommand) .de(de_PutSecretValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSecretValueRequest; + output: PutSecretValueResponse; + }; + sdk: { + input: PutSecretValueCommandInput; + output: PutSecretValueCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/RemoveRegionsFromReplicationCommand.ts b/clients/client-secrets-manager/src/commands/RemoveRegionsFromReplicationCommand.ts index 7de2a8b003cd..77a858c336c8 100644 --- a/clients/client-secrets-manager/src/commands/RemoveRegionsFromReplicationCommand.ts +++ b/clients/client-secrets-manager/src/commands/RemoveRegionsFromReplicationCommand.ts @@ -128,4 +128,16 @@ export class RemoveRegionsFromReplicationCommand extends $Command .f(void 0, void 0) .ser(se_RemoveRegionsFromReplicationCommand) .de(de_RemoveRegionsFromReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveRegionsFromReplicationRequest; + output: RemoveRegionsFromReplicationResponse; + }; + sdk: { + input: RemoveRegionsFromReplicationCommandInput; + output: RemoveRegionsFromReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/ReplicateSecretToRegionsCommand.ts b/clients/client-secrets-manager/src/commands/ReplicateSecretToRegionsCommand.ts index a33b5e825d39..3969bef410f3 100644 --- a/clients/client-secrets-manager/src/commands/ReplicateSecretToRegionsCommand.ts +++ b/clients/client-secrets-manager/src/commands/ReplicateSecretToRegionsCommand.ts @@ -156,4 +156,16 @@ export class ReplicateSecretToRegionsCommand extends $Command .f(void 0, void 0) .ser(se_ReplicateSecretToRegionsCommand) .de(de_ReplicateSecretToRegionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReplicateSecretToRegionsRequest; + output: ReplicateSecretToRegionsResponse; + }; + sdk: { + input: ReplicateSecretToRegionsCommandInput; + output: ReplicateSecretToRegionsCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/RestoreSecretCommand.ts b/clients/client-secrets-manager/src/commands/RestoreSecretCommand.ts index a0caee69076a..ba290706170a 100644 --- a/clients/client-secrets-manager/src/commands/RestoreSecretCommand.ts +++ b/clients/client-secrets-manager/src/commands/RestoreSecretCommand.ts @@ -130,4 +130,16 @@ export class RestoreSecretCommand extends $Command .f(void 0, void 0) .ser(se_RestoreSecretCommand) .de(de_RestoreSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreSecretRequest; + output: RestoreSecretResponse; + }; + sdk: { + input: RestoreSecretCommandInput; + output: RestoreSecretCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/RotateSecretCommand.ts b/clients/client-secrets-manager/src/commands/RotateSecretCommand.ts index 735739c6e7b1..e70aa3140001 100644 --- a/clients/client-secrets-manager/src/commands/RotateSecretCommand.ts +++ b/clients/client-secrets-manager/src/commands/RotateSecretCommand.ts @@ -170,4 +170,16 @@ export class RotateSecretCommand extends $Command .f(void 0, void 0) .ser(se_RotateSecretCommand) .de(de_RotateSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RotateSecretRequest; + output: RotateSecretResponse; + }; + sdk: { + input: RotateSecretCommandInput; + output: RotateSecretCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/StopReplicationToReplicaCommand.ts b/clients/client-secrets-manager/src/commands/StopReplicationToReplicaCommand.ts index b99ffd365c02..a70c6b2d3fba 100644 --- a/clients/client-secrets-manager/src/commands/StopReplicationToReplicaCommand.ts +++ b/clients/client-secrets-manager/src/commands/StopReplicationToReplicaCommand.ts @@ -112,4 +112,16 @@ export class StopReplicationToReplicaCommand extends $Command .f(void 0, void 0) .ser(se_StopReplicationToReplicaCommand) .de(de_StopReplicationToReplicaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopReplicationToReplicaRequest; + output: StopReplicationToReplicaResponse; + }; + sdk: { + input: StopReplicationToReplicaCommandInput; + output: StopReplicationToReplicaCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/TagResourceCommand.ts b/clients/client-secrets-manager/src/commands/TagResourceCommand.ts index 330547867c3d..22524b81411c 100644 --- a/clients/client-secrets-manager/src/commands/TagResourceCommand.ts +++ b/clients/client-secrets-manager/src/commands/TagResourceCommand.ts @@ -145,4 +145,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/UntagResourceCommand.ts b/clients/client-secrets-manager/src/commands/UntagResourceCommand.ts index db47396f1f72..9d8dcd6b8fd5 100644 --- a/clients/client-secrets-manager/src/commands/UntagResourceCommand.ts +++ b/clients/client-secrets-manager/src/commands/UntagResourceCommand.ts @@ -135,4 +135,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/UpdateSecretCommand.ts b/clients/client-secrets-manager/src/commands/UpdateSecretCommand.ts index a0a6b7ac65f6..0d177f227b3a 100644 --- a/clients/client-secrets-manager/src/commands/UpdateSecretCommand.ts +++ b/clients/client-secrets-manager/src/commands/UpdateSecretCommand.ts @@ -216,4 +216,16 @@ export class UpdateSecretCommand extends $Command .f(UpdateSecretRequestFilterSensitiveLog, void 0) .ser(se_UpdateSecretCommand) .de(de_UpdateSecretCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecretRequest; + output: UpdateSecretResponse; + }; + sdk: { + input: UpdateSecretCommandInput; + output: UpdateSecretCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/UpdateSecretVersionStageCommand.ts b/clients/client-secrets-manager/src/commands/UpdateSecretVersionStageCommand.ts index e93ab8321a92..ddb7bf8115f7 100644 --- a/clients/client-secrets-manager/src/commands/UpdateSecretVersionStageCommand.ts +++ b/clients/client-secrets-manager/src/commands/UpdateSecretVersionStageCommand.ts @@ -190,4 +190,16 @@ export class UpdateSecretVersionStageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecretVersionStageCommand) .de(de_UpdateSecretVersionStageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecretVersionStageRequest; + output: UpdateSecretVersionStageResponse; + }; + sdk: { + input: UpdateSecretVersionStageCommandInput; + output: UpdateSecretVersionStageCommandOutput; + }; + }; +} diff --git a/clients/client-secrets-manager/src/commands/ValidateResourcePolicyCommand.ts b/clients/client-secrets-manager/src/commands/ValidateResourcePolicyCommand.ts index b3d4fd6ed11d..56bcd67c70aa 100644 --- a/clients/client-secrets-manager/src/commands/ValidateResourcePolicyCommand.ts +++ b/clients/client-secrets-manager/src/commands/ValidateResourcePolicyCommand.ts @@ -153,4 +153,16 @@ export class ValidateResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_ValidateResourcePolicyCommand) .de(de_ValidateResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateResourcePolicyRequest; + output: ValidateResourcePolicyResponse; + }; + sdk: { + input: ValidateResourcePolicyCommandInput; + output: ValidateResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/package.json b/clients/client-securityhub/package.json index 6fccf3a0c406..0f3d5ff4584a 100644 --- a/clients/client-securityhub/package.json +++ b/clients/client-securityhub/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-securityhub/src/commands/AcceptAdministratorInvitationCommand.ts b/clients/client-securityhub/src/commands/AcceptAdministratorInvitationCommand.ts index 53367ac94257..b22b9b3d6699 100644 --- a/clients/client-securityhub/src/commands/AcceptAdministratorInvitationCommand.ts +++ b/clients/client-securityhub/src/commands/AcceptAdministratorInvitationCommand.ts @@ -115,4 +115,16 @@ export class AcceptAdministratorInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptAdministratorInvitationCommand) .de(de_AcceptAdministratorInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptAdministratorInvitationRequest; + output: {}; + }; + sdk: { + input: AcceptAdministratorInvitationCommandInput; + output: AcceptAdministratorInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/AcceptInvitationCommand.ts b/clients/client-securityhub/src/commands/AcceptInvitationCommand.ts index 172f99ba1303..6ddc08147c26 100644 --- a/clients/client-securityhub/src/commands/AcceptInvitationCommand.ts +++ b/clients/client-securityhub/src/commands/AcceptInvitationCommand.ts @@ -102,4 +102,16 @@ export class AcceptInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptInvitationCommand) .de(de_AcceptInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptInvitationRequest; + output: {}; + }; + sdk: { + input: AcceptInvitationCommandInput; + output: AcceptInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchDeleteAutomationRulesCommand.ts b/clients/client-securityhub/src/commands/BatchDeleteAutomationRulesCommand.ts index 4f69bc12c647..920fc48e5214 100644 --- a/clients/client-securityhub/src/commands/BatchDeleteAutomationRulesCommand.ts +++ b/clients/client-securityhub/src/commands/BatchDeleteAutomationRulesCommand.ts @@ -135,4 +135,16 @@ export class BatchDeleteAutomationRulesCommand extends $Command .f(void 0, void 0) .ser(se_BatchDeleteAutomationRulesCommand) .de(de_BatchDeleteAutomationRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteAutomationRulesRequest; + output: BatchDeleteAutomationRulesResponse; + }; + sdk: { + input: BatchDeleteAutomationRulesCommandInput; + output: BatchDeleteAutomationRulesCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchDisableStandardsCommand.ts b/clients/client-securityhub/src/commands/BatchDisableStandardsCommand.ts index c8340d1ce830..04d34745639e 100644 --- a/clients/client-securityhub/src/commands/BatchDisableStandardsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchDisableStandardsCommand.ts @@ -136,4 +136,16 @@ export class BatchDisableStandardsCommand extends $Command .f(void 0, void 0) .ser(se_BatchDisableStandardsCommand) .de(de_BatchDisableStandardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisableStandardsRequest; + output: BatchDisableStandardsResponse; + }; + sdk: { + input: BatchDisableStandardsCommandInput; + output: BatchDisableStandardsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchEnableStandardsCommand.ts b/clients/client-securityhub/src/commands/BatchEnableStandardsCommand.ts index ac0da58631d4..ff41ff54f046 100644 --- a/clients/client-securityhub/src/commands/BatchEnableStandardsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchEnableStandardsCommand.ts @@ -144,4 +144,16 @@ export class BatchEnableStandardsCommand extends $Command .f(void 0, void 0) .ser(se_BatchEnableStandardsCommand) .de(de_BatchEnableStandardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchEnableStandardsRequest; + output: BatchEnableStandardsResponse; + }; + sdk: { + input: BatchEnableStandardsCommandInput; + output: BatchEnableStandardsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchGetAutomationRulesCommand.ts b/clients/client-securityhub/src/commands/BatchGetAutomationRulesCommand.ts index 22870bff11fe..f56547616b2c 100644 --- a/clients/client-securityhub/src/commands/BatchGetAutomationRulesCommand.ts +++ b/clients/client-securityhub/src/commands/BatchGetAutomationRulesCommand.ts @@ -395,4 +395,16 @@ export class BatchGetAutomationRulesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetAutomationRulesCommand) .de(de_BatchGetAutomationRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetAutomationRulesRequest; + output: BatchGetAutomationRulesResponse; + }; + sdk: { + input: BatchGetAutomationRulesCommandInput; + output: BatchGetAutomationRulesCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchGetConfigurationPolicyAssociationsCommand.ts b/clients/client-securityhub/src/commands/BatchGetConfigurationPolicyAssociationsCommand.ts index 510f902388a0..7f86269833a0 100644 --- a/clients/client-securityhub/src/commands/BatchGetConfigurationPolicyAssociationsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchGetConfigurationPolicyAssociationsCommand.ts @@ -189,4 +189,16 @@ export class BatchGetConfigurationPolicyAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetConfigurationPolicyAssociationsCommand) .de(de_BatchGetConfigurationPolicyAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetConfigurationPolicyAssociationsRequest; + output: BatchGetConfigurationPolicyAssociationsResponse; + }; + sdk: { + input: BatchGetConfigurationPolicyAssociationsCommandInput; + output: BatchGetConfigurationPolicyAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchGetSecurityControlsCommand.ts b/clients/client-securityhub/src/commands/BatchGetSecurityControlsCommand.ts index d402df66f776..decdad9263c0 100644 --- a/clients/client-securityhub/src/commands/BatchGetSecurityControlsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchGetSecurityControlsCommand.ts @@ -193,4 +193,16 @@ export class BatchGetSecurityControlsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetSecurityControlsCommand) .de(de_BatchGetSecurityControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetSecurityControlsRequest; + output: BatchGetSecurityControlsResponse; + }; + sdk: { + input: BatchGetSecurityControlsCommandInput; + output: BatchGetSecurityControlsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchGetStandardsControlAssociationsCommand.ts b/clients/client-securityhub/src/commands/BatchGetStandardsControlAssociationsCommand.ts index eb315c7d8fce..7de067380d88 100644 --- a/clients/client-securityhub/src/commands/BatchGetStandardsControlAssociationsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchGetStandardsControlAssociationsCommand.ts @@ -183,4 +183,16 @@ export class BatchGetStandardsControlAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetStandardsControlAssociationsCommand) .de(de_BatchGetStandardsControlAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetStandardsControlAssociationsRequest; + output: BatchGetStandardsControlAssociationsResponse; + }; + sdk: { + input: BatchGetStandardsControlAssociationsCommandInput; + output: BatchGetStandardsControlAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchImportFindingsCommand.ts b/clients/client-securityhub/src/commands/BatchImportFindingsCommand.ts index 6d335ec1e255..6ba2a592966d 100644 --- a/clients/client-securityhub/src/commands/BatchImportFindingsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchImportFindingsCommand.ts @@ -4402,4 +4402,16 @@ export class BatchImportFindingsCommand extends $Command .f(void 0, void 0) .ser(se_BatchImportFindingsCommand) .de(de_BatchImportFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchImportFindingsRequest; + output: BatchImportFindingsResponse; + }; + sdk: { + input: BatchImportFindingsCommandInput; + output: BatchImportFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchUpdateAutomationRulesCommand.ts b/clients/client-securityhub/src/commands/BatchUpdateAutomationRulesCommand.ts index bfdb1379fa79..3757dba36bbf 100644 --- a/clients/client-securityhub/src/commands/BatchUpdateAutomationRulesCommand.ts +++ b/clients/client-securityhub/src/commands/BatchUpdateAutomationRulesCommand.ts @@ -322,4 +322,16 @@ export class BatchUpdateAutomationRulesCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateAutomationRulesCommand) .de(de_BatchUpdateAutomationRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateAutomationRulesRequest; + output: BatchUpdateAutomationRulesResponse; + }; + sdk: { + input: BatchUpdateAutomationRulesCommandInput; + output: BatchUpdateAutomationRulesCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchUpdateFindingsCommand.ts b/clients/client-securityhub/src/commands/BatchUpdateFindingsCommand.ts index 8aaed5f4f0aa..257d849b3b32 100644 --- a/clients/client-securityhub/src/commands/BatchUpdateFindingsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchUpdateFindingsCommand.ts @@ -256,4 +256,16 @@ export class BatchUpdateFindingsCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateFindingsCommand) .de(de_BatchUpdateFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateFindingsRequest; + output: BatchUpdateFindingsResponse; + }; + sdk: { + input: BatchUpdateFindingsCommandInput; + output: BatchUpdateFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/BatchUpdateStandardsControlAssociationsCommand.ts b/clients/client-securityhub/src/commands/BatchUpdateStandardsControlAssociationsCommand.ts index 3f4dd7a910b0..00302570b76b 100644 --- a/clients/client-securityhub/src/commands/BatchUpdateStandardsControlAssociationsCommand.ts +++ b/clients/client-securityhub/src/commands/BatchUpdateStandardsControlAssociationsCommand.ts @@ -163,4 +163,16 @@ export class BatchUpdateStandardsControlAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateStandardsControlAssociationsCommand) .de(de_BatchUpdateStandardsControlAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateStandardsControlAssociationsRequest; + output: BatchUpdateStandardsControlAssociationsResponse; + }; + sdk: { + input: BatchUpdateStandardsControlAssociationsCommandInput; + output: BatchUpdateStandardsControlAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/CreateActionTargetCommand.ts b/clients/client-securityhub/src/commands/CreateActionTargetCommand.ts index 43a752c7d422..c1e976d97545 100644 --- a/clients/client-securityhub/src/commands/CreateActionTargetCommand.ts +++ b/clients/client-securityhub/src/commands/CreateActionTargetCommand.ts @@ -116,4 +116,16 @@ export class CreateActionTargetCommand extends $Command .f(void 0, void 0) .ser(se_CreateActionTargetCommand) .de(de_CreateActionTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateActionTargetRequest; + output: CreateActionTargetResponse; + }; + sdk: { + input: CreateActionTargetCommandInput; + output: CreateActionTargetCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/CreateAutomationRuleCommand.ts b/clients/client-securityhub/src/commands/CreateAutomationRuleCommand.ts index 8f2abde4fa2a..572fcb94aa90 100644 --- a/clients/client-securityhub/src/commands/CreateAutomationRuleCommand.ts +++ b/clients/client-securityhub/src/commands/CreateAutomationRuleCommand.ts @@ -350,4 +350,16 @@ export class CreateAutomationRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateAutomationRuleCommand) .de(de_CreateAutomationRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAutomationRuleRequest; + output: CreateAutomationRuleResponse; + }; + sdk: { + input: CreateAutomationRuleCommandInput; + output: CreateAutomationRuleCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/CreateConfigurationPolicyCommand.ts b/clients/client-securityhub/src/commands/CreateConfigurationPolicyCommand.ts index 2d29f79c6122..6e746d61dbcb 100644 --- a/clients/client-securityhub/src/commands/CreateConfigurationPolicyCommand.ts +++ b/clients/client-securityhub/src/commands/CreateConfigurationPolicyCommand.ts @@ -269,4 +269,16 @@ export class CreateConfigurationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationPolicyCommand) .de(de_CreateConfigurationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationPolicyRequest; + output: CreateConfigurationPolicyResponse; + }; + sdk: { + input: CreateConfigurationPolicyCommandInput; + output: CreateConfigurationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/CreateFindingAggregatorCommand.ts b/clients/client-securityhub/src/commands/CreateFindingAggregatorCommand.ts index 464aff88d572..1e33bfe8b3a4 100644 --- a/clients/client-securityhub/src/commands/CreateFindingAggregatorCommand.ts +++ b/clients/client-securityhub/src/commands/CreateFindingAggregatorCommand.ts @@ -130,4 +130,16 @@ export class CreateFindingAggregatorCommand extends $Command .f(void 0, void 0) .ser(se_CreateFindingAggregatorCommand) .de(de_CreateFindingAggregatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFindingAggregatorRequest; + output: CreateFindingAggregatorResponse; + }; + sdk: { + input: CreateFindingAggregatorCommandInput; + output: CreateFindingAggregatorCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/CreateInsightCommand.ts b/clients/client-securityhub/src/commands/CreateInsightCommand.ts index 70269f3b3598..c2289e10514f 100644 --- a/clients/client-securityhub/src/commands/CreateInsightCommand.ts +++ b/clients/client-securityhub/src/commands/CreateInsightCommand.ts @@ -397,4 +397,16 @@ export class CreateInsightCommand extends $Command .f(void 0, void 0) .ser(se_CreateInsightCommand) .de(de_CreateInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInsightRequest; + output: CreateInsightResponse; + }; + sdk: { + input: CreateInsightCommandInput; + output: CreateInsightCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/CreateMembersCommand.ts b/clients/client-securityhub/src/commands/CreateMembersCommand.ts index 512ce709cb58..0e354bf620f8 100644 --- a/clients/client-securityhub/src/commands/CreateMembersCommand.ts +++ b/clients/client-securityhub/src/commands/CreateMembersCommand.ts @@ -164,4 +164,16 @@ export class CreateMembersCommand extends $Command .f(void 0, void 0) .ser(se_CreateMembersCommand) .de(de_CreateMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMembersRequest; + output: CreateMembersResponse; + }; + sdk: { + input: CreateMembersCommandInput; + output: CreateMembersCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DeclineInvitationsCommand.ts b/clients/client-securityhub/src/commands/DeclineInvitationsCommand.ts index e8398c527358..cb92e755b979 100644 --- a/clients/client-securityhub/src/commands/DeclineInvitationsCommand.ts +++ b/clients/client-securityhub/src/commands/DeclineInvitationsCommand.ts @@ -119,4 +119,16 @@ export class DeclineInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_DeclineInvitationsCommand) .de(de_DeclineInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeclineInvitationsRequest; + output: DeclineInvitationsResponse; + }; + sdk: { + input: DeclineInvitationsCommandInput; + output: DeclineInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DeleteActionTargetCommand.ts b/clients/client-securityhub/src/commands/DeleteActionTargetCommand.ts index 8ad046d85a4c..65a168843f07 100644 --- a/clients/client-securityhub/src/commands/DeleteActionTargetCommand.ts +++ b/clients/client-securityhub/src/commands/DeleteActionTargetCommand.ts @@ -108,4 +108,16 @@ export class DeleteActionTargetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteActionTargetCommand) .de(de_DeleteActionTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteActionTargetRequest; + output: DeleteActionTargetResponse; + }; + sdk: { + input: DeleteActionTargetCommandInput; + output: DeleteActionTargetCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DeleteConfigurationPolicyCommand.ts b/clients/client-securityhub/src/commands/DeleteConfigurationPolicyCommand.ts index 10f4183fdf07..7e14d42ebee2 100644 --- a/clients/client-securityhub/src/commands/DeleteConfigurationPolicyCommand.ts +++ b/clients/client-securityhub/src/commands/DeleteConfigurationPolicyCommand.ts @@ -113,4 +113,16 @@ export class DeleteConfigurationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationPolicyCommand) .de(de_DeleteConfigurationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationPolicyCommandInput; + output: DeleteConfigurationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DeleteFindingAggregatorCommand.ts b/clients/client-securityhub/src/commands/DeleteFindingAggregatorCommand.ts index ebbafc86e7d2..86ff80a75bd8 100644 --- a/clients/client-securityhub/src/commands/DeleteFindingAggregatorCommand.ts +++ b/clients/client-securityhub/src/commands/DeleteFindingAggregatorCommand.ts @@ -108,4 +108,16 @@ export class DeleteFindingAggregatorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFindingAggregatorCommand) .de(de_DeleteFindingAggregatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFindingAggregatorRequest; + output: {}; + }; + sdk: { + input: DeleteFindingAggregatorCommandInput; + output: DeleteFindingAggregatorCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DeleteInsightCommand.ts b/clients/client-securityhub/src/commands/DeleteInsightCommand.ts index 516ba62bf403..aded586aa311 100644 --- a/clients/client-securityhub/src/commands/DeleteInsightCommand.ts +++ b/clients/client-securityhub/src/commands/DeleteInsightCommand.ts @@ -110,4 +110,16 @@ export class DeleteInsightCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInsightCommand) .de(de_DeleteInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInsightRequest; + output: DeleteInsightResponse; + }; + sdk: { + input: DeleteInsightCommandInput; + output: DeleteInsightCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DeleteInvitationsCommand.ts b/clients/client-securityhub/src/commands/DeleteInvitationsCommand.ts index 3adf7505915b..dd2ef056eba2 100644 --- a/clients/client-securityhub/src/commands/DeleteInvitationsCommand.ts +++ b/clients/client-securityhub/src/commands/DeleteInvitationsCommand.ts @@ -122,4 +122,16 @@ export class DeleteInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInvitationsCommand) .de(de_DeleteInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInvitationsRequest; + output: DeleteInvitationsResponse; + }; + sdk: { + input: DeleteInvitationsCommandInput; + output: DeleteInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DeleteMembersCommand.ts b/clients/client-securityhub/src/commands/DeleteMembersCommand.ts index 4cb9a20f39eb..372800f77dd1 100644 --- a/clients/client-securityhub/src/commands/DeleteMembersCommand.ts +++ b/clients/client-securityhub/src/commands/DeleteMembersCommand.ts @@ -122,4 +122,16 @@ export class DeleteMembersCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMembersCommand) .de(de_DeleteMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMembersRequest; + output: DeleteMembersResponse; + }; + sdk: { + input: DeleteMembersCommandInput; + output: DeleteMembersCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DescribeActionTargetsCommand.ts b/clients/client-securityhub/src/commands/DescribeActionTargetsCommand.ts index e0df71456240..f4a0a26408e8 100644 --- a/clients/client-securityhub/src/commands/DescribeActionTargetsCommand.ts +++ b/clients/client-securityhub/src/commands/DescribeActionTargetsCommand.ts @@ -125,4 +125,16 @@ export class DescribeActionTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeActionTargetsCommand) .de(de_DescribeActionTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeActionTargetsRequest; + output: DescribeActionTargetsResponse; + }; + sdk: { + input: DescribeActionTargetsCommandInput; + output: DescribeActionTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DescribeHubCommand.ts b/clients/client-securityhub/src/commands/DescribeHubCommand.ts index f13c4a36ac2b..699b1c54c091 100644 --- a/clients/client-securityhub/src/commands/DescribeHubCommand.ts +++ b/clients/client-securityhub/src/commands/DescribeHubCommand.ts @@ -117,4 +117,16 @@ export class DescribeHubCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHubCommand) .de(de_DescribeHubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHubRequest; + output: DescribeHubResponse; + }; + sdk: { + input: DescribeHubCommandInput; + output: DescribeHubCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DescribeOrganizationConfigurationCommand.ts b/clients/client-securityhub/src/commands/DescribeOrganizationConfigurationCommand.ts index b270bf5f6a96..2088edcda12f 100644 --- a/clients/client-securityhub/src/commands/DescribeOrganizationConfigurationCommand.ts +++ b/clients/client-securityhub/src/commands/DescribeOrganizationConfigurationCommand.ts @@ -125,4 +125,16 @@ export class DescribeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationConfigurationCommand) .de(de_DescribeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeOrganizationConfigurationResponse; + }; + sdk: { + input: DescribeOrganizationConfigurationCommandInput; + output: DescribeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DescribeProductsCommand.ts b/clients/client-securityhub/src/commands/DescribeProductsCommand.ts index a5c77fd133c2..a8aad8465ef5 100644 --- a/clients/client-securityhub/src/commands/DescribeProductsCommand.ts +++ b/clients/client-securityhub/src/commands/DescribeProductsCommand.ts @@ -153,4 +153,16 @@ export class DescribeProductsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProductsCommand) .de(de_DescribeProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProductsRequest; + output: DescribeProductsResponse; + }; + sdk: { + input: DescribeProductsCommandInput; + output: DescribeProductsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DescribeStandardsCommand.ts b/clients/client-securityhub/src/commands/DescribeStandardsCommand.ts index c9e72f4e95ed..2b49fd87da48 100644 --- a/clients/client-securityhub/src/commands/DescribeStandardsCommand.ts +++ b/clients/client-securityhub/src/commands/DescribeStandardsCommand.ts @@ -140,4 +140,16 @@ export class DescribeStandardsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStandardsCommand) .de(de_DescribeStandardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStandardsRequest; + output: DescribeStandardsResponse; + }; + sdk: { + input: DescribeStandardsCommandInput; + output: DescribeStandardsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DescribeStandardsControlsCommand.ts b/clients/client-securityhub/src/commands/DescribeStandardsControlsCommand.ts index 55ae2d727f9d..6bbc5ab19a80 100644 --- a/clients/client-securityhub/src/commands/DescribeStandardsControlsCommand.ts +++ b/clients/client-securityhub/src/commands/DescribeStandardsControlsCommand.ts @@ -156,4 +156,16 @@ export class DescribeStandardsControlsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStandardsControlsCommand) .de(de_DescribeStandardsControlsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStandardsControlsRequest; + output: DescribeStandardsControlsResponse; + }; + sdk: { + input: DescribeStandardsControlsCommandInput; + output: DescribeStandardsControlsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DisableImportFindingsForProductCommand.ts b/clients/client-securityhub/src/commands/DisableImportFindingsForProductCommand.ts index 353080902c50..b8243de617bd 100644 --- a/clients/client-securityhub/src/commands/DisableImportFindingsForProductCommand.ts +++ b/clients/client-securityhub/src/commands/DisableImportFindingsForProductCommand.ts @@ -109,4 +109,16 @@ export class DisableImportFindingsForProductCommand extends $Command .f(void 0, void 0) .ser(se_DisableImportFindingsForProductCommand) .de(de_DisableImportFindingsForProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableImportFindingsForProductRequest; + output: {}; + }; + sdk: { + input: DisableImportFindingsForProductCommandInput; + output: DisableImportFindingsForProductCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DisableOrganizationAdminAccountCommand.ts b/clients/client-securityhub/src/commands/DisableOrganizationAdminAccountCommand.ts index ca3bbc9b30b3..f086952d2819 100644 --- a/clients/client-securityhub/src/commands/DisableOrganizationAdminAccountCommand.ts +++ b/clients/client-securityhub/src/commands/DisableOrganizationAdminAccountCommand.ts @@ -109,4 +109,16 @@ export class DisableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisableOrganizationAdminAccountCommand) .de(de_DisableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: DisableOrganizationAdminAccountCommandInput; + output: DisableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DisableSecurityHubCommand.ts b/clients/client-securityhub/src/commands/DisableSecurityHubCommand.ts index b0a2aff61564..d54ae61e8a21 100644 --- a/clients/client-securityhub/src/commands/DisableSecurityHubCommand.ts +++ b/clients/client-securityhub/src/commands/DisableSecurityHubCommand.ts @@ -105,4 +105,16 @@ export class DisableSecurityHubCommand extends $Command .f(void 0, void 0) .ser(se_DisableSecurityHubCommand) .de(de_DisableSecurityHubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisableSecurityHubCommandInput; + output: DisableSecurityHubCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DisassociateFromAdministratorAccountCommand.ts b/clients/client-securityhub/src/commands/DisassociateFromAdministratorAccountCommand.ts index 9999f6b24534..84b4f5b04535 100644 --- a/clients/client-securityhub/src/commands/DisassociateFromAdministratorAccountCommand.ts +++ b/clients/client-securityhub/src/commands/DisassociateFromAdministratorAccountCommand.ts @@ -111,4 +111,16 @@ export class DisassociateFromAdministratorAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFromAdministratorAccountCommand) .de(de_DisassociateFromAdministratorAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateFromAdministratorAccountCommandInput; + output: DisassociateFromAdministratorAccountCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DisassociateFromMasterAccountCommand.ts b/clients/client-securityhub/src/commands/DisassociateFromMasterAccountCommand.ts index f083206d0aab..ec0f73abaf5c 100644 --- a/clients/client-securityhub/src/commands/DisassociateFromMasterAccountCommand.ts +++ b/clients/client-securityhub/src/commands/DisassociateFromMasterAccountCommand.ts @@ -103,4 +103,16 @@ export class DisassociateFromMasterAccountCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFromMasterAccountCommand) .de(de_DisassociateFromMasterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateFromMasterAccountCommandInput; + output: DisassociateFromMasterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/DisassociateMembersCommand.ts b/clients/client-securityhub/src/commands/DisassociateMembersCommand.ts index daa3a93411bd..c4f2f69a00e4 100644 --- a/clients/client-securityhub/src/commands/DisassociateMembersCommand.ts +++ b/clients/client-securityhub/src/commands/DisassociateMembersCommand.ts @@ -113,4 +113,16 @@ export class DisassociateMembersCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMembersCommand) .de(de_DisassociateMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMembersRequest; + output: {}; + }; + sdk: { + input: DisassociateMembersCommandInput; + output: DisassociateMembersCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/EnableImportFindingsForProductCommand.ts b/clients/client-securityhub/src/commands/EnableImportFindingsForProductCommand.ts index f2444954ce39..6e7e8f77fd11 100644 --- a/clients/client-securityhub/src/commands/EnableImportFindingsForProductCommand.ts +++ b/clients/client-securityhub/src/commands/EnableImportFindingsForProductCommand.ts @@ -118,4 +118,16 @@ export class EnableImportFindingsForProductCommand extends $Command .f(void 0, void 0) .ser(se_EnableImportFindingsForProductCommand) .de(de_EnableImportFindingsForProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableImportFindingsForProductRequest; + output: EnableImportFindingsForProductResponse; + }; + sdk: { + input: EnableImportFindingsForProductCommandInput; + output: EnableImportFindingsForProductCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/EnableOrganizationAdminAccountCommand.ts b/clients/client-securityhub/src/commands/EnableOrganizationAdminAccountCommand.ts index fede8100d2a8..422b8b4b8b3f 100644 --- a/clients/client-securityhub/src/commands/EnableOrganizationAdminAccountCommand.ts +++ b/clients/client-securityhub/src/commands/EnableOrganizationAdminAccountCommand.ts @@ -109,4 +109,16 @@ export class EnableOrganizationAdminAccountCommand extends $Command .f(void 0, void 0) .ser(se_EnableOrganizationAdminAccountCommand) .de(de_EnableOrganizationAdminAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableOrganizationAdminAccountRequest; + output: {}; + }; + sdk: { + input: EnableOrganizationAdminAccountCommandInput; + output: EnableOrganizationAdminAccountCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/EnableSecurityHubCommand.ts b/clients/client-securityhub/src/commands/EnableSecurityHubCommand.ts index 8bd25c9a92a6..cb6d9e0e4534 100644 --- a/clients/client-securityhub/src/commands/EnableSecurityHubCommand.ts +++ b/clients/client-securityhub/src/commands/EnableSecurityHubCommand.ts @@ -128,4 +128,16 @@ export class EnableSecurityHubCommand extends $Command .f(void 0, void 0) .ser(se_EnableSecurityHubCommand) .de(de_EnableSecurityHubCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableSecurityHubRequest; + output: {}; + }; + sdk: { + input: EnableSecurityHubCommandInput; + output: EnableSecurityHubCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetAdministratorAccountCommand.ts b/clients/client-securityhub/src/commands/GetAdministratorAccountCommand.ts index 7dc631d63037..51bd193ef89c 100644 --- a/clients/client-securityhub/src/commands/GetAdministratorAccountCommand.ts +++ b/clients/client-securityhub/src/commands/GetAdministratorAccountCommand.ts @@ -118,4 +118,16 @@ export class GetAdministratorAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetAdministratorAccountCommand) .de(de_GetAdministratorAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAdministratorAccountResponse; + }; + sdk: { + input: GetAdministratorAccountCommandInput; + output: GetAdministratorAccountCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetConfigurationPolicyAssociationCommand.ts b/clients/client-securityhub/src/commands/GetConfigurationPolicyAssociationCommand.ts index 3e713d5f32a5..eb8b26d7b74a 100644 --- a/clients/client-securityhub/src/commands/GetConfigurationPolicyAssociationCommand.ts +++ b/clients/client-securityhub/src/commands/GetConfigurationPolicyAssociationCommand.ts @@ -143,4 +143,16 @@ export class GetConfigurationPolicyAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationPolicyAssociationCommand) .de(de_GetConfigurationPolicyAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationPolicyAssociationRequest; + output: GetConfigurationPolicyAssociationResponse; + }; + sdk: { + input: GetConfigurationPolicyAssociationCommandInput; + output: GetConfigurationPolicyAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetConfigurationPolicyCommand.ts b/clients/client-securityhub/src/commands/GetConfigurationPolicyCommand.ts index 37780440adc0..05825733a4d3 100644 --- a/clients/client-securityhub/src/commands/GetConfigurationPolicyCommand.ts +++ b/clients/client-securityhub/src/commands/GetConfigurationPolicyCommand.ts @@ -195,4 +195,16 @@ export class GetConfigurationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationPolicyCommand) .de(de_GetConfigurationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationPolicyRequest; + output: GetConfigurationPolicyResponse; + }; + sdk: { + input: GetConfigurationPolicyCommandInput; + output: GetConfigurationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetEnabledStandardsCommand.ts b/clients/client-securityhub/src/commands/GetEnabledStandardsCommand.ts index 01f14f383177..c88b7c231d57 100644 --- a/clients/client-securityhub/src/commands/GetEnabledStandardsCommand.ts +++ b/clients/client-securityhub/src/commands/GetEnabledStandardsCommand.ts @@ -133,4 +133,16 @@ export class GetEnabledStandardsCommand extends $Command .f(void 0, void 0) .ser(se_GetEnabledStandardsCommand) .de(de_GetEnabledStandardsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnabledStandardsRequest; + output: GetEnabledStandardsResponse; + }; + sdk: { + input: GetEnabledStandardsCommandInput; + output: GetEnabledStandardsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetFindingAggregatorCommand.ts b/clients/client-securityhub/src/commands/GetFindingAggregatorCommand.ts index 5a529c474158..e831a4ec5c14 100644 --- a/clients/client-securityhub/src/commands/GetFindingAggregatorCommand.ts +++ b/clients/client-securityhub/src/commands/GetFindingAggregatorCommand.ts @@ -124,4 +124,16 @@ export class GetFindingAggregatorCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingAggregatorCommand) .de(de_GetFindingAggregatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingAggregatorRequest; + output: GetFindingAggregatorResponse; + }; + sdk: { + input: GetFindingAggregatorCommandInput; + output: GetFindingAggregatorCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetFindingHistoryCommand.ts b/clients/client-securityhub/src/commands/GetFindingHistoryCommand.ts index 0916bc832093..1445e7e7e516 100644 --- a/clients/client-securityhub/src/commands/GetFindingHistoryCommand.ts +++ b/clients/client-securityhub/src/commands/GetFindingHistoryCommand.ts @@ -165,4 +165,16 @@ export class GetFindingHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingHistoryCommand) .de(de_GetFindingHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingHistoryRequest; + output: GetFindingHistoryResponse; + }; + sdk: { + input: GetFindingHistoryCommandInput; + output: GetFindingHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetFindingsCommand.ts b/clients/client-securityhub/src/commands/GetFindingsCommand.ts index 1cfb07482ed9..380627421842 100644 --- a/clients/client-securityhub/src/commands/GetFindingsCommand.ts +++ b/clients/client-securityhub/src/commands/GetFindingsCommand.ts @@ -4661,4 +4661,16 @@ export class GetFindingsCommand extends $Command .f(void 0, void 0) .ser(se_GetFindingsCommand) .de(de_GetFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFindingsRequest; + output: GetFindingsResponse; + }; + sdk: { + input: GetFindingsCommandInput; + output: GetFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetInsightResultsCommand.ts b/clients/client-securityhub/src/commands/GetInsightResultsCommand.ts index 186a5e99a3ae..e45de21202cb 100644 --- a/clients/client-securityhub/src/commands/GetInsightResultsCommand.ts +++ b/clients/client-securityhub/src/commands/GetInsightResultsCommand.ts @@ -132,4 +132,16 @@ export class GetInsightResultsCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightResultsCommand) .de(de_GetInsightResultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightResultsRequest; + output: GetInsightResultsResponse; + }; + sdk: { + input: GetInsightResultsCommandInput; + output: GetInsightResultsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetInsightsCommand.ts b/clients/client-securityhub/src/commands/GetInsightsCommand.ts index 47fac0130362..8e88562f8d78 100644 --- a/clients/client-securityhub/src/commands/GetInsightsCommand.ts +++ b/clients/client-securityhub/src/commands/GetInsightsCommand.ts @@ -411,4 +411,16 @@ export class GetInsightsCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightsCommand) .de(de_GetInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightsRequest; + output: GetInsightsResponse; + }; + sdk: { + input: GetInsightsCommandInput; + output: GetInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetInvitationsCountCommand.ts b/clients/client-securityhub/src/commands/GetInvitationsCountCommand.ts index 21fda15cc7fb..8e82064df251 100644 --- a/clients/client-securityhub/src/commands/GetInvitationsCountCommand.ts +++ b/clients/client-securityhub/src/commands/GetInvitationsCountCommand.ts @@ -106,4 +106,16 @@ export class GetInvitationsCountCommand extends $Command .f(void 0, void 0) .ser(se_GetInvitationsCountCommand) .de(de_GetInvitationsCountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetInvitationsCountResponse; + }; + sdk: { + input: GetInvitationsCountCommandInput; + output: GetInvitationsCountCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetMasterAccountCommand.ts b/clients/client-securityhub/src/commands/GetMasterAccountCommand.ts index ff990794b32a..0d3f3db17f39 100644 --- a/clients/client-securityhub/src/commands/GetMasterAccountCommand.ts +++ b/clients/client-securityhub/src/commands/GetMasterAccountCommand.ts @@ -103,4 +103,16 @@ export class GetMasterAccountCommand extends $Command .f(void 0, void 0) .ser(se_GetMasterAccountCommand) .de(de_GetMasterAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetMasterAccountResponse; + }; + sdk: { + input: GetMasterAccountCommandInput; + output: GetMasterAccountCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetMembersCommand.ts b/clients/client-securityhub/src/commands/GetMembersCommand.ts index ddc5d890541e..0e169a12f8be 100644 --- a/clients/client-securityhub/src/commands/GetMembersCommand.ts +++ b/clients/client-securityhub/src/commands/GetMembersCommand.ts @@ -153,4 +153,16 @@ export class GetMembersCommand extends $Command .f(void 0, void 0) .ser(se_GetMembersCommand) .de(de_GetMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMembersRequest; + output: GetMembersResponse; + }; + sdk: { + input: GetMembersCommandInput; + output: GetMembersCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/GetSecurityControlDefinitionCommand.ts b/clients/client-securityhub/src/commands/GetSecurityControlDefinitionCommand.ts index 9c5b57620942..e7cf04a1931a 100644 --- a/clients/client-securityhub/src/commands/GetSecurityControlDefinitionCommand.ts +++ b/clients/client-securityhub/src/commands/GetSecurityControlDefinitionCommand.ts @@ -202,4 +202,16 @@ export class GetSecurityControlDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_GetSecurityControlDefinitionCommand) .de(de_GetSecurityControlDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSecurityControlDefinitionRequest; + output: GetSecurityControlDefinitionResponse; + }; + sdk: { + input: GetSecurityControlDefinitionCommandInput; + output: GetSecurityControlDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/InviteMembersCommand.ts b/clients/client-securityhub/src/commands/InviteMembersCommand.ts index dedf6dcc6249..c8ad739d126c 100644 --- a/clients/client-securityhub/src/commands/InviteMembersCommand.ts +++ b/clients/client-securityhub/src/commands/InviteMembersCommand.ts @@ -126,4 +126,16 @@ export class InviteMembersCommand extends $Command .f(void 0, void 0) .ser(se_InviteMembersCommand) .de(de_InviteMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InviteMembersRequest; + output: InviteMembersResponse; + }; + sdk: { + input: InviteMembersCommandInput; + output: InviteMembersCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListAutomationRulesCommand.ts b/clients/client-securityhub/src/commands/ListAutomationRulesCommand.ts index 996797a6e792..e4f5841c3734 100644 --- a/clients/client-securityhub/src/commands/ListAutomationRulesCommand.ts +++ b/clients/client-securityhub/src/commands/ListAutomationRulesCommand.ts @@ -149,4 +149,16 @@ export class ListAutomationRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListAutomationRulesCommand) .de(de_ListAutomationRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAutomationRulesRequest; + output: ListAutomationRulesResponse; + }; + sdk: { + input: ListAutomationRulesCommandInput; + output: ListAutomationRulesCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListConfigurationPoliciesCommand.ts b/clients/client-securityhub/src/commands/ListConfigurationPoliciesCommand.ts index 3aae39567411..53bf64231754 100644 --- a/clients/client-securityhub/src/commands/ListConfigurationPoliciesCommand.ts +++ b/clients/client-securityhub/src/commands/ListConfigurationPoliciesCommand.ts @@ -135,4 +135,16 @@ export class ListConfigurationPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationPoliciesCommand) .de(de_ListConfigurationPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationPoliciesRequest; + output: ListConfigurationPoliciesResponse; + }; + sdk: { + input: ListConfigurationPoliciesCommandInput; + output: ListConfigurationPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListConfigurationPolicyAssociationsCommand.ts b/clients/client-securityhub/src/commands/ListConfigurationPolicyAssociationsCommand.ts index 208152ddb0bd..4c8a1590aac6 100644 --- a/clients/client-securityhub/src/commands/ListConfigurationPolicyAssociationsCommand.ts +++ b/clients/client-securityhub/src/commands/ListConfigurationPolicyAssociationsCommand.ts @@ -152,4 +152,16 @@ export class ListConfigurationPolicyAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationPolicyAssociationsCommand) .de(de_ListConfigurationPolicyAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationPolicyAssociationsRequest; + output: ListConfigurationPolicyAssociationsResponse; + }; + sdk: { + input: ListConfigurationPolicyAssociationsCommandInput; + output: ListConfigurationPolicyAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListEnabledProductsForImportCommand.ts b/clients/client-securityhub/src/commands/ListEnabledProductsForImportCommand.ts index 83db19556abc..cd59f7475ea0 100644 --- a/clients/client-securityhub/src/commands/ListEnabledProductsForImportCommand.ts +++ b/clients/client-securityhub/src/commands/ListEnabledProductsForImportCommand.ts @@ -114,4 +114,16 @@ export class ListEnabledProductsForImportCommand extends $Command .f(void 0, void 0) .ser(se_ListEnabledProductsForImportCommand) .de(de_ListEnabledProductsForImportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnabledProductsForImportRequest; + output: ListEnabledProductsForImportResponse; + }; + sdk: { + input: ListEnabledProductsForImportCommandInput; + output: ListEnabledProductsForImportCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListFindingAggregatorsCommand.ts b/clients/client-securityhub/src/commands/ListFindingAggregatorsCommand.ts index 1df36f3532ad..20823626f745 100644 --- a/clients/client-securityhub/src/commands/ListFindingAggregatorsCommand.ts +++ b/clients/client-securityhub/src/commands/ListFindingAggregatorsCommand.ts @@ -118,4 +118,16 @@ export class ListFindingAggregatorsCommand extends $Command .f(void 0, void 0) .ser(se_ListFindingAggregatorsCommand) .de(de_ListFindingAggregatorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFindingAggregatorsRequest; + output: ListFindingAggregatorsResponse; + }; + sdk: { + input: ListFindingAggregatorsCommandInput; + output: ListFindingAggregatorsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListInvitationsCommand.ts b/clients/client-securityhub/src/commands/ListInvitationsCommand.ts index bf0669ff8881..8e850419b0da 100644 --- a/clients/client-securityhub/src/commands/ListInvitationsCommand.ts +++ b/clients/client-securityhub/src/commands/ListInvitationsCommand.ts @@ -123,4 +123,16 @@ export class ListInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_ListInvitationsCommand) .de(de_ListInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInvitationsRequest; + output: ListInvitationsResponse; + }; + sdk: { + input: ListInvitationsCommandInput; + output: ListInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListMembersCommand.ts b/clients/client-securityhub/src/commands/ListMembersCommand.ts index 6e9f1fbab9be..cef9eb506928 100644 --- a/clients/client-securityhub/src/commands/ListMembersCommand.ts +++ b/clients/client-securityhub/src/commands/ListMembersCommand.ts @@ -138,4 +138,16 @@ export class ListMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListMembersCommand) .de(de_ListMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMembersRequest; + output: ListMembersResponse; + }; + sdk: { + input: ListMembersCommandInput; + output: ListMembersCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListOrganizationAdminAccountsCommand.ts b/clients/client-securityhub/src/commands/ListOrganizationAdminAccountsCommand.ts index cf7318942e4a..d486b8b275ab 100644 --- a/clients/client-securityhub/src/commands/ListOrganizationAdminAccountsCommand.ts +++ b/clients/client-securityhub/src/commands/ListOrganizationAdminAccountsCommand.ts @@ -125,4 +125,16 @@ export class ListOrganizationAdminAccountsCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationAdminAccountsCommand) .de(de_ListOrganizationAdminAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationAdminAccountsRequest; + output: ListOrganizationAdminAccountsResponse; + }; + sdk: { + input: ListOrganizationAdminAccountsCommandInput; + output: ListOrganizationAdminAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListSecurityControlDefinitionsCommand.ts b/clients/client-securityhub/src/commands/ListSecurityControlDefinitionsCommand.ts index e559a06a959c..25f7857b2780 100644 --- a/clients/client-securityhub/src/commands/ListSecurityControlDefinitionsCommand.ts +++ b/clients/client-securityhub/src/commands/ListSecurityControlDefinitionsCommand.ts @@ -219,4 +219,16 @@ export class ListSecurityControlDefinitionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityControlDefinitionsCommand) .de(de_ListSecurityControlDefinitionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityControlDefinitionsRequest; + output: ListSecurityControlDefinitionsResponse; + }; + sdk: { + input: ListSecurityControlDefinitionsCommandInput; + output: ListSecurityControlDefinitionsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListStandardsControlAssociationsCommand.ts b/clients/client-securityhub/src/commands/ListStandardsControlAssociationsCommand.ts index 8cee27231b41..56b091799e0a 100644 --- a/clients/client-securityhub/src/commands/ListStandardsControlAssociationsCommand.ts +++ b/clients/client-securityhub/src/commands/ListStandardsControlAssociationsCommand.ts @@ -159,4 +159,16 @@ export class ListStandardsControlAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListStandardsControlAssociationsCommand) .de(de_ListStandardsControlAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStandardsControlAssociationsRequest; + output: ListStandardsControlAssociationsResponse; + }; + sdk: { + input: ListStandardsControlAssociationsCommandInput; + output: ListStandardsControlAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/ListTagsForResourceCommand.ts b/clients/client-securityhub/src/commands/ListTagsForResourceCommand.ts index 931768db70c4..730a259d086a 100644 --- a/clients/client-securityhub/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-securityhub/src/commands/ListTagsForResourceCommand.ts @@ -108,4 +108,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/StartConfigurationPolicyAssociationCommand.ts b/clients/client-securityhub/src/commands/StartConfigurationPolicyAssociationCommand.ts index d4d1baafb603..a6e83e1eea53 100644 --- a/clients/client-securityhub/src/commands/StartConfigurationPolicyAssociationCommand.ts +++ b/clients/client-securityhub/src/commands/StartConfigurationPolicyAssociationCommand.ts @@ -145,4 +145,16 @@ export class StartConfigurationPolicyAssociationCommand extends $Command .f(void 0, void 0) .ser(se_StartConfigurationPolicyAssociationCommand) .de(de_StartConfigurationPolicyAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartConfigurationPolicyAssociationRequest; + output: StartConfigurationPolicyAssociationResponse; + }; + sdk: { + input: StartConfigurationPolicyAssociationCommandInput; + output: StartConfigurationPolicyAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/StartConfigurationPolicyDisassociationCommand.ts b/clients/client-securityhub/src/commands/StartConfigurationPolicyDisassociationCommand.ts index f73fddae2128..2e8cfc227aca 100644 --- a/clients/client-securityhub/src/commands/StartConfigurationPolicyDisassociationCommand.ts +++ b/clients/client-securityhub/src/commands/StartConfigurationPolicyDisassociationCommand.ts @@ -129,4 +129,16 @@ export class StartConfigurationPolicyDisassociationCommand extends $Command .f(void 0, void 0) .ser(se_StartConfigurationPolicyDisassociationCommand) .de(de_StartConfigurationPolicyDisassociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartConfigurationPolicyDisassociationRequest; + output: {}; + }; + sdk: { + input: StartConfigurationPolicyDisassociationCommandInput; + output: StartConfigurationPolicyDisassociationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/TagResourceCommand.ts b/clients/client-securityhub/src/commands/TagResourceCommand.ts index 48f008b1300b..0b60e44f0204 100644 --- a/clients/client-securityhub/src/commands/TagResourceCommand.ts +++ b/clients/client-securityhub/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UntagResourceCommand.ts b/clients/client-securityhub/src/commands/UntagResourceCommand.ts index 817b02855533..dca7a0ae767d 100644 --- a/clients/client-securityhub/src/commands/UntagResourceCommand.ts +++ b/clients/client-securityhub/src/commands/UntagResourceCommand.ts @@ -102,4 +102,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateActionTargetCommand.ts b/clients/client-securityhub/src/commands/UpdateActionTargetCommand.ts index 5121c2e86497..048ce1f97071 100644 --- a/clients/client-securityhub/src/commands/UpdateActionTargetCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateActionTargetCommand.ts @@ -103,4 +103,16 @@ export class UpdateActionTargetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateActionTargetCommand) .de(de_UpdateActionTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateActionTargetRequest; + output: {}; + }; + sdk: { + input: UpdateActionTargetCommandInput; + output: UpdateActionTargetCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateConfigurationPolicyCommand.ts b/clients/client-securityhub/src/commands/UpdateConfigurationPolicyCommand.ts index e5f1be703344..638f2bcc7727 100644 --- a/clients/client-securityhub/src/commands/UpdateConfigurationPolicyCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateConfigurationPolicyCommand.ts @@ -275,4 +275,16 @@ export class UpdateConfigurationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationPolicyCommand) .de(de_UpdateConfigurationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationPolicyRequest; + output: UpdateConfigurationPolicyResponse; + }; + sdk: { + input: UpdateConfigurationPolicyCommandInput; + output: UpdateConfigurationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateFindingAggregatorCommand.ts b/clients/client-securityhub/src/commands/UpdateFindingAggregatorCommand.ts index e0f1ab477b37..3e4739300cad 100644 --- a/clients/client-securityhub/src/commands/UpdateFindingAggregatorCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateFindingAggregatorCommand.ts @@ -135,4 +135,16 @@ export class UpdateFindingAggregatorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFindingAggregatorCommand) .de(de_UpdateFindingAggregatorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFindingAggregatorRequest; + output: UpdateFindingAggregatorResponse; + }; + sdk: { + input: UpdateFindingAggregatorCommandInput; + output: UpdateFindingAggregatorCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateFindingsCommand.ts b/clients/client-securityhub/src/commands/UpdateFindingsCommand.ts index 97cafef88ffc..1fc6f285ab6f 100644 --- a/clients/client-securityhub/src/commands/UpdateFindingsCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateFindingsCommand.ts @@ -372,4 +372,16 @@ export class UpdateFindingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFindingsCommand) .de(de_UpdateFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFindingsRequest; + output: {}; + }; + sdk: { + input: UpdateFindingsCommandInput; + output: UpdateFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateInsightCommand.ts b/clients/client-securityhub/src/commands/UpdateInsightCommand.ts index f987dc5c818a..304c6750ca71 100644 --- a/clients/client-securityhub/src/commands/UpdateInsightCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateInsightCommand.ts @@ -388,4 +388,16 @@ export class UpdateInsightCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInsightCommand) .de(de_UpdateInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInsightRequest; + output: {}; + }; + sdk: { + input: UpdateInsightCommandInput; + output: UpdateInsightCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateOrganizationConfigurationCommand.ts b/clients/client-securityhub/src/commands/UpdateOrganizationConfigurationCommand.ts index d811ea3e5971..d854058620b6 100644 --- a/clients/client-securityhub/src/commands/UpdateOrganizationConfigurationCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateOrganizationConfigurationCommand.ts @@ -125,4 +125,16 @@ export class UpdateOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOrganizationConfigurationCommand) .de(de_UpdateOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrganizationConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateOrganizationConfigurationCommandInput; + output: UpdateOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateSecurityControlCommand.ts b/clients/client-securityhub/src/commands/UpdateSecurityControlCommand.ts index 0d0fdbcbd255..c325ffd682b4 100644 --- a/clients/client-securityhub/src/commands/UpdateSecurityControlCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateSecurityControlCommand.ts @@ -145,4 +145,16 @@ export class UpdateSecurityControlCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityControlCommand) .de(de_UpdateSecurityControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityControlRequest; + output: {}; + }; + sdk: { + input: UpdateSecurityControlCommandInput; + output: UpdateSecurityControlCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateSecurityHubConfigurationCommand.ts b/clients/client-securityhub/src/commands/UpdateSecurityHubConfigurationCommand.ts index 5f2ab35b4aa2..6843e9b6d861 100644 --- a/clients/client-securityhub/src/commands/UpdateSecurityHubConfigurationCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateSecurityHubConfigurationCommand.ts @@ -113,4 +113,16 @@ export class UpdateSecurityHubConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSecurityHubConfigurationCommand) .de(de_UpdateSecurityHubConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSecurityHubConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateSecurityHubConfigurationCommandInput; + output: UpdateSecurityHubConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-securityhub/src/commands/UpdateStandardsControlCommand.ts b/clients/client-securityhub/src/commands/UpdateStandardsControlCommand.ts index 98723c6fcea7..c0cdb75e2ba3 100644 --- a/clients/client-securityhub/src/commands/UpdateStandardsControlCommand.ts +++ b/clients/client-securityhub/src/commands/UpdateStandardsControlCommand.ts @@ -107,4 +107,16 @@ export class UpdateStandardsControlCommand extends $Command .f(void 0, void 0) .ser(se_UpdateStandardsControlCommand) .de(de_UpdateStandardsControlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStandardsControlRequest; + output: {}; + }; + sdk: { + input: UpdateStandardsControlCommandInput; + output: UpdateStandardsControlCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/package.json b/clients/client-securitylake/package.json index 6d73caab9bb5..bfd35a4ef1c9 100644 --- a/clients/client-securitylake/package.json +++ b/clients/client-securitylake/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-securitylake/src/commands/CreateAwsLogSourceCommand.ts b/clients/client-securitylake/src/commands/CreateAwsLogSourceCommand.ts index 4439d17596cb..9004cb9868ea 100644 --- a/clients/client-securitylake/src/commands/CreateAwsLogSourceCommand.ts +++ b/clients/client-securitylake/src/commands/CreateAwsLogSourceCommand.ts @@ -121,4 +121,16 @@ export class CreateAwsLogSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateAwsLogSourceCommand) .de(de_CreateAwsLogSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAwsLogSourceRequest; + output: CreateAwsLogSourceResponse; + }; + sdk: { + input: CreateAwsLogSourceCommandInput; + output: CreateAwsLogSourceCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/CreateCustomLogSourceCommand.ts b/clients/client-securitylake/src/commands/CreateCustomLogSourceCommand.ts index dc4767df6655..91476fa4ec93 100644 --- a/clients/client-securitylake/src/commands/CreateCustomLogSourceCommand.ts +++ b/clients/client-securitylake/src/commands/CreateCustomLogSourceCommand.ts @@ -133,4 +133,16 @@ export class CreateCustomLogSourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomLogSourceCommand) .de(de_CreateCustomLogSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomLogSourceRequest; + output: CreateCustomLogSourceResponse; + }; + sdk: { + input: CreateCustomLogSourceCommandInput; + output: CreateCustomLogSourceCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/CreateDataLakeCommand.ts b/clients/client-securitylake/src/commands/CreateDataLakeCommand.ts index 4208c590749e..0b721fede256 100644 --- a/clients/client-securitylake/src/commands/CreateDataLakeCommand.ts +++ b/clients/client-securitylake/src/commands/CreateDataLakeCommand.ts @@ -181,4 +181,16 @@ export class CreateDataLakeCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataLakeCommand) .de(de_CreateDataLakeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataLakeRequest; + output: CreateDataLakeResponse; + }; + sdk: { + input: CreateDataLakeCommandInput; + output: CreateDataLakeCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/CreateDataLakeExceptionSubscriptionCommand.ts b/clients/client-securitylake/src/commands/CreateDataLakeExceptionSubscriptionCommand.ts index a5b249d1e806..279942fa0a30 100644 --- a/clients/client-securitylake/src/commands/CreateDataLakeExceptionSubscriptionCommand.ts +++ b/clients/client-securitylake/src/commands/CreateDataLakeExceptionSubscriptionCommand.ts @@ -111,4 +111,16 @@ export class CreateDataLakeExceptionSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataLakeExceptionSubscriptionCommand) .de(de_CreateDataLakeExceptionSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataLakeExceptionSubscriptionRequest; + output: {}; + }; + sdk: { + input: CreateDataLakeExceptionSubscriptionCommandInput; + output: CreateDataLakeExceptionSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/CreateDataLakeOrganizationConfigurationCommand.ts b/clients/client-securitylake/src/commands/CreateDataLakeOrganizationConfigurationCommand.ts index 7a173876930d..78bd1d186aef 100644 --- a/clients/client-securitylake/src/commands/CreateDataLakeOrganizationConfigurationCommand.ts +++ b/clients/client-securitylake/src/commands/CreateDataLakeOrganizationConfigurationCommand.ts @@ -121,4 +121,16 @@ export class CreateDataLakeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateDataLakeOrganizationConfigurationCommand) .de(de_CreateDataLakeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDataLakeOrganizationConfigurationRequest; + output: {}; + }; + sdk: { + input: CreateDataLakeOrganizationConfigurationCommandInput; + output: CreateDataLakeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/CreateSubscriberCommand.ts b/clients/client-securitylake/src/commands/CreateSubscriberCommand.ts index a76dd5777649..61fd63f9e520 100644 --- a/clients/client-securitylake/src/commands/CreateSubscriberCommand.ts +++ b/clients/client-securitylake/src/commands/CreateSubscriberCommand.ts @@ -179,4 +179,16 @@ export class CreateSubscriberCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubscriberCommand) .de(de_CreateSubscriberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriberRequest; + output: CreateSubscriberResponse; + }; + sdk: { + input: CreateSubscriberCommandInput; + output: CreateSubscriberCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/CreateSubscriberNotificationCommand.ts b/clients/client-securitylake/src/commands/CreateSubscriberNotificationCommand.ts index 8cbe59bdc7e8..1070eb918ad4 100644 --- a/clients/client-securitylake/src/commands/CreateSubscriberNotificationCommand.ts +++ b/clients/client-securitylake/src/commands/CreateSubscriberNotificationCommand.ts @@ -119,4 +119,16 @@ export class CreateSubscriberNotificationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubscriberNotificationCommand) .de(de_CreateSubscriberNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSubscriberNotificationRequest; + output: CreateSubscriberNotificationResponse; + }; + sdk: { + input: CreateSubscriberNotificationCommandInput; + output: CreateSubscriberNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeleteAwsLogSourceCommand.ts b/clients/client-securitylake/src/commands/DeleteAwsLogSourceCommand.ts index 39fadfcb1792..54f29f2a572f 100644 --- a/clients/client-securitylake/src/commands/DeleteAwsLogSourceCommand.ts +++ b/clients/client-securitylake/src/commands/DeleteAwsLogSourceCommand.ts @@ -121,4 +121,16 @@ export class DeleteAwsLogSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAwsLogSourceCommand) .de(de_DeleteAwsLogSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAwsLogSourceRequest; + output: DeleteAwsLogSourceResponse; + }; + sdk: { + input: DeleteAwsLogSourceCommandInput; + output: DeleteAwsLogSourceCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeleteCustomLogSourceCommand.ts b/clients/client-securitylake/src/commands/DeleteCustomLogSourceCommand.ts index 341a86b57208..bc680ffe6659 100644 --- a/clients/client-securitylake/src/commands/DeleteCustomLogSourceCommand.ts +++ b/clients/client-securitylake/src/commands/DeleteCustomLogSourceCommand.ts @@ -102,4 +102,16 @@ export class DeleteCustomLogSourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomLogSourceCommand) .de(de_DeleteCustomLogSourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomLogSourceRequest; + output: {}; + }; + sdk: { + input: DeleteCustomLogSourceCommandInput; + output: DeleteCustomLogSourceCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeleteDataLakeCommand.ts b/clients/client-securitylake/src/commands/DeleteDataLakeCommand.ts index 32359b99ff68..37b6f24d3be2 100644 --- a/clients/client-securitylake/src/commands/DeleteDataLakeCommand.ts +++ b/clients/client-securitylake/src/commands/DeleteDataLakeCommand.ts @@ -109,4 +109,16 @@ export class DeleteDataLakeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataLakeCommand) .de(de_DeleteDataLakeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataLakeRequest; + output: {}; + }; + sdk: { + input: DeleteDataLakeCommandInput; + output: DeleteDataLakeCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeleteDataLakeExceptionSubscriptionCommand.ts b/clients/client-securitylake/src/commands/DeleteDataLakeExceptionSubscriptionCommand.ts index db9a77e6a53f..502f300df1b7 100644 --- a/clients/client-securitylake/src/commands/DeleteDataLakeExceptionSubscriptionCommand.ts +++ b/clients/client-securitylake/src/commands/DeleteDataLakeExceptionSubscriptionCommand.ts @@ -107,4 +107,16 @@ export class DeleteDataLakeExceptionSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataLakeExceptionSubscriptionCommand) .de(de_DeleteDataLakeExceptionSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteDataLakeExceptionSubscriptionCommandInput; + output: DeleteDataLakeExceptionSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeleteDataLakeOrganizationConfigurationCommand.ts b/clients/client-securitylake/src/commands/DeleteDataLakeOrganizationConfigurationCommand.ts index 1809b169034c..9541c606a0fe 100644 --- a/clients/client-securitylake/src/commands/DeleteDataLakeOrganizationConfigurationCommand.ts +++ b/clients/client-securitylake/src/commands/DeleteDataLakeOrganizationConfigurationCommand.ts @@ -121,4 +121,16 @@ export class DeleteDataLakeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDataLakeOrganizationConfigurationCommand) .de(de_DeleteDataLakeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDataLakeOrganizationConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteDataLakeOrganizationConfigurationCommandInput; + output: DeleteDataLakeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeleteSubscriberCommand.ts b/clients/client-securitylake/src/commands/DeleteSubscriberCommand.ts index dac70c6066b2..25336ee8c8d8 100644 --- a/clients/client-securitylake/src/commands/DeleteSubscriberCommand.ts +++ b/clients/client-securitylake/src/commands/DeleteSubscriberCommand.ts @@ -103,4 +103,16 @@ export class DeleteSubscriberCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriberCommand) .de(de_DeleteSubscriberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriberRequest; + output: {}; + }; + sdk: { + input: DeleteSubscriberCommandInput; + output: DeleteSubscriberCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeleteSubscriberNotificationCommand.ts b/clients/client-securitylake/src/commands/DeleteSubscriberNotificationCommand.ts index ea6aac357a69..0f437ef78f3c 100644 --- a/clients/client-securitylake/src/commands/DeleteSubscriberNotificationCommand.ts +++ b/clients/client-securitylake/src/commands/DeleteSubscriberNotificationCommand.ts @@ -106,4 +106,16 @@ export class DeleteSubscriberNotificationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriberNotificationCommand) .de(de_DeleteSubscriberNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSubscriberNotificationRequest; + output: {}; + }; + sdk: { + input: DeleteSubscriberNotificationCommandInput; + output: DeleteSubscriberNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/DeregisterDataLakeDelegatedAdministratorCommand.ts b/clients/client-securitylake/src/commands/DeregisterDataLakeDelegatedAdministratorCommand.ts index 7b0185af2f7e..b79863ff161c 100644 --- a/clients/client-securitylake/src/commands/DeregisterDataLakeDelegatedAdministratorCommand.ts +++ b/clients/client-securitylake/src/commands/DeregisterDataLakeDelegatedAdministratorCommand.ts @@ -109,4 +109,16 @@ export class DeregisterDataLakeDelegatedAdministratorCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterDataLakeDelegatedAdministratorCommand) .de(de_DeregisterDataLakeDelegatedAdministratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeregisterDataLakeDelegatedAdministratorCommandInput; + output: DeregisterDataLakeDelegatedAdministratorCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/GetDataLakeExceptionSubscriptionCommand.ts b/clients/client-securitylake/src/commands/GetDataLakeExceptionSubscriptionCommand.ts index bd22e46c4463..3d5a74174832 100644 --- a/clients/client-securitylake/src/commands/GetDataLakeExceptionSubscriptionCommand.ts +++ b/clients/client-securitylake/src/commands/GetDataLakeExceptionSubscriptionCommand.ts @@ -107,4 +107,16 @@ export class GetDataLakeExceptionSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_GetDataLakeExceptionSubscriptionCommand) .de(de_GetDataLakeExceptionSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDataLakeExceptionSubscriptionResponse; + }; + sdk: { + input: GetDataLakeExceptionSubscriptionCommandInput; + output: GetDataLakeExceptionSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/GetDataLakeOrganizationConfigurationCommand.ts b/clients/client-securitylake/src/commands/GetDataLakeOrganizationConfigurationCommand.ts index 094d8bbaa111..1742cac23baa 100644 --- a/clients/client-securitylake/src/commands/GetDataLakeOrganizationConfigurationCommand.ts +++ b/clients/client-securitylake/src/commands/GetDataLakeOrganizationConfigurationCommand.ts @@ -120,4 +120,16 @@ export class GetDataLakeOrganizationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetDataLakeOrganizationConfigurationCommand) .de(de_GetDataLakeOrganizationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDataLakeOrganizationConfigurationResponse; + }; + sdk: { + input: GetDataLakeOrganizationConfigurationCommandInput; + output: GetDataLakeOrganizationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/GetDataLakeSourcesCommand.ts b/clients/client-securitylake/src/commands/GetDataLakeSourcesCommand.ts index 120459bb640f..a3ed3908a439 100644 --- a/clients/client-securitylake/src/commands/GetDataLakeSourcesCommand.ts +++ b/clients/client-securitylake/src/commands/GetDataLakeSourcesCommand.ts @@ -123,4 +123,16 @@ export class GetDataLakeSourcesCommand extends $Command .f(void 0, void 0) .ser(se_GetDataLakeSourcesCommand) .de(de_GetDataLakeSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataLakeSourcesRequest; + output: GetDataLakeSourcesResponse; + }; + sdk: { + input: GetDataLakeSourcesCommandInput; + output: GetDataLakeSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/GetSubscriberCommand.ts b/clients/client-securitylake/src/commands/GetSubscriberCommand.ts index 595023ed997d..49113204e3c0 100644 --- a/clients/client-securitylake/src/commands/GetSubscriberCommand.ts +++ b/clients/client-securitylake/src/commands/GetSubscriberCommand.ts @@ -144,4 +144,16 @@ export class GetSubscriberCommand extends $Command .f(void 0, void 0) .ser(se_GetSubscriberCommand) .de(de_GetSubscriberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriberRequest; + output: GetSubscriberResponse; + }; + sdk: { + input: GetSubscriberCommandInput; + output: GetSubscriberCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/ListDataLakeExceptionsCommand.ts b/clients/client-securitylake/src/commands/ListDataLakeExceptionsCommand.ts index 7c927c3e8e0c..8932acbe4d1a 100644 --- a/clients/client-securitylake/src/commands/ListDataLakeExceptionsCommand.ts +++ b/clients/client-securitylake/src/commands/ListDataLakeExceptionsCommand.ts @@ -115,4 +115,16 @@ export class ListDataLakeExceptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDataLakeExceptionsCommand) .de(de_ListDataLakeExceptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataLakeExceptionsRequest; + output: ListDataLakeExceptionsResponse; + }; + sdk: { + input: ListDataLakeExceptionsCommandInput; + output: ListDataLakeExceptionsCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/ListDataLakesCommand.ts b/clients/client-securitylake/src/commands/ListDataLakesCommand.ts index dc7f367af3be..f100d9e31d47 100644 --- a/clients/client-securitylake/src/commands/ListDataLakesCommand.ts +++ b/clients/client-securitylake/src/commands/ListDataLakesCommand.ts @@ -140,4 +140,16 @@ export class ListDataLakesCommand extends $Command .f(void 0, void 0) .ser(se_ListDataLakesCommand) .de(de_ListDataLakesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDataLakesRequest; + output: ListDataLakesResponse; + }; + sdk: { + input: ListDataLakesCommandInput; + output: ListDataLakesCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/ListLogSourcesCommand.ts b/clients/client-securitylake/src/commands/ListLogSourcesCommand.ts index 7e01286d60ff..cc72363acf72 100644 --- a/clients/client-securitylake/src/commands/ListLogSourcesCommand.ts +++ b/clients/client-securitylake/src/commands/ListLogSourcesCommand.ts @@ -157,4 +157,16 @@ export class ListLogSourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListLogSourcesCommand) .de(de_ListLogSourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLogSourcesRequest; + output: ListLogSourcesResponse; + }; + sdk: { + input: ListLogSourcesCommandInput; + output: ListLogSourcesCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/ListSubscribersCommand.ts b/clients/client-securitylake/src/commands/ListSubscribersCommand.ts index 20a188081437..b356ab6c7328 100644 --- a/clients/client-securitylake/src/commands/ListSubscribersCommand.ts +++ b/clients/client-securitylake/src/commands/ListSubscribersCommand.ts @@ -148,4 +148,16 @@ export class ListSubscribersCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscribersCommand) .de(de_ListSubscribersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscribersRequest; + output: ListSubscribersResponse; + }; + sdk: { + input: ListSubscribersCommandInput; + output: ListSubscribersCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/ListTagsForResourceCommand.ts b/clients/client-securitylake/src/commands/ListTagsForResourceCommand.ts index bd3d0e67b9e9..4b120175cf5d 100644 --- a/clients/client-securitylake/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-securitylake/src/commands/ListTagsForResourceCommand.ts @@ -108,4 +108,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/RegisterDataLakeDelegatedAdministratorCommand.ts b/clients/client-securitylake/src/commands/RegisterDataLakeDelegatedAdministratorCommand.ts index 8df138d87e07..34527178d7f4 100644 --- a/clients/client-securitylake/src/commands/RegisterDataLakeDelegatedAdministratorCommand.ts +++ b/clients/client-securitylake/src/commands/RegisterDataLakeDelegatedAdministratorCommand.ts @@ -111,4 +111,16 @@ export class RegisterDataLakeDelegatedAdministratorCommand extends $Command .f(void 0, void 0) .ser(se_RegisterDataLakeDelegatedAdministratorCommand) .de(de_RegisterDataLakeDelegatedAdministratorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDataLakeDelegatedAdministratorRequest; + output: {}; + }; + sdk: { + input: RegisterDataLakeDelegatedAdministratorCommandInput; + output: RegisterDataLakeDelegatedAdministratorCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/TagResourceCommand.ts b/clients/client-securitylake/src/commands/TagResourceCommand.ts index 8312ffcca858..2c2611c186d6 100644 --- a/clients/client-securitylake/src/commands/TagResourceCommand.ts +++ b/clients/client-securitylake/src/commands/TagResourceCommand.ts @@ -113,4 +113,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/UntagResourceCommand.ts b/clients/client-securitylake/src/commands/UntagResourceCommand.ts index 2d735b6e1bd6..468e6527e015 100644 --- a/clients/client-securitylake/src/commands/UntagResourceCommand.ts +++ b/clients/client-securitylake/src/commands/UntagResourceCommand.ts @@ -104,4 +104,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/UpdateDataLakeCommand.ts b/clients/client-securitylake/src/commands/UpdateDataLakeCommand.ts index 3963549be129..87613376c178 100644 --- a/clients/client-securitylake/src/commands/UpdateDataLakeCommand.ts +++ b/clients/client-securitylake/src/commands/UpdateDataLakeCommand.ts @@ -163,4 +163,16 @@ export class UpdateDataLakeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataLakeCommand) .de(de_UpdateDataLakeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataLakeRequest; + output: UpdateDataLakeResponse; + }; + sdk: { + input: UpdateDataLakeCommandInput; + output: UpdateDataLakeCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/UpdateDataLakeExceptionSubscriptionCommand.ts b/clients/client-securitylake/src/commands/UpdateDataLakeExceptionSubscriptionCommand.ts index a2cfb545ab25..1c033a38b897 100644 --- a/clients/client-securitylake/src/commands/UpdateDataLakeExceptionSubscriptionCommand.ts +++ b/clients/client-securitylake/src/commands/UpdateDataLakeExceptionSubscriptionCommand.ts @@ -111,4 +111,16 @@ export class UpdateDataLakeExceptionSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDataLakeExceptionSubscriptionCommand) .de(de_UpdateDataLakeExceptionSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDataLakeExceptionSubscriptionRequest; + output: {}; + }; + sdk: { + input: UpdateDataLakeExceptionSubscriptionCommandInput; + output: UpdateDataLakeExceptionSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/UpdateSubscriberCommand.ts b/clients/client-securitylake/src/commands/UpdateSubscriberCommand.ts index 66e8a0ec4529..b847fc822ac3 100644 --- a/clients/client-securitylake/src/commands/UpdateSubscriberCommand.ts +++ b/clients/client-securitylake/src/commands/UpdateSubscriberCommand.ts @@ -171,4 +171,16 @@ export class UpdateSubscriberCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubscriberCommand) .de(de_UpdateSubscriberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriberRequest; + output: UpdateSubscriberResponse; + }; + sdk: { + input: UpdateSubscriberCommandInput; + output: UpdateSubscriberCommandOutput; + }; + }; +} diff --git a/clients/client-securitylake/src/commands/UpdateSubscriberNotificationCommand.ts b/clients/client-securitylake/src/commands/UpdateSubscriberNotificationCommand.ts index 5ccd5c281903..1183ffa7376a 100644 --- a/clients/client-securitylake/src/commands/UpdateSubscriberNotificationCommand.ts +++ b/clients/client-securitylake/src/commands/UpdateSubscriberNotificationCommand.ts @@ -118,4 +118,16 @@ export class UpdateSubscriberNotificationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubscriberNotificationCommand) .de(de_UpdateSubscriberNotificationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriberNotificationRequest; + output: UpdateSubscriberNotificationResponse; + }; + sdk: { + input: UpdateSubscriberNotificationCommandInput; + output: UpdateSubscriberNotificationCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/package.json b/clients/client-serverlessapplicationrepository/package.json index 73b778c9126e..5b1693979c8d 100644 --- a/clients/client-serverlessapplicationrepository/package.json +++ b/clients/client-serverlessapplicationrepository/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationCommand.ts index 86b0d04825fd..8bd03a381a88 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationCommand.ts @@ -158,4 +158,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationVersionCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationVersionCommand.ts index 962ba127f16f..26fb744e01e8 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationVersionCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/CreateApplicationVersionCommand.ts @@ -131,4 +131,16 @@ export class CreateApplicationVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationVersionCommand) .de(de_CreateApplicationVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationVersionRequest; + output: CreateApplicationVersionResponse; + }; + sdk: { + input: CreateApplicationVersionCommandInput; + output: CreateApplicationVersionCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationChangeSetCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationChangeSetCommand.ts index 1cf5ba31cb7b..bba4ccdd9ae6 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationChangeSetCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationChangeSetCommand.ts @@ -137,4 +137,16 @@ export class CreateCloudFormationChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateCloudFormationChangeSetCommand) .de(de_CreateCloudFormationChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCloudFormationChangeSetRequest; + output: CreateCloudFormationChangeSetResponse; + }; + sdk: { + input: CreateCloudFormationChangeSetCommandInput; + output: CreateCloudFormationChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationTemplateCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationTemplateCommand.ts index 967d812e1804..48b0028ff45b 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationTemplateCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/CreateCloudFormationTemplateCommand.ts @@ -108,4 +108,16 @@ export class CreateCloudFormationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateCloudFormationTemplateCommand) .de(de_CreateCloudFormationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCloudFormationTemplateRequest; + output: CreateCloudFormationTemplateResponse; + }; + sdk: { + input: CreateCloudFormationTemplateCommandInput; + output: CreateCloudFormationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/DeleteApplicationCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/DeleteApplicationCommand.ts index 9af82573fc6f..f4ff0ad20ae3 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/DeleteApplicationCommand.ts @@ -97,4 +97,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/GetApplicationCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/GetApplicationCommand.ts index 1370d5d781c6..8f300a7e2d02 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/GetApplicationCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/GetApplicationCommand.ts @@ -143,4 +143,16 @@ export class GetApplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: GetApplicationResponse; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/GetApplicationPolicyCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/GetApplicationPolicyCommand.ts index d1e824fa4102..7e17955023be 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/GetApplicationPolicyCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/GetApplicationPolicyCommand.ts @@ -109,4 +109,16 @@ export class GetApplicationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationPolicyCommand) .de(de_GetApplicationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationPolicyRequest; + output: GetApplicationPolicyResponse; + }; + sdk: { + input: GetApplicationPolicyCommandInput; + output: GetApplicationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/GetCloudFormationTemplateCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/GetCloudFormationTemplateCommand.ts index 4a2739822644..673ea48d3ad7 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/GetCloudFormationTemplateCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/GetCloudFormationTemplateCommand.ts @@ -103,4 +103,16 @@ export class GetCloudFormationTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetCloudFormationTemplateCommand) .de(de_GetCloudFormationTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCloudFormationTemplateRequest; + output: GetCloudFormationTemplateResponse; + }; + sdk: { + input: GetCloudFormationTemplateCommandInput; + output: GetCloudFormationTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/ListApplicationDependenciesCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/ListApplicationDependenciesCommand.ts index 3280683897ed..1a9b504bb159 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/ListApplicationDependenciesCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/ListApplicationDependenciesCommand.ts @@ -110,4 +110,16 @@ export class ListApplicationDependenciesCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationDependenciesCommand) .de(de_ListApplicationDependenciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationDependenciesRequest; + output: ListApplicationDependenciesResponse; + }; + sdk: { + input: ListApplicationDependenciesCommandInput; + output: ListApplicationDependenciesCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/ListApplicationVersionsCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/ListApplicationVersionsCommand.ts index ac94f4d461f1..2e545b7eee64 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/ListApplicationVersionsCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/ListApplicationVersionsCommand.ts @@ -106,4 +106,16 @@ export class ListApplicationVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationVersionsCommand) .de(de_ListApplicationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationVersionsRequest; + output: ListApplicationVersionsResponse; + }; + sdk: { + input: ListApplicationVersionsCommandInput; + output: ListApplicationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/ListApplicationsCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/ListApplicationsCommand.ts index 28377366cc8f..7e7ed680a73c 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/ListApplicationsCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/ListApplicationsCommand.ts @@ -108,4 +108,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/PutApplicationPolicyCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/PutApplicationPolicyCommand.ts index 5fd26b43119c..9096980f9a86 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/PutApplicationPolicyCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/PutApplicationPolicyCommand.ts @@ -126,4 +126,16 @@ export class PutApplicationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutApplicationPolicyCommand) .de(de_PutApplicationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutApplicationPolicyRequest; + output: PutApplicationPolicyResponse; + }; + sdk: { + input: PutApplicationPolicyCommandInput; + output: PutApplicationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/UnshareApplicationCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/UnshareApplicationCommand.ts index 57ccf5e8648d..6a032cec632c 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/UnshareApplicationCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/UnshareApplicationCommand.ts @@ -95,4 +95,16 @@ export class UnshareApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UnshareApplicationCommand) .de(de_UnshareApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnshareApplicationRequest; + output: {}; + }; + sdk: { + input: UnshareApplicationCommandInput; + output: UnshareApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-serverlessapplicationrepository/src/commands/UpdateApplicationCommand.ts b/clients/client-serverlessapplicationrepository/src/commands/UpdateApplicationCommand.ts index ba7856c89d3f..8bdafed7e715 100644 --- a/clients/client-serverlessapplicationrepository/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-serverlessapplicationrepository/src/commands/UpdateApplicationCommand.ts @@ -153,4 +153,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: UpdateApplicationResponse; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/package.json b/clients/client-service-catalog-appregistry/package.json index 4d2247e0bf8d..af6ab6f86e2f 100644 --- a/clients/client-service-catalog-appregistry/package.json +++ b/clients/client-service-catalog-appregistry/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-service-catalog-appregistry/src/commands/AssociateAttributeGroupCommand.ts b/clients/client-service-catalog-appregistry/src/commands/AssociateAttributeGroupCommand.ts index 50a96aa6d294..29c3605ef5ce 100644 --- a/clients/client-service-catalog-appregistry/src/commands/AssociateAttributeGroupCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/AssociateAttributeGroupCommand.ts @@ -104,4 +104,16 @@ export class AssociateAttributeGroupCommand extends $Command .f(void 0, void 0) .ser(se_AssociateAttributeGroupCommand) .de(de_AssociateAttributeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateAttributeGroupRequest; + output: AssociateAttributeGroupResponse; + }; + sdk: { + input: AssociateAttributeGroupCommandInput; + output: AssociateAttributeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/AssociateResourceCommand.ts b/clients/client-service-catalog-appregistry/src/commands/AssociateResourceCommand.ts index c1e25c51b138..5c3d34b02a10 100644 --- a/clients/client-service-catalog-appregistry/src/commands/AssociateResourceCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/AssociateResourceCommand.ts @@ -165,4 +165,16 @@ export class AssociateResourceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResourceCommand) .de(de_AssociateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResourceRequest; + output: AssociateResourceResponse; + }; + sdk: { + input: AssociateResourceCommandInput; + output: AssociateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/CreateApplicationCommand.ts b/clients/client-service-catalog-appregistry/src/commands/CreateApplicationCommand.ts index a7407a942250..b0209497af34 100644 --- a/clients/client-service-catalog-appregistry/src/commands/CreateApplicationCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/CreateApplicationCommand.ts @@ -122,4 +122,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/CreateAttributeGroupCommand.ts b/clients/client-service-catalog-appregistry/src/commands/CreateAttributeGroupCommand.ts index 1419a2f2a727..9032f68b2a06 100644 --- a/clients/client-service-catalog-appregistry/src/commands/CreateAttributeGroupCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/CreateAttributeGroupCommand.ts @@ -116,4 +116,16 @@ export class CreateAttributeGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateAttributeGroupCommand) .de(de_CreateAttributeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAttributeGroupRequest; + output: CreateAttributeGroupResponse; + }; + sdk: { + input: CreateAttributeGroupCommandInput; + output: CreateAttributeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/DeleteApplicationCommand.ts b/clients/client-service-catalog-appregistry/src/commands/DeleteApplicationCommand.ts index f5a141a8e8c2..d6ff9ac317b4 100644 --- a/clients/client-service-catalog-appregistry/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/DeleteApplicationCommand.ts @@ -97,4 +97,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: DeleteApplicationResponse; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/DeleteAttributeGroupCommand.ts b/clients/client-service-catalog-appregistry/src/commands/DeleteAttributeGroupCommand.ts index 260e04657470..21fb0f83b2ed 100644 --- a/clients/client-service-catalog-appregistry/src/commands/DeleteAttributeGroupCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/DeleteAttributeGroupCommand.ts @@ -98,4 +98,16 @@ export class DeleteAttributeGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAttributeGroupCommand) .de(de_DeleteAttributeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAttributeGroupRequest; + output: DeleteAttributeGroupResponse; + }; + sdk: { + input: DeleteAttributeGroupCommandInput; + output: DeleteAttributeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/DisassociateAttributeGroupCommand.ts b/clients/client-service-catalog-appregistry/src/commands/DisassociateAttributeGroupCommand.ts index d19dec28d439..138dd2644412 100644 --- a/clients/client-service-catalog-appregistry/src/commands/DisassociateAttributeGroupCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/DisassociateAttributeGroupCommand.ts @@ -92,4 +92,16 @@ export class DisassociateAttributeGroupCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateAttributeGroupCommand) .de(de_DisassociateAttributeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateAttributeGroupRequest; + output: DisassociateAttributeGroupResponse; + }; + sdk: { + input: DisassociateAttributeGroupCommandInput; + output: DisassociateAttributeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/DisassociateResourceCommand.ts b/clients/client-service-catalog-appregistry/src/commands/DisassociateResourceCommand.ts index 80a5bda75b14..7a76c0621c1d 100644 --- a/clients/client-service-catalog-appregistry/src/commands/DisassociateResourceCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/DisassociateResourceCommand.ts @@ -148,4 +148,16 @@ export class DisassociateResourceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResourceCommand) .de(de_DisassociateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResourceRequest; + output: DisassociateResourceResponse; + }; + sdk: { + input: DisassociateResourceCommandInput; + output: DisassociateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/GetApplicationCommand.ts b/clients/client-service-catalog-appregistry/src/commands/GetApplicationCommand.ts index 5304e6402fca..812159de9dc6 100644 --- a/clients/client-service-catalog-appregistry/src/commands/GetApplicationCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/GetApplicationCommand.ts @@ -136,4 +136,16 @@ export class GetApplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationRequest; + output: GetApplicationResponse; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/GetAssociatedResourceCommand.ts b/clients/client-service-catalog-appregistry/src/commands/GetAssociatedResourceCommand.ts index 08a0a05bf4a7..3f00dc862a5a 100644 --- a/clients/client-service-catalog-appregistry/src/commands/GetAssociatedResourceCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/GetAssociatedResourceCommand.ts @@ -124,4 +124,16 @@ export class GetAssociatedResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetAssociatedResourceCommand) .de(de_GetAssociatedResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssociatedResourceRequest; + output: GetAssociatedResourceResponse; + }; + sdk: { + input: GetAssociatedResourceCommandInput; + output: GetAssociatedResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/GetAttributeGroupCommand.ts b/clients/client-service-catalog-appregistry/src/commands/GetAttributeGroupCommand.ts index 3308f2ebdb01..1a34bdedd8d4 100644 --- a/clients/client-service-catalog-appregistry/src/commands/GetAttributeGroupCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/GetAttributeGroupCommand.ts @@ -109,4 +109,16 @@ export class GetAttributeGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetAttributeGroupCommand) .de(de_GetAttributeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAttributeGroupRequest; + output: GetAttributeGroupResponse; + }; + sdk: { + input: GetAttributeGroupCommandInput; + output: GetAttributeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/GetConfigurationCommand.ts b/clients/client-service-catalog-appregistry/src/commands/GetConfigurationCommand.ts index de6cf80e935b..6c42763dfadf 100644 --- a/clients/client-service-catalog-appregistry/src/commands/GetConfigurationCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/GetConfigurationCommand.ts @@ -89,4 +89,16 @@ export class GetConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationCommand) .de(de_GetConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetConfigurationResponse; + }; + sdk: { + input: GetConfigurationCommandInput; + output: GetConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/ListApplicationsCommand.ts b/clients/client-service-catalog-appregistry/src/commands/ListApplicationsCommand.ts index c3770a872060..adf15f8d16f9 100644 --- a/clients/client-service-catalog-appregistry/src/commands/ListApplicationsCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/ListApplicationsCommand.ts @@ -98,4 +98,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/ListAssociatedAttributeGroupsCommand.ts b/clients/client-service-catalog-appregistry/src/commands/ListAssociatedAttributeGroupsCommand.ts index 0f5477c6fbe0..da2ca604310b 100644 --- a/clients/client-service-catalog-appregistry/src/commands/ListAssociatedAttributeGroupsCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/ListAssociatedAttributeGroupsCommand.ts @@ -100,4 +100,16 @@ export class ListAssociatedAttributeGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedAttributeGroupsCommand) .de(de_ListAssociatedAttributeGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedAttributeGroupsRequest; + output: ListAssociatedAttributeGroupsResponse; + }; + sdk: { + input: ListAssociatedAttributeGroupsCommandInput; + output: ListAssociatedAttributeGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/ListAssociatedResourcesCommand.ts b/clients/client-service-catalog-appregistry/src/commands/ListAssociatedResourcesCommand.ts index 75d5506d628b..da8951c10c42 100644 --- a/clients/client-service-catalog-appregistry/src/commands/ListAssociatedResourcesCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/ListAssociatedResourcesCommand.ts @@ -125,4 +125,16 @@ export class ListAssociatedResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedResourcesCommand) .de(de_ListAssociatedResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedResourcesRequest; + output: ListAssociatedResourcesResponse; + }; + sdk: { + input: ListAssociatedResourcesCommandInput; + output: ListAssociatedResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsCommand.ts b/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsCommand.ts index bd03dfc396c1..7768fd416572 100644 --- a/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsCommand.ts @@ -99,4 +99,16 @@ export class ListAttributeGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListAttributeGroupsCommand) .de(de_ListAttributeGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttributeGroupsRequest; + output: ListAttributeGroupsResponse; + }; + sdk: { + input: ListAttributeGroupsCommandInput; + output: ListAttributeGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsForApplicationCommand.ts b/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsForApplicationCommand.ts index ed4957e5bd23..42117ec6e6c1 100644 --- a/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsForApplicationCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/ListAttributeGroupsForApplicationCommand.ts @@ -108,4 +108,16 @@ export class ListAttributeGroupsForApplicationCommand extends $Command .f(void 0, void 0) .ser(se_ListAttributeGroupsForApplicationCommand) .de(de_ListAttributeGroupsForApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttributeGroupsForApplicationRequest; + output: ListAttributeGroupsForApplicationResponse; + }; + sdk: { + input: ListAttributeGroupsForApplicationCommandInput; + output: ListAttributeGroupsForApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/ListTagsForResourceCommand.ts b/clients/client-service-catalog-appregistry/src/commands/ListTagsForResourceCommand.ts index 9700160ee882..2b65804a00ba 100644 --- a/clients/client-service-catalog-appregistry/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/PutConfigurationCommand.ts b/clients/client-service-catalog-appregistry/src/commands/PutConfigurationCommand.ts index 4dda00657473..d3cd9ed0206a 100644 --- a/clients/client-service-catalog-appregistry/src/commands/PutConfigurationCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/PutConfigurationCommand.ts @@ -96,4 +96,16 @@ export class PutConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationCommand) .de(de_PutConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationRequest; + output: {}; + }; + sdk: { + input: PutConfigurationCommandInput; + output: PutConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/SyncResourceCommand.ts b/clients/client-service-catalog-appregistry/src/commands/SyncResourceCommand.ts index 7a97cbbf7752..fd44a1ef43ed 100644 --- a/clients/client-service-catalog-appregistry/src/commands/SyncResourceCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/SyncResourceCommand.ts @@ -105,4 +105,16 @@ export class SyncResourceCommand extends $Command .f(void 0, void 0) .ser(se_SyncResourceCommand) .de(de_SyncResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SyncResourceRequest; + output: SyncResourceResponse; + }; + sdk: { + input: SyncResourceCommandInput; + output: SyncResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/TagResourceCommand.ts b/clients/client-service-catalog-appregistry/src/commands/TagResourceCommand.ts index f8e09ec01674..720144fd3d12 100644 --- a/clients/client-service-catalog-appregistry/src/commands/TagResourceCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/UntagResourceCommand.ts b/clients/client-service-catalog-appregistry/src/commands/UntagResourceCommand.ts index abeb445048b9..6f1d855d40c6 100644 --- a/clients/client-service-catalog-appregistry/src/commands/UntagResourceCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/UntagResourceCommand.ts @@ -92,4 +92,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/UpdateApplicationCommand.ts b/clients/client-service-catalog-appregistry/src/commands/UpdateApplicationCommand.ts index b7bd788a3699..4a53416428ca 100644 --- a/clients/client-service-catalog-appregistry/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/UpdateApplicationCommand.ts @@ -116,4 +116,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: UpdateApplicationResponse; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog-appregistry/src/commands/UpdateAttributeGroupCommand.ts b/clients/client-service-catalog-appregistry/src/commands/UpdateAttributeGroupCommand.ts index 5d5986542ef7..46c176a0e95f 100644 --- a/clients/client-service-catalog-appregistry/src/commands/UpdateAttributeGroupCommand.ts +++ b/clients/client-service-catalog-appregistry/src/commands/UpdateAttributeGroupCommand.ts @@ -107,4 +107,16 @@ export class UpdateAttributeGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAttributeGroupCommand) .de(de_UpdateAttributeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAttributeGroupRequest; + output: UpdateAttributeGroupResponse; + }; + sdk: { + input: UpdateAttributeGroupCommandInput; + output: UpdateAttributeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/package.json b/clients/client-service-catalog/package.json index 71ed5f1a2149..b4f234cb95d8 100644 --- a/clients/client-service-catalog/package.json +++ b/clients/client-service-catalog/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-service-catalog/src/commands/AcceptPortfolioShareCommand.ts b/clients/client-service-catalog/src/commands/AcceptPortfolioShareCommand.ts index d4e71b3b39df..b8f0edbc8608 100644 --- a/clients/client-service-catalog/src/commands/AcceptPortfolioShareCommand.ts +++ b/clients/client-service-catalog/src/commands/AcceptPortfolioShareCommand.ts @@ -87,4 +87,16 @@ export class AcceptPortfolioShareCommand extends $Command .f(void 0, void 0) .ser(se_AcceptPortfolioShareCommand) .de(de_AcceptPortfolioShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptPortfolioShareInput; + output: {}; + }; + sdk: { + input: AcceptPortfolioShareCommandInput; + output: AcceptPortfolioShareCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/AssociateBudgetWithResourceCommand.ts b/clients/client-service-catalog/src/commands/AssociateBudgetWithResourceCommand.ts index 0423ff7f9883..bc4ca99f191e 100644 --- a/clients/client-service-catalog/src/commands/AssociateBudgetWithResourceCommand.ts +++ b/clients/client-service-catalog/src/commands/AssociateBudgetWithResourceCommand.ts @@ -89,4 +89,16 @@ export class AssociateBudgetWithResourceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateBudgetWithResourceCommand) .de(de_AssociateBudgetWithResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateBudgetWithResourceInput; + output: {}; + }; + sdk: { + input: AssociateBudgetWithResourceCommandInput; + output: AssociateBudgetWithResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/AssociatePrincipalWithPortfolioCommand.ts b/clients/client-service-catalog/src/commands/AssociatePrincipalWithPortfolioCommand.ts index 7ff86867b314..f997dc9379e9 100644 --- a/clients/client-service-catalog/src/commands/AssociatePrincipalWithPortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/AssociatePrincipalWithPortfolioCommand.ts @@ -107,4 +107,16 @@ export class AssociatePrincipalWithPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_AssociatePrincipalWithPortfolioCommand) .de(de_AssociatePrincipalWithPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociatePrincipalWithPortfolioInput; + output: {}; + }; + sdk: { + input: AssociatePrincipalWithPortfolioCommandInput; + output: AssociatePrincipalWithPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/AssociateProductWithPortfolioCommand.ts b/clients/client-service-catalog/src/commands/AssociateProductWithPortfolioCommand.ts index 8ae731c1b68f..6d2bdf605038 100644 --- a/clients/client-service-catalog/src/commands/AssociateProductWithPortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/AssociateProductWithPortfolioCommand.ts @@ -94,4 +94,16 @@ export class AssociateProductWithPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_AssociateProductWithPortfolioCommand) .de(de_AssociateProductWithPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateProductWithPortfolioInput; + output: {}; + }; + sdk: { + input: AssociateProductWithPortfolioCommandInput; + output: AssociateProductWithPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/AssociateServiceActionWithProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/AssociateServiceActionWithProvisioningArtifactCommand.ts index 882b603946c5..28744ca75ec2 100644 --- a/clients/client-service-catalog/src/commands/AssociateServiceActionWithProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/AssociateServiceActionWithProvisioningArtifactCommand.ts @@ -101,4 +101,16 @@ export class AssociateServiceActionWithProvisioningArtifactCommand extends $Comm .f(void 0, void 0) .ser(se_AssociateServiceActionWithProvisioningArtifactCommand) .de(de_AssociateServiceActionWithProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateServiceActionWithProvisioningArtifactInput; + output: {}; + }; + sdk: { + input: AssociateServiceActionWithProvisioningArtifactCommandInput; + output: AssociateServiceActionWithProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/AssociateTagOptionWithResourceCommand.ts b/clients/client-service-catalog/src/commands/AssociateTagOptionWithResourceCommand.ts index f764174bd689..8fa6856bb01e 100644 --- a/clients/client-service-catalog/src/commands/AssociateTagOptionWithResourceCommand.ts +++ b/clients/client-service-catalog/src/commands/AssociateTagOptionWithResourceCommand.ts @@ -103,4 +103,16 @@ export class AssociateTagOptionWithResourceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTagOptionWithResourceCommand) .de(de_AssociateTagOptionWithResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTagOptionWithResourceInput; + output: {}; + }; + sdk: { + input: AssociateTagOptionWithResourceCommandInput; + output: AssociateTagOptionWithResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/BatchAssociateServiceActionWithProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/BatchAssociateServiceActionWithProvisioningArtifactCommand.ts index 4e1aa4559e2e..50578514ff94 100644 --- a/clients/client-service-catalog/src/commands/BatchAssociateServiceActionWithProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/BatchAssociateServiceActionWithProvisioningArtifactCommand.ts @@ -104,4 +104,16 @@ export class BatchAssociateServiceActionWithProvisioningArtifactCommand extends .f(void 0, void 0) .ser(se_BatchAssociateServiceActionWithProvisioningArtifactCommand) .de(de_BatchAssociateServiceActionWithProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchAssociateServiceActionWithProvisioningArtifactInput; + output: BatchAssociateServiceActionWithProvisioningArtifactOutput; + }; + sdk: { + input: BatchAssociateServiceActionWithProvisioningArtifactCommandInput; + output: BatchAssociateServiceActionWithProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/BatchDisassociateServiceActionFromProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/BatchDisassociateServiceActionFromProvisioningArtifactCommand.ts index d9c59be04893..45e890be7b68 100644 --- a/clients/client-service-catalog/src/commands/BatchDisassociateServiceActionFromProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/BatchDisassociateServiceActionFromProvisioningArtifactCommand.ts @@ -104,4 +104,16 @@ export class BatchDisassociateServiceActionFromProvisioningArtifactCommand exten .f(void 0, void 0) .ser(se_BatchDisassociateServiceActionFromProvisioningArtifactCommand) .de(de_BatchDisassociateServiceActionFromProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDisassociateServiceActionFromProvisioningArtifactInput; + output: BatchDisassociateServiceActionFromProvisioningArtifactOutput; + }; + sdk: { + input: BatchDisassociateServiceActionFromProvisioningArtifactCommandInput; + output: BatchDisassociateServiceActionFromProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CopyProductCommand.ts b/clients/client-service-catalog/src/commands/CopyProductCommand.ts index 330c277720cf..39708ebf5d20 100644 --- a/clients/client-service-catalog/src/commands/CopyProductCommand.ts +++ b/clients/client-service-catalog/src/commands/CopyProductCommand.ts @@ -101,4 +101,16 @@ export class CopyProductCommand extends $Command .f(void 0, void 0) .ser(se_CopyProductCommand) .de(de_CopyProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyProductInput; + output: CopyProductOutput; + }; + sdk: { + input: CopyProductCommandInput; + output: CopyProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreateConstraintCommand.ts b/clients/client-service-catalog/src/commands/CreateConstraintCommand.ts index 207616af3720..2689c99dd18e 100644 --- a/clients/client-service-catalog/src/commands/CreateConstraintCommand.ts +++ b/clients/client-service-catalog/src/commands/CreateConstraintCommand.ts @@ -106,4 +106,16 @@ export class CreateConstraintCommand extends $Command .f(void 0, void 0) .ser(se_CreateConstraintCommand) .de(de_CreateConstraintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConstraintInput; + output: CreateConstraintOutput; + }; + sdk: { + input: CreateConstraintCommandInput; + output: CreateConstraintCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreatePortfolioCommand.ts b/clients/client-service-catalog/src/commands/CreatePortfolioCommand.ts index bf222c53e6ce..9260c41d4802 100644 --- a/clients/client-service-catalog/src/commands/CreatePortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/CreatePortfolioCommand.ts @@ -113,4 +113,16 @@ export class CreatePortfolioCommand extends $Command .f(void 0, void 0) .ser(se_CreatePortfolioCommand) .de(de_CreatePortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePortfolioInput; + output: CreatePortfolioOutput; + }; + sdk: { + input: CreatePortfolioCommandInput; + output: CreatePortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreatePortfolioShareCommand.ts b/clients/client-service-catalog/src/commands/CreatePortfolioShareCommand.ts index 2e73a2f7b9d6..8e5a643f63df 100644 --- a/clients/client-service-catalog/src/commands/CreatePortfolioShareCommand.ts +++ b/clients/client-service-catalog/src/commands/CreatePortfolioShareCommand.ts @@ -120,4 +120,16 @@ export class CreatePortfolioShareCommand extends $Command .f(void 0, void 0) .ser(se_CreatePortfolioShareCommand) .de(de_CreatePortfolioShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePortfolioShareInput; + output: CreatePortfolioShareOutput; + }; + sdk: { + input: CreatePortfolioShareCommandInput; + output: CreatePortfolioShareCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreateProductCommand.ts b/clients/client-service-catalog/src/commands/CreateProductCommand.ts index d8212b93eda3..760a1d5b3339 100644 --- a/clients/client-service-catalog/src/commands/CreateProductCommand.ts +++ b/clients/client-service-catalog/src/commands/CreateProductCommand.ts @@ -180,4 +180,16 @@ export class CreateProductCommand extends $Command .f(void 0, void 0) .ser(se_CreateProductCommand) .de(de_CreateProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProductInput; + output: CreateProductOutput; + }; + sdk: { + input: CreateProductCommandInput; + output: CreateProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreateProvisionedProductPlanCommand.ts b/clients/client-service-catalog/src/commands/CreateProvisionedProductPlanCommand.ts index ac25b62c6b13..cd4979c81d58 100644 --- a/clients/client-service-catalog/src/commands/CreateProvisionedProductPlanCommand.ts +++ b/clients/client-service-catalog/src/commands/CreateProvisionedProductPlanCommand.ts @@ -126,4 +126,16 @@ export class CreateProvisionedProductPlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateProvisionedProductPlanCommand) .de(de_CreateProvisionedProductPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProvisionedProductPlanInput; + output: CreateProvisionedProductPlanOutput; + }; + sdk: { + input: CreateProvisionedProductPlanCommandInput; + output: CreateProvisionedProductPlanCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreateProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/CreateProvisioningArtifactCommand.ts index c8f1b01186be..0c1e8d344434 100644 --- a/clients/client-service-catalog/src/commands/CreateProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/CreateProvisioningArtifactCommand.ts @@ -115,4 +115,16 @@ export class CreateProvisioningArtifactCommand extends $Command .f(void 0, void 0) .ser(se_CreateProvisioningArtifactCommand) .de(de_CreateProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProvisioningArtifactInput; + output: CreateProvisioningArtifactOutput; + }; + sdk: { + input: CreateProvisioningArtifactCommandInput; + output: CreateProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreateServiceActionCommand.ts b/clients/client-service-catalog/src/commands/CreateServiceActionCommand.ts index fdc9ce54810c..7260797c125b 100644 --- a/clients/client-service-catalog/src/commands/CreateServiceActionCommand.ts +++ b/clients/client-service-catalog/src/commands/CreateServiceActionCommand.ts @@ -101,4 +101,16 @@ export class CreateServiceActionCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceActionCommand) .de(de_CreateServiceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceActionInput; + output: CreateServiceActionOutput; + }; + sdk: { + input: CreateServiceActionCommandInput; + output: CreateServiceActionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/CreateTagOptionCommand.ts b/clients/client-service-catalog/src/commands/CreateTagOptionCommand.ts index 8e1593f85c4d..40843331406e 100644 --- a/clients/client-service-catalog/src/commands/CreateTagOptionCommand.ts +++ b/clients/client-service-catalog/src/commands/CreateTagOptionCommand.ts @@ -96,4 +96,16 @@ export class CreateTagOptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagOptionCommand) .de(de_CreateTagOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagOptionInput; + output: CreateTagOptionOutput; + }; + sdk: { + input: CreateTagOptionCommandInput; + output: CreateTagOptionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeleteConstraintCommand.ts b/clients/client-service-catalog/src/commands/DeleteConstraintCommand.ts index 63cb0583e449..268f087bb74e 100644 --- a/clients/client-service-catalog/src/commands/DeleteConstraintCommand.ts +++ b/clients/client-service-catalog/src/commands/DeleteConstraintCommand.ts @@ -83,4 +83,16 @@ export class DeleteConstraintCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConstraintCommand) .de(de_DeleteConstraintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConstraintInput; + output: {}; + }; + sdk: { + input: DeleteConstraintCommandInput; + output: DeleteConstraintCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeletePortfolioCommand.ts b/clients/client-service-catalog/src/commands/DeletePortfolioCommand.ts index d0f8bb8e9c39..6ac8a8ed4fc7 100644 --- a/clients/client-service-catalog/src/commands/DeletePortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/DeletePortfolioCommand.ts @@ -93,4 +93,16 @@ export class DeletePortfolioCommand extends $Command .f(void 0, void 0) .ser(se_DeletePortfolioCommand) .de(de_DeletePortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePortfolioInput; + output: {}; + }; + sdk: { + input: DeletePortfolioCommandInput; + output: DeletePortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeletePortfolioShareCommand.ts b/clients/client-service-catalog/src/commands/DeletePortfolioShareCommand.ts index 4128ca8f51c0..2df57e2a29c7 100644 --- a/clients/client-service-catalog/src/commands/DeletePortfolioShareCommand.ts +++ b/clients/client-service-catalog/src/commands/DeletePortfolioShareCommand.ts @@ -99,4 +99,16 @@ export class DeletePortfolioShareCommand extends $Command .f(void 0, void 0) .ser(se_DeletePortfolioShareCommand) .de(de_DeletePortfolioShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePortfolioShareInput; + output: DeletePortfolioShareOutput; + }; + sdk: { + input: DeletePortfolioShareCommandInput; + output: DeletePortfolioShareCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeleteProductCommand.ts b/clients/client-service-catalog/src/commands/DeleteProductCommand.ts index 809dffd79624..0d67f3e61b38 100644 --- a/clients/client-service-catalog/src/commands/DeleteProductCommand.ts +++ b/clients/client-service-catalog/src/commands/DeleteProductCommand.ts @@ -92,4 +92,16 @@ export class DeleteProductCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProductCommand) .de(de_DeleteProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProductInput; + output: {}; + }; + sdk: { + input: DeleteProductCommandInput; + output: DeleteProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeleteProvisionedProductPlanCommand.ts b/clients/client-service-catalog/src/commands/DeleteProvisionedProductPlanCommand.ts index c0d8a2c5645e..44c737a73bd1 100644 --- a/clients/client-service-catalog/src/commands/DeleteProvisionedProductPlanCommand.ts +++ b/clients/client-service-catalog/src/commands/DeleteProvisionedProductPlanCommand.ts @@ -88,4 +88,16 @@ export class DeleteProvisionedProductPlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProvisionedProductPlanCommand) .de(de_DeleteProvisionedProductPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProvisionedProductPlanInput; + output: {}; + }; + sdk: { + input: DeleteProvisionedProductPlanCommandInput; + output: DeleteProvisionedProductPlanCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeleteProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/DeleteProvisioningArtifactCommand.ts index e2cd38b698e0..3bc9271da1d7 100644 --- a/clients/client-service-catalog/src/commands/DeleteProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/DeleteProvisioningArtifactCommand.ts @@ -89,4 +89,16 @@ export class DeleteProvisioningArtifactCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProvisioningArtifactCommand) .de(de_DeleteProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProvisioningArtifactInput; + output: {}; + }; + sdk: { + input: DeleteProvisioningArtifactCommandInput; + output: DeleteProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeleteServiceActionCommand.ts b/clients/client-service-catalog/src/commands/DeleteServiceActionCommand.ts index c9315a907069..a975a0b0845b 100644 --- a/clients/client-service-catalog/src/commands/DeleteServiceActionCommand.ts +++ b/clients/client-service-catalog/src/commands/DeleteServiceActionCommand.ts @@ -83,4 +83,16 @@ export class DeleteServiceActionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceActionCommand) .de(de_DeleteServiceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceActionInput; + output: {}; + }; + sdk: { + input: DeleteServiceActionCommandInput; + output: DeleteServiceActionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DeleteTagOptionCommand.ts b/clients/client-service-catalog/src/commands/DeleteTagOptionCommand.ts index 79550d8fc451..3e4b4b56d7de 100644 --- a/clients/client-service-catalog/src/commands/DeleteTagOptionCommand.ts +++ b/clients/client-service-catalog/src/commands/DeleteTagOptionCommand.ts @@ -87,4 +87,16 @@ export class DeleteTagOptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagOptionCommand) .de(de_DeleteTagOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagOptionInput; + output: {}; + }; + sdk: { + input: DeleteTagOptionCommandInput; + output: DeleteTagOptionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeConstraintCommand.ts b/clients/client-service-catalog/src/commands/DescribeConstraintCommand.ts index 90414a6d21fe..35c675501be6 100644 --- a/clients/client-service-catalog/src/commands/DescribeConstraintCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeConstraintCommand.ts @@ -90,4 +90,16 @@ export class DescribeConstraintCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConstraintCommand) .de(de_DescribeConstraintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConstraintInput; + output: DescribeConstraintOutput; + }; + sdk: { + input: DescribeConstraintCommandInput; + output: DescribeConstraintCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeCopyProductStatusCommand.ts b/clients/client-service-catalog/src/commands/DescribeCopyProductStatusCommand.ts index 36b09fb2bb44..800bc8b4ea84 100644 --- a/clients/client-service-catalog/src/commands/DescribeCopyProductStatusCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeCopyProductStatusCommand.ts @@ -83,4 +83,16 @@ export class DescribeCopyProductStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCopyProductStatusCommand) .de(de_DescribeCopyProductStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCopyProductStatusInput; + output: DescribeCopyProductStatusOutput; + }; + sdk: { + input: DescribeCopyProductStatusCommandInput; + output: DescribeCopyProductStatusCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribePortfolioCommand.ts b/clients/client-service-catalog/src/commands/DescribePortfolioCommand.ts index 0c4f57d3bab0..788db9ac5049 100644 --- a/clients/client-service-catalog/src/commands/DescribePortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribePortfolioCommand.ts @@ -109,4 +109,16 @@ export class DescribePortfolioCommand extends $Command .f(void 0, void 0) .ser(se_DescribePortfolioCommand) .de(de_DescribePortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePortfolioInput; + output: DescribePortfolioOutput; + }; + sdk: { + input: DescribePortfolioCommandInput; + output: DescribePortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribePortfolioShareStatusCommand.ts b/clients/client-service-catalog/src/commands/DescribePortfolioShareStatusCommand.ts index 61bebba25e8c..16b6008f46d6 100644 --- a/clients/client-service-catalog/src/commands/DescribePortfolioShareStatusCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribePortfolioShareStatusCommand.ts @@ -109,4 +109,16 @@ export class DescribePortfolioShareStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribePortfolioShareStatusCommand) .de(de_DescribePortfolioShareStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePortfolioShareStatusInput; + output: DescribePortfolioShareStatusOutput; + }; + sdk: { + input: DescribePortfolioShareStatusCommandInput; + output: DescribePortfolioShareStatusCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribePortfolioSharesCommand.ts b/clients/client-service-catalog/src/commands/DescribePortfolioSharesCommand.ts index 27f9a902e764..5fedfe87fd09 100644 --- a/clients/client-service-catalog/src/commands/DescribePortfolioSharesCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribePortfolioSharesCommand.ts @@ -99,4 +99,16 @@ export class DescribePortfolioSharesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePortfolioSharesCommand) .de(de_DescribePortfolioSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePortfolioSharesInput; + output: DescribePortfolioSharesOutput; + }; + sdk: { + input: DescribePortfolioSharesCommandInput; + output: DescribePortfolioSharesCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeProductAsAdminCommand.ts b/clients/client-service-catalog/src/commands/DescribeProductAsAdminCommand.ts index dcedb24ed86e..a6983ac4af6d 100644 --- a/clients/client-service-catalog/src/commands/DescribeProductAsAdminCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeProductAsAdminCommand.ts @@ -152,4 +152,16 @@ export class DescribeProductAsAdminCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProductAsAdminCommand) .de(de_DescribeProductAsAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProductAsAdminInput; + output: DescribeProductAsAdminOutput; + }; + sdk: { + input: DescribeProductAsAdminCommandInput; + output: DescribeProductAsAdminCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeProductCommand.ts b/clients/client-service-catalog/src/commands/DescribeProductCommand.ts index f3e627fa135b..e5ef0b1efded 100644 --- a/clients/client-service-catalog/src/commands/DescribeProductCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeProductCommand.ts @@ -126,4 +126,16 @@ export class DescribeProductCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProductCommand) .de(de_DescribeProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProductInput; + output: DescribeProductOutput; + }; + sdk: { + input: DescribeProductCommandInput; + output: DescribeProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeProductViewCommand.ts b/clients/client-service-catalog/src/commands/DescribeProductViewCommand.ts index 1f6f011f5f77..4a3eb9afa985 100644 --- a/clients/client-service-catalog/src/commands/DescribeProductViewCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeProductViewCommand.ts @@ -105,4 +105,16 @@ export class DescribeProductViewCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProductViewCommand) .de(de_DescribeProductViewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProductViewInput; + output: DescribeProductViewOutput; + }; + sdk: { + input: DescribeProductViewCommandInput; + output: DescribeProductViewCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeProvisionedProductCommand.ts b/clients/client-service-catalog/src/commands/DescribeProvisionedProductCommand.ts index 90545417e02b..f072b168d4ee 100644 --- a/clients/client-service-catalog/src/commands/DescribeProvisionedProductCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeProvisionedProductCommand.ts @@ -105,4 +105,16 @@ export class DescribeProvisionedProductCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProvisionedProductCommand) .de(de_DescribeProvisionedProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProvisionedProductInput; + output: DescribeProvisionedProductOutput; + }; + sdk: { + input: DescribeProvisionedProductCommandInput; + output: DescribeProvisionedProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeProvisionedProductPlanCommand.ts b/clients/client-service-catalog/src/commands/DescribeProvisionedProductPlanCommand.ts index 4ec8ae8fad00..ab79bb3f90eb 100644 --- a/clients/client-service-catalog/src/commands/DescribeProvisionedProductPlanCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeProvisionedProductPlanCommand.ts @@ -144,4 +144,16 @@ export class DescribeProvisionedProductPlanCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProvisionedProductPlanCommand) .de(de_DescribeProvisionedProductPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProvisionedProductPlanInput; + output: DescribeProvisionedProductPlanOutput; + }; + sdk: { + input: DescribeProvisionedProductPlanCommandInput; + output: DescribeProvisionedProductPlanCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/DescribeProvisioningArtifactCommand.ts index ffbcdb37108a..35f1294e14c2 100644 --- a/clients/client-service-catalog/src/commands/DescribeProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeProvisioningArtifactCommand.ts @@ -127,4 +127,16 @@ export class DescribeProvisioningArtifactCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProvisioningArtifactCommand) .de(de_DescribeProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProvisioningArtifactInput; + output: DescribeProvisioningArtifactOutput; + }; + sdk: { + input: DescribeProvisioningArtifactCommandInput; + output: DescribeProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeProvisioningParametersCommand.ts b/clients/client-service-catalog/src/commands/DescribeProvisioningParametersCommand.ts index 5c77ce6cb966..c1afd4bcaa87 100644 --- a/clients/client-service-catalog/src/commands/DescribeProvisioningParametersCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeProvisioningParametersCommand.ts @@ -160,4 +160,16 @@ export class DescribeProvisioningParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProvisioningParametersCommand) .de(de_DescribeProvisioningParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProvisioningParametersInput; + output: DescribeProvisioningParametersOutput; + }; + sdk: { + input: DescribeProvisioningParametersCommandInput; + output: DescribeProvisioningParametersCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeRecordCommand.ts b/clients/client-service-catalog/src/commands/DescribeRecordCommand.ts index 1eaf1ca82093..96724468d1ac 100644 --- a/clients/client-service-catalog/src/commands/DescribeRecordCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeRecordCommand.ts @@ -124,4 +124,16 @@ export class DescribeRecordCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRecordCommand) .de(de_DescribeRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRecordInput; + output: DescribeRecordOutput; + }; + sdk: { + input: DescribeRecordCommandInput; + output: DescribeRecordCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeServiceActionCommand.ts b/clients/client-service-catalog/src/commands/DescribeServiceActionCommand.ts index 00874bf9b53d..905e55226376 100644 --- a/clients/client-service-catalog/src/commands/DescribeServiceActionCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeServiceActionCommand.ts @@ -91,4 +91,16 @@ export class DescribeServiceActionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServiceActionCommand) .de(de_DescribeServiceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServiceActionInput; + output: DescribeServiceActionOutput; + }; + sdk: { + input: DescribeServiceActionCommandInput; + output: DescribeServiceActionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeServiceActionExecutionParametersCommand.ts b/clients/client-service-catalog/src/commands/DescribeServiceActionExecutionParametersCommand.ts index ba6a8ceac324..ea975b26b714 100644 --- a/clients/client-service-catalog/src/commands/DescribeServiceActionExecutionParametersCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeServiceActionExecutionParametersCommand.ts @@ -102,4 +102,16 @@ export class DescribeServiceActionExecutionParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServiceActionExecutionParametersCommand) .de(de_DescribeServiceActionExecutionParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServiceActionExecutionParametersInput; + output: DescribeServiceActionExecutionParametersOutput; + }; + sdk: { + input: DescribeServiceActionExecutionParametersCommandInput; + output: DescribeServiceActionExecutionParametersCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DescribeTagOptionCommand.ts b/clients/client-service-catalog/src/commands/DescribeTagOptionCommand.ts index b55e038f6852..54985c538562 100644 --- a/clients/client-service-catalog/src/commands/DescribeTagOptionCommand.ts +++ b/clients/client-service-catalog/src/commands/DescribeTagOptionCommand.ts @@ -91,4 +91,16 @@ export class DescribeTagOptionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagOptionCommand) .de(de_DescribeTagOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagOptionInput; + output: DescribeTagOptionOutput; + }; + sdk: { + input: DescribeTagOptionCommandInput; + output: DescribeTagOptionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DisableAWSOrganizationsAccessCommand.ts b/clients/client-service-catalog/src/commands/DisableAWSOrganizationsAccessCommand.ts index 9f8f0b01fd8b..66b9f53266e8 100644 --- a/clients/client-service-catalog/src/commands/DisableAWSOrganizationsAccessCommand.ts +++ b/clients/client-service-catalog/src/commands/DisableAWSOrganizationsAccessCommand.ts @@ -100,4 +100,16 @@ export class DisableAWSOrganizationsAccessCommand extends $Command .f(void 0, void 0) .ser(se_DisableAWSOrganizationsAccessCommand) .de(de_DisableAWSOrganizationsAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisableAWSOrganizationsAccessCommandInput; + output: DisableAWSOrganizationsAccessCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DisassociateBudgetFromResourceCommand.ts b/clients/client-service-catalog/src/commands/DisassociateBudgetFromResourceCommand.ts index 6015b02e0cd9..388c07eb7b27 100644 --- a/clients/client-service-catalog/src/commands/DisassociateBudgetFromResourceCommand.ts +++ b/clients/client-service-catalog/src/commands/DisassociateBudgetFromResourceCommand.ts @@ -84,4 +84,16 @@ export class DisassociateBudgetFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateBudgetFromResourceCommand) .de(de_DisassociateBudgetFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateBudgetFromResourceInput; + output: {}; + }; + sdk: { + input: DisassociateBudgetFromResourceCommandInput; + output: DisassociateBudgetFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DisassociatePrincipalFromPortfolioCommand.ts b/clients/client-service-catalog/src/commands/DisassociatePrincipalFromPortfolioCommand.ts index b96cfe106f8b..084ad223c8f5 100644 --- a/clients/client-service-catalog/src/commands/DisassociatePrincipalFromPortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/DisassociatePrincipalFromPortfolioCommand.ts @@ -106,4 +106,16 @@ export class DisassociatePrincipalFromPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_DisassociatePrincipalFromPortfolioCommand) .de(de_DisassociatePrincipalFromPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociatePrincipalFromPortfolioInput; + output: {}; + }; + sdk: { + input: DisassociatePrincipalFromPortfolioCommandInput; + output: DisassociatePrincipalFromPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DisassociateProductFromPortfolioCommand.ts b/clients/client-service-catalog/src/commands/DisassociateProductFromPortfolioCommand.ts index 4ae85be8e98d..adccbbecac25 100644 --- a/clients/client-service-catalog/src/commands/DisassociateProductFromPortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/DisassociateProductFromPortfolioCommand.ts @@ -92,4 +92,16 @@ export class DisassociateProductFromPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateProductFromPortfolioCommand) .de(de_DisassociateProductFromPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateProductFromPortfolioInput; + output: {}; + }; + sdk: { + input: DisassociateProductFromPortfolioCommandInput; + output: DisassociateProductFromPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DisassociateServiceActionFromProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/DisassociateServiceActionFromProvisioningArtifactCommand.ts index 7f4e71fe12cf..6ec92881321f 100644 --- a/clients/client-service-catalog/src/commands/DisassociateServiceActionFromProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/DisassociateServiceActionFromProvisioningArtifactCommand.ts @@ -91,4 +91,16 @@ export class DisassociateServiceActionFromProvisioningArtifactCommand extends $C .f(void 0, void 0) .ser(se_DisassociateServiceActionFromProvisioningArtifactCommand) .de(de_DisassociateServiceActionFromProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateServiceActionFromProvisioningArtifactInput; + output: {}; + }; + sdk: { + input: DisassociateServiceActionFromProvisioningArtifactCommandInput; + output: DisassociateServiceActionFromProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/DisassociateTagOptionFromResourceCommand.ts b/clients/client-service-catalog/src/commands/DisassociateTagOptionFromResourceCommand.ts index b46270d455b1..4db98c3d1d68 100644 --- a/clients/client-service-catalog/src/commands/DisassociateTagOptionFromResourceCommand.ts +++ b/clients/client-service-catalog/src/commands/DisassociateTagOptionFromResourceCommand.ts @@ -89,4 +89,16 @@ export class DisassociateTagOptionFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTagOptionFromResourceCommand) .de(de_DisassociateTagOptionFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTagOptionFromResourceInput; + output: {}; + }; + sdk: { + input: DisassociateTagOptionFromResourceCommandInput; + output: DisassociateTagOptionFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/EnableAWSOrganizationsAccessCommand.ts b/clients/client-service-catalog/src/commands/EnableAWSOrganizationsAccessCommand.ts index 8b9a2fe9bc45..b054c901dd84 100644 --- a/clients/client-service-catalog/src/commands/EnableAWSOrganizationsAccessCommand.ts +++ b/clients/client-service-catalog/src/commands/EnableAWSOrganizationsAccessCommand.ts @@ -100,4 +100,16 @@ export class EnableAWSOrganizationsAccessCommand extends $Command .f(void 0, void 0) .ser(se_EnableAWSOrganizationsAccessCommand) .de(de_EnableAWSOrganizationsAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EnableAWSOrganizationsAccessCommandInput; + output: EnableAWSOrganizationsAccessCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ExecuteProvisionedProductPlanCommand.ts b/clients/client-service-catalog/src/commands/ExecuteProvisionedProductPlanCommand.ts index 21c4845e4235..a8484499ff12 100644 --- a/clients/client-service-catalog/src/commands/ExecuteProvisionedProductPlanCommand.ts +++ b/clients/client-service-catalog/src/commands/ExecuteProvisionedProductPlanCommand.ts @@ -119,4 +119,16 @@ export class ExecuteProvisionedProductPlanCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteProvisionedProductPlanCommand) .de(de_ExecuteProvisionedProductPlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteProvisionedProductPlanInput; + output: ExecuteProvisionedProductPlanOutput; + }; + sdk: { + input: ExecuteProvisionedProductPlanCommandInput; + output: ExecuteProvisionedProductPlanCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ExecuteProvisionedProductServiceActionCommand.ts b/clients/client-service-catalog/src/commands/ExecuteProvisionedProductServiceActionCommand.ts index c45f8969029c..5d4feef25fb6 100644 --- a/clients/client-service-catalog/src/commands/ExecuteProvisionedProductServiceActionCommand.ts +++ b/clients/client-service-catalog/src/commands/ExecuteProvisionedProductServiceActionCommand.ts @@ -129,4 +129,16 @@ export class ExecuteProvisionedProductServiceActionCommand extends $Command .f(void 0, void 0) .ser(se_ExecuteProvisionedProductServiceActionCommand) .de(de_ExecuteProvisionedProductServiceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteProvisionedProductServiceActionInput; + output: ExecuteProvisionedProductServiceActionOutput; + }; + sdk: { + input: ExecuteProvisionedProductServiceActionCommandInput; + output: ExecuteProvisionedProductServiceActionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/GetAWSOrganizationsAccessStatusCommand.ts b/clients/client-service-catalog/src/commands/GetAWSOrganizationsAccessStatusCommand.ts index f24908295e58..b08d77c80457 100644 --- a/clients/client-service-catalog/src/commands/GetAWSOrganizationsAccessStatusCommand.ts +++ b/clients/client-service-catalog/src/commands/GetAWSOrganizationsAccessStatusCommand.ts @@ -87,4 +87,16 @@ export class GetAWSOrganizationsAccessStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetAWSOrganizationsAccessStatusCommand) .de(de_GetAWSOrganizationsAccessStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAWSOrganizationsAccessStatusOutput; + }; + sdk: { + input: GetAWSOrganizationsAccessStatusCommandInput; + output: GetAWSOrganizationsAccessStatusCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/GetProvisionedProductOutputsCommand.ts b/clients/client-service-catalog/src/commands/GetProvisionedProductOutputsCommand.ts index e6a8f11caae7..909b0483303c 100644 --- a/clients/client-service-catalog/src/commands/GetProvisionedProductOutputsCommand.ts +++ b/clients/client-service-catalog/src/commands/GetProvisionedProductOutputsCommand.ts @@ -102,4 +102,16 @@ export class GetProvisionedProductOutputsCommand extends $Command .f(void 0, void 0) .ser(se_GetProvisionedProductOutputsCommand) .de(de_GetProvisionedProductOutputsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProvisionedProductOutputsInput; + output: GetProvisionedProductOutputsOutput; + }; + sdk: { + input: GetProvisionedProductOutputsCommandInput; + output: GetProvisionedProductOutputsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ImportAsProvisionedProductCommand.ts b/clients/client-service-catalog/src/commands/ImportAsProvisionedProductCommand.ts index 86c5cc92595a..bd0f43957db4 100644 --- a/clients/client-service-catalog/src/commands/ImportAsProvisionedProductCommand.ts +++ b/clients/client-service-catalog/src/commands/ImportAsProvisionedProductCommand.ts @@ -153,4 +153,16 @@ export class ImportAsProvisionedProductCommand extends $Command .f(void 0, void 0) .ser(se_ImportAsProvisionedProductCommand) .de(de_ImportAsProvisionedProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportAsProvisionedProductInput; + output: ImportAsProvisionedProductOutput; + }; + sdk: { + input: ImportAsProvisionedProductCommandInput; + output: ImportAsProvisionedProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListAcceptedPortfolioSharesCommand.ts b/clients/client-service-catalog/src/commands/ListAcceptedPortfolioSharesCommand.ts index 4219c61f1e35..42861afa213d 100644 --- a/clients/client-service-catalog/src/commands/ListAcceptedPortfolioSharesCommand.ts +++ b/clients/client-service-catalog/src/commands/ListAcceptedPortfolioSharesCommand.ts @@ -98,4 +98,16 @@ export class ListAcceptedPortfolioSharesCommand extends $Command .f(void 0, void 0) .ser(se_ListAcceptedPortfolioSharesCommand) .de(de_ListAcceptedPortfolioSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAcceptedPortfolioSharesInput; + output: ListAcceptedPortfolioSharesOutput; + }; + sdk: { + input: ListAcceptedPortfolioSharesCommandInput; + output: ListAcceptedPortfolioSharesCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListBudgetsForResourceCommand.ts b/clients/client-service-catalog/src/commands/ListBudgetsForResourceCommand.ts index 8ad7f343d072..329108b1aba1 100644 --- a/clients/client-service-catalog/src/commands/ListBudgetsForResourceCommand.ts +++ b/clients/client-service-catalog/src/commands/ListBudgetsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListBudgetsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListBudgetsForResourceCommand) .de(de_ListBudgetsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBudgetsForResourceInput; + output: ListBudgetsForResourceOutput; + }; + sdk: { + input: ListBudgetsForResourceCommandInput; + output: ListBudgetsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListConstraintsForPortfolioCommand.ts b/clients/client-service-catalog/src/commands/ListConstraintsForPortfolioCommand.ts index 393bf1ec9161..fe9917c22049 100644 --- a/clients/client-service-catalog/src/commands/ListConstraintsForPortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/ListConstraintsForPortfolioCommand.ts @@ -97,4 +97,16 @@ export class ListConstraintsForPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_ListConstraintsForPortfolioCommand) .de(de_ListConstraintsForPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConstraintsForPortfolioInput; + output: ListConstraintsForPortfolioOutput; + }; + sdk: { + input: ListConstraintsForPortfolioCommandInput; + output: ListConstraintsForPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListLaunchPathsCommand.ts b/clients/client-service-catalog/src/commands/ListLaunchPathsCommand.ts index fb44b9cbf34c..575b2969cda2 100644 --- a/clients/client-service-catalog/src/commands/ListLaunchPathsCommand.ts +++ b/clients/client-service-catalog/src/commands/ListLaunchPathsCommand.ts @@ -129,4 +129,16 @@ export class ListLaunchPathsCommand extends $Command .f(void 0, void 0) .ser(se_ListLaunchPathsCommand) .de(de_ListLaunchPathsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLaunchPathsInput; + output: ListLaunchPathsOutput; + }; + sdk: { + input: ListLaunchPathsCommandInput; + output: ListLaunchPathsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListOrganizationPortfolioAccessCommand.ts b/clients/client-service-catalog/src/commands/ListOrganizationPortfolioAccessCommand.ts index 2640f0aa17a8..266c8a15d916 100644 --- a/clients/client-service-catalog/src/commands/ListOrganizationPortfolioAccessCommand.ts +++ b/clients/client-service-catalog/src/commands/ListOrganizationPortfolioAccessCommand.ts @@ -104,4 +104,16 @@ export class ListOrganizationPortfolioAccessCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationPortfolioAccessCommand) .de(de_ListOrganizationPortfolioAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationPortfolioAccessInput; + output: ListOrganizationPortfolioAccessOutput; + }; + sdk: { + input: ListOrganizationPortfolioAccessCommandInput; + output: ListOrganizationPortfolioAccessCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListPortfolioAccessCommand.ts b/clients/client-service-catalog/src/commands/ListPortfolioAccessCommand.ts index 83fc2818ea42..a97cb550deaa 100644 --- a/clients/client-service-catalog/src/commands/ListPortfolioAccessCommand.ts +++ b/clients/client-service-catalog/src/commands/ListPortfolioAccessCommand.ts @@ -91,4 +91,16 @@ export class ListPortfolioAccessCommand extends $Command .f(void 0, void 0) .ser(se_ListPortfolioAccessCommand) .de(de_ListPortfolioAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPortfolioAccessInput; + output: ListPortfolioAccessOutput; + }; + sdk: { + input: ListPortfolioAccessCommandInput; + output: ListPortfolioAccessCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListPortfoliosCommand.ts b/clients/client-service-catalog/src/commands/ListPortfoliosCommand.ts index 577bc540df0d..4dbd7740f3f1 100644 --- a/clients/client-service-catalog/src/commands/ListPortfoliosCommand.ts +++ b/clients/client-service-catalog/src/commands/ListPortfoliosCommand.ts @@ -92,4 +92,16 @@ export class ListPortfoliosCommand extends $Command .f(void 0, void 0) .ser(se_ListPortfoliosCommand) .de(de_ListPortfoliosCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPortfoliosInput; + output: ListPortfoliosOutput; + }; + sdk: { + input: ListPortfoliosCommandInput; + output: ListPortfoliosCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListPortfoliosForProductCommand.ts b/clients/client-service-catalog/src/commands/ListPortfoliosForProductCommand.ts index 6e02cc0d404f..7f7bf43f0986 100644 --- a/clients/client-service-catalog/src/commands/ListPortfoliosForProductCommand.ts +++ b/clients/client-service-catalog/src/commands/ListPortfoliosForProductCommand.ts @@ -96,4 +96,16 @@ export class ListPortfoliosForProductCommand extends $Command .f(void 0, void 0) .ser(se_ListPortfoliosForProductCommand) .de(de_ListPortfoliosForProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPortfoliosForProductInput; + output: ListPortfoliosForProductOutput; + }; + sdk: { + input: ListPortfoliosForProductCommandInput; + output: ListPortfoliosForProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListPrincipalsForPortfolioCommand.ts b/clients/client-service-catalog/src/commands/ListPrincipalsForPortfolioCommand.ts index fcb3442ecec3..8591c5d551ca 100644 --- a/clients/client-service-catalog/src/commands/ListPrincipalsForPortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/ListPrincipalsForPortfolioCommand.ts @@ -92,4 +92,16 @@ export class ListPrincipalsForPortfolioCommand extends $Command .f(void 0, void 0) .ser(se_ListPrincipalsForPortfolioCommand) .de(de_ListPrincipalsForPortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPrincipalsForPortfolioInput; + output: ListPrincipalsForPortfolioOutput; + }; + sdk: { + input: ListPrincipalsForPortfolioCommandInput; + output: ListPrincipalsForPortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListProvisionedProductPlansCommand.ts b/clients/client-service-catalog/src/commands/ListProvisionedProductPlansCommand.ts index f3adb6f33808..b51c51fc7b7d 100644 --- a/clients/client-service-catalog/src/commands/ListProvisionedProductPlansCommand.ts +++ b/clients/client-service-catalog/src/commands/ListProvisionedProductPlansCommand.ts @@ -100,4 +100,16 @@ export class ListProvisionedProductPlansCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisionedProductPlansCommand) .de(de_ListProvisionedProductPlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisionedProductPlansInput; + output: ListProvisionedProductPlansOutput; + }; + sdk: { + input: ListProvisionedProductPlansCommandInput; + output: ListProvisionedProductPlansCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListProvisioningArtifactsCommand.ts b/clients/client-service-catalog/src/commands/ListProvisioningArtifactsCommand.ts index 70d493494663..4ed37198f818 100644 --- a/clients/client-service-catalog/src/commands/ListProvisioningArtifactsCommand.ts +++ b/clients/client-service-catalog/src/commands/ListProvisioningArtifactsCommand.ts @@ -96,4 +96,16 @@ export class ListProvisioningArtifactsCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisioningArtifactsCommand) .de(de_ListProvisioningArtifactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisioningArtifactsInput; + output: ListProvisioningArtifactsOutput; + }; + sdk: { + input: ListProvisioningArtifactsCommandInput; + output: ListProvisioningArtifactsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListProvisioningArtifactsForServiceActionCommand.ts b/clients/client-service-catalog/src/commands/ListProvisioningArtifactsForServiceActionCommand.ts index 9e590b4db21d..cdd94dbe3dee 100644 --- a/clients/client-service-catalog/src/commands/ListProvisioningArtifactsForServiceActionCommand.ts +++ b/clients/client-service-catalog/src/commands/ListProvisioningArtifactsForServiceActionCommand.ts @@ -119,4 +119,16 @@ export class ListProvisioningArtifactsForServiceActionCommand extends $Command .f(void 0, void 0) .ser(se_ListProvisioningArtifactsForServiceActionCommand) .de(de_ListProvisioningArtifactsForServiceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProvisioningArtifactsForServiceActionInput; + output: ListProvisioningArtifactsForServiceActionOutput; + }; + sdk: { + input: ListProvisioningArtifactsForServiceActionCommandInput; + output: ListProvisioningArtifactsForServiceActionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListRecordHistoryCommand.ts b/clients/client-service-catalog/src/commands/ListRecordHistoryCommand.ts index b05fbb4a6613..5c6018e2857a 100644 --- a/clients/client-service-catalog/src/commands/ListRecordHistoryCommand.ts +++ b/clients/client-service-catalog/src/commands/ListRecordHistoryCommand.ts @@ -118,4 +118,16 @@ export class ListRecordHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListRecordHistoryCommand) .de(de_ListRecordHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecordHistoryInput; + output: ListRecordHistoryOutput; + }; + sdk: { + input: ListRecordHistoryCommandInput; + output: ListRecordHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListResourcesForTagOptionCommand.ts b/clients/client-service-catalog/src/commands/ListResourcesForTagOptionCommand.ts index 715ecabca796..429599c80c76 100644 --- a/clients/client-service-catalog/src/commands/ListResourcesForTagOptionCommand.ts +++ b/clients/client-service-catalog/src/commands/ListResourcesForTagOptionCommand.ts @@ -100,4 +100,16 @@ export class ListResourcesForTagOptionCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesForTagOptionCommand) .de(de_ListResourcesForTagOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesForTagOptionInput; + output: ListResourcesForTagOptionOutput; + }; + sdk: { + input: ListResourcesForTagOptionCommandInput; + output: ListResourcesForTagOptionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListServiceActionsCommand.ts b/clients/client-service-catalog/src/commands/ListServiceActionsCommand.ts index 79dbdff3b2e8..bc12c4de513c 100644 --- a/clients/client-service-catalog/src/commands/ListServiceActionsCommand.ts +++ b/clients/client-service-catalog/src/commands/ListServiceActionsCommand.ts @@ -90,4 +90,16 @@ export class ListServiceActionsCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceActionsCommand) .de(de_ListServiceActionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceActionsInput; + output: ListServiceActionsOutput; + }; + sdk: { + input: ListServiceActionsCommandInput; + output: ListServiceActionsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListServiceActionsForProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/ListServiceActionsForProvisioningArtifactCommand.ts index b07214918a66..17e9d4df5458 100644 --- a/clients/client-service-catalog/src/commands/ListServiceActionsForProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/ListServiceActionsForProvisioningArtifactCommand.ts @@ -104,4 +104,16 @@ export class ListServiceActionsForProvisioningArtifactCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceActionsForProvisioningArtifactCommand) .de(de_ListServiceActionsForProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceActionsForProvisioningArtifactInput; + output: ListServiceActionsForProvisioningArtifactOutput; + }; + sdk: { + input: ListServiceActionsForProvisioningArtifactCommandInput; + output: ListServiceActionsForProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListStackInstancesForProvisionedProductCommand.ts b/clients/client-service-catalog/src/commands/ListStackInstancesForProvisionedProductCommand.ts index ee746dbf3c43..7fe959b27e59 100644 --- a/clients/client-service-catalog/src/commands/ListStackInstancesForProvisionedProductCommand.ts +++ b/clients/client-service-catalog/src/commands/ListStackInstancesForProvisionedProductCommand.ts @@ -102,4 +102,16 @@ export class ListStackInstancesForProvisionedProductCommand extends $Command .f(void 0, void 0) .ser(se_ListStackInstancesForProvisionedProductCommand) .de(de_ListStackInstancesForProvisionedProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStackInstancesForProvisionedProductInput; + output: ListStackInstancesForProvisionedProductOutput; + }; + sdk: { + input: ListStackInstancesForProvisionedProductCommandInput; + output: ListStackInstancesForProvisionedProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ListTagOptionsCommand.ts b/clients/client-service-catalog/src/commands/ListTagOptionsCommand.ts index 43bc2d735832..a3c41901e672 100644 --- a/clients/client-service-catalog/src/commands/ListTagOptionsCommand.ts +++ b/clients/client-service-catalog/src/commands/ListTagOptionsCommand.ts @@ -100,4 +100,16 @@ export class ListTagOptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListTagOptionsCommand) .de(de_ListTagOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagOptionsInput; + output: ListTagOptionsOutput; + }; + sdk: { + input: ListTagOptionsCommandInput; + output: ListTagOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/NotifyProvisionProductEngineWorkflowResultCommand.ts b/clients/client-service-catalog/src/commands/NotifyProvisionProductEngineWorkflowResultCommand.ts index 9ca07a9c16ce..1f4ac4a53a5e 100644 --- a/clients/client-service-catalog/src/commands/NotifyProvisionProductEngineWorkflowResultCommand.ts +++ b/clients/client-service-catalog/src/commands/NotifyProvisionProductEngineWorkflowResultCommand.ts @@ -110,4 +110,16 @@ export class NotifyProvisionProductEngineWorkflowResultCommand extends $Command .f(void 0, void 0) .ser(se_NotifyProvisionProductEngineWorkflowResultCommand) .de(de_NotifyProvisionProductEngineWorkflowResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyProvisionProductEngineWorkflowResultInput; + output: {}; + }; + sdk: { + input: NotifyProvisionProductEngineWorkflowResultCommandInput; + output: NotifyProvisionProductEngineWorkflowResultCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/NotifyTerminateProvisionedProductEngineWorkflowResultCommand.ts b/clients/client-service-catalog/src/commands/NotifyTerminateProvisionedProductEngineWorkflowResultCommand.ts index 0a7834820893..3ff3461bb725 100644 --- a/clients/client-service-catalog/src/commands/NotifyTerminateProvisionedProductEngineWorkflowResultCommand.ts +++ b/clients/client-service-catalog/src/commands/NotifyTerminateProvisionedProductEngineWorkflowResultCommand.ts @@ -97,4 +97,16 @@ export class NotifyTerminateProvisionedProductEngineWorkflowResultCommand extend .f(void 0, void 0) .ser(se_NotifyTerminateProvisionedProductEngineWorkflowResultCommand) .de(de_NotifyTerminateProvisionedProductEngineWorkflowResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyTerminateProvisionedProductEngineWorkflowResultInput; + output: {}; + }; + sdk: { + input: NotifyTerminateProvisionedProductEngineWorkflowResultCommandInput; + output: NotifyTerminateProvisionedProductEngineWorkflowResultCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/NotifyUpdateProvisionedProductEngineWorkflowResultCommand.ts b/clients/client-service-catalog/src/commands/NotifyUpdateProvisionedProductEngineWorkflowResultCommand.ts index 064fee84d134..b3b572745d33 100644 --- a/clients/client-service-catalog/src/commands/NotifyUpdateProvisionedProductEngineWorkflowResultCommand.ts +++ b/clients/client-service-catalog/src/commands/NotifyUpdateProvisionedProductEngineWorkflowResultCommand.ts @@ -104,4 +104,16 @@ export class NotifyUpdateProvisionedProductEngineWorkflowResultCommand extends $ .f(void 0, void 0) .ser(se_NotifyUpdateProvisionedProductEngineWorkflowResultCommand) .de(de_NotifyUpdateProvisionedProductEngineWorkflowResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyUpdateProvisionedProductEngineWorkflowResultInput; + output: {}; + }; + sdk: { + input: NotifyUpdateProvisionedProductEngineWorkflowResultCommandInput; + output: NotifyUpdateProvisionedProductEngineWorkflowResultCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ProvisionProductCommand.ts b/clients/client-service-catalog/src/commands/ProvisionProductCommand.ts index 2e1075a965ef..7198913cb144 100644 --- a/clients/client-service-catalog/src/commands/ProvisionProductCommand.ts +++ b/clients/client-service-catalog/src/commands/ProvisionProductCommand.ts @@ -182,4 +182,16 @@ export class ProvisionProductCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionProductCommand) .de(de_ProvisionProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionProductInput; + output: ProvisionProductOutput; + }; + sdk: { + input: ProvisionProductCommandInput; + output: ProvisionProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/RejectPortfolioShareCommand.ts b/clients/client-service-catalog/src/commands/RejectPortfolioShareCommand.ts index 10c58e733dbf..c95693ebb4ff 100644 --- a/clients/client-service-catalog/src/commands/RejectPortfolioShareCommand.ts +++ b/clients/client-service-catalog/src/commands/RejectPortfolioShareCommand.ts @@ -80,4 +80,16 @@ export class RejectPortfolioShareCommand extends $Command .f(void 0, void 0) .ser(se_RejectPortfolioShareCommand) .de(de_RejectPortfolioShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectPortfolioShareInput; + output: {}; + }; + sdk: { + input: RejectPortfolioShareCommandInput; + output: RejectPortfolioShareCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/ScanProvisionedProductsCommand.ts b/clients/client-service-catalog/src/commands/ScanProvisionedProductsCommand.ts index ab753fb7cbe7..b5fcea2e6f03 100644 --- a/clients/client-service-catalog/src/commands/ScanProvisionedProductsCommand.ts +++ b/clients/client-service-catalog/src/commands/ScanProvisionedProductsCommand.ts @@ -105,4 +105,16 @@ export class ScanProvisionedProductsCommand extends $Command .f(void 0, void 0) .ser(se_ScanProvisionedProductsCommand) .de(de_ScanProvisionedProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ScanProvisionedProductsInput; + output: ScanProvisionedProductsOutput; + }; + sdk: { + input: ScanProvisionedProductsCommandInput; + output: ScanProvisionedProductsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/SearchProductsAsAdminCommand.ts b/clients/client-service-catalog/src/commands/SearchProductsAsAdminCommand.ts index 04151ad5555c..b31bbeeb237c 100644 --- a/clients/client-service-catalog/src/commands/SearchProductsAsAdminCommand.ts +++ b/clients/client-service-catalog/src/commands/SearchProductsAsAdminCommand.ts @@ -132,4 +132,16 @@ export class SearchProductsAsAdminCommand extends $Command .f(void 0, void 0) .ser(se_SearchProductsAsAdminCommand) .de(de_SearchProductsAsAdminCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchProductsAsAdminInput; + output: SearchProductsAsAdminOutput; + }; + sdk: { + input: SearchProductsAsAdminCommandInput; + output: SearchProductsAsAdminCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/SearchProductsCommand.ts b/clients/client-service-catalog/src/commands/SearchProductsCommand.ts index 033e51a6dab7..0dbb1e1e8273 100644 --- a/clients/client-service-catalog/src/commands/SearchProductsCommand.ts +++ b/clients/client-service-catalog/src/commands/SearchProductsCommand.ts @@ -112,4 +112,16 @@ export class SearchProductsCommand extends $Command .f(void 0, void 0) .ser(se_SearchProductsCommand) .de(de_SearchProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchProductsInput; + output: SearchProductsOutput; + }; + sdk: { + input: SearchProductsCommandInput; + output: SearchProductsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/SearchProvisionedProductsCommand.ts b/clients/client-service-catalog/src/commands/SearchProvisionedProductsCommand.ts index 0031f2824e20..1fb4b6da06cd 100644 --- a/clients/client-service-catalog/src/commands/SearchProvisionedProductsCommand.ts +++ b/clients/client-service-catalog/src/commands/SearchProvisionedProductsCommand.ts @@ -122,4 +122,16 @@ export class SearchProvisionedProductsCommand extends $Command .f(void 0, void 0) .ser(se_SearchProvisionedProductsCommand) .de(de_SearchProvisionedProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchProvisionedProductsInput; + output: SearchProvisionedProductsOutput; + }; + sdk: { + input: SearchProvisionedProductsCommandInput; + output: SearchProvisionedProductsCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/TerminateProvisionedProductCommand.ts b/clients/client-service-catalog/src/commands/TerminateProvisionedProductCommand.ts index 66366d7e6ff1..b8867489c833 100644 --- a/clients/client-service-catalog/src/commands/TerminateProvisionedProductCommand.ts +++ b/clients/client-service-catalog/src/commands/TerminateProvisionedProductCommand.ts @@ -112,4 +112,16 @@ export class TerminateProvisionedProductCommand extends $Command .f(void 0, void 0) .ser(se_TerminateProvisionedProductCommand) .de(de_TerminateProvisionedProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateProvisionedProductInput; + output: TerminateProvisionedProductOutput; + }; + sdk: { + input: TerminateProvisionedProductCommandInput; + output: TerminateProvisionedProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdateConstraintCommand.ts b/clients/client-service-catalog/src/commands/UpdateConstraintCommand.ts index 8759cf43af14..10ee990824f7 100644 --- a/clients/client-service-catalog/src/commands/UpdateConstraintCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdateConstraintCommand.ts @@ -95,4 +95,16 @@ export class UpdateConstraintCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConstraintCommand) .de(de_UpdateConstraintCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConstraintInput; + output: UpdateConstraintOutput; + }; + sdk: { + input: UpdateConstraintCommandInput; + output: UpdateConstraintCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdatePortfolioCommand.ts b/clients/client-service-catalog/src/commands/UpdatePortfolioCommand.ts index e8049973b52c..ec9fe80c29ef 100644 --- a/clients/client-service-catalog/src/commands/UpdatePortfolioCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdatePortfolioCommand.ts @@ -119,4 +119,16 @@ export class UpdatePortfolioCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePortfolioCommand) .de(de_UpdatePortfolioCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePortfolioInput; + output: UpdatePortfolioOutput; + }; + sdk: { + input: UpdatePortfolioCommandInput; + output: UpdatePortfolioCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdatePortfolioShareCommand.ts b/clients/client-service-catalog/src/commands/UpdatePortfolioShareCommand.ts index c169c29dd856..d4c2ef2ea51d 100644 --- a/clients/client-service-catalog/src/commands/UpdatePortfolioShareCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdatePortfolioShareCommand.ts @@ -114,4 +114,16 @@ export class UpdatePortfolioShareCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePortfolioShareCommand) .de(de_UpdatePortfolioShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePortfolioShareInput; + output: UpdatePortfolioShareOutput; + }; + sdk: { + input: UpdatePortfolioShareCommandInput; + output: UpdatePortfolioShareCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdateProductCommand.ts b/clients/client-service-catalog/src/commands/UpdateProductCommand.ts index bd337574f2fb..0dd64fd2ed3f 100644 --- a/clients/client-service-catalog/src/commands/UpdateProductCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdateProductCommand.ts @@ -157,4 +157,16 @@ export class UpdateProductCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProductCommand) .de(de_UpdateProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProductInput; + output: UpdateProductOutput; + }; + sdk: { + input: UpdateProductCommandInput; + output: UpdateProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdateProvisionedProductCommand.ts b/clients/client-service-catalog/src/commands/UpdateProvisionedProductCommand.ts index cf52b2835416..85eb265a0252 100644 --- a/clients/client-service-catalog/src/commands/UpdateProvisionedProductCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdateProvisionedProductCommand.ts @@ -147,4 +147,16 @@ export class UpdateProvisionedProductCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProvisionedProductCommand) .de(de_UpdateProvisionedProductCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProvisionedProductInput; + output: UpdateProvisionedProductOutput; + }; + sdk: { + input: UpdateProvisionedProductCommandInput; + output: UpdateProvisionedProductCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdateProvisionedProductPropertiesCommand.ts b/clients/client-service-catalog/src/commands/UpdateProvisionedProductPropertiesCommand.ts index c66344b7ac51..f388326661d7 100644 --- a/clients/client-service-catalog/src/commands/UpdateProvisionedProductPropertiesCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdateProvisionedProductPropertiesCommand.ts @@ -102,4 +102,16 @@ export class UpdateProvisionedProductPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProvisionedProductPropertiesCommand) .de(de_UpdateProvisionedProductPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProvisionedProductPropertiesInput; + output: UpdateProvisionedProductPropertiesOutput; + }; + sdk: { + input: UpdateProvisionedProductPropertiesCommandInput; + output: UpdateProvisionedProductPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdateProvisioningArtifactCommand.ts b/clients/client-service-catalog/src/commands/UpdateProvisioningArtifactCommand.ts index cb474ee4c6cb..077f358d98b7 100644 --- a/clients/client-service-catalog/src/commands/UpdateProvisioningArtifactCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdateProvisioningArtifactCommand.ts @@ -103,4 +103,16 @@ export class UpdateProvisioningArtifactCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProvisioningArtifactCommand) .de(de_UpdateProvisioningArtifactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProvisioningArtifactInput; + output: UpdateProvisioningArtifactOutput; + }; + sdk: { + input: UpdateProvisioningArtifactCommandInput; + output: UpdateProvisioningArtifactCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdateServiceActionCommand.ts b/clients/client-service-catalog/src/commands/UpdateServiceActionCommand.ts index 20f09d3f2351..17d6de9e6f8b 100644 --- a/clients/client-service-catalog/src/commands/UpdateServiceActionCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdateServiceActionCommand.ts @@ -99,4 +99,16 @@ export class UpdateServiceActionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceActionCommand) .de(de_UpdateServiceActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceActionInput; + output: UpdateServiceActionOutput; + }; + sdk: { + input: UpdateServiceActionCommandInput; + output: UpdateServiceActionCommandOutput; + }; + }; +} diff --git a/clients/client-service-catalog/src/commands/UpdateTagOptionCommand.ts b/clients/client-service-catalog/src/commands/UpdateTagOptionCommand.ts index cc6c84cce7d0..6971f2ef9e47 100644 --- a/clients/client-service-catalog/src/commands/UpdateTagOptionCommand.ts +++ b/clients/client-service-catalog/src/commands/UpdateTagOptionCommand.ts @@ -99,4 +99,16 @@ export class UpdateTagOptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTagOptionCommand) .de(de_UpdateTagOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTagOptionInput; + output: UpdateTagOptionOutput; + }; + sdk: { + input: UpdateTagOptionCommandInput; + output: UpdateTagOptionCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/package.json b/clients/client-service-quotas/package.json index fc09fa9ade2d..9b6dc366b4c5 100644 --- a/clients/client-service-quotas/package.json +++ b/clients/client-service-quotas/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-service-quotas/src/commands/AssociateServiceQuotaTemplateCommand.ts b/clients/client-service-quotas/src/commands/AssociateServiceQuotaTemplateCommand.ts index b2100fd2b9be..2b8156f41c7e 100644 --- a/clients/client-service-quotas/src/commands/AssociateServiceQuotaTemplateCommand.ts +++ b/clients/client-service-quotas/src/commands/AssociateServiceQuotaTemplateCommand.ts @@ -108,4 +108,16 @@ export class AssociateServiceQuotaTemplateCommand extends $Command .f(void 0, void 0) .ser(se_AssociateServiceQuotaTemplateCommand) .de(de_AssociateServiceQuotaTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: AssociateServiceQuotaTemplateCommandInput; + output: AssociateServiceQuotaTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/DeleteServiceQuotaIncreaseRequestFromTemplateCommand.ts b/clients/client-service-quotas/src/commands/DeleteServiceQuotaIncreaseRequestFromTemplateCommand.ts index 7b17babd2cb1..8055b1bd2b4e 100644 --- a/clients/client-service-quotas/src/commands/DeleteServiceQuotaIncreaseRequestFromTemplateCommand.ts +++ b/clients/client-service-quotas/src/commands/DeleteServiceQuotaIncreaseRequestFromTemplateCommand.ts @@ -116,4 +116,16 @@ export class DeleteServiceQuotaIncreaseRequestFromTemplateCommand extends $Comma .f(void 0, void 0) .ser(se_DeleteServiceQuotaIncreaseRequestFromTemplateCommand) .de(de_DeleteServiceQuotaIncreaseRequestFromTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceQuotaIncreaseRequestFromTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteServiceQuotaIncreaseRequestFromTemplateCommandInput; + output: DeleteServiceQuotaIncreaseRequestFromTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/DisassociateServiceQuotaTemplateCommand.ts b/clients/client-service-quotas/src/commands/DisassociateServiceQuotaTemplateCommand.ts index b50986f30839..8fdd935e2f79 100644 --- a/clients/client-service-quotas/src/commands/DisassociateServiceQuotaTemplateCommand.ts +++ b/clients/client-service-quotas/src/commands/DisassociateServiceQuotaTemplateCommand.ts @@ -106,4 +106,16 @@ export class DisassociateServiceQuotaTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateServiceQuotaTemplateCommand) .de(de_DisassociateServiceQuotaTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateServiceQuotaTemplateCommandInput; + output: DisassociateServiceQuotaTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/GetAWSDefaultServiceQuotaCommand.ts b/clients/client-service-quotas/src/commands/GetAWSDefaultServiceQuotaCommand.ts index 1af23d21d4ac..6e82b4365db8 100644 --- a/clients/client-service-quotas/src/commands/GetAWSDefaultServiceQuotaCommand.ts +++ b/clients/client-service-quotas/src/commands/GetAWSDefaultServiceQuotaCommand.ts @@ -127,4 +127,16 @@ export class GetAWSDefaultServiceQuotaCommand extends $Command .f(void 0, void 0) .ser(se_GetAWSDefaultServiceQuotaCommand) .de(de_GetAWSDefaultServiceQuotaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAWSDefaultServiceQuotaRequest; + output: GetAWSDefaultServiceQuotaResponse; + }; + sdk: { + input: GetAWSDefaultServiceQuotaCommandInput; + output: GetAWSDefaultServiceQuotaCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/GetAssociationForServiceQuotaTemplateCommand.ts b/clients/client-service-quotas/src/commands/GetAssociationForServiceQuotaTemplateCommand.ts index dede8569be55..8ed1fe373ba6 100644 --- a/clients/client-service-quotas/src/commands/GetAssociationForServiceQuotaTemplateCommand.ts +++ b/clients/client-service-quotas/src/commands/GetAssociationForServiceQuotaTemplateCommand.ts @@ -110,4 +110,16 @@ export class GetAssociationForServiceQuotaTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetAssociationForServiceQuotaTemplateCommand) .de(de_GetAssociationForServiceQuotaTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAssociationForServiceQuotaTemplateResponse; + }; + sdk: { + input: GetAssociationForServiceQuotaTemplateCommandInput; + output: GetAssociationForServiceQuotaTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/GetRequestedServiceQuotaChangeCommand.ts b/clients/client-service-quotas/src/commands/GetRequestedServiceQuotaChangeCommand.ts index 91c71d65c9d3..bd30032b0215 100644 --- a/clients/client-service-quotas/src/commands/GetRequestedServiceQuotaChangeCommand.ts +++ b/clients/client-service-quotas/src/commands/GetRequestedServiceQuotaChangeCommand.ts @@ -119,4 +119,16 @@ export class GetRequestedServiceQuotaChangeCommand extends $Command .f(void 0, void 0) .ser(se_GetRequestedServiceQuotaChangeCommand) .de(de_GetRequestedServiceQuotaChangeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRequestedServiceQuotaChangeRequest; + output: GetRequestedServiceQuotaChangeResponse; + }; + sdk: { + input: GetRequestedServiceQuotaChangeCommandInput; + output: GetRequestedServiceQuotaChangeCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/GetServiceQuotaCommand.ts b/clients/client-service-quotas/src/commands/GetServiceQuotaCommand.ts index 5c45af807e5b..5f863287c667 100644 --- a/clients/client-service-quotas/src/commands/GetServiceQuotaCommand.ts +++ b/clients/client-service-quotas/src/commands/GetServiceQuotaCommand.ts @@ -129,4 +129,16 @@ export class GetServiceQuotaCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceQuotaCommand) .de(de_GetServiceQuotaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceQuotaRequest; + output: GetServiceQuotaResponse; + }; + sdk: { + input: GetServiceQuotaCommandInput; + output: GetServiceQuotaCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/GetServiceQuotaIncreaseRequestFromTemplateCommand.ts b/clients/client-service-quotas/src/commands/GetServiceQuotaIncreaseRequestFromTemplateCommand.ts index 5c6c0702a4be..d58cbe4f4070 100644 --- a/clients/client-service-quotas/src/commands/GetServiceQuotaIncreaseRequestFromTemplateCommand.ts +++ b/clients/client-service-quotas/src/commands/GetServiceQuotaIncreaseRequestFromTemplateCommand.ts @@ -127,4 +127,16 @@ export class GetServiceQuotaIncreaseRequestFromTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceQuotaIncreaseRequestFromTemplateCommand) .de(de_GetServiceQuotaIncreaseRequestFromTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceQuotaIncreaseRequestFromTemplateRequest; + output: GetServiceQuotaIncreaseRequestFromTemplateResponse; + }; + sdk: { + input: GetServiceQuotaIncreaseRequestFromTemplateCommandInput; + output: GetServiceQuotaIncreaseRequestFromTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/ListAWSDefaultServiceQuotasCommand.ts b/clients/client-service-quotas/src/commands/ListAWSDefaultServiceQuotasCommand.ts index 30e189591352..d83955ab28ed 100644 --- a/clients/client-service-quotas/src/commands/ListAWSDefaultServiceQuotasCommand.ts +++ b/clients/client-service-quotas/src/commands/ListAWSDefaultServiceQuotasCommand.ts @@ -136,4 +136,16 @@ export class ListAWSDefaultServiceQuotasCommand extends $Command .f(void 0, void 0) .ser(se_ListAWSDefaultServiceQuotasCommand) .de(de_ListAWSDefaultServiceQuotasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAWSDefaultServiceQuotasRequest; + output: ListAWSDefaultServiceQuotasResponse; + }; + sdk: { + input: ListAWSDefaultServiceQuotasCommandInput; + output: ListAWSDefaultServiceQuotasCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryByQuotaCommand.ts b/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryByQuotaCommand.ts index bf21c55bfca4..0fa228b8e3c6 100644 --- a/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryByQuotaCommand.ts +++ b/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryByQuotaCommand.ts @@ -134,4 +134,16 @@ export class ListRequestedServiceQuotaChangeHistoryByQuotaCommand extends $Comma .f(void 0, void 0) .ser(se_ListRequestedServiceQuotaChangeHistoryByQuotaCommand) .de(de_ListRequestedServiceQuotaChangeHistoryByQuotaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRequestedServiceQuotaChangeHistoryByQuotaRequest; + output: ListRequestedServiceQuotaChangeHistoryByQuotaResponse; + }; + sdk: { + input: ListRequestedServiceQuotaChangeHistoryByQuotaCommandInput; + output: ListRequestedServiceQuotaChangeHistoryByQuotaCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryCommand.ts b/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryCommand.ts index ebe0cedea165..9b2071bfb59b 100644 --- a/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryCommand.ts +++ b/clients/client-service-quotas/src/commands/ListRequestedServiceQuotaChangeHistoryCommand.ts @@ -133,4 +133,16 @@ export class ListRequestedServiceQuotaChangeHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListRequestedServiceQuotaChangeHistoryCommand) .de(de_ListRequestedServiceQuotaChangeHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRequestedServiceQuotaChangeHistoryRequest; + output: ListRequestedServiceQuotaChangeHistoryResponse; + }; + sdk: { + input: ListRequestedServiceQuotaChangeHistoryCommandInput; + output: ListRequestedServiceQuotaChangeHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/ListServiceQuotaIncreaseRequestsInTemplateCommand.ts b/clients/client-service-quotas/src/commands/ListServiceQuotaIncreaseRequestsInTemplateCommand.ts index 3790ff0a0f7a..648753d55c8b 100644 --- a/clients/client-service-quotas/src/commands/ListServiceQuotaIncreaseRequestsInTemplateCommand.ts +++ b/clients/client-service-quotas/src/commands/ListServiceQuotaIncreaseRequestsInTemplateCommand.ts @@ -127,4 +127,16 @@ export class ListServiceQuotaIncreaseRequestsInTemplateCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceQuotaIncreaseRequestsInTemplateCommand) .de(de_ListServiceQuotaIncreaseRequestsInTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceQuotaIncreaseRequestsInTemplateRequest; + output: ListServiceQuotaIncreaseRequestsInTemplateResponse; + }; + sdk: { + input: ListServiceQuotaIncreaseRequestsInTemplateCommandInput; + output: ListServiceQuotaIncreaseRequestsInTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/ListServiceQuotasCommand.ts b/clients/client-service-quotas/src/commands/ListServiceQuotasCommand.ts index eabcba66fb05..071d324d5b1e 100644 --- a/clients/client-service-quotas/src/commands/ListServiceQuotasCommand.ts +++ b/clients/client-service-quotas/src/commands/ListServiceQuotasCommand.ts @@ -137,4 +137,16 @@ export class ListServiceQuotasCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceQuotasCommand) .de(de_ListServiceQuotasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceQuotasRequest; + output: ListServiceQuotasResponse; + }; + sdk: { + input: ListServiceQuotasCommandInput; + output: ListServiceQuotasCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/ListServicesCommand.ts b/clients/client-service-quotas/src/commands/ListServicesCommand.ts index 9bf52323a061..7ff9e1f3deb9 100644 --- a/clients/client-service-quotas/src/commands/ListServicesCommand.ts +++ b/clients/client-service-quotas/src/commands/ListServicesCommand.ts @@ -100,4 +100,16 @@ export class ListServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesRequest; + output: ListServicesResponse; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/ListTagsForResourceCommand.ts b/clients/client-service-quotas/src/commands/ListTagsForResourceCommand.ts index 430856eea74a..cbec7dc6da8e 100644 --- a/clients/client-service-quotas/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-service-quotas/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/PutServiceQuotaIncreaseRequestIntoTemplateCommand.ts b/clients/client-service-quotas/src/commands/PutServiceQuotaIncreaseRequestIntoTemplateCommand.ts index 0fdd2f637a84..f4b08b8b3da7 100644 --- a/clients/client-service-quotas/src/commands/PutServiceQuotaIncreaseRequestIntoTemplateCommand.ts +++ b/clients/client-service-quotas/src/commands/PutServiceQuotaIncreaseRequestIntoTemplateCommand.ts @@ -131,4 +131,16 @@ export class PutServiceQuotaIncreaseRequestIntoTemplateCommand extends $Command .f(void 0, void 0) .ser(se_PutServiceQuotaIncreaseRequestIntoTemplateCommand) .de(de_PutServiceQuotaIncreaseRequestIntoTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutServiceQuotaIncreaseRequestIntoTemplateRequest; + output: PutServiceQuotaIncreaseRequestIntoTemplateResponse; + }; + sdk: { + input: PutServiceQuotaIncreaseRequestIntoTemplateCommandInput; + output: PutServiceQuotaIncreaseRequestIntoTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/RequestServiceQuotaIncreaseCommand.ts b/clients/client-service-quotas/src/commands/RequestServiceQuotaIncreaseCommand.ts index c3900dc9fa65..60133f76b536 100644 --- a/clients/client-service-quotas/src/commands/RequestServiceQuotaIncreaseCommand.ts +++ b/clients/client-service-quotas/src/commands/RequestServiceQuotaIncreaseCommand.ts @@ -132,4 +132,16 @@ export class RequestServiceQuotaIncreaseCommand extends $Command .f(void 0, void 0) .ser(se_RequestServiceQuotaIncreaseCommand) .de(de_RequestServiceQuotaIncreaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestServiceQuotaIncreaseRequest; + output: RequestServiceQuotaIncreaseResponse; + }; + sdk: { + input: RequestServiceQuotaIncreaseCommandInput; + output: RequestServiceQuotaIncreaseCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/TagResourceCommand.ts b/clients/client-service-quotas/src/commands/TagResourceCommand.ts index 432e9fe8fdb8..8df000781fea 100644 --- a/clients/client-service-quotas/src/commands/TagResourceCommand.ts +++ b/clients/client-service-quotas/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-service-quotas/src/commands/UntagResourceCommand.ts b/clients/client-service-quotas/src/commands/UntagResourceCommand.ts index 281fe5198c27..ca2e853a0efc 100644 --- a/clients/client-service-quotas/src/commands/UntagResourceCommand.ts +++ b/clients/client-service-quotas/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/package.json b/clients/client-servicediscovery/package.json index e2566f241c69..f5b21bb4a0de 100644 --- a/clients/client-servicediscovery/package.json +++ b/clients/client-servicediscovery/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-servicediscovery/src/commands/CreateHttpNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/CreateHttpNamespaceCommand.ts index 9dca3c151892..3525172e0cdd 100644 --- a/clients/client-servicediscovery/src/commands/CreateHttpNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/CreateHttpNamespaceCommand.ts @@ -123,4 +123,16 @@ export class CreateHttpNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_CreateHttpNamespaceCommand) .de(de_CreateHttpNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateHttpNamespaceRequest; + output: CreateHttpNamespaceResponse; + }; + sdk: { + input: CreateHttpNamespaceCommandInput; + output: CreateHttpNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/CreatePrivateDnsNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/CreatePrivateDnsNamespaceCommand.ts index 4ffd2c3421d0..6b633aa304cf 100644 --- a/clients/client-servicediscovery/src/commands/CreatePrivateDnsNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/CreatePrivateDnsNamespaceCommand.ts @@ -134,4 +134,16 @@ export class CreatePrivateDnsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_CreatePrivateDnsNamespaceCommand) .de(de_CreatePrivateDnsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePrivateDnsNamespaceRequest; + output: CreatePrivateDnsNamespaceResponse; + }; + sdk: { + input: CreatePrivateDnsNamespaceCommandInput; + output: CreatePrivateDnsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/CreatePublicDnsNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/CreatePublicDnsNamespaceCommand.ts index 6a3b408477fa..4deefe80e226 100644 --- a/clients/client-servicediscovery/src/commands/CreatePublicDnsNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/CreatePublicDnsNamespaceCommand.ts @@ -137,4 +137,16 @@ export class CreatePublicDnsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_CreatePublicDnsNamespaceCommand) .de(de_CreatePublicDnsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePublicDnsNamespaceRequest; + output: CreatePublicDnsNamespaceResponse; + }; + sdk: { + input: CreatePublicDnsNamespaceCommandInput; + output: CreatePublicDnsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/CreateServiceCommand.ts b/clients/client-servicediscovery/src/commands/CreateServiceCommand.ts index 125718ab70bf..d1da6bc3c4ec 100644 --- a/clients/client-servicediscovery/src/commands/CreateServiceCommand.ts +++ b/clients/client-servicediscovery/src/commands/CreateServiceCommand.ts @@ -236,4 +236,16 @@ export class CreateServiceCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceCommand) .de(de_CreateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceRequest; + output: CreateServiceResponse; + }; + sdk: { + input: CreateServiceCommandInput; + output: CreateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/DeleteNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/DeleteNamespaceCommand.ts index b0445fadab79..c3cb9897cb52 100644 --- a/clients/client-servicediscovery/src/commands/DeleteNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/DeleteNamespaceCommand.ts @@ -108,4 +108,16 @@ export class DeleteNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNamespaceCommand) .de(de_DeleteNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNamespaceRequest; + output: DeleteNamespaceResponse; + }; + sdk: { + input: DeleteNamespaceCommandInput; + output: DeleteNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/DeleteServiceCommand.ts b/clients/client-servicediscovery/src/commands/DeleteServiceCommand.ts index 55540da549c8..879b3a74aaa8 100644 --- a/clients/client-servicediscovery/src/commands/DeleteServiceCommand.ts +++ b/clients/client-servicediscovery/src/commands/DeleteServiceCommand.ts @@ -98,4 +98,16 @@ export class DeleteServiceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceCommand) .de(de_DeleteServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceRequest; + output: {}; + }; + sdk: { + input: DeleteServiceCommandInput; + output: DeleteServiceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/DeregisterInstanceCommand.ts b/clients/client-servicediscovery/src/commands/DeregisterInstanceCommand.ts index 17e0c52ae37f..df499e1c90c0 100644 --- a/clients/client-servicediscovery/src/commands/DeregisterInstanceCommand.ts +++ b/clients/client-servicediscovery/src/commands/DeregisterInstanceCommand.ts @@ -114,4 +114,16 @@ export class DeregisterInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterInstanceCommand) .de(de_DeregisterInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterInstanceRequest; + output: DeregisterInstanceResponse; + }; + sdk: { + input: DeregisterInstanceCommandInput; + output: DeregisterInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/DiscoverInstancesCommand.ts b/clients/client-servicediscovery/src/commands/DiscoverInstancesCommand.ts index ae30c06214b7..dab58d4ea41c 100644 --- a/clients/client-servicediscovery/src/commands/DiscoverInstancesCommand.ts +++ b/clients/client-servicediscovery/src/commands/DiscoverInstancesCommand.ts @@ -145,4 +145,16 @@ export class DiscoverInstancesCommand extends $Command .f(void 0, void 0) .ser(se_DiscoverInstancesCommand) .de(de_DiscoverInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DiscoverInstancesRequest; + output: DiscoverInstancesResponse; + }; + sdk: { + input: DiscoverInstancesCommandInput; + output: DiscoverInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/DiscoverInstancesRevisionCommand.ts b/clients/client-servicediscovery/src/commands/DiscoverInstancesRevisionCommand.ts index 3ca0302de393..5f612228457a 100644 --- a/clients/client-servicediscovery/src/commands/DiscoverInstancesRevisionCommand.ts +++ b/clients/client-servicediscovery/src/commands/DiscoverInstancesRevisionCommand.ts @@ -110,4 +110,16 @@ export class DiscoverInstancesRevisionCommand extends $Command .f(void 0, void 0) .ser(se_DiscoverInstancesRevisionCommand) .de(de_DiscoverInstancesRevisionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DiscoverInstancesRevisionRequest; + output: DiscoverInstancesRevisionResponse; + }; + sdk: { + input: DiscoverInstancesRevisionCommandInput; + output: DiscoverInstancesRevisionCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/GetInstanceCommand.ts b/clients/client-servicediscovery/src/commands/GetInstanceCommand.ts index 42b37d2a60f5..58c8de5fdf97 100644 --- a/clients/client-servicediscovery/src/commands/GetInstanceCommand.ts +++ b/clients/client-servicediscovery/src/commands/GetInstanceCommand.ts @@ -121,4 +121,16 @@ export class GetInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetInstanceCommand) .de(de_GetInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstanceRequest; + output: GetInstanceResponse; + }; + sdk: { + input: GetInstanceCommandInput; + output: GetInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/GetInstancesHealthStatusCommand.ts b/clients/client-servicediscovery/src/commands/GetInstancesHealthStatusCommand.ts index f2a53268f60d..4133cda47c53 100644 --- a/clients/client-servicediscovery/src/commands/GetInstancesHealthStatusCommand.ts +++ b/clients/client-servicediscovery/src/commands/GetInstancesHealthStatusCommand.ts @@ -120,4 +120,16 @@ export class GetInstancesHealthStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetInstancesHealthStatusCommand) .de(de_GetInstancesHealthStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInstancesHealthStatusRequest; + output: GetInstancesHealthStatusResponse; + }; + sdk: { + input: GetInstancesHealthStatusCommandInput; + output: GetInstancesHealthStatusCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/GetNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/GetNamespaceCommand.ts index 126c9057db95..453b79226cca 100644 --- a/clients/client-servicediscovery/src/commands/GetNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/GetNamespaceCommand.ts @@ -134,4 +134,16 @@ export class GetNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_GetNamespaceCommand) .de(de_GetNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNamespaceRequest; + output: GetNamespaceResponse; + }; + sdk: { + input: GetNamespaceCommandInput; + output: GetNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/GetOperationCommand.ts b/clients/client-servicediscovery/src/commands/GetOperationCommand.ts index 2c12318f238e..aead5e698c64 100644 --- a/clients/client-servicediscovery/src/commands/GetOperationCommand.ts +++ b/clients/client-servicediscovery/src/commands/GetOperationCommand.ts @@ -124,4 +124,16 @@ export class GetOperationCommand extends $Command .f(void 0, void 0) .ser(se_GetOperationCommand) .de(de_GetOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOperationRequest; + output: GetOperationResponse; + }; + sdk: { + input: GetOperationCommandInput; + output: GetOperationCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/GetServiceCommand.ts b/clients/client-servicediscovery/src/commands/GetServiceCommand.ts index 806e5c63ae21..0776194a0c48 100644 --- a/clients/client-servicediscovery/src/commands/GetServiceCommand.ts +++ b/clients/client-servicediscovery/src/commands/GetServiceCommand.ts @@ -141,4 +141,16 @@ export class GetServiceCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceCommand) .de(de_GetServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceRequest; + output: GetServiceResponse; + }; + sdk: { + input: GetServiceCommandInput; + output: GetServiceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/ListInstancesCommand.ts b/clients/client-servicediscovery/src/commands/ListInstancesCommand.ts index 89718f850bd1..82c1bd26c2a3 100644 --- a/clients/client-servicediscovery/src/commands/ListInstancesCommand.ts +++ b/clients/client-servicediscovery/src/commands/ListInstancesCommand.ts @@ -118,4 +118,16 @@ export class ListInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListInstancesCommand) .de(de_ListInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstancesRequest; + output: ListInstancesResponse; + }; + sdk: { + input: ListInstancesCommandInput; + output: ListInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/ListNamespacesCommand.ts b/clients/client-servicediscovery/src/commands/ListNamespacesCommand.ts index 6691380d9b43..0fc2f2ec52cb 100644 --- a/clients/client-servicediscovery/src/commands/ListNamespacesCommand.ts +++ b/clients/client-servicediscovery/src/commands/ListNamespacesCommand.ts @@ -172,4 +172,16 @@ export class ListNamespacesCommand extends $Command .f(void 0, void 0) .ser(se_ListNamespacesCommand) .de(de_ListNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNamespacesRequest; + output: ListNamespacesResponse; + }; + sdk: { + input: ListNamespacesCommandInput; + output: ListNamespacesCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/ListOperationsCommand.ts b/clients/client-servicediscovery/src/commands/ListOperationsCommand.ts index b346e6c6003c..128cf92c9bf1 100644 --- a/clients/client-servicediscovery/src/commands/ListOperationsCommand.ts +++ b/clients/client-servicediscovery/src/commands/ListOperationsCommand.ts @@ -135,4 +135,16 @@ export class ListOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListOperationsCommand) .de(de_ListOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOperationsRequest; + output: ListOperationsResponse; + }; + sdk: { + input: ListOperationsCommandInput; + output: ListOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/ListServicesCommand.ts b/clients/client-servicediscovery/src/commands/ListServicesCommand.ts index 1d4e2927fcdb..95b74ce7646b 100644 --- a/clients/client-servicediscovery/src/commands/ListServicesCommand.ts +++ b/clients/client-servicediscovery/src/commands/ListServicesCommand.ts @@ -151,4 +151,16 @@ export class ListServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesRequest; + output: ListServicesResponse; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/ListTagsForResourceCommand.ts b/clients/client-servicediscovery/src/commands/ListTagsForResourceCommand.ts index 0562404a9abb..815332017fa6 100644 --- a/clients/client-servicediscovery/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-servicediscovery/src/commands/ListTagsForResourceCommand.ts @@ -114,4 +114,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/RegisterInstanceCommand.ts b/clients/client-servicediscovery/src/commands/RegisterInstanceCommand.ts index 51ad7f52069c..8ad07fffa0ce 100644 --- a/clients/client-servicediscovery/src/commands/RegisterInstanceCommand.ts +++ b/clients/client-servicediscovery/src/commands/RegisterInstanceCommand.ts @@ -160,4 +160,16 @@ export class RegisterInstanceCommand extends $Command .f(void 0, void 0) .ser(se_RegisterInstanceCommand) .de(de_RegisterInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterInstanceRequest; + output: RegisterInstanceResponse; + }; + sdk: { + input: RegisterInstanceCommandInput; + output: RegisterInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/TagResourceCommand.ts b/clients/client-servicediscovery/src/commands/TagResourceCommand.ts index 2773476c57eb..0674015fc8f3 100644 --- a/clients/client-servicediscovery/src/commands/TagResourceCommand.ts +++ b/clients/client-servicediscovery/src/commands/TagResourceCommand.ts @@ -113,4 +113,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/UntagResourceCommand.ts b/clients/client-servicediscovery/src/commands/UntagResourceCommand.ts index 00259e8b2bea..be50c588132c 100644 --- a/clients/client-servicediscovery/src/commands/UntagResourceCommand.ts +++ b/clients/client-servicediscovery/src/commands/UntagResourceCommand.ts @@ -100,4 +100,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/UpdateHttpNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/UpdateHttpNamespaceCommand.ts index d55526457618..ed626cc24f5d 100644 --- a/clients/client-servicediscovery/src/commands/UpdateHttpNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/UpdateHttpNamespaceCommand.ts @@ -115,4 +115,16 @@ export class UpdateHttpNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHttpNamespaceCommand) .de(de_UpdateHttpNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHttpNamespaceRequest; + output: UpdateHttpNamespaceResponse; + }; + sdk: { + input: UpdateHttpNamespaceCommandInput; + output: UpdateHttpNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/UpdateInstanceCustomHealthStatusCommand.ts b/clients/client-servicediscovery/src/commands/UpdateInstanceCustomHealthStatusCommand.ts index 126372d371e3..18158cd17efc 100644 --- a/clients/client-servicediscovery/src/commands/UpdateInstanceCustomHealthStatusCommand.ts +++ b/clients/client-servicediscovery/src/commands/UpdateInstanceCustomHealthStatusCommand.ts @@ -112,4 +112,16 @@ export class UpdateInstanceCustomHealthStatusCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInstanceCustomHealthStatusCommand) .de(de_UpdateInstanceCustomHealthStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceCustomHealthStatusRequest; + output: {}; + }; + sdk: { + input: UpdateInstanceCustomHealthStatusCommandInput; + output: UpdateInstanceCustomHealthStatusCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/UpdatePrivateDnsNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/UpdatePrivateDnsNamespaceCommand.ts index 34a012ea9163..8d92fd14d905 100644 --- a/clients/client-servicediscovery/src/commands/UpdatePrivateDnsNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/UpdatePrivateDnsNamespaceCommand.ts @@ -143,4 +143,16 @@ export class UpdatePrivateDnsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePrivateDnsNamespaceCommand) .de(de_UpdatePrivateDnsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePrivateDnsNamespaceRequest; + output: UpdatePrivateDnsNamespaceResponse; + }; + sdk: { + input: UpdatePrivateDnsNamespaceCommandInput; + output: UpdatePrivateDnsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/UpdatePublicDnsNamespaceCommand.ts b/clients/client-servicediscovery/src/commands/UpdatePublicDnsNamespaceCommand.ts index aa0433cb95f4..195dd7737262 100644 --- a/clients/client-servicediscovery/src/commands/UpdatePublicDnsNamespaceCommand.ts +++ b/clients/client-servicediscovery/src/commands/UpdatePublicDnsNamespaceCommand.ts @@ -103,4 +103,16 @@ export class UpdatePublicDnsNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePublicDnsNamespaceCommand) .de(de_UpdatePublicDnsNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePublicDnsNamespaceRequest; + output: UpdatePublicDnsNamespaceResponse; + }; + sdk: { + input: UpdatePublicDnsNamespaceCommandInput; + output: UpdatePublicDnsNamespaceCommandOutput; + }; + }; +} diff --git a/clients/client-servicediscovery/src/commands/UpdateServiceCommand.ts b/clients/client-servicediscovery/src/commands/UpdateServiceCommand.ts index 4e99ed671ada..8fd9eea0c5c3 100644 --- a/clients/client-servicediscovery/src/commands/UpdateServiceCommand.ts +++ b/clients/client-servicediscovery/src/commands/UpdateServiceCommand.ts @@ -158,4 +158,16 @@ export class UpdateServiceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceCommand) .de(de_UpdateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceRequest; + output: UpdateServiceResponse; + }; + sdk: { + input: UpdateServiceCommandInput; + output: UpdateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-ses/package.json b/clients/client-ses/package.json index 110441f8b1a0..901a0d5a7822 100644 --- a/clients/client-ses/package.json +++ b/clients/client-ses/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-ses/src/commands/CloneReceiptRuleSetCommand.ts b/clients/client-ses/src/commands/CloneReceiptRuleSetCommand.ts index f5e39bfec79b..f67543b93f6b 100644 --- a/clients/client-ses/src/commands/CloneReceiptRuleSetCommand.ts +++ b/clients/client-ses/src/commands/CloneReceiptRuleSetCommand.ts @@ -103,4 +103,16 @@ export class CloneReceiptRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_CloneReceiptRuleSetCommand) .de(de_CloneReceiptRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CloneReceiptRuleSetRequest; + output: {}; + }; + sdk: { + input: CloneReceiptRuleSetCommandInput; + output: CloneReceiptRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateConfigurationSetCommand.ts b/clients/client-ses/src/commands/CreateConfigurationSetCommand.ts index 458fdf49bbe8..78efd198dbcf 100644 --- a/clients/client-ses/src/commands/CreateConfigurationSetCommand.ts +++ b/clients/client-ses/src/commands/CreateConfigurationSetCommand.ts @@ -94,4 +94,16 @@ export class CreateConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetCommand) .de(de_CreateConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetCommandInput; + output: CreateConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateConfigurationSetEventDestinationCommand.ts b/clients/client-ses/src/commands/CreateConfigurationSetEventDestinationCommand.ts index 70af8aa8982c..840e06c26e79 100644 --- a/clients/client-ses/src/commands/CreateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-ses/src/commands/CreateConfigurationSetEventDestinationCommand.ts @@ -140,4 +140,16 @@ export class CreateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetEventDestinationCommand) .de(de_CreateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetEventDestinationCommandInput; + output: CreateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateConfigurationSetTrackingOptionsCommand.ts b/clients/client-ses/src/commands/CreateConfigurationSetTrackingOptionsCommand.ts index f84a91d2200d..ebfc9147a595 100644 --- a/clients/client-ses/src/commands/CreateConfigurationSetTrackingOptionsCommand.ts +++ b/clients/client-ses/src/commands/CreateConfigurationSetTrackingOptionsCommand.ts @@ -111,4 +111,16 @@ export class CreateConfigurationSetTrackingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetTrackingOptionsCommand) .de(de_CreateConfigurationSetTrackingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetTrackingOptionsRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetTrackingOptionsCommandInput; + output: CreateConfigurationSetTrackingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateCustomVerificationEmailTemplateCommand.ts b/clients/client-ses/src/commands/CreateCustomVerificationEmailTemplateCommand.ts index 24ba28f6cae4..b5812f12a640 100644 --- a/clients/client-ses/src/commands/CreateCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-ses/src/commands/CreateCustomVerificationEmailTemplateCommand.ts @@ -104,4 +104,16 @@ export class CreateCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomVerificationEmailTemplateCommand) .de(de_CreateCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomVerificationEmailTemplateRequest; + output: {}; + }; + sdk: { + input: CreateCustomVerificationEmailTemplateCommandInput; + output: CreateCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateReceiptFilterCommand.ts b/clients/client-ses/src/commands/CreateReceiptFilterCommand.ts index 6e79e41207a5..ca6d0262e825 100644 --- a/clients/client-ses/src/commands/CreateReceiptFilterCommand.ts +++ b/clients/client-ses/src/commands/CreateReceiptFilterCommand.ts @@ -109,4 +109,16 @@ export class CreateReceiptFilterCommand extends $Command .f(void 0, void 0) .ser(se_CreateReceiptFilterCommand) .de(de_CreateReceiptFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReceiptFilterRequest; + output: {}; + }; + sdk: { + input: CreateReceiptFilterCommandInput; + output: CreateReceiptFilterCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateReceiptRuleCommand.ts b/clients/client-ses/src/commands/CreateReceiptRuleCommand.ts index e619bb03d0dc..c43345552153 100644 --- a/clients/client-ses/src/commands/CreateReceiptRuleCommand.ts +++ b/clients/client-ses/src/commands/CreateReceiptRuleCommand.ts @@ -185,4 +185,16 @@ export class CreateReceiptRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateReceiptRuleCommand) .de(de_CreateReceiptRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReceiptRuleRequest; + output: {}; + }; + sdk: { + input: CreateReceiptRuleCommandInput; + output: CreateReceiptRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateReceiptRuleSetCommand.ts b/clients/client-ses/src/commands/CreateReceiptRuleSetCommand.ts index 33b9f0b453cd..ee711d803a07 100644 --- a/clients/client-ses/src/commands/CreateReceiptRuleSetCommand.ts +++ b/clients/client-ses/src/commands/CreateReceiptRuleSetCommand.ts @@ -96,4 +96,16 @@ export class CreateReceiptRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateReceiptRuleSetCommand) .de(de_CreateReceiptRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReceiptRuleSetRequest; + output: {}; + }; + sdk: { + input: CreateReceiptRuleSetCommandInput; + output: CreateReceiptRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/CreateTemplateCommand.ts b/clients/client-ses/src/commands/CreateTemplateCommand.ts index fe04647f21fe..ff7e1ed953de 100644 --- a/clients/client-ses/src/commands/CreateTemplateCommand.ts +++ b/clients/client-ses/src/commands/CreateTemplateCommand.ts @@ -95,4 +95,16 @@ export class CreateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateCommand) .de(de_CreateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateRequest; + output: {}; + }; + sdk: { + input: CreateTemplateCommandInput; + output: CreateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteConfigurationSetCommand.ts b/clients/client-ses/src/commands/DeleteConfigurationSetCommand.ts index 912a3ab141ed..ce7c7219cb1a 100644 --- a/clients/client-ses/src/commands/DeleteConfigurationSetCommand.ts +++ b/clients/client-ses/src/commands/DeleteConfigurationSetCommand.ts @@ -81,4 +81,16 @@ export class DeleteConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetCommand) .de(de_DeleteConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetCommandInput; + output: DeleteConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteConfigurationSetEventDestinationCommand.ts b/clients/client-ses/src/commands/DeleteConfigurationSetEventDestinationCommand.ts index 512ccf8e3d62..8855fb6feb22 100644 --- a/clients/client-ses/src/commands/DeleteConfigurationSetEventDestinationCommand.ts +++ b/clients/client-ses/src/commands/DeleteConfigurationSetEventDestinationCommand.ts @@ -95,4 +95,16 @@ export class DeleteConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetEventDestinationCommand) .de(de_DeleteConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetEventDestinationCommandInput; + output: DeleteConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteConfigurationSetTrackingOptionsCommand.ts b/clients/client-ses/src/commands/DeleteConfigurationSetTrackingOptionsCommand.ts index 262194544172..695ea56cb856 100644 --- a/clients/client-ses/src/commands/DeleteConfigurationSetTrackingOptionsCommand.ts +++ b/clients/client-ses/src/commands/DeleteConfigurationSetTrackingOptionsCommand.ts @@ -99,4 +99,16 @@ export class DeleteConfigurationSetTrackingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetTrackingOptionsCommand) .de(de_DeleteConfigurationSetTrackingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetTrackingOptionsRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetTrackingOptionsCommandInput; + output: DeleteConfigurationSetTrackingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts b/clients/client-ses/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts index 020d0f965839..f40630feadeb 100644 --- a/clients/client-ses/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-ses/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts @@ -83,4 +83,16 @@ export class DeleteCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomVerificationEmailTemplateCommand) .de(de_DeleteCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomVerificationEmailTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteCustomVerificationEmailTemplateCommandInput; + output: DeleteCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteIdentityCommand.ts b/clients/client-ses/src/commands/DeleteIdentityCommand.ts index a9bdf98fc257..b96abd31fec5 100644 --- a/clients/client-ses/src/commands/DeleteIdentityCommand.ts +++ b/clients/client-ses/src/commands/DeleteIdentityCommand.ts @@ -88,4 +88,16 @@ export class DeleteIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentityCommand) .de(de_DeleteIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentityRequest; + output: {}; + }; + sdk: { + input: DeleteIdentityCommandInput; + output: DeleteIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteIdentityPolicyCommand.ts b/clients/client-ses/src/commands/DeleteIdentityPolicyCommand.ts index 39f84b061fd5..1007fea4f9c0 100644 --- a/clients/client-ses/src/commands/DeleteIdentityPolicyCommand.ts +++ b/clients/client-ses/src/commands/DeleteIdentityPolicyCommand.ts @@ -99,4 +99,16 @@ export class DeleteIdentityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentityPolicyCommand) .de(de_DeleteIdentityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentityPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteIdentityPolicyCommandInput; + output: DeleteIdentityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteReceiptFilterCommand.ts b/clients/client-ses/src/commands/DeleteReceiptFilterCommand.ts index f44e5c4e6fbe..ca391f721096 100644 --- a/clients/client-ses/src/commands/DeleteReceiptFilterCommand.ts +++ b/clients/client-ses/src/commands/DeleteReceiptFilterCommand.ts @@ -89,4 +89,16 @@ export class DeleteReceiptFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReceiptFilterCommand) .de(de_DeleteReceiptFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReceiptFilterRequest; + output: {}; + }; + sdk: { + input: DeleteReceiptFilterCommandInput; + output: DeleteReceiptFilterCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteReceiptRuleCommand.ts b/clients/client-ses/src/commands/DeleteReceiptRuleCommand.ts index 14b768ffa4c2..84a2f31bb070 100644 --- a/clients/client-ses/src/commands/DeleteReceiptRuleCommand.ts +++ b/clients/client-ses/src/commands/DeleteReceiptRuleCommand.ts @@ -94,4 +94,16 @@ export class DeleteReceiptRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReceiptRuleCommand) .de(de_DeleteReceiptRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReceiptRuleRequest; + output: {}; + }; + sdk: { + input: DeleteReceiptRuleCommandInput; + output: DeleteReceiptRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteReceiptRuleSetCommand.ts b/clients/client-ses/src/commands/DeleteReceiptRuleSetCommand.ts index 47b59fd6521c..00b406df3fb3 100644 --- a/clients/client-ses/src/commands/DeleteReceiptRuleSetCommand.ts +++ b/clients/client-ses/src/commands/DeleteReceiptRuleSetCommand.ts @@ -96,4 +96,16 @@ export class DeleteReceiptRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReceiptRuleSetCommand) .de(de_DeleteReceiptRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReceiptRuleSetRequest; + output: {}; + }; + sdk: { + input: DeleteReceiptRuleSetCommandInput; + output: DeleteReceiptRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteTemplateCommand.ts b/clients/client-ses/src/commands/DeleteTemplateCommand.ts index 54d2548e4105..5b5e67d64fad 100644 --- a/clients/client-ses/src/commands/DeleteTemplateCommand.ts +++ b/clients/client-ses/src/commands/DeleteTemplateCommand.ts @@ -76,4 +76,16 @@ export class DeleteTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateCommand) .de(de_DeleteTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteTemplateCommandInput; + output: DeleteTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DeleteVerifiedEmailAddressCommand.ts b/clients/client-ses/src/commands/DeleteVerifiedEmailAddressCommand.ts index fb87ba501610..195a7df7cb66 100644 --- a/clients/client-ses/src/commands/DeleteVerifiedEmailAddressCommand.ts +++ b/clients/client-ses/src/commands/DeleteVerifiedEmailAddressCommand.ts @@ -87,4 +87,16 @@ export class DeleteVerifiedEmailAddressCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVerifiedEmailAddressCommand) .de(de_DeleteVerifiedEmailAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVerifiedEmailAddressRequest; + output: {}; + }; + sdk: { + input: DeleteVerifiedEmailAddressCommandInput; + output: DeleteVerifiedEmailAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DescribeActiveReceiptRuleSetCommand.ts b/clients/client-ses/src/commands/DescribeActiveReceiptRuleSetCommand.ts index 5b4518365efb..3eb24c6065ba 100644 --- a/clients/client-ses/src/commands/DescribeActiveReceiptRuleSetCommand.ts +++ b/clients/client-ses/src/commands/DescribeActiveReceiptRuleSetCommand.ts @@ -166,4 +166,16 @@ export class DescribeActiveReceiptRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeActiveReceiptRuleSetCommand) .de(de_DescribeActiveReceiptRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeActiveReceiptRuleSetResponse; + }; + sdk: { + input: DescribeActiveReceiptRuleSetCommandInput; + output: DescribeActiveReceiptRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DescribeConfigurationSetCommand.ts b/clients/client-ses/src/commands/DescribeConfigurationSetCommand.ts index cd376e7d24a7..6ac406a85265 100644 --- a/clients/client-ses/src/commands/DescribeConfigurationSetCommand.ts +++ b/clients/client-ses/src/commands/DescribeConfigurationSetCommand.ts @@ -124,4 +124,16 @@ export class DescribeConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConfigurationSetCommand) .de(de_DescribeConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConfigurationSetRequest; + output: DescribeConfigurationSetResponse; + }; + sdk: { + input: DescribeConfigurationSetCommandInput; + output: DescribeConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DescribeReceiptRuleCommand.ts b/clients/client-ses/src/commands/DescribeReceiptRuleCommand.ts index 286e8c49ef22..27fb2aa7272c 100644 --- a/clients/client-ses/src/commands/DescribeReceiptRuleCommand.ts +++ b/clients/client-ses/src/commands/DescribeReceiptRuleCommand.ts @@ -164,4 +164,16 @@ export class DescribeReceiptRuleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReceiptRuleCommand) .de(de_DescribeReceiptRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReceiptRuleRequest; + output: DescribeReceiptRuleResponse; + }; + sdk: { + input: DescribeReceiptRuleCommandInput; + output: DescribeReceiptRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/DescribeReceiptRuleSetCommand.ts b/clients/client-ses/src/commands/DescribeReceiptRuleSetCommand.ts index 63c4c049db5c..2d3a4d9c20c6 100644 --- a/clients/client-ses/src/commands/DescribeReceiptRuleSetCommand.ts +++ b/clients/client-ses/src/commands/DescribeReceiptRuleSetCommand.ts @@ -171,4 +171,16 @@ export class DescribeReceiptRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReceiptRuleSetCommand) .de(de_DescribeReceiptRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReceiptRuleSetRequest; + output: DescribeReceiptRuleSetResponse; + }; + sdk: { + input: DescribeReceiptRuleSetCommandInput; + output: DescribeReceiptRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetAccountSendingEnabledCommand.ts b/clients/client-ses/src/commands/GetAccountSendingEnabledCommand.ts index 901f18a854f4..078422004440 100644 --- a/clients/client-ses/src/commands/GetAccountSendingEnabledCommand.ts +++ b/clients/client-ses/src/commands/GetAccountSendingEnabledCommand.ts @@ -90,4 +90,16 @@ export class GetAccountSendingEnabledCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountSendingEnabledCommand) .de(de_GetAccountSendingEnabledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountSendingEnabledResponse; + }; + sdk: { + input: GetAccountSendingEnabledCommandInput; + output: GetAccountSendingEnabledCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetCustomVerificationEmailTemplateCommand.ts b/clients/client-ses/src/commands/GetCustomVerificationEmailTemplateCommand.ts index d6203ed3448c..4f9ac954956f 100644 --- a/clients/client-ses/src/commands/GetCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-ses/src/commands/GetCustomVerificationEmailTemplateCommand.ts @@ -99,4 +99,16 @@ export class GetCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomVerificationEmailTemplateCommand) .de(de_GetCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomVerificationEmailTemplateRequest; + output: GetCustomVerificationEmailTemplateResponse; + }; + sdk: { + input: GetCustomVerificationEmailTemplateCommandInput; + output: GetCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetIdentityDkimAttributesCommand.ts b/clients/client-ses/src/commands/GetIdentityDkimAttributesCommand.ts index 08145d2b0e5f..e2fe45fd48ef 100644 --- a/clients/client-ses/src/commands/GetIdentityDkimAttributesCommand.ts +++ b/clients/client-ses/src/commands/GetIdentityDkimAttributesCommand.ts @@ -143,4 +143,16 @@ export class GetIdentityDkimAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityDkimAttributesCommand) .de(de_GetIdentityDkimAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityDkimAttributesRequest; + output: GetIdentityDkimAttributesResponse; + }; + sdk: { + input: GetIdentityDkimAttributesCommandInput; + output: GetIdentityDkimAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetIdentityMailFromDomainAttributesCommand.ts b/clients/client-ses/src/commands/GetIdentityMailFromDomainAttributesCommand.ts index f90fac0af554..9b301449d17d 100644 --- a/clients/client-ses/src/commands/GetIdentityMailFromDomainAttributesCommand.ts +++ b/clients/client-ses/src/commands/GetIdentityMailFromDomainAttributesCommand.ts @@ -120,4 +120,16 @@ export class GetIdentityMailFromDomainAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityMailFromDomainAttributesCommand) .de(de_GetIdentityMailFromDomainAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityMailFromDomainAttributesRequest; + output: GetIdentityMailFromDomainAttributesResponse; + }; + sdk: { + input: GetIdentityMailFromDomainAttributesCommandInput; + output: GetIdentityMailFromDomainAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetIdentityNotificationAttributesCommand.ts b/clients/client-ses/src/commands/GetIdentityNotificationAttributesCommand.ts index 745fec179096..049736f6c9d4 100644 --- a/clients/client-ses/src/commands/GetIdentityNotificationAttributesCommand.ts +++ b/clients/client-ses/src/commands/GetIdentityNotificationAttributesCommand.ts @@ -130,4 +130,16 @@ export class GetIdentityNotificationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityNotificationAttributesCommand) .de(de_GetIdentityNotificationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityNotificationAttributesRequest; + output: GetIdentityNotificationAttributesResponse; + }; + sdk: { + input: GetIdentityNotificationAttributesCommandInput; + output: GetIdentityNotificationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetIdentityPoliciesCommand.ts b/clients/client-ses/src/commands/GetIdentityPoliciesCommand.ts index a4a44cff4212..13a7efd93f14 100644 --- a/clients/client-ses/src/commands/GetIdentityPoliciesCommand.ts +++ b/clients/client-ses/src/commands/GetIdentityPoliciesCommand.ts @@ -114,4 +114,16 @@ export class GetIdentityPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityPoliciesCommand) .de(de_GetIdentityPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityPoliciesRequest; + output: GetIdentityPoliciesResponse; + }; + sdk: { + input: GetIdentityPoliciesCommandInput; + output: GetIdentityPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetIdentityVerificationAttributesCommand.ts b/clients/client-ses/src/commands/GetIdentityVerificationAttributesCommand.ts index 000c94558808..368b8cf2a27d 100644 --- a/clients/client-ses/src/commands/GetIdentityVerificationAttributesCommand.ts +++ b/clients/client-ses/src/commands/GetIdentityVerificationAttributesCommand.ts @@ -130,4 +130,16 @@ export class GetIdentityVerificationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetIdentityVerificationAttributesCommand) .de(de_GetIdentityVerificationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityVerificationAttributesRequest; + output: GetIdentityVerificationAttributesResponse; + }; + sdk: { + input: GetIdentityVerificationAttributesCommandInput; + output: GetIdentityVerificationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetSendQuotaCommand.ts b/clients/client-ses/src/commands/GetSendQuotaCommand.ts index 1872ab902e8b..0f27f95ad0b0 100644 --- a/clients/client-ses/src/commands/GetSendQuotaCommand.ts +++ b/clients/client-ses/src/commands/GetSendQuotaCommand.ts @@ -94,4 +94,16 @@ export class GetSendQuotaCommand extends $Command .f(void 0, void 0) .ser(se_GetSendQuotaCommand) .de(de_GetSendQuotaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSendQuotaResponse; + }; + sdk: { + input: GetSendQuotaCommandInput; + output: GetSendQuotaCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetSendStatisticsCommand.ts b/clients/client-ses/src/commands/GetSendStatisticsCommand.ts index a2405f80790b..a82d9afdea20 100644 --- a/clients/client-ses/src/commands/GetSendStatisticsCommand.ts +++ b/clients/client-ses/src/commands/GetSendStatisticsCommand.ts @@ -122,4 +122,16 @@ export class GetSendStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetSendStatisticsCommand) .de(de_GetSendStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSendStatisticsResponse; + }; + sdk: { + input: GetSendStatisticsCommandInput; + output: GetSendStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/GetTemplateCommand.ts b/clients/client-ses/src/commands/GetTemplateCommand.ts index c2988f8d62bc..553941d69353 100644 --- a/clients/client-ses/src/commands/GetTemplateCommand.ts +++ b/clients/client-ses/src/commands/GetTemplateCommand.ts @@ -88,4 +88,16 @@ export class GetTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetTemplateCommand) .de(de_GetTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTemplateRequest; + output: GetTemplateResponse; + }; + sdk: { + input: GetTemplateCommandInput; + output: GetTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListConfigurationSetsCommand.ts b/clients/client-ses/src/commands/ListConfigurationSetsCommand.ts index dacf125e8920..2afbb4c0a292 100644 --- a/clients/client-ses/src/commands/ListConfigurationSetsCommand.ts +++ b/clients/client-ses/src/commands/ListConfigurationSetsCommand.ts @@ -93,4 +93,16 @@ export class ListConfigurationSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationSetsCommand) .de(de_ListConfigurationSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationSetsRequest; + output: ListConfigurationSetsResponse; + }; + sdk: { + input: ListConfigurationSetsCommandInput; + output: ListConfigurationSetsCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListCustomVerificationEmailTemplatesCommand.ts b/clients/client-ses/src/commands/ListCustomVerificationEmailTemplatesCommand.ts index 0f6628dfc90a..add8c6724ae6 100644 --- a/clients/client-ses/src/commands/ListCustomVerificationEmailTemplatesCommand.ts +++ b/clients/client-ses/src/commands/ListCustomVerificationEmailTemplatesCommand.ts @@ -100,4 +100,16 @@ export class ListCustomVerificationEmailTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomVerificationEmailTemplatesCommand) .de(de_ListCustomVerificationEmailTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomVerificationEmailTemplatesRequest; + output: ListCustomVerificationEmailTemplatesResponse; + }; + sdk: { + input: ListCustomVerificationEmailTemplatesCommandInput; + output: ListCustomVerificationEmailTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListIdentitiesCommand.ts b/clients/client-ses/src/commands/ListIdentitiesCommand.ts index 2812326b6be8..f253ac7485ec 100644 --- a/clients/client-ses/src/commands/ListIdentitiesCommand.ts +++ b/clients/client-ses/src/commands/ListIdentitiesCommand.ts @@ -115,4 +115,16 @@ export class ListIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentitiesCommand) .de(de_ListIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentitiesRequest; + output: ListIdentitiesResponse; + }; + sdk: { + input: ListIdentitiesCommandInput; + output: ListIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListIdentityPoliciesCommand.ts b/clients/client-ses/src/commands/ListIdentityPoliciesCommand.ts index e4c32fc1073f..c7bd3bb5c4d8 100644 --- a/clients/client-ses/src/commands/ListIdentityPoliciesCommand.ts +++ b/clients/client-ses/src/commands/ListIdentityPoliciesCommand.ts @@ -108,4 +108,16 @@ export class ListIdentityPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListIdentityPoliciesCommand) .de(de_ListIdentityPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityPoliciesRequest; + output: ListIdentityPoliciesResponse; + }; + sdk: { + input: ListIdentityPoliciesCommandInput; + output: ListIdentityPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListReceiptFiltersCommand.ts b/clients/client-ses/src/commands/ListReceiptFiltersCommand.ts index 4e75688ba44c..e612045ce835 100644 --- a/clients/client-ses/src/commands/ListReceiptFiltersCommand.ts +++ b/clients/client-ses/src/commands/ListReceiptFiltersCommand.ts @@ -109,4 +109,16 @@ export class ListReceiptFiltersCommand extends $Command .f(void 0, void 0) .ser(se_ListReceiptFiltersCommand) .de(de_ListReceiptFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListReceiptFiltersResponse; + }; + sdk: { + input: ListReceiptFiltersCommandInput; + output: ListReceiptFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListReceiptRuleSetsCommand.ts b/clients/client-ses/src/commands/ListReceiptRuleSetsCommand.ts index 8b2b24a12615..4aff3b01e7a1 100644 --- a/clients/client-ses/src/commands/ListReceiptRuleSetsCommand.ts +++ b/clients/client-ses/src/commands/ListReceiptRuleSetsCommand.ts @@ -111,4 +111,16 @@ export class ListReceiptRuleSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListReceiptRuleSetsCommand) .de(de_ListReceiptRuleSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReceiptRuleSetsRequest; + output: ListReceiptRuleSetsResponse; + }; + sdk: { + input: ListReceiptRuleSetsCommandInput; + output: ListReceiptRuleSetsCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListTemplatesCommand.ts b/clients/client-ses/src/commands/ListTemplatesCommand.ts index affdd8c60e26..f5f8a0f6a365 100644 --- a/clients/client-ses/src/commands/ListTemplatesCommand.ts +++ b/clients/client-ses/src/commands/ListTemplatesCommand.ts @@ -86,4 +86,16 @@ export class ListTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplatesCommand) .de(de_ListTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplatesRequest; + output: ListTemplatesResponse; + }; + sdk: { + input: ListTemplatesCommandInput; + output: ListTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ListVerifiedEmailAddressesCommand.ts b/clients/client-ses/src/commands/ListVerifiedEmailAddressesCommand.ts index cfd906c3f840..48b1a039b2a1 100644 --- a/clients/client-ses/src/commands/ListVerifiedEmailAddressesCommand.ts +++ b/clients/client-ses/src/commands/ListVerifiedEmailAddressesCommand.ts @@ -95,4 +95,16 @@ export class ListVerifiedEmailAddressesCommand extends $Command .f(void 0, void 0) .ser(se_ListVerifiedEmailAddressesCommand) .de(de_ListVerifiedEmailAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListVerifiedEmailAddressesResponse; + }; + sdk: { + input: ListVerifiedEmailAddressesCommandInput; + output: ListVerifiedEmailAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts b/clients/client-ses/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts index ae29c7b9f7d3..d125097db351 100644 --- a/clients/client-ses/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts +++ b/clients/client-ses/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts @@ -92,4 +92,16 @@ export class PutConfigurationSetDeliveryOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetDeliveryOptionsCommand) .de(de_PutConfigurationSetDeliveryOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetDeliveryOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetDeliveryOptionsCommandInput; + output: PutConfigurationSetDeliveryOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/PutIdentityPolicyCommand.ts b/clients/client-ses/src/commands/PutIdentityPolicyCommand.ts index 5f1b975c96c4..4501ba4cba0f 100644 --- a/clients/client-ses/src/commands/PutIdentityPolicyCommand.ts +++ b/clients/client-ses/src/commands/PutIdentityPolicyCommand.ts @@ -104,4 +104,16 @@ export class PutIdentityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutIdentityPolicyCommand) .de(de_PutIdentityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutIdentityPolicyRequest; + output: {}; + }; + sdk: { + input: PutIdentityPolicyCommandInput; + output: PutIdentityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/ReorderReceiptRuleSetCommand.ts b/clients/client-ses/src/commands/ReorderReceiptRuleSetCommand.ts index d2e088d6a607..2ac1c97acdef 100644 --- a/clients/client-ses/src/commands/ReorderReceiptRuleSetCommand.ts +++ b/clients/client-ses/src/commands/ReorderReceiptRuleSetCommand.ts @@ -106,4 +106,16 @@ export class ReorderReceiptRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_ReorderReceiptRuleSetCommand) .de(de_ReorderReceiptRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReorderReceiptRuleSetRequest; + output: {}; + }; + sdk: { + input: ReorderReceiptRuleSetCommandInput; + output: ReorderReceiptRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SendBounceCommand.ts b/clients/client-ses/src/commands/SendBounceCommand.ts index 3d37c4f28459..88d89aaf445d 100644 --- a/clients/client-ses/src/commands/SendBounceCommand.ts +++ b/clients/client-ses/src/commands/SendBounceCommand.ts @@ -124,4 +124,16 @@ export class SendBounceCommand extends $Command .f(void 0, void 0) .ser(se_SendBounceCommand) .de(de_SendBounceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendBounceRequest; + output: SendBounceResponse; + }; + sdk: { + input: SendBounceCommandInput; + output: SendBounceCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SendBulkTemplatedEmailCommand.ts b/clients/client-ses/src/commands/SendBulkTemplatedEmailCommand.ts index c1d0f2fe8c08..249784764b98 100644 --- a/clients/client-ses/src/commands/SendBulkTemplatedEmailCommand.ts +++ b/clients/client-ses/src/commands/SendBulkTemplatedEmailCommand.ts @@ -188,4 +188,16 @@ export class SendBulkTemplatedEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendBulkTemplatedEmailCommand) .de(de_SendBulkTemplatedEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendBulkTemplatedEmailRequest; + output: SendBulkTemplatedEmailResponse; + }; + sdk: { + input: SendBulkTemplatedEmailCommandInput; + output: SendBulkTemplatedEmailCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SendCustomVerificationEmailCommand.ts b/clients/client-ses/src/commands/SendCustomVerificationEmailCommand.ts index 1f63f1b4b8cc..82c761e8a68b 100644 --- a/clients/client-ses/src/commands/SendCustomVerificationEmailCommand.ts +++ b/clients/client-ses/src/commands/SendCustomVerificationEmailCommand.ts @@ -107,4 +107,16 @@ export class SendCustomVerificationEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendCustomVerificationEmailCommand) .de(de_SendCustomVerificationEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendCustomVerificationEmailRequest; + output: SendCustomVerificationEmailResponse; + }; + sdk: { + input: SendCustomVerificationEmailCommandInput; + output: SendCustomVerificationEmailCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SendEmailCommand.ts b/clients/client-ses/src/commands/SendEmailCommand.ts index 84af55e94bd1..606d00b1b30f 100644 --- a/clients/client-ses/src/commands/SendEmailCommand.ts +++ b/clients/client-ses/src/commands/SendEmailCommand.ts @@ -226,4 +226,16 @@ export class SendEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendEmailCommand) .de(de_SendEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendEmailRequest; + output: SendEmailResponse; + }; + sdk: { + input: SendEmailCommandInput; + output: SendEmailCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SendRawEmailCommand.ts b/clients/client-ses/src/commands/SendRawEmailCommand.ts index 4d48f9dcd6ae..cbdb8b43335e 100644 --- a/clients/client-ses/src/commands/SendRawEmailCommand.ts +++ b/clients/client-ses/src/commands/SendRawEmailCommand.ts @@ -237,4 +237,16 @@ export class SendRawEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendRawEmailCommand) .de(de_SendRawEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendRawEmailRequest; + output: SendRawEmailResponse; + }; + sdk: { + input: SendRawEmailCommandInput; + output: SendRawEmailCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SendTemplatedEmailCommand.ts b/clients/client-ses/src/commands/SendTemplatedEmailCommand.ts index 056f88615a0e..7be63926447f 100644 --- a/clients/client-ses/src/commands/SendTemplatedEmailCommand.ts +++ b/clients/client-ses/src/commands/SendTemplatedEmailCommand.ts @@ -177,4 +177,16 @@ export class SendTemplatedEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendTemplatedEmailCommand) .de(de_SendTemplatedEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendTemplatedEmailRequest; + output: SendTemplatedEmailResponse; + }; + sdk: { + input: SendTemplatedEmailCommandInput; + output: SendTemplatedEmailCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SetActiveReceiptRuleSetCommand.ts b/clients/client-ses/src/commands/SetActiveReceiptRuleSetCommand.ts index a873ab6430b0..9eb1c84ed612 100644 --- a/clients/client-ses/src/commands/SetActiveReceiptRuleSetCommand.ts +++ b/clients/client-ses/src/commands/SetActiveReceiptRuleSetCommand.ts @@ -96,4 +96,16 @@ export class SetActiveReceiptRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_SetActiveReceiptRuleSetCommand) .de(de_SetActiveReceiptRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetActiveReceiptRuleSetRequest; + output: {}; + }; + sdk: { + input: SetActiveReceiptRuleSetCommandInput; + output: SetActiveReceiptRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SetIdentityDkimEnabledCommand.ts b/clients/client-ses/src/commands/SetIdentityDkimEnabledCommand.ts index 7ecfc7562e7e..a63bc817810d 100644 --- a/clients/client-ses/src/commands/SetIdentityDkimEnabledCommand.ts +++ b/clients/client-ses/src/commands/SetIdentityDkimEnabledCommand.ts @@ -101,4 +101,16 @@ export class SetIdentityDkimEnabledCommand extends $Command .f(void 0, void 0) .ser(se_SetIdentityDkimEnabledCommand) .de(de_SetIdentityDkimEnabledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIdentityDkimEnabledRequest; + output: {}; + }; + sdk: { + input: SetIdentityDkimEnabledCommandInput; + output: SetIdentityDkimEnabledCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SetIdentityFeedbackForwardingEnabledCommand.ts b/clients/client-ses/src/commands/SetIdentityFeedbackForwardingEnabledCommand.ts index 8b7d46916721..cd9a61e3df32 100644 --- a/clients/client-ses/src/commands/SetIdentityFeedbackForwardingEnabledCommand.ts +++ b/clients/client-ses/src/commands/SetIdentityFeedbackForwardingEnabledCommand.ts @@ -106,4 +106,16 @@ export class SetIdentityFeedbackForwardingEnabledCommand extends $Command .f(void 0, void 0) .ser(se_SetIdentityFeedbackForwardingEnabledCommand) .de(de_SetIdentityFeedbackForwardingEnabledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIdentityFeedbackForwardingEnabledRequest; + output: {}; + }; + sdk: { + input: SetIdentityFeedbackForwardingEnabledCommandInput; + output: SetIdentityFeedbackForwardingEnabledCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SetIdentityHeadersInNotificationsEnabledCommand.ts b/clients/client-ses/src/commands/SetIdentityHeadersInNotificationsEnabledCommand.ts index 0d440d0f789a..8f2719061803 100644 --- a/clients/client-ses/src/commands/SetIdentityHeadersInNotificationsEnabledCommand.ts +++ b/clients/client-ses/src/commands/SetIdentityHeadersInNotificationsEnabledCommand.ts @@ -104,4 +104,16 @@ export class SetIdentityHeadersInNotificationsEnabledCommand extends $Command .f(void 0, void 0) .ser(se_SetIdentityHeadersInNotificationsEnabledCommand) .de(de_SetIdentityHeadersInNotificationsEnabledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIdentityHeadersInNotificationsEnabledRequest; + output: {}; + }; + sdk: { + input: SetIdentityHeadersInNotificationsEnabledCommandInput; + output: SetIdentityHeadersInNotificationsEnabledCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SetIdentityMailFromDomainCommand.ts b/clients/client-ses/src/commands/SetIdentityMailFromDomainCommand.ts index 3a962a881009..49ae75932156 100644 --- a/clients/client-ses/src/commands/SetIdentityMailFromDomainCommand.ts +++ b/clients/client-ses/src/commands/SetIdentityMailFromDomainCommand.ts @@ -98,4 +98,16 @@ export class SetIdentityMailFromDomainCommand extends $Command .f(void 0, void 0) .ser(se_SetIdentityMailFromDomainCommand) .de(de_SetIdentityMailFromDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIdentityMailFromDomainRequest; + output: {}; + }; + sdk: { + input: SetIdentityMailFromDomainCommandInput; + output: SetIdentityMailFromDomainCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SetIdentityNotificationTopicCommand.ts b/clients/client-ses/src/commands/SetIdentityNotificationTopicCommand.ts index 316f6c0fbbf2..5fe75b0c950c 100644 --- a/clients/client-ses/src/commands/SetIdentityNotificationTopicCommand.ts +++ b/clients/client-ses/src/commands/SetIdentityNotificationTopicCommand.ts @@ -100,4 +100,16 @@ export class SetIdentityNotificationTopicCommand extends $Command .f(void 0, void 0) .ser(se_SetIdentityNotificationTopicCommand) .de(de_SetIdentityNotificationTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetIdentityNotificationTopicRequest; + output: {}; + }; + sdk: { + input: SetIdentityNotificationTopicCommandInput; + output: SetIdentityNotificationTopicCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/SetReceiptRulePositionCommand.ts b/clients/client-ses/src/commands/SetReceiptRulePositionCommand.ts index e52b14116b53..e20dd8b6c2d1 100644 --- a/clients/client-ses/src/commands/SetReceiptRulePositionCommand.ts +++ b/clients/client-ses/src/commands/SetReceiptRulePositionCommand.ts @@ -99,4 +99,16 @@ export class SetReceiptRulePositionCommand extends $Command .f(void 0, void 0) .ser(se_SetReceiptRulePositionCommand) .de(de_SetReceiptRulePositionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetReceiptRulePositionRequest; + output: {}; + }; + sdk: { + input: SetReceiptRulePositionCommandInput; + output: SetReceiptRulePositionCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/TestRenderTemplateCommand.ts b/clients/client-ses/src/commands/TestRenderTemplateCommand.ts index 740cab19e659..9ce1369cdad3 100644 --- a/clients/client-ses/src/commands/TestRenderTemplateCommand.ts +++ b/clients/client-ses/src/commands/TestRenderTemplateCommand.ts @@ -93,4 +93,16 @@ export class TestRenderTemplateCommand extends $Command .f(void 0, void 0) .ser(se_TestRenderTemplateCommand) .de(de_TestRenderTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestRenderTemplateRequest; + output: TestRenderTemplateResponse; + }; + sdk: { + input: TestRenderTemplateCommandInput; + output: TestRenderTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateAccountSendingEnabledCommand.ts b/clients/client-ses/src/commands/UpdateAccountSendingEnabledCommand.ts index 51ace6b91cb8..8fdbc4849685 100644 --- a/clients/client-ses/src/commands/UpdateAccountSendingEnabledCommand.ts +++ b/clients/client-ses/src/commands/UpdateAccountSendingEnabledCommand.ts @@ -91,4 +91,16 @@ export class UpdateAccountSendingEnabledCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSendingEnabledCommand) .de(de_UpdateAccountSendingEnabledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSendingEnabledRequest; + output: {}; + }; + sdk: { + input: UpdateAccountSendingEnabledCommandInput; + output: UpdateAccountSendingEnabledCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateConfigurationSetEventDestinationCommand.ts b/clients/client-ses/src/commands/UpdateConfigurationSetEventDestinationCommand.ts index 938388c57fae..e91596f29475 100644 --- a/clients/client-ses/src/commands/UpdateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-ses/src/commands/UpdateConfigurationSetEventDestinationCommand.ts @@ -136,4 +136,16 @@ export class UpdateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationSetEventDestinationCommand) .de(de_UpdateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationSetEventDestinationCommandInput; + output: UpdateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateConfigurationSetReputationMetricsEnabledCommand.ts b/clients/client-ses/src/commands/UpdateConfigurationSetReputationMetricsEnabledCommand.ts index e9461c680fc4..3bef4a1a8bb2 100644 --- a/clients/client-ses/src/commands/UpdateConfigurationSetReputationMetricsEnabledCommand.ts +++ b/clients/client-ses/src/commands/UpdateConfigurationSetReputationMetricsEnabledCommand.ts @@ -99,4 +99,16 @@ export class UpdateConfigurationSetReputationMetricsEnabledCommand extends $Comm .f(void 0, void 0) .ser(se_UpdateConfigurationSetReputationMetricsEnabledCommand) .de(de_UpdateConfigurationSetReputationMetricsEnabledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationSetReputationMetricsEnabledRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationSetReputationMetricsEnabledCommandInput; + output: UpdateConfigurationSetReputationMetricsEnabledCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateConfigurationSetSendingEnabledCommand.ts b/clients/client-ses/src/commands/UpdateConfigurationSetSendingEnabledCommand.ts index 24b74a85da42..c093f388691a 100644 --- a/clients/client-ses/src/commands/UpdateConfigurationSetSendingEnabledCommand.ts +++ b/clients/client-ses/src/commands/UpdateConfigurationSetSendingEnabledCommand.ts @@ -99,4 +99,16 @@ export class UpdateConfigurationSetSendingEnabledCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationSetSendingEnabledCommand) .de(de_UpdateConfigurationSetSendingEnabledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationSetSendingEnabledRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationSetSendingEnabledCommandInput; + output: UpdateConfigurationSetSendingEnabledCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateConfigurationSetTrackingOptionsCommand.ts b/clients/client-ses/src/commands/UpdateConfigurationSetTrackingOptionsCommand.ts index 242956e83aa8..045d1b395d1a 100644 --- a/clients/client-ses/src/commands/UpdateConfigurationSetTrackingOptionsCommand.ts +++ b/clients/client-ses/src/commands/UpdateConfigurationSetTrackingOptionsCommand.ts @@ -110,4 +110,16 @@ export class UpdateConfigurationSetTrackingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationSetTrackingOptionsCommand) .de(de_UpdateConfigurationSetTrackingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationSetTrackingOptionsRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationSetTrackingOptionsCommandInput; + output: UpdateConfigurationSetTrackingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts b/clients/client-ses/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts index 8b58bbf22c8a..3f7ded889d4a 100644 --- a/clients/client-ses/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-ses/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts @@ -99,4 +99,16 @@ export class UpdateCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCustomVerificationEmailTemplateCommand) .de(de_UpdateCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomVerificationEmailTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateCustomVerificationEmailTemplateCommandInput; + output: UpdateCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateReceiptRuleCommand.ts b/clients/client-ses/src/commands/UpdateReceiptRuleCommand.ts index 965e4a75c836..15632b8f86b8 100644 --- a/clients/client-ses/src/commands/UpdateReceiptRuleCommand.ts +++ b/clients/client-ses/src/commands/UpdateReceiptRuleCommand.ts @@ -180,4 +180,16 @@ export class UpdateReceiptRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReceiptRuleCommand) .de(de_UpdateReceiptRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReceiptRuleRequest; + output: {}; + }; + sdk: { + input: UpdateReceiptRuleCommandInput; + output: UpdateReceiptRuleCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/UpdateTemplateCommand.ts b/clients/client-ses/src/commands/UpdateTemplateCommand.ts index 0fb20dd1320f..bece68b61c50 100644 --- a/clients/client-ses/src/commands/UpdateTemplateCommand.ts +++ b/clients/client-ses/src/commands/UpdateTemplateCommand.ts @@ -91,4 +91,16 @@ export class UpdateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTemplateCommand) .de(de_UpdateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateTemplateCommandInput; + output: UpdateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/VerifyDomainDkimCommand.ts b/clients/client-ses/src/commands/VerifyDomainDkimCommand.ts index 9d2533024019..3f637385ba26 100644 --- a/clients/client-ses/src/commands/VerifyDomainDkimCommand.ts +++ b/clients/client-ses/src/commands/VerifyDomainDkimCommand.ts @@ -137,4 +137,16 @@ export class VerifyDomainDkimCommand extends $Command .f(void 0, void 0) .ser(se_VerifyDomainDkimCommand) .de(de_VerifyDomainDkimCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyDomainDkimRequest; + output: VerifyDomainDkimResponse; + }; + sdk: { + input: VerifyDomainDkimCommandInput; + output: VerifyDomainDkimCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/VerifyDomainIdentityCommand.ts b/clients/client-ses/src/commands/VerifyDomainIdentityCommand.ts index 610af0c0c671..be4d6876c376 100644 --- a/clients/client-ses/src/commands/VerifyDomainIdentityCommand.ts +++ b/clients/client-ses/src/commands/VerifyDomainIdentityCommand.ts @@ -98,4 +98,16 @@ export class VerifyDomainIdentityCommand extends $Command .f(void 0, void 0) .ser(se_VerifyDomainIdentityCommand) .de(de_VerifyDomainIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyDomainIdentityRequest; + output: VerifyDomainIdentityResponse; + }; + sdk: { + input: VerifyDomainIdentityCommandInput; + output: VerifyDomainIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/VerifyEmailAddressCommand.ts b/clients/client-ses/src/commands/VerifyEmailAddressCommand.ts index c0aca7e99e0e..2d7b0a1d3330 100644 --- a/clients/client-ses/src/commands/VerifyEmailAddressCommand.ts +++ b/clients/client-ses/src/commands/VerifyEmailAddressCommand.ts @@ -87,4 +87,16 @@ export class VerifyEmailAddressCommand extends $Command .f(void 0, void 0) .ser(se_VerifyEmailAddressCommand) .de(de_VerifyEmailAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyEmailAddressRequest; + output: {}; + }; + sdk: { + input: VerifyEmailAddressCommandInput; + output: VerifyEmailAddressCommandOutput; + }; + }; +} diff --git a/clients/client-ses/src/commands/VerifyEmailIdentityCommand.ts b/clients/client-ses/src/commands/VerifyEmailIdentityCommand.ts index e621490da920..19d2c53fe17a 100644 --- a/clients/client-ses/src/commands/VerifyEmailIdentityCommand.ts +++ b/clients/client-ses/src/commands/VerifyEmailIdentityCommand.ts @@ -89,4 +89,16 @@ export class VerifyEmailIdentityCommand extends $Command .f(void 0, void 0) .ser(se_VerifyEmailIdentityCommand) .de(de_VerifyEmailIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifyEmailIdentityRequest; + output: {}; + }; + sdk: { + input: VerifyEmailIdentityCommandInput; + output: VerifyEmailIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/package.json b/clients/client-sesv2/package.json index 16393fd872a7..973883e1ee8c 100644 --- a/clients/client-sesv2/package.json +++ b/clients/client-sesv2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sesv2/src/commands/BatchGetMetricDataCommand.ts b/clients/client-sesv2/src/commands/BatchGetMetricDataCommand.ts index e12fc3827ad9..eb1fd2a9fd4b 100644 --- a/clients/client-sesv2/src/commands/BatchGetMetricDataCommand.ts +++ b/clients/client-sesv2/src/commands/BatchGetMetricDataCommand.ts @@ -119,4 +119,16 @@ export class BatchGetMetricDataCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetMetricDataCommand) .de(de_BatchGetMetricDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetMetricDataRequest; + output: BatchGetMetricDataResponse; + }; + sdk: { + input: BatchGetMetricDataCommandInput; + output: BatchGetMetricDataCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CancelExportJobCommand.ts b/clients/client-sesv2/src/commands/CancelExportJobCommand.ts index 46742735f235..032eb1aee49d 100644 --- a/clients/client-sesv2/src/commands/CancelExportJobCommand.ts +++ b/clients/client-sesv2/src/commands/CancelExportJobCommand.ts @@ -95,4 +95,16 @@ export class CancelExportJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelExportJobCommand) .de(de_CancelExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelExportJobRequest; + output: {}; + }; + sdk: { + input: CancelExportJobCommandInput; + output: CancelExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateConfigurationSetCommand.ts b/clients/client-sesv2/src/commands/CreateConfigurationSetCommand.ts index ab83f6b652b7..629ad88ac886 100644 --- a/clients/client-sesv2/src/commands/CreateConfigurationSetCommand.ts +++ b/clients/client-sesv2/src/commands/CreateConfigurationSetCommand.ts @@ -130,4 +130,16 @@ export class CreateConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetCommand) .de(de_CreateConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetCommandInput; + output: CreateConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateConfigurationSetEventDestinationCommand.ts b/clients/client-sesv2/src/commands/CreateConfigurationSetEventDestinationCommand.ts index 0f2cf6ed0b84..2a1635ae80fb 100644 --- a/clients/client-sesv2/src/commands/CreateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-sesv2/src/commands/CreateConfigurationSetEventDestinationCommand.ts @@ -133,4 +133,16 @@ export class CreateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_CreateConfigurationSetEventDestinationCommand) .de(de_CreateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: CreateConfigurationSetEventDestinationCommandInput; + output: CreateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateContactCommand.ts b/clients/client-sesv2/src/commands/CreateContactCommand.ts index cfc43b77e77d..ce9dbda65a68 100644 --- a/clients/client-sesv2/src/commands/CreateContactCommand.ts +++ b/clients/client-sesv2/src/commands/CreateContactCommand.ts @@ -97,4 +97,16 @@ export class CreateContactCommand extends $Command .f(void 0, void 0) .ser(se_CreateContactCommand) .de(de_CreateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContactRequest; + output: {}; + }; + sdk: { + input: CreateContactCommandInput; + output: CreateContactCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateContactListCommand.ts b/clients/client-sesv2/src/commands/CreateContactListCommand.ts index 6d6c3f487c8a..dfc9abdede5b 100644 --- a/clients/client-sesv2/src/commands/CreateContactListCommand.ts +++ b/clients/client-sesv2/src/commands/CreateContactListCommand.ts @@ -102,4 +102,16 @@ export class CreateContactListCommand extends $Command .f(void 0, void 0) .ser(se_CreateContactListCommand) .de(de_CreateContactListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContactListRequest; + output: {}; + }; + sdk: { + input: CreateContactListCommandInput; + output: CreateContactListCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateCustomVerificationEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/CreateCustomVerificationEmailTemplateCommand.ts index 65630995a5fa..45788e83ccac 100644 --- a/clients/client-sesv2/src/commands/CreateCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/CreateCustomVerificationEmailTemplateCommand.ts @@ -108,4 +108,16 @@ export class CreateCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateCustomVerificationEmailTemplateCommand) .de(de_CreateCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomVerificationEmailTemplateRequest; + output: {}; + }; + sdk: { + input: CreateCustomVerificationEmailTemplateCommandInput; + output: CreateCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateDedicatedIpPoolCommand.ts b/clients/client-sesv2/src/commands/CreateDedicatedIpPoolCommand.ts index 0ab1893d9dd8..b9a9bf2d90e7 100644 --- a/clients/client-sesv2/src/commands/CreateDedicatedIpPoolCommand.ts +++ b/clients/client-sesv2/src/commands/CreateDedicatedIpPoolCommand.ts @@ -100,4 +100,16 @@ export class CreateDedicatedIpPoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateDedicatedIpPoolCommand) .de(de_CreateDedicatedIpPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDedicatedIpPoolRequest; + output: {}; + }; + sdk: { + input: CreateDedicatedIpPoolCommandInput; + output: CreateDedicatedIpPoolCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateDeliverabilityTestReportCommand.ts b/clients/client-sesv2/src/commands/CreateDeliverabilityTestReportCommand.ts index 4373281e71d1..17bba44f204e 100644 --- a/clients/client-sesv2/src/commands/CreateDeliverabilityTestReportCommand.ts +++ b/clients/client-sesv2/src/commands/CreateDeliverabilityTestReportCommand.ts @@ -163,4 +163,16 @@ export class CreateDeliverabilityTestReportCommand extends $Command .f(void 0, void 0) .ser(se_CreateDeliverabilityTestReportCommand) .de(de_CreateDeliverabilityTestReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDeliverabilityTestReportRequest; + output: CreateDeliverabilityTestReportResponse; + }; + sdk: { + input: CreateDeliverabilityTestReportCommandInput; + output: CreateDeliverabilityTestReportCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateEmailIdentityCommand.ts b/clients/client-sesv2/src/commands/CreateEmailIdentityCommand.ts index e19d3619bbed..f163109af4f6 100644 --- a/clients/client-sesv2/src/commands/CreateEmailIdentityCommand.ts +++ b/clients/client-sesv2/src/commands/CreateEmailIdentityCommand.ts @@ -148,4 +148,16 @@ export class CreateEmailIdentityCommand extends $Command .f(CreateEmailIdentityRequestFilterSensitiveLog, void 0) .ser(se_CreateEmailIdentityCommand) .de(de_CreateEmailIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEmailIdentityRequest; + output: CreateEmailIdentityResponse; + }; + sdk: { + input: CreateEmailIdentityCommandInput; + output: CreateEmailIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateEmailIdentityPolicyCommand.ts b/clients/client-sesv2/src/commands/CreateEmailIdentityPolicyCommand.ts index 4ac461c9b9e3..0f378bd9e1d3 100644 --- a/clients/client-sesv2/src/commands/CreateEmailIdentityPolicyCommand.ts +++ b/clients/client-sesv2/src/commands/CreateEmailIdentityPolicyCommand.ts @@ -102,4 +102,16 @@ export class CreateEmailIdentityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_CreateEmailIdentityPolicyCommand) .de(de_CreateEmailIdentityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEmailIdentityPolicyRequest; + output: {}; + }; + sdk: { + input: CreateEmailIdentityPolicyCommandInput; + output: CreateEmailIdentityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/CreateEmailTemplateCommand.ts index b7d74948e84e..d44302ecdfaf 100644 --- a/clients/client-sesv2/src/commands/CreateEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/CreateEmailTemplateCommand.ts @@ -95,4 +95,16 @@ export class CreateEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateEmailTemplateCommand) .de(de_CreateEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEmailTemplateRequest; + output: {}; + }; + sdk: { + input: CreateEmailTemplateCommandInput; + output: CreateEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateExportJobCommand.ts b/clients/client-sesv2/src/commands/CreateExportJobCommand.ts index 79cd1eb89725..84250a859ec1 100644 --- a/clients/client-sesv2/src/commands/CreateExportJobCommand.ts +++ b/clients/client-sesv2/src/commands/CreateExportJobCommand.ts @@ -238,4 +238,16 @@ export class CreateExportJobCommand extends $Command .f(CreateExportJobRequestFilterSensitiveLog, void 0) .ser(se_CreateExportJobCommand) .de(de_CreateExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateExportJobRequest; + output: CreateExportJobResponse; + }; + sdk: { + input: CreateExportJobCommandInput; + output: CreateExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/CreateImportJobCommand.ts b/clients/client-sesv2/src/commands/CreateImportJobCommand.ts index bce2c343f9ef..bb92a0b728e0 100644 --- a/clients/client-sesv2/src/commands/CreateImportJobCommand.ts +++ b/clients/client-sesv2/src/commands/CreateImportJobCommand.ts @@ -98,4 +98,16 @@ export class CreateImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateImportJobCommand) .de(de_CreateImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImportJobRequest; + output: CreateImportJobResponse; + }; + sdk: { + input: CreateImportJobCommandInput; + output: CreateImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteConfigurationSetCommand.ts b/clients/client-sesv2/src/commands/DeleteConfigurationSetCommand.ts index 4a5636c7d37b..d1bf1228034f 100644 --- a/clients/client-sesv2/src/commands/DeleteConfigurationSetCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteConfigurationSetCommand.ts @@ -92,4 +92,16 @@ export class DeleteConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetCommand) .de(de_DeleteConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetCommandInput; + output: DeleteConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteConfigurationSetEventDestinationCommand.ts b/clients/client-sesv2/src/commands/DeleteConfigurationSetEventDestinationCommand.ts index 2a898e892c6e..6fdf43757afe 100644 --- a/clients/client-sesv2/src/commands/DeleteConfigurationSetEventDestinationCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteConfigurationSetEventDestinationCommand.ts @@ -99,4 +99,16 @@ export class DeleteConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationSetEventDestinationCommand) .de(de_DeleteConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteConfigurationSetEventDestinationCommandInput; + output: DeleteConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteContactCommand.ts b/clients/client-sesv2/src/commands/DeleteContactCommand.ts index 16677391b89d..d0b07655bbbc 100644 --- a/clients/client-sesv2/src/commands/DeleteContactCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteContactCommand.ts @@ -85,4 +85,16 @@ export class DeleteContactCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactCommand) .de(de_DeleteContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactRequest; + output: {}; + }; + sdk: { + input: DeleteContactCommandInput; + output: DeleteContactCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteContactListCommand.ts b/clients/client-sesv2/src/commands/DeleteContactListCommand.ts index 614cdd549fee..abf90bd899b3 100644 --- a/clients/client-sesv2/src/commands/DeleteContactListCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteContactListCommand.ts @@ -87,4 +87,16 @@ export class DeleteContactListCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactListCommand) .de(de_DeleteContactListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactListRequest; + output: {}; + }; + sdk: { + input: DeleteContactListCommandInput; + output: DeleteContactListCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts index 58c806ab2780..ed0434aea14a 100644 --- a/clients/client-sesv2/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteCustomVerificationEmailTemplateCommand.ts @@ -97,4 +97,16 @@ export class DeleteCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCustomVerificationEmailTemplateCommand) .de(de_DeleteCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomVerificationEmailTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteCustomVerificationEmailTemplateCommandInput; + output: DeleteCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteDedicatedIpPoolCommand.ts b/clients/client-sesv2/src/commands/DeleteDedicatedIpPoolCommand.ts index a0db5537cb99..219ee7de9f36 100644 --- a/clients/client-sesv2/src/commands/DeleteDedicatedIpPoolCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteDedicatedIpPoolCommand.ts @@ -87,4 +87,16 @@ export class DeleteDedicatedIpPoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDedicatedIpPoolCommand) .de(de_DeleteDedicatedIpPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDedicatedIpPoolRequest; + output: {}; + }; + sdk: { + input: DeleteDedicatedIpPoolCommandInput; + output: DeleteDedicatedIpPoolCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteEmailIdentityCommand.ts b/clients/client-sesv2/src/commands/DeleteEmailIdentityCommand.ts index b24434f8d8c8..3cfcdfb22977 100644 --- a/clients/client-sesv2/src/commands/DeleteEmailIdentityCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteEmailIdentityCommand.ts @@ -88,4 +88,16 @@ export class DeleteEmailIdentityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEmailIdentityCommand) .de(de_DeleteEmailIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEmailIdentityRequest; + output: {}; + }; + sdk: { + input: DeleteEmailIdentityCommandInput; + output: DeleteEmailIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteEmailIdentityPolicyCommand.ts b/clients/client-sesv2/src/commands/DeleteEmailIdentityPolicyCommand.ts index 011f24b84c8d..88ba8996d8bd 100644 --- a/clients/client-sesv2/src/commands/DeleteEmailIdentityPolicyCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteEmailIdentityPolicyCommand.ts @@ -96,4 +96,16 @@ export class DeleteEmailIdentityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEmailIdentityPolicyCommand) .de(de_DeleteEmailIdentityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEmailIdentityPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteEmailIdentityPolicyCommandInput; + output: DeleteEmailIdentityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/DeleteEmailTemplateCommand.ts index 3f2832eb3802..9d0b87a550f8 100644 --- a/clients/client-sesv2/src/commands/DeleteEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteEmailTemplateCommand.ts @@ -85,4 +85,16 @@ export class DeleteEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEmailTemplateCommand) .de(de_DeleteEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEmailTemplateRequest; + output: {}; + }; + sdk: { + input: DeleteEmailTemplateCommandInput; + output: DeleteEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/DeleteSuppressedDestinationCommand.ts b/clients/client-sesv2/src/commands/DeleteSuppressedDestinationCommand.ts index ec9d70cde3bc..cb11cc3e829d 100644 --- a/clients/client-sesv2/src/commands/DeleteSuppressedDestinationCommand.ts +++ b/clients/client-sesv2/src/commands/DeleteSuppressedDestinationCommand.ts @@ -89,4 +89,16 @@ export class DeleteSuppressedDestinationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSuppressedDestinationCommand) .de(de_DeleteSuppressedDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSuppressedDestinationRequest; + output: {}; + }; + sdk: { + input: DeleteSuppressedDestinationCommandInput; + output: DeleteSuppressedDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetAccountCommand.ts b/clients/client-sesv2/src/commands/GetAccountCommand.ts index f135887520d3..515d55b30640 100644 --- a/clients/client-sesv2/src/commands/GetAccountCommand.ts +++ b/clients/client-sesv2/src/commands/GetAccountCommand.ts @@ -117,4 +117,16 @@ export class GetAccountCommand extends $Command .f(void 0, GetAccountResponseFilterSensitiveLog) .ser(se_GetAccountCommand) .de(de_GetAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountResponse; + }; + sdk: { + input: GetAccountCommandInput; + output: GetAccountCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetBlacklistReportsCommand.ts b/clients/client-sesv2/src/commands/GetBlacklistReportsCommand.ts index 9abe13ad5a43..d198272635df 100644 --- a/clients/client-sesv2/src/commands/GetBlacklistReportsCommand.ts +++ b/clients/client-sesv2/src/commands/GetBlacklistReportsCommand.ts @@ -96,4 +96,16 @@ export class GetBlacklistReportsCommand extends $Command .f(void 0, void 0) .ser(se_GetBlacklistReportsCommand) .de(de_GetBlacklistReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBlacklistReportsRequest; + output: GetBlacklistReportsResponse; + }; + sdk: { + input: GetBlacklistReportsCommandInput; + output: GetBlacklistReportsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetConfigurationSetCommand.ts b/clients/client-sesv2/src/commands/GetConfigurationSetCommand.ts index d9285a3d1934..65966a7674dd 100644 --- a/clients/client-sesv2/src/commands/GetConfigurationSetCommand.ts +++ b/clients/client-sesv2/src/commands/GetConfigurationSetCommand.ts @@ -126,4 +126,16 @@ export class GetConfigurationSetCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationSetCommand) .de(de_GetConfigurationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationSetRequest; + output: GetConfigurationSetResponse; + }; + sdk: { + input: GetConfigurationSetCommandInput; + output: GetConfigurationSetCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetConfigurationSetEventDestinationsCommand.ts b/clients/client-sesv2/src/commands/GetConfigurationSetEventDestinationsCommand.ts index e8890b168a3f..a7330246b7f1 100644 --- a/clients/client-sesv2/src/commands/GetConfigurationSetEventDestinationsCommand.ts +++ b/clients/client-sesv2/src/commands/GetConfigurationSetEventDestinationsCommand.ts @@ -130,4 +130,16 @@ export class GetConfigurationSetEventDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_GetConfigurationSetEventDestinationsCommand) .de(de_GetConfigurationSetEventDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationSetEventDestinationsRequest; + output: GetConfigurationSetEventDestinationsResponse; + }; + sdk: { + input: GetConfigurationSetEventDestinationsCommandInput; + output: GetConfigurationSetEventDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetContactCommand.ts b/clients/client-sesv2/src/commands/GetContactCommand.ts index 5415002cb1f0..22950eec34b8 100644 --- a/clients/client-sesv2/src/commands/GetContactCommand.ts +++ b/clients/client-sesv2/src/commands/GetContactCommand.ts @@ -104,4 +104,16 @@ export class GetContactCommand extends $Command .f(void 0, void 0) .ser(se_GetContactCommand) .de(de_GetContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactRequest; + output: GetContactResponse; + }; + sdk: { + input: GetContactCommandInput; + output: GetContactCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetContactListCommand.ts b/clients/client-sesv2/src/commands/GetContactListCommand.ts index 8e3c07b143e7..924981734769 100644 --- a/clients/client-sesv2/src/commands/GetContactListCommand.ts +++ b/clients/client-sesv2/src/commands/GetContactListCommand.ts @@ -104,4 +104,16 @@ export class GetContactListCommand extends $Command .f(void 0, void 0) .ser(se_GetContactListCommand) .de(de_GetContactListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactListRequest; + output: GetContactListResponse; + }; + sdk: { + input: GetContactListCommandInput; + output: GetContactListCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetCustomVerificationEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/GetCustomVerificationEmailTemplateCommand.ts index cd5c376fafc5..c1f4c134fef0 100644 --- a/clients/client-sesv2/src/commands/GetCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/GetCustomVerificationEmailTemplateCommand.ts @@ -104,4 +104,16 @@ export class GetCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetCustomVerificationEmailTemplateCommand) .de(de_GetCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCustomVerificationEmailTemplateRequest; + output: GetCustomVerificationEmailTemplateResponse; + }; + sdk: { + input: GetCustomVerificationEmailTemplateCommandInput; + output: GetCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetDedicatedIpCommand.ts b/clients/client-sesv2/src/commands/GetDedicatedIpCommand.ts index f7692eb71b16..4982c95966e3 100644 --- a/clients/client-sesv2/src/commands/GetDedicatedIpCommand.ts +++ b/clients/client-sesv2/src/commands/GetDedicatedIpCommand.ts @@ -93,4 +93,16 @@ export class GetDedicatedIpCommand extends $Command .f(void 0, void 0) .ser(se_GetDedicatedIpCommand) .de(de_GetDedicatedIpCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDedicatedIpRequest; + output: GetDedicatedIpResponse; + }; + sdk: { + input: GetDedicatedIpCommandInput; + output: GetDedicatedIpCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetDedicatedIpPoolCommand.ts b/clients/client-sesv2/src/commands/GetDedicatedIpPoolCommand.ts index 5d77f4395add..25dbc1e5a788 100644 --- a/clients/client-sesv2/src/commands/GetDedicatedIpPoolCommand.ts +++ b/clients/client-sesv2/src/commands/GetDedicatedIpPoolCommand.ts @@ -89,4 +89,16 @@ export class GetDedicatedIpPoolCommand extends $Command .f(void 0, void 0) .ser(se_GetDedicatedIpPoolCommand) .de(de_GetDedicatedIpPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDedicatedIpPoolRequest; + output: GetDedicatedIpPoolResponse; + }; + sdk: { + input: GetDedicatedIpPoolCommandInput; + output: GetDedicatedIpPoolCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetDedicatedIpsCommand.ts b/clients/client-sesv2/src/commands/GetDedicatedIpsCommand.ts index 2cd4ca0d6d8a..a99e7de35e69 100644 --- a/clients/client-sesv2/src/commands/GetDedicatedIpsCommand.ts +++ b/clients/client-sesv2/src/commands/GetDedicatedIpsCommand.ts @@ -97,4 +97,16 @@ export class GetDedicatedIpsCommand extends $Command .f(void 0, void 0) .ser(se_GetDedicatedIpsCommand) .de(de_GetDedicatedIpsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDedicatedIpsRequest; + output: GetDedicatedIpsResponse; + }; + sdk: { + input: GetDedicatedIpsCommandInput; + output: GetDedicatedIpsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetDeliverabilityDashboardOptionsCommand.ts b/clients/client-sesv2/src/commands/GetDeliverabilityDashboardOptionsCommand.ts index 0005ea8b6936..a366cae325cd 100644 --- a/clients/client-sesv2/src/commands/GetDeliverabilityDashboardOptionsCommand.ts +++ b/clients/client-sesv2/src/commands/GetDeliverabilityDashboardOptionsCommand.ts @@ -124,4 +124,16 @@ export class GetDeliverabilityDashboardOptionsCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliverabilityDashboardOptionsCommand) .de(de_GetDeliverabilityDashboardOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetDeliverabilityDashboardOptionsResponse; + }; + sdk: { + input: GetDeliverabilityDashboardOptionsCommandInput; + output: GetDeliverabilityDashboardOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetDeliverabilityTestReportCommand.ts b/clients/client-sesv2/src/commands/GetDeliverabilityTestReportCommand.ts index 80bc95de8ffc..88318075b891 100644 --- a/clients/client-sesv2/src/commands/GetDeliverabilityTestReportCommand.ts +++ b/clients/client-sesv2/src/commands/GetDeliverabilityTestReportCommand.ts @@ -124,4 +124,16 @@ export class GetDeliverabilityTestReportCommand extends $Command .f(void 0, void 0) .ser(se_GetDeliverabilityTestReportCommand) .de(de_GetDeliverabilityTestReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeliverabilityTestReportRequest; + output: GetDeliverabilityTestReportResponse; + }; + sdk: { + input: GetDeliverabilityTestReportCommandInput; + output: GetDeliverabilityTestReportCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetDomainDeliverabilityCampaignCommand.ts b/clients/client-sesv2/src/commands/GetDomainDeliverabilityCampaignCommand.ts index 18e7920c523c..a1bc565dbeff 100644 --- a/clients/client-sesv2/src/commands/GetDomainDeliverabilityCampaignCommand.ts +++ b/clients/client-sesv2/src/commands/GetDomainDeliverabilityCampaignCommand.ts @@ -112,4 +112,16 @@ export class GetDomainDeliverabilityCampaignCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainDeliverabilityCampaignCommand) .de(de_GetDomainDeliverabilityCampaignCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainDeliverabilityCampaignRequest; + output: GetDomainDeliverabilityCampaignResponse; + }; + sdk: { + input: GetDomainDeliverabilityCampaignCommandInput; + output: GetDomainDeliverabilityCampaignCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetDomainStatisticsReportCommand.ts b/clients/client-sesv2/src/commands/GetDomainStatisticsReportCommand.ts index 982681ca1284..0df627d5c45c 100644 --- a/clients/client-sesv2/src/commands/GetDomainStatisticsReportCommand.ts +++ b/clients/client-sesv2/src/commands/GetDomainStatisticsReportCommand.ts @@ -126,4 +126,16 @@ export class GetDomainStatisticsReportCommand extends $Command .f(void 0, void 0) .ser(se_GetDomainStatisticsReportCommand) .de(de_GetDomainStatisticsReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDomainStatisticsReportRequest; + output: GetDomainStatisticsReportResponse; + }; + sdk: { + input: GetDomainStatisticsReportCommandInput; + output: GetDomainStatisticsReportCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetEmailIdentityCommand.ts b/clients/client-sesv2/src/commands/GetEmailIdentityCommand.ts index e4c2456f3121..60a0e608924e 100644 --- a/clients/client-sesv2/src/commands/GetEmailIdentityCommand.ts +++ b/clients/client-sesv2/src/commands/GetEmailIdentityCommand.ts @@ -127,4 +127,16 @@ export class GetEmailIdentityCommand extends $Command .f(void 0, void 0) .ser(se_GetEmailIdentityCommand) .de(de_GetEmailIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEmailIdentityRequest; + output: GetEmailIdentityResponse; + }; + sdk: { + input: GetEmailIdentityCommandInput; + output: GetEmailIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetEmailIdentityPoliciesCommand.ts b/clients/client-sesv2/src/commands/GetEmailIdentityPoliciesCommand.ts index a53c9d92b686..e19271b6ca07 100644 --- a/clients/client-sesv2/src/commands/GetEmailIdentityPoliciesCommand.ts +++ b/clients/client-sesv2/src/commands/GetEmailIdentityPoliciesCommand.ts @@ -99,4 +99,16 @@ export class GetEmailIdentityPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetEmailIdentityPoliciesCommand) .de(de_GetEmailIdentityPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEmailIdentityPoliciesRequest; + output: GetEmailIdentityPoliciesResponse; + }; + sdk: { + input: GetEmailIdentityPoliciesCommandInput; + output: GetEmailIdentityPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/GetEmailTemplateCommand.ts index da8120ca99b8..01f93158e56f 100644 --- a/clients/client-sesv2/src/commands/GetEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/GetEmailTemplateCommand.ts @@ -93,4 +93,16 @@ export class GetEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetEmailTemplateCommand) .de(de_GetEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEmailTemplateRequest; + output: GetEmailTemplateResponse; + }; + sdk: { + input: GetEmailTemplateCommandInput; + output: GetEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetExportJobCommand.ts b/clients/client-sesv2/src/commands/GetExportJobCommand.ts index 5836d1a410ab..3380bb15af45 100644 --- a/clients/client-sesv2/src/commands/GetExportJobCommand.ts +++ b/clients/client-sesv2/src/commands/GetExportJobCommand.ts @@ -217,4 +217,16 @@ export class GetExportJobCommand extends $Command .f(void 0, GetExportJobResponseFilterSensitiveLog) .ser(se_GetExportJobCommand) .de(de_GetExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExportJobRequest; + output: GetExportJobResponse; + }; + sdk: { + input: GetExportJobCommandInput; + output: GetExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetImportJobCommand.ts b/clients/client-sesv2/src/commands/GetImportJobCommand.ts index b59543c9771b..e6cb7e79747e 100644 --- a/clients/client-sesv2/src/commands/GetImportJobCommand.ts +++ b/clients/client-sesv2/src/commands/GetImportJobCommand.ts @@ -108,4 +108,16 @@ export class GetImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetImportJobCommand) .de(de_GetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportJobRequest; + output: GetImportJobResponse; + }; + sdk: { + input: GetImportJobCommandInput; + output: GetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetMessageInsightsCommand.ts b/clients/client-sesv2/src/commands/GetMessageInsightsCommand.ts index a281b3434b45..2d82bdbee437 100644 --- a/clients/client-sesv2/src/commands/GetMessageInsightsCommand.ts +++ b/clients/client-sesv2/src/commands/GetMessageInsightsCommand.ts @@ -183,4 +183,16 @@ export class GetMessageInsightsCommand extends $Command .f(void 0, GetMessageInsightsResponseFilterSensitiveLog) .ser(se_GetMessageInsightsCommand) .de(de_GetMessageInsightsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMessageInsightsRequest; + output: GetMessageInsightsResponse; + }; + sdk: { + input: GetMessageInsightsCommandInput; + output: GetMessageInsightsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/GetSuppressedDestinationCommand.ts b/clients/client-sesv2/src/commands/GetSuppressedDestinationCommand.ts index ddab511bfcfe..5662b75ad8e5 100644 --- a/clients/client-sesv2/src/commands/GetSuppressedDestinationCommand.ts +++ b/clients/client-sesv2/src/commands/GetSuppressedDestinationCommand.ts @@ -95,4 +95,16 @@ export class GetSuppressedDestinationCommand extends $Command .f(void 0, void 0) .ser(se_GetSuppressedDestinationCommand) .de(de_GetSuppressedDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSuppressedDestinationRequest; + output: GetSuppressedDestinationResponse; + }; + sdk: { + input: GetSuppressedDestinationCommandInput; + output: GetSuppressedDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListConfigurationSetsCommand.ts b/clients/client-sesv2/src/commands/ListConfigurationSetsCommand.ts index 04c34d6dc63b..2ecdb5f782e6 100644 --- a/clients/client-sesv2/src/commands/ListConfigurationSetsCommand.ts +++ b/clients/client-sesv2/src/commands/ListConfigurationSetsCommand.ts @@ -93,4 +93,16 @@ export class ListConfigurationSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationSetsCommand) .de(de_ListConfigurationSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationSetsRequest; + output: ListConfigurationSetsResponse; + }; + sdk: { + input: ListConfigurationSetsCommandInput; + output: ListConfigurationSetsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListContactListsCommand.ts b/clients/client-sesv2/src/commands/ListContactListsCommand.ts index 33c6e2dc0538..7abea34bda17 100644 --- a/clients/client-sesv2/src/commands/ListContactListsCommand.ts +++ b/clients/client-sesv2/src/commands/ListContactListsCommand.ts @@ -90,4 +90,16 @@ export class ListContactListsCommand extends $Command .f(void 0, void 0) .ser(se_ListContactListsCommand) .de(de_ListContactListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactListsRequest; + output: ListContactListsResponse; + }; + sdk: { + input: ListContactListsCommandInput; + output: ListContactListsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListContactsCommand.ts b/clients/client-sesv2/src/commands/ListContactsCommand.ts index 3ddcb6b1d25f..6b943cfe83d9 100644 --- a/clients/client-sesv2/src/commands/ListContactsCommand.ts +++ b/clients/client-sesv2/src/commands/ListContactsCommand.ts @@ -114,4 +114,16 @@ export class ListContactsCommand extends $Command .f(void 0, void 0) .ser(se_ListContactsCommand) .de(de_ListContactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactsRequest; + output: ListContactsResponse; + }; + sdk: { + input: ListContactsCommandInput; + output: ListContactsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListCustomVerificationEmailTemplatesCommand.ts b/clients/client-sesv2/src/commands/ListCustomVerificationEmailTemplatesCommand.ts index 77f0fb8925af..02c336f8a87c 100644 --- a/clients/client-sesv2/src/commands/ListCustomVerificationEmailTemplatesCommand.ts +++ b/clients/client-sesv2/src/commands/ListCustomVerificationEmailTemplatesCommand.ts @@ -106,4 +106,16 @@ export class ListCustomVerificationEmailTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCustomVerificationEmailTemplatesCommand) .de(de_ListCustomVerificationEmailTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomVerificationEmailTemplatesRequest; + output: ListCustomVerificationEmailTemplatesResponse; + }; + sdk: { + input: ListCustomVerificationEmailTemplatesCommandInput; + output: ListCustomVerificationEmailTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListDedicatedIpPoolsCommand.ts b/clients/client-sesv2/src/commands/ListDedicatedIpPoolsCommand.ts index 5ec03966dcac..ff8764969330 100644 --- a/clients/client-sesv2/src/commands/ListDedicatedIpPoolsCommand.ts +++ b/clients/client-sesv2/src/commands/ListDedicatedIpPoolsCommand.ts @@ -88,4 +88,16 @@ export class ListDedicatedIpPoolsCommand extends $Command .f(void 0, void 0) .ser(se_ListDedicatedIpPoolsCommand) .de(de_ListDedicatedIpPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDedicatedIpPoolsRequest; + output: ListDedicatedIpPoolsResponse; + }; + sdk: { + input: ListDedicatedIpPoolsCommandInput; + output: ListDedicatedIpPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListDeliverabilityTestReportsCommand.ts b/clients/client-sesv2/src/commands/ListDeliverabilityTestReportsCommand.ts index ad17fac1b449..1d859e9c702c 100644 --- a/clients/client-sesv2/src/commands/ListDeliverabilityTestReportsCommand.ts +++ b/clients/client-sesv2/src/commands/ListDeliverabilityTestReportsCommand.ts @@ -104,4 +104,16 @@ export class ListDeliverabilityTestReportsCommand extends $Command .f(void 0, void 0) .ser(se_ListDeliverabilityTestReportsCommand) .de(de_ListDeliverabilityTestReportsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeliverabilityTestReportsRequest; + output: ListDeliverabilityTestReportsResponse; + }; + sdk: { + input: ListDeliverabilityTestReportsCommandInput; + output: ListDeliverabilityTestReportsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListDomainDeliverabilityCampaignsCommand.ts b/clients/client-sesv2/src/commands/ListDomainDeliverabilityCampaignsCommand.ts index 6a170a0f73cd..e6c355a2e3d2 100644 --- a/clients/client-sesv2/src/commands/ListDomainDeliverabilityCampaignsCommand.ts +++ b/clients/client-sesv2/src/commands/ListDomainDeliverabilityCampaignsCommand.ts @@ -122,4 +122,16 @@ export class ListDomainDeliverabilityCampaignsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainDeliverabilityCampaignsCommand) .de(de_ListDomainDeliverabilityCampaignsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainDeliverabilityCampaignsRequest; + output: ListDomainDeliverabilityCampaignsResponse; + }; + sdk: { + input: ListDomainDeliverabilityCampaignsCommandInput; + output: ListDomainDeliverabilityCampaignsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListEmailIdentitiesCommand.ts b/clients/client-sesv2/src/commands/ListEmailIdentitiesCommand.ts index 67f7e32658c0..84f809bf0d54 100644 --- a/clients/client-sesv2/src/commands/ListEmailIdentitiesCommand.ts +++ b/clients/client-sesv2/src/commands/ListEmailIdentitiesCommand.ts @@ -95,4 +95,16 @@ export class ListEmailIdentitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListEmailIdentitiesCommand) .de(de_ListEmailIdentitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEmailIdentitiesRequest; + output: ListEmailIdentitiesResponse; + }; + sdk: { + input: ListEmailIdentitiesCommandInput; + output: ListEmailIdentitiesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListEmailTemplatesCommand.ts b/clients/client-sesv2/src/commands/ListEmailTemplatesCommand.ts index 1d693ed379d2..f282b0c1f6a9 100644 --- a/clients/client-sesv2/src/commands/ListEmailTemplatesCommand.ts +++ b/clients/client-sesv2/src/commands/ListEmailTemplatesCommand.ts @@ -92,4 +92,16 @@ export class ListEmailTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListEmailTemplatesCommand) .de(de_ListEmailTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEmailTemplatesRequest; + output: ListEmailTemplatesResponse; + }; + sdk: { + input: ListEmailTemplatesCommandInput; + output: ListEmailTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListExportJobsCommand.ts b/clients/client-sesv2/src/commands/ListExportJobsCommand.ts index 0cf5ec7d8bfd..d0a70a6fa2f1 100644 --- a/clients/client-sesv2/src/commands/ListExportJobsCommand.ts +++ b/clients/client-sesv2/src/commands/ListExportJobsCommand.ts @@ -120,4 +120,16 @@ export class ListExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListExportJobsCommand) .de(de_ListExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExportJobsRequest; + output: ListExportJobsResponse; + }; + sdk: { + input: ListExportJobsCommandInput; + output: ListExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListImportJobsCommand.ts b/clients/client-sesv2/src/commands/ListImportJobsCommand.ts index 094a730e3cdd..e725a098dbd9 100644 --- a/clients/client-sesv2/src/commands/ListImportJobsCommand.ts +++ b/clients/client-sesv2/src/commands/ListImportJobsCommand.ts @@ -103,4 +103,16 @@ export class ListImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportJobsCommand) .de(de_ListImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportJobsRequest; + output: ListImportJobsResponse; + }; + sdk: { + input: ListImportJobsCommandInput; + output: ListImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListRecommendationsCommand.ts b/clients/client-sesv2/src/commands/ListRecommendationsCommand.ts index 2bc40d28782a..9698f8b809fd 100644 --- a/clients/client-sesv2/src/commands/ListRecommendationsCommand.ts +++ b/clients/client-sesv2/src/commands/ListRecommendationsCommand.ts @@ -102,4 +102,16 @@ export class ListRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationsCommand) .de(de_ListRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationsRequest; + output: ListRecommendationsResponse; + }; + sdk: { + input: ListRecommendationsCommandInput; + output: ListRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListSuppressedDestinationsCommand.ts b/clients/client-sesv2/src/commands/ListSuppressedDestinationsCommand.ts index f31541fb7beb..b25e689e4870 100644 --- a/clients/client-sesv2/src/commands/ListSuppressedDestinationsCommand.ts +++ b/clients/client-sesv2/src/commands/ListSuppressedDestinationsCommand.ts @@ -100,4 +100,16 @@ export class ListSuppressedDestinationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSuppressedDestinationsCommand) .de(de_ListSuppressedDestinationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSuppressedDestinationsRequest; + output: ListSuppressedDestinationsResponse; + }; + sdk: { + input: ListSuppressedDestinationsCommandInput; + output: ListSuppressedDestinationsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/ListTagsForResourceCommand.ts b/clients/client-sesv2/src/commands/ListTagsForResourceCommand.ts index 446eca2fdd47..d6f2968f1ef9 100644 --- a/clients/client-sesv2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-sesv2/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts b/clients/client-sesv2/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts index 372443c46a75..2e34d5f486bf 100644 --- a/clients/client-sesv2/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutAccountDedicatedIpWarmupAttributesCommand.ts @@ -90,4 +90,16 @@ export class PutAccountDedicatedIpWarmupAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountDedicatedIpWarmupAttributesCommand) .de(de_PutAccountDedicatedIpWarmupAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountDedicatedIpWarmupAttributesRequest; + output: {}; + }; + sdk: { + input: PutAccountDedicatedIpWarmupAttributesCommandInput; + output: PutAccountDedicatedIpWarmupAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutAccountDetailsCommand.ts b/clients/client-sesv2/src/commands/PutAccountDetailsCommand.ts index 8125cb2e7f1c..7215532e98ce 100644 --- a/clients/client-sesv2/src/commands/PutAccountDetailsCommand.ts +++ b/clients/client-sesv2/src/commands/PutAccountDetailsCommand.ts @@ -95,4 +95,16 @@ export class PutAccountDetailsCommand extends $Command .f(PutAccountDetailsRequestFilterSensitiveLog, void 0) .ser(se_PutAccountDetailsCommand) .de(de_PutAccountDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountDetailsRequest; + output: {}; + }; + sdk: { + input: PutAccountDetailsCommandInput; + output: PutAccountDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutAccountSendingAttributesCommand.ts b/clients/client-sesv2/src/commands/PutAccountSendingAttributesCommand.ts index e20bbfe8f69f..a13b4012fd82 100644 --- a/clients/client-sesv2/src/commands/PutAccountSendingAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutAccountSendingAttributesCommand.ts @@ -86,4 +86,16 @@ export class PutAccountSendingAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountSendingAttributesCommand) .de(de_PutAccountSendingAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountSendingAttributesRequest; + output: {}; + }; + sdk: { + input: PutAccountSendingAttributesCommandInput; + output: PutAccountSendingAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutAccountSuppressionAttributesCommand.ts b/clients/client-sesv2/src/commands/PutAccountSuppressionAttributesCommand.ts index b19311153f85..3edf51036904 100644 --- a/clients/client-sesv2/src/commands/PutAccountSuppressionAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutAccountSuppressionAttributesCommand.ts @@ -88,4 +88,16 @@ export class PutAccountSuppressionAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountSuppressionAttributesCommand) .de(de_PutAccountSuppressionAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountSuppressionAttributesRequest; + output: {}; + }; + sdk: { + input: PutAccountSuppressionAttributesCommandInput; + output: PutAccountSuppressionAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutAccountVdmAttributesCommand.ts b/clients/client-sesv2/src/commands/PutAccountVdmAttributesCommand.ts index 29173b2e60ad..4813a3d49d38 100644 --- a/clients/client-sesv2/src/commands/PutAccountVdmAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutAccountVdmAttributesCommand.ts @@ -90,4 +90,16 @@ export class PutAccountVdmAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountVdmAttributesCommand) .de(de_PutAccountVdmAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountVdmAttributesRequest; + output: {}; + }; + sdk: { + input: PutAccountVdmAttributesCommandInput; + output: PutAccountVdmAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts b/clients/client-sesv2/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts index 4886616e3e17..cc370f4d9c16 100644 --- a/clients/client-sesv2/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts +++ b/clients/client-sesv2/src/commands/PutConfigurationSetDeliveryOptionsCommand.ts @@ -95,4 +95,16 @@ export class PutConfigurationSetDeliveryOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetDeliveryOptionsCommand) .de(de_PutConfigurationSetDeliveryOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetDeliveryOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetDeliveryOptionsCommandInput; + output: PutConfigurationSetDeliveryOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutConfigurationSetReputationOptionsCommand.ts b/clients/client-sesv2/src/commands/PutConfigurationSetReputationOptionsCommand.ts index 6cfe672ad387..2909ff99b20e 100644 --- a/clients/client-sesv2/src/commands/PutConfigurationSetReputationOptionsCommand.ts +++ b/clients/client-sesv2/src/commands/PutConfigurationSetReputationOptionsCommand.ts @@ -94,4 +94,16 @@ export class PutConfigurationSetReputationOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetReputationOptionsCommand) .de(de_PutConfigurationSetReputationOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetReputationOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetReputationOptionsCommandInput; + output: PutConfigurationSetReputationOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutConfigurationSetSendingOptionsCommand.ts b/clients/client-sesv2/src/commands/PutConfigurationSetSendingOptionsCommand.ts index a5789b732646..0a16dab18bc0 100644 --- a/clients/client-sesv2/src/commands/PutConfigurationSetSendingOptionsCommand.ts +++ b/clients/client-sesv2/src/commands/PutConfigurationSetSendingOptionsCommand.ts @@ -94,4 +94,16 @@ export class PutConfigurationSetSendingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetSendingOptionsCommand) .de(de_PutConfigurationSetSendingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetSendingOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetSendingOptionsCommandInput; + output: PutConfigurationSetSendingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutConfigurationSetSuppressionOptionsCommand.ts b/clients/client-sesv2/src/commands/PutConfigurationSetSuppressionOptionsCommand.ts index 4a649d5de269..82787ea94731 100644 --- a/clients/client-sesv2/src/commands/PutConfigurationSetSuppressionOptionsCommand.ts +++ b/clients/client-sesv2/src/commands/PutConfigurationSetSuppressionOptionsCommand.ts @@ -96,4 +96,16 @@ export class PutConfigurationSetSuppressionOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetSuppressionOptionsCommand) .de(de_PutConfigurationSetSuppressionOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetSuppressionOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetSuppressionOptionsCommandInput; + output: PutConfigurationSetSuppressionOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutConfigurationSetTrackingOptionsCommand.ts b/clients/client-sesv2/src/commands/PutConfigurationSetTrackingOptionsCommand.ts index 0c541d1c2a2d..4382234f9384 100644 --- a/clients/client-sesv2/src/commands/PutConfigurationSetTrackingOptionsCommand.ts +++ b/clients/client-sesv2/src/commands/PutConfigurationSetTrackingOptionsCommand.ts @@ -94,4 +94,16 @@ export class PutConfigurationSetTrackingOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetTrackingOptionsCommand) .de(de_PutConfigurationSetTrackingOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetTrackingOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetTrackingOptionsCommandInput; + output: PutConfigurationSetTrackingOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutConfigurationSetVdmOptionsCommand.ts b/clients/client-sesv2/src/commands/PutConfigurationSetVdmOptionsCommand.ts index c10bbef1c6e5..46ffa2e1b6af 100644 --- a/clients/client-sesv2/src/commands/PutConfigurationSetVdmOptionsCommand.ts +++ b/clients/client-sesv2/src/commands/PutConfigurationSetVdmOptionsCommand.ts @@ -98,4 +98,16 @@ export class PutConfigurationSetVdmOptionsCommand extends $Command .f(void 0, void 0) .ser(se_PutConfigurationSetVdmOptionsCommand) .de(de_PutConfigurationSetVdmOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutConfigurationSetVdmOptionsRequest; + output: {}; + }; + sdk: { + input: PutConfigurationSetVdmOptionsCommandInput; + output: PutConfigurationSetVdmOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutDedicatedIpInPoolCommand.ts b/clients/client-sesv2/src/commands/PutDedicatedIpInPoolCommand.ts index a81ee3689644..354ec2827228 100644 --- a/clients/client-sesv2/src/commands/PutDedicatedIpInPoolCommand.ts +++ b/clients/client-sesv2/src/commands/PutDedicatedIpInPoolCommand.ts @@ -93,4 +93,16 @@ export class PutDedicatedIpInPoolCommand extends $Command .f(void 0, void 0) .ser(se_PutDedicatedIpInPoolCommand) .de(de_PutDedicatedIpInPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDedicatedIpInPoolRequest; + output: {}; + }; + sdk: { + input: PutDedicatedIpInPoolCommandInput; + output: PutDedicatedIpInPoolCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutDedicatedIpPoolScalingAttributesCommand.ts b/clients/client-sesv2/src/commands/PutDedicatedIpPoolScalingAttributesCommand.ts index f5fb67058b1e..f967bbfaf72a 100644 --- a/clients/client-sesv2/src/commands/PutDedicatedIpPoolScalingAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutDedicatedIpPoolScalingAttributesCommand.ts @@ -112,4 +112,16 @@ export class PutDedicatedIpPoolScalingAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutDedicatedIpPoolScalingAttributesCommand) .de(de_PutDedicatedIpPoolScalingAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDedicatedIpPoolScalingAttributesRequest; + output: {}; + }; + sdk: { + input: PutDedicatedIpPoolScalingAttributesCommandInput; + output: PutDedicatedIpPoolScalingAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutDedicatedIpWarmupAttributesCommand.ts b/clients/client-sesv2/src/commands/PutDedicatedIpWarmupAttributesCommand.ts index 4d4420374f84..e6c80bdb8a47 100644 --- a/clients/client-sesv2/src/commands/PutDedicatedIpWarmupAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutDedicatedIpWarmupAttributesCommand.ts @@ -90,4 +90,16 @@ export class PutDedicatedIpWarmupAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutDedicatedIpWarmupAttributesCommand) .de(de_PutDedicatedIpWarmupAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDedicatedIpWarmupAttributesRequest; + output: {}; + }; + sdk: { + input: PutDedicatedIpWarmupAttributesCommandInput; + output: PutDedicatedIpWarmupAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutDeliverabilityDashboardOptionCommand.ts b/clients/client-sesv2/src/commands/PutDeliverabilityDashboardOptionCommand.ts index 32b712198bc1..460b2ef8a864 100644 --- a/clients/client-sesv2/src/commands/PutDeliverabilityDashboardOptionCommand.ts +++ b/clients/client-sesv2/src/commands/PutDeliverabilityDashboardOptionCommand.ts @@ -112,4 +112,16 @@ export class PutDeliverabilityDashboardOptionCommand extends $Command .f(void 0, void 0) .ser(se_PutDeliverabilityDashboardOptionCommand) .de(de_PutDeliverabilityDashboardOptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDeliverabilityDashboardOptionRequest; + output: {}; + }; + sdk: { + input: PutDeliverabilityDashboardOptionCommandInput; + output: PutDeliverabilityDashboardOptionCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutEmailIdentityConfigurationSetAttributesCommand.ts b/clients/client-sesv2/src/commands/PutEmailIdentityConfigurationSetAttributesCommand.ts index 0d1bc4b9e03e..2e02661200cb 100644 --- a/clients/client-sesv2/src/commands/PutEmailIdentityConfigurationSetAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutEmailIdentityConfigurationSetAttributesCommand.ts @@ -94,4 +94,16 @@ export class PutEmailIdentityConfigurationSetAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailIdentityConfigurationSetAttributesCommand) .de(de_PutEmailIdentityConfigurationSetAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityConfigurationSetAttributesRequest; + output: {}; + }; + sdk: { + input: PutEmailIdentityConfigurationSetAttributesCommandInput; + output: PutEmailIdentityConfigurationSetAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutEmailIdentityDkimAttributesCommand.ts b/clients/client-sesv2/src/commands/PutEmailIdentityDkimAttributesCommand.ts index 51e0443401f7..2c8adc802002 100644 --- a/clients/client-sesv2/src/commands/PutEmailIdentityDkimAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutEmailIdentityDkimAttributesCommand.ts @@ -90,4 +90,16 @@ export class PutEmailIdentityDkimAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailIdentityDkimAttributesCommand) .de(de_PutEmailIdentityDkimAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityDkimAttributesRequest; + output: {}; + }; + sdk: { + input: PutEmailIdentityDkimAttributesCommandInput; + output: PutEmailIdentityDkimAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutEmailIdentityDkimSigningAttributesCommand.ts b/clients/client-sesv2/src/commands/PutEmailIdentityDkimSigningAttributesCommand.ts index 6e226e262f7c..d971c90a4cdf 100644 --- a/clients/client-sesv2/src/commands/PutEmailIdentityDkimSigningAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutEmailIdentityDkimSigningAttributesCommand.ts @@ -127,4 +127,16 @@ export class PutEmailIdentityDkimSigningAttributesCommand extends $Command .f(PutEmailIdentityDkimSigningAttributesRequestFilterSensitiveLog, void 0) .ser(se_PutEmailIdentityDkimSigningAttributesCommand) .de(de_PutEmailIdentityDkimSigningAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityDkimSigningAttributesRequest; + output: PutEmailIdentityDkimSigningAttributesResponse; + }; + sdk: { + input: PutEmailIdentityDkimSigningAttributesCommandInput; + output: PutEmailIdentityDkimSigningAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts b/clients/client-sesv2/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts index 872cf2acf758..15231d967e0d 100644 --- a/clients/client-sesv2/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutEmailIdentityFeedbackAttributesCommand.ts @@ -102,4 +102,16 @@ export class PutEmailIdentityFeedbackAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailIdentityFeedbackAttributesCommand) .de(de_PutEmailIdentityFeedbackAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityFeedbackAttributesRequest; + output: {}; + }; + sdk: { + input: PutEmailIdentityFeedbackAttributesCommandInput; + output: PutEmailIdentityFeedbackAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutEmailIdentityMailFromAttributesCommand.ts b/clients/client-sesv2/src/commands/PutEmailIdentityMailFromAttributesCommand.ts index 5ce6b3e57089..f62ccfdebae7 100644 --- a/clients/client-sesv2/src/commands/PutEmailIdentityMailFromAttributesCommand.ts +++ b/clients/client-sesv2/src/commands/PutEmailIdentityMailFromAttributesCommand.ts @@ -95,4 +95,16 @@ export class PutEmailIdentityMailFromAttributesCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailIdentityMailFromAttributesCommand) .de(de_PutEmailIdentityMailFromAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailIdentityMailFromAttributesRequest; + output: {}; + }; + sdk: { + input: PutEmailIdentityMailFromAttributesCommandInput; + output: PutEmailIdentityMailFromAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/PutSuppressedDestinationCommand.ts b/clients/client-sesv2/src/commands/PutSuppressedDestinationCommand.ts index d8d2c836044a..e86b3fbf7fee 100644 --- a/clients/client-sesv2/src/commands/PutSuppressedDestinationCommand.ts +++ b/clients/client-sesv2/src/commands/PutSuppressedDestinationCommand.ts @@ -82,4 +82,16 @@ export class PutSuppressedDestinationCommand extends $Command .f(void 0, void 0) .ser(se_PutSuppressedDestinationCommand) .de(de_PutSuppressedDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSuppressedDestinationRequest; + output: {}; + }; + sdk: { + input: PutSuppressedDestinationCommandInput; + output: PutSuppressedDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/SendBulkEmailCommand.ts b/clients/client-sesv2/src/commands/SendBulkEmailCommand.ts index 1157a380427d..9c445f3101fa 100644 --- a/clients/client-sesv2/src/commands/SendBulkEmailCommand.ts +++ b/clients/client-sesv2/src/commands/SendBulkEmailCommand.ts @@ -167,4 +167,16 @@ export class SendBulkEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendBulkEmailCommand) .de(de_SendBulkEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendBulkEmailRequest; + output: SendBulkEmailResponse; + }; + sdk: { + input: SendBulkEmailCommandInput; + output: SendBulkEmailCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/SendCustomVerificationEmailCommand.ts b/clients/client-sesv2/src/commands/SendCustomVerificationEmailCommand.ts index 3b9f29ce1a03..dec304802988 100644 --- a/clients/client-sesv2/src/commands/SendCustomVerificationEmailCommand.ts +++ b/clients/client-sesv2/src/commands/SendCustomVerificationEmailCommand.ts @@ -114,4 +114,16 @@ export class SendCustomVerificationEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendCustomVerificationEmailCommand) .de(de_SendCustomVerificationEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendCustomVerificationEmailRequest; + output: SendCustomVerificationEmailResponse; + }; + sdk: { + input: SendCustomVerificationEmailCommandInput; + output: SendCustomVerificationEmailCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/SendEmailCommand.ts b/clients/client-sesv2/src/commands/SendEmailCommand.ts index d312566da444..99aee4d3aca8 100644 --- a/clients/client-sesv2/src/commands/SendEmailCommand.ts +++ b/clients/client-sesv2/src/commands/SendEmailCommand.ts @@ -192,4 +192,16 @@ export class SendEmailCommand extends $Command .f(void 0, void 0) .ser(se_SendEmailCommand) .de(de_SendEmailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendEmailRequest; + output: SendEmailResponse; + }; + sdk: { + input: SendEmailCommandInput; + output: SendEmailCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/TagResourceCommand.ts b/clients/client-sesv2/src/commands/TagResourceCommand.ts index 1b44a7285d7c..1947308790e0 100644 --- a/clients/client-sesv2/src/commands/TagResourceCommand.ts +++ b/clients/client-sesv2/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/TestRenderEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/TestRenderEmailTemplateCommand.ts index c53511ff7822..2e92c48eeaa2 100644 --- a/clients/client-sesv2/src/commands/TestRenderEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/TestRenderEmailTemplateCommand.ts @@ -89,4 +89,16 @@ export class TestRenderEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_TestRenderEmailTemplateCommand) .de(de_TestRenderEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestRenderEmailTemplateRequest; + output: TestRenderEmailTemplateResponse; + }; + sdk: { + input: TestRenderEmailTemplateCommandInput; + output: TestRenderEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/UntagResourceCommand.ts b/clients/client-sesv2/src/commands/UntagResourceCommand.ts index 76a22e25704c..b9640389cfb2 100644 --- a/clients/client-sesv2/src/commands/UntagResourceCommand.ts +++ b/clients/client-sesv2/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/UpdateConfigurationSetEventDestinationCommand.ts b/clients/client-sesv2/src/commands/UpdateConfigurationSetEventDestinationCommand.ts index f2d50bea8438..728bee469690 100644 --- a/clients/client-sesv2/src/commands/UpdateConfigurationSetEventDestinationCommand.ts +++ b/clients/client-sesv2/src/commands/UpdateConfigurationSetEventDestinationCommand.ts @@ -127,4 +127,16 @@ export class UpdateConfigurationSetEventDestinationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationSetEventDestinationCommand) .de(de_UpdateConfigurationSetEventDestinationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationSetEventDestinationRequest; + output: {}; + }; + sdk: { + input: UpdateConfigurationSetEventDestinationCommandInput; + output: UpdateConfigurationSetEventDestinationCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/UpdateContactCommand.ts b/clients/client-sesv2/src/commands/UpdateContactCommand.ts index 450fadee67c4..efe03babf35c 100644 --- a/clients/client-sesv2/src/commands/UpdateContactCommand.ts +++ b/clients/client-sesv2/src/commands/UpdateContactCommand.ts @@ -101,4 +101,16 @@ export class UpdateContactCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactCommand) .de(de_UpdateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactRequest; + output: {}; + }; + sdk: { + input: UpdateContactCommandInput; + output: UpdateContactCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/UpdateContactListCommand.ts b/clients/client-sesv2/src/commands/UpdateContactListCommand.ts index 0442b628ac44..2b526dee96c8 100644 --- a/clients/client-sesv2/src/commands/UpdateContactListCommand.ts +++ b/clients/client-sesv2/src/commands/UpdateContactListCommand.ts @@ -96,4 +96,16 @@ export class UpdateContactListCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactListCommand) .de(de_UpdateContactListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactListRequest; + output: {}; + }; + sdk: { + input: UpdateContactListCommandInput; + output: UpdateContactListCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts index 655e4f59c282..86de053be5cb 100644 --- a/clients/client-sesv2/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/UpdateCustomVerificationEmailTemplateCommand.ts @@ -102,4 +102,16 @@ export class UpdateCustomVerificationEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCustomVerificationEmailTemplateCommand) .de(de_UpdateCustomVerificationEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCustomVerificationEmailTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateCustomVerificationEmailTemplateCommandInput; + output: UpdateCustomVerificationEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/UpdateEmailIdentityPolicyCommand.ts b/clients/client-sesv2/src/commands/UpdateEmailIdentityPolicyCommand.ts index ca36e65d1de5..0db10e635f76 100644 --- a/clients/client-sesv2/src/commands/UpdateEmailIdentityPolicyCommand.ts +++ b/clients/client-sesv2/src/commands/UpdateEmailIdentityPolicyCommand.ts @@ -97,4 +97,16 @@ export class UpdateEmailIdentityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEmailIdentityPolicyCommand) .de(de_UpdateEmailIdentityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEmailIdentityPolicyRequest; + output: {}; + }; + sdk: { + input: UpdateEmailIdentityPolicyCommandInput; + output: UpdateEmailIdentityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sesv2/src/commands/UpdateEmailTemplateCommand.ts b/clients/client-sesv2/src/commands/UpdateEmailTemplateCommand.ts index d4f30269162d..4bbfa57035bf 100644 --- a/clients/client-sesv2/src/commands/UpdateEmailTemplateCommand.ts +++ b/clients/client-sesv2/src/commands/UpdateEmailTemplateCommand.ts @@ -92,4 +92,16 @@ export class UpdateEmailTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEmailTemplateCommand) .de(de_UpdateEmailTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEmailTemplateRequest; + output: {}; + }; + sdk: { + input: UpdateEmailTemplateCommandInput; + output: UpdateEmailTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/package.json b/clients/client-sfn/package.json index 35d96e3f2f34..4350f2b803db 100644 --- a/clients/client-sfn/package.json +++ b/clients/client-sfn/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-sfn/src/commands/CreateActivityCommand.ts b/clients/client-sfn/src/commands/CreateActivityCommand.ts index bc21a47693f8..e202b9458fe1 100644 --- a/clients/client-sfn/src/commands/CreateActivityCommand.ts +++ b/clients/client-sfn/src/commands/CreateActivityCommand.ts @@ -128,4 +128,16 @@ export class CreateActivityCommand extends $Command .f(void 0, void 0) .ser(se_CreateActivityCommand) .de(de_CreateActivityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateActivityInput; + output: CreateActivityOutput; + }; + sdk: { + input: CreateActivityCommandInput; + output: CreateActivityCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/CreateStateMachineAliasCommand.ts b/clients/client-sfn/src/commands/CreateStateMachineAliasCommand.ts index 2ea826c17cdc..40e59ad10b0f 100644 --- a/clients/client-sfn/src/commands/CreateStateMachineAliasCommand.ts +++ b/clients/client-sfn/src/commands/CreateStateMachineAliasCommand.ts @@ -152,4 +152,16 @@ export class CreateStateMachineAliasCommand extends $Command .f(CreateStateMachineAliasInputFilterSensitiveLog, void 0) .ser(se_CreateStateMachineAliasCommand) .de(de_CreateStateMachineAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStateMachineAliasInput; + output: CreateStateMachineAliasOutput; + }; + sdk: { + input: CreateStateMachineAliasCommandInput; + output: CreateStateMachineAliasCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/CreateStateMachineCommand.ts b/clients/client-sfn/src/commands/CreateStateMachineCommand.ts index 0c9978f7d163..d9d67fbd9bea 100644 --- a/clients/client-sfn/src/commands/CreateStateMachineCommand.ts +++ b/clients/client-sfn/src/commands/CreateStateMachineCommand.ts @@ -187,4 +187,16 @@ export class CreateStateMachineCommand extends $Command .f(CreateStateMachineInputFilterSensitiveLog, void 0) .ser(se_CreateStateMachineCommand) .de(de_CreateStateMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStateMachineInput; + output: CreateStateMachineOutput; + }; + sdk: { + input: CreateStateMachineCommandInput; + output: CreateStateMachineCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DeleteActivityCommand.ts b/clients/client-sfn/src/commands/DeleteActivityCommand.ts index fb703cd6da1e..3663014e056c 100644 --- a/clients/client-sfn/src/commands/DeleteActivityCommand.ts +++ b/clients/client-sfn/src/commands/DeleteActivityCommand.ts @@ -78,4 +78,16 @@ export class DeleteActivityCommand extends $Command .f(void 0, void 0) .ser(se_DeleteActivityCommand) .de(de_DeleteActivityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteActivityInput; + output: {}; + }; + sdk: { + input: DeleteActivityCommandInput; + output: DeleteActivityCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DeleteStateMachineAliasCommand.ts b/clients/client-sfn/src/commands/DeleteStateMachineAliasCommand.ts index 23cd8116497d..0b7f59a5432e 100644 --- a/clients/client-sfn/src/commands/DeleteStateMachineAliasCommand.ts +++ b/clients/client-sfn/src/commands/DeleteStateMachineAliasCommand.ts @@ -116,4 +116,16 @@ export class DeleteStateMachineAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStateMachineAliasCommand) .de(de_DeleteStateMachineAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStateMachineAliasInput; + output: {}; + }; + sdk: { + input: DeleteStateMachineAliasCommandInput; + output: DeleteStateMachineAliasCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DeleteStateMachineCommand.ts b/clients/client-sfn/src/commands/DeleteStateMachineCommand.ts index acaf5154e29d..1d9b4182d25b 100644 --- a/clients/client-sfn/src/commands/DeleteStateMachineCommand.ts +++ b/clients/client-sfn/src/commands/DeleteStateMachineCommand.ts @@ -107,4 +107,16 @@ export class DeleteStateMachineCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStateMachineCommand) .de(de_DeleteStateMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStateMachineInput; + output: {}; + }; + sdk: { + input: DeleteStateMachineCommandInput; + output: DeleteStateMachineCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DeleteStateMachineVersionCommand.ts b/clients/client-sfn/src/commands/DeleteStateMachineVersionCommand.ts index f16b48dc01a2..1185fc757ac7 100644 --- a/clients/client-sfn/src/commands/DeleteStateMachineVersionCommand.ts +++ b/clients/client-sfn/src/commands/DeleteStateMachineVersionCommand.ts @@ -108,4 +108,16 @@ export class DeleteStateMachineVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteStateMachineVersionCommand) .de(de_DeleteStateMachineVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteStateMachineVersionInput; + output: {}; + }; + sdk: { + input: DeleteStateMachineVersionCommandInput; + output: DeleteStateMachineVersionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DescribeActivityCommand.ts b/clients/client-sfn/src/commands/DescribeActivityCommand.ts index 3a1ce8bc3580..928c2f610035 100644 --- a/clients/client-sfn/src/commands/DescribeActivityCommand.ts +++ b/clients/client-sfn/src/commands/DescribeActivityCommand.ts @@ -93,4 +93,16 @@ export class DescribeActivityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeActivityCommand) .de(de_DescribeActivityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeActivityInput; + output: DescribeActivityOutput; + }; + sdk: { + input: DescribeActivityCommandInput; + output: DescribeActivityCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DescribeExecutionCommand.ts b/clients/client-sfn/src/commands/DescribeExecutionCommand.ts index 066e276886ba..b0beb8cfdb60 100644 --- a/clients/client-sfn/src/commands/DescribeExecutionCommand.ts +++ b/clients/client-sfn/src/commands/DescribeExecutionCommand.ts @@ -126,4 +126,16 @@ export class DescribeExecutionCommand extends $Command .f(void 0, DescribeExecutionOutputFilterSensitiveLog) .ser(se_DescribeExecutionCommand) .de(de_DescribeExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExecutionInput; + output: DescribeExecutionOutput; + }; + sdk: { + input: DescribeExecutionCommandInput; + output: DescribeExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DescribeMapRunCommand.ts b/clients/client-sfn/src/commands/DescribeMapRunCommand.ts index 704b51ef8cb2..131149ad8628 100644 --- a/clients/client-sfn/src/commands/DescribeMapRunCommand.ts +++ b/clients/client-sfn/src/commands/DescribeMapRunCommand.ts @@ -116,4 +116,16 @@ export class DescribeMapRunCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMapRunCommand) .de(de_DescribeMapRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMapRunInput; + output: DescribeMapRunOutput; + }; + sdk: { + input: DescribeMapRunCommandInput; + output: DescribeMapRunCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DescribeStateMachineAliasCommand.ts b/clients/client-sfn/src/commands/DescribeStateMachineAliasCommand.ts index 73f5d2d468be..5d02be62887b 100644 --- a/clients/client-sfn/src/commands/DescribeStateMachineAliasCommand.ts +++ b/clients/client-sfn/src/commands/DescribeStateMachineAliasCommand.ts @@ -125,4 +125,16 @@ export class DescribeStateMachineAliasCommand extends $Command .f(void 0, DescribeStateMachineAliasOutputFilterSensitiveLog) .ser(se_DescribeStateMachineAliasCommand) .de(de_DescribeStateMachineAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStateMachineAliasInput; + output: DescribeStateMachineAliasOutput; + }; + sdk: { + input: DescribeStateMachineAliasCommandInput; + output: DescribeStateMachineAliasCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DescribeStateMachineCommand.ts b/clients/client-sfn/src/commands/DescribeStateMachineCommand.ts index cc680613e8e6..d57a60dda409 100644 --- a/clients/client-sfn/src/commands/DescribeStateMachineCommand.ts +++ b/clients/client-sfn/src/commands/DescribeStateMachineCommand.ts @@ -158,4 +158,16 @@ export class DescribeStateMachineCommand extends $Command .f(void 0, DescribeStateMachineOutputFilterSensitiveLog) .ser(se_DescribeStateMachineCommand) .de(de_DescribeStateMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStateMachineInput; + output: DescribeStateMachineOutput; + }; + sdk: { + input: DescribeStateMachineCommandInput; + output: DescribeStateMachineCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/DescribeStateMachineForExecutionCommand.ts b/clients/client-sfn/src/commands/DescribeStateMachineForExecutionCommand.ts index 0192a31214b1..0069040651ac 100644 --- a/clients/client-sfn/src/commands/DescribeStateMachineForExecutionCommand.ts +++ b/clients/client-sfn/src/commands/DescribeStateMachineForExecutionCommand.ts @@ -135,4 +135,16 @@ export class DescribeStateMachineForExecutionCommand extends $Command .f(void 0, DescribeStateMachineForExecutionOutputFilterSensitiveLog) .ser(se_DescribeStateMachineForExecutionCommand) .de(de_DescribeStateMachineForExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStateMachineForExecutionInput; + output: DescribeStateMachineForExecutionOutput; + }; + sdk: { + input: DescribeStateMachineForExecutionCommandInput; + output: DescribeStateMachineForExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/GetActivityTaskCommand.ts b/clients/client-sfn/src/commands/GetActivityTaskCommand.ts index e98adc182938..e8e5fe7e3a4b 100644 --- a/clients/client-sfn/src/commands/GetActivityTaskCommand.ts +++ b/clients/client-sfn/src/commands/GetActivityTaskCommand.ts @@ -117,4 +117,16 @@ export class GetActivityTaskCommand extends $Command .f(void 0, GetActivityTaskOutputFilterSensitiveLog) .ser(se_GetActivityTaskCommand) .de(de_GetActivityTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetActivityTaskInput; + output: GetActivityTaskOutput; + }; + sdk: { + input: GetActivityTaskCommandInput; + output: GetActivityTaskCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/GetExecutionHistoryCommand.ts b/clients/client-sfn/src/commands/GetExecutionHistoryCommand.ts index 45e9a3533e32..f1661d2512b9 100644 --- a/clients/client-sfn/src/commands/GetExecutionHistoryCommand.ts +++ b/clients/client-sfn/src/commands/GetExecutionHistoryCommand.ts @@ -298,4 +298,16 @@ export class GetExecutionHistoryCommand extends $Command .f(void 0, GetExecutionHistoryOutputFilterSensitiveLog) .ser(se_GetExecutionHistoryCommand) .de(de_GetExecutionHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExecutionHistoryInput; + output: GetExecutionHistoryOutput; + }; + sdk: { + input: GetExecutionHistoryCommandInput; + output: GetExecutionHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ListActivitiesCommand.ts b/clients/client-sfn/src/commands/ListActivitiesCommand.ts index a295c80cd630..10bfa7d1897e 100644 --- a/clients/client-sfn/src/commands/ListActivitiesCommand.ts +++ b/clients/client-sfn/src/commands/ListActivitiesCommand.ts @@ -93,4 +93,16 @@ export class ListActivitiesCommand extends $Command .f(void 0, void 0) .ser(se_ListActivitiesCommand) .de(de_ListActivitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActivitiesInput; + output: ListActivitiesOutput; + }; + sdk: { + input: ListActivitiesCommandInput; + output: ListActivitiesCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ListExecutionsCommand.ts b/clients/client-sfn/src/commands/ListExecutionsCommand.ts index 23b7809b382e..24315ca68c85 100644 --- a/clients/client-sfn/src/commands/ListExecutionsCommand.ts +++ b/clients/client-sfn/src/commands/ListExecutionsCommand.ts @@ -125,4 +125,16 @@ export class ListExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListExecutionsCommand) .de(de_ListExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExecutionsInput; + output: ListExecutionsOutput; + }; + sdk: { + input: ListExecutionsCommandInput; + output: ListExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ListMapRunsCommand.ts b/clients/client-sfn/src/commands/ListMapRunsCommand.ts index f7e8100f8393..78a50a90b74b 100644 --- a/clients/client-sfn/src/commands/ListMapRunsCommand.ts +++ b/clients/client-sfn/src/commands/ListMapRunsCommand.ts @@ -97,4 +97,16 @@ export class ListMapRunsCommand extends $Command .f(void 0, void 0) .ser(se_ListMapRunsCommand) .de(de_ListMapRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMapRunsInput; + output: ListMapRunsOutput; + }; + sdk: { + input: ListMapRunsCommandInput; + output: ListMapRunsCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ListStateMachineAliasesCommand.ts b/clients/client-sfn/src/commands/ListStateMachineAliasesCommand.ts index 14eb7c80f3a9..30fb148846d3 100644 --- a/clients/client-sfn/src/commands/ListStateMachineAliasesCommand.ts +++ b/clients/client-sfn/src/commands/ListStateMachineAliasesCommand.ts @@ -128,4 +128,16 @@ export class ListStateMachineAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListStateMachineAliasesCommand) .de(de_ListStateMachineAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStateMachineAliasesInput; + output: ListStateMachineAliasesOutput; + }; + sdk: { + input: ListStateMachineAliasesCommandInput; + output: ListStateMachineAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ListStateMachineVersionsCommand.ts b/clients/client-sfn/src/commands/ListStateMachineVersionsCommand.ts index 539596b1796e..a7fcc7547638 100644 --- a/clients/client-sfn/src/commands/ListStateMachineVersionsCommand.ts +++ b/clients/client-sfn/src/commands/ListStateMachineVersionsCommand.ts @@ -112,4 +112,16 @@ export class ListStateMachineVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListStateMachineVersionsCommand) .de(de_ListStateMachineVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStateMachineVersionsInput; + output: ListStateMachineVersionsOutput; + }; + sdk: { + input: ListStateMachineVersionsCommandInput; + output: ListStateMachineVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ListStateMachinesCommand.ts b/clients/client-sfn/src/commands/ListStateMachinesCommand.ts index f2de8c19f4cc..788beda44d88 100644 --- a/clients/client-sfn/src/commands/ListStateMachinesCommand.ts +++ b/clients/client-sfn/src/commands/ListStateMachinesCommand.ts @@ -94,4 +94,16 @@ export class ListStateMachinesCommand extends $Command .f(void 0, void 0) .ser(se_ListStateMachinesCommand) .de(de_ListStateMachinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListStateMachinesInput; + output: ListStateMachinesOutput; + }; + sdk: { + input: ListStateMachinesCommandInput; + output: ListStateMachinesCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ListTagsForResourceCommand.ts b/clients/client-sfn/src/commands/ListTagsForResourceCommand.ts index ec7c3d240bff..934a6577799c 100644 --- a/clients/client-sfn/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-sfn/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/PublishStateMachineVersionCommand.ts b/clients/client-sfn/src/commands/PublishStateMachineVersionCommand.ts index ed61f115adc8..25ae692cd89d 100644 --- a/clients/client-sfn/src/commands/PublishStateMachineVersionCommand.ts +++ b/clients/client-sfn/src/commands/PublishStateMachineVersionCommand.ts @@ -130,4 +130,16 @@ export class PublishStateMachineVersionCommand extends $Command .f(PublishStateMachineVersionInputFilterSensitiveLog, void 0) .ser(se_PublishStateMachineVersionCommand) .de(de_PublishStateMachineVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishStateMachineVersionInput; + output: PublishStateMachineVersionOutput; + }; + sdk: { + input: PublishStateMachineVersionCommandInput; + output: PublishStateMachineVersionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/RedriveExecutionCommand.ts b/clients/client-sfn/src/commands/RedriveExecutionCommand.ts index 4749dcacd031..a39fdc37cc0b 100644 --- a/clients/client-sfn/src/commands/RedriveExecutionCommand.ts +++ b/clients/client-sfn/src/commands/RedriveExecutionCommand.ts @@ -115,4 +115,16 @@ export class RedriveExecutionCommand extends $Command .f(void 0, void 0) .ser(se_RedriveExecutionCommand) .de(de_RedriveExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RedriveExecutionInput; + output: RedriveExecutionOutput; + }; + sdk: { + input: RedriveExecutionCommandInput; + output: RedriveExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/SendTaskFailureCommand.ts b/clients/client-sfn/src/commands/SendTaskFailureCommand.ts index 0f0bcc6704ec..da52d9f1fd40 100644 --- a/clients/client-sfn/src/commands/SendTaskFailureCommand.ts +++ b/clients/client-sfn/src/commands/SendTaskFailureCommand.ts @@ -102,4 +102,16 @@ export class SendTaskFailureCommand extends $Command .f(SendTaskFailureInputFilterSensitiveLog, void 0) .ser(se_SendTaskFailureCommand) .de(de_SendTaskFailureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendTaskFailureInput; + output: {}; + }; + sdk: { + input: SendTaskFailureCommandInput; + output: SendTaskFailureCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/SendTaskHeartbeatCommand.ts b/clients/client-sfn/src/commands/SendTaskHeartbeatCommand.ts index b0d091f50187..37d093c56c6a 100644 --- a/clients/client-sfn/src/commands/SendTaskHeartbeatCommand.ts +++ b/clients/client-sfn/src/commands/SendTaskHeartbeatCommand.ts @@ -98,4 +98,16 @@ export class SendTaskHeartbeatCommand extends $Command .f(void 0, void 0) .ser(se_SendTaskHeartbeatCommand) .de(de_SendTaskHeartbeatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendTaskHeartbeatInput; + output: {}; + }; + sdk: { + input: SendTaskHeartbeatCommandInput; + output: SendTaskHeartbeatCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/SendTaskSuccessCommand.ts b/clients/client-sfn/src/commands/SendTaskSuccessCommand.ts index be5a00ce8d2b..98e2b8b9e1f9 100644 --- a/clients/client-sfn/src/commands/SendTaskSuccessCommand.ts +++ b/clients/client-sfn/src/commands/SendTaskSuccessCommand.ts @@ -103,4 +103,16 @@ export class SendTaskSuccessCommand extends $Command .f(SendTaskSuccessInputFilterSensitiveLog, void 0) .ser(se_SendTaskSuccessCommand) .de(de_SendTaskSuccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendTaskSuccessInput; + output: {}; + }; + sdk: { + input: SendTaskSuccessCommandInput; + output: SendTaskSuccessCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/StartExecutionCommand.ts b/clients/client-sfn/src/commands/StartExecutionCommand.ts index 986f08a16eb7..6b6bda7941a9 100644 --- a/clients/client-sfn/src/commands/StartExecutionCommand.ts +++ b/clients/client-sfn/src/commands/StartExecutionCommand.ts @@ -161,4 +161,16 @@ export class StartExecutionCommand extends $Command .f(StartExecutionInputFilterSensitiveLog, void 0) .ser(se_StartExecutionCommand) .de(de_StartExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExecutionInput; + output: StartExecutionOutput; + }; + sdk: { + input: StartExecutionCommandInput; + output: StartExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/StartSyncExecutionCommand.ts b/clients/client-sfn/src/commands/StartSyncExecutionCommand.ts index cd9bad867964..f3378f9cffcf 100644 --- a/clients/client-sfn/src/commands/StartSyncExecutionCommand.ts +++ b/clients/client-sfn/src/commands/StartSyncExecutionCommand.ts @@ -145,4 +145,16 @@ export class StartSyncExecutionCommand extends $Command .f(StartSyncExecutionInputFilterSensitiveLog, StartSyncExecutionOutputFilterSensitiveLog) .ser(se_StartSyncExecutionCommand) .de(de_StartSyncExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSyncExecutionInput; + output: StartSyncExecutionOutput; + }; + sdk: { + input: StartSyncExecutionCommandInput; + output: StartSyncExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/StopExecutionCommand.ts b/clients/client-sfn/src/commands/StopExecutionCommand.ts index 230772d3da78..5320e9582c38 100644 --- a/clients/client-sfn/src/commands/StopExecutionCommand.ts +++ b/clients/client-sfn/src/commands/StopExecutionCommand.ts @@ -100,4 +100,16 @@ export class StopExecutionCommand extends $Command .f(StopExecutionInputFilterSensitiveLog, void 0) .ser(se_StopExecutionCommand) .de(de_StopExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopExecutionInput; + output: StopExecutionOutput; + }; + sdk: { + input: StopExecutionCommandInput; + output: StopExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/TagResourceCommand.ts b/clients/client-sfn/src/commands/TagResourceCommand.ts index 949c703d0529..7d9791e99939 100644 --- a/clients/client-sfn/src/commands/TagResourceCommand.ts +++ b/clients/client-sfn/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/TestStateCommand.ts b/clients/client-sfn/src/commands/TestStateCommand.ts index 43dc46113e8a..50c6042792b4 100644 --- a/clients/client-sfn/src/commands/TestStateCommand.ts +++ b/clients/client-sfn/src/commands/TestStateCommand.ts @@ -173,4 +173,16 @@ export class TestStateCommand extends $Command .f(TestStateInputFilterSensitiveLog, TestStateOutputFilterSensitiveLog) .ser(se_TestStateCommand) .de(de_TestStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestStateInput; + output: TestStateOutput; + }; + sdk: { + input: TestStateCommandInput; + output: TestStateCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/UntagResourceCommand.ts b/clients/client-sfn/src/commands/UntagResourceCommand.ts index d8e4d9e9d13c..f490d8af9369 100644 --- a/clients/client-sfn/src/commands/UntagResourceCommand.ts +++ b/clients/client-sfn/src/commands/UntagResourceCommand.ts @@ -84,4 +84,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/UpdateMapRunCommand.ts b/clients/client-sfn/src/commands/UpdateMapRunCommand.ts index adb2bf3cb259..7820b16ee265 100644 --- a/clients/client-sfn/src/commands/UpdateMapRunCommand.ts +++ b/clients/client-sfn/src/commands/UpdateMapRunCommand.ts @@ -87,4 +87,16 @@ export class UpdateMapRunCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMapRunCommand) .de(de_UpdateMapRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMapRunInput; + output: {}; + }; + sdk: { + input: UpdateMapRunCommandInput; + output: UpdateMapRunCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/UpdateStateMachineAliasCommand.ts b/clients/client-sfn/src/commands/UpdateStateMachineAliasCommand.ts index 85c2a6da7519..28f488c0203b 100644 --- a/clients/client-sfn/src/commands/UpdateStateMachineAliasCommand.ts +++ b/clients/client-sfn/src/commands/UpdateStateMachineAliasCommand.ts @@ -143,4 +143,16 @@ export class UpdateStateMachineAliasCommand extends $Command .f(UpdateStateMachineAliasInputFilterSensitiveLog, void 0) .ser(se_UpdateStateMachineAliasCommand) .de(de_UpdateStateMachineAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStateMachineAliasInput; + output: UpdateStateMachineAliasOutput; + }; + sdk: { + input: UpdateStateMachineAliasCommandInput; + output: UpdateStateMachineAliasCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/UpdateStateMachineCommand.ts b/clients/client-sfn/src/commands/UpdateStateMachineCommand.ts index 6ba82f94631b..7ca529f6a09b 100644 --- a/clients/client-sfn/src/commands/UpdateStateMachineCommand.ts +++ b/clients/client-sfn/src/commands/UpdateStateMachineCommand.ts @@ -194,4 +194,16 @@ export class UpdateStateMachineCommand extends $Command .f(UpdateStateMachineInputFilterSensitiveLog, void 0) .ser(se_UpdateStateMachineCommand) .de(de_UpdateStateMachineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateStateMachineInput; + output: UpdateStateMachineOutput; + }; + sdk: { + input: UpdateStateMachineCommandInput; + output: UpdateStateMachineCommandOutput; + }; + }; +} diff --git a/clients/client-sfn/src/commands/ValidateStateMachineDefinitionCommand.ts b/clients/client-sfn/src/commands/ValidateStateMachineDefinitionCommand.ts index bdad43fad33e..75f232b0f75d 100644 --- a/clients/client-sfn/src/commands/ValidateStateMachineDefinitionCommand.ts +++ b/clients/client-sfn/src/commands/ValidateStateMachineDefinitionCommand.ts @@ -121,4 +121,16 @@ export class ValidateStateMachineDefinitionCommand extends $Command .f(ValidateStateMachineDefinitionInputFilterSensitiveLog, void 0) .ser(se_ValidateStateMachineDefinitionCommand) .de(de_ValidateStateMachineDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateStateMachineDefinitionInput; + output: ValidateStateMachineDefinitionOutput; + }; + sdk: { + input: ValidateStateMachineDefinitionCommandInput; + output: ValidateStateMachineDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-shield/package.json b/clients/client-shield/package.json index e20cf6e1c85a..9c67e0295b77 100644 --- a/clients/client-shield/package.json +++ b/clients/client-shield/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-shield/src/commands/AssociateDRTLogBucketCommand.ts b/clients/client-shield/src/commands/AssociateDRTLogBucketCommand.ts index fd572a265d1a..c8ca9e9865ec 100644 --- a/clients/client-shield/src/commands/AssociateDRTLogBucketCommand.ts +++ b/clients/client-shield/src/commands/AssociateDRTLogBucketCommand.ts @@ -101,4 +101,16 @@ export class AssociateDRTLogBucketCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDRTLogBucketCommand) .de(de_AssociateDRTLogBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDRTLogBucketRequest; + output: {}; + }; + sdk: { + input: AssociateDRTLogBucketCommandInput; + output: AssociateDRTLogBucketCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/AssociateDRTRoleCommand.ts b/clients/client-shield/src/commands/AssociateDRTRoleCommand.ts index 844d121cedcb..d48694e47be4 100644 --- a/clients/client-shield/src/commands/AssociateDRTRoleCommand.ts +++ b/clients/client-shield/src/commands/AssociateDRTRoleCommand.ts @@ -100,4 +100,16 @@ export class AssociateDRTRoleCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDRTRoleCommand) .de(de_AssociateDRTRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDRTRoleRequest; + output: {}; + }; + sdk: { + input: AssociateDRTRoleCommandInput; + output: AssociateDRTRoleCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/AssociateHealthCheckCommand.ts b/clients/client-shield/src/commands/AssociateHealthCheckCommand.ts index 3bda67eb1109..1d7c17881b3c 100644 --- a/clients/client-shield/src/commands/AssociateHealthCheckCommand.ts +++ b/clients/client-shield/src/commands/AssociateHealthCheckCommand.ts @@ -96,4 +96,16 @@ export class AssociateHealthCheckCommand extends $Command .f(void 0, void 0) .ser(se_AssociateHealthCheckCommand) .de(de_AssociateHealthCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateHealthCheckRequest; + output: {}; + }; + sdk: { + input: AssociateHealthCheckCommandInput; + output: AssociateHealthCheckCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/AssociateProactiveEngagementDetailsCommand.ts b/clients/client-shield/src/commands/AssociateProactiveEngagementDetailsCommand.ts index dd0111e40903..e2d577daa351 100644 --- a/clients/client-shield/src/commands/AssociateProactiveEngagementDetailsCommand.ts +++ b/clients/client-shield/src/commands/AssociateProactiveEngagementDetailsCommand.ts @@ -110,4 +110,16 @@ export class AssociateProactiveEngagementDetailsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateProactiveEngagementDetailsCommand) .de(de_AssociateProactiveEngagementDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateProactiveEngagementDetailsRequest; + output: {}; + }; + sdk: { + input: AssociateProactiveEngagementDetailsCommandInput; + output: AssociateProactiveEngagementDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/CreateProtectionCommand.ts b/clients/client-shield/src/commands/CreateProtectionCommand.ts index 23adc306851b..c61189720c02 100644 --- a/clients/client-shield/src/commands/CreateProtectionCommand.ts +++ b/clients/client-shield/src/commands/CreateProtectionCommand.ts @@ -114,4 +114,16 @@ export class CreateProtectionCommand extends $Command .f(void 0, void 0) .ser(se_CreateProtectionCommand) .de(de_CreateProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProtectionRequest; + output: CreateProtectionResponse; + }; + sdk: { + input: CreateProtectionCommandInput; + output: CreateProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/CreateProtectionGroupCommand.ts b/clients/client-shield/src/commands/CreateProtectionGroupCommand.ts index 733323f47616..aacea3da427d 100644 --- a/clients/client-shield/src/commands/CreateProtectionGroupCommand.ts +++ b/clients/client-shield/src/commands/CreateProtectionGroupCommand.ts @@ -106,4 +106,16 @@ export class CreateProtectionGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateProtectionGroupCommand) .de(de_CreateProtectionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProtectionGroupRequest; + output: {}; + }; + sdk: { + input: CreateProtectionGroupCommandInput; + output: CreateProtectionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/CreateSubscriptionCommand.ts b/clients/client-shield/src/commands/CreateSubscriptionCommand.ts index 6bfd33ef46c7..a632448eb87f 100644 --- a/clients/client-shield/src/commands/CreateSubscriptionCommand.ts +++ b/clients/client-shield/src/commands/CreateSubscriptionCommand.ts @@ -84,4 +84,16 @@ export class CreateSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSubscriptionCommand) .de(de_CreateSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: CreateSubscriptionCommandInput; + output: CreateSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DeleteProtectionCommand.ts b/clients/client-shield/src/commands/DeleteProtectionCommand.ts index b74302636454..a5a19d40c052 100644 --- a/clients/client-shield/src/commands/DeleteProtectionCommand.ts +++ b/clients/client-shield/src/commands/DeleteProtectionCommand.ts @@ -85,4 +85,16 @@ export class DeleteProtectionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProtectionCommand) .de(de_DeleteProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProtectionRequest; + output: {}; + }; + sdk: { + input: DeleteProtectionCommandInput; + output: DeleteProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DeleteProtectionGroupCommand.ts b/clients/client-shield/src/commands/DeleteProtectionGroupCommand.ts index e3a49c1cfbe4..d8f21d779675 100644 --- a/clients/client-shield/src/commands/DeleteProtectionGroupCommand.ts +++ b/clients/client-shield/src/commands/DeleteProtectionGroupCommand.ts @@ -85,4 +85,16 @@ export class DeleteProtectionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProtectionGroupCommand) .de(de_DeleteProtectionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProtectionGroupRequest; + output: {}; + }; + sdk: { + input: DeleteProtectionGroupCommandInput; + output: DeleteProtectionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DeleteSubscriptionCommand.ts b/clients/client-shield/src/commands/DeleteSubscriptionCommand.ts index b64864fe4c8a..f00ca32bed42 100644 --- a/clients/client-shield/src/commands/DeleteSubscriptionCommand.ts +++ b/clients/client-shield/src/commands/DeleteSubscriptionCommand.ts @@ -84,4 +84,16 @@ export class DeleteSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSubscriptionCommand) .de(de_DeleteSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteSubscriptionCommandInput; + output: DeleteSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DescribeAttackCommand.ts b/clients/client-shield/src/commands/DescribeAttackCommand.ts index 500d4722a5a3..728e62446148 100644 --- a/clients/client-shield/src/commands/DescribeAttackCommand.ts +++ b/clients/client-shield/src/commands/DescribeAttackCommand.ts @@ -139,4 +139,16 @@ export class DescribeAttackCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAttackCommand) .de(de_DescribeAttackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAttackRequest; + output: DescribeAttackResponse; + }; + sdk: { + input: DescribeAttackCommandInput; + output: DescribeAttackCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DescribeAttackStatisticsCommand.ts b/clients/client-shield/src/commands/DescribeAttackStatisticsCommand.ts index 1420cbcf3d5e..d16951c365ef 100644 --- a/clients/client-shield/src/commands/DescribeAttackStatisticsCommand.ts +++ b/clients/client-shield/src/commands/DescribeAttackStatisticsCommand.ts @@ -99,4 +99,16 @@ export class DescribeAttackStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAttackStatisticsCommand) .de(de_DescribeAttackStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAttackStatisticsResponse; + }; + sdk: { + input: DescribeAttackStatisticsCommandInput; + output: DescribeAttackStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DescribeDRTAccessCommand.ts b/clients/client-shield/src/commands/DescribeDRTAccessCommand.ts index fdbdff276bbc..5af47b04c73f 100644 --- a/clients/client-shield/src/commands/DescribeDRTAccessCommand.ts +++ b/clients/client-shield/src/commands/DescribeDRTAccessCommand.ts @@ -84,4 +84,16 @@ export class DescribeDRTAccessCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDRTAccessCommand) .de(de_DescribeDRTAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeDRTAccessResponse; + }; + sdk: { + input: DescribeDRTAccessCommandInput; + output: DescribeDRTAccessCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DescribeEmergencyContactSettingsCommand.ts b/clients/client-shield/src/commands/DescribeEmergencyContactSettingsCommand.ts index 3d25aa4fe036..15f5a6d92ea2 100644 --- a/clients/client-shield/src/commands/DescribeEmergencyContactSettingsCommand.ts +++ b/clients/client-shield/src/commands/DescribeEmergencyContactSettingsCommand.ts @@ -92,4 +92,16 @@ export class DescribeEmergencyContactSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEmergencyContactSettingsCommand) .de(de_DescribeEmergencyContactSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeEmergencyContactSettingsResponse; + }; + sdk: { + input: DescribeEmergencyContactSettingsCommandInput; + output: DescribeEmergencyContactSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DescribeProtectionCommand.ts b/clients/client-shield/src/commands/DescribeProtectionCommand.ts index b32b279a5920..dd43306b3349 100644 --- a/clients/client-shield/src/commands/DescribeProtectionCommand.ts +++ b/clients/client-shield/src/commands/DescribeProtectionCommand.ts @@ -102,4 +102,16 @@ export class DescribeProtectionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProtectionCommand) .de(de_DescribeProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProtectionRequest; + output: DescribeProtectionResponse; + }; + sdk: { + input: DescribeProtectionCommandInput; + output: DescribeProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DescribeProtectionGroupCommand.ts b/clients/client-shield/src/commands/DescribeProtectionGroupCommand.ts index 3bb5d4a56577..3e8054abfb18 100644 --- a/clients/client-shield/src/commands/DescribeProtectionGroupCommand.ts +++ b/clients/client-shield/src/commands/DescribeProtectionGroupCommand.ts @@ -92,4 +92,16 @@ export class DescribeProtectionGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProtectionGroupCommand) .de(de_DescribeProtectionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProtectionGroupRequest; + output: DescribeProtectionGroupResponse; + }; + sdk: { + input: DescribeProtectionGroupCommandInput; + output: DescribeProtectionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DescribeSubscriptionCommand.ts b/clients/client-shield/src/commands/DescribeSubscriptionCommand.ts index 0e416b0b49c3..397f2d2695c6 100644 --- a/clients/client-shield/src/commands/DescribeSubscriptionCommand.ts +++ b/clients/client-shield/src/commands/DescribeSubscriptionCommand.ts @@ -112,4 +112,16 @@ export class DescribeSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSubscriptionCommand) .de(de_DescribeSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeSubscriptionResponse; + }; + sdk: { + input: DescribeSubscriptionCommandInput; + output: DescribeSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DisableApplicationLayerAutomaticResponseCommand.ts b/clients/client-shield/src/commands/DisableApplicationLayerAutomaticResponseCommand.ts index f89f26b1b032..7aa76b1b3270 100644 --- a/clients/client-shield/src/commands/DisableApplicationLayerAutomaticResponseCommand.ts +++ b/clients/client-shield/src/commands/DisableApplicationLayerAutomaticResponseCommand.ts @@ -101,4 +101,16 @@ export class DisableApplicationLayerAutomaticResponseCommand extends $Command .f(void 0, void 0) .ser(se_DisableApplicationLayerAutomaticResponseCommand) .de(de_DisableApplicationLayerAutomaticResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableApplicationLayerAutomaticResponseRequest; + output: {}; + }; + sdk: { + input: DisableApplicationLayerAutomaticResponseCommandInput; + output: DisableApplicationLayerAutomaticResponseCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DisableProactiveEngagementCommand.ts b/clients/client-shield/src/commands/DisableProactiveEngagementCommand.ts index 179121e82669..4c45df4c13d4 100644 --- a/clients/client-shield/src/commands/DisableProactiveEngagementCommand.ts +++ b/clients/client-shield/src/commands/DisableProactiveEngagementCommand.ts @@ -89,4 +89,16 @@ export class DisableProactiveEngagementCommand extends $Command .f(void 0, void 0) .ser(se_DisableProactiveEngagementCommand) .de(de_DisableProactiveEngagementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisableProactiveEngagementCommandInput; + output: DisableProactiveEngagementCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DisassociateDRTLogBucketCommand.ts b/clients/client-shield/src/commands/DisassociateDRTLogBucketCommand.ts index 59970d678b08..17c4e5c767a4 100644 --- a/clients/client-shield/src/commands/DisassociateDRTLogBucketCommand.ts +++ b/clients/client-shield/src/commands/DisassociateDRTLogBucketCommand.ts @@ -94,4 +94,16 @@ export class DisassociateDRTLogBucketCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDRTLogBucketCommand) .de(de_DisassociateDRTLogBucketCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateDRTLogBucketRequest; + output: {}; + }; + sdk: { + input: DisassociateDRTLogBucketCommandInput; + output: DisassociateDRTLogBucketCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DisassociateDRTRoleCommand.ts b/clients/client-shield/src/commands/DisassociateDRTRoleCommand.ts index 8051ed32919a..fce25001c44b 100644 --- a/clients/client-shield/src/commands/DisassociateDRTRoleCommand.ts +++ b/clients/client-shield/src/commands/DisassociateDRTRoleCommand.ts @@ -86,4 +86,16 @@ export class DisassociateDRTRoleCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDRTRoleCommand) .de(de_DisassociateDRTRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DisassociateDRTRoleCommandInput; + output: DisassociateDRTRoleCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/DisassociateHealthCheckCommand.ts b/clients/client-shield/src/commands/DisassociateHealthCheckCommand.ts index 9bea18f59ff6..62d0d0ab4e67 100644 --- a/clients/client-shield/src/commands/DisassociateHealthCheckCommand.ts +++ b/clients/client-shield/src/commands/DisassociateHealthCheckCommand.ts @@ -93,4 +93,16 @@ export class DisassociateHealthCheckCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateHealthCheckCommand) .de(de_DisassociateHealthCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateHealthCheckRequest; + output: {}; + }; + sdk: { + input: DisassociateHealthCheckCommandInput; + output: DisassociateHealthCheckCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/EnableApplicationLayerAutomaticResponseCommand.ts b/clients/client-shield/src/commands/EnableApplicationLayerAutomaticResponseCommand.ts index e0a4b88a2c79..3587854bea3f 100644 --- a/clients/client-shield/src/commands/EnableApplicationLayerAutomaticResponseCommand.ts +++ b/clients/client-shield/src/commands/EnableApplicationLayerAutomaticResponseCommand.ts @@ -121,4 +121,16 @@ export class EnableApplicationLayerAutomaticResponseCommand extends $Command .f(void 0, void 0) .ser(se_EnableApplicationLayerAutomaticResponseCommand) .de(de_EnableApplicationLayerAutomaticResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableApplicationLayerAutomaticResponseRequest; + output: {}; + }; + sdk: { + input: EnableApplicationLayerAutomaticResponseCommandInput; + output: EnableApplicationLayerAutomaticResponseCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/EnableProactiveEngagementCommand.ts b/clients/client-shield/src/commands/EnableProactiveEngagementCommand.ts index ccaba36cfb1f..c2eafa8850e5 100644 --- a/clients/client-shield/src/commands/EnableProactiveEngagementCommand.ts +++ b/clients/client-shield/src/commands/EnableProactiveEngagementCommand.ts @@ -89,4 +89,16 @@ export class EnableProactiveEngagementCommand extends $Command .f(void 0, void 0) .ser(se_EnableProactiveEngagementCommand) .de(de_EnableProactiveEngagementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EnableProactiveEngagementCommandInput; + output: EnableProactiveEngagementCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/GetSubscriptionStateCommand.ts b/clients/client-shield/src/commands/GetSubscriptionStateCommand.ts index b2a63889a694..f213d207a166 100644 --- a/clients/client-shield/src/commands/GetSubscriptionStateCommand.ts +++ b/clients/client-shield/src/commands/GetSubscriptionStateCommand.ts @@ -78,4 +78,16 @@ export class GetSubscriptionStateCommand extends $Command .f(void 0, void 0) .ser(se_GetSubscriptionStateCommand) .de(de_GetSubscriptionStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSubscriptionStateResponse; + }; + sdk: { + input: GetSubscriptionStateCommandInput; + output: GetSubscriptionStateCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/ListAttacksCommand.ts b/clients/client-shield/src/commands/ListAttacksCommand.ts index 114c00c2d216..91cc07e24cf4 100644 --- a/clients/client-shield/src/commands/ListAttacksCommand.ts +++ b/clients/client-shield/src/commands/ListAttacksCommand.ts @@ -112,4 +112,16 @@ export class ListAttacksCommand extends $Command .f(void 0, void 0) .ser(se_ListAttacksCommand) .de(de_ListAttacksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAttacksRequest; + output: ListAttacksResponse; + }; + sdk: { + input: ListAttacksCommandInput; + output: ListAttacksCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/ListProtectionGroupsCommand.ts b/clients/client-shield/src/commands/ListProtectionGroupsCommand.ts index 908871a1fbf1..f0a655ca9bd8 100644 --- a/clients/client-shield/src/commands/ListProtectionGroupsCommand.ts +++ b/clients/client-shield/src/commands/ListProtectionGroupsCommand.ts @@ -114,4 +114,16 @@ export class ListProtectionGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListProtectionGroupsCommand) .de(de_ListProtectionGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProtectionGroupsRequest; + output: ListProtectionGroupsResponse; + }; + sdk: { + input: ListProtectionGroupsCommandInput; + output: ListProtectionGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/ListProtectionsCommand.ts b/clients/client-shield/src/commands/ListProtectionsCommand.ts index 8e2454bd57a5..6eacbeb1d495 100644 --- a/clients/client-shield/src/commands/ListProtectionsCommand.ts +++ b/clients/client-shield/src/commands/ListProtectionsCommand.ts @@ -117,4 +117,16 @@ export class ListProtectionsCommand extends $Command .f(void 0, void 0) .ser(se_ListProtectionsCommand) .de(de_ListProtectionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProtectionsRequest; + output: ListProtectionsResponse; + }; + sdk: { + input: ListProtectionsCommandInput; + output: ListProtectionsCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/ListResourcesInProtectionGroupCommand.ts b/clients/client-shield/src/commands/ListResourcesInProtectionGroupCommand.ts index 0bd8930bb3f1..d7cc889c7f44 100644 --- a/clients/client-shield/src/commands/ListResourcesInProtectionGroupCommand.ts +++ b/clients/client-shield/src/commands/ListResourcesInProtectionGroupCommand.ts @@ -96,4 +96,16 @@ export class ListResourcesInProtectionGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesInProtectionGroupCommand) .de(de_ListResourcesInProtectionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesInProtectionGroupRequest; + output: ListResourcesInProtectionGroupResponse; + }; + sdk: { + input: ListResourcesInProtectionGroupCommandInput; + output: ListResourcesInProtectionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/ListTagsForResourceCommand.ts b/clients/client-shield/src/commands/ListTagsForResourceCommand.ts index 6a982ff16cb2..521ce7e5efaf 100644 --- a/clients/client-shield/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-shield/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/TagResourceCommand.ts b/clients/client-shield/src/commands/TagResourceCommand.ts index 06665523700f..c994bdf9cc91 100644 --- a/clients/client-shield/src/commands/TagResourceCommand.ts +++ b/clients/client-shield/src/commands/TagResourceCommand.ts @@ -93,4 +93,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/UntagResourceCommand.ts b/clients/client-shield/src/commands/UntagResourceCommand.ts index 35098a8e4885..dfd9891030dd 100644 --- a/clients/client-shield/src/commands/UntagResourceCommand.ts +++ b/clients/client-shield/src/commands/UntagResourceCommand.ts @@ -90,4 +90,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/UpdateApplicationLayerAutomaticResponseCommand.ts b/clients/client-shield/src/commands/UpdateApplicationLayerAutomaticResponseCommand.ts index 90cc903e0499..d72833b4f466 100644 --- a/clients/client-shield/src/commands/UpdateApplicationLayerAutomaticResponseCommand.ts +++ b/clients/client-shield/src/commands/UpdateApplicationLayerAutomaticResponseCommand.ts @@ -104,4 +104,16 @@ export class UpdateApplicationLayerAutomaticResponseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationLayerAutomaticResponseCommand) .de(de_UpdateApplicationLayerAutomaticResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationLayerAutomaticResponseRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationLayerAutomaticResponseCommandInput; + output: UpdateApplicationLayerAutomaticResponseCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/UpdateEmergencyContactSettingsCommand.ts b/clients/client-shield/src/commands/UpdateEmergencyContactSettingsCommand.ts index 6088c489e623..3a915d82d80d 100644 --- a/clients/client-shield/src/commands/UpdateEmergencyContactSettingsCommand.ts +++ b/clients/client-shield/src/commands/UpdateEmergencyContactSettingsCommand.ts @@ -99,4 +99,16 @@ export class UpdateEmergencyContactSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateEmergencyContactSettingsCommand) .de(de_UpdateEmergencyContactSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEmergencyContactSettingsRequest; + output: {}; + }; + sdk: { + input: UpdateEmergencyContactSettingsCommandInput; + output: UpdateEmergencyContactSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/UpdateProtectionGroupCommand.ts b/clients/client-shield/src/commands/UpdateProtectionGroupCommand.ts index 2d78c4cb95fb..4b1ab926680a 100644 --- a/clients/client-shield/src/commands/UpdateProtectionGroupCommand.ts +++ b/clients/client-shield/src/commands/UpdateProtectionGroupCommand.ts @@ -94,4 +94,16 @@ export class UpdateProtectionGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProtectionGroupCommand) .de(de_UpdateProtectionGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProtectionGroupRequest; + output: {}; + }; + sdk: { + input: UpdateProtectionGroupCommandInput; + output: UpdateProtectionGroupCommandOutput; + }; + }; +} diff --git a/clients/client-shield/src/commands/UpdateSubscriptionCommand.ts b/clients/client-shield/src/commands/UpdateSubscriptionCommand.ts index 571876558ec8..5c96a1e8f97b 100644 --- a/clients/client-shield/src/commands/UpdateSubscriptionCommand.ts +++ b/clients/client-shield/src/commands/UpdateSubscriptionCommand.ts @@ -95,4 +95,16 @@ export class UpdateSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSubscriptionCommand) .de(de_UpdateSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSubscriptionRequest; + output: {}; + }; + sdk: { + input: UpdateSubscriptionCommandInput; + output: UpdateSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-signer/package.json b/clients/client-signer/package.json index dd4cf28658d1..c45a230bdeb5 100644 --- a/clients/client-signer/package.json +++ b/clients/client-signer/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-signer/src/commands/AddProfilePermissionCommand.ts b/clients/client-signer/src/commands/AddProfilePermissionCommand.ts index 41f349dd9c8c..a18dae6ac10e 100644 --- a/clients/client-signer/src/commands/AddProfilePermissionCommand.ts +++ b/clients/client-signer/src/commands/AddProfilePermissionCommand.ts @@ -104,4 +104,16 @@ export class AddProfilePermissionCommand extends $Command .f(void 0, void 0) .ser(se_AddProfilePermissionCommand) .de(de_AddProfilePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddProfilePermissionRequest; + output: AddProfilePermissionResponse; + }; + sdk: { + input: AddProfilePermissionCommandInput; + output: AddProfilePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/CancelSigningProfileCommand.ts b/clients/client-signer/src/commands/CancelSigningProfileCommand.ts index 6c4477abb3c1..93a027ca7850 100644 --- a/clients/client-signer/src/commands/CancelSigningProfileCommand.ts +++ b/clients/client-signer/src/commands/CancelSigningProfileCommand.ts @@ -91,4 +91,16 @@ export class CancelSigningProfileCommand extends $Command .f(void 0, void 0) .ser(se_CancelSigningProfileCommand) .de(de_CancelSigningProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSigningProfileRequest; + output: {}; + }; + sdk: { + input: CancelSigningProfileCommandInput; + output: CancelSigningProfileCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/DescribeSigningJobCommand.ts b/clients/client-signer/src/commands/DescribeSigningJobCommand.ts index 0e3fc0f9232d..85e2c7e9ac77 100644 --- a/clients/client-signer/src/commands/DescribeSigningJobCommand.ts +++ b/clients/client-signer/src/commands/DescribeSigningJobCommand.ts @@ -135,4 +135,16 @@ export class DescribeSigningJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSigningJobCommand) .de(de_DescribeSigningJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSigningJobRequest; + output: DescribeSigningJobResponse; + }; + sdk: { + input: DescribeSigningJobCommandInput; + output: DescribeSigningJobCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/GetRevocationStatusCommand.ts b/clients/client-signer/src/commands/GetRevocationStatusCommand.ts index c322faf2ba0c..5d8ac240f026 100644 --- a/clients/client-signer/src/commands/GetRevocationStatusCommand.ts +++ b/clients/client-signer/src/commands/GetRevocationStatusCommand.ts @@ -99,4 +99,16 @@ export class GetRevocationStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetRevocationStatusCommand) .de(de_GetRevocationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRevocationStatusRequest; + output: GetRevocationStatusResponse; + }; + sdk: { + input: GetRevocationStatusCommandInput; + output: GetRevocationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/GetSigningPlatformCommand.ts b/clients/client-signer/src/commands/GetSigningPlatformCommand.ts index 992e61be0f5e..2aee9913e68b 100644 --- a/clients/client-signer/src/commands/GetSigningPlatformCommand.ts +++ b/clients/client-signer/src/commands/GetSigningPlatformCommand.ts @@ -116,4 +116,16 @@ export class GetSigningPlatformCommand extends $Command .f(void 0, void 0) .ser(se_GetSigningPlatformCommand) .de(de_GetSigningPlatformCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSigningPlatformRequest; + output: GetSigningPlatformResponse; + }; + sdk: { + input: GetSigningPlatformCommandInput; + output: GetSigningPlatformCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/GetSigningProfileCommand.ts b/clients/client-signer/src/commands/GetSigningProfileCommand.ts index b287abffd1d1..51226adbf1dc 100644 --- a/clients/client-signer/src/commands/GetSigningProfileCommand.ts +++ b/clients/client-signer/src/commands/GetSigningProfileCommand.ts @@ -123,4 +123,16 @@ export class GetSigningProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetSigningProfileCommand) .de(de_GetSigningProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSigningProfileRequest; + output: GetSigningProfileResponse; + }; + sdk: { + input: GetSigningProfileCommandInput; + output: GetSigningProfileCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/ListProfilePermissionsCommand.ts b/clients/client-signer/src/commands/ListProfilePermissionsCommand.ts index 5e239b36eeca..991cb237e07a 100644 --- a/clients/client-signer/src/commands/ListProfilePermissionsCommand.ts +++ b/clients/client-signer/src/commands/ListProfilePermissionsCommand.ts @@ -104,4 +104,16 @@ export class ListProfilePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListProfilePermissionsCommand) .de(de_ListProfilePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfilePermissionsRequest; + output: ListProfilePermissionsResponse; + }; + sdk: { + input: ListProfilePermissionsCommandInput; + output: ListProfilePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/ListSigningJobsCommand.ts b/clients/client-signer/src/commands/ListSigningJobsCommand.ts index fd8d345dd4d3..81810fc01fc6 100644 --- a/clients/client-signer/src/commands/ListSigningJobsCommand.ts +++ b/clients/client-signer/src/commands/ListSigningJobsCommand.ts @@ -135,4 +135,16 @@ export class ListSigningJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListSigningJobsCommand) .de(de_ListSigningJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSigningJobsRequest; + output: ListSigningJobsResponse; + }; + sdk: { + input: ListSigningJobsCommandInput; + output: ListSigningJobsCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/ListSigningPlatformsCommand.ts b/clients/client-signer/src/commands/ListSigningPlatformsCommand.ts index 6b324d2d7b5e..674867336b55 100644 --- a/clients/client-signer/src/commands/ListSigningPlatformsCommand.ts +++ b/clients/client-signer/src/commands/ListSigningPlatformsCommand.ts @@ -131,4 +131,16 @@ export class ListSigningPlatformsCommand extends $Command .f(void 0, void 0) .ser(se_ListSigningPlatformsCommand) .de(de_ListSigningPlatformsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSigningPlatformsRequest; + output: ListSigningPlatformsResponse; + }; + sdk: { + input: ListSigningPlatformsCommandInput; + output: ListSigningPlatformsCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/ListSigningProfilesCommand.ts b/clients/client-signer/src/commands/ListSigningProfilesCommand.ts index 3d231e83b404..e515ef94fb64 100644 --- a/clients/client-signer/src/commands/ListSigningProfilesCommand.ts +++ b/clients/client-signer/src/commands/ListSigningProfilesCommand.ts @@ -124,4 +124,16 @@ export class ListSigningProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListSigningProfilesCommand) .de(de_ListSigningProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSigningProfilesRequest; + output: ListSigningProfilesResponse; + }; + sdk: { + input: ListSigningProfilesCommandInput; + output: ListSigningProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/ListTagsForResourceCommand.ts b/clients/client-signer/src/commands/ListTagsForResourceCommand.ts index 34b80f34a795..16da255562d2 100644 --- a/clients/client-signer/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-signer/src/commands/ListTagsForResourceCommand.ts @@ -93,4 +93,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/PutSigningProfileCommand.ts b/clients/client-signer/src/commands/PutSigningProfileCommand.ts index 55ea76bc086a..ba0bf717c762 100644 --- a/clients/client-signer/src/commands/PutSigningProfileCommand.ts +++ b/clients/client-signer/src/commands/PutSigningProfileCommand.ts @@ -118,4 +118,16 @@ export class PutSigningProfileCommand extends $Command .f(void 0, void 0) .ser(se_PutSigningProfileCommand) .de(de_PutSigningProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSigningProfileRequest; + output: PutSigningProfileResponse; + }; + sdk: { + input: PutSigningProfileCommandInput; + output: PutSigningProfileCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/RemoveProfilePermissionCommand.ts b/clients/client-signer/src/commands/RemoveProfilePermissionCommand.ts index 623dfd59877f..00d6246036fd 100644 --- a/clients/client-signer/src/commands/RemoveProfilePermissionCommand.ts +++ b/clients/client-signer/src/commands/RemoveProfilePermissionCommand.ts @@ -98,4 +98,16 @@ export class RemoveProfilePermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemoveProfilePermissionCommand) .de(de_RemoveProfilePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveProfilePermissionRequest; + output: RemoveProfilePermissionResponse; + }; + sdk: { + input: RemoveProfilePermissionCommandInput; + output: RemoveProfilePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/RevokeSignatureCommand.ts b/clients/client-signer/src/commands/RevokeSignatureCommand.ts index 82fd27d93fa5..4f36a8a583e2 100644 --- a/clients/client-signer/src/commands/RevokeSignatureCommand.ts +++ b/clients/client-signer/src/commands/RevokeSignatureCommand.ts @@ -94,4 +94,16 @@ export class RevokeSignatureCommand extends $Command .f(void 0, void 0) .ser(se_RevokeSignatureCommand) .de(de_RevokeSignatureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeSignatureRequest; + output: {}; + }; + sdk: { + input: RevokeSignatureCommandInput; + output: RevokeSignatureCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/RevokeSigningProfileCommand.ts b/clients/client-signer/src/commands/RevokeSigningProfileCommand.ts index c530bfacba0c..4bf3bbabe3ed 100644 --- a/clients/client-signer/src/commands/RevokeSigningProfileCommand.ts +++ b/clients/client-signer/src/commands/RevokeSigningProfileCommand.ts @@ -96,4 +96,16 @@ export class RevokeSigningProfileCommand extends $Command .f(void 0, void 0) .ser(se_RevokeSigningProfileCommand) .de(de_RevokeSigningProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeSigningProfileRequest; + output: {}; + }; + sdk: { + input: RevokeSigningProfileCommandInput; + output: RevokeSigningProfileCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/SignPayloadCommand.ts b/clients/client-signer/src/commands/SignPayloadCommand.ts index 95c72e111711..f28b946e8c8c 100644 --- a/clients/client-signer/src/commands/SignPayloadCommand.ts +++ b/clients/client-signer/src/commands/SignPayloadCommand.ts @@ -101,4 +101,16 @@ export class SignPayloadCommand extends $Command .f(void 0, void 0) .ser(se_SignPayloadCommand) .de(de_SignPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SignPayloadRequest; + output: SignPayloadResponse; + }; + sdk: { + input: SignPayloadCommandInput; + output: SignPayloadCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/StartSigningJobCommand.ts b/clients/client-signer/src/commands/StartSigningJobCommand.ts index d00246b0996c..c9ce884104cb 100644 --- a/clients/client-signer/src/commands/StartSigningJobCommand.ts +++ b/clients/client-signer/src/commands/StartSigningJobCommand.ts @@ -141,4 +141,16 @@ export class StartSigningJobCommand extends $Command .f(void 0, void 0) .ser(se_StartSigningJobCommand) .de(de_StartSigningJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSigningJobRequest; + output: StartSigningJobResponse; + }; + sdk: { + input: StartSigningJobCommandInput; + output: StartSigningJobCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/TagResourceCommand.ts b/clients/client-signer/src/commands/TagResourceCommand.ts index 698cb16a0290..19dd17305dcb 100644 --- a/clients/client-signer/src/commands/TagResourceCommand.ts +++ b/clients/client-signer/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-signer/src/commands/UntagResourceCommand.ts b/clients/client-signer/src/commands/UntagResourceCommand.ts index c3d6d6af3be6..03de8d4e7743 100644 --- a/clients/client-signer/src/commands/UntagResourceCommand.ts +++ b/clients/client-signer/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/package.json b/clients/client-simspaceweaver/package.json index 09280fa52ed5..6184617d91db 100644 --- a/clients/client-simspaceweaver/package.json +++ b/clients/client-simspaceweaver/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-simspaceweaver/src/commands/CreateSnapshotCommand.ts b/clients/client-simspaceweaver/src/commands/CreateSnapshotCommand.ts index cc88b9fce010..0d7da59f8570 100644 --- a/clients/client-simspaceweaver/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-simspaceweaver/src/commands/CreateSnapshotCommand.ts @@ -149,4 +149,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotInput; + output: {}; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/DeleteAppCommand.ts b/clients/client-simspaceweaver/src/commands/DeleteAppCommand.ts index 6e0b4bc7f1a5..3523c797b91a 100644 --- a/clients/client-simspaceweaver/src/commands/DeleteAppCommand.ts +++ b/clients/client-simspaceweaver/src/commands/DeleteAppCommand.ts @@ -92,4 +92,16 @@ export class DeleteAppCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppCommand) .de(de_DeleteAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppInput; + output: {}; + }; + sdk: { + input: DeleteAppCommandInput; + output: DeleteAppCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/DeleteSimulationCommand.ts b/clients/client-simspaceweaver/src/commands/DeleteSimulationCommand.ts index eff6ff7172fd..69e02d99e2d6 100644 --- a/clients/client-simspaceweaver/src/commands/DeleteSimulationCommand.ts +++ b/clients/client-simspaceweaver/src/commands/DeleteSimulationCommand.ts @@ -94,4 +94,16 @@ export class DeleteSimulationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSimulationCommand) .de(de_DeleteSimulationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSimulationInput; + output: {}; + }; + sdk: { + input: DeleteSimulationCommandInput; + output: DeleteSimulationCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/DescribeAppCommand.ts b/clients/client-simspaceweaver/src/commands/DescribeAppCommand.ts index e5636a08f25a..d5e32a335723 100644 --- a/clients/client-simspaceweaver/src/commands/DescribeAppCommand.ts +++ b/clients/client-simspaceweaver/src/commands/DescribeAppCommand.ts @@ -110,4 +110,16 @@ export class DescribeAppCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAppCommand) .de(de_DescribeAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAppInput; + output: DescribeAppOutput; + }; + sdk: { + input: DescribeAppCommandInput; + output: DescribeAppCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/DescribeSimulationCommand.ts b/clients/client-simspaceweaver/src/commands/DescribeSimulationCommand.ts index 159c18f6ecf6..982b51c2e198 100644 --- a/clients/client-simspaceweaver/src/commands/DescribeSimulationCommand.ts +++ b/clients/client-simspaceweaver/src/commands/DescribeSimulationCommand.ts @@ -130,4 +130,16 @@ export class DescribeSimulationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSimulationCommand) .de(de_DescribeSimulationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSimulationInput; + output: DescribeSimulationOutput; + }; + sdk: { + input: DescribeSimulationCommandInput; + output: DescribeSimulationCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/ListAppsCommand.ts b/clients/client-simspaceweaver/src/commands/ListAppsCommand.ts index 802c57488ac9..9cf3b9b712f0 100644 --- a/clients/client-simspaceweaver/src/commands/ListAppsCommand.ts +++ b/clients/client-simspaceweaver/src/commands/ListAppsCommand.ts @@ -101,4 +101,16 @@ export class ListAppsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppsCommand) .de(de_ListAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppsInput; + output: ListAppsOutput; + }; + sdk: { + input: ListAppsCommandInput; + output: ListAppsCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/ListSimulationsCommand.ts b/clients/client-simspaceweaver/src/commands/ListSimulationsCommand.ts index 6c49aa271311..96ddc8e4f07d 100644 --- a/clients/client-simspaceweaver/src/commands/ListSimulationsCommand.ts +++ b/clients/client-simspaceweaver/src/commands/ListSimulationsCommand.ts @@ -96,4 +96,16 @@ export class ListSimulationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSimulationsCommand) .de(de_ListSimulationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSimulationsInput; + output: ListSimulationsOutput; + }; + sdk: { + input: ListSimulationsCommandInput; + output: ListSimulationsCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/ListTagsForResourceCommand.ts b/clients/client-simspaceweaver/src/commands/ListTagsForResourceCommand.ts index da2107cc8fbc..dab7f5820e8b 100644 --- a/clients/client-simspaceweaver/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-simspaceweaver/src/commands/ListTagsForResourceCommand.ts @@ -85,4 +85,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/StartAppCommand.ts b/clients/client-simspaceweaver/src/commands/StartAppCommand.ts index 1b17130b3c94..57132a515252 100644 --- a/clients/client-simspaceweaver/src/commands/StartAppCommand.ts +++ b/clients/client-simspaceweaver/src/commands/StartAppCommand.ts @@ -103,4 +103,16 @@ export class StartAppCommand extends $Command .f(StartAppInputFilterSensitiveLog, void 0) .ser(se_StartAppCommand) .de(de_StartAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAppInput; + output: StartAppOutput; + }; + sdk: { + input: StartAppCommandInput; + output: StartAppCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/StartClockCommand.ts b/clients/client-simspaceweaver/src/commands/StartClockCommand.ts index 65ef2a9bc9e6..59bc0b09159c 100644 --- a/clients/client-simspaceweaver/src/commands/StartClockCommand.ts +++ b/clients/client-simspaceweaver/src/commands/StartClockCommand.ts @@ -90,4 +90,16 @@ export class StartClockCommand extends $Command .f(void 0, void 0) .ser(se_StartClockCommand) .de(de_StartClockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartClockInput; + output: {}; + }; + sdk: { + input: StartClockCommandInput; + output: StartClockCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/StartSimulationCommand.ts b/clients/client-simspaceweaver/src/commands/StartSimulationCommand.ts index bab95ddd82c1..326bc1415666 100644 --- a/clients/client-simspaceweaver/src/commands/StartSimulationCommand.ts +++ b/clients/client-simspaceweaver/src/commands/StartSimulationCommand.ts @@ -118,4 +118,16 @@ export class StartSimulationCommand extends $Command .f(StartSimulationInputFilterSensitiveLog, void 0) .ser(se_StartSimulationCommand) .de(de_StartSimulationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSimulationInput; + output: StartSimulationOutput; + }; + sdk: { + input: StartSimulationCommandInput; + output: StartSimulationCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/StopAppCommand.ts b/clients/client-simspaceweaver/src/commands/StopAppCommand.ts index d69c6968b2e8..b92bf56c9bab 100644 --- a/clients/client-simspaceweaver/src/commands/StopAppCommand.ts +++ b/clients/client-simspaceweaver/src/commands/StopAppCommand.ts @@ -92,4 +92,16 @@ export class StopAppCommand extends $Command .f(void 0, void 0) .ser(se_StopAppCommand) .de(de_StopAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAppInput; + output: {}; + }; + sdk: { + input: StopAppCommandInput; + output: StopAppCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/StopClockCommand.ts b/clients/client-simspaceweaver/src/commands/StopClockCommand.ts index 7003ffd089b1..311740d4a561 100644 --- a/clients/client-simspaceweaver/src/commands/StopClockCommand.ts +++ b/clients/client-simspaceweaver/src/commands/StopClockCommand.ts @@ -90,4 +90,16 @@ export class StopClockCommand extends $Command .f(void 0, void 0) .ser(se_StopClockCommand) .de(de_StopClockCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopClockInput; + output: {}; + }; + sdk: { + input: StopClockCommandInput; + output: StopClockCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/StopSimulationCommand.ts b/clients/client-simspaceweaver/src/commands/StopSimulationCommand.ts index 00514063244f..0a80ffbd82b1 100644 --- a/clients/client-simspaceweaver/src/commands/StopSimulationCommand.ts +++ b/clients/client-simspaceweaver/src/commands/StopSimulationCommand.ts @@ -94,4 +94,16 @@ export class StopSimulationCommand extends $Command .f(void 0, void 0) .ser(se_StopSimulationCommand) .de(de_StopSimulationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopSimulationInput; + output: {}; + }; + sdk: { + input: StopSimulationCommandInput; + output: StopSimulationCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/TagResourceCommand.ts b/clients/client-simspaceweaver/src/commands/TagResourceCommand.ts index 09d50c18cd7b..46c73b3361c9 100644 --- a/clients/client-simspaceweaver/src/commands/TagResourceCommand.ts +++ b/clients/client-simspaceweaver/src/commands/TagResourceCommand.ts @@ -88,4 +88,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-simspaceweaver/src/commands/UntagResourceCommand.ts b/clients/client-simspaceweaver/src/commands/UntagResourceCommand.ts index b09b37dbe091..348c04bcc540 100644 --- a/clients/client-simspaceweaver/src/commands/UntagResourceCommand.ts +++ b/clients/client-simspaceweaver/src/commands/UntagResourceCommand.ts @@ -85,4 +85,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sms/package.json b/clients/client-sms/package.json index a17e16fbc7d3..0c863fe37073 100644 --- a/clients/client-sms/package.json +++ b/clients/client-sms/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sms/src/commands/CreateAppCommand.ts b/clients/client-sms/src/commands/CreateAppCommand.ts index c04e8f57459a..dbf8731dea0b 100644 --- a/clients/client-sms/src/commands/CreateAppCommand.ts +++ b/clients/client-sms/src/commands/CreateAppCommand.ts @@ -181,4 +181,16 @@ export class CreateAppCommand extends $Command .f(void 0, void 0) .ser(se_CreateAppCommand) .de(de_CreateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAppRequest; + output: CreateAppResponse; + }; + sdk: { + input: CreateAppCommandInput; + output: CreateAppCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/CreateReplicationJobCommand.ts b/clients/client-sms/src/commands/CreateReplicationJobCommand.ts index 2b062933e222..0d8d4e91076e 100644 --- a/clients/client-sms/src/commands/CreateReplicationJobCommand.ts +++ b/clients/client-sms/src/commands/CreateReplicationJobCommand.ts @@ -116,4 +116,16 @@ export class CreateReplicationJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationJobCommand) .de(de_CreateReplicationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationJobRequest; + output: CreateReplicationJobResponse; + }; + sdk: { + input: CreateReplicationJobCommandInput; + output: CreateReplicationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/DeleteAppCommand.ts b/clients/client-sms/src/commands/DeleteAppCommand.ts index 19c9ac8558bd..53d2cce152b5 100644 --- a/clients/client-sms/src/commands/DeleteAppCommand.ts +++ b/clients/client-sms/src/commands/DeleteAppCommand.ts @@ -94,4 +94,16 @@ export class DeleteAppCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppCommand) .de(de_DeleteAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppRequest; + output: {}; + }; + sdk: { + input: DeleteAppCommandInput; + output: DeleteAppCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/DeleteAppLaunchConfigurationCommand.ts b/clients/client-sms/src/commands/DeleteAppLaunchConfigurationCommand.ts index 1737c5b1e81a..7699ae000107 100644 --- a/clients/client-sms/src/commands/DeleteAppLaunchConfigurationCommand.ts +++ b/clients/client-sms/src/commands/DeleteAppLaunchConfigurationCommand.ts @@ -96,4 +96,16 @@ export class DeleteAppLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppLaunchConfigurationCommand) .de(de_DeleteAppLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppLaunchConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteAppLaunchConfigurationCommandInput; + output: DeleteAppLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/DeleteAppReplicationConfigurationCommand.ts b/clients/client-sms/src/commands/DeleteAppReplicationConfigurationCommand.ts index 8249af33a389..d5fcc3b3697e 100644 --- a/clients/client-sms/src/commands/DeleteAppReplicationConfigurationCommand.ts +++ b/clients/client-sms/src/commands/DeleteAppReplicationConfigurationCommand.ts @@ -99,4 +99,16 @@ export class DeleteAppReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppReplicationConfigurationCommand) .de(de_DeleteAppReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppReplicationConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteAppReplicationConfigurationCommandInput; + output: DeleteAppReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/DeleteAppValidationConfigurationCommand.ts b/clients/client-sms/src/commands/DeleteAppValidationConfigurationCommand.ts index ea6ab184a7a3..2bd223fb8dc1 100644 --- a/clients/client-sms/src/commands/DeleteAppValidationConfigurationCommand.ts +++ b/clients/client-sms/src/commands/DeleteAppValidationConfigurationCommand.ts @@ -96,4 +96,16 @@ export class DeleteAppValidationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAppValidationConfigurationCommand) .de(de_DeleteAppValidationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAppValidationConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteAppValidationConfigurationCommandInput; + output: DeleteAppValidationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/DeleteReplicationJobCommand.ts b/clients/client-sms/src/commands/DeleteReplicationJobCommand.ts index 1c40d4a4b628..a0ce021996e9 100644 --- a/clients/client-sms/src/commands/DeleteReplicationJobCommand.ts +++ b/clients/client-sms/src/commands/DeleteReplicationJobCommand.ts @@ -94,4 +94,16 @@ export class DeleteReplicationJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationJobCommand) .de(de_DeleteReplicationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationJobRequest; + output: {}; + }; + sdk: { + input: DeleteReplicationJobCommandInput; + output: DeleteReplicationJobCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/DeleteServerCatalogCommand.ts b/clients/client-sms/src/commands/DeleteServerCatalogCommand.ts index 0bc623b3edf4..d8d37b078634 100644 --- a/clients/client-sms/src/commands/DeleteServerCatalogCommand.ts +++ b/clients/client-sms/src/commands/DeleteServerCatalogCommand.ts @@ -86,4 +86,16 @@ export class DeleteServerCatalogCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServerCatalogCommand) .de(de_DeleteServerCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteServerCatalogCommandInput; + output: DeleteServerCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/DisassociateConnectorCommand.ts b/clients/client-sms/src/commands/DisassociateConnectorCommand.ts index 27a4c7311463..b125e2baffd6 100644 --- a/clients/client-sms/src/commands/DisassociateConnectorCommand.ts +++ b/clients/client-sms/src/commands/DisassociateConnectorCommand.ts @@ -90,4 +90,16 @@ export class DisassociateConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateConnectorCommand) .de(de_DisassociateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateConnectorRequest; + output: {}; + }; + sdk: { + input: DisassociateConnectorCommandInput; + output: DisassociateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GenerateChangeSetCommand.ts b/clients/client-sms/src/commands/GenerateChangeSetCommand.ts index ccdb936ce41b..7235f8a49dd7 100644 --- a/clients/client-sms/src/commands/GenerateChangeSetCommand.ts +++ b/clients/client-sms/src/commands/GenerateChangeSetCommand.ts @@ -98,4 +98,16 @@ export class GenerateChangeSetCommand extends $Command .f(void 0, void 0) .ser(se_GenerateChangeSetCommand) .de(de_GenerateChangeSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateChangeSetRequest; + output: GenerateChangeSetResponse; + }; + sdk: { + input: GenerateChangeSetCommandInput; + output: GenerateChangeSetCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GenerateTemplateCommand.ts b/clients/client-sms/src/commands/GenerateTemplateCommand.ts index 297729343aa2..bf72eeab8a0e 100644 --- a/clients/client-sms/src/commands/GenerateTemplateCommand.ts +++ b/clients/client-sms/src/commands/GenerateTemplateCommand.ts @@ -98,4 +98,16 @@ export class GenerateTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GenerateTemplateCommand) .de(de_GenerateTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateTemplateRequest; + output: GenerateTemplateResponse; + }; + sdk: { + input: GenerateTemplateCommandInput; + output: GenerateTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetAppCommand.ts b/clients/client-sms/src/commands/GetAppCommand.ts index 9aa13d74e618..9e9f85663133 100644 --- a/clients/client-sms/src/commands/GetAppCommand.ts +++ b/clients/client-sms/src/commands/GetAppCommand.ts @@ -147,4 +147,16 @@ export class GetAppCommand extends $Command .f(void 0, void 0) .ser(se_GetAppCommand) .de(de_GetAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppRequest; + output: GetAppResponse; + }; + sdk: { + input: GetAppCommandInput; + output: GetAppCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetAppLaunchConfigurationCommand.ts b/clients/client-sms/src/commands/GetAppLaunchConfigurationCommand.ts index 9193c16a22f6..96136993098b 100644 --- a/clients/client-sms/src/commands/GetAppLaunchConfigurationCommand.ts +++ b/clients/client-sms/src/commands/GetAppLaunchConfigurationCommand.ts @@ -140,4 +140,16 @@ export class GetAppLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAppLaunchConfigurationCommand) .de(de_GetAppLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppLaunchConfigurationRequest; + output: GetAppLaunchConfigurationResponse; + }; + sdk: { + input: GetAppLaunchConfigurationCommandInput; + output: GetAppLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetAppReplicationConfigurationCommand.ts b/clients/client-sms/src/commands/GetAppReplicationConfigurationCommand.ts index 3904d29df13b..e64713ef4fda 100644 --- a/clients/client-sms/src/commands/GetAppReplicationConfigurationCommand.ts +++ b/clients/client-sms/src/commands/GetAppReplicationConfigurationCommand.ts @@ -132,4 +132,16 @@ export class GetAppReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAppReplicationConfigurationCommand) .de(de_GetAppReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppReplicationConfigurationRequest; + output: GetAppReplicationConfigurationResponse; + }; + sdk: { + input: GetAppReplicationConfigurationCommandInput; + output: GetAppReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetAppValidationConfigurationCommand.ts b/clients/client-sms/src/commands/GetAppValidationConfigurationCommand.ts index 7fab94068c4c..ef9b4fb09213 100644 --- a/clients/client-sms/src/commands/GetAppValidationConfigurationCommand.ts +++ b/clients/client-sms/src/commands/GetAppValidationConfigurationCommand.ts @@ -154,4 +154,16 @@ export class GetAppValidationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetAppValidationConfigurationCommand) .de(de_GetAppValidationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppValidationConfigurationRequest; + output: GetAppValidationConfigurationResponse; + }; + sdk: { + input: GetAppValidationConfigurationCommandInput; + output: GetAppValidationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetAppValidationOutputCommand.ts b/clients/client-sms/src/commands/GetAppValidationOutputCommand.ts index e533df61a7ae..5aa9d2499f6c 100644 --- a/clients/client-sms/src/commands/GetAppValidationOutputCommand.ts +++ b/clients/client-sms/src/commands/GetAppValidationOutputCommand.ts @@ -127,4 +127,16 @@ export class GetAppValidationOutputCommand extends $Command .f(void 0, void 0) .ser(se_GetAppValidationOutputCommand) .de(de_GetAppValidationOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAppValidationOutputRequest; + output: GetAppValidationOutputResponse; + }; + sdk: { + input: GetAppValidationOutputCommandInput; + output: GetAppValidationOutputCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetConnectorsCommand.ts b/clients/client-sms/src/commands/GetConnectorsCommand.ts index 06986faef3a2..cb2ba27cca2c 100644 --- a/clients/client-sms/src/commands/GetConnectorsCommand.ts +++ b/clients/client-sms/src/commands/GetConnectorsCommand.ts @@ -98,4 +98,16 @@ export class GetConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectorsCommand) .de(de_GetConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectorsRequest; + output: GetConnectorsResponse; + }; + sdk: { + input: GetConnectorsCommandInput; + output: GetConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetReplicationJobsCommand.ts b/clients/client-sms/src/commands/GetReplicationJobsCommand.ts index 79387df3b84e..04b01ac35124 100644 --- a/clients/client-sms/src/commands/GetReplicationJobsCommand.ts +++ b/clients/client-sms/src/commands/GetReplicationJobsCommand.ts @@ -137,4 +137,16 @@ export class GetReplicationJobsCommand extends $Command .f(void 0, void 0) .ser(se_GetReplicationJobsCommand) .de(de_GetReplicationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReplicationJobsRequest; + output: GetReplicationJobsResponse; + }; + sdk: { + input: GetReplicationJobsCommandInput; + output: GetReplicationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetReplicationRunsCommand.ts b/clients/client-sms/src/commands/GetReplicationRunsCommand.ts index 05041c0bbf61..4a1db4a1d984 100644 --- a/clients/client-sms/src/commands/GetReplicationRunsCommand.ts +++ b/clients/client-sms/src/commands/GetReplicationRunsCommand.ts @@ -153,4 +153,16 @@ export class GetReplicationRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetReplicationRunsCommand) .de(de_GetReplicationRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReplicationRunsRequest; + output: GetReplicationRunsResponse; + }; + sdk: { + input: GetReplicationRunsCommandInput; + output: GetReplicationRunsCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/GetServersCommand.ts b/clients/client-sms/src/commands/GetServersCommand.ts index 16fd36837540..91bc9060dad2 100644 --- a/clients/client-sms/src/commands/GetServersCommand.ts +++ b/clients/client-sms/src/commands/GetServersCommand.ts @@ -118,4 +118,16 @@ export class GetServersCommand extends $Command .f(void 0, void 0) .ser(se_GetServersCommand) .de(de_GetServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServersRequest; + output: GetServersResponse; + }; + sdk: { + input: GetServersCommandInput; + output: GetServersCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/ImportAppCatalogCommand.ts b/clients/client-sms/src/commands/ImportAppCatalogCommand.ts index 1f8815195f4f..0bba57b36ccf 100644 --- a/clients/client-sms/src/commands/ImportAppCatalogCommand.ts +++ b/clients/client-sms/src/commands/ImportAppCatalogCommand.ts @@ -91,4 +91,16 @@ export class ImportAppCatalogCommand extends $Command .f(void 0, void 0) .ser(se_ImportAppCatalogCommand) .de(de_ImportAppCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportAppCatalogRequest; + output: {}; + }; + sdk: { + input: ImportAppCatalogCommandInput; + output: ImportAppCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/ImportServerCatalogCommand.ts b/clients/client-sms/src/commands/ImportServerCatalogCommand.ts index 4dea19532292..b1bd2e04a2d4 100644 --- a/clients/client-sms/src/commands/ImportServerCatalogCommand.ts +++ b/clients/client-sms/src/commands/ImportServerCatalogCommand.ts @@ -92,4 +92,16 @@ export class ImportServerCatalogCommand extends $Command .f(void 0, void 0) .ser(se_ImportServerCatalogCommand) .de(de_ImportServerCatalogCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: ImportServerCatalogCommandInput; + output: ImportServerCatalogCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/LaunchAppCommand.ts b/clients/client-sms/src/commands/LaunchAppCommand.ts index fe7bd63cbb54..4bba7d02e8dd 100644 --- a/clients/client-sms/src/commands/LaunchAppCommand.ts +++ b/clients/client-sms/src/commands/LaunchAppCommand.ts @@ -91,4 +91,16 @@ export class LaunchAppCommand extends $Command .f(void 0, void 0) .ser(se_LaunchAppCommand) .de(de_LaunchAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LaunchAppRequest; + output: {}; + }; + sdk: { + input: LaunchAppCommandInput; + output: LaunchAppCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/ListAppsCommand.ts b/clients/client-sms/src/commands/ListAppsCommand.ts index fd4d18c4a08d..ca8e813438aa 100644 --- a/clients/client-sms/src/commands/ListAppsCommand.ts +++ b/clients/client-sms/src/commands/ListAppsCommand.ts @@ -124,4 +124,16 @@ export class ListAppsCommand extends $Command .f(void 0, void 0) .ser(se_ListAppsCommand) .de(de_ListAppsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAppsRequest; + output: ListAppsResponse; + }; + sdk: { + input: ListAppsCommandInput; + output: ListAppsCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/NotifyAppValidationOutputCommand.ts b/clients/client-sms/src/commands/NotifyAppValidationOutputCommand.ts index b77aa17fadc9..130600ac2fbb 100644 --- a/clients/client-sms/src/commands/NotifyAppValidationOutputCommand.ts +++ b/clients/client-sms/src/commands/NotifyAppValidationOutputCommand.ts @@ -96,4 +96,16 @@ export class NotifyAppValidationOutputCommand extends $Command .f(void 0, void 0) .ser(se_NotifyAppValidationOutputCommand) .de(de_NotifyAppValidationOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyAppValidationOutputRequest; + output: {}; + }; + sdk: { + input: NotifyAppValidationOutputCommandInput; + output: NotifyAppValidationOutputCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/PutAppLaunchConfigurationCommand.ts b/clients/client-sms/src/commands/PutAppLaunchConfigurationCommand.ts index 61a70b55c13d..b507907e5eb2 100644 --- a/clients/client-sms/src/commands/PutAppLaunchConfigurationCommand.ts +++ b/clients/client-sms/src/commands/PutAppLaunchConfigurationCommand.ts @@ -138,4 +138,16 @@ export class PutAppLaunchConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutAppLaunchConfigurationCommand) .de(de_PutAppLaunchConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppLaunchConfigurationRequest; + output: {}; + }; + sdk: { + input: PutAppLaunchConfigurationCommandInput; + output: PutAppLaunchConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/PutAppReplicationConfigurationCommand.ts b/clients/client-sms/src/commands/PutAppReplicationConfigurationCommand.ts index 2e20c61eb8de..2eccc5a9a145 100644 --- a/clients/client-sms/src/commands/PutAppReplicationConfigurationCommand.ts +++ b/clients/client-sms/src/commands/PutAppReplicationConfigurationCommand.ts @@ -130,4 +130,16 @@ export class PutAppReplicationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutAppReplicationConfigurationCommand) .de(de_PutAppReplicationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppReplicationConfigurationRequest; + output: {}; + }; + sdk: { + input: PutAppReplicationConfigurationCommandInput; + output: PutAppReplicationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/PutAppValidationConfigurationCommand.ts b/clients/client-sms/src/commands/PutAppValidationConfigurationCommand.ts index 704cc7391dbe..90352c3a83a0 100644 --- a/clients/client-sms/src/commands/PutAppValidationConfigurationCommand.ts +++ b/clients/client-sms/src/commands/PutAppValidationConfigurationCommand.ts @@ -153,4 +153,16 @@ export class PutAppValidationConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutAppValidationConfigurationCommand) .de(de_PutAppValidationConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAppValidationConfigurationRequest; + output: {}; + }; + sdk: { + input: PutAppValidationConfigurationCommandInput; + output: PutAppValidationConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/StartAppReplicationCommand.ts b/clients/client-sms/src/commands/StartAppReplicationCommand.ts index e27cd6a1a737..dd5e17f73dcf 100644 --- a/clients/client-sms/src/commands/StartAppReplicationCommand.ts +++ b/clients/client-sms/src/commands/StartAppReplicationCommand.ts @@ -92,4 +92,16 @@ export class StartAppReplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartAppReplicationCommand) .de(de_StartAppReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAppReplicationRequest; + output: {}; + }; + sdk: { + input: StartAppReplicationCommandInput; + output: StartAppReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/StartOnDemandAppReplicationCommand.ts b/clients/client-sms/src/commands/StartOnDemandAppReplicationCommand.ts index f8c6b14597b1..e1ad746d32e0 100644 --- a/clients/client-sms/src/commands/StartOnDemandAppReplicationCommand.ts +++ b/clients/client-sms/src/commands/StartOnDemandAppReplicationCommand.ts @@ -94,4 +94,16 @@ export class StartOnDemandAppReplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartOnDemandAppReplicationCommand) .de(de_StartOnDemandAppReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartOnDemandAppReplicationRequest; + output: {}; + }; + sdk: { + input: StartOnDemandAppReplicationCommandInput; + output: StartOnDemandAppReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/StartOnDemandReplicationRunCommand.ts b/clients/client-sms/src/commands/StartOnDemandReplicationRunCommand.ts index bff64a9c129b..4b2c3d7bf416 100644 --- a/clients/client-sms/src/commands/StartOnDemandReplicationRunCommand.ts +++ b/clients/client-sms/src/commands/StartOnDemandReplicationRunCommand.ts @@ -105,4 +105,16 @@ export class StartOnDemandReplicationRunCommand extends $Command .f(void 0, void 0) .ser(se_StartOnDemandReplicationRunCommand) .de(de_StartOnDemandReplicationRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartOnDemandReplicationRunRequest; + output: StartOnDemandReplicationRunResponse; + }; + sdk: { + input: StartOnDemandReplicationRunCommandInput; + output: StartOnDemandReplicationRunCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/StopAppReplicationCommand.ts b/clients/client-sms/src/commands/StopAppReplicationCommand.ts index 1394ff808acd..a4970ee3cd7d 100644 --- a/clients/client-sms/src/commands/StopAppReplicationCommand.ts +++ b/clients/client-sms/src/commands/StopAppReplicationCommand.ts @@ -92,4 +92,16 @@ export class StopAppReplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopAppReplicationCommand) .de(de_StopAppReplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAppReplicationRequest; + output: {}; + }; + sdk: { + input: StopAppReplicationCommandInput; + output: StopAppReplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/TerminateAppCommand.ts b/clients/client-sms/src/commands/TerminateAppCommand.ts index dd986ab74d09..faf3c0988417 100644 --- a/clients/client-sms/src/commands/TerminateAppCommand.ts +++ b/clients/client-sms/src/commands/TerminateAppCommand.ts @@ -91,4 +91,16 @@ export class TerminateAppCommand extends $Command .f(void 0, void 0) .ser(se_TerminateAppCommand) .de(de_TerminateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateAppRequest; + output: {}; + }; + sdk: { + input: TerminateAppCommandInput; + output: TerminateAppCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/UpdateAppCommand.ts b/clients/client-sms/src/commands/UpdateAppCommand.ts index 24da887a1e96..3f5920fefc18 100644 --- a/clients/client-sms/src/commands/UpdateAppCommand.ts +++ b/clients/client-sms/src/commands/UpdateAppCommand.ts @@ -180,4 +180,16 @@ export class UpdateAppCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAppCommand) .de(de_UpdateAppCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAppRequest; + output: UpdateAppResponse; + }; + sdk: { + input: UpdateAppCommandInput; + output: UpdateAppCommandOutput; + }; + }; +} diff --git a/clients/client-sms/src/commands/UpdateReplicationJobCommand.ts b/clients/client-sms/src/commands/UpdateReplicationJobCommand.ts index 185c1704e3d6..ed9609a4583f 100644 --- a/clients/client-sms/src/commands/UpdateReplicationJobCommand.ts +++ b/clients/client-sms/src/commands/UpdateReplicationJobCommand.ts @@ -108,4 +108,16 @@ export class UpdateReplicationJobCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReplicationJobCommand) .de(de_UpdateReplicationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReplicationJobRequest; + output: {}; + }; + sdk: { + input: UpdateReplicationJobCommandInput; + output: UpdateReplicationJobCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/package.json b/clients/client-snow-device-management/package.json index c1b15b182eb0..a7007b2544c6 100644 --- a/clients/client-snow-device-management/package.json +++ b/clients/client-snow-device-management/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-snow-device-management/src/commands/CancelTaskCommand.ts b/clients/client-snow-device-management/src/commands/CancelTaskCommand.ts index 0461fb44812c..0649a0b4ca1c 100644 --- a/clients/client-snow-device-management/src/commands/CancelTaskCommand.ts +++ b/clients/client-snow-device-management/src/commands/CancelTaskCommand.ts @@ -101,4 +101,16 @@ export class CancelTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelTaskCommand) .de(de_CancelTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelTaskInput; + output: CancelTaskOutput; + }; + sdk: { + input: CancelTaskCommandInput; + output: CancelTaskCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/CreateTaskCommand.ts b/clients/client-snow-device-management/src/commands/CreateTaskCommand.ts index 806430ee6570..e91457a6fd09 100644 --- a/clients/client-snow-device-management/src/commands/CreateTaskCommand.ts +++ b/clients/client-snow-device-management/src/commands/CreateTaskCommand.ts @@ -111,4 +111,16 @@ export class CreateTaskCommand extends $Command .f(void 0, void 0) .ser(se_CreateTaskCommand) .de(de_CreateTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTaskInput; + output: CreateTaskOutput; + }; + sdk: { + input: CreateTaskCommandInput; + output: CreateTaskCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/DescribeDeviceCommand.ts b/clients/client-snow-device-management/src/commands/DescribeDeviceCommand.ts index bbab81f1775a..3f02817e65c5 100644 --- a/clients/client-snow-device-management/src/commands/DescribeDeviceCommand.ts +++ b/clients/client-snow-device-management/src/commands/DescribeDeviceCommand.ts @@ -131,4 +131,16 @@ export class DescribeDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceCommand) .de(de_DescribeDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceInput; + output: DescribeDeviceOutput; + }; + sdk: { + input: DescribeDeviceCommandInput; + output: DescribeDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/DescribeDeviceEc2InstancesCommand.ts b/clients/client-snow-device-management/src/commands/DescribeDeviceEc2InstancesCommand.ts index f391795e259e..6699e0e0048a 100644 --- a/clients/client-snow-device-management/src/commands/DescribeDeviceEc2InstancesCommand.ts +++ b/clients/client-snow-device-management/src/commands/DescribeDeviceEc2InstancesCommand.ts @@ -141,4 +141,16 @@ export class DescribeDeviceEc2InstancesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceEc2InstancesCommand) .de(de_DescribeDeviceEc2InstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceEc2Input; + output: DescribeDeviceEc2Output; + }; + sdk: { + input: DescribeDeviceEc2InstancesCommandInput; + output: DescribeDeviceEc2InstancesCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/DescribeExecutionCommand.ts b/clients/client-snow-device-management/src/commands/DescribeExecutionCommand.ts index 182751715d4f..8237f0721478 100644 --- a/clients/client-snow-device-management/src/commands/DescribeExecutionCommand.ts +++ b/clients/client-snow-device-management/src/commands/DescribeExecutionCommand.ts @@ -102,4 +102,16 @@ export class DescribeExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExecutionCommand) .de(de_DescribeExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExecutionInput; + output: DescribeExecutionOutput; + }; + sdk: { + input: DescribeExecutionCommandInput; + output: DescribeExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/DescribeTaskCommand.ts b/clients/client-snow-device-management/src/commands/DescribeTaskCommand.ts index ffa237dcdfe6..4136a7d3b93c 100644 --- a/clients/client-snow-device-management/src/commands/DescribeTaskCommand.ts +++ b/clients/client-snow-device-management/src/commands/DescribeTaskCommand.ts @@ -108,4 +108,16 @@ export class DescribeTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTaskCommand) .de(de_DescribeTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTaskInput; + output: DescribeTaskOutput; + }; + sdk: { + input: DescribeTaskCommandInput; + output: DescribeTaskCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/ListDeviceResourcesCommand.ts b/clients/client-snow-device-management/src/commands/ListDeviceResourcesCommand.ts index 7b530aab86e3..2cd12b3fa3a5 100644 --- a/clients/client-snow-device-management/src/commands/ListDeviceResourcesCommand.ts +++ b/clients/client-snow-device-management/src/commands/ListDeviceResourcesCommand.ts @@ -106,4 +106,16 @@ export class ListDeviceResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListDeviceResourcesCommand) .de(de_ListDeviceResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeviceResourcesInput; + output: ListDeviceResourcesOutput; + }; + sdk: { + input: ListDeviceResourcesCommandInput; + output: ListDeviceResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/ListDevicesCommand.ts b/clients/client-snow-device-management/src/commands/ListDevicesCommand.ts index 9a68678f679d..a597f11b7094 100644 --- a/clients/client-snow-device-management/src/commands/ListDevicesCommand.ts +++ b/clients/client-snow-device-management/src/commands/ListDevicesCommand.ts @@ -106,4 +106,16 @@ export class ListDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesInput; + output: ListDevicesOutput; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/ListExecutionsCommand.ts b/clients/client-snow-device-management/src/commands/ListExecutionsCommand.ts index 754e1120381c..09b729502950 100644 --- a/clients/client-snow-device-management/src/commands/ListExecutionsCommand.ts +++ b/clients/client-snow-device-management/src/commands/ListExecutionsCommand.ts @@ -107,4 +107,16 @@ export class ListExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListExecutionsCommand) .de(de_ListExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExecutionsInput; + output: ListExecutionsOutput; + }; + sdk: { + input: ListExecutionsCommandInput; + output: ListExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/ListTagsForResourceCommand.ts b/clients/client-snow-device-management/src/commands/ListTagsForResourceCommand.ts index 3113407fa771..161e1015165e 100644 --- a/clients/client-snow-device-management/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-snow-device-management/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/ListTasksCommand.ts b/clients/client-snow-device-management/src/commands/ListTasksCommand.ts index bef1310ff95e..a2531ec5f599 100644 --- a/clients/client-snow-device-management/src/commands/ListTasksCommand.ts +++ b/clients/client-snow-device-management/src/commands/ListTasksCommand.ts @@ -105,4 +105,16 @@ export class ListTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListTasksCommand) .de(de_ListTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTasksInput; + output: ListTasksOutput; + }; + sdk: { + input: ListTasksCommandInput; + output: ListTasksCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/TagResourceCommand.ts b/clients/client-snow-device-management/src/commands/TagResourceCommand.ts index 8056da2e0f00..bde348250230 100644 --- a/clients/client-snow-device-management/src/commands/TagResourceCommand.ts +++ b/clients/client-snow-device-management/src/commands/TagResourceCommand.ts @@ -91,4 +91,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-snow-device-management/src/commands/UntagResourceCommand.ts b/clients/client-snow-device-management/src/commands/UntagResourceCommand.ts index 08166395b508..d73ea0c03f81 100644 --- a/clients/client-snow-device-management/src/commands/UntagResourceCommand.ts +++ b/clients/client-snow-device-management/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/package.json b/clients/client-snowball/package.json index 7fd4266e5e9e..3c8f3728e5e5 100644 --- a/clients/client-snowball/package.json +++ b/clients/client-snowball/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-snowball/src/commands/CancelClusterCommand.ts b/clients/client-snowball/src/commands/CancelClusterCommand.ts index 4e2b45d44749..0559476d4357 100644 --- a/clients/client-snowball/src/commands/CancelClusterCommand.ts +++ b/clients/client-snowball/src/commands/CancelClusterCommand.ts @@ -100,4 +100,16 @@ export class CancelClusterCommand extends $Command .f(void 0, void 0) .ser(se_CancelClusterCommand) .de(de_CancelClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelClusterRequest; + output: {}; + }; + sdk: { + input: CancelClusterCommandInput; + output: CancelClusterCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/CancelJobCommand.ts b/clients/client-snowball/src/commands/CancelJobCommand.ts index f6e9df4e4cb3..f66f2429e3df 100644 --- a/clients/client-snowball/src/commands/CancelJobCommand.ts +++ b/clients/client-snowball/src/commands/CancelJobCommand.ts @@ -101,4 +101,16 @@ export class CancelJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelJobCommand) .de(de_CancelJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelJobRequest; + output: {}; + }; + sdk: { + input: CancelJobCommandInput; + output: CancelJobCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/CreateAddressCommand.ts b/clients/client-snowball/src/commands/CreateAddressCommand.ts index bea1354869b6..2c6d6c2efa5c 100644 --- a/clients/client-snowball/src/commands/CreateAddressCommand.ts +++ b/clients/client-snowball/src/commands/CreateAddressCommand.ts @@ -130,4 +130,16 @@ export class CreateAddressCommand extends $Command .f(void 0, void 0) .ser(se_CreateAddressCommand) .de(de_CreateAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAddressRequest; + output: CreateAddressResult; + }; + sdk: { + input: CreateAddressCommandInput; + output: CreateAddressCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/CreateClusterCommand.ts b/clients/client-snowball/src/commands/CreateClusterCommand.ts index 7e5e1d2e60d0..a07144c83c08 100644 --- a/clients/client-snowball/src/commands/CreateClusterCommand.ts +++ b/clients/client-snowball/src/commands/CreateClusterCommand.ts @@ -218,4 +218,16 @@ export class CreateClusterCommand extends $Command .f(void 0, void 0) .ser(se_CreateClusterCommand) .de(de_CreateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateClusterRequest; + output: CreateClusterResult; + }; + sdk: { + input: CreateClusterCommandInput; + output: CreateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/CreateJobCommand.ts b/clients/client-snowball/src/commands/CreateJobCommand.ts index 3f2857163ae3..dc782fd7ed73 100644 --- a/clients/client-snowball/src/commands/CreateJobCommand.ts +++ b/clients/client-snowball/src/commands/CreateJobCommand.ts @@ -380,4 +380,16 @@ export class CreateJobCommand extends $Command .f(CreateJobRequestFilterSensitiveLog, void 0) .ser(se_CreateJobCommand) .de(de_CreateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateJobRequest; + output: CreateJobResult; + }; + sdk: { + input: CreateJobCommandInput; + output: CreateJobCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/CreateLongTermPricingCommand.ts b/clients/client-snowball/src/commands/CreateLongTermPricingCommand.ts index 52d9b99e9b17..629e9d97ffd8 100644 --- a/clients/client-snowball/src/commands/CreateLongTermPricingCommand.ts +++ b/clients/client-snowball/src/commands/CreateLongTermPricingCommand.ts @@ -85,4 +85,16 @@ export class CreateLongTermPricingCommand extends $Command .f(void 0, void 0) .ser(se_CreateLongTermPricingCommand) .de(de_CreateLongTermPricingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLongTermPricingRequest; + output: CreateLongTermPricingResult; + }; + sdk: { + input: CreateLongTermPricingCommandInput; + output: CreateLongTermPricingCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/CreateReturnShippingLabelCommand.ts b/clients/client-snowball/src/commands/CreateReturnShippingLabelCommand.ts index 5798f8065e2d..14f4b8b90c55 100644 --- a/clients/client-snowball/src/commands/CreateReturnShippingLabelCommand.ts +++ b/clients/client-snowball/src/commands/CreateReturnShippingLabelCommand.ts @@ -98,4 +98,16 @@ export class CreateReturnShippingLabelCommand extends $Command .f(void 0, void 0) .ser(se_CreateReturnShippingLabelCommand) .de(de_CreateReturnShippingLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReturnShippingLabelRequest; + output: CreateReturnShippingLabelResult; + }; + sdk: { + input: CreateReturnShippingLabelCommandInput; + output: CreateReturnShippingLabelCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/DescribeAddressCommand.ts b/clients/client-snowball/src/commands/DescribeAddressCommand.ts index 3021edaf190f..216c92c09edc 100644 --- a/clients/client-snowball/src/commands/DescribeAddressCommand.ts +++ b/clients/client-snowball/src/commands/DescribeAddressCommand.ts @@ -124,4 +124,16 @@ export class DescribeAddressCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddressCommand) .de(de_DescribeAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddressRequest; + output: DescribeAddressResult; + }; + sdk: { + input: DescribeAddressCommandInput; + output: DescribeAddressCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/DescribeAddressesCommand.ts b/clients/client-snowball/src/commands/DescribeAddressesCommand.ts index 59baafa1abfa..645fe4875cf6 100644 --- a/clients/client-snowball/src/commands/DescribeAddressesCommand.ts +++ b/clients/client-snowball/src/commands/DescribeAddressesCommand.ts @@ -134,4 +134,16 @@ export class DescribeAddressesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAddressesCommand) .de(de_DescribeAddressesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAddressesRequest; + output: DescribeAddressesResult; + }; + sdk: { + input: DescribeAddressesCommandInput; + output: DescribeAddressesCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/DescribeClusterCommand.ts b/clients/client-snowball/src/commands/DescribeClusterCommand.ts index 9fd208055e97..c65573053904 100644 --- a/clients/client-snowball/src/commands/DescribeClusterCommand.ts +++ b/clients/client-snowball/src/commands/DescribeClusterCommand.ts @@ -198,4 +198,16 @@ export class DescribeClusterCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClusterCommand) .de(de_DescribeClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClusterRequest; + output: DescribeClusterResult; + }; + sdk: { + input: DescribeClusterCommandInput; + output: DescribeClusterCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/DescribeJobCommand.ts b/clients/client-snowball/src/commands/DescribeJobCommand.ts index 23f1aa910aaa..422acfa521d6 100644 --- a/clients/client-snowball/src/commands/DescribeJobCommand.ts +++ b/clients/client-snowball/src/commands/DescribeJobCommand.ts @@ -369,4 +369,16 @@ export class DescribeJobCommand extends $Command .f(void 0, DescribeJobResultFilterSensitiveLog) .ser(se_DescribeJobCommand) .de(de_DescribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeJobRequest; + output: DescribeJobResult; + }; + sdk: { + input: DescribeJobCommandInput; + output: DescribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/DescribeReturnShippingLabelCommand.ts b/clients/client-snowball/src/commands/DescribeReturnShippingLabelCommand.ts index b93c65e56a0b..5902757c6adb 100644 --- a/clients/client-snowball/src/commands/DescribeReturnShippingLabelCommand.ts +++ b/clients/client-snowball/src/commands/DescribeReturnShippingLabelCommand.ts @@ -91,4 +91,16 @@ export class DescribeReturnShippingLabelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeReturnShippingLabelCommand) .de(de_DescribeReturnShippingLabelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeReturnShippingLabelRequest; + output: DescribeReturnShippingLabelResult; + }; + sdk: { + input: DescribeReturnShippingLabelCommandInput; + output: DescribeReturnShippingLabelCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/GetJobManifestCommand.ts b/clients/client-snowball/src/commands/GetJobManifestCommand.ts index 52c32e251219..169e66aa4dc2 100644 --- a/clients/client-snowball/src/commands/GetJobManifestCommand.ts +++ b/clients/client-snowball/src/commands/GetJobManifestCommand.ts @@ -122,4 +122,16 @@ export class GetJobManifestCommand extends $Command .f(void 0, void 0) .ser(se_GetJobManifestCommand) .de(de_GetJobManifestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobManifestRequest; + output: GetJobManifestResult; + }; + sdk: { + input: GetJobManifestCommandInput; + output: GetJobManifestCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/GetJobUnlockCodeCommand.ts b/clients/client-snowball/src/commands/GetJobUnlockCodeCommand.ts index 1010f9ced1d8..bccceff3d42d 100644 --- a/clients/client-snowball/src/commands/GetJobUnlockCodeCommand.ts +++ b/clients/client-snowball/src/commands/GetJobUnlockCodeCommand.ts @@ -117,4 +117,16 @@ export class GetJobUnlockCodeCommand extends $Command .f(void 0, void 0) .ser(se_GetJobUnlockCodeCommand) .de(de_GetJobUnlockCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetJobUnlockCodeRequest; + output: GetJobUnlockCodeResult; + }; + sdk: { + input: GetJobUnlockCodeCommandInput; + output: GetJobUnlockCodeCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/GetSnowballUsageCommand.ts b/clients/client-snowball/src/commands/GetSnowballUsageCommand.ts index 6e0a5b064143..52736080cea1 100644 --- a/clients/client-snowball/src/commands/GetSnowballUsageCommand.ts +++ b/clients/client-snowball/src/commands/GetSnowballUsageCommand.ts @@ -96,4 +96,16 @@ export class GetSnowballUsageCommand extends $Command .f(void 0, void 0) .ser(se_GetSnowballUsageCommand) .de(de_GetSnowballUsageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSnowballUsageResult; + }; + sdk: { + input: GetSnowballUsageCommandInput; + output: GetSnowballUsageCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/GetSoftwareUpdatesCommand.ts b/clients/client-snowball/src/commands/GetSoftwareUpdatesCommand.ts index 0645691989fb..04e1353e8146 100644 --- a/clients/client-snowball/src/commands/GetSoftwareUpdatesCommand.ts +++ b/clients/client-snowball/src/commands/GetSoftwareUpdatesCommand.ts @@ -86,4 +86,16 @@ export class GetSoftwareUpdatesCommand extends $Command .f(void 0, void 0) .ser(se_GetSoftwareUpdatesCommand) .de(de_GetSoftwareUpdatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSoftwareUpdatesRequest; + output: GetSoftwareUpdatesResult; + }; + sdk: { + input: GetSoftwareUpdatesCommandInput; + output: GetSoftwareUpdatesCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/ListClusterJobsCommand.ts b/clients/client-snowball/src/commands/ListClusterJobsCommand.ts index e2e8ab0690cf..c99d294395af 100644 --- a/clients/client-snowball/src/commands/ListClusterJobsCommand.ts +++ b/clients/client-snowball/src/commands/ListClusterJobsCommand.ts @@ -163,4 +163,16 @@ export class ListClusterJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListClusterJobsCommand) .de(de_ListClusterJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClusterJobsRequest; + output: ListClusterJobsResult; + }; + sdk: { + input: ListClusterJobsCommandInput; + output: ListClusterJobsCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/ListClustersCommand.ts b/clients/client-snowball/src/commands/ListClustersCommand.ts index 897e9a02e4db..e171d9b8a861 100644 --- a/clients/client-snowball/src/commands/ListClustersCommand.ts +++ b/clients/client-snowball/src/commands/ListClustersCommand.ts @@ -114,4 +114,16 @@ export class ListClustersCommand extends $Command .f(void 0, void 0) .ser(se_ListClustersCommand) .de(de_ListClustersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClustersRequest; + output: ListClustersResult; + }; + sdk: { + input: ListClustersCommandInput; + output: ListClustersCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/ListCompatibleImagesCommand.ts b/clients/client-snowball/src/commands/ListCompatibleImagesCommand.ts index 943f4851c92f..4b52659bc125 100644 --- a/clients/client-snowball/src/commands/ListCompatibleImagesCommand.ts +++ b/clients/client-snowball/src/commands/ListCompatibleImagesCommand.ts @@ -96,4 +96,16 @@ export class ListCompatibleImagesCommand extends $Command .f(void 0, void 0) .ser(se_ListCompatibleImagesCommand) .de(de_ListCompatibleImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCompatibleImagesRequest; + output: ListCompatibleImagesResult; + }; + sdk: { + input: ListCompatibleImagesCommandInput; + output: ListCompatibleImagesCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/ListJobsCommand.ts b/clients/client-snowball/src/commands/ListJobsCommand.ts index 11ae6951d3a9..136f8b22b239 100644 --- a/clients/client-snowball/src/commands/ListJobsCommand.ts +++ b/clients/client-snowball/src/commands/ListJobsCommand.ts @@ -122,4 +122,16 @@ export class ListJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListJobsCommand) .de(de_ListJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListJobsRequest; + output: ListJobsResult; + }; + sdk: { + input: ListJobsCommandInput; + output: ListJobsCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/ListLongTermPricingCommand.ts b/clients/client-snowball/src/commands/ListLongTermPricingCommand.ts index 394b19aa70f2..ae9815d40389 100644 --- a/clients/client-snowball/src/commands/ListLongTermPricingCommand.ts +++ b/clients/client-snowball/src/commands/ListLongTermPricingCommand.ts @@ -103,4 +103,16 @@ export class ListLongTermPricingCommand extends $Command .f(void 0, void 0) .ser(se_ListLongTermPricingCommand) .de(de_ListLongTermPricingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLongTermPricingRequest; + output: ListLongTermPricingResult; + }; + sdk: { + input: ListLongTermPricingCommandInput; + output: ListLongTermPricingCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/ListPickupLocationsCommand.ts b/clients/client-snowball/src/commands/ListPickupLocationsCommand.ts index 583177e75404..83f54b5aacc0 100644 --- a/clients/client-snowball/src/commands/ListPickupLocationsCommand.ts +++ b/clients/client-snowball/src/commands/ListPickupLocationsCommand.ts @@ -127,4 +127,16 @@ export class ListPickupLocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPickupLocationsCommand) .de(de_ListPickupLocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPickupLocationsRequest; + output: ListPickupLocationsResult; + }; + sdk: { + input: ListPickupLocationsCommandInput; + output: ListPickupLocationsCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/ListServiceVersionsCommand.ts b/clients/client-snowball/src/commands/ListServiceVersionsCommand.ts index c778fbbeb00b..60738d2013aa 100644 --- a/clients/client-snowball/src/commands/ListServiceVersionsCommand.ts +++ b/clients/client-snowball/src/commands/ListServiceVersionsCommand.ts @@ -111,4 +111,16 @@ export class ListServiceVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceVersionsCommand) .de(de_ListServiceVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceVersionsRequest; + output: ListServiceVersionsResult; + }; + sdk: { + input: ListServiceVersionsCommandInput; + output: ListServiceVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/UpdateClusterCommand.ts b/clients/client-snowball/src/commands/UpdateClusterCommand.ts index 2a1eb3259203..cad962491235 100644 --- a/clients/client-snowball/src/commands/UpdateClusterCommand.ts +++ b/clients/client-snowball/src/commands/UpdateClusterCommand.ts @@ -176,4 +176,16 @@ export class UpdateClusterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateClusterCommand) .de(de_UpdateClusterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateClusterRequest; + output: {}; + }; + sdk: { + input: UpdateClusterCommandInput; + output: UpdateClusterCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/UpdateJobCommand.ts b/clients/client-snowball/src/commands/UpdateJobCommand.ts index 55eea9f824dc..91ace7141117 100644 --- a/clients/client-snowball/src/commands/UpdateJobCommand.ts +++ b/clients/client-snowball/src/commands/UpdateJobCommand.ts @@ -192,4 +192,16 @@ export class UpdateJobCommand extends $Command .f(UpdateJobRequestFilterSensitiveLog, void 0) .ser(se_UpdateJobCommand) .de(de_UpdateJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobRequest; + output: {}; + }; + sdk: { + input: UpdateJobCommandInput; + output: UpdateJobCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/UpdateJobShipmentStateCommand.ts b/clients/client-snowball/src/commands/UpdateJobShipmentStateCommand.ts index 821860ce82a3..b7811b01450f 100644 --- a/clients/client-snowball/src/commands/UpdateJobShipmentStateCommand.ts +++ b/clients/client-snowball/src/commands/UpdateJobShipmentStateCommand.ts @@ -84,4 +84,16 @@ export class UpdateJobShipmentStateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateJobShipmentStateCommand) .de(de_UpdateJobShipmentStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateJobShipmentStateRequest; + output: {}; + }; + sdk: { + input: UpdateJobShipmentStateCommandInput; + output: UpdateJobShipmentStateCommandOutput; + }; + }; +} diff --git a/clients/client-snowball/src/commands/UpdateLongTermPricingCommand.ts b/clients/client-snowball/src/commands/UpdateLongTermPricingCommand.ts index b899101067b7..c74ee8fd110b 100644 --- a/clients/client-snowball/src/commands/UpdateLongTermPricingCommand.ts +++ b/clients/client-snowball/src/commands/UpdateLongTermPricingCommand.ts @@ -81,4 +81,16 @@ export class UpdateLongTermPricingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLongTermPricingCommand) .de(de_UpdateLongTermPricingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLongTermPricingRequest; + output: {}; + }; + sdk: { + input: UpdateLongTermPricingCommandInput; + output: UpdateLongTermPricingCommandOutput; + }; + }; +} diff --git a/clients/client-sns/package.json b/clients/client-sns/package.json index 9883271a8f08..cfe5dcb6f272 100644 --- a/clients/client-sns/package.json +++ b/clients/client-sns/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sns/src/commands/AddPermissionCommand.ts b/clients/client-sns/src/commands/AddPermissionCommand.ts index 1f642ed3bcc5..2d1da89e7b9a 100644 --- a/clients/client-sns/src/commands/AddPermissionCommand.ts +++ b/clients/client-sns/src/commands/AddPermissionCommand.ts @@ -101,4 +101,16 @@ export class AddPermissionCommand extends $Command .f(void 0, void 0) .ser(se_AddPermissionCommand) .de(de_AddPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddPermissionInput; + output: {}; + }; + sdk: { + input: AddPermissionCommandInput; + output: AddPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/CheckIfPhoneNumberIsOptedOutCommand.ts b/clients/client-sns/src/commands/CheckIfPhoneNumberIsOptedOutCommand.ts index 80207c8d99f3..77a8e0500f79 100644 --- a/clients/client-sns/src/commands/CheckIfPhoneNumberIsOptedOutCommand.ts +++ b/clients/client-sns/src/commands/CheckIfPhoneNumberIsOptedOutCommand.ts @@ -100,4 +100,16 @@ export class CheckIfPhoneNumberIsOptedOutCommand extends $Command .f(CheckIfPhoneNumberIsOptedOutInputFilterSensitiveLog, void 0) .ser(se_CheckIfPhoneNumberIsOptedOutCommand) .de(de_CheckIfPhoneNumberIsOptedOutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckIfPhoneNumberIsOptedOutInput; + output: CheckIfPhoneNumberIsOptedOutResponse; + }; + sdk: { + input: CheckIfPhoneNumberIsOptedOutCommandInput; + output: CheckIfPhoneNumberIsOptedOutCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ConfirmSubscriptionCommand.ts b/clients/client-sns/src/commands/ConfirmSubscriptionCommand.ts index 5b24f20773ea..cb101e914e79 100644 --- a/clients/client-sns/src/commands/ConfirmSubscriptionCommand.ts +++ b/clients/client-sns/src/commands/ConfirmSubscriptionCommand.ts @@ -108,4 +108,16 @@ export class ConfirmSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_ConfirmSubscriptionCommand) .de(de_ConfirmSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConfirmSubscriptionInput; + output: ConfirmSubscriptionResponse; + }; + sdk: { + input: ConfirmSubscriptionCommandInput; + output: ConfirmSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/CreatePlatformApplicationCommand.ts b/clients/client-sns/src/commands/CreatePlatformApplicationCommand.ts index 5e8f67b10cbc..22a46677942a 100644 --- a/clients/client-sns/src/commands/CreatePlatformApplicationCommand.ts +++ b/clients/client-sns/src/commands/CreatePlatformApplicationCommand.ts @@ -143,4 +143,16 @@ export class CreatePlatformApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreatePlatformApplicationCommand) .de(de_CreatePlatformApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlatformApplicationInput; + output: CreatePlatformApplicationResponse; + }; + sdk: { + input: CreatePlatformApplicationCommandInput; + output: CreatePlatformApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/CreatePlatformEndpointCommand.ts b/clients/client-sns/src/commands/CreatePlatformEndpointCommand.ts index be5c65479c04..e2a892fb8ad9 100644 --- a/clients/client-sns/src/commands/CreatePlatformEndpointCommand.ts +++ b/clients/client-sns/src/commands/CreatePlatformEndpointCommand.ts @@ -108,4 +108,16 @@ export class CreatePlatformEndpointCommand extends $Command .f(void 0, void 0) .ser(se_CreatePlatformEndpointCommand) .de(de_CreatePlatformEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePlatformEndpointInput; + output: CreateEndpointResponse; + }; + sdk: { + input: CreatePlatformEndpointCommandInput; + output: CreatePlatformEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/CreateSMSSandboxPhoneNumberCommand.ts b/clients/client-sns/src/commands/CreateSMSSandboxPhoneNumberCommand.ts index 9bf1bcd060ab..c24bf302b18d 100644 --- a/clients/client-sns/src/commands/CreateSMSSandboxPhoneNumberCommand.ts +++ b/clients/client-sns/src/commands/CreateSMSSandboxPhoneNumberCommand.ts @@ -110,4 +110,16 @@ export class CreateSMSSandboxPhoneNumberCommand extends $Command .f(CreateSMSSandboxPhoneNumberInputFilterSensitiveLog, void 0) .ser(se_CreateSMSSandboxPhoneNumberCommand) .de(de_CreateSMSSandboxPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSMSSandboxPhoneNumberInput; + output: {}; + }; + sdk: { + input: CreateSMSSandboxPhoneNumberCommandInput; + output: CreateSMSSandboxPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/CreateTopicCommand.ts b/clients/client-sns/src/commands/CreateTopicCommand.ts index 63dc02f9c114..7bab54051b55 100644 --- a/clients/client-sns/src/commands/CreateTopicCommand.ts +++ b/clients/client-sns/src/commands/CreateTopicCommand.ts @@ -123,4 +123,16 @@ export class CreateTopicCommand extends $Command .f(void 0, void 0) .ser(se_CreateTopicCommand) .de(de_CreateTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTopicInput; + output: CreateTopicResponse; + }; + sdk: { + input: CreateTopicCommandInput; + output: CreateTopicCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/DeleteEndpointCommand.ts b/clients/client-sns/src/commands/DeleteEndpointCommand.ts index d3fe9d93f4b7..4ad780f2bb36 100644 --- a/clients/client-sns/src/commands/DeleteEndpointCommand.ts +++ b/clients/client-sns/src/commands/DeleteEndpointCommand.ts @@ -89,4 +89,16 @@ export class DeleteEndpointCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEndpointCommand) .de(de_DeleteEndpointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEndpointInput; + output: {}; + }; + sdk: { + input: DeleteEndpointCommandInput; + output: DeleteEndpointCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/DeletePlatformApplicationCommand.ts b/clients/client-sns/src/commands/DeletePlatformApplicationCommand.ts index e2305f7f272b..f1203683845a 100644 --- a/clients/client-sns/src/commands/DeletePlatformApplicationCommand.ts +++ b/clients/client-sns/src/commands/DeletePlatformApplicationCommand.ts @@ -88,4 +88,16 @@ export class DeletePlatformApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeletePlatformApplicationCommand) .de(de_DeletePlatformApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePlatformApplicationInput; + output: {}; + }; + sdk: { + input: DeletePlatformApplicationCommandInput; + output: DeletePlatformApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/DeleteSMSSandboxPhoneNumberCommand.ts b/clients/client-sns/src/commands/DeleteSMSSandboxPhoneNumberCommand.ts index 858c681177ec..4f52ee8a6b6f 100644 --- a/clients/client-sns/src/commands/DeleteSMSSandboxPhoneNumberCommand.ts +++ b/clients/client-sns/src/commands/DeleteSMSSandboxPhoneNumberCommand.ts @@ -109,4 +109,16 @@ export class DeleteSMSSandboxPhoneNumberCommand extends $Command .f(DeleteSMSSandboxPhoneNumberInputFilterSensitiveLog, void 0) .ser(se_DeleteSMSSandboxPhoneNumberCommand) .de(de_DeleteSMSSandboxPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSMSSandboxPhoneNumberInput; + output: {}; + }; + sdk: { + input: DeleteSMSSandboxPhoneNumberCommandInput; + output: DeleteSMSSandboxPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/DeleteTopicCommand.ts b/clients/client-sns/src/commands/DeleteTopicCommand.ts index 46b77be0fa1e..89fc5e86617c 100644 --- a/clients/client-sns/src/commands/DeleteTopicCommand.ts +++ b/clients/client-sns/src/commands/DeleteTopicCommand.ts @@ -106,4 +106,16 @@ export class DeleteTopicCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTopicCommand) .de(de_DeleteTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTopicInput; + output: {}; + }; + sdk: { + input: DeleteTopicCommandInput; + output: DeleteTopicCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/GetDataProtectionPolicyCommand.ts b/clients/client-sns/src/commands/GetDataProtectionPolicyCommand.ts index 54737b6162d9..e29e64568831 100644 --- a/clients/client-sns/src/commands/GetDataProtectionPolicyCommand.ts +++ b/clients/client-sns/src/commands/GetDataProtectionPolicyCommand.ts @@ -95,4 +95,16 @@ export class GetDataProtectionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetDataProtectionPolicyCommand) .de(de_GetDataProtectionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDataProtectionPolicyInput; + output: GetDataProtectionPolicyResponse; + }; + sdk: { + input: GetDataProtectionPolicyCommandInput; + output: GetDataProtectionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/GetEndpointAttributesCommand.ts b/clients/client-sns/src/commands/GetEndpointAttributesCommand.ts index c3bc0c6c30d0..3e08f28f11cd 100644 --- a/clients/client-sns/src/commands/GetEndpointAttributesCommand.ts +++ b/clients/client-sns/src/commands/GetEndpointAttributesCommand.ts @@ -94,4 +94,16 @@ export class GetEndpointAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetEndpointAttributesCommand) .de(de_GetEndpointAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEndpointAttributesInput; + output: GetEndpointAttributesResponse; + }; + sdk: { + input: GetEndpointAttributesCommandInput; + output: GetEndpointAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/GetPlatformApplicationAttributesCommand.ts b/clients/client-sns/src/commands/GetPlatformApplicationAttributesCommand.ts index 89c37eae5d73..618ffaa5eab5 100644 --- a/clients/client-sns/src/commands/GetPlatformApplicationAttributesCommand.ts +++ b/clients/client-sns/src/commands/GetPlatformApplicationAttributesCommand.ts @@ -99,4 +99,16 @@ export class GetPlatformApplicationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetPlatformApplicationAttributesCommand) .de(de_GetPlatformApplicationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPlatformApplicationAttributesInput; + output: GetPlatformApplicationAttributesResponse; + }; + sdk: { + input: GetPlatformApplicationAttributesCommandInput; + output: GetPlatformApplicationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/GetSMSAttributesCommand.ts b/clients/client-sns/src/commands/GetSMSAttributesCommand.ts index 40e3237d013d..e1790cd7eb5e 100644 --- a/clients/client-sns/src/commands/GetSMSAttributesCommand.ts +++ b/clients/client-sns/src/commands/GetSMSAttributesCommand.ts @@ -95,4 +95,16 @@ export class GetSMSAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetSMSAttributesCommand) .de(de_GetSMSAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSMSAttributesInput; + output: GetSMSAttributesResponse; + }; + sdk: { + input: GetSMSAttributesCommandInput; + output: GetSMSAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/GetSMSSandboxAccountStatusCommand.ts b/clients/client-sns/src/commands/GetSMSSandboxAccountStatusCommand.ts index 879dd361dcb1..152a0cb04d60 100644 --- a/clients/client-sns/src/commands/GetSMSSandboxAccountStatusCommand.ts +++ b/clients/client-sns/src/commands/GetSMSSandboxAccountStatusCommand.ts @@ -93,4 +93,16 @@ export class GetSMSSandboxAccountStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetSMSSandboxAccountStatusCommand) .de(de_GetSMSSandboxAccountStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetSMSSandboxAccountStatusResult; + }; + sdk: { + input: GetSMSSandboxAccountStatusCommandInput; + output: GetSMSSandboxAccountStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/GetSubscriptionAttributesCommand.ts b/clients/client-sns/src/commands/GetSubscriptionAttributesCommand.ts index a9c87a4ef89d..863454677139 100644 --- a/clients/client-sns/src/commands/GetSubscriptionAttributesCommand.ts +++ b/clients/client-sns/src/commands/GetSubscriptionAttributesCommand.ts @@ -92,4 +92,16 @@ export class GetSubscriptionAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetSubscriptionAttributesCommand) .de(de_GetSubscriptionAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSubscriptionAttributesInput; + output: GetSubscriptionAttributesResponse; + }; + sdk: { + input: GetSubscriptionAttributesCommandInput; + output: GetSubscriptionAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/GetTopicAttributesCommand.ts b/clients/client-sns/src/commands/GetTopicAttributesCommand.ts index 81c4a3ee8464..4e9217c59f75 100644 --- a/clients/client-sns/src/commands/GetTopicAttributesCommand.ts +++ b/clients/client-sns/src/commands/GetTopicAttributesCommand.ts @@ -97,4 +97,16 @@ export class GetTopicAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetTopicAttributesCommand) .de(de_GetTopicAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTopicAttributesInput; + output: GetTopicAttributesResponse; + }; + sdk: { + input: GetTopicAttributesCommandInput; + output: GetTopicAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListEndpointsByPlatformApplicationCommand.ts b/clients/client-sns/src/commands/ListEndpointsByPlatformApplicationCommand.ts index 15f1ce6488d6..03c42a3dcf78 100644 --- a/clients/client-sns/src/commands/ListEndpointsByPlatformApplicationCommand.ts +++ b/clients/client-sns/src/commands/ListEndpointsByPlatformApplicationCommand.ts @@ -116,4 +116,16 @@ export class ListEndpointsByPlatformApplicationCommand extends $Command .f(void 0, void 0) .ser(se_ListEndpointsByPlatformApplicationCommand) .de(de_ListEndpointsByPlatformApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEndpointsByPlatformApplicationInput; + output: ListEndpointsByPlatformApplicationResponse; + }; + sdk: { + input: ListEndpointsByPlatformApplicationCommandInput; + output: ListEndpointsByPlatformApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListOriginationNumbersCommand.ts b/clients/client-sns/src/commands/ListOriginationNumbersCommand.ts index 1a56b81c74e5..e3a545858957 100644 --- a/clients/client-sns/src/commands/ListOriginationNumbersCommand.ts +++ b/clients/client-sns/src/commands/ListOriginationNumbersCommand.ts @@ -112,4 +112,16 @@ export class ListOriginationNumbersCommand extends $Command .f(void 0, ListOriginationNumbersResultFilterSensitiveLog) .ser(se_ListOriginationNumbersCommand) .de(de_ListOriginationNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOriginationNumbersRequest; + output: ListOriginationNumbersResult; + }; + sdk: { + input: ListOriginationNumbersCommandInput; + output: ListOriginationNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListPhoneNumbersOptedOutCommand.ts b/clients/client-sns/src/commands/ListPhoneNumbersOptedOutCommand.ts index b3d433b85e50..c6a0e81e6ef5 100644 --- a/clients/client-sns/src/commands/ListPhoneNumbersOptedOutCommand.ts +++ b/clients/client-sns/src/commands/ListPhoneNumbersOptedOutCommand.ts @@ -104,4 +104,16 @@ export class ListPhoneNumbersOptedOutCommand extends $Command .f(void 0, ListPhoneNumbersOptedOutResponseFilterSensitiveLog) .ser(se_ListPhoneNumbersOptedOutCommand) .de(de_ListPhoneNumbersOptedOutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPhoneNumbersOptedOutInput; + output: ListPhoneNumbersOptedOutResponse; + }; + sdk: { + input: ListPhoneNumbersOptedOutCommandInput; + output: ListPhoneNumbersOptedOutCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListPlatformApplicationsCommand.ts b/clients/client-sns/src/commands/ListPlatformApplicationsCommand.ts index b5e304b7819f..35479d8bca39 100644 --- a/clients/client-sns/src/commands/ListPlatformApplicationsCommand.ts +++ b/clients/client-sns/src/commands/ListPlatformApplicationsCommand.ts @@ -104,4 +104,16 @@ export class ListPlatformApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListPlatformApplicationsCommand) .de(de_ListPlatformApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPlatformApplicationsInput; + output: ListPlatformApplicationsResponse; + }; + sdk: { + input: ListPlatformApplicationsCommandInput; + output: ListPlatformApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListSMSSandboxPhoneNumbersCommand.ts b/clients/client-sns/src/commands/ListSMSSandboxPhoneNumbersCommand.ts index 64803f0115bc..20f8fb5b914a 100644 --- a/clients/client-sns/src/commands/ListSMSSandboxPhoneNumbersCommand.ts +++ b/clients/client-sns/src/commands/ListSMSSandboxPhoneNumbersCommand.ts @@ -114,4 +114,16 @@ export class ListSMSSandboxPhoneNumbersCommand extends $Command .f(void 0, ListSMSSandboxPhoneNumbersResultFilterSensitiveLog) .ser(se_ListSMSSandboxPhoneNumbersCommand) .de(de_ListSMSSandboxPhoneNumbersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSMSSandboxPhoneNumbersInput; + output: ListSMSSandboxPhoneNumbersResult; + }; + sdk: { + input: ListSMSSandboxPhoneNumbersCommandInput; + output: ListSMSSandboxPhoneNumbersCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListSubscriptionsByTopicCommand.ts b/clients/client-sns/src/commands/ListSubscriptionsByTopicCommand.ts index b475f7117d61..823dcaf07597 100644 --- a/clients/client-sns/src/commands/ListSubscriptionsByTopicCommand.ts +++ b/clients/client-sns/src/commands/ListSubscriptionsByTopicCommand.ts @@ -104,4 +104,16 @@ export class ListSubscriptionsByTopicCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscriptionsByTopicCommand) .de(de_ListSubscriptionsByTopicCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionsByTopicInput; + output: ListSubscriptionsByTopicResponse; + }; + sdk: { + input: ListSubscriptionsByTopicCommandInput; + output: ListSubscriptionsByTopicCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListSubscriptionsCommand.ts b/clients/client-sns/src/commands/ListSubscriptionsCommand.ts index ba45972ed653..19fdcae3575b 100644 --- a/clients/client-sns/src/commands/ListSubscriptionsCommand.ts +++ b/clients/client-sns/src/commands/ListSubscriptionsCommand.ts @@ -100,4 +100,16 @@ export class ListSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscriptionsCommand) .de(de_ListSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscriptionsInput; + output: ListSubscriptionsResponse; + }; + sdk: { + input: ListSubscriptionsCommandInput; + output: ListSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListTagsForResourceCommand.ts b/clients/client-sns/src/commands/ListTagsForResourceCommand.ts index c5799db2e31d..46faf2a1491c 100644 --- a/clients/client-sns/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-sns/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/ListTopicsCommand.ts b/clients/client-sns/src/commands/ListTopicsCommand.ts index 8a8baf81e963..e7586a00c9df 100644 --- a/clients/client-sns/src/commands/ListTopicsCommand.ts +++ b/clients/client-sns/src/commands/ListTopicsCommand.ts @@ -96,4 +96,16 @@ export class ListTopicsCommand extends $Command .f(void 0, void 0) .ser(se_ListTopicsCommand) .de(de_ListTopicsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTopicsInput; + output: ListTopicsResponse; + }; + sdk: { + input: ListTopicsCommandInput; + output: ListTopicsCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/OptInPhoneNumberCommand.ts b/clients/client-sns/src/commands/OptInPhoneNumberCommand.ts index 7b31d09d9a1d..0684cf247467 100644 --- a/clients/client-sns/src/commands/OptInPhoneNumberCommand.ts +++ b/clients/client-sns/src/commands/OptInPhoneNumberCommand.ts @@ -94,4 +94,16 @@ export class OptInPhoneNumberCommand extends $Command .f(OptInPhoneNumberInputFilterSensitiveLog, void 0) .ser(se_OptInPhoneNumberCommand) .de(de_OptInPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OptInPhoneNumberInput; + output: {}; + }; + sdk: { + input: OptInPhoneNumberCommandInput; + output: OptInPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/PublishBatchCommand.ts b/clients/client-sns/src/commands/PublishBatchCommand.ts index 6b45fca7d31a..b4fdefa52400 100644 --- a/clients/client-sns/src/commands/PublishBatchCommand.ts +++ b/clients/client-sns/src/commands/PublishBatchCommand.ts @@ -198,4 +198,16 @@ export class PublishBatchCommand extends $Command .f(void 0, void 0) .ser(se_PublishBatchCommand) .de(de_PublishBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishBatchInput; + output: PublishBatchResponse; + }; + sdk: { + input: PublishBatchCommandInput; + output: PublishBatchCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/PublishCommand.ts b/clients/client-sns/src/commands/PublishCommand.ts index 62f838559eaa..d3ed8cdf25b8 100644 --- a/clients/client-sns/src/commands/PublishCommand.ts +++ b/clients/client-sns/src/commands/PublishCommand.ts @@ -164,4 +164,16 @@ export class PublishCommand extends $Command .f(PublishInputFilterSensitiveLog, void 0) .ser(se_PublishCommand) .de(de_PublishCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PublishInput; + output: PublishResponse; + }; + sdk: { + input: PublishCommandInput; + output: PublishCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/PutDataProtectionPolicyCommand.ts b/clients/client-sns/src/commands/PutDataProtectionPolicyCommand.ts index dd267bac6b77..2130979c6e51 100644 --- a/clients/client-sns/src/commands/PutDataProtectionPolicyCommand.ts +++ b/clients/client-sns/src/commands/PutDataProtectionPolicyCommand.ts @@ -94,4 +94,16 @@ export class PutDataProtectionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutDataProtectionPolicyCommand) .de(de_PutDataProtectionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutDataProtectionPolicyInput; + output: {}; + }; + sdk: { + input: PutDataProtectionPolicyCommandInput; + output: PutDataProtectionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/RemovePermissionCommand.ts b/clients/client-sns/src/commands/RemovePermissionCommand.ts index 28565c7118c9..558a1e09b24b 100644 --- a/clients/client-sns/src/commands/RemovePermissionCommand.ts +++ b/clients/client-sns/src/commands/RemovePermissionCommand.ts @@ -94,4 +94,16 @@ export class RemovePermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemovePermissionCommand) .de(de_RemovePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemovePermissionInput; + output: {}; + }; + sdk: { + input: RemovePermissionCommandInput; + output: RemovePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/SetEndpointAttributesCommand.ts b/clients/client-sns/src/commands/SetEndpointAttributesCommand.ts index 162fd3c42172..668a14f73f3e 100644 --- a/clients/client-sns/src/commands/SetEndpointAttributesCommand.ts +++ b/clients/client-sns/src/commands/SetEndpointAttributesCommand.ts @@ -93,4 +93,16 @@ export class SetEndpointAttributesCommand extends $Command .f(void 0, void 0) .ser(se_SetEndpointAttributesCommand) .de(de_SetEndpointAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetEndpointAttributesInput; + output: {}; + }; + sdk: { + input: SetEndpointAttributesCommandInput; + output: SetEndpointAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/SetPlatformApplicationAttributesCommand.ts b/clients/client-sns/src/commands/SetPlatformApplicationAttributesCommand.ts index a3b7f12cf3ea..a5e3b0baebca 100644 --- a/clients/client-sns/src/commands/SetPlatformApplicationAttributesCommand.ts +++ b/clients/client-sns/src/commands/SetPlatformApplicationAttributesCommand.ts @@ -98,4 +98,16 @@ export class SetPlatformApplicationAttributesCommand extends $Command .f(void 0, void 0) .ser(se_SetPlatformApplicationAttributesCommand) .de(de_SetPlatformApplicationAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetPlatformApplicationAttributesInput; + output: {}; + }; + sdk: { + input: SetPlatformApplicationAttributesCommandInput; + output: SetPlatformApplicationAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/SetSMSAttributesCommand.ts b/clients/client-sns/src/commands/SetSMSAttributesCommand.ts index 338423be7562..7f26261477d6 100644 --- a/clients/client-sns/src/commands/SetSMSAttributesCommand.ts +++ b/clients/client-sns/src/commands/SetSMSAttributesCommand.ts @@ -100,4 +100,16 @@ export class SetSMSAttributesCommand extends $Command .f(void 0, void 0) .ser(se_SetSMSAttributesCommand) .de(de_SetSMSAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetSMSAttributesInput; + output: {}; + }; + sdk: { + input: SetSMSAttributesCommandInput; + output: SetSMSAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/SetSubscriptionAttributesCommand.ts b/clients/client-sns/src/commands/SetSubscriptionAttributesCommand.ts index 8c5bb8f5268d..b53abc5e3e4a 100644 --- a/clients/client-sns/src/commands/SetSubscriptionAttributesCommand.ts +++ b/clients/client-sns/src/commands/SetSubscriptionAttributesCommand.ts @@ -99,4 +99,16 @@ export class SetSubscriptionAttributesCommand extends $Command .f(void 0, void 0) .ser(se_SetSubscriptionAttributesCommand) .de(de_SetSubscriptionAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetSubscriptionAttributesInput; + output: {}; + }; + sdk: { + input: SetSubscriptionAttributesCommandInput; + output: SetSubscriptionAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/SetTopicAttributesCommand.ts b/clients/client-sns/src/commands/SetTopicAttributesCommand.ts index 34d7ed6b7ff0..c7c1bbe02d6c 100644 --- a/clients/client-sns/src/commands/SetTopicAttributesCommand.ts +++ b/clients/client-sns/src/commands/SetTopicAttributesCommand.ts @@ -99,4 +99,16 @@ export class SetTopicAttributesCommand extends $Command .f(void 0, void 0) .ser(se_SetTopicAttributesCommand) .de(de_SetTopicAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetTopicAttributesInput; + output: {}; + }; + sdk: { + input: SetTopicAttributesCommandInput; + output: SetTopicAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/SubscribeCommand.ts b/clients/client-sns/src/commands/SubscribeCommand.ts index d3fe50381555..fc9edab21862 100644 --- a/clients/client-sns/src/commands/SubscribeCommand.ts +++ b/clients/client-sns/src/commands/SubscribeCommand.ts @@ -117,4 +117,16 @@ export class SubscribeCommand extends $Command .f(void 0, void 0) .ser(se_SubscribeCommand) .de(de_SubscribeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SubscribeInput; + output: SubscribeResponse; + }; + sdk: { + input: SubscribeCommandInput; + output: SubscribeCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/TagResourceCommand.ts b/clients/client-sns/src/commands/TagResourceCommand.ts index 7f7cfcbedefc..b132a05f928b 100644 --- a/clients/client-sns/src/commands/TagResourceCommand.ts +++ b/clients/client-sns/src/commands/TagResourceCommand.ts @@ -129,4 +129,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/UnsubscribeCommand.ts b/clients/client-sns/src/commands/UnsubscribeCommand.ts index d7636d54d947..626b27ce64a9 100644 --- a/clients/client-sns/src/commands/UnsubscribeCommand.ts +++ b/clients/client-sns/src/commands/UnsubscribeCommand.ts @@ -103,4 +103,16 @@ export class UnsubscribeCommand extends $Command .f(void 0, void 0) .ser(se_UnsubscribeCommand) .de(de_UnsubscribeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnsubscribeInput; + output: {}; + }; + sdk: { + input: UnsubscribeCommandInput; + output: UnsubscribeCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/UntagResourceCommand.ts b/clients/client-sns/src/commands/UntagResourceCommand.ts index 716c7231e942..1702f425d5e4 100644 --- a/clients/client-sns/src/commands/UntagResourceCommand.ts +++ b/clients/client-sns/src/commands/UntagResourceCommand.ts @@ -105,4 +105,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sns/src/commands/VerifySMSSandboxPhoneNumberCommand.ts b/clients/client-sns/src/commands/VerifySMSSandboxPhoneNumberCommand.ts index a23cf8399478..a55e9b368ea0 100644 --- a/clients/client-sns/src/commands/VerifySMSSandboxPhoneNumberCommand.ts +++ b/clients/client-sns/src/commands/VerifySMSSandboxPhoneNumberCommand.ts @@ -109,4 +109,16 @@ export class VerifySMSSandboxPhoneNumberCommand extends $Command .f(VerifySMSSandboxPhoneNumberInputFilterSensitiveLog, void 0) .ser(se_VerifySMSSandboxPhoneNumberCommand) .de(de_VerifySMSSandboxPhoneNumberCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: VerifySMSSandboxPhoneNumberInput; + output: {}; + }; + sdk: { + input: VerifySMSSandboxPhoneNumberCommandInput; + output: VerifySMSSandboxPhoneNumberCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/package.json b/clients/client-sqs/package.json index 01530a5cce8b..5d5834adc104 100644 --- a/clients/client-sqs/package.json +++ b/clients/client-sqs/package.json @@ -34,31 +34,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/md5-js": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/md5-js": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sqs/src/commands/AddPermissionCommand.ts b/clients/client-sqs/src/commands/AddPermissionCommand.ts index 91593484b819..8c3dec80cdff 100644 --- a/clients/client-sqs/src/commands/AddPermissionCommand.ts +++ b/clients/client-sqs/src/commands/AddPermissionCommand.ts @@ -152,4 +152,16 @@ export class AddPermissionCommand extends $Command .f(void 0, void 0) .ser(se_AddPermissionCommand) .de(de_AddPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddPermissionRequest; + output: {}; + }; + sdk: { + input: AddPermissionCommandInput; + output: AddPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/CancelMessageMoveTaskCommand.ts b/clients/client-sqs/src/commands/CancelMessageMoveTaskCommand.ts index c3bc7f79ec94..879378044312 100644 --- a/clients/client-sqs/src/commands/CancelMessageMoveTaskCommand.ts +++ b/clients/client-sqs/src/commands/CancelMessageMoveTaskCommand.ts @@ -125,4 +125,16 @@ export class CancelMessageMoveTaskCommand extends $Command .f(void 0, void 0) .ser(se_CancelMessageMoveTaskCommand) .de(de_CancelMessageMoveTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMessageMoveTaskRequest; + output: CancelMessageMoveTaskResult; + }; + sdk: { + input: CancelMessageMoveTaskCommandInput; + output: CancelMessageMoveTaskCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/ChangeMessageVisibilityBatchCommand.ts b/clients/client-sqs/src/commands/ChangeMessageVisibilityBatchCommand.ts index 6146fb3ec8ff..1783b4c8d113 100644 --- a/clients/client-sqs/src/commands/ChangeMessageVisibilityBatchCommand.ts +++ b/clients/client-sqs/src/commands/ChangeMessageVisibilityBatchCommand.ts @@ -155,4 +155,16 @@ export class ChangeMessageVisibilityBatchCommand extends $Command .f(void 0, void 0) .ser(se_ChangeMessageVisibilityBatchCommand) .de(de_ChangeMessageVisibilityBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangeMessageVisibilityBatchRequest; + output: ChangeMessageVisibilityBatchResult; + }; + sdk: { + input: ChangeMessageVisibilityBatchCommandInput; + output: ChangeMessageVisibilityBatchCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/ChangeMessageVisibilityCommand.ts b/clients/client-sqs/src/commands/ChangeMessageVisibilityCommand.ts index bdde7e51ee61..fdb70000bf68 100644 --- a/clients/client-sqs/src/commands/ChangeMessageVisibilityCommand.ts +++ b/clients/client-sqs/src/commands/ChangeMessageVisibilityCommand.ts @@ -155,4 +155,16 @@ export class ChangeMessageVisibilityCommand extends $Command .f(void 0, void 0) .ser(se_ChangeMessageVisibilityCommand) .de(de_ChangeMessageVisibilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ChangeMessageVisibilityRequest; + output: {}; + }; + sdk: { + input: ChangeMessageVisibilityCommandInput; + output: ChangeMessageVisibilityCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/CreateQueueCommand.ts b/clients/client-sqs/src/commands/CreateQueueCommand.ts index 1523dfcdd429..2a000a83188d 100644 --- a/clients/client-sqs/src/commands/CreateQueueCommand.ts +++ b/clients/client-sqs/src/commands/CreateQueueCommand.ts @@ -176,4 +176,16 @@ export class CreateQueueCommand extends $Command .f(void 0, void 0) .ser(se_CreateQueueCommand) .de(de_CreateQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQueueRequest; + output: CreateQueueResult; + }; + sdk: { + input: CreateQueueCommandInput; + output: CreateQueueCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/DeleteMessageBatchCommand.ts b/clients/client-sqs/src/commands/DeleteMessageBatchCommand.ts index 2ba689e424c0..13ace363122e 100644 --- a/clients/client-sqs/src/commands/DeleteMessageBatchCommand.ts +++ b/clients/client-sqs/src/commands/DeleteMessageBatchCommand.ts @@ -145,4 +145,16 @@ export class DeleteMessageBatchCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMessageBatchCommand) .de(de_DeleteMessageBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMessageBatchRequest; + output: DeleteMessageBatchResult; + }; + sdk: { + input: DeleteMessageBatchCommandInput; + output: DeleteMessageBatchCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/DeleteMessageCommand.ts b/clients/client-sqs/src/commands/DeleteMessageCommand.ts index 22f5d3163762..450801618d0c 100644 --- a/clients/client-sqs/src/commands/DeleteMessageCommand.ts +++ b/clients/client-sqs/src/commands/DeleteMessageCommand.ts @@ -132,4 +132,16 @@ export class DeleteMessageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMessageCommand) .de(de_DeleteMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMessageRequest; + output: {}; + }; + sdk: { + input: DeleteMessageCommandInput; + output: DeleteMessageCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/DeleteQueueCommand.ts b/clients/client-sqs/src/commands/DeleteQueueCommand.ts index 978cad15a3ce..29bf00ffd0a1 100644 --- a/clients/client-sqs/src/commands/DeleteQueueCommand.ts +++ b/clients/client-sqs/src/commands/DeleteQueueCommand.ts @@ -125,4 +125,16 @@ export class DeleteQueueCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQueueCommand) .de(de_DeleteQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQueueRequest; + output: {}; + }; + sdk: { + input: DeleteQueueCommandInput; + output: DeleteQueueCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/GetQueueAttributesCommand.ts b/clients/client-sqs/src/commands/GetQueueAttributesCommand.ts index dc7e950149a9..747d2efa8963 100644 --- a/clients/client-sqs/src/commands/GetQueueAttributesCommand.ts +++ b/clients/client-sqs/src/commands/GetQueueAttributesCommand.ts @@ -119,4 +119,16 @@ export class GetQueueAttributesCommand extends $Command .f(void 0, void 0) .ser(se_GetQueueAttributesCommand) .de(de_GetQueueAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueueAttributesRequest; + output: GetQueueAttributesResult; + }; + sdk: { + input: GetQueueAttributesCommandInput; + output: GetQueueAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/GetQueueUrlCommand.ts b/clients/client-sqs/src/commands/GetQueueUrlCommand.ts index 4dadaa20fdf9..277c768de557 100644 --- a/clients/client-sqs/src/commands/GetQueueUrlCommand.ts +++ b/clients/client-sqs/src/commands/GetQueueUrlCommand.ts @@ -117,4 +117,16 @@ export class GetQueueUrlCommand extends $Command .f(void 0, void 0) .ser(se_GetQueueUrlCommand) .de(de_GetQueueUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQueueUrlRequest; + output: GetQueueUrlResult; + }; + sdk: { + input: GetQueueUrlCommandInput; + output: GetQueueUrlCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/ListDeadLetterSourceQueuesCommand.ts b/clients/client-sqs/src/commands/ListDeadLetterSourceQueuesCommand.ts index 508b678e075f..9ef138cef353 100644 --- a/clients/client-sqs/src/commands/ListDeadLetterSourceQueuesCommand.ts +++ b/clients/client-sqs/src/commands/ListDeadLetterSourceQueuesCommand.ts @@ -123,4 +123,16 @@ export class ListDeadLetterSourceQueuesCommand extends $Command .f(void 0, void 0) .ser(se_ListDeadLetterSourceQueuesCommand) .de(de_ListDeadLetterSourceQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDeadLetterSourceQueuesRequest; + output: ListDeadLetterSourceQueuesResult; + }; + sdk: { + input: ListDeadLetterSourceQueuesCommandInput; + output: ListDeadLetterSourceQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/ListMessageMoveTasksCommand.ts b/clients/client-sqs/src/commands/ListMessageMoveTasksCommand.ts index 3688188ab1a4..8a717c08dcd1 100644 --- a/clients/client-sqs/src/commands/ListMessageMoveTasksCommand.ts +++ b/clients/client-sqs/src/commands/ListMessageMoveTasksCommand.ts @@ -136,4 +136,16 @@ export class ListMessageMoveTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListMessageMoveTasksCommand) .de(de_ListMessageMoveTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMessageMoveTasksRequest; + output: ListMessageMoveTasksResult; + }; + sdk: { + input: ListMessageMoveTasksCommandInput; + output: ListMessageMoveTasksCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/ListQueueTagsCommand.ts b/clients/client-sqs/src/commands/ListQueueTagsCommand.ts index 0b1c582f1976..b0c3b2c0de6a 100644 --- a/clients/client-sqs/src/commands/ListQueueTagsCommand.ts +++ b/clients/client-sqs/src/commands/ListQueueTagsCommand.ts @@ -117,4 +117,16 @@ export class ListQueueTagsCommand extends $Command .f(void 0, void 0) .ser(se_ListQueueTagsCommand) .de(de_ListQueueTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueueTagsRequest; + output: ListQueueTagsResult; + }; + sdk: { + input: ListQueueTagsCommandInput; + output: ListQueueTagsCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/ListQueuesCommand.ts b/clients/client-sqs/src/commands/ListQueuesCommand.ts index ebffbc659992..369547e4cdb2 100644 --- a/clients/client-sqs/src/commands/ListQueuesCommand.ts +++ b/clients/client-sqs/src/commands/ListQueuesCommand.ts @@ -125,4 +125,16 @@ export class ListQueuesCommand extends $Command .f(void 0, void 0) .ser(se_ListQueuesCommand) .de(de_ListQueuesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQueuesRequest; + output: ListQueuesResult; + }; + sdk: { + input: ListQueuesCommandInput; + output: ListQueuesCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/PurgeQueueCommand.ts b/clients/client-sqs/src/commands/PurgeQueueCommand.ts index 04a956c4e315..5b3a78d5026a 100644 --- a/clients/client-sqs/src/commands/PurgeQueueCommand.ts +++ b/clients/client-sqs/src/commands/PurgeQueueCommand.ts @@ -123,4 +123,16 @@ export class PurgeQueueCommand extends $Command .f(void 0, void 0) .ser(se_PurgeQueueCommand) .de(de_PurgeQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PurgeQueueRequest; + output: {}; + }; + sdk: { + input: PurgeQueueCommandInput; + output: PurgeQueueCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/ReceiveMessageCommand.ts b/clients/client-sqs/src/commands/ReceiveMessageCommand.ts index eb19573af535..b33a8fbbae94 100644 --- a/clients/client-sqs/src/commands/ReceiveMessageCommand.ts +++ b/clients/client-sqs/src/commands/ReceiveMessageCommand.ts @@ -233,4 +233,16 @@ export class ReceiveMessageCommand extends $Command .f(void 0, void 0) .ser(se_ReceiveMessageCommand) .de(de_ReceiveMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ReceiveMessageRequest; + output: ReceiveMessageResult; + }; + sdk: { + input: ReceiveMessageCommandInput; + output: ReceiveMessageCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/RemovePermissionCommand.ts b/clients/client-sqs/src/commands/RemovePermissionCommand.ts index 0cbd70020f2a..4bec714d40bb 100644 --- a/clients/client-sqs/src/commands/RemovePermissionCommand.ts +++ b/clients/client-sqs/src/commands/RemovePermissionCommand.ts @@ -123,4 +123,16 @@ export class RemovePermissionCommand extends $Command .f(void 0, void 0) .ser(se_RemovePermissionCommand) .de(de_RemovePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemovePermissionRequest; + output: {}; + }; + sdk: { + input: RemovePermissionCommandInput; + output: RemovePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/SendMessageBatchCommand.ts b/clients/client-sqs/src/commands/SendMessageBatchCommand.ts index 7364b7e1a4c2..7e05cd500348 100644 --- a/clients/client-sqs/src/commands/SendMessageBatchCommand.ts +++ b/clients/client-sqs/src/commands/SendMessageBatchCommand.ts @@ -230,4 +230,16 @@ export class SendMessageBatchCommand extends $Command .f(void 0, void 0) .ser(se_SendMessageBatchCommand) .de(de_SendMessageBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendMessageBatchRequest; + output: SendMessageBatchResult; + }; + sdk: { + input: SendMessageBatchCommandInput; + output: SendMessageBatchCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/SendMessageCommand.ts b/clients/client-sqs/src/commands/SendMessageCommand.ts index 7f3c23dbd15c..29cd7626efa7 100644 --- a/clients/client-sqs/src/commands/SendMessageCommand.ts +++ b/clients/client-sqs/src/commands/SendMessageCommand.ts @@ -188,4 +188,16 @@ export class SendMessageCommand extends $Command .f(void 0, void 0) .ser(se_SendMessageCommand) .de(de_SendMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendMessageRequest; + output: SendMessageResult; + }; + sdk: { + input: SendMessageCommandInput; + output: SendMessageCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/SetQueueAttributesCommand.ts b/clients/client-sqs/src/commands/SetQueueAttributesCommand.ts index eeb66de6c451..2d61d2492f3e 100644 --- a/clients/client-sqs/src/commands/SetQueueAttributesCommand.ts +++ b/clients/client-sqs/src/commands/SetQueueAttributesCommand.ts @@ -142,4 +142,16 @@ export class SetQueueAttributesCommand extends $Command .f(void 0, void 0) .ser(se_SetQueueAttributesCommand) .de(de_SetQueueAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetQueueAttributesRequest; + output: {}; + }; + sdk: { + input: SetQueueAttributesCommandInput; + output: SetQueueAttributesCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/StartMessageMoveTaskCommand.ts b/clients/client-sqs/src/commands/StartMessageMoveTaskCommand.ts index 9251ddf4ea87..f6eaa4efed42 100644 --- a/clients/client-sqs/src/commands/StartMessageMoveTaskCommand.ts +++ b/clients/client-sqs/src/commands/StartMessageMoveTaskCommand.ts @@ -131,4 +131,16 @@ export class StartMessageMoveTaskCommand extends $Command .f(void 0, void 0) .ser(se_StartMessageMoveTaskCommand) .de(de_StartMessageMoveTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMessageMoveTaskRequest; + output: StartMessageMoveTaskResult; + }; + sdk: { + input: StartMessageMoveTaskCommandInput; + output: StartMessageMoveTaskCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/TagQueueCommand.ts b/clients/client-sqs/src/commands/TagQueueCommand.ts index 550167434fca..c0c26415ee3b 100644 --- a/clients/client-sqs/src/commands/TagQueueCommand.ts +++ b/clients/client-sqs/src/commands/TagQueueCommand.ts @@ -133,4 +133,16 @@ export class TagQueueCommand extends $Command .f(void 0, void 0) .ser(se_TagQueueCommand) .de(de_TagQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagQueueRequest; + output: {}; + }; + sdk: { + input: TagQueueCommandInput; + output: TagQueueCommandOutput; + }; + }; +} diff --git a/clients/client-sqs/src/commands/UntagQueueCommand.ts b/clients/client-sqs/src/commands/UntagQueueCommand.ts index d5097ea820aa..d5badae2577e 100644 --- a/clients/client-sqs/src/commands/UntagQueueCommand.ts +++ b/clients/client-sqs/src/commands/UntagQueueCommand.ts @@ -115,4 +115,16 @@ export class UntagQueueCommand extends $Command .f(void 0, void 0) .ser(se_UntagQueueCommand) .de(de_UntagQueueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagQueueRequest; + output: {}; + }; + sdk: { + input: UntagQueueCommandInput; + output: UntagQueueCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/package.json b/clients/client-ssm-contacts/package.json index 619ab878adc4..032964134449 100644 --- a/clients/client-ssm-contacts/package.json +++ b/clients/client-ssm-contacts/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-ssm-contacts/src/commands/AcceptPageCommand.ts b/clients/client-ssm-contacts/src/commands/AcceptPageCommand.ts index 6a22fc236693..b5e92e746539 100644 --- a/clients/client-ssm-contacts/src/commands/AcceptPageCommand.ts +++ b/clients/client-ssm-contacts/src/commands/AcceptPageCommand.ts @@ -96,4 +96,16 @@ export class AcceptPageCommand extends $Command .f(void 0, void 0) .ser(se_AcceptPageCommand) .de(de_AcceptPageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptPageRequest; + output: {}; + }; + sdk: { + input: AcceptPageCommandInput; + output: AcceptPageCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ActivateContactChannelCommand.ts b/clients/client-ssm-contacts/src/commands/ActivateContactChannelCommand.ts index 34876239ad7f..f8ee873cc170 100644 --- a/clients/client-ssm-contacts/src/commands/ActivateContactChannelCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ActivateContactChannelCommand.ts @@ -93,4 +93,16 @@ export class ActivateContactChannelCommand extends $Command .f(void 0, void 0) .ser(se_ActivateContactChannelCommand) .de(de_ActivateContactChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateContactChannelRequest; + output: {}; + }; + sdk: { + input: ActivateContactChannelCommandInput; + output: ActivateContactChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/CreateContactChannelCommand.ts b/clients/client-ssm-contacts/src/commands/CreateContactChannelCommand.ts index 5f6854cf758a..942751202973 100644 --- a/clients/client-ssm-contacts/src/commands/CreateContactChannelCommand.ts +++ b/clients/client-ssm-contacts/src/commands/CreateContactChannelCommand.ts @@ -103,4 +103,16 @@ export class CreateContactChannelCommand extends $Command .f(void 0, void 0) .ser(se_CreateContactChannelCommand) .de(de_CreateContactChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContactChannelRequest; + output: CreateContactChannelResult; + }; + sdk: { + input: CreateContactChannelCommandInput; + output: CreateContactChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/CreateContactCommand.ts b/clients/client-ssm-contacts/src/commands/CreateContactCommand.ts index 53d612f26e27..6437758e9ced 100644 --- a/clients/client-ssm-contacts/src/commands/CreateContactCommand.ts +++ b/clients/client-ssm-contacts/src/commands/CreateContactCommand.ts @@ -132,4 +132,16 @@ export class CreateContactCommand extends $Command .f(void 0, void 0) .ser(se_CreateContactCommand) .de(de_CreateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContactRequest; + output: CreateContactResult; + }; + sdk: { + input: CreateContactCommandInput; + output: CreateContactCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/CreateRotationCommand.ts b/clients/client-ssm-contacts/src/commands/CreateRotationCommand.ts index 6e9242e46859..76ef830ca6ee 100644 --- a/clients/client-ssm-contacts/src/commands/CreateRotationCommand.ts +++ b/clients/client-ssm-contacts/src/commands/CreateRotationCommand.ts @@ -144,4 +144,16 @@ export class CreateRotationCommand extends $Command .f(void 0, void 0) .ser(se_CreateRotationCommand) .de(de_CreateRotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRotationRequest; + output: CreateRotationResult; + }; + sdk: { + input: CreateRotationCommandInput; + output: CreateRotationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/CreateRotationOverrideCommand.ts b/clients/client-ssm-contacts/src/commands/CreateRotationOverrideCommand.ts index d617c0fa3601..ff53e73827fc 100644 --- a/clients/client-ssm-contacts/src/commands/CreateRotationOverrideCommand.ts +++ b/clients/client-ssm-contacts/src/commands/CreateRotationOverrideCommand.ts @@ -102,4 +102,16 @@ export class CreateRotationOverrideCommand extends $Command .f(void 0, void 0) .ser(se_CreateRotationOverrideCommand) .de(de_CreateRotationOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRotationOverrideRequest; + output: CreateRotationOverrideResult; + }; + sdk: { + input: CreateRotationOverrideCommandInput; + output: CreateRotationOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/DeactivateContactChannelCommand.ts b/clients/client-ssm-contacts/src/commands/DeactivateContactChannelCommand.ts index 90c187dd44b8..c5fee4c592bb 100644 --- a/clients/client-ssm-contacts/src/commands/DeactivateContactChannelCommand.ts +++ b/clients/client-ssm-contacts/src/commands/DeactivateContactChannelCommand.ts @@ -92,4 +92,16 @@ export class DeactivateContactChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeactivateContactChannelCommand) .de(de_DeactivateContactChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateContactChannelRequest; + output: {}; + }; + sdk: { + input: DeactivateContactChannelCommandInput; + output: DeactivateContactChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/DeleteContactChannelCommand.ts b/clients/client-ssm-contacts/src/commands/DeleteContactChannelCommand.ts index c77b7a2b121a..5f23cd19b22d 100644 --- a/clients/client-ssm-contacts/src/commands/DeleteContactChannelCommand.ts +++ b/clients/client-ssm-contacts/src/commands/DeleteContactChannelCommand.ts @@ -94,4 +94,16 @@ export class DeleteContactChannelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactChannelCommand) .de(de_DeleteContactChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactChannelRequest; + output: {}; + }; + sdk: { + input: DeleteContactChannelCommandInput; + output: DeleteContactChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/DeleteContactCommand.ts b/clients/client-ssm-contacts/src/commands/DeleteContactCommand.ts index d4c533693f2b..c052c7d71464 100644 --- a/clients/client-ssm-contacts/src/commands/DeleteContactCommand.ts +++ b/clients/client-ssm-contacts/src/commands/DeleteContactCommand.ts @@ -97,4 +97,16 @@ export class DeleteContactCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContactCommand) .de(de_DeleteContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContactRequest; + output: {}; + }; + sdk: { + input: DeleteContactCommandInput; + output: DeleteContactCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/DeleteRotationCommand.ts b/clients/client-ssm-contacts/src/commands/DeleteRotationCommand.ts index d6234162d88e..102f1c2fb3d1 100644 --- a/clients/client-ssm-contacts/src/commands/DeleteRotationCommand.ts +++ b/clients/client-ssm-contacts/src/commands/DeleteRotationCommand.ts @@ -95,4 +95,16 @@ export class DeleteRotationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRotationCommand) .de(de_DeleteRotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRotationRequest; + output: {}; + }; + sdk: { + input: DeleteRotationCommandInput; + output: DeleteRotationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/DeleteRotationOverrideCommand.ts b/clients/client-ssm-contacts/src/commands/DeleteRotationOverrideCommand.ts index dd34a1695773..dfd35738eeba 100644 --- a/clients/client-ssm-contacts/src/commands/DeleteRotationOverrideCommand.ts +++ b/clients/client-ssm-contacts/src/commands/DeleteRotationOverrideCommand.ts @@ -92,4 +92,16 @@ export class DeleteRotationOverrideCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRotationOverrideCommand) .de(de_DeleteRotationOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRotationOverrideRequest; + output: {}; + }; + sdk: { + input: DeleteRotationOverrideCommandInput; + output: DeleteRotationOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/DescribeEngagementCommand.ts b/clients/client-ssm-contacts/src/commands/DescribeEngagementCommand.ts index ca9c00529fe1..2c2d485e6190 100644 --- a/clients/client-ssm-contacts/src/commands/DescribeEngagementCommand.ts +++ b/clients/client-ssm-contacts/src/commands/DescribeEngagementCommand.ts @@ -106,4 +106,16 @@ export class DescribeEngagementCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEngagementCommand) .de(de_DescribeEngagementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEngagementRequest; + output: DescribeEngagementResult; + }; + sdk: { + input: DescribeEngagementCommandInput; + output: DescribeEngagementCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/DescribePageCommand.ts b/clients/client-ssm-contacts/src/commands/DescribePageCommand.ts index 0822c6e7ccff..ed6dac802421 100644 --- a/clients/client-ssm-contacts/src/commands/DescribePageCommand.ts +++ b/clients/client-ssm-contacts/src/commands/DescribePageCommand.ts @@ -107,4 +107,16 @@ export class DescribePageCommand extends $Command .f(void 0, void 0) .ser(se_DescribePageCommand) .de(de_DescribePageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePageRequest; + output: DescribePageResult; + }; + sdk: { + input: DescribePageCommandInput; + output: DescribePageCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/GetContactChannelCommand.ts b/clients/client-ssm-contacts/src/commands/GetContactChannelCommand.ts index 27c6f722eee8..289109af7cad 100644 --- a/clients/client-ssm-contacts/src/commands/GetContactChannelCommand.ts +++ b/clients/client-ssm-contacts/src/commands/GetContactChannelCommand.ts @@ -103,4 +103,16 @@ export class GetContactChannelCommand extends $Command .f(void 0, void 0) .ser(se_GetContactChannelCommand) .de(de_GetContactChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactChannelRequest; + output: GetContactChannelResult; + }; + sdk: { + input: GetContactChannelCommandInput; + output: GetContactChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/GetContactCommand.ts b/clients/client-ssm-contacts/src/commands/GetContactCommand.ts index cba7493b79e3..74f569f7efe2 100644 --- a/clients/client-ssm-contacts/src/commands/GetContactCommand.ts +++ b/clients/client-ssm-contacts/src/commands/GetContactCommand.ts @@ -121,4 +121,16 @@ export class GetContactCommand extends $Command .f(void 0, void 0) .ser(se_GetContactCommand) .de(de_GetContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactRequest; + output: GetContactResult; + }; + sdk: { + input: GetContactCommandInput; + output: GetContactCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/GetContactPolicyCommand.ts b/clients/client-ssm-contacts/src/commands/GetContactPolicyCommand.ts index ef434ec1b5b0..bf3d9c78b2a1 100644 --- a/clients/client-ssm-contacts/src/commands/GetContactPolicyCommand.ts +++ b/clients/client-ssm-contacts/src/commands/GetContactPolicyCommand.ts @@ -95,4 +95,16 @@ export class GetContactPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetContactPolicyCommand) .de(de_GetContactPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContactPolicyRequest; + output: GetContactPolicyResult; + }; + sdk: { + input: GetContactPolicyCommandInput; + output: GetContactPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/GetRotationCommand.ts b/clients/client-ssm-contacts/src/commands/GetRotationCommand.ts index c6f96c428b72..79f4068c9a60 100644 --- a/clients/client-ssm-contacts/src/commands/GetRotationCommand.ts +++ b/clients/client-ssm-contacts/src/commands/GetRotationCommand.ts @@ -135,4 +135,16 @@ export class GetRotationCommand extends $Command .f(void 0, void 0) .ser(se_GetRotationCommand) .de(de_GetRotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRotationRequest; + output: GetRotationResult; + }; + sdk: { + input: GetRotationCommandInput; + output: GetRotationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/GetRotationOverrideCommand.ts b/clients/client-ssm-contacts/src/commands/GetRotationOverrideCommand.ts index 3f1eea5201a3..8619879f09a3 100644 --- a/clients/client-ssm-contacts/src/commands/GetRotationOverrideCommand.ts +++ b/clients/client-ssm-contacts/src/commands/GetRotationOverrideCommand.ts @@ -101,4 +101,16 @@ export class GetRotationOverrideCommand extends $Command .f(void 0, void 0) .ser(se_GetRotationOverrideCommand) .de(de_GetRotationOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRotationOverrideRequest; + output: GetRotationOverrideResult; + }; + sdk: { + input: GetRotationOverrideCommandInput; + output: GetRotationOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListContactChannelsCommand.ts b/clients/client-ssm-contacts/src/commands/ListContactChannelsCommand.ts index 0e1b92c25596..004a43c3ca3a 100644 --- a/clients/client-ssm-contacts/src/commands/ListContactChannelsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListContactChannelsCommand.ts @@ -110,4 +110,16 @@ export class ListContactChannelsCommand extends $Command .f(void 0, void 0) .ser(se_ListContactChannelsCommand) .de(de_ListContactChannelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactChannelsRequest; + output: ListContactChannelsResult; + }; + sdk: { + input: ListContactChannelsCommandInput; + output: ListContactChannelsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListContactsCommand.ts b/clients/client-ssm-contacts/src/commands/ListContactsCommand.ts index fe98190d2914..3995ef18ff24 100644 --- a/clients/client-ssm-contacts/src/commands/ListContactsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListContactsCommand.ts @@ -101,4 +101,16 @@ export class ListContactsCommand extends $Command .f(void 0, void 0) .ser(se_ListContactsCommand) .de(de_ListContactsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContactsRequest; + output: ListContactsResult; + }; + sdk: { + input: ListContactsCommandInput; + output: ListContactsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListEngagementsCommand.ts b/clients/client-ssm-contacts/src/commands/ListEngagementsCommand.ts index d153a8d4980b..23ccb7281e61 100644 --- a/clients/client-ssm-contacts/src/commands/ListEngagementsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListEngagementsCommand.ts @@ -106,4 +106,16 @@ export class ListEngagementsCommand extends $Command .f(void 0, void 0) .ser(se_ListEngagementsCommand) .de(de_ListEngagementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEngagementsRequest; + output: ListEngagementsResult; + }; + sdk: { + input: ListEngagementsCommandInput; + output: ListEngagementsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListPageReceiptsCommand.ts b/clients/client-ssm-contacts/src/commands/ListPageReceiptsCommand.ts index f708d1fcde5f..42d5e73b7e67 100644 --- a/clients/client-ssm-contacts/src/commands/ListPageReceiptsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListPageReceiptsCommand.ts @@ -103,4 +103,16 @@ export class ListPageReceiptsCommand extends $Command .f(void 0, void 0) .ser(se_ListPageReceiptsCommand) .de(de_ListPageReceiptsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPageReceiptsRequest; + output: ListPageReceiptsResult; + }; + sdk: { + input: ListPageReceiptsCommandInput; + output: ListPageReceiptsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListPageResolutionsCommand.ts b/clients/client-ssm-contacts/src/commands/ListPageResolutionsCommand.ts index 70a432b48420..0119e0490c3b 100644 --- a/clients/client-ssm-contacts/src/commands/ListPageResolutionsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListPageResolutionsCommand.ts @@ -105,4 +105,16 @@ export class ListPageResolutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListPageResolutionsCommand) .de(de_ListPageResolutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPageResolutionsRequest; + output: ListPageResolutionsResult; + }; + sdk: { + input: ListPageResolutionsCommandInput; + output: ListPageResolutionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListPagesByContactCommand.ts b/clients/client-ssm-contacts/src/commands/ListPagesByContactCommand.ts index 064e53fea8a8..4cc1f70f9dcd 100644 --- a/clients/client-ssm-contacts/src/commands/ListPagesByContactCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListPagesByContactCommand.ts @@ -107,4 +107,16 @@ export class ListPagesByContactCommand extends $Command .f(void 0, void 0) .ser(se_ListPagesByContactCommand) .de(de_ListPagesByContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPagesByContactRequest; + output: ListPagesByContactResult; + }; + sdk: { + input: ListPagesByContactCommandInput; + output: ListPagesByContactCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListPagesByEngagementCommand.ts b/clients/client-ssm-contacts/src/commands/ListPagesByEngagementCommand.ts index 08b20db823aa..079a28b611a5 100644 --- a/clients/client-ssm-contacts/src/commands/ListPagesByEngagementCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListPagesByEngagementCommand.ts @@ -107,4 +107,16 @@ export class ListPagesByEngagementCommand extends $Command .f(void 0, void 0) .ser(se_ListPagesByEngagementCommand) .de(de_ListPagesByEngagementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPagesByEngagementRequest; + output: ListPagesByEngagementResult; + }; + sdk: { + input: ListPagesByEngagementCommandInput; + output: ListPagesByEngagementCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListPreviewRotationShiftsCommand.ts b/clients/client-ssm-contacts/src/commands/ListPreviewRotationShiftsCommand.ts index 0fcbd57add89..9d8c3df92afb 100644 --- a/clients/client-ssm-contacts/src/commands/ListPreviewRotationShiftsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListPreviewRotationShiftsCommand.ts @@ -161,4 +161,16 @@ export class ListPreviewRotationShiftsCommand extends $Command .f(void 0, void 0) .ser(se_ListPreviewRotationShiftsCommand) .de(de_ListPreviewRotationShiftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPreviewRotationShiftsRequest; + output: ListPreviewRotationShiftsResult; + }; + sdk: { + input: ListPreviewRotationShiftsCommandInput; + output: ListPreviewRotationShiftsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListRotationOverridesCommand.ts b/clients/client-ssm-contacts/src/commands/ListRotationOverridesCommand.ts index 488e62535124..acf5c49a3353 100644 --- a/clients/client-ssm-contacts/src/commands/ListRotationOverridesCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListRotationOverridesCommand.ts @@ -108,4 +108,16 @@ export class ListRotationOverridesCommand extends $Command .f(void 0, void 0) .ser(se_ListRotationOverridesCommand) .de(de_ListRotationOverridesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRotationOverridesRequest; + output: ListRotationOverridesResult; + }; + sdk: { + input: ListRotationOverridesCommandInput; + output: ListRotationOverridesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListRotationShiftsCommand.ts b/clients/client-ssm-contacts/src/commands/ListRotationShiftsCommand.ts index 80ce03929dcd..da7cfd59b217 100644 --- a/clients/client-ssm-contacts/src/commands/ListRotationShiftsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListRotationShiftsCommand.ts @@ -115,4 +115,16 @@ export class ListRotationShiftsCommand extends $Command .f(void 0, void 0) .ser(se_ListRotationShiftsCommand) .de(de_ListRotationShiftsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRotationShiftsRequest; + output: ListRotationShiftsResult; + }; + sdk: { + input: ListRotationShiftsCommandInput; + output: ListRotationShiftsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListRotationsCommand.ts b/clients/client-ssm-contacts/src/commands/ListRotationsCommand.ts index 1f32c2f58ea7..5af26316297c 100644 --- a/clients/client-ssm-contacts/src/commands/ListRotationsCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListRotationsCommand.ts @@ -142,4 +142,16 @@ export class ListRotationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRotationsCommand) .de(de_ListRotationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRotationsRequest; + output: ListRotationsResult; + }; + sdk: { + input: ListRotationsCommandInput; + output: ListRotationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/ListTagsForResourceCommand.ts b/clients/client-ssm-contacts/src/commands/ListTagsForResourceCommand.ts index 713b42c05778..91a10bf061c9 100644 --- a/clients/client-ssm-contacts/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ssm-contacts/src/commands/ListTagsForResourceCommand.ts @@ -98,4 +98,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/PutContactPolicyCommand.ts b/clients/client-ssm-contacts/src/commands/PutContactPolicyCommand.ts index 269127852ffd..b6a175e11bf7 100644 --- a/clients/client-ssm-contacts/src/commands/PutContactPolicyCommand.ts +++ b/clients/client-ssm-contacts/src/commands/PutContactPolicyCommand.ts @@ -97,4 +97,16 @@ export class PutContactPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutContactPolicyCommand) .de(de_PutContactPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutContactPolicyRequest; + output: {}; + }; + sdk: { + input: PutContactPolicyCommandInput; + output: PutContactPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/SendActivationCodeCommand.ts b/clients/client-ssm-contacts/src/commands/SendActivationCodeCommand.ts index 7249c825a3f7..a7811ce4c54d 100644 --- a/clients/client-ssm-contacts/src/commands/SendActivationCodeCommand.ts +++ b/clients/client-ssm-contacts/src/commands/SendActivationCodeCommand.ts @@ -99,4 +99,16 @@ export class SendActivationCodeCommand extends $Command .f(void 0, void 0) .ser(se_SendActivationCodeCommand) .de(de_SendActivationCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendActivationCodeRequest; + output: {}; + }; + sdk: { + input: SendActivationCodeCommandInput; + output: SendActivationCodeCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/StartEngagementCommand.ts b/clients/client-ssm-contacts/src/commands/StartEngagementCommand.ts index 9cc5417715e0..326242bdcfed 100644 --- a/clients/client-ssm-contacts/src/commands/StartEngagementCommand.ts +++ b/clients/client-ssm-contacts/src/commands/StartEngagementCommand.ts @@ -104,4 +104,16 @@ export class StartEngagementCommand extends $Command .f(void 0, void 0) .ser(se_StartEngagementCommand) .de(de_StartEngagementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartEngagementRequest; + output: StartEngagementResult; + }; + sdk: { + input: StartEngagementCommandInput; + output: StartEngagementCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/StopEngagementCommand.ts b/clients/client-ssm-contacts/src/commands/StopEngagementCommand.ts index 20c38812520b..a61b0a6b7254 100644 --- a/clients/client-ssm-contacts/src/commands/StopEngagementCommand.ts +++ b/clients/client-ssm-contacts/src/commands/StopEngagementCommand.ts @@ -93,4 +93,16 @@ export class StopEngagementCommand extends $Command .f(void 0, void 0) .ser(se_StopEngagementCommand) .de(de_StopEngagementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopEngagementRequest; + output: {}; + }; + sdk: { + input: StopEngagementCommandInput; + output: StopEngagementCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/TagResourceCommand.ts b/clients/client-ssm-contacts/src/commands/TagResourceCommand.ts index 3e6e1750f9fe..471a138cd6a9 100644 --- a/clients/client-ssm-contacts/src/commands/TagResourceCommand.ts +++ b/clients/client-ssm-contacts/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/UntagResourceCommand.ts b/clients/client-ssm-contacts/src/commands/UntagResourceCommand.ts index a59d641f826a..d43da9ca48f4 100644 --- a/clients/client-ssm-contacts/src/commands/UntagResourceCommand.ts +++ b/clients/client-ssm-contacts/src/commands/UntagResourceCommand.ts @@ -94,4 +94,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/UpdateContactChannelCommand.ts b/clients/client-ssm-contacts/src/commands/UpdateContactChannelCommand.ts index dffb309a1937..481f6141493f 100644 --- a/clients/client-ssm-contacts/src/commands/UpdateContactChannelCommand.ts +++ b/clients/client-ssm-contacts/src/commands/UpdateContactChannelCommand.ts @@ -101,4 +101,16 @@ export class UpdateContactChannelCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactChannelCommand) .de(de_UpdateContactChannelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactChannelRequest; + output: {}; + }; + sdk: { + input: UpdateContactChannelCommandInput; + output: UpdateContactChannelCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/UpdateContactCommand.ts b/clients/client-ssm-contacts/src/commands/UpdateContactCommand.ts index 76a406d8f45e..ab4f817bb2d5 100644 --- a/clients/client-ssm-contacts/src/commands/UpdateContactCommand.ts +++ b/clients/client-ssm-contacts/src/commands/UpdateContactCommand.ts @@ -120,4 +120,16 @@ export class UpdateContactCommand extends $Command .f(void 0, void 0) .ser(se_UpdateContactCommand) .de(de_UpdateContactCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContactRequest; + output: {}; + }; + sdk: { + input: UpdateContactCommandInput; + output: UpdateContactCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-contacts/src/commands/UpdateRotationCommand.ts b/clients/client-ssm-contacts/src/commands/UpdateRotationCommand.ts index bf032232799c..02646ad32679 100644 --- a/clients/client-ssm-contacts/src/commands/UpdateRotationCommand.ts +++ b/clients/client-ssm-contacts/src/commands/UpdateRotationCommand.ts @@ -135,4 +135,16 @@ export class UpdateRotationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRotationCommand) .de(de_UpdateRotationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRotationRequest; + output: {}; + }; + sdk: { + input: UpdateRotationCommandInput; + output: UpdateRotationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/package.json b/clients/client-ssm-incidents/package.json index 24bc51771ef0..68bf7e792d0e 100644 --- a/clients/client-ssm-incidents/package.json +++ b/clients/client-ssm-incidents/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-ssm-incidents/src/commands/BatchGetIncidentFindingsCommand.ts b/clients/client-ssm-incidents/src/commands/BatchGetIncidentFindingsCommand.ts index af79278fb396..cbb5c60ccbd3 100644 --- a/clients/client-ssm-incidents/src/commands/BatchGetIncidentFindingsCommand.ts +++ b/clients/client-ssm-incidents/src/commands/BatchGetIncidentFindingsCommand.ts @@ -126,4 +126,16 @@ export class BatchGetIncidentFindingsCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetIncidentFindingsCommand) .de(de_BatchGetIncidentFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetIncidentFindingsInput; + output: BatchGetIncidentFindingsOutput; + }; + sdk: { + input: BatchGetIncidentFindingsCommandInput; + output: BatchGetIncidentFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/CreateReplicationSetCommand.ts b/clients/client-ssm-incidents/src/commands/CreateReplicationSetCommand.ts index 6197b65c05a7..b8817af2d95f 100644 --- a/clients/client-ssm-incidents/src/commands/CreateReplicationSetCommand.ts +++ b/clients/client-ssm-incidents/src/commands/CreateReplicationSetCommand.ts @@ -106,4 +106,16 @@ export class CreateReplicationSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateReplicationSetCommand) .de(de_CreateReplicationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReplicationSetInput; + output: CreateReplicationSetOutput; + }; + sdk: { + input: CreateReplicationSetCommandInput; + output: CreateReplicationSetCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/CreateResponsePlanCommand.ts b/clients/client-ssm-incidents/src/commands/CreateResponsePlanCommand.ts index de1a967204f9..e84be5761ec9 100644 --- a/clients/client-ssm-incidents/src/commands/CreateResponsePlanCommand.ts +++ b/clients/client-ssm-incidents/src/commands/CreateResponsePlanCommand.ts @@ -158,4 +158,16 @@ export class CreateResponsePlanCommand extends $Command .f(void 0, void 0) .ser(se_CreateResponsePlanCommand) .de(de_CreateResponsePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResponsePlanInput; + output: CreateResponsePlanOutput; + }; + sdk: { + input: CreateResponsePlanCommandInput; + output: CreateResponsePlanCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/CreateTimelineEventCommand.ts b/clients/client-ssm-incidents/src/commands/CreateTimelineEventCommand.ts index ddae54b5238d..aaa0f09c4f7f 100644 --- a/clients/client-ssm-incidents/src/commands/CreateTimelineEventCommand.ts +++ b/clients/client-ssm-incidents/src/commands/CreateTimelineEventCommand.ts @@ -111,4 +111,16 @@ export class CreateTimelineEventCommand extends $Command .f(void 0, void 0) .ser(se_CreateTimelineEventCommand) .de(de_CreateTimelineEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTimelineEventInput; + output: CreateTimelineEventOutput; + }; + sdk: { + input: CreateTimelineEventCommandInput; + output: CreateTimelineEventCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/DeleteIncidentRecordCommand.ts b/clients/client-ssm-incidents/src/commands/DeleteIncidentRecordCommand.ts index 4768a7f8ddfc..4fb5a69346a4 100644 --- a/clients/client-ssm-incidents/src/commands/DeleteIncidentRecordCommand.ts +++ b/clients/client-ssm-incidents/src/commands/DeleteIncidentRecordCommand.ts @@ -89,4 +89,16 @@ export class DeleteIncidentRecordCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIncidentRecordCommand) .de(de_DeleteIncidentRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIncidentRecordInput; + output: {}; + }; + sdk: { + input: DeleteIncidentRecordCommandInput; + output: DeleteIncidentRecordCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/DeleteReplicationSetCommand.ts b/clients/client-ssm-incidents/src/commands/DeleteReplicationSetCommand.ts index 3565aedc0344..ee5a4aba94cc 100644 --- a/clients/client-ssm-incidents/src/commands/DeleteReplicationSetCommand.ts +++ b/clients/client-ssm-incidents/src/commands/DeleteReplicationSetCommand.ts @@ -93,4 +93,16 @@ export class DeleteReplicationSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReplicationSetCommand) .de(de_DeleteReplicationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReplicationSetInput; + output: {}; + }; + sdk: { + input: DeleteReplicationSetCommandInput; + output: DeleteReplicationSetCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-ssm-incidents/src/commands/DeleteResourcePolicyCommand.ts index be4803b2e845..5648ef5da289 100644 --- a/clients/client-ssm-incidents/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-ssm-incidents/src/commands/DeleteResourcePolicyCommand.ts @@ -94,4 +94,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyInput; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/DeleteResponsePlanCommand.ts b/clients/client-ssm-incidents/src/commands/DeleteResponsePlanCommand.ts index 8ddaf8b7e999..571b6389dc69 100644 --- a/clients/client-ssm-incidents/src/commands/DeleteResponsePlanCommand.ts +++ b/clients/client-ssm-incidents/src/commands/DeleteResponsePlanCommand.ts @@ -90,4 +90,16 @@ export class DeleteResponsePlanCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResponsePlanCommand) .de(de_DeleteResponsePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResponsePlanInput; + output: {}; + }; + sdk: { + input: DeleteResponsePlanCommandInput; + output: DeleteResponsePlanCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/DeleteTimelineEventCommand.ts b/clients/client-ssm-incidents/src/commands/DeleteTimelineEventCommand.ts index ec5a37676b84..cb7f8c6905b4 100644 --- a/clients/client-ssm-incidents/src/commands/DeleteTimelineEventCommand.ts +++ b/clients/client-ssm-incidents/src/commands/DeleteTimelineEventCommand.ts @@ -90,4 +90,16 @@ export class DeleteTimelineEventCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTimelineEventCommand) .de(de_DeleteTimelineEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTimelineEventInput; + output: {}; + }; + sdk: { + input: DeleteTimelineEventCommandInput; + output: DeleteTimelineEventCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/GetIncidentRecordCommand.ts b/clients/client-ssm-incidents/src/commands/GetIncidentRecordCommand.ts index 8819ab62d706..6810893226e5 100644 --- a/clients/client-ssm-incidents/src/commands/GetIncidentRecordCommand.ts +++ b/clients/client-ssm-incidents/src/commands/GetIncidentRecordCommand.ts @@ -127,4 +127,16 @@ export class GetIncidentRecordCommand extends $Command .f(void 0, void 0) .ser(se_GetIncidentRecordCommand) .de(de_GetIncidentRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIncidentRecordInput; + output: GetIncidentRecordOutput; + }; + sdk: { + input: GetIncidentRecordCommandInput; + output: GetIncidentRecordCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/GetReplicationSetCommand.ts b/clients/client-ssm-incidents/src/commands/GetReplicationSetCommand.ts index fe4d25aa746f..8ac3145ecdc1 100644 --- a/clients/client-ssm-incidents/src/commands/GetReplicationSetCommand.ts +++ b/clients/client-ssm-incidents/src/commands/GetReplicationSetCommand.ts @@ -110,4 +110,16 @@ export class GetReplicationSetCommand extends $Command .f(void 0, void 0) .ser(se_GetReplicationSetCommand) .de(de_GetReplicationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReplicationSetInput; + output: GetReplicationSetOutput; + }; + sdk: { + input: GetReplicationSetCommandInput; + output: GetReplicationSetCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/GetResourcePoliciesCommand.ts b/clients/client-ssm-incidents/src/commands/GetResourcePoliciesCommand.ts index 1637b5ca2ab3..ba982ec85ad8 100644 --- a/clients/client-ssm-incidents/src/commands/GetResourcePoliciesCommand.ts +++ b/clients/client-ssm-incidents/src/commands/GetResourcePoliciesCommand.ts @@ -103,4 +103,16 @@ export class GetResourcePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePoliciesCommand) .de(de_GetResourcePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePoliciesInput; + output: GetResourcePoliciesOutput; + }; + sdk: { + input: GetResourcePoliciesCommandInput; + output: GetResourcePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/GetResponsePlanCommand.ts b/clients/client-ssm-incidents/src/commands/GetResponsePlanCommand.ts index 8e97b081abc1..2823392ea607 100644 --- a/clients/client-ssm-incidents/src/commands/GetResponsePlanCommand.ts +++ b/clients/client-ssm-incidents/src/commands/GetResponsePlanCommand.ts @@ -150,4 +150,16 @@ export class GetResponsePlanCommand extends $Command .f(void 0, void 0) .ser(se_GetResponsePlanCommand) .de(de_GetResponsePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResponsePlanInput; + output: GetResponsePlanOutput; + }; + sdk: { + input: GetResponsePlanCommandInput; + output: GetResponsePlanCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/GetTimelineEventCommand.ts b/clients/client-ssm-incidents/src/commands/GetTimelineEventCommand.ts index 13f657d31830..8c5c57d1f04c 100644 --- a/clients/client-ssm-incidents/src/commands/GetTimelineEventCommand.ts +++ b/clients/client-ssm-incidents/src/commands/GetTimelineEventCommand.ts @@ -108,4 +108,16 @@ export class GetTimelineEventCommand extends $Command .f(void 0, void 0) .ser(se_GetTimelineEventCommand) .de(de_GetTimelineEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTimelineEventInput; + output: GetTimelineEventOutput; + }; + sdk: { + input: GetTimelineEventCommandInput; + output: GetTimelineEventCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/ListIncidentFindingsCommand.ts b/clients/client-ssm-incidents/src/commands/ListIncidentFindingsCommand.ts index 704820be08ab..c62f3c3ff822 100644 --- a/clients/client-ssm-incidents/src/commands/ListIncidentFindingsCommand.ts +++ b/clients/client-ssm-incidents/src/commands/ListIncidentFindingsCommand.ts @@ -105,4 +105,16 @@ export class ListIncidentFindingsCommand extends $Command .f(void 0, void 0) .ser(se_ListIncidentFindingsCommand) .de(de_ListIncidentFindingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIncidentFindingsInput; + output: ListIncidentFindingsOutput; + }; + sdk: { + input: ListIncidentFindingsCommandInput; + output: ListIncidentFindingsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/ListIncidentRecordsCommand.ts b/clients/client-ssm-incidents/src/commands/ListIncidentRecordsCommand.ts index c5cf033c8a0e..83a256285b53 100644 --- a/clients/client-ssm-incidents/src/commands/ListIncidentRecordsCommand.ts +++ b/clients/client-ssm-incidents/src/commands/ListIncidentRecordsCommand.ts @@ -126,4 +126,16 @@ export class ListIncidentRecordsCommand extends $Command .f(void 0, void 0) .ser(se_ListIncidentRecordsCommand) .de(de_ListIncidentRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIncidentRecordsInput; + output: ListIncidentRecordsOutput; + }; + sdk: { + input: ListIncidentRecordsCommandInput; + output: ListIncidentRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/ListRelatedItemsCommand.ts b/clients/client-ssm-incidents/src/commands/ListRelatedItemsCommand.ts index 63d20dc99277..fb3672b7cd5b 100644 --- a/clients/client-ssm-incidents/src/commands/ListRelatedItemsCommand.ts +++ b/clients/client-ssm-incidents/src/commands/ListRelatedItemsCommand.ts @@ -112,4 +112,16 @@ export class ListRelatedItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListRelatedItemsCommand) .de(de_ListRelatedItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRelatedItemsInput; + output: ListRelatedItemsOutput; + }; + sdk: { + input: ListRelatedItemsCommandInput; + output: ListRelatedItemsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/ListReplicationSetsCommand.ts b/clients/client-ssm-incidents/src/commands/ListReplicationSetsCommand.ts index ef09642c7c88..e2a66db15a31 100644 --- a/clients/client-ssm-incidents/src/commands/ListReplicationSetsCommand.ts +++ b/clients/client-ssm-incidents/src/commands/ListReplicationSetsCommand.ts @@ -95,4 +95,16 @@ export class ListReplicationSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListReplicationSetsCommand) .de(de_ListReplicationSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReplicationSetsInput; + output: ListReplicationSetsOutput; + }; + sdk: { + input: ListReplicationSetsCommandInput; + output: ListReplicationSetsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/ListResponsePlansCommand.ts b/clients/client-ssm-incidents/src/commands/ListResponsePlansCommand.ts index a636e6617683..f93f721cfd8e 100644 --- a/clients/client-ssm-incidents/src/commands/ListResponsePlansCommand.ts +++ b/clients/client-ssm-incidents/src/commands/ListResponsePlansCommand.ts @@ -99,4 +99,16 @@ export class ListResponsePlansCommand extends $Command .f(void 0, void 0) .ser(se_ListResponsePlansCommand) .de(de_ListResponsePlansCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResponsePlansInput; + output: ListResponsePlansOutput; + }; + sdk: { + input: ListResponsePlansCommandInput; + output: ListResponsePlansCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/ListTagsForResourceCommand.ts b/clients/client-ssm-incidents/src/commands/ListTagsForResourceCommand.ts index 5759a5288933..f1befa6b084b 100644 --- a/clients/client-ssm-incidents/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ssm-incidents/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/ListTimelineEventsCommand.ts b/clients/client-ssm-incidents/src/commands/ListTimelineEventsCommand.ts index b6ffc521eef6..e549c357e851 100644 --- a/clients/client-ssm-incidents/src/commands/ListTimelineEventsCommand.ts +++ b/clients/client-ssm-incidents/src/commands/ListTimelineEventsCommand.ts @@ -127,4 +127,16 @@ export class ListTimelineEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListTimelineEventsCommand) .de(de_ListTimelineEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTimelineEventsInput; + output: ListTimelineEventsOutput; + }; + sdk: { + input: ListTimelineEventsCommandInput; + output: ListTimelineEventsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/PutResourcePolicyCommand.ts b/clients/client-ssm-incidents/src/commands/PutResourcePolicyCommand.ts index 5f7855ffdb80..967f9aa87ea6 100644 --- a/clients/client-ssm-incidents/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-ssm-incidents/src/commands/PutResourcePolicyCommand.ts @@ -97,4 +97,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyInput; + output: PutResourcePolicyOutput; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/StartIncidentCommand.ts b/clients/client-ssm-incidents/src/commands/StartIncidentCommand.ts index c5dfc0ae3a8d..5807dd12c6c9 100644 --- a/clients/client-ssm-incidents/src/commands/StartIncidentCommand.ts +++ b/clients/client-ssm-incidents/src/commands/StartIncidentCommand.ts @@ -126,4 +126,16 @@ export class StartIncidentCommand extends $Command .f(void 0, void 0) .ser(se_StartIncidentCommand) .de(de_StartIncidentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartIncidentInput; + output: StartIncidentOutput; + }; + sdk: { + input: StartIncidentCommandInput; + output: StartIncidentCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/TagResourceCommand.ts b/clients/client-ssm-incidents/src/commands/TagResourceCommand.ts index 0487b36620e3..90498e2d9d52 100644 --- a/clients/client-ssm-incidents/src/commands/TagResourceCommand.ts +++ b/clients/client-ssm-incidents/src/commands/TagResourceCommand.ts @@ -101,4 +101,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/UntagResourceCommand.ts b/clients/client-ssm-incidents/src/commands/UntagResourceCommand.ts index 5144de845652..e9a2d8b540e3 100644 --- a/clients/client-ssm-incidents/src/commands/UntagResourceCommand.ts +++ b/clients/client-ssm-incidents/src/commands/UntagResourceCommand.ts @@ -98,4 +98,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/UpdateDeletionProtectionCommand.ts b/clients/client-ssm-incidents/src/commands/UpdateDeletionProtectionCommand.ts index bd7f6c23d103..a0fc5189b604 100644 --- a/clients/client-ssm-incidents/src/commands/UpdateDeletionProtectionCommand.ts +++ b/clients/client-ssm-incidents/src/commands/UpdateDeletionProtectionCommand.ts @@ -95,4 +95,16 @@ export class UpdateDeletionProtectionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDeletionProtectionCommand) .de(de_UpdateDeletionProtectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeletionProtectionInput; + output: {}; + }; + sdk: { + input: UpdateDeletionProtectionCommandInput; + output: UpdateDeletionProtectionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/UpdateIncidentRecordCommand.ts b/clients/client-ssm-incidents/src/commands/UpdateIncidentRecordCommand.ts index 3eeb25197961..ee11fa8cc5d4 100644 --- a/clients/client-ssm-incidents/src/commands/UpdateIncidentRecordCommand.ts +++ b/clients/client-ssm-incidents/src/commands/UpdateIncidentRecordCommand.ts @@ -113,4 +113,16 @@ export class UpdateIncidentRecordCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIncidentRecordCommand) .de(de_UpdateIncidentRecordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIncidentRecordInput; + output: {}; + }; + sdk: { + input: UpdateIncidentRecordCommandInput; + output: UpdateIncidentRecordCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/UpdateRelatedItemsCommand.ts b/clients/client-ssm-incidents/src/commands/UpdateRelatedItemsCommand.ts index 13cc0fe00389..85d102b3d6c1 100644 --- a/clients/client-ssm-incidents/src/commands/UpdateRelatedItemsCommand.ts +++ b/clients/client-ssm-incidents/src/commands/UpdateRelatedItemsCommand.ts @@ -128,4 +128,16 @@ export class UpdateRelatedItemsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRelatedItemsCommand) .de(de_UpdateRelatedItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRelatedItemsInput; + output: {}; + }; + sdk: { + input: UpdateRelatedItemsCommandInput; + output: UpdateRelatedItemsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/UpdateReplicationSetCommand.ts b/clients/client-ssm-incidents/src/commands/UpdateReplicationSetCommand.ts index df920bfdb70e..5097ffa1e885 100644 --- a/clients/client-ssm-incidents/src/commands/UpdateReplicationSetCommand.ts +++ b/clients/client-ssm-incidents/src/commands/UpdateReplicationSetCommand.ts @@ -107,4 +107,16 @@ export class UpdateReplicationSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReplicationSetCommand) .de(de_UpdateReplicationSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReplicationSetInput; + output: {}; + }; + sdk: { + input: UpdateReplicationSetCommandInput; + output: UpdateReplicationSetCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/UpdateResponsePlanCommand.ts b/clients/client-ssm-incidents/src/commands/UpdateResponsePlanCommand.ts index 46a20866d7cf..ec27b1f9b461 100644 --- a/clients/client-ssm-incidents/src/commands/UpdateResponsePlanCommand.ts +++ b/clients/client-ssm-incidents/src/commands/UpdateResponsePlanCommand.ts @@ -149,4 +149,16 @@ export class UpdateResponsePlanCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResponsePlanCommand) .de(de_UpdateResponsePlanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResponsePlanInput; + output: {}; + }; + sdk: { + input: UpdateResponsePlanCommandInput; + output: UpdateResponsePlanCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-incidents/src/commands/UpdateTimelineEventCommand.ts b/clients/client-ssm-incidents/src/commands/UpdateTimelineEventCommand.ts index 079717b56202..bad1539fd5cd 100644 --- a/clients/client-ssm-incidents/src/commands/UpdateTimelineEventCommand.ts +++ b/clients/client-ssm-incidents/src/commands/UpdateTimelineEventCommand.ts @@ -106,4 +106,16 @@ export class UpdateTimelineEventCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTimelineEventCommand) .de(de_UpdateTimelineEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTimelineEventInput; + output: {}; + }; + sdk: { + input: UpdateTimelineEventCommandInput; + output: UpdateTimelineEventCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/package.json b/clients/client-ssm-quicksetup/package.json index 890bcab24446..8f2c6b6ba194 100644 --- a/clients/client-ssm-quicksetup/package.json +++ b/clients/client-ssm-quicksetup/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-ssm-quicksetup/src/commands/CreateConfigurationManagerCommand.ts b/clients/client-ssm-quicksetup/src/commands/CreateConfigurationManagerCommand.ts index e7a31c0fd606..cf47017797cc 100644 --- a/clients/client-ssm-quicksetup/src/commands/CreateConfigurationManagerCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/CreateConfigurationManagerCommand.ts @@ -114,4 +114,16 @@ export class CreateConfigurationManagerCommand extends $Command .f(CreateConfigurationManagerInputFilterSensitiveLog, void 0) .ser(se_CreateConfigurationManagerCommand) .de(de_CreateConfigurationManagerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConfigurationManagerInput; + output: CreateConfigurationManagerOutput; + }; + sdk: { + input: CreateConfigurationManagerCommandInput; + output: CreateConfigurationManagerCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/DeleteConfigurationManagerCommand.ts b/clients/client-ssm-quicksetup/src/commands/DeleteConfigurationManagerCommand.ts index f5522612a624..3bbdc8767339 100644 --- a/clients/client-ssm-quicksetup/src/commands/DeleteConfigurationManagerCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/DeleteConfigurationManagerCommand.ts @@ -94,4 +94,16 @@ export class DeleteConfigurationManagerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConfigurationManagerCommand) .de(de_DeleteConfigurationManagerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConfigurationManagerInput; + output: {}; + }; + sdk: { + input: DeleteConfigurationManagerCommandInput; + output: DeleteConfigurationManagerCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/GetConfigurationManagerCommand.ts b/clients/client-ssm-quicksetup/src/commands/GetConfigurationManagerCommand.ts index 9f232cec08f5..53ba10fd0e40 100644 --- a/clients/client-ssm-quicksetup/src/commands/GetConfigurationManagerCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/GetConfigurationManagerCommand.ts @@ -130,4 +130,16 @@ export class GetConfigurationManagerCommand extends $Command .f(void 0, GetConfigurationManagerOutputFilterSensitiveLog) .ser(se_GetConfigurationManagerCommand) .de(de_GetConfigurationManagerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConfigurationManagerInput; + output: GetConfigurationManagerOutput; + }; + sdk: { + input: GetConfigurationManagerCommandInput; + output: GetConfigurationManagerCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/GetServiceSettingsCommand.ts b/clients/client-ssm-quicksetup/src/commands/GetServiceSettingsCommand.ts index 36759608926a..2640091cc27e 100644 --- a/clients/client-ssm-quicksetup/src/commands/GetServiceSettingsCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/GetServiceSettingsCommand.ts @@ -89,4 +89,16 @@ export class GetServiceSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceSettingsCommand) .de(de_GetServiceSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetServiceSettingsOutput; + }; + sdk: { + input: GetServiceSettingsCommandInput; + output: GetServiceSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/ListConfigurationManagersCommand.ts b/clients/client-ssm-quicksetup/src/commands/ListConfigurationManagersCommand.ts index 61223417b4ff..2e37498dbd2f 100644 --- a/clients/client-ssm-quicksetup/src/commands/ListConfigurationManagersCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/ListConfigurationManagersCommand.ts @@ -130,4 +130,16 @@ export class ListConfigurationManagersCommand extends $Command .f(void 0, void 0) .ser(se_ListConfigurationManagersCommand) .de(de_ListConfigurationManagersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConfigurationManagersInput; + output: ListConfigurationManagersOutput; + }; + sdk: { + input: ListConfigurationManagersCommandInput; + output: ListConfigurationManagersCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/ListQuickSetupTypesCommand.ts b/clients/client-ssm-quicksetup/src/commands/ListQuickSetupTypesCommand.ts index 88bf4b3d1a9c..6e4368e08d54 100644 --- a/clients/client-ssm-quicksetup/src/commands/ListQuickSetupTypesCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/ListQuickSetupTypesCommand.ts @@ -92,4 +92,16 @@ export class ListQuickSetupTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListQuickSetupTypesCommand) .de(de_ListQuickSetupTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: ListQuickSetupTypesOutput; + }; + sdk: { + input: ListQuickSetupTypesCommandInput; + output: ListQuickSetupTypesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/ListTagsForResourceCommand.ts b/clients/client-ssm-quicksetup/src/commands/ListTagsForResourceCommand.ts index 3471e0d90c81..fa79b3479c0b 100644 --- a/clients/client-ssm-quicksetup/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/ListTagsForResourceCommand.ts @@ -105,4 +105,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/TagResourceCommand.ts b/clients/client-ssm-quicksetup/src/commands/TagResourceCommand.ts index ef8e9083b6dc..efed286b650d 100644 --- a/clients/client-ssm-quicksetup/src/commands/TagResourceCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/TagResourceCommand.ts @@ -97,4 +97,16 @@ export class TagResourceCommand extends $Command .f(TagResourceInputFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/UntagResourceCommand.ts b/clients/client-ssm-quicksetup/src/commands/UntagResourceCommand.ts index 064e71fd9c79..449fdfc4ff75 100644 --- a/clients/client-ssm-quicksetup/src/commands/UntagResourceCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationDefinitionCommand.ts b/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationDefinitionCommand.ts index e8c127af87a0..3ebc0357120e 100644 --- a/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationDefinitionCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationDefinitionCommand.ts @@ -104,4 +104,16 @@ export class UpdateConfigurationDefinitionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationDefinitionCommand) .de(de_UpdateConfigurationDefinitionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationDefinitionInput; + output: {}; + }; + sdk: { + input: UpdateConfigurationDefinitionCommandInput; + output: UpdateConfigurationDefinitionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationManagerCommand.ts b/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationManagerCommand.ts index 5b0fe3e619c2..419562f12bee 100644 --- a/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationManagerCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/UpdateConfigurationManagerCommand.ts @@ -96,4 +96,16 @@ export class UpdateConfigurationManagerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConfigurationManagerCommand) .de(de_UpdateConfigurationManagerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConfigurationManagerInput; + output: {}; + }; + sdk: { + input: UpdateConfigurationManagerCommandInput; + output: UpdateConfigurationManagerCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-quicksetup/src/commands/UpdateServiceSettingsCommand.ts b/clients/client-ssm-quicksetup/src/commands/UpdateServiceSettingsCommand.ts index 4f924ec94d05..225f8ff0a9c2 100644 --- a/clients/client-ssm-quicksetup/src/commands/UpdateServiceSettingsCommand.ts +++ b/clients/client-ssm-quicksetup/src/commands/UpdateServiceSettingsCommand.ts @@ -91,4 +91,16 @@ export class UpdateServiceSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceSettingsCommand) .de(de_UpdateServiceSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceSettingsInput; + output: {}; + }; + sdk: { + input: UpdateServiceSettingsCommandInput; + output: UpdateServiceSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/package.json b/clients/client-ssm-sap/package.json index ad142f47cfb8..c5f959704f2b 100644 --- a/clients/client-ssm-sap/package.json +++ b/clients/client-ssm-sap/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-ssm-sap/src/commands/DeleteResourcePermissionCommand.ts b/clients/client-ssm-sap/src/commands/DeleteResourcePermissionCommand.ts index ed4b0c0b5eed..68340e957e2b 100644 --- a/clients/client-ssm-sap/src/commands/DeleteResourcePermissionCommand.ts +++ b/clients/client-ssm-sap/src/commands/DeleteResourcePermissionCommand.ts @@ -88,4 +88,16 @@ export class DeleteResourcePermissionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePermissionCommand) .de(de_DeleteResourcePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePermissionInput; + output: DeleteResourcePermissionOutput; + }; + sdk: { + input: DeleteResourcePermissionCommandInput; + output: DeleteResourcePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/DeregisterApplicationCommand.ts b/clients/client-ssm-sap/src/commands/DeregisterApplicationCommand.ts index 6b3515379c16..2a4f608a8c11 100644 --- a/clients/client-ssm-sap/src/commands/DeregisterApplicationCommand.ts +++ b/clients/client-ssm-sap/src/commands/DeregisterApplicationCommand.ts @@ -85,4 +85,16 @@ export class DeregisterApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterApplicationCommand) .de(de_DeregisterApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterApplicationInput; + output: {}; + }; + sdk: { + input: DeregisterApplicationCommandInput; + output: DeregisterApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/GetApplicationCommand.ts b/clients/client-ssm-sap/src/commands/GetApplicationCommand.ts index 21f47375127c..cbcebf78502c 100644 --- a/clients/client-ssm-sap/src/commands/GetApplicationCommand.ts +++ b/clients/client-ssm-sap/src/commands/GetApplicationCommand.ts @@ -104,4 +104,16 @@ export class GetApplicationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationCommand) .de(de_GetApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationInput; + output: GetApplicationOutput; + }; + sdk: { + input: GetApplicationCommandInput; + output: GetApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/GetComponentCommand.ts b/clients/client-ssm-sap/src/commands/GetComponentCommand.ts index da022fcce902..bbc5babb7304 100644 --- a/clients/client-ssm-sap/src/commands/GetComponentCommand.ts +++ b/clients/client-ssm-sap/src/commands/GetComponentCommand.ts @@ -146,4 +146,16 @@ export class GetComponentCommand extends $Command .f(void 0, void 0) .ser(se_GetComponentCommand) .de(de_GetComponentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetComponentInput; + output: GetComponentOutput; + }; + sdk: { + input: GetComponentCommandInput; + output: GetComponentCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/GetDatabaseCommand.ts b/clients/client-ssm-sap/src/commands/GetDatabaseCommand.ts index b660b204eaa2..d25be26d1acb 100644 --- a/clients/client-ssm-sap/src/commands/GetDatabaseCommand.ts +++ b/clients/client-ssm-sap/src/commands/GetDatabaseCommand.ts @@ -111,4 +111,16 @@ export class GetDatabaseCommand extends $Command .f(void 0, GetDatabaseOutputFilterSensitiveLog) .ser(se_GetDatabaseCommand) .de(de_GetDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDatabaseInput; + output: GetDatabaseOutput; + }; + sdk: { + input: GetDatabaseCommandInput; + output: GetDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/GetOperationCommand.ts b/clients/client-ssm-sap/src/commands/GetOperationCommand.ts index 7b706d20519b..19635824954e 100644 --- a/clients/client-ssm-sap/src/commands/GetOperationCommand.ts +++ b/clients/client-ssm-sap/src/commands/GetOperationCommand.ts @@ -97,4 +97,16 @@ export class GetOperationCommand extends $Command .f(void 0, void 0) .ser(se_GetOperationCommand) .de(de_GetOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOperationInput; + output: GetOperationOutput; + }; + sdk: { + input: GetOperationCommandInput; + output: GetOperationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/GetResourcePermissionCommand.ts b/clients/client-ssm-sap/src/commands/GetResourcePermissionCommand.ts index 13ed38c2855f..b036e2a6c400 100644 --- a/clients/client-ssm-sap/src/commands/GetResourcePermissionCommand.ts +++ b/clients/client-ssm-sap/src/commands/GetResourcePermissionCommand.ts @@ -87,4 +87,16 @@ export class GetResourcePermissionCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePermissionCommand) .de(de_GetResourcePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePermissionInput; + output: GetResourcePermissionOutput; + }; + sdk: { + input: GetResourcePermissionCommandInput; + output: GetResourcePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/ListApplicationsCommand.ts b/clients/client-ssm-sap/src/commands/ListApplicationsCommand.ts index 09f184d4d6f3..b3d144002ca8 100644 --- a/clients/client-ssm-sap/src/commands/ListApplicationsCommand.ts +++ b/clients/client-ssm-sap/src/commands/ListApplicationsCommand.ts @@ -105,4 +105,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsInput; + output: ListApplicationsOutput; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/ListComponentsCommand.ts b/clients/client-ssm-sap/src/commands/ListComponentsCommand.ts index e12beff76320..12e29fc3a7df 100644 --- a/clients/client-ssm-sap/src/commands/ListComponentsCommand.ts +++ b/clients/client-ssm-sap/src/commands/ListComponentsCommand.ts @@ -102,4 +102,16 @@ export class ListComponentsCommand extends $Command .f(void 0, void 0) .ser(se_ListComponentsCommand) .de(de_ListComponentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComponentsInput; + output: ListComponentsOutput; + }; + sdk: { + input: ListComponentsCommandInput; + output: ListComponentsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/ListDatabasesCommand.ts b/clients/client-ssm-sap/src/commands/ListDatabasesCommand.ts index 3612d544eea6..4ad8be8c359d 100644 --- a/clients/client-ssm-sap/src/commands/ListDatabasesCommand.ts +++ b/clients/client-ssm-sap/src/commands/ListDatabasesCommand.ts @@ -102,4 +102,16 @@ export class ListDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_ListDatabasesCommand) .de(de_ListDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatabasesInput; + output: ListDatabasesOutput; + }; + sdk: { + input: ListDatabasesCommandInput; + output: ListDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/ListOperationEventsCommand.ts b/clients/client-ssm-sap/src/commands/ListOperationEventsCommand.ts index 7c875a621854..9d3bdee4c9d4 100644 --- a/clients/client-ssm-sap/src/commands/ListOperationEventsCommand.ts +++ b/clients/client-ssm-sap/src/commands/ListOperationEventsCommand.ts @@ -106,4 +106,16 @@ export class ListOperationEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListOperationEventsCommand) .de(de_ListOperationEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOperationEventsInput; + output: ListOperationEventsOutput; + }; + sdk: { + input: ListOperationEventsCommandInput; + output: ListOperationEventsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/ListOperationsCommand.ts b/clients/client-ssm-sap/src/commands/ListOperationsCommand.ts index 249e61d65168..62777a2a25d3 100644 --- a/clients/client-ssm-sap/src/commands/ListOperationsCommand.ts +++ b/clients/client-ssm-sap/src/commands/ListOperationsCommand.ts @@ -109,4 +109,16 @@ export class ListOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListOperationsCommand) .de(de_ListOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOperationsInput; + output: ListOperationsOutput; + }; + sdk: { + input: ListOperationsCommandInput; + output: ListOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/ListTagsForResourceCommand.ts b/clients/client-ssm-sap/src/commands/ListTagsForResourceCommand.ts index 12793d6bf8e2..c02adf336cb1 100644 --- a/clients/client-ssm-sap/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ssm-sap/src/commands/ListTagsForResourceCommand.ts @@ -89,4 +89,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/PutResourcePermissionCommand.ts b/clients/client-ssm-sap/src/commands/PutResourcePermissionCommand.ts index d17f09ef249d..b2d76052368b 100644 --- a/clients/client-ssm-sap/src/commands/PutResourcePermissionCommand.ts +++ b/clients/client-ssm-sap/src/commands/PutResourcePermissionCommand.ts @@ -88,4 +88,16 @@ export class PutResourcePermissionCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePermissionCommand) .de(de_PutResourcePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePermissionInput; + output: PutResourcePermissionOutput; + }; + sdk: { + input: PutResourcePermissionCommandInput; + output: PutResourcePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/RegisterApplicationCommand.ts b/clients/client-ssm-sap/src/commands/RegisterApplicationCommand.ts index 7a140c8cd574..6aa6fad01061 100644 --- a/clients/client-ssm-sap/src/commands/RegisterApplicationCommand.ts +++ b/clients/client-ssm-sap/src/commands/RegisterApplicationCommand.ts @@ -133,4 +133,16 @@ export class RegisterApplicationCommand extends $Command .f(RegisterApplicationInputFilterSensitiveLog, void 0) .ser(se_RegisterApplicationCommand) .de(de_RegisterApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterApplicationInput; + output: RegisterApplicationOutput; + }; + sdk: { + input: RegisterApplicationCommandInput; + output: RegisterApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/StartApplicationCommand.ts b/clients/client-ssm-sap/src/commands/StartApplicationCommand.ts index 08f79839614c..e307a76c8824 100644 --- a/clients/client-ssm-sap/src/commands/StartApplicationCommand.ts +++ b/clients/client-ssm-sap/src/commands/StartApplicationCommand.ts @@ -90,4 +90,16 @@ export class StartApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StartApplicationCommand) .de(de_StartApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartApplicationInput; + output: StartApplicationOutput; + }; + sdk: { + input: StartApplicationCommandInput; + output: StartApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/StartApplicationRefreshCommand.ts b/clients/client-ssm-sap/src/commands/StartApplicationRefreshCommand.ts index a99d34ebf8a2..ecfb6a5fdcbc 100644 --- a/clients/client-ssm-sap/src/commands/StartApplicationRefreshCommand.ts +++ b/clients/client-ssm-sap/src/commands/StartApplicationRefreshCommand.ts @@ -92,4 +92,16 @@ export class StartApplicationRefreshCommand extends $Command .f(void 0, void 0) .ser(se_StartApplicationRefreshCommand) .de(de_StartApplicationRefreshCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartApplicationRefreshInput; + output: StartApplicationRefreshOutput; + }; + sdk: { + input: StartApplicationRefreshCommandInput; + output: StartApplicationRefreshCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/StopApplicationCommand.ts b/clients/client-ssm-sap/src/commands/StopApplicationCommand.ts index b58a6a085ebe..07fd8a220665 100644 --- a/clients/client-ssm-sap/src/commands/StopApplicationCommand.ts +++ b/clients/client-ssm-sap/src/commands/StopApplicationCommand.ts @@ -94,4 +94,16 @@ export class StopApplicationCommand extends $Command .f(void 0, void 0) .ser(se_StopApplicationCommand) .de(de_StopApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopApplicationInput; + output: StopApplicationOutput; + }; + sdk: { + input: StopApplicationCommandInput; + output: StopApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/TagResourceCommand.ts b/clients/client-ssm-sap/src/commands/TagResourceCommand.ts index bc3587c9a3e7..4c05664e20cd 100644 --- a/clients/client-ssm-sap/src/commands/TagResourceCommand.ts +++ b/clients/client-ssm-sap/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/UntagResourceCommand.ts b/clients/client-ssm-sap/src/commands/UntagResourceCommand.ts index bba5369fc530..7ef2e41bca09 100644 --- a/clients/client-ssm-sap/src/commands/UntagResourceCommand.ts +++ b/clients/client-ssm-sap/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-sap/src/commands/UpdateApplicationSettingsCommand.ts b/clients/client-ssm-sap/src/commands/UpdateApplicationSettingsCommand.ts index a9397abc91a6..9ab6f8bd19f3 100644 --- a/clients/client-ssm-sap/src/commands/UpdateApplicationSettingsCommand.ts +++ b/clients/client-ssm-sap/src/commands/UpdateApplicationSettingsCommand.ts @@ -119,4 +119,16 @@ export class UpdateApplicationSettingsCommand extends $Command .f(UpdateApplicationSettingsInputFilterSensitiveLog, void 0) .ser(se_UpdateApplicationSettingsCommand) .de(de_UpdateApplicationSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationSettingsInput; + output: UpdateApplicationSettingsOutput; + }; + sdk: { + input: UpdateApplicationSettingsCommandInput; + output: UpdateApplicationSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/package.json b/clients/client-ssm/package.json index e4f3782c02a4..637c77bbd5e1 100644 --- a/clients/client-ssm/package.json +++ b/clients/client-ssm/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/clients/client-ssm/src/commands/AddTagsToResourceCommand.ts b/clients/client-ssm/src/commands/AddTagsToResourceCommand.ts index f8b8ea011170..d49dcd102f33 100644 --- a/clients/client-ssm/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-ssm/src/commands/AddTagsToResourceCommand.ts @@ -145,4 +145,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceRequest; + output: {}; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/AssociateOpsItemRelatedItemCommand.ts b/clients/client-ssm/src/commands/AssociateOpsItemRelatedItemCommand.ts index dcc24c3f88ac..a245ac543e6d 100644 --- a/clients/client-ssm/src/commands/AssociateOpsItemRelatedItemCommand.ts +++ b/clients/client-ssm/src/commands/AssociateOpsItemRelatedItemCommand.ts @@ -103,4 +103,16 @@ export class AssociateOpsItemRelatedItemCommand extends $Command .f(void 0, void 0) .ser(se_AssociateOpsItemRelatedItemCommand) .de(de_AssociateOpsItemRelatedItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateOpsItemRelatedItemRequest; + output: AssociateOpsItemRelatedItemResponse; + }; + sdk: { + input: AssociateOpsItemRelatedItemCommandInput; + output: AssociateOpsItemRelatedItemCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CancelCommandCommand.ts b/clients/client-ssm/src/commands/CancelCommandCommand.ts index 80047d43f341..ce0163ecf550 100644 --- a/clients/client-ssm/src/commands/CancelCommandCommand.ts +++ b/clients/client-ssm/src/commands/CancelCommandCommand.ts @@ -108,4 +108,16 @@ export class CancelCommandCommand extends $Command .f(void 0, void 0) .ser(se_CancelCommandCommand) .de(de_CancelCommandCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelCommandRequest; + output: {}; + }; + sdk: { + input: CancelCommandCommandInput; + output: CancelCommandCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CancelMaintenanceWindowExecutionCommand.ts b/clients/client-ssm/src/commands/CancelMaintenanceWindowExecutionCommand.ts index 3641d5a24bcb..6e7f59aac8b2 100644 --- a/clients/client-ssm/src/commands/CancelMaintenanceWindowExecutionCommand.ts +++ b/clients/client-ssm/src/commands/CancelMaintenanceWindowExecutionCommand.ts @@ -93,4 +93,16 @@ export class CancelMaintenanceWindowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_CancelMaintenanceWindowExecutionCommand) .de(de_CancelMaintenanceWindowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMaintenanceWindowExecutionRequest; + output: CancelMaintenanceWindowExecutionResult; + }; + sdk: { + input: CancelMaintenanceWindowExecutionCommandInput; + output: CancelMaintenanceWindowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateActivationCommand.ts b/clients/client-ssm/src/commands/CreateActivationCommand.ts index 2522d8358bd0..8222d6821495 100644 --- a/clients/client-ssm/src/commands/CreateActivationCommand.ts +++ b/clients/client-ssm/src/commands/CreateActivationCommand.ts @@ -110,4 +110,16 @@ export class CreateActivationCommand extends $Command .f(void 0, void 0) .ser(se_CreateActivationCommand) .de(de_CreateActivationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateActivationRequest; + output: CreateActivationResult; + }; + sdk: { + input: CreateActivationCommandInput; + output: CreateActivationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts b/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts index 8f9482df0f59..d38b48720fe6 100644 --- a/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts +++ b/clients/client-ssm/src/commands/CreateAssociationBatchCommand.ts @@ -413,4 +413,16 @@ export class CreateAssociationBatchCommand extends $Command .f(CreateAssociationBatchRequestFilterSensitiveLog, CreateAssociationBatchResultFilterSensitiveLog) .ser(se_CreateAssociationBatchCommand) .de(de_CreateAssociationBatchCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssociationBatchRequest; + output: CreateAssociationBatchResult; + }; + sdk: { + input: CreateAssociationBatchCommandInput; + output: CreateAssociationBatchCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateAssociationCommand.ts b/clients/client-ssm/src/commands/CreateAssociationCommand.ts index 0115bf7b030c..67b1bc9ebb81 100644 --- a/clients/client-ssm/src/commands/CreateAssociationCommand.ts +++ b/clients/client-ssm/src/commands/CreateAssociationCommand.ts @@ -353,4 +353,16 @@ export class CreateAssociationCommand extends $Command .f(CreateAssociationRequestFilterSensitiveLog, CreateAssociationResultFilterSensitiveLog) .ser(se_CreateAssociationCommand) .de(de_CreateAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssociationRequest; + output: CreateAssociationResult; + }; + sdk: { + input: CreateAssociationCommandInput; + output: CreateAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateDocumentCommand.ts b/clients/client-ssm/src/commands/CreateDocumentCommand.ts index 1088be8057cd..4289f3381304 100644 --- a/clients/client-ssm/src/commands/CreateDocumentCommand.ts +++ b/clients/client-ssm/src/commands/CreateDocumentCommand.ts @@ -193,4 +193,16 @@ export class CreateDocumentCommand extends $Command .f(void 0, void 0) .ser(se_CreateDocumentCommand) .de(de_CreateDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDocumentRequest; + output: CreateDocumentResult; + }; + sdk: { + input: CreateDocumentCommandInput; + output: CreateDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/CreateMaintenanceWindowCommand.ts index ed9c9dc1851e..aa2faf753d9d 100644 --- a/clients/client-ssm/src/commands/CreateMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/CreateMaintenanceWindowCommand.ts @@ -118,4 +118,16 @@ export class CreateMaintenanceWindowCommand extends $Command .f(CreateMaintenanceWindowRequestFilterSensitiveLog, void 0) .ser(se_CreateMaintenanceWindowCommand) .de(de_CreateMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMaintenanceWindowRequest; + output: CreateMaintenanceWindowResult; + }; + sdk: { + input: CreateMaintenanceWindowCommandInput; + output: CreateMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateOpsItemCommand.ts b/clients/client-ssm/src/commands/CreateOpsItemCommand.ts index b00416b218bb..b2146f6eb7ab 100644 --- a/clients/client-ssm/src/commands/CreateOpsItemCommand.ts +++ b/clients/client-ssm/src/commands/CreateOpsItemCommand.ts @@ -134,4 +134,16 @@ export class CreateOpsItemCommand extends $Command .f(void 0, void 0) .ser(se_CreateOpsItemCommand) .de(de_CreateOpsItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOpsItemRequest; + output: CreateOpsItemResponse; + }; + sdk: { + input: CreateOpsItemCommandInput; + output: CreateOpsItemCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateOpsMetadataCommand.ts b/clients/client-ssm/src/commands/CreateOpsMetadataCommand.ts index 6b61f7d4dd43..c71c7c7490ea 100644 --- a/clients/client-ssm/src/commands/CreateOpsMetadataCommand.ts +++ b/clients/client-ssm/src/commands/CreateOpsMetadataCommand.ts @@ -106,4 +106,16 @@ export class CreateOpsMetadataCommand extends $Command .f(void 0, void 0) .ser(se_CreateOpsMetadataCommand) .de(de_CreateOpsMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOpsMetadataRequest; + output: CreateOpsMetadataResult; + }; + sdk: { + input: CreateOpsMetadataCommandInput; + output: CreateOpsMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreatePatchBaselineCommand.ts b/clients/client-ssm/src/commands/CreatePatchBaselineCommand.ts index a8011a23da0b..7fd9d2d5daa2 100644 --- a/clients/client-ssm/src/commands/CreatePatchBaselineCommand.ts +++ b/clients/client-ssm/src/commands/CreatePatchBaselineCommand.ts @@ -155,4 +155,16 @@ export class CreatePatchBaselineCommand extends $Command .f(CreatePatchBaselineRequestFilterSensitiveLog, void 0) .ser(se_CreatePatchBaselineCommand) .de(de_CreatePatchBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePatchBaselineRequest; + output: CreatePatchBaselineResult; + }; + sdk: { + input: CreatePatchBaselineCommandInput; + output: CreatePatchBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts b/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts index 74e58439f4e2..fa7fd2a4da41 100644 --- a/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts +++ b/clients/client-ssm/src/commands/CreateResourceDataSyncCommand.ts @@ -134,4 +134,16 @@ export class CreateResourceDataSyncCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceDataSyncCommand) .de(de_CreateResourceDataSyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceDataSyncRequest; + output: {}; + }; + sdk: { + input: CreateResourceDataSyncCommandInput; + output: CreateResourceDataSyncCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteActivationCommand.ts b/clients/client-ssm/src/commands/DeleteActivationCommand.ts index 935a8166b496..6f5c5ec35cbc 100644 --- a/clients/client-ssm/src/commands/DeleteActivationCommand.ts +++ b/clients/client-ssm/src/commands/DeleteActivationCommand.ts @@ -91,4 +91,16 @@ export class DeleteActivationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteActivationCommand) .de(de_DeleteActivationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteActivationRequest; + output: {}; + }; + sdk: { + input: DeleteActivationCommandInput; + output: DeleteActivationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteAssociationCommand.ts b/clients/client-ssm/src/commands/DeleteAssociationCommand.ts index 7c41eb7ace47..f3099ae5f4a1 100644 --- a/clients/client-ssm/src/commands/DeleteAssociationCommand.ts +++ b/clients/client-ssm/src/commands/DeleteAssociationCommand.ts @@ -115,4 +115,16 @@ export class DeleteAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssociationCommand) .de(de_DeleteAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteAssociationCommandInput; + output: DeleteAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteDocumentCommand.ts b/clients/client-ssm/src/commands/DeleteDocumentCommand.ts index a8257bfbfd0a..892eda5f1b34 100644 --- a/clients/client-ssm/src/commands/DeleteDocumentCommand.ts +++ b/clients/client-ssm/src/commands/DeleteDocumentCommand.ts @@ -93,4 +93,16 @@ export class DeleteDocumentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDocumentCommand) .de(de_DeleteDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDocumentRequest; + output: {}; + }; + sdk: { + input: DeleteDocumentCommandInput; + output: DeleteDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteInventoryCommand.ts b/clients/client-ssm/src/commands/DeleteInventoryCommand.ts index 21400dd3571f..ed7aae496b3d 100644 --- a/clients/client-ssm/src/commands/DeleteInventoryCommand.ts +++ b/clients/client-ssm/src/commands/DeleteInventoryCommand.ts @@ -109,4 +109,16 @@ export class DeleteInventoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInventoryCommand) .de(de_DeleteInventoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInventoryRequest; + output: DeleteInventoryResult; + }; + sdk: { + input: DeleteInventoryCommandInput; + output: DeleteInventoryCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/DeleteMaintenanceWindowCommand.ts index 111064bc3f06..26dfd90713d3 100644 --- a/clients/client-ssm/src/commands/DeleteMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/DeleteMaintenanceWindowCommand.ts @@ -80,4 +80,16 @@ export class DeleteMaintenanceWindowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMaintenanceWindowCommand) .de(de_DeleteMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMaintenanceWindowRequest; + output: DeleteMaintenanceWindowResult; + }; + sdk: { + input: DeleteMaintenanceWindowCommandInput; + output: DeleteMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteOpsItemCommand.ts b/clients/client-ssm/src/commands/DeleteOpsItemCommand.ts index ef12294fa051..4d445ef6299c 100644 --- a/clients/client-ssm/src/commands/DeleteOpsItemCommand.ts +++ b/clients/client-ssm/src/commands/DeleteOpsItemCommand.ts @@ -109,4 +109,16 @@ export class DeleteOpsItemCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOpsItemCommand) .de(de_DeleteOpsItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOpsItemRequest; + output: {}; + }; + sdk: { + input: DeleteOpsItemCommandInput; + output: DeleteOpsItemCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteOpsMetadataCommand.ts b/clients/client-ssm/src/commands/DeleteOpsMetadataCommand.ts index c9648cc1108d..4980a265bbc4 100644 --- a/clients/client-ssm/src/commands/DeleteOpsMetadataCommand.ts +++ b/clients/client-ssm/src/commands/DeleteOpsMetadataCommand.ts @@ -84,4 +84,16 @@ export class DeleteOpsMetadataCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOpsMetadataCommand) .de(de_DeleteOpsMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOpsMetadataRequest; + output: {}; + }; + sdk: { + input: DeleteOpsMetadataCommandInput; + output: DeleteOpsMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteParameterCommand.ts b/clients/client-ssm/src/commands/DeleteParameterCommand.ts index 8b0597fc40c5..4763d9d75eb4 100644 --- a/clients/client-ssm/src/commands/DeleteParameterCommand.ts +++ b/clients/client-ssm/src/commands/DeleteParameterCommand.ts @@ -82,4 +82,16 @@ export class DeleteParameterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteParameterCommand) .de(de_DeleteParameterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteParameterRequest; + output: {}; + }; + sdk: { + input: DeleteParameterCommandInput; + output: DeleteParameterCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteParametersCommand.ts b/clients/client-ssm/src/commands/DeleteParametersCommand.ts index b6c9fa8d1013..bb6acea87a4a 100644 --- a/clients/client-ssm/src/commands/DeleteParametersCommand.ts +++ b/clients/client-ssm/src/commands/DeleteParametersCommand.ts @@ -88,4 +88,16 @@ export class DeleteParametersCommand extends $Command .f(void 0, void 0) .ser(se_DeleteParametersCommand) .de(de_DeleteParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteParametersRequest; + output: DeleteParametersResult; + }; + sdk: { + input: DeleteParametersCommandInput; + output: DeleteParametersCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeletePatchBaselineCommand.ts b/clients/client-ssm/src/commands/DeletePatchBaselineCommand.ts index 4155754fccc7..3c50b15aefcb 100644 --- a/clients/client-ssm/src/commands/DeletePatchBaselineCommand.ts +++ b/clients/client-ssm/src/commands/DeletePatchBaselineCommand.ts @@ -84,4 +84,16 @@ export class DeletePatchBaselineCommand extends $Command .f(void 0, void 0) .ser(se_DeletePatchBaselineCommand) .de(de_DeletePatchBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePatchBaselineRequest; + output: DeletePatchBaselineResult; + }; + sdk: { + input: DeletePatchBaselineCommandInput; + output: DeletePatchBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteResourceDataSyncCommand.ts b/clients/client-ssm/src/commands/DeleteResourceDataSyncCommand.ts index b61721faf046..e8e787aa2660 100644 --- a/clients/client-ssm/src/commands/DeleteResourceDataSyncCommand.ts +++ b/clients/client-ssm/src/commands/DeleteResourceDataSyncCommand.ts @@ -87,4 +87,16 @@ export class DeleteResourceDataSyncCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceDataSyncCommand) .de(de_DeleteResourceDataSyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceDataSyncRequest; + output: {}; + }; + sdk: { + input: DeleteResourceDataSyncCommandInput; + output: DeleteResourceDataSyncCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-ssm/src/commands/DeleteResourcePolicyCommand.ts index 1cbabc0850c5..6735092c46d5 100644 --- a/clients/client-ssm/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-ssm/src/commands/DeleteResourcePolicyCommand.ts @@ -114,4 +114,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeregisterManagedInstanceCommand.ts b/clients/client-ssm/src/commands/DeregisterManagedInstanceCommand.ts index 27dfb002ab1f..8252f1438120 100644 --- a/clients/client-ssm/src/commands/DeregisterManagedInstanceCommand.ts +++ b/clients/client-ssm/src/commands/DeregisterManagedInstanceCommand.ts @@ -100,4 +100,16 @@ export class DeregisterManagedInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterManagedInstanceCommand) .de(de_DeregisterManagedInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterManagedInstanceRequest; + output: {}; + }; + sdk: { + input: DeregisterManagedInstanceCommandInput; + output: DeregisterManagedInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeregisterPatchBaselineForPatchGroupCommand.ts b/clients/client-ssm/src/commands/DeregisterPatchBaselineForPatchGroupCommand.ts index b4837d253d8b..97cad853f1ba 100644 --- a/clients/client-ssm/src/commands/DeregisterPatchBaselineForPatchGroupCommand.ts +++ b/clients/client-ssm/src/commands/DeregisterPatchBaselineForPatchGroupCommand.ts @@ -93,4 +93,16 @@ export class DeregisterPatchBaselineForPatchGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterPatchBaselineForPatchGroupCommand) .de(de_DeregisterPatchBaselineForPatchGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterPatchBaselineForPatchGroupRequest; + output: DeregisterPatchBaselineForPatchGroupResult; + }; + sdk: { + input: DeregisterPatchBaselineForPatchGroupCommandInput; + output: DeregisterPatchBaselineForPatchGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeregisterTargetFromMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/DeregisterTargetFromMaintenanceWindowCommand.ts index f4149fe62813..cfef95a1b0cb 100644 --- a/clients/client-ssm/src/commands/DeregisterTargetFromMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/DeregisterTargetFromMaintenanceWindowCommand.ts @@ -102,4 +102,16 @@ export class DeregisterTargetFromMaintenanceWindowCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterTargetFromMaintenanceWindowCommand) .de(de_DeregisterTargetFromMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTargetFromMaintenanceWindowRequest; + output: DeregisterTargetFromMaintenanceWindowResult; + }; + sdk: { + input: DeregisterTargetFromMaintenanceWindowCommandInput; + output: DeregisterTargetFromMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DeregisterTaskFromMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/DeregisterTaskFromMaintenanceWindowCommand.ts index c3e72aeadfc0..541e032217ef 100644 --- a/clients/client-ssm/src/commands/DeregisterTaskFromMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/DeregisterTaskFromMaintenanceWindowCommand.ts @@ -96,4 +96,16 @@ export class DeregisterTaskFromMaintenanceWindowCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterTaskFromMaintenanceWindowCommand) .de(de_DeregisterTaskFromMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTaskFromMaintenanceWindowRequest; + output: DeregisterTaskFromMaintenanceWindowResult; + }; + sdk: { + input: DeregisterTaskFromMaintenanceWindowCommandInput; + output: DeregisterTaskFromMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeActivationsCommand.ts b/clients/client-ssm/src/commands/DescribeActivationsCommand.ts index c460cde91334..c46808f01449 100644 --- a/clients/client-ssm/src/commands/DescribeActivationsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeActivationsCommand.ts @@ -117,4 +117,16 @@ export class DescribeActivationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeActivationsCommand) .de(de_DescribeActivationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeActivationsRequest; + output: DescribeActivationsResult; + }; + sdk: { + input: DescribeActivationsCommandInput; + output: DescribeActivationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeAssociationCommand.ts b/clients/client-ssm/src/commands/DescribeAssociationCommand.ts index 34bbedfe216c..be895f1ca73a 100644 --- a/clients/client-ssm/src/commands/DescribeAssociationCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAssociationCommand.ts @@ -232,4 +232,16 @@ export class DescribeAssociationCommand extends $Command .f(void 0, DescribeAssociationResultFilterSensitiveLog) .ser(se_DescribeAssociationCommand) .de(de_DescribeAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssociationRequest; + output: DescribeAssociationResult; + }; + sdk: { + input: DescribeAssociationCommandInput; + output: DescribeAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeAssociationExecutionTargetsCommand.ts b/clients/client-ssm/src/commands/DescribeAssociationExecutionTargetsCommand.ts index 3bd53a29594d..8b407b85b3ef 100644 --- a/clients/client-ssm/src/commands/DescribeAssociationExecutionTargetsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAssociationExecutionTargetsCommand.ts @@ -122,4 +122,16 @@ export class DescribeAssociationExecutionTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssociationExecutionTargetsCommand) .de(de_DescribeAssociationExecutionTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssociationExecutionTargetsRequest; + output: DescribeAssociationExecutionTargetsResult; + }; + sdk: { + input: DescribeAssociationExecutionTargetsCommandInput; + output: DescribeAssociationExecutionTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeAssociationExecutionsCommand.ts b/clients/client-ssm/src/commands/DescribeAssociationExecutionsCommand.ts index f8fc89d7edab..c4c5dd3ee545 100644 --- a/clients/client-ssm/src/commands/DescribeAssociationExecutionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAssociationExecutionsCommand.ts @@ -126,4 +126,16 @@ export class DescribeAssociationExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAssociationExecutionsCommand) .de(de_DescribeAssociationExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAssociationExecutionsRequest; + output: DescribeAssociationExecutionsResult; + }; + sdk: { + input: DescribeAssociationExecutionsCommandInput; + output: DescribeAssociationExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts b/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts index 50eb9a4b13d1..b4850776f243 100644 --- a/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts @@ -228,4 +228,16 @@ export class DescribeAutomationExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutomationExecutionsCommand) .de(de_DescribeAutomationExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAutomationExecutionsRequest; + output: DescribeAutomationExecutionsResult; + }; + sdk: { + input: DescribeAutomationExecutionsCommandInput; + output: DescribeAutomationExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts b/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts index b2af370e418b..eebf018bbb35 100644 --- a/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAutomationStepExecutionsCommand.ts @@ -208,4 +208,16 @@ export class DescribeAutomationStepExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAutomationStepExecutionsCommand) .de(de_DescribeAutomationStepExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAutomationStepExecutionsRequest; + output: DescribeAutomationStepExecutionsResult; + }; + sdk: { + input: DescribeAutomationStepExecutionsCommandInput; + output: DescribeAutomationStepExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeAvailablePatchesCommand.ts b/clients/client-ssm/src/commands/DescribeAvailablePatchesCommand.ts index 7d406324dd6c..ca18c625099e 100644 --- a/clients/client-ssm/src/commands/DescribeAvailablePatchesCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAvailablePatchesCommand.ts @@ -126,4 +126,16 @@ export class DescribeAvailablePatchesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAvailablePatchesCommand) .de(de_DescribeAvailablePatchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAvailablePatchesRequest; + output: DescribeAvailablePatchesResult; + }; + sdk: { + input: DescribeAvailablePatchesCommandInput; + output: DescribeAvailablePatchesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeDocumentCommand.ts b/clients/client-ssm/src/commands/DescribeDocumentCommand.ts index eeaa049ede37..785ca27e214b 100644 --- a/clients/client-ssm/src/commands/DescribeDocumentCommand.ts +++ b/clients/client-ssm/src/commands/DescribeDocumentCommand.ts @@ -154,4 +154,16 @@ export class DescribeDocumentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDocumentCommand) .de(de_DescribeDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDocumentRequest; + output: DescribeDocumentResult; + }; + sdk: { + input: DescribeDocumentCommandInput; + output: DescribeDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeDocumentPermissionCommand.ts b/clients/client-ssm/src/commands/DescribeDocumentPermissionCommand.ts index 718c6044b057..862374e79bc5 100644 --- a/clients/client-ssm/src/commands/DescribeDocumentPermissionCommand.ts +++ b/clients/client-ssm/src/commands/DescribeDocumentPermissionCommand.ts @@ -108,4 +108,16 @@ export class DescribeDocumentPermissionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDocumentPermissionCommand) .de(de_DescribeDocumentPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDocumentPermissionRequest; + output: DescribeDocumentPermissionResponse; + }; + sdk: { + input: DescribeDocumentPermissionCommandInput; + output: DescribeDocumentPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeEffectiveInstanceAssociationsCommand.ts b/clients/client-ssm/src/commands/DescribeEffectiveInstanceAssociationsCommand.ts index 7497792dce1c..f4c41e646a98 100644 --- a/clients/client-ssm/src/commands/DescribeEffectiveInstanceAssociationsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeEffectiveInstanceAssociationsCommand.ts @@ -122,4 +122,16 @@ export class DescribeEffectiveInstanceAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEffectiveInstanceAssociationsCommand) .de(de_DescribeEffectiveInstanceAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEffectiveInstanceAssociationsRequest; + output: DescribeEffectiveInstanceAssociationsResult; + }; + sdk: { + input: DescribeEffectiveInstanceAssociationsCommandInput; + output: DescribeEffectiveInstanceAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeEffectivePatchesForPatchBaselineCommand.ts b/clients/client-ssm/src/commands/DescribeEffectivePatchesForPatchBaselineCommand.ts index 042b099ae9be..b62ff04f77e2 100644 --- a/clients/client-ssm/src/commands/DescribeEffectivePatchesForPatchBaselineCommand.ts +++ b/clients/client-ssm/src/commands/DescribeEffectivePatchesForPatchBaselineCommand.ts @@ -145,4 +145,16 @@ export class DescribeEffectivePatchesForPatchBaselineCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEffectivePatchesForPatchBaselineCommand) .de(de_DescribeEffectivePatchesForPatchBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEffectivePatchesForPatchBaselineRequest; + output: DescribeEffectivePatchesForPatchBaselineResult; + }; + sdk: { + input: DescribeEffectivePatchesForPatchBaselineCommandInput; + output: DescribeEffectivePatchesForPatchBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeInstanceAssociationsStatusCommand.ts b/clients/client-ssm/src/commands/DescribeInstanceAssociationsStatusCommand.ts index 2ffb4888a2b9..1aa519630ac2 100644 --- a/clients/client-ssm/src/commands/DescribeInstanceAssociationsStatusCommand.ts +++ b/clients/client-ssm/src/commands/DescribeInstanceAssociationsStatusCommand.ts @@ -133,4 +133,16 @@ export class DescribeInstanceAssociationsStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceAssociationsStatusCommand) .de(de_DescribeInstanceAssociationsStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceAssociationsStatusRequest; + output: DescribeInstanceAssociationsStatusResult; + }; + sdk: { + input: DescribeInstanceAssociationsStatusCommandInput; + output: DescribeInstanceAssociationsStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeInstanceInformationCommand.ts b/clients/client-ssm/src/commands/DescribeInstanceInformationCommand.ts index 9838d430472a..b0e06e95a36c 100644 --- a/clients/client-ssm/src/commands/DescribeInstanceInformationCommand.ts +++ b/clients/client-ssm/src/commands/DescribeInstanceInformationCommand.ts @@ -170,4 +170,16 @@ export class DescribeInstanceInformationCommand extends $Command .f(void 0, DescribeInstanceInformationResultFilterSensitiveLog) .ser(se_DescribeInstanceInformationCommand) .de(de_DescribeInstanceInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceInformationRequest; + output: DescribeInstanceInformationResult; + }; + sdk: { + input: DescribeInstanceInformationCommandInput; + output: DescribeInstanceInformationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeInstancePatchStatesCommand.ts b/clients/client-ssm/src/commands/DescribeInstancePatchStatesCommand.ts index d0fd400ae9c1..d8b04dc8d03c 100644 --- a/clients/client-ssm/src/commands/DescribeInstancePatchStatesCommand.ts +++ b/clients/client-ssm/src/commands/DescribeInstancePatchStatesCommand.ts @@ -117,4 +117,16 @@ export class DescribeInstancePatchStatesCommand extends $Command .f(void 0, DescribeInstancePatchStatesResultFilterSensitiveLog) .ser(se_DescribeInstancePatchStatesCommand) .de(de_DescribeInstancePatchStatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancePatchStatesRequest; + output: DescribeInstancePatchStatesResult; + }; + sdk: { + input: DescribeInstancePatchStatesCommandInput; + output: DescribeInstancePatchStatesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeInstancePatchStatesForPatchGroupCommand.ts b/clients/client-ssm/src/commands/DescribeInstancePatchStatesForPatchGroupCommand.ts index 43a9611807e8..b90daeec4a8e 100644 --- a/clients/client-ssm/src/commands/DescribeInstancePatchStatesForPatchGroupCommand.ts +++ b/clients/client-ssm/src/commands/DescribeInstancePatchStatesForPatchGroupCommand.ts @@ -134,4 +134,16 @@ export class DescribeInstancePatchStatesForPatchGroupCommand extends $Command .f(void 0, DescribeInstancePatchStatesForPatchGroupResultFilterSensitiveLog) .ser(se_DescribeInstancePatchStatesForPatchGroupCommand) .de(de_DescribeInstancePatchStatesForPatchGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancePatchStatesForPatchGroupRequest; + output: DescribeInstancePatchStatesForPatchGroupResult; + }; + sdk: { + input: DescribeInstancePatchStatesForPatchGroupCommandInput; + output: DescribeInstancePatchStatesForPatchGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeInstancePatchesCommand.ts b/clients/client-ssm/src/commands/DescribeInstancePatchesCommand.ts index 2e24cca0576b..46739871e805 100644 --- a/clients/client-ssm/src/commands/DescribeInstancePatchesCommand.ts +++ b/clients/client-ssm/src/commands/DescribeInstancePatchesCommand.ts @@ -128,4 +128,16 @@ export class DescribeInstancePatchesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstancePatchesCommand) .de(de_DescribeInstancePatchesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancePatchesRequest; + output: DescribeInstancePatchesResult; + }; + sdk: { + input: DescribeInstancePatchesCommandInput; + output: DescribeInstancePatchesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeInstancePropertiesCommand.ts b/clients/client-ssm/src/commands/DescribeInstancePropertiesCommand.ts index 12ac4ad711c2..5049c37d2755 100644 --- a/clients/client-ssm/src/commands/DescribeInstancePropertiesCommand.ts +++ b/clients/client-ssm/src/commands/DescribeInstancePropertiesCommand.ts @@ -174,4 +174,16 @@ export class DescribeInstancePropertiesCommand extends $Command .f(void 0, DescribeInstancePropertiesResultFilterSensitiveLog) .ser(se_DescribeInstancePropertiesCommand) .de(de_DescribeInstancePropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstancePropertiesRequest; + output: DescribeInstancePropertiesResult; + }; + sdk: { + input: DescribeInstancePropertiesCommandInput; + output: DescribeInstancePropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeInventoryDeletionsCommand.ts b/clients/client-ssm/src/commands/DescribeInventoryDeletionsCommand.ts index 0e48929fe77a..e18d92cd6e93 100644 --- a/clients/client-ssm/src/commands/DescribeInventoryDeletionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeInventoryDeletionsCommand.ts @@ -110,4 +110,16 @@ export class DescribeInventoryDeletionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInventoryDeletionsCommand) .de(de_DescribeInventoryDeletionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInventoryDeletionsRequest; + output: DescribeInventoryDeletionsResult; + }; + sdk: { + input: DescribeInventoryDeletionsCommandInput; + output: DescribeInventoryDeletionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTaskInvocationsCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTaskInvocationsCommand.ts index 23e60a51d195..b688e775feb0 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTaskInvocationsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTaskInvocationsCommand.ts @@ -124,4 +124,16 @@ export class DescribeMaintenanceWindowExecutionTaskInvocationsCommand extends $C .f(void 0, DescribeMaintenanceWindowExecutionTaskInvocationsResultFilterSensitiveLog) .ser(se_DescribeMaintenanceWindowExecutionTaskInvocationsCommand) .de(de_DescribeMaintenanceWindowExecutionTaskInvocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowExecutionTaskInvocationsRequest; + output: DescribeMaintenanceWindowExecutionTaskInvocationsResult; + }; + sdk: { + input: DescribeMaintenanceWindowExecutionTaskInvocationsCommandInput; + output: DescribeMaintenanceWindowExecutionTaskInvocationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTasksCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTasksCommand.ts index f6a7be1f1749..3bdb2b923ac4 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTasksCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionTasksCommand.ts @@ -131,4 +131,16 @@ export class DescribeMaintenanceWindowExecutionTasksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMaintenanceWindowExecutionTasksCommand) .de(de_DescribeMaintenanceWindowExecutionTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowExecutionTasksRequest; + output: DescribeMaintenanceWindowExecutionTasksResult; + }; + sdk: { + input: DescribeMaintenanceWindowExecutionTasksCommandInput; + output: DescribeMaintenanceWindowExecutionTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionsCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionsCommand.ts index 0857f199a6aa..8f0fed14e3b3 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowExecutionsCommand.ts @@ -110,4 +110,16 @@ export class DescribeMaintenanceWindowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMaintenanceWindowExecutionsCommand) .de(de_DescribeMaintenanceWindowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowExecutionsRequest; + output: DescribeMaintenanceWindowExecutionsResult; + }; + sdk: { + input: DescribeMaintenanceWindowExecutionsCommandInput; + output: DescribeMaintenanceWindowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.ts index f9b16cff5b55..a72cb743d0be 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.ts @@ -118,4 +118,16 @@ export class DescribeMaintenanceWindowScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMaintenanceWindowScheduleCommand) .de(de_DescribeMaintenanceWindowScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowScheduleRequest; + output: DescribeMaintenanceWindowScheduleResult; + }; + sdk: { + input: DescribeMaintenanceWindowScheduleCommandInput; + output: DescribeMaintenanceWindowScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowTargetsCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowTargetsCommand.ts index e1e6717a8a62..ac3d20d5d511 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowTargetsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowTargetsCommand.ts @@ -123,4 +123,16 @@ export class DescribeMaintenanceWindowTargetsCommand extends $Command .f(void 0, DescribeMaintenanceWindowTargetsResultFilterSensitiveLog) .ser(se_DescribeMaintenanceWindowTargetsCommand) .de(de_DescribeMaintenanceWindowTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowTargetsRequest; + output: DescribeMaintenanceWindowTargetsResult; + }; + sdk: { + input: DescribeMaintenanceWindowTargetsCommandInput; + output: DescribeMaintenanceWindowTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowTasksCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowTasksCommand.ts index 28fc28309e3e..75a2bd8de73e 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowTasksCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowTasksCommand.ts @@ -154,4 +154,16 @@ export class DescribeMaintenanceWindowTasksCommand extends $Command .f(void 0, DescribeMaintenanceWindowTasksResultFilterSensitiveLog) .ser(se_DescribeMaintenanceWindowTasksCommand) .de(de_DescribeMaintenanceWindowTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowTasksRequest; + output: DescribeMaintenanceWindowTasksResult; + }; + sdk: { + input: DescribeMaintenanceWindowTasksCommandInput; + output: DescribeMaintenanceWindowTasksCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowsCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowsCommand.ts index 63c20e83c32a..0522945fd787 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowsCommand.ts @@ -109,4 +109,16 @@ export class DescribeMaintenanceWindowsCommand extends $Command .f(void 0, DescribeMaintenanceWindowsResultFilterSensitiveLog) .ser(se_DescribeMaintenanceWindowsCommand) .de(de_DescribeMaintenanceWindowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowsRequest; + output: DescribeMaintenanceWindowsResult; + }; + sdk: { + input: DescribeMaintenanceWindowsCommandInput; + output: DescribeMaintenanceWindowsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowsForTargetCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowsForTargetCommand.ts index 4be14b9036a9..3439468c689b 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowsForTargetCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowsForTargetCommand.ts @@ -105,4 +105,16 @@ export class DescribeMaintenanceWindowsForTargetCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMaintenanceWindowsForTargetCommand) .de(de_DescribeMaintenanceWindowsForTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceWindowsForTargetRequest; + output: DescribeMaintenanceWindowsForTargetResult; + }; + sdk: { + input: DescribeMaintenanceWindowsForTargetCommandInput; + output: DescribeMaintenanceWindowsForTargetCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts b/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts index a94f2492c67e..2d480254bfa0 100644 --- a/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts @@ -121,4 +121,16 @@ export class DescribeOpsItemsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOpsItemsCommand) .de(de_DescribeOpsItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOpsItemsRequest; + output: DescribeOpsItemsResponse; + }; + sdk: { + input: DescribeOpsItemsCommandInput; + output: DescribeOpsItemsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeParametersCommand.ts b/clients/client-ssm/src/commands/DescribeParametersCommand.ts index 850860b26894..f772d692b784 100644 --- a/clients/client-ssm/src/commands/DescribeParametersCommand.ts +++ b/clients/client-ssm/src/commands/DescribeParametersCommand.ts @@ -147,4 +147,16 @@ export class DescribeParametersCommand extends $Command .f(void 0, void 0) .ser(se_DescribeParametersCommand) .de(de_DescribeParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeParametersRequest; + output: DescribeParametersResult; + }; + sdk: { + input: DescribeParametersCommandInput; + output: DescribeParametersCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribePatchBaselinesCommand.ts b/clients/client-ssm/src/commands/DescribePatchBaselinesCommand.ts index df1d7a586bc4..db0bcdce7e2c 100644 --- a/clients/client-ssm/src/commands/DescribePatchBaselinesCommand.ts +++ b/clients/client-ssm/src/commands/DescribePatchBaselinesCommand.ts @@ -98,4 +98,16 @@ export class DescribePatchBaselinesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePatchBaselinesCommand) .de(de_DescribePatchBaselinesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePatchBaselinesRequest; + output: DescribePatchBaselinesResult; + }; + sdk: { + input: DescribePatchBaselinesCommandInput; + output: DescribePatchBaselinesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribePatchGroupStateCommand.ts b/clients/client-ssm/src/commands/DescribePatchGroupStateCommand.ts index 4559bc083dea..5196fc371dd7 100644 --- a/clients/client-ssm/src/commands/DescribePatchGroupStateCommand.ts +++ b/clients/client-ssm/src/commands/DescribePatchGroupStateCommand.ts @@ -94,4 +94,16 @@ export class DescribePatchGroupStateCommand extends $Command .f(void 0, void 0) .ser(se_DescribePatchGroupStateCommand) .de(de_DescribePatchGroupStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePatchGroupStateRequest; + output: DescribePatchGroupStateResult; + }; + sdk: { + input: DescribePatchGroupStateCommandInput; + output: DescribePatchGroupStateCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribePatchGroupsCommand.ts b/clients/client-ssm/src/commands/DescribePatchGroupsCommand.ts index 61e24c2fbb8f..6eb5ea04fcc3 100644 --- a/clients/client-ssm/src/commands/DescribePatchGroupsCommand.ts +++ b/clients/client-ssm/src/commands/DescribePatchGroupsCommand.ts @@ -101,4 +101,16 @@ export class DescribePatchGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribePatchGroupsCommand) .de(de_DescribePatchGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePatchGroupsRequest; + output: DescribePatchGroupsResult; + }; + sdk: { + input: DescribePatchGroupsCommandInput; + output: DescribePatchGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribePatchPropertiesCommand.ts b/clients/client-ssm/src/commands/DescribePatchPropertiesCommand.ts index 3bf5c2a486ef..383e9c571b48 100644 --- a/clients/client-ssm/src/commands/DescribePatchPropertiesCommand.ts +++ b/clients/client-ssm/src/commands/DescribePatchPropertiesCommand.ts @@ -158,4 +158,16 @@ export class DescribePatchPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribePatchPropertiesCommand) .de(de_DescribePatchPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePatchPropertiesRequest; + output: DescribePatchPropertiesResult; + }; + sdk: { + input: DescribePatchPropertiesCommandInput; + output: DescribePatchPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DescribeSessionsCommand.ts b/clients/client-ssm/src/commands/DescribeSessionsCommand.ts index 51385dd2958c..59ecf9c676e9 100644 --- a/clients/client-ssm/src/commands/DescribeSessionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeSessionsCommand.ts @@ -113,4 +113,16 @@ export class DescribeSessionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSessionsCommand) .de(de_DescribeSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSessionsRequest; + output: DescribeSessionsResponse; + }; + sdk: { + input: DescribeSessionsCommandInput; + output: DescribeSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/DisassociateOpsItemRelatedItemCommand.ts b/clients/client-ssm/src/commands/DisassociateOpsItemRelatedItemCommand.ts index db68cb588c4e..dbf4e967668f 100644 --- a/clients/client-ssm/src/commands/DisassociateOpsItemRelatedItemCommand.ts +++ b/clients/client-ssm/src/commands/DisassociateOpsItemRelatedItemCommand.ts @@ -100,4 +100,16 @@ export class DisassociateOpsItemRelatedItemCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateOpsItemRelatedItemCommand) .de(de_DisassociateOpsItemRelatedItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateOpsItemRelatedItemRequest; + output: {}; + }; + sdk: { + input: DisassociateOpsItemRelatedItemCommandInput; + output: DisassociateOpsItemRelatedItemCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts b/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts index ae8531f0cd42..f26b3230bc4a 100644 --- a/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts +++ b/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts @@ -286,4 +286,16 @@ export class GetAutomationExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetAutomationExecutionCommand) .de(de_GetAutomationExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAutomationExecutionRequest; + output: GetAutomationExecutionResult; + }; + sdk: { + input: GetAutomationExecutionCommandInput; + output: GetAutomationExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetCalendarStateCommand.ts b/clients/client-ssm/src/commands/GetCalendarStateCommand.ts index c6b34888ef4b..491eaabe7e49 100644 --- a/clients/client-ssm/src/commands/GetCalendarStateCommand.ts +++ b/clients/client-ssm/src/commands/GetCalendarStateCommand.ts @@ -103,4 +103,16 @@ export class GetCalendarStateCommand extends $Command .f(void 0, void 0) .ser(se_GetCalendarStateCommand) .de(de_GetCalendarStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCalendarStateRequest; + output: GetCalendarStateResponse; + }; + sdk: { + input: GetCalendarStateCommandInput; + output: GetCalendarStateCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetCommandInvocationCommand.ts b/clients/client-ssm/src/commands/GetCommandInvocationCommand.ts index 1ab8aeb65db9..f077d98b0f45 100644 --- a/clients/client-ssm/src/commands/GetCommandInvocationCommand.ts +++ b/clients/client-ssm/src/commands/GetCommandInvocationCommand.ts @@ -140,4 +140,16 @@ export class GetCommandInvocationCommand extends $Command .f(void 0, void 0) .ser(se_GetCommandInvocationCommand) .de(de_GetCommandInvocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCommandInvocationRequest; + output: GetCommandInvocationResult; + }; + sdk: { + input: GetCommandInvocationCommandInput; + output: GetCommandInvocationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetConnectionStatusCommand.ts b/clients/client-ssm/src/commands/GetConnectionStatusCommand.ts index bb94c4dc18e6..af56774ddc58 100644 --- a/clients/client-ssm/src/commands/GetConnectionStatusCommand.ts +++ b/clients/client-ssm/src/commands/GetConnectionStatusCommand.ts @@ -82,4 +82,16 @@ export class GetConnectionStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetConnectionStatusCommand) .de(de_GetConnectionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConnectionStatusRequest; + output: GetConnectionStatusResponse; + }; + sdk: { + input: GetConnectionStatusCommandInput; + output: GetConnectionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetDefaultPatchBaselineCommand.ts b/clients/client-ssm/src/commands/GetDefaultPatchBaselineCommand.ts index 854093205914..d0c5357d1401 100644 --- a/clients/client-ssm/src/commands/GetDefaultPatchBaselineCommand.ts +++ b/clients/client-ssm/src/commands/GetDefaultPatchBaselineCommand.ts @@ -84,4 +84,16 @@ export class GetDefaultPatchBaselineCommand extends $Command .f(void 0, void 0) .ser(se_GetDefaultPatchBaselineCommand) .de(de_GetDefaultPatchBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDefaultPatchBaselineRequest; + output: GetDefaultPatchBaselineResult; + }; + sdk: { + input: GetDefaultPatchBaselineCommandInput; + output: GetDefaultPatchBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetDeployablePatchSnapshotForInstanceCommand.ts b/clients/client-ssm/src/commands/GetDeployablePatchSnapshotForInstanceCommand.ts index b9797baa1246..c0f72786a92a 100644 --- a/clients/client-ssm/src/commands/GetDeployablePatchSnapshotForInstanceCommand.ts +++ b/clients/client-ssm/src/commands/GetDeployablePatchSnapshotForInstanceCommand.ts @@ -163,4 +163,16 @@ export class GetDeployablePatchSnapshotForInstanceCommand extends $Command .f(GetDeployablePatchSnapshotForInstanceRequestFilterSensitiveLog, void 0) .ser(se_GetDeployablePatchSnapshotForInstanceCommand) .de(de_GetDeployablePatchSnapshotForInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeployablePatchSnapshotForInstanceRequest; + output: GetDeployablePatchSnapshotForInstanceResult; + }; + sdk: { + input: GetDeployablePatchSnapshotForInstanceCommandInput; + output: GetDeployablePatchSnapshotForInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetDocumentCommand.ts b/clients/client-ssm/src/commands/GetDocumentCommand.ts index c07bc16d14a1..d666315991af 100644 --- a/clients/client-ssm/src/commands/GetDocumentCommand.ts +++ b/clients/client-ssm/src/commands/GetDocumentCommand.ts @@ -116,4 +116,16 @@ export class GetDocumentCommand extends $Command .f(void 0, void 0) .ser(se_GetDocumentCommand) .de(de_GetDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentRequest; + output: GetDocumentResult; + }; + sdk: { + input: GetDocumentCommandInput; + output: GetDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetInventoryCommand.ts b/clients/client-ssm/src/commands/GetInventoryCommand.ts index 7f351b24b6ea..4e3c4005394b 100644 --- a/clients/client-ssm/src/commands/GetInventoryCommand.ts +++ b/clients/client-ssm/src/commands/GetInventoryCommand.ts @@ -166,4 +166,16 @@ export class GetInventoryCommand extends $Command .f(void 0, void 0) .ser(se_GetInventoryCommand) .de(de_GetInventoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInventoryRequest; + output: GetInventoryResult; + }; + sdk: { + input: GetInventoryCommandInput; + output: GetInventoryCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetInventorySchemaCommand.ts b/clients/client-ssm/src/commands/GetInventorySchemaCommand.ts index b09dc781e6dd..449573b810fb 100644 --- a/clients/client-ssm/src/commands/GetInventorySchemaCommand.ts +++ b/clients/client-ssm/src/commands/GetInventorySchemaCommand.ts @@ -104,4 +104,16 @@ export class GetInventorySchemaCommand extends $Command .f(void 0, void 0) .ser(se_GetInventorySchemaCommand) .de(de_GetInventorySchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInventorySchemaRequest; + output: GetInventorySchemaResult; + }; + sdk: { + input: GetInventorySchemaCommandInput; + output: GetInventorySchemaCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/GetMaintenanceWindowCommand.ts index 576f4784c17c..4ae5c28d09b4 100644 --- a/clients/client-ssm/src/commands/GetMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/GetMaintenanceWindowCommand.ts @@ -104,4 +104,16 @@ export class GetMaintenanceWindowCommand extends $Command .f(void 0, GetMaintenanceWindowResultFilterSensitiveLog) .ser(se_GetMaintenanceWindowCommand) .de(de_GetMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMaintenanceWindowRequest; + output: GetMaintenanceWindowResult; + }; + sdk: { + input: GetMaintenanceWindowCommandInput; + output: GetMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionCommand.ts b/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionCommand.ts index 2c845f216f7d..4e41705fdfd6 100644 --- a/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionCommand.ts +++ b/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionCommand.ts @@ -98,4 +98,16 @@ export class GetMaintenanceWindowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_GetMaintenanceWindowExecutionCommand) .de(de_GetMaintenanceWindowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMaintenanceWindowExecutionRequest; + output: GetMaintenanceWindowExecutionResult; + }; + sdk: { + input: GetMaintenanceWindowExecutionCommandInput; + output: GetMaintenanceWindowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskCommand.ts b/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskCommand.ts index d9a7e982c672..99b82d8c3e7f 100644 --- a/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskCommand.ts +++ b/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskCommand.ts @@ -131,4 +131,16 @@ export class GetMaintenanceWindowExecutionTaskCommand extends $Command .f(void 0, GetMaintenanceWindowExecutionTaskResultFilterSensitiveLog) .ser(se_GetMaintenanceWindowExecutionTaskCommand) .de(de_GetMaintenanceWindowExecutionTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMaintenanceWindowExecutionTaskRequest; + output: GetMaintenanceWindowExecutionTaskResult; + }; + sdk: { + input: GetMaintenanceWindowExecutionTaskCommandInput; + output: GetMaintenanceWindowExecutionTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskInvocationCommand.ts b/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskInvocationCommand.ts index e86ae446cc79..f1592dddbb9e 100644 --- a/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskInvocationCommand.ts +++ b/clients/client-ssm/src/commands/GetMaintenanceWindowExecutionTaskInvocationCommand.ts @@ -109,4 +109,16 @@ export class GetMaintenanceWindowExecutionTaskInvocationCommand extends $Command .f(void 0, GetMaintenanceWindowExecutionTaskInvocationResultFilterSensitiveLog) .ser(se_GetMaintenanceWindowExecutionTaskInvocationCommand) .de(de_GetMaintenanceWindowExecutionTaskInvocationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMaintenanceWindowExecutionTaskInvocationRequest; + output: GetMaintenanceWindowExecutionTaskInvocationResult; + }; + sdk: { + input: GetMaintenanceWindowExecutionTaskInvocationCommandInput; + output: GetMaintenanceWindowExecutionTaskInvocationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetMaintenanceWindowTaskCommand.ts b/clients/client-ssm/src/commands/GetMaintenanceWindowTaskCommand.ts index 6fcc2fc7378d..94143392ea7b 100644 --- a/clients/client-ssm/src/commands/GetMaintenanceWindowTaskCommand.ts +++ b/clients/client-ssm/src/commands/GetMaintenanceWindowTaskCommand.ts @@ -181,4 +181,16 @@ export class GetMaintenanceWindowTaskCommand extends $Command .f(void 0, GetMaintenanceWindowTaskResultFilterSensitiveLog) .ser(se_GetMaintenanceWindowTaskCommand) .de(de_GetMaintenanceWindowTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMaintenanceWindowTaskRequest; + output: GetMaintenanceWindowTaskResult; + }; + sdk: { + input: GetMaintenanceWindowTaskCommandInput; + output: GetMaintenanceWindowTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetOpsItemCommand.ts b/clients/client-ssm/src/commands/GetOpsItemCommand.ts index c607c5a6ea2a..e3669e3f1636 100644 --- a/clients/client-ssm/src/commands/GetOpsItemCommand.ts +++ b/clients/client-ssm/src/commands/GetOpsItemCommand.ts @@ -131,4 +131,16 @@ export class GetOpsItemCommand extends $Command .f(void 0, void 0) .ser(se_GetOpsItemCommand) .de(de_GetOpsItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOpsItemRequest; + output: GetOpsItemResponse; + }; + sdk: { + input: GetOpsItemCommandInput; + output: GetOpsItemCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetOpsMetadataCommand.ts b/clients/client-ssm/src/commands/GetOpsMetadataCommand.ts index 572dcb447de4..84a7da3b3ac7 100644 --- a/clients/client-ssm/src/commands/GetOpsMetadataCommand.ts +++ b/clients/client-ssm/src/commands/GetOpsMetadataCommand.ts @@ -94,4 +94,16 @@ export class GetOpsMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetOpsMetadataCommand) .de(de_GetOpsMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOpsMetadataRequest; + output: GetOpsMetadataResult; + }; + sdk: { + input: GetOpsMetadataCommandInput; + output: GetOpsMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetOpsSummaryCommand.ts b/clients/client-ssm/src/commands/GetOpsSummaryCommand.ts index e99aa916bb56..40853382607f 100644 --- a/clients/client-ssm/src/commands/GetOpsSummaryCommand.ts +++ b/clients/client-ssm/src/commands/GetOpsSummaryCommand.ts @@ -163,4 +163,16 @@ export class GetOpsSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetOpsSummaryCommand) .de(de_GetOpsSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOpsSummaryRequest; + output: GetOpsSummaryResult; + }; + sdk: { + input: GetOpsSummaryCommandInput; + output: GetOpsSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetParameterCommand.ts b/clients/client-ssm/src/commands/GetParameterCommand.ts index 4208cc066fb4..d759da8333d1 100644 --- a/clients/client-ssm/src/commands/GetParameterCommand.ts +++ b/clients/client-ssm/src/commands/GetParameterCommand.ts @@ -104,4 +104,16 @@ export class GetParameterCommand extends $Command .f(void 0, GetParameterResultFilterSensitiveLog) .ser(se_GetParameterCommand) .de(de_GetParameterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParameterRequest; + output: GetParameterResult; + }; + sdk: { + input: GetParameterCommandInput; + output: GetParameterCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetParameterHistoryCommand.ts b/clients/client-ssm/src/commands/GetParameterHistoryCommand.ts index e51837871d35..7cf62d74f0ba 100644 --- a/clients/client-ssm/src/commands/GetParameterHistoryCommand.ts +++ b/clients/client-ssm/src/commands/GetParameterHistoryCommand.ts @@ -127,4 +127,16 @@ export class GetParameterHistoryCommand extends $Command .f(void 0, GetParameterHistoryResultFilterSensitiveLog) .ser(se_GetParameterHistoryCommand) .de(de_GetParameterHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParameterHistoryRequest; + output: GetParameterHistoryResult; + }; + sdk: { + input: GetParameterHistoryCommandInput; + output: GetParameterHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetParametersByPathCommand.ts b/clients/client-ssm/src/commands/GetParametersByPathCommand.ts index 40fbea8549fd..01891e56a909 100644 --- a/clients/client-ssm/src/commands/GetParametersByPathCommand.ts +++ b/clients/client-ssm/src/commands/GetParametersByPathCommand.ts @@ -132,4 +132,16 @@ export class GetParametersByPathCommand extends $Command .f(void 0, GetParametersByPathResultFilterSensitiveLog) .ser(se_GetParametersByPathCommand) .de(de_GetParametersByPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParametersByPathRequest; + output: GetParametersByPathResult; + }; + sdk: { + input: GetParametersByPathCommandInput; + output: GetParametersByPathCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetParametersCommand.ts b/clients/client-ssm/src/commands/GetParametersCommand.ts index e1e01f085f80..1ac6f3f84cba 100644 --- a/clients/client-ssm/src/commands/GetParametersCommand.ts +++ b/clients/client-ssm/src/commands/GetParametersCommand.ts @@ -105,4 +105,16 @@ export class GetParametersCommand extends $Command .f(void 0, GetParametersResultFilterSensitiveLog) .ser(se_GetParametersCommand) .de(de_GetParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParametersRequest; + output: GetParametersResult; + }; + sdk: { + input: GetParametersCommandInput; + output: GetParametersCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetPatchBaselineCommand.ts b/clients/client-ssm/src/commands/GetPatchBaselineCommand.ts index 94aea34f2195..3048638d7b6e 100644 --- a/clients/client-ssm/src/commands/GetPatchBaselineCommand.ts +++ b/clients/client-ssm/src/commands/GetPatchBaselineCommand.ts @@ -149,4 +149,16 @@ export class GetPatchBaselineCommand extends $Command .f(void 0, GetPatchBaselineResultFilterSensitiveLog) .ser(se_GetPatchBaselineCommand) .de(de_GetPatchBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPatchBaselineRequest; + output: GetPatchBaselineResult; + }; + sdk: { + input: GetPatchBaselineCommandInput; + output: GetPatchBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetPatchBaselineForPatchGroupCommand.ts b/clients/client-ssm/src/commands/GetPatchBaselineForPatchGroupCommand.ts index a7bf29ebf923..61acee9feb44 100644 --- a/clients/client-ssm/src/commands/GetPatchBaselineForPatchGroupCommand.ts +++ b/clients/client-ssm/src/commands/GetPatchBaselineForPatchGroupCommand.ts @@ -88,4 +88,16 @@ export class GetPatchBaselineForPatchGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetPatchBaselineForPatchGroupCommand) .de(de_GetPatchBaselineForPatchGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPatchBaselineForPatchGroupRequest; + output: GetPatchBaselineForPatchGroupResult; + }; + sdk: { + input: GetPatchBaselineForPatchGroupCommandInput; + output: GetPatchBaselineForPatchGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetResourcePoliciesCommand.ts b/clients/client-ssm/src/commands/GetResourcePoliciesCommand.ts index da0f8f3b659b..00547ce5d796 100644 --- a/clients/client-ssm/src/commands/GetResourcePoliciesCommand.ts +++ b/clients/client-ssm/src/commands/GetResourcePoliciesCommand.ts @@ -96,4 +96,16 @@ export class GetResourcePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePoliciesCommand) .de(de_GetResourcePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePoliciesRequest; + output: GetResourcePoliciesResponse; + }; + sdk: { + input: GetResourcePoliciesCommandInput; + output: GetResourcePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/GetServiceSettingCommand.ts b/clients/client-ssm/src/commands/GetServiceSettingCommand.ts index 15ae1433f7cb..2167c64a988d 100644 --- a/clients/client-ssm/src/commands/GetServiceSettingCommand.ts +++ b/clients/client-ssm/src/commands/GetServiceSettingCommand.ts @@ -104,4 +104,16 @@ export class GetServiceSettingCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceSettingCommand) .de(de_GetServiceSettingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceSettingRequest; + output: GetServiceSettingResult; + }; + sdk: { + input: GetServiceSettingCommandInput; + output: GetServiceSettingCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/LabelParameterVersionCommand.ts b/clients/client-ssm/src/commands/LabelParameterVersionCommand.ts index 3b99cd6d25f0..602ebd701bc4 100644 --- a/clients/client-ssm/src/commands/LabelParameterVersionCommand.ts +++ b/clients/client-ssm/src/commands/LabelParameterVersionCommand.ts @@ -136,4 +136,16 @@ export class LabelParameterVersionCommand extends $Command .f(void 0, void 0) .ser(se_LabelParameterVersionCommand) .de(de_LabelParameterVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LabelParameterVersionRequest; + output: LabelParameterVersionResult; + }; + sdk: { + input: LabelParameterVersionCommandInput; + output: LabelParameterVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts b/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts index 8bd4184a61bf..e8f62b8b0119 100644 --- a/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts +++ b/clients/client-ssm/src/commands/ListAssociationVersionsCommand.ts @@ -175,4 +175,16 @@ export class ListAssociationVersionsCommand extends $Command .f(void 0, ListAssociationVersionsResultFilterSensitiveLog) .ser(se_ListAssociationVersionsCommand) .de(de_ListAssociationVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociationVersionsRequest; + output: ListAssociationVersionsResult; + }; + sdk: { + input: ListAssociationVersionsCommandInput; + output: ListAssociationVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListAssociationsCommand.ts b/clients/client-ssm/src/commands/ListAssociationsCommand.ts index 974a74217bd6..b5256a235d10 100644 --- a/clients/client-ssm/src/commands/ListAssociationsCommand.ts +++ b/clients/client-ssm/src/commands/ListAssociationsCommand.ts @@ -128,4 +128,16 @@ export class ListAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociationsCommand) .de(de_ListAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociationsRequest; + output: ListAssociationsResult; + }; + sdk: { + input: ListAssociationsCommandInput; + output: ListAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListCommandInvocationsCommand.ts b/clients/client-ssm/src/commands/ListCommandInvocationsCommand.ts index 4df073cd8122..7df60afaed9e 100644 --- a/clients/client-ssm/src/commands/ListCommandInvocationsCommand.ts +++ b/clients/client-ssm/src/commands/ListCommandInvocationsCommand.ts @@ -167,4 +167,16 @@ export class ListCommandInvocationsCommand extends $Command .f(void 0, void 0) .ser(se_ListCommandInvocationsCommand) .de(de_ListCommandInvocationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCommandInvocationsRequest; + output: ListCommandInvocationsResult; + }; + sdk: { + input: ListCommandInvocationsCommandInput; + output: ListCommandInvocationsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListCommandsCommand.ts b/clients/client-ssm/src/commands/ListCommandsCommand.ts index 4a273572e3a3..df67b6f3b1ea 100644 --- a/clients/client-ssm/src/commands/ListCommandsCommand.ts +++ b/clients/client-ssm/src/commands/ListCommandsCommand.ts @@ -182,4 +182,16 @@ export class ListCommandsCommand extends $Command .f(void 0, ListCommandsResultFilterSensitiveLog) .ser(se_ListCommandsCommand) .de(de_ListCommandsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCommandsRequest; + output: ListCommandsResult; + }; + sdk: { + input: ListCommandsCommandInput; + output: ListCommandsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListComplianceItemsCommand.ts b/clients/client-ssm/src/commands/ListComplianceItemsCommand.ts index aa1254acfac4..b7afb84e18d6 100644 --- a/clients/client-ssm/src/commands/ListComplianceItemsCommand.ts +++ b/clients/client-ssm/src/commands/ListComplianceItemsCommand.ts @@ -130,4 +130,16 @@ export class ListComplianceItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListComplianceItemsCommand) .de(de_ListComplianceItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComplianceItemsRequest; + output: ListComplianceItemsResult; + }; + sdk: { + input: ListComplianceItemsCommandInput; + output: ListComplianceItemsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListComplianceSummariesCommand.ts b/clients/client-ssm/src/commands/ListComplianceSummariesCommand.ts index e81bd461c330..ae7a3bea9930 100644 --- a/clients/client-ssm/src/commands/ListComplianceSummariesCommand.ts +++ b/clients/client-ssm/src/commands/ListComplianceSummariesCommand.ts @@ -125,4 +125,16 @@ export class ListComplianceSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListComplianceSummariesCommand) .de(de_ListComplianceSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListComplianceSummariesRequest; + output: ListComplianceSummariesResult; + }; + sdk: { + input: ListComplianceSummariesCommandInput; + output: ListComplianceSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListDocumentMetadataHistoryCommand.ts b/clients/client-ssm/src/commands/ListDocumentMetadataHistoryCommand.ts index e1d570b3bf1b..0f00004b30cb 100644 --- a/clients/client-ssm/src/commands/ListDocumentMetadataHistoryCommand.ts +++ b/clients/client-ssm/src/commands/ListDocumentMetadataHistoryCommand.ts @@ -114,4 +114,16 @@ export class ListDocumentMetadataHistoryCommand extends $Command .f(void 0, void 0) .ser(se_ListDocumentMetadataHistoryCommand) .de(de_ListDocumentMetadataHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDocumentMetadataHistoryRequest; + output: ListDocumentMetadataHistoryResponse; + }; + sdk: { + input: ListDocumentMetadataHistoryCommandInput; + output: ListDocumentMetadataHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListDocumentVersionsCommand.ts b/clients/client-ssm/src/commands/ListDocumentVersionsCommand.ts index dfaacb544fd4..5c667b5179e5 100644 --- a/clients/client-ssm/src/commands/ListDocumentVersionsCommand.ts +++ b/clients/client-ssm/src/commands/ListDocumentVersionsCommand.ts @@ -102,4 +102,16 @@ export class ListDocumentVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListDocumentVersionsCommand) .de(de_ListDocumentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDocumentVersionsRequest; + output: ListDocumentVersionsResult; + }; + sdk: { + input: ListDocumentVersionsCommandInput; + output: ListDocumentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListDocumentsCommand.ts b/clients/client-ssm/src/commands/ListDocumentsCommand.ts index f1549c1b4440..83016149f8eb 100644 --- a/clients/client-ssm/src/commands/ListDocumentsCommand.ts +++ b/clients/client-ssm/src/commands/ListDocumentsCommand.ts @@ -135,4 +135,16 @@ export class ListDocumentsCommand extends $Command .f(void 0, void 0) .ser(se_ListDocumentsCommand) .de(de_ListDocumentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDocumentsRequest; + output: ListDocumentsResult; + }; + sdk: { + input: ListDocumentsCommandInput; + output: ListDocumentsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListInventoryEntriesCommand.ts b/clients/client-ssm/src/commands/ListInventoryEntriesCommand.ts index fdf103b0ff04..0e588656a238 100644 --- a/clients/client-ssm/src/commands/ListInventoryEntriesCommand.ts +++ b/clients/client-ssm/src/commands/ListInventoryEntriesCommand.ts @@ -130,4 +130,16 @@ export class ListInventoryEntriesCommand extends $Command .f(void 0, void 0) .ser(se_ListInventoryEntriesCommand) .de(de_ListInventoryEntriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInventoryEntriesRequest; + output: ListInventoryEntriesResult; + }; + sdk: { + input: ListInventoryEntriesCommandInput; + output: ListInventoryEntriesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListOpsItemEventsCommand.ts b/clients/client-ssm/src/commands/ListOpsItemEventsCommand.ts index 493233b3b566..62523e8f967d 100644 --- a/clients/client-ssm/src/commands/ListOpsItemEventsCommand.ts +++ b/clients/client-ssm/src/commands/ListOpsItemEventsCommand.ts @@ -114,4 +114,16 @@ export class ListOpsItemEventsCommand extends $Command .f(void 0, void 0) .ser(se_ListOpsItemEventsCommand) .de(de_ListOpsItemEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOpsItemEventsRequest; + output: ListOpsItemEventsResponse; + }; + sdk: { + input: ListOpsItemEventsCommandInput; + output: ListOpsItemEventsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListOpsItemRelatedItemsCommand.ts b/clients/client-ssm/src/commands/ListOpsItemRelatedItemsCommand.ts index f5db04000a63..4c5ca6230ac3 100644 --- a/clients/client-ssm/src/commands/ListOpsItemRelatedItemsCommand.ts +++ b/clients/client-ssm/src/commands/ListOpsItemRelatedItemsCommand.ts @@ -113,4 +113,16 @@ export class ListOpsItemRelatedItemsCommand extends $Command .f(void 0, void 0) .ser(se_ListOpsItemRelatedItemsCommand) .de(de_ListOpsItemRelatedItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOpsItemRelatedItemsRequest; + output: ListOpsItemRelatedItemsResponse; + }; + sdk: { + input: ListOpsItemRelatedItemsCommandInput; + output: ListOpsItemRelatedItemsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListOpsMetadataCommand.ts b/clients/client-ssm/src/commands/ListOpsMetadataCommand.ts index 701f15eb6078..d9071ae528d1 100644 --- a/clients/client-ssm/src/commands/ListOpsMetadataCommand.ts +++ b/clients/client-ssm/src/commands/ListOpsMetadataCommand.ts @@ -102,4 +102,16 @@ export class ListOpsMetadataCommand extends $Command .f(void 0, void 0) .ser(se_ListOpsMetadataCommand) .de(de_ListOpsMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOpsMetadataRequest; + output: ListOpsMetadataResult; + }; + sdk: { + input: ListOpsMetadataCommandInput; + output: ListOpsMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListResourceComplianceSummariesCommand.ts b/clients/client-ssm/src/commands/ListResourceComplianceSummariesCommand.ts index 37d30315c0e7..aa584dadaef3 100644 --- a/clients/client-ssm/src/commands/ListResourceComplianceSummariesCommand.ts +++ b/clients/client-ssm/src/commands/ListResourceComplianceSummariesCommand.ts @@ -139,4 +139,16 @@ export class ListResourceComplianceSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceComplianceSummariesCommand) .de(de_ListResourceComplianceSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceComplianceSummariesRequest; + output: ListResourceComplianceSummariesResult; + }; + sdk: { + input: ListResourceComplianceSummariesCommandInput; + output: ListResourceComplianceSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListResourceDataSyncCommand.ts b/clients/client-ssm/src/commands/ListResourceDataSyncCommand.ts index 4e1a5c6e6bce..827925bf010f 100644 --- a/clients/client-ssm/src/commands/ListResourceDataSyncCommand.ts +++ b/clients/client-ssm/src/commands/ListResourceDataSyncCommand.ts @@ -135,4 +135,16 @@ export class ListResourceDataSyncCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceDataSyncCommand) .de(de_ListResourceDataSyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceDataSyncRequest; + output: ListResourceDataSyncResult; + }; + sdk: { + input: ListResourceDataSyncCommandInput; + output: ListResourceDataSyncCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ListTagsForResourceCommand.ts b/clients/client-ssm/src/commands/ListTagsForResourceCommand.ts index 09300db057fb..d749b90e83c7 100644 --- a/clients/client-ssm/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-ssm/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResult; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ModifyDocumentPermissionCommand.ts b/clients/client-ssm/src/commands/ModifyDocumentPermissionCommand.ts index 50565d2709f6..a4deb236597a 100644 --- a/clients/client-ssm/src/commands/ModifyDocumentPermissionCommand.ts +++ b/clients/client-ssm/src/commands/ModifyDocumentPermissionCommand.ts @@ -107,4 +107,16 @@ export class ModifyDocumentPermissionCommand extends $Command .f(void 0, void 0) .ser(se_ModifyDocumentPermissionCommand) .de(de_ModifyDocumentPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyDocumentPermissionRequest; + output: {}; + }; + sdk: { + input: ModifyDocumentPermissionCommandInput; + output: ModifyDocumentPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/PutComplianceItemsCommand.ts b/clients/client-ssm/src/commands/PutComplianceItemsCommand.ts index debabe2cef53..bc71ff0862f6 100644 --- a/clients/client-ssm/src/commands/PutComplianceItemsCommand.ts +++ b/clients/client-ssm/src/commands/PutComplianceItemsCommand.ts @@ -175,4 +175,16 @@ export class PutComplianceItemsCommand extends $Command .f(void 0, void 0) .ser(se_PutComplianceItemsCommand) .de(de_PutComplianceItemsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutComplianceItemsRequest; + output: {}; + }; + sdk: { + input: PutComplianceItemsCommandInput; + output: PutComplianceItemsCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/PutInventoryCommand.ts b/clients/client-ssm/src/commands/PutInventoryCommand.ts index 915d7a96a9e1..97098ee0a012 100644 --- a/clients/client-ssm/src/commands/PutInventoryCommand.ts +++ b/clients/client-ssm/src/commands/PutInventoryCommand.ts @@ -153,4 +153,16 @@ export class PutInventoryCommand extends $Command .f(void 0, void 0) .ser(se_PutInventoryCommand) .de(de_PutInventoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutInventoryRequest; + output: PutInventoryResult; + }; + sdk: { + input: PutInventoryCommandInput; + output: PutInventoryCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/PutParameterCommand.ts b/clients/client-ssm/src/commands/PutParameterCommand.ts index bf5639c80c4a..2404eb051895 100644 --- a/clients/client-ssm/src/commands/PutParameterCommand.ts +++ b/clients/client-ssm/src/commands/PutParameterCommand.ts @@ -160,4 +160,16 @@ export class PutParameterCommand extends $Command .f(PutParameterRequestFilterSensitiveLog, void 0) .ser(se_PutParameterCommand) .de(de_PutParameterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutParameterRequest; + output: PutParameterResult; + }; + sdk: { + input: PutParameterCommandInput; + output: PutParameterCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/PutResourcePolicyCommand.ts b/clients/client-ssm/src/commands/PutResourcePolicyCommand.ts index c15bc551d5b5..152f6efccdfc 100644 --- a/clients/client-ssm/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-ssm/src/commands/PutResourcePolicyCommand.ts @@ -139,4 +139,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResponse; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/RegisterDefaultPatchBaselineCommand.ts b/clients/client-ssm/src/commands/RegisterDefaultPatchBaselineCommand.ts index a9b32ec83ab7..df6c4bc423cc 100644 --- a/clients/client-ssm/src/commands/RegisterDefaultPatchBaselineCommand.ts +++ b/clients/client-ssm/src/commands/RegisterDefaultPatchBaselineCommand.ts @@ -98,4 +98,16 @@ export class RegisterDefaultPatchBaselineCommand extends $Command .f(void 0, void 0) .ser(se_RegisterDefaultPatchBaselineCommand) .de(de_RegisterDefaultPatchBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDefaultPatchBaselineRequest; + output: RegisterDefaultPatchBaselineResult; + }; + sdk: { + input: RegisterDefaultPatchBaselineCommandInput; + output: RegisterDefaultPatchBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/RegisterPatchBaselineForPatchGroupCommand.ts b/clients/client-ssm/src/commands/RegisterPatchBaselineForPatchGroupCommand.ts index e0a7a4257816..fd82c0b6d32d 100644 --- a/clients/client-ssm/src/commands/RegisterPatchBaselineForPatchGroupCommand.ts +++ b/clients/client-ssm/src/commands/RegisterPatchBaselineForPatchGroupCommand.ts @@ -109,4 +109,16 @@ export class RegisterPatchBaselineForPatchGroupCommand extends $Command .f(void 0, void 0) .ser(se_RegisterPatchBaselineForPatchGroupCommand) .de(de_RegisterPatchBaselineForPatchGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterPatchBaselineForPatchGroupRequest; + output: RegisterPatchBaselineForPatchGroupResult; + }; + sdk: { + input: RegisterPatchBaselineForPatchGroupCommandInput; + output: RegisterPatchBaselineForPatchGroupCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts index 50f4f7812701..1260b35520ed 100644 --- a/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts @@ -118,4 +118,16 @@ export class RegisterTargetWithMaintenanceWindowCommand extends $Command .f(RegisterTargetWithMaintenanceWindowRequestFilterSensitiveLog, void 0) .ser(se_RegisterTargetWithMaintenanceWindowCommand) .de(de_RegisterTargetWithMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTargetWithMaintenanceWindowRequest; + output: RegisterTargetWithMaintenanceWindowResult; + }; + sdk: { + input: RegisterTargetWithMaintenanceWindowCommandInput; + output: RegisterTargetWithMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts index 33668ab75454..7c19fd2d967a 100644 --- a/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts @@ -192,4 +192,16 @@ export class RegisterTaskWithMaintenanceWindowCommand extends $Command .f(RegisterTaskWithMaintenanceWindowRequestFilterSensitiveLog, void 0) .ser(se_RegisterTaskWithMaintenanceWindowCommand) .de(de_RegisterTaskWithMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTaskWithMaintenanceWindowRequest; + output: RegisterTaskWithMaintenanceWindowResult; + }; + sdk: { + input: RegisterTaskWithMaintenanceWindowCommandInput; + output: RegisterTaskWithMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts index a644f9c5e92c..416a022c0365 100644 --- a/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts @@ -92,4 +92,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceRequest; + output: {}; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ResetServiceSettingCommand.ts b/clients/client-ssm/src/commands/ResetServiceSettingCommand.ts index 0e4e06f55d03..f35c148a9ff2 100644 --- a/clients/client-ssm/src/commands/ResetServiceSettingCommand.ts +++ b/clients/client-ssm/src/commands/ResetServiceSettingCommand.ts @@ -108,4 +108,16 @@ export class ResetServiceSettingCommand extends $Command .f(void 0, void 0) .ser(se_ResetServiceSettingCommand) .de(de_ResetServiceSettingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetServiceSettingRequest; + output: ResetServiceSettingResult; + }; + sdk: { + input: ResetServiceSettingCommandInput; + output: ResetServiceSettingCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/ResumeSessionCommand.ts b/clients/client-ssm/src/commands/ResumeSessionCommand.ts index cfe121503228..9c6941de30a7 100644 --- a/clients/client-ssm/src/commands/ResumeSessionCommand.ts +++ b/clients/client-ssm/src/commands/ResumeSessionCommand.ts @@ -93,4 +93,16 @@ export class ResumeSessionCommand extends $Command .f(void 0, void 0) .ser(se_ResumeSessionCommand) .de(de_ResumeSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeSessionRequest; + output: ResumeSessionResponse; + }; + sdk: { + input: ResumeSessionCommandInput; + output: ResumeSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts b/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts index 6a5a83e78e0d..5f415cb8683e 100644 --- a/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts +++ b/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts @@ -96,4 +96,16 @@ export class SendAutomationSignalCommand extends $Command .f(void 0, void 0) .ser(se_SendAutomationSignalCommand) .de(de_SendAutomationSignalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendAutomationSignalRequest; + output: {}; + }; + sdk: { + input: SendAutomationSignalCommandInput; + output: SendAutomationSignalCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/SendCommandCommand.ts b/clients/client-ssm/src/commands/SendCommandCommand.ts index bc5cacf4ba79..d02918370b0f 100644 --- a/clients/client-ssm/src/commands/SendCommandCommand.ts +++ b/clients/client-ssm/src/commands/SendCommandCommand.ts @@ -244,4 +244,16 @@ export class SendCommandCommand extends $Command .f(SendCommandRequestFilterSensitiveLog, SendCommandResultFilterSensitiveLog) .ser(se_SendCommandCommand) .de(de_SendCommandCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendCommandRequest; + output: SendCommandResult; + }; + sdk: { + input: SendCommandCommandInput; + output: SendCommandCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/StartAssociationsOnceCommand.ts b/clients/client-ssm/src/commands/StartAssociationsOnceCommand.ts index 522fcc4dcdb5..8ee1b5cf07e9 100644 --- a/clients/client-ssm/src/commands/StartAssociationsOnceCommand.ts +++ b/clients/client-ssm/src/commands/StartAssociationsOnceCommand.ts @@ -84,4 +84,16 @@ export class StartAssociationsOnceCommand extends $Command .f(void 0, void 0) .ser(se_StartAssociationsOnceCommand) .de(de_StartAssociationsOnceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAssociationsOnceRequest; + output: {}; + }; + sdk: { + input: StartAssociationsOnceCommandInput; + output: StartAssociationsOnceCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts b/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts index 8fc05e7b3125..0ef5d306bc1a 100644 --- a/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts +++ b/clients/client-ssm/src/commands/StartAutomationExecutionCommand.ts @@ -179,4 +179,16 @@ export class StartAutomationExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartAutomationExecutionCommand) .de(de_StartAutomationExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAutomationExecutionRequest; + output: StartAutomationExecutionResult; + }; + sdk: { + input: StartAutomationExecutionCommandInput; + output: StartAutomationExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts b/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts index 2a5907cd6ec3..4141505924c3 100644 --- a/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts +++ b/clients/client-ssm/src/commands/StartChangeRequestExecutionCommand.ts @@ -187,4 +187,16 @@ export class StartChangeRequestExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartChangeRequestExecutionCommand) .de(de_StartChangeRequestExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartChangeRequestExecutionRequest; + output: StartChangeRequestExecutionResult; + }; + sdk: { + input: StartChangeRequestExecutionCommandInput; + output: StartChangeRequestExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/StartSessionCommand.ts b/clients/client-ssm/src/commands/StartSessionCommand.ts index 81e2e257f5c4..a3201a636347 100644 --- a/clients/client-ssm/src/commands/StartSessionCommand.ts +++ b/clients/client-ssm/src/commands/StartSessionCommand.ts @@ -108,4 +108,16 @@ export class StartSessionCommand extends $Command .f(void 0, void 0) .ser(se_StartSessionCommand) .de(de_StartSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSessionRequest; + output: StartSessionResponse; + }; + sdk: { + input: StartSessionCommandInput; + output: StartSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/StopAutomationExecutionCommand.ts b/clients/client-ssm/src/commands/StopAutomationExecutionCommand.ts index 3b6e0c58e531..78790f7b68ec 100644 --- a/clients/client-ssm/src/commands/StopAutomationExecutionCommand.ts +++ b/clients/client-ssm/src/commands/StopAutomationExecutionCommand.ts @@ -86,4 +86,16 @@ export class StopAutomationExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StopAutomationExecutionCommand) .de(de_StopAutomationExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopAutomationExecutionRequest; + output: {}; + }; + sdk: { + input: StopAutomationExecutionCommandInput; + output: StopAutomationExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/TerminateSessionCommand.ts b/clients/client-ssm/src/commands/TerminateSessionCommand.ts index fcae17ecf495..de6c8021ea59 100644 --- a/clients/client-ssm/src/commands/TerminateSessionCommand.ts +++ b/clients/client-ssm/src/commands/TerminateSessionCommand.ts @@ -81,4 +81,16 @@ export class TerminateSessionCommand extends $Command .f(void 0, void 0) .ser(se_TerminateSessionCommand) .de(de_TerminateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateSessionRequest; + output: TerminateSessionResponse; + }; + sdk: { + input: TerminateSessionCommandInput; + output: TerminateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UnlabelParameterVersionCommand.ts b/clients/client-ssm/src/commands/UnlabelParameterVersionCommand.ts index 9572df3e40fa..1f1e85afe2f0 100644 --- a/clients/client-ssm/src/commands/UnlabelParameterVersionCommand.ts +++ b/clients/client-ssm/src/commands/UnlabelParameterVersionCommand.ts @@ -99,4 +99,16 @@ export class UnlabelParameterVersionCommand extends $Command .f(void 0, void 0) .ser(se_UnlabelParameterVersionCommand) .de(de_UnlabelParameterVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnlabelParameterVersionRequest; + output: UnlabelParameterVersionResult; + }; + sdk: { + input: UnlabelParameterVersionCommandInput; + output: UnlabelParameterVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateAssociationCommand.ts b/clients/client-ssm/src/commands/UpdateAssociationCommand.ts index 0f812ec5f628..1cf726771fd0 100644 --- a/clients/client-ssm/src/commands/UpdateAssociationCommand.ts +++ b/clients/client-ssm/src/commands/UpdateAssociationCommand.ts @@ -343,4 +343,16 @@ export class UpdateAssociationCommand extends $Command .f(UpdateAssociationRequestFilterSensitiveLog, UpdateAssociationResultFilterSensitiveLog) .ser(se_UpdateAssociationCommand) .de(de_UpdateAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssociationRequest; + output: UpdateAssociationResult; + }; + sdk: { + input: UpdateAssociationCommandInput; + output: UpdateAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts b/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts index a4254d98a2d7..15db07159431 100644 --- a/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts +++ b/clients/client-ssm/src/commands/UpdateAssociationStatusCommand.ts @@ -240,4 +240,16 @@ export class UpdateAssociationStatusCommand extends $Command .f(void 0, UpdateAssociationStatusResultFilterSensitiveLog) .ser(se_UpdateAssociationStatusCommand) .de(de_UpdateAssociationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAssociationStatusRequest; + output: UpdateAssociationStatusResult; + }; + sdk: { + input: UpdateAssociationStatusCommandInput; + output: UpdateAssociationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateDocumentCommand.ts b/clients/client-ssm/src/commands/UpdateDocumentCommand.ts index 13d953424f52..9242f57b74c4 100644 --- a/clients/client-ssm/src/commands/UpdateDocumentCommand.ts +++ b/clients/client-ssm/src/commands/UpdateDocumentCommand.ts @@ -192,4 +192,16 @@ export class UpdateDocumentCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDocumentCommand) .de(de_UpdateDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDocumentRequest; + output: UpdateDocumentResult; + }; + sdk: { + input: UpdateDocumentCommandInput; + output: UpdateDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateDocumentDefaultVersionCommand.ts b/clients/client-ssm/src/commands/UpdateDocumentDefaultVersionCommand.ts index 1eba050a9223..09409eb7eabf 100644 --- a/clients/client-ssm/src/commands/UpdateDocumentDefaultVersionCommand.ts +++ b/clients/client-ssm/src/commands/UpdateDocumentDefaultVersionCommand.ts @@ -104,4 +104,16 @@ export class UpdateDocumentDefaultVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDocumentDefaultVersionCommand) .de(de_UpdateDocumentDefaultVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDocumentDefaultVersionRequest; + output: UpdateDocumentDefaultVersionResult; + }; + sdk: { + input: UpdateDocumentDefaultVersionCommandInput; + output: UpdateDocumentDefaultVersionCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateDocumentMetadataCommand.ts b/clients/client-ssm/src/commands/UpdateDocumentMetadataCommand.ts index d6a959e2f36c..e4860057db9f 100644 --- a/clients/client-ssm/src/commands/UpdateDocumentMetadataCommand.ts +++ b/clients/client-ssm/src/commands/UpdateDocumentMetadataCommand.ts @@ -99,4 +99,16 @@ export class UpdateDocumentMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDocumentMetadataCommand) .de(de_UpdateDocumentMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDocumentMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateDocumentMetadataCommandInput; + output: UpdateDocumentMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/UpdateMaintenanceWindowCommand.ts index 48f74d1aa605..0545e75c89fa 100644 --- a/clients/client-ssm/src/commands/UpdateMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/UpdateMaintenanceWindowCommand.ts @@ -122,4 +122,16 @@ export class UpdateMaintenanceWindowCommand extends $Command .f(UpdateMaintenanceWindowRequestFilterSensitiveLog, UpdateMaintenanceWindowResultFilterSensitiveLog) .ser(se_UpdateMaintenanceWindowCommand) .de(de_UpdateMaintenanceWindowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMaintenanceWindowRequest; + output: UpdateMaintenanceWindowResult; + }; + sdk: { + input: UpdateMaintenanceWindowCommandInput; + output: UpdateMaintenanceWindowCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateMaintenanceWindowTargetCommand.ts b/clients/client-ssm/src/commands/UpdateMaintenanceWindowTargetCommand.ts index 74f37752fe9f..ace55896dd05 100644 --- a/clients/client-ssm/src/commands/UpdateMaintenanceWindowTargetCommand.ts +++ b/clients/client-ssm/src/commands/UpdateMaintenanceWindowTargetCommand.ts @@ -146,4 +146,16 @@ export class UpdateMaintenanceWindowTargetCommand extends $Command .f(UpdateMaintenanceWindowTargetRequestFilterSensitiveLog, UpdateMaintenanceWindowTargetResultFilterSensitiveLog) .ser(se_UpdateMaintenanceWindowTargetCommand) .de(de_UpdateMaintenanceWindowTargetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMaintenanceWindowTargetRequest; + output: UpdateMaintenanceWindowTargetResult; + }; + sdk: { + input: UpdateMaintenanceWindowTargetCommandInput; + output: UpdateMaintenanceWindowTargetCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateMaintenanceWindowTaskCommand.ts b/clients/client-ssm/src/commands/UpdateMaintenanceWindowTaskCommand.ts index 9e08e34a0856..a23ba054d609 100644 --- a/clients/client-ssm/src/commands/UpdateMaintenanceWindowTaskCommand.ts +++ b/clients/client-ssm/src/commands/UpdateMaintenanceWindowTaskCommand.ts @@ -311,4 +311,16 @@ export class UpdateMaintenanceWindowTaskCommand extends $Command .f(UpdateMaintenanceWindowTaskRequestFilterSensitiveLog, UpdateMaintenanceWindowTaskResultFilterSensitiveLog) .ser(se_UpdateMaintenanceWindowTaskCommand) .de(de_UpdateMaintenanceWindowTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMaintenanceWindowTaskRequest; + output: UpdateMaintenanceWindowTaskResult; + }; + sdk: { + input: UpdateMaintenanceWindowTaskCommandInput; + output: UpdateMaintenanceWindowTaskCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateManagedInstanceRoleCommand.ts b/clients/client-ssm/src/commands/UpdateManagedInstanceRoleCommand.ts index 113428feb282..95b75cdf35a3 100644 --- a/clients/client-ssm/src/commands/UpdateManagedInstanceRoleCommand.ts +++ b/clients/client-ssm/src/commands/UpdateManagedInstanceRoleCommand.ts @@ -101,4 +101,16 @@ export class UpdateManagedInstanceRoleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateManagedInstanceRoleCommand) .de(de_UpdateManagedInstanceRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateManagedInstanceRoleRequest; + output: {}; + }; + sdk: { + input: UpdateManagedInstanceRoleCommandInput; + output: UpdateManagedInstanceRoleCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts b/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts index 79d546e640f3..ce30f628b8ad 100644 --- a/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts +++ b/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts @@ -134,4 +134,16 @@ export class UpdateOpsItemCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOpsItemCommand) .de(de_UpdateOpsItemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOpsItemRequest; + output: {}; + }; + sdk: { + input: UpdateOpsItemCommandInput; + output: UpdateOpsItemCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateOpsMetadataCommand.ts b/clients/client-ssm/src/commands/UpdateOpsMetadataCommand.ts index 060291a36834..230efe5acecf 100644 --- a/clients/client-ssm/src/commands/UpdateOpsMetadataCommand.ts +++ b/clients/client-ssm/src/commands/UpdateOpsMetadataCommand.ts @@ -102,4 +102,16 @@ export class UpdateOpsMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateOpsMetadataCommand) .de(de_UpdateOpsMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOpsMetadataRequest; + output: UpdateOpsMetadataResult; + }; + sdk: { + input: UpdateOpsMetadataCommandInput; + output: UpdateOpsMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdatePatchBaselineCommand.ts b/clients/client-ssm/src/commands/UpdatePatchBaselineCommand.ts index 73cad38f9628..e9047e158bd1 100644 --- a/clients/client-ssm/src/commands/UpdatePatchBaselineCommand.ts +++ b/clients/client-ssm/src/commands/UpdatePatchBaselineCommand.ts @@ -200,4 +200,16 @@ export class UpdatePatchBaselineCommand extends $Command .f(UpdatePatchBaselineRequestFilterSensitiveLog, UpdatePatchBaselineResultFilterSensitiveLog) .ser(se_UpdatePatchBaselineCommand) .de(de_UpdatePatchBaselineCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePatchBaselineRequest; + output: UpdatePatchBaselineResult; + }; + sdk: { + input: UpdatePatchBaselineCommandInput; + output: UpdatePatchBaselineCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateResourceDataSyncCommand.ts b/clients/client-ssm/src/commands/UpdateResourceDataSyncCommand.ts index ecfeffa6410d..fe78f9d923a6 100644 --- a/clients/client-ssm/src/commands/UpdateResourceDataSyncCommand.ts +++ b/clients/client-ssm/src/commands/UpdateResourceDataSyncCommand.ts @@ -114,4 +114,16 @@ export class UpdateResourceDataSyncCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceDataSyncCommand) .de(de_UpdateResourceDataSyncCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceDataSyncRequest; + output: {}; + }; + sdk: { + input: UpdateResourceDataSyncCommandInput; + output: UpdateResourceDataSyncCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateServiceSettingCommand.ts b/clients/client-ssm/src/commands/UpdateServiceSettingCommand.ts index fa30c2c759fc..6f1656684502 100644 --- a/clients/client-ssm/src/commands/UpdateServiceSettingCommand.ts +++ b/clients/client-ssm/src/commands/UpdateServiceSettingCommand.ts @@ -99,4 +99,16 @@ export class UpdateServiceSettingCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceSettingCommand) .de(de_UpdateServiceSettingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceSettingRequest; + output: {}; + }; + sdk: { + input: UpdateServiceSettingCommandInput; + output: UpdateServiceSettingCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/package.json b/clients/client-sso-admin/package.json index eee08e09d2bd..b3801cd5a8b4 100644 --- a/clients/client-sso-admin/package.json +++ b/clients/client-sso-admin/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-sso-admin/src/commands/AttachCustomerManagedPolicyReferenceToPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/AttachCustomerManagedPolicyReferenceToPermissionSetCommand.ts index 7b67e9531a9a..ad1d5501969a 100644 --- a/clients/client-sso-admin/src/commands/AttachCustomerManagedPolicyReferenceToPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/AttachCustomerManagedPolicyReferenceToPermissionSetCommand.ts @@ -116,4 +116,16 @@ export class AttachCustomerManagedPolicyReferenceToPermissionSetCommand extends .f(void 0, void 0) .ser(se_AttachCustomerManagedPolicyReferenceToPermissionSetCommand) .de(de_AttachCustomerManagedPolicyReferenceToPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachCustomerManagedPolicyReferenceToPermissionSetRequest; + output: {}; + }; + sdk: { + input: AttachCustomerManagedPolicyReferenceToPermissionSetCommandInput; + output: AttachCustomerManagedPolicyReferenceToPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/AttachManagedPolicyToPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/AttachManagedPolicyToPermissionSetCommand.ts index 2c716dccf6a0..f5be774be1d2 100644 --- a/clients/client-sso-admin/src/commands/AttachManagedPolicyToPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/AttachManagedPolicyToPermissionSetCommand.ts @@ -120,4 +120,16 @@ export class AttachManagedPolicyToPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_AttachManagedPolicyToPermissionSetCommand) .de(de_AttachManagedPolicyToPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachManagedPolicyToPermissionSetRequest; + output: {}; + }; + sdk: { + input: AttachManagedPolicyToPermissionSetCommandInput; + output: AttachManagedPolicyToPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/CreateAccountAssignmentCommand.ts b/clients/client-sso-admin/src/commands/CreateAccountAssignmentCommand.ts index f0bb7545d646..5a731ceb4b84 100644 --- a/clients/client-sso-admin/src/commands/CreateAccountAssignmentCommand.ts +++ b/clients/client-sso-admin/src/commands/CreateAccountAssignmentCommand.ts @@ -140,4 +140,16 @@ export class CreateAccountAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccountAssignmentCommand) .de(de_CreateAccountAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccountAssignmentRequest; + output: CreateAccountAssignmentResponse; + }; + sdk: { + input: CreateAccountAssignmentCommandInput; + output: CreateAccountAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/CreateApplicationAssignmentCommand.ts b/clients/client-sso-admin/src/commands/CreateApplicationAssignmentCommand.ts index 662d20c6c5bc..1dc82538cc33 100644 --- a/clients/client-sso-admin/src/commands/CreateApplicationAssignmentCommand.ts +++ b/clients/client-sso-admin/src/commands/CreateApplicationAssignmentCommand.ts @@ -106,4 +106,16 @@ export class CreateApplicationAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationAssignmentCommand) .de(de_CreateApplicationAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationAssignmentRequest; + output: {}; + }; + sdk: { + input: CreateApplicationAssignmentCommandInput; + output: CreateApplicationAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/CreateApplicationCommand.ts b/clients/client-sso-admin/src/commands/CreateApplicationCommand.ts index 541674d0f9cd..3adcc684855d 100644 --- a/clients/client-sso-admin/src/commands/CreateApplicationCommand.ts +++ b/clients/client-sso-admin/src/commands/CreateApplicationCommand.ts @@ -122,4 +122,16 @@ export class CreateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_CreateApplicationCommand) .de(de_CreateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateApplicationRequest; + output: CreateApplicationResponse; + }; + sdk: { + input: CreateApplicationCommandInput; + output: CreateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/CreateInstanceAccessControlAttributeConfigurationCommand.ts b/clients/client-sso-admin/src/commands/CreateInstanceAccessControlAttributeConfigurationCommand.ts index b8177347dd76..9623dad6f174 100644 --- a/clients/client-sso-admin/src/commands/CreateInstanceAccessControlAttributeConfigurationCommand.ts +++ b/clients/client-sso-admin/src/commands/CreateInstanceAccessControlAttributeConfigurationCommand.ts @@ -126,4 +126,16 @@ export class CreateInstanceAccessControlAttributeConfigurationCommand extends $C .f(void 0, void 0) .ser(se_CreateInstanceAccessControlAttributeConfigurationCommand) .de(de_CreateInstanceAccessControlAttributeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceAccessControlAttributeConfigurationRequest; + output: {}; + }; + sdk: { + input: CreateInstanceAccessControlAttributeConfigurationCommandInput; + output: CreateInstanceAccessControlAttributeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/CreateInstanceCommand.ts b/clients/client-sso-admin/src/commands/CreateInstanceCommand.ts index dd4c693ad200..e07fbc23055d 100644 --- a/clients/client-sso-admin/src/commands/CreateInstanceCommand.ts +++ b/clients/client-sso-admin/src/commands/CreateInstanceCommand.ts @@ -119,4 +119,16 @@ export class CreateInstanceCommand extends $Command .f(void 0, void 0) .ser(se_CreateInstanceCommand) .de(de_CreateInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateInstanceRequest; + output: CreateInstanceResponse; + }; + sdk: { + input: CreateInstanceCommandInput; + output: CreateInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/CreatePermissionSetCommand.ts b/clients/client-sso-admin/src/commands/CreatePermissionSetCommand.ts index b2dec96eb51a..7f50cda770e4 100644 --- a/clients/client-sso-admin/src/commands/CreatePermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/CreatePermissionSetCommand.ts @@ -126,4 +126,16 @@ export class CreatePermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_CreatePermissionSetCommand) .de(de_CreatePermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePermissionSetRequest; + output: CreatePermissionSetResponse; + }; + sdk: { + input: CreatePermissionSetCommandInput; + output: CreatePermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/CreateTrustedTokenIssuerCommand.ts b/clients/client-sso-admin/src/commands/CreateTrustedTokenIssuerCommand.ts index 84b5dcdf7cd9..549f4cf9787c 100644 --- a/clients/client-sso-admin/src/commands/CreateTrustedTokenIssuerCommand.ts +++ b/clients/client-sso-admin/src/commands/CreateTrustedTokenIssuerCommand.ts @@ -121,4 +121,16 @@ export class CreateTrustedTokenIssuerCommand extends $Command .f(void 0, void 0) .ser(se_CreateTrustedTokenIssuerCommand) .de(de_CreateTrustedTokenIssuerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrustedTokenIssuerRequest; + output: CreateTrustedTokenIssuerResponse; + }; + sdk: { + input: CreateTrustedTokenIssuerCommandInput; + output: CreateTrustedTokenIssuerCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteAccountAssignmentCommand.ts b/clients/client-sso-admin/src/commands/DeleteAccountAssignmentCommand.ts index 9a4c28bd2dca..78ce81d75fc5 100644 --- a/clients/client-sso-admin/src/commands/DeleteAccountAssignmentCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteAccountAssignmentCommand.ts @@ -121,4 +121,16 @@ export class DeleteAccountAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountAssignmentCommand) .de(de_DeleteAccountAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountAssignmentRequest; + output: DeleteAccountAssignmentResponse; + }; + sdk: { + input: DeleteAccountAssignmentCommandInput; + output: DeleteAccountAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteApplicationAccessScopeCommand.ts b/clients/client-sso-admin/src/commands/DeleteApplicationAccessScopeCommand.ts index 4bdb3ccf8ffd..dddab4a0f7c6 100644 --- a/clients/client-sso-admin/src/commands/DeleteApplicationAccessScopeCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteApplicationAccessScopeCommand.ts @@ -102,4 +102,16 @@ export class DeleteApplicationAccessScopeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationAccessScopeCommand) .de(de_DeleteApplicationAccessScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationAccessScopeRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationAccessScopeCommandInput; + output: DeleteApplicationAccessScopeCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteApplicationAssignmentCommand.ts b/clients/client-sso-admin/src/commands/DeleteApplicationAssignmentCommand.ts index b014ec986b79..4207f99c0975 100644 --- a/clients/client-sso-admin/src/commands/DeleteApplicationAssignmentCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteApplicationAssignmentCommand.ts @@ -103,4 +103,16 @@ export class DeleteApplicationAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationAssignmentCommand) .de(de_DeleteApplicationAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationAssignmentRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationAssignmentCommandInput; + output: DeleteApplicationAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteApplicationAuthenticationMethodCommand.ts b/clients/client-sso-admin/src/commands/DeleteApplicationAuthenticationMethodCommand.ts index 45c6e0196b85..2b0039dacebd 100644 --- a/clients/client-sso-admin/src/commands/DeleteApplicationAuthenticationMethodCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteApplicationAuthenticationMethodCommand.ts @@ -103,4 +103,16 @@ export class DeleteApplicationAuthenticationMethodCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationAuthenticationMethodCommand) .de(de_DeleteApplicationAuthenticationMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationAuthenticationMethodRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationAuthenticationMethodCommandInput; + output: DeleteApplicationAuthenticationMethodCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteApplicationCommand.ts b/clients/client-sso-admin/src/commands/DeleteApplicationCommand.ts index 500835af2c1d..3a8c920a751a 100644 --- a/clients/client-sso-admin/src/commands/DeleteApplicationCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteApplicationCommand.ts @@ -99,4 +99,16 @@ export class DeleteApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationCommand) .de(de_DeleteApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationCommandInput; + output: DeleteApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteApplicationGrantCommand.ts b/clients/client-sso-admin/src/commands/DeleteApplicationGrantCommand.ts index 0e49a1f7e7bb..944a5026e2fe 100644 --- a/clients/client-sso-admin/src/commands/DeleteApplicationGrantCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteApplicationGrantCommand.ts @@ -99,4 +99,16 @@ export class DeleteApplicationGrantCommand extends $Command .f(void 0, void 0) .ser(se_DeleteApplicationGrantCommand) .de(de_DeleteApplicationGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteApplicationGrantRequest; + output: {}; + }; + sdk: { + input: DeleteApplicationGrantCommandInput; + output: DeleteApplicationGrantCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteInlinePolicyFromPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/DeleteInlinePolicyFromPermissionSetCommand.ts index 4427ef01c887..e5ef096a9229 100644 --- a/clients/client-sso-admin/src/commands/DeleteInlinePolicyFromPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteInlinePolicyFromPermissionSetCommand.ts @@ -107,4 +107,16 @@ export class DeleteInlinePolicyFromPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInlinePolicyFromPermissionSetCommand) .de(de_DeleteInlinePolicyFromPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInlinePolicyFromPermissionSetRequest; + output: {}; + }; + sdk: { + input: DeleteInlinePolicyFromPermissionSetCommandInput; + output: DeleteInlinePolicyFromPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteInstanceAccessControlAttributeConfigurationCommand.ts b/clients/client-sso-admin/src/commands/DeleteInstanceAccessControlAttributeConfigurationCommand.ts index 62312819fb16..09ec61e7903d 100644 --- a/clients/client-sso-admin/src/commands/DeleteInstanceAccessControlAttributeConfigurationCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteInstanceAccessControlAttributeConfigurationCommand.ts @@ -110,4 +110,16 @@ export class DeleteInstanceAccessControlAttributeConfigurationCommand extends $C .f(void 0, void 0) .ser(se_DeleteInstanceAccessControlAttributeConfigurationCommand) .de(de_DeleteInstanceAccessControlAttributeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceAccessControlAttributeConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteInstanceAccessControlAttributeConfigurationCommandInput; + output: DeleteInstanceAccessControlAttributeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteInstanceCommand.ts b/clients/client-sso-admin/src/commands/DeleteInstanceCommand.ts index 39974dc84f01..4fb65e9514cd 100644 --- a/clients/client-sso-admin/src/commands/DeleteInstanceCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteInstanceCommand.ts @@ -97,4 +97,16 @@ export class DeleteInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteInstanceCommand) .de(de_DeleteInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteInstanceRequest; + output: {}; + }; + sdk: { + input: DeleteInstanceCommandInput; + output: DeleteInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeletePermissionSetCommand.ts b/clients/client-sso-admin/src/commands/DeletePermissionSetCommand.ts index 18ccea947538..64a04985399c 100644 --- a/clients/client-sso-admin/src/commands/DeletePermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/DeletePermissionSetCommand.ts @@ -99,4 +99,16 @@ export class DeletePermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionSetCommand) .de(de_DeletePermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionSetRequest; + output: {}; + }; + sdk: { + input: DeletePermissionSetCommandInput; + output: DeletePermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeletePermissionsBoundaryFromPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/DeletePermissionsBoundaryFromPermissionSetCommand.ts index 514b59831d32..e1dd2429d1a3 100644 --- a/clients/client-sso-admin/src/commands/DeletePermissionsBoundaryFromPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/DeletePermissionsBoundaryFromPermissionSetCommand.ts @@ -108,4 +108,16 @@ export class DeletePermissionsBoundaryFromPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionsBoundaryFromPermissionSetCommand) .de(de_DeletePermissionsBoundaryFromPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionsBoundaryFromPermissionSetRequest; + output: {}; + }; + sdk: { + input: DeletePermissionsBoundaryFromPermissionSetCommandInput; + output: DeletePermissionsBoundaryFromPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DeleteTrustedTokenIssuerCommand.ts b/clients/client-sso-admin/src/commands/DeleteTrustedTokenIssuerCommand.ts index 25223ce16a8c..a9f7228475b7 100644 --- a/clients/client-sso-admin/src/commands/DeleteTrustedTokenIssuerCommand.ts +++ b/clients/client-sso-admin/src/commands/DeleteTrustedTokenIssuerCommand.ts @@ -101,4 +101,16 @@ export class DeleteTrustedTokenIssuerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrustedTokenIssuerCommand) .de(de_DeleteTrustedTokenIssuerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrustedTokenIssuerRequest; + output: {}; + }; + sdk: { + input: DeleteTrustedTokenIssuerCommandInput; + output: DeleteTrustedTokenIssuerCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeAccountAssignmentCreationStatusCommand.ts b/clients/client-sso-admin/src/commands/DescribeAccountAssignmentCreationStatusCommand.ts index e213aca5e152..646ef2408d95 100644 --- a/clients/client-sso-admin/src/commands/DescribeAccountAssignmentCreationStatusCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeAccountAssignmentCreationStatusCommand.ts @@ -114,4 +114,16 @@ export class DescribeAccountAssignmentCreationStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAssignmentCreationStatusCommand) .de(de_DescribeAccountAssignmentCreationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountAssignmentCreationStatusRequest; + output: DescribeAccountAssignmentCreationStatusResponse; + }; + sdk: { + input: DescribeAccountAssignmentCreationStatusCommandInput; + output: DescribeAccountAssignmentCreationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeAccountAssignmentDeletionStatusCommand.ts b/clients/client-sso-admin/src/commands/DescribeAccountAssignmentDeletionStatusCommand.ts index e14659a91c33..d7d70ac122ba 100644 --- a/clients/client-sso-admin/src/commands/DescribeAccountAssignmentDeletionStatusCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeAccountAssignmentDeletionStatusCommand.ts @@ -114,4 +114,16 @@ export class DescribeAccountAssignmentDeletionStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountAssignmentDeletionStatusCommand) .de(de_DescribeAccountAssignmentDeletionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountAssignmentDeletionStatusRequest; + output: DescribeAccountAssignmentDeletionStatusResponse; + }; + sdk: { + input: DescribeAccountAssignmentDeletionStatusCommandInput; + output: DescribeAccountAssignmentDeletionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeApplicationAssignmentCommand.ts b/clients/client-sso-admin/src/commands/DescribeApplicationAssignmentCommand.ts index a5b309e6aee4..700167929139 100644 --- a/clients/client-sso-admin/src/commands/DescribeApplicationAssignmentCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeApplicationAssignmentCommand.ts @@ -105,4 +105,16 @@ export class DescribeApplicationAssignmentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationAssignmentCommand) .de(de_DescribeApplicationAssignmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationAssignmentRequest; + output: DescribeApplicationAssignmentResponse; + }; + sdk: { + input: DescribeApplicationAssignmentCommandInput; + output: DescribeApplicationAssignmentCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeApplicationCommand.ts b/clients/client-sso-admin/src/commands/DescribeApplicationCommand.ts index 6faea7b17964..bf03d7542751 100644 --- a/clients/client-sso-admin/src/commands/DescribeApplicationCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeApplicationCommand.ts @@ -108,4 +108,16 @@ export class DescribeApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationCommand) .de(de_DescribeApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationRequest; + output: DescribeApplicationResponse; + }; + sdk: { + input: DescribeApplicationCommandInput; + output: DescribeApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeApplicationProviderCommand.ts b/clients/client-sso-admin/src/commands/DescribeApplicationProviderCommand.ts index 36b72b5fdcab..7f4731549441 100644 --- a/clients/client-sso-admin/src/commands/DescribeApplicationProviderCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeApplicationProviderCommand.ts @@ -110,4 +110,16 @@ export class DescribeApplicationProviderCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationProviderCommand) .de(de_DescribeApplicationProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationProviderRequest; + output: DescribeApplicationProviderResponse; + }; + sdk: { + input: DescribeApplicationProviderCommandInput; + output: DescribeApplicationProviderCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeInstanceAccessControlAttributeConfigurationCommand.ts b/clients/client-sso-admin/src/commands/DescribeInstanceAccessControlAttributeConfigurationCommand.ts index 8b31734d4cd8..da8c19410776 100644 --- a/clients/client-sso-admin/src/commands/DescribeInstanceAccessControlAttributeConfigurationCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeInstanceAccessControlAttributeConfigurationCommand.ts @@ -119,4 +119,16 @@ export class DescribeInstanceAccessControlAttributeConfigurationCommand extends .f(void 0, void 0) .ser(se_DescribeInstanceAccessControlAttributeConfigurationCommand) .de(de_DescribeInstanceAccessControlAttributeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceAccessControlAttributeConfigurationRequest; + output: DescribeInstanceAccessControlAttributeConfigurationResponse; + }; + sdk: { + input: DescribeInstanceAccessControlAttributeConfigurationCommandInput; + output: DescribeInstanceAccessControlAttributeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeInstanceCommand.ts b/clients/client-sso-admin/src/commands/DescribeInstanceCommand.ts index 4ad5669dae70..d33e5f150585 100644 --- a/clients/client-sso-admin/src/commands/DescribeInstanceCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeInstanceCommand.ts @@ -114,4 +114,16 @@ export class DescribeInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInstanceCommand) .de(de_DescribeInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInstanceRequest; + output: DescribeInstanceResponse; + }; + sdk: { + input: DescribeInstanceCommandInput; + output: DescribeInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribePermissionSetCommand.ts b/clients/client-sso-admin/src/commands/DescribePermissionSetCommand.ts index ab560576af1f..2f38f86e4430 100644 --- a/clients/client-sso-admin/src/commands/DescribePermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribePermissionSetCommand.ts @@ -102,4 +102,16 @@ export class DescribePermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_DescribePermissionSetCommand) .de(de_DescribePermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePermissionSetRequest; + output: DescribePermissionSetResponse; + }; + sdk: { + input: DescribePermissionSetCommandInput; + output: DescribePermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribePermissionSetProvisioningStatusCommand.ts b/clients/client-sso-admin/src/commands/DescribePermissionSetProvisioningStatusCommand.ts index c734bcf332e6..c58ea47a8cc4 100644 --- a/clients/client-sso-admin/src/commands/DescribePermissionSetProvisioningStatusCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribePermissionSetProvisioningStatusCommand.ts @@ -111,4 +111,16 @@ export class DescribePermissionSetProvisioningStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribePermissionSetProvisioningStatusCommand) .de(de_DescribePermissionSetProvisioningStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribePermissionSetProvisioningStatusRequest; + output: DescribePermissionSetProvisioningStatusResponse; + }; + sdk: { + input: DescribePermissionSetProvisioningStatusCommandInput; + output: DescribePermissionSetProvisioningStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DescribeTrustedTokenIssuerCommand.ts b/clients/client-sso-admin/src/commands/DescribeTrustedTokenIssuerCommand.ts index 02f418d7ae00..7cdeb3df2120 100644 --- a/clients/client-sso-admin/src/commands/DescribeTrustedTokenIssuerCommand.ts +++ b/clients/client-sso-admin/src/commands/DescribeTrustedTokenIssuerCommand.ts @@ -105,4 +105,16 @@ export class DescribeTrustedTokenIssuerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustedTokenIssuerCommand) .de(de_DescribeTrustedTokenIssuerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustedTokenIssuerRequest; + output: DescribeTrustedTokenIssuerResponse; + }; + sdk: { + input: DescribeTrustedTokenIssuerCommandInput; + output: DescribeTrustedTokenIssuerCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DetachCustomerManagedPolicyReferenceFromPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/DetachCustomerManagedPolicyReferenceFromPermissionSetCommand.ts index 91cee387a4af..77a1f1c699a2 100644 --- a/clients/client-sso-admin/src/commands/DetachCustomerManagedPolicyReferenceFromPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/DetachCustomerManagedPolicyReferenceFromPermissionSetCommand.ts @@ -112,4 +112,16 @@ export class DetachCustomerManagedPolicyReferenceFromPermissionSetCommand extend .f(void 0, void 0) .ser(se_DetachCustomerManagedPolicyReferenceFromPermissionSetCommand) .de(de_DetachCustomerManagedPolicyReferenceFromPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachCustomerManagedPolicyReferenceFromPermissionSetRequest; + output: {}; + }; + sdk: { + input: DetachCustomerManagedPolicyReferenceFromPermissionSetCommandInput; + output: DetachCustomerManagedPolicyReferenceFromPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/DetachManagedPolicyFromPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/DetachManagedPolicyFromPermissionSetCommand.ts index b96522a67cef..4c657ca82a0d 100644 --- a/clients/client-sso-admin/src/commands/DetachManagedPolicyFromPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/DetachManagedPolicyFromPermissionSetCommand.ts @@ -109,4 +109,16 @@ export class DetachManagedPolicyFromPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_DetachManagedPolicyFromPermissionSetCommand) .de(de_DetachManagedPolicyFromPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachManagedPolicyFromPermissionSetRequest; + output: {}; + }; + sdk: { + input: DetachManagedPolicyFromPermissionSetCommandInput; + output: DetachManagedPolicyFromPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/GetApplicationAccessScopeCommand.ts b/clients/client-sso-admin/src/commands/GetApplicationAccessScopeCommand.ts index ba3c9547a06a..89f875b3a478 100644 --- a/clients/client-sso-admin/src/commands/GetApplicationAccessScopeCommand.ts +++ b/clients/client-sso-admin/src/commands/GetApplicationAccessScopeCommand.ts @@ -98,4 +98,16 @@ export class GetApplicationAccessScopeCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationAccessScopeCommand) .de(de_GetApplicationAccessScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationAccessScopeRequest; + output: GetApplicationAccessScopeResponse; + }; + sdk: { + input: GetApplicationAccessScopeCommandInput; + output: GetApplicationAccessScopeCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/GetApplicationAssignmentConfigurationCommand.ts b/clients/client-sso-admin/src/commands/GetApplicationAssignmentConfigurationCommand.ts index 3ff0ff31b7b3..611920d9eccf 100644 --- a/clients/client-sso-admin/src/commands/GetApplicationAssignmentConfigurationCommand.ts +++ b/clients/client-sso-admin/src/commands/GetApplicationAssignmentConfigurationCommand.ts @@ -103,4 +103,16 @@ export class GetApplicationAssignmentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationAssignmentConfigurationCommand) .de(de_GetApplicationAssignmentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationAssignmentConfigurationRequest; + output: GetApplicationAssignmentConfigurationResponse; + }; + sdk: { + input: GetApplicationAssignmentConfigurationCommandInput; + output: GetApplicationAssignmentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/GetApplicationAuthenticationMethodCommand.ts b/clients/client-sso-admin/src/commands/GetApplicationAuthenticationMethodCommand.ts index d8c23a2c60d8..dabb4460f851 100644 --- a/clients/client-sso-admin/src/commands/GetApplicationAuthenticationMethodCommand.ts +++ b/clients/client-sso-admin/src/commands/GetApplicationAuthenticationMethodCommand.ts @@ -107,4 +107,16 @@ export class GetApplicationAuthenticationMethodCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationAuthenticationMethodCommand) .de(de_GetApplicationAuthenticationMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationAuthenticationMethodRequest; + output: GetApplicationAuthenticationMethodResponse; + }; + sdk: { + input: GetApplicationAuthenticationMethodCommandInput; + output: GetApplicationAuthenticationMethodCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/GetApplicationGrantCommand.ts b/clients/client-sso-admin/src/commands/GetApplicationGrantCommand.ts index 78a9d05f8020..db911b5a814c 100644 --- a/clients/client-sso-admin/src/commands/GetApplicationGrantCommand.ts +++ b/clients/client-sso-admin/src/commands/GetApplicationGrantCommand.ts @@ -113,4 +113,16 @@ export class GetApplicationGrantCommand extends $Command .f(void 0, void 0) .ser(se_GetApplicationGrantCommand) .de(de_GetApplicationGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetApplicationGrantRequest; + output: GetApplicationGrantResponse; + }; + sdk: { + input: GetApplicationGrantCommandInput; + output: GetApplicationGrantCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/GetInlinePolicyForPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/GetInlinePolicyForPermissionSetCommand.ts index f3162c63a79f..188d9f56a19e 100644 --- a/clients/client-sso-admin/src/commands/GetInlinePolicyForPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/GetInlinePolicyForPermissionSetCommand.ts @@ -100,4 +100,16 @@ export class GetInlinePolicyForPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_GetInlinePolicyForPermissionSetCommand) .de(de_GetInlinePolicyForPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInlinePolicyForPermissionSetRequest; + output: GetInlinePolicyForPermissionSetResponse; + }; + sdk: { + input: GetInlinePolicyForPermissionSetCommandInput; + output: GetInlinePolicyForPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/GetPermissionsBoundaryForPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/GetPermissionsBoundaryForPermissionSetCommand.ts index 9c50c1ed6661..fa7fa196913f 100644 --- a/clients/client-sso-admin/src/commands/GetPermissionsBoundaryForPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/GetPermissionsBoundaryForPermissionSetCommand.ts @@ -110,4 +110,16 @@ export class GetPermissionsBoundaryForPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_GetPermissionsBoundaryForPermissionSetCommand) .de(de_GetPermissionsBoundaryForPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPermissionsBoundaryForPermissionSetRequest; + output: GetPermissionsBoundaryForPermissionSetResponse; + }; + sdk: { + input: GetPermissionsBoundaryForPermissionSetCommandInput; + output: GetPermissionsBoundaryForPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListAccountAssignmentCreationStatusCommand.ts b/clients/client-sso-admin/src/commands/ListAccountAssignmentCreationStatusCommand.ts index 78299e228c2b..2951b57dd7cc 100644 --- a/clients/client-sso-admin/src/commands/ListAccountAssignmentCreationStatusCommand.ts +++ b/clients/client-sso-admin/src/commands/ListAccountAssignmentCreationStatusCommand.ts @@ -115,4 +115,16 @@ export class ListAccountAssignmentCreationStatusCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountAssignmentCreationStatusCommand) .de(de_ListAccountAssignmentCreationStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountAssignmentCreationStatusRequest; + output: ListAccountAssignmentCreationStatusResponse; + }; + sdk: { + input: ListAccountAssignmentCreationStatusCommandInput; + output: ListAccountAssignmentCreationStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListAccountAssignmentDeletionStatusCommand.ts b/clients/client-sso-admin/src/commands/ListAccountAssignmentDeletionStatusCommand.ts index 11d5ee9be913..1791c89acddf 100644 --- a/clients/client-sso-admin/src/commands/ListAccountAssignmentDeletionStatusCommand.ts +++ b/clients/client-sso-admin/src/commands/ListAccountAssignmentDeletionStatusCommand.ts @@ -115,4 +115,16 @@ export class ListAccountAssignmentDeletionStatusCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountAssignmentDeletionStatusCommand) .de(de_ListAccountAssignmentDeletionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountAssignmentDeletionStatusRequest; + output: ListAccountAssignmentDeletionStatusResponse; + }; + sdk: { + input: ListAccountAssignmentDeletionStatusCommandInput; + output: ListAccountAssignmentDeletionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListAccountAssignmentsCommand.ts b/clients/client-sso-admin/src/commands/ListAccountAssignmentsCommand.ts index 850100b3891c..870457d2ac43 100644 --- a/clients/client-sso-admin/src/commands/ListAccountAssignmentsCommand.ts +++ b/clients/client-sso-admin/src/commands/ListAccountAssignmentsCommand.ts @@ -107,4 +107,16 @@ export class ListAccountAssignmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountAssignmentsCommand) .de(de_ListAccountAssignmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountAssignmentsRequest; + output: ListAccountAssignmentsResponse; + }; + sdk: { + input: ListAccountAssignmentsCommandInput; + output: ListAccountAssignmentsCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListAccountAssignmentsForPrincipalCommand.ts b/clients/client-sso-admin/src/commands/ListAccountAssignmentsForPrincipalCommand.ts index 087820d3854e..40942c076fda 100644 --- a/clients/client-sso-admin/src/commands/ListAccountAssignmentsForPrincipalCommand.ts +++ b/clients/client-sso-admin/src/commands/ListAccountAssignmentsForPrincipalCommand.ts @@ -118,4 +118,16 @@ export class ListAccountAssignmentsForPrincipalCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountAssignmentsForPrincipalCommand) .de(de_ListAccountAssignmentsForPrincipalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountAssignmentsForPrincipalRequest; + output: ListAccountAssignmentsForPrincipalResponse; + }; + sdk: { + input: ListAccountAssignmentsForPrincipalCommandInput; + output: ListAccountAssignmentsForPrincipalCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListAccountsForProvisionedPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/ListAccountsForProvisionedPermissionSetCommand.ts index eb61abe71930..54f4ece1b3bc 100644 --- a/clients/client-sso-admin/src/commands/ListAccountsForProvisionedPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/ListAccountsForProvisionedPermissionSetCommand.ts @@ -110,4 +110,16 @@ export class ListAccountsForProvisionedPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountsForProvisionedPermissionSetCommand) .de(de_ListAccountsForProvisionedPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountsForProvisionedPermissionSetRequest; + output: ListAccountsForProvisionedPermissionSetResponse; + }; + sdk: { + input: ListAccountsForProvisionedPermissionSetCommandInput; + output: ListAccountsForProvisionedPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListApplicationAccessScopesCommand.ts b/clients/client-sso-admin/src/commands/ListApplicationAccessScopesCommand.ts index 0d6788592380..2134e6e765e8 100644 --- a/clients/client-sso-admin/src/commands/ListApplicationAccessScopesCommand.ts +++ b/clients/client-sso-admin/src/commands/ListApplicationAccessScopesCommand.ts @@ -106,4 +106,16 @@ export class ListApplicationAccessScopesCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationAccessScopesCommand) .de(de_ListApplicationAccessScopesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationAccessScopesRequest; + output: ListApplicationAccessScopesResponse; + }; + sdk: { + input: ListApplicationAccessScopesCommandInput; + output: ListApplicationAccessScopesCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListApplicationAssignmentsCommand.ts b/clients/client-sso-admin/src/commands/ListApplicationAssignmentsCommand.ts index 389f44163d7e..cf5fbfbaebad 100644 --- a/clients/client-sso-admin/src/commands/ListApplicationAssignmentsCommand.ts +++ b/clients/client-sso-admin/src/commands/ListApplicationAssignmentsCommand.ts @@ -103,4 +103,16 @@ export class ListApplicationAssignmentsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationAssignmentsCommand) .de(de_ListApplicationAssignmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationAssignmentsRequest; + output: ListApplicationAssignmentsResponse; + }; + sdk: { + input: ListApplicationAssignmentsCommandInput; + output: ListApplicationAssignmentsCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListApplicationAssignmentsForPrincipalCommand.ts b/clients/client-sso-admin/src/commands/ListApplicationAssignmentsForPrincipalCommand.ts index 3b7efe6882e6..9038f0c2da7a 100644 --- a/clients/client-sso-admin/src/commands/ListApplicationAssignmentsForPrincipalCommand.ts +++ b/clients/client-sso-admin/src/commands/ListApplicationAssignmentsForPrincipalCommand.ts @@ -117,4 +117,16 @@ export class ListApplicationAssignmentsForPrincipalCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationAssignmentsForPrincipalCommand) .de(de_ListApplicationAssignmentsForPrincipalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationAssignmentsForPrincipalRequest; + output: ListApplicationAssignmentsForPrincipalResponse; + }; + sdk: { + input: ListApplicationAssignmentsForPrincipalCommandInput; + output: ListApplicationAssignmentsForPrincipalCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListApplicationAuthenticationMethodsCommand.ts b/clients/client-sso-admin/src/commands/ListApplicationAuthenticationMethodsCommand.ts index 7019a87f5611..9acfd988b920 100644 --- a/clients/client-sso-admin/src/commands/ListApplicationAuthenticationMethodsCommand.ts +++ b/clients/client-sso-admin/src/commands/ListApplicationAuthenticationMethodsCommand.ts @@ -113,4 +113,16 @@ export class ListApplicationAuthenticationMethodsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationAuthenticationMethodsCommand) .de(de_ListApplicationAuthenticationMethodsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationAuthenticationMethodsRequest; + output: ListApplicationAuthenticationMethodsResponse; + }; + sdk: { + input: ListApplicationAuthenticationMethodsCommandInput; + output: ListApplicationAuthenticationMethodsCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListApplicationGrantsCommand.ts b/clients/client-sso-admin/src/commands/ListApplicationGrantsCommand.ts index 17dd565c3cf7..f8676efc5ba9 100644 --- a/clients/client-sso-admin/src/commands/ListApplicationGrantsCommand.ts +++ b/clients/client-sso-admin/src/commands/ListApplicationGrantsCommand.ts @@ -119,4 +119,16 @@ export class ListApplicationGrantsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationGrantsCommand) .de(de_ListApplicationGrantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationGrantsRequest; + output: ListApplicationGrantsResponse; + }; + sdk: { + input: ListApplicationGrantsCommandInput; + output: ListApplicationGrantsCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListApplicationProvidersCommand.ts b/clients/client-sso-admin/src/commands/ListApplicationProvidersCommand.ts index 219c078f3388..ad3241b65e16 100644 --- a/clients/client-sso-admin/src/commands/ListApplicationProvidersCommand.ts +++ b/clients/client-sso-admin/src/commands/ListApplicationProvidersCommand.ts @@ -111,4 +111,16 @@ export class ListApplicationProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationProvidersCommand) .de(de_ListApplicationProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationProvidersRequest; + output: ListApplicationProvidersResponse; + }; + sdk: { + input: ListApplicationProvidersCommandInput; + output: ListApplicationProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListApplicationsCommand.ts b/clients/client-sso-admin/src/commands/ListApplicationsCommand.ts index e24f659e20c4..b7f84b95f6e2 100644 --- a/clients/client-sso-admin/src/commands/ListApplicationsCommand.ts +++ b/clients/client-sso-admin/src/commands/ListApplicationsCommand.ts @@ -118,4 +118,16 @@ export class ListApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_ListApplicationsCommand) .de(de_ListApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListApplicationsRequest; + output: ListApplicationsResponse; + }; + sdk: { + input: ListApplicationsCommandInput; + output: ListApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListCustomerManagedPolicyReferencesInPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/ListCustomerManagedPolicyReferencesInPermissionSetCommand.ts index 2cf6fe11196c..0129d68e3f5b 100644 --- a/clients/client-sso-admin/src/commands/ListCustomerManagedPolicyReferencesInPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/ListCustomerManagedPolicyReferencesInPermissionSetCommand.ts @@ -112,4 +112,16 @@ export class ListCustomerManagedPolicyReferencesInPermissionSetCommand extends $ .f(void 0, void 0) .ser(se_ListCustomerManagedPolicyReferencesInPermissionSetCommand) .de(de_ListCustomerManagedPolicyReferencesInPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCustomerManagedPolicyReferencesInPermissionSetRequest; + output: ListCustomerManagedPolicyReferencesInPermissionSetResponse; + }; + sdk: { + input: ListCustomerManagedPolicyReferencesInPermissionSetCommandInput; + output: ListCustomerManagedPolicyReferencesInPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListInstancesCommand.ts b/clients/client-sso-admin/src/commands/ListInstancesCommand.ts index 7659038d5bf6..47ed19f4f630 100644 --- a/clients/client-sso-admin/src/commands/ListInstancesCommand.ts +++ b/clients/client-sso-admin/src/commands/ListInstancesCommand.ts @@ -103,4 +103,16 @@ export class ListInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListInstancesCommand) .de(de_ListInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListInstancesRequest; + output: ListInstancesResponse; + }; + sdk: { + input: ListInstancesCommandInput; + output: ListInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListManagedPoliciesInPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/ListManagedPoliciesInPermissionSetCommand.ts index 3e5fb89ec036..1756077f227b 100644 --- a/clients/client-sso-admin/src/commands/ListManagedPoliciesInPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/ListManagedPoliciesInPermissionSetCommand.ts @@ -111,4 +111,16 @@ export class ListManagedPoliciesInPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedPoliciesInPermissionSetCommand) .de(de_ListManagedPoliciesInPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedPoliciesInPermissionSetRequest; + output: ListManagedPoliciesInPermissionSetResponse; + }; + sdk: { + input: ListManagedPoliciesInPermissionSetCommandInput; + output: ListManagedPoliciesInPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListPermissionSetProvisioningStatusCommand.ts b/clients/client-sso-admin/src/commands/ListPermissionSetProvisioningStatusCommand.ts index 3514cee56f45..d9cf1dde8e02 100644 --- a/clients/client-sso-admin/src/commands/ListPermissionSetProvisioningStatusCommand.ts +++ b/clients/client-sso-admin/src/commands/ListPermissionSetProvisioningStatusCommand.ts @@ -115,4 +115,16 @@ export class ListPermissionSetProvisioningStatusCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionSetProvisioningStatusCommand) .de(de_ListPermissionSetProvisioningStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionSetProvisioningStatusRequest; + output: ListPermissionSetProvisioningStatusResponse; + }; + sdk: { + input: ListPermissionSetProvisioningStatusCommandInput; + output: ListPermissionSetProvisioningStatusCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListPermissionSetsCommand.ts b/clients/client-sso-admin/src/commands/ListPermissionSetsCommand.ts index 72468f3f4e78..0f01ee9e349d 100644 --- a/clients/client-sso-admin/src/commands/ListPermissionSetsCommand.ts +++ b/clients/client-sso-admin/src/commands/ListPermissionSetsCommand.ts @@ -99,4 +99,16 @@ export class ListPermissionSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionSetsCommand) .de(de_ListPermissionSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionSetsRequest; + output: ListPermissionSetsResponse; + }; + sdk: { + input: ListPermissionSetsCommandInput; + output: ListPermissionSetsCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListPermissionSetsProvisionedToAccountCommand.ts b/clients/client-sso-admin/src/commands/ListPermissionSetsProvisionedToAccountCommand.ts index ec4357bdc085..ed4e9bd641df 100644 --- a/clients/client-sso-admin/src/commands/ListPermissionSetsProvisionedToAccountCommand.ts +++ b/clients/client-sso-admin/src/commands/ListPermissionSetsProvisionedToAccountCommand.ts @@ -111,4 +111,16 @@ export class ListPermissionSetsProvisionedToAccountCommand extends $Command .f(void 0, void 0) .ser(se_ListPermissionSetsProvisionedToAccountCommand) .de(de_ListPermissionSetsProvisionedToAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPermissionSetsProvisionedToAccountRequest; + output: ListPermissionSetsProvisionedToAccountResponse; + }; + sdk: { + input: ListPermissionSetsProvisionedToAccountCommandInput; + output: ListPermissionSetsProvisionedToAccountCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListTagsForResourceCommand.ts b/clients/client-sso-admin/src/commands/ListTagsForResourceCommand.ts index a03fde460909..dc2afd1f5a00 100644 --- a/clients/client-sso-admin/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-sso-admin/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ListTrustedTokenIssuersCommand.ts b/clients/client-sso-admin/src/commands/ListTrustedTokenIssuersCommand.ts index 198b9798de31..b73557bc4421 100644 --- a/clients/client-sso-admin/src/commands/ListTrustedTokenIssuersCommand.ts +++ b/clients/client-sso-admin/src/commands/ListTrustedTokenIssuersCommand.ts @@ -100,4 +100,16 @@ export class ListTrustedTokenIssuersCommand extends $Command .f(void 0, void 0) .ser(se_ListTrustedTokenIssuersCommand) .de(de_ListTrustedTokenIssuersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrustedTokenIssuersRequest; + output: ListTrustedTokenIssuersResponse; + }; + sdk: { + input: ListTrustedTokenIssuersCommandInput; + output: ListTrustedTokenIssuersCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/ProvisionPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/ProvisionPermissionSetCommand.ts index a6698ae96a08..167f2a05f472 100644 --- a/clients/client-sso-admin/src/commands/ProvisionPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/ProvisionPermissionSetCommand.ts @@ -111,4 +111,16 @@ export class ProvisionPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_ProvisionPermissionSetCommand) .de(de_ProvisionPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ProvisionPermissionSetRequest; + output: ProvisionPermissionSetResponse; + }; + sdk: { + input: ProvisionPermissionSetCommandInput; + output: ProvisionPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/PutApplicationAccessScopeCommand.ts b/clients/client-sso-admin/src/commands/PutApplicationAccessScopeCommand.ts index d5d12d59606b..8d0be903ba51 100644 --- a/clients/client-sso-admin/src/commands/PutApplicationAccessScopeCommand.ts +++ b/clients/client-sso-admin/src/commands/PutApplicationAccessScopeCommand.ts @@ -103,4 +103,16 @@ export class PutApplicationAccessScopeCommand extends $Command .f(void 0, void 0) .ser(se_PutApplicationAccessScopeCommand) .de(de_PutApplicationAccessScopeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutApplicationAccessScopeRequest; + output: {}; + }; + sdk: { + input: PutApplicationAccessScopeCommandInput; + output: PutApplicationAccessScopeCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/PutApplicationAssignmentConfigurationCommand.ts b/clients/client-sso-admin/src/commands/PutApplicationAssignmentConfigurationCommand.ts index 6ae38dac7a11..6df10e54531c 100644 --- a/clients/client-sso-admin/src/commands/PutApplicationAssignmentConfigurationCommand.ts +++ b/clients/client-sso-admin/src/commands/PutApplicationAssignmentConfigurationCommand.ts @@ -110,4 +110,16 @@ export class PutApplicationAssignmentConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutApplicationAssignmentConfigurationCommand) .de(de_PutApplicationAssignmentConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutApplicationAssignmentConfigurationRequest; + output: {}; + }; + sdk: { + input: PutApplicationAssignmentConfigurationCommandInput; + output: PutApplicationAssignmentConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/PutApplicationAuthenticationMethodCommand.ts b/clients/client-sso-admin/src/commands/PutApplicationAuthenticationMethodCommand.ts index 2de6c0426209..2b2b623c35af 100644 --- a/clients/client-sso-admin/src/commands/PutApplicationAuthenticationMethodCommand.ts +++ b/clients/client-sso-admin/src/commands/PutApplicationAuthenticationMethodCommand.ts @@ -107,4 +107,16 @@ export class PutApplicationAuthenticationMethodCommand extends $Command .f(void 0, void 0) .ser(se_PutApplicationAuthenticationMethodCommand) .de(de_PutApplicationAuthenticationMethodCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutApplicationAuthenticationMethodRequest; + output: {}; + }; + sdk: { + input: PutApplicationAuthenticationMethodCommandInput; + output: PutApplicationAuthenticationMethodCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/PutApplicationGrantCommand.ts b/clients/client-sso-admin/src/commands/PutApplicationGrantCommand.ts index 9bc27545150f..2aaa2b774797 100644 --- a/clients/client-sso-admin/src/commands/PutApplicationGrantCommand.ts +++ b/clients/client-sso-admin/src/commands/PutApplicationGrantCommand.ts @@ -118,4 +118,16 @@ export class PutApplicationGrantCommand extends $Command .f(void 0, void 0) .ser(se_PutApplicationGrantCommand) .de(de_PutApplicationGrantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutApplicationGrantRequest; + output: {}; + }; + sdk: { + input: PutApplicationGrantCommandInput; + output: PutApplicationGrantCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/PutInlinePolicyToPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/PutInlinePolicyToPermissionSetCommand.ts index 7e5dcc9960ac..70f903b914b2 100644 --- a/clients/client-sso-admin/src/commands/PutInlinePolicyToPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/PutInlinePolicyToPermissionSetCommand.ts @@ -117,4 +117,16 @@ export class PutInlinePolicyToPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_PutInlinePolicyToPermissionSetCommand) .de(de_PutInlinePolicyToPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutInlinePolicyToPermissionSetRequest; + output: {}; + }; + sdk: { + input: PutInlinePolicyToPermissionSetCommandInput; + output: PutInlinePolicyToPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/PutPermissionsBoundaryToPermissionSetCommand.ts b/clients/client-sso-admin/src/commands/PutPermissionsBoundaryToPermissionSetCommand.ts index 306cf3830e82..91d3c1105701 100644 --- a/clients/client-sso-admin/src/commands/PutPermissionsBoundaryToPermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/PutPermissionsBoundaryToPermissionSetCommand.ts @@ -115,4 +115,16 @@ export class PutPermissionsBoundaryToPermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_PutPermissionsBoundaryToPermissionSetCommand) .de(de_PutPermissionsBoundaryToPermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPermissionsBoundaryToPermissionSetRequest; + output: {}; + }; + sdk: { + input: PutPermissionsBoundaryToPermissionSetCommandInput; + output: PutPermissionsBoundaryToPermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/TagResourceCommand.ts b/clients/client-sso-admin/src/commands/TagResourceCommand.ts index 2648105e8639..c45987eff2a7 100644 --- a/clients/client-sso-admin/src/commands/TagResourceCommand.ts +++ b/clients/client-sso-admin/src/commands/TagResourceCommand.ts @@ -109,4 +109,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/UntagResourceCommand.ts b/clients/client-sso-admin/src/commands/UntagResourceCommand.ts index 2f73e2c9dd53..851c0ff2cd52 100644 --- a/clients/client-sso-admin/src/commands/UntagResourceCommand.ts +++ b/clients/client-sso-admin/src/commands/UntagResourceCommand.ts @@ -102,4 +102,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/UpdateApplicationCommand.ts b/clients/client-sso-admin/src/commands/UpdateApplicationCommand.ts index abdf452c02d9..93d5b48cb5ee 100644 --- a/clients/client-sso-admin/src/commands/UpdateApplicationCommand.ts +++ b/clients/client-sso-admin/src/commands/UpdateApplicationCommand.ts @@ -107,4 +107,16 @@ export class UpdateApplicationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateApplicationCommand) .de(de_UpdateApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateApplicationRequest; + output: {}; + }; + sdk: { + input: UpdateApplicationCommandInput; + output: UpdateApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/UpdateInstanceAccessControlAttributeConfigurationCommand.ts b/clients/client-sso-admin/src/commands/UpdateInstanceAccessControlAttributeConfigurationCommand.ts index 86418579ae47..a4dc3f6eb846 100644 --- a/clients/client-sso-admin/src/commands/UpdateInstanceAccessControlAttributeConfigurationCommand.ts +++ b/clients/client-sso-admin/src/commands/UpdateInstanceAccessControlAttributeConfigurationCommand.ts @@ -124,4 +124,16 @@ export class UpdateInstanceAccessControlAttributeConfigurationCommand extends $C .f(void 0, void 0) .ser(se_UpdateInstanceAccessControlAttributeConfigurationCommand) .de(de_UpdateInstanceAccessControlAttributeConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceAccessControlAttributeConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateInstanceAccessControlAttributeConfigurationCommandInput; + output: UpdateInstanceAccessControlAttributeConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/UpdateInstanceCommand.ts b/clients/client-sso-admin/src/commands/UpdateInstanceCommand.ts index e12e1e45a711..64e26982fd65 100644 --- a/clients/client-sso-admin/src/commands/UpdateInstanceCommand.ts +++ b/clients/client-sso-admin/src/commands/UpdateInstanceCommand.ts @@ -97,4 +97,16 @@ export class UpdateInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateInstanceCommand) .de(de_UpdateInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateInstanceRequest; + output: {}; + }; + sdk: { + input: UpdateInstanceCommandInput; + output: UpdateInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/UpdatePermissionSetCommand.ts b/clients/client-sso-admin/src/commands/UpdatePermissionSetCommand.ts index 1c710469f002..53249fea840f 100644 --- a/clients/client-sso-admin/src/commands/UpdatePermissionSetCommand.ts +++ b/clients/client-sso-admin/src/commands/UpdatePermissionSetCommand.ts @@ -102,4 +102,16 @@ export class UpdatePermissionSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePermissionSetCommand) .de(de_UpdatePermissionSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePermissionSetRequest; + output: {}; + }; + sdk: { + input: UpdatePermissionSetCommandInput; + output: UpdatePermissionSetCommandOutput; + }; + }; +} diff --git a/clients/client-sso-admin/src/commands/UpdateTrustedTokenIssuerCommand.ts b/clients/client-sso-admin/src/commands/UpdateTrustedTokenIssuerCommand.ts index fe044c05a814..87a77d0bf6cd 100644 --- a/clients/client-sso-admin/src/commands/UpdateTrustedTokenIssuerCommand.ts +++ b/clients/client-sso-admin/src/commands/UpdateTrustedTokenIssuerCommand.ts @@ -109,4 +109,16 @@ export class UpdateTrustedTokenIssuerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrustedTokenIssuerCommand) .de(de_UpdateTrustedTokenIssuerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrustedTokenIssuerRequest; + output: {}; + }; + sdk: { + input: UpdateTrustedTokenIssuerCommandInput; + output: UpdateTrustedTokenIssuerCommandOutput; + }; + }; +} diff --git a/clients/client-sso-oidc/package.json b/clients/client-sso-oidc/package.json index 6edc1f52bbcb..fab59e64b663 100644 --- a/clients/client-sso-oidc/package.json +++ b/clients/client-sso-oidc/package.json @@ -31,30 +31,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sso-oidc/src/commands/CreateTokenCommand.ts b/clients/client-sso-oidc/src/commands/CreateTokenCommand.ts index ff459e04ff56..d060cf133a56 100644 --- a/clients/client-sso-oidc/src/commands/CreateTokenCommand.ts +++ b/clients/client-sso-oidc/src/commands/CreateTokenCommand.ts @@ -186,4 +186,16 @@ export class CreateTokenCommand extends $Command .f(CreateTokenRequestFilterSensitiveLog, CreateTokenResponseFilterSensitiveLog) .ser(se_CreateTokenCommand) .de(de_CreateTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTokenRequest; + output: CreateTokenResponse; + }; + sdk: { + input: CreateTokenCommandInput; + output: CreateTokenCommandOutput; + }; + }; +} diff --git a/clients/client-sso-oidc/src/commands/CreateTokenWithIAMCommand.ts b/clients/client-sso-oidc/src/commands/CreateTokenWithIAMCommand.ts index 8f8f39295851..4e1f442e079e 100644 --- a/clients/client-sso-oidc/src/commands/CreateTokenWithIAMCommand.ts +++ b/clients/client-sso-oidc/src/commands/CreateTokenWithIAMCommand.ts @@ -268,4 +268,16 @@ export class CreateTokenWithIAMCommand extends $Command .f(CreateTokenWithIAMRequestFilterSensitiveLog, CreateTokenWithIAMResponseFilterSensitiveLog) .ser(se_CreateTokenWithIAMCommand) .de(de_CreateTokenWithIAMCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTokenWithIAMRequest; + output: CreateTokenWithIAMResponse; + }; + sdk: { + input: CreateTokenWithIAMCommandInput; + output: CreateTokenWithIAMCommandOutput; + }; + }; +} diff --git a/clients/client-sso-oidc/src/commands/RegisterClientCommand.ts b/clients/client-sso-oidc/src/commands/RegisterClientCommand.ts index c714ab215be1..257b27d06bc9 100644 --- a/clients/client-sso-oidc/src/commands/RegisterClientCommand.ts +++ b/clients/client-sso-oidc/src/commands/RegisterClientCommand.ts @@ -153,4 +153,16 @@ export class RegisterClientCommand extends $Command .f(void 0, RegisterClientResponseFilterSensitiveLog) .ser(se_RegisterClientCommand) .de(de_RegisterClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterClientRequest; + output: RegisterClientResponse; + }; + sdk: { + input: RegisterClientCommandInput; + output: RegisterClientCommandOutput; + }; + }; +} diff --git a/clients/client-sso-oidc/src/commands/StartDeviceAuthorizationCommand.ts b/clients/client-sso-oidc/src/commands/StartDeviceAuthorizationCommand.ts index 1e034fe6641a..5ed82b3e69ab 100644 --- a/clients/client-sso-oidc/src/commands/StartDeviceAuthorizationCommand.ts +++ b/clients/client-sso-oidc/src/commands/StartDeviceAuthorizationCommand.ts @@ -133,4 +133,16 @@ export class StartDeviceAuthorizationCommand extends $Command .f(StartDeviceAuthorizationRequestFilterSensitiveLog, void 0) .ser(se_StartDeviceAuthorizationCommand) .de(de_StartDeviceAuthorizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDeviceAuthorizationRequest; + output: StartDeviceAuthorizationResponse; + }; + sdk: { + input: StartDeviceAuthorizationCommandInput; + output: StartDeviceAuthorizationCommandOutput; + }; + }; +} diff --git a/clients/client-sso/package.json b/clients/client-sso/package.json index 137f463baf3b..c38713729aaf 100644 --- a/clients/client-sso/package.json +++ b/clients/client-sso/package.json @@ -30,30 +30,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sso/src/commands/GetRoleCredentialsCommand.ts b/clients/client-sso/src/commands/GetRoleCredentialsCommand.ts index 456d3e8ac1af..f8c1683e54ac 100644 --- a/clients/client-sso/src/commands/GetRoleCredentialsCommand.ts +++ b/clients/client-sso/src/commands/GetRoleCredentialsCommand.ts @@ -105,4 +105,16 @@ export class GetRoleCredentialsCommand extends $Command .f(GetRoleCredentialsRequestFilterSensitiveLog, GetRoleCredentialsResponseFilterSensitiveLog) .ser(se_GetRoleCredentialsCommand) .de(de_GetRoleCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRoleCredentialsRequest; + output: GetRoleCredentialsResponse; + }; + sdk: { + input: GetRoleCredentialsCommandInput; + output: GetRoleCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-sso/src/commands/ListAccountRolesCommand.ts b/clients/client-sso/src/commands/ListAccountRolesCommand.ts index 00c176e93e9e..0948d558b379 100644 --- a/clients/client-sso/src/commands/ListAccountRolesCommand.ts +++ b/clients/client-sso/src/commands/ListAccountRolesCommand.ts @@ -105,4 +105,16 @@ export class ListAccountRolesCommand extends $Command .f(ListAccountRolesRequestFilterSensitiveLog, void 0) .ser(se_ListAccountRolesCommand) .de(de_ListAccountRolesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountRolesRequest; + output: ListAccountRolesResponse; + }; + sdk: { + input: ListAccountRolesCommandInput; + output: ListAccountRolesCommandOutput; + }; + }; +} diff --git a/clients/client-sso/src/commands/ListAccountsCommand.ts b/clients/client-sso/src/commands/ListAccountsCommand.ts index 7ffacdf1599b..7190fc915dd4 100644 --- a/clients/client-sso/src/commands/ListAccountsCommand.ts +++ b/clients/client-sso/src/commands/ListAccountsCommand.ts @@ -103,4 +103,16 @@ export class ListAccountsCommand extends $Command .f(ListAccountsRequestFilterSensitiveLog, void 0) .ser(se_ListAccountsCommand) .de(de_ListAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountsRequest; + output: ListAccountsResponse; + }; + sdk: { + input: ListAccountsCommandInput; + output: ListAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-sso/src/commands/LogoutCommand.ts b/clients/client-sso/src/commands/LogoutCommand.ts index 3e740601755f..611364782810 100644 --- a/clients/client-sso/src/commands/LogoutCommand.ts +++ b/clients/client-sso/src/commands/LogoutCommand.ts @@ -100,4 +100,16 @@ export class LogoutCommand extends $Command .f(LogoutRequestFilterSensitiveLog, void 0) .ser(se_LogoutCommand) .de(de_LogoutCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LogoutRequest; + output: {}; + }; + sdk: { + input: LogoutCommandInput; + output: LogoutCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/package.json b/clients/client-storage-gateway/package.json index 41d69e0d34a7..b0d1b410e1bf 100644 --- a/clients/client-storage-gateway/package.json +++ b/clients/client-storage-gateway/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-storage-gateway/src/commands/ActivateGatewayCommand.ts b/clients/client-storage-gateway/src/commands/ActivateGatewayCommand.ts index 773863156fd7..29fb12d035d7 100644 --- a/clients/client-storage-gateway/src/commands/ActivateGatewayCommand.ts +++ b/clients/client-storage-gateway/src/commands/ActivateGatewayCommand.ts @@ -126,4 +126,16 @@ export class ActivateGatewayCommand extends $Command .f(void 0, void 0) .ser(se_ActivateGatewayCommand) .de(de_ActivateGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateGatewayInput; + output: ActivateGatewayOutput; + }; + sdk: { + input: ActivateGatewayCommandInput; + output: ActivateGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/AddCacheCommand.ts b/clients/client-storage-gateway/src/commands/AddCacheCommand.ts index bb76376a76e8..9ca7635350df 100644 --- a/clients/client-storage-gateway/src/commands/AddCacheCommand.ts +++ b/clients/client-storage-gateway/src/commands/AddCacheCommand.ts @@ -111,4 +111,16 @@ export class AddCacheCommand extends $Command .f(void 0, void 0) .ser(se_AddCacheCommand) .de(de_AddCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddCacheInput; + output: AddCacheOutput; + }; + sdk: { + input: AddCacheCommandInput; + output: AddCacheCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/AddTagsToResourceCommand.ts b/clients/client-storage-gateway/src/commands/AddTagsToResourceCommand.ts index e8bdc6868b59..1dd4c3848f2b 100644 --- a/clients/client-storage-gateway/src/commands/AddTagsToResourceCommand.ts +++ b/clients/client-storage-gateway/src/commands/AddTagsToResourceCommand.ts @@ -135,4 +135,16 @@ export class AddTagsToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AddTagsToResourceCommand) .de(de_AddTagsToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddTagsToResourceInput; + output: AddTagsToResourceOutput; + }; + sdk: { + input: AddTagsToResourceCommandInput; + output: AddTagsToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/AddUploadBufferCommand.ts b/clients/client-storage-gateway/src/commands/AddUploadBufferCommand.ts index 753572fce037..afea17c7d3c5 100644 --- a/clients/client-storage-gateway/src/commands/AddUploadBufferCommand.ts +++ b/clients/client-storage-gateway/src/commands/AddUploadBufferCommand.ts @@ -113,4 +113,16 @@ export class AddUploadBufferCommand extends $Command .f(void 0, void 0) .ser(se_AddUploadBufferCommand) .de(de_AddUploadBufferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddUploadBufferInput; + output: AddUploadBufferOutput; + }; + sdk: { + input: AddUploadBufferCommandInput; + output: AddUploadBufferCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/AddWorkingStorageCommand.ts b/clients/client-storage-gateway/src/commands/AddWorkingStorageCommand.ts index 283e38293916..87ceaa3d3041 100644 --- a/clients/client-storage-gateway/src/commands/AddWorkingStorageCommand.ts +++ b/clients/client-storage-gateway/src/commands/AddWorkingStorageCommand.ts @@ -118,4 +118,16 @@ export class AddWorkingStorageCommand extends $Command .f(void 0, void 0) .ser(se_AddWorkingStorageCommand) .de(de_AddWorkingStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddWorkingStorageInput; + output: AddWorkingStorageOutput; + }; + sdk: { + input: AddWorkingStorageCommandInput; + output: AddWorkingStorageCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/AssignTapePoolCommand.ts b/clients/client-storage-gateway/src/commands/AssignTapePoolCommand.ts index 072bf05ffe8f..ddb564fcc241 100644 --- a/clients/client-storage-gateway/src/commands/AssignTapePoolCommand.ts +++ b/clients/client-storage-gateway/src/commands/AssignTapePoolCommand.ts @@ -90,4 +90,16 @@ export class AssignTapePoolCommand extends $Command .f(void 0, void 0) .ser(se_AssignTapePoolCommand) .de(de_AssignTapePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssignTapePoolInput; + output: AssignTapePoolOutput; + }; + sdk: { + input: AssignTapePoolCommandInput; + output: AssignTapePoolCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/AssociateFileSystemCommand.ts b/clients/client-storage-gateway/src/commands/AssociateFileSystemCommand.ts index 5d80addd2c0e..2e0b070b78b6 100644 --- a/clients/client-storage-gateway/src/commands/AssociateFileSystemCommand.ts +++ b/clients/client-storage-gateway/src/commands/AssociateFileSystemCommand.ts @@ -111,4 +111,16 @@ export class AssociateFileSystemCommand extends $Command .f(AssociateFileSystemInputFilterSensitiveLog, void 0) .ser(se_AssociateFileSystemCommand) .de(de_AssociateFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFileSystemInput; + output: AssociateFileSystemOutput; + }; + sdk: { + input: AssociateFileSystemCommandInput; + output: AssociateFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/AttachVolumeCommand.ts b/clients/client-storage-gateway/src/commands/AttachVolumeCommand.ts index f35a610ddcb1..a7ee2962dbbe 100644 --- a/clients/client-storage-gateway/src/commands/AttachVolumeCommand.ts +++ b/clients/client-storage-gateway/src/commands/AttachVolumeCommand.ts @@ -93,4 +93,16 @@ export class AttachVolumeCommand extends $Command .f(void 0, void 0) .ser(se_AttachVolumeCommand) .de(de_AttachVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AttachVolumeInput; + output: AttachVolumeOutput; + }; + sdk: { + input: AttachVolumeCommandInput; + output: AttachVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CancelArchivalCommand.ts b/clients/client-storage-gateway/src/commands/CancelArchivalCommand.ts index dcde2cede588..aaaa3e5126fa 100644 --- a/clients/client-storage-gateway/src/commands/CancelArchivalCommand.ts +++ b/clients/client-storage-gateway/src/commands/CancelArchivalCommand.ts @@ -104,4 +104,16 @@ export class CancelArchivalCommand extends $Command .f(void 0, void 0) .ser(se_CancelArchivalCommand) .de(de_CancelArchivalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelArchivalInput; + output: CancelArchivalOutput; + }; + sdk: { + input: CancelArchivalCommandInput; + output: CancelArchivalCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CancelRetrievalCommand.ts b/clients/client-storage-gateway/src/commands/CancelRetrievalCommand.ts index 3627d5a8bb25..206a108fd61b 100644 --- a/clients/client-storage-gateway/src/commands/CancelRetrievalCommand.ts +++ b/clients/client-storage-gateway/src/commands/CancelRetrievalCommand.ts @@ -105,4 +105,16 @@ export class CancelRetrievalCommand extends $Command .f(void 0, void 0) .ser(se_CancelRetrievalCommand) .de(de_CancelRetrievalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelRetrievalInput; + output: CancelRetrievalOutput; + }; + sdk: { + input: CancelRetrievalCommandInput; + output: CancelRetrievalCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateCachediSCSIVolumeCommand.ts b/clients/client-storage-gateway/src/commands/CreateCachediSCSIVolumeCommand.ts index 2ef1702b278d..a4c7c986ec7b 100644 --- a/clients/client-storage-gateway/src/commands/CreateCachediSCSIVolumeCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateCachediSCSIVolumeCommand.ts @@ -136,4 +136,16 @@ export class CreateCachediSCSIVolumeCommand extends $Command .f(void 0, void 0) .ser(se_CreateCachediSCSIVolumeCommand) .de(de_CreateCachediSCSIVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCachediSCSIVolumeInput; + output: CreateCachediSCSIVolumeOutput; + }; + sdk: { + input: CreateCachediSCSIVolumeCommandInput; + output: CreateCachediSCSIVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateNFSFileShareCommand.ts b/clients/client-storage-gateway/src/commands/CreateNFSFileShareCommand.ts index 412338f207e9..0f2c8a21c233 100644 --- a/clients/client-storage-gateway/src/commands/CreateNFSFileShareCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateNFSFileShareCommand.ts @@ -134,4 +134,16 @@ export class CreateNFSFileShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateNFSFileShareCommand) .de(de_CreateNFSFileShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNFSFileShareInput; + output: CreateNFSFileShareOutput; + }; + sdk: { + input: CreateNFSFileShareCommandInput; + output: CreateNFSFileShareCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateSMBFileShareCommand.ts b/clients/client-storage-gateway/src/commands/CreateSMBFileShareCommand.ts index ed1de71a7831..d0e751e95736 100644 --- a/clients/client-storage-gateway/src/commands/CreateSMBFileShareCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateSMBFileShareCommand.ts @@ -138,4 +138,16 @@ export class CreateSMBFileShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateSMBFileShareCommand) .de(de_CreateSMBFileShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSMBFileShareInput; + output: CreateSMBFileShareOutput; + }; + sdk: { + input: CreateSMBFileShareCommandInput; + output: CreateSMBFileShareCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateSnapshotCommand.ts b/clients/client-storage-gateway/src/commands/CreateSnapshotCommand.ts index e88d65c8bdd6..43ab7c67ea33 100644 --- a/clients/client-storage-gateway/src/commands/CreateSnapshotCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateSnapshotCommand.ts @@ -138,4 +138,16 @@ export class CreateSnapshotCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotCommand) .de(de_CreateSnapshotCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotInput; + output: CreateSnapshotOutput; + }; + sdk: { + input: CreateSnapshotCommandInput; + output: CreateSnapshotCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateSnapshotFromVolumeRecoveryPointCommand.ts b/clients/client-storage-gateway/src/commands/CreateSnapshotFromVolumeRecoveryPointCommand.ts index cb061a0bbe42..433f3baabf95 100644 --- a/clients/client-storage-gateway/src/commands/CreateSnapshotFromVolumeRecoveryPointCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateSnapshotFromVolumeRecoveryPointCommand.ts @@ -142,4 +142,16 @@ export class CreateSnapshotFromVolumeRecoveryPointCommand extends $Command .f(void 0, void 0) .ser(se_CreateSnapshotFromVolumeRecoveryPointCommand) .de(de_CreateSnapshotFromVolumeRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSnapshotFromVolumeRecoveryPointInput; + output: CreateSnapshotFromVolumeRecoveryPointOutput; + }; + sdk: { + input: CreateSnapshotFromVolumeRecoveryPointCommandInput; + output: CreateSnapshotFromVolumeRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateStorediSCSIVolumeCommand.ts b/clients/client-storage-gateway/src/commands/CreateStorediSCSIVolumeCommand.ts index b45a398b7b05..93430d8bed0b 100644 --- a/clients/client-storage-gateway/src/commands/CreateStorediSCSIVolumeCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateStorediSCSIVolumeCommand.ts @@ -132,4 +132,16 @@ export class CreateStorediSCSIVolumeCommand extends $Command .f(void 0, void 0) .ser(se_CreateStorediSCSIVolumeCommand) .de(de_CreateStorediSCSIVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStorediSCSIVolumeInput; + output: CreateStorediSCSIVolumeOutput; + }; + sdk: { + input: CreateStorediSCSIVolumeCommandInput; + output: CreateStorediSCSIVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateTapePoolCommand.ts b/clients/client-storage-gateway/src/commands/CreateTapePoolCommand.ts index 89470f2d3f8b..f9ade3b6bb0e 100644 --- a/clients/client-storage-gateway/src/commands/CreateTapePoolCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateTapePoolCommand.ts @@ -95,4 +95,16 @@ export class CreateTapePoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateTapePoolCommand) .de(de_CreateTapePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTapePoolInput; + output: CreateTapePoolOutput; + }; + sdk: { + input: CreateTapePoolCommandInput; + output: CreateTapePoolCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateTapeWithBarcodeCommand.ts b/clients/client-storage-gateway/src/commands/CreateTapeWithBarcodeCommand.ts index 0246108f1660..c6b37cc577d9 100644 --- a/clients/client-storage-gateway/src/commands/CreateTapeWithBarcodeCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateTapeWithBarcodeCommand.ts @@ -122,4 +122,16 @@ export class CreateTapeWithBarcodeCommand extends $Command .f(void 0, void 0) .ser(se_CreateTapeWithBarcodeCommand) .de(de_CreateTapeWithBarcodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTapeWithBarcodeInput; + output: CreateTapeWithBarcodeOutput; + }; + sdk: { + input: CreateTapeWithBarcodeCommandInput; + output: CreateTapeWithBarcodeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/CreateTapesCommand.ts b/clients/client-storage-gateway/src/commands/CreateTapesCommand.ts index a733b56ef4a2..4f93a49faea8 100644 --- a/clients/client-storage-gateway/src/commands/CreateTapesCommand.ts +++ b/clients/client-storage-gateway/src/commands/CreateTapesCommand.ts @@ -130,4 +130,16 @@ export class CreateTapesCommand extends $Command .f(void 0, void 0) .ser(se_CreateTapesCommand) .de(de_CreateTapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTapesInput; + output: CreateTapesOutput; + }; + sdk: { + input: CreateTapesCommandInput; + output: CreateTapesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteAutomaticTapeCreationPolicyCommand.ts b/clients/client-storage-gateway/src/commands/DeleteAutomaticTapeCreationPolicyCommand.ts index c746c885d075..9ac3830fb4b5 100644 --- a/clients/client-storage-gateway/src/commands/DeleteAutomaticTapeCreationPolicyCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteAutomaticTapeCreationPolicyCommand.ts @@ -92,4 +92,16 @@ export class DeleteAutomaticTapeCreationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAutomaticTapeCreationPolicyCommand) .de(de_DeleteAutomaticTapeCreationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAutomaticTapeCreationPolicyInput; + output: DeleteAutomaticTapeCreationPolicyOutput; + }; + sdk: { + input: DeleteAutomaticTapeCreationPolicyCommandInput; + output: DeleteAutomaticTapeCreationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteBandwidthRateLimitCommand.ts b/clients/client-storage-gateway/src/commands/DeleteBandwidthRateLimitCommand.ts index 208f5704a0b0..8e60d410233f 100644 --- a/clients/client-storage-gateway/src/commands/DeleteBandwidthRateLimitCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteBandwidthRateLimitCommand.ts @@ -107,4 +107,16 @@ export class DeleteBandwidthRateLimitCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBandwidthRateLimitCommand) .de(de_DeleteBandwidthRateLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBandwidthRateLimitInput; + output: DeleteBandwidthRateLimitOutput; + }; + sdk: { + input: DeleteBandwidthRateLimitCommandInput; + output: DeleteBandwidthRateLimitCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteChapCredentialsCommand.ts b/clients/client-storage-gateway/src/commands/DeleteChapCredentialsCommand.ts index 2a5aa07258f4..36001b111536 100644 --- a/clients/client-storage-gateway/src/commands/DeleteChapCredentialsCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteChapCredentialsCommand.ts @@ -107,4 +107,16 @@ export class DeleteChapCredentialsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteChapCredentialsCommand) .de(de_DeleteChapCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteChapCredentialsInput; + output: DeleteChapCredentialsOutput; + }; + sdk: { + input: DeleteChapCredentialsCommandInput; + output: DeleteChapCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteFileShareCommand.ts b/clients/client-storage-gateway/src/commands/DeleteFileShareCommand.ts index a784712406c5..2979d8bc85ea 100644 --- a/clients/client-storage-gateway/src/commands/DeleteFileShareCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteFileShareCommand.ts @@ -87,4 +87,16 @@ export class DeleteFileShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFileShareCommand) .de(de_DeleteFileShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFileShareInput; + output: DeleteFileShareOutput; + }; + sdk: { + input: DeleteFileShareCommandInput; + output: DeleteFileShareCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteGatewayCommand.ts b/clients/client-storage-gateway/src/commands/DeleteGatewayCommand.ts index c7faa08c18a4..7f487ecc6f1f 100644 --- a/clients/client-storage-gateway/src/commands/DeleteGatewayCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteGatewayCommand.ts @@ -116,4 +116,16 @@ export class DeleteGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGatewayCommand) .de(de_DeleteGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGatewayInput; + output: DeleteGatewayOutput; + }; + sdk: { + input: DeleteGatewayCommandInput; + output: DeleteGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteSnapshotScheduleCommand.ts b/clients/client-storage-gateway/src/commands/DeleteSnapshotScheduleCommand.ts index c3a0ace261cd..6494e2c4a1ca 100644 --- a/clients/client-storage-gateway/src/commands/DeleteSnapshotScheduleCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteSnapshotScheduleCommand.ts @@ -112,4 +112,16 @@ export class DeleteSnapshotScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSnapshotScheduleCommand) .de(de_DeleteSnapshotScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSnapshotScheduleInput; + output: DeleteSnapshotScheduleOutput; + }; + sdk: { + input: DeleteSnapshotScheduleCommandInput; + output: DeleteSnapshotScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteTapeArchiveCommand.ts b/clients/client-storage-gateway/src/commands/DeleteTapeArchiveCommand.ts index 677613d105d1..a8b0c3a7167a 100644 --- a/clients/client-storage-gateway/src/commands/DeleteTapeArchiveCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteTapeArchiveCommand.ts @@ -103,4 +103,16 @@ export class DeleteTapeArchiveCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTapeArchiveCommand) .de(de_DeleteTapeArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTapeArchiveInput; + output: DeleteTapeArchiveOutput; + }; + sdk: { + input: DeleteTapeArchiveCommandInput; + output: DeleteTapeArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteTapeCommand.ts b/clients/client-storage-gateway/src/commands/DeleteTapeCommand.ts index daae8873c8d0..3d540d821a46 100644 --- a/clients/client-storage-gateway/src/commands/DeleteTapeCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteTapeCommand.ts @@ -105,4 +105,16 @@ export class DeleteTapeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTapeCommand) .de(de_DeleteTapeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTapeInput; + output: DeleteTapeOutput; + }; + sdk: { + input: DeleteTapeCommandInput; + output: DeleteTapeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteTapePoolCommand.ts b/clients/client-storage-gateway/src/commands/DeleteTapePoolCommand.ts index a5aecb06e259..11d6f6ccccb1 100644 --- a/clients/client-storage-gateway/src/commands/DeleteTapePoolCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteTapePoolCommand.ts @@ -87,4 +87,16 @@ export class DeleteTapePoolCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTapePoolCommand) .de(de_DeleteTapePoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTapePoolInput; + output: DeleteTapePoolOutput; + }; + sdk: { + input: DeleteTapePoolCommandInput; + output: DeleteTapePoolCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DeleteVolumeCommand.ts b/clients/client-storage-gateway/src/commands/DeleteVolumeCommand.ts index 82f0b97ce7cb..df0f01a530a5 100644 --- a/clients/client-storage-gateway/src/commands/DeleteVolumeCommand.ts +++ b/clients/client-storage-gateway/src/commands/DeleteVolumeCommand.ts @@ -111,4 +111,16 @@ export class DeleteVolumeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVolumeCommand) .de(de_DeleteVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVolumeInput; + output: DeleteVolumeOutput; + }; + sdk: { + input: DeleteVolumeCommandInput; + output: DeleteVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeAvailabilityMonitorTestCommand.ts b/clients/client-storage-gateway/src/commands/DescribeAvailabilityMonitorTestCommand.ts index 87f0fd219aba..a20fb3250d62 100644 --- a/clients/client-storage-gateway/src/commands/DescribeAvailabilityMonitorTestCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeAvailabilityMonitorTestCommand.ts @@ -94,4 +94,16 @@ export class DescribeAvailabilityMonitorTestCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAvailabilityMonitorTestCommand) .de(de_DescribeAvailabilityMonitorTestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAvailabilityMonitorTestInput; + output: DescribeAvailabilityMonitorTestOutput; + }; + sdk: { + input: DescribeAvailabilityMonitorTestCommandInput; + output: DescribeAvailabilityMonitorTestCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitCommand.ts b/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitCommand.ts index 113c1e79f28e..27593253060e 100644 --- a/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitCommand.ts @@ -112,4 +112,16 @@ export class DescribeBandwidthRateLimitCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBandwidthRateLimitCommand) .de(de_DescribeBandwidthRateLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBandwidthRateLimitInput; + output: DescribeBandwidthRateLimitOutput; + }; + sdk: { + input: DescribeBandwidthRateLimitCommandInput; + output: DescribeBandwidthRateLimitCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitScheduleCommand.ts b/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitScheduleCommand.ts index 1d61bf7825e0..e95b829aafdf 100644 --- a/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitScheduleCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeBandwidthRateLimitScheduleCommand.ts @@ -116,4 +116,16 @@ export class DescribeBandwidthRateLimitScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBandwidthRateLimitScheduleCommand) .de(de_DescribeBandwidthRateLimitScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBandwidthRateLimitScheduleInput; + output: DescribeBandwidthRateLimitScheduleOutput; + }; + sdk: { + input: DescribeBandwidthRateLimitScheduleCommandInput; + output: DescribeBandwidthRateLimitScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeCacheCommand.ts b/clients/client-storage-gateway/src/commands/DescribeCacheCommand.ts index a415f276b422..43343a9c2c6f 100644 --- a/clients/client-storage-gateway/src/commands/DescribeCacheCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeCacheCommand.ts @@ -121,4 +121,16 @@ export class DescribeCacheCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCacheCommand) .de(de_DescribeCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCacheInput; + output: DescribeCacheOutput; + }; + sdk: { + input: DescribeCacheCommandInput; + output: DescribeCacheCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeCachediSCSIVolumesCommand.ts b/clients/client-storage-gateway/src/commands/DescribeCachediSCSIVolumesCommand.ts index 535634c9b06b..39718fba93be 100644 --- a/clients/client-storage-gateway/src/commands/DescribeCachediSCSIVolumesCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeCachediSCSIVolumesCommand.ts @@ -146,4 +146,16 @@ export class DescribeCachediSCSIVolumesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCachediSCSIVolumesCommand) .de(de_DescribeCachediSCSIVolumesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCachediSCSIVolumesInput; + output: DescribeCachediSCSIVolumesOutput; + }; + sdk: { + input: DescribeCachediSCSIVolumesCommandInput; + output: DescribeCachediSCSIVolumesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeChapCredentialsCommand.ts b/clients/client-storage-gateway/src/commands/DescribeChapCredentialsCommand.ts index ff215f730a97..6792ff5dc904 100644 --- a/clients/client-storage-gateway/src/commands/DescribeChapCredentialsCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeChapCredentialsCommand.ts @@ -121,4 +121,16 @@ export class DescribeChapCredentialsCommand extends $Command .f(void 0, DescribeChapCredentialsOutputFilterSensitiveLog) .ser(se_DescribeChapCredentialsCommand) .de(de_DescribeChapCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeChapCredentialsInput; + output: DescribeChapCredentialsOutput; + }; + sdk: { + input: DescribeChapCredentialsCommandInput; + output: DescribeChapCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeFileSystemAssociationsCommand.ts b/clients/client-storage-gateway/src/commands/DescribeFileSystemAssociationsCommand.ts index 5e76eda3f8dd..339376be3843 100644 --- a/clients/client-storage-gateway/src/commands/DescribeFileSystemAssociationsCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeFileSystemAssociationsCommand.ts @@ -120,4 +120,16 @@ export class DescribeFileSystemAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFileSystemAssociationsCommand) .de(de_DescribeFileSystemAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFileSystemAssociationsInput; + output: DescribeFileSystemAssociationsOutput; + }; + sdk: { + input: DescribeFileSystemAssociationsCommandInput; + output: DescribeFileSystemAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeGatewayInformationCommand.ts b/clients/client-storage-gateway/src/commands/DescribeGatewayInformationCommand.ts index cb7df325d4fc..435505411ebe 100644 --- a/clients/client-storage-gateway/src/commands/DescribeGatewayInformationCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeGatewayInformationCommand.ts @@ -153,4 +153,16 @@ export class DescribeGatewayInformationCommand extends $Command .f(void 0, DescribeGatewayInformationOutputFilterSensitiveLog) .ser(se_DescribeGatewayInformationCommand) .de(de_DescribeGatewayInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGatewayInformationInput; + output: DescribeGatewayInformationOutput; + }; + sdk: { + input: DescribeGatewayInformationCommandInput; + output: DescribeGatewayInformationCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeMaintenanceStartTimeCommand.ts b/clients/client-storage-gateway/src/commands/DescribeMaintenanceStartTimeCommand.ts index d04eeb336c29..aaeb22603856 100644 --- a/clients/client-storage-gateway/src/commands/DescribeMaintenanceStartTimeCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeMaintenanceStartTimeCommand.ts @@ -120,4 +120,16 @@ export class DescribeMaintenanceStartTimeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMaintenanceStartTimeCommand) .de(de_DescribeMaintenanceStartTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMaintenanceStartTimeInput; + output: DescribeMaintenanceStartTimeOutput; + }; + sdk: { + input: DescribeMaintenanceStartTimeCommandInput; + output: DescribeMaintenanceStartTimeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeNFSFileSharesCommand.ts b/clients/client-storage-gateway/src/commands/DescribeNFSFileSharesCommand.ts index 5fa7981a5f6b..052e03453b21 100644 --- a/clients/client-storage-gateway/src/commands/DescribeNFSFileSharesCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeNFSFileSharesCommand.ts @@ -130,4 +130,16 @@ export class DescribeNFSFileSharesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNFSFileSharesCommand) .de(de_DescribeNFSFileSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNFSFileSharesInput; + output: DescribeNFSFileSharesOutput; + }; + sdk: { + input: DescribeNFSFileSharesCommandInput; + output: DescribeNFSFileSharesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeSMBFileSharesCommand.ts b/clients/client-storage-gateway/src/commands/DescribeSMBFileSharesCommand.ts index 0afe8c4f86de..a3313597088f 100644 --- a/clients/client-storage-gateway/src/commands/DescribeSMBFileSharesCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeSMBFileSharesCommand.ts @@ -134,4 +134,16 @@ export class DescribeSMBFileSharesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSMBFileSharesCommand) .de(de_DescribeSMBFileSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSMBFileSharesInput; + output: DescribeSMBFileSharesOutput; + }; + sdk: { + input: DescribeSMBFileSharesCommandInput; + output: DescribeSMBFileSharesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeSMBSettingsCommand.ts b/clients/client-storage-gateway/src/commands/DescribeSMBSettingsCommand.ts index 51466d7d7fcd..a25b98776203 100644 --- a/clients/client-storage-gateway/src/commands/DescribeSMBSettingsCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeSMBSettingsCommand.ts @@ -96,4 +96,16 @@ export class DescribeSMBSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSMBSettingsCommand) .de(de_DescribeSMBSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSMBSettingsInput; + output: DescribeSMBSettingsOutput; + }; + sdk: { + input: DescribeSMBSettingsCommandInput; + output: DescribeSMBSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeSnapshotScheduleCommand.ts b/clients/client-storage-gateway/src/commands/DescribeSnapshotScheduleCommand.ts index 7d1bd392d557..b1bd2138d5db 100644 --- a/clients/client-storage-gateway/src/commands/DescribeSnapshotScheduleCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeSnapshotScheduleCommand.ts @@ -118,4 +118,16 @@ export class DescribeSnapshotScheduleCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSnapshotScheduleCommand) .de(de_DescribeSnapshotScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSnapshotScheduleInput; + output: DescribeSnapshotScheduleOutput; + }; + sdk: { + input: DescribeSnapshotScheduleCommandInput; + output: DescribeSnapshotScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeStorediSCSIVolumesCommand.ts b/clients/client-storage-gateway/src/commands/DescribeStorediSCSIVolumesCommand.ts index f36fc1202c49..e5d7d3be7e19 100644 --- a/clients/client-storage-gateway/src/commands/DescribeStorediSCSIVolumesCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeStorediSCSIVolumesCommand.ts @@ -147,4 +147,16 @@ export class DescribeStorediSCSIVolumesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeStorediSCSIVolumesCommand) .de(de_DescribeStorediSCSIVolumesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeStorediSCSIVolumesInput; + output: DescribeStorediSCSIVolumesOutput; + }; + sdk: { + input: DescribeStorediSCSIVolumesCommandInput; + output: DescribeStorediSCSIVolumesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeTapeArchivesCommand.ts b/clients/client-storage-gateway/src/commands/DescribeTapeArchivesCommand.ts index 042a6d425fc0..ecc847565d5e 100644 --- a/clients/client-storage-gateway/src/commands/DescribeTapeArchivesCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeTapeArchivesCommand.ts @@ -146,4 +146,16 @@ export class DescribeTapeArchivesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTapeArchivesCommand) .de(de_DescribeTapeArchivesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTapeArchivesInput; + output: DescribeTapeArchivesOutput; + }; + sdk: { + input: DescribeTapeArchivesCommandInput; + output: DescribeTapeArchivesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeTapeRecoveryPointsCommand.ts b/clients/client-storage-gateway/src/commands/DescribeTapeRecoveryPointsCommand.ts index 6dc14e787a0a..6d1460d30652 100644 --- a/clients/client-storage-gateway/src/commands/DescribeTapeRecoveryPointsCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeTapeRecoveryPointsCommand.ts @@ -128,4 +128,16 @@ export class DescribeTapeRecoveryPointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTapeRecoveryPointsCommand) .de(de_DescribeTapeRecoveryPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTapeRecoveryPointsInput; + output: DescribeTapeRecoveryPointsOutput; + }; + sdk: { + input: DescribeTapeRecoveryPointsCommandInput; + output: DescribeTapeRecoveryPointsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeTapesCommand.ts b/clients/client-storage-gateway/src/commands/DescribeTapesCommand.ts index 434fae7797a8..306edd7ce659 100644 --- a/clients/client-storage-gateway/src/commands/DescribeTapesCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeTapesCommand.ts @@ -152,4 +152,16 @@ export class DescribeTapesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTapesCommand) .de(de_DescribeTapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTapesInput; + output: DescribeTapesOutput; + }; + sdk: { + input: DescribeTapesCommandInput; + output: DescribeTapesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeUploadBufferCommand.ts b/clients/client-storage-gateway/src/commands/DescribeUploadBufferCommand.ts index b92266579ab1..6b5e9ec7efdf 100644 --- a/clients/client-storage-gateway/src/commands/DescribeUploadBufferCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeUploadBufferCommand.ts @@ -137,4 +137,16 @@ export class DescribeUploadBufferCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUploadBufferCommand) .de(de_DescribeUploadBufferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUploadBufferInput; + output: DescribeUploadBufferOutput; + }; + sdk: { + input: DescribeUploadBufferCommandInput; + output: DescribeUploadBufferCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeVTLDevicesCommand.ts b/clients/client-storage-gateway/src/commands/DescribeVTLDevicesCommand.ts index abf0df019463..d6a3712c8c35 100644 --- a/clients/client-storage-gateway/src/commands/DescribeVTLDevicesCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeVTLDevicesCommand.ts @@ -165,4 +165,16 @@ export class DescribeVTLDevicesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeVTLDevicesCommand) .de(de_DescribeVTLDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeVTLDevicesInput; + output: DescribeVTLDevicesOutput; + }; + sdk: { + input: DescribeVTLDevicesCommandInput; + output: DescribeVTLDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DescribeWorkingStorageCommand.ts b/clients/client-storage-gateway/src/commands/DescribeWorkingStorageCommand.ts index 6711f862c6ae..2809ba85e217 100644 --- a/clients/client-storage-gateway/src/commands/DescribeWorkingStorageCommand.ts +++ b/clients/client-storage-gateway/src/commands/DescribeWorkingStorageCommand.ts @@ -120,4 +120,16 @@ export class DescribeWorkingStorageCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkingStorageCommand) .de(de_DescribeWorkingStorageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkingStorageInput; + output: DescribeWorkingStorageOutput; + }; + sdk: { + input: DescribeWorkingStorageCommandInput; + output: DescribeWorkingStorageCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DetachVolumeCommand.ts b/clients/client-storage-gateway/src/commands/DetachVolumeCommand.ts index 3f0c4ede54ce..e7236efbf6cd 100644 --- a/clients/client-storage-gateway/src/commands/DetachVolumeCommand.ts +++ b/clients/client-storage-gateway/src/commands/DetachVolumeCommand.ts @@ -90,4 +90,16 @@ export class DetachVolumeCommand extends $Command .f(void 0, void 0) .ser(se_DetachVolumeCommand) .de(de_DetachVolumeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetachVolumeInput; + output: DetachVolumeOutput; + }; + sdk: { + input: DetachVolumeCommandInput; + output: DetachVolumeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DisableGatewayCommand.ts b/clients/client-storage-gateway/src/commands/DisableGatewayCommand.ts index 0c041f8afbe7..4164d22f9358 100644 --- a/clients/client-storage-gateway/src/commands/DisableGatewayCommand.ts +++ b/clients/client-storage-gateway/src/commands/DisableGatewayCommand.ts @@ -107,4 +107,16 @@ export class DisableGatewayCommand extends $Command .f(void 0, void 0) .ser(se_DisableGatewayCommand) .de(de_DisableGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableGatewayInput; + output: DisableGatewayOutput; + }; + sdk: { + input: DisableGatewayCommandInput; + output: DisableGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/DisassociateFileSystemCommand.ts b/clients/client-storage-gateway/src/commands/DisassociateFileSystemCommand.ts index b62f18c60aa8..f2ca519a9eff 100644 --- a/clients/client-storage-gateway/src/commands/DisassociateFileSystemCommand.ts +++ b/clients/client-storage-gateway/src/commands/DisassociateFileSystemCommand.ts @@ -88,4 +88,16 @@ export class DisassociateFileSystemCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateFileSystemCommand) .de(de_DisassociateFileSystemCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFileSystemInput; + output: DisassociateFileSystemOutput; + }; + sdk: { + input: DisassociateFileSystemCommandInput; + output: DisassociateFileSystemCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/JoinDomainCommand.ts b/clients/client-storage-gateway/src/commands/JoinDomainCommand.ts index 287ca238117d..f00e95d41df9 100644 --- a/clients/client-storage-gateway/src/commands/JoinDomainCommand.ts +++ b/clients/client-storage-gateway/src/commands/JoinDomainCommand.ts @@ -104,4 +104,16 @@ export class JoinDomainCommand extends $Command .f(JoinDomainInputFilterSensitiveLog, void 0) .ser(se_JoinDomainCommand) .de(de_JoinDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JoinDomainInput; + output: JoinDomainOutput; + }; + sdk: { + input: JoinDomainCommandInput; + output: JoinDomainCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListAutomaticTapeCreationPoliciesCommand.ts b/clients/client-storage-gateway/src/commands/ListAutomaticTapeCreationPoliciesCommand.ts index 0b6456aaf3c8..18a9b6dec61c 100644 --- a/clients/client-storage-gateway/src/commands/ListAutomaticTapeCreationPoliciesCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListAutomaticTapeCreationPoliciesCommand.ts @@ -105,4 +105,16 @@ export class ListAutomaticTapeCreationPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListAutomaticTapeCreationPoliciesCommand) .de(de_ListAutomaticTapeCreationPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAutomaticTapeCreationPoliciesInput; + output: ListAutomaticTapeCreationPoliciesOutput; + }; + sdk: { + input: ListAutomaticTapeCreationPoliciesCommandInput; + output: ListAutomaticTapeCreationPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListFileSharesCommand.ts b/clients/client-storage-gateway/src/commands/ListFileSharesCommand.ts index d9b829384ba6..e607851064aa 100644 --- a/clients/client-storage-gateway/src/commands/ListFileSharesCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListFileSharesCommand.ts @@ -99,4 +99,16 @@ export class ListFileSharesCommand extends $Command .f(void 0, void 0) .ser(se_ListFileSharesCommand) .de(de_ListFileSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFileSharesInput; + output: ListFileSharesOutput; + }; + sdk: { + input: ListFileSharesCommandInput; + output: ListFileSharesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListFileSystemAssociationsCommand.ts b/clients/client-storage-gateway/src/commands/ListFileSystemAssociationsCommand.ts index ce9d7c165b61..58e427d60e79 100644 --- a/clients/client-storage-gateway/src/commands/ListFileSystemAssociationsCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListFileSystemAssociationsCommand.ts @@ -98,4 +98,16 @@ export class ListFileSystemAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListFileSystemAssociationsCommand) .de(de_ListFileSystemAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFileSystemAssociationsInput; + output: ListFileSystemAssociationsOutput; + }; + sdk: { + input: ListFileSystemAssociationsCommandInput; + output: ListFileSystemAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListGatewaysCommand.ts b/clients/client-storage-gateway/src/commands/ListGatewaysCommand.ts index b7a17212cdd3..eab768ef04b9 100644 --- a/clients/client-storage-gateway/src/commands/ListGatewaysCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListGatewaysCommand.ts @@ -134,4 +134,16 @@ export class ListGatewaysCommand extends $Command .f(void 0, void 0) .ser(se_ListGatewaysCommand) .de(de_ListGatewaysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGatewaysInput; + output: ListGatewaysOutput; + }; + sdk: { + input: ListGatewaysCommandInput; + output: ListGatewaysCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListLocalDisksCommand.ts b/clients/client-storage-gateway/src/commands/ListLocalDisksCommand.ts index 0c8a39ed3954..7b091a98dd6d 100644 --- a/clients/client-storage-gateway/src/commands/ListLocalDisksCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListLocalDisksCommand.ts @@ -141,4 +141,16 @@ export class ListLocalDisksCommand extends $Command .f(void 0, void 0) .ser(se_ListLocalDisksCommand) .de(de_ListLocalDisksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLocalDisksInput; + output: ListLocalDisksOutput; + }; + sdk: { + input: ListLocalDisksCommandInput; + output: ListLocalDisksCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListTagsForResourceCommand.ts b/clients/client-storage-gateway/src/commands/ListTagsForResourceCommand.ts index fc8b819f9741..302144c9747a 100644 --- a/clients/client-storage-gateway/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListTagsForResourceCommand.ts @@ -120,4 +120,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListTapePoolsCommand.ts b/clients/client-storage-gateway/src/commands/ListTapePoolsCommand.ts index dd0b061e0086..41e4efbbf3b0 100644 --- a/clients/client-storage-gateway/src/commands/ListTapePoolsCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListTapePoolsCommand.ts @@ -106,4 +106,16 @@ export class ListTapePoolsCommand extends $Command .f(void 0, void 0) .ser(se_ListTapePoolsCommand) .de(de_ListTapePoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTapePoolsInput; + output: ListTapePoolsOutput; + }; + sdk: { + input: ListTapePoolsCommandInput; + output: ListTapePoolsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListTapesCommand.ts b/clients/client-storage-gateway/src/commands/ListTapesCommand.ts index d2f586e3e365..e92da5dd6bf1 100644 --- a/clients/client-storage-gateway/src/commands/ListTapesCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListTapesCommand.ts @@ -110,4 +110,16 @@ export class ListTapesCommand extends $Command .f(void 0, void 0) .ser(se_ListTapesCommand) .de(de_ListTapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTapesInput; + output: ListTapesOutput; + }; + sdk: { + input: ListTapesCommandInput; + output: ListTapesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListVolumeInitiatorsCommand.ts b/clients/client-storage-gateway/src/commands/ListVolumeInitiatorsCommand.ts index ba5b1b8c7f31..ed4473d6378a 100644 --- a/clients/client-storage-gateway/src/commands/ListVolumeInitiatorsCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListVolumeInitiatorsCommand.ts @@ -89,4 +89,16 @@ export class ListVolumeInitiatorsCommand extends $Command .f(void 0, void 0) .ser(se_ListVolumeInitiatorsCommand) .de(de_ListVolumeInitiatorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVolumeInitiatorsInput; + output: ListVolumeInitiatorsOutput; + }; + sdk: { + input: ListVolumeInitiatorsCommandInput; + output: ListVolumeInitiatorsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListVolumeRecoveryPointsCommand.ts b/clients/client-storage-gateway/src/commands/ListVolumeRecoveryPointsCommand.ts index 1b5132c78a1a..48daa9678be9 100644 --- a/clients/client-storage-gateway/src/commands/ListVolumeRecoveryPointsCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListVolumeRecoveryPointsCommand.ts @@ -121,4 +121,16 @@ export class ListVolumeRecoveryPointsCommand extends $Command .f(void 0, void 0) .ser(se_ListVolumeRecoveryPointsCommand) .de(de_ListVolumeRecoveryPointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVolumeRecoveryPointsInput; + output: ListVolumeRecoveryPointsOutput; + }; + sdk: { + input: ListVolumeRecoveryPointsCommandInput; + output: ListVolumeRecoveryPointsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ListVolumesCommand.ts b/clients/client-storage-gateway/src/commands/ListVolumesCommand.ts index b2f8e954d199..8dcbbf74e8e6 100644 --- a/clients/client-storage-gateway/src/commands/ListVolumesCommand.ts +++ b/clients/client-storage-gateway/src/commands/ListVolumesCommand.ts @@ -144,4 +144,16 @@ export class ListVolumesCommand extends $Command .f(void 0, void 0) .ser(se_ListVolumesCommand) .de(de_ListVolumesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVolumesInput; + output: ListVolumesOutput; + }; + sdk: { + input: ListVolumesCommandInput; + output: ListVolumesCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/NotifyWhenUploadedCommand.ts b/clients/client-storage-gateway/src/commands/NotifyWhenUploadedCommand.ts index 852db78622ad..336e739dc26b 100644 --- a/clients/client-storage-gateway/src/commands/NotifyWhenUploadedCommand.ts +++ b/clients/client-storage-gateway/src/commands/NotifyWhenUploadedCommand.ts @@ -95,4 +95,16 @@ export class NotifyWhenUploadedCommand extends $Command .f(void 0, void 0) .ser(se_NotifyWhenUploadedCommand) .de(de_NotifyWhenUploadedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyWhenUploadedInput; + output: NotifyWhenUploadedOutput; + }; + sdk: { + input: NotifyWhenUploadedCommandInput; + output: NotifyWhenUploadedCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/RefreshCacheCommand.ts b/clients/client-storage-gateway/src/commands/RefreshCacheCommand.ts index c004225ad330..6b1bc7a6da31 100644 --- a/clients/client-storage-gateway/src/commands/RefreshCacheCommand.ts +++ b/clients/client-storage-gateway/src/commands/RefreshCacheCommand.ts @@ -130,4 +130,16 @@ export class RefreshCacheCommand extends $Command .f(void 0, void 0) .ser(se_RefreshCacheCommand) .de(de_RefreshCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RefreshCacheInput; + output: RefreshCacheOutput; + }; + sdk: { + input: RefreshCacheCommandInput; + output: RefreshCacheCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-storage-gateway/src/commands/RemoveTagsFromResourceCommand.ts index 156da65bf375..35de77aa4ccc 100644 --- a/clients/client-storage-gateway/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-storage-gateway/src/commands/RemoveTagsFromResourceCommand.ts @@ -109,4 +109,16 @@ export class RemoveTagsFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_RemoveTagsFromResourceCommand) .de(de_RemoveTagsFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveTagsFromResourceInput; + output: RemoveTagsFromResourceOutput; + }; + sdk: { + input: RemoveTagsFromResourceCommandInput; + output: RemoveTagsFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ResetCacheCommand.ts b/clients/client-storage-gateway/src/commands/ResetCacheCommand.ts index e4c4d742fd17..9a1a08bbd39c 100644 --- a/clients/client-storage-gateway/src/commands/ResetCacheCommand.ts +++ b/clients/client-storage-gateway/src/commands/ResetCacheCommand.ts @@ -112,4 +112,16 @@ export class ResetCacheCommand extends $Command .f(void 0, void 0) .ser(se_ResetCacheCommand) .de(de_ResetCacheCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetCacheInput; + output: ResetCacheOutput; + }; + sdk: { + input: ResetCacheCommandInput; + output: ResetCacheCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/RetrieveTapeArchiveCommand.ts b/clients/client-storage-gateway/src/commands/RetrieveTapeArchiveCommand.ts index baaa9192832c..95453ca20c56 100644 --- a/clients/client-storage-gateway/src/commands/RetrieveTapeArchiveCommand.ts +++ b/clients/client-storage-gateway/src/commands/RetrieveTapeArchiveCommand.ts @@ -109,4 +109,16 @@ export class RetrieveTapeArchiveCommand extends $Command .f(void 0, void 0) .ser(se_RetrieveTapeArchiveCommand) .de(de_RetrieveTapeArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetrieveTapeArchiveInput; + output: RetrieveTapeArchiveOutput; + }; + sdk: { + input: RetrieveTapeArchiveCommandInput; + output: RetrieveTapeArchiveCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/RetrieveTapeRecoveryPointCommand.ts b/clients/client-storage-gateway/src/commands/RetrieveTapeRecoveryPointCommand.ts index 1705d15d92eb..952823287357 100644 --- a/clients/client-storage-gateway/src/commands/RetrieveTapeRecoveryPointCommand.ts +++ b/clients/client-storage-gateway/src/commands/RetrieveTapeRecoveryPointCommand.ts @@ -112,4 +112,16 @@ export class RetrieveTapeRecoveryPointCommand extends $Command .f(void 0, void 0) .ser(se_RetrieveTapeRecoveryPointCommand) .de(de_RetrieveTapeRecoveryPointCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RetrieveTapeRecoveryPointInput; + output: RetrieveTapeRecoveryPointOutput; + }; + sdk: { + input: RetrieveTapeRecoveryPointCommandInput; + output: RetrieveTapeRecoveryPointCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/SetLocalConsolePasswordCommand.ts b/clients/client-storage-gateway/src/commands/SetLocalConsolePasswordCommand.ts index 3e5ad1c0e728..b6b2ef26e3de 100644 --- a/clients/client-storage-gateway/src/commands/SetLocalConsolePasswordCommand.ts +++ b/clients/client-storage-gateway/src/commands/SetLocalConsolePasswordCommand.ts @@ -110,4 +110,16 @@ export class SetLocalConsolePasswordCommand extends $Command .f(SetLocalConsolePasswordInputFilterSensitiveLog, void 0) .ser(se_SetLocalConsolePasswordCommand) .de(de_SetLocalConsolePasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetLocalConsolePasswordInput; + output: SetLocalConsolePasswordOutput; + }; + sdk: { + input: SetLocalConsolePasswordCommandInput; + output: SetLocalConsolePasswordCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/SetSMBGuestPasswordCommand.ts b/clients/client-storage-gateway/src/commands/SetSMBGuestPasswordCommand.ts index 8068de8241e2..f353440ab19f 100644 --- a/clients/client-storage-gateway/src/commands/SetSMBGuestPasswordCommand.ts +++ b/clients/client-storage-gateway/src/commands/SetSMBGuestPasswordCommand.ts @@ -92,4 +92,16 @@ export class SetSMBGuestPasswordCommand extends $Command .f(SetSMBGuestPasswordInputFilterSensitiveLog, void 0) .ser(se_SetSMBGuestPasswordCommand) .de(de_SetSMBGuestPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SetSMBGuestPasswordInput; + output: SetSMBGuestPasswordOutput; + }; + sdk: { + input: SetSMBGuestPasswordCommandInput; + output: SetSMBGuestPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/ShutdownGatewayCommand.ts b/clients/client-storage-gateway/src/commands/ShutdownGatewayCommand.ts index af4321758fb7..3ce6c273ea12 100644 --- a/clients/client-storage-gateway/src/commands/ShutdownGatewayCommand.ts +++ b/clients/client-storage-gateway/src/commands/ShutdownGatewayCommand.ts @@ -123,4 +123,16 @@ export class ShutdownGatewayCommand extends $Command .f(void 0, void 0) .ser(se_ShutdownGatewayCommand) .de(de_ShutdownGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ShutdownGatewayInput; + output: ShutdownGatewayOutput; + }; + sdk: { + input: ShutdownGatewayCommandInput; + output: ShutdownGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/StartAvailabilityMonitorTestCommand.ts b/clients/client-storage-gateway/src/commands/StartAvailabilityMonitorTestCommand.ts index 81df89b1d83d..a3b40a1b080a 100644 --- a/clients/client-storage-gateway/src/commands/StartAvailabilityMonitorTestCommand.ts +++ b/clients/client-storage-gateway/src/commands/StartAvailabilityMonitorTestCommand.ts @@ -97,4 +97,16 @@ export class StartAvailabilityMonitorTestCommand extends $Command .f(void 0, void 0) .ser(se_StartAvailabilityMonitorTestCommand) .de(de_StartAvailabilityMonitorTestCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAvailabilityMonitorTestInput; + output: StartAvailabilityMonitorTestOutput; + }; + sdk: { + input: StartAvailabilityMonitorTestCommandInput; + output: StartAvailabilityMonitorTestCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/StartGatewayCommand.ts b/clients/client-storage-gateway/src/commands/StartGatewayCommand.ts index 619bb61c8019..6d76ff223e24 100644 --- a/clients/client-storage-gateway/src/commands/StartGatewayCommand.ts +++ b/clients/client-storage-gateway/src/commands/StartGatewayCommand.ts @@ -111,4 +111,16 @@ export class StartGatewayCommand extends $Command .f(void 0, void 0) .ser(se_StartGatewayCommand) .de(de_StartGatewayCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartGatewayInput; + output: StartGatewayOutput; + }; + sdk: { + input: StartGatewayCommandInput; + output: StartGatewayCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateAutomaticTapeCreationPolicyCommand.ts b/clients/client-storage-gateway/src/commands/UpdateAutomaticTapeCreationPolicyCommand.ts index 2bad39e1900d..993f5661c99e 100644 --- a/clients/client-storage-gateway/src/commands/UpdateAutomaticTapeCreationPolicyCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateAutomaticTapeCreationPolicyCommand.ts @@ -105,4 +105,16 @@ export class UpdateAutomaticTapeCreationPolicyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAutomaticTapeCreationPolicyCommand) .de(de_UpdateAutomaticTapeCreationPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAutomaticTapeCreationPolicyInput; + output: UpdateAutomaticTapeCreationPolicyOutput; + }; + sdk: { + input: UpdateAutomaticTapeCreationPolicyCommandInput; + output: UpdateAutomaticTapeCreationPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitCommand.ts b/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitCommand.ts index 7ab58298de4b..c637f2a3201b 100644 --- a/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitCommand.ts @@ -114,4 +114,16 @@ export class UpdateBandwidthRateLimitCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBandwidthRateLimitCommand) .de(de_UpdateBandwidthRateLimitCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBandwidthRateLimitInput; + output: UpdateBandwidthRateLimitOutput; + }; + sdk: { + input: UpdateBandwidthRateLimitCommandInput; + output: UpdateBandwidthRateLimitCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitScheduleCommand.ts b/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitScheduleCommand.ts index 086c114be2ce..8d022269c319 100644 --- a/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitScheduleCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateBandwidthRateLimitScheduleCommand.ts @@ -108,4 +108,16 @@ export class UpdateBandwidthRateLimitScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateBandwidthRateLimitScheduleCommand) .de(de_UpdateBandwidthRateLimitScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBandwidthRateLimitScheduleInput; + output: UpdateBandwidthRateLimitScheduleOutput; + }; + sdk: { + input: UpdateBandwidthRateLimitScheduleCommandInput; + output: UpdateBandwidthRateLimitScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateChapCredentialsCommand.ts b/clients/client-storage-gateway/src/commands/UpdateChapCredentialsCommand.ts index 7a223c7caf53..2b3ae80e66be 100644 --- a/clients/client-storage-gateway/src/commands/UpdateChapCredentialsCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateChapCredentialsCommand.ts @@ -120,4 +120,16 @@ export class UpdateChapCredentialsCommand extends $Command .f(UpdateChapCredentialsInputFilterSensitiveLog, void 0) .ser(se_UpdateChapCredentialsCommand) .de(de_UpdateChapCredentialsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateChapCredentialsInput; + output: UpdateChapCredentialsOutput; + }; + sdk: { + input: UpdateChapCredentialsCommandInput; + output: UpdateChapCredentialsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateFileSystemAssociationCommand.ts b/clients/client-storage-gateway/src/commands/UpdateFileSystemAssociationCommand.ts index fb8473cca369..cd39866521c3 100644 --- a/clients/client-storage-gateway/src/commands/UpdateFileSystemAssociationCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateFileSystemAssociationCommand.ts @@ -96,4 +96,16 @@ export class UpdateFileSystemAssociationCommand extends $Command .f(UpdateFileSystemAssociationInputFilterSensitiveLog, void 0) .ser(se_UpdateFileSystemAssociationCommand) .de(de_UpdateFileSystemAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFileSystemAssociationInput; + output: UpdateFileSystemAssociationOutput; + }; + sdk: { + input: UpdateFileSystemAssociationCommandInput; + output: UpdateFileSystemAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateGatewayInformationCommand.ts b/clients/client-storage-gateway/src/commands/UpdateGatewayInformationCommand.ts index 110c66313e56..7c9f0f5763ef 100644 --- a/clients/client-storage-gateway/src/commands/UpdateGatewayInformationCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateGatewayInformationCommand.ts @@ -116,4 +116,16 @@ export class UpdateGatewayInformationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewayInformationCommand) .de(de_UpdateGatewayInformationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewayInformationInput; + output: UpdateGatewayInformationOutput; + }; + sdk: { + input: UpdateGatewayInformationCommandInput; + output: UpdateGatewayInformationCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts b/clients/client-storage-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts index d5291b09fb06..4ceb547101da 100644 --- a/clients/client-storage-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateGatewaySoftwareNowCommand.ts @@ -114,4 +114,16 @@ export class UpdateGatewaySoftwareNowCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGatewaySoftwareNowCommand) .de(de_UpdateGatewaySoftwareNowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGatewaySoftwareNowInput; + output: UpdateGatewaySoftwareNowOutput; + }; + sdk: { + input: UpdateGatewaySoftwareNowCommandInput; + output: UpdateGatewaySoftwareNowCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateMaintenanceStartTimeCommand.ts b/clients/client-storage-gateway/src/commands/UpdateMaintenanceStartTimeCommand.ts index 6a441a601be0..7d361818ede5 100644 --- a/clients/client-storage-gateway/src/commands/UpdateMaintenanceStartTimeCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateMaintenanceStartTimeCommand.ts @@ -126,4 +126,16 @@ export class UpdateMaintenanceStartTimeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMaintenanceStartTimeCommand) .de(de_UpdateMaintenanceStartTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMaintenanceStartTimeInput; + output: UpdateMaintenanceStartTimeOutput; + }; + sdk: { + input: UpdateMaintenanceStartTimeCommandInput; + output: UpdateMaintenanceStartTimeCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateNFSFileShareCommand.ts b/clients/client-storage-gateway/src/commands/UpdateNFSFileShareCommand.ts index 0d444673d69c..410eddc2947c 100644 --- a/clients/client-storage-gateway/src/commands/UpdateNFSFileShareCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateNFSFileShareCommand.ts @@ -132,4 +132,16 @@ export class UpdateNFSFileShareCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNFSFileShareCommand) .de(de_UpdateNFSFileShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNFSFileShareInput; + output: UpdateNFSFileShareOutput; + }; + sdk: { + input: UpdateNFSFileShareCommandInput; + output: UpdateNFSFileShareCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateSMBFileShareCommand.ts b/clients/client-storage-gateway/src/commands/UpdateSMBFileShareCommand.ts index f4b61153f70c..806d82e258a6 100644 --- a/clients/client-storage-gateway/src/commands/UpdateSMBFileShareCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateSMBFileShareCommand.ts @@ -128,4 +128,16 @@ export class UpdateSMBFileShareCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSMBFileShareCommand) .de(de_UpdateSMBFileShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSMBFileShareInput; + output: UpdateSMBFileShareOutput; + }; + sdk: { + input: UpdateSMBFileShareCommandInput; + output: UpdateSMBFileShareCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateSMBFileShareVisibilityCommand.ts b/clients/client-storage-gateway/src/commands/UpdateSMBFileShareVisibilityCommand.ts index e26999c00214..c1f8dc5aea40 100644 --- a/clients/client-storage-gateway/src/commands/UpdateSMBFileShareVisibilityCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateSMBFileShareVisibilityCommand.ts @@ -92,4 +92,16 @@ export class UpdateSMBFileShareVisibilityCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSMBFileShareVisibilityCommand) .de(de_UpdateSMBFileShareVisibilityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSMBFileShareVisibilityInput; + output: UpdateSMBFileShareVisibilityOutput; + }; + sdk: { + input: UpdateSMBFileShareVisibilityCommandInput; + output: UpdateSMBFileShareVisibilityCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateSMBLocalGroupsCommand.ts b/clients/client-storage-gateway/src/commands/UpdateSMBLocalGroupsCommand.ts index 15ce47356bb0..a01378f4a0b7 100644 --- a/clients/client-storage-gateway/src/commands/UpdateSMBLocalGroupsCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateSMBLocalGroupsCommand.ts @@ -91,4 +91,16 @@ export class UpdateSMBLocalGroupsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSMBLocalGroupsCommand) .de(de_UpdateSMBLocalGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSMBLocalGroupsInput; + output: UpdateSMBLocalGroupsOutput; + }; + sdk: { + input: UpdateSMBLocalGroupsCommandInput; + output: UpdateSMBLocalGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateSMBSecurityStrategyCommand.ts b/clients/client-storage-gateway/src/commands/UpdateSMBSecurityStrategyCommand.ts index a1684bd2ee5b..702c423ff048 100644 --- a/clients/client-storage-gateway/src/commands/UpdateSMBSecurityStrategyCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateSMBSecurityStrategyCommand.ts @@ -93,4 +93,16 @@ export class UpdateSMBSecurityStrategyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSMBSecurityStrategyCommand) .de(de_UpdateSMBSecurityStrategyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSMBSecurityStrategyInput; + output: UpdateSMBSecurityStrategyOutput; + }; + sdk: { + input: UpdateSMBSecurityStrategyCommandInput; + output: UpdateSMBSecurityStrategyCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateSnapshotScheduleCommand.ts b/clients/client-storage-gateway/src/commands/UpdateSnapshotScheduleCommand.ts index c7f34eea74dc..9bf2b7c6d9b0 100644 --- a/clients/client-storage-gateway/src/commands/UpdateSnapshotScheduleCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateSnapshotScheduleCommand.ts @@ -120,4 +120,16 @@ export class UpdateSnapshotScheduleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSnapshotScheduleCommand) .de(de_UpdateSnapshotScheduleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSnapshotScheduleInput; + output: UpdateSnapshotScheduleOutput; + }; + sdk: { + input: UpdateSnapshotScheduleCommandInput; + output: UpdateSnapshotScheduleCommandOutput; + }; + }; +} diff --git a/clients/client-storage-gateway/src/commands/UpdateVTLDeviceTypeCommand.ts b/clients/client-storage-gateway/src/commands/UpdateVTLDeviceTypeCommand.ts index 444e195b8016..4299f4c1400a 100644 --- a/clients/client-storage-gateway/src/commands/UpdateVTLDeviceTypeCommand.ts +++ b/clients/client-storage-gateway/src/commands/UpdateVTLDeviceTypeCommand.ts @@ -106,4 +106,16 @@ export class UpdateVTLDeviceTypeCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVTLDeviceTypeCommand) .de(de_UpdateVTLDeviceTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVTLDeviceTypeInput; + output: UpdateVTLDeviceTypeOutput; + }; + sdk: { + input: UpdateVTLDeviceTypeCommandInput; + output: UpdateVTLDeviceTypeCommandOutput; + }; + }; +} diff --git a/clients/client-sts/package.json b/clients/client-sts/package.json index b600bb2912df..862c837091d7 100644 --- a/clients/client-sts/package.json +++ b/clients/client-sts/package.json @@ -34,30 +34,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-sts/src/commands/AssumeRoleCommand.ts b/clients/client-sts/src/commands/AssumeRoleCommand.ts index 1a005f0f9c1f..30a63c10f7e8 100644 --- a/clients/client-sts/src/commands/AssumeRoleCommand.ts +++ b/clients/client-sts/src/commands/AssumeRoleCommand.ts @@ -275,4 +275,16 @@ export class AssumeRoleCommand extends $Command .f(void 0, AssumeRoleResponseFilterSensitiveLog) .ser(se_AssumeRoleCommand) .de(de_AssumeRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeRoleRequest; + output: AssumeRoleResponse; + }; + sdk: { + input: AssumeRoleCommandInput; + output: AssumeRoleCommandOutput; + }; + }; +} diff --git a/clients/client-sts/src/commands/AssumeRoleWithSAMLCommand.ts b/clients/client-sts/src/commands/AssumeRoleWithSAMLCommand.ts index 919fcd4bbdcc..5087a025cef8 100644 --- a/clients/client-sts/src/commands/AssumeRoleWithSAMLCommand.ts +++ b/clients/client-sts/src/commands/AssumeRoleWithSAMLCommand.ts @@ -305,4 +305,16 @@ export class AssumeRoleWithSAMLCommand extends $Command .f(AssumeRoleWithSAMLRequestFilterSensitiveLog, AssumeRoleWithSAMLResponseFilterSensitiveLog) .ser(se_AssumeRoleWithSAMLCommand) .de(de_AssumeRoleWithSAMLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeRoleWithSAMLRequest; + output: AssumeRoleWithSAMLResponse; + }; + sdk: { + input: AssumeRoleWithSAMLCommandInput; + output: AssumeRoleWithSAMLCommandOutput; + }; + }; +} diff --git a/clients/client-sts/src/commands/AssumeRoleWithWebIdentityCommand.ts b/clients/client-sts/src/commands/AssumeRoleWithWebIdentityCommand.ts index 7d470cf6aaec..16e4b698e134 100644 --- a/clients/client-sts/src/commands/AssumeRoleWithWebIdentityCommand.ts +++ b/clients/client-sts/src/commands/AssumeRoleWithWebIdentityCommand.ts @@ -314,4 +314,16 @@ export class AssumeRoleWithWebIdentityCommand extends $Command .f(AssumeRoleWithWebIdentityRequestFilterSensitiveLog, AssumeRoleWithWebIdentityResponseFilterSensitiveLog) .ser(se_AssumeRoleWithWebIdentityCommand) .de(de_AssumeRoleWithWebIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeRoleWithWebIdentityRequest; + output: AssumeRoleWithWebIdentityResponse; + }; + sdk: { + input: AssumeRoleWithWebIdentityCommandInput; + output: AssumeRoleWithWebIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-sts/src/commands/DecodeAuthorizationMessageCommand.ts b/clients/client-sts/src/commands/DecodeAuthorizationMessageCommand.ts index c22056f40c0b..38af78f0c3f5 100644 --- a/clients/client-sts/src/commands/DecodeAuthorizationMessageCommand.ts +++ b/clients/client-sts/src/commands/DecodeAuthorizationMessageCommand.ts @@ -133,4 +133,16 @@ export class DecodeAuthorizationMessageCommand extends $Command .f(void 0, void 0) .ser(se_DecodeAuthorizationMessageCommand) .de(de_DecodeAuthorizationMessageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DecodeAuthorizationMessageRequest; + output: DecodeAuthorizationMessageResponse; + }; + sdk: { + input: DecodeAuthorizationMessageCommandInput; + output: DecodeAuthorizationMessageCommandOutput; + }; + }; +} diff --git a/clients/client-sts/src/commands/GetAccessKeyInfoCommand.ts b/clients/client-sts/src/commands/GetAccessKeyInfoCommand.ts index c08b6fd4a851..20ec31e06a95 100644 --- a/clients/client-sts/src/commands/GetAccessKeyInfoCommand.ts +++ b/clients/client-sts/src/commands/GetAccessKeyInfoCommand.ts @@ -93,4 +93,16 @@ export class GetAccessKeyInfoCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessKeyInfoCommand) .de(de_GetAccessKeyInfoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessKeyInfoRequest; + output: GetAccessKeyInfoResponse; + }; + sdk: { + input: GetAccessKeyInfoCommandInput; + output: GetAccessKeyInfoCommandOutput; + }; + }; +} diff --git a/clients/client-sts/src/commands/GetCallerIdentityCommand.ts b/clients/client-sts/src/commands/GetCallerIdentityCommand.ts index b1074b5e2eee..a51cef2df3b4 100644 --- a/clients/client-sts/src/commands/GetCallerIdentityCommand.ts +++ b/clients/client-sts/src/commands/GetCallerIdentityCommand.ts @@ -134,4 +134,16 @@ export class GetCallerIdentityCommand extends $Command .f(void 0, void 0) .ser(se_GetCallerIdentityCommand) .de(de_GetCallerIdentityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetCallerIdentityResponse; + }; + sdk: { + input: GetCallerIdentityCommandInput; + output: GetCallerIdentityCommandOutput; + }; + }; +} diff --git a/clients/client-sts/src/commands/GetFederationTokenCommand.ts b/clients/client-sts/src/commands/GetFederationTokenCommand.ts index b52f7370dda8..e8fb4cd348b4 100644 --- a/clients/client-sts/src/commands/GetFederationTokenCommand.ts +++ b/clients/client-sts/src/commands/GetFederationTokenCommand.ts @@ -252,4 +252,16 @@ export class GetFederationTokenCommand extends $Command .f(void 0, GetFederationTokenResponseFilterSensitiveLog) .ser(se_GetFederationTokenCommand) .de(de_GetFederationTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFederationTokenRequest; + output: GetFederationTokenResponse; + }; + sdk: { + input: GetFederationTokenCommandInput; + output: GetFederationTokenCommandOutput; + }; + }; +} diff --git a/clients/client-sts/src/commands/GetSessionTokenCommand.ts b/clients/client-sts/src/commands/GetSessionTokenCommand.ts index 17a86ed42f09..147a16d7d48a 100644 --- a/clients/client-sts/src/commands/GetSessionTokenCommand.ts +++ b/clients/client-sts/src/commands/GetSessionTokenCommand.ts @@ -176,4 +176,16 @@ export class GetSessionTokenCommand extends $Command .f(void 0, GetSessionTokenResponseFilterSensitiveLog) .ser(se_GetSessionTokenCommand) .de(de_GetSessionTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionTokenRequest; + output: GetSessionTokenResponse; + }; + sdk: { + input: GetSessionTokenCommandInput; + output: GetSessionTokenCommandOutput; + }; + }; +} diff --git a/clients/client-supplychain/package.json b/clients/client-supplychain/package.json index 4b561eb68ad8..05c561c12766 100644 --- a/clients/client-supplychain/package.json +++ b/clients/client-supplychain/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-supplychain/src/commands/CreateBillOfMaterialsImportJobCommand.ts b/clients/client-supplychain/src/commands/CreateBillOfMaterialsImportJobCommand.ts index 59077f37e06e..dccc37ebc0fe 100644 --- a/clients/client-supplychain/src/commands/CreateBillOfMaterialsImportJobCommand.ts +++ b/clients/client-supplychain/src/commands/CreateBillOfMaterialsImportJobCommand.ts @@ -124,4 +124,16 @@ export class CreateBillOfMaterialsImportJobCommand extends $Command .f(void 0, void 0) .ser(se_CreateBillOfMaterialsImportJobCommand) .de(de_CreateBillOfMaterialsImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBillOfMaterialsImportJobRequest; + output: CreateBillOfMaterialsImportJobResponse; + }; + sdk: { + input: CreateBillOfMaterialsImportJobCommandInput; + output: CreateBillOfMaterialsImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-supplychain/src/commands/GetBillOfMaterialsImportJobCommand.ts b/clients/client-supplychain/src/commands/GetBillOfMaterialsImportJobCommand.ts index 861c6f0e0321..4b75dab413f8 100644 --- a/clients/client-supplychain/src/commands/GetBillOfMaterialsImportJobCommand.ts +++ b/clients/client-supplychain/src/commands/GetBillOfMaterialsImportJobCommand.ts @@ -155,4 +155,16 @@ export class GetBillOfMaterialsImportJobCommand extends $Command .f(void 0, void 0) .ser(se_GetBillOfMaterialsImportJobCommand) .de(de_GetBillOfMaterialsImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBillOfMaterialsImportJobRequest; + output: GetBillOfMaterialsImportJobResponse; + }; + sdk: { + input: GetBillOfMaterialsImportJobCommandInput; + output: GetBillOfMaterialsImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-supplychain/src/commands/SendDataIntegrationEventCommand.ts b/clients/client-supplychain/src/commands/SendDataIntegrationEventCommand.ts index bc6423e67a02..fabaf8852b4a 100644 --- a/clients/client-supplychain/src/commands/SendDataIntegrationEventCommand.ts +++ b/clients/client-supplychain/src/commands/SendDataIntegrationEventCommand.ts @@ -408,4 +408,16 @@ export class SendDataIntegrationEventCommand extends $Command .f(SendDataIntegrationEventRequestFilterSensitiveLog, void 0) .ser(se_SendDataIntegrationEventCommand) .de(de_SendDataIntegrationEventCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendDataIntegrationEventRequest; + output: SendDataIntegrationEventResponse; + }; + sdk: { + input: SendDataIntegrationEventCommandInput; + output: SendDataIntegrationEventCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/package.json b/clients/client-support-app/package.json index a8691481466c..65595859dfd8 100644 --- a/clients/client-support-app/package.json +++ b/clients/client-support-app/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-support-app/src/commands/CreateSlackChannelConfigurationCommand.ts b/clients/client-support-app/src/commands/CreateSlackChannelConfigurationCommand.ts index b00f99d04e99..3dbb47aceb09 100644 --- a/clients/client-support-app/src/commands/CreateSlackChannelConfigurationCommand.ts +++ b/clients/client-support-app/src/commands/CreateSlackChannelConfigurationCommand.ts @@ -150,4 +150,16 @@ export class CreateSlackChannelConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_CreateSlackChannelConfigurationCommand) .de(de_CreateSlackChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSlackChannelConfigurationRequest; + output: {}; + }; + sdk: { + input: CreateSlackChannelConfigurationCommandInput; + output: CreateSlackChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/DeleteAccountAliasCommand.ts b/clients/client-support-app/src/commands/DeleteAccountAliasCommand.ts index 199331e2bf81..051fe3f2216c 100644 --- a/clients/client-support-app/src/commands/DeleteAccountAliasCommand.ts +++ b/clients/client-support-app/src/commands/DeleteAccountAliasCommand.ts @@ -84,4 +84,16 @@ export class DeleteAccountAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountAliasCommand) .de(de_DeleteAccountAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: DeleteAccountAliasCommandInput; + output: DeleteAccountAliasCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/DeleteSlackChannelConfigurationCommand.ts b/clients/client-support-app/src/commands/DeleteSlackChannelConfigurationCommand.ts index 4f8a2545347b..02274e4effe7 100644 --- a/clients/client-support-app/src/commands/DeleteSlackChannelConfigurationCommand.ts +++ b/clients/client-support-app/src/commands/DeleteSlackChannelConfigurationCommand.ts @@ -124,4 +124,16 @@ export class DeleteSlackChannelConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlackChannelConfigurationCommand) .de(de_DeleteSlackChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlackChannelConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteSlackChannelConfigurationCommandInput; + output: DeleteSlackChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/DeleteSlackWorkspaceConfigurationCommand.ts b/clients/client-support-app/src/commands/DeleteSlackWorkspaceConfigurationCommand.ts index eca8e4f1035f..3fa5319ad23c 100644 --- a/clients/client-support-app/src/commands/DeleteSlackWorkspaceConfigurationCommand.ts +++ b/clients/client-support-app/src/commands/DeleteSlackWorkspaceConfigurationCommand.ts @@ -123,4 +123,16 @@ export class DeleteSlackWorkspaceConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSlackWorkspaceConfigurationCommand) .de(de_DeleteSlackWorkspaceConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSlackWorkspaceConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteSlackWorkspaceConfigurationCommandInput; + output: DeleteSlackWorkspaceConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/GetAccountAliasCommand.ts b/clients/client-support-app/src/commands/GetAccountAliasCommand.ts index 0a20ae7b9737..6f8469560b35 100644 --- a/clients/client-support-app/src/commands/GetAccountAliasCommand.ts +++ b/clients/client-support-app/src/commands/GetAccountAliasCommand.ts @@ -79,4 +79,16 @@ export class GetAccountAliasCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountAliasCommand) .de(de_GetAccountAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetAccountAliasResult; + }; + sdk: { + input: GetAccountAliasCommandInput; + output: GetAccountAliasCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/ListSlackChannelConfigurationsCommand.ts b/clients/client-support-app/src/commands/ListSlackChannelConfigurationsCommand.ts index e84cbe45a965..22c85694bdaa 100644 --- a/clients/client-support-app/src/commands/ListSlackChannelConfigurationsCommand.ts +++ b/clients/client-support-app/src/commands/ListSlackChannelConfigurationsCommand.ts @@ -100,4 +100,16 @@ export class ListSlackChannelConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSlackChannelConfigurationsCommand) .de(de_ListSlackChannelConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSlackChannelConfigurationsRequest; + output: ListSlackChannelConfigurationsResult; + }; + sdk: { + input: ListSlackChannelConfigurationsCommandInput; + output: ListSlackChannelConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/ListSlackWorkspaceConfigurationsCommand.ts b/clients/client-support-app/src/commands/ListSlackWorkspaceConfigurationsCommand.ts index 4e380455d2f3..777fc476d1c3 100644 --- a/clients/client-support-app/src/commands/ListSlackWorkspaceConfigurationsCommand.ts +++ b/clients/client-support-app/src/commands/ListSlackWorkspaceConfigurationsCommand.ts @@ -95,4 +95,16 @@ export class ListSlackWorkspaceConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSlackWorkspaceConfigurationsCommand) .de(de_ListSlackWorkspaceConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSlackWorkspaceConfigurationsRequest; + output: ListSlackWorkspaceConfigurationsResult; + }; + sdk: { + input: ListSlackWorkspaceConfigurationsCommandInput; + output: ListSlackWorkspaceConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/PutAccountAliasCommand.ts b/clients/client-support-app/src/commands/PutAccountAliasCommand.ts index fb2a16b3327c..5ce482d01b81 100644 --- a/clients/client-support-app/src/commands/PutAccountAliasCommand.ts +++ b/clients/client-support-app/src/commands/PutAccountAliasCommand.ts @@ -86,4 +86,16 @@ export class PutAccountAliasCommand extends $Command .f(void 0, void 0) .ser(se_PutAccountAliasCommand) .de(de_PutAccountAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccountAliasRequest; + output: {}; + }; + sdk: { + input: PutAccountAliasCommandInput; + output: PutAccountAliasCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/RegisterSlackWorkspaceForOrganizationCommand.ts b/clients/client-support-app/src/commands/RegisterSlackWorkspaceForOrganizationCommand.ts index 4a6dd5d324e2..faa58e503dc7 100644 --- a/clients/client-support-app/src/commands/RegisterSlackWorkspaceForOrganizationCommand.ts +++ b/clients/client-support-app/src/commands/RegisterSlackWorkspaceForOrganizationCommand.ts @@ -159,4 +159,16 @@ export class RegisterSlackWorkspaceForOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_RegisterSlackWorkspaceForOrganizationCommand) .de(de_RegisterSlackWorkspaceForOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterSlackWorkspaceForOrganizationRequest; + output: RegisterSlackWorkspaceForOrganizationResult; + }; + sdk: { + input: RegisterSlackWorkspaceForOrganizationCommandInput; + output: RegisterSlackWorkspaceForOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-support-app/src/commands/UpdateSlackChannelConfigurationCommand.ts b/clients/client-support-app/src/commands/UpdateSlackChannelConfigurationCommand.ts index 9706135be870..ac67bf9bd1e2 100644 --- a/clients/client-support-app/src/commands/UpdateSlackChannelConfigurationCommand.ts +++ b/clients/client-support-app/src/commands/UpdateSlackChannelConfigurationCommand.ts @@ -138,4 +138,16 @@ export class UpdateSlackChannelConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSlackChannelConfigurationCommand) .de(de_UpdateSlackChannelConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSlackChannelConfigurationRequest; + output: UpdateSlackChannelConfigurationResult; + }; + sdk: { + input: UpdateSlackChannelConfigurationCommandInput; + output: UpdateSlackChannelConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-support/package.json b/clients/client-support/package.json index bcdcbb81545c..1c3d4da409df 100644 --- a/clients/client-support/package.json +++ b/clients/client-support/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-support/src/commands/AddAttachmentsToSetCommand.ts b/clients/client-support/src/commands/AddAttachmentsToSetCommand.ts index 4ea6ee1cdbf6..aff15bd893de 100644 --- a/clients/client-support/src/commands/AddAttachmentsToSetCommand.ts +++ b/clients/client-support/src/commands/AddAttachmentsToSetCommand.ts @@ -119,4 +119,16 @@ export class AddAttachmentsToSetCommand extends $Command .f(void 0, void 0) .ser(se_AddAttachmentsToSetCommand) .de(de_AddAttachmentsToSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddAttachmentsToSetRequest; + output: AddAttachmentsToSetResponse; + }; + sdk: { + input: AddAttachmentsToSetCommandInput; + output: AddAttachmentsToSetCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/AddCommunicationToCaseCommand.ts b/clients/client-support/src/commands/AddCommunicationToCaseCommand.ts index 5383047d0e29..605739d8365f 100644 --- a/clients/client-support/src/commands/AddCommunicationToCaseCommand.ts +++ b/clients/client-support/src/commands/AddCommunicationToCaseCommand.ts @@ -113,4 +113,16 @@ export class AddCommunicationToCaseCommand extends $Command .f(void 0, void 0) .ser(se_AddCommunicationToCaseCommand) .de(de_AddCommunicationToCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddCommunicationToCaseRequest; + output: AddCommunicationToCaseResponse; + }; + sdk: { + input: AddCommunicationToCaseCommandInput; + output: AddCommunicationToCaseCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/CreateCaseCommand.ts b/clients/client-support/src/commands/CreateCaseCommand.ts index a4106e224f72..d7399af675dc 100644 --- a/clients/client-support/src/commands/CreateCaseCommand.ts +++ b/clients/client-support/src/commands/CreateCaseCommand.ts @@ -132,4 +132,16 @@ export class CreateCaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateCaseCommand) .de(de_CreateCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCaseRequest; + output: CreateCaseResponse; + }; + sdk: { + input: CreateCaseCommandInput; + output: CreateCaseCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeAttachmentCommand.ts b/clients/client-support/src/commands/DescribeAttachmentCommand.ts index a6e4e92d71a6..d56071bab76b 100644 --- a/clients/client-support/src/commands/DescribeAttachmentCommand.ts +++ b/clients/client-support/src/commands/DescribeAttachmentCommand.ts @@ -108,4 +108,16 @@ export class DescribeAttachmentCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAttachmentCommand) .de(de_DescribeAttachmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAttachmentRequest; + output: DescribeAttachmentResponse; + }; + sdk: { + input: DescribeAttachmentCommandInput; + output: DescribeAttachmentCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeCasesCommand.ts b/clients/client-support/src/commands/DescribeCasesCommand.ts index a926144b678c..df013b97810c 100644 --- a/clients/client-support/src/commands/DescribeCasesCommand.ts +++ b/clients/client-support/src/commands/DescribeCasesCommand.ts @@ -157,4 +157,16 @@ export class DescribeCasesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCasesCommand) .de(de_DescribeCasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCasesRequest; + output: DescribeCasesResponse; + }; + sdk: { + input: DescribeCasesCommandInput; + output: DescribeCasesCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeCommunicationsCommand.ts b/clients/client-support/src/commands/DescribeCommunicationsCommand.ts index 1f7a2c6877d6..87628576e83f 100644 --- a/clients/client-support/src/commands/DescribeCommunicationsCommand.ts +++ b/clients/client-support/src/commands/DescribeCommunicationsCommand.ts @@ -124,4 +124,16 @@ export class DescribeCommunicationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCommunicationsCommand) .de(de_DescribeCommunicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCommunicationsRequest; + output: DescribeCommunicationsResponse; + }; + sdk: { + input: DescribeCommunicationsCommandInput; + output: DescribeCommunicationsCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeCreateCaseOptionsCommand.ts b/clients/client-support/src/commands/DescribeCreateCaseOptionsCommand.ts index b896614ac837..11dfa85eda16 100644 --- a/clients/client-support/src/commands/DescribeCreateCaseOptionsCommand.ts +++ b/clients/client-support/src/commands/DescribeCreateCaseOptionsCommand.ts @@ -122,4 +122,16 @@ export class DescribeCreateCaseOptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCreateCaseOptionsCommand) .de(de_DescribeCreateCaseOptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCreateCaseOptionsRequest; + output: DescribeCreateCaseOptionsResponse; + }; + sdk: { + input: DescribeCreateCaseOptionsCommandInput; + output: DescribeCreateCaseOptionsCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeServicesCommand.ts b/clients/client-support/src/commands/DescribeServicesCommand.ts index 7a99bd0004c8..76a3180370e7 100644 --- a/clients/client-support/src/commands/DescribeServicesCommand.ts +++ b/clients/client-support/src/commands/DescribeServicesCommand.ts @@ -116,4 +116,16 @@ export class DescribeServicesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServicesCommand) .de(de_DescribeServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServicesRequest; + output: DescribeServicesResponse; + }; + sdk: { + input: DescribeServicesCommandInput; + output: DescribeServicesCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeSeverityLevelsCommand.ts b/clients/client-support/src/commands/DescribeSeverityLevelsCommand.ts index b58221738fff..1f7ed75381ab 100644 --- a/clients/client-support/src/commands/DescribeSeverityLevelsCommand.ts +++ b/clients/client-support/src/commands/DescribeSeverityLevelsCommand.ts @@ -101,4 +101,16 @@ export class DescribeSeverityLevelsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSeverityLevelsCommand) .de(de_DescribeSeverityLevelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSeverityLevelsRequest; + output: DescribeSeverityLevelsResponse; + }; + sdk: { + input: DescribeSeverityLevelsCommandInput; + output: DescribeSeverityLevelsCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeSupportedLanguagesCommand.ts b/clients/client-support/src/commands/DescribeSupportedLanguagesCommand.ts index 3d8f4ba28de9..052aa763018d 100644 --- a/clients/client-support/src/commands/DescribeSupportedLanguagesCommand.ts +++ b/clients/client-support/src/commands/DescribeSupportedLanguagesCommand.ts @@ -109,4 +109,16 @@ export class DescribeSupportedLanguagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSupportedLanguagesCommand) .de(de_DescribeSupportedLanguagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSupportedLanguagesRequest; + output: DescribeSupportedLanguagesResponse; + }; + sdk: { + input: DescribeSupportedLanguagesCommandInput; + output: DescribeSupportedLanguagesCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeTrustedAdvisorCheckRefreshStatusesCommand.ts b/clients/client-support/src/commands/DescribeTrustedAdvisorCheckRefreshStatusesCommand.ts index 2ebfc2c6e837..468fb0ace13d 100644 --- a/clients/client-support/src/commands/DescribeTrustedAdvisorCheckRefreshStatusesCommand.ts +++ b/clients/client-support/src/commands/DescribeTrustedAdvisorCheckRefreshStatusesCommand.ts @@ -125,4 +125,16 @@ export class DescribeTrustedAdvisorCheckRefreshStatusesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustedAdvisorCheckRefreshStatusesCommand) .de(de_DescribeTrustedAdvisorCheckRefreshStatusesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustedAdvisorCheckRefreshStatusesRequest; + output: DescribeTrustedAdvisorCheckRefreshStatusesResponse; + }; + sdk: { + input: DescribeTrustedAdvisorCheckRefreshStatusesCommandInput; + output: DescribeTrustedAdvisorCheckRefreshStatusesCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeTrustedAdvisorCheckResultCommand.ts b/clients/client-support/src/commands/DescribeTrustedAdvisorCheckResultCommand.ts index 02988efb59bd..0b2b59d7342e 100644 --- a/clients/client-support/src/commands/DescribeTrustedAdvisorCheckResultCommand.ts +++ b/clients/client-support/src/commands/DescribeTrustedAdvisorCheckResultCommand.ts @@ -179,4 +179,16 @@ export class DescribeTrustedAdvisorCheckResultCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustedAdvisorCheckResultCommand) .de(de_DescribeTrustedAdvisorCheckResultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustedAdvisorCheckResultRequest; + output: DescribeTrustedAdvisorCheckResultResponse; + }; + sdk: { + input: DescribeTrustedAdvisorCheckResultCommandInput; + output: DescribeTrustedAdvisorCheckResultCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeTrustedAdvisorCheckSummariesCommand.ts b/clients/client-support/src/commands/DescribeTrustedAdvisorCheckSummariesCommand.ts index 56dababba998..4987a7ded957 100644 --- a/clients/client-support/src/commands/DescribeTrustedAdvisorCheckSummariesCommand.ts +++ b/clients/client-support/src/commands/DescribeTrustedAdvisorCheckSummariesCommand.ts @@ -135,4 +135,16 @@ export class DescribeTrustedAdvisorCheckSummariesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustedAdvisorCheckSummariesCommand) .de(de_DescribeTrustedAdvisorCheckSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustedAdvisorCheckSummariesRequest; + output: DescribeTrustedAdvisorCheckSummariesResponse; + }; + sdk: { + input: DescribeTrustedAdvisorCheckSummariesCommandInput; + output: DescribeTrustedAdvisorCheckSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/DescribeTrustedAdvisorChecksCommand.ts b/clients/client-support/src/commands/DescribeTrustedAdvisorChecksCommand.ts index b358d7230bae..4deeb3a1ae17 100644 --- a/clients/client-support/src/commands/DescribeTrustedAdvisorChecksCommand.ts +++ b/clients/client-support/src/commands/DescribeTrustedAdvisorChecksCommand.ts @@ -125,4 +125,16 @@ export class DescribeTrustedAdvisorChecksCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTrustedAdvisorChecksCommand) .de(de_DescribeTrustedAdvisorChecksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTrustedAdvisorChecksRequest; + output: DescribeTrustedAdvisorChecksResponse; + }; + sdk: { + input: DescribeTrustedAdvisorChecksCommandInput; + output: DescribeTrustedAdvisorChecksCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/RefreshTrustedAdvisorCheckCommand.ts b/clients/client-support/src/commands/RefreshTrustedAdvisorCheckCommand.ts index f63f7dfcaa82..f3ab7a94614f 100644 --- a/clients/client-support/src/commands/RefreshTrustedAdvisorCheckCommand.ts +++ b/clients/client-support/src/commands/RefreshTrustedAdvisorCheckCommand.ts @@ -109,4 +109,16 @@ export class RefreshTrustedAdvisorCheckCommand extends $Command .f(void 0, void 0) .ser(se_RefreshTrustedAdvisorCheckCommand) .de(de_RefreshTrustedAdvisorCheckCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RefreshTrustedAdvisorCheckRequest; + output: RefreshTrustedAdvisorCheckResponse; + }; + sdk: { + input: RefreshTrustedAdvisorCheckCommandInput; + output: RefreshTrustedAdvisorCheckCommandOutput; + }; + }; +} diff --git a/clients/client-support/src/commands/ResolveCaseCommand.ts b/clients/client-support/src/commands/ResolveCaseCommand.ts index f7fc4bcc6868..3ef526f59154 100644 --- a/clients/client-support/src/commands/ResolveCaseCommand.ts +++ b/clients/client-support/src/commands/ResolveCaseCommand.ts @@ -99,4 +99,16 @@ export class ResolveCaseCommand extends $Command .f(void 0, void 0) .ser(se_ResolveCaseCommand) .de(de_ResolveCaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResolveCaseRequest; + output: ResolveCaseResponse; + }; + sdk: { + input: ResolveCaseCommandInput; + output: ResolveCaseCommandOutput; + }; + }; +} diff --git a/clients/client-swf/package.json b/clients/client-swf/package.json index c1bab5fd10ce..3c49a6587290 100644 --- a/clients/client-swf/package.json +++ b/clients/client-swf/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-swf/src/commands/CountClosedWorkflowExecutionsCommand.ts b/clients/client-swf/src/commands/CountClosedWorkflowExecutionsCommand.ts index ed93fc8084ad..be064a2d6af2 100644 --- a/clients/client-swf/src/commands/CountClosedWorkflowExecutionsCommand.ts +++ b/clients/client-swf/src/commands/CountClosedWorkflowExecutionsCommand.ts @@ -154,4 +154,16 @@ export class CountClosedWorkflowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_CountClosedWorkflowExecutionsCommand) .de(de_CountClosedWorkflowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CountClosedWorkflowExecutionsInput; + output: WorkflowExecutionCount; + }; + sdk: { + input: CountClosedWorkflowExecutionsCommandInput; + output: CountClosedWorkflowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/CountOpenWorkflowExecutionsCommand.ts b/clients/client-swf/src/commands/CountOpenWorkflowExecutionsCommand.ts index f14776bc830a..0f981a6c1cdc 100644 --- a/clients/client-swf/src/commands/CountOpenWorkflowExecutionsCommand.ts +++ b/clients/client-swf/src/commands/CountOpenWorkflowExecutionsCommand.ts @@ -144,4 +144,16 @@ export class CountOpenWorkflowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_CountOpenWorkflowExecutionsCommand) .de(de_CountOpenWorkflowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CountOpenWorkflowExecutionsInput; + output: WorkflowExecutionCount; + }; + sdk: { + input: CountOpenWorkflowExecutionsCommandInput; + output: CountOpenWorkflowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/CountPendingActivityTasksCommand.ts b/clients/client-swf/src/commands/CountPendingActivityTasksCommand.ts index b9e878efec46..e39c2a2e88f9 100644 --- a/clients/client-swf/src/commands/CountPendingActivityTasksCommand.ts +++ b/clients/client-swf/src/commands/CountPendingActivityTasksCommand.ts @@ -114,4 +114,16 @@ export class CountPendingActivityTasksCommand extends $Command .f(void 0, void 0) .ser(se_CountPendingActivityTasksCommand) .de(de_CountPendingActivityTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CountPendingActivityTasksInput; + output: PendingTaskCount; + }; + sdk: { + input: CountPendingActivityTasksCommandInput; + output: CountPendingActivityTasksCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/CountPendingDecisionTasksCommand.ts b/clients/client-swf/src/commands/CountPendingDecisionTasksCommand.ts index cab6c738c98c..ec944d133955 100644 --- a/clients/client-swf/src/commands/CountPendingDecisionTasksCommand.ts +++ b/clients/client-swf/src/commands/CountPendingDecisionTasksCommand.ts @@ -114,4 +114,16 @@ export class CountPendingDecisionTasksCommand extends $Command .f(void 0, void 0) .ser(se_CountPendingDecisionTasksCommand) .de(de_CountPendingDecisionTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CountPendingDecisionTasksInput; + output: PendingTaskCount; + }; + sdk: { + input: CountPendingDecisionTasksCommandInput; + output: CountPendingDecisionTasksCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DeleteActivityTypeCommand.ts b/clients/client-swf/src/commands/DeleteActivityTypeCommand.ts index a8796e084259..9710f7f20dee 100644 --- a/clients/client-swf/src/commands/DeleteActivityTypeCommand.ts +++ b/clients/client-swf/src/commands/DeleteActivityTypeCommand.ts @@ -127,4 +127,16 @@ export class DeleteActivityTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteActivityTypeCommand) .de(de_DeleteActivityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteActivityTypeInput; + output: {}; + }; + sdk: { + input: DeleteActivityTypeCommandInput; + output: DeleteActivityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DeleteWorkflowTypeCommand.ts b/clients/client-swf/src/commands/DeleteWorkflowTypeCommand.ts index b14afaa15860..a2948b3c5ae5 100644 --- a/clients/client-swf/src/commands/DeleteWorkflowTypeCommand.ts +++ b/clients/client-swf/src/commands/DeleteWorkflowTypeCommand.ts @@ -128,4 +128,16 @@ export class DeleteWorkflowTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowTypeCommand) .de(de_DeleteWorkflowTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowTypeInput; + output: {}; + }; + sdk: { + input: DeleteWorkflowTypeCommandInput; + output: DeleteWorkflowTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DeprecateActivityTypeCommand.ts b/clients/client-swf/src/commands/DeprecateActivityTypeCommand.ts index ecfc3bd9d39b..75d8f3268b54 100644 --- a/clients/client-swf/src/commands/DeprecateActivityTypeCommand.ts +++ b/clients/client-swf/src/commands/DeprecateActivityTypeCommand.ts @@ -126,4 +126,16 @@ export class DeprecateActivityTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeprecateActivityTypeCommand) .de(de_DeprecateActivityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprecateActivityTypeInput; + output: {}; + }; + sdk: { + input: DeprecateActivityTypeCommandInput; + output: DeprecateActivityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DeprecateDomainCommand.ts b/clients/client-swf/src/commands/DeprecateDomainCommand.ts index fa6744974951..c2d26ede3b28 100644 --- a/clients/client-swf/src/commands/DeprecateDomainCommand.ts +++ b/clients/client-swf/src/commands/DeprecateDomainCommand.ts @@ -115,4 +115,16 @@ export class DeprecateDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeprecateDomainCommand) .de(de_DeprecateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprecateDomainInput; + output: {}; + }; + sdk: { + input: DeprecateDomainCommandInput; + output: DeprecateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DeprecateWorkflowTypeCommand.ts b/clients/client-swf/src/commands/DeprecateWorkflowTypeCommand.ts index 6cb8ca153b87..33ea3c9be97e 100644 --- a/clients/client-swf/src/commands/DeprecateWorkflowTypeCommand.ts +++ b/clients/client-swf/src/commands/DeprecateWorkflowTypeCommand.ts @@ -131,4 +131,16 @@ export class DeprecateWorkflowTypeCommand extends $Command .f(void 0, void 0) .ser(se_DeprecateWorkflowTypeCommand) .de(de_DeprecateWorkflowTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeprecateWorkflowTypeInput; + output: {}; + }; + sdk: { + input: DeprecateWorkflowTypeCommandInput; + output: DeprecateWorkflowTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DescribeActivityTypeCommand.ts b/clients/client-swf/src/commands/DescribeActivityTypeCommand.ts index 9efb8450ab8e..bca9af53c4f8 100644 --- a/clients/client-swf/src/commands/DescribeActivityTypeCommand.ts +++ b/clients/client-swf/src/commands/DescribeActivityTypeCommand.ts @@ -144,4 +144,16 @@ export class DescribeActivityTypeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeActivityTypeCommand) .de(de_DescribeActivityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeActivityTypeInput; + output: ActivityTypeDetail; + }; + sdk: { + input: DescribeActivityTypeCommandInput; + output: DescribeActivityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DescribeDomainCommand.ts b/clients/client-swf/src/commands/DescribeDomainCommand.ts index 02b5e80ab1f2..b0c2b44b51b2 100644 --- a/clients/client-swf/src/commands/DescribeDomainCommand.ts +++ b/clients/client-swf/src/commands/DescribeDomainCommand.ts @@ -115,4 +115,16 @@ export class DescribeDomainCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainCommand) .de(de_DescribeDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainInput; + output: DomainDetail; + }; + sdk: { + input: DescribeDomainCommandInput; + output: DescribeDomainCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DescribeWorkflowExecutionCommand.ts b/clients/client-swf/src/commands/DescribeWorkflowExecutionCommand.ts index 3eeecb17f163..e8896c3d3373 100644 --- a/clients/client-swf/src/commands/DescribeWorkflowExecutionCommand.ts +++ b/clients/client-swf/src/commands/DescribeWorkflowExecutionCommand.ts @@ -155,4 +155,16 @@ export class DescribeWorkflowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkflowExecutionCommand) .de(de_DescribeWorkflowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkflowExecutionInput; + output: WorkflowExecutionDetail; + }; + sdk: { + input: DescribeWorkflowExecutionCommandInput; + output: DescribeWorkflowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/DescribeWorkflowTypeCommand.ts b/clients/client-swf/src/commands/DescribeWorkflowTypeCommand.ts index c60040f5a1e5..46c39cfe325c 100644 --- a/clients/client-swf/src/commands/DescribeWorkflowTypeCommand.ts +++ b/clients/client-swf/src/commands/DescribeWorkflowTypeCommand.ts @@ -144,4 +144,16 @@ export class DescribeWorkflowTypeCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkflowTypeCommand) .de(de_DescribeWorkflowTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkflowTypeInput; + output: WorkflowTypeDetail; + }; + sdk: { + input: DescribeWorkflowTypeCommandInput; + output: DescribeWorkflowTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/GetWorkflowExecutionHistoryCommand.ts b/clients/client-swf/src/commands/GetWorkflowExecutionHistoryCommand.ts index 77761a948078..cada3b792e2e 100644 --- a/clients/client-swf/src/commands/GetWorkflowExecutionHistoryCommand.ts +++ b/clients/client-swf/src/commands/GetWorkflowExecutionHistoryCommand.ts @@ -505,4 +505,16 @@ export class GetWorkflowExecutionHistoryCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkflowExecutionHistoryCommand) .de(de_GetWorkflowExecutionHistoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkflowExecutionHistoryInput; + output: History; + }; + sdk: { + input: GetWorkflowExecutionHistoryCommandInput; + output: GetWorkflowExecutionHistoryCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/ListActivityTypesCommand.ts b/clients/client-swf/src/commands/ListActivityTypesCommand.ts index fb9c39a3142d..5d6c1ee8a4f0 100644 --- a/clients/client-swf/src/commands/ListActivityTypesCommand.ts +++ b/clients/client-swf/src/commands/ListActivityTypesCommand.ts @@ -127,4 +127,16 @@ export class ListActivityTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListActivityTypesCommand) .de(de_ListActivityTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActivityTypesInput; + output: ActivityTypeInfos; + }; + sdk: { + input: ListActivityTypesCommandInput; + output: ListActivityTypesCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/ListClosedWorkflowExecutionsCommand.ts b/clients/client-swf/src/commands/ListClosedWorkflowExecutionsCommand.ts index be7ccf20aaf4..6efe5bad8867 100644 --- a/clients/client-swf/src/commands/ListClosedWorkflowExecutionsCommand.ts +++ b/clients/client-swf/src/commands/ListClosedWorkflowExecutionsCommand.ts @@ -181,4 +181,16 @@ export class ListClosedWorkflowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListClosedWorkflowExecutionsCommand) .de(de_ListClosedWorkflowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListClosedWorkflowExecutionsInput; + output: WorkflowExecutionInfos; + }; + sdk: { + input: ListClosedWorkflowExecutionsCommandInput; + output: ListClosedWorkflowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/ListDomainsCommand.ts b/clients/client-swf/src/commands/ListDomainsCommand.ts index 563d2d07eaf9..60a20561db96 100644 --- a/clients/client-swf/src/commands/ListDomainsCommand.ts +++ b/clients/client-swf/src/commands/ListDomainsCommand.ts @@ -122,4 +122,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsInput; + output: DomainInfos; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/ListOpenWorkflowExecutionsCommand.ts b/clients/client-swf/src/commands/ListOpenWorkflowExecutionsCommand.ts index c9b8006eae8f..6020e6f574da 100644 --- a/clients/client-swf/src/commands/ListOpenWorkflowExecutionsCommand.ts +++ b/clients/client-swf/src/commands/ListOpenWorkflowExecutionsCommand.ts @@ -171,4 +171,16 @@ export class ListOpenWorkflowExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListOpenWorkflowExecutionsCommand) .de(de_ListOpenWorkflowExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOpenWorkflowExecutionsInput; + output: WorkflowExecutionInfos; + }; + sdk: { + input: ListOpenWorkflowExecutionsCommandInput; + output: ListOpenWorkflowExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/ListTagsForResourceCommand.ts b/clients/client-swf/src/commands/ListTagsForResourceCommand.ts index beef6f5a7e3b..d926f394c49f 100644 --- a/clients/client-swf/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-swf/src/commands/ListTagsForResourceCommand.ts @@ -91,4 +91,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/ListWorkflowTypesCommand.ts b/clients/client-swf/src/commands/ListWorkflowTypesCommand.ts index f04955b7302e..856737599aed 100644 --- a/clients/client-swf/src/commands/ListWorkflowTypesCommand.ts +++ b/clients/client-swf/src/commands/ListWorkflowTypesCommand.ts @@ -124,4 +124,16 @@ export class ListWorkflowTypesCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowTypesCommand) .de(de_ListWorkflowTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowTypesInput; + output: WorkflowTypeInfos; + }; + sdk: { + input: ListWorkflowTypesCommandInput; + output: ListWorkflowTypesCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/PollForActivityTaskCommand.ts b/clients/client-swf/src/commands/PollForActivityTaskCommand.ts index dbd75523c9ce..1dfa2e86333a 100644 --- a/clients/client-swf/src/commands/PollForActivityTaskCommand.ts +++ b/clients/client-swf/src/commands/PollForActivityTaskCommand.ts @@ -136,4 +136,16 @@ export class PollForActivityTaskCommand extends $Command .f(void 0, void 0) .ser(se_PollForActivityTaskCommand) .de(de_PollForActivityTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PollForActivityTaskInput; + output: ActivityTask; + }; + sdk: { + input: PollForActivityTaskCommandInput; + output: PollForActivityTaskCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/PollForDecisionTaskCommand.ts b/clients/client-swf/src/commands/PollForDecisionTaskCommand.ts index bd94b01acd88..0a0416a997ef 100644 --- a/clients/client-swf/src/commands/PollForDecisionTaskCommand.ts +++ b/clients/client-swf/src/commands/PollForDecisionTaskCommand.ts @@ -532,4 +532,16 @@ export class PollForDecisionTaskCommand extends $Command .f(void 0, void 0) .ser(se_PollForDecisionTaskCommand) .de(de_PollForDecisionTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PollForDecisionTaskInput; + output: DecisionTask; + }; + sdk: { + input: PollForDecisionTaskCommandInput; + output: PollForDecisionTaskCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RecordActivityTaskHeartbeatCommand.ts b/clients/client-swf/src/commands/RecordActivityTaskHeartbeatCommand.ts index c0e393310db1..a13a6f177695 100644 --- a/clients/client-swf/src/commands/RecordActivityTaskHeartbeatCommand.ts +++ b/clients/client-swf/src/commands/RecordActivityTaskHeartbeatCommand.ts @@ -131,4 +131,16 @@ export class RecordActivityTaskHeartbeatCommand extends $Command .f(void 0, void 0) .ser(se_RecordActivityTaskHeartbeatCommand) .de(de_RecordActivityTaskHeartbeatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecordActivityTaskHeartbeatInput; + output: ActivityTaskStatus; + }; + sdk: { + input: RecordActivityTaskHeartbeatCommandInput; + output: RecordActivityTaskHeartbeatCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RegisterActivityTypeCommand.ts b/clients/client-swf/src/commands/RegisterActivityTypeCommand.ts index 1bb5f0a97f90..aafa3607f36d 100644 --- a/clients/client-swf/src/commands/RegisterActivityTypeCommand.ts +++ b/clients/client-swf/src/commands/RegisterActivityTypeCommand.ts @@ -144,4 +144,16 @@ export class RegisterActivityTypeCommand extends $Command .f(void 0, void 0) .ser(se_RegisterActivityTypeCommand) .de(de_RegisterActivityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterActivityTypeInput; + output: {}; + }; + sdk: { + input: RegisterActivityTypeCommandInput; + output: RegisterActivityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RegisterDomainCommand.ts b/clients/client-swf/src/commands/RegisterDomainCommand.ts index 52f29a2a9a62..fca8ae763867 100644 --- a/clients/client-swf/src/commands/RegisterDomainCommand.ts +++ b/clients/client-swf/src/commands/RegisterDomainCommand.ts @@ -118,4 +118,16 @@ export class RegisterDomainCommand extends $Command .f(void 0, void 0) .ser(se_RegisterDomainCommand) .de(de_RegisterDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterDomainInput; + output: {}; + }; + sdk: { + input: RegisterDomainCommandInput; + output: RegisterDomainCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RegisterWorkflowTypeCommand.ts b/clients/client-swf/src/commands/RegisterWorkflowTypeCommand.ts index 0282ca0fe4c4..3998c2a2a105 100644 --- a/clients/client-swf/src/commands/RegisterWorkflowTypeCommand.ts +++ b/clients/client-swf/src/commands/RegisterWorkflowTypeCommand.ts @@ -145,4 +145,16 @@ export class RegisterWorkflowTypeCommand extends $Command .f(void 0, void 0) .ser(se_RegisterWorkflowTypeCommand) .de(de_RegisterWorkflowTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterWorkflowTypeInput; + output: {}; + }; + sdk: { + input: RegisterWorkflowTypeCommandInput; + output: RegisterWorkflowTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RequestCancelWorkflowExecutionCommand.ts b/clients/client-swf/src/commands/RequestCancelWorkflowExecutionCommand.ts index 87047e5e4cfb..2dacaadbe9b4 100644 --- a/clients/client-swf/src/commands/RequestCancelWorkflowExecutionCommand.ts +++ b/clients/client-swf/src/commands/RequestCancelWorkflowExecutionCommand.ts @@ -122,4 +122,16 @@ export class RequestCancelWorkflowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_RequestCancelWorkflowExecutionCommand) .de(de_RequestCancelWorkflowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RequestCancelWorkflowExecutionInput; + output: {}; + }; + sdk: { + input: RequestCancelWorkflowExecutionCommandInput; + output: RequestCancelWorkflowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RespondActivityTaskCanceledCommand.ts b/clients/client-swf/src/commands/RespondActivityTaskCanceledCommand.ts index 54c5366b2b71..75f58a2f662d 100644 --- a/clients/client-swf/src/commands/RespondActivityTaskCanceledCommand.ts +++ b/clients/client-swf/src/commands/RespondActivityTaskCanceledCommand.ts @@ -119,4 +119,16 @@ export class RespondActivityTaskCanceledCommand extends $Command .f(void 0, void 0) .ser(se_RespondActivityTaskCanceledCommand) .de(de_RespondActivityTaskCanceledCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RespondActivityTaskCanceledInput; + output: {}; + }; + sdk: { + input: RespondActivityTaskCanceledCommandInput; + output: RespondActivityTaskCanceledCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RespondActivityTaskCompletedCommand.ts b/clients/client-swf/src/commands/RespondActivityTaskCompletedCommand.ts index 3596c0fe7610..e4e72b841d59 100644 --- a/clients/client-swf/src/commands/RespondActivityTaskCompletedCommand.ts +++ b/clients/client-swf/src/commands/RespondActivityTaskCompletedCommand.ts @@ -121,4 +121,16 @@ export class RespondActivityTaskCompletedCommand extends $Command .f(void 0, void 0) .ser(se_RespondActivityTaskCompletedCommand) .de(de_RespondActivityTaskCompletedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RespondActivityTaskCompletedInput; + output: {}; + }; + sdk: { + input: RespondActivityTaskCompletedCommandInput; + output: RespondActivityTaskCompletedCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RespondActivityTaskFailedCommand.ts b/clients/client-swf/src/commands/RespondActivityTaskFailedCommand.ts index b40db0a8696c..7c8298fb97e1 100644 --- a/clients/client-swf/src/commands/RespondActivityTaskFailedCommand.ts +++ b/clients/client-swf/src/commands/RespondActivityTaskFailedCommand.ts @@ -113,4 +113,16 @@ export class RespondActivityTaskFailedCommand extends $Command .f(void 0, void 0) .ser(se_RespondActivityTaskFailedCommand) .de(de_RespondActivityTaskFailedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RespondActivityTaskFailedInput; + output: {}; + }; + sdk: { + input: RespondActivityTaskFailedCommandInput; + output: RespondActivityTaskFailedCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/RespondDecisionTaskCompletedCommand.ts b/clients/client-swf/src/commands/RespondDecisionTaskCompletedCommand.ts index ecd556ee8e5d..14e01b238b95 100644 --- a/clients/client-swf/src/commands/RespondDecisionTaskCompletedCommand.ts +++ b/clients/client-swf/src/commands/RespondDecisionTaskCompletedCommand.ts @@ -206,4 +206,16 @@ export class RespondDecisionTaskCompletedCommand extends $Command .f(void 0, void 0) .ser(se_RespondDecisionTaskCompletedCommand) .de(de_RespondDecisionTaskCompletedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RespondDecisionTaskCompletedInput; + output: {}; + }; + sdk: { + input: RespondDecisionTaskCompletedCommandInput; + output: RespondDecisionTaskCompletedCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/SignalWorkflowExecutionCommand.ts b/clients/client-swf/src/commands/SignalWorkflowExecutionCommand.ts index bc5b62a14558..657cc4563bda 100644 --- a/clients/client-swf/src/commands/SignalWorkflowExecutionCommand.ts +++ b/clients/client-swf/src/commands/SignalWorkflowExecutionCommand.ts @@ -120,4 +120,16 @@ export class SignalWorkflowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_SignalWorkflowExecutionCommand) .de(de_SignalWorkflowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SignalWorkflowExecutionInput; + output: {}; + }; + sdk: { + input: SignalWorkflowExecutionCommandInput; + output: SignalWorkflowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/StartWorkflowExecutionCommand.ts b/clients/client-swf/src/commands/StartWorkflowExecutionCommand.ts index 5c8130ac7341..23699590e8c0 100644 --- a/clients/client-swf/src/commands/StartWorkflowExecutionCommand.ts +++ b/clients/client-swf/src/commands/StartWorkflowExecutionCommand.ts @@ -186,4 +186,16 @@ export class StartWorkflowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_StartWorkflowExecutionCommand) .de(de_StartWorkflowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartWorkflowExecutionInput; + output: Run; + }; + sdk: { + input: StartWorkflowExecutionCommandInput; + output: StartWorkflowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/TagResourceCommand.ts b/clients/client-swf/src/commands/TagResourceCommand.ts index 2edf5907a171..8f8db012e4f6 100644 --- a/clients/client-swf/src/commands/TagResourceCommand.ts +++ b/clients/client-swf/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/TerminateWorkflowExecutionCommand.ts b/clients/client-swf/src/commands/TerminateWorkflowExecutionCommand.ts index 495289678091..4fecca951684 100644 --- a/clients/client-swf/src/commands/TerminateWorkflowExecutionCommand.ts +++ b/clients/client-swf/src/commands/TerminateWorkflowExecutionCommand.ts @@ -125,4 +125,16 @@ export class TerminateWorkflowExecutionCommand extends $Command .f(void 0, void 0) .ser(se_TerminateWorkflowExecutionCommand) .de(de_TerminateWorkflowExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateWorkflowExecutionInput; + output: {}; + }; + sdk: { + input: TerminateWorkflowExecutionCommandInput; + output: TerminateWorkflowExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/UndeprecateActivityTypeCommand.ts b/clients/client-swf/src/commands/UndeprecateActivityTypeCommand.ts index 66d0c7738faf..af045414f697 100644 --- a/clients/client-swf/src/commands/UndeprecateActivityTypeCommand.ts +++ b/clients/client-swf/src/commands/UndeprecateActivityTypeCommand.ts @@ -129,4 +129,16 @@ export class UndeprecateActivityTypeCommand extends $Command .f(void 0, void 0) .ser(se_UndeprecateActivityTypeCommand) .de(de_UndeprecateActivityTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UndeprecateActivityTypeInput; + output: {}; + }; + sdk: { + input: UndeprecateActivityTypeCommandInput; + output: UndeprecateActivityTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/UndeprecateDomainCommand.ts b/clients/client-swf/src/commands/UndeprecateDomainCommand.ts index 77cd63bdc574..7247b66e9859 100644 --- a/clients/client-swf/src/commands/UndeprecateDomainCommand.ts +++ b/clients/client-swf/src/commands/UndeprecateDomainCommand.ts @@ -112,4 +112,16 @@ export class UndeprecateDomainCommand extends $Command .f(void 0, void 0) .ser(se_UndeprecateDomainCommand) .de(de_UndeprecateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UndeprecateDomainInput; + output: {}; + }; + sdk: { + input: UndeprecateDomainCommandInput; + output: UndeprecateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/UndeprecateWorkflowTypeCommand.ts b/clients/client-swf/src/commands/UndeprecateWorkflowTypeCommand.ts index c7a822b25a8c..a2b5e17bf833 100644 --- a/clients/client-swf/src/commands/UndeprecateWorkflowTypeCommand.ts +++ b/clients/client-swf/src/commands/UndeprecateWorkflowTypeCommand.ts @@ -129,4 +129,16 @@ export class UndeprecateWorkflowTypeCommand extends $Command .f(void 0, void 0) .ser(se_UndeprecateWorkflowTypeCommand) .de(de_UndeprecateWorkflowTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UndeprecateWorkflowTypeInput; + output: {}; + }; + sdk: { + input: UndeprecateWorkflowTypeCommandInput; + output: UndeprecateWorkflowTypeCommandOutput; + }; + }; +} diff --git a/clients/client-swf/src/commands/UntagResourceCommand.ts b/clients/client-swf/src/commands/UntagResourceCommand.ts index 91d1476e060b..bbf57b89f1ba 100644 --- a/clients/client-swf/src/commands/UntagResourceCommand.ts +++ b/clients/client-swf/src/commands/UntagResourceCommand.ts @@ -87,4 +87,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/package.json b/clients/client-synthetics/package.json index 027690175b73..70ecf2b00c54 100644 --- a/clients/client-synthetics/package.json +++ b/clients/client-synthetics/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-synthetics/src/commands/AssociateResourceCommand.ts b/clients/client-synthetics/src/commands/AssociateResourceCommand.ts index a9b06a8004cc..e618ff1e4285 100644 --- a/clients/client-synthetics/src/commands/AssociateResourceCommand.ts +++ b/clients/client-synthetics/src/commands/AssociateResourceCommand.ts @@ -94,4 +94,16 @@ export class AssociateResourceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateResourceCommand) .de(de_AssociateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateResourceRequest; + output: {}; + }; + sdk: { + input: AssociateResourceCommandInput; + output: AssociateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/CreateCanaryCommand.ts b/clients/client-synthetics/src/commands/CreateCanaryCommand.ts index 57bd4725b8f3..0a6c10276b98 100644 --- a/clients/client-synthetics/src/commands/CreateCanaryCommand.ts +++ b/clients/client-synthetics/src/commands/CreateCanaryCommand.ts @@ -205,4 +205,16 @@ export class CreateCanaryCommand extends $Command .f(void 0, void 0) .ser(se_CreateCanaryCommand) .de(de_CreateCanaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCanaryRequest; + output: CreateCanaryResponse; + }; + sdk: { + input: CreateCanaryCommandInput; + output: CreateCanaryCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/CreateGroupCommand.ts b/clients/client-synthetics/src/commands/CreateGroupCommand.ts index 996d2d5b6a1f..8dd1144a861a 100644 --- a/clients/client-synthetics/src/commands/CreateGroupCommand.ts +++ b/clients/client-synthetics/src/commands/CreateGroupCommand.ts @@ -113,4 +113,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResponse; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/DeleteCanaryCommand.ts b/clients/client-synthetics/src/commands/DeleteCanaryCommand.ts index 2247d83485ed..bf0da42dfb94 100644 --- a/clients/client-synthetics/src/commands/DeleteCanaryCommand.ts +++ b/clients/client-synthetics/src/commands/DeleteCanaryCommand.ts @@ -122,4 +122,16 @@ export class DeleteCanaryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCanaryCommand) .de(de_DeleteCanaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCanaryRequest; + output: {}; + }; + sdk: { + input: DeleteCanaryCommandInput; + output: DeleteCanaryCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/DeleteGroupCommand.ts b/clients/client-synthetics/src/commands/DeleteGroupCommand.ts index 96daad366ced..f45244ccee6f 100644 --- a/clients/client-synthetics/src/commands/DeleteGroupCommand.ts +++ b/clients/client-synthetics/src/commands/DeleteGroupCommand.ts @@ -91,4 +91,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/DescribeCanariesCommand.ts b/clients/client-synthetics/src/commands/DescribeCanariesCommand.ts index 929ec5b04ea9..f2c442e9ef76 100644 --- a/clients/client-synthetics/src/commands/DescribeCanariesCommand.ts +++ b/clients/client-synthetics/src/commands/DescribeCanariesCommand.ts @@ -161,4 +161,16 @@ export class DescribeCanariesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCanariesCommand) .de(de_DescribeCanariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCanariesRequest; + output: DescribeCanariesResponse; + }; + sdk: { + input: DescribeCanariesCommandInput; + output: DescribeCanariesCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/DescribeCanariesLastRunCommand.ts b/clients/client-synthetics/src/commands/DescribeCanariesLastRunCommand.ts index df7fe880cdc3..9f9e2b08fba0 100644 --- a/clients/client-synthetics/src/commands/DescribeCanariesLastRunCommand.ts +++ b/clients/client-synthetics/src/commands/DescribeCanariesLastRunCommand.ts @@ -114,4 +114,16 @@ export class DescribeCanariesLastRunCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCanariesLastRunCommand) .de(de_DescribeCanariesLastRunCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCanariesLastRunRequest; + output: DescribeCanariesLastRunResponse; + }; + sdk: { + input: DescribeCanariesLastRunCommandInput; + output: DescribeCanariesLastRunCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/DescribeRuntimeVersionsCommand.ts b/clients/client-synthetics/src/commands/DescribeRuntimeVersionsCommand.ts index 6fe4bb38ff73..3c2e0f3ca18b 100644 --- a/clients/client-synthetics/src/commands/DescribeRuntimeVersionsCommand.ts +++ b/clients/client-synthetics/src/commands/DescribeRuntimeVersionsCommand.ts @@ -94,4 +94,16 @@ export class DescribeRuntimeVersionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeRuntimeVersionsCommand) .de(de_DescribeRuntimeVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRuntimeVersionsRequest; + output: DescribeRuntimeVersionsResponse; + }; + sdk: { + input: DescribeRuntimeVersionsCommandInput; + output: DescribeRuntimeVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/DisassociateResourceCommand.ts b/clients/client-synthetics/src/commands/DisassociateResourceCommand.ts index 851439b26c2d..98418409c51f 100644 --- a/clients/client-synthetics/src/commands/DisassociateResourceCommand.ts +++ b/clients/client-synthetics/src/commands/DisassociateResourceCommand.ts @@ -88,4 +88,16 @@ export class DisassociateResourceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateResourceCommand) .de(de_DisassociateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateResourceRequest; + output: {}; + }; + sdk: { + input: DisassociateResourceCommandInput; + output: DisassociateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/GetCanaryCommand.ts b/clients/client-synthetics/src/commands/GetCanaryCommand.ts index 2ef04fb348da..40f1d6d29433 100644 --- a/clients/client-synthetics/src/commands/GetCanaryCommand.ts +++ b/clients/client-synthetics/src/commands/GetCanaryCommand.ts @@ -147,4 +147,16 @@ export class GetCanaryCommand extends $Command .f(void 0, void 0) .ser(se_GetCanaryCommand) .de(de_GetCanaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCanaryRequest; + output: GetCanaryResponse; + }; + sdk: { + input: GetCanaryCommandInput; + output: GetCanaryCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/GetCanaryRunsCommand.ts b/clients/client-synthetics/src/commands/GetCanaryRunsCommand.ts index 5dd501a65972..04282b3f69d3 100644 --- a/clients/client-synthetics/src/commands/GetCanaryRunsCommand.ts +++ b/clients/client-synthetics/src/commands/GetCanaryRunsCommand.ts @@ -104,4 +104,16 @@ export class GetCanaryRunsCommand extends $Command .f(void 0, void 0) .ser(se_GetCanaryRunsCommand) .de(de_GetCanaryRunsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCanaryRunsRequest; + output: GetCanaryRunsResponse; + }; + sdk: { + input: GetCanaryRunsCommandInput; + output: GetCanaryRunsCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/GetGroupCommand.ts b/clients/client-synthetics/src/commands/GetGroupCommand.ts index 9a42c95c7910..0eea122c9241 100644 --- a/clients/client-synthetics/src/commands/GetGroupCommand.ts +++ b/clients/client-synthetics/src/commands/GetGroupCommand.ts @@ -99,4 +99,16 @@ export class GetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCommand) .de(de_GetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupRequest; + output: GetGroupResponse; + }; + sdk: { + input: GetGroupCommandInput; + output: GetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/ListAssociatedGroupsCommand.ts b/clients/client-synthetics/src/commands/ListAssociatedGroupsCommand.ts index f713bf1defb4..865cedc32eba 100644 --- a/clients/client-synthetics/src/commands/ListAssociatedGroupsCommand.ts +++ b/clients/client-synthetics/src/commands/ListAssociatedGroupsCommand.ts @@ -96,4 +96,16 @@ export class ListAssociatedGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssociatedGroupsCommand) .de(de_ListAssociatedGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssociatedGroupsRequest; + output: ListAssociatedGroupsResponse; + }; + sdk: { + input: ListAssociatedGroupsCommandInput; + output: ListAssociatedGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/ListGroupResourcesCommand.ts b/clients/client-synthetics/src/commands/ListGroupResourcesCommand.ts index 81af1947427a..c315157bd9fc 100644 --- a/clients/client-synthetics/src/commands/ListGroupResourcesCommand.ts +++ b/clients/client-synthetics/src/commands/ListGroupResourcesCommand.ts @@ -94,4 +94,16 @@ export class ListGroupResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupResourcesCommand) .de(de_ListGroupResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupResourcesRequest; + output: ListGroupResourcesResponse; + }; + sdk: { + input: ListGroupResourcesCommandInput; + output: ListGroupResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/ListGroupsCommand.ts b/clients/client-synthetics/src/commands/ListGroupsCommand.ts index fa87ea80273c..0874a70eefbb 100644 --- a/clients/client-synthetics/src/commands/ListGroupsCommand.ts +++ b/clients/client-synthetics/src/commands/ListGroupsCommand.ts @@ -92,4 +92,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/ListTagsForResourceCommand.ts b/clients/client-synthetics/src/commands/ListTagsForResourceCommand.ts index b4e2c942259a..53f5673f771f 100644 --- a/clients/client-synthetics/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-synthetics/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/StartCanaryCommand.ts b/clients/client-synthetics/src/commands/StartCanaryCommand.ts index 5e165569fa19..5c0c273003d9 100644 --- a/clients/client-synthetics/src/commands/StartCanaryCommand.ts +++ b/clients/client-synthetics/src/commands/StartCanaryCommand.ts @@ -89,4 +89,16 @@ export class StartCanaryCommand extends $Command .f(void 0, void 0) .ser(se_StartCanaryCommand) .de(de_StartCanaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCanaryRequest; + output: {}; + }; + sdk: { + input: StartCanaryCommandInput; + output: StartCanaryCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/StopCanaryCommand.ts b/clients/client-synthetics/src/commands/StopCanaryCommand.ts index 925b320b3ca8..65a1fa8560cb 100644 --- a/clients/client-synthetics/src/commands/StopCanaryCommand.ts +++ b/clients/client-synthetics/src/commands/StopCanaryCommand.ts @@ -91,4 +91,16 @@ export class StopCanaryCommand extends $Command .f(void 0, void 0) .ser(se_StopCanaryCommand) .de(de_StopCanaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopCanaryRequest; + output: {}; + }; + sdk: { + input: StopCanaryCommandInput; + output: StopCanaryCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/TagResourceCommand.ts b/clients/client-synthetics/src/commands/TagResourceCommand.ts index 5aab9db9af2e..e6c40ef59e51 100644 --- a/clients/client-synthetics/src/commands/TagResourceCommand.ts +++ b/clients/client-synthetics/src/commands/TagResourceCommand.ts @@ -104,4 +104,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/UntagResourceCommand.ts b/clients/client-synthetics/src/commands/UntagResourceCommand.ts index 9e31640fffcd..9863bb895177 100644 --- a/clients/client-synthetics/src/commands/UntagResourceCommand.ts +++ b/clients/client-synthetics/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-synthetics/src/commands/UpdateCanaryCommand.ts b/clients/client-synthetics/src/commands/UpdateCanaryCommand.ts index 00548ab97514..6aa657ce7f2b 100644 --- a/clients/client-synthetics/src/commands/UpdateCanaryCommand.ts +++ b/clients/client-synthetics/src/commands/UpdateCanaryCommand.ts @@ -143,4 +143,16 @@ export class UpdateCanaryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCanaryCommand) .de(de_UpdateCanaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCanaryRequest; + output: {}; + }; + sdk: { + input: UpdateCanaryCommandInput; + output: UpdateCanaryCommandOutput; + }; + }; +} diff --git a/clients/client-taxsettings/package.json b/clients/client-taxsettings/package.json index c0fd1a4c57a8..cef9ef85e83b 100644 --- a/clients/client-taxsettings/package.json +++ b/clients/client-taxsettings/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-taxsettings/src/commands/BatchDeleteTaxRegistrationCommand.ts b/clients/client-taxsettings/src/commands/BatchDeleteTaxRegistrationCommand.ts index ff82bb08f607..db3e4e59d86b 100644 --- a/clients/client-taxsettings/src/commands/BatchDeleteTaxRegistrationCommand.ts +++ b/clients/client-taxsettings/src/commands/BatchDeleteTaxRegistrationCommand.ts @@ -103,4 +103,16 @@ export class BatchDeleteTaxRegistrationCommand extends $Command .f(void 0, BatchDeleteTaxRegistrationResponseFilterSensitiveLog) .ser(se_BatchDeleteTaxRegistrationCommand) .de(de_BatchDeleteTaxRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchDeleteTaxRegistrationRequest; + output: BatchDeleteTaxRegistrationResponse; + }; + sdk: { + input: BatchDeleteTaxRegistrationCommandInput; + output: BatchDeleteTaxRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-taxsettings/src/commands/BatchPutTaxRegistrationCommand.ts b/clients/client-taxsettings/src/commands/BatchPutTaxRegistrationCommand.ts index d712506c06de..67df74149596 100644 --- a/clients/client-taxsettings/src/commands/BatchPutTaxRegistrationCommand.ts +++ b/clients/client-taxsettings/src/commands/BatchPutTaxRegistrationCommand.ts @@ -369,4 +369,16 @@ export class BatchPutTaxRegistrationCommand extends $Command .f(BatchPutTaxRegistrationRequestFilterSensitiveLog, BatchPutTaxRegistrationResponseFilterSensitiveLog) .ser(se_BatchPutTaxRegistrationCommand) .de(de_BatchPutTaxRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchPutTaxRegistrationRequest; + output: BatchPutTaxRegistrationResponse; + }; + sdk: { + input: BatchPutTaxRegistrationCommandInput; + output: BatchPutTaxRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-taxsettings/src/commands/DeleteTaxRegistrationCommand.ts b/clients/client-taxsettings/src/commands/DeleteTaxRegistrationCommand.ts index 4e995ab27231..75eab0b27a6e 100644 --- a/clients/client-taxsettings/src/commands/DeleteTaxRegistrationCommand.ts +++ b/clients/client-taxsettings/src/commands/DeleteTaxRegistrationCommand.ts @@ -91,4 +91,16 @@ export class DeleteTaxRegistrationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTaxRegistrationCommand) .de(de_DeleteTaxRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTaxRegistrationRequest; + output: {}; + }; + sdk: { + input: DeleteTaxRegistrationCommandInput; + output: DeleteTaxRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-taxsettings/src/commands/GetTaxRegistrationCommand.ts b/clients/client-taxsettings/src/commands/GetTaxRegistrationCommand.ts index 5fac393af29c..426e70d93496 100644 --- a/clients/client-taxsettings/src/commands/GetTaxRegistrationCommand.ts +++ b/clients/client-taxsettings/src/commands/GetTaxRegistrationCommand.ts @@ -180,4 +180,16 @@ export class GetTaxRegistrationCommand extends $Command .f(void 0, GetTaxRegistrationResponseFilterSensitiveLog) .ser(se_GetTaxRegistrationCommand) .de(de_GetTaxRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTaxRegistrationRequest; + output: GetTaxRegistrationResponse; + }; + sdk: { + input: GetTaxRegistrationCommandInput; + output: GetTaxRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-taxsettings/src/commands/GetTaxRegistrationDocumentCommand.ts b/clients/client-taxsettings/src/commands/GetTaxRegistrationDocumentCommand.ts index 271d06978f98..f523fbf3229d 100644 --- a/clients/client-taxsettings/src/commands/GetTaxRegistrationDocumentCommand.ts +++ b/clients/client-taxsettings/src/commands/GetTaxRegistrationDocumentCommand.ts @@ -92,4 +92,16 @@ export class GetTaxRegistrationDocumentCommand extends $Command .f(void 0, void 0) .ser(se_GetTaxRegistrationDocumentCommand) .de(de_GetTaxRegistrationDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTaxRegistrationDocumentRequest; + output: GetTaxRegistrationDocumentResponse; + }; + sdk: { + input: GetTaxRegistrationDocumentCommandInput; + output: GetTaxRegistrationDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-taxsettings/src/commands/ListTaxRegistrationsCommand.ts b/clients/client-taxsettings/src/commands/ListTaxRegistrationsCommand.ts index 635d0b5ccc62..96b0f727b32d 100644 --- a/clients/client-taxsettings/src/commands/ListTaxRegistrationsCommand.ts +++ b/clients/client-taxsettings/src/commands/ListTaxRegistrationsCommand.ts @@ -208,4 +208,16 @@ export class ListTaxRegistrationsCommand extends $Command .f(void 0, ListTaxRegistrationsResponseFilterSensitiveLog) .ser(se_ListTaxRegistrationsCommand) .de(de_ListTaxRegistrationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTaxRegistrationsRequest; + output: ListTaxRegistrationsResponse; + }; + sdk: { + input: ListTaxRegistrationsCommandInput; + output: ListTaxRegistrationsCommandOutput; + }; + }; +} diff --git a/clients/client-taxsettings/src/commands/PutTaxRegistrationCommand.ts b/clients/client-taxsettings/src/commands/PutTaxRegistrationCommand.ts index b4301f0f8dca..57dca66c2c41 100644 --- a/clients/client-taxsettings/src/commands/PutTaxRegistrationCommand.ts +++ b/clients/client-taxsettings/src/commands/PutTaxRegistrationCommand.ts @@ -358,4 +358,16 @@ export class PutTaxRegistrationCommand extends $Command .f(PutTaxRegistrationRequestFilterSensitiveLog, void 0) .ser(se_PutTaxRegistrationCommand) .de(de_PutTaxRegistrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutTaxRegistrationRequest; + output: PutTaxRegistrationResponse; + }; + sdk: { + input: PutTaxRegistrationCommandInput; + output: PutTaxRegistrationCommandOutput; + }; + }; +} diff --git a/clients/client-textract/package.json b/clients/client-textract/package.json index c404582bfc0f..0480f8a7e409 100644 --- a/clients/client-textract/package.json +++ b/clients/client-textract/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-textract/src/commands/AnalyzeDocumentCommand.ts b/clients/client-textract/src/commands/AnalyzeDocumentCommand.ts index e494f22c91b2..85f624b7d7d1 100644 --- a/clients/client-textract/src/commands/AnalyzeDocumentCommand.ts +++ b/clients/client-textract/src/commands/AnalyzeDocumentCommand.ts @@ -264,4 +264,16 @@ export class AnalyzeDocumentCommand extends $Command .f(void 0, void 0) .ser(se_AnalyzeDocumentCommand) .de(de_AnalyzeDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AnalyzeDocumentRequest; + output: AnalyzeDocumentResponse; + }; + sdk: { + input: AnalyzeDocumentCommandInput; + output: AnalyzeDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/AnalyzeExpenseCommand.ts b/clients/client-textract/src/commands/AnalyzeExpenseCommand.ts index f9694b8b4e0d..cc97da175d24 100644 --- a/clients/client-textract/src/commands/AnalyzeExpenseCommand.ts +++ b/clients/client-textract/src/commands/AnalyzeExpenseCommand.ts @@ -305,4 +305,16 @@ export class AnalyzeExpenseCommand extends $Command .f(void 0, void 0) .ser(se_AnalyzeExpenseCommand) .de(de_AnalyzeExpenseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AnalyzeExpenseRequest; + output: AnalyzeExpenseResponse; + }; + sdk: { + input: AnalyzeExpenseCommandInput; + output: AnalyzeExpenseCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/AnalyzeIDCommand.ts b/clients/client-textract/src/commands/AnalyzeIDCommand.ts index 24666c3e48c2..e39add69614f 100644 --- a/clients/client-textract/src/commands/AnalyzeIDCommand.ts +++ b/clients/client-textract/src/commands/AnalyzeIDCommand.ts @@ -204,4 +204,16 @@ export class AnalyzeIDCommand extends $Command .f(void 0, void 0) .ser(se_AnalyzeIDCommand) .de(de_AnalyzeIDCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AnalyzeIDRequest; + output: AnalyzeIDResponse; + }; + sdk: { + input: AnalyzeIDCommandInput; + output: AnalyzeIDCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/CreateAdapterCommand.ts b/clients/client-textract/src/commands/CreateAdapterCommand.ts index c60e8d053b8a..cc006aceaf93 100644 --- a/clients/client-textract/src/commands/CreateAdapterCommand.ts +++ b/clients/client-textract/src/commands/CreateAdapterCommand.ts @@ -132,4 +132,16 @@ export class CreateAdapterCommand extends $Command .f(void 0, void 0) .ser(se_CreateAdapterCommand) .de(de_CreateAdapterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAdapterRequest; + output: CreateAdapterResponse; + }; + sdk: { + input: CreateAdapterCommandInput; + output: CreateAdapterCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/CreateAdapterVersionCommand.ts b/clients/client-textract/src/commands/CreateAdapterVersionCommand.ts index 539fca95bcf5..b830284c0da8 100644 --- a/clients/client-textract/src/commands/CreateAdapterVersionCommand.ts +++ b/clients/client-textract/src/commands/CreateAdapterVersionCommand.ts @@ -152,4 +152,16 @@ export class CreateAdapterVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateAdapterVersionCommand) .de(de_CreateAdapterVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAdapterVersionRequest; + output: CreateAdapterVersionResponse; + }; + sdk: { + input: CreateAdapterVersionCommandInput; + output: CreateAdapterVersionCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/DeleteAdapterCommand.ts b/clients/client-textract/src/commands/DeleteAdapterCommand.ts index cdb15c21debd..591860eb3940 100644 --- a/clients/client-textract/src/commands/DeleteAdapterCommand.ts +++ b/clients/client-textract/src/commands/DeleteAdapterCommand.ts @@ -105,4 +105,16 @@ export class DeleteAdapterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAdapterCommand) .de(de_DeleteAdapterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAdapterRequest; + output: {}; + }; + sdk: { + input: DeleteAdapterCommandInput; + output: DeleteAdapterCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/DeleteAdapterVersionCommand.ts b/clients/client-textract/src/commands/DeleteAdapterVersionCommand.ts index aa4203c662c6..b28eed0a4deb 100644 --- a/clients/client-textract/src/commands/DeleteAdapterVersionCommand.ts +++ b/clients/client-textract/src/commands/DeleteAdapterVersionCommand.ts @@ -107,4 +107,16 @@ export class DeleteAdapterVersionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAdapterVersionCommand) .de(de_DeleteAdapterVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAdapterVersionRequest; + output: {}; + }; + sdk: { + input: DeleteAdapterVersionCommandInput; + output: DeleteAdapterVersionCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/DetectDocumentTextCommand.ts b/clients/client-textract/src/commands/DetectDocumentTextCommand.ts index 2a3d74ab9fd3..e069c7d9ccec 100644 --- a/clients/client-textract/src/commands/DetectDocumentTextCommand.ts +++ b/clients/client-textract/src/commands/DetectDocumentTextCommand.ts @@ -184,4 +184,16 @@ export class DetectDocumentTextCommand extends $Command .f(void 0, void 0) .ser(se_DetectDocumentTextCommand) .de(de_DetectDocumentTextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DetectDocumentTextRequest; + output: DetectDocumentTextResponse; + }; + sdk: { + input: DetectDocumentTextCommandInput; + output: DetectDocumentTextCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/GetAdapterCommand.ts b/clients/client-textract/src/commands/GetAdapterCommand.ts index 54172317ce20..2a886c0c1211 100644 --- a/clients/client-textract/src/commands/GetAdapterCommand.ts +++ b/clients/client-textract/src/commands/GetAdapterCommand.ts @@ -115,4 +115,16 @@ export class GetAdapterCommand extends $Command .f(void 0, void 0) .ser(se_GetAdapterCommand) .de(de_GetAdapterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAdapterRequest; + output: GetAdapterResponse; + }; + sdk: { + input: GetAdapterCommandInput; + output: GetAdapterCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/GetAdapterVersionCommand.ts b/clients/client-textract/src/commands/GetAdapterVersionCommand.ts index 40f3579081f5..84a1383a9f8a 100644 --- a/clients/client-textract/src/commands/GetAdapterVersionCommand.ts +++ b/clients/client-textract/src/commands/GetAdapterVersionCommand.ts @@ -144,4 +144,16 @@ export class GetAdapterVersionCommand extends $Command .f(void 0, void 0) .ser(se_GetAdapterVersionCommand) .de(de_GetAdapterVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAdapterVersionRequest; + output: GetAdapterVersionResponse; + }; + sdk: { + input: GetAdapterVersionCommandInput; + output: GetAdapterVersionCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/GetDocumentAnalysisCommand.ts b/clients/client-textract/src/commands/GetDocumentAnalysisCommand.ts index 59eab65ecae6..62f94f438b13 100644 --- a/clients/client-textract/src/commands/GetDocumentAnalysisCommand.ts +++ b/clients/client-textract/src/commands/GetDocumentAnalysisCommand.ts @@ -234,4 +234,16 @@ export class GetDocumentAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_GetDocumentAnalysisCommand) .de(de_GetDocumentAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentAnalysisRequest; + output: GetDocumentAnalysisResponse; + }; + sdk: { + input: GetDocumentAnalysisCommandInput; + output: GetDocumentAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/GetDocumentTextDetectionCommand.ts b/clients/client-textract/src/commands/GetDocumentTextDetectionCommand.ts index f8357b62a2aa..e603d94a4e90 100644 --- a/clients/client-textract/src/commands/GetDocumentTextDetectionCommand.ts +++ b/clients/client-textract/src/commands/GetDocumentTextDetectionCommand.ts @@ -197,4 +197,16 @@ export class GetDocumentTextDetectionCommand extends $Command .f(void 0, void 0) .ser(se_GetDocumentTextDetectionCommand) .de(de_GetDocumentTextDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentTextDetectionRequest; + output: GetDocumentTextDetectionResponse; + }; + sdk: { + input: GetDocumentTextDetectionCommandInput; + output: GetDocumentTextDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/GetExpenseAnalysisCommand.ts b/clients/client-textract/src/commands/GetExpenseAnalysisCommand.ts index 347b1204233a..c0d58a01e2c8 100644 --- a/clients/client-textract/src/commands/GetExpenseAnalysisCommand.ts +++ b/clients/client-textract/src/commands/GetExpenseAnalysisCommand.ts @@ -305,4 +305,16 @@ export class GetExpenseAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_GetExpenseAnalysisCommand) .de(de_GetExpenseAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetExpenseAnalysisRequest; + output: GetExpenseAnalysisResponse; + }; + sdk: { + input: GetExpenseAnalysisCommandInput; + output: GetExpenseAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/GetLendingAnalysisCommand.ts b/clients/client-textract/src/commands/GetLendingAnalysisCommand.ts index 8f5cb1f01a11..c87663110f78 100644 --- a/clients/client-textract/src/commands/GetLendingAnalysisCommand.ts +++ b/clients/client-textract/src/commands/GetLendingAnalysisCommand.ts @@ -378,4 +378,16 @@ export class GetLendingAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_GetLendingAnalysisCommand) .de(de_GetLendingAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLendingAnalysisRequest; + output: GetLendingAnalysisResponse; + }; + sdk: { + input: GetLendingAnalysisCommandInput; + output: GetLendingAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/GetLendingAnalysisSummaryCommand.ts b/clients/client-textract/src/commands/GetLendingAnalysisSummaryCommand.ts index 3daa7ebc98a1..06dae82dcc8e 100644 --- a/clients/client-textract/src/commands/GetLendingAnalysisSummaryCommand.ts +++ b/clients/client-textract/src/commands/GetLendingAnalysisSummaryCommand.ts @@ -163,4 +163,16 @@ export class GetLendingAnalysisSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetLendingAnalysisSummaryCommand) .de(de_GetLendingAnalysisSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLendingAnalysisSummaryRequest; + output: GetLendingAnalysisSummaryResponse; + }; + sdk: { + input: GetLendingAnalysisSummaryCommandInput; + output: GetLendingAnalysisSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/ListAdapterVersionsCommand.ts b/clients/client-textract/src/commands/ListAdapterVersionsCommand.ts index 2ef434d2643a..952d9280c13d 100644 --- a/clients/client-textract/src/commands/ListAdapterVersionsCommand.ts +++ b/clients/client-textract/src/commands/ListAdapterVersionsCommand.ts @@ -120,4 +120,16 @@ export class ListAdapterVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAdapterVersionsCommand) .de(de_ListAdapterVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAdapterVersionsRequest; + output: ListAdapterVersionsResponse; + }; + sdk: { + input: ListAdapterVersionsCommandInput; + output: ListAdapterVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/ListAdaptersCommand.ts b/clients/client-textract/src/commands/ListAdaptersCommand.ts index 43e5e0818797..3e2298ea1297 100644 --- a/clients/client-textract/src/commands/ListAdaptersCommand.ts +++ b/clients/client-textract/src/commands/ListAdaptersCommand.ts @@ -114,4 +114,16 @@ export class ListAdaptersCommand extends $Command .f(void 0, void 0) .ser(se_ListAdaptersCommand) .de(de_ListAdaptersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAdaptersRequest; + output: ListAdaptersResponse; + }; + sdk: { + input: ListAdaptersCommandInput; + output: ListAdaptersCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/ListTagsForResourceCommand.ts b/clients/client-textract/src/commands/ListTagsForResourceCommand.ts index 45ec64a923b9..c8d579e7dad1 100644 --- a/clients/client-textract/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-textract/src/commands/ListTagsForResourceCommand.ts @@ -106,4 +106,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/StartDocumentAnalysisCommand.ts b/clients/client-textract/src/commands/StartDocumentAnalysisCommand.ts index 3f2d63304e6b..4ef34d3c9a51 100644 --- a/clients/client-textract/src/commands/StartDocumentAnalysisCommand.ts +++ b/clients/client-textract/src/commands/StartDocumentAnalysisCommand.ts @@ -191,4 +191,16 @@ export class StartDocumentAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_StartDocumentAnalysisCommand) .de(de_StartDocumentAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDocumentAnalysisRequest; + output: StartDocumentAnalysisResponse; + }; + sdk: { + input: StartDocumentAnalysisCommandInput; + output: StartDocumentAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/StartDocumentTextDetectionCommand.ts b/clients/client-textract/src/commands/StartDocumentTextDetectionCommand.ts index d84accfe6e7f..d15dcd6de0bb 100644 --- a/clients/client-textract/src/commands/StartDocumentTextDetectionCommand.ts +++ b/clients/client-textract/src/commands/StartDocumentTextDetectionCommand.ts @@ -166,4 +166,16 @@ export class StartDocumentTextDetectionCommand extends $Command .f(void 0, void 0) .ser(se_StartDocumentTextDetectionCommand) .de(de_StartDocumentTextDetectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDocumentTextDetectionRequest; + output: StartDocumentTextDetectionResponse; + }; + sdk: { + input: StartDocumentTextDetectionCommandInput; + output: StartDocumentTextDetectionCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/StartExpenseAnalysisCommand.ts b/clients/client-textract/src/commands/StartExpenseAnalysisCommand.ts index b4b9f809e94a..8395d7a9caf9 100644 --- a/clients/client-textract/src/commands/StartExpenseAnalysisCommand.ts +++ b/clients/client-textract/src/commands/StartExpenseAnalysisCommand.ts @@ -164,4 +164,16 @@ export class StartExpenseAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_StartExpenseAnalysisCommand) .de(de_StartExpenseAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartExpenseAnalysisRequest; + output: StartExpenseAnalysisResponse; + }; + sdk: { + input: StartExpenseAnalysisCommandInput; + output: StartExpenseAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/StartLendingAnalysisCommand.ts b/clients/client-textract/src/commands/StartLendingAnalysisCommand.ts index dc96625ac6d6..78fbedbdabb1 100644 --- a/clients/client-textract/src/commands/StartLendingAnalysisCommand.ts +++ b/clients/client-textract/src/commands/StartLendingAnalysisCommand.ts @@ -180,4 +180,16 @@ export class StartLendingAnalysisCommand extends $Command .f(void 0, void 0) .ser(se_StartLendingAnalysisCommand) .de(de_StartLendingAnalysisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartLendingAnalysisRequest; + output: StartLendingAnalysisResponse; + }; + sdk: { + input: StartLendingAnalysisCommandInput; + output: StartLendingAnalysisCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/TagResourceCommand.ts b/clients/client-textract/src/commands/TagResourceCommand.ts index db4a9f89ec2c..d4afe526e60e 100644 --- a/clients/client-textract/src/commands/TagResourceCommand.ts +++ b/clients/client-textract/src/commands/TagResourceCommand.ts @@ -108,4 +108,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/UntagResourceCommand.ts b/clients/client-textract/src/commands/UntagResourceCommand.ts index bfbd4d5c4355..9122cb053f7e 100644 --- a/clients/client-textract/src/commands/UntagResourceCommand.ts +++ b/clients/client-textract/src/commands/UntagResourceCommand.ts @@ -105,4 +105,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-textract/src/commands/UpdateAdapterCommand.ts b/clients/client-textract/src/commands/UpdateAdapterCommand.ts index ac382b176745..8bb647215ca4 100644 --- a/clients/client-textract/src/commands/UpdateAdapterCommand.ts +++ b/clients/client-textract/src/commands/UpdateAdapterCommand.ts @@ -118,4 +118,16 @@ export class UpdateAdapterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAdapterCommand) .de(de_UpdateAdapterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAdapterRequest; + output: UpdateAdapterResponse; + }; + sdk: { + input: UpdateAdapterCommandInput; + output: UpdateAdapterCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/package.json b/clients/client-timestream-influxdb/package.json index f6bf154a718f..9f21214ed461 100644 --- a/clients/client-timestream-influxdb/package.json +++ b/clients/client-timestream-influxdb/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-timestream-influxdb/src/commands/CreateDbInstanceCommand.ts b/clients/client-timestream-influxdb/src/commands/CreateDbInstanceCommand.ts index a30078f7b49b..e6268262462e 100644 --- a/clients/client-timestream-influxdb/src/commands/CreateDbInstanceCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/CreateDbInstanceCommand.ts @@ -156,4 +156,16 @@ export class CreateDbInstanceCommand extends $Command .f(CreateDbInstanceInputFilterSensitiveLog, void 0) .ser(se_CreateDbInstanceCommand) .de(de_CreateDbInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDbInstanceInput; + output: CreateDbInstanceOutput; + }; + sdk: { + input: CreateDbInstanceCommandInput; + output: CreateDbInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/CreateDbParameterGroupCommand.ts b/clients/client-timestream-influxdb/src/commands/CreateDbParameterGroupCommand.ts index 9e6ba74310a0..c0305ebda58c 100644 --- a/clients/client-timestream-influxdb/src/commands/CreateDbParameterGroupCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/CreateDbParameterGroupCommand.ts @@ -131,4 +131,16 @@ export class CreateDbParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateDbParameterGroupCommand) .de(de_CreateDbParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDbParameterGroupInput; + output: CreateDbParameterGroupOutput; + }; + sdk: { + input: CreateDbParameterGroupCommandInput; + output: CreateDbParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/DeleteDbInstanceCommand.ts b/clients/client-timestream-influxdb/src/commands/DeleteDbInstanceCommand.ts index e08da4ed8918..15b13e2dc628 100644 --- a/clients/client-timestream-influxdb/src/commands/DeleteDbInstanceCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/DeleteDbInstanceCommand.ts @@ -124,4 +124,16 @@ export class DeleteDbInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDbInstanceCommand) .de(de_DeleteDbInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDbInstanceInput; + output: DeleteDbInstanceOutput; + }; + sdk: { + input: DeleteDbInstanceCommandInput; + output: DeleteDbInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/GetDbInstanceCommand.ts b/clients/client-timestream-influxdb/src/commands/GetDbInstanceCommand.ts index 9352d28602ff..1ead4e0dd566 100644 --- a/clients/client-timestream-influxdb/src/commands/GetDbInstanceCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/GetDbInstanceCommand.ts @@ -121,4 +121,16 @@ export class GetDbInstanceCommand extends $Command .f(void 0, void 0) .ser(se_GetDbInstanceCommand) .de(de_GetDbInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDbInstanceInput; + output: GetDbInstanceOutput; + }; + sdk: { + input: GetDbInstanceCommandInput; + output: GetDbInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/GetDbParameterGroupCommand.ts b/clients/client-timestream-influxdb/src/commands/GetDbParameterGroupCommand.ts index 885bfbe93ed1..bea475545ac5 100644 --- a/clients/client-timestream-influxdb/src/commands/GetDbParameterGroupCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/GetDbParameterGroupCommand.ts @@ -110,4 +110,16 @@ export class GetDbParameterGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetDbParameterGroupCommand) .de(de_GetDbParameterGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDbParameterGroupInput; + output: GetDbParameterGroupOutput; + }; + sdk: { + input: GetDbParameterGroupCommandInput; + output: GetDbParameterGroupCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/ListDbInstancesCommand.ts b/clients/client-timestream-influxdb/src/commands/ListDbInstancesCommand.ts index 02bf2383e583..ca5ddeb906ee 100644 --- a/clients/client-timestream-influxdb/src/commands/ListDbInstancesCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/ListDbInstancesCommand.ts @@ -110,4 +110,16 @@ export class ListDbInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListDbInstancesCommand) .de(de_ListDbInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDbInstancesInput; + output: ListDbInstancesOutput; + }; + sdk: { + input: ListDbInstancesCommandInput; + output: ListDbInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/ListDbParameterGroupsCommand.ts b/clients/client-timestream-influxdb/src/commands/ListDbParameterGroupsCommand.ts index f2256a175051..df029c8321fb 100644 --- a/clients/client-timestream-influxdb/src/commands/ListDbParameterGroupsCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/ListDbParameterGroupsCommand.ts @@ -105,4 +105,16 @@ export class ListDbParameterGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListDbParameterGroupsCommand) .de(de_ListDbParameterGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDbParameterGroupsInput; + output: ListDbParameterGroupsOutput; + }; + sdk: { + input: ListDbParameterGroupsCommandInput; + output: ListDbParameterGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/ListTagsForResourceCommand.ts b/clients/client-timestream-influxdb/src/commands/ListTagsForResourceCommand.ts index d6b1cf0f25d2..cc8750a14584 100644 --- a/clients/client-timestream-influxdb/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/ListTagsForResourceCommand.ts @@ -86,4 +86,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/TagResourceCommand.ts b/clients/client-timestream-influxdb/src/commands/TagResourceCommand.ts index c212fe71f94e..a554e89f0be2 100644 --- a/clients/client-timestream-influxdb/src/commands/TagResourceCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/TagResourceCommand.ts @@ -85,4 +85,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/UntagResourceCommand.ts b/clients/client-timestream-influxdb/src/commands/UntagResourceCommand.ts index 9d9f23d7b221..daee2897551e 100644 --- a/clients/client-timestream-influxdb/src/commands/UntagResourceCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/UntagResourceCommand.ts @@ -85,4 +85,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-influxdb/src/commands/UpdateDbInstanceCommand.ts b/clients/client-timestream-influxdb/src/commands/UpdateDbInstanceCommand.ts index 8a2e53aa7b14..96bb71de75fd 100644 --- a/clients/client-timestream-influxdb/src/commands/UpdateDbInstanceCommand.ts +++ b/clients/client-timestream-influxdb/src/commands/UpdateDbInstanceCommand.ts @@ -133,4 +133,16 @@ export class UpdateDbInstanceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDbInstanceCommand) .de(de_UpdateDbInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDbInstanceInput; + output: UpdateDbInstanceOutput; + }; + sdk: { + input: UpdateDbInstanceCommandInput; + output: UpdateDbInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/package.json b/clients/client-timestream-query/package.json index fcef836b6dd3..a6df40a81fa5 100644 --- a/clients/client-timestream-query/package.json +++ b/clients/client-timestream-query/package.json @@ -34,30 +34,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-timestream-query/src/commands/CancelQueryCommand.ts b/clients/client-timestream-query/src/commands/CancelQueryCommand.ts index 52da126bc196..1081d1f7e874 100644 --- a/clients/client-timestream-query/src/commands/CancelQueryCommand.ts +++ b/clients/client-timestream-query/src/commands/CancelQueryCommand.ts @@ -105,4 +105,16 @@ export class CancelQueryCommand extends $Command .f(void 0, void 0) .ser(se_CancelQueryCommand) .de(de_CancelQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelQueryRequest; + output: CancelQueryResponse; + }; + sdk: { + input: CancelQueryCommandInput; + output: CancelQueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/CreateScheduledQueryCommand.ts b/clients/client-timestream-query/src/commands/CreateScheduledQueryCommand.ts index 66656e8db1de..5f7d8cec19b1 100644 --- a/clients/client-timestream-query/src/commands/CreateScheduledQueryCommand.ts +++ b/clients/client-timestream-query/src/commands/CreateScheduledQueryCommand.ts @@ -178,4 +178,16 @@ export class CreateScheduledQueryCommand extends $Command .f(CreateScheduledQueryRequestFilterSensitiveLog, void 0) .ser(se_CreateScheduledQueryCommand) .de(de_CreateScheduledQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateScheduledQueryRequest; + output: CreateScheduledQueryResponse; + }; + sdk: { + input: CreateScheduledQueryCommandInput; + output: CreateScheduledQueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/DeleteScheduledQueryCommand.ts b/clients/client-timestream-query/src/commands/DeleteScheduledQueryCommand.ts index 5ab13746d35a..915bf040d881 100644 --- a/clients/client-timestream-query/src/commands/DeleteScheduledQueryCommand.ts +++ b/clients/client-timestream-query/src/commands/DeleteScheduledQueryCommand.ts @@ -101,4 +101,16 @@ export class DeleteScheduledQueryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteScheduledQueryCommand) .de(de_DeleteScheduledQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteScheduledQueryRequest; + output: {}; + }; + sdk: { + input: DeleteScheduledQueryCommandInput; + output: DeleteScheduledQueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/DescribeAccountSettingsCommand.ts b/clients/client-timestream-query/src/commands/DescribeAccountSettingsCommand.ts index 9aae3b8cd42f..1164238c4249 100644 --- a/clients/client-timestream-query/src/commands/DescribeAccountSettingsCommand.ts +++ b/clients/client-timestream-query/src/commands/DescribeAccountSettingsCommand.ts @@ -97,4 +97,16 @@ export class DescribeAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountSettingsCommand) .de(de_DescribeAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountSettingsResponse; + }; + sdk: { + input: DescribeAccountSettingsCommandInput; + output: DescribeAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/DescribeEndpointsCommand.ts b/clients/client-timestream-query/src/commands/DescribeEndpointsCommand.ts index 733d4e563881..a6cf31b7102d 100644 --- a/clients/client-timestream-query/src/commands/DescribeEndpointsCommand.ts +++ b/clients/client-timestream-query/src/commands/DescribeEndpointsCommand.ts @@ -111,4 +111,16 @@ export class DescribeEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointsCommand) .de(de_DescribeEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeEndpointsResponse; + }; + sdk: { + input: DescribeEndpointsCommandInput; + output: DescribeEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/DescribeScheduledQueryCommand.ts b/clients/client-timestream-query/src/commands/DescribeScheduledQueryCommand.ts index 249925abf439..1c1ef13ca78c 100644 --- a/clients/client-timestream-query/src/commands/DescribeScheduledQueryCommand.ts +++ b/clients/client-timestream-query/src/commands/DescribeScheduledQueryCommand.ts @@ -213,4 +213,16 @@ export class DescribeScheduledQueryCommand extends $Command .f(void 0, DescribeScheduledQueryResponseFilterSensitiveLog) .ser(se_DescribeScheduledQueryCommand) .de(de_DescribeScheduledQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeScheduledQueryRequest; + output: DescribeScheduledQueryResponse; + }; + sdk: { + input: DescribeScheduledQueryCommandInput; + output: DescribeScheduledQueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/ExecuteScheduledQueryCommand.ts b/clients/client-timestream-query/src/commands/ExecuteScheduledQueryCommand.ts index 7c47c39674b9..812bb8b93109 100644 --- a/clients/client-timestream-query/src/commands/ExecuteScheduledQueryCommand.ts +++ b/clients/client-timestream-query/src/commands/ExecuteScheduledQueryCommand.ts @@ -103,4 +103,16 @@ export class ExecuteScheduledQueryCommand extends $Command .f(ExecuteScheduledQueryRequestFilterSensitiveLog, void 0) .ser(se_ExecuteScheduledQueryCommand) .de(de_ExecuteScheduledQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExecuteScheduledQueryRequest; + output: {}; + }; + sdk: { + input: ExecuteScheduledQueryCommandInput; + output: ExecuteScheduledQueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/ListScheduledQueriesCommand.ts b/clients/client-timestream-query/src/commands/ListScheduledQueriesCommand.ts index d9464443d921..1290059ebce5 100644 --- a/clients/client-timestream-query/src/commands/ListScheduledQueriesCommand.ts +++ b/clients/client-timestream-query/src/commands/ListScheduledQueriesCommand.ts @@ -126,4 +126,16 @@ export class ListScheduledQueriesCommand extends $Command .f(void 0, void 0) .ser(se_ListScheduledQueriesCommand) .de(de_ListScheduledQueriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListScheduledQueriesRequest; + output: ListScheduledQueriesResponse; + }; + sdk: { + input: ListScheduledQueriesCommandInput; + output: ListScheduledQueriesCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/ListTagsForResourceCommand.ts b/clients/client-timestream-query/src/commands/ListTagsForResourceCommand.ts index 6529c28ba4a8..b43cc0e6505f 100644 --- a/clients/client-timestream-query/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-timestream-query/src/commands/ListTagsForResourceCommand.ts @@ -103,4 +103,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/PrepareQueryCommand.ts b/clients/client-timestream-query/src/commands/PrepareQueryCommand.ts index 9e1ee8096c0d..74cf213d65f4 100644 --- a/clients/client-timestream-query/src/commands/PrepareQueryCommand.ts +++ b/clients/client-timestream-query/src/commands/PrepareQueryCommand.ts @@ -146,4 +146,16 @@ export class PrepareQueryCommand extends $Command .f(PrepareQueryRequestFilterSensitiveLog, PrepareQueryResponseFilterSensitiveLog) .ser(se_PrepareQueryCommand) .de(de_PrepareQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PrepareQueryRequest; + output: PrepareQueryResponse; + }; + sdk: { + input: PrepareQueryCommandInput; + output: PrepareQueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/QueryCommand.ts b/clients/client-timestream-query/src/commands/QueryCommand.ts index 361cd44f85f0..d0da84a66242 100644 --- a/clients/client-timestream-query/src/commands/QueryCommand.ts +++ b/clients/client-timestream-query/src/commands/QueryCommand.ts @@ -200,4 +200,16 @@ export class QueryCommand extends $Command .f(QueryRequestFilterSensitiveLog, void 0) .ser(se_QueryCommand) .de(de_QueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryRequest; + output: QueryResponse; + }; + sdk: { + input: QueryCommandInput; + output: QueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/TagResourceCommand.ts b/clients/client-timestream-query/src/commands/TagResourceCommand.ts index fc2faa83752e..d1cb960309a5 100644 --- a/clients/client-timestream-query/src/commands/TagResourceCommand.ts +++ b/clients/client-timestream-query/src/commands/TagResourceCommand.ts @@ -104,4 +104,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/UntagResourceCommand.ts b/clients/client-timestream-query/src/commands/UntagResourceCommand.ts index a3812455fed6..afdd36916b54 100644 --- a/clients/client-timestream-query/src/commands/UntagResourceCommand.ts +++ b/clients/client-timestream-query/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/UpdateAccountSettingsCommand.ts b/clients/client-timestream-query/src/commands/UpdateAccountSettingsCommand.ts index 27390958cf92..affc62a9cf2c 100644 --- a/clients/client-timestream-query/src/commands/UpdateAccountSettingsCommand.ts +++ b/clients/client-timestream-query/src/commands/UpdateAccountSettingsCommand.ts @@ -105,4 +105,16 @@ export class UpdateAccountSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccountSettingsCommand) .de(de_UpdateAccountSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccountSettingsRequest; + output: UpdateAccountSettingsResponse; + }; + sdk: { + input: UpdateAccountSettingsCommandInput; + output: UpdateAccountSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-query/src/commands/UpdateScheduledQueryCommand.ts b/clients/client-timestream-query/src/commands/UpdateScheduledQueryCommand.ts index 1705bbd8db6e..082bb456a91c 100644 --- a/clients/client-timestream-query/src/commands/UpdateScheduledQueryCommand.ts +++ b/clients/client-timestream-query/src/commands/UpdateScheduledQueryCommand.ts @@ -102,4 +102,16 @@ export class UpdateScheduledQueryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateScheduledQueryCommand) .de(de_UpdateScheduledQueryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateScheduledQueryRequest; + output: {}; + }; + sdk: { + input: UpdateScheduledQueryCommandInput; + output: UpdateScheduledQueryCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/package.json b/clients/client-timestream-write/package.json index 8c2c8d791561..e6279903819d 100644 --- a/clients/client-timestream-write/package.json +++ b/clients/client-timestream-write/package.json @@ -34,30 +34,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-timestream-write/src/commands/CreateBatchLoadTaskCommand.ts b/clients/client-timestream-write/src/commands/CreateBatchLoadTaskCommand.ts index b57394789457..95f589b01b00 100644 --- a/clients/client-timestream-write/src/commands/CreateBatchLoadTaskCommand.ts +++ b/clients/client-timestream-write/src/commands/CreateBatchLoadTaskCommand.ts @@ -191,4 +191,16 @@ export class CreateBatchLoadTaskCommand extends $Command .f(CreateBatchLoadTaskRequestFilterSensitiveLog, void 0) .ser(se_CreateBatchLoadTaskCommand) .de(de_CreateBatchLoadTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBatchLoadTaskRequest; + output: CreateBatchLoadTaskResponse; + }; + sdk: { + input: CreateBatchLoadTaskCommandInput; + output: CreateBatchLoadTaskCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/CreateDatabaseCommand.ts b/clients/client-timestream-write/src/commands/CreateDatabaseCommand.ts index 633285d60d09..45dc3d6f4ae6 100644 --- a/clients/client-timestream-write/src/commands/CreateDatabaseCommand.ts +++ b/clients/client-timestream-write/src/commands/CreateDatabaseCommand.ts @@ -125,4 +125,16 @@ export class CreateDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateDatabaseCommand) .de(de_CreateDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDatabaseRequest; + output: CreateDatabaseResponse; + }; + sdk: { + input: CreateDatabaseCommandInput; + output: CreateDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/CreateTableCommand.ts b/clients/client-timestream-write/src/commands/CreateTableCommand.ts index 18ee05dff98a..20af22a107f4 100644 --- a/clients/client-timestream-write/src/commands/CreateTableCommand.ts +++ b/clients/client-timestream-write/src/commands/CreateTableCommand.ts @@ -179,4 +179,16 @@ export class CreateTableCommand extends $Command .f(void 0, void 0) .ser(se_CreateTableCommand) .de(de_CreateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTableRequest; + output: CreateTableResponse; + }; + sdk: { + input: CreateTableCommandInput; + output: CreateTableCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/DeleteDatabaseCommand.ts b/clients/client-timestream-write/src/commands/DeleteDatabaseCommand.ts index 5225d67229fe..2a7bb9a177d9 100644 --- a/clients/client-timestream-write/src/commands/DeleteDatabaseCommand.ts +++ b/clients/client-timestream-write/src/commands/DeleteDatabaseCommand.ts @@ -114,4 +114,16 @@ export class DeleteDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDatabaseCommand) .de(de_DeleteDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDatabaseRequest; + output: {}; + }; + sdk: { + input: DeleteDatabaseCommandInput; + output: DeleteDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/DeleteTableCommand.ts b/clients/client-timestream-write/src/commands/DeleteTableCommand.ts index 86b415a88673..5097300f6cf0 100644 --- a/clients/client-timestream-write/src/commands/DeleteTableCommand.ts +++ b/clients/client-timestream-write/src/commands/DeleteTableCommand.ts @@ -112,4 +112,16 @@ export class DeleteTableCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTableCommand) .de(de_DeleteTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTableRequest; + output: {}; + }; + sdk: { + input: DeleteTableCommandInput; + output: DeleteTableCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/DescribeBatchLoadTaskCommand.ts b/clients/client-timestream-write/src/commands/DescribeBatchLoadTaskCommand.ts index cdbe0edc9876..9a5a7b3a3c1d 100644 --- a/clients/client-timestream-write/src/commands/DescribeBatchLoadTaskCommand.ts +++ b/clients/client-timestream-write/src/commands/DescribeBatchLoadTaskCommand.ts @@ -187,4 +187,16 @@ export class DescribeBatchLoadTaskCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBatchLoadTaskCommand) .de(de_DescribeBatchLoadTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBatchLoadTaskRequest; + output: DescribeBatchLoadTaskResponse; + }; + sdk: { + input: DescribeBatchLoadTaskCommandInput; + output: DescribeBatchLoadTaskCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/DescribeDatabaseCommand.ts b/clients/client-timestream-write/src/commands/DescribeDatabaseCommand.ts index 31b3e4553a40..4bea3059b00c 100644 --- a/clients/client-timestream-write/src/commands/DescribeDatabaseCommand.ts +++ b/clients/client-timestream-write/src/commands/DescribeDatabaseCommand.ts @@ -115,4 +115,16 @@ export class DescribeDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDatabaseCommand) .de(de_DescribeDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDatabaseRequest; + output: DescribeDatabaseResponse; + }; + sdk: { + input: DescribeDatabaseCommandInput; + output: DescribeDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/DescribeEndpointsCommand.ts b/clients/client-timestream-write/src/commands/DescribeEndpointsCommand.ts index 3243b9e70dfd..35414af06060 100644 --- a/clients/client-timestream-write/src/commands/DescribeEndpointsCommand.ts +++ b/clients/client-timestream-write/src/commands/DescribeEndpointsCommand.ts @@ -112,4 +112,16 @@ export class DescribeEndpointsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEndpointsCommand) .de(de_DescribeEndpointsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeEndpointsResponse; + }; + sdk: { + input: DescribeEndpointsCommandInput; + output: DescribeEndpointsCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/DescribeTableCommand.ts b/clients/client-timestream-write/src/commands/DescribeTableCommand.ts index bbfe2740f98d..1a3f9e372cc8 100644 --- a/clients/client-timestream-write/src/commands/DescribeTableCommand.ts +++ b/clients/client-timestream-write/src/commands/DescribeTableCommand.ts @@ -140,4 +140,16 @@ export class DescribeTableCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTableCommand) .de(de_DescribeTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTableRequest; + output: DescribeTableResponse; + }; + sdk: { + input: DescribeTableCommandInput; + output: DescribeTableCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/ListBatchLoadTasksCommand.ts b/clients/client-timestream-write/src/commands/ListBatchLoadTasksCommand.ts index 98e6fa2fafe4..80696758c43f 100644 --- a/clients/client-timestream-write/src/commands/ListBatchLoadTasksCommand.ts +++ b/clients/client-timestream-write/src/commands/ListBatchLoadTasksCommand.ts @@ -116,4 +116,16 @@ export class ListBatchLoadTasksCommand extends $Command .f(void 0, void 0) .ser(se_ListBatchLoadTasksCommand) .de(de_ListBatchLoadTasksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBatchLoadTasksRequest; + output: ListBatchLoadTasksResponse; + }; + sdk: { + input: ListBatchLoadTasksCommandInput; + output: ListBatchLoadTasksCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/ListDatabasesCommand.ts b/clients/client-timestream-write/src/commands/ListDatabasesCommand.ts index 00354cf47090..14121b42ed8a 100644 --- a/clients/client-timestream-write/src/commands/ListDatabasesCommand.ts +++ b/clients/client-timestream-write/src/commands/ListDatabasesCommand.ts @@ -114,4 +114,16 @@ export class ListDatabasesCommand extends $Command .f(void 0, void 0) .ser(se_ListDatabasesCommand) .de(de_ListDatabasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDatabasesRequest; + output: ListDatabasesResponse; + }; + sdk: { + input: ListDatabasesCommandInput; + output: ListDatabasesCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/ListTablesCommand.ts b/clients/client-timestream-write/src/commands/ListTablesCommand.ts index 4a9983a34f5e..102e50cd6fb0 100644 --- a/clients/client-timestream-write/src/commands/ListTablesCommand.ts +++ b/clients/client-timestream-write/src/commands/ListTablesCommand.ts @@ -143,4 +143,16 @@ export class ListTablesCommand extends $Command .f(void 0, void 0) .ser(se_ListTablesCommand) .de(de_ListTablesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTablesRequest; + output: ListTablesResponse; + }; + sdk: { + input: ListTablesCommandInput; + output: ListTablesCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/ListTagsForResourceCommand.ts b/clients/client-timestream-write/src/commands/ListTagsForResourceCommand.ts index 7532b3bb61bd..b6abf7d41a59 100644 --- a/clients/client-timestream-write/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-timestream-write/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/ResumeBatchLoadTaskCommand.ts b/clients/client-timestream-write/src/commands/ResumeBatchLoadTaskCommand.ts index 79b127ab2d78..f5a06179f29f 100644 --- a/clients/client-timestream-write/src/commands/ResumeBatchLoadTaskCommand.ts +++ b/clients/client-timestream-write/src/commands/ResumeBatchLoadTaskCommand.ts @@ -104,4 +104,16 @@ export class ResumeBatchLoadTaskCommand extends $Command .f(void 0, void 0) .ser(se_ResumeBatchLoadTaskCommand) .de(de_ResumeBatchLoadTaskCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResumeBatchLoadTaskRequest; + output: {}; + }; + sdk: { + input: ResumeBatchLoadTaskCommandInput; + output: ResumeBatchLoadTaskCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/TagResourceCommand.ts b/clients/client-timestream-write/src/commands/TagResourceCommand.ts index a09f843c2168..0490225fd752 100644 --- a/clients/client-timestream-write/src/commands/TagResourceCommand.ts +++ b/clients/client-timestream-write/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/UntagResourceCommand.ts b/clients/client-timestream-write/src/commands/UntagResourceCommand.ts index dddd86014db0..f065aa212414 100644 --- a/clients/client-timestream-write/src/commands/UntagResourceCommand.ts +++ b/clients/client-timestream-write/src/commands/UntagResourceCommand.ts @@ -101,4 +101,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/UpdateDatabaseCommand.ts b/clients/client-timestream-write/src/commands/UpdateDatabaseCommand.ts index 16fb77312a73..9755dc080483 100644 --- a/clients/client-timestream-write/src/commands/UpdateDatabaseCommand.ts +++ b/clients/client-timestream-write/src/commands/UpdateDatabaseCommand.ts @@ -120,4 +120,16 @@ export class UpdateDatabaseCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDatabaseCommand) .de(de_UpdateDatabaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDatabaseRequest; + output: UpdateDatabaseResponse; + }; + sdk: { + input: UpdateDatabaseCommandInput; + output: UpdateDatabaseCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/UpdateTableCommand.ts b/clients/client-timestream-write/src/commands/UpdateTableCommand.ts index 5b5a7256df91..11a1cbac0e89 100644 --- a/clients/client-timestream-write/src/commands/UpdateTableCommand.ts +++ b/clients/client-timestream-write/src/commands/UpdateTableCommand.ts @@ -166,4 +166,16 @@ export class UpdateTableCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTableCommand) .de(de_UpdateTableCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTableRequest; + output: UpdateTableResponse; + }; + sdk: { + input: UpdateTableCommandInput; + output: UpdateTableCommandOutput; + }; + }; +} diff --git a/clients/client-timestream-write/src/commands/WriteRecordsCommand.ts b/clients/client-timestream-write/src/commands/WriteRecordsCommand.ts index 0f3d9af7db13..065632b3f0ff 100644 --- a/clients/client-timestream-write/src/commands/WriteRecordsCommand.ts +++ b/clients/client-timestream-write/src/commands/WriteRecordsCommand.ts @@ -226,4 +226,16 @@ export class WriteRecordsCommand extends $Command .f(void 0, void 0) .ser(se_WriteRecordsCommand) .de(de_WriteRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: WriteRecordsRequest; + output: WriteRecordsResponse; + }; + sdk: { + input: WriteRecordsCommandInput; + output: WriteRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/package.json b/clients/client-tnb/package.json index 4e842255fb63..dae11b107fa2 100644 --- a/clients/client-tnb/package.json +++ b/clients/client-tnb/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-tnb/src/commands/CancelSolNetworkOperationCommand.ts b/clients/client-tnb/src/commands/CancelSolNetworkOperationCommand.ts index dacae1d53c75..489bd38f785c 100644 --- a/clients/client-tnb/src/commands/CancelSolNetworkOperationCommand.ts +++ b/clients/client-tnb/src/commands/CancelSolNetworkOperationCommand.ts @@ -92,4 +92,16 @@ export class CancelSolNetworkOperationCommand extends $Command .f(void 0, void 0) .ser(se_CancelSolNetworkOperationCommand) .de(de_CancelSolNetworkOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelSolNetworkOperationInput; + output: {}; + }; + sdk: { + input: CancelSolNetworkOperationCommandInput; + output: CancelSolNetworkOperationCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/CreateSolFunctionPackageCommand.ts b/clients/client-tnb/src/commands/CreateSolFunctionPackageCommand.ts index e92621a84338..cf3ceb61488b 100644 --- a/clients/client-tnb/src/commands/CreateSolFunctionPackageCommand.ts +++ b/clients/client-tnb/src/commands/CreateSolFunctionPackageCommand.ts @@ -112,4 +112,16 @@ export class CreateSolFunctionPackageCommand extends $Command .f(CreateSolFunctionPackageInputFilterSensitiveLog, CreateSolFunctionPackageOutputFilterSensitiveLog) .ser(se_CreateSolFunctionPackageCommand) .de(de_CreateSolFunctionPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSolFunctionPackageInput; + output: CreateSolFunctionPackageOutput; + }; + sdk: { + input: CreateSolFunctionPackageCommandInput; + output: CreateSolFunctionPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/CreateSolNetworkInstanceCommand.ts b/clients/client-tnb/src/commands/CreateSolNetworkInstanceCommand.ts index f931e4254a50..d45fbe0aff17 100644 --- a/clients/client-tnb/src/commands/CreateSolNetworkInstanceCommand.ts +++ b/clients/client-tnb/src/commands/CreateSolNetworkInstanceCommand.ts @@ -117,4 +117,16 @@ export class CreateSolNetworkInstanceCommand extends $Command .f(CreateSolNetworkInstanceInputFilterSensitiveLog, CreateSolNetworkInstanceOutputFilterSensitiveLog) .ser(se_CreateSolNetworkInstanceCommand) .de(de_CreateSolNetworkInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSolNetworkInstanceInput; + output: CreateSolNetworkInstanceOutput; + }; + sdk: { + input: CreateSolNetworkInstanceCommandInput; + output: CreateSolNetworkInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/CreateSolNetworkPackageCommand.ts b/clients/client-tnb/src/commands/CreateSolNetworkPackageCommand.ts index b5720a025b0a..ccf5de594304 100644 --- a/clients/client-tnb/src/commands/CreateSolNetworkPackageCommand.ts +++ b/clients/client-tnb/src/commands/CreateSolNetworkPackageCommand.ts @@ -115,4 +115,16 @@ export class CreateSolNetworkPackageCommand extends $Command .f(CreateSolNetworkPackageInputFilterSensitiveLog, CreateSolNetworkPackageOutputFilterSensitiveLog) .ser(se_CreateSolNetworkPackageCommand) .de(de_CreateSolNetworkPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSolNetworkPackageInput; + output: CreateSolNetworkPackageOutput; + }; + sdk: { + input: CreateSolNetworkPackageCommandInput; + output: CreateSolNetworkPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/DeleteSolFunctionPackageCommand.ts b/clients/client-tnb/src/commands/DeleteSolFunctionPackageCommand.ts index 7fda762ec6c7..1aaa5050b147 100644 --- a/clients/client-tnb/src/commands/DeleteSolFunctionPackageCommand.ts +++ b/clients/client-tnb/src/commands/DeleteSolFunctionPackageCommand.ts @@ -94,4 +94,16 @@ export class DeleteSolFunctionPackageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSolFunctionPackageCommand) .de(de_DeleteSolFunctionPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSolFunctionPackageInput; + output: {}; + }; + sdk: { + input: DeleteSolFunctionPackageCommandInput; + output: DeleteSolFunctionPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/DeleteSolNetworkInstanceCommand.ts b/clients/client-tnb/src/commands/DeleteSolNetworkInstanceCommand.ts index ddb1db5cbb51..e649e292d5a5 100644 --- a/clients/client-tnb/src/commands/DeleteSolNetworkInstanceCommand.ts +++ b/clients/client-tnb/src/commands/DeleteSolNetworkInstanceCommand.ts @@ -94,4 +94,16 @@ export class DeleteSolNetworkInstanceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSolNetworkInstanceCommand) .de(de_DeleteSolNetworkInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSolNetworkInstanceInput; + output: {}; + }; + sdk: { + input: DeleteSolNetworkInstanceCommandInput; + output: DeleteSolNetworkInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/DeleteSolNetworkPackageCommand.ts b/clients/client-tnb/src/commands/DeleteSolNetworkPackageCommand.ts index f620ff76db7c..7a824b199b0c 100644 --- a/clients/client-tnb/src/commands/DeleteSolNetworkPackageCommand.ts +++ b/clients/client-tnb/src/commands/DeleteSolNetworkPackageCommand.ts @@ -94,4 +94,16 @@ export class DeleteSolNetworkPackageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSolNetworkPackageCommand) .de(de_DeleteSolNetworkPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSolNetworkPackageInput; + output: {}; + }; + sdk: { + input: DeleteSolNetworkPackageCommandInput; + output: DeleteSolNetworkPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolFunctionInstanceCommand.ts b/clients/client-tnb/src/commands/GetSolFunctionInstanceCommand.ts index 919f9ed59edb..5e956553b1e3 100644 --- a/clients/client-tnb/src/commands/GetSolFunctionInstanceCommand.ts +++ b/clients/client-tnb/src/commands/GetSolFunctionInstanceCommand.ts @@ -126,4 +126,16 @@ export class GetSolFunctionInstanceCommand extends $Command .f(void 0, GetSolFunctionInstanceOutputFilterSensitiveLog) .ser(se_GetSolFunctionInstanceCommand) .de(de_GetSolFunctionInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolFunctionInstanceInput; + output: GetSolFunctionInstanceOutput; + }; + sdk: { + input: GetSolFunctionInstanceCommandInput; + output: GetSolFunctionInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolFunctionPackageCommand.ts b/clients/client-tnb/src/commands/GetSolFunctionPackageCommand.ts index 7f850c4dfaf5..b409a6add01b 100644 --- a/clients/client-tnb/src/commands/GetSolFunctionPackageCommand.ts +++ b/clients/client-tnb/src/commands/GetSolFunctionPackageCommand.ts @@ -122,4 +122,16 @@ export class GetSolFunctionPackageCommand extends $Command .f(void 0, GetSolFunctionPackageOutputFilterSensitiveLog) .ser(se_GetSolFunctionPackageCommand) .de(de_GetSolFunctionPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolFunctionPackageInput; + output: GetSolFunctionPackageOutput; + }; + sdk: { + input: GetSolFunctionPackageCommandInput; + output: GetSolFunctionPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolFunctionPackageContentCommand.ts b/clients/client-tnb/src/commands/GetSolFunctionPackageContentCommand.ts index f420af41d8b6..fc9e512055e8 100644 --- a/clients/client-tnb/src/commands/GetSolFunctionPackageContentCommand.ts +++ b/clients/client-tnb/src/commands/GetSolFunctionPackageContentCommand.ts @@ -112,4 +112,16 @@ export class GetSolFunctionPackageContentCommand extends $Command .f(void 0, void 0) .ser(se_GetSolFunctionPackageContentCommand) .de(de_GetSolFunctionPackageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolFunctionPackageContentInput; + output: GetSolFunctionPackageContentOutput; + }; + sdk: { + input: GetSolFunctionPackageContentCommandInput; + output: GetSolFunctionPackageContentCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolFunctionPackageDescriptorCommand.ts b/clients/client-tnb/src/commands/GetSolFunctionPackageDescriptorCommand.ts index 60da984ba1cc..72c7fe6e8f5f 100644 --- a/clients/client-tnb/src/commands/GetSolFunctionPackageDescriptorCommand.ts +++ b/clients/client-tnb/src/commands/GetSolFunctionPackageDescriptorCommand.ts @@ -110,4 +110,16 @@ export class GetSolFunctionPackageDescriptorCommand extends $Command .f(void 0, void 0) .ser(se_GetSolFunctionPackageDescriptorCommand) .de(de_GetSolFunctionPackageDescriptorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolFunctionPackageDescriptorInput; + output: GetSolFunctionPackageDescriptorOutput; + }; + sdk: { + input: GetSolFunctionPackageDescriptorCommandInput; + output: GetSolFunctionPackageDescriptorCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolNetworkInstanceCommand.ts b/clients/client-tnb/src/commands/GetSolNetworkInstanceCommand.ts index 15fe6b333475..90f42253ebf8 100644 --- a/clients/client-tnb/src/commands/GetSolNetworkInstanceCommand.ts +++ b/clients/client-tnb/src/commands/GetSolNetworkInstanceCommand.ts @@ -114,4 +114,16 @@ export class GetSolNetworkInstanceCommand extends $Command .f(void 0, GetSolNetworkInstanceOutputFilterSensitiveLog) .ser(se_GetSolNetworkInstanceCommand) .de(de_GetSolNetworkInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolNetworkInstanceInput; + output: GetSolNetworkInstanceOutput; + }; + sdk: { + input: GetSolNetworkInstanceCommandInput; + output: GetSolNetworkInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolNetworkOperationCommand.ts b/clients/client-tnb/src/commands/GetSolNetworkOperationCommand.ts index d156e1af0165..16ad207f055e 100644 --- a/clients/client-tnb/src/commands/GetSolNetworkOperationCommand.ts +++ b/clients/client-tnb/src/commands/GetSolNetworkOperationCommand.ts @@ -142,4 +142,16 @@ export class GetSolNetworkOperationCommand extends $Command .f(void 0, GetSolNetworkOperationOutputFilterSensitiveLog) .ser(se_GetSolNetworkOperationCommand) .de(de_GetSolNetworkOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolNetworkOperationInput; + output: GetSolNetworkOperationOutput; + }; + sdk: { + input: GetSolNetworkOperationCommandInput; + output: GetSolNetworkOperationCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolNetworkPackageCommand.ts b/clients/client-tnb/src/commands/GetSolNetworkPackageCommand.ts index cd9d6ec35bce..5805d9105286 100644 --- a/clients/client-tnb/src/commands/GetSolNetworkPackageCommand.ts +++ b/clients/client-tnb/src/commands/GetSolNetworkPackageCommand.ts @@ -123,4 +123,16 @@ export class GetSolNetworkPackageCommand extends $Command .f(void 0, GetSolNetworkPackageOutputFilterSensitiveLog) .ser(se_GetSolNetworkPackageCommand) .de(de_GetSolNetworkPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolNetworkPackageInput; + output: GetSolNetworkPackageOutput; + }; + sdk: { + input: GetSolNetworkPackageCommandInput; + output: GetSolNetworkPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolNetworkPackageContentCommand.ts b/clients/client-tnb/src/commands/GetSolNetworkPackageContentCommand.ts index 7b7463d84aad..ee65a6b98643 100644 --- a/clients/client-tnb/src/commands/GetSolNetworkPackageContentCommand.ts +++ b/clients/client-tnb/src/commands/GetSolNetworkPackageContentCommand.ts @@ -109,4 +109,16 @@ export class GetSolNetworkPackageContentCommand extends $Command .f(void 0, void 0) .ser(se_GetSolNetworkPackageContentCommand) .de(de_GetSolNetworkPackageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolNetworkPackageContentInput; + output: GetSolNetworkPackageContentOutput; + }; + sdk: { + input: GetSolNetworkPackageContentCommandInput; + output: GetSolNetworkPackageContentCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/GetSolNetworkPackageDescriptorCommand.ts b/clients/client-tnb/src/commands/GetSolNetworkPackageDescriptorCommand.ts index 7f07c30862d3..a9727b59a2be 100644 --- a/clients/client-tnb/src/commands/GetSolNetworkPackageDescriptorCommand.ts +++ b/clients/client-tnb/src/commands/GetSolNetworkPackageDescriptorCommand.ts @@ -108,4 +108,16 @@ export class GetSolNetworkPackageDescriptorCommand extends $Command .f(void 0, void 0) .ser(se_GetSolNetworkPackageDescriptorCommand) .de(de_GetSolNetworkPackageDescriptorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSolNetworkPackageDescriptorInput; + output: GetSolNetworkPackageDescriptorOutput; + }; + sdk: { + input: GetSolNetworkPackageDescriptorCommandInput; + output: GetSolNetworkPackageDescriptorCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/InstantiateSolNetworkInstanceCommand.ts b/clients/client-tnb/src/commands/InstantiateSolNetworkInstanceCommand.ts index 12ecf3549136..200d71517127 100644 --- a/clients/client-tnb/src/commands/InstantiateSolNetworkInstanceCommand.ts +++ b/clients/client-tnb/src/commands/InstantiateSolNetworkInstanceCommand.ts @@ -117,4 +117,16 @@ export class InstantiateSolNetworkInstanceCommand extends $Command .f(InstantiateSolNetworkInstanceInputFilterSensitiveLog, InstantiateSolNetworkInstanceOutputFilterSensitiveLog) .ser(se_InstantiateSolNetworkInstanceCommand) .de(de_InstantiateSolNetworkInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InstantiateSolNetworkInstanceInput; + output: InstantiateSolNetworkInstanceOutput; + }; + sdk: { + input: InstantiateSolNetworkInstanceCommandInput; + output: InstantiateSolNetworkInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ListSolFunctionInstancesCommand.ts b/clients/client-tnb/src/commands/ListSolFunctionInstancesCommand.ts index 451ac0ff3c75..e2861367a5ef 100644 --- a/clients/client-tnb/src/commands/ListSolFunctionInstancesCommand.ts +++ b/clients/client-tnb/src/commands/ListSolFunctionInstancesCommand.ts @@ -109,4 +109,16 @@ export class ListSolFunctionInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListSolFunctionInstancesCommand) .de(de_ListSolFunctionInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSolFunctionInstancesInput; + output: ListSolFunctionInstancesOutput; + }; + sdk: { + input: ListSolFunctionInstancesCommandInput; + output: ListSolFunctionInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ListSolFunctionPackagesCommand.ts b/clients/client-tnb/src/commands/ListSolFunctionPackagesCommand.ts index e8065e254d68..1841ed5c215c 100644 --- a/clients/client-tnb/src/commands/ListSolFunctionPackagesCommand.ts +++ b/clients/client-tnb/src/commands/ListSolFunctionPackagesCommand.ts @@ -109,4 +109,16 @@ export class ListSolFunctionPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListSolFunctionPackagesCommand) .de(de_ListSolFunctionPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSolFunctionPackagesInput; + output: ListSolFunctionPackagesOutput; + }; + sdk: { + input: ListSolFunctionPackagesCommandInput; + output: ListSolFunctionPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ListSolNetworkInstancesCommand.ts b/clients/client-tnb/src/commands/ListSolNetworkInstancesCommand.ts index 6dcbd5302794..4348c5b1eac3 100644 --- a/clients/client-tnb/src/commands/ListSolNetworkInstancesCommand.ts +++ b/clients/client-tnb/src/commands/ListSolNetworkInstancesCommand.ts @@ -107,4 +107,16 @@ export class ListSolNetworkInstancesCommand extends $Command .f(void 0, void 0) .ser(se_ListSolNetworkInstancesCommand) .de(de_ListSolNetworkInstancesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSolNetworkInstancesInput; + output: ListSolNetworkInstancesOutput; + }; + sdk: { + input: ListSolNetworkInstancesCommandInput; + output: ListSolNetworkInstancesCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ListSolNetworkOperationsCommand.ts b/clients/client-tnb/src/commands/ListSolNetworkOperationsCommand.ts index 957a93d261aa..b868768e54d2 100644 --- a/clients/client-tnb/src/commands/ListSolNetworkOperationsCommand.ts +++ b/clients/client-tnb/src/commands/ListSolNetworkOperationsCommand.ts @@ -114,4 +114,16 @@ export class ListSolNetworkOperationsCommand extends $Command .f(void 0, void 0) .ser(se_ListSolNetworkOperationsCommand) .de(de_ListSolNetworkOperationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSolNetworkOperationsInput; + output: ListSolNetworkOperationsOutput; + }; + sdk: { + input: ListSolNetworkOperationsCommandInput; + output: ListSolNetworkOperationsCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ListSolNetworkPackagesCommand.ts b/clients/client-tnb/src/commands/ListSolNetworkPackagesCommand.ts index 79f9acc6b0f7..a583930afd5f 100644 --- a/clients/client-tnb/src/commands/ListSolNetworkPackagesCommand.ts +++ b/clients/client-tnb/src/commands/ListSolNetworkPackagesCommand.ts @@ -113,4 +113,16 @@ export class ListSolNetworkPackagesCommand extends $Command .f(void 0, void 0) .ser(se_ListSolNetworkPackagesCommand) .de(de_ListSolNetworkPackagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSolNetworkPackagesInput; + output: ListSolNetworkPackagesOutput; + }; + sdk: { + input: ListSolNetworkPackagesCommandInput; + output: ListSolNetworkPackagesCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ListTagsForResourceCommand.ts b/clients/client-tnb/src/commands/ListTagsForResourceCommand.ts index 150f47dd34c0..77bebf785277 100644 --- a/clients/client-tnb/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-tnb/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceOutputFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/PutSolFunctionPackageContentCommand.ts b/clients/client-tnb/src/commands/PutSolFunctionPackageContentCommand.ts index e608c95a2d74..fc21143ef923 100644 --- a/clients/client-tnb/src/commands/PutSolFunctionPackageContentCommand.ts +++ b/clients/client-tnb/src/commands/PutSolFunctionPackageContentCommand.ts @@ -126,4 +126,16 @@ export class PutSolFunctionPackageContentCommand extends $Command .f(PutSolFunctionPackageContentInputFilterSensitiveLog, void 0) .ser(se_PutSolFunctionPackageContentCommand) .de(de_PutSolFunctionPackageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSolFunctionPackageContentInput; + output: PutSolFunctionPackageContentOutput; + }; + sdk: { + input: PutSolFunctionPackageContentCommandInput; + output: PutSolFunctionPackageContentCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/PutSolNetworkPackageContentCommand.ts b/clients/client-tnb/src/commands/PutSolNetworkPackageContentCommand.ts index e01868d14ad3..c4c0a33f5ac6 100644 --- a/clients/client-tnb/src/commands/PutSolNetworkPackageContentCommand.ts +++ b/clients/client-tnb/src/commands/PutSolNetworkPackageContentCommand.ts @@ -127,4 +127,16 @@ export class PutSolNetworkPackageContentCommand extends $Command .f(PutSolNetworkPackageContentInputFilterSensitiveLog, void 0) .ser(se_PutSolNetworkPackageContentCommand) .de(de_PutSolNetworkPackageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSolNetworkPackageContentInput; + output: PutSolNetworkPackageContentOutput; + }; + sdk: { + input: PutSolNetworkPackageContentCommandInput; + output: PutSolNetworkPackageContentCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/TagResourceCommand.ts b/clients/client-tnb/src/commands/TagResourceCommand.ts index 790fcb22911b..5aa299d07583 100644 --- a/clients/client-tnb/src/commands/TagResourceCommand.ts +++ b/clients/client-tnb/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(TagResourceInputFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/TerminateSolNetworkInstanceCommand.ts b/clients/client-tnb/src/commands/TerminateSolNetworkInstanceCommand.ts index de432372b24b..fdcaa4f1fd78 100644 --- a/clients/client-tnb/src/commands/TerminateSolNetworkInstanceCommand.ts +++ b/clients/client-tnb/src/commands/TerminateSolNetworkInstanceCommand.ts @@ -112,4 +112,16 @@ export class TerminateSolNetworkInstanceCommand extends $Command .f(TerminateSolNetworkInstanceInputFilterSensitiveLog, TerminateSolNetworkInstanceOutputFilterSensitiveLog) .ser(se_TerminateSolNetworkInstanceCommand) .de(de_TerminateSolNetworkInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateSolNetworkInstanceInput; + output: TerminateSolNetworkInstanceOutput; + }; + sdk: { + input: TerminateSolNetworkInstanceCommandInput; + output: TerminateSolNetworkInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/UntagResourceCommand.ts b/clients/client-tnb/src/commands/UntagResourceCommand.ts index 7d3a0057855a..841b3df0535e 100644 --- a/clients/client-tnb/src/commands/UntagResourceCommand.ts +++ b/clients/client-tnb/src/commands/UntagResourceCommand.ts @@ -95,4 +95,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/UpdateSolFunctionPackageCommand.ts b/clients/client-tnb/src/commands/UpdateSolFunctionPackageCommand.ts index b86a9f589c09..f0669c5c52a8 100644 --- a/clients/client-tnb/src/commands/UpdateSolFunctionPackageCommand.ts +++ b/clients/client-tnb/src/commands/UpdateSolFunctionPackageCommand.ts @@ -95,4 +95,16 @@ export class UpdateSolFunctionPackageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSolFunctionPackageCommand) .de(de_UpdateSolFunctionPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSolFunctionPackageInput; + output: UpdateSolFunctionPackageOutput; + }; + sdk: { + input: UpdateSolFunctionPackageCommandInput; + output: UpdateSolFunctionPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/UpdateSolNetworkInstanceCommand.ts b/clients/client-tnb/src/commands/UpdateSolNetworkInstanceCommand.ts index 348b48cad01d..08be16349c99 100644 --- a/clients/client-tnb/src/commands/UpdateSolNetworkInstanceCommand.ts +++ b/clients/client-tnb/src/commands/UpdateSolNetworkInstanceCommand.ts @@ -118,4 +118,16 @@ export class UpdateSolNetworkInstanceCommand extends $Command .f(UpdateSolNetworkInstanceInputFilterSensitiveLog, UpdateSolNetworkInstanceOutputFilterSensitiveLog) .ser(se_UpdateSolNetworkInstanceCommand) .de(de_UpdateSolNetworkInstanceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSolNetworkInstanceInput; + output: UpdateSolNetworkInstanceOutput; + }; + sdk: { + input: UpdateSolNetworkInstanceCommandInput; + output: UpdateSolNetworkInstanceCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/UpdateSolNetworkPackageCommand.ts b/clients/client-tnb/src/commands/UpdateSolNetworkPackageCommand.ts index 7c580b310bea..8a1b70b4cb4d 100644 --- a/clients/client-tnb/src/commands/UpdateSolNetworkPackageCommand.ts +++ b/clients/client-tnb/src/commands/UpdateSolNetworkPackageCommand.ts @@ -96,4 +96,16 @@ export class UpdateSolNetworkPackageCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSolNetworkPackageCommand) .de(de_UpdateSolNetworkPackageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSolNetworkPackageInput; + output: UpdateSolNetworkPackageOutput; + }; + sdk: { + input: UpdateSolNetworkPackageCommandInput; + output: UpdateSolNetworkPackageCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ValidateSolFunctionPackageContentCommand.ts b/clients/client-tnb/src/commands/ValidateSolFunctionPackageContentCommand.ts index e8684e6f4bf6..2c28e269b410 100644 --- a/clients/client-tnb/src/commands/ValidateSolFunctionPackageContentCommand.ts +++ b/clients/client-tnb/src/commands/ValidateSolFunctionPackageContentCommand.ts @@ -128,4 +128,16 @@ export class ValidateSolFunctionPackageContentCommand extends $Command .f(ValidateSolFunctionPackageContentInputFilterSensitiveLog, void 0) .ser(se_ValidateSolFunctionPackageContentCommand) .de(de_ValidateSolFunctionPackageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateSolFunctionPackageContentInput; + output: ValidateSolFunctionPackageContentOutput; + }; + sdk: { + input: ValidateSolFunctionPackageContentCommandInput; + output: ValidateSolFunctionPackageContentCommandOutput; + }; + }; +} diff --git a/clients/client-tnb/src/commands/ValidateSolNetworkPackageContentCommand.ts b/clients/client-tnb/src/commands/ValidateSolNetworkPackageContentCommand.ts index 5c8a200d948d..6ffcbae91423 100644 --- a/clients/client-tnb/src/commands/ValidateSolNetworkPackageContentCommand.ts +++ b/clients/client-tnb/src/commands/ValidateSolNetworkPackageContentCommand.ts @@ -131,4 +131,16 @@ export class ValidateSolNetworkPackageContentCommand extends $Command .f(ValidateSolNetworkPackageContentInputFilterSensitiveLog, void 0) .ser(se_ValidateSolNetworkPackageContentCommand) .de(de_ValidateSolNetworkPackageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ValidateSolNetworkPackageContentInput; + output: ValidateSolNetworkPackageContentOutput; + }; + sdk: { + input: ValidateSolNetworkPackageContentCommandInput; + output: ValidateSolNetworkPackageContentCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe-streaming/package.json b/clients/client-transcribe-streaming/package.json index f7a2bbfcab64..8187337d6155 100644 --- a/clients/client-transcribe-streaming/package.json +++ b/clients/client-transcribe-streaming/package.json @@ -38,33 +38,33 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/eventstream-serde-config-resolver": "^3.0.4", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/eventstream-serde-config-resolver": "^3.0.6", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-transcribe-streaming/src/commands/StartCallAnalyticsStreamTranscriptionCommand.ts b/clients/client-transcribe-streaming/src/commands/StartCallAnalyticsStreamTranscriptionCommand.ts index 3bea68dfeb3d..7dfef4e4a3c1 100644 --- a/clients/client-transcribe-streaming/src/commands/StartCallAnalyticsStreamTranscriptionCommand.ts +++ b/clients/client-transcribe-streaming/src/commands/StartCallAnalyticsStreamTranscriptionCommand.ts @@ -266,4 +266,16 @@ export class StartCallAnalyticsStreamTranscriptionCommand extends $Command ) .ser(se_StartCallAnalyticsStreamTranscriptionCommand) .de(de_StartCallAnalyticsStreamTranscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCallAnalyticsStreamTranscriptionRequest; + output: StartCallAnalyticsStreamTranscriptionResponse; + }; + sdk: { + input: StartCallAnalyticsStreamTranscriptionCommandInput; + output: StartCallAnalyticsStreamTranscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe-streaming/src/commands/StartMedicalStreamTranscriptionCommand.ts b/clients/client-transcribe-streaming/src/commands/StartMedicalStreamTranscriptionCommand.ts index f93101600dee..cb57d9a2ac7e 100644 --- a/clients/client-transcribe-streaming/src/commands/StartMedicalStreamTranscriptionCommand.ts +++ b/clients/client-transcribe-streaming/src/commands/StartMedicalStreamTranscriptionCommand.ts @@ -247,4 +247,16 @@ export class StartMedicalStreamTranscriptionCommand extends $Command ) .ser(se_StartMedicalStreamTranscriptionCommand) .de(de_StartMedicalStreamTranscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMedicalStreamTranscriptionRequest; + output: StartMedicalStreamTranscriptionResponse; + }; + sdk: { + input: StartMedicalStreamTranscriptionCommandInput; + output: StartMedicalStreamTranscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe-streaming/src/commands/StartStreamTranscriptionCommand.ts b/clients/client-transcribe-streaming/src/commands/StartStreamTranscriptionCommand.ts index 03e3767aebf3..a68deff04bdd 100644 --- a/clients/client-transcribe-streaming/src/commands/StartStreamTranscriptionCommand.ts +++ b/clients/client-transcribe-streaming/src/commands/StartStreamTranscriptionCommand.ts @@ -268,4 +268,16 @@ export class StartStreamTranscriptionCommand extends $Command .f(StartStreamTranscriptionRequestFilterSensitiveLog, StartStreamTranscriptionResponseFilterSensitiveLog) .ser(se_StartStreamTranscriptionCommand) .de(de_StartStreamTranscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartStreamTranscriptionRequest; + output: StartStreamTranscriptionResponse; + }; + sdk: { + input: StartStreamTranscriptionCommandInput; + output: StartStreamTranscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/package.json b/clients/client-transcribe/package.json index 577055e8d992..bbbc42efcd07 100644 --- a/clients/client-transcribe/package.json +++ b/clients/client-transcribe/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-transcribe/src/commands/CreateCallAnalyticsCategoryCommand.ts b/clients/client-transcribe/src/commands/CreateCallAnalyticsCategoryCommand.ts index e5140d5b713a..42a33c308c42 100644 --- a/clients/client-transcribe/src/commands/CreateCallAnalyticsCategoryCommand.ts +++ b/clients/client-transcribe/src/commands/CreateCallAnalyticsCategoryCommand.ts @@ -270,4 +270,16 @@ export class CreateCallAnalyticsCategoryCommand extends $Command .f(void 0, void 0) .ser(se_CreateCallAnalyticsCategoryCommand) .de(de_CreateCallAnalyticsCategoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCallAnalyticsCategoryRequest; + output: CreateCallAnalyticsCategoryResponse; + }; + sdk: { + input: CreateCallAnalyticsCategoryCommandInput; + output: CreateCallAnalyticsCategoryCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/CreateLanguageModelCommand.ts b/clients/client-transcribe/src/commands/CreateLanguageModelCommand.ts index bdadeb126634..611bf6d6d5f5 100644 --- a/clients/client-transcribe/src/commands/CreateLanguageModelCommand.ts +++ b/clients/client-transcribe/src/commands/CreateLanguageModelCommand.ts @@ -132,4 +132,16 @@ export class CreateLanguageModelCommand extends $Command .f(void 0, void 0) .ser(se_CreateLanguageModelCommand) .de(de_CreateLanguageModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLanguageModelRequest; + output: CreateLanguageModelResponse; + }; + sdk: { + input: CreateLanguageModelCommandInput; + output: CreateLanguageModelCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/CreateMedicalVocabularyCommand.ts b/clients/client-transcribe/src/commands/CreateMedicalVocabularyCommand.ts index a799f9f113a1..d2d617562282 100644 --- a/clients/client-transcribe/src/commands/CreateMedicalVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/CreateMedicalVocabularyCommand.ts @@ -119,4 +119,16 @@ export class CreateMedicalVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_CreateMedicalVocabularyCommand) .de(de_CreateMedicalVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMedicalVocabularyRequest; + output: CreateMedicalVocabularyResponse; + }; + sdk: { + input: CreateMedicalVocabularyCommandInput; + output: CreateMedicalVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/CreateVocabularyCommand.ts b/clients/client-transcribe/src/commands/CreateVocabularyCommand.ts index 84f030aee3ef..808c52135e97 100644 --- a/clients/client-transcribe/src/commands/CreateVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/CreateVocabularyCommand.ts @@ -121,4 +121,16 @@ export class CreateVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_CreateVocabularyCommand) .de(de_CreateVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVocabularyRequest; + output: CreateVocabularyResponse; + }; + sdk: { + input: CreateVocabularyCommandInput; + output: CreateVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/CreateVocabularyFilterCommand.ts b/clients/client-transcribe/src/commands/CreateVocabularyFilterCommand.ts index 3b63954f0f3f..aeccf7c09994 100644 --- a/clients/client-transcribe/src/commands/CreateVocabularyFilterCommand.ts +++ b/clients/client-transcribe/src/commands/CreateVocabularyFilterCommand.ts @@ -118,4 +118,16 @@ export class CreateVocabularyFilterCommand extends $Command .f(void 0, void 0) .ser(se_CreateVocabularyFilterCommand) .de(de_CreateVocabularyFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateVocabularyFilterRequest; + output: CreateVocabularyFilterResponse; + }; + sdk: { + input: CreateVocabularyFilterCommandInput; + output: CreateVocabularyFilterCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteCallAnalyticsCategoryCommand.ts b/clients/client-transcribe/src/commands/DeleteCallAnalyticsCategoryCommand.ts index 6f0d6387d9a9..327a5146dd8e 100644 --- a/clients/client-transcribe/src/commands/DeleteCallAnalyticsCategoryCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteCallAnalyticsCategoryCommand.ts @@ -97,4 +97,16 @@ export class DeleteCallAnalyticsCategoryCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCallAnalyticsCategoryCommand) .de(de_DeleteCallAnalyticsCategoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCallAnalyticsCategoryRequest; + output: {}; + }; + sdk: { + input: DeleteCallAnalyticsCategoryCommandInput; + output: DeleteCallAnalyticsCategoryCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteCallAnalyticsJobCommand.ts b/clients/client-transcribe/src/commands/DeleteCallAnalyticsJobCommand.ts index bf6ab6392a91..4a903155ec21 100644 --- a/clients/client-transcribe/src/commands/DeleteCallAnalyticsJobCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteCallAnalyticsJobCommand.ts @@ -91,4 +91,16 @@ export class DeleteCallAnalyticsJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCallAnalyticsJobCommand) .de(de_DeleteCallAnalyticsJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCallAnalyticsJobRequest; + output: {}; + }; + sdk: { + input: DeleteCallAnalyticsJobCommandInput; + output: DeleteCallAnalyticsJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteLanguageModelCommand.ts b/clients/client-transcribe/src/commands/DeleteLanguageModelCommand.ts index 78bf1b611470..a4285391197a 100644 --- a/clients/client-transcribe/src/commands/DeleteLanguageModelCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteLanguageModelCommand.ts @@ -91,4 +91,16 @@ export class DeleteLanguageModelCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLanguageModelCommand) .de(de_DeleteLanguageModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLanguageModelRequest; + output: {}; + }; + sdk: { + input: DeleteLanguageModelCommandInput; + output: DeleteLanguageModelCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteMedicalScribeJobCommand.ts b/clients/client-transcribe/src/commands/DeleteMedicalScribeJobCommand.ts index 0b13d9381552..aadd15d41066 100644 --- a/clients/client-transcribe/src/commands/DeleteMedicalScribeJobCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteMedicalScribeJobCommand.ts @@ -91,4 +91,16 @@ export class DeleteMedicalScribeJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMedicalScribeJobCommand) .de(de_DeleteMedicalScribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMedicalScribeJobRequest; + output: {}; + }; + sdk: { + input: DeleteMedicalScribeJobCommandInput; + output: DeleteMedicalScribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteMedicalTranscriptionJobCommand.ts b/clients/client-transcribe/src/commands/DeleteMedicalTranscriptionJobCommand.ts index 9efc6e4aa092..4501e5f32a57 100644 --- a/clients/client-transcribe/src/commands/DeleteMedicalTranscriptionJobCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteMedicalTranscriptionJobCommand.ts @@ -94,4 +94,16 @@ export class DeleteMedicalTranscriptionJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMedicalTranscriptionJobCommand) .de(de_DeleteMedicalTranscriptionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMedicalTranscriptionJobRequest; + output: {}; + }; + sdk: { + input: DeleteMedicalTranscriptionJobCommandInput; + output: DeleteMedicalTranscriptionJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteMedicalVocabularyCommand.ts b/clients/client-transcribe/src/commands/DeleteMedicalVocabularyCommand.ts index 99455944644e..641f8f51499d 100644 --- a/clients/client-transcribe/src/commands/DeleteMedicalVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteMedicalVocabularyCommand.ts @@ -95,4 +95,16 @@ export class DeleteMedicalVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMedicalVocabularyCommand) .de(de_DeleteMedicalVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMedicalVocabularyRequest; + output: {}; + }; + sdk: { + input: DeleteMedicalVocabularyCommandInput; + output: DeleteMedicalVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteTranscriptionJobCommand.ts b/clients/client-transcribe/src/commands/DeleteTranscriptionJobCommand.ts index fd59bdd0cbe8..f523bdf4b8f1 100644 --- a/clients/client-transcribe/src/commands/DeleteTranscriptionJobCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteTranscriptionJobCommand.ts @@ -91,4 +91,16 @@ export class DeleteTranscriptionJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTranscriptionJobCommand) .de(de_DeleteTranscriptionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTranscriptionJobRequest; + output: {}; + }; + sdk: { + input: DeleteTranscriptionJobCommandInput; + output: DeleteTranscriptionJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteVocabularyCommand.ts b/clients/client-transcribe/src/commands/DeleteVocabularyCommand.ts index 789ba74f082b..f403d0c81f9f 100644 --- a/clients/client-transcribe/src/commands/DeleteVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteVocabularyCommand.ts @@ -95,4 +95,16 @@ export class DeleteVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVocabularyCommand) .de(de_DeleteVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVocabularyRequest; + output: {}; + }; + sdk: { + input: DeleteVocabularyCommandInput; + output: DeleteVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DeleteVocabularyFilterCommand.ts b/clients/client-transcribe/src/commands/DeleteVocabularyFilterCommand.ts index 1f7bc2c0dd55..b1b1cfd564eb 100644 --- a/clients/client-transcribe/src/commands/DeleteVocabularyFilterCommand.ts +++ b/clients/client-transcribe/src/commands/DeleteVocabularyFilterCommand.ts @@ -95,4 +95,16 @@ export class DeleteVocabularyFilterCommand extends $Command .f(void 0, void 0) .ser(se_DeleteVocabularyFilterCommand) .de(de_DeleteVocabularyFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteVocabularyFilterRequest; + output: {}; + }; + sdk: { + input: DeleteVocabularyFilterCommandInput; + output: DeleteVocabularyFilterCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/DescribeLanguageModelCommand.ts b/clients/client-transcribe/src/commands/DescribeLanguageModelCommand.ts index ae0c292c4283..225caf0d6f5c 100644 --- a/clients/client-transcribe/src/commands/DescribeLanguageModelCommand.ts +++ b/clients/client-transcribe/src/commands/DescribeLanguageModelCommand.ts @@ -115,4 +115,16 @@ export class DescribeLanguageModelCommand extends $Command .f(void 0, void 0) .ser(se_DescribeLanguageModelCommand) .de(de_DescribeLanguageModelCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeLanguageModelRequest; + output: DescribeLanguageModelResponse; + }; + sdk: { + input: DescribeLanguageModelCommandInput; + output: DescribeLanguageModelCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetCallAnalyticsCategoryCommand.ts b/clients/client-transcribe/src/commands/GetCallAnalyticsCategoryCommand.ts index 30657a9e2b01..cc224d2bc49c 100644 --- a/clients/client-transcribe/src/commands/GetCallAnalyticsCategoryCommand.ts +++ b/clients/client-transcribe/src/commands/GetCallAnalyticsCategoryCommand.ts @@ -177,4 +177,16 @@ export class GetCallAnalyticsCategoryCommand extends $Command .f(void 0, void 0) .ser(se_GetCallAnalyticsCategoryCommand) .de(de_GetCallAnalyticsCategoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCallAnalyticsCategoryRequest; + output: GetCallAnalyticsCategoryResponse; + }; + sdk: { + input: GetCallAnalyticsCategoryCommandInput; + output: GetCallAnalyticsCategoryCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetCallAnalyticsJobCommand.ts b/clients/client-transcribe/src/commands/GetCallAnalyticsJobCommand.ts index b9dae031093c..4fc4141bc3d7 100644 --- a/clients/client-transcribe/src/commands/GetCallAnalyticsJobCommand.ts +++ b/clients/client-transcribe/src/commands/GetCallAnalyticsJobCommand.ts @@ -167,4 +167,16 @@ export class GetCallAnalyticsJobCommand extends $Command .f(void 0, void 0) .ser(se_GetCallAnalyticsJobCommand) .de(de_GetCallAnalyticsJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCallAnalyticsJobRequest; + output: GetCallAnalyticsJobResponse; + }; + sdk: { + input: GetCallAnalyticsJobCommandInput; + output: GetCallAnalyticsJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetMedicalScribeJobCommand.ts b/clients/client-transcribe/src/commands/GetMedicalScribeJobCommand.ts index 98955e86f615..e090342373dc 100644 --- a/clients/client-transcribe/src/commands/GetMedicalScribeJobCommand.ts +++ b/clients/client-transcribe/src/commands/GetMedicalScribeJobCommand.ts @@ -139,4 +139,16 @@ export class GetMedicalScribeJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMedicalScribeJobCommand) .de(de_GetMedicalScribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMedicalScribeJobRequest; + output: GetMedicalScribeJobResponse; + }; + sdk: { + input: GetMedicalScribeJobCommandInput; + output: GetMedicalScribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetMedicalTranscriptionJobCommand.ts b/clients/client-transcribe/src/commands/GetMedicalTranscriptionJobCommand.ts index de1b623aff45..5ed4c09eff01 100644 --- a/clients/client-transcribe/src/commands/GetMedicalTranscriptionJobCommand.ts +++ b/clients/client-transcribe/src/commands/GetMedicalTranscriptionJobCommand.ts @@ -136,4 +136,16 @@ export class GetMedicalTranscriptionJobCommand extends $Command .f(void 0, void 0) .ser(se_GetMedicalTranscriptionJobCommand) .de(de_GetMedicalTranscriptionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMedicalTranscriptionJobRequest; + output: GetMedicalTranscriptionJobResponse; + }; + sdk: { + input: GetMedicalTranscriptionJobCommandInput; + output: GetMedicalTranscriptionJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetMedicalVocabularyCommand.ts b/clients/client-transcribe/src/commands/GetMedicalVocabularyCommand.ts index 1dce47b8f6b2..ad824d967f49 100644 --- a/clients/client-transcribe/src/commands/GetMedicalVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/GetMedicalVocabularyCommand.ts @@ -105,4 +105,16 @@ export class GetMedicalVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_GetMedicalVocabularyCommand) .de(de_GetMedicalVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMedicalVocabularyRequest; + output: GetMedicalVocabularyResponse; + }; + sdk: { + input: GetMedicalVocabularyCommandInput; + output: GetMedicalVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetTranscriptionJobCommand.ts b/clients/client-transcribe/src/commands/GetTranscriptionJobCommand.ts index 3d64ed6cfeda..2e6698919a66 100644 --- a/clients/client-transcribe/src/commands/GetTranscriptionJobCommand.ts +++ b/clients/client-transcribe/src/commands/GetTranscriptionJobCommand.ts @@ -187,4 +187,16 @@ export class GetTranscriptionJobCommand extends $Command .f(void 0, void 0) .ser(se_GetTranscriptionJobCommand) .de(de_GetTranscriptionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTranscriptionJobRequest; + output: GetTranscriptionJobResponse; + }; + sdk: { + input: GetTranscriptionJobCommandInput; + output: GetTranscriptionJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetVocabularyCommand.ts b/clients/client-transcribe/src/commands/GetVocabularyCommand.ts index dec0a6f59005..074d8044030a 100644 --- a/clients/client-transcribe/src/commands/GetVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/GetVocabularyCommand.ts @@ -106,4 +106,16 @@ export class GetVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_GetVocabularyCommand) .de(de_GetVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVocabularyRequest; + output: GetVocabularyResponse; + }; + sdk: { + input: GetVocabularyCommandInput; + output: GetVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/GetVocabularyFilterCommand.ts b/clients/client-transcribe/src/commands/GetVocabularyFilterCommand.ts index e8681d3d4c9b..a557b76b4ffb 100644 --- a/clients/client-transcribe/src/commands/GetVocabularyFilterCommand.ts +++ b/clients/client-transcribe/src/commands/GetVocabularyFilterCommand.ts @@ -99,4 +99,16 @@ export class GetVocabularyFilterCommand extends $Command .f(void 0, void 0) .ser(se_GetVocabularyFilterCommand) .de(de_GetVocabularyFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetVocabularyFilterRequest; + output: GetVocabularyFilterResponse; + }; + sdk: { + input: GetVocabularyFilterCommandInput; + output: GetVocabularyFilterCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListCallAnalyticsCategoriesCommand.ts b/clients/client-transcribe/src/commands/ListCallAnalyticsCategoriesCommand.ts index dba60b84346d..e2494ff28764 100644 --- a/clients/client-transcribe/src/commands/ListCallAnalyticsCategoriesCommand.ts +++ b/clients/client-transcribe/src/commands/ListCallAnalyticsCategoriesCommand.ts @@ -180,4 +180,16 @@ export class ListCallAnalyticsCategoriesCommand extends $Command .f(void 0, void 0) .ser(se_ListCallAnalyticsCategoriesCommand) .de(de_ListCallAnalyticsCategoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCallAnalyticsCategoriesRequest; + output: ListCallAnalyticsCategoriesResponse; + }; + sdk: { + input: ListCallAnalyticsCategoriesCommandInput; + output: ListCallAnalyticsCategoriesCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListCallAnalyticsJobsCommand.ts b/clients/client-transcribe/src/commands/ListCallAnalyticsJobsCommand.ts index 1a722234c324..def602d8623a 100644 --- a/clients/client-transcribe/src/commands/ListCallAnalyticsJobsCommand.ts +++ b/clients/client-transcribe/src/commands/ListCallAnalyticsJobsCommand.ts @@ -117,4 +117,16 @@ export class ListCallAnalyticsJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListCallAnalyticsJobsCommand) .de(de_ListCallAnalyticsJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCallAnalyticsJobsRequest; + output: ListCallAnalyticsJobsResponse; + }; + sdk: { + input: ListCallAnalyticsJobsCommandInput; + output: ListCallAnalyticsJobsCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListLanguageModelsCommand.ts b/clients/client-transcribe/src/commands/ListLanguageModelsCommand.ts index 667e039137f4..4dc305ab3729 100644 --- a/clients/client-transcribe/src/commands/ListLanguageModelsCommand.ts +++ b/clients/client-transcribe/src/commands/ListLanguageModelsCommand.ts @@ -113,4 +113,16 @@ export class ListLanguageModelsCommand extends $Command .f(void 0, void 0) .ser(se_ListLanguageModelsCommand) .de(de_ListLanguageModelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLanguageModelsRequest; + output: ListLanguageModelsResponse; + }; + sdk: { + input: ListLanguageModelsCommandInput; + output: ListLanguageModelsCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListMedicalScribeJobsCommand.ts b/clients/client-transcribe/src/commands/ListMedicalScribeJobsCommand.ts index 66e0233dcffa..28cd76e91bd0 100644 --- a/clients/client-transcribe/src/commands/ListMedicalScribeJobsCommand.ts +++ b/clients/client-transcribe/src/commands/ListMedicalScribeJobsCommand.ts @@ -108,4 +108,16 @@ export class ListMedicalScribeJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMedicalScribeJobsCommand) .de(de_ListMedicalScribeJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMedicalScribeJobsRequest; + output: ListMedicalScribeJobsResponse; + }; + sdk: { + input: ListMedicalScribeJobsCommandInput; + output: ListMedicalScribeJobsCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListMedicalTranscriptionJobsCommand.ts b/clients/client-transcribe/src/commands/ListMedicalTranscriptionJobsCommand.ts index d38aeb1df039..0468fc410278 100644 --- a/clients/client-transcribe/src/commands/ListMedicalTranscriptionJobsCommand.ts +++ b/clients/client-transcribe/src/commands/ListMedicalTranscriptionJobsCommand.ts @@ -117,4 +117,16 @@ export class ListMedicalTranscriptionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMedicalTranscriptionJobsCommand) .de(de_ListMedicalTranscriptionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMedicalTranscriptionJobsRequest; + output: ListMedicalTranscriptionJobsResponse; + }; + sdk: { + input: ListMedicalTranscriptionJobsCommandInput; + output: ListMedicalTranscriptionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListMedicalVocabulariesCommand.ts b/clients/client-transcribe/src/commands/ListMedicalVocabulariesCommand.ts index 7607ada004f2..d0362526abb0 100644 --- a/clients/client-transcribe/src/commands/ListMedicalVocabulariesCommand.ts +++ b/clients/client-transcribe/src/commands/ListMedicalVocabulariesCommand.ts @@ -105,4 +105,16 @@ export class ListMedicalVocabulariesCommand extends $Command .f(void 0, void 0) .ser(se_ListMedicalVocabulariesCommand) .de(de_ListMedicalVocabulariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMedicalVocabulariesRequest; + output: ListMedicalVocabulariesResponse; + }; + sdk: { + input: ListMedicalVocabulariesCommandInput; + output: ListMedicalVocabulariesCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListTagsForResourceCommand.ts b/clients/client-transcribe/src/commands/ListTagsForResourceCommand.ts index 52b45f7490a4..8de5af93b236 100644 --- a/clients/client-transcribe/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-transcribe/src/commands/ListTagsForResourceCommand.ts @@ -104,4 +104,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListTranscriptionJobsCommand.ts b/clients/client-transcribe/src/commands/ListTranscriptionJobsCommand.ts index 8fccc35552b3..d4b4f7a666c1 100644 --- a/clients/client-transcribe/src/commands/ListTranscriptionJobsCommand.ts +++ b/clients/client-transcribe/src/commands/ListTranscriptionJobsCommand.ts @@ -135,4 +135,16 @@ export class ListTranscriptionJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListTranscriptionJobsCommand) .de(de_ListTranscriptionJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTranscriptionJobsRequest; + output: ListTranscriptionJobsResponse; + }; + sdk: { + input: ListTranscriptionJobsCommandInput; + output: ListTranscriptionJobsCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListVocabulariesCommand.ts b/clients/client-transcribe/src/commands/ListVocabulariesCommand.ts index 1fa742b131d5..6aafb925ce60 100644 --- a/clients/client-transcribe/src/commands/ListVocabulariesCommand.ts +++ b/clients/client-transcribe/src/commands/ListVocabulariesCommand.ts @@ -105,4 +105,16 @@ export class ListVocabulariesCommand extends $Command .f(void 0, void 0) .ser(se_ListVocabulariesCommand) .de(de_ListVocabulariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVocabulariesRequest; + output: ListVocabulariesResponse; + }; + sdk: { + input: ListVocabulariesCommandInput; + output: ListVocabulariesCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/ListVocabularyFiltersCommand.ts b/clients/client-transcribe/src/commands/ListVocabularyFiltersCommand.ts index 7cf39ef457da..98f0f1f11a65 100644 --- a/clients/client-transcribe/src/commands/ListVocabularyFiltersCommand.ts +++ b/clients/client-transcribe/src/commands/ListVocabularyFiltersCommand.ts @@ -102,4 +102,16 @@ export class ListVocabularyFiltersCommand extends $Command .f(void 0, void 0) .ser(se_ListVocabularyFiltersCommand) .de(de_ListVocabularyFiltersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListVocabularyFiltersRequest; + output: ListVocabularyFiltersResponse; + }; + sdk: { + input: ListVocabularyFiltersCommandInput; + output: ListVocabularyFiltersCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/StartCallAnalyticsJobCommand.ts b/clients/client-transcribe/src/commands/StartCallAnalyticsJobCommand.ts index bbe96b964418..014c8bbf63e4 100644 --- a/clients/client-transcribe/src/commands/StartCallAnalyticsJobCommand.ts +++ b/clients/client-transcribe/src/commands/StartCallAnalyticsJobCommand.ts @@ -245,4 +245,16 @@ export class StartCallAnalyticsJobCommand extends $Command .f(void 0, void 0) .ser(se_StartCallAnalyticsJobCommand) .de(de_StartCallAnalyticsJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartCallAnalyticsJobRequest; + output: StartCallAnalyticsJobResponse; + }; + sdk: { + input: StartCallAnalyticsJobCommandInput; + output: StartCallAnalyticsJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/StartMedicalScribeJobCommand.ts b/clients/client-transcribe/src/commands/StartMedicalScribeJobCommand.ts index 131572794dd1..47adb6df5bbc 100644 --- a/clients/client-transcribe/src/commands/StartMedicalScribeJobCommand.ts +++ b/clients/client-transcribe/src/commands/StartMedicalScribeJobCommand.ts @@ -207,4 +207,16 @@ export class StartMedicalScribeJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMedicalScribeJobCommand) .de(de_StartMedicalScribeJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMedicalScribeJobRequest; + output: StartMedicalScribeJobResponse; + }; + sdk: { + input: StartMedicalScribeJobCommandInput; + output: StartMedicalScribeJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/StartMedicalTranscriptionJobCommand.ts b/clients/client-transcribe/src/commands/StartMedicalTranscriptionJobCommand.ts index ecfcfff56c56..d614dce9c844 100644 --- a/clients/client-transcribe/src/commands/StartMedicalTranscriptionJobCommand.ts +++ b/clients/client-transcribe/src/commands/StartMedicalTranscriptionJobCommand.ts @@ -212,4 +212,16 @@ export class StartMedicalTranscriptionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMedicalTranscriptionJobCommand) .de(de_StartMedicalTranscriptionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMedicalTranscriptionJobRequest; + output: StartMedicalTranscriptionJobResponse; + }; + sdk: { + input: StartMedicalTranscriptionJobCommandInput; + output: StartMedicalTranscriptionJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/StartTranscriptionJobCommand.ts b/clients/client-transcribe/src/commands/StartTranscriptionJobCommand.ts index 77a41b9f92bb..41af5c4ed2d2 100644 --- a/clients/client-transcribe/src/commands/StartTranscriptionJobCommand.ts +++ b/clients/client-transcribe/src/commands/StartTranscriptionJobCommand.ts @@ -280,4 +280,16 @@ export class StartTranscriptionJobCommand extends $Command .f(void 0, void 0) .ser(se_StartTranscriptionJobCommand) .de(de_StartTranscriptionJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTranscriptionJobRequest; + output: StartTranscriptionJobResponse; + }; + sdk: { + input: StartTranscriptionJobCommandInput; + output: StartTranscriptionJobCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/TagResourceCommand.ts b/clients/client-transcribe/src/commands/TagResourceCommand.ts index 721297319dd3..83cd060fc9d7 100644 --- a/clients/client-transcribe/src/commands/TagResourceCommand.ts +++ b/clients/client-transcribe/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/UntagResourceCommand.ts b/clients/client-transcribe/src/commands/UntagResourceCommand.ts index 9997e883168f..02cc4e1fc3fd 100644 --- a/clients/client-transcribe/src/commands/UntagResourceCommand.ts +++ b/clients/client-transcribe/src/commands/UntagResourceCommand.ts @@ -102,4 +102,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/UpdateCallAnalyticsCategoryCommand.ts b/clients/client-transcribe/src/commands/UpdateCallAnalyticsCategoryCommand.ts index cf552e5156a3..44ad86c572d9 100644 --- a/clients/client-transcribe/src/commands/UpdateCallAnalyticsCategoryCommand.ts +++ b/clients/client-transcribe/src/commands/UpdateCallAnalyticsCategoryCommand.ts @@ -263,4 +263,16 @@ export class UpdateCallAnalyticsCategoryCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCallAnalyticsCategoryCommand) .de(de_UpdateCallAnalyticsCategoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCallAnalyticsCategoryRequest; + output: UpdateCallAnalyticsCategoryResponse; + }; + sdk: { + input: UpdateCallAnalyticsCategoryCommandInput; + output: UpdateCallAnalyticsCategoryCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/UpdateMedicalVocabularyCommand.ts b/clients/client-transcribe/src/commands/UpdateMedicalVocabularyCommand.ts index 2039b819aa03..82d5ac7b4328 100644 --- a/clients/client-transcribe/src/commands/UpdateMedicalVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/UpdateMedicalVocabularyCommand.ts @@ -106,4 +106,16 @@ export class UpdateMedicalVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMedicalVocabularyCommand) .de(de_UpdateMedicalVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMedicalVocabularyRequest; + output: UpdateMedicalVocabularyResponse; + }; + sdk: { + input: UpdateMedicalVocabularyCommandInput; + output: UpdateMedicalVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/UpdateVocabularyCommand.ts b/clients/client-transcribe/src/commands/UpdateVocabularyCommand.ts index 0c3c4d479fb6..5d3798cf48fd 100644 --- a/clients/client-transcribe/src/commands/UpdateVocabularyCommand.ts +++ b/clients/client-transcribe/src/commands/UpdateVocabularyCommand.ts @@ -110,4 +110,16 @@ export class UpdateVocabularyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVocabularyCommand) .de(de_UpdateVocabularyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVocabularyRequest; + output: UpdateVocabularyResponse; + }; + sdk: { + input: UpdateVocabularyCommandInput; + output: UpdateVocabularyCommandOutput; + }; + }; +} diff --git a/clients/client-transcribe/src/commands/UpdateVocabularyFilterCommand.ts b/clients/client-transcribe/src/commands/UpdateVocabularyFilterCommand.ts index a1d8ea0cad2f..d51d6e444fba 100644 --- a/clients/client-transcribe/src/commands/UpdateVocabularyFilterCommand.ts +++ b/clients/client-transcribe/src/commands/UpdateVocabularyFilterCommand.ts @@ -104,4 +104,16 @@ export class UpdateVocabularyFilterCommand extends $Command .f(void 0, void 0) .ser(se_UpdateVocabularyFilterCommand) .de(de_UpdateVocabularyFilterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateVocabularyFilterRequest; + output: UpdateVocabularyFilterResponse; + }; + sdk: { + input: UpdateVocabularyFilterCommandInput; + output: UpdateVocabularyFilterCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/package.json b/clients/client-transfer/package.json index b53c9323b313..8147aa1515a1 100644 --- a/clients/client-transfer/package.json +++ b/clients/client-transfer/package.json @@ -33,32 +33,32 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", - "@smithy/util-waiter": "^3.1.3", + "@smithy/util-waiter": "^3.1.5", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/clients/client-transfer/src/commands/CreateAccessCommand.ts b/clients/client-transfer/src/commands/CreateAccessCommand.ts index ddbbd84f8f23..5cde01b94a98 100644 --- a/clients/client-transfer/src/commands/CreateAccessCommand.ts +++ b/clients/client-transfer/src/commands/CreateAccessCommand.ts @@ -118,4 +118,16 @@ export class CreateAccessCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessCommand) .de(de_CreateAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessRequest; + output: CreateAccessResponse; + }; + sdk: { + input: CreateAccessCommandInput; + output: CreateAccessCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/CreateAgreementCommand.ts b/clients/client-transfer/src/commands/CreateAgreementCommand.ts index 3fb6e98ab1ff..ff9e498ac3f3 100644 --- a/clients/client-transfer/src/commands/CreateAgreementCommand.ts +++ b/clients/client-transfer/src/commands/CreateAgreementCommand.ts @@ -113,4 +113,16 @@ export class CreateAgreementCommand extends $Command .f(void 0, void 0) .ser(se_CreateAgreementCommand) .de(de_CreateAgreementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAgreementRequest; + output: CreateAgreementResponse; + }; + sdk: { + input: CreateAgreementCommandInput; + output: CreateAgreementCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/CreateConnectorCommand.ts b/clients/client-transfer/src/commands/CreateConnectorCommand.ts index d2c71519df4d..0f6def7163f0 100644 --- a/clients/client-transfer/src/commands/CreateConnectorCommand.ts +++ b/clients/client-transfer/src/commands/CreateConnectorCommand.ts @@ -127,4 +127,16 @@ export class CreateConnectorCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectorCommand) .de(de_CreateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectorRequest; + output: CreateConnectorResponse; + }; + sdk: { + input: CreateConnectorCommandInput; + output: CreateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/CreateProfileCommand.ts b/clients/client-transfer/src/commands/CreateProfileCommand.ts index 5568d362fcb1..6b781775e2f6 100644 --- a/clients/client-transfer/src/commands/CreateProfileCommand.ts +++ b/clients/client-transfer/src/commands/CreateProfileCommand.ts @@ -103,4 +103,16 @@ export class CreateProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateProfileCommand) .de(de_CreateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileRequest; + output: CreateProfileResponse; + }; + sdk: { + input: CreateProfileCommandInput; + output: CreateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/CreateServerCommand.ts b/clients/client-transfer/src/commands/CreateServerCommand.ts index 9a72da068814..e4ab69a308bd 100644 --- a/clients/client-transfer/src/commands/CreateServerCommand.ts +++ b/clients/client-transfer/src/commands/CreateServerCommand.ts @@ -167,4 +167,16 @@ export class CreateServerCommand extends $Command .f(CreateServerRequestFilterSensitiveLog, void 0) .ser(se_CreateServerCommand) .de(de_CreateServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServerRequest; + output: CreateServerResponse; + }; + sdk: { + input: CreateServerCommandInput; + output: CreateServerCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/CreateUserCommand.ts b/clients/client-transfer/src/commands/CreateUserCommand.ts index b8a58c944164..7b9a75656bee 100644 --- a/clients/client-transfer/src/commands/CreateUserCommand.ts +++ b/clients/client-transfer/src/commands/CreateUserCommand.ts @@ -126,4 +126,16 @@ export class CreateUserCommand extends $Command .f(void 0, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/CreateWorkflowCommand.ts b/clients/client-transfer/src/commands/CreateWorkflowCommand.ts index 0b7f6ce14c87..33d75cd0ebf9 100644 --- a/clients/client-transfer/src/commands/CreateWorkflowCommand.ts +++ b/clients/client-transfer/src/commands/CreateWorkflowCommand.ts @@ -216,4 +216,16 @@ export class CreateWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkflowCommand) .de(de_CreateWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkflowRequest; + output: CreateWorkflowResponse; + }; + sdk: { + input: CreateWorkflowCommandInput; + output: CreateWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteAccessCommand.ts b/clients/client-transfer/src/commands/DeleteAccessCommand.ts index 801593d3dd8e..be0f56a038fa 100644 --- a/clients/client-transfer/src/commands/DeleteAccessCommand.ts +++ b/clients/client-transfer/src/commands/DeleteAccessCommand.ts @@ -90,4 +90,16 @@ export class DeleteAccessCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessCommand) .de(de_DeleteAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessRequest; + output: {}; + }; + sdk: { + input: DeleteAccessCommandInput; + output: DeleteAccessCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteAgreementCommand.ts b/clients/client-transfer/src/commands/DeleteAgreementCommand.ts index 310581edd80c..fe924ea63382 100644 --- a/clients/client-transfer/src/commands/DeleteAgreementCommand.ts +++ b/clients/client-transfer/src/commands/DeleteAgreementCommand.ts @@ -89,4 +89,16 @@ export class DeleteAgreementCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAgreementCommand) .de(de_DeleteAgreementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAgreementRequest; + output: {}; + }; + sdk: { + input: DeleteAgreementCommandInput; + output: DeleteAgreementCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteCertificateCommand.ts b/clients/client-transfer/src/commands/DeleteCertificateCommand.ts index 92b8c9996e58..d3920d68bb01 100644 --- a/clients/client-transfer/src/commands/DeleteCertificateCommand.ts +++ b/clients/client-transfer/src/commands/DeleteCertificateCommand.ts @@ -89,4 +89,16 @@ export class DeleteCertificateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteCertificateCommand) .de(de_DeleteCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCertificateRequest; + output: {}; + }; + sdk: { + input: DeleteCertificateCommandInput; + output: DeleteCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteConnectorCommand.ts b/clients/client-transfer/src/commands/DeleteConnectorCommand.ts index 6e4b88751f4d..d168b3466739 100644 --- a/clients/client-transfer/src/commands/DeleteConnectorCommand.ts +++ b/clients/client-transfer/src/commands/DeleteConnectorCommand.ts @@ -88,4 +88,16 @@ export class DeleteConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectorCommand) .de(de_DeleteConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectorRequest; + output: {}; + }; + sdk: { + input: DeleteConnectorCommandInput; + output: DeleteConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteHostKeyCommand.ts b/clients/client-transfer/src/commands/DeleteHostKeyCommand.ts index 82892f9b0f24..5cd4490f1313 100644 --- a/clients/client-transfer/src/commands/DeleteHostKeyCommand.ts +++ b/clients/client-transfer/src/commands/DeleteHostKeyCommand.ts @@ -92,4 +92,16 @@ export class DeleteHostKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteHostKeyCommand) .de(de_DeleteHostKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteHostKeyRequest; + output: {}; + }; + sdk: { + input: DeleteHostKeyCommandInput; + output: DeleteHostKeyCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteProfileCommand.ts b/clients/client-transfer/src/commands/DeleteProfileCommand.ts index ff7064e8b7cb..6636ca7fbcd3 100644 --- a/clients/client-transfer/src/commands/DeleteProfileCommand.ts +++ b/clients/client-transfer/src/commands/DeleteProfileCommand.ts @@ -88,4 +88,16 @@ export class DeleteProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileCommand) .de(de_DeleteProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileRequest; + output: {}; + }; + sdk: { + input: DeleteProfileCommandInput; + output: DeleteProfileCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteServerCommand.ts b/clients/client-transfer/src/commands/DeleteServerCommand.ts index d77b435827d0..3675b0a96c3d 100644 --- a/clients/client-transfer/src/commands/DeleteServerCommand.ts +++ b/clients/client-transfer/src/commands/DeleteServerCommand.ts @@ -92,4 +92,16 @@ export class DeleteServerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServerCommand) .de(de_DeleteServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServerRequest; + output: {}; + }; + sdk: { + input: DeleteServerCommandInput; + output: DeleteServerCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteSshPublicKeyCommand.ts b/clients/client-transfer/src/commands/DeleteSshPublicKeyCommand.ts index a0cd1afd8d54..2c417f78264c 100644 --- a/clients/client-transfer/src/commands/DeleteSshPublicKeyCommand.ts +++ b/clients/client-transfer/src/commands/DeleteSshPublicKeyCommand.ts @@ -93,4 +93,16 @@ export class DeleteSshPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSshPublicKeyCommand) .de(de_DeleteSshPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSshPublicKeyRequest; + output: {}; + }; + sdk: { + input: DeleteSshPublicKeyCommandInput; + output: DeleteSshPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteUserCommand.ts b/clients/client-transfer/src/commands/DeleteUserCommand.ts index b66d07d59f5e..93838b9bafd2 100644 --- a/clients/client-transfer/src/commands/DeleteUserCommand.ts +++ b/clients/client-transfer/src/commands/DeleteUserCommand.ts @@ -93,4 +93,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DeleteWorkflowCommand.ts b/clients/client-transfer/src/commands/DeleteWorkflowCommand.ts index 399418a2316b..d6b702fc1da6 100644 --- a/clients/client-transfer/src/commands/DeleteWorkflowCommand.ts +++ b/clients/client-transfer/src/commands/DeleteWorkflowCommand.ts @@ -91,4 +91,16 @@ export class DeleteWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkflowCommand) .de(de_DeleteWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkflowRequest; + output: {}; + }; + sdk: { + input: DeleteWorkflowCommandInput; + output: DeleteWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeAccessCommand.ts b/clients/client-transfer/src/commands/DescribeAccessCommand.ts index 0d728b23d19b..efa08b74848a 100644 --- a/clients/client-transfer/src/commands/DescribeAccessCommand.ts +++ b/clients/client-transfer/src/commands/DescribeAccessCommand.ts @@ -116,4 +116,16 @@ export class DescribeAccessCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccessCommand) .de(de_DescribeAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccessRequest; + output: DescribeAccessResponse; + }; + sdk: { + input: DescribeAccessCommandInput; + output: DescribeAccessCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeAgreementCommand.ts b/clients/client-transfer/src/commands/DescribeAgreementCommand.ts index 338891723439..5e2be46afd22 100644 --- a/clients/client-transfer/src/commands/DescribeAgreementCommand.ts +++ b/clients/client-transfer/src/commands/DescribeAgreementCommand.ts @@ -107,4 +107,16 @@ export class DescribeAgreementCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAgreementCommand) .de(de_DescribeAgreementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAgreementRequest; + output: DescribeAgreementResponse; + }; + sdk: { + input: DescribeAgreementCommandInput; + output: DescribeAgreementCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeCertificateCommand.ts b/clients/client-transfer/src/commands/DescribeCertificateCommand.ts index 291d5568d841..5d3f6ca8f9df 100644 --- a/clients/client-transfer/src/commands/DescribeCertificateCommand.ts +++ b/clients/client-transfer/src/commands/DescribeCertificateCommand.ts @@ -114,4 +114,16 @@ export class DescribeCertificateCommand extends $Command .f(void 0, DescribeCertificateResponseFilterSensitiveLog) .ser(se_DescribeCertificateCommand) .de(de_DescribeCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCertificateRequest; + output: DescribeCertificateResponse; + }; + sdk: { + input: DescribeCertificateCommandInput; + output: DescribeCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeConnectorCommand.ts b/clients/client-transfer/src/commands/DescribeConnectorCommand.ts index f642cebda249..f9e278217cca 100644 --- a/clients/client-transfer/src/commands/DescribeConnectorCommand.ts +++ b/clients/client-transfer/src/commands/DescribeConnectorCommand.ts @@ -124,4 +124,16 @@ export class DescribeConnectorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectorCommand) .de(de_DescribeConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectorRequest; + output: DescribeConnectorResponse; + }; + sdk: { + input: DescribeConnectorCommandInput; + output: DescribeConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeExecutionCommand.ts b/clients/client-transfer/src/commands/DescribeExecutionCommand.ts index a370d91b107e..47222e02e313 100644 --- a/clients/client-transfer/src/commands/DescribeExecutionCommand.ts +++ b/clients/client-transfer/src/commands/DescribeExecutionCommand.ts @@ -154,4 +154,16 @@ export class DescribeExecutionCommand extends $Command .f(void 0, void 0) .ser(se_DescribeExecutionCommand) .de(de_DescribeExecutionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeExecutionRequest; + output: DescribeExecutionResponse; + }; + sdk: { + input: DescribeExecutionCommandInput; + output: DescribeExecutionCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeHostKeyCommand.ts b/clients/client-transfer/src/commands/DescribeHostKeyCommand.ts index ccc2cbcd2dd7..70c8a3bcacfd 100644 --- a/clients/client-transfer/src/commands/DescribeHostKeyCommand.ts +++ b/clients/client-transfer/src/commands/DescribeHostKeyCommand.ts @@ -104,4 +104,16 @@ export class DescribeHostKeyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeHostKeyCommand) .de(de_DescribeHostKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeHostKeyRequest; + output: DescribeHostKeyResponse; + }; + sdk: { + input: DescribeHostKeyCommandInput; + output: DescribeHostKeyCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeProfileCommand.ts b/clients/client-transfer/src/commands/DescribeProfileCommand.ts index 3147d5839bc8..f95955238ce9 100644 --- a/clients/client-transfer/src/commands/DescribeProfileCommand.ts +++ b/clients/client-transfer/src/commands/DescribeProfileCommand.ts @@ -104,4 +104,16 @@ export class DescribeProfileCommand extends $Command .f(void 0, void 0) .ser(se_DescribeProfileCommand) .de(de_DescribeProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeProfileRequest; + output: DescribeProfileResponse; + }; + sdk: { + input: DescribeProfileCommandInput; + output: DescribeProfileCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeSecurityPolicyCommand.ts b/clients/client-transfer/src/commands/DescribeSecurityPolicyCommand.ts index 61505c0c9662..32193cb245c6 100644 --- a/clients/client-transfer/src/commands/DescribeSecurityPolicyCommand.ts +++ b/clients/client-transfer/src/commands/DescribeSecurityPolicyCommand.ts @@ -115,4 +115,16 @@ export class DescribeSecurityPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DescribeSecurityPolicyCommand) .de(de_DescribeSecurityPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSecurityPolicyRequest; + output: DescribeSecurityPolicyResponse; + }; + sdk: { + input: DescribeSecurityPolicyCommandInput; + output: DescribeSecurityPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeServerCommand.ts b/clients/client-transfer/src/commands/DescribeServerCommand.ts index e83f3d02316c..dd75ca3bdfc6 100644 --- a/clients/client-transfer/src/commands/DescribeServerCommand.ts +++ b/clients/client-transfer/src/commands/DescribeServerCommand.ts @@ -168,4 +168,16 @@ export class DescribeServerCommand extends $Command .f(void 0, void 0) .ser(se_DescribeServerCommand) .de(de_DescribeServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeServerRequest; + output: DescribeServerResponse; + }; + sdk: { + input: DescribeServerCommandInput; + output: DescribeServerCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeUserCommand.ts b/clients/client-transfer/src/commands/DescribeUserCommand.ts index ca9027b64439..d45e45b6bb70 100644 --- a/clients/client-transfer/src/commands/DescribeUserCommand.ts +++ b/clients/client-transfer/src/commands/DescribeUserCommand.ts @@ -129,4 +129,16 @@ export class DescribeUserCommand extends $Command .f(void 0, void 0) .ser(se_DescribeUserCommand) .de(de_DescribeUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserRequest; + output: DescribeUserResponse; + }; + sdk: { + input: DescribeUserCommandInput; + output: DescribeUserCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/DescribeWorkflowCommand.ts b/clients/client-transfer/src/commands/DescribeWorkflowCommand.ts index 3ee9d0dd1f6b..bbe50f134a63 100644 --- a/clients/client-transfer/src/commands/DescribeWorkflowCommand.ts +++ b/clients/client-transfer/src/commands/DescribeWorkflowCommand.ts @@ -212,4 +212,16 @@ export class DescribeWorkflowCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkflowCommand) .de(de_DescribeWorkflowCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkflowRequest; + output: DescribeWorkflowResponse; + }; + sdk: { + input: DescribeWorkflowCommandInput; + output: DescribeWorkflowCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ImportCertificateCommand.ts b/clients/client-transfer/src/commands/ImportCertificateCommand.ts index f450c3b67452..ba76f96b1b1e 100644 --- a/clients/client-transfer/src/commands/ImportCertificateCommand.ts +++ b/clients/client-transfer/src/commands/ImportCertificateCommand.ts @@ -108,4 +108,16 @@ export class ImportCertificateCommand extends $Command .f(ImportCertificateRequestFilterSensitiveLog, void 0) .ser(se_ImportCertificateCommand) .de(de_ImportCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportCertificateRequest; + output: ImportCertificateResponse; + }; + sdk: { + input: ImportCertificateCommandInput; + output: ImportCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ImportHostKeyCommand.ts b/clients/client-transfer/src/commands/ImportHostKeyCommand.ts index fb8d9aebed77..f19e70b33e1a 100644 --- a/clients/client-transfer/src/commands/ImportHostKeyCommand.ts +++ b/clients/client-transfer/src/commands/ImportHostKeyCommand.ts @@ -110,4 +110,16 @@ export class ImportHostKeyCommand extends $Command .f(ImportHostKeyRequestFilterSensitiveLog, void 0) .ser(se_ImportHostKeyCommand) .de(de_ImportHostKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportHostKeyRequest; + output: ImportHostKeyResponse; + }; + sdk: { + input: ImportHostKeyCommandInput; + output: ImportHostKeyCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ImportSshPublicKeyCommand.ts b/clients/client-transfer/src/commands/ImportSshPublicKeyCommand.ts index 174f3568155b..da354ed2a41f 100644 --- a/clients/client-transfer/src/commands/ImportSshPublicKeyCommand.ts +++ b/clients/client-transfer/src/commands/ImportSshPublicKeyCommand.ts @@ -104,4 +104,16 @@ export class ImportSshPublicKeyCommand extends $Command .f(void 0, void 0) .ser(se_ImportSshPublicKeyCommand) .de(de_ImportSshPublicKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportSshPublicKeyRequest; + output: ImportSshPublicKeyResponse; + }; + sdk: { + input: ImportSshPublicKeyCommandInput; + output: ImportSshPublicKeyCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListAccessesCommand.ts b/clients/client-transfer/src/commands/ListAccessesCommand.ts index a2012293fa9c..7723245e991b 100644 --- a/clients/client-transfer/src/commands/ListAccessesCommand.ts +++ b/clients/client-transfer/src/commands/ListAccessesCommand.ts @@ -104,4 +104,16 @@ export class ListAccessesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessesCommand) .de(de_ListAccessesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessesRequest; + output: ListAccessesResponse; + }; + sdk: { + input: ListAccessesCommandInput; + output: ListAccessesCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListAgreementsCommand.ts b/clients/client-transfer/src/commands/ListAgreementsCommand.ts index 0d5590f380f6..ba855cfdf7c2 100644 --- a/clients/client-transfer/src/commands/ListAgreementsCommand.ts +++ b/clients/client-transfer/src/commands/ListAgreementsCommand.ts @@ -110,4 +110,16 @@ export class ListAgreementsCommand extends $Command .f(void 0, void 0) .ser(se_ListAgreementsCommand) .de(de_ListAgreementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAgreementsRequest; + output: ListAgreementsResponse; + }; + sdk: { + input: ListAgreementsCommandInput; + output: ListAgreementsCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListCertificatesCommand.ts b/clients/client-transfer/src/commands/ListCertificatesCommand.ts index 340fa0b1fe91..bc475e4aa3e1 100644 --- a/clients/client-transfer/src/commands/ListCertificatesCommand.ts +++ b/clients/client-transfer/src/commands/ListCertificatesCommand.ts @@ -110,4 +110,16 @@ export class ListCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListCertificatesCommand) .de(de_ListCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCertificatesRequest; + output: ListCertificatesResponse; + }; + sdk: { + input: ListCertificatesCommandInput; + output: ListCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListConnectorsCommand.ts b/clients/client-transfer/src/commands/ListConnectorsCommand.ts index 72568a9c11f0..fc8a1ec1eb01 100644 --- a/clients/client-transfer/src/commands/ListConnectorsCommand.ts +++ b/clients/client-transfer/src/commands/ListConnectorsCommand.ts @@ -101,4 +101,16 @@ export class ListConnectorsCommand extends $Command .f(void 0, void 0) .ser(se_ListConnectorsCommand) .de(de_ListConnectorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListConnectorsRequest; + output: ListConnectorsResponse; + }; + sdk: { + input: ListConnectorsCommandInput; + output: ListConnectorsCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListExecutionsCommand.ts b/clients/client-transfer/src/commands/ListExecutionsCommand.ts index 10ed5b235145..a439bc99b72a 100644 --- a/clients/client-transfer/src/commands/ListExecutionsCommand.ts +++ b/clients/client-transfer/src/commands/ListExecutionsCommand.ts @@ -125,4 +125,16 @@ export class ListExecutionsCommand extends $Command .f(void 0, void 0) .ser(se_ListExecutionsCommand) .de(de_ListExecutionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListExecutionsRequest; + output: ListExecutionsResponse; + }; + sdk: { + input: ListExecutionsCommandInput; + output: ListExecutionsCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListHostKeysCommand.ts b/clients/client-transfer/src/commands/ListHostKeysCommand.ts index cc89816ea2a5..10b6811a78fa 100644 --- a/clients/client-transfer/src/commands/ListHostKeysCommand.ts +++ b/clients/client-transfer/src/commands/ListHostKeysCommand.ts @@ -107,4 +107,16 @@ export class ListHostKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListHostKeysCommand) .de(de_ListHostKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListHostKeysRequest; + output: ListHostKeysResponse; + }; + sdk: { + input: ListHostKeysCommandInput; + output: ListHostKeysCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListProfilesCommand.ts b/clients/client-transfer/src/commands/ListProfilesCommand.ts index 5a19445b23bf..0cbf40c39ea2 100644 --- a/clients/client-transfer/src/commands/ListProfilesCommand.ts +++ b/clients/client-transfer/src/commands/ListProfilesCommand.ts @@ -106,4 +106,16 @@ export class ListProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfilesCommand) .de(de_ListProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfilesRequest; + output: ListProfilesResponse; + }; + sdk: { + input: ListProfilesCommandInput; + output: ListProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListSecurityPoliciesCommand.ts b/clients/client-transfer/src/commands/ListSecurityPoliciesCommand.ts index 0cd3ff0a9596..24045d3a2337 100644 --- a/clients/client-transfer/src/commands/ListSecurityPoliciesCommand.ts +++ b/clients/client-transfer/src/commands/ListSecurityPoliciesCommand.ts @@ -96,4 +96,16 @@ export class ListSecurityPoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListSecurityPoliciesCommand) .de(de_ListSecurityPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSecurityPoliciesRequest; + output: ListSecurityPoliciesResponse; + }; + sdk: { + input: ListSecurityPoliciesCommandInput; + output: ListSecurityPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListServersCommand.ts b/clients/client-transfer/src/commands/ListServersCommand.ts index 7bc696b0db58..3e08831b56ce 100644 --- a/clients/client-transfer/src/commands/ListServersCommand.ts +++ b/clients/client-transfer/src/commands/ListServersCommand.ts @@ -103,4 +103,16 @@ export class ListServersCommand extends $Command .f(void 0, void 0) .ser(se_ListServersCommand) .de(de_ListServersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServersRequest; + output: ListServersResponse; + }; + sdk: { + input: ListServersCommandInput; + output: ListServersCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListTagsForResourceCommand.ts b/clients/client-transfer/src/commands/ListTagsForResourceCommand.ts index 7ad617c105f7..606f25c40948 100644 --- a/clients/client-transfer/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-transfer/src/commands/ListTagsForResourceCommand.ts @@ -99,4 +99,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListUsersCommand.ts b/clients/client-transfer/src/commands/ListUsersCommand.ts index bbe953eeaeea..647b900b2f89 100644 --- a/clients/client-transfer/src/commands/ListUsersCommand.ts +++ b/clients/client-transfer/src/commands/ListUsersCommand.ts @@ -107,4 +107,16 @@ export class ListUsersCommand extends $Command .f(void 0, void 0) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/ListWorkflowsCommand.ts b/clients/client-transfer/src/commands/ListWorkflowsCommand.ts index b6df78a82955..856720730e54 100644 --- a/clients/client-transfer/src/commands/ListWorkflowsCommand.ts +++ b/clients/client-transfer/src/commands/ListWorkflowsCommand.ts @@ -97,4 +97,16 @@ export class ListWorkflowsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkflowsCommand) .de(de_ListWorkflowsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkflowsRequest; + output: ListWorkflowsResponse; + }; + sdk: { + input: ListWorkflowsCommandInput; + output: ListWorkflowsCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/SendWorkflowStepStateCommand.ts b/clients/client-transfer/src/commands/SendWorkflowStepStateCommand.ts index a89009960f70..35ae730f251f 100644 --- a/clients/client-transfer/src/commands/SendWorkflowStepStateCommand.ts +++ b/clients/client-transfer/src/commands/SendWorkflowStepStateCommand.ts @@ -101,4 +101,16 @@ export class SendWorkflowStepStateCommand extends $Command .f(void 0, void 0) .ser(se_SendWorkflowStepStateCommand) .de(de_SendWorkflowStepStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SendWorkflowStepStateRequest; + output: {}; + }; + sdk: { + input: SendWorkflowStepStateCommandInput; + output: SendWorkflowStepStateCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/StartDirectoryListingCommand.ts b/clients/client-transfer/src/commands/StartDirectoryListingCommand.ts index bf9e3dd2d497..673539cba4f7 100644 --- a/clients/client-transfer/src/commands/StartDirectoryListingCommand.ts +++ b/clients/client-transfer/src/commands/StartDirectoryListingCommand.ts @@ -141,4 +141,16 @@ export class StartDirectoryListingCommand extends $Command .f(void 0, void 0) .ser(se_StartDirectoryListingCommand) .de(de_StartDirectoryListingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartDirectoryListingRequest; + output: StartDirectoryListingResponse; + }; + sdk: { + input: StartDirectoryListingCommandInput; + output: StartDirectoryListingCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/StartFileTransferCommand.ts b/clients/client-transfer/src/commands/StartFileTransferCommand.ts index 72c224672866..eac3a8f0311a 100644 --- a/clients/client-transfer/src/commands/StartFileTransferCommand.ts +++ b/clients/client-transfer/src/commands/StartFileTransferCommand.ts @@ -126,4 +126,16 @@ export class StartFileTransferCommand extends $Command .f(void 0, void 0) .ser(se_StartFileTransferCommand) .de(de_StartFileTransferCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFileTransferRequest; + output: StartFileTransferResponse; + }; + sdk: { + input: StartFileTransferCommandInput; + output: StartFileTransferCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/StartServerCommand.ts b/clients/client-transfer/src/commands/StartServerCommand.ts index 7c4e4efca33a..364e1edb25c3 100644 --- a/clients/client-transfer/src/commands/StartServerCommand.ts +++ b/clients/client-transfer/src/commands/StartServerCommand.ts @@ -97,4 +97,16 @@ export class StartServerCommand extends $Command .f(void 0, void 0) .ser(se_StartServerCommand) .de(de_StartServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartServerRequest; + output: {}; + }; + sdk: { + input: StartServerCommandInput; + output: StartServerCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/StopServerCommand.ts b/clients/client-transfer/src/commands/StopServerCommand.ts index b8931cf15941..6db35bbcf600 100644 --- a/clients/client-transfer/src/commands/StopServerCommand.ts +++ b/clients/client-transfer/src/commands/StopServerCommand.ts @@ -102,4 +102,16 @@ export class StopServerCommand extends $Command .f(void 0, void 0) .ser(se_StopServerCommand) .de(de_StopServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopServerRequest; + output: {}; + }; + sdk: { + input: StopServerCommandInput; + output: StopServerCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/TagResourceCommand.ts b/clients/client-transfer/src/commands/TagResourceCommand.ts index 27f27be6422e..f02d1fa036ac 100644 --- a/clients/client-transfer/src/commands/TagResourceCommand.ts +++ b/clients/client-transfer/src/commands/TagResourceCommand.ts @@ -96,4 +96,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/TestConnectionCommand.ts b/clients/client-transfer/src/commands/TestConnectionCommand.ts index aacbda9c9275..551c730c03e1 100644 --- a/clients/client-transfer/src/commands/TestConnectionCommand.ts +++ b/clients/client-transfer/src/commands/TestConnectionCommand.ts @@ -94,4 +94,16 @@ export class TestConnectionCommand extends $Command .f(void 0, void 0) .ser(se_TestConnectionCommand) .de(de_TestConnectionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestConnectionRequest; + output: TestConnectionResponse; + }; + sdk: { + input: TestConnectionCommandInput; + output: TestConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/TestIdentityProviderCommand.ts b/clients/client-transfer/src/commands/TestIdentityProviderCommand.ts index c6ff055dce73..a2712ad168f3 100644 --- a/clients/client-transfer/src/commands/TestIdentityProviderCommand.ts +++ b/clients/client-transfer/src/commands/TestIdentityProviderCommand.ts @@ -150,4 +150,16 @@ export class TestIdentityProviderCommand extends $Command .f(TestIdentityProviderRequestFilterSensitiveLog, void 0) .ser(se_TestIdentityProviderCommand) .de(de_TestIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestIdentityProviderRequest; + output: TestIdentityProviderResponse; + }; + sdk: { + input: TestIdentityProviderCommandInput; + output: TestIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UntagResourceCommand.ts b/clients/client-transfer/src/commands/UntagResourceCommand.ts index 507858ce47f1..426c2ee947c6 100644 --- a/clients/client-transfer/src/commands/UntagResourceCommand.ts +++ b/clients/client-transfer/src/commands/UntagResourceCommand.ts @@ -93,4 +93,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateAccessCommand.ts b/clients/client-transfer/src/commands/UpdateAccessCommand.ts index 41c1f400e13d..b2cab9b52e04 100644 --- a/clients/client-transfer/src/commands/UpdateAccessCommand.ts +++ b/clients/client-transfer/src/commands/UpdateAccessCommand.ts @@ -117,4 +117,16 @@ export class UpdateAccessCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessCommand) .de(de_UpdateAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessRequest; + output: UpdateAccessResponse; + }; + sdk: { + input: UpdateAccessCommandInput; + output: UpdateAccessCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateAgreementCommand.ts b/clients/client-transfer/src/commands/UpdateAgreementCommand.ts index 26cca576f0a6..03966a7ddba6 100644 --- a/clients/client-transfer/src/commands/UpdateAgreementCommand.ts +++ b/clients/client-transfer/src/commands/UpdateAgreementCommand.ts @@ -105,4 +105,16 @@ export class UpdateAgreementCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAgreementCommand) .de(de_UpdateAgreementCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAgreementRequest; + output: UpdateAgreementResponse; + }; + sdk: { + input: UpdateAgreementCommandInput; + output: UpdateAgreementCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateCertificateCommand.ts b/clients/client-transfer/src/commands/UpdateCertificateCommand.ts index 9d66250399b0..726f4f2eae5f 100644 --- a/clients/client-transfer/src/commands/UpdateCertificateCommand.ts +++ b/clients/client-transfer/src/commands/UpdateCertificateCommand.ts @@ -96,4 +96,16 @@ export class UpdateCertificateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCertificateCommand) .de(de_UpdateCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCertificateRequest; + output: UpdateCertificateResponse; + }; + sdk: { + input: UpdateCertificateCommandInput; + output: UpdateCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateConnectorCommand.ts b/clients/client-transfer/src/commands/UpdateConnectorCommand.ts index b97f18cc5976..41fcad0b8950 100644 --- a/clients/client-transfer/src/commands/UpdateConnectorCommand.ts +++ b/clients/client-transfer/src/commands/UpdateConnectorCommand.ts @@ -119,4 +119,16 @@ export class UpdateConnectorCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectorCommand) .de(de_UpdateConnectorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectorRequest; + output: UpdateConnectorResponse; + }; + sdk: { + input: UpdateConnectorCommandInput; + output: UpdateConnectorCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateHostKeyCommand.ts b/clients/client-transfer/src/commands/UpdateHostKeyCommand.ts index 9aa5eda36098..713987789fbf 100644 --- a/clients/client-transfer/src/commands/UpdateHostKeyCommand.ts +++ b/clients/client-transfer/src/commands/UpdateHostKeyCommand.ts @@ -97,4 +97,16 @@ export class UpdateHostKeyCommand extends $Command .f(void 0, void 0) .ser(se_UpdateHostKeyCommand) .de(de_UpdateHostKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateHostKeyRequest; + output: UpdateHostKeyResponse; + }; + sdk: { + input: UpdateHostKeyCommandInput; + output: UpdateHostKeyCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateProfileCommand.ts b/clients/client-transfer/src/commands/UpdateProfileCommand.ts index d250e6010f4b..ae1b5192d2b7 100644 --- a/clients/client-transfer/src/commands/UpdateProfileCommand.ts +++ b/clients/client-transfer/src/commands/UpdateProfileCommand.ts @@ -98,4 +98,16 @@ export class UpdateProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProfileCommand) .de(de_UpdateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfileRequest; + output: UpdateProfileResponse; + }; + sdk: { + input: UpdateProfileCommandInput; + output: UpdateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateServerCommand.ts b/clients/client-transfer/src/commands/UpdateServerCommand.ts index 45f41d7079f9..f84396da4fb0 100644 --- a/clients/client-transfer/src/commands/UpdateServerCommand.ts +++ b/clients/client-transfer/src/commands/UpdateServerCommand.ts @@ -165,4 +165,16 @@ export class UpdateServerCommand extends $Command .f(UpdateServerRequestFilterSensitiveLog, void 0) .ser(se_UpdateServerCommand) .de(de_UpdateServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServerRequest; + output: UpdateServerResponse; + }; + sdk: { + input: UpdateServerCommandInput; + output: UpdateServerCommandOutput; + }; + }; +} diff --git a/clients/client-transfer/src/commands/UpdateUserCommand.ts b/clients/client-transfer/src/commands/UpdateUserCommand.ts index d98703b76e81..f5a62f1715b5 100644 --- a/clients/client-transfer/src/commands/UpdateUserCommand.ts +++ b/clients/client-transfer/src/commands/UpdateUserCommand.ts @@ -129,4 +129,16 @@ export class UpdateUserCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: UpdateUserResponse; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-translate/package.json b/clients/client-translate/package.json index 05bbd6e7375a..d68f2ffc0e11 100644 --- a/clients/client-translate/package.json +++ b/clients/client-translate/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-translate/src/commands/CreateParallelDataCommand.ts b/clients/client-translate/src/commands/CreateParallelDataCommand.ts index 83d9740374e4..3b4ba0cfff61 100644 --- a/clients/client-translate/src/commands/CreateParallelDataCommand.ts +++ b/clients/client-translate/src/commands/CreateParallelDataCommand.ts @@ -126,4 +126,16 @@ export class CreateParallelDataCommand extends $Command .f(void 0, void 0) .ser(se_CreateParallelDataCommand) .de(de_CreateParallelDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateParallelDataRequest; + output: CreateParallelDataResponse; + }; + sdk: { + input: CreateParallelDataCommandInput; + output: CreateParallelDataCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/DeleteParallelDataCommand.ts b/clients/client-translate/src/commands/DeleteParallelDataCommand.ts index 79785103cf84..e15175b486db 100644 --- a/clients/client-translate/src/commands/DeleteParallelDataCommand.ts +++ b/clients/client-translate/src/commands/DeleteParallelDataCommand.ts @@ -94,4 +94,16 @@ export class DeleteParallelDataCommand extends $Command .f(void 0, void 0) .ser(se_DeleteParallelDataCommand) .de(de_DeleteParallelDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteParallelDataRequest; + output: DeleteParallelDataResponse; + }; + sdk: { + input: DeleteParallelDataCommandInput; + output: DeleteParallelDataCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/DeleteTerminologyCommand.ts b/clients/client-translate/src/commands/DeleteTerminologyCommand.ts index 19a0d6279f8d..22e946c29bad 100644 --- a/clients/client-translate/src/commands/DeleteTerminologyCommand.ts +++ b/clients/client-translate/src/commands/DeleteTerminologyCommand.ts @@ -91,4 +91,16 @@ export class DeleteTerminologyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTerminologyCommand) .de(de_DeleteTerminologyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTerminologyRequest; + output: {}; + }; + sdk: { + input: DeleteTerminologyCommandInput; + output: DeleteTerminologyCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/DescribeTextTranslationJobCommand.ts b/clients/client-translate/src/commands/DescribeTextTranslationJobCommand.ts index d7fb29ffd425..cd009a51408d 100644 --- a/clients/client-translate/src/commands/DescribeTextTranslationJobCommand.ts +++ b/clients/client-translate/src/commands/DescribeTextTranslationJobCommand.ts @@ -129,4 +129,16 @@ export class DescribeTextTranslationJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTextTranslationJobCommand) .de(de_DescribeTextTranslationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTextTranslationJobRequest; + output: DescribeTextTranslationJobResponse; + }; + sdk: { + input: DescribeTextTranslationJobCommandInput; + output: DescribeTextTranslationJobCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/GetParallelDataCommand.ts b/clients/client-translate/src/commands/GetParallelDataCommand.ts index 4929dd421e0e..31bb2d95a238 100644 --- a/clients/client-translate/src/commands/GetParallelDataCommand.ts +++ b/clients/client-translate/src/commands/GetParallelDataCommand.ts @@ -131,4 +131,16 @@ export class GetParallelDataCommand extends $Command .f(void 0, void 0) .ser(se_GetParallelDataCommand) .de(de_GetParallelDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetParallelDataRequest; + output: GetParallelDataResponse; + }; + sdk: { + input: GetParallelDataCommandInput; + output: GetParallelDataCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/GetTerminologyCommand.ts b/clients/client-translate/src/commands/GetTerminologyCommand.ts index 4c22256a6dd0..b0fcd7ec806f 100644 --- a/clients/client-translate/src/commands/GetTerminologyCommand.ts +++ b/clients/client-translate/src/commands/GetTerminologyCommand.ts @@ -122,4 +122,16 @@ export class GetTerminologyCommand extends $Command .f(void 0, void 0) .ser(se_GetTerminologyCommand) .de(de_GetTerminologyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTerminologyRequest; + output: GetTerminologyResponse; + }; + sdk: { + input: GetTerminologyCommandInput; + output: GetTerminologyCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/ImportTerminologyCommand.ts b/clients/client-translate/src/commands/ImportTerminologyCommand.ts index b8bcb5168515..079a0225be1e 100644 --- a/clients/client-translate/src/commands/ImportTerminologyCommand.ts +++ b/clients/client-translate/src/commands/ImportTerminologyCommand.ts @@ -151,4 +151,16 @@ export class ImportTerminologyCommand extends $Command .f(ImportTerminologyRequestFilterSensitiveLog, void 0) .ser(se_ImportTerminologyCommand) .de(de_ImportTerminologyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportTerminologyRequest; + output: ImportTerminologyResponse; + }; + sdk: { + input: ImportTerminologyCommandInput; + output: ImportTerminologyCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/ListLanguagesCommand.ts b/clients/client-translate/src/commands/ListLanguagesCommand.ts index 6498a6ec12cf..707032973335 100644 --- a/clients/client-translate/src/commands/ListLanguagesCommand.ts +++ b/clients/client-translate/src/commands/ListLanguagesCommand.ts @@ -100,4 +100,16 @@ export class ListLanguagesCommand extends $Command .f(void 0, void 0) .ser(se_ListLanguagesCommand) .de(de_ListLanguagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLanguagesRequest; + output: ListLanguagesResponse; + }; + sdk: { + input: ListLanguagesCommandInput; + output: ListLanguagesCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/ListParallelDataCommand.ts b/clients/client-translate/src/commands/ListParallelDataCommand.ts index 0d539eb163c2..6e4c08187033 100644 --- a/clients/client-translate/src/commands/ListParallelDataCommand.ts +++ b/clients/client-translate/src/commands/ListParallelDataCommand.ts @@ -118,4 +118,16 @@ export class ListParallelDataCommand extends $Command .f(void 0, void 0) .ser(se_ListParallelDataCommand) .de(de_ListParallelDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListParallelDataRequest; + output: ListParallelDataResponse; + }; + sdk: { + input: ListParallelDataCommandInput; + output: ListParallelDataCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/ListTagsForResourceCommand.ts b/clients/client-translate/src/commands/ListTagsForResourceCommand.ts index 1a3c212a0e4e..c93eee492d6a 100644 --- a/clients/client-translate/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-translate/src/commands/ListTagsForResourceCommand.ts @@ -96,4 +96,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/ListTerminologiesCommand.ts b/clients/client-translate/src/commands/ListTerminologiesCommand.ts index 15f17ea33f02..207c56a6ce0d 100644 --- a/clients/client-translate/src/commands/ListTerminologiesCommand.ts +++ b/clients/client-translate/src/commands/ListTerminologiesCommand.ts @@ -112,4 +112,16 @@ export class ListTerminologiesCommand extends $Command .f(void 0, void 0) .ser(se_ListTerminologiesCommand) .de(de_ListTerminologiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTerminologiesRequest; + output: ListTerminologiesResponse; + }; + sdk: { + input: ListTerminologiesCommandInput; + output: ListTerminologiesCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/ListTextTranslationJobsCommand.ts b/clients/client-translate/src/commands/ListTextTranslationJobsCommand.ts index 0f97052ccccc..be304a60e188 100644 --- a/clients/client-translate/src/commands/ListTextTranslationJobsCommand.ts +++ b/clients/client-translate/src/commands/ListTextTranslationJobsCommand.ts @@ -140,4 +140,16 @@ export class ListTextTranslationJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListTextTranslationJobsCommand) .de(de_ListTextTranslationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTextTranslationJobsRequest; + output: ListTextTranslationJobsResponse; + }; + sdk: { + input: ListTextTranslationJobsCommandInput; + output: ListTextTranslationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/StartTextTranslationJobCommand.ts b/clients/client-translate/src/commands/StartTextTranslationJobCommand.ts index 90970e120cbb..6c31d6d88554 100644 --- a/clients/client-translate/src/commands/StartTextTranslationJobCommand.ts +++ b/clients/client-translate/src/commands/StartTextTranslationJobCommand.ts @@ -138,4 +138,16 @@ export class StartTextTranslationJobCommand extends $Command .f(void 0, void 0) .ser(se_StartTextTranslationJobCommand) .de(de_StartTextTranslationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartTextTranslationJobRequest; + output: StartTextTranslationJobResponse; + }; + sdk: { + input: StartTextTranslationJobCommandInput; + output: StartTextTranslationJobCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/StopTextTranslationJobCommand.ts b/clients/client-translate/src/commands/StopTextTranslationJobCommand.ts index b9485e2348c2..f53c94bc1fe8 100644 --- a/clients/client-translate/src/commands/StopTextTranslationJobCommand.ts +++ b/clients/client-translate/src/commands/StopTextTranslationJobCommand.ts @@ -96,4 +96,16 @@ export class StopTextTranslationJobCommand extends $Command .f(void 0, void 0) .ser(se_StopTextTranslationJobCommand) .de(de_StopTextTranslationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopTextTranslationJobRequest; + output: StopTextTranslationJobResponse; + }; + sdk: { + input: StopTextTranslationJobCommandInput; + output: StopTextTranslationJobCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/TagResourceCommand.ts b/clients/client-translate/src/commands/TagResourceCommand.ts index a94d4f303f80..b60ca8f1c814 100644 --- a/clients/client-translate/src/commands/TagResourceCommand.ts +++ b/clients/client-translate/src/commands/TagResourceCommand.ts @@ -103,4 +103,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/TranslateDocumentCommand.ts b/clients/client-translate/src/commands/TranslateDocumentCommand.ts index f389864f31ed..d062611a670f 100644 --- a/clients/client-translate/src/commands/TranslateDocumentCommand.ts +++ b/clients/client-translate/src/commands/TranslateDocumentCommand.ts @@ -153,4 +153,16 @@ export class TranslateDocumentCommand extends $Command .f(TranslateDocumentRequestFilterSensitiveLog, TranslateDocumentResponseFilterSensitiveLog) .ser(se_TranslateDocumentCommand) .de(de_TranslateDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TranslateDocumentRequest; + output: TranslateDocumentResponse; + }; + sdk: { + input: TranslateDocumentCommandInput; + output: TranslateDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/TranslateTextCommand.ts b/clients/client-translate/src/commands/TranslateTextCommand.ts index f92e2424b9bf..6fbe51056072 100644 --- a/clients/client-translate/src/commands/TranslateTextCommand.ts +++ b/clients/client-translate/src/commands/TranslateTextCommand.ts @@ -140,4 +140,16 @@ export class TranslateTextCommand extends $Command .f(void 0, void 0) .ser(se_TranslateTextCommand) .de(de_TranslateTextCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TranslateTextRequest; + output: TranslateTextResponse; + }; + sdk: { + input: TranslateTextCommandInput; + output: TranslateTextCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/UntagResourceCommand.ts b/clients/client-translate/src/commands/UntagResourceCommand.ts index 2c3a6f0d8523..161191ca65a7 100644 --- a/clients/client-translate/src/commands/UntagResourceCommand.ts +++ b/clients/client-translate/src/commands/UntagResourceCommand.ts @@ -96,4 +96,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-translate/src/commands/UpdateParallelDataCommand.ts b/clients/client-translate/src/commands/UpdateParallelDataCommand.ts index dd61def19f5c..8146a4ad67fc 100644 --- a/clients/client-translate/src/commands/UpdateParallelDataCommand.ts +++ b/clients/client-translate/src/commands/UpdateParallelDataCommand.ts @@ -118,4 +118,16 @@ export class UpdateParallelDataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateParallelDataCommand) .de(de_UpdateParallelDataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateParallelDataRequest; + output: UpdateParallelDataResponse; + }; + sdk: { + input: UpdateParallelDataCommandInput; + output: UpdateParallelDataCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/package.json b/clients/client-trustedadvisor/package.json index 666da560775f..a52fe1839343 100644 --- a/clients/client-trustedadvisor/package.json +++ b/clients/client-trustedadvisor/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-trustedadvisor/src/commands/BatchUpdateRecommendationResourceExclusionCommand.ts b/clients/client-trustedadvisor/src/commands/BatchUpdateRecommendationResourceExclusionCommand.ts index 68785502b7d5..30a370993923 100644 --- a/clients/client-trustedadvisor/src/commands/BatchUpdateRecommendationResourceExclusionCommand.ts +++ b/clients/client-trustedadvisor/src/commands/BatchUpdateRecommendationResourceExclusionCommand.ts @@ -112,4 +112,16 @@ export class BatchUpdateRecommendationResourceExclusionCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateRecommendationResourceExclusionCommand) .de(de_BatchUpdateRecommendationResourceExclusionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateRecommendationResourceExclusionRequest; + output: BatchUpdateRecommendationResourceExclusionResponse; + }; + sdk: { + input: BatchUpdateRecommendationResourceExclusionCommandInput; + output: BatchUpdateRecommendationResourceExclusionCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/GetOrganizationRecommendationCommand.ts b/clients/client-trustedadvisor/src/commands/GetOrganizationRecommendationCommand.ts index f375c884bba8..544533dc3bf1 100644 --- a/clients/client-trustedadvisor/src/commands/GetOrganizationRecommendationCommand.ts +++ b/clients/client-trustedadvisor/src/commands/GetOrganizationRecommendationCommand.ts @@ -138,4 +138,16 @@ export class GetOrganizationRecommendationCommand extends $Command .f(void 0, GetOrganizationRecommendationResponseFilterSensitiveLog) .ser(se_GetOrganizationRecommendationCommand) .de(de_GetOrganizationRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetOrganizationRecommendationRequest; + output: GetOrganizationRecommendationResponse; + }; + sdk: { + input: GetOrganizationRecommendationCommandInput; + output: GetOrganizationRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/GetRecommendationCommand.ts b/clients/client-trustedadvisor/src/commands/GetRecommendationCommand.ts index 5717b647cfa3..2ae572b7ec11 100644 --- a/clients/client-trustedadvisor/src/commands/GetRecommendationCommand.ts +++ b/clients/client-trustedadvisor/src/commands/GetRecommendationCommand.ts @@ -131,4 +131,16 @@ export class GetRecommendationCommand extends $Command .f(void 0, GetRecommendationResponseFilterSensitiveLog) .ser(se_GetRecommendationCommand) .de(de_GetRecommendationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationRequest; + output: GetRecommendationResponse; + }; + sdk: { + input: GetRecommendationCommandInput; + output: GetRecommendationCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/ListChecksCommand.ts b/clients/client-trustedadvisor/src/commands/ListChecksCommand.ts index 82649090ff1e..e7be49b6ef50 100644 --- a/clients/client-trustedadvisor/src/commands/ListChecksCommand.ts +++ b/clients/client-trustedadvisor/src/commands/ListChecksCommand.ts @@ -112,4 +112,16 @@ export class ListChecksCommand extends $Command .f(void 0, void 0) .ser(se_ListChecksCommand) .de(de_ListChecksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListChecksRequest; + output: ListChecksResponse; + }; + sdk: { + input: ListChecksCommandInput; + output: ListChecksCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationAccountsCommand.ts b/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationAccountsCommand.ts index ebb94fbdc187..504e5ed5fd44 100644 --- a/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationAccountsCommand.ts +++ b/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationAccountsCommand.ts @@ -119,4 +119,16 @@ export class ListOrganizationRecommendationAccountsCommand extends $Command .f(void 0, ListOrganizationRecommendationAccountsResponseFilterSensitiveLog) .ser(se_ListOrganizationRecommendationAccountsCommand) .de(de_ListOrganizationRecommendationAccountsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationRecommendationAccountsRequest; + output: ListOrganizationRecommendationAccountsResponse; + }; + sdk: { + input: ListOrganizationRecommendationAccountsCommandInput; + output: ListOrganizationRecommendationAccountsCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationResourcesCommand.ts b/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationResourcesCommand.ts index 13f18268a38d..7abfb735d347 100644 --- a/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationResourcesCommand.ts +++ b/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationResourcesCommand.ts @@ -125,4 +125,16 @@ export class ListOrganizationRecommendationResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationRecommendationResourcesCommand) .de(de_ListOrganizationRecommendationResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationRecommendationResourcesRequest; + output: ListOrganizationRecommendationResourcesResponse; + }; + sdk: { + input: ListOrganizationRecommendationResourcesCommandInput; + output: ListOrganizationRecommendationResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationsCommand.ts b/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationsCommand.ts index bfc8045e16cd..095d10752ee1 100644 --- a/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationsCommand.ts +++ b/clients/client-trustedadvisor/src/commands/ListOrganizationRecommendationsCommand.ts @@ -136,4 +136,16 @@ export class ListOrganizationRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationRecommendationsCommand) .de(de_ListOrganizationRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationRecommendationsRequest; + output: ListOrganizationRecommendationsResponse; + }; + sdk: { + input: ListOrganizationRecommendationsCommandInput; + output: ListOrganizationRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/ListRecommendationResourcesCommand.ts b/clients/client-trustedadvisor/src/commands/ListRecommendationResourcesCommand.ts index 172e8c2b183e..45f1e4b34e73 100644 --- a/clients/client-trustedadvisor/src/commands/ListRecommendationResourcesCommand.ts +++ b/clients/client-trustedadvisor/src/commands/ListRecommendationResourcesCommand.ts @@ -117,4 +117,16 @@ export class ListRecommendationResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationResourcesCommand) .de(de_ListRecommendationResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationResourcesRequest; + output: ListRecommendationResourcesResponse; + }; + sdk: { + input: ListRecommendationResourcesCommandInput; + output: ListRecommendationResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/ListRecommendationsCommand.ts b/clients/client-trustedadvisor/src/commands/ListRecommendationsCommand.ts index 95c3063e595e..d2097142595d 100644 --- a/clients/client-trustedadvisor/src/commands/ListRecommendationsCommand.ts +++ b/clients/client-trustedadvisor/src/commands/ListRecommendationsCommand.ts @@ -129,4 +129,16 @@ export class ListRecommendationsCommand extends $Command .f(void 0, void 0) .ser(se_ListRecommendationsCommand) .de(de_ListRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRecommendationsRequest; + output: ListRecommendationsResponse; + }; + sdk: { + input: ListRecommendationsCommandInput; + output: ListRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/UpdateOrganizationRecommendationLifecycleCommand.ts b/clients/client-trustedadvisor/src/commands/UpdateOrganizationRecommendationLifecycleCommand.ts index c3f8e6bd928e..7b9781cdc080 100644 --- a/clients/client-trustedadvisor/src/commands/UpdateOrganizationRecommendationLifecycleCommand.ts +++ b/clients/client-trustedadvisor/src/commands/UpdateOrganizationRecommendationLifecycleCommand.ts @@ -105,4 +105,16 @@ export class UpdateOrganizationRecommendationLifecycleCommand extends $Command .f(UpdateOrganizationRecommendationLifecycleRequestFilterSensitiveLog, void 0) .ser(se_UpdateOrganizationRecommendationLifecycleCommand) .de(de_UpdateOrganizationRecommendationLifecycleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateOrganizationRecommendationLifecycleRequest; + output: {}; + }; + sdk: { + input: UpdateOrganizationRecommendationLifecycleCommandInput; + output: UpdateOrganizationRecommendationLifecycleCommandOutput; + }; + }; +} diff --git a/clients/client-trustedadvisor/src/commands/UpdateRecommendationLifecycleCommand.ts b/clients/client-trustedadvisor/src/commands/UpdateRecommendationLifecycleCommand.ts index abc77b324ac5..27bbeb608d4a 100644 --- a/clients/client-trustedadvisor/src/commands/UpdateRecommendationLifecycleCommand.ts +++ b/clients/client-trustedadvisor/src/commands/UpdateRecommendationLifecycleCommand.ts @@ -102,4 +102,16 @@ export class UpdateRecommendationLifecycleCommand extends $Command .f(UpdateRecommendationLifecycleRequestFilterSensitiveLog, void 0) .ser(se_UpdateRecommendationLifecycleCommand) .de(de_UpdateRecommendationLifecycleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRecommendationLifecycleRequest; + output: {}; + }; + sdk: { + input: UpdateRecommendationLifecycleCommandInput; + output: UpdateRecommendationLifecycleCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/package.json b/clients/client-verifiedpermissions/package.json index 82bd35250697..7f8149e30f4c 100644 --- a/clients/client-verifiedpermissions/package.json +++ b/clients/client-verifiedpermissions/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedCommand.ts b/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedCommand.ts index faabcee076d3..912cc3dc03cd 100644 --- a/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedCommand.ts @@ -316,4 +316,16 @@ export class BatchIsAuthorizedCommand extends $Command .f(BatchIsAuthorizedInputFilterSensitiveLog, BatchIsAuthorizedOutputFilterSensitiveLog) .ser(se_BatchIsAuthorizedCommand) .de(de_BatchIsAuthorizedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchIsAuthorizedInput; + output: BatchIsAuthorizedOutput; + }; + sdk: { + input: BatchIsAuthorizedCommandInput; + output: BatchIsAuthorizedCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedWithTokenCommand.ts b/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedWithTokenCommand.ts index 0dfe76f6cfb4..c0e97f1e8884 100644 --- a/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedWithTokenCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/BatchIsAuthorizedWithTokenCommand.ts @@ -312,4 +312,16 @@ export class BatchIsAuthorizedWithTokenCommand extends $Command .f(BatchIsAuthorizedWithTokenInputFilterSensitiveLog, BatchIsAuthorizedWithTokenOutputFilterSensitiveLog) .ser(se_BatchIsAuthorizedWithTokenCommand) .de(de_BatchIsAuthorizedWithTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchIsAuthorizedWithTokenInput; + output: BatchIsAuthorizedWithTokenOutput; + }; + sdk: { + input: BatchIsAuthorizedWithTokenCommandInput; + output: BatchIsAuthorizedWithTokenCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/CreateIdentitySourceCommand.ts b/clients/client-verifiedpermissions/src/commands/CreateIdentitySourceCommand.ts index 1d96d1696120..9cff3112e66b 100644 --- a/clients/client-verifiedpermissions/src/commands/CreateIdentitySourceCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/CreateIdentitySourceCommand.ts @@ -262,4 +262,16 @@ export class CreateIdentitySourceCommand extends $Command .f(CreateIdentitySourceInputFilterSensitiveLog, void 0) .ser(se_CreateIdentitySourceCommand) .de(de_CreateIdentitySourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdentitySourceInput; + output: CreateIdentitySourceOutput; + }; + sdk: { + input: CreateIdentitySourceCommandInput; + output: CreateIdentitySourceCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/CreatePolicyCommand.ts b/clients/client-verifiedpermissions/src/commands/CreatePolicyCommand.ts index 136cd18f9466..683b5fc61225 100644 --- a/clients/client-verifiedpermissions/src/commands/CreatePolicyCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/CreatePolicyCommand.ts @@ -252,4 +252,16 @@ export class CreatePolicyCommand extends $Command .f(CreatePolicyInputFilterSensitiveLog, CreatePolicyOutputFilterSensitiveLog) .ser(se_CreatePolicyCommand) .de(de_CreatePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyInput; + output: CreatePolicyOutput; + }; + sdk: { + input: CreatePolicyCommandInput; + output: CreatePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/CreatePolicyStoreCommand.ts b/clients/client-verifiedpermissions/src/commands/CreatePolicyStoreCommand.ts index c2b0a24658ab..7e967ca8392f 100644 --- a/clients/client-verifiedpermissions/src/commands/CreatePolicyStoreCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/CreatePolicyStoreCommand.ts @@ -202,4 +202,16 @@ export class CreatePolicyStoreCommand extends $Command .f(CreatePolicyStoreInputFilterSensitiveLog, void 0) .ser(se_CreatePolicyStoreCommand) .de(de_CreatePolicyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyStoreInput; + output: CreatePolicyStoreOutput; + }; + sdk: { + input: CreatePolicyStoreCommandInput; + output: CreatePolicyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/CreatePolicyTemplateCommand.ts b/clients/client-verifiedpermissions/src/commands/CreatePolicyTemplateCommand.ts index 8f6a41f05ecf..21d883aa4e6c 100644 --- a/clients/client-verifiedpermissions/src/commands/CreatePolicyTemplateCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/CreatePolicyTemplateCommand.ts @@ -206,4 +206,16 @@ export class CreatePolicyTemplateCommand extends $Command .f(CreatePolicyTemplateInputFilterSensitiveLog, void 0) .ser(se_CreatePolicyTemplateCommand) .de(de_CreatePolicyTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePolicyTemplateInput; + output: CreatePolicyTemplateOutput; + }; + sdk: { + input: CreatePolicyTemplateCommandInput; + output: CreatePolicyTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/DeleteIdentitySourceCommand.ts b/clients/client-verifiedpermissions/src/commands/DeleteIdentitySourceCommand.ts index 8a9bcd7fee83..01025cb351ee 100644 --- a/clients/client-verifiedpermissions/src/commands/DeleteIdentitySourceCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/DeleteIdentitySourceCommand.ts @@ -183,4 +183,16 @@ export class DeleteIdentitySourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentitySourceCommand) .de(de_DeleteIdentitySourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentitySourceInput; + output: {}; + }; + sdk: { + input: DeleteIdentitySourceCommandInput; + output: DeleteIdentitySourceCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/DeletePolicyCommand.ts b/clients/client-verifiedpermissions/src/commands/DeletePolicyCommand.ts index 8d2fa52f516f..6e5309ede3bc 100644 --- a/clients/client-verifiedpermissions/src/commands/DeletePolicyCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/DeletePolicyCommand.ts @@ -182,4 +182,16 @@ export class DeletePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyCommand) .de(de_DeletePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyInput; + output: {}; + }; + sdk: { + input: DeletePolicyCommandInput; + output: DeletePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/DeletePolicyStoreCommand.ts b/clients/client-verifiedpermissions/src/commands/DeletePolicyStoreCommand.ts index 171ff9be7037..000a0958375e 100644 --- a/clients/client-verifiedpermissions/src/commands/DeletePolicyStoreCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/DeletePolicyStoreCommand.ts @@ -174,4 +174,16 @@ export class DeletePolicyStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyStoreCommand) .de(de_DeletePolicyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyStoreInput; + output: {}; + }; + sdk: { + input: DeletePolicyStoreCommandInput; + output: DeletePolicyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/DeletePolicyTemplateCommand.ts b/clients/client-verifiedpermissions/src/commands/DeletePolicyTemplateCommand.ts index 486547e03fcf..d7ea78903d0a 100644 --- a/clients/client-verifiedpermissions/src/commands/DeletePolicyTemplateCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/DeletePolicyTemplateCommand.ts @@ -185,4 +185,16 @@ export class DeletePolicyTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeletePolicyTemplateCommand) .de(de_DeletePolicyTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePolicyTemplateInput; + output: {}; + }; + sdk: { + input: DeletePolicyTemplateCommandInput; + output: DeletePolicyTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/GetIdentitySourceCommand.ts b/clients/client-verifiedpermissions/src/commands/GetIdentitySourceCommand.ts index 56fd8675819c..d7f8bef2e2d6 100644 --- a/clients/client-verifiedpermissions/src/commands/GetIdentitySourceCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/GetIdentitySourceCommand.ts @@ -226,4 +226,16 @@ export class GetIdentitySourceCommand extends $Command .f(void 0, GetIdentitySourceOutputFilterSensitiveLog) .ser(se_GetIdentitySourceCommand) .de(de_GetIdentitySourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentitySourceInput; + output: GetIdentitySourceOutput; + }; + sdk: { + input: GetIdentitySourceCommandInput; + output: GetIdentitySourceCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/GetPolicyCommand.ts b/clients/client-verifiedpermissions/src/commands/GetPolicyCommand.ts index bbc29f9ce924..63f0b68f906e 100644 --- a/clients/client-verifiedpermissions/src/commands/GetPolicyCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/GetPolicyCommand.ts @@ -214,4 +214,16 @@ export class GetPolicyCommand extends $Command .f(void 0, GetPolicyOutputFilterSensitiveLog) .ser(se_GetPolicyCommand) .de(de_GetPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyInput; + output: GetPolicyOutput; + }; + sdk: { + input: GetPolicyCommandInput; + output: GetPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/GetPolicyStoreCommand.ts b/clients/client-verifiedpermissions/src/commands/GetPolicyStoreCommand.ts index b948badb8b1a..bce7b425a29c 100644 --- a/clients/client-verifiedpermissions/src/commands/GetPolicyStoreCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/GetPolicyStoreCommand.ts @@ -184,4 +184,16 @@ export class GetPolicyStoreCommand extends $Command .f(void 0, GetPolicyStoreOutputFilterSensitiveLog) .ser(se_GetPolicyStoreCommand) .de(de_GetPolicyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyStoreInput; + output: GetPolicyStoreOutput; + }; + sdk: { + input: GetPolicyStoreCommandInput; + output: GetPolicyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/GetPolicyTemplateCommand.ts b/clients/client-verifiedpermissions/src/commands/GetPolicyTemplateCommand.ts index 1d248c51ec18..3b4313c92453 100644 --- a/clients/client-verifiedpermissions/src/commands/GetPolicyTemplateCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/GetPolicyTemplateCommand.ts @@ -187,4 +187,16 @@ export class GetPolicyTemplateCommand extends $Command .f(void 0, GetPolicyTemplateOutputFilterSensitiveLog) .ser(se_GetPolicyTemplateCommand) .de(de_GetPolicyTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPolicyTemplateInput; + output: GetPolicyTemplateOutput; + }; + sdk: { + input: GetPolicyTemplateCommandInput; + output: GetPolicyTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/GetSchemaCommand.ts b/clients/client-verifiedpermissions/src/commands/GetSchemaCommand.ts index 1d9a43b3bc32..32d0cdc5836a 100644 --- a/clients/client-verifiedpermissions/src/commands/GetSchemaCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/GetSchemaCommand.ts @@ -183,4 +183,16 @@ export class GetSchemaCommand extends $Command .f(void 0, GetSchemaOutputFilterSensitiveLog) .ser(se_GetSchemaCommand) .de(de_GetSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSchemaInput; + output: GetSchemaOutput; + }; + sdk: { + input: GetSchemaCommandInput; + output: GetSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/IsAuthorizedCommand.ts b/clients/client-verifiedpermissions/src/commands/IsAuthorizedCommand.ts index 0377898999e4..ac7b3a50674c 100644 --- a/clients/client-verifiedpermissions/src/commands/IsAuthorizedCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/IsAuthorizedCommand.ts @@ -252,4 +252,16 @@ export class IsAuthorizedCommand extends $Command .f(IsAuthorizedInputFilterSensitiveLog, IsAuthorizedOutputFilterSensitiveLog) .ser(se_IsAuthorizedCommand) .de(de_IsAuthorizedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IsAuthorizedInput; + output: IsAuthorizedOutput; + }; + sdk: { + input: IsAuthorizedCommandInput; + output: IsAuthorizedCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/IsAuthorizedWithTokenCommand.ts b/clients/client-verifiedpermissions/src/commands/IsAuthorizedWithTokenCommand.ts index 7e0c34fce693..09ccf3efff74 100644 --- a/clients/client-verifiedpermissions/src/commands/IsAuthorizedWithTokenCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/IsAuthorizedWithTokenCommand.ts @@ -263,4 +263,16 @@ export class IsAuthorizedWithTokenCommand extends $Command .f(IsAuthorizedWithTokenInputFilterSensitiveLog, IsAuthorizedWithTokenOutputFilterSensitiveLog) .ser(se_IsAuthorizedWithTokenCommand) .de(de_IsAuthorizedWithTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: IsAuthorizedWithTokenInput; + output: IsAuthorizedWithTokenOutput; + }; + sdk: { + input: IsAuthorizedWithTokenCommandInput; + output: IsAuthorizedWithTokenCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/ListIdentitySourcesCommand.ts b/clients/client-verifiedpermissions/src/commands/ListIdentitySourcesCommand.ts index 9665d78fa601..8ecc0b3ab53c 100644 --- a/clients/client-verifiedpermissions/src/commands/ListIdentitySourcesCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/ListIdentitySourcesCommand.ts @@ -238,4 +238,16 @@ export class ListIdentitySourcesCommand extends $Command .f(ListIdentitySourcesInputFilterSensitiveLog, ListIdentitySourcesOutputFilterSensitiveLog) .ser(se_ListIdentitySourcesCommand) .de(de_ListIdentitySourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentitySourcesInput; + output: ListIdentitySourcesOutput; + }; + sdk: { + input: ListIdentitySourcesCommandInput; + output: ListIdentitySourcesCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/ListPoliciesCommand.ts b/clients/client-verifiedpermissions/src/commands/ListPoliciesCommand.ts index 54ad7464c32a..11a099d0a285 100644 --- a/clients/client-verifiedpermissions/src/commands/ListPoliciesCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/ListPoliciesCommand.ts @@ -242,4 +242,16 @@ export class ListPoliciesCommand extends $Command .f(ListPoliciesInputFilterSensitiveLog, ListPoliciesOutputFilterSensitiveLog) .ser(se_ListPoliciesCommand) .de(de_ListPoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPoliciesInput; + output: ListPoliciesOutput; + }; + sdk: { + input: ListPoliciesCommandInput; + output: ListPoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/ListPolicyStoresCommand.ts b/clients/client-verifiedpermissions/src/commands/ListPolicyStoresCommand.ts index 23226e1045c8..e17b55e65a6b 100644 --- a/clients/client-verifiedpermissions/src/commands/ListPolicyStoresCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/ListPolicyStoresCommand.ts @@ -188,4 +188,16 @@ export class ListPolicyStoresCommand extends $Command .f(void 0, ListPolicyStoresOutputFilterSensitiveLog) .ser(se_ListPolicyStoresCommand) .de(de_ListPolicyStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyStoresInput; + output: ListPolicyStoresOutput; + }; + sdk: { + input: ListPolicyStoresCommandInput; + output: ListPolicyStoresCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/ListPolicyTemplatesCommand.ts b/clients/client-verifiedpermissions/src/commands/ListPolicyTemplatesCommand.ts index 073a37687598..490b049aac49 100644 --- a/clients/client-verifiedpermissions/src/commands/ListPolicyTemplatesCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/ListPolicyTemplatesCommand.ts @@ -192,4 +192,16 @@ export class ListPolicyTemplatesCommand extends $Command .f(void 0, ListPolicyTemplatesOutputFilterSensitiveLog) .ser(se_ListPolicyTemplatesCommand) .de(de_ListPolicyTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPolicyTemplatesInput; + output: ListPolicyTemplatesOutput; + }; + sdk: { + input: ListPolicyTemplatesCommandInput; + output: ListPolicyTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/PutSchemaCommand.ts b/clients/client-verifiedpermissions/src/commands/PutSchemaCommand.ts index 1354df1ae06d..e6dc38bb078b 100644 --- a/clients/client-verifiedpermissions/src/commands/PutSchemaCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/PutSchemaCommand.ts @@ -207,4 +207,16 @@ export class PutSchemaCommand extends $Command .f(PutSchemaInputFilterSensitiveLog, PutSchemaOutputFilterSensitiveLog) .ser(se_PutSchemaCommand) .de(de_PutSchemaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutSchemaInput; + output: PutSchemaOutput; + }; + sdk: { + input: PutSchemaCommandInput; + output: PutSchemaCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/UpdateIdentitySourceCommand.ts b/clients/client-verifiedpermissions/src/commands/UpdateIdentitySourceCommand.ts index 481fcea7471d..28d35a2d9d6e 100644 --- a/clients/client-verifiedpermissions/src/commands/UpdateIdentitySourceCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/UpdateIdentitySourceCommand.ts @@ -230,4 +230,16 @@ export class UpdateIdentitySourceCommand extends $Command .f(UpdateIdentitySourceInputFilterSensitiveLog, void 0) .ser(se_UpdateIdentitySourceCommand) .de(de_UpdateIdentitySourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdentitySourceInput; + output: UpdateIdentitySourceOutput; + }; + sdk: { + input: UpdateIdentitySourceCommandInput; + output: UpdateIdentitySourceCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/UpdatePolicyCommand.ts b/clients/client-verifiedpermissions/src/commands/UpdatePolicyCommand.ts index 4f2db44d0986..09a77bbcf6b5 100644 --- a/clients/client-verifiedpermissions/src/commands/UpdatePolicyCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/UpdatePolicyCommand.ts @@ -265,4 +265,16 @@ export class UpdatePolicyCommand extends $Command .f(UpdatePolicyInputFilterSensitiveLog, UpdatePolicyOutputFilterSensitiveLog) .ser(se_UpdatePolicyCommand) .de(de_UpdatePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePolicyInput; + output: UpdatePolicyOutput; + }; + sdk: { + input: UpdatePolicyCommandInput; + output: UpdatePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/UpdatePolicyStoreCommand.ts b/clients/client-verifiedpermissions/src/commands/UpdatePolicyStoreCommand.ts index 6bb12336db45..0899e540abcf 100644 --- a/clients/client-verifiedpermissions/src/commands/UpdatePolicyStoreCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/UpdatePolicyStoreCommand.ts @@ -198,4 +198,16 @@ export class UpdatePolicyStoreCommand extends $Command .f(UpdatePolicyStoreInputFilterSensitiveLog, void 0) .ser(se_UpdatePolicyStoreCommand) .de(de_UpdatePolicyStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePolicyStoreInput; + output: UpdatePolicyStoreOutput; + }; + sdk: { + input: UpdatePolicyStoreCommandInput; + output: UpdatePolicyStoreCommandOutput; + }; + }; +} diff --git a/clients/client-verifiedpermissions/src/commands/UpdatePolicyTemplateCommand.ts b/clients/client-verifiedpermissions/src/commands/UpdatePolicyTemplateCommand.ts index a96cf6fcd628..1c3a5061dbb6 100644 --- a/clients/client-verifiedpermissions/src/commands/UpdatePolicyTemplateCommand.ts +++ b/clients/client-verifiedpermissions/src/commands/UpdatePolicyTemplateCommand.ts @@ -203,4 +203,16 @@ export class UpdatePolicyTemplateCommand extends $Command .f(UpdatePolicyTemplateInputFilterSensitiveLog, void 0) .ser(se_UpdatePolicyTemplateCommand) .de(de_UpdatePolicyTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePolicyTemplateInput; + output: UpdatePolicyTemplateOutput; + }; + sdk: { + input: UpdatePolicyTemplateCommandInput; + output: UpdatePolicyTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/package.json b/clients/client-voice-id/package.json index ab0098c669d7..5b0190489e28 100644 --- a/clients/client-voice-id/package.json +++ b/clients/client-voice-id/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-voice-id/src/commands/AssociateFraudsterCommand.ts b/clients/client-voice-id/src/commands/AssociateFraudsterCommand.ts index 3935f5c1a83c..2c02552db618 100644 --- a/clients/client-voice-id/src/commands/AssociateFraudsterCommand.ts +++ b/clients/client-voice-id/src/commands/AssociateFraudsterCommand.ts @@ -118,4 +118,16 @@ export class AssociateFraudsterCommand extends $Command .f(AssociateFraudsterRequestFilterSensitiveLog, void 0) .ser(se_AssociateFraudsterCommand) .de(de_AssociateFraudsterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateFraudsterRequest; + output: AssociateFraudsterResponse; + }; + sdk: { + input: AssociateFraudsterCommandInput; + output: AssociateFraudsterCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/CreateDomainCommand.ts b/clients/client-voice-id/src/commands/CreateDomainCommand.ts index c6a2dc781f1d..aaebbef1764b 100644 --- a/clients/client-voice-id/src/commands/CreateDomainCommand.ts +++ b/clients/client-voice-id/src/commands/CreateDomainCommand.ts @@ -141,4 +141,16 @@ export class CreateDomainCommand extends $Command .f(CreateDomainRequestFilterSensitiveLog, CreateDomainResponseFilterSensitiveLog) .ser(se_CreateDomainCommand) .de(de_CreateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateDomainRequest; + output: CreateDomainResponse; + }; + sdk: { + input: CreateDomainCommandInput; + output: CreateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/CreateWatchlistCommand.ts b/clients/client-voice-id/src/commands/CreateWatchlistCommand.ts index 57b32fc2d246..3c128a8836d1 100644 --- a/clients/client-voice-id/src/commands/CreateWatchlistCommand.ts +++ b/clients/client-voice-id/src/commands/CreateWatchlistCommand.ts @@ -121,4 +121,16 @@ export class CreateWatchlistCommand extends $Command .f(CreateWatchlistRequestFilterSensitiveLog, CreateWatchlistResponseFilterSensitiveLog) .ser(se_CreateWatchlistCommand) .de(de_CreateWatchlistCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWatchlistRequest; + output: CreateWatchlistResponse; + }; + sdk: { + input: CreateWatchlistCommandInput; + output: CreateWatchlistCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DeleteDomainCommand.ts b/clients/client-voice-id/src/commands/DeleteDomainCommand.ts index 781568f8277d..20fa1d0ddb39 100644 --- a/clients/client-voice-id/src/commands/DeleteDomainCommand.ts +++ b/clients/client-voice-id/src/commands/DeleteDomainCommand.ts @@ -100,4 +100,16 @@ export class DeleteDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDomainCommand) .de(de_DeleteDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDomainRequest; + output: {}; + }; + sdk: { + input: DeleteDomainCommandInput; + output: DeleteDomainCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DeleteFraudsterCommand.ts b/clients/client-voice-id/src/commands/DeleteFraudsterCommand.ts index 137420247ad7..063cf4ff0935 100644 --- a/clients/client-voice-id/src/commands/DeleteFraudsterCommand.ts +++ b/clients/client-voice-id/src/commands/DeleteFraudsterCommand.ts @@ -101,4 +101,16 @@ export class DeleteFraudsterCommand extends $Command .f(DeleteFraudsterRequestFilterSensitiveLog, void 0) .ser(se_DeleteFraudsterCommand) .de(de_DeleteFraudsterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFraudsterRequest; + output: {}; + }; + sdk: { + input: DeleteFraudsterCommandInput; + output: DeleteFraudsterCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DeleteSpeakerCommand.ts b/clients/client-voice-id/src/commands/DeleteSpeakerCommand.ts index 39cb0b23dc44..e83b5278b848 100644 --- a/clients/client-voice-id/src/commands/DeleteSpeakerCommand.ts +++ b/clients/client-voice-id/src/commands/DeleteSpeakerCommand.ts @@ -101,4 +101,16 @@ export class DeleteSpeakerCommand extends $Command .f(DeleteSpeakerRequestFilterSensitiveLog, void 0) .ser(se_DeleteSpeakerCommand) .de(de_DeleteSpeakerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSpeakerRequest; + output: {}; + }; + sdk: { + input: DeleteSpeakerCommandInput; + output: DeleteSpeakerCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DeleteWatchlistCommand.ts b/clients/client-voice-id/src/commands/DeleteWatchlistCommand.ts index ad3b5108e8ee..6e459e440351 100644 --- a/clients/client-voice-id/src/commands/DeleteWatchlistCommand.ts +++ b/clients/client-voice-id/src/commands/DeleteWatchlistCommand.ts @@ -103,4 +103,16 @@ export class DeleteWatchlistCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWatchlistCommand) .de(de_DeleteWatchlistCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWatchlistRequest; + output: {}; + }; + sdk: { + input: DeleteWatchlistCommandInput; + output: DeleteWatchlistCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DescribeDomainCommand.ts b/clients/client-voice-id/src/commands/DescribeDomainCommand.ts index 94b25b324242..8da9e856d9ca 100644 --- a/clients/client-voice-id/src/commands/DescribeDomainCommand.ts +++ b/clients/client-voice-id/src/commands/DescribeDomainCommand.ts @@ -121,4 +121,16 @@ export class DescribeDomainCommand extends $Command .f(void 0, DescribeDomainResponseFilterSensitiveLog) .ser(se_DescribeDomainCommand) .de(de_DescribeDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainRequest; + output: DescribeDomainResponse; + }; + sdk: { + input: DescribeDomainCommandInput; + output: DescribeDomainCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DescribeFraudsterCommand.ts b/clients/client-voice-id/src/commands/DescribeFraudsterCommand.ts index 2ac185299529..d1f2ca55e702 100644 --- a/clients/client-voice-id/src/commands/DescribeFraudsterCommand.ts +++ b/clients/client-voice-id/src/commands/DescribeFraudsterCommand.ts @@ -110,4 +110,16 @@ export class DescribeFraudsterCommand extends $Command .f(DescribeFraudsterRequestFilterSensitiveLog, void 0) .ser(se_DescribeFraudsterCommand) .de(de_DescribeFraudsterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFraudsterRequest; + output: DescribeFraudsterResponse; + }; + sdk: { + input: DescribeFraudsterCommandInput; + output: DescribeFraudsterCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DescribeFraudsterRegistrationJobCommand.ts b/clients/client-voice-id/src/commands/DescribeFraudsterRegistrationJobCommand.ts index 2b6db4123a82..78a3606f05ee 100644 --- a/clients/client-voice-id/src/commands/DescribeFraudsterRegistrationJobCommand.ts +++ b/clients/client-voice-id/src/commands/DescribeFraudsterRegistrationJobCommand.ts @@ -137,4 +137,16 @@ export class DescribeFraudsterRegistrationJobCommand extends $Command .f(void 0, DescribeFraudsterRegistrationJobResponseFilterSensitiveLog) .ser(se_DescribeFraudsterRegistrationJobCommand) .de(de_DescribeFraudsterRegistrationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFraudsterRegistrationJobRequest; + output: DescribeFraudsterRegistrationJobResponse; + }; + sdk: { + input: DescribeFraudsterRegistrationJobCommandInput; + output: DescribeFraudsterRegistrationJobCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DescribeSpeakerCommand.ts b/clients/client-voice-id/src/commands/DescribeSpeakerCommand.ts index 59f07d7a9c7d..d21c8de39ca9 100644 --- a/clients/client-voice-id/src/commands/DescribeSpeakerCommand.ts +++ b/clients/client-voice-id/src/commands/DescribeSpeakerCommand.ts @@ -112,4 +112,16 @@ export class DescribeSpeakerCommand extends $Command .f(DescribeSpeakerRequestFilterSensitiveLog, DescribeSpeakerResponseFilterSensitiveLog) .ser(se_DescribeSpeakerCommand) .de(de_DescribeSpeakerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpeakerRequest; + output: DescribeSpeakerResponse; + }; + sdk: { + input: DescribeSpeakerCommandInput; + output: DescribeSpeakerCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DescribeSpeakerEnrollmentJobCommand.ts b/clients/client-voice-id/src/commands/DescribeSpeakerEnrollmentJobCommand.ts index 3a27d327e9f4..564122251b75 100644 --- a/clients/client-voice-id/src/commands/DescribeSpeakerEnrollmentJobCommand.ts +++ b/clients/client-voice-id/src/commands/DescribeSpeakerEnrollmentJobCommand.ts @@ -140,4 +140,16 @@ export class DescribeSpeakerEnrollmentJobCommand extends $Command .f(void 0, DescribeSpeakerEnrollmentJobResponseFilterSensitiveLog) .ser(se_DescribeSpeakerEnrollmentJobCommand) .de(de_DescribeSpeakerEnrollmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeSpeakerEnrollmentJobRequest; + output: DescribeSpeakerEnrollmentJobResponse; + }; + sdk: { + input: DescribeSpeakerEnrollmentJobCommandInput; + output: DescribeSpeakerEnrollmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DescribeWatchlistCommand.ts b/clients/client-voice-id/src/commands/DescribeWatchlistCommand.ts index 0411c915aa07..f00c08582759 100644 --- a/clients/client-voice-id/src/commands/DescribeWatchlistCommand.ts +++ b/clients/client-voice-id/src/commands/DescribeWatchlistCommand.ts @@ -111,4 +111,16 @@ export class DescribeWatchlistCommand extends $Command .f(void 0, DescribeWatchlistResponseFilterSensitiveLog) .ser(se_DescribeWatchlistCommand) .de(de_DescribeWatchlistCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWatchlistRequest; + output: DescribeWatchlistResponse; + }; + sdk: { + input: DescribeWatchlistCommandInput; + output: DescribeWatchlistCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/DisassociateFraudsterCommand.ts b/clients/client-voice-id/src/commands/DisassociateFraudsterCommand.ts index 8459cf464e34..01135330ebac 100644 --- a/clients/client-voice-id/src/commands/DisassociateFraudsterCommand.ts +++ b/clients/client-voice-id/src/commands/DisassociateFraudsterCommand.ts @@ -118,4 +118,16 @@ export class DisassociateFraudsterCommand extends $Command .f(DisassociateFraudsterRequestFilterSensitiveLog, void 0) .ser(se_DisassociateFraudsterCommand) .de(de_DisassociateFraudsterCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateFraudsterRequest; + output: DisassociateFraudsterResponse; + }; + sdk: { + input: DisassociateFraudsterCommandInput; + output: DisassociateFraudsterCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/EvaluateSessionCommand.ts b/clients/client-voice-id/src/commands/EvaluateSessionCommand.ts index e64802b09c92..d127e077fd1a 100644 --- a/clients/client-voice-id/src/commands/EvaluateSessionCommand.ts +++ b/clients/client-voice-id/src/commands/EvaluateSessionCommand.ts @@ -145,4 +145,16 @@ export class EvaluateSessionCommand extends $Command .f(void 0, EvaluateSessionResponseFilterSensitiveLog) .ser(se_EvaluateSessionCommand) .de(de_EvaluateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EvaluateSessionRequest; + output: EvaluateSessionResponse; + }; + sdk: { + input: EvaluateSessionCommandInput; + output: EvaluateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/ListDomainsCommand.ts b/clients/client-voice-id/src/commands/ListDomainsCommand.ts index 8cff454b7e5e..c540b3620d23 100644 --- a/clients/client-voice-id/src/commands/ListDomainsCommand.ts +++ b/clients/client-voice-id/src/commands/ListDomainsCommand.ts @@ -117,4 +117,16 @@ export class ListDomainsCommand extends $Command .f(void 0, ListDomainsResponseFilterSensitiveLog) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResponse; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/ListFraudsterRegistrationJobsCommand.ts b/clients/client-voice-id/src/commands/ListFraudsterRegistrationJobsCommand.ts index b8a9f73b68fa..ea20908c649e 100644 --- a/clients/client-voice-id/src/commands/ListFraudsterRegistrationJobsCommand.ts +++ b/clients/client-voice-id/src/commands/ListFraudsterRegistrationJobsCommand.ts @@ -129,4 +129,16 @@ export class ListFraudsterRegistrationJobsCommand extends $Command .f(void 0, ListFraudsterRegistrationJobsResponseFilterSensitiveLog) .ser(se_ListFraudsterRegistrationJobsCommand) .de(de_ListFraudsterRegistrationJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFraudsterRegistrationJobsRequest; + output: ListFraudsterRegistrationJobsResponse; + }; + sdk: { + input: ListFraudsterRegistrationJobsCommandInput; + output: ListFraudsterRegistrationJobsCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/ListFraudstersCommand.ts b/clients/client-voice-id/src/commands/ListFraudstersCommand.ts index bb443be77e06..6020aeff6846 100644 --- a/clients/client-voice-id/src/commands/ListFraudstersCommand.ts +++ b/clients/client-voice-id/src/commands/ListFraudstersCommand.ts @@ -111,4 +111,16 @@ export class ListFraudstersCommand extends $Command .f(void 0, void 0) .ser(se_ListFraudstersCommand) .de(de_ListFraudstersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFraudstersRequest; + output: ListFraudstersResponse; + }; + sdk: { + input: ListFraudstersCommandInput; + output: ListFraudstersCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/ListSpeakerEnrollmentJobsCommand.ts b/clients/client-voice-id/src/commands/ListSpeakerEnrollmentJobsCommand.ts index 510cda02ffc6..a1084f3053c7 100644 --- a/clients/client-voice-id/src/commands/ListSpeakerEnrollmentJobsCommand.ts +++ b/clients/client-voice-id/src/commands/ListSpeakerEnrollmentJobsCommand.ts @@ -124,4 +124,16 @@ export class ListSpeakerEnrollmentJobsCommand extends $Command .f(void 0, ListSpeakerEnrollmentJobsResponseFilterSensitiveLog) .ser(se_ListSpeakerEnrollmentJobsCommand) .de(de_ListSpeakerEnrollmentJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSpeakerEnrollmentJobsRequest; + output: ListSpeakerEnrollmentJobsResponse; + }; + sdk: { + input: ListSpeakerEnrollmentJobsCommandInput; + output: ListSpeakerEnrollmentJobsCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/ListSpeakersCommand.ts b/clients/client-voice-id/src/commands/ListSpeakersCommand.ts index 1184865d1918..6f0f4cde21a3 100644 --- a/clients/client-voice-id/src/commands/ListSpeakersCommand.ts +++ b/clients/client-voice-id/src/commands/ListSpeakersCommand.ts @@ -111,4 +111,16 @@ export class ListSpeakersCommand extends $Command .f(void 0, ListSpeakersResponseFilterSensitiveLog) .ser(se_ListSpeakersCommand) .de(de_ListSpeakersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSpeakersRequest; + output: ListSpeakersResponse; + }; + sdk: { + input: ListSpeakersCommandInput; + output: ListSpeakersCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/ListTagsForResourceCommand.ts b/clients/client-voice-id/src/commands/ListTagsForResourceCommand.ts index a4cfe78cf310..6e46c1af51f1 100644 --- a/clients/client-voice-id/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-voice-id/src/commands/ListTagsForResourceCommand.ts @@ -107,4 +107,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/ListWatchlistsCommand.ts b/clients/client-voice-id/src/commands/ListWatchlistsCommand.ts index 9e84c1ea5ae4..9de1858588c5 100644 --- a/clients/client-voice-id/src/commands/ListWatchlistsCommand.ts +++ b/clients/client-voice-id/src/commands/ListWatchlistsCommand.ts @@ -115,4 +115,16 @@ export class ListWatchlistsCommand extends $Command .f(void 0, ListWatchlistsResponseFilterSensitiveLog) .ser(se_ListWatchlistsCommand) .de(de_ListWatchlistsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWatchlistsRequest; + output: ListWatchlistsResponse; + }; + sdk: { + input: ListWatchlistsCommandInput; + output: ListWatchlistsCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/OptOutSpeakerCommand.ts b/clients/client-voice-id/src/commands/OptOutSpeakerCommand.ts index bd2d1e339347..afbfa77deedf 100644 --- a/clients/client-voice-id/src/commands/OptOutSpeakerCommand.ts +++ b/clients/client-voice-id/src/commands/OptOutSpeakerCommand.ts @@ -124,4 +124,16 @@ export class OptOutSpeakerCommand extends $Command .f(OptOutSpeakerRequestFilterSensitiveLog, OptOutSpeakerResponseFilterSensitiveLog) .ser(se_OptOutSpeakerCommand) .de(de_OptOutSpeakerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OptOutSpeakerRequest; + output: OptOutSpeakerResponse; + }; + sdk: { + input: OptOutSpeakerCommandInput; + output: OptOutSpeakerCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/StartFraudsterRegistrationJobCommand.ts b/clients/client-voice-id/src/commands/StartFraudsterRegistrationJobCommand.ts index 09ac5caeb5ba..fb015ab4c261 100644 --- a/clients/client-voice-id/src/commands/StartFraudsterRegistrationJobCommand.ts +++ b/clients/client-voice-id/src/commands/StartFraudsterRegistrationJobCommand.ts @@ -161,4 +161,16 @@ export class StartFraudsterRegistrationJobCommand extends $Command .f(StartFraudsterRegistrationJobRequestFilterSensitiveLog, StartFraudsterRegistrationJobResponseFilterSensitiveLog) .ser(se_StartFraudsterRegistrationJobCommand) .de(de_StartFraudsterRegistrationJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartFraudsterRegistrationJobRequest; + output: StartFraudsterRegistrationJobResponse; + }; + sdk: { + input: StartFraudsterRegistrationJobCommandInput; + output: StartFraudsterRegistrationJobCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/StartSpeakerEnrollmentJobCommand.ts b/clients/client-voice-id/src/commands/StartSpeakerEnrollmentJobCommand.ts index ec741cff7f3c..f773130cbb71 100644 --- a/clients/client-voice-id/src/commands/StartSpeakerEnrollmentJobCommand.ts +++ b/clients/client-voice-id/src/commands/StartSpeakerEnrollmentJobCommand.ts @@ -162,4 +162,16 @@ export class StartSpeakerEnrollmentJobCommand extends $Command .f(StartSpeakerEnrollmentJobRequestFilterSensitiveLog, StartSpeakerEnrollmentJobResponseFilterSensitiveLog) .ser(se_StartSpeakerEnrollmentJobCommand) .de(de_StartSpeakerEnrollmentJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartSpeakerEnrollmentJobRequest; + output: StartSpeakerEnrollmentJobResponse; + }; + sdk: { + input: StartSpeakerEnrollmentJobCommandInput; + output: StartSpeakerEnrollmentJobCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/TagResourceCommand.ts b/clients/client-voice-id/src/commands/TagResourceCommand.ts index 1e078bd90fde..816c3bebfa35 100644 --- a/clients/client-voice-id/src/commands/TagResourceCommand.ts +++ b/clients/client-voice-id/src/commands/TagResourceCommand.ts @@ -106,4 +106,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/UntagResourceCommand.ts b/clients/client-voice-id/src/commands/UntagResourceCommand.ts index 6a17dd8aa5ab..830de15f6175 100644 --- a/clients/client-voice-id/src/commands/UntagResourceCommand.ts +++ b/clients/client-voice-id/src/commands/UntagResourceCommand.ts @@ -107,4 +107,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/UpdateDomainCommand.ts b/clients/client-voice-id/src/commands/UpdateDomainCommand.ts index f8449ca73e7f..d4c3e16cd0be 100644 --- a/clients/client-voice-id/src/commands/UpdateDomainCommand.ts +++ b/clients/client-voice-id/src/commands/UpdateDomainCommand.ts @@ -133,4 +133,16 @@ export class UpdateDomainCommand extends $Command .f(UpdateDomainRequestFilterSensitiveLog, UpdateDomainResponseFilterSensitiveLog) .ser(se_UpdateDomainCommand) .de(de_UpdateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainRequest; + output: UpdateDomainResponse; + }; + sdk: { + input: UpdateDomainCommandInput; + output: UpdateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-voice-id/src/commands/UpdateWatchlistCommand.ts b/clients/client-voice-id/src/commands/UpdateWatchlistCommand.ts index 4f6a9328d422..fbf59db0ee3e 100644 --- a/clients/client-voice-id/src/commands/UpdateWatchlistCommand.ts +++ b/clients/client-voice-id/src/commands/UpdateWatchlistCommand.ts @@ -119,4 +119,16 @@ export class UpdateWatchlistCommand extends $Command .f(UpdateWatchlistRequestFilterSensitiveLog, UpdateWatchlistResponseFilterSensitiveLog) .ser(se_UpdateWatchlistCommand) .de(de_UpdateWatchlistCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWatchlistRequest; + output: UpdateWatchlistResponse; + }; + sdk: { + input: UpdateWatchlistCommandInput; + output: UpdateWatchlistCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/package.json b/clients/client-vpc-lattice/package.json index 7e94f4e4fdee..d555f9dd37c0 100644 --- a/clients/client-vpc-lattice/package.json +++ b/clients/client-vpc-lattice/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-vpc-lattice/src/commands/BatchUpdateRuleCommand.ts b/clients/client-vpc-lattice/src/commands/BatchUpdateRuleCommand.ts index 8d521595fa4b..efac22bd20e8 100644 --- a/clients/client-vpc-lattice/src/commands/BatchUpdateRuleCommand.ts +++ b/clients/client-vpc-lattice/src/commands/BatchUpdateRuleCommand.ts @@ -198,4 +198,16 @@ export class BatchUpdateRuleCommand extends $Command .f(void 0, void 0) .ser(se_BatchUpdateRuleCommand) .de(de_BatchUpdateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchUpdateRuleRequest; + output: BatchUpdateRuleResponse; + }; + sdk: { + input: BatchUpdateRuleCommandInput; + output: BatchUpdateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateAccessLogSubscriptionCommand.ts b/clients/client-vpc-lattice/src/commands/CreateAccessLogSubscriptionCommand.ts index 2bbf21040741..80183d798611 100644 --- a/clients/client-vpc-lattice/src/commands/CreateAccessLogSubscriptionCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateAccessLogSubscriptionCommand.ts @@ -116,4 +116,16 @@ export class CreateAccessLogSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccessLogSubscriptionCommand) .de(de_CreateAccessLogSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccessLogSubscriptionRequest; + output: CreateAccessLogSubscriptionResponse; + }; + sdk: { + input: CreateAccessLogSubscriptionCommandInput; + output: CreateAccessLogSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateListenerCommand.ts b/clients/client-vpc-lattice/src/commands/CreateListenerCommand.ts index 313cc7db8ab5..0f1afc8e2877 100644 --- a/clients/client-vpc-lattice/src/commands/CreateListenerCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateListenerCommand.ts @@ -142,4 +142,16 @@ export class CreateListenerCommand extends $Command .f(void 0, void 0) .ser(se_CreateListenerCommand) .de(de_CreateListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateListenerRequest; + output: CreateListenerResponse; + }; + sdk: { + input: CreateListenerCommandInput; + output: CreateListenerCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateRuleCommand.ts b/clients/client-vpc-lattice/src/commands/CreateRuleCommand.ts index 4e0fe5564fe1..7ff9f6355d38 100644 --- a/clients/client-vpc-lattice/src/commands/CreateRuleCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateRuleCommand.ts @@ -185,4 +185,16 @@ export class CreateRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleCommand) .de(de_CreateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleRequest; + output: CreateRuleResponse; + }; + sdk: { + input: CreateRuleCommandInput; + output: CreateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateServiceCommand.ts b/clients/client-vpc-lattice/src/commands/CreateServiceCommand.ts index 1c1a6c0bf252..b6b5299a2eaa 100644 --- a/clients/client-vpc-lattice/src/commands/CreateServiceCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateServiceCommand.ts @@ -120,4 +120,16 @@ export class CreateServiceCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceCommand) .de(de_CreateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceRequest; + output: CreateServiceResponse; + }; + sdk: { + input: CreateServiceCommandInput; + output: CreateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateServiceNetworkCommand.ts b/clients/client-vpc-lattice/src/commands/CreateServiceNetworkCommand.ts index 3e0c1309a944..4a299a6863ba 100644 --- a/clients/client-vpc-lattice/src/commands/CreateServiceNetworkCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateServiceNetworkCommand.ts @@ -111,4 +111,16 @@ export class CreateServiceNetworkCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceNetworkCommand) .de(de_CreateServiceNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceNetworkRequest; + output: CreateServiceNetworkResponse; + }; + sdk: { + input: CreateServiceNetworkCommandInput; + output: CreateServiceNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateServiceNetworkServiceAssociationCommand.ts b/clients/client-vpc-lattice/src/commands/CreateServiceNetworkServiceAssociationCommand.ts index e1792c82e640..37fc587b8864 100644 --- a/clients/client-vpc-lattice/src/commands/CreateServiceNetworkServiceAssociationCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateServiceNetworkServiceAssociationCommand.ts @@ -129,4 +129,16 @@ export class CreateServiceNetworkServiceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceNetworkServiceAssociationCommand) .de(de_CreateServiceNetworkServiceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceNetworkServiceAssociationRequest; + output: CreateServiceNetworkServiceAssociationResponse; + }; + sdk: { + input: CreateServiceNetworkServiceAssociationCommandInput; + output: CreateServiceNetworkServiceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateServiceNetworkVpcAssociationCommand.ts b/clients/client-vpc-lattice/src/commands/CreateServiceNetworkVpcAssociationCommand.ts index fcaba250dffd..cfca7e67d2b8 100644 --- a/clients/client-vpc-lattice/src/commands/CreateServiceNetworkVpcAssociationCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateServiceNetworkVpcAssociationCommand.ts @@ -132,4 +132,16 @@ export class CreateServiceNetworkVpcAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateServiceNetworkVpcAssociationCommand) .de(de_CreateServiceNetworkVpcAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateServiceNetworkVpcAssociationRequest; + output: CreateServiceNetworkVpcAssociationResponse; + }; + sdk: { + input: CreateServiceNetworkVpcAssociationCommandInput; + output: CreateServiceNetworkVpcAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/CreateTargetGroupCommand.ts b/clients/client-vpc-lattice/src/commands/CreateTargetGroupCommand.ts index 2830c586a9cf..b5ccda06a0d6 100644 --- a/clients/client-vpc-lattice/src/commands/CreateTargetGroupCommand.ts +++ b/clients/client-vpc-lattice/src/commands/CreateTargetGroupCommand.ts @@ -156,4 +156,16 @@ export class CreateTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateTargetGroupCommand) .de(de_CreateTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTargetGroupRequest; + output: CreateTargetGroupResponse; + }; + sdk: { + input: CreateTargetGroupCommandInput; + output: CreateTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteAccessLogSubscriptionCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteAccessLogSubscriptionCommand.ts index fcf9ce748964..d7c7a7b1adf0 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteAccessLogSubscriptionCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteAccessLogSubscriptionCommand.ts @@ -96,4 +96,16 @@ export class DeleteAccessLogSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessLogSubscriptionCommand) .de(de_DeleteAccessLogSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessLogSubscriptionRequest; + output: {}; + }; + sdk: { + input: DeleteAccessLogSubscriptionCommandInput; + output: DeleteAccessLogSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteAuthPolicyCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteAuthPolicyCommand.ts index 23b6b4f59aa0..01cc2803f55d 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteAuthPolicyCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteAuthPolicyCommand.ts @@ -94,4 +94,16 @@ export class DeleteAuthPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAuthPolicyCommand) .de(de_DeleteAuthPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAuthPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteAuthPolicyCommandInput; + output: DeleteAuthPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteListenerCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteListenerCommand.ts index d5009d03a4a5..d241845765bd 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteListenerCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteListenerCommand.ts @@ -96,4 +96,16 @@ export class DeleteListenerCommand extends $Command .f(void 0, void 0) .ser(se_DeleteListenerCommand) .de(de_DeleteListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteListenerRequest; + output: {}; + }; + sdk: { + input: DeleteListenerCommandInput; + output: DeleteListenerCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteResourcePolicyCommand.ts index 952d6e409c4e..a2994a92ce97 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteResourcePolicyCommand.ts @@ -91,4 +91,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteRuleCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteRuleCommand.ts index 4a71e46701c5..98ad9273d2f0 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteRuleCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteRuleCommand.ts @@ -102,4 +102,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: {}; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteServiceCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteServiceCommand.ts index a8876254b8fd..447a5306eb3d 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteServiceCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteServiceCommand.ts @@ -104,4 +104,16 @@ export class DeleteServiceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceCommand) .de(de_DeleteServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceRequest; + output: DeleteServiceResponse; + }; + sdk: { + input: DeleteServiceCommandInput; + output: DeleteServiceCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkCommand.ts index a38928fc75fb..9a1a34b8f371 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkCommand.ts @@ -99,4 +99,16 @@ export class DeleteServiceNetworkCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceNetworkCommand) .de(de_DeleteServiceNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceNetworkRequest; + output: {}; + }; + sdk: { + input: DeleteServiceNetworkCommandInput; + output: DeleteServiceNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkServiceAssociationCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkServiceAssociationCommand.ts index c4ccc7b53e1c..400d447f7be2 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkServiceAssociationCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkServiceAssociationCommand.ts @@ -109,4 +109,16 @@ export class DeleteServiceNetworkServiceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceNetworkServiceAssociationCommand) .de(de_DeleteServiceNetworkServiceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceNetworkServiceAssociationRequest; + output: DeleteServiceNetworkServiceAssociationResponse; + }; + sdk: { + input: DeleteServiceNetworkServiceAssociationCommandInput; + output: DeleteServiceNetworkServiceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkVpcAssociationCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkVpcAssociationCommand.ts index 329eed7cbd86..bfad165ac55c 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkVpcAssociationCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteServiceNetworkVpcAssociationCommand.ts @@ -108,4 +108,16 @@ export class DeleteServiceNetworkVpcAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteServiceNetworkVpcAssociationCommand) .de(de_DeleteServiceNetworkVpcAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteServiceNetworkVpcAssociationRequest; + output: DeleteServiceNetworkVpcAssociationResponse; + }; + sdk: { + input: DeleteServiceNetworkVpcAssociationCommandInput; + output: DeleteServiceNetworkVpcAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeleteTargetGroupCommand.ts b/clients/client-vpc-lattice/src/commands/DeleteTargetGroupCommand.ts index d9d352c53d3e..80938d65bb40 100644 --- a/clients/client-vpc-lattice/src/commands/DeleteTargetGroupCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeleteTargetGroupCommand.ts @@ -97,4 +97,16 @@ export class DeleteTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTargetGroupCommand) .de(de_DeleteTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTargetGroupRequest; + output: DeleteTargetGroupResponse; + }; + sdk: { + input: DeleteTargetGroupCommandInput; + output: DeleteTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/DeregisterTargetsCommand.ts b/clients/client-vpc-lattice/src/commands/DeregisterTargetsCommand.ts index 14c0c539b8dc..49b68a96c5be 100644 --- a/clients/client-vpc-lattice/src/commands/DeregisterTargetsCommand.ts +++ b/clients/client-vpc-lattice/src/commands/DeregisterTargetsCommand.ts @@ -116,4 +116,16 @@ export class DeregisterTargetsCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterTargetsCommand) .de(de_DeregisterTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterTargetsRequest; + output: DeregisterTargetsResponse; + }; + sdk: { + input: DeregisterTargetsCommandInput; + output: DeregisterTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetAccessLogSubscriptionCommand.ts b/clients/client-vpc-lattice/src/commands/GetAccessLogSubscriptionCommand.ts index 570cdf94eb94..96b3de32025a 100644 --- a/clients/client-vpc-lattice/src/commands/GetAccessLogSubscriptionCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetAccessLogSubscriptionCommand.ts @@ -99,4 +99,16 @@ export class GetAccessLogSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessLogSubscriptionCommand) .de(de_GetAccessLogSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessLogSubscriptionRequest; + output: GetAccessLogSubscriptionResponse; + }; + sdk: { + input: GetAccessLogSubscriptionCommandInput; + output: GetAccessLogSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetAuthPolicyCommand.ts b/clients/client-vpc-lattice/src/commands/GetAuthPolicyCommand.ts index 73b5b5925841..b5874bca571f 100644 --- a/clients/client-vpc-lattice/src/commands/GetAuthPolicyCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetAuthPolicyCommand.ts @@ -97,4 +97,16 @@ export class GetAuthPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetAuthPolicyCommand) .de(de_GetAuthPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAuthPolicyRequest; + output: GetAuthPolicyResponse; + }; + sdk: { + input: GetAuthPolicyCommandInput; + output: GetAuthPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetListenerCommand.ts b/clients/client-vpc-lattice/src/commands/GetListenerCommand.ts index f34d798316f3..ad058c669258 100644 --- a/clients/client-vpc-lattice/src/commands/GetListenerCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetListenerCommand.ts @@ -115,4 +115,16 @@ export class GetListenerCommand extends $Command .f(void 0, void 0) .ser(se_GetListenerCommand) .de(de_GetListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetListenerRequest; + output: GetListenerResponse; + }; + sdk: { + input: GetListenerCommandInput; + output: GetListenerCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetResourcePolicyCommand.ts b/clients/client-vpc-lattice/src/commands/GetResourcePolicyCommand.ts index 7b667ea8b972..1500388a2521 100644 --- a/clients/client-vpc-lattice/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetResourcePolicyCommand.ts @@ -94,4 +94,16 @@ export class GetResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetResourcePolicyCommand) .de(de_GetResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcePolicyRequest; + output: GetResourcePolicyResponse; + }; + sdk: { + input: GetResourcePolicyCommandInput; + output: GetResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetRuleCommand.ts b/clients/client-vpc-lattice/src/commands/GetRuleCommand.ts index c6e4179b5127..c27ad65fc2fa 100644 --- a/clients/client-vpc-lattice/src/commands/GetRuleCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetRuleCommand.ts @@ -139,4 +139,16 @@ export class GetRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetRuleCommand) .de(de_GetRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleRequest; + output: GetRuleResponse; + }; + sdk: { + input: GetRuleCommandInput; + output: GetRuleCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetServiceCommand.ts b/clients/client-vpc-lattice/src/commands/GetServiceCommand.ts index 0cd0caf6bd6d..70be8b4649c8 100644 --- a/clients/client-vpc-lattice/src/commands/GetServiceCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetServiceCommand.ts @@ -107,4 +107,16 @@ export class GetServiceCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceCommand) .de(de_GetServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceRequest; + output: GetServiceResponse; + }; + sdk: { + input: GetServiceCommandInput; + output: GetServiceCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetServiceNetworkCommand.ts b/clients/client-vpc-lattice/src/commands/GetServiceNetworkCommand.ts index 08575b5b22e9..2152143ef638 100644 --- a/clients/client-vpc-lattice/src/commands/GetServiceNetworkCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetServiceNetworkCommand.ts @@ -100,4 +100,16 @@ export class GetServiceNetworkCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceNetworkCommand) .de(de_GetServiceNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceNetworkRequest; + output: GetServiceNetworkResponse; + }; + sdk: { + input: GetServiceNetworkCommandInput; + output: GetServiceNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetServiceNetworkServiceAssociationCommand.ts b/clients/client-vpc-lattice/src/commands/GetServiceNetworkServiceAssociationCommand.ts index 6bf3a37d40ec..9543d4e643ab 100644 --- a/clients/client-vpc-lattice/src/commands/GetServiceNetworkServiceAssociationCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetServiceNetworkServiceAssociationCommand.ts @@ -119,4 +119,16 @@ export class GetServiceNetworkServiceAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceNetworkServiceAssociationCommand) .de(de_GetServiceNetworkServiceAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceNetworkServiceAssociationRequest; + output: GetServiceNetworkServiceAssociationResponse; + }; + sdk: { + input: GetServiceNetworkServiceAssociationCommandInput; + output: GetServiceNetworkServiceAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetServiceNetworkVpcAssociationCommand.ts b/clients/client-vpc-lattice/src/commands/GetServiceNetworkVpcAssociationCommand.ts index 9e9118c6a1e8..1cdcb2cb3eb4 100644 --- a/clients/client-vpc-lattice/src/commands/GetServiceNetworkVpcAssociationCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetServiceNetworkVpcAssociationCommand.ts @@ -112,4 +112,16 @@ export class GetServiceNetworkVpcAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceNetworkVpcAssociationCommand) .de(de_GetServiceNetworkVpcAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceNetworkVpcAssociationRequest; + output: GetServiceNetworkVpcAssociationResponse; + }; + sdk: { + input: GetServiceNetworkVpcAssociationCommandInput; + output: GetServiceNetworkVpcAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/GetTargetGroupCommand.ts b/clients/client-vpc-lattice/src/commands/GetTargetGroupCommand.ts index 33709729ab5b..7a8b40fb8ee8 100644 --- a/clients/client-vpc-lattice/src/commands/GetTargetGroupCommand.ts +++ b/clients/client-vpc-lattice/src/commands/GetTargetGroupCommand.ts @@ -126,4 +126,16 @@ export class GetTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetTargetGroupCommand) .de(de_GetTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTargetGroupRequest; + output: GetTargetGroupResponse; + }; + sdk: { + input: GetTargetGroupCommandInput; + output: GetTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListAccessLogSubscriptionsCommand.ts b/clients/client-vpc-lattice/src/commands/ListAccessLogSubscriptionsCommand.ts index 884a1eddad0a..d632592a1c34 100644 --- a/clients/client-vpc-lattice/src/commands/ListAccessLogSubscriptionsCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListAccessLogSubscriptionsCommand.ts @@ -103,4 +103,16 @@ export class ListAccessLogSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessLogSubscriptionsCommand) .de(de_ListAccessLogSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessLogSubscriptionsRequest; + output: ListAccessLogSubscriptionsResponse; + }; + sdk: { + input: ListAccessLogSubscriptionsCommandInput; + output: ListAccessLogSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListListenersCommand.ts b/clients/client-vpc-lattice/src/commands/ListListenersCommand.ts index 7836079ce300..26ae1e5509d9 100644 --- a/clients/client-vpc-lattice/src/commands/ListListenersCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListListenersCommand.ts @@ -106,4 +106,16 @@ export class ListListenersCommand extends $Command .f(void 0, void 0) .ser(se_ListListenersCommand) .de(de_ListListenersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListListenersRequest; + output: ListListenersResponse; + }; + sdk: { + input: ListListenersCommandInput; + output: ListListenersCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListRulesCommand.ts b/clients/client-vpc-lattice/src/commands/ListRulesCommand.ts index a00a7ee331b1..71ca7fe89b4f 100644 --- a/clients/client-vpc-lattice/src/commands/ListRulesCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListRulesCommand.ts @@ -107,4 +107,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListServiceNetworkServiceAssociationsCommand.ts b/clients/client-vpc-lattice/src/commands/ListServiceNetworkServiceAssociationsCommand.ts index 95e6efab6fe0..07614dd07e45 100644 --- a/clients/client-vpc-lattice/src/commands/ListServiceNetworkServiceAssociationsCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListServiceNetworkServiceAssociationsCommand.ts @@ -129,4 +129,16 @@ export class ListServiceNetworkServiceAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceNetworkServiceAssociationsCommand) .de(de_ListServiceNetworkServiceAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceNetworkServiceAssociationsRequest; + output: ListServiceNetworkServiceAssociationsResponse; + }; + sdk: { + input: ListServiceNetworkServiceAssociationsCommandInput; + output: ListServiceNetworkServiceAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListServiceNetworkVpcAssociationsCommand.ts b/clients/client-vpc-lattice/src/commands/ListServiceNetworkVpcAssociationsCommand.ts index f2c5290c3c1f..729a5380d3be 100644 --- a/clients/client-vpc-lattice/src/commands/ListServiceNetworkVpcAssociationsCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListServiceNetworkVpcAssociationsCommand.ts @@ -117,4 +117,16 @@ export class ListServiceNetworkVpcAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceNetworkVpcAssociationsCommand) .de(de_ListServiceNetworkVpcAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceNetworkVpcAssociationsRequest; + output: ListServiceNetworkVpcAssociationsResponse; + }; + sdk: { + input: ListServiceNetworkVpcAssociationsCommandInput; + output: ListServiceNetworkVpcAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListServiceNetworksCommand.ts b/clients/client-vpc-lattice/src/commands/ListServiceNetworksCommand.ts index a2e4daa059c5..153533a244e1 100644 --- a/clients/client-vpc-lattice/src/commands/ListServiceNetworksCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListServiceNetworksCommand.ts @@ -103,4 +103,16 @@ export class ListServiceNetworksCommand extends $Command .f(void 0, void 0) .ser(se_ListServiceNetworksCommand) .de(de_ListServiceNetworksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServiceNetworksRequest; + output: ListServiceNetworksResponse; + }; + sdk: { + input: ListServiceNetworksCommandInput; + output: ListServiceNetworksCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListServicesCommand.ts b/clients/client-vpc-lattice/src/commands/ListServicesCommand.ts index 95b4dd9eab5b..bb75950f193d 100644 --- a/clients/client-vpc-lattice/src/commands/ListServicesCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListServicesCommand.ts @@ -106,4 +106,16 @@ export class ListServicesCommand extends $Command .f(void 0, void 0) .ser(se_ListServicesCommand) .de(de_ListServicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListServicesRequest; + output: ListServicesResponse; + }; + sdk: { + input: ListServicesCommandInput; + output: ListServicesCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListTagsForResourceCommand.ts b/clients/client-vpc-lattice/src/commands/ListTagsForResourceCommand.ts index 6f369da73a4e..e84abb11e4b6 100644 --- a/clients/client-vpc-lattice/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListTagsForResourceCommand.ts @@ -92,4 +92,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListTargetGroupsCommand.ts b/clients/client-vpc-lattice/src/commands/ListTargetGroupsCommand.ts index 54eaa9f80ff3..04a0986a9347 100644 --- a/clients/client-vpc-lattice/src/commands/ListTargetGroupsCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListTargetGroupsCommand.ts @@ -113,4 +113,16 @@ export class ListTargetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetGroupsCommand) .de(de_ListTargetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetGroupsRequest; + output: ListTargetGroupsResponse; + }; + sdk: { + input: ListTargetGroupsCommandInput; + output: ListTargetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/ListTargetsCommand.ts b/clients/client-vpc-lattice/src/commands/ListTargetsCommand.ts index 11a81f827d7c..770a2aaf6a41 100644 --- a/clients/client-vpc-lattice/src/commands/ListTargetsCommand.ts +++ b/clients/client-vpc-lattice/src/commands/ListTargetsCommand.ts @@ -110,4 +110,16 @@ export class ListTargetsCommand extends $Command .f(void 0, void 0) .ser(se_ListTargetsCommand) .de(de_ListTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTargetsRequest; + output: ListTargetsResponse; + }; + sdk: { + input: ListTargetsCommandInput; + output: ListTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/PutAuthPolicyCommand.ts b/clients/client-vpc-lattice/src/commands/PutAuthPolicyCommand.ts index 34f7b08c2173..1eaffb0c9907 100644 --- a/clients/client-vpc-lattice/src/commands/PutAuthPolicyCommand.ts +++ b/clients/client-vpc-lattice/src/commands/PutAuthPolicyCommand.ts @@ -98,4 +98,16 @@ export class PutAuthPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutAuthPolicyCommand) .de(de_PutAuthPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAuthPolicyRequest; + output: PutAuthPolicyResponse; + }; + sdk: { + input: PutAuthPolicyCommandInput; + output: PutAuthPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/PutResourcePolicyCommand.ts b/clients/client-vpc-lattice/src/commands/PutResourcePolicyCommand.ts index 311fb9e7a05d..0dd85ea0281f 100644 --- a/clients/client-vpc-lattice/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-vpc-lattice/src/commands/PutResourcePolicyCommand.ts @@ -94,4 +94,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: {}; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/RegisterTargetsCommand.ts b/clients/client-vpc-lattice/src/commands/RegisterTargetsCommand.ts index a0050e7e4d2a..bbcd528c7bd5 100644 --- a/clients/client-vpc-lattice/src/commands/RegisterTargetsCommand.ts +++ b/clients/client-vpc-lattice/src/commands/RegisterTargetsCommand.ts @@ -120,4 +120,16 @@ export class RegisterTargetsCommand extends $Command .f(void 0, void 0) .ser(se_RegisterTargetsCommand) .de(de_RegisterTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterTargetsRequest; + output: RegisterTargetsResponse; + }; + sdk: { + input: RegisterTargetsCommandInput; + output: RegisterTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/TagResourceCommand.ts b/clients/client-vpc-lattice/src/commands/TagResourceCommand.ts index ec4d29330666..ad9a8645c368 100644 --- a/clients/client-vpc-lattice/src/commands/TagResourceCommand.ts +++ b/clients/client-vpc-lattice/src/commands/TagResourceCommand.ts @@ -94,4 +94,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UntagResourceCommand.ts b/clients/client-vpc-lattice/src/commands/UntagResourceCommand.ts index aa0dc410c412..55d7a5cdd6e6 100644 --- a/clients/client-vpc-lattice/src/commands/UntagResourceCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UpdateAccessLogSubscriptionCommand.ts b/clients/client-vpc-lattice/src/commands/UpdateAccessLogSubscriptionCommand.ts index 0b2e56ac4024..9efef0b8594b 100644 --- a/clients/client-vpc-lattice/src/commands/UpdateAccessLogSubscriptionCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UpdateAccessLogSubscriptionCommand.ts @@ -107,4 +107,16 @@ export class UpdateAccessLogSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAccessLogSubscriptionCommand) .de(de_UpdateAccessLogSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAccessLogSubscriptionRequest; + output: UpdateAccessLogSubscriptionResponse; + }; + sdk: { + input: UpdateAccessLogSubscriptionCommandInput; + output: UpdateAccessLogSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UpdateListenerCommand.ts b/clients/client-vpc-lattice/src/commands/UpdateListenerCommand.ts index fb6d047de7f9..b698fd7d1487 100644 --- a/clients/client-vpc-lattice/src/commands/UpdateListenerCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UpdateListenerCommand.ts @@ -130,4 +130,16 @@ export class UpdateListenerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateListenerCommand) .de(de_UpdateListenerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateListenerRequest; + output: UpdateListenerResponse; + }; + sdk: { + input: UpdateListenerCommandInput; + output: UpdateListenerCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UpdateRuleCommand.ts b/clients/client-vpc-lattice/src/commands/UpdateRuleCommand.ts index e3d927af3ba7..0ba942d9e009 100644 --- a/clients/client-vpc-lattice/src/commands/UpdateRuleCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UpdateRuleCommand.ts @@ -177,4 +177,16 @@ export class UpdateRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleCommand) .de(de_UpdateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleRequest; + output: UpdateRuleResponse; + }; + sdk: { + input: UpdateRuleCommandInput; + output: UpdateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UpdateServiceCommand.ts b/clients/client-vpc-lattice/src/commands/UpdateServiceCommand.ts index 15b04ef27385..a3b0b8c5e22f 100644 --- a/clients/client-vpc-lattice/src/commands/UpdateServiceCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UpdateServiceCommand.ts @@ -104,4 +104,16 @@ export class UpdateServiceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceCommand) .de(de_UpdateServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceRequest; + output: UpdateServiceResponse; + }; + sdk: { + input: UpdateServiceCommandInput; + output: UpdateServiceCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkCommand.ts b/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkCommand.ts index 3e2184587552..741aa4d757fe 100644 --- a/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkCommand.ts @@ -101,4 +101,16 @@ export class UpdateServiceNetworkCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceNetworkCommand) .de(de_UpdateServiceNetworkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceNetworkRequest; + output: UpdateServiceNetworkResponse; + }; + sdk: { + input: UpdateServiceNetworkCommandInput; + output: UpdateServiceNetworkCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkVpcAssociationCommand.ts b/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkVpcAssociationCommand.ts index aa6dc6c0fa55..0d6a3c9053f0 100644 --- a/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkVpcAssociationCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UpdateServiceNetworkVpcAssociationCommand.ts @@ -117,4 +117,16 @@ export class UpdateServiceNetworkVpcAssociationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateServiceNetworkVpcAssociationCommand) .de(de_UpdateServiceNetworkVpcAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateServiceNetworkVpcAssociationRequest; + output: UpdateServiceNetworkVpcAssociationResponse; + }; + sdk: { + input: UpdateServiceNetworkVpcAssociationCommandInput; + output: UpdateServiceNetworkVpcAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-vpc-lattice/src/commands/UpdateTargetGroupCommand.ts b/clients/client-vpc-lattice/src/commands/UpdateTargetGroupCommand.ts index 2db1fd4f8a17..dee404a116c0 100644 --- a/clients/client-vpc-lattice/src/commands/UpdateTargetGroupCommand.ts +++ b/clients/client-vpc-lattice/src/commands/UpdateTargetGroupCommand.ts @@ -137,4 +137,16 @@ export class UpdateTargetGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTargetGroupCommand) .de(de_UpdateTargetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTargetGroupRequest; + output: UpdateTargetGroupResponse; + }; + sdk: { + input: UpdateTargetGroupCommandInput; + output: UpdateTargetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/package.json b/clients/client-waf-regional/package.json index 7a6271ca424d..316d427ff1bf 100644 --- a/clients/client-waf-regional/package.json +++ b/clients/client-waf-regional/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-waf-regional/src/commands/AssociateWebACLCommand.ts b/clients/client-waf-regional/src/commands/AssociateWebACLCommand.ts index 188bf6b8577e..cfda66d246c5 100644 --- a/clients/client-waf-regional/src/commands/AssociateWebACLCommand.ts +++ b/clients/client-waf-regional/src/commands/AssociateWebACLCommand.ts @@ -137,4 +137,16 @@ export class AssociateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWebACLCommand) .de(de_AssociateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWebACLRequest; + output: {}; + }; + sdk: { + input: AssociateWebACLCommandInput; + output: AssociateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateByteMatchSetCommand.ts b/clients/client-waf-regional/src/commands/CreateByteMatchSetCommand.ts index 22e10971a9e6..9ca8b50ae766 100644 --- a/clients/client-waf-regional/src/commands/CreateByteMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateByteMatchSetCommand.ts @@ -181,4 +181,16 @@ export class CreateByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateByteMatchSetCommand) .de(de_CreateByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateByteMatchSetRequest; + output: CreateByteMatchSetResponse; + }; + sdk: { + input: CreateByteMatchSetCommandInput; + output: CreateByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateGeoMatchSetCommand.ts b/clients/client-waf-regional/src/commands/CreateGeoMatchSetCommand.ts index 163c8c3a9521..cf693c2c7306 100644 --- a/clients/client-waf-regional/src/commands/CreateGeoMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateGeoMatchSetCommand.ts @@ -173,4 +173,16 @@ export class CreateGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateGeoMatchSetCommand) .de(de_CreateGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGeoMatchSetRequest; + output: CreateGeoMatchSetResponse; + }; + sdk: { + input: CreateGeoMatchSetCommandInput; + output: CreateGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateIPSetCommand.ts b/clients/client-waf-regional/src/commands/CreateIPSetCommand.ts index 6c402d500682..b5020cc3182b 100644 --- a/clients/client-waf-regional/src/commands/CreateIPSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateIPSetCommand.ts @@ -205,4 +205,16 @@ export class CreateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateIPSetCommand) .de(de_CreateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIPSetRequest; + output: CreateIPSetResponse; + }; + sdk: { + input: CreateIPSetCommandInput; + output: CreateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateRateBasedRuleCommand.ts b/clients/client-waf-regional/src/commands/CreateRateBasedRuleCommand.ts index 0a47069f10ee..e97046abc311 100644 --- a/clients/client-waf-regional/src/commands/CreateRateBasedRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateRateBasedRuleCommand.ts @@ -257,4 +257,16 @@ export class CreateRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRateBasedRuleCommand) .de(de_CreateRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRateBasedRuleRequest; + output: CreateRateBasedRuleResponse; + }; + sdk: { + input: CreateRateBasedRuleCommandInput; + output: CreateRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateRegexMatchSetCommand.ts b/clients/client-waf-regional/src/commands/CreateRegexMatchSetCommand.ts index fae5f8e2a9eb..d47471cfc8aa 100644 --- a/clients/client-waf-regional/src/commands/CreateRegexMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateRegexMatchSetCommand.ts @@ -137,4 +137,16 @@ export class CreateRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegexMatchSetCommand) .de(de_CreateRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegexMatchSetRequest; + output: CreateRegexMatchSetResponse; + }; + sdk: { + input: CreateRegexMatchSetCommandInput; + output: CreateRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateRegexPatternSetCommand.ts b/clients/client-waf-regional/src/commands/CreateRegexPatternSetCommand.ts index ba434902bf2e..b3a55218869c 100644 --- a/clients/client-waf-regional/src/commands/CreateRegexPatternSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateRegexPatternSetCommand.ts @@ -126,4 +126,16 @@ export class CreateRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegexPatternSetCommand) .de(de_CreateRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegexPatternSetRequest; + output: CreateRegexPatternSetResponse; + }; + sdk: { + input: CreateRegexPatternSetCommandInput; + output: CreateRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateRuleCommand.ts b/clients/client-waf-regional/src/commands/CreateRuleCommand.ts index 4fae27e41fe5..df693982bbfd 100644 --- a/clients/client-waf-regional/src/commands/CreateRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateRuleCommand.ts @@ -241,4 +241,16 @@ export class CreateRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleCommand) .de(de_CreateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleRequest; + output: CreateRuleResponse; + }; + sdk: { + input: CreateRuleCommandInput; + output: CreateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateRuleGroupCommand.ts b/clients/client-waf-regional/src/commands/CreateRuleGroupCommand.ts index c9adfd24145b..8a18b869757f 100644 --- a/clients/client-waf-regional/src/commands/CreateRuleGroupCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateRuleGroupCommand.ts @@ -135,4 +135,16 @@ export class CreateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleGroupCommand) .de(de_CreateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleGroupRequest; + output: CreateRuleGroupResponse; + }; + sdk: { + input: CreateRuleGroupCommandInput; + output: CreateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateSizeConstraintSetCommand.ts b/clients/client-waf-regional/src/commands/CreateSizeConstraintSetCommand.ts index 58327023f1c9..987e64f1ab2f 100644 --- a/clients/client-waf-regional/src/commands/CreateSizeConstraintSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateSizeConstraintSetCommand.ts @@ -212,4 +212,16 @@ export class CreateSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateSizeConstraintSetCommand) .de(de_CreateSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSizeConstraintSetRequest; + output: CreateSizeConstraintSetResponse; + }; + sdk: { + input: CreateSizeConstraintSetCommandInput; + output: CreateSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateSqlInjectionMatchSetCommand.ts b/clients/client-waf-regional/src/commands/CreateSqlInjectionMatchSetCommand.ts index a1ea8b2cc4fd..675fb15d25fc 100644 --- a/clients/client-waf-regional/src/commands/CreateSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateSqlInjectionMatchSetCommand.ts @@ -206,4 +206,16 @@ export class CreateSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateSqlInjectionMatchSetCommand) .de(de_CreateSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSqlInjectionMatchSetRequest; + output: CreateSqlInjectionMatchSetResponse; + }; + sdk: { + input: CreateSqlInjectionMatchSetCommandInput; + output: CreateSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateWebACLCommand.ts b/clients/client-waf-regional/src/commands/CreateWebACLCommand.ts index 8bbe6d06ca3d..7cc4fa23b96f 100644 --- a/clients/client-waf-regional/src/commands/CreateWebACLCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateWebACLCommand.ts @@ -258,4 +258,16 @@ export class CreateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebACLCommand) .de(de_CreateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebACLRequest; + output: CreateWebACLResponse; + }; + sdk: { + input: CreateWebACLCommandInput; + output: CreateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateWebACLMigrationStackCommand.ts b/clients/client-waf-regional/src/commands/CreateWebACLMigrationStackCommand.ts index eb3b98ceb02f..3c7868284d51 100644 --- a/clients/client-waf-regional/src/commands/CreateWebACLMigrationStackCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateWebACLMigrationStackCommand.ts @@ -188,4 +188,16 @@ export class CreateWebACLMigrationStackCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebACLMigrationStackCommand) .de(de_CreateWebACLMigrationStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebACLMigrationStackRequest; + output: CreateWebACLMigrationStackResponse; + }; + sdk: { + input: CreateWebACLMigrationStackCommandInput; + output: CreateWebACLMigrationStackCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/CreateXssMatchSetCommand.ts b/clients/client-waf-regional/src/commands/CreateXssMatchSetCommand.ts index 113ee0f808fc..5fc87d933b04 100644 --- a/clients/client-waf-regional/src/commands/CreateXssMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/CreateXssMatchSetCommand.ts @@ -206,4 +206,16 @@ export class CreateXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateXssMatchSetCommand) .de(de_CreateXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateXssMatchSetRequest; + output: CreateXssMatchSetResponse; + }; + sdk: { + input: CreateXssMatchSetCommandInput; + output: CreateXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteByteMatchSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteByteMatchSetCommand.ts index 24c25ea28033..aa0d02db7518 100644 --- a/clients/client-waf-regional/src/commands/DeleteByteMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteByteMatchSetCommand.ts @@ -159,4 +159,16 @@ export class DeleteByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteByteMatchSetCommand) .de(de_DeleteByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteByteMatchSetRequest; + output: DeleteByteMatchSetResponse; + }; + sdk: { + input: DeleteByteMatchSetCommandInput; + output: DeleteByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteGeoMatchSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteGeoMatchSetCommand.ts index 744f559fdc8a..2f2589b8f95f 100644 --- a/clients/client-waf-regional/src/commands/DeleteGeoMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteGeoMatchSetCommand.ts @@ -142,4 +142,16 @@ export class DeleteGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGeoMatchSetCommand) .de(de_DeleteGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGeoMatchSetRequest; + output: DeleteGeoMatchSetResponse; + }; + sdk: { + input: DeleteGeoMatchSetCommandInput; + output: DeleteGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteIPSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteIPSetCommand.ts index e0154e8aa137..f5287dc62bdb 100644 --- a/clients/client-waf-regional/src/commands/DeleteIPSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteIPSetCommand.ts @@ -159,4 +159,16 @@ export class DeleteIPSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIPSetCommand) .de(de_DeleteIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIPSetRequest; + output: DeleteIPSetResponse; + }; + sdk: { + input: DeleteIPSetCommandInput; + output: DeleteIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteLoggingConfigurationCommand.ts b/clients/client-waf-regional/src/commands/DeleteLoggingConfigurationCommand.ts index fedb0a8619b3..333e907ed2b2 100644 --- a/clients/client-waf-regional/src/commands/DeleteLoggingConfigurationCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteLoggingConfigurationCommand.ts @@ -93,4 +93,16 @@ export class DeleteLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoggingConfigurationCommand) .de(de_DeleteLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoggingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteLoggingConfigurationCommandInput; + output: DeleteLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeletePermissionPolicyCommand.ts b/clients/client-waf-regional/src/commands/DeletePermissionPolicyCommand.ts index de75e22ccbf3..1f51f63d3a19 100644 --- a/clients/client-waf-regional/src/commands/DeletePermissionPolicyCommand.ts +++ b/clients/client-waf-regional/src/commands/DeletePermissionPolicyCommand.ts @@ -93,4 +93,16 @@ export class DeletePermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionPolicyCommand) .de(de_DeletePermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionPolicyRequest; + output: {}; + }; + sdk: { + input: DeletePermissionPolicyCommandInput; + output: DeletePermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteRateBasedRuleCommand.ts b/clients/client-waf-regional/src/commands/DeleteRateBasedRuleCommand.ts index 4b2e53cb45b3..aa4d0fa3abeb 100644 --- a/clients/client-waf-regional/src/commands/DeleteRateBasedRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteRateBasedRuleCommand.ts @@ -152,4 +152,16 @@ export class DeleteRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRateBasedRuleCommand) .de(de_DeleteRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRateBasedRuleRequest; + output: DeleteRateBasedRuleResponse; + }; + sdk: { + input: DeleteRateBasedRuleCommandInput; + output: DeleteRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteRegexMatchSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteRegexMatchSetCommand.ts index 7a82a82a369d..d9899f8669b1 100644 --- a/clients/client-waf-regional/src/commands/DeleteRegexMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteRegexMatchSetCommand.ts @@ -142,4 +142,16 @@ export class DeleteRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegexMatchSetCommand) .de(de_DeleteRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegexMatchSetRequest; + output: DeleteRegexMatchSetResponse; + }; + sdk: { + input: DeleteRegexMatchSetCommandInput; + output: DeleteRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteRegexPatternSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteRegexPatternSetCommand.ts index 4d35875b4612..abeec3eaa8c1 100644 --- a/clients/client-waf-regional/src/commands/DeleteRegexPatternSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteRegexPatternSetCommand.ts @@ -128,4 +128,16 @@ export class DeleteRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegexPatternSetCommand) .de(de_DeleteRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegexPatternSetRequest; + output: DeleteRegexPatternSetResponse; + }; + sdk: { + input: DeleteRegexPatternSetCommandInput; + output: DeleteRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteRuleCommand.ts b/clients/client-waf-regional/src/commands/DeleteRuleCommand.ts index 1117f686a99f..6c9171be1e0c 100644 --- a/clients/client-waf-regional/src/commands/DeleteRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteRuleCommand.ts @@ -165,4 +165,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: DeleteRuleResponse; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteRuleGroupCommand.ts b/clients/client-waf-regional/src/commands/DeleteRuleGroupCommand.ts index f1a8bac86bfc..aec944827989 100644 --- a/clients/client-waf-regional/src/commands/DeleteRuleGroupCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteRuleGroupCommand.ts @@ -168,4 +168,16 @@ export class DeleteRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleGroupCommand) .de(de_DeleteRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleGroupRequest; + output: DeleteRuleGroupResponse; + }; + sdk: { + input: DeleteRuleGroupCommandInput; + output: DeleteRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteSizeConstraintSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteSizeConstraintSetCommand.ts index aa4c2d315fb7..738e5ee29649 100644 --- a/clients/client-waf-regional/src/commands/DeleteSizeConstraintSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteSizeConstraintSetCommand.ts @@ -159,4 +159,16 @@ export class DeleteSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSizeConstraintSetCommand) .de(de_DeleteSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSizeConstraintSetRequest; + output: DeleteSizeConstraintSetResponse; + }; + sdk: { + input: DeleteSizeConstraintSetCommandInput; + output: DeleteSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteSqlInjectionMatchSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteSqlInjectionMatchSetCommand.ts index 30064057b414..0d77e9c95ded 100644 --- a/clients/client-waf-regional/src/commands/DeleteSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteSqlInjectionMatchSetCommand.ts @@ -160,4 +160,16 @@ export class DeleteSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSqlInjectionMatchSetCommand) .de(de_DeleteSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSqlInjectionMatchSetRequest; + output: DeleteSqlInjectionMatchSetResponse; + }; + sdk: { + input: DeleteSqlInjectionMatchSetCommandInput; + output: DeleteSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteWebACLCommand.ts b/clients/client-waf-regional/src/commands/DeleteWebACLCommand.ts index e966b19c8d39..e0cd0fe7d396 100644 --- a/clients/client-waf-regional/src/commands/DeleteWebACLCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteWebACLCommand.ts @@ -163,4 +163,16 @@ export class DeleteWebACLCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWebACLCommand) .de(de_DeleteWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWebACLRequest; + output: DeleteWebACLResponse; + }; + sdk: { + input: DeleteWebACLCommandInput; + output: DeleteWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DeleteXssMatchSetCommand.ts b/clients/client-waf-regional/src/commands/DeleteXssMatchSetCommand.ts index 57426bba1dd3..8f9a39490788 100644 --- a/clients/client-waf-regional/src/commands/DeleteXssMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/DeleteXssMatchSetCommand.ts @@ -160,4 +160,16 @@ export class DeleteXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteXssMatchSetCommand) .de(de_DeleteXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteXssMatchSetRequest; + output: DeleteXssMatchSetResponse; + }; + sdk: { + input: DeleteXssMatchSetCommandInput; + output: DeleteXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/DisassociateWebACLCommand.ts b/clients/client-waf-regional/src/commands/DisassociateWebACLCommand.ts index 72f8a1338d42..ec189b73ca37 100644 --- a/clients/client-waf-regional/src/commands/DisassociateWebACLCommand.ts +++ b/clients/client-waf-regional/src/commands/DisassociateWebACLCommand.ts @@ -132,4 +132,16 @@ export class DisassociateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWebACLCommand) .de(de_DisassociateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWebACLRequest; + output: {}; + }; + sdk: { + input: DisassociateWebACLCommandInput; + output: DisassociateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetByteMatchSetCommand.ts b/clients/client-waf-regional/src/commands/GetByteMatchSetCommand.ts index b9edee716d80..4acec0ac92da 100644 --- a/clients/client-waf-regional/src/commands/GetByteMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetByteMatchSetCommand.ts @@ -138,4 +138,16 @@ export class GetByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetByteMatchSetCommand) .de(de_GetByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetByteMatchSetRequest; + output: GetByteMatchSetResponse; + }; + sdk: { + input: GetByteMatchSetCommandInput; + output: GetByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetChangeTokenCommand.ts b/clients/client-waf-regional/src/commands/GetChangeTokenCommand.ts index 255e75ed3417..f9d5a9957fb8 100644 --- a/clients/client-waf-regional/src/commands/GetChangeTokenCommand.ts +++ b/clients/client-waf-regional/src/commands/GetChangeTokenCommand.ts @@ -106,4 +106,16 @@ export class GetChangeTokenCommand extends $Command .f(void 0, void 0) .ser(se_GetChangeTokenCommand) .de(de_GetChangeTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetChangeTokenResponse; + }; + sdk: { + input: GetChangeTokenCommandInput; + output: GetChangeTokenCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetChangeTokenStatusCommand.ts b/clients/client-waf-regional/src/commands/GetChangeTokenStatusCommand.ts index 51b06892f0ff..072bf806fe88 100644 --- a/clients/client-waf-regional/src/commands/GetChangeTokenStatusCommand.ts +++ b/clients/client-waf-regional/src/commands/GetChangeTokenStatusCommand.ts @@ -123,4 +123,16 @@ export class GetChangeTokenStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetChangeTokenStatusCommand) .de(de_GetChangeTokenStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChangeTokenStatusRequest; + output: GetChangeTokenStatusResponse; + }; + sdk: { + input: GetChangeTokenStatusCommandInput; + output: GetChangeTokenStatusCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetGeoMatchSetCommand.ts b/clients/client-waf-regional/src/commands/GetGeoMatchSetCommand.ts index d41d749d12b5..84019f100cce 100644 --- a/clients/client-waf-regional/src/commands/GetGeoMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetGeoMatchSetCommand.ts @@ -103,4 +103,16 @@ export class GetGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetGeoMatchSetCommand) .de(de_GetGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGeoMatchSetRequest; + output: GetGeoMatchSetResponse; + }; + sdk: { + input: GetGeoMatchSetCommandInput; + output: GetGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetIPSetCommand.ts b/clients/client-waf-regional/src/commands/GetIPSetCommand.ts index b984bf8b8de9..177ca8fafaf2 100644 --- a/clients/client-waf-regional/src/commands/GetIPSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetIPSetCommand.ts @@ -128,4 +128,16 @@ export class GetIPSetCommand extends $Command .f(void 0, void 0) .ser(se_GetIPSetCommand) .de(de_GetIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIPSetRequest; + output: GetIPSetResponse; + }; + sdk: { + input: GetIPSetCommandInput; + output: GetIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetLoggingConfigurationCommand.ts b/clients/client-waf-regional/src/commands/GetLoggingConfigurationCommand.ts index 2153f92deddd..d9c62e0bf968 100644 --- a/clients/client-waf-regional/src/commands/GetLoggingConfigurationCommand.ts +++ b/clients/client-waf-regional/src/commands/GetLoggingConfigurationCommand.ts @@ -102,4 +102,16 @@ export class GetLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggingConfigurationCommand) .de(de_GetLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoggingConfigurationRequest; + output: GetLoggingConfigurationResponse; + }; + sdk: { + input: GetLoggingConfigurationCommandInput; + output: GetLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetPermissionPolicyCommand.ts b/clients/client-waf-regional/src/commands/GetPermissionPolicyCommand.ts index 89d11f50e13e..25866ba5baa0 100644 --- a/clients/client-waf-regional/src/commands/GetPermissionPolicyCommand.ts +++ b/clients/client-waf-regional/src/commands/GetPermissionPolicyCommand.ts @@ -91,4 +91,16 @@ export class GetPermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPermissionPolicyCommand) .de(de_GetPermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPermissionPolicyRequest; + output: GetPermissionPolicyResponse; + }; + sdk: { + input: GetPermissionPolicyCommandInput; + output: GetPermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetRateBasedRuleCommand.ts b/clients/client-waf-regional/src/commands/GetRateBasedRuleCommand.ts index 7880bfb8d6b0..c7adc88838d7 100644 --- a/clients/client-waf-regional/src/commands/GetRateBasedRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/GetRateBasedRuleCommand.ts @@ -109,4 +109,16 @@ export class GetRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetRateBasedRuleCommand) .de(de_GetRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRateBasedRuleRequest; + output: GetRateBasedRuleResponse; + }; + sdk: { + input: GetRateBasedRuleCommandInput; + output: GetRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetRateBasedRuleManagedKeysCommand.ts b/clients/client-waf-regional/src/commands/GetRateBasedRuleManagedKeysCommand.ts index e8eec35d09f8..3d899cc09e9c 100644 --- a/clients/client-waf-regional/src/commands/GetRateBasedRuleManagedKeysCommand.ts +++ b/clients/client-waf-regional/src/commands/GetRateBasedRuleManagedKeysCommand.ts @@ -142,4 +142,16 @@ export class GetRateBasedRuleManagedKeysCommand extends $Command .f(void 0, void 0) .ser(se_GetRateBasedRuleManagedKeysCommand) .de(de_GetRateBasedRuleManagedKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRateBasedRuleManagedKeysRequest; + output: GetRateBasedRuleManagedKeysResponse; + }; + sdk: { + input: GetRateBasedRuleManagedKeysCommandInput; + output: GetRateBasedRuleManagedKeysCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetRegexMatchSetCommand.ts b/clients/client-waf-regional/src/commands/GetRegexMatchSetCommand.ts index 7e98bf2ef418..841ced99183b 100644 --- a/clients/client-waf-regional/src/commands/GetRegexMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetRegexMatchSetCommand.ts @@ -107,4 +107,16 @@ export class GetRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetRegexMatchSetCommand) .de(de_GetRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegexMatchSetRequest; + output: GetRegexMatchSetResponse; + }; + sdk: { + input: GetRegexMatchSetCommandInput; + output: GetRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetRegexPatternSetCommand.ts b/clients/client-waf-regional/src/commands/GetRegexPatternSetCommand.ts index b4de6e3db6e9..d82d9fc1a737 100644 --- a/clients/client-waf-regional/src/commands/GetRegexPatternSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetRegexPatternSetCommand.ts @@ -100,4 +100,16 @@ export class GetRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_GetRegexPatternSetCommand) .de(de_GetRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegexPatternSetRequest; + output: GetRegexPatternSetResponse; + }; + sdk: { + input: GetRegexPatternSetCommandInput; + output: GetRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetRuleCommand.ts b/clients/client-waf-regional/src/commands/GetRuleCommand.ts index 8df9d2325a21..a30c77c79de6 100644 --- a/clients/client-waf-regional/src/commands/GetRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/GetRuleCommand.ts @@ -132,4 +132,16 @@ export class GetRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetRuleCommand) .de(de_GetRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleRequest; + output: GetRuleResponse; + }; + sdk: { + input: GetRuleCommandInput; + output: GetRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetRuleGroupCommand.ts b/clients/client-waf-regional/src/commands/GetRuleGroupCommand.ts index d90d8c6b2b14..fe5227fb291d 100644 --- a/clients/client-waf-regional/src/commands/GetRuleGroupCommand.ts +++ b/clients/client-waf-regional/src/commands/GetRuleGroupCommand.ts @@ -96,4 +96,16 @@ export class GetRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetRuleGroupCommand) .de(de_GetRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleGroupRequest; + output: GetRuleGroupResponse; + }; + sdk: { + input: GetRuleGroupCommandInput; + output: GetRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetSampledRequestsCommand.ts b/clients/client-waf-regional/src/commands/GetSampledRequestsCommand.ts index 5a3edb861e1e..a1fd9a4e71aa 100644 --- a/clients/client-waf-regional/src/commands/GetSampledRequestsCommand.ts +++ b/clients/client-waf-regional/src/commands/GetSampledRequestsCommand.ts @@ -171,4 +171,16 @@ export class GetSampledRequestsCommand extends $Command .f(void 0, void 0) .ser(se_GetSampledRequestsCommand) .de(de_GetSampledRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSampledRequestsRequest; + output: GetSampledRequestsResponse; + }; + sdk: { + input: GetSampledRequestsCommandInput; + output: GetSampledRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetSizeConstraintSetCommand.ts b/clients/client-waf-regional/src/commands/GetSizeConstraintSetCommand.ts index 5a299684e9d2..a145c0c4098b 100644 --- a/clients/client-waf-regional/src/commands/GetSizeConstraintSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetSizeConstraintSetCommand.ts @@ -137,4 +137,16 @@ export class GetSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_GetSizeConstraintSetCommand) .de(de_GetSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSizeConstraintSetRequest; + output: GetSizeConstraintSetResponse; + }; + sdk: { + input: GetSizeConstraintSetCommandInput; + output: GetSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetSqlInjectionMatchSetCommand.ts b/clients/client-waf-regional/src/commands/GetSqlInjectionMatchSetCommand.ts index f5ee0f3500b4..5abc9dd3a2d1 100644 --- a/clients/client-waf-regional/src/commands/GetSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetSqlInjectionMatchSetCommand.ts @@ -133,4 +133,16 @@ export class GetSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetSqlInjectionMatchSetCommand) .de(de_GetSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSqlInjectionMatchSetRequest; + output: GetSqlInjectionMatchSetResponse; + }; + sdk: { + input: GetSqlInjectionMatchSetCommandInput; + output: GetSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetWebACLCommand.ts b/clients/client-waf-regional/src/commands/GetWebACLCommand.ts index 2c92310adef6..1a4a83acf70a 100644 --- a/clients/client-waf-regional/src/commands/GetWebACLCommand.ts +++ b/clients/client-waf-regional/src/commands/GetWebACLCommand.ts @@ -152,4 +152,16 @@ export class GetWebACLCommand extends $Command .f(void 0, void 0) .ser(se_GetWebACLCommand) .de(de_GetWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWebACLRequest; + output: GetWebACLResponse; + }; + sdk: { + input: GetWebACLCommandInput; + output: GetWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetWebACLForResourceCommand.ts b/clients/client-waf-regional/src/commands/GetWebACLForResourceCommand.ts index b3d9f73adecd..9b5a8990a49f 100644 --- a/clients/client-waf-regional/src/commands/GetWebACLForResourceCommand.ts +++ b/clients/client-waf-regional/src/commands/GetWebACLForResourceCommand.ts @@ -141,4 +141,16 @@ export class GetWebACLForResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetWebACLForResourceCommand) .de(de_GetWebACLForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWebACLForResourceRequest; + output: GetWebACLForResourceResponse; + }; + sdk: { + input: GetWebACLForResourceCommandInput; + output: GetWebACLForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/GetXssMatchSetCommand.ts b/clients/client-waf-regional/src/commands/GetXssMatchSetCommand.ts index 8082f552dd17..9b1166fbd52e 100644 --- a/clients/client-waf-regional/src/commands/GetXssMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/GetXssMatchSetCommand.ts @@ -133,4 +133,16 @@ export class GetXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetXssMatchSetCommand) .de(de_GetXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetXssMatchSetRequest; + output: GetXssMatchSetResponse; + }; + sdk: { + input: GetXssMatchSetCommandInput; + output: GetXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListActivatedRulesInRuleGroupCommand.ts b/clients/client-waf-regional/src/commands/ListActivatedRulesInRuleGroupCommand.ts index 585e217978fe..76d18373eab5 100644 --- a/clients/client-waf-regional/src/commands/ListActivatedRulesInRuleGroupCommand.ts +++ b/clients/client-waf-regional/src/commands/ListActivatedRulesInRuleGroupCommand.ts @@ -156,4 +156,16 @@ export class ListActivatedRulesInRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListActivatedRulesInRuleGroupCommand) .de(de_ListActivatedRulesInRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActivatedRulesInRuleGroupRequest; + output: ListActivatedRulesInRuleGroupResponse; + }; + sdk: { + input: ListActivatedRulesInRuleGroupCommandInput; + output: ListActivatedRulesInRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListByteMatchSetsCommand.ts b/clients/client-waf-regional/src/commands/ListByteMatchSetsCommand.ts index df7529a806b3..45360c306eba 100644 --- a/clients/client-waf-regional/src/commands/ListByteMatchSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListByteMatchSetsCommand.ts @@ -98,4 +98,16 @@ export class ListByteMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListByteMatchSetsCommand) .de(de_ListByteMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListByteMatchSetsRequest; + output: ListByteMatchSetsResponse; + }; + sdk: { + input: ListByteMatchSetsCommandInput; + output: ListByteMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListGeoMatchSetsCommand.ts b/clients/client-waf-regional/src/commands/ListGeoMatchSetsCommand.ts index a1990ed37ca3..303adc688e71 100644 --- a/clients/client-waf-regional/src/commands/ListGeoMatchSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListGeoMatchSetsCommand.ts @@ -98,4 +98,16 @@ export class ListGeoMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListGeoMatchSetsCommand) .de(de_ListGeoMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGeoMatchSetsRequest; + output: ListGeoMatchSetsResponse; + }; + sdk: { + input: ListGeoMatchSetsCommandInput; + output: ListGeoMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListIPSetsCommand.ts b/clients/client-waf-regional/src/commands/ListIPSetsCommand.ts index 694a0add6c73..568ed9305ae8 100644 --- a/clients/client-waf-regional/src/commands/ListIPSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListIPSetsCommand.ts @@ -119,4 +119,16 @@ export class ListIPSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListIPSetsCommand) .de(de_ListIPSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIPSetsRequest; + output: ListIPSetsResponse; + }; + sdk: { + input: ListIPSetsCommandInput; + output: ListIPSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListLoggingConfigurationsCommand.ts b/clients/client-waf-regional/src/commands/ListLoggingConfigurationsCommand.ts index bf9ea57f3f52..22e9f68e8105 100644 --- a/clients/client-waf-regional/src/commands/ListLoggingConfigurationsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListLoggingConfigurationsCommand.ts @@ -146,4 +146,16 @@ export class ListLoggingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLoggingConfigurationsCommand) .de(de_ListLoggingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLoggingConfigurationsRequest; + output: ListLoggingConfigurationsResponse; + }; + sdk: { + input: ListLoggingConfigurationsCommandInput; + output: ListLoggingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListRateBasedRulesCommand.ts b/clients/client-waf-regional/src/commands/ListRateBasedRulesCommand.ts index 708ed7c6671d..5351e80d6702 100644 --- a/clients/client-waf-regional/src/commands/ListRateBasedRulesCommand.ts +++ b/clients/client-waf-regional/src/commands/ListRateBasedRulesCommand.ts @@ -98,4 +98,16 @@ export class ListRateBasedRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRateBasedRulesCommand) .de(de_ListRateBasedRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRateBasedRulesRequest; + output: ListRateBasedRulesResponse; + }; + sdk: { + input: ListRateBasedRulesCommandInput; + output: ListRateBasedRulesCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListRegexMatchSetsCommand.ts b/clients/client-waf-regional/src/commands/ListRegexMatchSetsCommand.ts index 072a5282530b..101fc2136862 100644 --- a/clients/client-waf-regional/src/commands/ListRegexMatchSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListRegexMatchSetsCommand.ts @@ -98,4 +98,16 @@ export class ListRegexMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegexMatchSetsCommand) .de(de_ListRegexMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegexMatchSetsRequest; + output: ListRegexMatchSetsResponse; + }; + sdk: { + input: ListRegexMatchSetsCommandInput; + output: ListRegexMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListRegexPatternSetsCommand.ts b/clients/client-waf-regional/src/commands/ListRegexPatternSetsCommand.ts index 62dd6cc16ac0..5542baee1eee 100644 --- a/clients/client-waf-regional/src/commands/ListRegexPatternSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListRegexPatternSetsCommand.ts @@ -98,4 +98,16 @@ export class ListRegexPatternSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegexPatternSetsCommand) .de(de_ListRegexPatternSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegexPatternSetsRequest; + output: ListRegexPatternSetsResponse; + }; + sdk: { + input: ListRegexPatternSetsCommandInput; + output: ListRegexPatternSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListResourcesForWebACLCommand.ts b/clients/client-waf-regional/src/commands/ListResourcesForWebACLCommand.ts index df05a32b39de..6df9d676452a 100644 --- a/clients/client-waf-regional/src/commands/ListResourcesForWebACLCommand.ts +++ b/clients/client-waf-regional/src/commands/ListResourcesForWebACLCommand.ts @@ -137,4 +137,16 @@ export class ListResourcesForWebACLCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesForWebACLCommand) .de(de_ListResourcesForWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesForWebACLRequest; + output: ListResourcesForWebACLResponse; + }; + sdk: { + input: ListResourcesForWebACLCommandInput; + output: ListResourcesForWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListRuleGroupsCommand.ts b/clients/client-waf-regional/src/commands/ListRuleGroupsCommand.ts index ccd796608f2d..bb837a065c73 100644 --- a/clients/client-waf-regional/src/commands/ListRuleGroupsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListRuleGroupsCommand.ts @@ -95,4 +95,16 @@ export class ListRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleGroupsCommand) .de(de_ListRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleGroupsRequest; + output: ListRuleGroupsResponse; + }; + sdk: { + input: ListRuleGroupsCommandInput; + output: ListRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListRulesCommand.ts b/clients/client-waf-regional/src/commands/ListRulesCommand.ts index 257bf794bc80..c4191f30a24b 100644 --- a/clients/client-waf-regional/src/commands/ListRulesCommand.ts +++ b/clients/client-waf-regional/src/commands/ListRulesCommand.ts @@ -119,4 +119,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListSizeConstraintSetsCommand.ts b/clients/client-waf-regional/src/commands/ListSizeConstraintSetsCommand.ts index 1436cdf4ece7..af784021786d 100644 --- a/clients/client-waf-regional/src/commands/ListSizeConstraintSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListSizeConstraintSetsCommand.ts @@ -119,4 +119,16 @@ export class ListSizeConstraintSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListSizeConstraintSetsCommand) .de(de_ListSizeConstraintSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSizeConstraintSetsRequest; + output: ListSizeConstraintSetsResponse; + }; + sdk: { + input: ListSizeConstraintSetsCommandInput; + output: ListSizeConstraintSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListSqlInjectionMatchSetsCommand.ts b/clients/client-waf-regional/src/commands/ListSqlInjectionMatchSetsCommand.ts index 254f5a185a2a..525b830b920d 100644 --- a/clients/client-waf-regional/src/commands/ListSqlInjectionMatchSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListSqlInjectionMatchSetsCommand.ts @@ -119,4 +119,16 @@ export class ListSqlInjectionMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListSqlInjectionMatchSetsCommand) .de(de_ListSqlInjectionMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSqlInjectionMatchSetsRequest; + output: ListSqlInjectionMatchSetsResponse; + }; + sdk: { + input: ListSqlInjectionMatchSetsCommandInput; + output: ListSqlInjectionMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListSubscribedRuleGroupsCommand.ts b/clients/client-waf-regional/src/commands/ListSubscribedRuleGroupsCommand.ts index 09bb48231a18..eec81ddb0661 100644 --- a/clients/client-waf-regional/src/commands/ListSubscribedRuleGroupsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListSubscribedRuleGroupsCommand.ts @@ -99,4 +99,16 @@ export class ListSubscribedRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscribedRuleGroupsCommand) .de(de_ListSubscribedRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscribedRuleGroupsRequest; + output: ListSubscribedRuleGroupsResponse; + }; + sdk: { + input: ListSubscribedRuleGroupsCommandInput; + output: ListSubscribedRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListTagsForResourceCommand.ts b/clients/client-waf-regional/src/commands/ListTagsForResourceCommand.ts index fa3f6851f193..6a957143e8dc 100644 --- a/clients/client-waf-regional/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-waf-regional/src/commands/ListTagsForResourceCommand.ts @@ -152,4 +152,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListWebACLsCommand.ts b/clients/client-waf-regional/src/commands/ListWebACLsCommand.ts index 2d0356658168..c7855933ea75 100644 --- a/clients/client-waf-regional/src/commands/ListWebACLsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListWebACLsCommand.ts @@ -119,4 +119,16 @@ export class ListWebACLsCommand extends $Command .f(void 0, void 0) .ser(se_ListWebACLsCommand) .de(de_ListWebACLsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebACLsRequest; + output: ListWebACLsResponse; + }; + sdk: { + input: ListWebACLsCommandInput; + output: ListWebACLsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/ListXssMatchSetsCommand.ts b/clients/client-waf-regional/src/commands/ListXssMatchSetsCommand.ts index 3e8a68bfcd64..2a972fbb82f3 100644 --- a/clients/client-waf-regional/src/commands/ListXssMatchSetsCommand.ts +++ b/clients/client-waf-regional/src/commands/ListXssMatchSetsCommand.ts @@ -119,4 +119,16 @@ export class ListXssMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListXssMatchSetsCommand) .de(de_ListXssMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListXssMatchSetsRequest; + output: ListXssMatchSetsResponse; + }; + sdk: { + input: ListXssMatchSetsCommandInput; + output: ListXssMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/PutLoggingConfigurationCommand.ts b/clients/client-waf-regional/src/commands/PutLoggingConfigurationCommand.ts index 46c9a74cc750..535abce09d99 100644 --- a/clients/client-waf-regional/src/commands/PutLoggingConfigurationCommand.ts +++ b/clients/client-waf-regional/src/commands/PutLoggingConfigurationCommand.ts @@ -136,4 +136,16 @@ export class PutLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutLoggingConfigurationCommand) .de(de_PutLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLoggingConfigurationRequest; + output: PutLoggingConfigurationResponse; + }; + sdk: { + input: PutLoggingConfigurationCommandInput; + output: PutLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/PutPermissionPolicyCommand.ts b/clients/client-waf-regional/src/commands/PutPermissionPolicyCommand.ts index ac9b7c02b2b6..715f47709a9d 100644 --- a/clients/client-waf-regional/src/commands/PutPermissionPolicyCommand.ts +++ b/clients/client-waf-regional/src/commands/PutPermissionPolicyCommand.ts @@ -157,4 +157,16 @@ export class PutPermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutPermissionPolicyCommand) .de(de_PutPermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPermissionPolicyRequest; + output: {}; + }; + sdk: { + input: PutPermissionPolicyCommandInput; + output: PutPermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/TagResourceCommand.ts b/clients/client-waf-regional/src/commands/TagResourceCommand.ts index b6e050c64e5b..2202c7f6e429 100644 --- a/clients/client-waf-regional/src/commands/TagResourceCommand.ts +++ b/clients/client-waf-regional/src/commands/TagResourceCommand.ts @@ -150,4 +150,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UntagResourceCommand.ts b/clients/client-waf-regional/src/commands/UntagResourceCommand.ts index 045a1db51278..fe6422032bc7 100644 --- a/clients/client-waf-regional/src/commands/UntagResourceCommand.ts +++ b/clients/client-waf-regional/src/commands/UntagResourceCommand.ts @@ -141,4 +141,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateByteMatchSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateByteMatchSetCommand.ts index e6e3410110ed..ee3db0f9c5c7 100644 --- a/clients/client-waf-regional/src/commands/UpdateByteMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateByteMatchSetCommand.ts @@ -267,4 +267,16 @@ export class UpdateByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateByteMatchSetCommand) .de(de_UpdateByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateByteMatchSetRequest; + output: UpdateByteMatchSetResponse; + }; + sdk: { + input: UpdateByteMatchSetCommandInput; + output: UpdateByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateGeoMatchSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateGeoMatchSetCommand.ts index 50a50751267d..d6971bbe4824 100644 --- a/clients/client-waf-regional/src/commands/UpdateGeoMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateGeoMatchSetCommand.ts @@ -234,4 +234,16 @@ export class UpdateGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGeoMatchSetCommand) .de(de_UpdateGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGeoMatchSetRequest; + output: UpdateGeoMatchSetResponse; + }; + sdk: { + input: UpdateGeoMatchSetCommandInput; + output: UpdateGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateIPSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateIPSetCommand.ts index ade8326f2740..9effaad19d6c 100644 --- a/clients/client-waf-regional/src/commands/UpdateIPSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateIPSetCommand.ts @@ -295,4 +295,16 @@ export class UpdateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIPSetCommand) .de(de_UpdateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIPSetRequest; + output: UpdateIPSetResponse; + }; + sdk: { + input: UpdateIPSetCommandInput; + output: UpdateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateRateBasedRuleCommand.ts b/clients/client-waf-regional/src/commands/UpdateRateBasedRuleCommand.ts index d7229e9db02a..a0e2cdddce08 100644 --- a/clients/client-waf-regional/src/commands/UpdateRateBasedRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateRateBasedRuleCommand.ts @@ -252,4 +252,16 @@ export class UpdateRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRateBasedRuleCommand) .de(de_UpdateRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRateBasedRuleRequest; + output: UpdateRateBasedRuleResponse; + }; + sdk: { + input: UpdateRateBasedRuleCommandInput; + output: UpdateRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateRegexMatchSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateRegexMatchSetCommand.ts index 30cd6f9d5e32..3797f3a1115c 100644 --- a/clients/client-waf-regional/src/commands/UpdateRegexMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateRegexMatchSetCommand.ts @@ -194,4 +194,16 @@ export class UpdateRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegexMatchSetCommand) .de(de_UpdateRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegexMatchSetRequest; + output: UpdateRegexMatchSetResponse; + }; + sdk: { + input: UpdateRegexMatchSetCommandInput; + output: UpdateRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateRegexPatternSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateRegexPatternSetCommand.ts index 6df78ba15e83..8b1af652cc86 100644 --- a/clients/client-waf-regional/src/commands/UpdateRegexPatternSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateRegexPatternSetCommand.ts @@ -192,4 +192,16 @@ export class UpdateRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegexPatternSetCommand) .de(de_UpdateRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegexPatternSetRequest; + output: UpdateRegexPatternSetResponse; + }; + sdk: { + input: UpdateRegexPatternSetCommandInput; + output: UpdateRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateRuleCommand.ts b/clients/client-waf-regional/src/commands/UpdateRuleCommand.ts index d0238433c781..66403f7e3d90 100644 --- a/clients/client-waf-regional/src/commands/UpdateRuleCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateRuleCommand.ts @@ -273,4 +273,16 @@ export class UpdateRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleCommand) .de(de_UpdateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleRequest; + output: UpdateRuleResponse; + }; + sdk: { + input: UpdateRuleCommandInput; + output: UpdateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateRuleGroupCommand.ts b/clients/client-waf-regional/src/commands/UpdateRuleGroupCommand.ts index eff7df234644..d36fddd4d104 100644 --- a/clients/client-waf-regional/src/commands/UpdateRuleGroupCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateRuleGroupCommand.ts @@ -226,4 +226,16 @@ export class UpdateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleGroupCommand) .de(de_UpdateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleGroupRequest; + output: UpdateRuleGroupResponse; + }; + sdk: { + input: UpdateRuleGroupCommandInput; + output: UpdateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateSizeConstraintSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateSizeConstraintSetCommand.ts index 9505b7fadb29..a41a4e97a96a 100644 --- a/clients/client-waf-regional/src/commands/UpdateSizeConstraintSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateSizeConstraintSetCommand.ts @@ -281,4 +281,16 @@ export class UpdateSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSizeConstraintSetCommand) .de(de_UpdateSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSizeConstraintSetRequest; + output: UpdateSizeConstraintSetResponse; + }; + sdk: { + input: UpdateSizeConstraintSetCommandInput; + output: UpdateSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateSqlInjectionMatchSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateSqlInjectionMatchSetCommand.ts index eca6ecf95754..9fffda1307fc 100644 --- a/clients/client-waf-regional/src/commands/UpdateSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateSqlInjectionMatchSetCommand.ts @@ -265,4 +265,16 @@ export class UpdateSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSqlInjectionMatchSetCommand) .de(de_UpdateSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSqlInjectionMatchSetRequest; + output: UpdateSqlInjectionMatchSetResponse; + }; + sdk: { + input: UpdateSqlInjectionMatchSetCommandInput; + output: UpdateSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateWebACLCommand.ts b/clients/client-waf-regional/src/commands/UpdateWebACLCommand.ts index f7456db9f674..fcb988652e87 100644 --- a/clients/client-waf-regional/src/commands/UpdateWebACLCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateWebACLCommand.ts @@ -325,4 +325,16 @@ export class UpdateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWebACLCommand) .de(de_UpdateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWebACLRequest; + output: UpdateWebACLResponse; + }; + sdk: { + input: UpdateWebACLCommandInput; + output: UpdateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf-regional/src/commands/UpdateXssMatchSetCommand.ts b/clients/client-waf-regional/src/commands/UpdateXssMatchSetCommand.ts index 44e375fa0d56..f99a1ba74103 100644 --- a/clients/client-waf-regional/src/commands/UpdateXssMatchSetCommand.ts +++ b/clients/client-waf-regional/src/commands/UpdateXssMatchSetCommand.ts @@ -267,4 +267,16 @@ export class UpdateXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateXssMatchSetCommand) .de(de_UpdateXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateXssMatchSetRequest; + output: UpdateXssMatchSetResponse; + }; + sdk: { + input: UpdateXssMatchSetCommandInput; + output: UpdateXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/package.json b/clients/client-waf/package.json index 039b9a43fa40..e7f79f09aa86 100644 --- a/clients/client-waf/package.json +++ b/clients/client-waf/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-waf/src/commands/CreateByteMatchSetCommand.ts b/clients/client-waf/src/commands/CreateByteMatchSetCommand.ts index bd1ded768fb6..faa207ea137e 100644 --- a/clients/client-waf/src/commands/CreateByteMatchSetCommand.ts +++ b/clients/client-waf/src/commands/CreateByteMatchSetCommand.ts @@ -181,4 +181,16 @@ export class CreateByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateByteMatchSetCommand) .de(de_CreateByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateByteMatchSetRequest; + output: CreateByteMatchSetResponse; + }; + sdk: { + input: CreateByteMatchSetCommandInput; + output: CreateByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateGeoMatchSetCommand.ts b/clients/client-waf/src/commands/CreateGeoMatchSetCommand.ts index 53328d2c3a15..983965510a21 100644 --- a/clients/client-waf/src/commands/CreateGeoMatchSetCommand.ts +++ b/clients/client-waf/src/commands/CreateGeoMatchSetCommand.ts @@ -173,4 +173,16 @@ export class CreateGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateGeoMatchSetCommand) .de(de_CreateGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGeoMatchSetRequest; + output: CreateGeoMatchSetResponse; + }; + sdk: { + input: CreateGeoMatchSetCommandInput; + output: CreateGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateIPSetCommand.ts b/clients/client-waf/src/commands/CreateIPSetCommand.ts index db3e3dab15ff..a75ba70af156 100644 --- a/clients/client-waf/src/commands/CreateIPSetCommand.ts +++ b/clients/client-waf/src/commands/CreateIPSetCommand.ts @@ -205,4 +205,16 @@ export class CreateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateIPSetCommand) .de(de_CreateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIPSetRequest; + output: CreateIPSetResponse; + }; + sdk: { + input: CreateIPSetCommandInput; + output: CreateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateRateBasedRuleCommand.ts b/clients/client-waf/src/commands/CreateRateBasedRuleCommand.ts index 8da241f932db..e423afd83d42 100644 --- a/clients/client-waf/src/commands/CreateRateBasedRuleCommand.ts +++ b/clients/client-waf/src/commands/CreateRateBasedRuleCommand.ts @@ -257,4 +257,16 @@ export class CreateRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRateBasedRuleCommand) .de(de_CreateRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRateBasedRuleRequest; + output: CreateRateBasedRuleResponse; + }; + sdk: { + input: CreateRateBasedRuleCommandInput; + output: CreateRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateRegexMatchSetCommand.ts b/clients/client-waf/src/commands/CreateRegexMatchSetCommand.ts index 1826a462379c..295bfadbb6d7 100644 --- a/clients/client-waf/src/commands/CreateRegexMatchSetCommand.ts +++ b/clients/client-waf/src/commands/CreateRegexMatchSetCommand.ts @@ -137,4 +137,16 @@ export class CreateRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegexMatchSetCommand) .de(de_CreateRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegexMatchSetRequest; + output: CreateRegexMatchSetResponse; + }; + sdk: { + input: CreateRegexMatchSetCommandInput; + output: CreateRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateRegexPatternSetCommand.ts b/clients/client-waf/src/commands/CreateRegexPatternSetCommand.ts index a4387e631efb..4cb250d86893 100644 --- a/clients/client-waf/src/commands/CreateRegexPatternSetCommand.ts +++ b/clients/client-waf/src/commands/CreateRegexPatternSetCommand.ts @@ -126,4 +126,16 @@ export class CreateRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegexPatternSetCommand) .de(de_CreateRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegexPatternSetRequest; + output: CreateRegexPatternSetResponse; + }; + sdk: { + input: CreateRegexPatternSetCommandInput; + output: CreateRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateRuleCommand.ts b/clients/client-waf/src/commands/CreateRuleCommand.ts index 303feb547b30..a65ae231fe94 100644 --- a/clients/client-waf/src/commands/CreateRuleCommand.ts +++ b/clients/client-waf/src/commands/CreateRuleCommand.ts @@ -241,4 +241,16 @@ export class CreateRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleCommand) .de(de_CreateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleRequest; + output: CreateRuleResponse; + }; + sdk: { + input: CreateRuleCommandInput; + output: CreateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateRuleGroupCommand.ts b/clients/client-waf/src/commands/CreateRuleGroupCommand.ts index fa8d23ee35b2..83bde638183c 100644 --- a/clients/client-waf/src/commands/CreateRuleGroupCommand.ts +++ b/clients/client-waf/src/commands/CreateRuleGroupCommand.ts @@ -135,4 +135,16 @@ export class CreateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleGroupCommand) .de(de_CreateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleGroupRequest; + output: CreateRuleGroupResponse; + }; + sdk: { + input: CreateRuleGroupCommandInput; + output: CreateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateSizeConstraintSetCommand.ts b/clients/client-waf/src/commands/CreateSizeConstraintSetCommand.ts index e9ddc6dd2648..2d0a632462fb 100644 --- a/clients/client-waf/src/commands/CreateSizeConstraintSetCommand.ts +++ b/clients/client-waf/src/commands/CreateSizeConstraintSetCommand.ts @@ -212,4 +212,16 @@ export class CreateSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateSizeConstraintSetCommand) .de(de_CreateSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSizeConstraintSetRequest; + output: CreateSizeConstraintSetResponse; + }; + sdk: { + input: CreateSizeConstraintSetCommandInput; + output: CreateSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateSqlInjectionMatchSetCommand.ts b/clients/client-waf/src/commands/CreateSqlInjectionMatchSetCommand.ts index 67806eb3d593..975e49f1abdc 100644 --- a/clients/client-waf/src/commands/CreateSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf/src/commands/CreateSqlInjectionMatchSetCommand.ts @@ -206,4 +206,16 @@ export class CreateSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateSqlInjectionMatchSetCommand) .de(de_CreateSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSqlInjectionMatchSetRequest; + output: CreateSqlInjectionMatchSetResponse; + }; + sdk: { + input: CreateSqlInjectionMatchSetCommandInput; + output: CreateSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateWebACLCommand.ts b/clients/client-waf/src/commands/CreateWebACLCommand.ts index a6a4caca73e6..121aaffa41e3 100644 --- a/clients/client-waf/src/commands/CreateWebACLCommand.ts +++ b/clients/client-waf/src/commands/CreateWebACLCommand.ts @@ -258,4 +258,16 @@ export class CreateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebACLCommand) .de(de_CreateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebACLRequest; + output: CreateWebACLResponse; + }; + sdk: { + input: CreateWebACLCommandInput; + output: CreateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateWebACLMigrationStackCommand.ts b/clients/client-waf/src/commands/CreateWebACLMigrationStackCommand.ts index a3c6de3ad29b..24e2b08fe339 100644 --- a/clients/client-waf/src/commands/CreateWebACLMigrationStackCommand.ts +++ b/clients/client-waf/src/commands/CreateWebACLMigrationStackCommand.ts @@ -188,4 +188,16 @@ export class CreateWebACLMigrationStackCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebACLMigrationStackCommand) .de(de_CreateWebACLMigrationStackCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebACLMigrationStackRequest; + output: CreateWebACLMigrationStackResponse; + }; + sdk: { + input: CreateWebACLMigrationStackCommandInput; + output: CreateWebACLMigrationStackCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/CreateXssMatchSetCommand.ts b/clients/client-waf/src/commands/CreateXssMatchSetCommand.ts index d3c84c4b2e62..a1abd39b62a7 100644 --- a/clients/client-waf/src/commands/CreateXssMatchSetCommand.ts +++ b/clients/client-waf/src/commands/CreateXssMatchSetCommand.ts @@ -206,4 +206,16 @@ export class CreateXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateXssMatchSetCommand) .de(de_CreateXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateXssMatchSetRequest; + output: CreateXssMatchSetResponse; + }; + sdk: { + input: CreateXssMatchSetCommandInput; + output: CreateXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteByteMatchSetCommand.ts b/clients/client-waf/src/commands/DeleteByteMatchSetCommand.ts index ace2932b0008..6169660a6be9 100644 --- a/clients/client-waf/src/commands/DeleteByteMatchSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteByteMatchSetCommand.ts @@ -159,4 +159,16 @@ export class DeleteByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteByteMatchSetCommand) .de(de_DeleteByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteByteMatchSetRequest; + output: DeleteByteMatchSetResponse; + }; + sdk: { + input: DeleteByteMatchSetCommandInput; + output: DeleteByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteGeoMatchSetCommand.ts b/clients/client-waf/src/commands/DeleteGeoMatchSetCommand.ts index a34ac997bf92..2fb1bba09ea7 100644 --- a/clients/client-waf/src/commands/DeleteGeoMatchSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteGeoMatchSetCommand.ts @@ -142,4 +142,16 @@ export class DeleteGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGeoMatchSetCommand) .de(de_DeleteGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGeoMatchSetRequest; + output: DeleteGeoMatchSetResponse; + }; + sdk: { + input: DeleteGeoMatchSetCommandInput; + output: DeleteGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteIPSetCommand.ts b/clients/client-waf/src/commands/DeleteIPSetCommand.ts index 841d3b612b00..dd424d7f2c7b 100644 --- a/clients/client-waf/src/commands/DeleteIPSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteIPSetCommand.ts @@ -159,4 +159,16 @@ export class DeleteIPSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIPSetCommand) .de(de_DeleteIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIPSetRequest; + output: DeleteIPSetResponse; + }; + sdk: { + input: DeleteIPSetCommandInput; + output: DeleteIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteLoggingConfigurationCommand.ts b/clients/client-waf/src/commands/DeleteLoggingConfigurationCommand.ts index 0038adc4b776..9cf3e45f9e85 100644 --- a/clients/client-waf/src/commands/DeleteLoggingConfigurationCommand.ts +++ b/clients/client-waf/src/commands/DeleteLoggingConfigurationCommand.ts @@ -93,4 +93,16 @@ export class DeleteLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoggingConfigurationCommand) .de(de_DeleteLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoggingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteLoggingConfigurationCommandInput; + output: DeleteLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeletePermissionPolicyCommand.ts b/clients/client-waf/src/commands/DeletePermissionPolicyCommand.ts index a7d3fbe8b612..404cc2142d0b 100644 --- a/clients/client-waf/src/commands/DeletePermissionPolicyCommand.ts +++ b/clients/client-waf/src/commands/DeletePermissionPolicyCommand.ts @@ -93,4 +93,16 @@ export class DeletePermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionPolicyCommand) .de(de_DeletePermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionPolicyRequest; + output: {}; + }; + sdk: { + input: DeletePermissionPolicyCommandInput; + output: DeletePermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteRateBasedRuleCommand.ts b/clients/client-waf/src/commands/DeleteRateBasedRuleCommand.ts index 1cb58ac71eff..536c4ae2f52e 100644 --- a/clients/client-waf/src/commands/DeleteRateBasedRuleCommand.ts +++ b/clients/client-waf/src/commands/DeleteRateBasedRuleCommand.ts @@ -152,4 +152,16 @@ export class DeleteRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRateBasedRuleCommand) .de(de_DeleteRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRateBasedRuleRequest; + output: DeleteRateBasedRuleResponse; + }; + sdk: { + input: DeleteRateBasedRuleCommandInput; + output: DeleteRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteRegexMatchSetCommand.ts b/clients/client-waf/src/commands/DeleteRegexMatchSetCommand.ts index 29424da5855b..b6005f2720c4 100644 --- a/clients/client-waf/src/commands/DeleteRegexMatchSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteRegexMatchSetCommand.ts @@ -142,4 +142,16 @@ export class DeleteRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegexMatchSetCommand) .de(de_DeleteRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegexMatchSetRequest; + output: DeleteRegexMatchSetResponse; + }; + sdk: { + input: DeleteRegexMatchSetCommandInput; + output: DeleteRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteRegexPatternSetCommand.ts b/clients/client-waf/src/commands/DeleteRegexPatternSetCommand.ts index c42b76fd204e..e6371f885a94 100644 --- a/clients/client-waf/src/commands/DeleteRegexPatternSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteRegexPatternSetCommand.ts @@ -128,4 +128,16 @@ export class DeleteRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegexPatternSetCommand) .de(de_DeleteRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegexPatternSetRequest; + output: DeleteRegexPatternSetResponse; + }; + sdk: { + input: DeleteRegexPatternSetCommandInput; + output: DeleteRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteRuleCommand.ts b/clients/client-waf/src/commands/DeleteRuleCommand.ts index 5093a99d72d9..9a3663d1f5dd 100644 --- a/clients/client-waf/src/commands/DeleteRuleCommand.ts +++ b/clients/client-waf/src/commands/DeleteRuleCommand.ts @@ -165,4 +165,16 @@ export class DeleteRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleCommand) .de(de_DeleteRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleRequest; + output: DeleteRuleResponse; + }; + sdk: { + input: DeleteRuleCommandInput; + output: DeleteRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteRuleGroupCommand.ts b/clients/client-waf/src/commands/DeleteRuleGroupCommand.ts index e3f76aec8f5b..661ee45d893c 100644 --- a/clients/client-waf/src/commands/DeleteRuleGroupCommand.ts +++ b/clients/client-waf/src/commands/DeleteRuleGroupCommand.ts @@ -168,4 +168,16 @@ export class DeleteRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleGroupCommand) .de(de_DeleteRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleGroupRequest; + output: DeleteRuleGroupResponse; + }; + sdk: { + input: DeleteRuleGroupCommandInput; + output: DeleteRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteSizeConstraintSetCommand.ts b/clients/client-waf/src/commands/DeleteSizeConstraintSetCommand.ts index 505c68014510..420c8fcb1f4f 100644 --- a/clients/client-waf/src/commands/DeleteSizeConstraintSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteSizeConstraintSetCommand.ts @@ -159,4 +159,16 @@ export class DeleteSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSizeConstraintSetCommand) .de(de_DeleteSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSizeConstraintSetRequest; + output: DeleteSizeConstraintSetResponse; + }; + sdk: { + input: DeleteSizeConstraintSetCommandInput; + output: DeleteSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteSqlInjectionMatchSetCommand.ts b/clients/client-waf/src/commands/DeleteSqlInjectionMatchSetCommand.ts index 465b23c9b9de..1b3f35c017ce 100644 --- a/clients/client-waf/src/commands/DeleteSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteSqlInjectionMatchSetCommand.ts @@ -160,4 +160,16 @@ export class DeleteSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSqlInjectionMatchSetCommand) .de(de_DeleteSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSqlInjectionMatchSetRequest; + output: DeleteSqlInjectionMatchSetResponse; + }; + sdk: { + input: DeleteSqlInjectionMatchSetCommandInput; + output: DeleteSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteWebACLCommand.ts b/clients/client-waf/src/commands/DeleteWebACLCommand.ts index 1d2e2a2459cc..d6f653cfaee0 100644 --- a/clients/client-waf/src/commands/DeleteWebACLCommand.ts +++ b/clients/client-waf/src/commands/DeleteWebACLCommand.ts @@ -163,4 +163,16 @@ export class DeleteWebACLCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWebACLCommand) .de(de_DeleteWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWebACLRequest; + output: DeleteWebACLResponse; + }; + sdk: { + input: DeleteWebACLCommandInput; + output: DeleteWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/DeleteXssMatchSetCommand.ts b/clients/client-waf/src/commands/DeleteXssMatchSetCommand.ts index 93d3cbd71c46..250f9af301f1 100644 --- a/clients/client-waf/src/commands/DeleteXssMatchSetCommand.ts +++ b/clients/client-waf/src/commands/DeleteXssMatchSetCommand.ts @@ -160,4 +160,16 @@ export class DeleteXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteXssMatchSetCommand) .de(de_DeleteXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteXssMatchSetRequest; + output: DeleteXssMatchSetResponse; + }; + sdk: { + input: DeleteXssMatchSetCommandInput; + output: DeleteXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetByteMatchSetCommand.ts b/clients/client-waf/src/commands/GetByteMatchSetCommand.ts index 4ada7f669151..fd64f9b896a8 100644 --- a/clients/client-waf/src/commands/GetByteMatchSetCommand.ts +++ b/clients/client-waf/src/commands/GetByteMatchSetCommand.ts @@ -138,4 +138,16 @@ export class GetByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetByteMatchSetCommand) .de(de_GetByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetByteMatchSetRequest; + output: GetByteMatchSetResponse; + }; + sdk: { + input: GetByteMatchSetCommandInput; + output: GetByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetChangeTokenCommand.ts b/clients/client-waf/src/commands/GetChangeTokenCommand.ts index 86098ced4f5c..51390f0d94be 100644 --- a/clients/client-waf/src/commands/GetChangeTokenCommand.ts +++ b/clients/client-waf/src/commands/GetChangeTokenCommand.ts @@ -106,4 +106,16 @@ export class GetChangeTokenCommand extends $Command .f(void 0, void 0) .ser(se_GetChangeTokenCommand) .de(de_GetChangeTokenCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetChangeTokenResponse; + }; + sdk: { + input: GetChangeTokenCommandInput; + output: GetChangeTokenCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetChangeTokenStatusCommand.ts b/clients/client-waf/src/commands/GetChangeTokenStatusCommand.ts index 487bc08d98c9..538be13c0319 100644 --- a/clients/client-waf/src/commands/GetChangeTokenStatusCommand.ts +++ b/clients/client-waf/src/commands/GetChangeTokenStatusCommand.ts @@ -123,4 +123,16 @@ export class GetChangeTokenStatusCommand extends $Command .f(void 0, void 0) .ser(se_GetChangeTokenStatusCommand) .de(de_GetChangeTokenStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetChangeTokenStatusRequest; + output: GetChangeTokenStatusResponse; + }; + sdk: { + input: GetChangeTokenStatusCommandInput; + output: GetChangeTokenStatusCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetGeoMatchSetCommand.ts b/clients/client-waf/src/commands/GetGeoMatchSetCommand.ts index a3bfddabac78..a53e3df06959 100644 --- a/clients/client-waf/src/commands/GetGeoMatchSetCommand.ts +++ b/clients/client-waf/src/commands/GetGeoMatchSetCommand.ts @@ -103,4 +103,16 @@ export class GetGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetGeoMatchSetCommand) .de(de_GetGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGeoMatchSetRequest; + output: GetGeoMatchSetResponse; + }; + sdk: { + input: GetGeoMatchSetCommandInput; + output: GetGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetIPSetCommand.ts b/clients/client-waf/src/commands/GetIPSetCommand.ts index 0e1f0b581689..ee4fb1e324f1 100644 --- a/clients/client-waf/src/commands/GetIPSetCommand.ts +++ b/clients/client-waf/src/commands/GetIPSetCommand.ts @@ -128,4 +128,16 @@ export class GetIPSetCommand extends $Command .f(void 0, void 0) .ser(se_GetIPSetCommand) .de(de_GetIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIPSetRequest; + output: GetIPSetResponse; + }; + sdk: { + input: GetIPSetCommandInput; + output: GetIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetLoggingConfigurationCommand.ts b/clients/client-waf/src/commands/GetLoggingConfigurationCommand.ts index 8d1177fcafa2..8fc135f95e42 100644 --- a/clients/client-waf/src/commands/GetLoggingConfigurationCommand.ts +++ b/clients/client-waf/src/commands/GetLoggingConfigurationCommand.ts @@ -102,4 +102,16 @@ export class GetLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggingConfigurationCommand) .de(de_GetLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoggingConfigurationRequest; + output: GetLoggingConfigurationResponse; + }; + sdk: { + input: GetLoggingConfigurationCommandInput; + output: GetLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetPermissionPolicyCommand.ts b/clients/client-waf/src/commands/GetPermissionPolicyCommand.ts index d76570681127..6e342bc35023 100644 --- a/clients/client-waf/src/commands/GetPermissionPolicyCommand.ts +++ b/clients/client-waf/src/commands/GetPermissionPolicyCommand.ts @@ -91,4 +91,16 @@ export class GetPermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPermissionPolicyCommand) .de(de_GetPermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPermissionPolicyRequest; + output: GetPermissionPolicyResponse; + }; + sdk: { + input: GetPermissionPolicyCommandInput; + output: GetPermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetRateBasedRuleCommand.ts b/clients/client-waf/src/commands/GetRateBasedRuleCommand.ts index 77a884019c0a..70c1cef22c37 100644 --- a/clients/client-waf/src/commands/GetRateBasedRuleCommand.ts +++ b/clients/client-waf/src/commands/GetRateBasedRuleCommand.ts @@ -109,4 +109,16 @@ export class GetRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetRateBasedRuleCommand) .de(de_GetRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRateBasedRuleRequest; + output: GetRateBasedRuleResponse; + }; + sdk: { + input: GetRateBasedRuleCommandInput; + output: GetRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetRateBasedRuleManagedKeysCommand.ts b/clients/client-waf/src/commands/GetRateBasedRuleManagedKeysCommand.ts index e6fbc0eff037..f15d02e060eb 100644 --- a/clients/client-waf/src/commands/GetRateBasedRuleManagedKeysCommand.ts +++ b/clients/client-waf/src/commands/GetRateBasedRuleManagedKeysCommand.ts @@ -142,4 +142,16 @@ export class GetRateBasedRuleManagedKeysCommand extends $Command .f(void 0, void 0) .ser(se_GetRateBasedRuleManagedKeysCommand) .de(de_GetRateBasedRuleManagedKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRateBasedRuleManagedKeysRequest; + output: GetRateBasedRuleManagedKeysResponse; + }; + sdk: { + input: GetRateBasedRuleManagedKeysCommandInput; + output: GetRateBasedRuleManagedKeysCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetRegexMatchSetCommand.ts b/clients/client-waf/src/commands/GetRegexMatchSetCommand.ts index 183c0a1d73f5..94fc6e293fa8 100644 --- a/clients/client-waf/src/commands/GetRegexMatchSetCommand.ts +++ b/clients/client-waf/src/commands/GetRegexMatchSetCommand.ts @@ -107,4 +107,16 @@ export class GetRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetRegexMatchSetCommand) .de(de_GetRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegexMatchSetRequest; + output: GetRegexMatchSetResponse; + }; + sdk: { + input: GetRegexMatchSetCommandInput; + output: GetRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetRegexPatternSetCommand.ts b/clients/client-waf/src/commands/GetRegexPatternSetCommand.ts index 35917c6d39dc..1c59c446b78e 100644 --- a/clients/client-waf/src/commands/GetRegexPatternSetCommand.ts +++ b/clients/client-waf/src/commands/GetRegexPatternSetCommand.ts @@ -100,4 +100,16 @@ export class GetRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_GetRegexPatternSetCommand) .de(de_GetRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegexPatternSetRequest; + output: GetRegexPatternSetResponse; + }; + sdk: { + input: GetRegexPatternSetCommandInput; + output: GetRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetRuleCommand.ts b/clients/client-waf/src/commands/GetRuleCommand.ts index f39818b61a0d..f33ab69f0c9b 100644 --- a/clients/client-waf/src/commands/GetRuleCommand.ts +++ b/clients/client-waf/src/commands/GetRuleCommand.ts @@ -132,4 +132,16 @@ export class GetRuleCommand extends $Command .f(void 0, void 0) .ser(se_GetRuleCommand) .de(de_GetRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleRequest; + output: GetRuleResponse; + }; + sdk: { + input: GetRuleCommandInput; + output: GetRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetRuleGroupCommand.ts b/clients/client-waf/src/commands/GetRuleGroupCommand.ts index 5bd1f5fc2504..19b746070876 100644 --- a/clients/client-waf/src/commands/GetRuleGroupCommand.ts +++ b/clients/client-waf/src/commands/GetRuleGroupCommand.ts @@ -96,4 +96,16 @@ export class GetRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetRuleGroupCommand) .de(de_GetRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleGroupRequest; + output: GetRuleGroupResponse; + }; + sdk: { + input: GetRuleGroupCommandInput; + output: GetRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetSampledRequestsCommand.ts b/clients/client-waf/src/commands/GetSampledRequestsCommand.ts index b1923b3a3549..ee185dc9e2fe 100644 --- a/clients/client-waf/src/commands/GetSampledRequestsCommand.ts +++ b/clients/client-waf/src/commands/GetSampledRequestsCommand.ts @@ -171,4 +171,16 @@ export class GetSampledRequestsCommand extends $Command .f(void 0, void 0) .ser(se_GetSampledRequestsCommand) .de(de_GetSampledRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSampledRequestsRequest; + output: GetSampledRequestsResponse; + }; + sdk: { + input: GetSampledRequestsCommandInput; + output: GetSampledRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetSizeConstraintSetCommand.ts b/clients/client-waf/src/commands/GetSizeConstraintSetCommand.ts index c56807803d8b..71dca5bf1d08 100644 --- a/clients/client-waf/src/commands/GetSizeConstraintSetCommand.ts +++ b/clients/client-waf/src/commands/GetSizeConstraintSetCommand.ts @@ -137,4 +137,16 @@ export class GetSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_GetSizeConstraintSetCommand) .de(de_GetSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSizeConstraintSetRequest; + output: GetSizeConstraintSetResponse; + }; + sdk: { + input: GetSizeConstraintSetCommandInput; + output: GetSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetSqlInjectionMatchSetCommand.ts b/clients/client-waf/src/commands/GetSqlInjectionMatchSetCommand.ts index fa82dc899022..232f01a4d90e 100644 --- a/clients/client-waf/src/commands/GetSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf/src/commands/GetSqlInjectionMatchSetCommand.ts @@ -133,4 +133,16 @@ export class GetSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetSqlInjectionMatchSetCommand) .de(de_GetSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSqlInjectionMatchSetRequest; + output: GetSqlInjectionMatchSetResponse; + }; + sdk: { + input: GetSqlInjectionMatchSetCommandInput; + output: GetSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetWebACLCommand.ts b/clients/client-waf/src/commands/GetWebACLCommand.ts index 9e64553febda..2395c274ba92 100644 --- a/clients/client-waf/src/commands/GetWebACLCommand.ts +++ b/clients/client-waf/src/commands/GetWebACLCommand.ts @@ -152,4 +152,16 @@ export class GetWebACLCommand extends $Command .f(void 0, void 0) .ser(se_GetWebACLCommand) .de(de_GetWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWebACLRequest; + output: GetWebACLResponse; + }; + sdk: { + input: GetWebACLCommandInput; + output: GetWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/GetXssMatchSetCommand.ts b/clients/client-waf/src/commands/GetXssMatchSetCommand.ts index 55f5a39526e6..445ddf7c3239 100644 --- a/clients/client-waf/src/commands/GetXssMatchSetCommand.ts +++ b/clients/client-waf/src/commands/GetXssMatchSetCommand.ts @@ -133,4 +133,16 @@ export class GetXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_GetXssMatchSetCommand) .de(de_GetXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetXssMatchSetRequest; + output: GetXssMatchSetResponse; + }; + sdk: { + input: GetXssMatchSetCommandInput; + output: GetXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListActivatedRulesInRuleGroupCommand.ts b/clients/client-waf/src/commands/ListActivatedRulesInRuleGroupCommand.ts index a6d4e8fd1dd2..dc3e1e99cf6c 100644 --- a/clients/client-waf/src/commands/ListActivatedRulesInRuleGroupCommand.ts +++ b/clients/client-waf/src/commands/ListActivatedRulesInRuleGroupCommand.ts @@ -156,4 +156,16 @@ export class ListActivatedRulesInRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_ListActivatedRulesInRuleGroupCommand) .de(de_ListActivatedRulesInRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListActivatedRulesInRuleGroupRequest; + output: ListActivatedRulesInRuleGroupResponse; + }; + sdk: { + input: ListActivatedRulesInRuleGroupCommandInput; + output: ListActivatedRulesInRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListByteMatchSetsCommand.ts b/clients/client-waf/src/commands/ListByteMatchSetsCommand.ts index dbe2e30de710..7175e2883784 100644 --- a/clients/client-waf/src/commands/ListByteMatchSetsCommand.ts +++ b/clients/client-waf/src/commands/ListByteMatchSetsCommand.ts @@ -98,4 +98,16 @@ export class ListByteMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListByteMatchSetsCommand) .de(de_ListByteMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListByteMatchSetsRequest; + output: ListByteMatchSetsResponse; + }; + sdk: { + input: ListByteMatchSetsCommandInput; + output: ListByteMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListGeoMatchSetsCommand.ts b/clients/client-waf/src/commands/ListGeoMatchSetsCommand.ts index 39ae8464cc47..24b6797f0615 100644 --- a/clients/client-waf/src/commands/ListGeoMatchSetsCommand.ts +++ b/clients/client-waf/src/commands/ListGeoMatchSetsCommand.ts @@ -98,4 +98,16 @@ export class ListGeoMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListGeoMatchSetsCommand) .de(de_ListGeoMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGeoMatchSetsRequest; + output: ListGeoMatchSetsResponse; + }; + sdk: { + input: ListGeoMatchSetsCommandInput; + output: ListGeoMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListIPSetsCommand.ts b/clients/client-waf/src/commands/ListIPSetsCommand.ts index d3fb844375bb..9d44bd05eb51 100644 --- a/clients/client-waf/src/commands/ListIPSetsCommand.ts +++ b/clients/client-waf/src/commands/ListIPSetsCommand.ts @@ -119,4 +119,16 @@ export class ListIPSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListIPSetsCommand) .de(de_ListIPSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIPSetsRequest; + output: ListIPSetsResponse; + }; + sdk: { + input: ListIPSetsCommandInput; + output: ListIPSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListLoggingConfigurationsCommand.ts b/clients/client-waf/src/commands/ListLoggingConfigurationsCommand.ts index fb625e3c20a3..32c640730aca 100644 --- a/clients/client-waf/src/commands/ListLoggingConfigurationsCommand.ts +++ b/clients/client-waf/src/commands/ListLoggingConfigurationsCommand.ts @@ -146,4 +146,16 @@ export class ListLoggingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLoggingConfigurationsCommand) .de(de_ListLoggingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLoggingConfigurationsRequest; + output: ListLoggingConfigurationsResponse; + }; + sdk: { + input: ListLoggingConfigurationsCommandInput; + output: ListLoggingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListRateBasedRulesCommand.ts b/clients/client-waf/src/commands/ListRateBasedRulesCommand.ts index 5ac78c6bd791..5c59c87b8391 100644 --- a/clients/client-waf/src/commands/ListRateBasedRulesCommand.ts +++ b/clients/client-waf/src/commands/ListRateBasedRulesCommand.ts @@ -98,4 +98,16 @@ export class ListRateBasedRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRateBasedRulesCommand) .de(de_ListRateBasedRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRateBasedRulesRequest; + output: ListRateBasedRulesResponse; + }; + sdk: { + input: ListRateBasedRulesCommandInput; + output: ListRateBasedRulesCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListRegexMatchSetsCommand.ts b/clients/client-waf/src/commands/ListRegexMatchSetsCommand.ts index d9b97cd9d095..aba3727155c7 100644 --- a/clients/client-waf/src/commands/ListRegexMatchSetsCommand.ts +++ b/clients/client-waf/src/commands/ListRegexMatchSetsCommand.ts @@ -98,4 +98,16 @@ export class ListRegexMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegexMatchSetsCommand) .de(de_ListRegexMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegexMatchSetsRequest; + output: ListRegexMatchSetsResponse; + }; + sdk: { + input: ListRegexMatchSetsCommandInput; + output: ListRegexMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListRegexPatternSetsCommand.ts b/clients/client-waf/src/commands/ListRegexPatternSetsCommand.ts index b129c6f60493..dcb85d1a7afa 100644 --- a/clients/client-waf/src/commands/ListRegexPatternSetsCommand.ts +++ b/clients/client-waf/src/commands/ListRegexPatternSetsCommand.ts @@ -98,4 +98,16 @@ export class ListRegexPatternSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegexPatternSetsCommand) .de(de_ListRegexPatternSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegexPatternSetsRequest; + output: ListRegexPatternSetsResponse; + }; + sdk: { + input: ListRegexPatternSetsCommandInput; + output: ListRegexPatternSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListRuleGroupsCommand.ts b/clients/client-waf/src/commands/ListRuleGroupsCommand.ts index 46bdf30cb141..3150fe567bad 100644 --- a/clients/client-waf/src/commands/ListRuleGroupsCommand.ts +++ b/clients/client-waf/src/commands/ListRuleGroupsCommand.ts @@ -95,4 +95,16 @@ export class ListRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleGroupsCommand) .de(de_ListRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleGroupsRequest; + output: ListRuleGroupsResponse; + }; + sdk: { + input: ListRuleGroupsCommandInput; + output: ListRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListRulesCommand.ts b/clients/client-waf/src/commands/ListRulesCommand.ts index 2c0710bfa9e1..d3b3ea1c06c5 100644 --- a/clients/client-waf/src/commands/ListRulesCommand.ts +++ b/clients/client-waf/src/commands/ListRulesCommand.ts @@ -119,4 +119,16 @@ export class ListRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListRulesCommand) .de(de_ListRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRulesRequest; + output: ListRulesResponse; + }; + sdk: { + input: ListRulesCommandInput; + output: ListRulesCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListSizeConstraintSetsCommand.ts b/clients/client-waf/src/commands/ListSizeConstraintSetsCommand.ts index ac1c5a867d15..d083a412a1f1 100644 --- a/clients/client-waf/src/commands/ListSizeConstraintSetsCommand.ts +++ b/clients/client-waf/src/commands/ListSizeConstraintSetsCommand.ts @@ -119,4 +119,16 @@ export class ListSizeConstraintSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListSizeConstraintSetsCommand) .de(de_ListSizeConstraintSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSizeConstraintSetsRequest; + output: ListSizeConstraintSetsResponse; + }; + sdk: { + input: ListSizeConstraintSetsCommandInput; + output: ListSizeConstraintSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListSqlInjectionMatchSetsCommand.ts b/clients/client-waf/src/commands/ListSqlInjectionMatchSetsCommand.ts index f1fc3198c7eb..a333b3a859fe 100644 --- a/clients/client-waf/src/commands/ListSqlInjectionMatchSetsCommand.ts +++ b/clients/client-waf/src/commands/ListSqlInjectionMatchSetsCommand.ts @@ -119,4 +119,16 @@ export class ListSqlInjectionMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListSqlInjectionMatchSetsCommand) .de(de_ListSqlInjectionMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSqlInjectionMatchSetsRequest; + output: ListSqlInjectionMatchSetsResponse; + }; + sdk: { + input: ListSqlInjectionMatchSetsCommandInput; + output: ListSqlInjectionMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListSubscribedRuleGroupsCommand.ts b/clients/client-waf/src/commands/ListSubscribedRuleGroupsCommand.ts index 81b090124d0f..a658d7b762fe 100644 --- a/clients/client-waf/src/commands/ListSubscribedRuleGroupsCommand.ts +++ b/clients/client-waf/src/commands/ListSubscribedRuleGroupsCommand.ts @@ -99,4 +99,16 @@ export class ListSubscribedRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListSubscribedRuleGroupsCommand) .de(de_ListSubscribedRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSubscribedRuleGroupsRequest; + output: ListSubscribedRuleGroupsResponse; + }; + sdk: { + input: ListSubscribedRuleGroupsCommandInput; + output: ListSubscribedRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListTagsForResourceCommand.ts b/clients/client-waf/src/commands/ListTagsForResourceCommand.ts index 400246c78a2f..c7eb905cfff9 100644 --- a/clients/client-waf/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-waf/src/commands/ListTagsForResourceCommand.ts @@ -152,4 +152,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListWebACLsCommand.ts b/clients/client-waf/src/commands/ListWebACLsCommand.ts index a01f70619fea..bbf2ad9693c9 100644 --- a/clients/client-waf/src/commands/ListWebACLsCommand.ts +++ b/clients/client-waf/src/commands/ListWebACLsCommand.ts @@ -119,4 +119,16 @@ export class ListWebACLsCommand extends $Command .f(void 0, void 0) .ser(se_ListWebACLsCommand) .de(de_ListWebACLsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebACLsRequest; + output: ListWebACLsResponse; + }; + sdk: { + input: ListWebACLsCommandInput; + output: ListWebACLsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/ListXssMatchSetsCommand.ts b/clients/client-waf/src/commands/ListXssMatchSetsCommand.ts index 217b6fbb1a63..d73c5c87becd 100644 --- a/clients/client-waf/src/commands/ListXssMatchSetsCommand.ts +++ b/clients/client-waf/src/commands/ListXssMatchSetsCommand.ts @@ -119,4 +119,16 @@ export class ListXssMatchSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListXssMatchSetsCommand) .de(de_ListXssMatchSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListXssMatchSetsRequest; + output: ListXssMatchSetsResponse; + }; + sdk: { + input: ListXssMatchSetsCommandInput; + output: ListXssMatchSetsCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/PutLoggingConfigurationCommand.ts b/clients/client-waf/src/commands/PutLoggingConfigurationCommand.ts index db94e90363bd..7e6770ab33e0 100644 --- a/clients/client-waf/src/commands/PutLoggingConfigurationCommand.ts +++ b/clients/client-waf/src/commands/PutLoggingConfigurationCommand.ts @@ -136,4 +136,16 @@ export class PutLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutLoggingConfigurationCommand) .de(de_PutLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLoggingConfigurationRequest; + output: PutLoggingConfigurationResponse; + }; + sdk: { + input: PutLoggingConfigurationCommandInput; + output: PutLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/PutPermissionPolicyCommand.ts b/clients/client-waf/src/commands/PutPermissionPolicyCommand.ts index 31642cf86359..5b992982639b 100644 --- a/clients/client-waf/src/commands/PutPermissionPolicyCommand.ts +++ b/clients/client-waf/src/commands/PutPermissionPolicyCommand.ts @@ -157,4 +157,16 @@ export class PutPermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutPermissionPolicyCommand) .de(de_PutPermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPermissionPolicyRequest; + output: {}; + }; + sdk: { + input: PutPermissionPolicyCommandInput; + output: PutPermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/TagResourceCommand.ts b/clients/client-waf/src/commands/TagResourceCommand.ts index 1b0e71bf2ae1..2aa41fa70481 100644 --- a/clients/client-waf/src/commands/TagResourceCommand.ts +++ b/clients/client-waf/src/commands/TagResourceCommand.ts @@ -150,4 +150,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UntagResourceCommand.ts b/clients/client-waf/src/commands/UntagResourceCommand.ts index 85a222ccc73b..c3179060d5e3 100644 --- a/clients/client-waf/src/commands/UntagResourceCommand.ts +++ b/clients/client-waf/src/commands/UntagResourceCommand.ts @@ -141,4 +141,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateByteMatchSetCommand.ts b/clients/client-waf/src/commands/UpdateByteMatchSetCommand.ts index fd33caba4035..fa1a62ba7067 100644 --- a/clients/client-waf/src/commands/UpdateByteMatchSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateByteMatchSetCommand.ts @@ -267,4 +267,16 @@ export class UpdateByteMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateByteMatchSetCommand) .de(de_UpdateByteMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateByteMatchSetRequest; + output: UpdateByteMatchSetResponse; + }; + sdk: { + input: UpdateByteMatchSetCommandInput; + output: UpdateByteMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateGeoMatchSetCommand.ts b/clients/client-waf/src/commands/UpdateGeoMatchSetCommand.ts index 5cabff90f84c..9919ffab861d 100644 --- a/clients/client-waf/src/commands/UpdateGeoMatchSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateGeoMatchSetCommand.ts @@ -234,4 +234,16 @@ export class UpdateGeoMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGeoMatchSetCommand) .de(de_UpdateGeoMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGeoMatchSetRequest; + output: UpdateGeoMatchSetResponse; + }; + sdk: { + input: UpdateGeoMatchSetCommandInput; + output: UpdateGeoMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateIPSetCommand.ts b/clients/client-waf/src/commands/UpdateIPSetCommand.ts index 7c7714e87ddb..636c65b67c21 100644 --- a/clients/client-waf/src/commands/UpdateIPSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateIPSetCommand.ts @@ -295,4 +295,16 @@ export class UpdateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIPSetCommand) .de(de_UpdateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIPSetRequest; + output: UpdateIPSetResponse; + }; + sdk: { + input: UpdateIPSetCommandInput; + output: UpdateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateRateBasedRuleCommand.ts b/clients/client-waf/src/commands/UpdateRateBasedRuleCommand.ts index 540da9b3e733..e083250f3551 100644 --- a/clients/client-waf/src/commands/UpdateRateBasedRuleCommand.ts +++ b/clients/client-waf/src/commands/UpdateRateBasedRuleCommand.ts @@ -252,4 +252,16 @@ export class UpdateRateBasedRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRateBasedRuleCommand) .de(de_UpdateRateBasedRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRateBasedRuleRequest; + output: UpdateRateBasedRuleResponse; + }; + sdk: { + input: UpdateRateBasedRuleCommandInput; + output: UpdateRateBasedRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateRegexMatchSetCommand.ts b/clients/client-waf/src/commands/UpdateRegexMatchSetCommand.ts index 4660fab384f2..004fe5f8bd8d 100644 --- a/clients/client-waf/src/commands/UpdateRegexMatchSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateRegexMatchSetCommand.ts @@ -194,4 +194,16 @@ export class UpdateRegexMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegexMatchSetCommand) .de(de_UpdateRegexMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegexMatchSetRequest; + output: UpdateRegexMatchSetResponse; + }; + sdk: { + input: UpdateRegexMatchSetCommandInput; + output: UpdateRegexMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateRegexPatternSetCommand.ts b/clients/client-waf/src/commands/UpdateRegexPatternSetCommand.ts index f4b49226a6f7..940f6611b46d 100644 --- a/clients/client-waf/src/commands/UpdateRegexPatternSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateRegexPatternSetCommand.ts @@ -192,4 +192,16 @@ export class UpdateRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegexPatternSetCommand) .de(de_UpdateRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegexPatternSetRequest; + output: UpdateRegexPatternSetResponse; + }; + sdk: { + input: UpdateRegexPatternSetCommandInput; + output: UpdateRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateRuleCommand.ts b/clients/client-waf/src/commands/UpdateRuleCommand.ts index f47d00c9c5c6..0f96e7b75fa5 100644 --- a/clients/client-waf/src/commands/UpdateRuleCommand.ts +++ b/clients/client-waf/src/commands/UpdateRuleCommand.ts @@ -273,4 +273,16 @@ export class UpdateRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleCommand) .de(de_UpdateRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleRequest; + output: UpdateRuleResponse; + }; + sdk: { + input: UpdateRuleCommandInput; + output: UpdateRuleCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateRuleGroupCommand.ts b/clients/client-waf/src/commands/UpdateRuleGroupCommand.ts index 1ba97ef0221d..2996fca13aac 100644 --- a/clients/client-waf/src/commands/UpdateRuleGroupCommand.ts +++ b/clients/client-waf/src/commands/UpdateRuleGroupCommand.ts @@ -226,4 +226,16 @@ export class UpdateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleGroupCommand) .de(de_UpdateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleGroupRequest; + output: UpdateRuleGroupResponse; + }; + sdk: { + input: UpdateRuleGroupCommandInput; + output: UpdateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateSizeConstraintSetCommand.ts b/clients/client-waf/src/commands/UpdateSizeConstraintSetCommand.ts index 474625823321..d61faead3822 100644 --- a/clients/client-waf/src/commands/UpdateSizeConstraintSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateSizeConstraintSetCommand.ts @@ -281,4 +281,16 @@ export class UpdateSizeConstraintSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSizeConstraintSetCommand) .de(de_UpdateSizeConstraintSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSizeConstraintSetRequest; + output: UpdateSizeConstraintSetResponse; + }; + sdk: { + input: UpdateSizeConstraintSetCommandInput; + output: UpdateSizeConstraintSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateSqlInjectionMatchSetCommand.ts b/clients/client-waf/src/commands/UpdateSqlInjectionMatchSetCommand.ts index 9c44dc5fbf3b..99692989c7af 100644 --- a/clients/client-waf/src/commands/UpdateSqlInjectionMatchSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateSqlInjectionMatchSetCommand.ts @@ -265,4 +265,16 @@ export class UpdateSqlInjectionMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSqlInjectionMatchSetCommand) .de(de_UpdateSqlInjectionMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSqlInjectionMatchSetRequest; + output: UpdateSqlInjectionMatchSetResponse; + }; + sdk: { + input: UpdateSqlInjectionMatchSetCommandInput; + output: UpdateSqlInjectionMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateWebACLCommand.ts b/clients/client-waf/src/commands/UpdateWebACLCommand.ts index d4ec2f9d726a..328001f31b43 100644 --- a/clients/client-waf/src/commands/UpdateWebACLCommand.ts +++ b/clients/client-waf/src/commands/UpdateWebACLCommand.ts @@ -325,4 +325,16 @@ export class UpdateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWebACLCommand) .de(de_UpdateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWebACLRequest; + output: UpdateWebACLResponse; + }; + sdk: { + input: UpdateWebACLCommandInput; + output: UpdateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-waf/src/commands/UpdateXssMatchSetCommand.ts b/clients/client-waf/src/commands/UpdateXssMatchSetCommand.ts index 8d8ba4028a37..4cb3ddaed2b7 100644 --- a/clients/client-waf/src/commands/UpdateXssMatchSetCommand.ts +++ b/clients/client-waf/src/commands/UpdateXssMatchSetCommand.ts @@ -267,4 +267,16 @@ export class UpdateXssMatchSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateXssMatchSetCommand) .de(de_UpdateXssMatchSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateXssMatchSetRequest; + output: UpdateXssMatchSetResponse; + }; + sdk: { + input: UpdateXssMatchSetCommandInput; + output: UpdateXssMatchSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/package.json b/clients/client-wafv2/package.json index b1f879f101a8..80134d5640fb 100644 --- a/clients/client-wafv2/package.json +++ b/clients/client-wafv2/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-wafv2/src/commands/AssociateWebACLCommand.ts b/clients/client-wafv2/src/commands/AssociateWebACLCommand.ts index 952090982a01..415dc7af97c8 100644 --- a/clients/client-wafv2/src/commands/AssociateWebACLCommand.ts +++ b/clients/client-wafv2/src/commands/AssociateWebACLCommand.ts @@ -145,4 +145,16 @@ export class AssociateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWebACLCommand) .de(de_AssociateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWebACLRequest; + output: {}; + }; + sdk: { + input: AssociateWebACLCommandInput; + output: AssociateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/CheckCapacityCommand.ts b/clients/client-wafv2/src/commands/CheckCapacityCommand.ts index 3523f8f3fecd..988424fd690e 100644 --- a/clients/client-wafv2/src/commands/CheckCapacityCommand.ts +++ b/clients/client-wafv2/src/commands/CheckCapacityCommand.ts @@ -1099,4 +1099,16 @@ export class CheckCapacityCommand extends $Command .f(void 0, void 0) .ser(se_CheckCapacityCommand) .de(de_CheckCapacityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CheckCapacityRequest; + output: CheckCapacityResponse; + }; + sdk: { + input: CheckCapacityCommandInput; + output: CheckCapacityCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/CreateAPIKeyCommand.ts b/clients/client-wafv2/src/commands/CreateAPIKeyCommand.ts index 2d813e50616d..203a487762c2 100644 --- a/clients/client-wafv2/src/commands/CreateAPIKeyCommand.ts +++ b/clients/client-wafv2/src/commands/CreateAPIKeyCommand.ts @@ -119,4 +119,16 @@ export class CreateAPIKeyCommand extends $Command .f(void 0, void 0) .ser(se_CreateAPIKeyCommand) .de(de_CreateAPIKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAPIKeyRequest; + output: CreateAPIKeyResponse; + }; + sdk: { + input: CreateAPIKeyCommandInput; + output: CreateAPIKeyCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/CreateIPSetCommand.ts b/clients/client-wafv2/src/commands/CreateIPSetCommand.ts index 79af38639279..e00665d61387 100644 --- a/clients/client-wafv2/src/commands/CreateIPSetCommand.ts +++ b/clients/client-wafv2/src/commands/CreateIPSetCommand.ts @@ -148,4 +148,16 @@ export class CreateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateIPSetCommand) .de(de_CreateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIPSetRequest; + output: CreateIPSetResponse; + }; + sdk: { + input: CreateIPSetCommandInput; + output: CreateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/CreateRegexPatternSetCommand.ts b/clients/client-wafv2/src/commands/CreateRegexPatternSetCommand.ts index bd8b2e45a444..81f299c2f1ea 100644 --- a/clients/client-wafv2/src/commands/CreateRegexPatternSetCommand.ts +++ b/clients/client-wafv2/src/commands/CreateRegexPatternSetCommand.ts @@ -147,4 +147,16 @@ export class CreateRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_CreateRegexPatternSetCommand) .de(de_CreateRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRegexPatternSetRequest; + output: CreateRegexPatternSetResponse; + }; + sdk: { + input: CreateRegexPatternSetCommandInput; + output: CreateRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/CreateRuleGroupCommand.ts b/clients/client-wafv2/src/commands/CreateRuleGroupCommand.ts index 074aaf45bf74..b83123db5b25 100644 --- a/clients/client-wafv2/src/commands/CreateRuleGroupCommand.ts +++ b/clients/client-wafv2/src/commands/CreateRuleGroupCommand.ts @@ -1122,4 +1122,16 @@ export class CreateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateRuleGroupCommand) .de(de_CreateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateRuleGroupRequest; + output: CreateRuleGroupResponse; + }; + sdk: { + input: CreateRuleGroupCommandInput; + output: CreateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/CreateWebACLCommand.ts b/clients/client-wafv2/src/commands/CreateWebACLCommand.ts index 071f347b4f03..2196469d123a 100644 --- a/clients/client-wafv2/src/commands/CreateWebACLCommand.ts +++ b/clients/client-wafv2/src/commands/CreateWebACLCommand.ts @@ -1151,4 +1151,16 @@ export class CreateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_CreateWebACLCommand) .de(de_CreateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWebACLRequest; + output: CreateWebACLResponse; + }; + sdk: { + input: CreateWebACLCommandInput; + output: CreateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeleteAPIKeyCommand.ts b/clients/client-wafv2/src/commands/DeleteAPIKeyCommand.ts index 0d5803ef3221..1bd9dddecdbc 100644 --- a/clients/client-wafv2/src/commands/DeleteAPIKeyCommand.ts +++ b/clients/client-wafv2/src/commands/DeleteAPIKeyCommand.ts @@ -116,4 +116,16 @@ export class DeleteAPIKeyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAPIKeyCommand) .de(de_DeleteAPIKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAPIKeyRequest; + output: {}; + }; + sdk: { + input: DeleteAPIKeyCommandInput; + output: DeleteAPIKeyCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeleteFirewallManagerRuleGroupsCommand.ts b/clients/client-wafv2/src/commands/DeleteFirewallManagerRuleGroupsCommand.ts index eded21325712..85338d4626c6 100644 --- a/clients/client-wafv2/src/commands/DeleteFirewallManagerRuleGroupsCommand.ts +++ b/clients/client-wafv2/src/commands/DeleteFirewallManagerRuleGroupsCommand.ts @@ -124,4 +124,16 @@ export class DeleteFirewallManagerRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFirewallManagerRuleGroupsCommand) .de(de_DeleteFirewallManagerRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFirewallManagerRuleGroupsRequest; + output: DeleteFirewallManagerRuleGroupsResponse; + }; + sdk: { + input: DeleteFirewallManagerRuleGroupsCommandInput; + output: DeleteFirewallManagerRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeleteIPSetCommand.ts b/clients/client-wafv2/src/commands/DeleteIPSetCommand.ts index 911561302ea0..9e216918f367 100644 --- a/clients/client-wafv2/src/commands/DeleteIPSetCommand.ts +++ b/clients/client-wafv2/src/commands/DeleteIPSetCommand.ts @@ -128,4 +128,16 @@ export class DeleteIPSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIPSetCommand) .de(de_DeleteIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIPSetRequest; + output: {}; + }; + sdk: { + input: DeleteIPSetCommandInput; + output: DeleteIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeleteLoggingConfigurationCommand.ts b/clients/client-wafv2/src/commands/DeleteLoggingConfigurationCommand.ts index 87f388cfb724..2891a3b8b801 100644 --- a/clients/client-wafv2/src/commands/DeleteLoggingConfigurationCommand.ts +++ b/clients/client-wafv2/src/commands/DeleteLoggingConfigurationCommand.ts @@ -116,4 +116,16 @@ export class DeleteLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLoggingConfigurationCommand) .de(de_DeleteLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLoggingConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteLoggingConfigurationCommandInput; + output: DeleteLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeletePermissionPolicyCommand.ts b/clients/client-wafv2/src/commands/DeletePermissionPolicyCommand.ts index 445e80f3edde..b961aed5891e 100644 --- a/clients/client-wafv2/src/commands/DeletePermissionPolicyCommand.ts +++ b/clients/client-wafv2/src/commands/DeletePermissionPolicyCommand.ts @@ -107,4 +107,16 @@ export class DeletePermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeletePermissionPolicyCommand) .de(de_DeletePermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePermissionPolicyRequest; + output: {}; + }; + sdk: { + input: DeletePermissionPolicyCommandInput; + output: DeletePermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeleteRegexPatternSetCommand.ts b/clients/client-wafv2/src/commands/DeleteRegexPatternSetCommand.ts index e15f135db3a4..87ed450ce5bc 100644 --- a/clients/client-wafv2/src/commands/DeleteRegexPatternSetCommand.ts +++ b/clients/client-wafv2/src/commands/DeleteRegexPatternSetCommand.ts @@ -128,4 +128,16 @@ export class DeleteRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRegexPatternSetCommand) .de(de_DeleteRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRegexPatternSetRequest; + output: {}; + }; + sdk: { + input: DeleteRegexPatternSetCommandInput; + output: DeleteRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeleteRuleGroupCommand.ts b/clients/client-wafv2/src/commands/DeleteRuleGroupCommand.ts index e7551595a69b..22d9ed6b2932 100644 --- a/clients/client-wafv2/src/commands/DeleteRuleGroupCommand.ts +++ b/clients/client-wafv2/src/commands/DeleteRuleGroupCommand.ts @@ -128,4 +128,16 @@ export class DeleteRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRuleGroupCommand) .de(de_DeleteRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRuleGroupRequest; + output: {}; + }; + sdk: { + input: DeleteRuleGroupCommandInput; + output: DeleteRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DeleteWebACLCommand.ts b/clients/client-wafv2/src/commands/DeleteWebACLCommand.ts index d79a09315275..217bd7a86415 100644 --- a/clients/client-wafv2/src/commands/DeleteWebACLCommand.ts +++ b/clients/client-wafv2/src/commands/DeleteWebACLCommand.ts @@ -162,4 +162,16 @@ export class DeleteWebACLCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWebACLCommand) .de(de_DeleteWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWebACLRequest; + output: {}; + }; + sdk: { + input: DeleteWebACLCommandInput; + output: DeleteWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DescribeAllManagedProductsCommand.ts b/clients/client-wafv2/src/commands/DescribeAllManagedProductsCommand.ts index 4decaf5e3519..39d47cb7d4a6 100644 --- a/clients/client-wafv2/src/commands/DescribeAllManagedProductsCommand.ts +++ b/clients/client-wafv2/src/commands/DescribeAllManagedProductsCommand.ts @@ -117,4 +117,16 @@ export class DescribeAllManagedProductsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAllManagedProductsCommand) .de(de_DescribeAllManagedProductsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAllManagedProductsRequest; + output: DescribeAllManagedProductsResponse; + }; + sdk: { + input: DescribeAllManagedProductsCommandInput; + output: DescribeAllManagedProductsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DescribeManagedProductsByVendorCommand.ts b/clients/client-wafv2/src/commands/DescribeManagedProductsByVendorCommand.ts index 06185ac8f3f0..9be95f4124db 100644 --- a/clients/client-wafv2/src/commands/DescribeManagedProductsByVendorCommand.ts +++ b/clients/client-wafv2/src/commands/DescribeManagedProductsByVendorCommand.ts @@ -123,4 +123,16 @@ export class DescribeManagedProductsByVendorCommand extends $Command .f(void 0, void 0) .ser(se_DescribeManagedProductsByVendorCommand) .de(de_DescribeManagedProductsByVendorCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeManagedProductsByVendorRequest; + output: DescribeManagedProductsByVendorResponse; + }; + sdk: { + input: DescribeManagedProductsByVendorCommandInput; + output: DescribeManagedProductsByVendorCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DescribeManagedRuleGroupCommand.ts b/clients/client-wafv2/src/commands/DescribeManagedRuleGroupCommand.ts index c3b7c1e347bf..14442bf35bf4 100644 --- a/clients/client-wafv2/src/commands/DescribeManagedRuleGroupCommand.ts +++ b/clients/client-wafv2/src/commands/DescribeManagedRuleGroupCommand.ts @@ -195,4 +195,16 @@ export class DescribeManagedRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeManagedRuleGroupCommand) .de(de_DescribeManagedRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeManagedRuleGroupRequest; + output: DescribeManagedRuleGroupResponse; + }; + sdk: { + input: DescribeManagedRuleGroupCommandInput; + output: DescribeManagedRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/DisassociateWebACLCommand.ts b/clients/client-wafv2/src/commands/DisassociateWebACLCommand.ts index 49ff93865dd7..c399547aa903 100644 --- a/clients/client-wafv2/src/commands/DisassociateWebACLCommand.ts +++ b/clients/client-wafv2/src/commands/DisassociateWebACLCommand.ts @@ -118,4 +118,16 @@ export class DisassociateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWebACLCommand) .de(de_DisassociateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWebACLRequest; + output: {}; + }; + sdk: { + input: DisassociateWebACLCommandInput; + output: DisassociateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GenerateMobileSdkReleaseUrlCommand.ts b/clients/client-wafv2/src/commands/GenerateMobileSdkReleaseUrlCommand.ts index fa799448038b..4349a501f0a6 100644 --- a/clients/client-wafv2/src/commands/GenerateMobileSdkReleaseUrlCommand.ts +++ b/clients/client-wafv2/src/commands/GenerateMobileSdkReleaseUrlCommand.ts @@ -116,4 +116,16 @@ export class GenerateMobileSdkReleaseUrlCommand extends $Command .f(void 0, void 0) .ser(se_GenerateMobileSdkReleaseUrlCommand) .de(de_GenerateMobileSdkReleaseUrlCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GenerateMobileSdkReleaseUrlRequest; + output: GenerateMobileSdkReleaseUrlResponse; + }; + sdk: { + input: GenerateMobileSdkReleaseUrlCommandInput; + output: GenerateMobileSdkReleaseUrlCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetDecryptedAPIKeyCommand.ts b/clients/client-wafv2/src/commands/GetDecryptedAPIKeyCommand.ts index c45cb4f12860..f30cbec729a2 100644 --- a/clients/client-wafv2/src/commands/GetDecryptedAPIKeyCommand.ts +++ b/clients/client-wafv2/src/commands/GetDecryptedAPIKeyCommand.ts @@ -122,4 +122,16 @@ export class GetDecryptedAPIKeyCommand extends $Command .f(void 0, void 0) .ser(se_GetDecryptedAPIKeyCommand) .de(de_GetDecryptedAPIKeyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDecryptedAPIKeyRequest; + output: GetDecryptedAPIKeyResponse; + }; + sdk: { + input: GetDecryptedAPIKeyCommandInput; + output: GetDecryptedAPIKeyCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetIPSetCommand.ts b/clients/client-wafv2/src/commands/GetIPSetCommand.ts index 92a7df3cb3f9..830720512918 100644 --- a/clients/client-wafv2/src/commands/GetIPSetCommand.ts +++ b/clients/client-wafv2/src/commands/GetIPSetCommand.ts @@ -123,4 +123,16 @@ export class GetIPSetCommand extends $Command .f(void 0, void 0) .ser(se_GetIPSetCommand) .de(de_GetIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIPSetRequest; + output: GetIPSetResponse; + }; + sdk: { + input: GetIPSetCommandInput; + output: GetIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetLoggingConfigurationCommand.ts b/clients/client-wafv2/src/commands/GetLoggingConfigurationCommand.ts index 7e5805a7c8bd..82734e86e901 100644 --- a/clients/client-wafv2/src/commands/GetLoggingConfigurationCommand.ts +++ b/clients/client-wafv2/src/commands/GetLoggingConfigurationCommand.ts @@ -200,4 +200,16 @@ export class GetLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_GetLoggingConfigurationCommand) .de(de_GetLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLoggingConfigurationRequest; + output: GetLoggingConfigurationResponse; + }; + sdk: { + input: GetLoggingConfigurationCommandInput; + output: GetLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetManagedRuleSetCommand.ts b/clients/client-wafv2/src/commands/GetManagedRuleSetCommand.ts index 4a67eb588dcc..4e6d0d917e7e 100644 --- a/clients/client-wafv2/src/commands/GetManagedRuleSetCommand.ts +++ b/clients/client-wafv2/src/commands/GetManagedRuleSetCommand.ts @@ -135,4 +135,16 @@ export class GetManagedRuleSetCommand extends $Command .f(void 0, void 0) .ser(se_GetManagedRuleSetCommand) .de(de_GetManagedRuleSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetManagedRuleSetRequest; + output: GetManagedRuleSetResponse; + }; + sdk: { + input: GetManagedRuleSetCommandInput; + output: GetManagedRuleSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetMobileSdkReleaseCommand.ts b/clients/client-wafv2/src/commands/GetMobileSdkReleaseCommand.ts index 45bc9504bacf..8406dae61040 100644 --- a/clients/client-wafv2/src/commands/GetMobileSdkReleaseCommand.ts +++ b/clients/client-wafv2/src/commands/GetMobileSdkReleaseCommand.ts @@ -125,4 +125,16 @@ export class GetMobileSdkReleaseCommand extends $Command .f(void 0, void 0) .ser(se_GetMobileSdkReleaseCommand) .de(de_GetMobileSdkReleaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMobileSdkReleaseRequest; + output: GetMobileSdkReleaseResponse; + }; + sdk: { + input: GetMobileSdkReleaseCommandInput; + output: GetMobileSdkReleaseCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetPermissionPolicyCommand.ts b/clients/client-wafv2/src/commands/GetPermissionPolicyCommand.ts index e29b443117f7..d2208221925e 100644 --- a/clients/client-wafv2/src/commands/GetPermissionPolicyCommand.ts +++ b/clients/client-wafv2/src/commands/GetPermissionPolicyCommand.ts @@ -109,4 +109,16 @@ export class GetPermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetPermissionPolicyCommand) .de(de_GetPermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPermissionPolicyRequest; + output: GetPermissionPolicyResponse; + }; + sdk: { + input: GetPermissionPolicyCommandInput; + output: GetPermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetRateBasedStatementManagedKeysCommand.ts b/clients/client-wafv2/src/commands/GetRateBasedStatementManagedKeysCommand.ts index ceada5e6cb7d..70bc173622e3 100644 --- a/clients/client-wafv2/src/commands/GetRateBasedStatementManagedKeysCommand.ts +++ b/clients/client-wafv2/src/commands/GetRateBasedStatementManagedKeysCommand.ts @@ -151,4 +151,16 @@ export class GetRateBasedStatementManagedKeysCommand extends $Command .f(void 0, void 0) .ser(se_GetRateBasedStatementManagedKeysCommand) .de(de_GetRateBasedStatementManagedKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRateBasedStatementManagedKeysRequest; + output: GetRateBasedStatementManagedKeysResponse; + }; + sdk: { + input: GetRateBasedStatementManagedKeysCommandInput; + output: GetRateBasedStatementManagedKeysCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetRegexPatternSetCommand.ts b/clients/client-wafv2/src/commands/GetRegexPatternSetCommand.ts index 5c6c79d8730e..79fe9758768d 100644 --- a/clients/client-wafv2/src/commands/GetRegexPatternSetCommand.ts +++ b/clients/client-wafv2/src/commands/GetRegexPatternSetCommand.ts @@ -124,4 +124,16 @@ export class GetRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_GetRegexPatternSetCommand) .de(de_GetRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRegexPatternSetRequest; + output: GetRegexPatternSetResponse; + }; + sdk: { + input: GetRegexPatternSetCommandInput; + output: GetRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetRuleGroupCommand.ts b/clients/client-wafv2/src/commands/GetRuleGroupCommand.ts index da3ddc2a8389..0b5e91eb296c 100644 --- a/clients/client-wafv2/src/commands/GetRuleGroupCommand.ts +++ b/clients/client-wafv2/src/commands/GetRuleGroupCommand.ts @@ -1094,4 +1094,16 @@ export class GetRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetRuleGroupCommand) .de(de_GetRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRuleGroupRequest; + output: GetRuleGroupResponse; + }; + sdk: { + input: GetRuleGroupCommandInput; + output: GetRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetSampledRequestsCommand.ts b/clients/client-wafv2/src/commands/GetSampledRequestsCommand.ts index ff42ed9d4059..05a1f7821747 100644 --- a/clients/client-wafv2/src/commands/GetSampledRequestsCommand.ts +++ b/clients/client-wafv2/src/commands/GetSampledRequestsCommand.ts @@ -172,4 +172,16 @@ export class GetSampledRequestsCommand extends $Command .f(void 0, void 0) .ser(se_GetSampledRequestsCommand) .de(de_GetSampledRequestsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSampledRequestsRequest; + output: GetSampledRequestsResponse; + }; + sdk: { + input: GetSampledRequestsCommandInput; + output: GetSampledRequestsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetWebACLCommand.ts b/clients/client-wafv2/src/commands/GetWebACLCommand.ts index 83e8a09292e1..f140aba54bfa 100644 --- a/clients/client-wafv2/src/commands/GetWebACLCommand.ts +++ b/clients/client-wafv2/src/commands/GetWebACLCommand.ts @@ -1289,4 +1289,16 @@ export class GetWebACLCommand extends $Command .f(void 0, void 0) .ser(se_GetWebACLCommand) .de(de_GetWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWebACLRequest; + output: GetWebACLResponse; + }; + sdk: { + input: GetWebACLCommandInput; + output: GetWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/GetWebACLForResourceCommand.ts b/clients/client-wafv2/src/commands/GetWebACLForResourceCommand.ts index f4efd6872dad..319d983ab200 100644 --- a/clients/client-wafv2/src/commands/GetWebACLForResourceCommand.ts +++ b/clients/client-wafv2/src/commands/GetWebACLForResourceCommand.ts @@ -1302,4 +1302,16 @@ export class GetWebACLForResourceCommand extends $Command .f(void 0, void 0) .ser(se_GetWebACLForResourceCommand) .de(de_GetWebACLForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWebACLForResourceRequest; + output: GetWebACLForResourceResponse; + }; + sdk: { + input: GetWebACLForResourceCommandInput; + output: GetWebACLForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListAPIKeysCommand.ts b/clients/client-wafv2/src/commands/ListAPIKeysCommand.ts index ad8ddcd79849..cfdc5b3ab010 100644 --- a/clients/client-wafv2/src/commands/ListAPIKeysCommand.ts +++ b/clients/client-wafv2/src/commands/ListAPIKeysCommand.ts @@ -125,4 +125,16 @@ export class ListAPIKeysCommand extends $Command .f(void 0, void 0) .ser(se_ListAPIKeysCommand) .de(de_ListAPIKeysCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAPIKeysRequest; + output: ListAPIKeysResponse; + }; + sdk: { + input: ListAPIKeysCommandInput; + output: ListAPIKeysCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupVersionsCommand.ts b/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupVersionsCommand.ts index 961bfa3645a1..60df71cdd93f 100644 --- a/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupVersionsCommand.ts +++ b/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupVersionsCommand.ts @@ -131,4 +131,16 @@ export class ListAvailableManagedRuleGroupVersionsCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableManagedRuleGroupVersionsCommand) .de(de_ListAvailableManagedRuleGroupVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAvailableManagedRuleGroupVersionsRequest; + output: ListAvailableManagedRuleGroupVersionsResponse; + }; + sdk: { + input: ListAvailableManagedRuleGroupVersionsCommandInput; + output: ListAvailableManagedRuleGroupVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupsCommand.ts b/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupsCommand.ts index 211435e92a67..e7fe94b2d66d 100644 --- a/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupsCommand.ts +++ b/clients/client-wafv2/src/commands/ListAvailableManagedRuleGroupsCommand.ts @@ -122,4 +122,16 @@ export class ListAvailableManagedRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableManagedRuleGroupsCommand) .de(de_ListAvailableManagedRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAvailableManagedRuleGroupsRequest; + output: ListAvailableManagedRuleGroupsResponse; + }; + sdk: { + input: ListAvailableManagedRuleGroupsCommandInput; + output: ListAvailableManagedRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListIPSetsCommand.ts b/clients/client-wafv2/src/commands/ListIPSetsCommand.ts index dfefef38d9b2..259b28e964f4 100644 --- a/clients/client-wafv2/src/commands/ListIPSetsCommand.ts +++ b/clients/client-wafv2/src/commands/ListIPSetsCommand.ts @@ -117,4 +117,16 @@ export class ListIPSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListIPSetsCommand) .de(de_ListIPSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIPSetsRequest; + output: ListIPSetsResponse; + }; + sdk: { + input: ListIPSetsCommandInput; + output: ListIPSetsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListLoggingConfigurationsCommand.ts b/clients/client-wafv2/src/commands/ListLoggingConfigurationsCommand.ts index e6d4bbff31f3..411990b3a913 100644 --- a/clients/client-wafv2/src/commands/ListLoggingConfigurationsCommand.ts +++ b/clients/client-wafv2/src/commands/ListLoggingConfigurationsCommand.ts @@ -198,4 +198,16 @@ export class ListLoggingConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListLoggingConfigurationsCommand) .de(de_ListLoggingConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLoggingConfigurationsRequest; + output: ListLoggingConfigurationsResponse; + }; + sdk: { + input: ListLoggingConfigurationsCommandInput; + output: ListLoggingConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListManagedRuleSetsCommand.ts b/clients/client-wafv2/src/commands/ListManagedRuleSetsCommand.ts index b43591d18df5..62c910b4cc54 100644 --- a/clients/client-wafv2/src/commands/ListManagedRuleSetsCommand.ts +++ b/clients/client-wafv2/src/commands/ListManagedRuleSetsCommand.ts @@ -121,4 +121,16 @@ export class ListManagedRuleSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListManagedRuleSetsCommand) .de(de_ListManagedRuleSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListManagedRuleSetsRequest; + output: ListManagedRuleSetsResponse; + }; + sdk: { + input: ListManagedRuleSetsCommandInput; + output: ListManagedRuleSetsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListMobileSdkReleasesCommand.ts b/clients/client-wafv2/src/commands/ListMobileSdkReleasesCommand.ts index 5fa5644236bf..d0f22b8eb7af 100644 --- a/clients/client-wafv2/src/commands/ListMobileSdkReleasesCommand.ts +++ b/clients/client-wafv2/src/commands/ListMobileSdkReleasesCommand.ts @@ -116,4 +116,16 @@ export class ListMobileSdkReleasesCommand extends $Command .f(void 0, void 0) .ser(se_ListMobileSdkReleasesCommand) .de(de_ListMobileSdkReleasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMobileSdkReleasesRequest; + output: ListMobileSdkReleasesResponse; + }; + sdk: { + input: ListMobileSdkReleasesCommandInput; + output: ListMobileSdkReleasesCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListRegexPatternSetsCommand.ts b/clients/client-wafv2/src/commands/ListRegexPatternSetsCommand.ts index 967a13ad6f2d..90efc973d413 100644 --- a/clients/client-wafv2/src/commands/ListRegexPatternSetsCommand.ts +++ b/clients/client-wafv2/src/commands/ListRegexPatternSetsCommand.ts @@ -117,4 +117,16 @@ export class ListRegexPatternSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListRegexPatternSetsCommand) .de(de_ListRegexPatternSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRegexPatternSetsRequest; + output: ListRegexPatternSetsResponse; + }; + sdk: { + input: ListRegexPatternSetsCommandInput; + output: ListRegexPatternSetsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListResourcesForWebACLCommand.ts b/clients/client-wafv2/src/commands/ListResourcesForWebACLCommand.ts index 724dff993c5a..b0d2d673417b 100644 --- a/clients/client-wafv2/src/commands/ListResourcesForWebACLCommand.ts +++ b/clients/client-wafv2/src/commands/ListResourcesForWebACLCommand.ts @@ -123,4 +123,16 @@ export class ListResourcesForWebACLCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesForWebACLCommand) .de(de_ListResourcesForWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesForWebACLRequest; + output: ListResourcesForWebACLResponse; + }; + sdk: { + input: ListResourcesForWebACLCommandInput; + output: ListResourcesForWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListRuleGroupsCommand.ts b/clients/client-wafv2/src/commands/ListRuleGroupsCommand.ts index ca4ea1d7ee85..e05007ba7e8a 100644 --- a/clients/client-wafv2/src/commands/ListRuleGroupsCommand.ts +++ b/clients/client-wafv2/src/commands/ListRuleGroupsCommand.ts @@ -117,4 +117,16 @@ export class ListRuleGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListRuleGroupsCommand) .de(de_ListRuleGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListRuleGroupsRequest; + output: ListRuleGroupsResponse; + }; + sdk: { + input: ListRuleGroupsCommandInput; + output: ListRuleGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListTagsForResourceCommand.ts b/clients/client-wafv2/src/commands/ListTagsForResourceCommand.ts index c75dea7087d6..ff99abd3d13e 100644 --- a/clients/client-wafv2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-wafv2/src/commands/ListTagsForResourceCommand.ts @@ -136,4 +136,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/ListWebACLsCommand.ts b/clients/client-wafv2/src/commands/ListWebACLsCommand.ts index 2d40b09ba780..72a51a5d77f2 100644 --- a/clients/client-wafv2/src/commands/ListWebACLsCommand.ts +++ b/clients/client-wafv2/src/commands/ListWebACLsCommand.ts @@ -117,4 +117,16 @@ export class ListWebACLsCommand extends $Command .f(void 0, void 0) .ser(se_ListWebACLsCommand) .de(de_ListWebACLsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebACLsRequest; + output: ListWebACLsResponse; + }; + sdk: { + input: ListWebACLsCommandInput; + output: ListWebACLsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/PutLoggingConfigurationCommand.ts b/clients/client-wafv2/src/commands/PutLoggingConfigurationCommand.ts index c94cb2b74ba9..c97e69bae15c 100644 --- a/clients/client-wafv2/src/commands/PutLoggingConfigurationCommand.ts +++ b/clients/client-wafv2/src/commands/PutLoggingConfigurationCommand.ts @@ -353,4 +353,16 @@ export class PutLoggingConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutLoggingConfigurationCommand) .de(de_PutLoggingConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutLoggingConfigurationRequest; + output: PutLoggingConfigurationResponse; + }; + sdk: { + input: PutLoggingConfigurationCommandInput; + output: PutLoggingConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/PutManagedRuleSetVersionsCommand.ts b/clients/client-wafv2/src/commands/PutManagedRuleSetVersionsCommand.ts index 64485321787e..9a253b495bf6 100644 --- a/clients/client-wafv2/src/commands/PutManagedRuleSetVersionsCommand.ts +++ b/clients/client-wafv2/src/commands/PutManagedRuleSetVersionsCommand.ts @@ -137,4 +137,16 @@ export class PutManagedRuleSetVersionsCommand extends $Command .f(void 0, void 0) .ser(se_PutManagedRuleSetVersionsCommand) .de(de_PutManagedRuleSetVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutManagedRuleSetVersionsRequest; + output: PutManagedRuleSetVersionsResponse; + }; + sdk: { + input: PutManagedRuleSetVersionsCommandInput; + output: PutManagedRuleSetVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/PutPermissionPolicyCommand.ts b/clients/client-wafv2/src/commands/PutPermissionPolicyCommand.ts index a70b72619088..89994e3144e3 100644 --- a/clients/client-wafv2/src/commands/PutPermissionPolicyCommand.ts +++ b/clients/client-wafv2/src/commands/PutPermissionPolicyCommand.ts @@ -151,4 +151,16 @@ export class PutPermissionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutPermissionPolicyCommand) .de(de_PutPermissionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutPermissionPolicyRequest; + output: {}; + }; + sdk: { + input: PutPermissionPolicyCommandInput; + output: PutPermissionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/TagResourceCommand.ts b/clients/client-wafv2/src/commands/TagResourceCommand.ts index feb50495f372..058c0223168b 100644 --- a/clients/client-wafv2/src/commands/TagResourceCommand.ts +++ b/clients/client-wafv2/src/commands/TagResourceCommand.ts @@ -135,4 +135,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/UntagResourceCommand.ts b/clients/client-wafv2/src/commands/UntagResourceCommand.ts index 0e510a97faba..07db29b0165e 100644 --- a/clients/client-wafv2/src/commands/UntagResourceCommand.ts +++ b/clients/client-wafv2/src/commands/UntagResourceCommand.ts @@ -122,4 +122,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/UpdateIPSetCommand.ts b/clients/client-wafv2/src/commands/UpdateIPSetCommand.ts index 03845d1c90f6..3e7743f41a0f 100644 --- a/clients/client-wafv2/src/commands/UpdateIPSetCommand.ts +++ b/clients/client-wafv2/src/commands/UpdateIPSetCommand.ts @@ -168,4 +168,16 @@ export class UpdateIPSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIPSetCommand) .de(de_UpdateIPSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIPSetRequest; + output: UpdateIPSetResponse; + }; + sdk: { + input: UpdateIPSetCommandInput; + output: UpdateIPSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/UpdateManagedRuleSetVersionExpiryDateCommand.ts b/clients/client-wafv2/src/commands/UpdateManagedRuleSetVersionExpiryDateCommand.ts index 9b672e8a1835..724fc91ece04 100644 --- a/clients/client-wafv2/src/commands/UpdateManagedRuleSetVersionExpiryDateCommand.ts +++ b/clients/client-wafv2/src/commands/UpdateManagedRuleSetVersionExpiryDateCommand.ts @@ -138,4 +138,16 @@ export class UpdateManagedRuleSetVersionExpiryDateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateManagedRuleSetVersionExpiryDateCommand) .de(de_UpdateManagedRuleSetVersionExpiryDateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateManagedRuleSetVersionExpiryDateRequest; + output: UpdateManagedRuleSetVersionExpiryDateResponse; + }; + sdk: { + input: UpdateManagedRuleSetVersionExpiryDateCommandInput; + output: UpdateManagedRuleSetVersionExpiryDateCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/UpdateRegexPatternSetCommand.ts b/clients/client-wafv2/src/commands/UpdateRegexPatternSetCommand.ts index 5110a2267898..59c94a173e65 100644 --- a/clients/client-wafv2/src/commands/UpdateRegexPatternSetCommand.ts +++ b/clients/client-wafv2/src/commands/UpdateRegexPatternSetCommand.ts @@ -170,4 +170,16 @@ export class UpdateRegexPatternSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRegexPatternSetCommand) .de(de_UpdateRegexPatternSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRegexPatternSetRequest; + output: UpdateRegexPatternSetResponse; + }; + sdk: { + input: UpdateRegexPatternSetCommandInput; + output: UpdateRegexPatternSetCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/UpdateRuleGroupCommand.ts b/clients/client-wafv2/src/commands/UpdateRuleGroupCommand.ts index ade9adb7fe6f..3d71deb4a780 100644 --- a/clients/client-wafv2/src/commands/UpdateRuleGroupCommand.ts +++ b/clients/client-wafv2/src/commands/UpdateRuleGroupCommand.ts @@ -1152,4 +1152,16 @@ export class UpdateRuleGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRuleGroupCommand) .de(de_UpdateRuleGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRuleGroupRequest; + output: UpdateRuleGroupResponse; + }; + sdk: { + input: UpdateRuleGroupCommandInput; + output: UpdateRuleGroupCommandOutput; + }; + }; +} diff --git a/clients/client-wafv2/src/commands/UpdateWebACLCommand.ts b/clients/client-wafv2/src/commands/UpdateWebACLCommand.ts index 54950254444d..159a6095e3c6 100644 --- a/clients/client-wafv2/src/commands/UpdateWebACLCommand.ts +++ b/clients/client-wafv2/src/commands/UpdateWebACLCommand.ts @@ -1170,4 +1170,16 @@ export class UpdateWebACLCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWebACLCommand) .de(de_UpdateWebACLCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWebACLRequest; + output: UpdateWebACLResponse; + }; + sdk: { + input: UpdateWebACLCommandInput; + output: UpdateWebACLCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/package.json b/clients/client-wellarchitected/package.json index a70355a6b93c..aa24d00de047 100644 --- a/clients/client-wellarchitected/package.json +++ b/clients/client-wellarchitected/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-wellarchitected/src/commands/AssociateLensesCommand.ts b/clients/client-wellarchitected/src/commands/AssociateLensesCommand.ts index 6111421dc49b..2321aaceab4c 100644 --- a/clients/client-wellarchitected/src/commands/AssociateLensesCommand.ts +++ b/clients/client-wellarchitected/src/commands/AssociateLensesCommand.ts @@ -106,4 +106,16 @@ export class AssociateLensesCommand extends $Command .f(void 0, void 0) .ser(se_AssociateLensesCommand) .de(de_AssociateLensesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateLensesInput; + output: {}; + }; + sdk: { + input: AssociateLensesCommandInput; + output: AssociateLensesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/AssociateProfilesCommand.ts b/clients/client-wellarchitected/src/commands/AssociateProfilesCommand.ts index cb1c6b569213..c3fe69abdbd8 100644 --- a/clients/client-wellarchitected/src/commands/AssociateProfilesCommand.ts +++ b/clients/client-wellarchitected/src/commands/AssociateProfilesCommand.ts @@ -96,4 +96,16 @@ export class AssociateProfilesCommand extends $Command .f(void 0, void 0) .ser(se_AssociateProfilesCommand) .de(de_AssociateProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateProfilesInput; + output: {}; + }; + sdk: { + input: AssociateProfilesCommandInput; + output: AssociateProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateLensShareCommand.ts b/clients/client-wellarchitected/src/commands/CreateLensShareCommand.ts index 374a6707e6ee..3b4c1ff5116c 100644 --- a/clients/client-wellarchitected/src/commands/CreateLensShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateLensShareCommand.ts @@ -120,4 +120,16 @@ export class CreateLensShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateLensShareCommand) .de(de_CreateLensShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLensShareInput; + output: CreateLensShareOutput; + }; + sdk: { + input: CreateLensShareCommandInput; + output: CreateLensShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateLensVersionCommand.ts b/clients/client-wellarchitected/src/commands/CreateLensVersionCommand.ts index 500eae19b715..1896477094f2 100644 --- a/clients/client-wellarchitected/src/commands/CreateLensVersionCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateLensVersionCommand.ts @@ -108,4 +108,16 @@ export class CreateLensVersionCommand extends $Command .f(void 0, void 0) .ser(se_CreateLensVersionCommand) .de(de_CreateLensVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLensVersionInput; + output: CreateLensVersionOutput; + }; + sdk: { + input: CreateLensVersionCommandInput; + output: CreateLensVersionCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateMilestoneCommand.ts b/clients/client-wellarchitected/src/commands/CreateMilestoneCommand.ts index ab7783c26104..00c00b4be09f 100644 --- a/clients/client-wellarchitected/src/commands/CreateMilestoneCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateMilestoneCommand.ts @@ -101,4 +101,16 @@ export class CreateMilestoneCommand extends $Command .f(void 0, void 0) .ser(se_CreateMilestoneCommand) .de(de_CreateMilestoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMilestoneInput; + output: CreateMilestoneOutput; + }; + sdk: { + input: CreateMilestoneCommandInput; + output: CreateMilestoneCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateProfileCommand.ts b/clients/client-wellarchitected/src/commands/CreateProfileCommand.ts index 46cfd8a92eb8..cbcdd1aabc93 100644 --- a/clients/client-wellarchitected/src/commands/CreateProfileCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateProfileCommand.ts @@ -109,4 +109,16 @@ export class CreateProfileCommand extends $Command .f(void 0, void 0) .ser(se_CreateProfileCommand) .de(de_CreateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileInput; + output: CreateProfileOutput; + }; + sdk: { + input: CreateProfileCommandInput; + output: CreateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateProfileShareCommand.ts b/clients/client-wellarchitected/src/commands/CreateProfileShareCommand.ts index 6bc2c81564e4..1c070fad6357 100644 --- a/clients/client-wellarchitected/src/commands/CreateProfileShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateProfileShareCommand.ts @@ -101,4 +101,16 @@ export class CreateProfileShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateProfileShareCommand) .de(de_CreateProfileShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateProfileShareInput; + output: CreateProfileShareOutput; + }; + sdk: { + input: CreateProfileShareCommandInput; + output: CreateProfileShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateReviewTemplateCommand.ts b/clients/client-wellarchitected/src/commands/CreateReviewTemplateCommand.ts index dc2ec1eadf51..120f3ed3c5cc 100644 --- a/clients/client-wellarchitected/src/commands/CreateReviewTemplateCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateReviewTemplateCommand.ts @@ -118,4 +118,16 @@ export class CreateReviewTemplateCommand extends $Command .f(void 0, void 0) .ser(se_CreateReviewTemplateCommand) .de(de_CreateReviewTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateReviewTemplateInput; + output: CreateReviewTemplateOutput; + }; + sdk: { + input: CreateReviewTemplateCommandInput; + output: CreateReviewTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateTemplateShareCommand.ts b/clients/client-wellarchitected/src/commands/CreateTemplateShareCommand.ts index 9fe7066934fa..9e203c3f7fc1 100644 --- a/clients/client-wellarchitected/src/commands/CreateTemplateShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateTemplateShareCommand.ts @@ -115,4 +115,16 @@ export class CreateTemplateShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateTemplateShareCommand) .de(de_CreateTemplateShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTemplateShareInput; + output: CreateTemplateShareOutput; + }; + sdk: { + input: CreateTemplateShareCommandInput; + output: CreateTemplateShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateWorkloadCommand.ts b/clients/client-wellarchitected/src/commands/CreateWorkloadCommand.ts index f11392ef2e78..58a827d685ac 100644 --- a/clients/client-wellarchitected/src/commands/CreateWorkloadCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateWorkloadCommand.ts @@ -180,4 +180,16 @@ export class CreateWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkloadCommand) .de(de_CreateWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkloadInput; + output: CreateWorkloadOutput; + }; + sdk: { + input: CreateWorkloadCommandInput; + output: CreateWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/CreateWorkloadShareCommand.ts b/clients/client-wellarchitected/src/commands/CreateWorkloadShareCommand.ts index 97b04a9789e3..5903725927e7 100644 --- a/clients/client-wellarchitected/src/commands/CreateWorkloadShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/CreateWorkloadShareCommand.ts @@ -109,4 +109,16 @@ export class CreateWorkloadShareCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkloadShareCommand) .de(de_CreateWorkloadShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkloadShareInput; + output: CreateWorkloadShareOutput; + }; + sdk: { + input: CreateWorkloadShareCommandInput; + output: CreateWorkloadShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteLensCommand.ts b/clients/client-wellarchitected/src/commands/DeleteLensCommand.ts index 9da1f33b8a85..1f6e4e8ad1c9 100644 --- a/clients/client-wellarchitected/src/commands/DeleteLensCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteLensCommand.ts @@ -109,4 +109,16 @@ export class DeleteLensCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLensCommand) .de(de_DeleteLensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLensInput; + output: {}; + }; + sdk: { + input: DeleteLensCommandInput; + output: DeleteLensCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteLensShareCommand.ts b/clients/client-wellarchitected/src/commands/DeleteLensShareCommand.ts index dda692c8298e..014f8a137129 100644 --- a/clients/client-wellarchitected/src/commands/DeleteLensShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteLensShareCommand.ts @@ -109,4 +109,16 @@ export class DeleteLensShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteLensShareCommand) .de(de_DeleteLensShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLensShareInput; + output: {}; + }; + sdk: { + input: DeleteLensShareCommandInput; + output: DeleteLensShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteProfileCommand.ts b/clients/client-wellarchitected/src/commands/DeleteProfileCommand.ts index b134c006193b..f0d215b55fe7 100644 --- a/clients/client-wellarchitected/src/commands/DeleteProfileCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteProfileCommand.ts @@ -105,4 +105,16 @@ export class DeleteProfileCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileCommand) .de(de_DeleteProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileInput; + output: {}; + }; + sdk: { + input: DeleteProfileCommandInput; + output: DeleteProfileCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteProfileShareCommand.ts b/clients/client-wellarchitected/src/commands/DeleteProfileShareCommand.ts index 6f7f4ee1f84f..95d76fbc4860 100644 --- a/clients/client-wellarchitected/src/commands/DeleteProfileShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteProfileShareCommand.ts @@ -95,4 +95,16 @@ export class DeleteProfileShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteProfileShareCommand) .de(de_DeleteProfileShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteProfileShareInput; + output: {}; + }; + sdk: { + input: DeleteProfileShareCommandInput; + output: DeleteProfileShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteReviewTemplateCommand.ts b/clients/client-wellarchitected/src/commands/DeleteReviewTemplateCommand.ts index dcd14930c764..20b09f6ef1bb 100644 --- a/clients/client-wellarchitected/src/commands/DeleteReviewTemplateCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteReviewTemplateCommand.ts @@ -98,4 +98,16 @@ export class DeleteReviewTemplateCommand extends $Command .f(void 0, void 0) .ser(se_DeleteReviewTemplateCommand) .de(de_DeleteReviewTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteReviewTemplateInput; + output: {}; + }; + sdk: { + input: DeleteReviewTemplateCommandInput; + output: DeleteReviewTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteTemplateShareCommand.ts b/clients/client-wellarchitected/src/commands/DeleteTemplateShareCommand.ts index fdcac2441aa6..fa1c6fdf233a 100644 --- a/clients/client-wellarchitected/src/commands/DeleteTemplateShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteTemplateShareCommand.ts @@ -98,4 +98,16 @@ export class DeleteTemplateShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTemplateShareCommand) .de(de_DeleteTemplateShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTemplateShareInput; + output: {}; + }; + sdk: { + input: DeleteTemplateShareCommandInput; + output: DeleteTemplateShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteWorkloadCommand.ts b/clients/client-wellarchitected/src/commands/DeleteWorkloadCommand.ts index 82bfeb9754b7..15b5dc810411 100644 --- a/clients/client-wellarchitected/src/commands/DeleteWorkloadCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteWorkloadCommand.ts @@ -94,4 +94,16 @@ export class DeleteWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkloadCommand) .de(de_DeleteWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkloadInput; + output: {}; + }; + sdk: { + input: DeleteWorkloadCommandInput; + output: DeleteWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DeleteWorkloadShareCommand.ts b/clients/client-wellarchitected/src/commands/DeleteWorkloadShareCommand.ts index e8592052fd5f..8c40740c52c6 100644 --- a/clients/client-wellarchitected/src/commands/DeleteWorkloadShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/DeleteWorkloadShareCommand.ts @@ -95,4 +95,16 @@ export class DeleteWorkloadShareCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkloadShareCommand) .de(de_DeleteWorkloadShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkloadShareInput; + output: {}; + }; + sdk: { + input: DeleteWorkloadShareCommandInput; + output: DeleteWorkloadShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DisassociateLensesCommand.ts b/clients/client-wellarchitected/src/commands/DisassociateLensesCommand.ts index 14e104980921..d6d4ec613842 100644 --- a/clients/client-wellarchitected/src/commands/DisassociateLensesCommand.ts +++ b/clients/client-wellarchitected/src/commands/DisassociateLensesCommand.ts @@ -101,4 +101,16 @@ export class DisassociateLensesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateLensesCommand) .de(de_DisassociateLensesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateLensesInput; + output: {}; + }; + sdk: { + input: DisassociateLensesCommandInput; + output: DisassociateLensesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/DisassociateProfilesCommand.ts b/clients/client-wellarchitected/src/commands/DisassociateProfilesCommand.ts index 0f4f3ae175b3..4a80d2b86f3a 100644 --- a/clients/client-wellarchitected/src/commands/DisassociateProfilesCommand.ts +++ b/clients/client-wellarchitected/src/commands/DisassociateProfilesCommand.ts @@ -96,4 +96,16 @@ export class DisassociateProfilesCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateProfilesCommand) .de(de_DisassociateProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateProfilesInput; + output: {}; + }; + sdk: { + input: DisassociateProfilesCommandInput; + output: DisassociateProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ExportLensCommand.ts b/clients/client-wellarchitected/src/commands/ExportLensCommand.ts index 9818092d4478..9993167a9659 100644 --- a/clients/client-wellarchitected/src/commands/ExportLensCommand.ts +++ b/clients/client-wellarchitected/src/commands/ExportLensCommand.ts @@ -108,4 +108,16 @@ export class ExportLensCommand extends $Command .f(void 0, void 0) .ser(se_ExportLensCommand) .de(de_ExportLensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExportLensInput; + output: ExportLensOutput; + }; + sdk: { + input: ExportLensCommandInput; + output: ExportLensCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetAnswerCommand.ts b/clients/client-wellarchitected/src/commands/GetAnswerCommand.ts index 4f46632c50e2..dae0cf6f2090 100644 --- a/clients/client-wellarchitected/src/commands/GetAnswerCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetAnswerCommand.ts @@ -152,4 +152,16 @@ export class GetAnswerCommand extends $Command .f(void 0, void 0) .ser(se_GetAnswerCommand) .de(de_GetAnswerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAnswerInput; + output: GetAnswerOutput; + }; + sdk: { + input: GetAnswerCommandInput; + output: GetAnswerCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetConsolidatedReportCommand.ts b/clients/client-wellarchitected/src/commands/GetConsolidatedReportCommand.ts index ee6f1c46632f..1d5d22b6286b 100644 --- a/clients/client-wellarchitected/src/commands/GetConsolidatedReportCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetConsolidatedReportCommand.ts @@ -136,4 +136,16 @@ export class GetConsolidatedReportCommand extends $Command .f(void 0, void 0) .ser(se_GetConsolidatedReportCommand) .de(de_GetConsolidatedReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetConsolidatedReportInput; + output: GetConsolidatedReportOutput; + }; + sdk: { + input: GetConsolidatedReportCommandInput; + output: GetConsolidatedReportCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetGlobalSettingsCommand.ts b/clients/client-wellarchitected/src/commands/GetGlobalSettingsCommand.ts index 7ea4ed296594..a06f0760bf96 100644 --- a/clients/client-wellarchitected/src/commands/GetGlobalSettingsCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetGlobalSettingsCommand.ts @@ -96,4 +96,16 @@ export class GetGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetGlobalSettingsCommand) .de(de_GetGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetGlobalSettingsOutput; + }; + sdk: { + input: GetGlobalSettingsCommandInput; + output: GetGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetLensCommand.ts b/clients/client-wellarchitected/src/commands/GetLensCommand.ts index e20d7d88220c..266daeede5c8 100644 --- a/clients/client-wellarchitected/src/commands/GetLensCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetLensCommand.ts @@ -103,4 +103,16 @@ export class GetLensCommand extends $Command .f(void 0, void 0) .ser(se_GetLensCommand) .de(de_GetLensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLensInput; + output: GetLensOutput; + }; + sdk: { + input: GetLensCommandInput; + output: GetLensCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetLensReviewCommand.ts b/clients/client-wellarchitected/src/commands/GetLensReviewCommand.ts index 8a8cdee39870..cab4a7e69368 100644 --- a/clients/client-wellarchitected/src/commands/GetLensReviewCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetLensReviewCommand.ts @@ -140,4 +140,16 @@ export class GetLensReviewCommand extends $Command .f(void 0, void 0) .ser(se_GetLensReviewCommand) .de(de_GetLensReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLensReviewInput; + output: GetLensReviewOutput; + }; + sdk: { + input: GetLensReviewCommandInput; + output: GetLensReviewCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetLensReviewReportCommand.ts b/clients/client-wellarchitected/src/commands/GetLensReviewReportCommand.ts index e6fbb4f67780..52c3dd89841b 100644 --- a/clients/client-wellarchitected/src/commands/GetLensReviewReportCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetLensReviewReportCommand.ts @@ -100,4 +100,16 @@ export class GetLensReviewReportCommand extends $Command .f(void 0, void 0) .ser(se_GetLensReviewReportCommand) .de(de_GetLensReviewReportCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLensReviewReportInput; + output: GetLensReviewReportOutput; + }; + sdk: { + input: GetLensReviewReportCommandInput; + output: GetLensReviewReportCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetLensVersionDifferenceCommand.ts b/clients/client-wellarchitected/src/commands/GetLensVersionDifferenceCommand.ts index dc1ac257c74e..20cf50cb66dd 100644 --- a/clients/client-wellarchitected/src/commands/GetLensVersionDifferenceCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetLensVersionDifferenceCommand.ts @@ -114,4 +114,16 @@ export class GetLensVersionDifferenceCommand extends $Command .f(void 0, void 0) .ser(se_GetLensVersionDifferenceCommand) .de(de_GetLensVersionDifferenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetLensVersionDifferenceInput; + output: GetLensVersionDifferenceOutput; + }; + sdk: { + input: GetLensVersionDifferenceCommandInput; + output: GetLensVersionDifferenceCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetMilestoneCommand.ts b/clients/client-wellarchitected/src/commands/GetMilestoneCommand.ts index a9ce471de3d1..cea916e8aca2 100644 --- a/clients/client-wellarchitected/src/commands/GetMilestoneCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetMilestoneCommand.ts @@ -161,4 +161,16 @@ export class GetMilestoneCommand extends $Command .f(void 0, void 0) .ser(se_GetMilestoneCommand) .de(de_GetMilestoneCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMilestoneInput; + output: GetMilestoneOutput; + }; + sdk: { + input: GetMilestoneCommandInput; + output: GetMilestoneCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetProfileCommand.ts b/clients/client-wellarchitected/src/commands/GetProfileCommand.ts index c21822c03e1d..90c7588a176f 100644 --- a/clients/client-wellarchitected/src/commands/GetProfileCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetProfileCommand.ts @@ -124,4 +124,16 @@ export class GetProfileCommand extends $Command .f(void 0, void 0) .ser(se_GetProfileCommand) .de(de_GetProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetProfileInput; + output: GetProfileOutput; + }; + sdk: { + input: GetProfileCommandInput; + output: GetProfileCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetProfileTemplateCommand.ts b/clients/client-wellarchitected/src/commands/GetProfileTemplateCommand.ts index a9828e0a2d25..8916f883e21b 100644 --- a/clients/client-wellarchitected/src/commands/GetProfileTemplateCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetProfileTemplateCommand.ts @@ -110,4 +110,16 @@ export class GetProfileTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetProfileTemplateCommand) .de(de_GetProfileTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetProfileTemplateOutput; + }; + sdk: { + input: GetProfileTemplateCommandInput; + output: GetProfileTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetReviewTemplateAnswerCommand.ts b/clients/client-wellarchitected/src/commands/GetReviewTemplateAnswerCommand.ts index 96a1ede32376..1553c852231e 100644 --- a/clients/client-wellarchitected/src/commands/GetReviewTemplateAnswerCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetReviewTemplateAnswerCommand.ts @@ -145,4 +145,16 @@ export class GetReviewTemplateAnswerCommand extends $Command .f(void 0, void 0) .ser(se_GetReviewTemplateAnswerCommand) .de(de_GetReviewTemplateAnswerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReviewTemplateAnswerInput; + output: GetReviewTemplateAnswerOutput; + }; + sdk: { + input: GetReviewTemplateAnswerCommandInput; + output: GetReviewTemplateAnswerCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetReviewTemplateCommand.ts b/clients/client-wellarchitected/src/commands/GetReviewTemplateCommand.ts index 3d54b363e07f..04db47906b1b 100644 --- a/clients/client-wellarchitected/src/commands/GetReviewTemplateCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetReviewTemplateCommand.ts @@ -110,4 +110,16 @@ export class GetReviewTemplateCommand extends $Command .f(void 0, void 0) .ser(se_GetReviewTemplateCommand) .de(de_GetReviewTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReviewTemplateInput; + output: GetReviewTemplateOutput; + }; + sdk: { + input: GetReviewTemplateCommandInput; + output: GetReviewTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetReviewTemplateLensReviewCommand.ts b/clients/client-wellarchitected/src/commands/GetReviewTemplateLensReviewCommand.ts index 5139b86cf0c3..2eb1b54223e5 100644 --- a/clients/client-wellarchitected/src/commands/GetReviewTemplateLensReviewCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetReviewTemplateLensReviewCommand.ts @@ -119,4 +119,16 @@ export class GetReviewTemplateLensReviewCommand extends $Command .f(void 0, void 0) .ser(se_GetReviewTemplateLensReviewCommand) .de(de_GetReviewTemplateLensReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetReviewTemplateLensReviewInput; + output: GetReviewTemplateLensReviewOutput; + }; + sdk: { + input: GetReviewTemplateLensReviewCommandInput; + output: GetReviewTemplateLensReviewCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/GetWorkloadCommand.ts b/clients/client-wellarchitected/src/commands/GetWorkloadCommand.ts index 284cb20c1ef8..248b20ebf5c5 100644 --- a/clients/client-wellarchitected/src/commands/GetWorkloadCommand.ts +++ b/clients/client-wellarchitected/src/commands/GetWorkloadCommand.ts @@ -154,4 +154,16 @@ export class GetWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_GetWorkloadCommand) .de(de_GetWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetWorkloadInput; + output: GetWorkloadOutput; + }; + sdk: { + input: GetWorkloadCommandInput; + output: GetWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ImportLensCommand.ts b/clients/client-wellarchitected/src/commands/ImportLensCommand.ts index 7e3e09af1adc..aefcc23d0a4b 100644 --- a/clients/client-wellarchitected/src/commands/ImportLensCommand.ts +++ b/clients/client-wellarchitected/src/commands/ImportLensCommand.ts @@ -123,4 +123,16 @@ export class ImportLensCommand extends $Command .f(void 0, void 0) .ser(se_ImportLensCommand) .de(de_ImportLensCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportLensInput; + output: ImportLensOutput; + }; + sdk: { + input: ImportLensCommandInput; + output: ImportLensCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListAnswersCommand.ts b/clients/client-wellarchitected/src/commands/ListAnswersCommand.ts index c0e337815f07..5144cc6f19dc 100644 --- a/clients/client-wellarchitected/src/commands/ListAnswersCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListAnswersCommand.ts @@ -153,4 +153,16 @@ export class ListAnswersCommand extends $Command .f(void 0, void 0) .ser(se_ListAnswersCommand) .de(de_ListAnswersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAnswersInput; + output: ListAnswersOutput; + }; + sdk: { + input: ListAnswersCommandInput; + output: ListAnswersCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListCheckDetailsCommand.ts b/clients/client-wellarchitected/src/commands/ListCheckDetailsCommand.ts index aa7f6da3a516..c65a0ee2582f 100644 --- a/clients/client-wellarchitected/src/commands/ListCheckDetailsCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListCheckDetailsCommand.ts @@ -115,4 +115,16 @@ export class ListCheckDetailsCommand extends $Command .f(void 0, void 0) .ser(se_ListCheckDetailsCommand) .de(de_ListCheckDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCheckDetailsInput; + output: ListCheckDetailsOutput; + }; + sdk: { + input: ListCheckDetailsCommandInput; + output: ListCheckDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListCheckSummariesCommand.ts b/clients/client-wellarchitected/src/commands/ListCheckSummariesCommand.ts index 1bf844710565..2f7ed238e283 100644 --- a/clients/client-wellarchitected/src/commands/ListCheckSummariesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListCheckSummariesCommand.ts @@ -115,4 +115,16 @@ export class ListCheckSummariesCommand extends $Command .f(void 0, void 0) .ser(se_ListCheckSummariesCommand) .de(de_ListCheckSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListCheckSummariesInput; + output: ListCheckSummariesOutput; + }; + sdk: { + input: ListCheckSummariesCommandInput; + output: ListCheckSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListLensReviewImprovementsCommand.ts b/clients/client-wellarchitected/src/commands/ListLensReviewImprovementsCommand.ts index 8b77e3610dd9..dbfdbb9e4e20 100644 --- a/clients/client-wellarchitected/src/commands/ListLensReviewImprovementsCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListLensReviewImprovementsCommand.ts @@ -122,4 +122,16 @@ export class ListLensReviewImprovementsCommand extends $Command .f(void 0, void 0) .ser(se_ListLensReviewImprovementsCommand) .de(de_ListLensReviewImprovementsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLensReviewImprovementsInput; + output: ListLensReviewImprovementsOutput; + }; + sdk: { + input: ListLensReviewImprovementsCommandInput; + output: ListLensReviewImprovementsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListLensReviewsCommand.ts b/clients/client-wellarchitected/src/commands/ListLensReviewsCommand.ts index 27a0dc15b99e..eccc6cd92d1f 100644 --- a/clients/client-wellarchitected/src/commands/ListLensReviewsCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListLensReviewsCommand.ts @@ -119,4 +119,16 @@ export class ListLensReviewsCommand extends $Command .f(void 0, void 0) .ser(se_ListLensReviewsCommand) .de(de_ListLensReviewsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLensReviewsInput; + output: ListLensReviewsOutput; + }; + sdk: { + input: ListLensReviewsCommandInput; + output: ListLensReviewsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListLensSharesCommand.ts b/clients/client-wellarchitected/src/commands/ListLensSharesCommand.ts index 34d77be11907..ddf148dc50c0 100644 --- a/clients/client-wellarchitected/src/commands/ListLensSharesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListLensSharesCommand.ts @@ -104,4 +104,16 @@ export class ListLensSharesCommand extends $Command .f(void 0, void 0) .ser(se_ListLensSharesCommand) .de(de_ListLensSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLensSharesInput; + output: ListLensSharesOutput; + }; + sdk: { + input: ListLensSharesCommandInput; + output: ListLensSharesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListLensesCommand.ts b/clients/client-wellarchitected/src/commands/ListLensesCommand.ts index 14f90286c9d4..cb1d220e646b 100644 --- a/clients/client-wellarchitected/src/commands/ListLensesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListLensesCommand.ts @@ -107,4 +107,16 @@ export class ListLensesCommand extends $Command .f(void 0, void 0) .ser(se_ListLensesCommand) .de(de_ListLensesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListLensesInput; + output: ListLensesOutput; + }; + sdk: { + input: ListLensesCommandInput; + output: ListLensesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListMilestonesCommand.ts b/clients/client-wellarchitected/src/commands/ListMilestonesCommand.ts index 92abd7451446..ffcac5855772 100644 --- a/clients/client-wellarchitected/src/commands/ListMilestonesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListMilestonesCommand.ts @@ -125,4 +125,16 @@ export class ListMilestonesCommand extends $Command .f(void 0, void 0) .ser(se_ListMilestonesCommand) .de(de_ListMilestonesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMilestonesInput; + output: ListMilestonesOutput; + }; + sdk: { + input: ListMilestonesCommandInput; + output: ListMilestonesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListNotificationsCommand.ts b/clients/client-wellarchitected/src/commands/ListNotificationsCommand.ts index 5e9f709b94ad..30b81ea90272 100644 --- a/clients/client-wellarchitected/src/commands/ListNotificationsCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListNotificationsCommand.ts @@ -107,4 +107,16 @@ export class ListNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_ListNotificationsCommand) .de(de_ListNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNotificationsInput; + output: ListNotificationsOutput; + }; + sdk: { + input: ListNotificationsCommandInput; + output: ListNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListProfileNotificationsCommand.ts b/clients/client-wellarchitected/src/commands/ListProfileNotificationsCommand.ts index 7647eeddeab3..5cded691c234 100644 --- a/clients/client-wellarchitected/src/commands/ListProfileNotificationsCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListProfileNotificationsCommand.ts @@ -102,4 +102,16 @@ export class ListProfileNotificationsCommand extends $Command .f(void 0, void 0) .ser(se_ListProfileNotificationsCommand) .de(de_ListProfileNotificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileNotificationsInput; + output: ListProfileNotificationsOutput; + }; + sdk: { + input: ListProfileNotificationsCommandInput; + output: ListProfileNotificationsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListProfileSharesCommand.ts b/clients/client-wellarchitected/src/commands/ListProfileSharesCommand.ts index 2002245d9dce..80a2692137cf 100644 --- a/clients/client-wellarchitected/src/commands/ListProfileSharesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListProfileSharesCommand.ts @@ -104,4 +104,16 @@ export class ListProfileSharesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfileSharesCommand) .de(de_ListProfileSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfileSharesInput; + output: ListProfileSharesOutput; + }; + sdk: { + input: ListProfileSharesCommandInput; + output: ListProfileSharesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListProfilesCommand.ts b/clients/client-wellarchitected/src/commands/ListProfilesCommand.ts index 32819aa65dce..1457a99cfa06 100644 --- a/clients/client-wellarchitected/src/commands/ListProfilesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListProfilesCommand.ts @@ -103,4 +103,16 @@ export class ListProfilesCommand extends $Command .f(void 0, void 0) .ser(se_ListProfilesCommand) .de(de_ListProfilesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListProfilesInput; + output: ListProfilesOutput; + }; + sdk: { + input: ListProfilesCommandInput; + output: ListProfilesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListReviewTemplateAnswersCommand.ts b/clients/client-wellarchitected/src/commands/ListReviewTemplateAnswersCommand.ts index 17ed3ab4e58b..c01eb1d1d7e2 100644 --- a/clients/client-wellarchitected/src/commands/ListReviewTemplateAnswersCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListReviewTemplateAnswersCommand.ts @@ -145,4 +145,16 @@ export class ListReviewTemplateAnswersCommand extends $Command .f(void 0, void 0) .ser(se_ListReviewTemplateAnswersCommand) .de(de_ListReviewTemplateAnswersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReviewTemplateAnswersInput; + output: ListReviewTemplateAnswersOutput; + }; + sdk: { + input: ListReviewTemplateAnswersCommandInput; + output: ListReviewTemplateAnswersCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListReviewTemplatesCommand.ts b/clients/client-wellarchitected/src/commands/ListReviewTemplatesCommand.ts index 0cbca4fb418b..e1c5d5d9aeb5 100644 --- a/clients/client-wellarchitected/src/commands/ListReviewTemplatesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListReviewTemplatesCommand.ts @@ -103,4 +103,16 @@ export class ListReviewTemplatesCommand extends $Command .f(void 0, void 0) .ser(se_ListReviewTemplatesCommand) .de(de_ListReviewTemplatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListReviewTemplatesInput; + output: ListReviewTemplatesOutput; + }; + sdk: { + input: ListReviewTemplatesCommandInput; + output: ListReviewTemplatesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListShareInvitationsCommand.ts b/clients/client-wellarchitected/src/commands/ListShareInvitationsCommand.ts index a94d1568c4ef..75ff27c104a6 100644 --- a/clients/client-wellarchitected/src/commands/ListShareInvitationsCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListShareInvitationsCommand.ts @@ -116,4 +116,16 @@ export class ListShareInvitationsCommand extends $Command .f(void 0, void 0) .ser(se_ListShareInvitationsCommand) .de(de_ListShareInvitationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListShareInvitationsInput; + output: ListShareInvitationsOutput; + }; + sdk: { + input: ListShareInvitationsCommandInput; + output: ListShareInvitationsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListTagsForResourceCommand.ts b/clients/client-wellarchitected/src/commands/ListTagsForResourceCommand.ts index fb3410b9f4c3..50bb2b6344d3 100644 --- a/clients/client-wellarchitected/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListTagsForResourceCommand.ts @@ -88,4 +88,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceInput; + output: ListTagsForResourceOutput; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListTemplateSharesCommand.ts b/clients/client-wellarchitected/src/commands/ListTemplateSharesCommand.ts index 21d8a8d3ed10..9a9f9bd06b97 100644 --- a/clients/client-wellarchitected/src/commands/ListTemplateSharesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListTemplateSharesCommand.ts @@ -105,4 +105,16 @@ export class ListTemplateSharesCommand extends $Command .f(void 0, void 0) .ser(se_ListTemplateSharesCommand) .de(de_ListTemplateSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTemplateSharesInput; + output: ListTemplateSharesOutput; + }; + sdk: { + input: ListTemplateSharesCommandInput; + output: ListTemplateSharesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListWorkloadSharesCommand.ts b/clients/client-wellarchitected/src/commands/ListWorkloadSharesCommand.ts index 85873e0c5db5..74eae02e25ca 100644 --- a/clients/client-wellarchitected/src/commands/ListWorkloadSharesCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListWorkloadSharesCommand.ts @@ -106,4 +106,16 @@ export class ListWorkloadSharesCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkloadSharesCommand) .de(de_ListWorkloadSharesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkloadSharesInput; + output: ListWorkloadSharesOutput; + }; + sdk: { + input: ListWorkloadSharesCommandInput; + output: ListWorkloadSharesCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/ListWorkloadsCommand.ts b/clients/client-wellarchitected/src/commands/ListWorkloadsCommand.ts index 89660eda8e46..6655649337cc 100644 --- a/clients/client-wellarchitected/src/commands/ListWorkloadsCommand.ts +++ b/clients/client-wellarchitected/src/commands/ListWorkloadsCommand.ts @@ -116,4 +116,16 @@ export class ListWorkloadsCommand extends $Command .f(void 0, void 0) .ser(se_ListWorkloadsCommand) .de(de_ListWorkloadsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWorkloadsInput; + output: ListWorkloadsOutput; + }; + sdk: { + input: ListWorkloadsCommandInput; + output: ListWorkloadsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/TagResourceCommand.ts b/clients/client-wellarchitected/src/commands/TagResourceCommand.ts index a389b4ee767e..33f13d2568da 100644 --- a/clients/client-wellarchitected/src/commands/TagResourceCommand.ts +++ b/clients/client-wellarchitected/src/commands/TagResourceCommand.ts @@ -87,4 +87,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceInput; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UntagResourceCommand.ts b/clients/client-wellarchitected/src/commands/UntagResourceCommand.ts index e3207e1dab45..7025ca4e5b29 100644 --- a/clients/client-wellarchitected/src/commands/UntagResourceCommand.ts +++ b/clients/client-wellarchitected/src/commands/UntagResourceCommand.ts @@ -91,4 +91,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceInput; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateAnswerCommand.ts b/clients/client-wellarchitected/src/commands/UpdateAnswerCommand.ts index 2c52c807db59..5035ab42b727 100644 --- a/clients/client-wellarchitected/src/commands/UpdateAnswerCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateAnswerCommand.ts @@ -166,4 +166,16 @@ export class UpdateAnswerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAnswerCommand) .de(de_UpdateAnswerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAnswerInput; + output: UpdateAnswerOutput; + }; + sdk: { + input: UpdateAnswerCommandInput; + output: UpdateAnswerCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateGlobalSettingsCommand.ts b/clients/client-wellarchitected/src/commands/UpdateGlobalSettingsCommand.ts index cfad5ee02b61..b79120cb1690 100644 --- a/clients/client-wellarchitected/src/commands/UpdateGlobalSettingsCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateGlobalSettingsCommand.ts @@ -97,4 +97,16 @@ export class UpdateGlobalSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGlobalSettingsCommand) .de(de_UpdateGlobalSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGlobalSettingsInput; + output: {}; + }; + sdk: { + input: UpdateGlobalSettingsCommandInput; + output: UpdateGlobalSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateIntegrationCommand.ts b/clients/client-wellarchitected/src/commands/UpdateIntegrationCommand.ts index c2b8114c3856..8d4226943d88 100644 --- a/clients/client-wellarchitected/src/commands/UpdateIntegrationCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateIntegrationCommand.ts @@ -95,4 +95,16 @@ export class UpdateIntegrationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIntegrationCommand) .de(de_UpdateIntegrationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIntegrationInput; + output: {}; + }; + sdk: { + input: UpdateIntegrationCommandInput; + output: UpdateIntegrationCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateLensReviewCommand.ts b/clients/client-wellarchitected/src/commands/UpdateLensReviewCommand.ts index 73a0844a3630..064142636c0f 100644 --- a/clients/client-wellarchitected/src/commands/UpdateLensReviewCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateLensReviewCommand.ts @@ -155,4 +155,16 @@ export class UpdateLensReviewCommand extends $Command .f(void 0, void 0) .ser(se_UpdateLensReviewCommand) .de(de_UpdateLensReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateLensReviewInput; + output: UpdateLensReviewOutput; + }; + sdk: { + input: UpdateLensReviewCommandInput; + output: UpdateLensReviewCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateProfileCommand.ts b/clients/client-wellarchitected/src/commands/UpdateProfileCommand.ts index cb7d1511c5e3..b7c068760ca8 100644 --- a/clients/client-wellarchitected/src/commands/UpdateProfileCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateProfileCommand.ts @@ -135,4 +135,16 @@ export class UpdateProfileCommand extends $Command .f(void 0, void 0) .ser(se_UpdateProfileCommand) .de(de_UpdateProfileCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateProfileInput; + output: UpdateProfileOutput; + }; + sdk: { + input: UpdateProfileCommandInput; + output: UpdateProfileCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateReviewTemplateAnswerCommand.ts b/clients/client-wellarchitected/src/commands/UpdateReviewTemplateAnswerCommand.ts index e6cc38b5e8eb..809c0e192683 100644 --- a/clients/client-wellarchitected/src/commands/UpdateReviewTemplateAnswerCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateReviewTemplateAnswerCommand.ts @@ -161,4 +161,16 @@ export class UpdateReviewTemplateAnswerCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReviewTemplateAnswerCommand) .de(de_UpdateReviewTemplateAnswerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReviewTemplateAnswerInput; + output: UpdateReviewTemplateAnswerOutput; + }; + sdk: { + input: UpdateReviewTemplateAnswerCommandInput; + output: UpdateReviewTemplateAnswerCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateReviewTemplateCommand.ts b/clients/client-wellarchitected/src/commands/UpdateReviewTemplateCommand.ts index c4510bf3dc50..8a54f8d84c90 100644 --- a/clients/client-wellarchitected/src/commands/UpdateReviewTemplateCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateReviewTemplateCommand.ts @@ -122,4 +122,16 @@ export class UpdateReviewTemplateCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReviewTemplateCommand) .de(de_UpdateReviewTemplateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReviewTemplateInput; + output: UpdateReviewTemplateOutput; + }; + sdk: { + input: UpdateReviewTemplateCommandInput; + output: UpdateReviewTemplateCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateReviewTemplateLensReviewCommand.ts b/clients/client-wellarchitected/src/commands/UpdateReviewTemplateLensReviewCommand.ts index e44a95bb633d..3b6bb1211751 100644 --- a/clients/client-wellarchitected/src/commands/UpdateReviewTemplateLensReviewCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateReviewTemplateLensReviewCommand.ts @@ -128,4 +128,16 @@ export class UpdateReviewTemplateLensReviewCommand extends $Command .f(void 0, void 0) .ser(se_UpdateReviewTemplateLensReviewCommand) .de(de_UpdateReviewTemplateLensReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateReviewTemplateLensReviewInput; + output: UpdateReviewTemplateLensReviewOutput; + }; + sdk: { + input: UpdateReviewTemplateLensReviewCommandInput; + output: UpdateReviewTemplateLensReviewCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateShareInvitationCommand.ts b/clients/client-wellarchitected/src/commands/UpdateShareInvitationCommand.ts index d215f8b61276..c2a3f83c955d 100644 --- a/clients/client-wellarchitected/src/commands/UpdateShareInvitationCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateShareInvitationCommand.ts @@ -107,4 +107,16 @@ export class UpdateShareInvitationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateShareInvitationCommand) .de(de_UpdateShareInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateShareInvitationInput; + output: UpdateShareInvitationOutput; + }; + sdk: { + input: UpdateShareInvitationCommandInput; + output: UpdateShareInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateWorkloadCommand.ts b/clients/client-wellarchitected/src/commands/UpdateWorkloadCommand.ts index d28c81e94f1a..f60943816135 100644 --- a/clients/client-wellarchitected/src/commands/UpdateWorkloadCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateWorkloadCommand.ts @@ -193,4 +193,16 @@ export class UpdateWorkloadCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkloadCommand) .de(de_UpdateWorkloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkloadInput; + output: UpdateWorkloadOutput; + }; + sdk: { + input: UpdateWorkloadCommandInput; + output: UpdateWorkloadCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpdateWorkloadShareCommand.ts b/clients/client-wellarchitected/src/commands/UpdateWorkloadShareCommand.ts index b84a8f47c4d1..bf4c42c0d9f2 100644 --- a/clients/client-wellarchitected/src/commands/UpdateWorkloadShareCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpdateWorkloadShareCommand.ts @@ -106,4 +106,16 @@ export class UpdateWorkloadShareCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkloadShareCommand) .de(de_UpdateWorkloadShareCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkloadShareInput; + output: UpdateWorkloadShareOutput; + }; + sdk: { + input: UpdateWorkloadShareCommandInput; + output: UpdateWorkloadShareCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpgradeLensReviewCommand.ts b/clients/client-wellarchitected/src/commands/UpgradeLensReviewCommand.ts index 2f6191893bc8..640789c4db16 100644 --- a/clients/client-wellarchitected/src/commands/UpgradeLensReviewCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpgradeLensReviewCommand.ts @@ -99,4 +99,16 @@ export class UpgradeLensReviewCommand extends $Command .f(void 0, void 0) .ser(se_UpgradeLensReviewCommand) .de(de_UpgradeLensReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpgradeLensReviewInput; + output: {}; + }; + sdk: { + input: UpgradeLensReviewCommandInput; + output: UpgradeLensReviewCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpgradeProfileVersionCommand.ts b/clients/client-wellarchitected/src/commands/UpgradeProfileVersionCommand.ts index 669f20d88dfc..490a3f3d01b3 100644 --- a/clients/client-wellarchitected/src/commands/UpgradeProfileVersionCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpgradeProfileVersionCommand.ts @@ -99,4 +99,16 @@ export class UpgradeProfileVersionCommand extends $Command .f(void 0, void 0) .ser(se_UpgradeProfileVersionCommand) .de(de_UpgradeProfileVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpgradeProfileVersionInput; + output: {}; + }; + sdk: { + input: UpgradeProfileVersionCommandInput; + output: UpgradeProfileVersionCommandOutput; + }; + }; +} diff --git a/clients/client-wellarchitected/src/commands/UpgradeReviewTemplateLensReviewCommand.ts b/clients/client-wellarchitected/src/commands/UpgradeReviewTemplateLensReviewCommand.ts index 2217d87a26de..bce5ab16e290 100644 --- a/clients/client-wellarchitected/src/commands/UpgradeReviewTemplateLensReviewCommand.ts +++ b/clients/client-wellarchitected/src/commands/UpgradeReviewTemplateLensReviewCommand.ts @@ -98,4 +98,16 @@ export class UpgradeReviewTemplateLensReviewCommand extends $Command .f(void 0, void 0) .ser(se_UpgradeReviewTemplateLensReviewCommand) .de(de_UpgradeReviewTemplateLensReviewCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpgradeReviewTemplateLensReviewInput; + output: {}; + }; + sdk: { + input: UpgradeReviewTemplateLensReviewCommandInput; + output: UpgradeReviewTemplateLensReviewCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/package.json b/clients/client-wisdom/package.json index 781ef8ce988d..61b0309866ef 100644 --- a/clients/client-wisdom/package.json +++ b/clients/client-wisdom/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-wisdom/src/commands/CreateAssistantAssociationCommand.ts b/clients/client-wisdom/src/commands/CreateAssistantAssociationCommand.ts index 379fecca6fb8..34ec5ab99daa 100644 --- a/clients/client-wisdom/src/commands/CreateAssistantAssociationCommand.ts +++ b/clients/client-wisdom/src/commands/CreateAssistantAssociationCommand.ts @@ -121,4 +121,16 @@ export class CreateAssistantAssociationCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssistantAssociationCommand) .de(de_CreateAssistantAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssistantAssociationRequest; + output: CreateAssistantAssociationResponse; + }; + sdk: { + input: CreateAssistantAssociationCommandInput; + output: CreateAssistantAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/CreateAssistantCommand.ts b/clients/client-wisdom/src/commands/CreateAssistantCommand.ts index cbf1fdb9eec8..f734f80d4ba9 100644 --- a/clients/client-wisdom/src/commands/CreateAssistantCommand.ts +++ b/clients/client-wisdom/src/commands/CreateAssistantCommand.ts @@ -118,4 +118,16 @@ export class CreateAssistantCommand extends $Command .f(void 0, void 0) .ser(se_CreateAssistantCommand) .de(de_CreateAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAssistantRequest; + output: CreateAssistantResponse; + }; + sdk: { + input: CreateAssistantCommandInput; + output: CreateAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/CreateContentCommand.ts b/clients/client-wisdom/src/commands/CreateContentCommand.ts index eed2bed3883f..89ef879ba0af 100644 --- a/clients/client-wisdom/src/commands/CreateContentCommand.ts +++ b/clients/client-wisdom/src/commands/CreateContentCommand.ts @@ -131,4 +131,16 @@ export class CreateContentCommand extends $Command .f(void 0, CreateContentResponseFilterSensitiveLog) .ser(se_CreateContentCommand) .de(de_CreateContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateContentRequest; + output: CreateContentResponse; + }; + sdk: { + input: CreateContentCommandInput; + output: CreateContentCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/CreateKnowledgeBaseCommand.ts b/clients/client-wisdom/src/commands/CreateKnowledgeBaseCommand.ts index 5f110107bab0..a1444eff0e6c 100644 --- a/clients/client-wisdom/src/commands/CreateKnowledgeBaseCommand.ts +++ b/clients/client-wisdom/src/commands/CreateKnowledgeBaseCommand.ts @@ -161,4 +161,16 @@ export class CreateKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_CreateKnowledgeBaseCommand) .de(de_CreateKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateKnowledgeBaseRequest; + output: CreateKnowledgeBaseResponse; + }; + sdk: { + input: CreateKnowledgeBaseCommandInput; + output: CreateKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/CreateQuickResponseCommand.ts b/clients/client-wisdom/src/commands/CreateQuickResponseCommand.ts index 1618dfd985f8..675bf335c4a4 100644 --- a/clients/client-wisdom/src/commands/CreateQuickResponseCommand.ts +++ b/clients/client-wisdom/src/commands/CreateQuickResponseCommand.ts @@ -158,4 +158,16 @@ export class CreateQuickResponseCommand extends $Command .f(CreateQuickResponseRequestFilterSensitiveLog, CreateQuickResponseResponseFilterSensitiveLog) .ser(se_CreateQuickResponseCommand) .de(de_CreateQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateQuickResponseRequest; + output: CreateQuickResponseResponse; + }; + sdk: { + input: CreateQuickResponseCommandInput; + output: CreateQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/CreateSessionCommand.ts b/clients/client-wisdom/src/commands/CreateSessionCommand.ts index 0a4174f88734..81128e0a62ef 100644 --- a/clients/client-wisdom/src/commands/CreateSessionCommand.ts +++ b/clients/client-wisdom/src/commands/CreateSessionCommand.ts @@ -108,4 +108,16 @@ export class CreateSessionCommand extends $Command .f(void 0, void 0) .ser(se_CreateSessionCommand) .de(de_CreateSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSessionRequest; + output: CreateSessionResponse; + }; + sdk: { + input: CreateSessionCommandInput; + output: CreateSessionCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/DeleteAssistantAssociationCommand.ts b/clients/client-wisdom/src/commands/DeleteAssistantAssociationCommand.ts index 4c5005253726..f7ae9878ad00 100644 --- a/clients/client-wisdom/src/commands/DeleteAssistantAssociationCommand.ts +++ b/clients/client-wisdom/src/commands/DeleteAssistantAssociationCommand.ts @@ -85,4 +85,16 @@ export class DeleteAssistantAssociationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssistantAssociationCommand) .de(de_DeleteAssistantAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssistantAssociationRequest; + output: {}; + }; + sdk: { + input: DeleteAssistantAssociationCommandInput; + output: DeleteAssistantAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/DeleteAssistantCommand.ts b/clients/client-wisdom/src/commands/DeleteAssistantCommand.ts index a23d463695cf..356ee9510b39 100644 --- a/clients/client-wisdom/src/commands/DeleteAssistantCommand.ts +++ b/clients/client-wisdom/src/commands/DeleteAssistantCommand.ts @@ -84,4 +84,16 @@ export class DeleteAssistantCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAssistantCommand) .de(de_DeleteAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAssistantRequest; + output: {}; + }; + sdk: { + input: DeleteAssistantCommandInput; + output: DeleteAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/DeleteContentCommand.ts b/clients/client-wisdom/src/commands/DeleteContentCommand.ts index 8fccffc8b9bf..cfd10039817c 100644 --- a/clients/client-wisdom/src/commands/DeleteContentCommand.ts +++ b/clients/client-wisdom/src/commands/DeleteContentCommand.ts @@ -85,4 +85,16 @@ export class DeleteContentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteContentCommand) .de(de_DeleteContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteContentRequest; + output: {}; + }; + sdk: { + input: DeleteContentCommandInput; + output: DeleteContentCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/DeleteImportJobCommand.ts b/clients/client-wisdom/src/commands/DeleteImportJobCommand.ts index 8929cfeb3d42..9e78ceb4c980 100644 --- a/clients/client-wisdom/src/commands/DeleteImportJobCommand.ts +++ b/clients/client-wisdom/src/commands/DeleteImportJobCommand.ts @@ -91,4 +91,16 @@ export class DeleteImportJobCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImportJobCommand) .de(de_DeleteImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImportJobRequest; + output: {}; + }; + sdk: { + input: DeleteImportJobCommandInput; + output: DeleteImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/DeleteKnowledgeBaseCommand.ts b/clients/client-wisdom/src/commands/DeleteKnowledgeBaseCommand.ts index 352720d3cabd..b43279743aa2 100644 --- a/clients/client-wisdom/src/commands/DeleteKnowledgeBaseCommand.ts +++ b/clients/client-wisdom/src/commands/DeleteKnowledgeBaseCommand.ts @@ -98,4 +98,16 @@ export class DeleteKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteKnowledgeBaseCommand) .de(de_DeleteKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteKnowledgeBaseRequest; + output: {}; + }; + sdk: { + input: DeleteKnowledgeBaseCommandInput; + output: DeleteKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/DeleteQuickResponseCommand.ts b/clients/client-wisdom/src/commands/DeleteQuickResponseCommand.ts index ff5d637ae27d..d3b7d16adac1 100644 --- a/clients/client-wisdom/src/commands/DeleteQuickResponseCommand.ts +++ b/clients/client-wisdom/src/commands/DeleteQuickResponseCommand.ts @@ -85,4 +85,16 @@ export class DeleteQuickResponseCommand extends $Command .f(void 0, void 0) .ser(se_DeleteQuickResponseCommand) .de(de_DeleteQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteQuickResponseRequest; + output: {}; + }; + sdk: { + input: DeleteQuickResponseCommandInput; + output: DeleteQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetAssistantAssociationCommand.ts b/clients/client-wisdom/src/commands/GetAssistantAssociationCommand.ts index 04c5fbcf7c1e..b219db518371 100644 --- a/clients/client-wisdom/src/commands/GetAssistantAssociationCommand.ts +++ b/clients/client-wisdom/src/commands/GetAssistantAssociationCommand.ts @@ -102,4 +102,16 @@ export class GetAssistantAssociationCommand extends $Command .f(void 0, void 0) .ser(se_GetAssistantAssociationCommand) .de(de_GetAssistantAssociationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssistantAssociationRequest; + output: GetAssistantAssociationResponse; + }; + sdk: { + input: GetAssistantAssociationCommandInput; + output: GetAssistantAssociationCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetAssistantCommand.ts b/clients/client-wisdom/src/commands/GetAssistantCommand.ts index 4fd0fe978290..7e78659a5c53 100644 --- a/clients/client-wisdom/src/commands/GetAssistantCommand.ts +++ b/clients/client-wisdom/src/commands/GetAssistantCommand.ts @@ -102,4 +102,16 @@ export class GetAssistantCommand extends $Command .f(void 0, void 0) .ser(se_GetAssistantCommand) .de(de_GetAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAssistantRequest; + output: GetAssistantResponse; + }; + sdk: { + input: GetAssistantCommandInput; + output: GetAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetContentCommand.ts b/clients/client-wisdom/src/commands/GetContentCommand.ts index 9775e51a7e73..a18ca7cf597e 100644 --- a/clients/client-wisdom/src/commands/GetContentCommand.ts +++ b/clients/client-wisdom/src/commands/GetContentCommand.ts @@ -106,4 +106,16 @@ export class GetContentCommand extends $Command .f(void 0, GetContentResponseFilterSensitiveLog) .ser(se_GetContentCommand) .de(de_GetContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContentRequest; + output: GetContentResponse; + }; + sdk: { + input: GetContentCommandInput; + output: GetContentCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetContentSummaryCommand.ts b/clients/client-wisdom/src/commands/GetContentSummaryCommand.ts index a53a303ddbed..2b7c7399c493 100644 --- a/clients/client-wisdom/src/commands/GetContentSummaryCommand.ts +++ b/clients/client-wisdom/src/commands/GetContentSummaryCommand.ts @@ -103,4 +103,16 @@ export class GetContentSummaryCommand extends $Command .f(void 0, void 0) .ser(se_GetContentSummaryCommand) .de(de_GetContentSummaryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetContentSummaryRequest; + output: GetContentSummaryResponse; + }; + sdk: { + input: GetContentSummaryCommandInput; + output: GetContentSummaryCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetImportJobCommand.ts b/clients/client-wisdom/src/commands/GetImportJobCommand.ts index f6fc138f2cda..ea814d00d0cb 100644 --- a/clients/client-wisdom/src/commands/GetImportJobCommand.ts +++ b/clients/client-wisdom/src/commands/GetImportJobCommand.ts @@ -110,4 +110,16 @@ export class GetImportJobCommand extends $Command .f(void 0, GetImportJobResponseFilterSensitiveLog) .ser(se_GetImportJobCommand) .de(de_GetImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImportJobRequest; + output: GetImportJobResponse; + }; + sdk: { + input: GetImportJobCommandInput; + output: GetImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetKnowledgeBaseCommand.ts b/clients/client-wisdom/src/commands/GetKnowledgeBaseCommand.ts index 7a6f1af76c22..df859328ab6c 100644 --- a/clients/client-wisdom/src/commands/GetKnowledgeBaseCommand.ts +++ b/clients/client-wisdom/src/commands/GetKnowledgeBaseCommand.ts @@ -111,4 +111,16 @@ export class GetKnowledgeBaseCommand extends $Command .f(void 0, void 0) .ser(se_GetKnowledgeBaseCommand) .de(de_GetKnowledgeBaseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetKnowledgeBaseRequest; + output: GetKnowledgeBaseResponse; + }; + sdk: { + input: GetKnowledgeBaseCommandInput; + output: GetKnowledgeBaseCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetQuickResponseCommand.ts b/clients/client-wisdom/src/commands/GetQuickResponseCommand.ts index c6fc41eee30d..53d76255c88f 100644 --- a/clients/client-wisdom/src/commands/GetQuickResponseCommand.ts +++ b/clients/client-wisdom/src/commands/GetQuickResponseCommand.ts @@ -126,4 +126,16 @@ export class GetQuickResponseCommand extends $Command .f(void 0, GetQuickResponseResponseFilterSensitiveLog) .ser(se_GetQuickResponseCommand) .de(de_GetQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetQuickResponseRequest; + output: GetQuickResponseResponse; + }; + sdk: { + input: GetQuickResponseCommandInput; + output: GetQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetRecommendationsCommand.ts b/clients/client-wisdom/src/commands/GetRecommendationsCommand.ts index 2185ef265043..80bd349c72e3 100644 --- a/clients/client-wisdom/src/commands/GetRecommendationsCommand.ts +++ b/clients/client-wisdom/src/commands/GetRecommendationsCommand.ts @@ -146,4 +146,16 @@ export class GetRecommendationsCommand extends $Command .f(void 0, GetRecommendationsResponseFilterSensitiveLog) .ser(se_GetRecommendationsCommand) .de(de_GetRecommendationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRecommendationsRequest; + output: GetRecommendationsResponse; + }; + sdk: { + input: GetRecommendationsCommandInput; + output: GetRecommendationsCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/GetSessionCommand.ts b/clients/client-wisdom/src/commands/GetSessionCommand.ts index 841e6d0b09bd..fbe3ae362db5 100644 --- a/clients/client-wisdom/src/commands/GetSessionCommand.ts +++ b/clients/client-wisdom/src/commands/GetSessionCommand.ts @@ -98,4 +98,16 @@ export class GetSessionCommand extends $Command .f(void 0, void 0) .ser(se_GetSessionCommand) .de(de_GetSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/ListAssistantAssociationsCommand.ts b/clients/client-wisdom/src/commands/ListAssistantAssociationsCommand.ts index 8351869be0f0..5e120ab7d09e 100644 --- a/clients/client-wisdom/src/commands/ListAssistantAssociationsCommand.ts +++ b/clients/client-wisdom/src/commands/ListAssistantAssociationsCommand.ts @@ -106,4 +106,16 @@ export class ListAssistantAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssistantAssociationsCommand) .de(de_ListAssistantAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssistantAssociationsRequest; + output: ListAssistantAssociationsResponse; + }; + sdk: { + input: ListAssistantAssociationsCommandInput; + output: ListAssistantAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/ListAssistantsCommand.ts b/clients/client-wisdom/src/commands/ListAssistantsCommand.ts index 3754d532d6bd..2a7ddf9d0f3e 100644 --- a/clients/client-wisdom/src/commands/ListAssistantsCommand.ts +++ b/clients/client-wisdom/src/commands/ListAssistantsCommand.ts @@ -103,4 +103,16 @@ export class ListAssistantsCommand extends $Command .f(void 0, void 0) .ser(se_ListAssistantsCommand) .de(de_ListAssistantsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAssistantsRequest; + output: ListAssistantsResponse; + }; + sdk: { + input: ListAssistantsCommandInput; + output: ListAssistantsCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/ListContentsCommand.ts b/clients/client-wisdom/src/commands/ListContentsCommand.ts index ed520a4c35a0..d7d52dba4c6f 100644 --- a/clients/client-wisdom/src/commands/ListContentsCommand.ts +++ b/clients/client-wisdom/src/commands/ListContentsCommand.ts @@ -107,4 +107,16 @@ export class ListContentsCommand extends $Command .f(void 0, void 0) .ser(se_ListContentsCommand) .de(de_ListContentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListContentsRequest; + output: ListContentsResponse; + }; + sdk: { + input: ListContentsCommandInput; + output: ListContentsCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/ListImportJobsCommand.ts b/clients/client-wisdom/src/commands/ListImportJobsCommand.ts index 2d7921451b7b..73e04e9b3138 100644 --- a/clients/client-wisdom/src/commands/ListImportJobsCommand.ts +++ b/clients/client-wisdom/src/commands/ListImportJobsCommand.ts @@ -108,4 +108,16 @@ export class ListImportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListImportJobsCommand) .de(de_ListImportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImportJobsRequest; + output: ListImportJobsResponse; + }; + sdk: { + input: ListImportJobsCommandInput; + output: ListImportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/ListKnowledgeBasesCommand.ts b/clients/client-wisdom/src/commands/ListKnowledgeBasesCommand.ts index 1c1789e88152..befc1695a536 100644 --- a/clients/client-wisdom/src/commands/ListKnowledgeBasesCommand.ts +++ b/clients/client-wisdom/src/commands/ListKnowledgeBasesCommand.ts @@ -111,4 +111,16 @@ export class ListKnowledgeBasesCommand extends $Command .f(void 0, void 0) .ser(se_ListKnowledgeBasesCommand) .de(de_ListKnowledgeBasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListKnowledgeBasesRequest; + output: ListKnowledgeBasesResponse; + }; + sdk: { + input: ListKnowledgeBasesCommandInput; + output: ListKnowledgeBasesCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/ListQuickResponsesCommand.ts b/clients/client-wisdom/src/commands/ListQuickResponsesCommand.ts index 1cbbe1952415..96ee293868bc 100644 --- a/clients/client-wisdom/src/commands/ListQuickResponsesCommand.ts +++ b/clients/client-wisdom/src/commands/ListQuickResponsesCommand.ts @@ -114,4 +114,16 @@ export class ListQuickResponsesCommand extends $Command .f(void 0, ListQuickResponsesResponseFilterSensitiveLog) .ser(se_ListQuickResponsesCommand) .de(de_ListQuickResponsesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListQuickResponsesRequest; + output: ListQuickResponsesResponse; + }; + sdk: { + input: ListQuickResponsesCommandInput; + output: ListQuickResponsesCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/ListTagsForResourceCommand.ts b/clients/client-wisdom/src/commands/ListTagsForResourceCommand.ts index 15fe5ac08fe1..8b6083f437e0 100644 --- a/clients/client-wisdom/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-wisdom/src/commands/ListTagsForResourceCommand.ts @@ -82,4 +82,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/NotifyRecommendationsReceivedCommand.ts b/clients/client-wisdom/src/commands/NotifyRecommendationsReceivedCommand.ts index a45076d09770..fe1012bebf47 100644 --- a/clients/client-wisdom/src/commands/NotifyRecommendationsReceivedCommand.ts +++ b/clients/client-wisdom/src/commands/NotifyRecommendationsReceivedCommand.ts @@ -105,4 +105,16 @@ export class NotifyRecommendationsReceivedCommand extends $Command .f(void 0, void 0) .ser(se_NotifyRecommendationsReceivedCommand) .de(de_NotifyRecommendationsReceivedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NotifyRecommendationsReceivedRequest; + output: NotifyRecommendationsReceivedResponse; + }; + sdk: { + input: NotifyRecommendationsReceivedCommandInput; + output: NotifyRecommendationsReceivedCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/QueryAssistantCommand.ts b/clients/client-wisdom/src/commands/QueryAssistantCommand.ts index 44896610eef9..0649b70b7ad4 100644 --- a/clients/client-wisdom/src/commands/QueryAssistantCommand.ts +++ b/clients/client-wisdom/src/commands/QueryAssistantCommand.ts @@ -135,4 +135,16 @@ export class QueryAssistantCommand extends $Command .f(QueryAssistantRequestFilterSensitiveLog, QueryAssistantResponseFilterSensitiveLog) .ser(se_QueryAssistantCommand) .de(de_QueryAssistantCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryAssistantRequest; + output: QueryAssistantResponse; + }; + sdk: { + input: QueryAssistantCommandInput; + output: QueryAssistantCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts b/clients/client-wisdom/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts index dd7a78596bcc..992f235ef8fc 100644 --- a/clients/client-wisdom/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts +++ b/clients/client-wisdom/src/commands/RemoveKnowledgeBaseTemplateUriCommand.ts @@ -89,4 +89,16 @@ export class RemoveKnowledgeBaseTemplateUriCommand extends $Command .f(void 0, void 0) .ser(se_RemoveKnowledgeBaseTemplateUriCommand) .de(de_RemoveKnowledgeBaseTemplateUriCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveKnowledgeBaseTemplateUriRequest; + output: {}; + }; + sdk: { + input: RemoveKnowledgeBaseTemplateUriCommandInput; + output: RemoveKnowledgeBaseTemplateUriCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/SearchContentCommand.ts b/clients/client-wisdom/src/commands/SearchContentCommand.ts index f03f0f16a841..1e696ecf00e1 100644 --- a/clients/client-wisdom/src/commands/SearchContentCommand.ts +++ b/clients/client-wisdom/src/commands/SearchContentCommand.ts @@ -117,4 +117,16 @@ export class SearchContentCommand extends $Command .f(void 0, void 0) .ser(se_SearchContentCommand) .de(de_SearchContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchContentRequest; + output: SearchContentResponse; + }; + sdk: { + input: SearchContentCommandInput; + output: SearchContentCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/SearchQuickResponsesCommand.ts b/clients/client-wisdom/src/commands/SearchQuickResponsesCommand.ts index a23da58af0f8..1b549e6da080 100644 --- a/clients/client-wisdom/src/commands/SearchQuickResponsesCommand.ts +++ b/clients/client-wisdom/src/commands/SearchQuickResponsesCommand.ts @@ -172,4 +172,16 @@ export class SearchQuickResponsesCommand extends $Command .f(SearchQuickResponsesRequestFilterSensitiveLog, SearchQuickResponsesResponseFilterSensitiveLog) .ser(se_SearchQuickResponsesCommand) .de(de_SearchQuickResponsesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchQuickResponsesRequest; + output: SearchQuickResponsesResponse; + }; + sdk: { + input: SearchQuickResponsesCommandInput; + output: SearchQuickResponsesCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/SearchSessionsCommand.ts b/clients/client-wisdom/src/commands/SearchSessionsCommand.ts index e08e142908f0..37655743d30f 100644 --- a/clients/client-wisdom/src/commands/SearchSessionsCommand.ts +++ b/clients/client-wisdom/src/commands/SearchSessionsCommand.ts @@ -105,4 +105,16 @@ export class SearchSessionsCommand extends $Command .f(void 0, void 0) .ser(se_SearchSessionsCommand) .de(de_SearchSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchSessionsRequest; + output: SearchSessionsResponse; + }; + sdk: { + input: SearchSessionsCommandInput; + output: SearchSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/StartContentUploadCommand.ts b/clients/client-wisdom/src/commands/StartContentUploadCommand.ts index 70f9be9037e9..17847ab652a4 100644 --- a/clients/client-wisdom/src/commands/StartContentUploadCommand.ts +++ b/clients/client-wisdom/src/commands/StartContentUploadCommand.ts @@ -100,4 +100,16 @@ export class StartContentUploadCommand extends $Command .f(void 0, StartContentUploadResponseFilterSensitiveLog) .ser(se_StartContentUploadCommand) .de(de_StartContentUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartContentUploadRequest; + output: StartContentUploadResponse; + }; + sdk: { + input: StartContentUploadCommandInput; + output: StartContentUploadCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/StartImportJobCommand.ts b/clients/client-wisdom/src/commands/StartImportJobCommand.ts index b829623704a4..e7dcab427430 100644 --- a/clients/client-wisdom/src/commands/StartImportJobCommand.ts +++ b/clients/client-wisdom/src/commands/StartImportJobCommand.ts @@ -143,4 +143,16 @@ export class StartImportJobCommand extends $Command .f(void 0, StartImportJobResponseFilterSensitiveLog) .ser(se_StartImportJobCommand) .de(de_StartImportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartImportJobRequest; + output: StartImportJobResponse; + }; + sdk: { + input: StartImportJobCommandInput; + output: StartImportJobCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/TagResourceCommand.ts b/clients/client-wisdom/src/commands/TagResourceCommand.ts index a06b77f1cb80..3dda9c4c491d 100644 --- a/clients/client-wisdom/src/commands/TagResourceCommand.ts +++ b/clients/client-wisdom/src/commands/TagResourceCommand.ts @@ -84,4 +84,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/UntagResourceCommand.ts b/clients/client-wisdom/src/commands/UntagResourceCommand.ts index b263ad519e9d..a9d978cadfb8 100644 --- a/clients/client-wisdom/src/commands/UntagResourceCommand.ts +++ b/clients/client-wisdom/src/commands/UntagResourceCommand.ts @@ -81,4 +81,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/UpdateContentCommand.ts b/clients/client-wisdom/src/commands/UpdateContentCommand.ts index 577214a1134a..c4730ae9f139 100644 --- a/clients/client-wisdom/src/commands/UpdateContentCommand.ts +++ b/clients/client-wisdom/src/commands/UpdateContentCommand.ts @@ -122,4 +122,16 @@ export class UpdateContentCommand extends $Command .f(void 0, UpdateContentResponseFilterSensitiveLog) .ser(se_UpdateContentCommand) .de(de_UpdateContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateContentRequest; + output: UpdateContentResponse; + }; + sdk: { + input: UpdateContentCommandInput; + output: UpdateContentCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts b/clients/client-wisdom/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts index 2589e656c212..fc0a7b27253a 100644 --- a/clients/client-wisdom/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts +++ b/clients/client-wisdom/src/commands/UpdateKnowledgeBaseTemplateUriCommand.ts @@ -122,4 +122,16 @@ export class UpdateKnowledgeBaseTemplateUriCommand extends $Command .f(void 0, void 0) .ser(se_UpdateKnowledgeBaseTemplateUriCommand) .de(de_UpdateKnowledgeBaseTemplateUriCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateKnowledgeBaseTemplateUriRequest; + output: UpdateKnowledgeBaseTemplateUriResponse; + }; + sdk: { + input: UpdateKnowledgeBaseTemplateUriCommandInput; + output: UpdateKnowledgeBaseTemplateUriCommandOutput; + }; + }; +} diff --git a/clients/client-wisdom/src/commands/UpdateQuickResponseCommand.ts b/clients/client-wisdom/src/commands/UpdateQuickResponseCommand.ts index 25c4418d4a02..1d7fc72e0b8f 100644 --- a/clients/client-wisdom/src/commands/UpdateQuickResponseCommand.ts +++ b/clients/client-wisdom/src/commands/UpdateQuickResponseCommand.ts @@ -158,4 +158,16 @@ export class UpdateQuickResponseCommand extends $Command .f(UpdateQuickResponseRequestFilterSensitiveLog, UpdateQuickResponseResponseFilterSensitiveLog) .ser(se_UpdateQuickResponseCommand) .de(de_UpdateQuickResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateQuickResponseRequest; + output: UpdateQuickResponseResponse; + }; + sdk: { + input: UpdateQuickResponseCommandInput; + output: UpdateQuickResponseCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/package.json b/clients/client-workdocs/package.json index 8ef3ce08de3d..790124ebb2e9 100644 --- a/clients/client-workdocs/package.json +++ b/clients/client-workdocs/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-workdocs/src/commands/AbortDocumentVersionUploadCommand.ts b/clients/client-workdocs/src/commands/AbortDocumentVersionUploadCommand.ts index ecf85bd6580c..bd5d5daca238 100644 --- a/clients/client-workdocs/src/commands/AbortDocumentVersionUploadCommand.ts +++ b/clients/client-workdocs/src/commands/AbortDocumentVersionUploadCommand.ts @@ -106,4 +106,16 @@ export class AbortDocumentVersionUploadCommand extends $Command .f(AbortDocumentVersionUploadRequestFilterSensitiveLog, void 0) .ser(se_AbortDocumentVersionUploadCommand) .de(de_AbortDocumentVersionUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AbortDocumentVersionUploadRequest; + output: {}; + }; + sdk: { + input: AbortDocumentVersionUploadCommandInput; + output: AbortDocumentVersionUploadCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/ActivateUserCommand.ts b/clients/client-workdocs/src/commands/ActivateUserCommand.ts index e278fc893e12..0336b610c158 100644 --- a/clients/client-workdocs/src/commands/ActivateUserCommand.ts +++ b/clients/client-workdocs/src/commands/ActivateUserCommand.ts @@ -123,4 +123,16 @@ export class ActivateUserCommand extends $Command .f(ActivateUserRequestFilterSensitiveLog, ActivateUserResponseFilterSensitiveLog) .ser(se_ActivateUserCommand) .de(de_ActivateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ActivateUserRequest; + output: ActivateUserResponse; + }; + sdk: { + input: ActivateUserCommandInput; + output: ActivateUserCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/AddResourcePermissionsCommand.ts b/clients/client-workdocs/src/commands/AddResourcePermissionsCommand.ts index 41119829f87a..c52e6acd352d 100644 --- a/clients/client-workdocs/src/commands/AddResourcePermissionsCommand.ts +++ b/clients/client-workdocs/src/commands/AddResourcePermissionsCommand.ts @@ -122,4 +122,16 @@ export class AddResourcePermissionsCommand extends $Command .f(AddResourcePermissionsRequestFilterSensitiveLog, AddResourcePermissionsResponseFilterSensitiveLog) .ser(se_AddResourcePermissionsCommand) .de(de_AddResourcePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddResourcePermissionsRequest; + output: AddResourcePermissionsResponse; + }; + sdk: { + input: AddResourcePermissionsCommandInput; + output: AddResourcePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/CreateCommentCommand.ts b/clients/client-workdocs/src/commands/CreateCommentCommand.ts index b4fbfd4ad660..77de89cefd08 100644 --- a/clients/client-workdocs/src/commands/CreateCommentCommand.ts +++ b/clients/client-workdocs/src/commands/CreateCommentCommand.ts @@ -148,4 +148,16 @@ export class CreateCommentCommand extends $Command .f(CreateCommentRequestFilterSensitiveLog, CreateCommentResponseFilterSensitiveLog) .ser(se_CreateCommentCommand) .de(de_CreateCommentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCommentRequest; + output: CreateCommentResponse; + }; + sdk: { + input: CreateCommentCommandInput; + output: CreateCommentCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/CreateCustomMetadataCommand.ts b/clients/client-workdocs/src/commands/CreateCustomMetadataCommand.ts index aac0fa4c11f3..976c6f618eeb 100644 --- a/clients/client-workdocs/src/commands/CreateCustomMetadataCommand.ts +++ b/clients/client-workdocs/src/commands/CreateCustomMetadataCommand.ts @@ -109,4 +109,16 @@ export class CreateCustomMetadataCommand extends $Command .f(CreateCustomMetadataRequestFilterSensitiveLog, void 0) .ser(se_CreateCustomMetadataCommand) .de(de_CreateCustomMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateCustomMetadataRequest; + output: {}; + }; + sdk: { + input: CreateCustomMetadataCommandInput; + output: CreateCustomMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/CreateFolderCommand.ts b/clients/client-workdocs/src/commands/CreateFolderCommand.ts index b3c6650b59be..2c450f213c25 100644 --- a/clients/client-workdocs/src/commands/CreateFolderCommand.ts +++ b/clients/client-workdocs/src/commands/CreateFolderCommand.ts @@ -130,4 +130,16 @@ export class CreateFolderCommand extends $Command .f(CreateFolderRequestFilterSensitiveLog, CreateFolderResponseFilterSensitiveLog) .ser(se_CreateFolderCommand) .de(de_CreateFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFolderRequest; + output: CreateFolderResponse; + }; + sdk: { + input: CreateFolderCommandInput; + output: CreateFolderCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/CreateLabelsCommand.ts b/clients/client-workdocs/src/commands/CreateLabelsCommand.ts index 8ed699fd8436..8893aa46d6af 100644 --- a/clients/client-workdocs/src/commands/CreateLabelsCommand.ts +++ b/clients/client-workdocs/src/commands/CreateLabelsCommand.ts @@ -101,4 +101,16 @@ export class CreateLabelsCommand extends $Command .f(CreateLabelsRequestFilterSensitiveLog, void 0) .ser(se_CreateLabelsCommand) .de(de_CreateLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateLabelsRequest; + output: {}; + }; + sdk: { + input: CreateLabelsCommandInput; + output: CreateLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/CreateNotificationSubscriptionCommand.ts b/clients/client-workdocs/src/commands/CreateNotificationSubscriptionCommand.ts index c92620120df6..6f4d7c4bb0c8 100644 --- a/clients/client-workdocs/src/commands/CreateNotificationSubscriptionCommand.ts +++ b/clients/client-workdocs/src/commands/CreateNotificationSubscriptionCommand.ts @@ -105,4 +105,16 @@ export class CreateNotificationSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_CreateNotificationSubscriptionCommand) .de(de_CreateNotificationSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNotificationSubscriptionRequest; + output: CreateNotificationSubscriptionResponse; + }; + sdk: { + input: CreateNotificationSubscriptionCommandInput; + output: CreateNotificationSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/CreateUserCommand.ts b/clients/client-workdocs/src/commands/CreateUserCommand.ts index b3f3b82754a3..0ea209cea18a 100644 --- a/clients/client-workdocs/src/commands/CreateUserCommand.ts +++ b/clients/client-workdocs/src/commands/CreateUserCommand.ts @@ -133,4 +133,16 @@ export class CreateUserCommand extends $Command .f(CreateUserRequestFilterSensitiveLog, CreateUserResponseFilterSensitiveLog) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeactivateUserCommand.ts b/clients/client-workdocs/src/commands/DeactivateUserCommand.ts index 8342b39e43df..efbf9a45629a 100644 --- a/clients/client-workdocs/src/commands/DeactivateUserCommand.ts +++ b/clients/client-workdocs/src/commands/DeactivateUserCommand.ts @@ -94,4 +94,16 @@ export class DeactivateUserCommand extends $Command .f(DeactivateUserRequestFilterSensitiveLog, void 0) .ser(se_DeactivateUserCommand) .de(de_DeactivateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeactivateUserRequest; + output: {}; + }; + sdk: { + input: DeactivateUserCommandInput; + output: DeactivateUserCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteCommentCommand.ts b/clients/client-workdocs/src/commands/DeleteCommentCommand.ts index 0435340d76be..e151c788735a 100644 --- a/clients/client-workdocs/src/commands/DeleteCommentCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteCommentCommand.ts @@ -102,4 +102,16 @@ export class DeleteCommentCommand extends $Command .f(DeleteCommentRequestFilterSensitiveLog, void 0) .ser(se_DeleteCommentCommand) .de(de_DeleteCommentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCommentRequest; + output: {}; + }; + sdk: { + input: DeleteCommentCommandInput; + output: DeleteCommentCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteCustomMetadataCommand.ts b/clients/client-workdocs/src/commands/DeleteCustomMetadataCommand.ts index e0ee28835d17..59407156e027 100644 --- a/clients/client-workdocs/src/commands/DeleteCustomMetadataCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteCustomMetadataCommand.ts @@ -105,4 +105,16 @@ export class DeleteCustomMetadataCommand extends $Command .f(DeleteCustomMetadataRequestFilterSensitiveLog, void 0) .ser(se_DeleteCustomMetadataCommand) .de(de_DeleteCustomMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteCustomMetadataRequest; + output: {}; + }; + sdk: { + input: DeleteCustomMetadataCommandInput; + output: DeleteCustomMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteDocumentCommand.ts b/clients/client-workdocs/src/commands/DeleteDocumentCommand.ts index df5da822ae9f..c2551e775916 100644 --- a/clients/client-workdocs/src/commands/DeleteDocumentCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteDocumentCommand.ts @@ -105,4 +105,16 @@ export class DeleteDocumentCommand extends $Command .f(DeleteDocumentRequestFilterSensitiveLog, void 0) .ser(se_DeleteDocumentCommand) .de(de_DeleteDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDocumentRequest; + output: {}; + }; + sdk: { + input: DeleteDocumentCommandInput; + output: DeleteDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteDocumentVersionCommand.ts b/clients/client-workdocs/src/commands/DeleteDocumentVersionCommand.ts index 16e2af8ae221..d91fe6d360b7 100644 --- a/clients/client-workdocs/src/commands/DeleteDocumentVersionCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteDocumentVersionCommand.ts @@ -104,4 +104,16 @@ export class DeleteDocumentVersionCommand extends $Command .f(DeleteDocumentVersionRequestFilterSensitiveLog, void 0) .ser(se_DeleteDocumentVersionCommand) .de(de_DeleteDocumentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDocumentVersionRequest; + output: {}; + }; + sdk: { + input: DeleteDocumentVersionCommandInput; + output: DeleteDocumentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteFolderCommand.ts b/clients/client-workdocs/src/commands/DeleteFolderCommand.ts index 87e2496ca407..7d8acfecba5b 100644 --- a/clients/client-workdocs/src/commands/DeleteFolderCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteFolderCommand.ts @@ -105,4 +105,16 @@ export class DeleteFolderCommand extends $Command .f(DeleteFolderRequestFilterSensitiveLog, void 0) .ser(se_DeleteFolderCommand) .de(de_DeleteFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFolderRequest; + output: {}; + }; + sdk: { + input: DeleteFolderCommandInput; + output: DeleteFolderCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteFolderContentsCommand.ts b/clients/client-workdocs/src/commands/DeleteFolderContentsCommand.ts index 6136fead84cc..f2fa6afea9fe 100644 --- a/clients/client-workdocs/src/commands/DeleteFolderContentsCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteFolderContentsCommand.ts @@ -99,4 +99,16 @@ export class DeleteFolderContentsCommand extends $Command .f(DeleteFolderContentsRequestFilterSensitiveLog, void 0) .ser(se_DeleteFolderContentsCommand) .de(de_DeleteFolderContentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFolderContentsRequest; + output: {}; + }; + sdk: { + input: DeleteFolderContentsCommandInput; + output: DeleteFolderContentsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteLabelsCommand.ts b/clients/client-workdocs/src/commands/DeleteLabelsCommand.ts index 5732801a8dbb..7585665bd857 100644 --- a/clients/client-workdocs/src/commands/DeleteLabelsCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteLabelsCommand.ts @@ -100,4 +100,16 @@ export class DeleteLabelsCommand extends $Command .f(DeleteLabelsRequestFilterSensitiveLog, void 0) .ser(se_DeleteLabelsCommand) .de(de_DeleteLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteLabelsRequest; + output: {}; + }; + sdk: { + input: DeleteLabelsCommandInput; + output: DeleteLabelsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteNotificationSubscriptionCommand.ts b/clients/client-workdocs/src/commands/DeleteNotificationSubscriptionCommand.ts index 6e465d75ec8c..001ea2689060 100644 --- a/clients/client-workdocs/src/commands/DeleteNotificationSubscriptionCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteNotificationSubscriptionCommand.ts @@ -91,4 +91,16 @@ export class DeleteNotificationSubscriptionCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNotificationSubscriptionCommand) .de(de_DeleteNotificationSubscriptionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNotificationSubscriptionRequest; + output: {}; + }; + sdk: { + input: DeleteNotificationSubscriptionCommandInput; + output: DeleteNotificationSubscriptionCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DeleteUserCommand.ts b/clients/client-workdocs/src/commands/DeleteUserCommand.ts index ec421345ed09..7bc1e2a595d4 100644 --- a/clients/client-workdocs/src/commands/DeleteUserCommand.ts +++ b/clients/client-workdocs/src/commands/DeleteUserCommand.ts @@ -96,4 +96,16 @@ export class DeleteUserCommand extends $Command .f(DeleteUserRequestFilterSensitiveLog, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeActivitiesCommand.ts b/clients/client-workdocs/src/commands/DescribeActivitiesCommand.ts index 0671e1c6872d..87b9e87fdf71 100644 --- a/clients/client-workdocs/src/commands/DescribeActivitiesCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeActivitiesCommand.ts @@ -188,4 +188,16 @@ export class DescribeActivitiesCommand extends $Command .f(DescribeActivitiesRequestFilterSensitiveLog, DescribeActivitiesResponseFilterSensitiveLog) .ser(se_DescribeActivitiesCommand) .de(de_DescribeActivitiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeActivitiesRequest; + output: DescribeActivitiesResponse; + }; + sdk: { + input: DescribeActivitiesCommandInput; + output: DescribeActivitiesCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeCommentsCommand.ts b/clients/client-workdocs/src/commands/DescribeCommentsCommand.ts index 3307dd915e68..3075984b5c34 100644 --- a/clients/client-workdocs/src/commands/DescribeCommentsCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeCommentsCommand.ts @@ -141,4 +141,16 @@ export class DescribeCommentsCommand extends $Command .f(DescribeCommentsRequestFilterSensitiveLog, DescribeCommentsResponseFilterSensitiveLog) .ser(se_DescribeCommentsCommand) .de(de_DescribeCommentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCommentsRequest; + output: DescribeCommentsResponse; + }; + sdk: { + input: DescribeCommentsCommandInput; + output: DescribeCommentsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeDocumentVersionsCommand.ts b/clients/client-workdocs/src/commands/DescribeDocumentVersionsCommand.ts index fc3ff2307c22..5f00c8f7135d 100644 --- a/clients/client-workdocs/src/commands/DescribeDocumentVersionsCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeDocumentVersionsCommand.ts @@ -135,4 +135,16 @@ export class DescribeDocumentVersionsCommand extends $Command .f(DescribeDocumentVersionsRequestFilterSensitiveLog, DescribeDocumentVersionsResponseFilterSensitiveLog) .ser(se_DescribeDocumentVersionsCommand) .de(de_DescribeDocumentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDocumentVersionsRequest; + output: DescribeDocumentVersionsResponse; + }; + sdk: { + input: DescribeDocumentVersionsCommandInput; + output: DescribeDocumentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeFolderContentsCommand.ts b/clients/client-workdocs/src/commands/DescribeFolderContentsCommand.ts index cffa6b46a4b3..4a7251f7bc24 100644 --- a/clients/client-workdocs/src/commands/DescribeFolderContentsCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeFolderContentsCommand.ts @@ -163,4 +163,16 @@ export class DescribeFolderContentsCommand extends $Command .f(DescribeFolderContentsRequestFilterSensitiveLog, DescribeFolderContentsResponseFilterSensitiveLog) .ser(se_DescribeFolderContentsCommand) .de(de_DescribeFolderContentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFolderContentsRequest; + output: DescribeFolderContentsResponse; + }; + sdk: { + input: DescribeFolderContentsCommandInput; + output: DescribeFolderContentsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeGroupsCommand.ts b/clients/client-workdocs/src/commands/DescribeGroupsCommand.ts index 01bc539125e7..ffc6bb4fb37f 100644 --- a/clients/client-workdocs/src/commands/DescribeGroupsCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeGroupsCommand.ts @@ -106,4 +106,16 @@ export class DescribeGroupsCommand extends $Command .f(DescribeGroupsRequestFilterSensitiveLog, void 0) .ser(se_DescribeGroupsCommand) .de(de_DescribeGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGroupsRequest; + output: DescribeGroupsResponse; + }; + sdk: { + input: DescribeGroupsCommandInput; + output: DescribeGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeNotificationSubscriptionsCommand.ts b/clients/client-workdocs/src/commands/DescribeNotificationSubscriptionsCommand.ts index 2962fd7bc0ed..d9adf8047c30 100644 --- a/clients/client-workdocs/src/commands/DescribeNotificationSubscriptionsCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeNotificationSubscriptionsCommand.ts @@ -103,4 +103,16 @@ export class DescribeNotificationSubscriptionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeNotificationSubscriptionsCommand) .de(de_DescribeNotificationSubscriptionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeNotificationSubscriptionsRequest; + output: DescribeNotificationSubscriptionsResponse; + }; + sdk: { + input: DescribeNotificationSubscriptionsCommandInput; + output: DescribeNotificationSubscriptionsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeResourcePermissionsCommand.ts b/clients/client-workdocs/src/commands/DescribeResourcePermissionsCommand.ts index 2147148ad36e..027dd4318bfc 100644 --- a/clients/client-workdocs/src/commands/DescribeResourcePermissionsCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeResourcePermissionsCommand.ts @@ -119,4 +119,16 @@ export class DescribeResourcePermissionsCommand extends $Command .f(DescribeResourcePermissionsRequestFilterSensitiveLog, void 0) .ser(se_DescribeResourcePermissionsCommand) .de(de_DescribeResourcePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourcePermissionsRequest; + output: DescribeResourcePermissionsResponse; + }; + sdk: { + input: DescribeResourcePermissionsCommandInput; + output: DescribeResourcePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeRootFoldersCommand.ts b/clients/client-workdocs/src/commands/DescribeRootFoldersCommand.ts index 71bf273687cb..341c323951ec 100644 --- a/clients/client-workdocs/src/commands/DescribeRootFoldersCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeRootFoldersCommand.ts @@ -126,4 +126,16 @@ export class DescribeRootFoldersCommand extends $Command .f(DescribeRootFoldersRequestFilterSensitiveLog, DescribeRootFoldersResponseFilterSensitiveLog) .ser(se_DescribeRootFoldersCommand) .de(de_DescribeRootFoldersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeRootFoldersRequest; + output: DescribeRootFoldersResponse; + }; + sdk: { + input: DescribeRootFoldersCommandInput; + output: DescribeRootFoldersCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/DescribeUsersCommand.ts b/clients/client-workdocs/src/commands/DescribeUsersCommand.ts index 93b220358ae9..5e355086aa68 100644 --- a/clients/client-workdocs/src/commands/DescribeUsersCommand.ts +++ b/clients/client-workdocs/src/commands/DescribeUsersCommand.ts @@ -144,4 +144,16 @@ export class DescribeUsersCommand extends $Command .f(DescribeUsersRequestFilterSensitiveLog, DescribeUsersResponseFilterSensitiveLog) .ser(se_DescribeUsersCommand) .de(de_DescribeUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUsersRequest; + output: DescribeUsersResponse; + }; + sdk: { + input: DescribeUsersCommandInput; + output: DescribeUsersCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/GetCurrentUserCommand.ts b/clients/client-workdocs/src/commands/GetCurrentUserCommand.ts index 1855d61038ac..370d3576fd74 100644 --- a/clients/client-workdocs/src/commands/GetCurrentUserCommand.ts +++ b/clients/client-workdocs/src/commands/GetCurrentUserCommand.ts @@ -127,4 +127,16 @@ export class GetCurrentUserCommand extends $Command .f(GetCurrentUserRequestFilterSensitiveLog, GetCurrentUserResponseFilterSensitiveLog) .ser(se_GetCurrentUserCommand) .de(de_GetCurrentUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetCurrentUserRequest; + output: GetCurrentUserResponse; + }; + sdk: { + input: GetCurrentUserCommandInput; + output: GetCurrentUserCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/GetDocumentCommand.ts b/clients/client-workdocs/src/commands/GetDocumentCommand.ts index 41b88fef4f26..60b1309cb197 100644 --- a/clients/client-workdocs/src/commands/GetDocumentCommand.ts +++ b/clients/client-workdocs/src/commands/GetDocumentCommand.ts @@ -139,4 +139,16 @@ export class GetDocumentCommand extends $Command .f(GetDocumentRequestFilterSensitiveLog, GetDocumentResponseFilterSensitiveLog) .ser(se_GetDocumentCommand) .de(de_GetDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentRequest; + output: GetDocumentResponse; + }; + sdk: { + input: GetDocumentCommandInput; + output: GetDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/GetDocumentPathCommand.ts b/clients/client-workdocs/src/commands/GetDocumentPathCommand.ts index 5d4d80457162..40c9332f6cc5 100644 --- a/clients/client-workdocs/src/commands/GetDocumentPathCommand.ts +++ b/clients/client-workdocs/src/commands/GetDocumentPathCommand.ts @@ -115,4 +115,16 @@ export class GetDocumentPathCommand extends $Command .f(GetDocumentPathRequestFilterSensitiveLog, GetDocumentPathResponseFilterSensitiveLog) .ser(se_GetDocumentPathCommand) .de(de_GetDocumentPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentPathRequest; + output: GetDocumentPathResponse; + }; + sdk: { + input: GetDocumentPathCommandInput; + output: GetDocumentPathCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/GetDocumentVersionCommand.ts b/clients/client-workdocs/src/commands/GetDocumentVersionCommand.ts index 528c949237e2..924e1c3ae137 100644 --- a/clients/client-workdocs/src/commands/GetDocumentVersionCommand.ts +++ b/clients/client-workdocs/src/commands/GetDocumentVersionCommand.ts @@ -130,4 +130,16 @@ export class GetDocumentVersionCommand extends $Command .f(GetDocumentVersionRequestFilterSensitiveLog, GetDocumentVersionResponseFilterSensitiveLog) .ser(se_GetDocumentVersionCommand) .de(de_GetDocumentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDocumentVersionRequest; + output: GetDocumentVersionResponse; + }; + sdk: { + input: GetDocumentVersionCommandInput; + output: GetDocumentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/GetFolderCommand.ts b/clients/client-workdocs/src/commands/GetFolderCommand.ts index 8c4d44b976c8..e5d8235b2c5c 100644 --- a/clients/client-workdocs/src/commands/GetFolderCommand.ts +++ b/clients/client-workdocs/src/commands/GetFolderCommand.ts @@ -124,4 +124,16 @@ export class GetFolderCommand extends $Command .f(GetFolderRequestFilterSensitiveLog, GetFolderResponseFilterSensitiveLog) .ser(se_GetFolderCommand) .de(de_GetFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFolderRequest; + output: GetFolderResponse; + }; + sdk: { + input: GetFolderCommandInput; + output: GetFolderCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/GetFolderPathCommand.ts b/clients/client-workdocs/src/commands/GetFolderPathCommand.ts index c13632667b88..e5e68ce79204 100644 --- a/clients/client-workdocs/src/commands/GetFolderPathCommand.ts +++ b/clients/client-workdocs/src/commands/GetFolderPathCommand.ts @@ -115,4 +115,16 @@ export class GetFolderPathCommand extends $Command .f(GetFolderPathRequestFilterSensitiveLog, GetFolderPathResponseFilterSensitiveLog) .ser(se_GetFolderPathCommand) .de(de_GetFolderPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetFolderPathRequest; + output: GetFolderPathResponse; + }; + sdk: { + input: GetFolderPathCommandInput; + output: GetFolderPathCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/GetResourcesCommand.ts b/clients/client-workdocs/src/commands/GetResourcesCommand.ts index 4e98e202e1bf..865c0aa81cb7 100644 --- a/clients/client-workdocs/src/commands/GetResourcesCommand.ts +++ b/clients/client-workdocs/src/commands/GetResourcesCommand.ts @@ -153,4 +153,16 @@ export class GetResourcesCommand extends $Command .f(GetResourcesRequestFilterSensitiveLog, GetResourcesResponseFilterSensitiveLog) .ser(se_GetResourcesCommand) .de(de_GetResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetResourcesRequest; + output: GetResourcesResponse; + }; + sdk: { + input: GetResourcesCommandInput; + output: GetResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/InitiateDocumentVersionUploadCommand.ts b/clients/client-workdocs/src/commands/InitiateDocumentVersionUploadCommand.ts index 08a43ab3486c..9d57e66c71a7 100644 --- a/clients/client-workdocs/src/commands/InitiateDocumentVersionUploadCommand.ts +++ b/clients/client-workdocs/src/commands/InitiateDocumentVersionUploadCommand.ts @@ -179,4 +179,16 @@ export class InitiateDocumentVersionUploadCommand extends $Command .f(InitiateDocumentVersionUploadRequestFilterSensitiveLog, InitiateDocumentVersionUploadResponseFilterSensitiveLog) .ser(se_InitiateDocumentVersionUploadCommand) .de(de_InitiateDocumentVersionUploadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InitiateDocumentVersionUploadRequest; + output: InitiateDocumentVersionUploadResponse; + }; + sdk: { + input: InitiateDocumentVersionUploadCommandInput; + output: InitiateDocumentVersionUploadCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/RemoveAllResourcePermissionsCommand.ts b/clients/client-workdocs/src/commands/RemoveAllResourcePermissionsCommand.ts index 2924dc94dcb1..ddfe646342d1 100644 --- a/clients/client-workdocs/src/commands/RemoveAllResourcePermissionsCommand.ts +++ b/clients/client-workdocs/src/commands/RemoveAllResourcePermissionsCommand.ts @@ -96,4 +96,16 @@ export class RemoveAllResourcePermissionsCommand extends $Command .f(RemoveAllResourcePermissionsRequestFilterSensitiveLog, void 0) .ser(se_RemoveAllResourcePermissionsCommand) .de(de_RemoveAllResourcePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveAllResourcePermissionsRequest; + output: {}; + }; + sdk: { + input: RemoveAllResourcePermissionsCommandInput; + output: RemoveAllResourcePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/RemoveResourcePermissionCommand.ts b/clients/client-workdocs/src/commands/RemoveResourcePermissionCommand.ts index a33f75c01733..0bd465297bb1 100644 --- a/clients/client-workdocs/src/commands/RemoveResourcePermissionCommand.ts +++ b/clients/client-workdocs/src/commands/RemoveResourcePermissionCommand.ts @@ -93,4 +93,16 @@ export class RemoveResourcePermissionCommand extends $Command .f(RemoveResourcePermissionRequestFilterSensitiveLog, void 0) .ser(se_RemoveResourcePermissionCommand) .de(de_RemoveResourcePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveResourcePermissionRequest; + output: {}; + }; + sdk: { + input: RemoveResourcePermissionCommandInput; + output: RemoveResourcePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/RestoreDocumentVersionsCommand.ts b/clients/client-workdocs/src/commands/RestoreDocumentVersionsCommand.ts index 0ad3e20c3bf2..9aa0d3a8fd7a 100644 --- a/clients/client-workdocs/src/commands/RestoreDocumentVersionsCommand.ts +++ b/clients/client-workdocs/src/commands/RestoreDocumentVersionsCommand.ts @@ -102,4 +102,16 @@ export class RestoreDocumentVersionsCommand extends $Command .f(RestoreDocumentVersionsRequestFilterSensitiveLog, void 0) .ser(se_RestoreDocumentVersionsCommand) .de(de_RestoreDocumentVersionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDocumentVersionsRequest; + output: {}; + }; + sdk: { + input: RestoreDocumentVersionsCommandInput; + output: RestoreDocumentVersionsCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/SearchResourcesCommand.ts b/clients/client-workdocs/src/commands/SearchResourcesCommand.ts index a0ad7364e908..083c9855583c 100644 --- a/clients/client-workdocs/src/commands/SearchResourcesCommand.ts +++ b/clients/client-workdocs/src/commands/SearchResourcesCommand.ts @@ -250,4 +250,16 @@ export class SearchResourcesCommand extends $Command .f(SearchResourcesRequestFilterSensitiveLog, SearchResourcesResponseFilterSensitiveLog) .ser(se_SearchResourcesCommand) .de(de_SearchResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchResourcesRequest; + output: SearchResourcesResponse; + }; + sdk: { + input: SearchResourcesCommandInput; + output: SearchResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/UpdateDocumentCommand.ts b/clients/client-workdocs/src/commands/UpdateDocumentCommand.ts index ed8cf02747f4..8be00c145edb 100644 --- a/clients/client-workdocs/src/commands/UpdateDocumentCommand.ts +++ b/clients/client-workdocs/src/commands/UpdateDocumentCommand.ts @@ -112,4 +112,16 @@ export class UpdateDocumentCommand extends $Command .f(UpdateDocumentRequestFilterSensitiveLog, void 0) .ser(se_UpdateDocumentCommand) .de(de_UpdateDocumentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDocumentRequest; + output: {}; + }; + sdk: { + input: UpdateDocumentCommandInput; + output: UpdateDocumentCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/UpdateDocumentVersionCommand.ts b/clients/client-workdocs/src/commands/UpdateDocumentVersionCommand.ts index 659549cfe70b..5d37ef4a32b2 100644 --- a/clients/client-workdocs/src/commands/UpdateDocumentVersionCommand.ts +++ b/clients/client-workdocs/src/commands/UpdateDocumentVersionCommand.ts @@ -107,4 +107,16 @@ export class UpdateDocumentVersionCommand extends $Command .f(UpdateDocumentVersionRequestFilterSensitiveLog, void 0) .ser(se_UpdateDocumentVersionCommand) .de(de_UpdateDocumentVersionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDocumentVersionRequest; + output: {}; + }; + sdk: { + input: UpdateDocumentVersionCommandInput; + output: UpdateDocumentVersionCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/UpdateFolderCommand.ts b/clients/client-workdocs/src/commands/UpdateFolderCommand.ts index 6c892de4fb70..198c013678ba 100644 --- a/clients/client-workdocs/src/commands/UpdateFolderCommand.ts +++ b/clients/client-workdocs/src/commands/UpdateFolderCommand.ts @@ -112,4 +112,16 @@ export class UpdateFolderCommand extends $Command .f(UpdateFolderRequestFilterSensitiveLog, void 0) .ser(se_UpdateFolderCommand) .de(de_UpdateFolderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFolderRequest; + output: {}; + }; + sdk: { + input: UpdateFolderCommandInput; + output: UpdateFolderCommandOutput; + }; + }; +} diff --git a/clients/client-workdocs/src/commands/UpdateUserCommand.ts b/clients/client-workdocs/src/commands/UpdateUserCommand.ts index de76d750d156..baa4f84bca7f 100644 --- a/clients/client-workdocs/src/commands/UpdateUserCommand.ts +++ b/clients/client-workdocs/src/commands/UpdateUserCommand.ts @@ -145,4 +145,16 @@ export class UpdateUserCommand extends $Command .f(UpdateUserRequestFilterSensitiveLog, UpdateUserResponseFilterSensitiveLog) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: UpdateUserResponse; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/package.json b/clients/client-worklink/package.json index 9646fa639d02..1e6f3d4044d9 100644 --- a/clients/client-worklink/package.json +++ b/clients/client-worklink/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-worklink/src/commands/AssociateDomainCommand.ts b/clients/client-worklink/src/commands/AssociateDomainCommand.ts index b9f9e06f2f29..dd0bc2348d21 100644 --- a/clients/client-worklink/src/commands/AssociateDomainCommand.ts +++ b/clients/client-worklink/src/commands/AssociateDomainCommand.ts @@ -98,4 +98,16 @@ export class AssociateDomainCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDomainCommand) .de(de_AssociateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDomainRequest; + output: {}; + }; + sdk: { + input: AssociateDomainCommandInput; + output: AssociateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/AssociateWebsiteAuthorizationProviderCommand.ts b/clients/client-worklink/src/commands/AssociateWebsiteAuthorizationProviderCommand.ts index 166269d05371..891cbaaffe72 100644 --- a/clients/client-worklink/src/commands/AssociateWebsiteAuthorizationProviderCommand.ts +++ b/clients/client-worklink/src/commands/AssociateWebsiteAuthorizationProviderCommand.ts @@ -108,4 +108,16 @@ export class AssociateWebsiteAuthorizationProviderCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWebsiteAuthorizationProviderCommand) .de(de_AssociateWebsiteAuthorizationProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWebsiteAuthorizationProviderRequest; + output: AssociateWebsiteAuthorizationProviderResponse; + }; + sdk: { + input: AssociateWebsiteAuthorizationProviderCommandInput; + output: AssociateWebsiteAuthorizationProviderCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/AssociateWebsiteCertificateAuthorityCommand.ts b/clients/client-worklink/src/commands/AssociateWebsiteCertificateAuthorityCommand.ts index a24a6b3d8596..59b518488f7a 100644 --- a/clients/client-worklink/src/commands/AssociateWebsiteCertificateAuthorityCommand.ts +++ b/clients/client-worklink/src/commands/AssociateWebsiteCertificateAuthorityCommand.ts @@ -108,4 +108,16 @@ export class AssociateWebsiteCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWebsiteCertificateAuthorityCommand) .de(de_AssociateWebsiteCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWebsiteCertificateAuthorityRequest; + output: AssociateWebsiteCertificateAuthorityResponse; + }; + sdk: { + input: AssociateWebsiteCertificateAuthorityCommandInput; + output: AssociateWebsiteCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/CreateFleetCommand.ts b/clients/client-worklink/src/commands/CreateFleetCommand.ts index 9c9c9316bd9d..0cb822eaeb9c 100644 --- a/clients/client-worklink/src/commands/CreateFleetCommand.ts +++ b/clients/client-worklink/src/commands/CreateFleetCommand.ts @@ -103,4 +103,16 @@ export class CreateFleetCommand extends $Command .f(void 0, void 0) .ser(se_CreateFleetCommand) .de(de_CreateFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateFleetRequest; + output: CreateFleetResponse; + }; + sdk: { + input: CreateFleetCommandInput; + output: CreateFleetCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DeleteFleetCommand.ts b/clients/client-worklink/src/commands/DeleteFleetCommand.ts index c2e834fa6310..6219e5984457 100644 --- a/clients/client-worklink/src/commands/DeleteFleetCommand.ts +++ b/clients/client-worklink/src/commands/DeleteFleetCommand.ts @@ -92,4 +92,16 @@ export class DeleteFleetCommand extends $Command .f(void 0, void 0) .ser(se_DeleteFleetCommand) .de(de_DeleteFleetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteFleetRequest; + output: {}; + }; + sdk: { + input: DeleteFleetCommandInput; + output: DeleteFleetCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeAuditStreamConfigurationCommand.ts b/clients/client-worklink/src/commands/DescribeAuditStreamConfigurationCommand.ts index d320d2591538..cc3781bcb725 100644 --- a/clients/client-worklink/src/commands/DescribeAuditStreamConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/DescribeAuditStreamConfigurationCommand.ts @@ -99,4 +99,16 @@ export class DescribeAuditStreamConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAuditStreamConfigurationCommand) .de(de_DescribeAuditStreamConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAuditStreamConfigurationRequest; + output: DescribeAuditStreamConfigurationResponse; + }; + sdk: { + input: DescribeAuditStreamConfigurationCommandInput; + output: DescribeAuditStreamConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeCompanyNetworkConfigurationCommand.ts b/clients/client-worklink/src/commands/DescribeCompanyNetworkConfigurationCommand.ts index 89eb2fe41a0a..9b20f31aef2f 100644 --- a/clients/client-worklink/src/commands/DescribeCompanyNetworkConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/DescribeCompanyNetworkConfigurationCommand.ts @@ -109,4 +109,16 @@ export class DescribeCompanyNetworkConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeCompanyNetworkConfigurationCommand) .de(de_DescribeCompanyNetworkConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeCompanyNetworkConfigurationRequest; + output: DescribeCompanyNetworkConfigurationResponse; + }; + sdk: { + input: DescribeCompanyNetworkConfigurationCommandInput; + output: DescribeCompanyNetworkConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeDeviceCommand.ts b/clients/client-worklink/src/commands/DescribeDeviceCommand.ts index 6494fc1f5ba4..1f692c5cdc66 100644 --- a/clients/client-worklink/src/commands/DescribeDeviceCommand.ts +++ b/clients/client-worklink/src/commands/DescribeDeviceCommand.ts @@ -103,4 +103,16 @@ export class DescribeDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDeviceCommand) .de(de_DescribeDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDeviceRequest; + output: DescribeDeviceResponse; + }; + sdk: { + input: DescribeDeviceCommandInput; + output: DescribeDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeDevicePolicyConfigurationCommand.ts b/clients/client-worklink/src/commands/DescribeDevicePolicyConfigurationCommand.ts index 259d8f50c5ee..f98dabfa035f 100644 --- a/clients/client-worklink/src/commands/DescribeDevicePolicyConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/DescribeDevicePolicyConfigurationCommand.ts @@ -102,4 +102,16 @@ export class DescribeDevicePolicyConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDevicePolicyConfigurationCommand) .de(de_DescribeDevicePolicyConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDevicePolicyConfigurationRequest; + output: DescribeDevicePolicyConfigurationResponse; + }; + sdk: { + input: DescribeDevicePolicyConfigurationCommandInput; + output: DescribeDevicePolicyConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeDomainCommand.ts b/clients/client-worklink/src/commands/DescribeDomainCommand.ts index fb7f9fdb68db..257fa87ce0ae 100644 --- a/clients/client-worklink/src/commands/DescribeDomainCommand.ts +++ b/clients/client-worklink/src/commands/DescribeDomainCommand.ts @@ -99,4 +99,16 @@ export class DescribeDomainCommand extends $Command .f(void 0, void 0) .ser(se_DescribeDomainCommand) .de(de_DescribeDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDomainRequest; + output: DescribeDomainResponse; + }; + sdk: { + input: DescribeDomainCommandInput; + output: DescribeDomainCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeFleetMetadataCommand.ts b/clients/client-worklink/src/commands/DescribeFleetMetadataCommand.ts index c84c20ecbd7a..b0105821d061 100644 --- a/clients/client-worklink/src/commands/DescribeFleetMetadataCommand.ts +++ b/clients/client-worklink/src/commands/DescribeFleetMetadataCommand.ts @@ -104,4 +104,16 @@ export class DescribeFleetMetadataCommand extends $Command .f(void 0, void 0) .ser(se_DescribeFleetMetadataCommand) .de(de_DescribeFleetMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeFleetMetadataRequest; + output: DescribeFleetMetadataResponse; + }; + sdk: { + input: DescribeFleetMetadataCommandInput; + output: DescribeFleetMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeIdentityProviderConfigurationCommand.ts b/clients/client-worklink/src/commands/DescribeIdentityProviderConfigurationCommand.ts index 49a5699ad974..64ba5ce47d86 100644 --- a/clients/client-worklink/src/commands/DescribeIdentityProviderConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/DescribeIdentityProviderConfigurationCommand.ts @@ -105,4 +105,16 @@ export class DescribeIdentityProviderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIdentityProviderConfigurationCommand) .de(de_DescribeIdentityProviderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIdentityProviderConfigurationRequest; + output: DescribeIdentityProviderConfigurationResponse; + }; + sdk: { + input: DescribeIdentityProviderConfigurationCommandInput; + output: DescribeIdentityProviderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DescribeWebsiteCertificateAuthorityCommand.ts b/clients/client-worklink/src/commands/DescribeWebsiteCertificateAuthorityCommand.ts index 0c0d3ddf55ec..57c64c33f7f1 100644 --- a/clients/client-worklink/src/commands/DescribeWebsiteCertificateAuthorityCommand.ts +++ b/clients/client-worklink/src/commands/DescribeWebsiteCertificateAuthorityCommand.ts @@ -105,4 +105,16 @@ export class DescribeWebsiteCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWebsiteCertificateAuthorityCommand) .de(de_DescribeWebsiteCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWebsiteCertificateAuthorityRequest; + output: DescribeWebsiteCertificateAuthorityResponse; + }; + sdk: { + input: DescribeWebsiteCertificateAuthorityCommandInput; + output: DescribeWebsiteCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DisassociateDomainCommand.ts b/clients/client-worklink/src/commands/DisassociateDomainCommand.ts index 3776aca4a7e8..fd985ae809da 100644 --- a/clients/client-worklink/src/commands/DisassociateDomainCommand.ts +++ b/clients/client-worklink/src/commands/DisassociateDomainCommand.ts @@ -93,4 +93,16 @@ export class DisassociateDomainCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDomainCommand) .de(de_DisassociateDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateDomainRequest; + output: {}; + }; + sdk: { + input: DisassociateDomainCommandInput; + output: DisassociateDomainCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DisassociateWebsiteAuthorizationProviderCommand.ts b/clients/client-worklink/src/commands/DisassociateWebsiteAuthorizationProviderCommand.ts index de22272b1153..1328036cd4bd 100644 --- a/clients/client-worklink/src/commands/DisassociateWebsiteAuthorizationProviderCommand.ts +++ b/clients/client-worklink/src/commands/DisassociateWebsiteAuthorizationProviderCommand.ts @@ -107,4 +107,16 @@ export class DisassociateWebsiteAuthorizationProviderCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWebsiteAuthorizationProviderCommand) .de(de_DisassociateWebsiteAuthorizationProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWebsiteAuthorizationProviderRequest; + output: {}; + }; + sdk: { + input: DisassociateWebsiteAuthorizationProviderCommandInput; + output: DisassociateWebsiteAuthorizationProviderCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/DisassociateWebsiteCertificateAuthorityCommand.ts b/clients/client-worklink/src/commands/DisassociateWebsiteCertificateAuthorityCommand.ts index 5b94fbb6113b..77df4fe9105d 100644 --- a/clients/client-worklink/src/commands/DisassociateWebsiteCertificateAuthorityCommand.ts +++ b/clients/client-worklink/src/commands/DisassociateWebsiteCertificateAuthorityCommand.ts @@ -102,4 +102,16 @@ export class DisassociateWebsiteCertificateAuthorityCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWebsiteCertificateAuthorityCommand) .de(de_DisassociateWebsiteCertificateAuthorityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWebsiteCertificateAuthorityRequest; + output: {}; + }; + sdk: { + input: DisassociateWebsiteCertificateAuthorityCommandInput; + output: DisassociateWebsiteCertificateAuthorityCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/ListDevicesCommand.ts b/clients/client-worklink/src/commands/ListDevicesCommand.ts index 4692b63169ac..ab042b652598 100644 --- a/clients/client-worklink/src/commands/ListDevicesCommand.ts +++ b/clients/client-worklink/src/commands/ListDevicesCommand.ts @@ -102,4 +102,16 @@ export class ListDevicesCommand extends $Command .f(void 0, void 0) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesRequest; + output: ListDevicesResponse; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/ListDomainsCommand.ts b/clients/client-worklink/src/commands/ListDomainsCommand.ts index f875458d09fd..ea4c545a9022 100644 --- a/clients/client-worklink/src/commands/ListDomainsCommand.ts +++ b/clients/client-worklink/src/commands/ListDomainsCommand.ts @@ -104,4 +104,16 @@ export class ListDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListDomainsCommand) .de(de_ListDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDomainsRequest; + output: ListDomainsResponse; + }; + sdk: { + input: ListDomainsCommandInput; + output: ListDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/ListFleetsCommand.ts b/clients/client-worklink/src/commands/ListFleetsCommand.ts index b5e976204b75..9816b169722f 100644 --- a/clients/client-worklink/src/commands/ListFleetsCommand.ts +++ b/clients/client-worklink/src/commands/ListFleetsCommand.ts @@ -106,4 +106,16 @@ export class ListFleetsCommand extends $Command .f(void 0, void 0) .ser(se_ListFleetsCommand) .de(de_ListFleetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFleetsRequest; + output: ListFleetsResponse; + }; + sdk: { + input: ListFleetsCommandInput; + output: ListFleetsCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/ListTagsForResourceCommand.ts b/clients/client-worklink/src/commands/ListTagsForResourceCommand.ts index d590145d6525..d49ace355038 100644 --- a/clients/client-worklink/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-worklink/src/commands/ListTagsForResourceCommand.ts @@ -84,4 +84,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/ListWebsiteAuthorizationProvidersCommand.ts b/clients/client-worklink/src/commands/ListWebsiteAuthorizationProvidersCommand.ts index 1216543f772e..ad581c76cda9 100644 --- a/clients/client-worklink/src/commands/ListWebsiteAuthorizationProvidersCommand.ts +++ b/clients/client-worklink/src/commands/ListWebsiteAuthorizationProvidersCommand.ts @@ -112,4 +112,16 @@ export class ListWebsiteAuthorizationProvidersCommand extends $Command .f(void 0, void 0) .ser(se_ListWebsiteAuthorizationProvidersCommand) .de(de_ListWebsiteAuthorizationProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebsiteAuthorizationProvidersRequest; + output: ListWebsiteAuthorizationProvidersResponse; + }; + sdk: { + input: ListWebsiteAuthorizationProvidersCommandInput; + output: ListWebsiteAuthorizationProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/ListWebsiteCertificateAuthoritiesCommand.ts b/clients/client-worklink/src/commands/ListWebsiteCertificateAuthoritiesCommand.ts index 07ce5e866a61..9148f9e8f8f7 100644 --- a/clients/client-worklink/src/commands/ListWebsiteCertificateAuthoritiesCommand.ts +++ b/clients/client-worklink/src/commands/ListWebsiteCertificateAuthoritiesCommand.ts @@ -109,4 +109,16 @@ export class ListWebsiteCertificateAuthoritiesCommand extends $Command .f(void 0, void 0) .ser(se_ListWebsiteCertificateAuthoritiesCommand) .de(de_ListWebsiteCertificateAuthoritiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListWebsiteCertificateAuthoritiesRequest; + output: ListWebsiteCertificateAuthoritiesResponse; + }; + sdk: { + input: ListWebsiteCertificateAuthoritiesCommandInput; + output: ListWebsiteCertificateAuthoritiesCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/RestoreDomainAccessCommand.ts b/clients/client-worklink/src/commands/RestoreDomainAccessCommand.ts index dc853e888d41..ec345b0982ab 100644 --- a/clients/client-worklink/src/commands/RestoreDomainAccessCommand.ts +++ b/clients/client-worklink/src/commands/RestoreDomainAccessCommand.ts @@ -93,4 +93,16 @@ export class RestoreDomainAccessCommand extends $Command .f(void 0, void 0) .ser(se_RestoreDomainAccessCommand) .de(de_RestoreDomainAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreDomainAccessRequest; + output: {}; + }; + sdk: { + input: RestoreDomainAccessCommandInput; + output: RestoreDomainAccessCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/RevokeDomainAccessCommand.ts b/clients/client-worklink/src/commands/RevokeDomainAccessCommand.ts index 536d3cc6f085..5e163be1170b 100644 --- a/clients/client-worklink/src/commands/RevokeDomainAccessCommand.ts +++ b/clients/client-worklink/src/commands/RevokeDomainAccessCommand.ts @@ -93,4 +93,16 @@ export class RevokeDomainAccessCommand extends $Command .f(void 0, void 0) .ser(se_RevokeDomainAccessCommand) .de(de_RevokeDomainAccessCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeDomainAccessRequest; + output: {}; + }; + sdk: { + input: RevokeDomainAccessCommandInput; + output: RevokeDomainAccessCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/SignOutUserCommand.ts b/clients/client-worklink/src/commands/SignOutUserCommand.ts index d57a84e83582..68cdcbd82e24 100644 --- a/clients/client-worklink/src/commands/SignOutUserCommand.ts +++ b/clients/client-worklink/src/commands/SignOutUserCommand.ts @@ -94,4 +94,16 @@ export class SignOutUserCommand extends $Command .f(void 0, void 0) .ser(se_SignOutUserCommand) .de(de_SignOutUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SignOutUserRequest; + output: {}; + }; + sdk: { + input: SignOutUserCommandInput; + output: SignOutUserCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/TagResourceCommand.ts b/clients/client-worklink/src/commands/TagResourceCommand.ts index 1798a83d7845..76848c8e173e 100644 --- a/clients/client-worklink/src/commands/TagResourceCommand.ts +++ b/clients/client-worklink/src/commands/TagResourceCommand.ts @@ -83,4 +83,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/UntagResourceCommand.ts b/clients/client-worklink/src/commands/UntagResourceCommand.ts index b3e804cc9b83..b68e20b7e019 100644 --- a/clients/client-worklink/src/commands/UntagResourceCommand.ts +++ b/clients/client-worklink/src/commands/UntagResourceCommand.ts @@ -83,4 +83,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/UpdateAuditStreamConfigurationCommand.ts b/clients/client-worklink/src/commands/UpdateAuditStreamConfigurationCommand.ts index 432337f37e80..ff840b1409a5 100644 --- a/clients/client-worklink/src/commands/UpdateAuditStreamConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/UpdateAuditStreamConfigurationCommand.ts @@ -98,4 +98,16 @@ export class UpdateAuditStreamConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateAuditStreamConfigurationCommand) .de(de_UpdateAuditStreamConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAuditStreamConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateAuditStreamConfigurationCommandInput; + output: UpdateAuditStreamConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/UpdateCompanyNetworkConfigurationCommand.ts b/clients/client-worklink/src/commands/UpdateCompanyNetworkConfigurationCommand.ts index 2d1cf7683afb..dea6c316322c 100644 --- a/clients/client-worklink/src/commands/UpdateCompanyNetworkConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/UpdateCompanyNetworkConfigurationCommand.ts @@ -107,4 +107,16 @@ export class UpdateCompanyNetworkConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateCompanyNetworkConfigurationCommand) .de(de_UpdateCompanyNetworkConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateCompanyNetworkConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateCompanyNetworkConfigurationCommandInput; + output: UpdateCompanyNetworkConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/UpdateDevicePolicyConfigurationCommand.ts b/clients/client-worklink/src/commands/UpdateDevicePolicyConfigurationCommand.ts index 5242b2117248..8f119c964389 100644 --- a/clients/client-worklink/src/commands/UpdateDevicePolicyConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/UpdateDevicePolicyConfigurationCommand.ts @@ -98,4 +98,16 @@ export class UpdateDevicePolicyConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDevicePolicyConfigurationCommand) .de(de_UpdateDevicePolicyConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDevicePolicyConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateDevicePolicyConfigurationCommandInput; + output: UpdateDevicePolicyConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/UpdateDomainMetadataCommand.ts b/clients/client-worklink/src/commands/UpdateDomainMetadataCommand.ts index dafe92bf62a4..762a85e62eb9 100644 --- a/clients/client-worklink/src/commands/UpdateDomainMetadataCommand.ts +++ b/clients/client-worklink/src/commands/UpdateDomainMetadataCommand.ts @@ -94,4 +94,16 @@ export class UpdateDomainMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDomainMetadataCommand) .de(de_UpdateDomainMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDomainMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateDomainMetadataCommandInput; + output: UpdateDomainMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/UpdateFleetMetadataCommand.ts b/clients/client-worklink/src/commands/UpdateFleetMetadataCommand.ts index 623b37fa4db0..39f9b8876bcc 100644 --- a/clients/client-worklink/src/commands/UpdateFleetMetadataCommand.ts +++ b/clients/client-worklink/src/commands/UpdateFleetMetadataCommand.ts @@ -94,4 +94,16 @@ export class UpdateFleetMetadataCommand extends $Command .f(void 0, void 0) .ser(se_UpdateFleetMetadataCommand) .de(de_UpdateFleetMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateFleetMetadataRequest; + output: {}; + }; + sdk: { + input: UpdateFleetMetadataCommandInput; + output: UpdateFleetMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-worklink/src/commands/UpdateIdentityProviderConfigurationCommand.ts b/clients/client-worklink/src/commands/UpdateIdentityProviderConfigurationCommand.ts index dca6fdd6f007..14f590100226 100644 --- a/clients/client-worklink/src/commands/UpdateIdentityProviderConfigurationCommand.ts +++ b/clients/client-worklink/src/commands/UpdateIdentityProviderConfigurationCommand.ts @@ -102,4 +102,16 @@ export class UpdateIdentityProviderConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_UpdateIdentityProviderConfigurationCommand) .de(de_UpdateIdentityProviderConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdentityProviderConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateIdentityProviderConfigurationCommandInput; + output: UpdateIdentityProviderConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/package.json b/clients/client-workmail/package.json index e37afec8f1fa..350c656907fb 100644 --- a/clients/client-workmail/package.json +++ b/clients/client-workmail/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-workmail/src/commands/AssociateDelegateToResourceCommand.ts b/clients/client-workmail/src/commands/AssociateDelegateToResourceCommand.ts index bcbfa3cf772e..6a062a82eb45 100644 --- a/clients/client-workmail/src/commands/AssociateDelegateToResourceCommand.ts +++ b/clients/client-workmail/src/commands/AssociateDelegateToResourceCommand.ts @@ -101,4 +101,16 @@ export class AssociateDelegateToResourceCommand extends $Command .f(void 0, void 0) .ser(se_AssociateDelegateToResourceCommand) .de(de_AssociateDelegateToResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateDelegateToResourceRequest; + output: {}; + }; + sdk: { + input: AssociateDelegateToResourceCommandInput; + output: AssociateDelegateToResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/AssociateMemberToGroupCommand.ts b/clients/client-workmail/src/commands/AssociateMemberToGroupCommand.ts index 399fcd246cc9..a00e8dc93ee3 100644 --- a/clients/client-workmail/src/commands/AssociateMemberToGroupCommand.ts +++ b/clients/client-workmail/src/commands/AssociateMemberToGroupCommand.ts @@ -105,4 +105,16 @@ export class AssociateMemberToGroupCommand extends $Command .f(void 0, void 0) .ser(se_AssociateMemberToGroupCommand) .de(de_AssociateMemberToGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateMemberToGroupRequest; + output: {}; + }; + sdk: { + input: AssociateMemberToGroupCommandInput; + output: AssociateMemberToGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/AssumeImpersonationRoleCommand.ts b/clients/client-workmail/src/commands/AssumeImpersonationRoleCommand.ts index b426f2c1922f..d62c075143be 100644 --- a/clients/client-workmail/src/commands/AssumeImpersonationRoleCommand.ts +++ b/clients/client-workmail/src/commands/AssumeImpersonationRoleCommand.ts @@ -94,4 +94,16 @@ export class AssumeImpersonationRoleCommand extends $Command .f(void 0, void 0) .ser(se_AssumeImpersonationRoleCommand) .de(de_AssumeImpersonationRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssumeImpersonationRoleRequest; + output: AssumeImpersonationRoleResponse; + }; + sdk: { + input: AssumeImpersonationRoleCommandInput; + output: AssumeImpersonationRoleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CancelMailboxExportJobCommand.ts b/clients/client-workmail/src/commands/CancelMailboxExportJobCommand.ts index 14b9c2076cbb..82032a7b4f68 100644 --- a/clients/client-workmail/src/commands/CancelMailboxExportJobCommand.ts +++ b/clients/client-workmail/src/commands/CancelMailboxExportJobCommand.ts @@ -96,4 +96,16 @@ export class CancelMailboxExportJobCommand extends $Command .f(void 0, void 0) .ser(se_CancelMailboxExportJobCommand) .de(de_CancelMailboxExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CancelMailboxExportJobRequest; + output: {}; + }; + sdk: { + input: CancelMailboxExportJobCommandInput; + output: CancelMailboxExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateAliasCommand.ts b/clients/client-workmail/src/commands/CreateAliasCommand.ts index b71eaf6295da..402c093417da 100644 --- a/clients/client-workmail/src/commands/CreateAliasCommand.ts +++ b/clients/client-workmail/src/commands/CreateAliasCommand.ts @@ -110,4 +110,16 @@ export class CreateAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateAliasCommand) .de(de_CreateAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAliasRequest; + output: {}; + }; + sdk: { + input: CreateAliasCommandInput; + output: CreateAliasCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateAvailabilityConfigurationCommand.ts b/clients/client-workmail/src/commands/CreateAvailabilityConfigurationCommand.ts index b4700185bc82..0b75b027858f 100644 --- a/clients/client-workmail/src/commands/CreateAvailabilityConfigurationCommand.ts +++ b/clients/client-workmail/src/commands/CreateAvailabilityConfigurationCommand.ts @@ -111,4 +111,16 @@ export class CreateAvailabilityConfigurationCommand extends $Command .f(CreateAvailabilityConfigurationRequestFilterSensitiveLog, void 0) .ser(se_CreateAvailabilityConfigurationCommand) .de(de_CreateAvailabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAvailabilityConfigurationRequest; + output: {}; + }; + sdk: { + input: CreateAvailabilityConfigurationCommandInput; + output: CreateAvailabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateGroupCommand.ts b/clients/client-workmail/src/commands/CreateGroupCommand.ts index fa2f34a2a851..eeac3b9abcd0 100644 --- a/clients/client-workmail/src/commands/CreateGroupCommand.ts +++ b/clients/client-workmail/src/commands/CreateGroupCommand.ts @@ -105,4 +105,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResponse; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateImpersonationRoleCommand.ts b/clients/client-workmail/src/commands/CreateImpersonationRoleCommand.ts index 97b7e41293c4..52bbc1283f34 100644 --- a/clients/client-workmail/src/commands/CreateImpersonationRoleCommand.ts +++ b/clients/client-workmail/src/commands/CreateImpersonationRoleCommand.ts @@ -122,4 +122,16 @@ export class CreateImpersonationRoleCommand extends $Command .f(void 0, void 0) .ser(se_CreateImpersonationRoleCommand) .de(de_CreateImpersonationRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateImpersonationRoleRequest; + output: CreateImpersonationRoleResponse; + }; + sdk: { + input: CreateImpersonationRoleCommandInput; + output: CreateImpersonationRoleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateMobileDeviceAccessRuleCommand.ts b/clients/client-workmail/src/commands/CreateMobileDeviceAccessRuleCommand.ts index c312c37c3433..a49dbd88d6df 100644 --- a/clients/client-workmail/src/commands/CreateMobileDeviceAccessRuleCommand.ts +++ b/clients/client-workmail/src/commands/CreateMobileDeviceAccessRuleCommand.ts @@ -124,4 +124,16 @@ export class CreateMobileDeviceAccessRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateMobileDeviceAccessRuleCommand) .de(de_CreateMobileDeviceAccessRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateMobileDeviceAccessRuleRequest; + output: CreateMobileDeviceAccessRuleResponse; + }; + sdk: { + input: CreateMobileDeviceAccessRuleCommandInput; + output: CreateMobileDeviceAccessRuleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateOrganizationCommand.ts b/clients/client-workmail/src/commands/CreateOrganizationCommand.ts index 029a8c982484..88a9f352d4e0 100644 --- a/clients/client-workmail/src/commands/CreateOrganizationCommand.ts +++ b/clients/client-workmail/src/commands/CreateOrganizationCommand.ts @@ -110,4 +110,16 @@ export class CreateOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_CreateOrganizationCommand) .de(de_CreateOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateOrganizationRequest; + output: CreateOrganizationResponse; + }; + sdk: { + input: CreateOrganizationCommandInput; + output: CreateOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateResourceCommand.ts b/clients/client-workmail/src/commands/CreateResourceCommand.ts index d4a1e5c3e9e6..4302faa790eb 100644 --- a/clients/client-workmail/src/commands/CreateResourceCommand.ts +++ b/clients/client-workmail/src/commands/CreateResourceCommand.ts @@ -107,4 +107,16 @@ export class CreateResourceCommand extends $Command .f(void 0, void 0) .ser(se_CreateResourceCommand) .de(de_CreateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateResourceRequest; + output: CreateResourceResponse; + }; + sdk: { + input: CreateResourceCommandInput; + output: CreateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/CreateUserCommand.ts b/clients/client-workmail/src/commands/CreateUserCommand.ts index d0a7235ff97d..cc6ce9114b20 100644 --- a/clients/client-workmail/src/commands/CreateUserCommand.ts +++ b/clients/client-workmail/src/commands/CreateUserCommand.ts @@ -114,4 +114,16 @@ export class CreateUserCommand extends $Command .f(CreateUserRequestFilterSensitiveLog, void 0) .ser(se_CreateUserCommand) .de(de_CreateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResponse; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteAccessControlRuleCommand.ts b/clients/client-workmail/src/commands/DeleteAccessControlRuleCommand.ts index 13750bcf39c7..465e63b728c1 100644 --- a/clients/client-workmail/src/commands/DeleteAccessControlRuleCommand.ts +++ b/clients/client-workmail/src/commands/DeleteAccessControlRuleCommand.ts @@ -87,4 +87,16 @@ export class DeleteAccessControlRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccessControlRuleCommand) .de(de_DeleteAccessControlRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccessControlRuleRequest; + output: {}; + }; + sdk: { + input: DeleteAccessControlRuleCommandInput; + output: DeleteAccessControlRuleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteAliasCommand.ts b/clients/client-workmail/src/commands/DeleteAliasCommand.ts index c904b0961640..3d8a42d09946 100644 --- a/clients/client-workmail/src/commands/DeleteAliasCommand.ts +++ b/clients/client-workmail/src/commands/DeleteAliasCommand.ts @@ -97,4 +97,16 @@ export class DeleteAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAliasCommand) .de(de_DeleteAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAliasRequest; + output: {}; + }; + sdk: { + input: DeleteAliasCommandInput; + output: DeleteAliasCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteAvailabilityConfigurationCommand.ts b/clients/client-workmail/src/commands/DeleteAvailabilityConfigurationCommand.ts index 4670459b2c7e..6a6735fe0675 100644 --- a/clients/client-workmail/src/commands/DeleteAvailabilityConfigurationCommand.ts +++ b/clients/client-workmail/src/commands/DeleteAvailabilityConfigurationCommand.ts @@ -89,4 +89,16 @@ export class DeleteAvailabilityConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAvailabilityConfigurationCommand) .de(de_DeleteAvailabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAvailabilityConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteAvailabilityConfigurationCommandInput; + output: DeleteAvailabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteEmailMonitoringConfigurationCommand.ts b/clients/client-workmail/src/commands/DeleteEmailMonitoringConfigurationCommand.ts index df4d9b5d2a18..f74d0c734e2f 100644 --- a/clients/client-workmail/src/commands/DeleteEmailMonitoringConfigurationCommand.ts +++ b/clients/client-workmail/src/commands/DeleteEmailMonitoringConfigurationCommand.ts @@ -94,4 +94,16 @@ export class DeleteEmailMonitoringConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEmailMonitoringConfigurationCommand) .de(de_DeleteEmailMonitoringConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEmailMonitoringConfigurationRequest; + output: {}; + }; + sdk: { + input: DeleteEmailMonitoringConfigurationCommandInput; + output: DeleteEmailMonitoringConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteGroupCommand.ts b/clients/client-workmail/src/commands/DeleteGroupCommand.ts index d7524217371b..cbbe2a528bc9 100644 --- a/clients/client-workmail/src/commands/DeleteGroupCommand.ts +++ b/clients/client-workmail/src/commands/DeleteGroupCommand.ts @@ -100,4 +100,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteImpersonationRoleCommand.ts b/clients/client-workmail/src/commands/DeleteImpersonationRoleCommand.ts index 1c46d37b7c70..be5b7dcbc54e 100644 --- a/clients/client-workmail/src/commands/DeleteImpersonationRoleCommand.ts +++ b/clients/client-workmail/src/commands/DeleteImpersonationRoleCommand.ts @@ -87,4 +87,16 @@ export class DeleteImpersonationRoleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteImpersonationRoleCommand) .de(de_DeleteImpersonationRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteImpersonationRoleRequest; + output: {}; + }; + sdk: { + input: DeleteImpersonationRoleCommandInput; + output: DeleteImpersonationRoleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteMailboxPermissionsCommand.ts b/clients/client-workmail/src/commands/DeleteMailboxPermissionsCommand.ts index db7379476ad4..fd188eb0edf0 100644 --- a/clients/client-workmail/src/commands/DeleteMailboxPermissionsCommand.ts +++ b/clients/client-workmail/src/commands/DeleteMailboxPermissionsCommand.ts @@ -96,4 +96,16 @@ export class DeleteMailboxPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMailboxPermissionsCommand) .de(de_DeleteMailboxPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMailboxPermissionsRequest; + output: {}; + }; + sdk: { + input: DeleteMailboxPermissionsCommandInput; + output: DeleteMailboxPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteMobileDeviceAccessOverrideCommand.ts b/clients/client-workmail/src/commands/DeleteMobileDeviceAccessOverrideCommand.ts index ad297e948fc8..a4e4f5a2e827 100644 --- a/clients/client-workmail/src/commands/DeleteMobileDeviceAccessOverrideCommand.ts +++ b/clients/client-workmail/src/commands/DeleteMobileDeviceAccessOverrideCommand.ts @@ -100,4 +100,16 @@ export class DeleteMobileDeviceAccessOverrideCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMobileDeviceAccessOverrideCommand) .de(de_DeleteMobileDeviceAccessOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMobileDeviceAccessOverrideRequest; + output: {}; + }; + sdk: { + input: DeleteMobileDeviceAccessOverrideCommandInput; + output: DeleteMobileDeviceAccessOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteMobileDeviceAccessRuleCommand.ts b/clients/client-workmail/src/commands/DeleteMobileDeviceAccessRuleCommand.ts index b68781d5ce95..4aa9be5b7baa 100644 --- a/clients/client-workmail/src/commands/DeleteMobileDeviceAccessRuleCommand.ts +++ b/clients/client-workmail/src/commands/DeleteMobileDeviceAccessRuleCommand.ts @@ -95,4 +95,16 @@ export class DeleteMobileDeviceAccessRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteMobileDeviceAccessRuleCommand) .de(de_DeleteMobileDeviceAccessRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteMobileDeviceAccessRuleRequest; + output: {}; + }; + sdk: { + input: DeleteMobileDeviceAccessRuleCommandInput; + output: DeleteMobileDeviceAccessRuleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteOrganizationCommand.ts b/clients/client-workmail/src/commands/DeleteOrganizationCommand.ts index 314e7444a3b1..fbf9ce9ca10e 100644 --- a/clients/client-workmail/src/commands/DeleteOrganizationCommand.ts +++ b/clients/client-workmail/src/commands/DeleteOrganizationCommand.ts @@ -92,4 +92,16 @@ export class DeleteOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteOrganizationCommand) .de(de_DeleteOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteOrganizationRequest; + output: DeleteOrganizationResponse; + }; + sdk: { + input: DeleteOrganizationCommandInput; + output: DeleteOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteResourceCommand.ts b/clients/client-workmail/src/commands/DeleteResourceCommand.ts index 412494e9f70e..b1bc7a958964 100644 --- a/clients/client-workmail/src/commands/DeleteResourceCommand.ts +++ b/clients/client-workmail/src/commands/DeleteResourceCommand.ts @@ -94,4 +94,16 @@ export class DeleteResourceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourceCommand) .de(de_DeleteResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourceRequest; + output: {}; + }; + sdk: { + input: DeleteResourceCommandInput; + output: DeleteResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteRetentionPolicyCommand.ts b/clients/client-workmail/src/commands/DeleteRetentionPolicyCommand.ts index 4969691e6efa..6528c58c156e 100644 --- a/clients/client-workmail/src/commands/DeleteRetentionPolicyCommand.ts +++ b/clients/client-workmail/src/commands/DeleteRetentionPolicyCommand.ts @@ -87,4 +87,16 @@ export class DeleteRetentionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteRetentionPolicyCommand) .de(de_DeleteRetentionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteRetentionPolicyRequest; + output: {}; + }; + sdk: { + input: DeleteRetentionPolicyCommandInput; + output: DeleteRetentionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeleteUserCommand.ts b/clients/client-workmail/src/commands/DeleteUserCommand.ts index 2f136f0292cc..db6fec7813b4 100644 --- a/clients/client-workmail/src/commands/DeleteUserCommand.ts +++ b/clients/client-workmail/src/commands/DeleteUserCommand.ts @@ -104,4 +104,16 @@ export class DeleteUserCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserCommand) .de(de_DeleteUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeregisterFromWorkMailCommand.ts b/clients/client-workmail/src/commands/DeregisterFromWorkMailCommand.ts index 1e430f7690a5..a6e916b51834 100644 --- a/clients/client-workmail/src/commands/DeregisterFromWorkMailCommand.ts +++ b/clients/client-workmail/src/commands/DeregisterFromWorkMailCommand.ts @@ -98,4 +98,16 @@ export class DeregisterFromWorkMailCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterFromWorkMailCommand) .de(de_DeregisterFromWorkMailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterFromWorkMailRequest; + output: {}; + }; + sdk: { + input: DeregisterFromWorkMailCommandInput; + output: DeregisterFromWorkMailCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DeregisterMailDomainCommand.ts b/clients/client-workmail/src/commands/DeregisterMailDomainCommand.ts index e44956beeba2..9a7617a3921a 100644 --- a/clients/client-workmail/src/commands/DeregisterMailDomainCommand.ts +++ b/clients/client-workmail/src/commands/DeregisterMailDomainCommand.ts @@ -95,4 +95,16 @@ export class DeregisterMailDomainCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterMailDomainCommand) .de(de_DeregisterMailDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterMailDomainRequest; + output: {}; + }; + sdk: { + input: DeregisterMailDomainCommandInput; + output: DeregisterMailDomainCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeEmailMonitoringConfigurationCommand.ts b/clients/client-workmail/src/commands/DescribeEmailMonitoringConfigurationCommand.ts index e91326b34cd5..65161deda228 100644 --- a/clients/client-workmail/src/commands/DescribeEmailMonitoringConfigurationCommand.ts +++ b/clients/client-workmail/src/commands/DescribeEmailMonitoringConfigurationCommand.ts @@ -100,4 +100,16 @@ export class DescribeEmailMonitoringConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEmailMonitoringConfigurationCommand) .de(de_DescribeEmailMonitoringConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEmailMonitoringConfigurationRequest; + output: DescribeEmailMonitoringConfigurationResponse; + }; + sdk: { + input: DescribeEmailMonitoringConfigurationCommandInput; + output: DescribeEmailMonitoringConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeEntityCommand.ts b/clients/client-workmail/src/commands/DescribeEntityCommand.ts index f8825a0324cf..5f432cfb12ff 100644 --- a/clients/client-workmail/src/commands/DescribeEntityCommand.ts +++ b/clients/client-workmail/src/commands/DescribeEntityCommand.ts @@ -95,4 +95,16 @@ export class DescribeEntityCommand extends $Command .f(void 0, void 0) .ser(se_DescribeEntityCommand) .de(de_DescribeEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeEntityRequest; + output: DescribeEntityResponse; + }; + sdk: { + input: DescribeEntityCommandInput; + output: DescribeEntityCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeGroupCommand.ts b/clients/client-workmail/src/commands/DescribeGroupCommand.ts index 18b145332d5b..ba4793f08c36 100644 --- a/clients/client-workmail/src/commands/DescribeGroupCommand.ts +++ b/clients/client-workmail/src/commands/DescribeGroupCommand.ts @@ -99,4 +99,16 @@ export class DescribeGroupCommand extends $Command .f(void 0, void 0) .ser(se_DescribeGroupCommand) .de(de_DescribeGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGroupRequest; + output: DescribeGroupResponse; + }; + sdk: { + input: DescribeGroupCommandInput; + output: DescribeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeInboundDmarcSettingsCommand.ts b/clients/client-workmail/src/commands/DescribeInboundDmarcSettingsCommand.ts index b93644a5a1b4..4588f8b51768 100644 --- a/clients/client-workmail/src/commands/DescribeInboundDmarcSettingsCommand.ts +++ b/clients/client-workmail/src/commands/DescribeInboundDmarcSettingsCommand.ts @@ -90,4 +90,16 @@ export class DescribeInboundDmarcSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeInboundDmarcSettingsCommand) .de(de_DescribeInboundDmarcSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeInboundDmarcSettingsRequest; + output: DescribeInboundDmarcSettingsResponse; + }; + sdk: { + input: DescribeInboundDmarcSettingsCommandInput; + output: DescribeInboundDmarcSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeMailboxExportJobCommand.ts b/clients/client-workmail/src/commands/DescribeMailboxExportJobCommand.ts index f3336d40e5f0..86e83eb549e5 100644 --- a/clients/client-workmail/src/commands/DescribeMailboxExportJobCommand.ts +++ b/clients/client-workmail/src/commands/DescribeMailboxExportJobCommand.ts @@ -104,4 +104,16 @@ export class DescribeMailboxExportJobCommand extends $Command .f(void 0, void 0) .ser(se_DescribeMailboxExportJobCommand) .de(de_DescribeMailboxExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeMailboxExportJobRequest; + output: DescribeMailboxExportJobResponse; + }; + sdk: { + input: DescribeMailboxExportJobCommandInput; + output: DescribeMailboxExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeOrganizationCommand.ts b/clients/client-workmail/src/commands/DescribeOrganizationCommand.ts index 2064b7b7421a..e108ae8d3aa3 100644 --- a/clients/client-workmail/src/commands/DescribeOrganizationCommand.ts +++ b/clients/client-workmail/src/commands/DescribeOrganizationCommand.ts @@ -95,4 +95,16 @@ export class DescribeOrganizationCommand extends $Command .f(void 0, void 0) .ser(se_DescribeOrganizationCommand) .de(de_DescribeOrganizationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeOrganizationRequest; + output: DescribeOrganizationResponse; + }; + sdk: { + input: DescribeOrganizationCommandInput; + output: DescribeOrganizationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeResourceCommand.ts b/clients/client-workmail/src/commands/DescribeResourceCommand.ts index 1e9cf6948cf1..afe2beee0c6d 100644 --- a/clients/client-workmail/src/commands/DescribeResourceCommand.ts +++ b/clients/client-workmail/src/commands/DescribeResourceCommand.ts @@ -109,4 +109,16 @@ export class DescribeResourceCommand extends $Command .f(void 0, void 0) .ser(se_DescribeResourceCommand) .de(de_DescribeResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeResourceRequest; + output: DescribeResourceResponse; + }; + sdk: { + input: DescribeResourceCommandInput; + output: DescribeResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DescribeUserCommand.ts b/clients/client-workmail/src/commands/DescribeUserCommand.ts index 71590854b60b..31be4b6c543f 100644 --- a/clients/client-workmail/src/commands/DescribeUserCommand.ts +++ b/clients/client-workmail/src/commands/DescribeUserCommand.ts @@ -115,4 +115,16 @@ export class DescribeUserCommand extends $Command .f(void 0, DescribeUserResponseFilterSensitiveLog) .ser(se_DescribeUserCommand) .de(de_DescribeUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserRequest; + output: DescribeUserResponse; + }; + sdk: { + input: DescribeUserCommandInput; + output: DescribeUserCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DisassociateDelegateFromResourceCommand.ts b/clients/client-workmail/src/commands/DisassociateDelegateFromResourceCommand.ts index 8cbbe0a49c2f..2b1163b4d853 100644 --- a/clients/client-workmail/src/commands/DisassociateDelegateFromResourceCommand.ts +++ b/clients/client-workmail/src/commands/DisassociateDelegateFromResourceCommand.ts @@ -104,4 +104,16 @@ export class DisassociateDelegateFromResourceCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateDelegateFromResourceCommand) .de(de_DisassociateDelegateFromResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateDelegateFromResourceRequest; + output: {}; + }; + sdk: { + input: DisassociateDelegateFromResourceCommandInput; + output: DisassociateDelegateFromResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/DisassociateMemberFromGroupCommand.ts b/clients/client-workmail/src/commands/DisassociateMemberFromGroupCommand.ts index 7713c4f74b91..c56cbb84c184 100644 --- a/clients/client-workmail/src/commands/DisassociateMemberFromGroupCommand.ts +++ b/clients/client-workmail/src/commands/DisassociateMemberFromGroupCommand.ts @@ -107,4 +107,16 @@ export class DisassociateMemberFromGroupCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateMemberFromGroupCommand) .de(de_DisassociateMemberFromGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateMemberFromGroupRequest; + output: {}; + }; + sdk: { + input: DisassociateMemberFromGroupCommandInput; + output: DisassociateMemberFromGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetAccessControlEffectCommand.ts b/clients/client-workmail/src/commands/GetAccessControlEffectCommand.ts index 237b28b94947..2bde0e8c939e 100644 --- a/clients/client-workmail/src/commands/GetAccessControlEffectCommand.ts +++ b/clients/client-workmail/src/commands/GetAccessControlEffectCommand.ts @@ -103,4 +103,16 @@ export class GetAccessControlEffectCommand extends $Command .f(void 0, void 0) .ser(se_GetAccessControlEffectCommand) .de(de_GetAccessControlEffectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccessControlEffectRequest; + output: GetAccessControlEffectResponse; + }; + sdk: { + input: GetAccessControlEffectCommandInput; + output: GetAccessControlEffectCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetDefaultRetentionPolicyCommand.ts b/clients/client-workmail/src/commands/GetDefaultRetentionPolicyCommand.ts index 142f8702e03b..0951e5a3976a 100644 --- a/clients/client-workmail/src/commands/GetDefaultRetentionPolicyCommand.ts +++ b/clients/client-workmail/src/commands/GetDefaultRetentionPolicyCommand.ts @@ -101,4 +101,16 @@ export class GetDefaultRetentionPolicyCommand extends $Command .f(void 0, void 0) .ser(se_GetDefaultRetentionPolicyCommand) .de(de_GetDefaultRetentionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDefaultRetentionPolicyRequest; + output: GetDefaultRetentionPolicyResponse; + }; + sdk: { + input: GetDefaultRetentionPolicyCommandInput; + output: GetDefaultRetentionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetImpersonationRoleCommand.ts b/clients/client-workmail/src/commands/GetImpersonationRoleCommand.ts index 46789b9af61f..44fa44dae469 100644 --- a/clients/client-workmail/src/commands/GetImpersonationRoleCommand.ts +++ b/clients/client-workmail/src/commands/GetImpersonationRoleCommand.ts @@ -111,4 +111,16 @@ export class GetImpersonationRoleCommand extends $Command .f(void 0, void 0) .ser(se_GetImpersonationRoleCommand) .de(de_GetImpersonationRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImpersonationRoleRequest; + output: GetImpersonationRoleResponse; + }; + sdk: { + input: GetImpersonationRoleCommandInput; + output: GetImpersonationRoleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetImpersonationRoleEffectCommand.ts b/clients/client-workmail/src/commands/GetImpersonationRoleEffectCommand.ts index 860e59082ed7..ab2026580e58 100644 --- a/clients/client-workmail/src/commands/GetImpersonationRoleEffectCommand.ts +++ b/clients/client-workmail/src/commands/GetImpersonationRoleEffectCommand.ts @@ -108,4 +108,16 @@ export class GetImpersonationRoleEffectCommand extends $Command .f(void 0, void 0) .ser(se_GetImpersonationRoleEffectCommand) .de(de_GetImpersonationRoleEffectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetImpersonationRoleEffectRequest; + output: GetImpersonationRoleEffectResponse; + }; + sdk: { + input: GetImpersonationRoleEffectCommandInput; + output: GetImpersonationRoleEffectCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetMailDomainCommand.ts b/clients/client-workmail/src/commands/GetMailDomainCommand.ts index 74ca5846f873..263aa10b1bbf 100644 --- a/clients/client-workmail/src/commands/GetMailDomainCommand.ts +++ b/clients/client-workmail/src/commands/GetMailDomainCommand.ts @@ -102,4 +102,16 @@ export class GetMailDomainCommand extends $Command .f(void 0, void 0) .ser(se_GetMailDomainCommand) .de(de_GetMailDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMailDomainRequest; + output: GetMailDomainResponse; + }; + sdk: { + input: GetMailDomainCommandInput; + output: GetMailDomainCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetMailboxDetailsCommand.ts b/clients/client-workmail/src/commands/GetMailboxDetailsCommand.ts index 02498e5cb3c8..6b2c6e4ed0e3 100644 --- a/clients/client-workmail/src/commands/GetMailboxDetailsCommand.ts +++ b/clients/client-workmail/src/commands/GetMailboxDetailsCommand.ts @@ -94,4 +94,16 @@ export class GetMailboxDetailsCommand extends $Command .f(void 0, void 0) .ser(se_GetMailboxDetailsCommand) .de(de_GetMailboxDetailsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMailboxDetailsRequest; + output: GetMailboxDetailsResponse; + }; + sdk: { + input: GetMailboxDetailsCommandInput; + output: GetMailboxDetailsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetMobileDeviceAccessEffectCommand.ts b/clients/client-workmail/src/commands/GetMobileDeviceAccessEffectCommand.ts index 7eecd9115f82..3f12f7df2e7e 100644 --- a/clients/client-workmail/src/commands/GetMobileDeviceAccessEffectCommand.ts +++ b/clients/client-workmail/src/commands/GetMobileDeviceAccessEffectCommand.ts @@ -101,4 +101,16 @@ export class GetMobileDeviceAccessEffectCommand extends $Command .f(void 0, void 0) .ser(se_GetMobileDeviceAccessEffectCommand) .de(de_GetMobileDeviceAccessEffectCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMobileDeviceAccessEffectRequest; + output: GetMobileDeviceAccessEffectResponse; + }; + sdk: { + input: GetMobileDeviceAccessEffectCommandInput; + output: GetMobileDeviceAccessEffectCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/GetMobileDeviceAccessOverrideCommand.ts b/clients/client-workmail/src/commands/GetMobileDeviceAccessOverrideCommand.ts index 65b9937e43e8..ba84e141c09e 100644 --- a/clients/client-workmail/src/commands/GetMobileDeviceAccessOverrideCommand.ts +++ b/clients/client-workmail/src/commands/GetMobileDeviceAccessOverrideCommand.ts @@ -107,4 +107,16 @@ export class GetMobileDeviceAccessOverrideCommand extends $Command .f(void 0, void 0) .ser(se_GetMobileDeviceAccessOverrideCommand) .de(de_GetMobileDeviceAccessOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetMobileDeviceAccessOverrideRequest; + output: GetMobileDeviceAccessOverrideResponse; + }; + sdk: { + input: GetMobileDeviceAccessOverrideCommandInput; + output: GetMobileDeviceAccessOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListAccessControlRulesCommand.ts b/clients/client-workmail/src/commands/ListAccessControlRulesCommand.ts index 7876f110e6be..a48a09d83413 100644 --- a/clients/client-workmail/src/commands/ListAccessControlRulesCommand.ts +++ b/clients/client-workmail/src/commands/ListAccessControlRulesCommand.ts @@ -117,4 +117,16 @@ export class ListAccessControlRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListAccessControlRulesCommand) .de(de_ListAccessControlRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccessControlRulesRequest; + output: ListAccessControlRulesResponse; + }; + sdk: { + input: ListAccessControlRulesCommandInput; + output: ListAccessControlRulesCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListAliasesCommand.ts b/clients/client-workmail/src/commands/ListAliasesCommand.ts index 1068877919af..3576b760143f 100644 --- a/clients/client-workmail/src/commands/ListAliasesCommand.ts +++ b/clients/client-workmail/src/commands/ListAliasesCommand.ts @@ -103,4 +103,16 @@ export class ListAliasesCommand extends $Command .f(void 0, void 0) .ser(se_ListAliasesCommand) .de(de_ListAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAliasesRequest; + output: ListAliasesResponse; + }; + sdk: { + input: ListAliasesCommandInput; + output: ListAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListAvailabilityConfigurationsCommand.ts b/clients/client-workmail/src/commands/ListAvailabilityConfigurationsCommand.ts index a137e84ed8eb..a5023a64646e 100644 --- a/clients/client-workmail/src/commands/ListAvailabilityConfigurationsCommand.ts +++ b/clients/client-workmail/src/commands/ListAvailabilityConfigurationsCommand.ts @@ -107,4 +107,16 @@ export class ListAvailabilityConfigurationsCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailabilityConfigurationsCommand) .de(de_ListAvailabilityConfigurationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAvailabilityConfigurationsRequest; + output: ListAvailabilityConfigurationsResponse; + }; + sdk: { + input: ListAvailabilityConfigurationsCommandInput; + output: ListAvailabilityConfigurationsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListGroupMembersCommand.ts b/clients/client-workmail/src/commands/ListGroupMembersCommand.ts index 40683bededdd..efcec5b51b19 100644 --- a/clients/client-workmail/src/commands/ListGroupMembersCommand.ts +++ b/clients/client-workmail/src/commands/ListGroupMembersCommand.ts @@ -110,4 +110,16 @@ export class ListGroupMembersCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupMembersCommand) .de(de_ListGroupMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupMembersRequest; + output: ListGroupMembersResponse; + }; + sdk: { + input: ListGroupMembersCommandInput; + output: ListGroupMembersCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListGroupsCommand.ts b/clients/client-workmail/src/commands/ListGroupsCommand.ts index 52088f3a285f..2b97653cb346 100644 --- a/clients/client-workmail/src/commands/ListGroupsCommand.ts +++ b/clients/client-workmail/src/commands/ListGroupsCommand.ts @@ -109,4 +109,16 @@ export class ListGroupsCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsCommand) .de(de_ListGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResponse; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListGroupsForEntityCommand.ts b/clients/client-workmail/src/commands/ListGroupsForEntityCommand.ts index f1ca8f0413d2..1126e7703b74 100644 --- a/clients/client-workmail/src/commands/ListGroupsForEntityCommand.ts +++ b/clients/client-workmail/src/commands/ListGroupsForEntityCommand.ts @@ -108,4 +108,16 @@ export class ListGroupsForEntityCommand extends $Command .f(void 0, void 0) .ser(se_ListGroupsForEntityCommand) .de(de_ListGroupsForEntityCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsForEntityRequest; + output: ListGroupsForEntityResponse; + }; + sdk: { + input: ListGroupsForEntityCommandInput; + output: ListGroupsForEntityCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListImpersonationRolesCommand.ts b/clients/client-workmail/src/commands/ListImpersonationRolesCommand.ts index f664b866c0b0..6dd58024b434 100644 --- a/clients/client-workmail/src/commands/ListImpersonationRolesCommand.ts +++ b/clients/client-workmail/src/commands/ListImpersonationRolesCommand.ts @@ -99,4 +99,16 @@ export class ListImpersonationRolesCommand extends $Command .f(void 0, void 0) .ser(se_ListImpersonationRolesCommand) .de(de_ListImpersonationRolesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListImpersonationRolesRequest; + output: ListImpersonationRolesResponse; + }; + sdk: { + input: ListImpersonationRolesCommandInput; + output: ListImpersonationRolesCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListMailDomainsCommand.ts b/clients/client-workmail/src/commands/ListMailDomainsCommand.ts index 5cf394f21903..797d7c73567f 100644 --- a/clients/client-workmail/src/commands/ListMailDomainsCommand.ts +++ b/clients/client-workmail/src/commands/ListMailDomainsCommand.ts @@ -96,4 +96,16 @@ export class ListMailDomainsCommand extends $Command .f(void 0, void 0) .ser(se_ListMailDomainsCommand) .de(de_ListMailDomainsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMailDomainsRequest; + output: ListMailDomainsResponse; + }; + sdk: { + input: ListMailDomainsCommandInput; + output: ListMailDomainsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListMailboxExportJobsCommand.ts b/clients/client-workmail/src/commands/ListMailboxExportJobsCommand.ts index 6467cc538081..94fad17ef9ed 100644 --- a/clients/client-workmail/src/commands/ListMailboxExportJobsCommand.ts +++ b/clients/client-workmail/src/commands/ListMailboxExportJobsCommand.ts @@ -104,4 +104,16 @@ export class ListMailboxExportJobsCommand extends $Command .f(void 0, void 0) .ser(se_ListMailboxExportJobsCommand) .de(de_ListMailboxExportJobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMailboxExportJobsRequest; + output: ListMailboxExportJobsResponse; + }; + sdk: { + input: ListMailboxExportJobsCommandInput; + output: ListMailboxExportJobsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListMailboxPermissionsCommand.ts b/clients/client-workmail/src/commands/ListMailboxPermissionsCommand.ts index 182a3ea801d1..c9e6873b6a9a 100644 --- a/clients/client-workmail/src/commands/ListMailboxPermissionsCommand.ts +++ b/clients/client-workmail/src/commands/ListMailboxPermissionsCommand.ts @@ -105,4 +105,16 @@ export class ListMailboxPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ListMailboxPermissionsCommand) .de(de_ListMailboxPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMailboxPermissionsRequest; + output: ListMailboxPermissionsResponse; + }; + sdk: { + input: ListMailboxPermissionsCommandInput; + output: ListMailboxPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListMobileDeviceAccessOverridesCommand.ts b/clients/client-workmail/src/commands/ListMobileDeviceAccessOverridesCommand.ts index e17a85d8cf3f..ddc3f96cc5a5 100644 --- a/clients/client-workmail/src/commands/ListMobileDeviceAccessOverridesCommand.ts +++ b/clients/client-workmail/src/commands/ListMobileDeviceAccessOverridesCommand.ts @@ -111,4 +111,16 @@ export class ListMobileDeviceAccessOverridesCommand extends $Command .f(void 0, void 0) .ser(se_ListMobileDeviceAccessOverridesCommand) .de(de_ListMobileDeviceAccessOverridesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMobileDeviceAccessOverridesRequest; + output: ListMobileDeviceAccessOverridesResponse; + }; + sdk: { + input: ListMobileDeviceAccessOverridesCommandInput; + output: ListMobileDeviceAccessOverridesCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListMobileDeviceAccessRulesCommand.ts b/clients/client-workmail/src/commands/ListMobileDeviceAccessRulesCommand.ts index 49787c1ace56..cd59cdf87aec 100644 --- a/clients/client-workmail/src/commands/ListMobileDeviceAccessRulesCommand.ts +++ b/clients/client-workmail/src/commands/ListMobileDeviceAccessRulesCommand.ts @@ -123,4 +123,16 @@ export class ListMobileDeviceAccessRulesCommand extends $Command .f(void 0, void 0) .ser(se_ListMobileDeviceAccessRulesCommand) .de(de_ListMobileDeviceAccessRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListMobileDeviceAccessRulesRequest; + output: ListMobileDeviceAccessRulesResponse; + }; + sdk: { + input: ListMobileDeviceAccessRulesCommandInput; + output: ListMobileDeviceAccessRulesCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListOrganizationsCommand.ts b/clients/client-workmail/src/commands/ListOrganizationsCommand.ts index 6a63ab2b1af6..a98ae43c3501 100644 --- a/clients/client-workmail/src/commands/ListOrganizationsCommand.ts +++ b/clients/client-workmail/src/commands/ListOrganizationsCommand.ts @@ -90,4 +90,16 @@ export class ListOrganizationsCommand extends $Command .f(void 0, void 0) .ser(se_ListOrganizationsCommand) .de(de_ListOrganizationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListOrganizationsRequest; + output: ListOrganizationsResponse; + }; + sdk: { + input: ListOrganizationsCommandInput; + output: ListOrganizationsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListResourceDelegatesCommand.ts b/clients/client-workmail/src/commands/ListResourceDelegatesCommand.ts index 6fa6248ad96e..1c6ebc2a303b 100644 --- a/clients/client-workmail/src/commands/ListResourceDelegatesCommand.ts +++ b/clients/client-workmail/src/commands/ListResourceDelegatesCommand.ts @@ -109,4 +109,16 @@ export class ListResourceDelegatesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourceDelegatesCommand) .de(de_ListResourceDelegatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourceDelegatesRequest; + output: ListResourceDelegatesResponse; + }; + sdk: { + input: ListResourceDelegatesCommandInput; + output: ListResourceDelegatesCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListResourcesCommand.ts b/clients/client-workmail/src/commands/ListResourcesCommand.ts index 7ac5b7aeaa73..80438f12587a 100644 --- a/clients/client-workmail/src/commands/ListResourcesCommand.ts +++ b/clients/client-workmail/src/commands/ListResourcesCommand.ts @@ -110,4 +110,16 @@ export class ListResourcesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcesCommand) .de(de_ListResourcesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcesRequest; + output: ListResourcesResponse; + }; + sdk: { + input: ListResourcesCommandInput; + output: ListResourcesCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListTagsForResourceCommand.ts b/clients/client-workmail/src/commands/ListTagsForResourceCommand.ts index 089bbdcb73da..39dd8ed5f9ed 100644 --- a/clients/client-workmail/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-workmail/src/commands/ListTagsForResourceCommand.ts @@ -85,4 +85,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ListUsersCommand.ts b/clients/client-workmail/src/commands/ListUsersCommand.ts index 7e624780556d..fe3b592372c9 100644 --- a/clients/client-workmail/src/commands/ListUsersCommand.ts +++ b/clients/client-workmail/src/commands/ListUsersCommand.ts @@ -108,4 +108,16 @@ export class ListUsersCommand extends $Command .f(ListUsersRequestFilterSensitiveLog, void 0) .ser(se_ListUsersCommand) .de(de_ListUsersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResponse; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/PutAccessControlRuleCommand.ts b/clients/client-workmail/src/commands/PutAccessControlRuleCommand.ts index 4e796855aa15..715bd2d17f89 100644 --- a/clients/client-workmail/src/commands/PutAccessControlRuleCommand.ts +++ b/clients/client-workmail/src/commands/PutAccessControlRuleCommand.ts @@ -126,4 +126,16 @@ export class PutAccessControlRuleCommand extends $Command .f(void 0, void 0) .ser(se_PutAccessControlRuleCommand) .de(de_PutAccessControlRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAccessControlRuleRequest; + output: {}; + }; + sdk: { + input: PutAccessControlRuleCommandInput; + output: PutAccessControlRuleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/PutEmailMonitoringConfigurationCommand.ts b/clients/client-workmail/src/commands/PutEmailMonitoringConfigurationCommand.ts index 1f40121a3c2c..8835350eeb5a 100644 --- a/clients/client-workmail/src/commands/PutEmailMonitoringConfigurationCommand.ts +++ b/clients/client-workmail/src/commands/PutEmailMonitoringConfigurationCommand.ts @@ -96,4 +96,16 @@ export class PutEmailMonitoringConfigurationCommand extends $Command .f(void 0, void 0) .ser(se_PutEmailMonitoringConfigurationCommand) .de(de_PutEmailMonitoringConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEmailMonitoringConfigurationRequest; + output: {}; + }; + sdk: { + input: PutEmailMonitoringConfigurationCommandInput; + output: PutEmailMonitoringConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/PutInboundDmarcSettingsCommand.ts b/clients/client-workmail/src/commands/PutInboundDmarcSettingsCommand.ts index 8a74fd5199f2..67a935ca88ac 100644 --- a/clients/client-workmail/src/commands/PutInboundDmarcSettingsCommand.ts +++ b/clients/client-workmail/src/commands/PutInboundDmarcSettingsCommand.ts @@ -84,4 +84,16 @@ export class PutInboundDmarcSettingsCommand extends $Command .f(void 0, void 0) .ser(se_PutInboundDmarcSettingsCommand) .de(de_PutInboundDmarcSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutInboundDmarcSettingsRequest; + output: {}; + }; + sdk: { + input: PutInboundDmarcSettingsCommandInput; + output: PutInboundDmarcSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/PutMailboxPermissionsCommand.ts b/clients/client-workmail/src/commands/PutMailboxPermissionsCommand.ts index 2fc6bc021606..b8b2f4fd7788 100644 --- a/clients/client-workmail/src/commands/PutMailboxPermissionsCommand.ts +++ b/clients/client-workmail/src/commands/PutMailboxPermissionsCommand.ts @@ -100,4 +100,16 @@ export class PutMailboxPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_PutMailboxPermissionsCommand) .de(de_PutMailboxPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMailboxPermissionsRequest; + output: {}; + }; + sdk: { + input: PutMailboxPermissionsCommandInput; + output: PutMailboxPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/PutMobileDeviceAccessOverrideCommand.ts b/clients/client-workmail/src/commands/PutMobileDeviceAccessOverrideCommand.ts index 1e67de781e77..e615d75b4b63 100644 --- a/clients/client-workmail/src/commands/PutMobileDeviceAccessOverrideCommand.ts +++ b/clients/client-workmail/src/commands/PutMobileDeviceAccessOverrideCommand.ts @@ -103,4 +103,16 @@ export class PutMobileDeviceAccessOverrideCommand extends $Command .f(void 0, void 0) .ser(se_PutMobileDeviceAccessOverrideCommand) .de(de_PutMobileDeviceAccessOverrideCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutMobileDeviceAccessOverrideRequest; + output: {}; + }; + sdk: { + input: PutMobileDeviceAccessOverrideCommandInput; + output: PutMobileDeviceAccessOverrideCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/PutRetentionPolicyCommand.ts b/clients/client-workmail/src/commands/PutRetentionPolicyCommand.ts index 56576d66a503..efb7f4b206bd 100644 --- a/clients/client-workmail/src/commands/PutRetentionPolicyCommand.ts +++ b/clients/client-workmail/src/commands/PutRetentionPolicyCommand.ts @@ -103,4 +103,16 @@ export class PutRetentionPolicyCommand extends $Command .f(PutRetentionPolicyRequestFilterSensitiveLog, void 0) .ser(se_PutRetentionPolicyCommand) .de(de_PutRetentionPolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRetentionPolicyRequest; + output: {}; + }; + sdk: { + input: PutRetentionPolicyCommandInput; + output: PutRetentionPolicyCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/RegisterMailDomainCommand.ts b/clients/client-workmail/src/commands/RegisterMailDomainCommand.ts index 04637ea5651f..c1262f0dbf65 100644 --- a/clients/client-workmail/src/commands/RegisterMailDomainCommand.ts +++ b/clients/client-workmail/src/commands/RegisterMailDomainCommand.ts @@ -95,4 +95,16 @@ export class RegisterMailDomainCommand extends $Command .f(void 0, void 0) .ser(se_RegisterMailDomainCommand) .de(de_RegisterMailDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterMailDomainRequest; + output: {}; + }; + sdk: { + input: RegisterMailDomainCommandInput; + output: RegisterMailDomainCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/RegisterToWorkMailCommand.ts b/clients/client-workmail/src/commands/RegisterToWorkMailCommand.ts index 840faaef38e8..a2105ca92e62 100644 --- a/clients/client-workmail/src/commands/RegisterToWorkMailCommand.ts +++ b/clients/client-workmail/src/commands/RegisterToWorkMailCommand.ts @@ -123,4 +123,16 @@ export class RegisterToWorkMailCommand extends $Command .f(void 0, void 0) .ser(se_RegisterToWorkMailCommand) .de(de_RegisterToWorkMailCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterToWorkMailRequest; + output: {}; + }; + sdk: { + input: RegisterToWorkMailCommandInput; + output: RegisterToWorkMailCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/ResetPasswordCommand.ts b/clients/client-workmail/src/commands/ResetPasswordCommand.ts index 1257399e30f9..f15c7cde7138 100644 --- a/clients/client-workmail/src/commands/ResetPasswordCommand.ts +++ b/clients/client-workmail/src/commands/ResetPasswordCommand.ts @@ -113,4 +113,16 @@ export class ResetPasswordCommand extends $Command .f(ResetPasswordRequestFilterSensitiveLog, void 0) .ser(se_ResetPasswordCommand) .de(de_ResetPasswordCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ResetPasswordRequest; + output: {}; + }; + sdk: { + input: ResetPasswordCommandInput; + output: ResetPasswordCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/StartMailboxExportJobCommand.ts b/clients/client-workmail/src/commands/StartMailboxExportJobCommand.ts index cee4e7424200..8bef47080476 100644 --- a/clients/client-workmail/src/commands/StartMailboxExportJobCommand.ts +++ b/clients/client-workmail/src/commands/StartMailboxExportJobCommand.ts @@ -105,4 +105,16 @@ export class StartMailboxExportJobCommand extends $Command .f(void 0, void 0) .ser(se_StartMailboxExportJobCommand) .de(de_StartMailboxExportJobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartMailboxExportJobRequest; + output: StartMailboxExportJobResponse; + }; + sdk: { + input: StartMailboxExportJobCommandInput; + output: StartMailboxExportJobCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/TagResourceCommand.ts b/clients/client-workmail/src/commands/TagResourceCommand.ts index 4dd7dd6600ec..e5575e02783f 100644 --- a/clients/client-workmail/src/commands/TagResourceCommand.ts +++ b/clients/client-workmail/src/commands/TagResourceCommand.ts @@ -95,4 +95,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/TestAvailabilityConfigurationCommand.ts b/clients/client-workmail/src/commands/TestAvailabilityConfigurationCommand.ts index 97913f79b02f..bcce135d65a0 100644 --- a/clients/client-workmail/src/commands/TestAvailabilityConfigurationCommand.ts +++ b/clients/client-workmail/src/commands/TestAvailabilityConfigurationCommand.ts @@ -117,4 +117,16 @@ export class TestAvailabilityConfigurationCommand extends $Command .f(TestAvailabilityConfigurationRequestFilterSensitiveLog, void 0) .ser(se_TestAvailabilityConfigurationCommand) .de(de_TestAvailabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestAvailabilityConfigurationRequest; + output: TestAvailabilityConfigurationResponse; + }; + sdk: { + input: TestAvailabilityConfigurationCommandInput; + output: TestAvailabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UntagResourceCommand.ts b/clients/client-workmail/src/commands/UntagResourceCommand.ts index 6e101141aa62..5479cbb1ff7a 100644 --- a/clients/client-workmail/src/commands/UntagResourceCommand.ts +++ b/clients/client-workmail/src/commands/UntagResourceCommand.ts @@ -82,4 +82,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateAvailabilityConfigurationCommand.ts b/clients/client-workmail/src/commands/UpdateAvailabilityConfigurationCommand.ts index 3b31866263f1..4802f937de33 100644 --- a/clients/client-workmail/src/commands/UpdateAvailabilityConfigurationCommand.ts +++ b/clients/client-workmail/src/commands/UpdateAvailabilityConfigurationCommand.ts @@ -108,4 +108,16 @@ export class UpdateAvailabilityConfigurationCommand extends $Command .f(UpdateAvailabilityConfigurationRequestFilterSensitiveLog, void 0) .ser(se_UpdateAvailabilityConfigurationCommand) .de(de_UpdateAvailabilityConfigurationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateAvailabilityConfigurationRequest; + output: {}; + }; + sdk: { + input: UpdateAvailabilityConfigurationCommandInput; + output: UpdateAvailabilityConfigurationCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateDefaultMailDomainCommand.ts b/clients/client-workmail/src/commands/UpdateDefaultMailDomainCommand.ts index e33b819ce353..952152c1be10 100644 --- a/clients/client-workmail/src/commands/UpdateDefaultMailDomainCommand.ts +++ b/clients/client-workmail/src/commands/UpdateDefaultMailDomainCommand.ts @@ -94,4 +94,16 @@ export class UpdateDefaultMailDomainCommand extends $Command .f(void 0, void 0) .ser(se_UpdateDefaultMailDomainCommand) .de(de_UpdateDefaultMailDomainCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDefaultMailDomainRequest; + output: {}; + }; + sdk: { + input: UpdateDefaultMailDomainCommandInput; + output: UpdateDefaultMailDomainCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateGroupCommand.ts b/clients/client-workmail/src/commands/UpdateGroupCommand.ts index 6461b8cac72d..1e97e912f481 100644 --- a/clients/client-workmail/src/commands/UpdateGroupCommand.ts +++ b/clients/client-workmail/src/commands/UpdateGroupCommand.ts @@ -99,4 +99,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: {}; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateImpersonationRoleCommand.ts b/clients/client-workmail/src/commands/UpdateImpersonationRoleCommand.ts index 1d294ebd5ee2..cdb1da18e89a 100644 --- a/clients/client-workmail/src/commands/UpdateImpersonationRoleCommand.ts +++ b/clients/client-workmail/src/commands/UpdateImpersonationRoleCommand.ts @@ -118,4 +118,16 @@ export class UpdateImpersonationRoleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateImpersonationRoleCommand) .de(de_UpdateImpersonationRoleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateImpersonationRoleRequest; + output: {}; + }; + sdk: { + input: UpdateImpersonationRoleCommandInput; + output: UpdateImpersonationRoleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateMailboxQuotaCommand.ts b/clients/client-workmail/src/commands/UpdateMailboxQuotaCommand.ts index 7ac52c31c3b8..ce6b158cfc95 100644 --- a/clients/client-workmail/src/commands/UpdateMailboxQuotaCommand.ts +++ b/clients/client-workmail/src/commands/UpdateMailboxQuotaCommand.ts @@ -97,4 +97,16 @@ export class UpdateMailboxQuotaCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMailboxQuotaCommand) .de(de_UpdateMailboxQuotaCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMailboxQuotaRequest; + output: {}; + }; + sdk: { + input: UpdateMailboxQuotaCommandInput; + output: UpdateMailboxQuotaCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateMobileDeviceAccessRuleCommand.ts b/clients/client-workmail/src/commands/UpdateMobileDeviceAccessRuleCommand.ts index 2c16ccc1508e..e51a9e4cdf5a 100644 --- a/clients/client-workmail/src/commands/UpdateMobileDeviceAccessRuleCommand.ts +++ b/clients/client-workmail/src/commands/UpdateMobileDeviceAccessRuleCommand.ts @@ -123,4 +123,16 @@ export class UpdateMobileDeviceAccessRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateMobileDeviceAccessRuleCommand) .de(de_UpdateMobileDeviceAccessRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateMobileDeviceAccessRuleRequest; + output: {}; + }; + sdk: { + input: UpdateMobileDeviceAccessRuleCommandInput; + output: UpdateMobileDeviceAccessRuleCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdatePrimaryEmailAddressCommand.ts b/clients/client-workmail/src/commands/UpdatePrimaryEmailAddressCommand.ts index cf0575983ff2..7b184011a60f 100644 --- a/clients/client-workmail/src/commands/UpdatePrimaryEmailAddressCommand.ts +++ b/clients/client-workmail/src/commands/UpdatePrimaryEmailAddressCommand.ts @@ -118,4 +118,16 @@ export class UpdatePrimaryEmailAddressCommand extends $Command .f(void 0, void 0) .ser(se_UpdatePrimaryEmailAddressCommand) .de(de_UpdatePrimaryEmailAddressCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePrimaryEmailAddressRequest; + output: {}; + }; + sdk: { + input: UpdatePrimaryEmailAddressCommandInput; + output: UpdatePrimaryEmailAddressCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateResourceCommand.ts b/clients/client-workmail/src/commands/UpdateResourceCommand.ts index 9ce79107c404..db2f6a2640aa 100644 --- a/clients/client-workmail/src/commands/UpdateResourceCommand.ts +++ b/clients/client-workmail/src/commands/UpdateResourceCommand.ts @@ -131,4 +131,16 @@ export class UpdateResourceCommand extends $Command .f(void 0, void 0) .ser(se_UpdateResourceCommand) .de(de_UpdateResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateResourceRequest; + output: {}; + }; + sdk: { + input: UpdateResourceCommandInput; + output: UpdateResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workmail/src/commands/UpdateUserCommand.ts b/clients/client-workmail/src/commands/UpdateUserCommand.ts index 670ebdcaf927..9a87efd24706 100644 --- a/clients/client-workmail/src/commands/UpdateUserCommand.ts +++ b/clients/client-workmail/src/commands/UpdateUserCommand.ts @@ -121,4 +121,16 @@ export class UpdateUserCommand extends $Command .f(UpdateUserRequestFilterSensitiveLog, void 0) .ser(se_UpdateUserCommand) .de(de_UpdateUserCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: {}; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-workmailmessageflow/package.json b/clients/client-workmailmessageflow/package.json index 3fe195432218..57e13c0ffb0b 100644 --- a/clients/client-workmailmessageflow/package.json +++ b/clients/client-workmailmessageflow/package.json @@ -33,31 +33,31 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-workmailmessageflow/src/commands/GetRawMessageContentCommand.ts b/clients/client-workmailmessageflow/src/commands/GetRawMessageContentCommand.ts index 624304114ed2..e5663f7d0634 100644 --- a/clients/client-workmailmessageflow/src/commands/GetRawMessageContentCommand.ts +++ b/clients/client-workmailmessageflow/src/commands/GetRawMessageContentCommand.ts @@ -92,4 +92,16 @@ export class GetRawMessageContentCommand extends $Command .f(void 0, GetRawMessageContentResponseFilterSensitiveLog) .ser(se_GetRawMessageContentCommand) .de(de_GetRawMessageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRawMessageContentRequest; + output: GetRawMessageContentResponse; + }; + sdk: { + input: GetRawMessageContentCommandInput; + output: GetRawMessageContentCommandOutput; + }; + }; +} diff --git a/clients/client-workmailmessageflow/src/commands/PutRawMessageContentCommand.ts b/clients/client-workmailmessageflow/src/commands/PutRawMessageContentCommand.ts index 440cf076e047..308f6ac57f25 100644 --- a/clients/client-workmailmessageflow/src/commands/PutRawMessageContentCommand.ts +++ b/clients/client-workmailmessageflow/src/commands/PutRawMessageContentCommand.ts @@ -126,4 +126,16 @@ export class PutRawMessageContentCommand extends $Command .f(void 0, void 0) .ser(se_PutRawMessageContentCommand) .de(de_PutRawMessageContentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutRawMessageContentRequest; + output: {}; + }; + sdk: { + input: PutRawMessageContentCommandInput; + output: PutRawMessageContentCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/package.json b/clients/client-workspaces-thin-client/package.json index a44386e14266..6bf2331c7000 100644 --- a/clients/client-workspaces-thin-client/package.json +++ b/clients/client-workspaces-thin-client/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-workspaces-thin-client/src/commands/CreateEnvironmentCommand.ts b/clients/client-workspaces-thin-client/src/commands/CreateEnvironmentCommand.ts index b60141d97a28..e93ab96b56ad 100644 --- a/clients/client-workspaces-thin-client/src/commands/CreateEnvironmentCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/CreateEnvironmentCommand.ts @@ -158,4 +158,16 @@ export class CreateEnvironmentCommand extends $Command .f(CreateEnvironmentRequestFilterSensitiveLog, CreateEnvironmentResponseFilterSensitiveLog) .ser(se_CreateEnvironmentCommand) .de(de_CreateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateEnvironmentRequest; + output: CreateEnvironmentResponse; + }; + sdk: { + input: CreateEnvironmentCommandInput; + output: CreateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/DeleteDeviceCommand.ts b/clients/client-workspaces-thin-client/src/commands/DeleteDeviceCommand.ts index 0f1d3e30eb7f..a55b3ac54b90 100644 --- a/clients/client-workspaces-thin-client/src/commands/DeleteDeviceCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/DeleteDeviceCommand.ts @@ -100,4 +100,16 @@ export class DeleteDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeleteDeviceCommand) .de(de_DeleteDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteDeviceRequest; + output: {}; + }; + sdk: { + input: DeleteDeviceCommandInput; + output: DeleteDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/DeleteEnvironmentCommand.ts b/clients/client-workspaces-thin-client/src/commands/DeleteEnvironmentCommand.ts index 8157e7b1ab88..e79458f7243d 100644 --- a/clients/client-workspaces-thin-client/src/commands/DeleteEnvironmentCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/DeleteEnvironmentCommand.ts @@ -100,4 +100,16 @@ export class DeleteEnvironmentCommand extends $Command .f(void 0, void 0) .ser(se_DeleteEnvironmentCommand) .de(de_DeleteEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteEnvironmentRequest; + output: {}; + }; + sdk: { + input: DeleteEnvironmentCommandInput; + output: DeleteEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/DeregisterDeviceCommand.ts b/clients/client-workspaces-thin-client/src/commands/DeregisterDeviceCommand.ts index 30ec834651ba..22b7d72525d0 100644 --- a/clients/client-workspaces-thin-client/src/commands/DeregisterDeviceCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/DeregisterDeviceCommand.ts @@ -101,4 +101,16 @@ export class DeregisterDeviceCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterDeviceCommand) .de(de_DeregisterDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterDeviceRequest; + output: {}; + }; + sdk: { + input: DeregisterDeviceCommandInput; + output: DeregisterDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/GetDeviceCommand.ts b/clients/client-workspaces-thin-client/src/commands/GetDeviceCommand.ts index 6713f10899d8..3882bae45434 100644 --- a/clients/client-workspaces-thin-client/src/commands/GetDeviceCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/GetDeviceCommand.ts @@ -120,4 +120,16 @@ export class GetDeviceCommand extends $Command .f(void 0, GetDeviceResponseFilterSensitiveLog) .ser(se_GetDeviceCommand) .de(de_GetDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetDeviceRequest; + output: GetDeviceResponse; + }; + sdk: { + input: GetDeviceCommandInput; + output: GetDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/GetEnvironmentCommand.ts b/clients/client-workspaces-thin-client/src/commands/GetEnvironmentCommand.ts index ba447db4ab6a..8d621fd5b645 100644 --- a/clients/client-workspaces-thin-client/src/commands/GetEnvironmentCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/GetEnvironmentCommand.ts @@ -135,4 +135,16 @@ export class GetEnvironmentCommand extends $Command .f(void 0, GetEnvironmentResponseFilterSensitiveLog) .ser(se_GetEnvironmentCommand) .de(de_GetEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetEnvironmentRequest; + output: GetEnvironmentResponse; + }; + sdk: { + input: GetEnvironmentCommandInput; + output: GetEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/GetSoftwareSetCommand.ts b/clients/client-workspaces-thin-client/src/commands/GetSoftwareSetCommand.ts index 9ffaaf721447..dfaf59c5c819 100644 --- a/clients/client-workspaces-thin-client/src/commands/GetSoftwareSetCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/GetSoftwareSetCommand.ts @@ -116,4 +116,16 @@ export class GetSoftwareSetCommand extends $Command .f(void 0, GetSoftwareSetResponseFilterSensitiveLog) .ser(se_GetSoftwareSetCommand) .de(de_GetSoftwareSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSoftwareSetRequest; + output: GetSoftwareSetResponse; + }; + sdk: { + input: GetSoftwareSetCommandInput; + output: GetSoftwareSetCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/ListDevicesCommand.ts b/clients/client-workspaces-thin-client/src/commands/ListDevicesCommand.ts index 010333f10697..c32904705e77 100644 --- a/clients/client-workspaces-thin-client/src/commands/ListDevicesCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/ListDevicesCommand.ts @@ -113,4 +113,16 @@ export class ListDevicesCommand extends $Command .f(void 0, ListDevicesResponseFilterSensitiveLog) .ser(se_ListDevicesCommand) .de(de_ListDevicesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListDevicesRequest; + output: ListDevicesResponse; + }; + sdk: { + input: ListDevicesCommandInput; + output: ListDevicesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/ListEnvironmentsCommand.ts b/clients/client-workspaces-thin-client/src/commands/ListEnvironmentsCommand.ts index 13db9fbd9311..d2f7e262527c 100644 --- a/clients/client-workspaces-thin-client/src/commands/ListEnvironmentsCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/ListEnvironmentsCommand.ts @@ -126,4 +126,16 @@ export class ListEnvironmentsCommand extends $Command .f(void 0, ListEnvironmentsResponseFilterSensitiveLog) .ser(se_ListEnvironmentsCommand) .de(de_ListEnvironmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListEnvironmentsRequest; + output: ListEnvironmentsResponse; + }; + sdk: { + input: ListEnvironmentsCommandInput; + output: ListEnvironmentsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/ListSoftwareSetsCommand.ts b/clients/client-workspaces-thin-client/src/commands/ListSoftwareSetsCommand.ts index f4980996b9b9..3b9a0aa7f1dc 100644 --- a/clients/client-workspaces-thin-client/src/commands/ListSoftwareSetsCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/ListSoftwareSetsCommand.ts @@ -104,4 +104,16 @@ export class ListSoftwareSetsCommand extends $Command .f(void 0, void 0) .ser(se_ListSoftwareSetsCommand) .de(de_ListSoftwareSetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSoftwareSetsRequest; + output: ListSoftwareSetsResponse; + }; + sdk: { + input: ListSoftwareSetsCommandInput; + output: ListSoftwareSetsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/ListTagsForResourceCommand.ts b/clients/client-workspaces-thin-client/src/commands/ListTagsForResourceCommand.ts index e7bea45751f5..828fba005a85 100644 --- a/clients/client-workspaces-thin-client/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/ListTagsForResourceCommand.ts @@ -102,4 +102,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/TagResourceCommand.ts b/clients/client-workspaces-thin-client/src/commands/TagResourceCommand.ts index 4a85887bf365..376fc4cc359e 100644 --- a/clients/client-workspaces-thin-client/src/commands/TagResourceCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/TagResourceCommand.ts @@ -102,4 +102,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/UntagResourceCommand.ts b/clients/client-workspaces-thin-client/src/commands/UntagResourceCommand.ts index 03a6d5c95850..29afdb551f83 100644 --- a/clients/client-workspaces-thin-client/src/commands/UntagResourceCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/UntagResourceCommand.ts @@ -106,4 +106,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/UpdateDeviceCommand.ts b/clients/client-workspaces-thin-client/src/commands/UpdateDeviceCommand.ts index eba35a932c5d..d53ea29b1935 100644 --- a/clients/client-workspaces-thin-client/src/commands/UpdateDeviceCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/UpdateDeviceCommand.ts @@ -120,4 +120,16 @@ export class UpdateDeviceCommand extends $Command .f(UpdateDeviceRequestFilterSensitiveLog, UpdateDeviceResponseFilterSensitiveLog) .ser(se_UpdateDeviceCommand) .de(de_UpdateDeviceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateDeviceRequest; + output: UpdateDeviceResponse; + }; + sdk: { + input: UpdateDeviceCommandInput; + output: UpdateDeviceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/UpdateEnvironmentCommand.ts b/clients/client-workspaces-thin-client/src/commands/UpdateEnvironmentCommand.ts index 44e51d8c339b..d09336c17c9c 100644 --- a/clients/client-workspaces-thin-client/src/commands/UpdateEnvironmentCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/UpdateEnvironmentCommand.ts @@ -146,4 +146,16 @@ export class UpdateEnvironmentCommand extends $Command .f(UpdateEnvironmentRequestFilterSensitiveLog, UpdateEnvironmentResponseFilterSensitiveLog) .ser(se_UpdateEnvironmentCommand) .de(de_UpdateEnvironmentCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateEnvironmentRequest; + output: UpdateEnvironmentResponse; + }; + sdk: { + input: UpdateEnvironmentCommandInput; + output: UpdateEnvironmentCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-thin-client/src/commands/UpdateSoftwareSetCommand.ts b/clients/client-workspaces-thin-client/src/commands/UpdateSoftwareSetCommand.ts index 763086e62d5f..0f933de59345 100644 --- a/clients/client-workspaces-thin-client/src/commands/UpdateSoftwareSetCommand.ts +++ b/clients/client-workspaces-thin-client/src/commands/UpdateSoftwareSetCommand.ts @@ -95,4 +95,16 @@ export class UpdateSoftwareSetCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSoftwareSetCommand) .de(de_UpdateSoftwareSetCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSoftwareSetRequest; + output: {}; + }; + sdk: { + input: UpdateSoftwareSetCommandInput; + output: UpdateSoftwareSetCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/package.json b/clients/client-workspaces-web/package.json index 11b849de1309..569c12687d37 100644 --- a/clients/client-workspaces-web/package.json +++ b/clients/client-workspaces-web/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/clients/client-workspaces-web/src/commands/AssociateBrowserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/AssociateBrowserSettingsCommand.ts index c5a4d171770a..2660fa2de190 100644 --- a/clients/client-workspaces-web/src/commands/AssociateBrowserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/AssociateBrowserSettingsCommand.ts @@ -97,4 +97,16 @@ export class AssociateBrowserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateBrowserSettingsCommand) .de(de_AssociateBrowserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateBrowserSettingsRequest; + output: AssociateBrowserSettingsResponse; + }; + sdk: { + input: AssociateBrowserSettingsCommandInput; + output: AssociateBrowserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/AssociateIpAccessSettingsCommand.ts b/clients/client-workspaces-web/src/commands/AssociateIpAccessSettingsCommand.ts index c37ef4c92ddb..b4ab5f1d7d93 100644 --- a/clients/client-workspaces-web/src/commands/AssociateIpAccessSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/AssociateIpAccessSettingsCommand.ts @@ -97,4 +97,16 @@ export class AssociateIpAccessSettingsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateIpAccessSettingsCommand) .de(de_AssociateIpAccessSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateIpAccessSettingsRequest; + output: AssociateIpAccessSettingsResponse; + }; + sdk: { + input: AssociateIpAccessSettingsCommandInput; + output: AssociateIpAccessSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/AssociateNetworkSettingsCommand.ts b/clients/client-workspaces-web/src/commands/AssociateNetworkSettingsCommand.ts index 5df3302a722a..3b09df4d1a1b 100644 --- a/clients/client-workspaces-web/src/commands/AssociateNetworkSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/AssociateNetworkSettingsCommand.ts @@ -97,4 +97,16 @@ export class AssociateNetworkSettingsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateNetworkSettingsCommand) .de(de_AssociateNetworkSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateNetworkSettingsRequest; + output: AssociateNetworkSettingsResponse; + }; + sdk: { + input: AssociateNetworkSettingsCommandInput; + output: AssociateNetworkSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/AssociateTrustStoreCommand.ts b/clients/client-workspaces-web/src/commands/AssociateTrustStoreCommand.ts index f5569a50fe19..57a1a595dd49 100644 --- a/clients/client-workspaces-web/src/commands/AssociateTrustStoreCommand.ts +++ b/clients/client-workspaces-web/src/commands/AssociateTrustStoreCommand.ts @@ -97,4 +97,16 @@ export class AssociateTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_AssociateTrustStoreCommand) .de(de_AssociateTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateTrustStoreRequest; + output: AssociateTrustStoreResponse; + }; + sdk: { + input: AssociateTrustStoreCommandInput; + output: AssociateTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/AssociateUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/AssociateUserAccessLoggingSettingsCommand.ts index 92ebc6e881ac..3042d5a66445 100644 --- a/clients/client-workspaces-web/src/commands/AssociateUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/AssociateUserAccessLoggingSettingsCommand.ts @@ -105,4 +105,16 @@ export class AssociateUserAccessLoggingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateUserAccessLoggingSettingsCommand) .de(de_AssociateUserAccessLoggingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateUserAccessLoggingSettingsRequest; + output: AssociateUserAccessLoggingSettingsResponse; + }; + sdk: { + input: AssociateUserAccessLoggingSettingsCommandInput; + output: AssociateUserAccessLoggingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/AssociateUserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/AssociateUserSettingsCommand.ts index 92045486f482..e2aea89c8bf6 100644 --- a/clients/client-workspaces-web/src/commands/AssociateUserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/AssociateUserSettingsCommand.ts @@ -97,4 +97,16 @@ export class AssociateUserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateUserSettingsCommand) .de(de_AssociateUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateUserSettingsRequest; + output: AssociateUserSettingsResponse; + }; + sdk: { + input: AssociateUserSettingsCommandInput; + output: AssociateUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreateBrowserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/CreateBrowserSettingsCommand.ts index 3b7538b0476a..ddebc6da69c6 100644 --- a/clients/client-workspaces-web/src/commands/CreateBrowserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateBrowserSettingsCommand.ts @@ -115,4 +115,16 @@ export class CreateBrowserSettingsCommand extends $Command .f(CreateBrowserSettingsRequestFilterSensitiveLog, void 0) .ser(se_CreateBrowserSettingsCommand) .de(de_CreateBrowserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateBrowserSettingsRequest; + output: CreateBrowserSettingsResponse; + }; + sdk: { + input: CreateBrowserSettingsCommandInput; + output: CreateBrowserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreateIdentityProviderCommand.ts b/clients/client-workspaces-web/src/commands/CreateIdentityProviderCommand.ts index 3f2a833d44f4..39be1f4d8458 100644 --- a/clients/client-workspaces-web/src/commands/CreateIdentityProviderCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateIdentityProviderCommand.ts @@ -114,4 +114,16 @@ export class CreateIdentityProviderCommand extends $Command .f(CreateIdentityProviderRequestFilterSensitiveLog, void 0) .ser(se_CreateIdentityProviderCommand) .de(de_CreateIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIdentityProviderRequest; + output: CreateIdentityProviderResponse; + }; + sdk: { + input: CreateIdentityProviderCommandInput; + output: CreateIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreateIpAccessSettingsCommand.ts b/clients/client-workspaces-web/src/commands/CreateIpAccessSettingsCommand.ts index d4000ebf546b..5badd60cfc67 100644 --- a/clients/client-workspaces-web/src/commands/CreateIpAccessSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateIpAccessSettingsCommand.ts @@ -117,4 +117,16 @@ export class CreateIpAccessSettingsCommand extends $Command .f(CreateIpAccessSettingsRequestFilterSensitiveLog, void 0) .ser(se_CreateIpAccessSettingsCommand) .de(de_CreateIpAccessSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIpAccessSettingsRequest; + output: CreateIpAccessSettingsResponse; + }; + sdk: { + input: CreateIpAccessSettingsCommandInput; + output: CreateIpAccessSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreateNetworkSettingsCommand.ts b/clients/client-workspaces-web/src/commands/CreateNetworkSettingsCommand.ts index 63003e42dce8..dfb6069bd20e 100644 --- a/clients/client-workspaces-web/src/commands/CreateNetworkSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateNetworkSettingsCommand.ts @@ -114,4 +114,16 @@ export class CreateNetworkSettingsCommand extends $Command .f(CreateNetworkSettingsRequestFilterSensitiveLog, void 0) .ser(se_CreateNetworkSettingsCommand) .de(de_CreateNetworkSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateNetworkSettingsRequest; + output: CreateNetworkSettingsResponse; + }; + sdk: { + input: CreateNetworkSettingsCommandInput; + output: CreateNetworkSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreatePortalCommand.ts b/clients/client-workspaces-web/src/commands/CreatePortalCommand.ts index 2aa71010b942..ae8212e69034 100644 --- a/clients/client-workspaces-web/src/commands/CreatePortalCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreatePortalCommand.ts @@ -113,4 +113,16 @@ export class CreatePortalCommand extends $Command .f(CreatePortalRequestFilterSensitiveLog, void 0) .ser(se_CreatePortalCommand) .de(de_CreatePortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreatePortalRequest; + output: CreatePortalResponse; + }; + sdk: { + input: CreatePortalCommandInput; + output: CreatePortalCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreateTrustStoreCommand.ts b/clients/client-workspaces-web/src/commands/CreateTrustStoreCommand.ts index ff06ba1b2147..6500bd3043a4 100644 --- a/clients/client-workspaces-web/src/commands/CreateTrustStoreCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateTrustStoreCommand.ts @@ -112,4 +112,16 @@ export class CreateTrustStoreCommand extends $Command .f(CreateTrustStoreRequestFilterSensitiveLog, void 0) .ser(se_CreateTrustStoreCommand) .de(de_CreateTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTrustStoreRequest; + output: CreateTrustStoreResponse; + }; + sdk: { + input: CreateTrustStoreCommandInput; + output: CreateTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts index 48e2ca2ed7ff..b8feeb5f4073 100644 --- a/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts @@ -111,4 +111,16 @@ export class CreateUserAccessLoggingSettingsCommand extends $Command .f(CreateUserAccessLoggingSettingsRequestFilterSensitiveLog, void 0) .ser(se_CreateUserAccessLoggingSettingsCommand) .de(de_CreateUserAccessLoggingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserAccessLoggingSettingsRequest; + output: CreateUserAccessLoggingSettingsResponse; + }; + sdk: { + input: CreateUserAccessLoggingSettingsCommandInput; + output: CreateUserAccessLoggingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/CreateUserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/CreateUserSettingsCommand.ts index 1b81ef0231db..fd9151d0fbd0 100644 --- a/clients/client-workspaces-web/src/commands/CreateUserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateUserSettingsCommand.ts @@ -135,4 +135,16 @@ export class CreateUserSettingsCommand extends $Command .f(CreateUserSettingsRequestFilterSensitiveLog, void 0) .ser(se_CreateUserSettingsCommand) .de(de_CreateUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserSettingsRequest; + output: CreateUserSettingsResponse; + }; + sdk: { + input: CreateUserSettingsCommandInput; + output: CreateUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeleteBrowserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DeleteBrowserSettingsCommand.ts index 573538f112f3..d88013ecbbb8 100644 --- a/clients/client-workspaces-web/src/commands/DeleteBrowserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeleteBrowserSettingsCommand.ts @@ -90,4 +90,16 @@ export class DeleteBrowserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteBrowserSettingsCommand) .de(de_DeleteBrowserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteBrowserSettingsRequest; + output: {}; + }; + sdk: { + input: DeleteBrowserSettingsCommandInput; + output: DeleteBrowserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeleteIdentityProviderCommand.ts b/clients/client-workspaces-web/src/commands/DeleteIdentityProviderCommand.ts index d774f63bda01..12a23b7f77ad 100644 --- a/clients/client-workspaces-web/src/commands/DeleteIdentityProviderCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeleteIdentityProviderCommand.ts @@ -90,4 +90,16 @@ export class DeleteIdentityProviderCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIdentityProviderCommand) .de(de_DeleteIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIdentityProviderRequest; + output: {}; + }; + sdk: { + input: DeleteIdentityProviderCommandInput; + output: DeleteIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeleteIpAccessSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DeleteIpAccessSettingsCommand.ts index 7d4c05a04adb..6ef65bc62db8 100644 --- a/clients/client-workspaces-web/src/commands/DeleteIpAccessSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeleteIpAccessSettingsCommand.ts @@ -90,4 +90,16 @@ export class DeleteIpAccessSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIpAccessSettingsCommand) .de(de_DeleteIpAccessSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIpAccessSettingsRequest; + output: {}; + }; + sdk: { + input: DeleteIpAccessSettingsCommandInput; + output: DeleteIpAccessSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeleteNetworkSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DeleteNetworkSettingsCommand.ts index 467b665fb427..13d5ade18fd5 100644 --- a/clients/client-workspaces-web/src/commands/DeleteNetworkSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeleteNetworkSettingsCommand.ts @@ -90,4 +90,16 @@ export class DeleteNetworkSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteNetworkSettingsCommand) .de(de_DeleteNetworkSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteNetworkSettingsRequest; + output: {}; + }; + sdk: { + input: DeleteNetworkSettingsCommandInput; + output: DeleteNetworkSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeletePortalCommand.ts b/clients/client-workspaces-web/src/commands/DeletePortalCommand.ts index 4ef6ef6d3462..8cf2c52df5cd 100644 --- a/clients/client-workspaces-web/src/commands/DeletePortalCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeletePortalCommand.ts @@ -90,4 +90,16 @@ export class DeletePortalCommand extends $Command .f(void 0, void 0) .ser(se_DeletePortalCommand) .de(de_DeletePortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeletePortalRequest; + output: {}; + }; + sdk: { + input: DeletePortalCommandInput; + output: DeletePortalCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeleteTrustStoreCommand.ts b/clients/client-workspaces-web/src/commands/DeleteTrustStoreCommand.ts index ac8488752f56..ab997222e492 100644 --- a/clients/client-workspaces-web/src/commands/DeleteTrustStoreCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeleteTrustStoreCommand.ts @@ -90,4 +90,16 @@ export class DeleteTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTrustStoreCommand) .de(de_DeleteTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTrustStoreRequest; + output: {}; + }; + sdk: { + input: DeleteTrustStoreCommandInput; + output: DeleteTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeleteUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DeleteUserAccessLoggingSettingsCommand.ts index f7796b6f322c..8600160097a6 100644 --- a/clients/client-workspaces-web/src/commands/DeleteUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeleteUserAccessLoggingSettingsCommand.ts @@ -95,4 +95,16 @@ export class DeleteUserAccessLoggingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserAccessLoggingSettingsCommand) .de(de_DeleteUserAccessLoggingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserAccessLoggingSettingsRequest; + output: {}; + }; + sdk: { + input: DeleteUserAccessLoggingSettingsCommandInput; + output: DeleteUserAccessLoggingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DeleteUserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DeleteUserSettingsCommand.ts index 5eedf0823249..dea98f75d546 100644 --- a/clients/client-workspaces-web/src/commands/DeleteUserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DeleteUserSettingsCommand.ts @@ -90,4 +90,16 @@ export class DeleteUserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteUserSettingsCommand) .de(de_DeleteUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserSettingsRequest; + output: {}; + }; + sdk: { + input: DeleteUserSettingsCommandInput; + output: DeleteUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DisassociateBrowserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DisassociateBrowserSettingsCommand.ts index 2f5e2be2afb7..bdb0312f2082 100644 --- a/clients/client-workspaces-web/src/commands/DisassociateBrowserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DisassociateBrowserSettingsCommand.ts @@ -98,4 +98,16 @@ export class DisassociateBrowserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateBrowserSettingsCommand) .de(de_DisassociateBrowserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateBrowserSettingsRequest; + output: {}; + }; + sdk: { + input: DisassociateBrowserSettingsCommandInput; + output: DisassociateBrowserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DisassociateIpAccessSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DisassociateIpAccessSettingsCommand.ts index e0f77645931b..4287cb65e093 100644 --- a/clients/client-workspaces-web/src/commands/DisassociateIpAccessSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DisassociateIpAccessSettingsCommand.ts @@ -98,4 +98,16 @@ export class DisassociateIpAccessSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateIpAccessSettingsCommand) .de(de_DisassociateIpAccessSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateIpAccessSettingsRequest; + output: {}; + }; + sdk: { + input: DisassociateIpAccessSettingsCommandInput; + output: DisassociateIpAccessSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DisassociateNetworkSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DisassociateNetworkSettingsCommand.ts index 3e837b51aa88..31bdeb50b746 100644 --- a/clients/client-workspaces-web/src/commands/DisassociateNetworkSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DisassociateNetworkSettingsCommand.ts @@ -98,4 +98,16 @@ export class DisassociateNetworkSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateNetworkSettingsCommand) .de(de_DisassociateNetworkSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateNetworkSettingsRequest; + output: {}; + }; + sdk: { + input: DisassociateNetworkSettingsCommandInput; + output: DisassociateNetworkSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DisassociateTrustStoreCommand.ts b/clients/client-workspaces-web/src/commands/DisassociateTrustStoreCommand.ts index 23afb48d2ede..de4054566919 100644 --- a/clients/client-workspaces-web/src/commands/DisassociateTrustStoreCommand.ts +++ b/clients/client-workspaces-web/src/commands/DisassociateTrustStoreCommand.ts @@ -93,4 +93,16 @@ export class DisassociateTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateTrustStoreCommand) .de(de_DisassociateTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateTrustStoreRequest; + output: {}; + }; + sdk: { + input: DisassociateTrustStoreCommandInput; + output: DisassociateTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DisassociateUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DisassociateUserAccessLoggingSettingsCommand.ts index 79161142a80c..fb53a6fc306c 100644 --- a/clients/client-workspaces-web/src/commands/DisassociateUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DisassociateUserAccessLoggingSettingsCommand.ts @@ -102,4 +102,16 @@ export class DisassociateUserAccessLoggingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateUserAccessLoggingSettingsCommand) .de(de_DisassociateUserAccessLoggingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateUserAccessLoggingSettingsRequest; + output: {}; + }; + sdk: { + input: DisassociateUserAccessLoggingSettingsCommandInput; + output: DisassociateUserAccessLoggingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/DisassociateUserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/DisassociateUserSettingsCommand.ts index 990b55afb3df..6742338fa14a 100644 --- a/clients/client-workspaces-web/src/commands/DisassociateUserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/DisassociateUserSettingsCommand.ts @@ -93,4 +93,16 @@ export class DisassociateUserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateUserSettingsCommand) .de(de_DisassociateUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateUserSettingsRequest; + output: {}; + }; + sdk: { + input: DisassociateUserSettingsCommandInput; + output: DisassociateUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetBrowserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/GetBrowserSettingsCommand.ts index 39980fca79ea..4c779e4de135 100644 --- a/clients/client-workspaces-web/src/commands/GetBrowserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetBrowserSettingsCommand.ts @@ -106,4 +106,16 @@ export class GetBrowserSettingsCommand extends $Command .f(void 0, GetBrowserSettingsResponseFilterSensitiveLog) .ser(se_GetBrowserSettingsCommand) .de(de_GetBrowserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetBrowserSettingsRequest; + output: GetBrowserSettingsResponse; + }; + sdk: { + input: GetBrowserSettingsCommandInput; + output: GetBrowserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetIdentityProviderCommand.ts b/clients/client-workspaces-web/src/commands/GetIdentityProviderCommand.ts index fb6541735cf3..d4c1aaf052a3 100644 --- a/clients/client-workspaces-web/src/commands/GetIdentityProviderCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetIdentityProviderCommand.ts @@ -103,4 +103,16 @@ export class GetIdentityProviderCommand extends $Command .f(void 0, GetIdentityProviderResponseFilterSensitiveLog) .ser(se_GetIdentityProviderCommand) .de(de_GetIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIdentityProviderRequest; + output: GetIdentityProviderResponse; + }; + sdk: { + input: GetIdentityProviderCommandInput; + output: GetIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetIpAccessSettingsCommand.ts b/clients/client-workspaces-web/src/commands/GetIpAccessSettingsCommand.ts index 31477d46f378..7a028a493e11 100644 --- a/clients/client-workspaces-web/src/commands/GetIpAccessSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetIpAccessSettingsCommand.ts @@ -114,4 +114,16 @@ export class GetIpAccessSettingsCommand extends $Command .f(void 0, GetIpAccessSettingsResponseFilterSensitiveLog) .ser(se_GetIpAccessSettingsCommand) .de(de_GetIpAccessSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetIpAccessSettingsRequest; + output: GetIpAccessSettingsResponse; + }; + sdk: { + input: GetIpAccessSettingsCommandInput; + output: GetIpAccessSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetNetworkSettingsCommand.ts b/clients/client-workspaces-web/src/commands/GetNetworkSettingsCommand.ts index 848cd84cd6ad..d1126814cae1 100644 --- a/clients/client-workspaces-web/src/commands/GetNetworkSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetNetworkSettingsCommand.ts @@ -104,4 +104,16 @@ export class GetNetworkSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetNetworkSettingsCommand) .de(de_GetNetworkSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetNetworkSettingsRequest; + output: GetNetworkSettingsResponse; + }; + sdk: { + input: GetNetworkSettingsCommandInput; + output: GetNetworkSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetPortalCommand.ts b/clients/client-workspaces-web/src/commands/GetPortalCommand.ts index 06f56fc29f8f..4e70f9abc7a0 100644 --- a/clients/client-workspaces-web/src/commands/GetPortalCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetPortalCommand.ts @@ -114,4 +114,16 @@ export class GetPortalCommand extends $Command .f(void 0, GetPortalResponseFilterSensitiveLog) .ser(se_GetPortalCommand) .de(de_GetPortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPortalRequest; + output: GetPortalResponse; + }; + sdk: { + input: GetPortalCommandInput; + output: GetPortalCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetPortalServiceProviderMetadataCommand.ts b/clients/client-workspaces-web/src/commands/GetPortalServiceProviderMetadataCommand.ts index 7a4a6dae732f..11980b20fc2a 100644 --- a/clients/client-workspaces-web/src/commands/GetPortalServiceProviderMetadataCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetPortalServiceProviderMetadataCommand.ts @@ -98,4 +98,16 @@ export class GetPortalServiceProviderMetadataCommand extends $Command .f(void 0, void 0) .ser(se_GetPortalServiceProviderMetadataCommand) .de(de_GetPortalServiceProviderMetadataCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetPortalServiceProviderMetadataRequest; + output: GetPortalServiceProviderMetadataResponse; + }; + sdk: { + input: GetPortalServiceProviderMetadataCommandInput; + output: GetPortalServiceProviderMetadataCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetTrustStoreCertificateCommand.ts b/clients/client-workspaces-web/src/commands/GetTrustStoreCertificateCommand.ts index 8cd96b9b64f8..0b9f228a72a4 100644 --- a/clients/client-workspaces-web/src/commands/GetTrustStoreCertificateCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetTrustStoreCertificateCommand.ts @@ -101,4 +101,16 @@ export class GetTrustStoreCertificateCommand extends $Command .f(void 0, void 0) .ser(se_GetTrustStoreCertificateCommand) .de(de_GetTrustStoreCertificateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrustStoreCertificateRequest; + output: GetTrustStoreCertificateResponse; + }; + sdk: { + input: GetTrustStoreCertificateCommandInput; + output: GetTrustStoreCertificateCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetTrustStoreCommand.ts b/clients/client-workspaces-web/src/commands/GetTrustStoreCommand.ts index 43067ff5ce7e..b0aa34e1b87d 100644 --- a/clients/client-workspaces-web/src/commands/GetTrustStoreCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetTrustStoreCommand.ts @@ -97,4 +97,16 @@ export class GetTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_GetTrustStoreCommand) .de(de_GetTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTrustStoreRequest; + output: GetTrustStoreResponse; + }; + sdk: { + input: GetTrustStoreCommandInput; + output: GetTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/GetUserAccessLoggingSettingsCommand.ts index 494193310775..12c577f678af 100644 --- a/clients/client-workspaces-web/src/commands/GetUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetUserAccessLoggingSettingsCommand.ts @@ -103,4 +103,16 @@ export class GetUserAccessLoggingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_GetUserAccessLoggingSettingsCommand) .de(de_GetUserAccessLoggingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserAccessLoggingSettingsRequest; + output: GetUserAccessLoggingSettingsResponse; + }; + sdk: { + input: GetUserAccessLoggingSettingsCommandInput; + output: GetUserAccessLoggingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetUserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/GetUserSettingsCommand.ts index abd7ca7b43b9..e0b590d21d56 100644 --- a/clients/client-workspaces-web/src/commands/GetUserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/GetUserSettingsCommand.ts @@ -129,4 +129,16 @@ export class GetUserSettingsCommand extends $Command .f(void 0, GetUserSettingsResponseFilterSensitiveLog) .ser(se_GetUserSettingsCommand) .de(de_GetUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetUserSettingsRequest; + output: GetUserSettingsResponse; + }; + sdk: { + input: GetUserSettingsCommandInput; + output: GetUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListBrowserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/ListBrowserSettingsCommand.ts index 08f21848ea1e..3f67780456cc 100644 --- a/clients/client-workspaces-web/src/commands/ListBrowserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListBrowserSettingsCommand.ts @@ -95,4 +95,16 @@ export class ListBrowserSettingsCommand extends $Command .f(void 0, void 0) .ser(se_ListBrowserSettingsCommand) .de(de_ListBrowserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListBrowserSettingsRequest; + output: ListBrowserSettingsResponse; + }; + sdk: { + input: ListBrowserSettingsCommandInput; + output: ListBrowserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListIdentityProvidersCommand.ts b/clients/client-workspaces-web/src/commands/ListIdentityProvidersCommand.ts index ee113cfec63d..5eb31fc67915 100644 --- a/clients/client-workspaces-web/src/commands/ListIdentityProvidersCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListIdentityProvidersCommand.ts @@ -102,4 +102,16 @@ export class ListIdentityProvidersCommand extends $Command .f(void 0, ListIdentityProvidersResponseFilterSensitiveLog) .ser(se_ListIdentityProvidersCommand) .de(de_ListIdentityProvidersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIdentityProvidersRequest; + output: ListIdentityProvidersResponse; + }; + sdk: { + input: ListIdentityProvidersCommandInput; + output: ListIdentityProvidersCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListIpAccessSettingsCommand.ts b/clients/client-workspaces-web/src/commands/ListIpAccessSettingsCommand.ts index 56bdf087573d..5d70adf1f939 100644 --- a/clients/client-workspaces-web/src/commands/ListIpAccessSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListIpAccessSettingsCommand.ts @@ -102,4 +102,16 @@ export class ListIpAccessSettingsCommand extends $Command .f(void 0, ListIpAccessSettingsResponseFilterSensitiveLog) .ser(se_ListIpAccessSettingsCommand) .de(de_ListIpAccessSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListIpAccessSettingsRequest; + output: ListIpAccessSettingsResponse; + }; + sdk: { + input: ListIpAccessSettingsCommandInput; + output: ListIpAccessSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListNetworkSettingsCommand.ts b/clients/client-workspaces-web/src/commands/ListNetworkSettingsCommand.ts index e0f1de97072a..70e48f2b7b35 100644 --- a/clients/client-workspaces-web/src/commands/ListNetworkSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListNetworkSettingsCommand.ts @@ -96,4 +96,16 @@ export class ListNetworkSettingsCommand extends $Command .f(void 0, void 0) .ser(se_ListNetworkSettingsCommand) .de(de_ListNetworkSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListNetworkSettingsRequest; + output: ListNetworkSettingsResponse; + }; + sdk: { + input: ListNetworkSettingsCommandInput; + output: ListNetworkSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListPortalsCommand.ts b/clients/client-workspaces-web/src/commands/ListPortalsCommand.ts index 5b81813f0a07..497d8c3d107f 100644 --- a/clients/client-workspaces-web/src/commands/ListPortalsCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListPortalsCommand.ts @@ -110,4 +110,16 @@ export class ListPortalsCommand extends $Command .f(void 0, ListPortalsResponseFilterSensitiveLog) .ser(se_ListPortalsCommand) .de(de_ListPortalsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListPortalsRequest; + output: ListPortalsResponse; + }; + sdk: { + input: ListPortalsCommandInput; + output: ListPortalsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListTagsForResourceCommand.ts b/clients/client-workspaces-web/src/commands/ListTagsForResourceCommand.ts index e428030c5388..260569daaf8d 100644 --- a/clients/client-workspaces-web/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListTagsForResourceCommand.ts @@ -101,4 +101,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, ListTagsForResourceResponseFilterSensitiveLog) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListTrustStoreCertificatesCommand.ts b/clients/client-workspaces-web/src/commands/ListTrustStoreCertificatesCommand.ts index 7e1daa99d393..283c09fbc540 100644 --- a/clients/client-workspaces-web/src/commands/ListTrustStoreCertificatesCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListTrustStoreCertificatesCommand.ts @@ -104,4 +104,16 @@ export class ListTrustStoreCertificatesCommand extends $Command .f(void 0, void 0) .ser(se_ListTrustStoreCertificatesCommand) .de(de_ListTrustStoreCertificatesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrustStoreCertificatesRequest; + output: ListTrustStoreCertificatesResponse; + }; + sdk: { + input: ListTrustStoreCertificatesCommandInput; + output: ListTrustStoreCertificatesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListTrustStoresCommand.ts b/clients/client-workspaces-web/src/commands/ListTrustStoresCommand.ts index 224e22d11b86..19d1c6f11792 100644 --- a/clients/client-workspaces-web/src/commands/ListTrustStoresCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListTrustStoresCommand.ts @@ -95,4 +95,16 @@ export class ListTrustStoresCommand extends $Command .f(void 0, void 0) .ser(se_ListTrustStoresCommand) .de(de_ListTrustStoresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTrustStoresRequest; + output: ListTrustStoresResponse; + }; + sdk: { + input: ListTrustStoresCommandInput; + output: ListTrustStoresCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/ListUserAccessLoggingSettingsCommand.ts index 62f096f6593c..87e7e6bccb38 100644 --- a/clients/client-workspaces-web/src/commands/ListUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListUserAccessLoggingSettingsCommand.ts @@ -101,4 +101,16 @@ export class ListUserAccessLoggingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_ListUserAccessLoggingSettingsCommand) .de(de_ListUserAccessLoggingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserAccessLoggingSettingsRequest; + output: ListUserAccessLoggingSettingsResponse; + }; + sdk: { + input: ListUserAccessLoggingSettingsCommandInput; + output: ListUserAccessLoggingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListUserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/ListUserSettingsCommand.ts index 3a04f942ec8a..339169cd5d79 100644 --- a/clients/client-workspaces-web/src/commands/ListUserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/ListUserSettingsCommand.ts @@ -123,4 +123,16 @@ export class ListUserSettingsCommand extends $Command .f(void 0, ListUserSettingsResponseFilterSensitiveLog) .ser(se_ListUserSettingsCommand) .de(de_ListUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUserSettingsRequest; + output: ListUserSettingsResponse; + }; + sdk: { + input: ListUserSettingsCommandInput; + output: ListUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/TagResourceCommand.ts b/clients/client-workspaces-web/src/commands/TagResourceCommand.ts index 8d78e61d5bba..1b989bf96884 100644 --- a/clients/client-workspaces-web/src/commands/TagResourceCommand.ts +++ b/clients/client-workspaces-web/src/commands/TagResourceCommand.ts @@ -100,4 +100,16 @@ export class TagResourceCommand extends $Command .f(TagResourceRequestFilterSensitiveLog, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UntagResourceCommand.ts b/clients/client-workspaces-web/src/commands/UntagResourceCommand.ts index 718b9b43d43e..ce2cf45d32d2 100644 --- a/clients/client-workspaces-web/src/commands/UntagResourceCommand.ts +++ b/clients/client-workspaces-web/src/commands/UntagResourceCommand.ts @@ -97,4 +97,16 @@ export class UntagResourceCommand extends $Command .f(UntagResourceRequestFilterSensitiveLog, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdateBrowserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/UpdateBrowserSettingsCommand.ts index 562376b07ac5..b6281b6aface 100644 --- a/clients/client-workspaces-web/src/commands/UpdateBrowserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdateBrowserSettingsCommand.ts @@ -109,4 +109,16 @@ export class UpdateBrowserSettingsCommand extends $Command .f(UpdateBrowserSettingsRequestFilterSensitiveLog, UpdateBrowserSettingsResponseFilterSensitiveLog) .ser(se_UpdateBrowserSettingsCommand) .de(de_UpdateBrowserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateBrowserSettingsRequest; + output: UpdateBrowserSettingsResponse; + }; + sdk: { + input: UpdateBrowserSettingsCommandInput; + output: UpdateBrowserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdateIdentityProviderCommand.ts b/clients/client-workspaces-web/src/commands/UpdateIdentityProviderCommand.ts index fc9532d0d517..d802d9a94e81 100644 --- a/clients/client-workspaces-web/src/commands/UpdateIdentityProviderCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdateIdentityProviderCommand.ts @@ -110,4 +110,16 @@ export class UpdateIdentityProviderCommand extends $Command .f(UpdateIdentityProviderRequestFilterSensitiveLog, UpdateIdentityProviderResponseFilterSensitiveLog) .ser(se_UpdateIdentityProviderCommand) .de(de_UpdateIdentityProviderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIdentityProviderRequest; + output: UpdateIdentityProviderResponse; + }; + sdk: { + input: UpdateIdentityProviderCommandInput; + output: UpdateIdentityProviderCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdateIpAccessSettingsCommand.ts b/clients/client-workspaces-web/src/commands/UpdateIpAccessSettingsCommand.ts index b41c035ecb60..c4bffc29ef52 100644 --- a/clients/client-workspaces-web/src/commands/UpdateIpAccessSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdateIpAccessSettingsCommand.ts @@ -124,4 +124,16 @@ export class UpdateIpAccessSettingsCommand extends $Command .f(UpdateIpAccessSettingsRequestFilterSensitiveLog, UpdateIpAccessSettingsResponseFilterSensitiveLog) .ser(se_UpdateIpAccessSettingsCommand) .de(de_UpdateIpAccessSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateIpAccessSettingsRequest; + output: UpdateIpAccessSettingsResponse; + }; + sdk: { + input: UpdateIpAccessSettingsCommandInput; + output: UpdateIpAccessSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdateNetworkSettingsCommand.ts b/clients/client-workspaces-web/src/commands/UpdateNetworkSettingsCommand.ts index fb306bc7b0d9..dd06ff8320b2 100644 --- a/clients/client-workspaces-web/src/commands/UpdateNetworkSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdateNetworkSettingsCommand.ts @@ -112,4 +112,16 @@ export class UpdateNetworkSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateNetworkSettingsCommand) .de(de_UpdateNetworkSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateNetworkSettingsRequest; + output: UpdateNetworkSettingsResponse; + }; + sdk: { + input: UpdateNetworkSettingsCommandInput; + output: UpdateNetworkSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdatePortalCommand.ts b/clients/client-workspaces-web/src/commands/UpdatePortalCommand.ts index e5eaaac26322..869f90a8b6c7 100644 --- a/clients/client-workspaces-web/src/commands/UpdatePortalCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdatePortalCommand.ts @@ -129,4 +129,16 @@ export class UpdatePortalCommand extends $Command .f(UpdatePortalRequestFilterSensitiveLog, UpdatePortalResponseFilterSensitiveLog) .ser(se_UpdatePortalCommand) .de(de_UpdatePortalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdatePortalRequest; + output: UpdatePortalResponse; + }; + sdk: { + input: UpdatePortalCommandInput; + output: UpdatePortalCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdateTrustStoreCommand.ts b/clients/client-workspaces-web/src/commands/UpdateTrustStoreCommand.ts index 518923512e7e..3a9eca6fdcce 100644 --- a/clients/client-workspaces-web/src/commands/UpdateTrustStoreCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdateTrustStoreCommand.ts @@ -102,4 +102,16 @@ export class UpdateTrustStoreCommand extends $Command .f(void 0, void 0) .ser(se_UpdateTrustStoreCommand) .de(de_UpdateTrustStoreCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateTrustStoreRequest; + output: UpdateTrustStoreResponse; + }; + sdk: { + input: UpdateTrustStoreCommandInput; + output: UpdateTrustStoreCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdateUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/UpdateUserAccessLoggingSettingsCommand.ts index ab892155f4d6..95aabd68ac17 100644 --- a/clients/client-workspaces-web/src/commands/UpdateUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdateUserAccessLoggingSettingsCommand.ts @@ -105,4 +105,16 @@ export class UpdateUserAccessLoggingSettingsCommand extends $Command .f(void 0, void 0) .ser(se_UpdateUserAccessLoggingSettingsCommand) .de(de_UpdateUserAccessLoggingSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserAccessLoggingSettingsRequest; + output: UpdateUserAccessLoggingSettingsResponse; + }; + sdk: { + input: UpdateUserAccessLoggingSettingsCommandInput; + output: UpdateUserAccessLoggingSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/UpdateUserSettingsCommand.ts b/clients/client-workspaces-web/src/commands/UpdateUserSettingsCommand.ts index 6ff2c33cf044..9d2e39adea33 100644 --- a/clients/client-workspaces-web/src/commands/UpdateUserSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/UpdateUserSettingsCommand.ts @@ -155,4 +155,16 @@ export class UpdateUserSettingsCommand extends $Command .f(UpdateUserSettingsRequestFilterSensitiveLog, UpdateUserSettingsResponseFilterSensitiveLog) .ser(se_UpdateUserSettingsCommand) .de(de_UpdateUserSettingsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserSettingsRequest; + output: UpdateUserSettingsResponse; + }; + sdk: { + input: UpdateUserSettingsCommandInput; + output: UpdateUserSettingsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/package.json b/clients/client-workspaces/package.json index df176c7ad5e1..bd03780184fb 100644 --- a/clients/client-workspaces/package.json +++ b/clients/client-workspaces/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-workspaces/src/commands/AcceptAccountLinkInvitationCommand.ts b/clients/client-workspaces/src/commands/AcceptAccountLinkInvitationCommand.ts index d9e5fb163783..5a363a3ba10d 100644 --- a/clients/client-workspaces/src/commands/AcceptAccountLinkInvitationCommand.ts +++ b/clients/client-workspaces/src/commands/AcceptAccountLinkInvitationCommand.ts @@ -102,4 +102,16 @@ export class AcceptAccountLinkInvitationCommand extends $Command .f(void 0, void 0) .ser(se_AcceptAccountLinkInvitationCommand) .de(de_AcceptAccountLinkInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AcceptAccountLinkInvitationRequest; + output: AcceptAccountLinkInvitationResult; + }; + sdk: { + input: AcceptAccountLinkInvitationCommandInput; + output: AcceptAccountLinkInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/AssociateConnectionAliasCommand.ts b/clients/client-workspaces/src/commands/AssociateConnectionAliasCommand.ts index 551f83f0227e..9feb389a9d39 100644 --- a/clients/client-workspaces/src/commands/AssociateConnectionAliasCommand.ts +++ b/clients/client-workspaces/src/commands/AssociateConnectionAliasCommand.ts @@ -103,4 +103,16 @@ export class AssociateConnectionAliasCommand extends $Command .f(void 0, void 0) .ser(se_AssociateConnectionAliasCommand) .de(de_AssociateConnectionAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateConnectionAliasRequest; + output: AssociateConnectionAliasResult; + }; + sdk: { + input: AssociateConnectionAliasCommandInput; + output: AssociateConnectionAliasCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/AssociateIpGroupsCommand.ts b/clients/client-workspaces/src/commands/AssociateIpGroupsCommand.ts index 036b50c54c7d..462c9919565d 100644 --- a/clients/client-workspaces/src/commands/AssociateIpGroupsCommand.ts +++ b/clients/client-workspaces/src/commands/AssociateIpGroupsCommand.ts @@ -96,4 +96,16 @@ export class AssociateIpGroupsCommand extends $Command .f(void 0, void 0) .ser(se_AssociateIpGroupsCommand) .de(de_AssociateIpGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateIpGroupsRequest; + output: {}; + }; + sdk: { + input: AssociateIpGroupsCommandInput; + output: AssociateIpGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/AssociateWorkspaceApplicationCommand.ts b/clients/client-workspaces/src/commands/AssociateWorkspaceApplicationCommand.ts index 13fa546035ee..8d98963945bd 100644 --- a/clients/client-workspaces/src/commands/AssociateWorkspaceApplicationCommand.ts +++ b/clients/client-workspaces/src/commands/AssociateWorkspaceApplicationCommand.ts @@ -124,4 +124,16 @@ export class AssociateWorkspaceApplicationCommand extends $Command .f(void 0, void 0) .ser(se_AssociateWorkspaceApplicationCommand) .de(de_AssociateWorkspaceApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AssociateWorkspaceApplicationRequest; + output: AssociateWorkspaceApplicationResult; + }; + sdk: { + input: AssociateWorkspaceApplicationCommandInput; + output: AssociateWorkspaceApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/AuthorizeIpRulesCommand.ts b/clients/client-workspaces/src/commands/AuthorizeIpRulesCommand.ts index ee9998acc4ab..bb81902c0be4 100644 --- a/clients/client-workspaces/src/commands/AuthorizeIpRulesCommand.ts +++ b/clients/client-workspaces/src/commands/AuthorizeIpRulesCommand.ts @@ -98,4 +98,16 @@ export class AuthorizeIpRulesCommand extends $Command .f(void 0, void 0) .ser(se_AuthorizeIpRulesCommand) .de(de_AuthorizeIpRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AuthorizeIpRulesRequest; + output: {}; + }; + sdk: { + input: AuthorizeIpRulesCommandInput; + output: AuthorizeIpRulesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CopyWorkspaceImageCommand.ts b/clients/client-workspaces/src/commands/CopyWorkspaceImageCommand.ts index 3770942313ff..ea33c08ae3cc 100644 --- a/clients/client-workspaces/src/commands/CopyWorkspaceImageCommand.ts +++ b/clients/client-workspaces/src/commands/CopyWorkspaceImageCommand.ts @@ -116,4 +116,16 @@ export class CopyWorkspaceImageCommand extends $Command .f(void 0, void 0) .ser(se_CopyWorkspaceImageCommand) .de(de_CopyWorkspaceImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CopyWorkspaceImageRequest; + output: CopyWorkspaceImageResult; + }; + sdk: { + input: CopyWorkspaceImageCommandInput; + output: CopyWorkspaceImageCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateAccountLinkInvitationCommand.ts b/clients/client-workspaces/src/commands/CreateAccountLinkInvitationCommand.ts index 7a2e4e5f789e..86c5cfba0df4 100644 --- a/clients/client-workspaces/src/commands/CreateAccountLinkInvitationCommand.ts +++ b/clients/client-workspaces/src/commands/CreateAccountLinkInvitationCommand.ts @@ -96,4 +96,16 @@ export class CreateAccountLinkInvitationCommand extends $Command .f(void 0, void 0) .ser(se_CreateAccountLinkInvitationCommand) .de(de_CreateAccountLinkInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAccountLinkInvitationRequest; + output: CreateAccountLinkInvitationResult; + }; + sdk: { + input: CreateAccountLinkInvitationCommandInput; + output: CreateAccountLinkInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateConnectClientAddInCommand.ts b/clients/client-workspaces/src/commands/CreateConnectClientAddInCommand.ts index 27f99f08db16..54857d2a8f95 100644 --- a/clients/client-workspaces/src/commands/CreateConnectClientAddInCommand.ts +++ b/clients/client-workspaces/src/commands/CreateConnectClientAddInCommand.ts @@ -96,4 +96,16 @@ export class CreateConnectClientAddInCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectClientAddInCommand) .de(de_CreateConnectClientAddInCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectClientAddInRequest; + output: CreateConnectClientAddInResult; + }; + sdk: { + input: CreateConnectClientAddInCommandInput; + output: CreateConnectClientAddInCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateConnectionAliasCommand.ts b/clients/client-workspaces/src/commands/CreateConnectionAliasCommand.ts index 409a227acbcf..44e39a81eefa 100644 --- a/clients/client-workspaces/src/commands/CreateConnectionAliasCommand.ts +++ b/clients/client-workspaces/src/commands/CreateConnectionAliasCommand.ts @@ -103,4 +103,16 @@ export class CreateConnectionAliasCommand extends $Command .f(void 0, void 0) .ser(se_CreateConnectionAliasCommand) .de(de_CreateConnectionAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateConnectionAliasRequest; + output: CreateConnectionAliasResult; + }; + sdk: { + input: CreateConnectionAliasCommandInput; + output: CreateConnectionAliasCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateIpGroupCommand.ts b/clients/client-workspaces/src/commands/CreateIpGroupCommand.ts index 8cc200c9b5c5..dd526409be6f 100644 --- a/clients/client-workspaces/src/commands/CreateIpGroupCommand.ts +++ b/clients/client-workspaces/src/commands/CreateIpGroupCommand.ts @@ -113,4 +113,16 @@ export class CreateIpGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateIpGroupCommand) .de(de_CreateIpGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateIpGroupRequest; + output: CreateIpGroupResult; + }; + sdk: { + input: CreateIpGroupCommandInput; + output: CreateIpGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateStandbyWorkspacesCommand.ts b/clients/client-workspaces/src/commands/CreateStandbyWorkspacesCommand.ts index bb90b873f838..403cb9e9958f 100644 --- a/clients/client-workspaces/src/commands/CreateStandbyWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/CreateStandbyWorkspacesCommand.ts @@ -131,4 +131,16 @@ export class CreateStandbyWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_CreateStandbyWorkspacesCommand) .de(de_CreateStandbyWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateStandbyWorkspacesRequest; + output: CreateStandbyWorkspacesResult; + }; + sdk: { + input: CreateStandbyWorkspacesCommandInput; + output: CreateStandbyWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateTagsCommand.ts b/clients/client-workspaces/src/commands/CreateTagsCommand.ts index 79f20aed6f57..de10864663b4 100644 --- a/clients/client-workspaces/src/commands/CreateTagsCommand.ts +++ b/clients/client-workspaces/src/commands/CreateTagsCommand.ts @@ -90,4 +90,16 @@ export class CreateTagsCommand extends $Command .f(void 0, void 0) .ser(se_CreateTagsCommand) .de(de_CreateTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateTagsRequest; + output: {}; + }; + sdk: { + input: CreateTagsCommandInput; + output: CreateTagsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateUpdatedWorkspaceImageCommand.ts b/clients/client-workspaces/src/commands/CreateUpdatedWorkspaceImageCommand.ts index a6c382b4f7e1..58be42608059 100644 --- a/clients/client-workspaces/src/commands/CreateUpdatedWorkspaceImageCommand.ts +++ b/clients/client-workspaces/src/commands/CreateUpdatedWorkspaceImageCommand.ts @@ -127,4 +127,16 @@ export class CreateUpdatedWorkspaceImageCommand extends $Command .f(void 0, void 0) .ser(se_CreateUpdatedWorkspaceImageCommand) .de(de_CreateUpdatedWorkspaceImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUpdatedWorkspaceImageRequest; + output: CreateUpdatedWorkspaceImageResult; + }; + sdk: { + input: CreateUpdatedWorkspaceImageCommandInput; + output: CreateUpdatedWorkspaceImageCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateWorkspaceBundleCommand.ts b/clients/client-workspaces/src/commands/CreateWorkspaceBundleCommand.ts index 882035d92332..8349fa99b02f 100644 --- a/clients/client-workspaces/src/commands/CreateWorkspaceBundleCommand.ts +++ b/clients/client-workspaces/src/commands/CreateWorkspaceBundleCommand.ts @@ -133,4 +133,16 @@ export class CreateWorkspaceBundleCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkspaceBundleCommand) .de(de_CreateWorkspaceBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceBundleRequest; + output: CreateWorkspaceBundleResult; + }; + sdk: { + input: CreateWorkspaceBundleCommandInput; + output: CreateWorkspaceBundleCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateWorkspaceImageCommand.ts b/clients/client-workspaces/src/commands/CreateWorkspaceImageCommand.ts index 5b4d24cdd4cd..629da340d915 100644 --- a/clients/client-workspaces/src/commands/CreateWorkspaceImageCommand.ts +++ b/clients/client-workspaces/src/commands/CreateWorkspaceImageCommand.ts @@ -115,4 +115,16 @@ export class CreateWorkspaceImageCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkspaceImageCommand) .de(de_CreateWorkspaceImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspaceImageRequest; + output: CreateWorkspaceImageResult; + }; + sdk: { + input: CreateWorkspaceImageCommandInput; + output: CreateWorkspaceImageCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateWorkspacesCommand.ts b/clients/client-workspaces/src/commands/CreateWorkspacesCommand.ts index 2245164d1e02..ddaec9564ab2 100644 --- a/clients/client-workspaces/src/commands/CreateWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/CreateWorkspacesCommand.ts @@ -221,4 +221,16 @@ export class CreateWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkspacesCommand) .de(de_CreateWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspacesRequest; + output: CreateWorkspacesResult; + }; + sdk: { + input: CreateWorkspacesCommandInput; + output: CreateWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/CreateWorkspacesPoolCommand.ts b/clients/client-workspaces/src/commands/CreateWorkspacesPoolCommand.ts index 55557161d1bb..dfc47c2e5ebc 100644 --- a/clients/client-workspaces/src/commands/CreateWorkspacesPoolCommand.ts +++ b/clients/client-workspaces/src/commands/CreateWorkspacesPoolCommand.ts @@ -147,4 +147,16 @@ export class CreateWorkspacesPoolCommand extends $Command .f(void 0, void 0) .ser(se_CreateWorkspacesPoolCommand) .de(de_CreateWorkspacesPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateWorkspacesPoolRequest; + output: CreateWorkspacesPoolResult; + }; + sdk: { + input: CreateWorkspacesPoolCommandInput; + output: CreateWorkspacesPoolCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteAccountLinkInvitationCommand.ts b/clients/client-workspaces/src/commands/DeleteAccountLinkInvitationCommand.ts index 2aa6dd318077..7d1c5c9dc28a 100644 --- a/clients/client-workspaces/src/commands/DeleteAccountLinkInvitationCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteAccountLinkInvitationCommand.ts @@ -99,4 +99,16 @@ export class DeleteAccountLinkInvitationCommand extends $Command .f(void 0, void 0) .ser(se_DeleteAccountLinkInvitationCommand) .de(de_DeleteAccountLinkInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteAccountLinkInvitationRequest; + output: DeleteAccountLinkInvitationResult; + }; + sdk: { + input: DeleteAccountLinkInvitationCommandInput; + output: DeleteAccountLinkInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteClientBrandingCommand.ts b/clients/client-workspaces/src/commands/DeleteClientBrandingCommand.ts index 09420344abb3..0775b8542219 100644 --- a/clients/client-workspaces/src/commands/DeleteClientBrandingCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteClientBrandingCommand.ts @@ -92,4 +92,16 @@ export class DeleteClientBrandingCommand extends $Command .f(void 0, void 0) .ser(se_DeleteClientBrandingCommand) .de(de_DeleteClientBrandingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteClientBrandingRequest; + output: {}; + }; + sdk: { + input: DeleteClientBrandingCommandInput; + output: DeleteClientBrandingCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteConnectClientAddInCommand.ts b/clients/client-workspaces/src/commands/DeleteConnectClientAddInCommand.ts index 224cb16b513e..4b36c7dfa334 100644 --- a/clients/client-workspaces/src/commands/DeleteConnectClientAddInCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteConnectClientAddInCommand.ts @@ -86,4 +86,16 @@ export class DeleteConnectClientAddInCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectClientAddInCommand) .de(de_DeleteConnectClientAddInCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectClientAddInRequest; + output: {}; + }; + sdk: { + input: DeleteConnectClientAddInCommandInput; + output: DeleteConnectClientAddInCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteConnectionAliasCommand.ts b/clients/client-workspaces/src/commands/DeleteConnectionAliasCommand.ts index 2719ba41f14c..8336ebb3f014 100644 --- a/clients/client-workspaces/src/commands/DeleteConnectionAliasCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteConnectionAliasCommand.ts @@ -108,4 +108,16 @@ export class DeleteConnectionAliasCommand extends $Command .f(void 0, void 0) .ser(se_DeleteConnectionAliasCommand) .de(de_DeleteConnectionAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionAliasRequest; + output: {}; + }; + sdk: { + input: DeleteConnectionAliasCommandInput; + output: DeleteConnectionAliasCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteIpGroupCommand.ts b/clients/client-workspaces/src/commands/DeleteIpGroupCommand.ts index f1b21d36745f..1d22c8581d25 100644 --- a/clients/client-workspaces/src/commands/DeleteIpGroupCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteIpGroupCommand.ts @@ -88,4 +88,16 @@ export class DeleteIpGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteIpGroupCommand) .de(de_DeleteIpGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteIpGroupRequest; + output: {}; + }; + sdk: { + input: DeleteIpGroupCommandInput; + output: DeleteIpGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteTagsCommand.ts b/clients/client-workspaces/src/commands/DeleteTagsCommand.ts index 0f9c6042d2b8..ec49d78257fb 100644 --- a/clients/client-workspaces/src/commands/DeleteTagsCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteTagsCommand.ts @@ -84,4 +84,16 @@ export class DeleteTagsCommand extends $Command .f(void 0, void 0) .ser(se_DeleteTagsCommand) .de(de_DeleteTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteTagsRequest; + output: {}; + }; + sdk: { + input: DeleteTagsCommandInput; + output: DeleteTagsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteWorkspaceBundleCommand.ts b/clients/client-workspaces/src/commands/DeleteWorkspaceBundleCommand.ts index 396533d75796..229a22d43ade 100644 --- a/clients/client-workspaces/src/commands/DeleteWorkspaceBundleCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteWorkspaceBundleCommand.ts @@ -89,4 +89,16 @@ export class DeleteWorkspaceBundleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkspaceBundleCommand) .de(de_DeleteWorkspaceBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceBundleRequest; + output: {}; + }; + sdk: { + input: DeleteWorkspaceBundleCommandInput; + output: DeleteWorkspaceBundleCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeleteWorkspaceImageCommand.ts b/clients/client-workspaces/src/commands/DeleteWorkspaceImageCommand.ts index 66255a80d985..2db2fdea4381 100644 --- a/clients/client-workspaces/src/commands/DeleteWorkspaceImageCommand.ts +++ b/clients/client-workspaces/src/commands/DeleteWorkspaceImageCommand.ts @@ -86,4 +86,16 @@ export class DeleteWorkspaceImageCommand extends $Command .f(void 0, void 0) .ser(se_DeleteWorkspaceImageCommand) .de(de_DeleteWorkspaceImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteWorkspaceImageRequest; + output: {}; + }; + sdk: { + input: DeleteWorkspaceImageCommandInput; + output: DeleteWorkspaceImageCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeployWorkspaceApplicationsCommand.ts b/clients/client-workspaces/src/commands/DeployWorkspaceApplicationsCommand.ts index 426ccda625bb..62109adf0a2e 100644 --- a/clients/client-workspaces/src/commands/DeployWorkspaceApplicationsCommand.ts +++ b/clients/client-workspaces/src/commands/DeployWorkspaceApplicationsCommand.ts @@ -111,4 +111,16 @@ export class DeployWorkspaceApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DeployWorkspaceApplicationsCommand) .de(de_DeployWorkspaceApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeployWorkspaceApplicationsRequest; + output: DeployWorkspaceApplicationsResult; + }; + sdk: { + input: DeployWorkspaceApplicationsCommandInput; + output: DeployWorkspaceApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DeregisterWorkspaceDirectoryCommand.ts b/clients/client-workspaces/src/commands/DeregisterWorkspaceDirectoryCommand.ts index edfc760d396a..6fff6d70c7b3 100644 --- a/clients/client-workspaces/src/commands/DeregisterWorkspaceDirectoryCommand.ts +++ b/clients/client-workspaces/src/commands/DeregisterWorkspaceDirectoryCommand.ts @@ -108,4 +108,16 @@ export class DeregisterWorkspaceDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_DeregisterWorkspaceDirectoryCommand) .de(de_DeregisterWorkspaceDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeregisterWorkspaceDirectoryRequest; + output: {}; + }; + sdk: { + input: DeregisterWorkspaceDirectoryCommandInput; + output: DeregisterWorkspaceDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeAccountCommand.ts b/clients/client-workspaces/src/commands/DescribeAccountCommand.ts index dfca1499339c..471d0f80c818 100644 --- a/clients/client-workspaces/src/commands/DescribeAccountCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeAccountCommand.ts @@ -81,4 +81,16 @@ export class DescribeAccountCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountCommand) .de(de_DescribeAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DescribeAccountResult; + }; + sdk: { + input: DescribeAccountCommandInput; + output: DescribeAccountCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeAccountModificationsCommand.ts b/clients/client-workspaces/src/commands/DescribeAccountModificationsCommand.ts index 7e25d94ddee4..3120c08dcd97 100644 --- a/clients/client-workspaces/src/commands/DescribeAccountModificationsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeAccountModificationsCommand.ts @@ -96,4 +96,16 @@ export class DescribeAccountModificationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeAccountModificationsCommand) .de(de_DescribeAccountModificationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeAccountModificationsRequest; + output: DescribeAccountModificationsResult; + }; + sdk: { + input: DescribeAccountModificationsCommandInput; + output: DescribeAccountModificationsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeApplicationAssociationsCommand.ts b/clients/client-workspaces/src/commands/DescribeApplicationAssociationsCommand.ts index ee9470af782b..303775e4f552 100644 --- a/clients/client-workspaces/src/commands/DescribeApplicationAssociationsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeApplicationAssociationsCommand.ts @@ -113,4 +113,16 @@ export class DescribeApplicationAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationAssociationsCommand) .de(de_DescribeApplicationAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationAssociationsRequest; + output: DescribeApplicationAssociationsResult; + }; + sdk: { + input: DescribeApplicationAssociationsCommandInput; + output: DescribeApplicationAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeApplicationsCommand.ts b/clients/client-workspaces/src/commands/DescribeApplicationsCommand.ts index d8960872bee1..bab9370db049 100644 --- a/clients/client-workspaces/src/commands/DescribeApplicationsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeApplicationsCommand.ts @@ -118,4 +118,16 @@ export class DescribeApplicationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeApplicationsCommand) .de(de_DescribeApplicationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeApplicationsRequest; + output: DescribeApplicationsResult; + }; + sdk: { + input: DescribeApplicationsCommandInput; + output: DescribeApplicationsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeBundleAssociationsCommand.ts b/clients/client-workspaces/src/commands/DescribeBundleAssociationsCommand.ts index 7f9d1c5af3fe..ce31936ddace 100644 --- a/clients/client-workspaces/src/commands/DescribeBundleAssociationsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeBundleAssociationsCommand.ts @@ -105,4 +105,16 @@ export class DescribeBundleAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeBundleAssociationsCommand) .de(de_DescribeBundleAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeBundleAssociationsRequest; + output: DescribeBundleAssociationsResult; + }; + sdk: { + input: DescribeBundleAssociationsCommandInput; + output: DescribeBundleAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeClientBrandingCommand.ts b/clients/client-workspaces/src/commands/DescribeClientBrandingCommand.ts index 97cdee5e95af..f486327318b7 100644 --- a/clients/client-workspaces/src/commands/DescribeClientBrandingCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeClientBrandingCommand.ts @@ -146,4 +146,16 @@ export class DescribeClientBrandingCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientBrandingCommand) .de(de_DescribeClientBrandingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientBrandingRequest; + output: DescribeClientBrandingResult; + }; + sdk: { + input: DescribeClientBrandingCommandInput; + output: DescribeClientBrandingCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeClientPropertiesCommand.ts b/clients/client-workspaces/src/commands/DescribeClientPropertiesCommand.ts index 353f8efbb4bc..805cba987d06 100644 --- a/clients/client-workspaces/src/commands/DescribeClientPropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeClientPropertiesCommand.ts @@ -96,4 +96,16 @@ export class DescribeClientPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeClientPropertiesCommand) .de(de_DescribeClientPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeClientPropertiesRequest; + output: DescribeClientPropertiesResult; + }; + sdk: { + input: DescribeClientPropertiesCommandInput; + output: DescribeClientPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeConnectClientAddInsCommand.ts b/clients/client-workspaces/src/commands/DescribeConnectClientAddInsCommand.ts index dceb643dcea7..90cfca5ef87c 100644 --- a/clients/client-workspaces/src/commands/DescribeConnectClientAddInsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeConnectClientAddInsCommand.ts @@ -96,4 +96,16 @@ export class DescribeConnectClientAddInsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectClientAddInsCommand) .de(de_DescribeConnectClientAddInsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectClientAddInsRequest; + output: DescribeConnectClientAddInsResult; + }; + sdk: { + input: DescribeConnectClientAddInsCommandInput; + output: DescribeConnectClientAddInsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeConnectionAliasPermissionsCommand.ts b/clients/client-workspaces/src/commands/DescribeConnectionAliasPermissionsCommand.ts index c86d55f216c4..59dbd2c6313b 100644 --- a/clients/client-workspaces/src/commands/DescribeConnectionAliasPermissionsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeConnectionAliasPermissionsCommand.ts @@ -109,4 +109,16 @@ export class DescribeConnectionAliasPermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectionAliasPermissionsCommand) .de(de_DescribeConnectionAliasPermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionAliasPermissionsRequest; + output: DescribeConnectionAliasPermissionsResult; + }; + sdk: { + input: DescribeConnectionAliasPermissionsCommandInput; + output: DescribeConnectionAliasPermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeConnectionAliasesCommand.ts b/clients/client-workspaces/src/commands/DescribeConnectionAliasesCommand.ts index 21dd7b3c5dff..bf6fdd856a20 100644 --- a/clients/client-workspaces/src/commands/DescribeConnectionAliasesCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeConnectionAliasesCommand.ts @@ -109,4 +109,16 @@ export class DescribeConnectionAliasesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeConnectionAliasesCommand) .de(de_DescribeConnectionAliasesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeConnectionAliasesRequest; + output: DescribeConnectionAliasesResult; + }; + sdk: { + input: DescribeConnectionAliasesCommandInput; + output: DescribeConnectionAliasesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeImageAssociationsCommand.ts b/clients/client-workspaces/src/commands/DescribeImageAssociationsCommand.ts index 3001fc88c5b5..4009dd06e707 100644 --- a/clients/client-workspaces/src/commands/DescribeImageAssociationsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeImageAssociationsCommand.ts @@ -105,4 +105,16 @@ export class DescribeImageAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeImageAssociationsCommand) .de(de_DescribeImageAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeImageAssociationsRequest; + output: DescribeImageAssociationsResult; + }; + sdk: { + input: DescribeImageAssociationsCommandInput; + output: DescribeImageAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeIpGroupsCommand.ts b/clients/client-workspaces/src/commands/DescribeIpGroupsCommand.ts index cbbe3067de64..bab43386da59 100644 --- a/clients/client-workspaces/src/commands/DescribeIpGroupsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeIpGroupsCommand.ts @@ -100,4 +100,16 @@ export class DescribeIpGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeIpGroupsCommand) .de(de_DescribeIpGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeIpGroupsRequest; + output: DescribeIpGroupsResult; + }; + sdk: { + input: DescribeIpGroupsCommandInput; + output: DescribeIpGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeTagsCommand.ts b/clients/client-workspaces/src/commands/DescribeTagsCommand.ts index ea6468f613c2..38f812cc28b0 100644 --- a/clients/client-workspaces/src/commands/DescribeTagsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeTagsCommand.ts @@ -85,4 +85,16 @@ export class DescribeTagsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeTagsCommand) .de(de_DescribeTagsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeTagsRequest; + output: DescribeTagsResult; + }; + sdk: { + input: DescribeTagsCommandInput; + output: DescribeTagsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspaceAssociationsCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspaceAssociationsCommand.ts index 6a00ed3b7b2f..8c7b082c8cb9 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspaceAssociationsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspaceAssociationsCommand.ts @@ -110,4 +110,16 @@ export class DescribeWorkspaceAssociationsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceAssociationsCommand) .de(de_DescribeWorkspaceAssociationsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceAssociationsRequest; + output: DescribeWorkspaceAssociationsResult; + }; + sdk: { + input: DescribeWorkspaceAssociationsCommandInput; + output: DescribeWorkspaceAssociationsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspaceBundlesCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspaceBundlesCommand.ts index 71eb4c3df699..ef1370da7e32 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspaceBundlesCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspaceBundlesCommand.ts @@ -107,4 +107,16 @@ export class DescribeWorkspaceBundlesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceBundlesCommand) .de(de_DescribeWorkspaceBundlesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceBundlesRequest; + output: DescribeWorkspaceBundlesResult; + }; + sdk: { + input: DescribeWorkspaceBundlesCommandInput; + output: DescribeWorkspaceBundlesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspaceDirectoriesCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspaceDirectoriesCommand.ts index 97df4b639bc1..4389a2bdbafb 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspaceDirectoriesCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspaceDirectoriesCommand.ts @@ -191,4 +191,16 @@ export class DescribeWorkspaceDirectoriesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceDirectoriesCommand) .de(de_DescribeWorkspaceDirectoriesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceDirectoriesRequest; + output: DescribeWorkspaceDirectoriesResult; + }; + sdk: { + input: DescribeWorkspaceDirectoriesCommandInput; + output: DescribeWorkspaceDirectoriesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspaceImagePermissionsCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspaceImagePermissionsCommand.ts index 3fa7127ba05c..2c2c4c48e93c 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspaceImagePermissionsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspaceImagePermissionsCommand.ts @@ -99,4 +99,16 @@ export class DescribeWorkspaceImagePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceImagePermissionsCommand) .de(de_DescribeWorkspaceImagePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceImagePermissionsRequest; + output: DescribeWorkspaceImagePermissionsResult; + }; + sdk: { + input: DescribeWorkspaceImagePermissionsCommandInput; + output: DescribeWorkspaceImagePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspaceImagesCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspaceImagesCommand.ts index 652e1cde05f0..6b1342dfab65 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspaceImagesCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspaceImagesCommand.ts @@ -112,4 +112,16 @@ export class DescribeWorkspaceImagesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceImagesCommand) .de(de_DescribeWorkspaceImagesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceImagesRequest; + output: DescribeWorkspaceImagesResult; + }; + sdk: { + input: DescribeWorkspaceImagesCommandInput; + output: DescribeWorkspaceImagesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspaceSnapshotsCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspaceSnapshotsCommand.ts index 4715d3497c47..873b0083ade9 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspaceSnapshotsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspaceSnapshotsCommand.ts @@ -95,4 +95,16 @@ export class DescribeWorkspaceSnapshotsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspaceSnapshotsCommand) .de(de_DescribeWorkspaceSnapshotsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspaceSnapshotsRequest; + output: DescribeWorkspaceSnapshotsResult; + }; + sdk: { + input: DescribeWorkspaceSnapshotsCommandInput; + output: DescribeWorkspaceSnapshotsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspacesCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspacesCommand.ts index 02cbd58b7fb3..ed168c5be5f5 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspacesCommand.ts @@ -147,4 +147,16 @@ export class DescribeWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspacesCommand) .de(de_DescribeWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspacesRequest; + output: DescribeWorkspacesResult; + }; + sdk: { + input: DescribeWorkspacesCommandInput; + output: DescribeWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspacesConnectionStatusCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspacesConnectionStatusCommand.ts index b07549b89ece..6e1af033db9a 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspacesConnectionStatusCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspacesConnectionStatusCommand.ts @@ -99,4 +99,16 @@ export class DescribeWorkspacesConnectionStatusCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspacesConnectionStatusCommand) .de(de_DescribeWorkspacesConnectionStatusCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspacesConnectionStatusRequest; + output: DescribeWorkspacesConnectionStatusResult; + }; + sdk: { + input: DescribeWorkspacesConnectionStatusCommandInput; + output: DescribeWorkspacesConnectionStatusCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspacesPoolSessionsCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspacesPoolSessionsCommand.ts index b684fa6444ec..3f442c06ec1c 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspacesPoolSessionsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspacesPoolSessionsCommand.ts @@ -110,4 +110,16 @@ export class DescribeWorkspacesPoolSessionsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspacesPoolSessionsCommand) .de(de_DescribeWorkspacesPoolSessionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspacesPoolSessionsRequest; + output: DescribeWorkspacesPoolSessionsResult; + }; + sdk: { + input: DescribeWorkspacesPoolSessionsCommandInput; + output: DescribeWorkspacesPoolSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DescribeWorkspacesPoolsCommand.ts b/clients/client-workspaces/src/commands/DescribeWorkspacesPoolsCommand.ts index d1952d5468ea..83f1189c5938 100644 --- a/clients/client-workspaces/src/commands/DescribeWorkspacesPoolsCommand.ts +++ b/clients/client-workspaces/src/commands/DescribeWorkspacesPoolsCommand.ts @@ -133,4 +133,16 @@ export class DescribeWorkspacesPoolsCommand extends $Command .f(void 0, void 0) .ser(se_DescribeWorkspacesPoolsCommand) .de(de_DescribeWorkspacesPoolsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeWorkspacesPoolsRequest; + output: DescribeWorkspacesPoolsResult; + }; + sdk: { + input: DescribeWorkspacesPoolsCommandInput; + output: DescribeWorkspacesPoolsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DisassociateConnectionAliasCommand.ts b/clients/client-workspaces/src/commands/DisassociateConnectionAliasCommand.ts index c4d7196023a4..9f32e6e47ee0 100644 --- a/clients/client-workspaces/src/commands/DisassociateConnectionAliasCommand.ts +++ b/clients/client-workspaces/src/commands/DisassociateConnectionAliasCommand.ts @@ -98,4 +98,16 @@ export class DisassociateConnectionAliasCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateConnectionAliasCommand) .de(de_DisassociateConnectionAliasCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateConnectionAliasRequest; + output: {}; + }; + sdk: { + input: DisassociateConnectionAliasCommandInput; + output: DisassociateConnectionAliasCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DisassociateIpGroupsCommand.ts b/clients/client-workspaces/src/commands/DisassociateIpGroupsCommand.ts index 7244d3155b4e..9169dd4a5986 100644 --- a/clients/client-workspaces/src/commands/DisassociateIpGroupsCommand.ts +++ b/clients/client-workspaces/src/commands/DisassociateIpGroupsCommand.ts @@ -93,4 +93,16 @@ export class DisassociateIpGroupsCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateIpGroupsCommand) .de(de_DisassociateIpGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateIpGroupsRequest; + output: {}; + }; + sdk: { + input: DisassociateIpGroupsCommandInput; + output: DisassociateIpGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/DisassociateWorkspaceApplicationCommand.ts b/clients/client-workspaces/src/commands/DisassociateWorkspaceApplicationCommand.ts index b730902c1a9c..386f9b87e9de 100644 --- a/clients/client-workspaces/src/commands/DisassociateWorkspaceApplicationCommand.ts +++ b/clients/client-workspaces/src/commands/DisassociateWorkspaceApplicationCommand.ts @@ -109,4 +109,16 @@ export class DisassociateWorkspaceApplicationCommand extends $Command .f(void 0, void 0) .ser(se_DisassociateWorkspaceApplicationCommand) .de(de_DisassociateWorkspaceApplicationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisassociateWorkspaceApplicationRequest; + output: DisassociateWorkspaceApplicationResult; + }; + sdk: { + input: DisassociateWorkspaceApplicationCommandInput; + output: DisassociateWorkspaceApplicationCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/GetAccountLinkCommand.ts b/clients/client-workspaces/src/commands/GetAccountLinkCommand.ts index 9aa7a11f613a..770bf37a0f16 100644 --- a/clients/client-workspaces/src/commands/GetAccountLinkCommand.ts +++ b/clients/client-workspaces/src/commands/GetAccountLinkCommand.ts @@ -96,4 +96,16 @@ export class GetAccountLinkCommand extends $Command .f(void 0, void 0) .ser(se_GetAccountLinkCommand) .de(de_GetAccountLinkCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetAccountLinkRequest; + output: GetAccountLinkResult; + }; + sdk: { + input: GetAccountLinkCommandInput; + output: GetAccountLinkCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ImportClientBrandingCommand.ts b/clients/client-workspaces/src/commands/ImportClientBrandingCommand.ts index 69afab0026d1..8ad8094c44a2 100644 --- a/clients/client-workspaces/src/commands/ImportClientBrandingCommand.ts +++ b/clients/client-workspaces/src/commands/ImportClientBrandingCommand.ts @@ -223,4 +223,16 @@ export class ImportClientBrandingCommand extends $Command .f(void 0, void 0) .ser(se_ImportClientBrandingCommand) .de(de_ImportClientBrandingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportClientBrandingRequest; + output: ImportClientBrandingResult; + }; + sdk: { + input: ImportClientBrandingCommandInput; + output: ImportClientBrandingCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ImportWorkspaceImageCommand.ts b/clients/client-workspaces/src/commands/ImportWorkspaceImageCommand.ts index b4cd049e8232..fd33d75583b5 100644 --- a/clients/client-workspaces/src/commands/ImportWorkspaceImageCommand.ts +++ b/clients/client-workspaces/src/commands/ImportWorkspaceImageCommand.ts @@ -111,4 +111,16 @@ export class ImportWorkspaceImageCommand extends $Command .f(void 0, void 0) .ser(se_ImportWorkspaceImageCommand) .de(de_ImportWorkspaceImageCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ImportWorkspaceImageRequest; + output: ImportWorkspaceImageResult; + }; + sdk: { + input: ImportWorkspaceImageCommandInput; + output: ImportWorkspaceImageCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ListAccountLinksCommand.ts b/clients/client-workspaces/src/commands/ListAccountLinksCommand.ts index 39aa10c98c33..d465d2f329ba 100644 --- a/clients/client-workspaces/src/commands/ListAccountLinksCommand.ts +++ b/clients/client-workspaces/src/commands/ListAccountLinksCommand.ts @@ -99,4 +99,16 @@ export class ListAccountLinksCommand extends $Command .f(void 0, void 0) .ser(se_ListAccountLinksCommand) .de(de_ListAccountLinksCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAccountLinksRequest; + output: ListAccountLinksResult; + }; + sdk: { + input: ListAccountLinksCommandInput; + output: ListAccountLinksCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ListAvailableManagementCidrRangesCommand.ts b/clients/client-workspaces/src/commands/ListAvailableManagementCidrRangesCommand.ts index aaf7a44071a2..66f356a46441 100644 --- a/clients/client-workspaces/src/commands/ListAvailableManagementCidrRangesCommand.ts +++ b/clients/client-workspaces/src/commands/ListAvailableManagementCidrRangesCommand.ts @@ -100,4 +100,16 @@ export class ListAvailableManagementCidrRangesCommand extends $Command .f(void 0, void 0) .ser(se_ListAvailableManagementCidrRangesCommand) .de(de_ListAvailableManagementCidrRangesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListAvailableManagementCidrRangesRequest; + output: ListAvailableManagementCidrRangesResult; + }; + sdk: { + input: ListAvailableManagementCidrRangesCommandInput; + output: ListAvailableManagementCidrRangesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/MigrateWorkspaceCommand.ts b/clients/client-workspaces/src/commands/MigrateWorkspaceCommand.ts index 9ed2c18f824f..5eb0073a4a28 100644 --- a/clients/client-workspaces/src/commands/MigrateWorkspaceCommand.ts +++ b/clients/client-workspaces/src/commands/MigrateWorkspaceCommand.ts @@ -107,4 +107,16 @@ export class MigrateWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_MigrateWorkspaceCommand) .de(de_MigrateWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MigrateWorkspaceRequest; + output: MigrateWorkspaceResult; + }; + sdk: { + input: MigrateWorkspaceCommandInput; + output: MigrateWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyAccountCommand.ts b/clients/client-workspaces/src/commands/ModifyAccountCommand.ts index 6fbe1e0f4472..08f7be3d73f2 100644 --- a/clients/client-workspaces/src/commands/ModifyAccountCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyAccountCommand.ts @@ -92,4 +92,16 @@ export class ModifyAccountCommand extends $Command .f(void 0, void 0) .ser(se_ModifyAccountCommand) .de(de_ModifyAccountCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyAccountRequest; + output: {}; + }; + sdk: { + input: ModifyAccountCommandInput; + output: ModifyAccountCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyCertificateBasedAuthPropertiesCommand.ts b/clients/client-workspaces/src/commands/ModifyCertificateBasedAuthPropertiesCommand.ts index 5be3e5108c2a..abc5daeaaa82 100644 --- a/clients/client-workspaces/src/commands/ModifyCertificateBasedAuthPropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyCertificateBasedAuthPropertiesCommand.ts @@ -103,4 +103,16 @@ export class ModifyCertificateBasedAuthPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyCertificateBasedAuthPropertiesCommand) .de(de_ModifyCertificateBasedAuthPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyCertificateBasedAuthPropertiesRequest; + output: {}; + }; + sdk: { + input: ModifyCertificateBasedAuthPropertiesCommandInput; + output: ModifyCertificateBasedAuthPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyClientPropertiesCommand.ts b/clients/client-workspaces/src/commands/ModifyClientPropertiesCommand.ts index 37e7694f975c..a37977a19ccd 100644 --- a/clients/client-workspaces/src/commands/ModifyClientPropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyClientPropertiesCommand.ts @@ -91,4 +91,16 @@ export class ModifyClientPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyClientPropertiesCommand) .de(de_ModifyClientPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyClientPropertiesRequest; + output: {}; + }; + sdk: { + input: ModifyClientPropertiesCommandInput; + output: ModifyClientPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifySamlPropertiesCommand.ts b/clients/client-workspaces/src/commands/ModifySamlPropertiesCommand.ts index c52c6a326dfd..b334e463e4b3 100644 --- a/clients/client-workspaces/src/commands/ModifySamlPropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/ModifySamlPropertiesCommand.ts @@ -97,4 +97,16 @@ export class ModifySamlPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ModifySamlPropertiesCommand) .de(de_ModifySamlPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySamlPropertiesRequest; + output: {}; + }; + sdk: { + input: ModifySamlPropertiesCommandInput; + output: ModifySamlPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifySelfservicePermissionsCommand.ts b/clients/client-workspaces/src/commands/ModifySelfservicePermissionsCommand.ts index bf26d17f00fb..651a88185af9 100644 --- a/clients/client-workspaces/src/commands/ModifySelfservicePermissionsCommand.ts +++ b/clients/client-workspaces/src/commands/ModifySelfservicePermissionsCommand.ts @@ -100,4 +100,16 @@ export class ModifySelfservicePermissionsCommand extends $Command .f(void 0, void 0) .ser(se_ModifySelfservicePermissionsCommand) .de(de_ModifySelfservicePermissionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifySelfservicePermissionsRequest; + output: {}; + }; + sdk: { + input: ModifySelfservicePermissionsCommandInput; + output: ModifySelfservicePermissionsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyStreamingPropertiesCommand.ts b/clients/client-workspaces/src/commands/ModifyStreamingPropertiesCommand.ts index 309da456fbc3..e1033cd94482 100644 --- a/clients/client-workspaces/src/commands/ModifyStreamingPropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyStreamingPropertiesCommand.ts @@ -103,4 +103,16 @@ export class ModifyStreamingPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyStreamingPropertiesCommand) .de(de_ModifyStreamingPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyStreamingPropertiesRequest; + output: {}; + }; + sdk: { + input: ModifyStreamingPropertiesCommandInput; + output: ModifyStreamingPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyWorkspaceAccessPropertiesCommand.ts b/clients/client-workspaces/src/commands/ModifyWorkspaceAccessPropertiesCommand.ts index decbf18ac5a6..060ae2674743 100644 --- a/clients/client-workspaces/src/commands/ModifyWorkspaceAccessPropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyWorkspaceAccessPropertiesCommand.ts @@ -98,4 +98,16 @@ export class ModifyWorkspaceAccessPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyWorkspaceAccessPropertiesCommand) .de(de_ModifyWorkspaceAccessPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyWorkspaceAccessPropertiesRequest; + output: {}; + }; + sdk: { + input: ModifyWorkspaceAccessPropertiesCommandInput; + output: ModifyWorkspaceAccessPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyWorkspaceCreationPropertiesCommand.ts b/clients/client-workspaces/src/commands/ModifyWorkspaceCreationPropertiesCommand.ts index 3af5ce4d4088..740f6a38782d 100644 --- a/clients/client-workspaces/src/commands/ModifyWorkspaceCreationPropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyWorkspaceCreationPropertiesCommand.ts @@ -101,4 +101,16 @@ export class ModifyWorkspaceCreationPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyWorkspaceCreationPropertiesCommand) .de(de_ModifyWorkspaceCreationPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyWorkspaceCreationPropertiesRequest; + output: {}; + }; + sdk: { + input: ModifyWorkspaceCreationPropertiesCommandInput; + output: ModifyWorkspaceCreationPropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyWorkspacePropertiesCommand.ts b/clients/client-workspaces/src/commands/ModifyWorkspacePropertiesCommand.ts index 0d24d053d7bc..6c67e77c671b 100644 --- a/clients/client-workspaces/src/commands/ModifyWorkspacePropertiesCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyWorkspacePropertiesCommand.ts @@ -118,4 +118,16 @@ export class ModifyWorkspacePropertiesCommand extends $Command .f(void 0, void 0) .ser(se_ModifyWorkspacePropertiesCommand) .de(de_ModifyWorkspacePropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyWorkspacePropertiesRequest; + output: {}; + }; + sdk: { + input: ModifyWorkspacePropertiesCommandInput; + output: ModifyWorkspacePropertiesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/ModifyWorkspaceStateCommand.ts b/clients/client-workspaces/src/commands/ModifyWorkspaceStateCommand.ts index 3b018cc42133..d3765587f337 100644 --- a/clients/client-workspaces/src/commands/ModifyWorkspaceStateCommand.ts +++ b/clients/client-workspaces/src/commands/ModifyWorkspaceStateCommand.ts @@ -93,4 +93,16 @@ export class ModifyWorkspaceStateCommand extends $Command .f(void 0, void 0) .ser(se_ModifyWorkspaceStateCommand) .de(de_ModifyWorkspaceStateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ModifyWorkspaceStateRequest; + output: {}; + }; + sdk: { + input: ModifyWorkspaceStateCommandInput; + output: ModifyWorkspaceStateCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/RebootWorkspacesCommand.ts b/clients/client-workspaces/src/commands/RebootWorkspacesCommand.ts index ef2875fd29c1..232da0912674 100644 --- a/clients/client-workspaces/src/commands/RebootWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/RebootWorkspacesCommand.ts @@ -94,4 +94,16 @@ export class RebootWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_RebootWorkspacesCommand) .de(de_RebootWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebootWorkspacesRequest; + output: RebootWorkspacesResult; + }; + sdk: { + input: RebootWorkspacesCommandInput; + output: RebootWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/RebuildWorkspacesCommand.ts b/clients/client-workspaces/src/commands/RebuildWorkspacesCommand.ts index d718db6c76ad..a0021214ab4b 100644 --- a/clients/client-workspaces/src/commands/RebuildWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/RebuildWorkspacesCommand.ts @@ -98,4 +98,16 @@ export class RebuildWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_RebuildWorkspacesCommand) .de(de_RebuildWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RebuildWorkspacesRequest; + output: RebuildWorkspacesResult; + }; + sdk: { + input: RebuildWorkspacesCommandInput; + output: RebuildWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/RegisterWorkspaceDirectoryCommand.ts b/clients/client-workspaces/src/commands/RegisterWorkspaceDirectoryCommand.ts index dabe18578349..79909de5e738 100644 --- a/clients/client-workspaces/src/commands/RegisterWorkspaceDirectoryCommand.ts +++ b/clients/client-workspaces/src/commands/RegisterWorkspaceDirectoryCommand.ts @@ -138,4 +138,16 @@ export class RegisterWorkspaceDirectoryCommand extends $Command .f(void 0, void 0) .ser(se_RegisterWorkspaceDirectoryCommand) .de(de_RegisterWorkspaceDirectoryCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RegisterWorkspaceDirectoryRequest; + output: RegisterWorkspaceDirectoryResult; + }; + sdk: { + input: RegisterWorkspaceDirectoryCommandInput; + output: RegisterWorkspaceDirectoryCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/RejectAccountLinkInvitationCommand.ts b/clients/client-workspaces/src/commands/RejectAccountLinkInvitationCommand.ts index 96e8be4c8ffa..6ed8bbacf2f1 100644 --- a/clients/client-workspaces/src/commands/RejectAccountLinkInvitationCommand.ts +++ b/clients/client-workspaces/src/commands/RejectAccountLinkInvitationCommand.ts @@ -99,4 +99,16 @@ export class RejectAccountLinkInvitationCommand extends $Command .f(void 0, void 0) .ser(se_RejectAccountLinkInvitationCommand) .de(de_RejectAccountLinkInvitationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RejectAccountLinkInvitationRequest; + output: RejectAccountLinkInvitationResult; + }; + sdk: { + input: RejectAccountLinkInvitationCommandInput; + output: RejectAccountLinkInvitationCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/RestoreWorkspaceCommand.ts b/clients/client-workspaces/src/commands/RestoreWorkspaceCommand.ts index ca10970a6b60..fa3bb891f2f1 100644 --- a/clients/client-workspaces/src/commands/RestoreWorkspaceCommand.ts +++ b/clients/client-workspaces/src/commands/RestoreWorkspaceCommand.ts @@ -94,4 +94,16 @@ export class RestoreWorkspaceCommand extends $Command .f(void 0, void 0) .ser(se_RestoreWorkspaceCommand) .de(de_RestoreWorkspaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RestoreWorkspaceRequest; + output: {}; + }; + sdk: { + input: RestoreWorkspaceCommandInput; + output: RestoreWorkspaceCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/RevokeIpRulesCommand.ts b/clients/client-workspaces/src/commands/RevokeIpRulesCommand.ts index 2e65330acb57..2b53e0c0934e 100644 --- a/clients/client-workspaces/src/commands/RevokeIpRulesCommand.ts +++ b/clients/client-workspaces/src/commands/RevokeIpRulesCommand.ts @@ -90,4 +90,16 @@ export class RevokeIpRulesCommand extends $Command .f(void 0, void 0) .ser(se_RevokeIpRulesCommand) .de(de_RevokeIpRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RevokeIpRulesRequest; + output: {}; + }; + sdk: { + input: RevokeIpRulesCommandInput; + output: RevokeIpRulesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/StartWorkspacesCommand.ts b/clients/client-workspaces/src/commands/StartWorkspacesCommand.ts index 4f7e3ecb1dbc..e5bda50334ea 100644 --- a/clients/client-workspaces/src/commands/StartWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/StartWorkspacesCommand.ts @@ -89,4 +89,16 @@ export class StartWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_StartWorkspacesCommand) .de(de_StartWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartWorkspacesRequest; + output: StartWorkspacesResult; + }; + sdk: { + input: StartWorkspacesCommandInput; + output: StartWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/StartWorkspacesPoolCommand.ts b/clients/client-workspaces/src/commands/StartWorkspacesPoolCommand.ts index 6003c2262178..1009ea4e65df 100644 --- a/clients/client-workspaces/src/commands/StartWorkspacesPoolCommand.ts +++ b/clients/client-workspaces/src/commands/StartWorkspacesPoolCommand.ts @@ -98,4 +98,16 @@ export class StartWorkspacesPoolCommand extends $Command .f(void 0, void 0) .ser(se_StartWorkspacesPoolCommand) .de(de_StartWorkspacesPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartWorkspacesPoolRequest; + output: {}; + }; + sdk: { + input: StartWorkspacesPoolCommandInput; + output: StartWorkspacesPoolCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/StopWorkspacesCommand.ts b/clients/client-workspaces/src/commands/StopWorkspacesCommand.ts index 2e5e361fe25a..23ad44fc28ea 100644 --- a/clients/client-workspaces/src/commands/StopWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/StopWorkspacesCommand.ts @@ -90,4 +90,16 @@ export class StopWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_StopWorkspacesCommand) .de(de_StopWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopWorkspacesRequest; + output: StopWorkspacesResult; + }; + sdk: { + input: StopWorkspacesCommandInput; + output: StopWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/StopWorkspacesPoolCommand.ts b/clients/client-workspaces/src/commands/StopWorkspacesPoolCommand.ts index 86664da851a7..31ae4e2de540 100644 --- a/clients/client-workspaces/src/commands/StopWorkspacesPoolCommand.ts +++ b/clients/client-workspaces/src/commands/StopWorkspacesPoolCommand.ts @@ -92,4 +92,16 @@ export class StopWorkspacesPoolCommand extends $Command .f(void 0, void 0) .ser(se_StopWorkspacesPoolCommand) .de(de_StopWorkspacesPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StopWorkspacesPoolRequest; + output: {}; + }; + sdk: { + input: StopWorkspacesPoolCommandInput; + output: StopWorkspacesPoolCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/TerminateWorkspacesCommand.ts b/clients/client-workspaces/src/commands/TerminateWorkspacesCommand.ts index a356f384a78f..bd903d6536ad 100644 --- a/clients/client-workspaces/src/commands/TerminateWorkspacesCommand.ts +++ b/clients/client-workspaces/src/commands/TerminateWorkspacesCommand.ts @@ -111,4 +111,16 @@ export class TerminateWorkspacesCommand extends $Command .f(void 0, void 0) .ser(se_TerminateWorkspacesCommand) .de(de_TerminateWorkspacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateWorkspacesRequest; + output: TerminateWorkspacesResult; + }; + sdk: { + input: TerminateWorkspacesCommandInput; + output: TerminateWorkspacesCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/TerminateWorkspacesPoolCommand.ts b/clients/client-workspaces/src/commands/TerminateWorkspacesPoolCommand.ts index b20bab7b47c0..41530d03109a 100644 --- a/clients/client-workspaces/src/commands/TerminateWorkspacesPoolCommand.ts +++ b/clients/client-workspaces/src/commands/TerminateWorkspacesPoolCommand.ts @@ -90,4 +90,16 @@ export class TerminateWorkspacesPoolCommand extends $Command .f(void 0, void 0) .ser(se_TerminateWorkspacesPoolCommand) .de(de_TerminateWorkspacesPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateWorkspacesPoolRequest; + output: {}; + }; + sdk: { + input: TerminateWorkspacesPoolCommandInput; + output: TerminateWorkspacesPoolCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/TerminateWorkspacesPoolSessionCommand.ts b/clients/client-workspaces/src/commands/TerminateWorkspacesPoolSessionCommand.ts index 7d4fb585ef98..31550706549a 100644 --- a/clients/client-workspaces/src/commands/TerminateWorkspacesPoolSessionCommand.ts +++ b/clients/client-workspaces/src/commands/TerminateWorkspacesPoolSessionCommand.ts @@ -95,4 +95,16 @@ export class TerminateWorkspacesPoolSessionCommand extends $Command .f(void 0, void 0) .ser(se_TerminateWorkspacesPoolSessionCommand) .de(de_TerminateWorkspacesPoolSessionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TerminateWorkspacesPoolSessionRequest; + output: {}; + }; + sdk: { + input: TerminateWorkspacesPoolSessionCommandInput; + output: TerminateWorkspacesPoolSessionCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/UpdateConnectClientAddInCommand.ts b/clients/client-workspaces/src/commands/UpdateConnectClientAddInCommand.ts index 7191e51495c0..e04403444b49 100644 --- a/clients/client-workspaces/src/commands/UpdateConnectClientAddInCommand.ts +++ b/clients/client-workspaces/src/commands/UpdateConnectClientAddInCommand.ts @@ -88,4 +88,16 @@ export class UpdateConnectClientAddInCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectClientAddInCommand) .de(de_UpdateConnectClientAddInCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectClientAddInRequest; + output: {}; + }; + sdk: { + input: UpdateConnectClientAddInCommandInput; + output: UpdateConnectClientAddInCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/UpdateConnectionAliasPermissionCommand.ts b/clients/client-workspaces/src/commands/UpdateConnectionAliasPermissionCommand.ts index a07381fc5788..452a6796983a 100644 --- a/clients/client-workspaces/src/commands/UpdateConnectionAliasPermissionCommand.ts +++ b/clients/client-workspaces/src/commands/UpdateConnectionAliasPermissionCommand.ts @@ -126,4 +126,16 @@ export class UpdateConnectionAliasPermissionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateConnectionAliasPermissionCommand) .de(de_UpdateConnectionAliasPermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectionAliasPermissionRequest; + output: {}; + }; + sdk: { + input: UpdateConnectionAliasPermissionCommandInput; + output: UpdateConnectionAliasPermissionCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/UpdateRulesOfIpGroupCommand.ts b/clients/client-workspaces/src/commands/UpdateRulesOfIpGroupCommand.ts index e93af79e195d..a73f7ad718b8 100644 --- a/clients/client-workspaces/src/commands/UpdateRulesOfIpGroupCommand.ts +++ b/clients/client-workspaces/src/commands/UpdateRulesOfIpGroupCommand.ts @@ -97,4 +97,16 @@ export class UpdateRulesOfIpGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateRulesOfIpGroupCommand) .de(de_UpdateRulesOfIpGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateRulesOfIpGroupRequest; + output: {}; + }; + sdk: { + input: UpdateRulesOfIpGroupCommandInput; + output: UpdateRulesOfIpGroupCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/UpdateWorkspaceBundleCommand.ts b/clients/client-workspaces/src/commands/UpdateWorkspaceBundleCommand.ts index 6ebe84168cb6..9de5b5db0b65 100644 --- a/clients/client-workspaces/src/commands/UpdateWorkspaceBundleCommand.ts +++ b/clients/client-workspaces/src/commands/UpdateWorkspaceBundleCommand.ts @@ -98,4 +98,16 @@ export class UpdateWorkspaceBundleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkspaceBundleCommand) .de(de_UpdateWorkspaceBundleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspaceBundleRequest; + output: {}; + }; + sdk: { + input: UpdateWorkspaceBundleCommandInput; + output: UpdateWorkspaceBundleCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/UpdateWorkspaceImagePermissionCommand.ts b/clients/client-workspaces/src/commands/UpdateWorkspaceImagePermissionCommand.ts index b6096e205eba..4e9f19975c43 100644 --- a/clients/client-workspaces/src/commands/UpdateWorkspaceImagePermissionCommand.ts +++ b/clients/client-workspaces/src/commands/UpdateWorkspaceImagePermissionCommand.ts @@ -119,4 +119,16 @@ export class UpdateWorkspaceImagePermissionCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkspaceImagePermissionCommand) .de(de_UpdateWorkspaceImagePermissionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspaceImagePermissionRequest; + output: {}; + }; + sdk: { + input: UpdateWorkspaceImagePermissionCommandInput; + output: UpdateWorkspaceImagePermissionCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces/src/commands/UpdateWorkspacesPoolCommand.ts b/clients/client-workspaces/src/commands/UpdateWorkspacesPoolCommand.ts index 8f1f33b7715b..7579f7096e6c 100644 --- a/clients/client-workspaces/src/commands/UpdateWorkspacesPoolCommand.ts +++ b/clients/client-workspaces/src/commands/UpdateWorkspacesPoolCommand.ts @@ -144,4 +144,16 @@ export class UpdateWorkspacesPoolCommand extends $Command .f(void 0, void 0) .ser(se_UpdateWorkspacesPoolCommand) .de(de_UpdateWorkspacesPoolCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateWorkspacesPoolRequest; + output: UpdateWorkspacesPoolResult; + }; + sdk: { + input: UpdateWorkspacesPoolCommandInput; + output: UpdateWorkspacesPoolCommandOutput; + }; + }; +} diff --git a/clients/client-xray/package.json b/clients/client-xray/package.json index 4963a5deb02d..72418155c880 100644 --- a/clients/client-xray/package.json +++ b/clients/client-xray/package.json @@ -33,30 +33,30 @@ "@aws-sdk/util-endpoints": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-endpoints": "^2.1.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/clients/client-xray/src/commands/BatchGetTracesCommand.ts b/clients/client-xray/src/commands/BatchGetTracesCommand.ts index 7983b10051d9..ebabc2a5098e 100644 --- a/clients/client-xray/src/commands/BatchGetTracesCommand.ts +++ b/clients/client-xray/src/commands/BatchGetTracesCommand.ts @@ -104,4 +104,16 @@ export class BatchGetTracesCommand extends $Command .f(void 0, void 0) .ser(se_BatchGetTracesCommand) .de(de_BatchGetTracesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BatchGetTracesRequest; + output: BatchGetTracesResult; + }; + sdk: { + input: BatchGetTracesCommandInput; + output: BatchGetTracesCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/CreateGroupCommand.ts b/clients/client-xray/src/commands/CreateGroupCommand.ts index 610a8a1ec321..81ae4eb5fba3 100644 --- a/clients/client-xray/src/commands/CreateGroupCommand.ts +++ b/clients/client-xray/src/commands/CreateGroupCommand.ts @@ -102,4 +102,16 @@ export class CreateGroupCommand extends $Command .f(void 0, void 0) .ser(se_CreateGroupCommand) .de(de_CreateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResult; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/CreateSamplingRuleCommand.ts b/clients/client-xray/src/commands/CreateSamplingRuleCommand.ts index a6e84f62b3a6..ff1b2137ca58 100644 --- a/clients/client-xray/src/commands/CreateSamplingRuleCommand.ts +++ b/clients/client-xray/src/commands/CreateSamplingRuleCommand.ts @@ -134,4 +134,16 @@ export class CreateSamplingRuleCommand extends $Command .f(void 0, void 0) .ser(se_CreateSamplingRuleCommand) .de(de_CreateSamplingRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateSamplingRuleRequest; + output: CreateSamplingRuleResult; + }; + sdk: { + input: CreateSamplingRuleCommandInput; + output: CreateSamplingRuleCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/DeleteGroupCommand.ts b/clients/client-xray/src/commands/DeleteGroupCommand.ts index 69532f8279c9..64283653dd86 100644 --- a/clients/client-xray/src/commands/DeleteGroupCommand.ts +++ b/clients/client-xray/src/commands/DeleteGroupCommand.ts @@ -82,4 +82,16 @@ export class DeleteGroupCommand extends $Command .f(void 0, void 0) .ser(se_DeleteGroupCommand) .de(de_DeleteGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-xray/src/commands/DeleteResourcePolicyCommand.ts index c529bcafd3c6..9d67eb41a5aa 100644 --- a/clients/client-xray/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-xray/src/commands/DeleteResourcePolicyCommand.ts @@ -86,4 +86,16 @@ export class DeleteResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_DeleteResourcePolicyCommand) .de(de_DeleteResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteResourcePolicyRequest; + output: {}; + }; + sdk: { + input: DeleteResourcePolicyCommandInput; + output: DeleteResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/DeleteSamplingRuleCommand.ts b/clients/client-xray/src/commands/DeleteSamplingRuleCommand.ts index ef4a1e74f085..fa77aa30c254 100644 --- a/clients/client-xray/src/commands/DeleteSamplingRuleCommand.ts +++ b/clients/client-xray/src/commands/DeleteSamplingRuleCommand.ts @@ -104,4 +104,16 @@ export class DeleteSamplingRuleCommand extends $Command .f(void 0, void 0) .ser(se_DeleteSamplingRuleCommand) .de(de_DeleteSamplingRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteSamplingRuleRequest; + output: DeleteSamplingRuleResult; + }; + sdk: { + input: DeleteSamplingRuleCommandInput; + output: DeleteSamplingRuleCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetEncryptionConfigCommand.ts b/clients/client-xray/src/commands/GetEncryptionConfigCommand.ts index cd8730b3cd9e..f63a2555743a 100644 --- a/clients/client-xray/src/commands/GetEncryptionConfigCommand.ts +++ b/clients/client-xray/src/commands/GetEncryptionConfigCommand.ts @@ -85,4 +85,16 @@ export class GetEncryptionConfigCommand extends $Command .f(void 0, void 0) .ser(se_GetEncryptionConfigCommand) .de(de_GetEncryptionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetEncryptionConfigResult; + }; + sdk: { + input: GetEncryptionConfigCommandInput; + output: GetEncryptionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetGroupCommand.ts b/clients/client-xray/src/commands/GetGroupCommand.ts index ee1288aab5fd..ce43a0b212c4 100644 --- a/clients/client-xray/src/commands/GetGroupCommand.ts +++ b/clients/client-xray/src/commands/GetGroupCommand.ts @@ -92,4 +92,16 @@ export class GetGroupCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupCommand) .de(de_GetGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupRequest; + output: GetGroupResult; + }; + sdk: { + input: GetGroupCommandInput; + output: GetGroupCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetGroupsCommand.ts b/clients/client-xray/src/commands/GetGroupsCommand.ts index f81a9463d56a..0d15cff66434 100644 --- a/clients/client-xray/src/commands/GetGroupsCommand.ts +++ b/clients/client-xray/src/commands/GetGroupsCommand.ts @@ -94,4 +94,16 @@ export class GetGroupsCommand extends $Command .f(void 0, void 0) .ser(se_GetGroupsCommand) .de(de_GetGroupsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetGroupsRequest; + output: GetGroupsResult; + }; + sdk: { + input: GetGroupsCommandInput; + output: GetGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetInsightCommand.ts b/clients/client-xray/src/commands/GetInsightCommand.ts index 1a2ff5a2ca90..0d3c0a8c454b 100644 --- a/clients/client-xray/src/commands/GetInsightCommand.ts +++ b/clients/client-xray/src/commands/GetInsightCommand.ts @@ -126,4 +126,16 @@ export class GetInsightCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightCommand) .de(de_GetInsightCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightRequest; + output: GetInsightResult; + }; + sdk: { + input: GetInsightCommandInput; + output: GetInsightCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetInsightEventsCommand.ts b/clients/client-xray/src/commands/GetInsightEventsCommand.ts index 07056c2e2e31..795e3691604f 100644 --- a/clients/client-xray/src/commands/GetInsightEventsCommand.ts +++ b/clients/client-xray/src/commands/GetInsightEventsCommand.ts @@ -115,4 +115,16 @@ export class GetInsightEventsCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightEventsCommand) .de(de_GetInsightEventsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightEventsRequest; + output: GetInsightEventsResult; + }; + sdk: { + input: GetInsightEventsCommandInput; + output: GetInsightEventsCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetInsightImpactGraphCommand.ts b/clients/client-xray/src/commands/GetInsightImpactGraphCommand.ts index 6c60686464b3..6099fd249348 100644 --- a/clients/client-xray/src/commands/GetInsightImpactGraphCommand.ts +++ b/clients/client-xray/src/commands/GetInsightImpactGraphCommand.ts @@ -108,4 +108,16 @@ export class GetInsightImpactGraphCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightImpactGraphCommand) .de(de_GetInsightImpactGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightImpactGraphRequest; + output: GetInsightImpactGraphResult; + }; + sdk: { + input: GetInsightImpactGraphCommandInput; + output: GetInsightImpactGraphCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetInsightSummariesCommand.ts b/clients/client-xray/src/commands/GetInsightSummariesCommand.ts index e3364dd5b8c2..7e307bf0f0e3 100644 --- a/clients/client-xray/src/commands/GetInsightSummariesCommand.ts +++ b/clients/client-xray/src/commands/GetInsightSummariesCommand.ts @@ -136,4 +136,16 @@ export class GetInsightSummariesCommand extends $Command .f(void 0, void 0) .ser(se_GetInsightSummariesCommand) .de(de_GetInsightSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetInsightSummariesRequest; + output: GetInsightSummariesResult; + }; + sdk: { + input: GetInsightSummariesCommandInput; + output: GetInsightSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetSamplingRulesCommand.ts b/clients/client-xray/src/commands/GetSamplingRulesCommand.ts index 0c584b1c9ad4..9d2fc02f910f 100644 --- a/clients/client-xray/src/commands/GetSamplingRulesCommand.ts +++ b/clients/client-xray/src/commands/GetSamplingRulesCommand.ts @@ -106,4 +106,16 @@ export class GetSamplingRulesCommand extends $Command .f(void 0, void 0) .ser(se_GetSamplingRulesCommand) .de(de_GetSamplingRulesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSamplingRulesRequest; + output: GetSamplingRulesResult; + }; + sdk: { + input: GetSamplingRulesCommandInput; + output: GetSamplingRulesCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetSamplingStatisticSummariesCommand.ts b/clients/client-xray/src/commands/GetSamplingStatisticSummariesCommand.ts index 1ae05c003c27..1ede53a62361 100644 --- a/clients/client-xray/src/commands/GetSamplingStatisticSummariesCommand.ts +++ b/clients/client-xray/src/commands/GetSamplingStatisticSummariesCommand.ts @@ -97,4 +97,16 @@ export class GetSamplingStatisticSummariesCommand extends $Command .f(void 0, void 0) .ser(se_GetSamplingStatisticSummariesCommand) .de(de_GetSamplingStatisticSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSamplingStatisticSummariesRequest; + output: GetSamplingStatisticSummariesResult; + }; + sdk: { + input: GetSamplingStatisticSummariesCommandInput; + output: GetSamplingStatisticSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetSamplingTargetsCommand.ts b/clients/client-xray/src/commands/GetSamplingTargetsCommand.ts index 4187a9cba23a..f44ac76bb14c 100644 --- a/clients/client-xray/src/commands/GetSamplingTargetsCommand.ts +++ b/clients/client-xray/src/commands/GetSamplingTargetsCommand.ts @@ -109,4 +109,16 @@ export class GetSamplingTargetsCommand extends $Command .f(void 0, void 0) .ser(se_GetSamplingTargetsCommand) .de(de_GetSamplingTargetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSamplingTargetsRequest; + output: GetSamplingTargetsResult; + }; + sdk: { + input: GetSamplingTargetsCommandInput; + output: GetSamplingTargetsCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetServiceGraphCommand.ts b/clients/client-xray/src/commands/GetServiceGraphCommand.ts index 84ff16fc0443..aca340a09a5e 100644 --- a/clients/client-xray/src/commands/GetServiceGraphCommand.ts +++ b/clients/client-xray/src/commands/GetServiceGraphCommand.ts @@ -178,4 +178,16 @@ export class GetServiceGraphCommand extends $Command .f(void 0, void 0) .ser(se_GetServiceGraphCommand) .de(de_GetServiceGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetServiceGraphRequest; + output: GetServiceGraphResult; + }; + sdk: { + input: GetServiceGraphCommandInput; + output: GetServiceGraphCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetTimeSeriesServiceStatisticsCommand.ts b/clients/client-xray/src/commands/GetTimeSeriesServiceStatisticsCommand.ts index bbdae01e2557..ed8f016d9e6a 100644 --- a/clients/client-xray/src/commands/GetTimeSeriesServiceStatisticsCommand.ts +++ b/clients/client-xray/src/commands/GetTimeSeriesServiceStatisticsCommand.ts @@ -140,4 +140,16 @@ export class GetTimeSeriesServiceStatisticsCommand extends $Command .f(void 0, void 0) .ser(se_GetTimeSeriesServiceStatisticsCommand) .de(de_GetTimeSeriesServiceStatisticsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTimeSeriesServiceStatisticsRequest; + output: GetTimeSeriesServiceStatisticsResult; + }; + sdk: { + input: GetTimeSeriesServiceStatisticsCommandInput; + output: GetTimeSeriesServiceStatisticsCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetTraceGraphCommand.ts b/clients/client-xray/src/commands/GetTraceGraphCommand.ts index 93b375472398..76ccfdffc325 100644 --- a/clients/client-xray/src/commands/GetTraceGraphCommand.ts +++ b/clients/client-xray/src/commands/GetTraceGraphCommand.ts @@ -170,4 +170,16 @@ export class GetTraceGraphCommand extends $Command .f(void 0, void 0) .ser(se_GetTraceGraphCommand) .de(de_GetTraceGraphCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTraceGraphRequest; + output: GetTraceGraphResult; + }; + sdk: { + input: GetTraceGraphCommandInput; + output: GetTraceGraphCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/GetTraceSummariesCommand.ts b/clients/client-xray/src/commands/GetTraceSummariesCommand.ts index 976f3bf9718c..067445a261bf 100644 --- a/clients/client-xray/src/commands/GetTraceSummariesCommand.ts +++ b/clients/client-xray/src/commands/GetTraceSummariesCommand.ts @@ -263,4 +263,16 @@ export class GetTraceSummariesCommand extends $Command .f(void 0, void 0) .ser(se_GetTraceSummariesCommand) .de(de_GetTraceSummariesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetTraceSummariesRequest; + output: GetTraceSummariesResult; + }; + sdk: { + input: GetTraceSummariesCommandInput; + output: GetTraceSummariesCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/ListResourcePoliciesCommand.ts b/clients/client-xray/src/commands/ListResourcePoliciesCommand.ts index 4d927c2558cf..33f2d70b2fd6 100644 --- a/clients/client-xray/src/commands/ListResourcePoliciesCommand.ts +++ b/clients/client-xray/src/commands/ListResourcePoliciesCommand.ts @@ -91,4 +91,16 @@ export class ListResourcePoliciesCommand extends $Command .f(void 0, void 0) .ser(se_ListResourcePoliciesCommand) .de(de_ListResourcePoliciesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListResourcePoliciesRequest; + output: ListResourcePoliciesResult; + }; + sdk: { + input: ListResourcePoliciesCommandInput; + output: ListResourcePoliciesCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/ListTagsForResourceCommand.ts b/clients/client-xray/src/commands/ListTagsForResourceCommand.ts index b32f0681aaec..d28244a005bb 100644 --- a/clients/client-xray/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-xray/src/commands/ListTagsForResourceCommand.ts @@ -94,4 +94,16 @@ export class ListTagsForResourceCommand extends $Command .f(void 0, void 0) .ser(se_ListTagsForResourceCommand) .de(de_ListTagsForResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListTagsForResourceRequest; + output: ListTagsForResourceResponse; + }; + sdk: { + input: ListTagsForResourceCommandInput; + output: ListTagsForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/PutEncryptionConfigCommand.ts b/clients/client-xray/src/commands/PutEncryptionConfigCommand.ts index ad5e28a68d8a..a3f699d2cddf 100644 --- a/clients/client-xray/src/commands/PutEncryptionConfigCommand.ts +++ b/clients/client-xray/src/commands/PutEncryptionConfigCommand.ts @@ -88,4 +88,16 @@ export class PutEncryptionConfigCommand extends $Command .f(void 0, void 0) .ser(se_PutEncryptionConfigCommand) .de(de_PutEncryptionConfigCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutEncryptionConfigRequest; + output: PutEncryptionConfigResult; + }; + sdk: { + input: PutEncryptionConfigCommandInput; + output: PutEncryptionConfigCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/PutResourcePolicyCommand.ts b/clients/client-xray/src/commands/PutResourcePolicyCommand.ts index e09e4659f9de..a4a7e006d27c 100644 --- a/clients/client-xray/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-xray/src/commands/PutResourcePolicyCommand.ts @@ -109,4 +109,16 @@ export class PutResourcePolicyCommand extends $Command .f(void 0, void 0) .ser(se_PutResourcePolicyCommand) .de(de_PutResourcePolicyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutResourcePolicyRequest; + output: PutResourcePolicyResult; + }; + sdk: { + input: PutResourcePolicyCommandInput; + output: PutResourcePolicyCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/PutTelemetryRecordsCommand.ts b/clients/client-xray/src/commands/PutTelemetryRecordsCommand.ts index 5d49e8c6e7b0..1bb30b275859 100644 --- a/clients/client-xray/src/commands/PutTelemetryRecordsCommand.ts +++ b/clients/client-xray/src/commands/PutTelemetryRecordsCommand.ts @@ -100,4 +100,16 @@ export class PutTelemetryRecordsCommand extends $Command .f(void 0, void 0) .ser(se_PutTelemetryRecordsCommand) .de(de_PutTelemetryRecordsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutTelemetryRecordsRequest; + output: {}; + }; + sdk: { + input: PutTelemetryRecordsCommandInput; + output: PutTelemetryRecordsCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/PutTraceSegmentsCommand.ts b/clients/client-xray/src/commands/PutTraceSegmentsCommand.ts index f37f55071636..35f98bcd0c66 100644 --- a/clients/client-xray/src/commands/PutTraceSegmentsCommand.ts +++ b/clients/client-xray/src/commands/PutTraceSegmentsCommand.ts @@ -153,4 +153,16 @@ export class PutTraceSegmentsCommand extends $Command .f(void 0, void 0) .ser(se_PutTraceSegmentsCommand) .de(de_PutTraceSegmentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutTraceSegmentsRequest; + output: PutTraceSegmentsResult; + }; + sdk: { + input: PutTraceSegmentsCommandInput; + output: PutTraceSegmentsCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/TagResourceCommand.ts b/clients/client-xray/src/commands/TagResourceCommand.ts index a5fa162421e2..a3aed66c828a 100644 --- a/clients/client-xray/src/commands/TagResourceCommand.ts +++ b/clients/client-xray/src/commands/TagResourceCommand.ts @@ -94,4 +94,16 @@ export class TagResourceCommand extends $Command .f(void 0, void 0) .ser(se_TagResourceCommand) .de(de_TagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TagResourceRequest; + output: {}; + }; + sdk: { + input: TagResourceCommandInput; + output: TagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/UntagResourceCommand.ts b/clients/client-xray/src/commands/UntagResourceCommand.ts index cbf576820321..1fac5b45190c 100644 --- a/clients/client-xray/src/commands/UntagResourceCommand.ts +++ b/clients/client-xray/src/commands/UntagResourceCommand.ts @@ -89,4 +89,16 @@ export class UntagResourceCommand extends $Command .f(void 0, void 0) .ser(se_UntagResourceCommand) .de(de_UntagResourceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UntagResourceRequest; + output: {}; + }; + sdk: { + input: UntagResourceCommandInput; + output: UntagResourceCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/UpdateGroupCommand.ts b/clients/client-xray/src/commands/UpdateGroupCommand.ts index c2f5c44df660..cce856ade77f 100644 --- a/clients/client-xray/src/commands/UpdateGroupCommand.ts +++ b/clients/client-xray/src/commands/UpdateGroupCommand.ts @@ -97,4 +97,16 @@ export class UpdateGroupCommand extends $Command .f(void 0, void 0) .ser(se_UpdateGroupCommand) .de(de_UpdateGroupCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: UpdateGroupResult; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-xray/src/commands/UpdateSamplingRuleCommand.ts b/clients/client-xray/src/commands/UpdateSamplingRuleCommand.ts index 7e4cbdb21885..f4e585ed547c 100644 --- a/clients/client-xray/src/commands/UpdateSamplingRuleCommand.ts +++ b/clients/client-xray/src/commands/UpdateSamplingRuleCommand.ts @@ -118,4 +118,16 @@ export class UpdateSamplingRuleCommand extends $Command .f(void 0, void 0) .ser(se_UpdateSamplingRuleCommand) .de(de_UpdateSamplingRuleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateSamplingRuleRequest; + output: UpdateSamplingRuleResult; + }; + sdk: { + input: UpdateSamplingRuleCommandInput; + output: UpdateSamplingRuleCommandOutput; + }; + }; +} diff --git a/lib/lib-dynamodb/package.json b/lib/lib-dynamodb/package.json index 55ed39614f08..6849978f421a 100644 --- a/lib/lib-dynamodb/package.json +++ b/lib/lib-dynamodb/package.json @@ -27,9 +27,9 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/util-dynamodb": "*", - "@smithy/core": "^2.4.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", + "@smithy/core": "^2.4.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "peerDependencies": { diff --git a/lib/lib-storage/package.json b/lib/lib-storage/package.json index f93af9c3fc9b..3ff53c634aca 100644 --- a/lib/lib-storage/package.json +++ b/lib/lib-storage/package.json @@ -26,9 +26,9 @@ }, "license": "Apache-2.0", "dependencies": { - "@smithy/abort-controller": "^3.1.2", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/smithy-client": "^3.3.0", + "@smithy/abort-controller": "^3.1.4", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/smithy-client": "^3.3.2", "buffer": "5.6.0", "events": "3.3.0", "stream-browserify": "3.0.0", @@ -39,7 +39,7 @@ }, "devDependencies": { "@aws-sdk/client-s3": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "@tsconfig/recommended": "1.0.1", "@types/node": "^16.18.96", "concurrently": "7.0.0", diff --git a/packages/body-checksum-browser/package.json b/packages/body-checksum-browser/package.json index b8fd4e84430a..228af40e9b7d 100644 --- a/packages/body-checksum-browser/package.json +++ b/packages/body-checksum-browser/package.json @@ -23,8 +23,8 @@ "@aws-sdk/sha256-tree-hash": "*", "@aws-sdk/types": "*", "@smithy/chunked-blob-reader": "^3.0.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "@smithy/util-hex-encoding": "^3.0.0", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" diff --git a/packages/body-checksum-node/package.json b/packages/body-checksum-node/package.json index 596b4778d583..9a4f8d3e6c1f 100644 --- a/packages/body-checksum-node/package.json +++ b/packages/body-checksum-node/package.json @@ -24,8 +24,8 @@ "@aws-sdk/sha256-tree-hash": "*", "@aws-sdk/types": "*", "@smithy/is-array-buffer": "^3.0.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "@smithy/util-hex-encoding": "^3.0.0", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" diff --git a/packages/cloudfront-signer/package.json b/packages/cloudfront-signer/package.json index 3b2a252b4c89..917a098e26d9 100644 --- a/packages/cloudfront-signer/package.json +++ b/packages/cloudfront-signer/package.json @@ -21,7 +21,7 @@ }, "license": "Apache-2.0", "dependencies": { - "@smithy/url-parser": "^3.0.4", + "@smithy/url-parser": "^3.0.6", "tslib": "^2.6.2" }, "files": [ diff --git a/packages/core/package.json b/packages/core/package.json index 8f7400717771..db0e9d2a5691 100644 --- a/packages/core/package.json +++ b/packages/core/package.json @@ -75,14 +75,14 @@ }, "license": "Apache-2.0", "dependencies": { - "@smithy/core": "^2.4.1", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/property-provider": "^3.1.4", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/util-middleware": "^3.0.4", + "@smithy/core": "^2.4.3", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/property-provider": "^3.1.6", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/util-middleware": "^3.0.6", "fast-xml-parser": "4.4.1", "tslib": "^2.6.2" }, diff --git a/packages/credential-provider-cognito-identity/package.json b/packages/credential-provider-cognito-identity/package.json index 1feae65043f0..473f8ab6c3f8 100644 --- a/packages/credential-provider-cognito-identity/package.json +++ b/packages/credential-provider-cognito-identity/package.json @@ -23,8 +23,8 @@ "dependencies": { "@aws-sdk/client-cognito-identity": "*", "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/types": "^3.4.0", + "@smithy/property-provider": "^3.1.6", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/credential-provider-env/package.json b/packages/credential-provider-env/package.json index 34af5c27ed11..4ad88971af67 100644 --- a/packages/credential-provider-env/package.json +++ b/packages/credential-provider-env/package.json @@ -25,8 +25,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/types": "^3.4.0", + "@smithy/property-provider": "^3.1.6", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/credential-provider-http/package.json b/packages/credential-provider-http/package.json index 5c0f4b6a2c37..ad1953fcab56 100644 --- a/packages/credential-provider-http/package.json +++ b/packages/credential-provider-http/package.json @@ -27,13 +27,13 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/property-provider": "^3.1.4", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/util-stream": "^3.1.4", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/property-provider": "^3.1.6", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/util-stream": "^3.1.6", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/credential-provider-ini/package.json b/packages/credential-provider-ini/package.json index bfa9a2bfa2d2..cf4c2532cbfc 100644 --- a/packages/credential-provider-ini/package.json +++ b/packages/credential-provider-ini/package.json @@ -30,10 +30,10 @@ "@aws-sdk/credential-provider-sso": "*", "@aws-sdk/credential-provider-web-identity": "*", "@aws-sdk/types": "*", - "@smithy/credential-provider-imds": "^3.2.1", - "@smithy/property-provider": "^3.1.4", - "@smithy/shared-ini-file-loader": "^3.1.5", - "@smithy/types": "^3.4.0", + "@smithy/credential-provider-imds": "^3.2.3", + "@smithy/property-provider": "^3.1.6", + "@smithy/shared-ini-file-loader": "^3.1.7", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/credential-provider-node/package.json b/packages/credential-provider-node/package.json index 7bbcad7a3790..504efa70764e 100644 --- a/packages/credential-provider-node/package.json +++ b/packages/credential-provider-node/package.json @@ -35,10 +35,10 @@ "@aws-sdk/credential-provider-sso": "*", "@aws-sdk/credential-provider-web-identity": "*", "@aws-sdk/types": "*", - "@smithy/credential-provider-imds": "^3.2.1", - "@smithy/property-provider": "^3.1.4", - "@smithy/shared-ini-file-loader": "^3.1.5", - "@smithy/types": "^3.4.0", + "@smithy/credential-provider-imds": "^3.2.3", + "@smithy/property-provider": "^3.1.6", + "@smithy/shared-ini-file-loader": "^3.1.7", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/credential-provider-process/package.json b/packages/credential-provider-process/package.json index 69f69c07a1b2..b5c78e0d010b 100644 --- a/packages/credential-provider-process/package.json +++ b/packages/credential-provider-process/package.json @@ -25,9 +25,9 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/shared-ini-file-loader": "^3.1.5", - "@smithy/types": "^3.4.0", + "@smithy/property-provider": "^3.1.6", + "@smithy/shared-ini-file-loader": "^3.1.7", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/credential-provider-sso/package.json b/packages/credential-provider-sso/package.json index 0e97c8073c82..a3477d37b3ea 100644 --- a/packages/credential-provider-sso/package.json +++ b/packages/credential-provider-sso/package.json @@ -27,9 +27,9 @@ "@aws-sdk/client-sso": "*", "@aws-sdk/token-providers": "*", "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/shared-ini-file-loader": "^3.1.5", - "@smithy/types": "^3.4.0", + "@smithy/property-provider": "^3.1.6", + "@smithy/shared-ini-file-loader": "^3.1.7", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/credential-provider-web-identity/package.json b/packages/credential-provider-web-identity/package.json index 77d62398e231..8fcd9632bc77 100644 --- a/packages/credential-provider-web-identity/package.json +++ b/packages/credential-provider-web-identity/package.json @@ -33,8 +33,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/types": "^3.4.0", + "@smithy/property-provider": "^3.1.6", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/credential-providers/package.json b/packages/credential-providers/package.json index a1aae39b3064..2b533f4f035f 100644 --- a/packages/credential-providers/package.json +++ b/packages/credential-providers/package.json @@ -41,9 +41,9 @@ "@aws-sdk/credential-provider-sso": "*", "@aws-sdk/credential-provider-web-identity": "*", "@aws-sdk/types": "*", - "@smithy/credential-provider-imds": "^3.2.1", - "@smithy/property-provider": "^3.1.4", - "@smithy/types": "^3.4.0", + "@smithy/credential-provider-imds": "^3.2.3", + "@smithy/property-provider": "^3.1.6", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/ec2-metadata-service/package.json b/packages/ec2-metadata-service/package.json index 47a359f3e730..0cf073e3b94d 100644 --- a/packages/ec2-metadata-service/package.json +++ b/packages/ec2-metadata-service/package.json @@ -22,11 +22,11 @@ "types": "./dist-types/index.d.ts", "dependencies": { "@aws-sdk/types": "*", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-stream": "^3.1.4", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-stream": "^3.1.6", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/eventstream-handler-node/package.json b/packages/eventstream-handler-node/package.json index 6846ba5ee637..bdc7fef110eb 100644 --- a/packages/eventstream-handler-node/package.json +++ b/packages/eventstream-handler-node/package.json @@ -21,8 +21,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/eventstream-codec": "^3.1.3", - "@smithy/types": "^3.4.0", + "@smithy/eventstream-codec": "^3.1.5", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/middleware-api-key/package.json b/packages/middleware-api-key/package.json index a49e7833f599..2983760cb854 100644 --- a/packages/middleware-api-key/package.json +++ b/packages/middleware-api-key/package.json @@ -21,9 +21,9 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-middleware": "^3.0.4", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-middleware": "^3.0.6", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-bucket-endpoint/package.json b/packages/middleware-bucket-endpoint/package.json index ad5d364d47ce..28f8b798110d 100644 --- a/packages/middleware-bucket-endpoint/package.json +++ b/packages/middleware-bucket-endpoint/package.json @@ -23,9 +23,9 @@ "dependencies": { "@aws-sdk/types": "*", "@aws-sdk/util-arn-parser": "*", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "@smithy/util-config-provider": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/packages/middleware-endpoint-discovery/package.json b/packages/middleware-endpoint-discovery/package.json index 862e13d446b9..a8d69146c5f2 100644 --- a/packages/middleware-endpoint-discovery/package.json +++ b/packages/middleware-endpoint-discovery/package.json @@ -30,9 +30,9 @@ "dependencies": { "@aws-sdk/endpoint-cache": "*", "@aws-sdk/types": "*", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-eventstream/package.json b/packages/middleware-eventstream/package.json index c640ab7cd754..5d65672cb30d 100644 --- a/packages/middleware-eventstream/package.json +++ b/packages/middleware-eventstream/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-expect-continue/package.json b/packages/middleware-expect-continue/package.json index f5ecbd8fb4a2..118880342bc4 100644 --- a/packages/middleware-expect-continue/package.json +++ b/packages/middleware-expect-continue/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-flexible-checksums/package.json b/packages/middleware-flexible-checksums/package.json index 73f5c80562a5..58b4610f5b02 100644 --- a/packages/middleware-flexible-checksums/package.json +++ b/packages/middleware-flexible-checksums/package.json @@ -32,15 +32,15 @@ "@aws-crypto/crc32c": "5.2.0", "@aws-sdk/types": "*", "@smithy/is-array-buffer": "^3.0.0", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-middleware": "^3.0.4", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-middleware": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, "devDependencies": { - "@smithy/node-http-handler": "^3.2.0", + "@smithy/node-http-handler": "^3.2.2", "concurrently": "7.0.0", "downlevel-dts": "0.10.1", "rimraf": "3.0.2", diff --git a/packages/middleware-host-header/package.json b/packages/middleware-host-header/package.json index 7bdc1507798d..225aef5d7e91 100644 --- a/packages/middleware-host-header/package.json +++ b/packages/middleware-host-header/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-location-constraint/package.json b/packages/middleware-location-constraint/package.json index d83dd9dfb635..09631bce23d0 100644 --- a/packages/middleware-location-constraint/package.json +++ b/packages/middleware-location-constraint/package.json @@ -22,7 +22,7 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-logger/package.json b/packages/middleware-logger/package.json index 48a5e9761adb..36ed2170902c 100644 --- a/packages/middleware-logger/package.json +++ b/packages/middleware-logger/package.json @@ -23,7 +23,7 @@ "types": "./dist-types/index.d.ts", "dependencies": { "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/middleware-recursion-detection/package.json b/packages/middleware-recursion-detection/package.json index 458a1a834baa..6457e04f6478 100644 --- a/packages/middleware-recursion-detection/package.json +++ b/packages/middleware-recursion-detection/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-api-gateway/package.json b/packages/middleware-sdk-api-gateway/package.json index 088de49e9b5b..910a3c6c7d3f 100644 --- a/packages/middleware-sdk-api-gateway/package.json +++ b/packages/middleware-sdk-api-gateway/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-ec2/package.json b/packages/middleware-sdk-ec2/package.json index 10946e0a86f2..23dd775f90ee 100644 --- a/packages/middleware-sdk-ec2/package.json +++ b/packages/middleware-sdk-ec2/package.json @@ -23,11 +23,11 @@ "dependencies": { "@aws-sdk/types": "*", "@aws-sdk/util-format-url": "*", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-glacier/package.json b/packages/middleware-sdk-glacier/package.json index 0eae079b0948..da636e809187 100644 --- a/packages/middleware-sdk-glacier/package.json +++ b/packages/middleware-sdk-glacier/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-machinelearning/package.json b/packages/middleware-sdk-machinelearning/package.json index 436df652f6ea..559cb848f632 100644 --- a/packages/middleware-sdk-machinelearning/package.json +++ b/packages/middleware-sdk-machinelearning/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-rds/package.json b/packages/middleware-sdk-rds/package.json index 51b8a70f3028..0ddb198acf49 100644 --- a/packages/middleware-sdk-rds/package.json +++ b/packages/middleware-sdk-rds/package.json @@ -23,10 +23,10 @@ "dependencies": { "@aws-sdk/types": "*", "@aws-sdk/util-format-url": "*", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-route53/package.json b/packages/middleware-sdk-route53/package.json index 847a84a8ce16..9d7d8cae34da 100644 --- a/packages/middleware-sdk-route53/package.json +++ b/packages/middleware-sdk-route53/package.json @@ -22,7 +22,7 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-s3-control/package.json b/packages/middleware-sdk-s3-control/package.json index 6fedf820d86e..24a2dd67ccd4 100644 --- a/packages/middleware-sdk-s3-control/package.json +++ b/packages/middleware-sdk-s3-control/package.json @@ -26,13 +26,13 @@ "@aws-sdk/types": "*", "@aws-sdk/util-arn-parser": "*", "@aws-sdk/util-endpoints": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-endpoints": "^2.1.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-endpoints": "^2.1.2", "tslib": "^2.6.2" }, "devDependencies": { - "@smithy/middleware-stack": "^3.0.4", + "@smithy/middleware-stack": "^3.0.6", "@tsconfig/recommended": "1.0.1", "concurrently": "7.0.0", "downlevel-dts": "0.10.1", diff --git a/packages/middleware-sdk-s3/package.json b/packages/middleware-sdk-s3/package.json index aea118090314..19a9ae9d1799 100644 --- a/packages/middleware-sdk-s3/package.json +++ b/packages/middleware-sdk-s3/package.json @@ -26,15 +26,15 @@ "@aws-sdk/core": "*", "@aws-sdk/types": "*", "@aws-sdk/util-arn-parser": "*", - "@smithy/core": "^2.4.1", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", + "@smithy/core": "^2.4.3", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", "@smithy/util-config-provider": "^3.0.0", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/packages/middleware-sdk-sqs/package.json b/packages/middleware-sdk-sqs/package.json index e1028307622e..8a3cee497245 100644 --- a/packages/middleware-sdk-sqs/package.json +++ b/packages/middleware-sdk-sqs/package.json @@ -22,8 +22,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", "@smithy/util-hex-encoding": "^3.0.0", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" diff --git a/packages/middleware-sdk-sts/package.json b/packages/middleware-sdk-sts/package.json index 7c318b6ad1e6..50014ce87a1b 100644 --- a/packages/middleware-sdk-sts/package.json +++ b/packages/middleware-sdk-sts/package.json @@ -23,7 +23,7 @@ "dependencies": { "@aws-sdk/middleware-signing": "*", "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-sdk-transcribe-streaming/package.json b/packages/middleware-sdk-transcribe-streaming/package.json index b0680e3ce337..e116f4506f7f 100644 --- a/packages/middleware-sdk-transcribe-streaming/package.json +++ b/packages/middleware-sdk-transcribe-streaming/package.json @@ -23,10 +23,10 @@ "dependencies": { "@aws-sdk/types": "*", "@aws-sdk/util-format-url": "*", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2", "uuid": "^9.0.1" }, diff --git a/packages/middleware-signing/package.json b/packages/middleware-signing/package.json index 93cf0e0fbdd5..2c877d05bddc 100644 --- a/packages/middleware-signing/package.json +++ b/packages/middleware-signing/package.json @@ -23,11 +23,11 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-middleware": "^3.0.4", + "@smithy/property-provider": "^3.1.6", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-middleware": "^3.0.6", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-ssec/package.json b/packages/middleware-ssec/package.json index 6f36e210d454..b7462c4a45e8 100644 --- a/packages/middleware-ssec/package.json +++ b/packages/middleware-ssec/package.json @@ -22,7 +22,7 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/middleware-token/package.json b/packages/middleware-token/package.json index 0ebe14089f61..903740259e1d 100644 --- a/packages/middleware-token/package.json +++ b/packages/middleware-token/package.json @@ -28,10 +28,10 @@ "dependencies": { "@aws-sdk/token-providers": "*", "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-middleware": "^3.0.4", + "@smithy/property-provider": "^3.1.6", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-middleware": "^3.0.6", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/middleware-user-agent/package.json b/packages/middleware-user-agent/package.json index bac7590d70dd..530a2407ed71 100644 --- a/packages/middleware-user-agent/package.json +++ b/packages/middleware-user-agent/package.json @@ -24,8 +24,8 @@ "dependencies": { "@aws-sdk/types": "*", "@aws-sdk/util-endpoints": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/middleware-websocket/package.json b/packages/middleware-websocket/package.json index 79aa7db847bd..2d61216df561 100644 --- a/packages/middleware-websocket/package.json +++ b/packages/middleware-websocket/package.json @@ -24,12 +24,12 @@ "@aws-sdk/middleware-signing": "*", "@aws-sdk/types": "*", "@aws-sdk/util-format-url": "*", - "@smithy/eventstream-codec": "^3.1.3", - "@smithy/eventstream-serde-browser": "^3.0.7", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/eventstream-codec": "^3.1.5", + "@smithy/eventstream-serde-browser": "^3.0.9", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", "@smithy/util-hex-encoding": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/packages/polly-request-presigner/package.json b/packages/polly-request-presigner/package.json index 777d3e51eaf7..01a0322d9571 100644 --- a/packages/polly-request-presigner/package.json +++ b/packages/polly-request-presigner/package.json @@ -24,9 +24,9 @@ "@aws-sdk/client-polly": "*", "@aws-sdk/types": "*", "@aws-sdk/util-format-url": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/rds-signer/package.json b/packages/rds-signer/package.json index 70ee2ab7d032..e474b54cc455 100644 --- a/packages/rds-signer/package.json +++ b/packages/rds-signer/package.json @@ -29,13 +29,13 @@ "@aws-crypto/sha256-js": "5.2.0", "@aws-sdk/credential-providers": "*", "@aws-sdk/util-format-url": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/config-resolver": "^3.0.8", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/region-config-resolver/package.json b/packages/region-config-resolver/package.json index 1b891e73e3a1..4ba0f1eb49a4 100644 --- a/packages/region-config-resolver/package.json +++ b/packages/region-config-resolver/package.json @@ -22,10 +22,10 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/types": "^3.4.0", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/types": "^3.4.2", "@smithy/util-config-provider": "^3.0.0", - "@smithy/util-middleware": "^3.0.4", + "@smithy/util-middleware": "^3.0.6", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/s3-presigned-post/package.json b/packages/s3-presigned-post/package.json index 03040d63b48f..def8c1a3371d 100644 --- a/packages/s3-presigned-post/package.json +++ b/packages/s3-presigned-post/package.json @@ -25,9 +25,9 @@ "@aws-sdk/client-s3": "*", "@aws-sdk/types": "*", "@aws-sdk/util-format-url": "*", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", "@smithy/util-hex-encoding": "^3.0.0", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" diff --git a/packages/s3-request-presigner/package.json b/packages/s3-request-presigner/package.json index b371a54f94cf..7def15ddfb0d 100644 --- a/packages/s3-request-presigner/package.json +++ b/packages/s3-request-presigner/package.json @@ -24,15 +24,15 @@ "@aws-sdk/signature-v4-multi-region": "*", "@aws-sdk/types": "*", "@aws-sdk/util-format-url": "*", - "@smithy/middleware-endpoint": "^3.1.1", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { "@aws-sdk/client-s3": "*", - "@smithy/hash-node": "^3.0.4", + "@smithy/hash-node": "^3.0.6", "@tsconfig/recommended": "1.0.1", "@types/node": "^16.18.96", "concurrently": "7.0.0", diff --git a/packages/sha256-tree-hash/package.json b/packages/sha256-tree-hash/package.json index 7ae3536c7d24..d4e0c5f48c73 100644 --- a/packages/sha256-tree-hash/package.json +++ b/packages/sha256-tree-hash/package.json @@ -21,7 +21,7 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/signature-v4-crt/package.json b/packages/signature-v4-crt/package.json index 4b924c914496..bdec01336294 100644 --- a/packages/signature-v4-crt/package.json +++ b/packages/signature-v4-crt/package.json @@ -25,16 +25,16 @@ "@aws-sdk/signature-v4-multi-region": "*", "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/querystring-parser": "^3.0.4", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-middleware": "^3.0.4", + "@smithy/querystring-parser": "^3.0.6", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-middleware": "^3.0.6", "aws-crt": "^1.18.3", "tslib": "^2.6.2" }, "devDependencies": { "@aws-crypto/sha256-js": "5.2.0", - "@smithy/protocol-http": "^4.1.1", + "@smithy/protocol-http": "^4.1.3", "@tsconfig/recommended": "1.0.1", "concurrently": "7.0.0", "downlevel-dts": "0.10.1", diff --git a/packages/signature-v4-multi-region/package.json b/packages/signature-v4-multi-region/package.json index ba675c7f78cd..99d90dbff6af 100644 --- a/packages/signature-v4-multi-region/package.json +++ b/packages/signature-v4-multi-region/package.json @@ -22,9 +22,9 @@ "dependencies": { "@aws-sdk/middleware-sdk-s3": "*", "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/signature-v4": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/signature-v4": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/smithy-client/package.json b/packages/smithy-client/package.json index f0bb1714c5b3..1d33cab2598c 100644 --- a/packages/smithy-client/package.json +++ b/packages/smithy-client/package.json @@ -22,7 +22,7 @@ }, "license": "Apache-2.0", "dependencies": { - "@smithy/smithy-client": "^3.3.0", + "@smithy/smithy-client": "^3.3.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/token-providers/package.json b/packages/token-providers/package.json index 5c080bae9a67..156fb77805de 100644 --- a/packages/token-providers/package.json +++ b/packages/token-providers/package.json @@ -27,9 +27,9 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/property-provider": "^3.1.4", - "@smithy/shared-ini-file-loader": "^3.1.5", - "@smithy/types": "^3.4.0", + "@smithy/property-provider": "^3.1.6", + "@smithy/shared-ini-file-loader": "^3.1.7", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/types/package.json b/packages/types/package.json index 67043a5027fc..a9c7a73855fd 100755 --- a/packages/types/package.json +++ b/packages/types/package.json @@ -41,7 +41,7 @@ "directory": "packages/types" }, "dependencies": { - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/util-create-request/package.json b/packages/util-create-request/package.json index a5ee22292c42..890c12cf65b5 100644 --- a/packages/util-create-request/package.json +++ b/packages/util-create-request/package.json @@ -22,13 +22,13 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { - "@smithy/protocol-http": "^4.1.1", + "@smithy/protocol-http": "^4.1.3", "@tsconfig/recommended": "1.0.1", "@types/node": "^16.18.96", "concurrently": "7.0.0", diff --git a/packages/util-endpoints/package.json b/packages/util-endpoints/package.json index 17d5270d79c8..25f35d5395c6 100644 --- a/packages/util-endpoints/package.json +++ b/packages/util-endpoints/package.json @@ -23,8 +23,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", - "@smithy/util-endpoints": "^2.1.0", + "@smithy/types": "^3.4.2", + "@smithy/util-endpoints": "^2.1.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/util-format-url/package.json b/packages/util-format-url/package.json index 942b96ae002c..8cecaf66e220 100644 --- a/packages/util-format-url/package.json +++ b/packages/util-format-url/package.json @@ -21,8 +21,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/querystring-builder": "^3.0.4", - "@smithy/types": "^3.4.0", + "@smithy/querystring-builder": "^3.0.6", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "engines": { diff --git a/packages/util-user-agent-browser/package.json b/packages/util-user-agent-browser/package.json index 45369cd645f9..7b7ad30a2d09 100644 --- a/packages/util-user-agent-browser/package.json +++ b/packages/util-user-agent-browser/package.json @@ -23,7 +23,7 @@ "react-native": "dist-es/index.native.js", "dependencies": { "@aws-sdk/types": "*", - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "bowser": "^2.11.0", "tslib": "^2.6.2" }, diff --git a/packages/util-user-agent-node/package.json b/packages/util-user-agent-node/package.json index 1c05bf4579e4..a58ae75bf30f 100644 --- a/packages/util-user-agent-node/package.json +++ b/packages/util-user-agent-node/package.json @@ -21,8 +21,8 @@ "license": "Apache-2.0", "dependencies": { "@aws-sdk/types": "*", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/types": "^3.4.0", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/packages/xhr-http-handler/package.json b/packages/xhr-http-handler/package.json index a411264574cf..b7569389b6f3 100644 --- a/packages/xhr-http-handler/package.json +++ b/packages/xhr-http-handler/package.json @@ -20,14 +20,14 @@ "types": "./dist-types/index.d.ts", "dependencies": { "@aws-sdk/types": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/querystring-builder": "^3.0.4", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/querystring-builder": "^3.0.6", + "@smithy/types": "^3.4.2", "events": "3.3.0", "tslib": "^2.6.2" }, "devDependencies": { - "@smithy/abort-controller": "^3.1.2", + "@smithy/abort-controller": "^3.1.4", "@tsconfig/recommended": "1.0.1", "concurrently": "7.0.0", "downlevel-dts": "0.10.1", diff --git a/packages/xml-builder/package.json b/packages/xml-builder/package.json index d9578bf1e383..9aa17f917fee 100644 --- a/packages/xml-builder/package.json +++ b/packages/xml-builder/package.json @@ -3,7 +3,7 @@ "version": "3.649.0", "description": "XML builder for the AWS SDK", "dependencies": { - "@smithy/types": "^3.4.0", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "scripts": { diff --git a/private/aws-client-api-test/package.json b/private/aws-client-api-test/package.json index afaa7bbb4767..995cc7c5155e 100644 --- a/private/aws-client-api-test/package.json +++ b/private/aws-client-api-test/package.json @@ -24,21 +24,21 @@ "@aws-sdk/middleware-sdk-s3": "*", "@aws-sdk/signature-v4-multi-region": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/eventstream-serde-node": "^3.0.6", - "@smithy/hash-node": "^3.0.4", - "@smithy/hash-stream-node": "^3.1.3", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/eventstream-serde-node": "^3.0.8", + "@smithy/hash-node": "^3.0.6", + "@smithy/hash-stream-node": "^3.1.5", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/private/aws-client-retry-test/package.json b/private/aws-client-retry-test/package.json index 0627510d0138..3d9b1024146d 100644 --- a/private/aws-client-retry-test/package.json +++ b/private/aws-client-retry-test/package.json @@ -18,9 +18,9 @@ "sideEffects": false, "dependencies": { "@aws-sdk/client-s3": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-retry": "^3.0.4", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-retry": "^3.0.6", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/private/aws-echo-service/package.json b/private/aws-echo-service/package.json index a4856349d502..b5d46908abfb 100644 --- a/private/aws-echo-service/package.json +++ b/private/aws-echo-service/package.json @@ -27,28 +27,28 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-echo-service/src/commands/EchoCommand.ts b/private/aws-echo-service/src/commands/EchoCommand.ts index 667c1a5ba935..4b8d03891af1 100644 --- a/private/aws-echo-service/src/commands/EchoCommand.ts +++ b/private/aws-echo-service/src/commands/EchoCommand.ts @@ -73,4 +73,16 @@ export class EchoCommand extends $Command .f(void 0, void 0) .ser(se_EchoCommand) .de(de_EchoCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EchoInput; + output: EchoOutput; + }; + sdk: { + input: EchoCommandInput; + output: EchoCommandOutput; + }; + }; +} diff --git a/private/aws-echo-service/src/commands/LengthCommand.ts b/private/aws-echo-service/src/commands/LengthCommand.ts index 32632829508b..6de6a1c0a284 100644 --- a/private/aws-echo-service/src/commands/LengthCommand.ts +++ b/private/aws-echo-service/src/commands/LengthCommand.ts @@ -73,4 +73,16 @@ export class LengthCommand extends $Command .f(void 0, void 0) .ser(se_LengthCommand) .de(de_LengthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: LengthInput; + output: LengthOutput; + }; + sdk: { + input: LengthCommandInput; + output: LengthCommandOutput; + }; + }; +} diff --git a/private/aws-middleware-test/package.json b/private/aws-middleware-test/package.json index 5516e62b7074..89a45b7c4fab 100644 --- a/private/aws-middleware-test/package.json +++ b/private/aws-middleware-test/package.json @@ -25,9 +25,9 @@ "@aws-sdk/client-sagemaker": "*", "@aws-sdk/client-sagemaker-runtime": "*", "@aws-sdk/client-xray": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", - "@smithy/util-stream": "^3.1.4", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/private/aws-protocoltests-ec2/package.json b/private/aws-protocoltests-ec2/package.json index a38eee9519b1..2b1ebc5317b8 100644 --- a/private/aws-protocoltests-ec2/package.json +++ b/private/aws-protocoltests-ec2/package.json @@ -31,29 +31,29 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-compression": "^3.0.8", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-compression": "^3.0.10", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-ec2/src/commands/DatetimeOffsetsCommand.ts b/private/aws-protocoltests-ec2/src/commands/DatetimeOffsetsCommand.ts index 45b0283156e3..5c2598d124ea 100644 --- a/private/aws-protocoltests-ec2/src/commands/DatetimeOffsetsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/DatetimeOffsetsCommand.ts @@ -69,4 +69,16 @@ export class DatetimeOffsetsCommand extends $Command .f(void 0, void 0) .ser(se_DatetimeOffsetsCommand) .de(de_DatetimeOffsetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DatetimeOffsetsOutput; + }; + sdk: { + input: DatetimeOffsetsCommandInput; + output: DatetimeOffsetsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/EmptyInputAndEmptyOutputCommand.ts b/private/aws-protocoltests-ec2/src/commands/EmptyInputAndEmptyOutputCommand.ts index 6c81f7aa5de3..3681a1088c5a 100644 --- a/private/aws-protocoltests-ec2/src/commands/EmptyInputAndEmptyOutputCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/EmptyInputAndEmptyOutputCommand.ts @@ -70,4 +70,16 @@ export class EmptyInputAndEmptyOutputCommand extends $Command .f(void 0, void 0) .ser(se_EmptyInputAndEmptyOutputCommand) .de(de_EmptyInputAndEmptyOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EmptyInputAndEmptyOutputCommandInput; + output: EmptyInputAndEmptyOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/EndpointOperationCommand.ts b/private/aws-protocoltests-ec2/src/commands/EndpointOperationCommand.ts index 728b5ecdf64e..e0d9cf8e702b 100644 --- a/private/aws-protocoltests-ec2/src/commands/EndpointOperationCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/EndpointOperationCommand.ts @@ -66,4 +66,16 @@ export class EndpointOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointOperationCommand) .de(de_EndpointOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EndpointOperationCommandInput; + output: EndpointOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/EndpointWithHostLabelOperationCommand.ts b/private/aws-protocoltests-ec2/src/commands/EndpointWithHostLabelOperationCommand.ts index 8c8924e12200..d4b73dfbb806 100644 --- a/private/aws-protocoltests-ec2/src/commands/EndpointWithHostLabelOperationCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/EndpointWithHostLabelOperationCommand.ts @@ -72,4 +72,16 @@ export class EndpointWithHostLabelOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointWithHostLabelOperationCommand) .de(de_EndpointWithHostLabelOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HostLabelInput; + output: {}; + }; + sdk: { + input: EndpointWithHostLabelOperationCommandInput; + output: EndpointWithHostLabelOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/FractionalSecondsCommand.ts b/private/aws-protocoltests-ec2/src/commands/FractionalSecondsCommand.ts index b64fb9d82c65..559537bc0370 100644 --- a/private/aws-protocoltests-ec2/src/commands/FractionalSecondsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/FractionalSecondsCommand.ts @@ -69,4 +69,16 @@ export class FractionalSecondsCommand extends $Command .f(void 0, void 0) .ser(se_FractionalSecondsCommand) .de(de_FractionalSecondsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FractionalSecondsOutput; + }; + sdk: { + input: FractionalSecondsCommandInput; + output: FractionalSecondsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/GreetingWithErrorsCommand.ts b/private/aws-protocoltests-ec2/src/commands/GreetingWithErrorsCommand.ts index 284ebc9486a4..4359f10b7235 100644 --- a/private/aws-protocoltests-ec2/src/commands/GreetingWithErrorsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/GreetingWithErrorsCommand.ts @@ -79,4 +79,16 @@ export class GreetingWithErrorsCommand extends $Command .f(void 0, void 0) .ser(se_GreetingWithErrorsCommand) .de(de_GreetingWithErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GreetingWithErrorsOutput; + }; + sdk: { + input: GreetingWithErrorsCommandInput; + output: GreetingWithErrorsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/HostWithPathOperationCommand.ts b/private/aws-protocoltests-ec2/src/commands/HostWithPathOperationCommand.ts index fb78b2ff6aa7..8707dc94b944 100644 --- a/private/aws-protocoltests-ec2/src/commands/HostWithPathOperationCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/HostWithPathOperationCommand.ts @@ -66,4 +66,16 @@ export class HostWithPathOperationCommand extends $Command .f(void 0, void 0) .ser(se_HostWithPathOperationCommand) .de(de_HostWithPathOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: HostWithPathOperationCommandInput; + output: HostWithPathOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/IgnoresWrappingXmlNameCommand.ts b/private/aws-protocoltests-ec2/src/commands/IgnoresWrappingXmlNameCommand.ts index 9a0b4231d4ec..27469361d535 100644 --- a/private/aws-protocoltests-ec2/src/commands/IgnoresWrappingXmlNameCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/IgnoresWrappingXmlNameCommand.ts @@ -71,4 +71,16 @@ export class IgnoresWrappingXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_IgnoresWrappingXmlNameCommand) .de(de_IgnoresWrappingXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: IgnoresWrappingXmlNameOutput; + }; + sdk: { + input: IgnoresWrappingXmlNameCommandInput; + output: IgnoresWrappingXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/NestedStructuresCommand.ts b/private/aws-protocoltests-ec2/src/commands/NestedStructuresCommand.ts index 06978529b635..0750c7813997 100644 --- a/private/aws-protocoltests-ec2/src/commands/NestedStructuresCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/NestedStructuresCommand.ts @@ -77,4 +77,16 @@ export class NestedStructuresCommand extends $Command .f(void 0, void 0) .ser(se_NestedStructuresCommand) .de(de_NestedStructuresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NestedStructuresInput; + output: {}; + }; + sdk: { + input: NestedStructuresCommandInput; + output: NestedStructuresCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/NoInputAndOutputCommand.ts b/private/aws-protocoltests-ec2/src/commands/NoInputAndOutputCommand.ts index 3dd44e416d98..b12f71fabf3e 100644 --- a/private/aws-protocoltests-ec2/src/commands/NoInputAndOutputCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/NoInputAndOutputCommand.ts @@ -70,4 +70,16 @@ export class NoInputAndOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndOutputCommand) .de(de_NoInputAndOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndOutputCommandInput; + output: NoInputAndOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/PutWithContentEncodingCommand.ts b/private/aws-protocoltests-ec2/src/commands/PutWithContentEncodingCommand.ts index bdd10ce98bb0..5e07268818a5 100644 --- a/private/aws-protocoltests-ec2/src/commands/PutWithContentEncodingCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/PutWithContentEncodingCommand.ts @@ -76,4 +76,16 @@ export class PutWithContentEncodingCommand extends $Command .f(void 0, void 0) .ser(se_PutWithContentEncodingCommand) .de(de_PutWithContentEncodingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWithContentEncodingInput; + output: {}; + }; + sdk: { + input: PutWithContentEncodingCommandInput; + output: PutWithContentEncodingCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/QueryIdempotencyTokenAutoFillCommand.ts b/private/aws-protocoltests-ec2/src/commands/QueryIdempotencyTokenAutoFillCommand.ts index e4559b24c473..657aa454e721 100644 --- a/private/aws-protocoltests-ec2/src/commands/QueryIdempotencyTokenAutoFillCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/QueryIdempotencyTokenAutoFillCommand.ts @@ -69,4 +69,16 @@ export class QueryIdempotencyTokenAutoFillCommand extends $Command .f(void 0, void 0) .ser(se_QueryIdempotencyTokenAutoFillCommand) .de(de_QueryIdempotencyTokenAutoFillCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryIdempotencyTokenAutoFillInput; + output: {}; + }; + sdk: { + input: QueryIdempotencyTokenAutoFillCommandInput; + output: QueryIdempotencyTokenAutoFillCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/QueryListsCommand.ts b/private/aws-protocoltests-ec2/src/commands/QueryListsCommand.ts index ee59fc79caa7..8a08ee2cad74 100644 --- a/private/aws-protocoltests-ec2/src/commands/QueryListsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/QueryListsCommand.ts @@ -87,4 +87,16 @@ export class QueryListsCommand extends $Command .f(void 0, void 0) .ser(se_QueryListsCommand) .de(de_QueryListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryListsInput; + output: {}; + }; + sdk: { + input: QueryListsCommandInput; + output: QueryListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/QueryTimestampsCommand.ts b/private/aws-protocoltests-ec2/src/commands/QueryTimestampsCommand.ts index 13492bc87842..187299fd6d08 100644 --- a/private/aws-protocoltests-ec2/src/commands/QueryTimestampsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/QueryTimestampsCommand.ts @@ -75,4 +75,16 @@ export class QueryTimestampsCommand extends $Command .f(void 0, void 0) .ser(se_QueryTimestampsCommand) .de(de_QueryTimestampsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryTimestampsInput; + output: {}; + }; + sdk: { + input: QueryTimestampsCommandInput; + output: QueryTimestampsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/RecursiveXmlShapesCommand.ts b/private/aws-protocoltests-ec2/src/commands/RecursiveXmlShapesCommand.ts index 1984733f9c23..07edd7c66346 100644 --- a/private/aws-protocoltests-ec2/src/commands/RecursiveXmlShapesCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/RecursiveXmlShapesCommand.ts @@ -81,4 +81,16 @@ export class RecursiveXmlShapesCommand extends $Command .f(void 0, void 0) .ser(se_RecursiveXmlShapesCommand) .de(de_RecursiveXmlShapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: RecursiveXmlShapesOutput; + }; + sdk: { + input: RecursiveXmlShapesCommandInput; + output: RecursiveXmlShapesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/SimpleInputParamsCommand.ts b/private/aws-protocoltests-ec2/src/commands/SimpleInputParamsCommand.ts index 4c9bccb42491..6039be0c9851 100644 --- a/private/aws-protocoltests-ec2/src/commands/SimpleInputParamsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/SimpleInputParamsCommand.ts @@ -79,4 +79,16 @@ export class SimpleInputParamsCommand extends $Command .f(void 0, void 0) .ser(se_SimpleInputParamsCommand) .de(de_SimpleInputParamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleInputParamsInput; + output: {}; + }; + sdk: { + input: SimpleInputParamsCommandInput; + output: SimpleInputParamsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/SimpleScalarXmlPropertiesCommand.ts b/private/aws-protocoltests-ec2/src/commands/SimpleScalarXmlPropertiesCommand.ts index 0ca832207026..0a0229c95b46 100644 --- a/private/aws-protocoltests-ec2/src/commands/SimpleScalarXmlPropertiesCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/SimpleScalarXmlPropertiesCommand.ts @@ -78,4 +78,16 @@ export class SimpleScalarXmlPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_SimpleScalarXmlPropertiesCommand) .de(de_SimpleScalarXmlPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: SimpleScalarXmlPropertiesOutput; + }; + sdk: { + input: SimpleScalarXmlPropertiesCommandInput; + output: SimpleScalarXmlPropertiesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlBlobsCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlBlobsCommand.ts index c8ece5191413..dc5df036077f 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlBlobsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlBlobsCommand.ts @@ -69,4 +69,16 @@ export class XmlBlobsCommand extends $Command .f(void 0, void 0) .ser(se_XmlBlobsCommand) .de(de_XmlBlobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlBlobsOutput; + }; + sdk: { + input: XmlBlobsCommandInput; + output: XmlBlobsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlEmptyBlobsCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlEmptyBlobsCommand.ts index 1ebed4673a6a..a782824de416 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlEmptyBlobsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlEmptyBlobsCommand.ts @@ -69,4 +69,16 @@ export class XmlEmptyBlobsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyBlobsCommand) .de(de_XmlEmptyBlobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlBlobsOutput; + }; + sdk: { + input: XmlEmptyBlobsCommandInput; + output: XmlEmptyBlobsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlEmptyListsCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlEmptyListsCommand.ts index f9861530a6d4..933248f1833b 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlEmptyListsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlEmptyListsCommand.ts @@ -115,4 +115,16 @@ export class XmlEmptyListsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyListsCommand) .de(de_XmlEmptyListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlListsOutput; + }; + sdk: { + input: XmlEmptyListsCommandInput; + output: XmlEmptyListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlEnumsCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlEnumsCommand.ts index e3b58474488c..918aad5edc61 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlEnumsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlEnumsCommand.ts @@ -80,4 +80,16 @@ export class XmlEnumsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEnumsCommand) .de(de_XmlEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlEnumsOutput; + }; + sdk: { + input: XmlEnumsCommandInput; + output: XmlEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlIntEnumsCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlIntEnumsCommand.ts index 6a7c03be191c..1ea1347d132b 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlIntEnumsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlIntEnumsCommand.ts @@ -80,4 +80,16 @@ export class XmlIntEnumsCommand extends $Command .f(void 0, void 0) .ser(se_XmlIntEnumsCommand) .de(de_XmlIntEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlIntEnumsOutput; + }; + sdk: { + input: XmlIntEnumsCommandInput; + output: XmlIntEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlListsCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlListsCommand.ts index d8194baa902c..7db9f16a790e 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlListsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlListsCommand.ts @@ -125,4 +125,16 @@ export class XmlListsCommand extends $Command .f(void 0, void 0) .ser(se_XmlListsCommand) .de(de_XmlListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlListsOutput; + }; + sdk: { + input: XmlListsCommandInput; + output: XmlListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlNamespacesCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlNamespacesCommand.ts index 8e9f37eab13d..09ef170a3f08 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlNamespacesCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlNamespacesCommand.ts @@ -74,4 +74,16 @@ export class XmlNamespacesCommand extends $Command .f(void 0, void 0) .ser(se_XmlNamespacesCommand) .de(de_XmlNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlNamespacesOutput; + }; + sdk: { + input: XmlNamespacesCommandInput; + output: XmlNamespacesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-ec2/src/commands/XmlTimestampsCommand.ts b/private/aws-protocoltests-ec2/src/commands/XmlTimestampsCommand.ts index 5f395d82887d..32e10f4b80bd 100644 --- a/private/aws-protocoltests-ec2/src/commands/XmlTimestampsCommand.ts +++ b/private/aws-protocoltests-ec2/src/commands/XmlTimestampsCommand.ts @@ -77,4 +77,16 @@ export class XmlTimestampsCommand extends $Command .f(void 0, void 0) .ser(se_XmlTimestampsCommand) .de(de_XmlTimestampsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlTimestampsOutput; + }; + sdk: { + input: XmlTimestampsCommandInput; + output: XmlTimestampsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/package.json b/private/aws-protocoltests-json-10/package.json index 6d05404e263c..99ab4c970882 100644 --- a/private/aws-protocoltests-json-10/package.json +++ b/private/aws-protocoltests-json-10/package.json @@ -31,29 +31,29 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-compression": "^3.0.8", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-compression": "^3.0.10", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-json-10/src/commands/ContentTypeParametersCommand.ts b/private/aws-protocoltests-json-10/src/commands/ContentTypeParametersCommand.ts index 74f10b8c8b0b..df41b0843a9f 100644 --- a/private/aws-protocoltests-json-10/src/commands/ContentTypeParametersCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/ContentTypeParametersCommand.ts @@ -70,4 +70,16 @@ export class ContentTypeParametersCommand extends $Command .f(void 0, void 0) .ser(se_ContentTypeParametersCommand) .de(de_ContentTypeParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ContentTypeParametersInput; + output: {}; + }; + sdk: { + input: ContentTypeParametersCommandInput; + output: ContentTypeParametersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/EmptyInputAndEmptyOutputCommand.ts b/private/aws-protocoltests-json-10/src/commands/EmptyInputAndEmptyOutputCommand.ts index ad81fcb17edb..f5e3bddf86f8 100644 --- a/private/aws-protocoltests-json-10/src/commands/EmptyInputAndEmptyOutputCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/EmptyInputAndEmptyOutputCommand.ts @@ -70,4 +70,16 @@ export class EmptyInputAndEmptyOutputCommand extends $Command .f(void 0, void 0) .ser(se_EmptyInputAndEmptyOutputCommand) .de(de_EmptyInputAndEmptyOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EmptyInputAndEmptyOutputCommandInput; + output: EmptyInputAndEmptyOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/EndpointOperationCommand.ts b/private/aws-protocoltests-json-10/src/commands/EndpointOperationCommand.ts index 657f1bd57c8d..1f75969f73e4 100644 --- a/private/aws-protocoltests-json-10/src/commands/EndpointOperationCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/EndpointOperationCommand.ts @@ -66,4 +66,16 @@ export class EndpointOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointOperationCommand) .de(de_EndpointOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EndpointOperationCommandInput; + output: EndpointOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/EndpointWithHostLabelOperationCommand.ts b/private/aws-protocoltests-json-10/src/commands/EndpointWithHostLabelOperationCommand.ts index 8fbf5ad09cba..16e3a215b116 100644 --- a/private/aws-protocoltests-json-10/src/commands/EndpointWithHostLabelOperationCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/EndpointWithHostLabelOperationCommand.ts @@ -72,4 +72,16 @@ export class EndpointWithHostLabelOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointWithHostLabelOperationCommand) .de(de_EndpointWithHostLabelOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EndpointWithHostLabelOperationInput; + output: {}; + }; + sdk: { + input: EndpointWithHostLabelOperationCommandInput; + output: EndpointWithHostLabelOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/GreetingWithErrorsCommand.ts b/private/aws-protocoltests-json-10/src/commands/GreetingWithErrorsCommand.ts index 27f66b321deb..4a8bf60c1ca4 100644 --- a/private/aws-protocoltests-json-10/src/commands/GreetingWithErrorsCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/GreetingWithErrorsCommand.ts @@ -88,4 +88,16 @@ export class GreetingWithErrorsCommand extends $Command .f(void 0, void 0) .ser(se_GreetingWithErrorsCommand) .de(de_GreetingWithErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GreetingWithErrorsInput; + output: GreetingWithErrorsOutput; + }; + sdk: { + input: GreetingWithErrorsCommandInput; + output: GreetingWithErrorsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/HostWithPathOperationCommand.ts b/private/aws-protocoltests-json-10/src/commands/HostWithPathOperationCommand.ts index f12d331f7af7..00df291241e7 100644 --- a/private/aws-protocoltests-json-10/src/commands/HostWithPathOperationCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/HostWithPathOperationCommand.ts @@ -66,4 +66,16 @@ export class HostWithPathOperationCommand extends $Command .f(void 0, void 0) .ser(se_HostWithPathOperationCommand) .de(de_HostWithPathOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: HostWithPathOperationCommandInput; + output: HostWithPathOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/JsonUnionsCommand.ts b/private/aws-protocoltests-json-10/src/commands/JsonUnionsCommand.ts index e66943890cd9..c12a9e80757d 100644 --- a/private/aws-protocoltests-json-10/src/commands/JsonUnionsCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/JsonUnionsCommand.ts @@ -105,4 +105,16 @@ export class JsonUnionsCommand extends $Command .f(void 0, void 0) .ser(se_JsonUnionsCommand) .de(de_JsonUnionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonUnionsInput; + output: JsonUnionsOutput; + }; + sdk: { + input: JsonUnionsCommandInput; + output: JsonUnionsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/NoInputAndNoOutputCommand.ts b/private/aws-protocoltests-json-10/src/commands/NoInputAndNoOutputCommand.ts index 1a81c338a5e3..c0e445ab18ac 100644 --- a/private/aws-protocoltests-json-10/src/commands/NoInputAndNoOutputCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/NoInputAndNoOutputCommand.ts @@ -68,4 +68,16 @@ export class NoInputAndNoOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndNoOutputCommand) .de(de_NoInputAndNoOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndNoOutputCommandInput; + output: NoInputAndNoOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/NoInputAndOutputCommand.ts b/private/aws-protocoltests-json-10/src/commands/NoInputAndOutputCommand.ts index a91d6808bc60..38f532bec4bd 100644 --- a/private/aws-protocoltests-json-10/src/commands/NoInputAndOutputCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/NoInputAndOutputCommand.ts @@ -70,4 +70,16 @@ export class NoInputAndOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndOutputCommand) .de(de_NoInputAndOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndOutputCommandInput; + output: NoInputAndOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/OperationWithDefaultsCommand.ts b/private/aws-protocoltests-json-10/src/commands/OperationWithDefaultsCommand.ts index 4f685fc136da..f9207445f07e 100644 --- a/private/aws-protocoltests-json-10/src/commands/OperationWithDefaultsCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/OperationWithDefaultsCommand.ts @@ -140,4 +140,16 @@ export class OperationWithDefaultsCommand extends $Command .f(void 0, void 0) .ser(se_OperationWithDefaultsCommand) .de(de_OperationWithDefaultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OperationWithDefaultsInput; + output: OperationWithDefaultsOutput; + }; + sdk: { + input: OperationWithDefaultsCommandInput; + output: OperationWithDefaultsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/OperationWithNestedStructureCommand.ts b/private/aws-protocoltests-json-10/src/commands/OperationWithNestedStructureCommand.ts index 57575de0d492..1a94a7fc3f4c 100644 --- a/private/aws-protocoltests-json-10/src/commands/OperationWithNestedStructureCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/OperationWithNestedStructureCommand.ts @@ -126,4 +126,16 @@ export class OperationWithNestedStructureCommand extends $Command .f(void 0, void 0) .ser(se_OperationWithNestedStructureCommand) .de(de_OperationWithNestedStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OperationWithNestedStructureInput; + output: OperationWithNestedStructureOutput; + }; + sdk: { + input: OperationWithNestedStructureCommandInput; + output: OperationWithNestedStructureCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/OperationWithRequiredMembersCommand.ts b/private/aws-protocoltests-json-10/src/commands/OperationWithRequiredMembersCommand.ts index 03f5496b4194..3e04be715a11 100644 --- a/private/aws-protocoltests-json-10/src/commands/OperationWithRequiredMembersCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/OperationWithRequiredMembersCommand.ts @@ -89,4 +89,16 @@ export class OperationWithRequiredMembersCommand extends $Command .f(void 0, void 0) .ser(se_OperationWithRequiredMembersCommand) .de(de_OperationWithRequiredMembersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: OperationWithRequiredMembersOutput; + }; + sdk: { + input: OperationWithRequiredMembersCommandInput; + output: OperationWithRequiredMembersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/PutWithContentEncodingCommand.ts b/private/aws-protocoltests-json-10/src/commands/PutWithContentEncodingCommand.ts index 29343660c512..b53294fa7dbf 100644 --- a/private/aws-protocoltests-json-10/src/commands/PutWithContentEncodingCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/PutWithContentEncodingCommand.ts @@ -76,4 +76,16 @@ export class PutWithContentEncodingCommand extends $Command .f(void 0, void 0) .ser(se_PutWithContentEncodingCommand) .de(de_PutWithContentEncodingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWithContentEncodingInput; + output: {}; + }; + sdk: { + input: PutWithContentEncodingCommandInput; + output: PutWithContentEncodingCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-10/src/commands/SimpleScalarPropertiesCommand.ts b/private/aws-protocoltests-json-10/src/commands/SimpleScalarPropertiesCommand.ts index 8fd6857685d5..95952848c5c2 100644 --- a/private/aws-protocoltests-json-10/src/commands/SimpleScalarPropertiesCommand.ts +++ b/private/aws-protocoltests-json-10/src/commands/SimpleScalarPropertiesCommand.ts @@ -73,4 +73,16 @@ export class SimpleScalarPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_SimpleScalarPropertiesCommand) .de(de_SimpleScalarPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleScalarPropertiesInput; + output: SimpleScalarPropertiesOutput; + }; + sdk: { + input: SimpleScalarPropertiesCommandInput; + output: SimpleScalarPropertiesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json-machinelearning/package.json b/private/aws-protocoltests-json-machinelearning/package.json index f1b1585e5dd4..995ab57cf8da 100644 --- a/private/aws-protocoltests-json-machinelearning/package.json +++ b/private/aws-protocoltests-json-machinelearning/package.json @@ -32,28 +32,28 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-json-machinelearning/src/commands/PredictCommand.ts b/private/aws-protocoltests-json-machinelearning/src/commands/PredictCommand.ts index 5bb8fb4dcabc..059857b17aa8 100644 --- a/private/aws-protocoltests-json-machinelearning/src/commands/PredictCommand.ts +++ b/private/aws-protocoltests-json-machinelearning/src/commands/PredictCommand.ts @@ -95,4 +95,16 @@ export class PredictCommand extends $Command .f(void 0, void 0) .ser(se_PredictCommand) .de(de_PredictCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PredictInput; + output: PredictOutput; + }; + sdk: { + input: PredictCommandInput; + output: PredictCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/package.json b/private/aws-protocoltests-json/package.json index f4085436cfa9..5ce43fba30e3 100644 --- a/private/aws-protocoltests-json/package.json +++ b/private/aws-protocoltests-json/package.json @@ -31,29 +31,29 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-compression": "^3.0.8", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-compression": "^3.0.10", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-json/src/commands/ContentTypeParametersCommand.ts b/private/aws-protocoltests-json/src/commands/ContentTypeParametersCommand.ts index 6ba9157e8257..0b192aec74d7 100644 --- a/private/aws-protocoltests-json/src/commands/ContentTypeParametersCommand.ts +++ b/private/aws-protocoltests-json/src/commands/ContentTypeParametersCommand.ts @@ -70,4 +70,16 @@ export class ContentTypeParametersCommand extends $Command .f(void 0, void 0) .ser(se_ContentTypeParametersCommand) .de(de_ContentTypeParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ContentTypeParametersInput; + output: {}; + }; + sdk: { + input: ContentTypeParametersCommandInput; + output: ContentTypeParametersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/DatetimeOffsetsCommand.ts b/private/aws-protocoltests-json/src/commands/DatetimeOffsetsCommand.ts index 4640b79dcbbd..8e087873941b 100644 --- a/private/aws-protocoltests-json/src/commands/DatetimeOffsetsCommand.ts +++ b/private/aws-protocoltests-json/src/commands/DatetimeOffsetsCommand.ts @@ -69,4 +69,16 @@ export class DatetimeOffsetsCommand extends $Command .f(void 0, void 0) .ser(se_DatetimeOffsetsCommand) .de(de_DatetimeOffsetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DatetimeOffsetsOutput; + }; + sdk: { + input: DatetimeOffsetsCommandInput; + output: DatetimeOffsetsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/EmptyOperationCommand.ts b/private/aws-protocoltests-json/src/commands/EmptyOperationCommand.ts index 17fa14228906..0c1f1cb9b277 100644 --- a/private/aws-protocoltests-json/src/commands/EmptyOperationCommand.ts +++ b/private/aws-protocoltests-json/src/commands/EmptyOperationCommand.ts @@ -66,4 +66,16 @@ export class EmptyOperationCommand extends $Command .f(void 0, void 0) .ser(se_EmptyOperationCommand) .de(de_EmptyOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EmptyOperationCommandInput; + output: EmptyOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/EndpointOperationCommand.ts b/private/aws-protocoltests-json/src/commands/EndpointOperationCommand.ts index 6bd5136fd2d0..fa6a5d009404 100644 --- a/private/aws-protocoltests-json/src/commands/EndpointOperationCommand.ts +++ b/private/aws-protocoltests-json/src/commands/EndpointOperationCommand.ts @@ -66,4 +66,16 @@ export class EndpointOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointOperationCommand) .de(de_EndpointOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EndpointOperationCommandInput; + output: EndpointOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/EndpointWithHostLabelOperationCommand.ts b/private/aws-protocoltests-json/src/commands/EndpointWithHostLabelOperationCommand.ts index 6c9764f513c8..2fcfb00ca217 100644 --- a/private/aws-protocoltests-json/src/commands/EndpointWithHostLabelOperationCommand.ts +++ b/private/aws-protocoltests-json/src/commands/EndpointWithHostLabelOperationCommand.ts @@ -72,4 +72,16 @@ export class EndpointWithHostLabelOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointWithHostLabelOperationCommand) .de(de_EndpointWithHostLabelOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HostLabelInput; + output: {}; + }; + sdk: { + input: EndpointWithHostLabelOperationCommandInput; + output: EndpointWithHostLabelOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/FractionalSecondsCommand.ts b/private/aws-protocoltests-json/src/commands/FractionalSecondsCommand.ts index c1e0a8831a90..52dca9067559 100644 --- a/private/aws-protocoltests-json/src/commands/FractionalSecondsCommand.ts +++ b/private/aws-protocoltests-json/src/commands/FractionalSecondsCommand.ts @@ -69,4 +69,16 @@ export class FractionalSecondsCommand extends $Command .f(void 0, void 0) .ser(se_FractionalSecondsCommand) .de(de_FractionalSecondsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FractionalSecondsOutput; + }; + sdk: { + input: FractionalSecondsCommandInput; + output: FractionalSecondsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/GreetingWithErrorsCommand.ts b/private/aws-protocoltests-json/src/commands/GreetingWithErrorsCommand.ts index e804e5c467b6..62a2ee5edef3 100644 --- a/private/aws-protocoltests-json/src/commands/GreetingWithErrorsCommand.ts +++ b/private/aws-protocoltests-json/src/commands/GreetingWithErrorsCommand.ts @@ -86,4 +86,16 @@ export class GreetingWithErrorsCommand extends $Command .f(void 0, void 0) .ser(se_GreetingWithErrorsCommand) .de(de_GreetingWithErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GreetingWithErrorsOutput; + }; + sdk: { + input: GreetingWithErrorsCommandInput; + output: GreetingWithErrorsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/HostWithPathOperationCommand.ts b/private/aws-protocoltests-json/src/commands/HostWithPathOperationCommand.ts index 1cccc0225b1f..66de42139bd5 100644 --- a/private/aws-protocoltests-json/src/commands/HostWithPathOperationCommand.ts +++ b/private/aws-protocoltests-json/src/commands/HostWithPathOperationCommand.ts @@ -66,4 +66,16 @@ export class HostWithPathOperationCommand extends $Command .f(void 0, void 0) .ser(se_HostWithPathOperationCommand) .de(de_HostWithPathOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: HostWithPathOperationCommandInput; + output: HostWithPathOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/JsonEnumsCommand.ts b/private/aws-protocoltests-json/src/commands/JsonEnumsCommand.ts index b8faba7532f7..4841223d47af 100644 --- a/private/aws-protocoltests-json/src/commands/JsonEnumsCommand.ts +++ b/private/aws-protocoltests-json/src/commands/JsonEnumsCommand.ts @@ -93,4 +93,16 @@ export class JsonEnumsCommand extends $Command .f(void 0, void 0) .ser(se_JsonEnumsCommand) .de(de_JsonEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonEnumsInputOutput; + output: JsonEnumsInputOutput; + }; + sdk: { + input: JsonEnumsCommandInput; + output: JsonEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/JsonUnionsCommand.ts b/private/aws-protocoltests-json/src/commands/JsonUnionsCommand.ts index daa99d5759ca..67ccf53601c1 100644 --- a/private/aws-protocoltests-json/src/commands/JsonUnionsCommand.ts +++ b/private/aws-protocoltests-json/src/commands/JsonUnionsCommand.ts @@ -103,4 +103,16 @@ export class JsonUnionsCommand extends $Command .f(void 0, void 0) .ser(se_JsonUnionsCommand) .de(de_JsonUnionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnionInputOutput; + output: UnionInputOutput; + }; + sdk: { + input: JsonUnionsCommandInput; + output: JsonUnionsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/KitchenSinkOperationCommand.ts b/private/aws-protocoltests-json/src/commands/KitchenSinkOperationCommand.ts index 884b8ac500ff..6bebc67e8085 100644 --- a/private/aws-protocoltests-json/src/commands/KitchenSinkOperationCommand.ts +++ b/private/aws-protocoltests-json/src/commands/KitchenSinkOperationCommand.ts @@ -291,4 +291,16 @@ export class KitchenSinkOperationCommand extends $Command .f(void 0, void 0) .ser(se_KitchenSinkOperationCommand) .de(de_KitchenSinkOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: KitchenSink; + output: KitchenSink; + }; + sdk: { + input: KitchenSinkOperationCommandInput; + output: KitchenSinkOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/NullOperationCommand.ts b/private/aws-protocoltests-json/src/commands/NullOperationCommand.ts index 578b0e5ea151..3fa374705d53 100644 --- a/private/aws-protocoltests-json/src/commands/NullOperationCommand.ts +++ b/private/aws-protocoltests-json/src/commands/NullOperationCommand.ts @@ -71,4 +71,16 @@ export class NullOperationCommand extends $Command .f(void 0, void 0) .ser(se_NullOperationCommand) .de(de_NullOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NullOperationInputOutput; + output: NullOperationInputOutput; + }; + sdk: { + input: NullOperationCommandInput; + output: NullOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/OperationWithOptionalInputOutputCommand.ts b/private/aws-protocoltests-json/src/commands/OperationWithOptionalInputOutputCommand.ts index 59196c40ddc6..3b822168c2c3 100644 --- a/private/aws-protocoltests-json/src/commands/OperationWithOptionalInputOutputCommand.ts +++ b/private/aws-protocoltests-json/src/commands/OperationWithOptionalInputOutputCommand.ts @@ -76,4 +76,16 @@ export class OperationWithOptionalInputOutputCommand extends $Command .f(void 0, void 0) .ser(se_OperationWithOptionalInputOutputCommand) .de(de_OperationWithOptionalInputOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OperationWithOptionalInputOutputInput; + output: OperationWithOptionalInputOutputOutput; + }; + sdk: { + input: OperationWithOptionalInputOutputCommandInput; + output: OperationWithOptionalInputOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/PutAndGetInlineDocumentsCommand.ts b/private/aws-protocoltests-json/src/commands/PutAndGetInlineDocumentsCommand.ts index cac360b2a5ea..b0104c03c2dd 100644 --- a/private/aws-protocoltests-json/src/commands/PutAndGetInlineDocumentsCommand.ts +++ b/private/aws-protocoltests-json/src/commands/PutAndGetInlineDocumentsCommand.ts @@ -71,4 +71,16 @@ export class PutAndGetInlineDocumentsCommand extends $Command .f(void 0, void 0) .ser(se_PutAndGetInlineDocumentsCommand) .de(de_PutAndGetInlineDocumentsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutAndGetInlineDocumentsInputOutput; + output: PutAndGetInlineDocumentsInputOutput; + }; + sdk: { + input: PutAndGetInlineDocumentsCommandInput; + output: PutAndGetInlineDocumentsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/PutWithContentEncodingCommand.ts b/private/aws-protocoltests-json/src/commands/PutWithContentEncodingCommand.ts index bd4afec07de6..1af5c070fa38 100644 --- a/private/aws-protocoltests-json/src/commands/PutWithContentEncodingCommand.ts +++ b/private/aws-protocoltests-json/src/commands/PutWithContentEncodingCommand.ts @@ -76,4 +76,16 @@ export class PutWithContentEncodingCommand extends $Command .f(void 0, void 0) .ser(se_PutWithContentEncodingCommand) .de(de_PutWithContentEncodingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWithContentEncodingInput; + output: {}; + }; + sdk: { + input: PutWithContentEncodingCommandInput; + output: PutWithContentEncodingCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/SimpleScalarPropertiesCommand.ts b/private/aws-protocoltests-json/src/commands/SimpleScalarPropertiesCommand.ts index 9134db45bb08..f887bfc3f395 100644 --- a/private/aws-protocoltests-json/src/commands/SimpleScalarPropertiesCommand.ts +++ b/private/aws-protocoltests-json/src/commands/SimpleScalarPropertiesCommand.ts @@ -73,4 +73,16 @@ export class SimpleScalarPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_SimpleScalarPropertiesCommand) .de(de_SimpleScalarPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleScalarPropertiesInputOutput; + output: SimpleScalarPropertiesInputOutput; + }; + sdk: { + input: SimpleScalarPropertiesCommandInput; + output: SimpleScalarPropertiesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-json/src/commands/SparseNullsOperationCommand.ts b/private/aws-protocoltests-json/src/commands/SparseNullsOperationCommand.ts index 044599b739c1..f715ab79f1b8 100644 --- a/private/aws-protocoltests-json/src/commands/SparseNullsOperationCommand.ts +++ b/private/aws-protocoltests-json/src/commands/SparseNullsOperationCommand.ts @@ -81,4 +81,16 @@ export class SparseNullsOperationCommand extends $Command .f(void 0, void 0) .ser(se_SparseNullsOperationCommand) .de(de_SparseNullsOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SparseNullsOperationInputOutput; + output: SparseNullsOperationInputOutput; + }; + sdk: { + input: SparseNullsOperationCommandInput; + output: SparseNullsOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/package.json b/private/aws-protocoltests-query/package.json index f04f644f393b..c169c49eaf21 100644 --- a/private/aws-protocoltests-query/package.json +++ b/private/aws-protocoltests-query/package.json @@ -31,29 +31,29 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-compression": "^3.0.8", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-compression": "^3.0.10", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-query/src/commands/DatetimeOffsetsCommand.ts b/private/aws-protocoltests-query/src/commands/DatetimeOffsetsCommand.ts index 2ebb2a9c3cba..bc7257c83c61 100644 --- a/private/aws-protocoltests-query/src/commands/DatetimeOffsetsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/DatetimeOffsetsCommand.ts @@ -69,4 +69,16 @@ export class DatetimeOffsetsCommand extends $Command .f(void 0, void 0) .ser(se_DatetimeOffsetsCommand) .de(de_DatetimeOffsetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DatetimeOffsetsOutput; + }; + sdk: { + input: DatetimeOffsetsCommandInput; + output: DatetimeOffsetsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/EmptyInputAndEmptyOutputCommand.ts b/private/aws-protocoltests-query/src/commands/EmptyInputAndEmptyOutputCommand.ts index 9641d298357a..67d1dad05f90 100644 --- a/private/aws-protocoltests-query/src/commands/EmptyInputAndEmptyOutputCommand.ts +++ b/private/aws-protocoltests-query/src/commands/EmptyInputAndEmptyOutputCommand.ts @@ -70,4 +70,16 @@ export class EmptyInputAndEmptyOutputCommand extends $Command .f(void 0, void 0) .ser(se_EmptyInputAndEmptyOutputCommand) .de(de_EmptyInputAndEmptyOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EmptyInputAndEmptyOutputCommandInput; + output: EmptyInputAndEmptyOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/EndpointOperationCommand.ts b/private/aws-protocoltests-query/src/commands/EndpointOperationCommand.ts index 954467aa4fa8..0c1ef7180c4a 100644 --- a/private/aws-protocoltests-query/src/commands/EndpointOperationCommand.ts +++ b/private/aws-protocoltests-query/src/commands/EndpointOperationCommand.ts @@ -66,4 +66,16 @@ export class EndpointOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointOperationCommand) .de(de_EndpointOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EndpointOperationCommandInput; + output: EndpointOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/EndpointWithHostLabelOperationCommand.ts b/private/aws-protocoltests-query/src/commands/EndpointWithHostLabelOperationCommand.ts index 06785d75eb0e..b2889be2a165 100644 --- a/private/aws-protocoltests-query/src/commands/EndpointWithHostLabelOperationCommand.ts +++ b/private/aws-protocoltests-query/src/commands/EndpointWithHostLabelOperationCommand.ts @@ -72,4 +72,16 @@ export class EndpointWithHostLabelOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointWithHostLabelOperationCommand) .de(de_EndpointWithHostLabelOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HostLabelInput; + output: {}; + }; + sdk: { + input: EndpointWithHostLabelOperationCommandInput; + output: EndpointWithHostLabelOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/FlattenedXmlMapCommand.ts b/private/aws-protocoltests-query/src/commands/FlattenedXmlMapCommand.ts index 355404469fa5..d205e2f70883 100644 --- a/private/aws-protocoltests-query/src/commands/FlattenedXmlMapCommand.ts +++ b/private/aws-protocoltests-query/src/commands/FlattenedXmlMapCommand.ts @@ -71,4 +71,16 @@ export class FlattenedXmlMapCommand extends $Command .f(void 0, void 0) .ser(se_FlattenedXmlMapCommand) .de(de_FlattenedXmlMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FlattenedXmlMapOutput; + }; + sdk: { + input: FlattenedXmlMapCommandInput; + output: FlattenedXmlMapCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNameCommand.ts b/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNameCommand.ts index dca178235a29..f9de27ac4d8b 100644 --- a/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNameCommand.ts +++ b/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNameCommand.ts @@ -71,4 +71,16 @@ export class FlattenedXmlMapWithXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_FlattenedXmlMapWithXmlNameCommand) .de(de_FlattenedXmlMapWithXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FlattenedXmlMapWithXmlNameOutput; + }; + sdk: { + input: FlattenedXmlMapWithXmlNameCommandInput; + output: FlattenedXmlMapWithXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts b/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts index 7802a0dea277..6f077cf43c2e 100644 --- a/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts +++ b/private/aws-protocoltests-query/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts @@ -76,4 +76,16 @@ export class FlattenedXmlMapWithXmlNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_FlattenedXmlMapWithXmlNamespaceCommand) .de(de_FlattenedXmlMapWithXmlNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FlattenedXmlMapWithXmlNamespaceOutput; + }; + sdk: { + input: FlattenedXmlMapWithXmlNamespaceCommandInput; + output: FlattenedXmlMapWithXmlNamespaceCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/FractionalSecondsCommand.ts b/private/aws-protocoltests-query/src/commands/FractionalSecondsCommand.ts index 30484403c1d7..caca8018b064 100644 --- a/private/aws-protocoltests-query/src/commands/FractionalSecondsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/FractionalSecondsCommand.ts @@ -69,4 +69,16 @@ export class FractionalSecondsCommand extends $Command .f(void 0, void 0) .ser(se_FractionalSecondsCommand) .de(de_FractionalSecondsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FractionalSecondsOutput; + }; + sdk: { + input: FractionalSecondsCommandInput; + output: FractionalSecondsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/GreetingWithErrorsCommand.ts b/private/aws-protocoltests-query/src/commands/GreetingWithErrorsCommand.ts index 8326fd4f5088..c1401082d00a 100644 --- a/private/aws-protocoltests-query/src/commands/GreetingWithErrorsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/GreetingWithErrorsCommand.ts @@ -81,4 +81,16 @@ export class GreetingWithErrorsCommand extends $Command .f(void 0, void 0) .ser(se_GreetingWithErrorsCommand) .de(de_GreetingWithErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GreetingWithErrorsOutput; + }; + sdk: { + input: GreetingWithErrorsCommandInput; + output: GreetingWithErrorsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/HostWithPathOperationCommand.ts b/private/aws-protocoltests-query/src/commands/HostWithPathOperationCommand.ts index 5c34ca66c7ed..347be835c088 100644 --- a/private/aws-protocoltests-query/src/commands/HostWithPathOperationCommand.ts +++ b/private/aws-protocoltests-query/src/commands/HostWithPathOperationCommand.ts @@ -66,4 +66,16 @@ export class HostWithPathOperationCommand extends $Command .f(void 0, void 0) .ser(se_HostWithPathOperationCommand) .de(de_HostWithPathOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: HostWithPathOperationCommandInput; + output: HostWithPathOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/IgnoresWrappingXmlNameCommand.ts b/private/aws-protocoltests-query/src/commands/IgnoresWrappingXmlNameCommand.ts index dd808511b442..0195e93ded05 100644 --- a/private/aws-protocoltests-query/src/commands/IgnoresWrappingXmlNameCommand.ts +++ b/private/aws-protocoltests-query/src/commands/IgnoresWrappingXmlNameCommand.ts @@ -72,4 +72,16 @@ export class IgnoresWrappingXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_IgnoresWrappingXmlNameCommand) .de(de_IgnoresWrappingXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: IgnoresWrappingXmlNameOutput; + }; + sdk: { + input: IgnoresWrappingXmlNameCommandInput; + output: IgnoresWrappingXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/NestedStructuresCommand.ts b/private/aws-protocoltests-query/src/commands/NestedStructuresCommand.ts index 143291f08582..e76d0d18471d 100644 --- a/private/aws-protocoltests-query/src/commands/NestedStructuresCommand.ts +++ b/private/aws-protocoltests-query/src/commands/NestedStructuresCommand.ts @@ -77,4 +77,16 @@ export class NestedStructuresCommand extends $Command .f(void 0, void 0) .ser(se_NestedStructuresCommand) .de(de_NestedStructuresCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NestedStructuresInput; + output: {}; + }; + sdk: { + input: NestedStructuresCommandInput; + output: NestedStructuresCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/NoInputAndNoOutputCommand.ts b/private/aws-protocoltests-query/src/commands/NoInputAndNoOutputCommand.ts index 01f2cc6a50f4..2cd77524c936 100644 --- a/private/aws-protocoltests-query/src/commands/NoInputAndNoOutputCommand.ts +++ b/private/aws-protocoltests-query/src/commands/NoInputAndNoOutputCommand.ts @@ -69,4 +69,16 @@ export class NoInputAndNoOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndNoOutputCommand) .de(de_NoInputAndNoOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndNoOutputCommandInput; + output: NoInputAndNoOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/NoInputAndOutputCommand.ts b/private/aws-protocoltests-query/src/commands/NoInputAndOutputCommand.ts index 0c949e3bd3d4..c9a8aa61f0ee 100644 --- a/private/aws-protocoltests-query/src/commands/NoInputAndOutputCommand.ts +++ b/private/aws-protocoltests-query/src/commands/NoInputAndOutputCommand.ts @@ -70,4 +70,16 @@ export class NoInputAndOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndOutputCommand) .de(de_NoInputAndOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndOutputCommandInput; + output: NoInputAndOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/PutWithContentEncodingCommand.ts b/private/aws-protocoltests-query/src/commands/PutWithContentEncodingCommand.ts index 044931ee3f64..9c8c21acaeec 100644 --- a/private/aws-protocoltests-query/src/commands/PutWithContentEncodingCommand.ts +++ b/private/aws-protocoltests-query/src/commands/PutWithContentEncodingCommand.ts @@ -76,4 +76,16 @@ export class PutWithContentEncodingCommand extends $Command .f(void 0, void 0) .ser(se_PutWithContentEncodingCommand) .de(de_PutWithContentEncodingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWithContentEncodingInput; + output: {}; + }; + sdk: { + input: PutWithContentEncodingCommandInput; + output: PutWithContentEncodingCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/QueryIdempotencyTokenAutoFillCommand.ts b/private/aws-protocoltests-query/src/commands/QueryIdempotencyTokenAutoFillCommand.ts index 75e041afcb9a..4be08dce2075 100644 --- a/private/aws-protocoltests-query/src/commands/QueryIdempotencyTokenAutoFillCommand.ts +++ b/private/aws-protocoltests-query/src/commands/QueryIdempotencyTokenAutoFillCommand.ts @@ -72,4 +72,16 @@ export class QueryIdempotencyTokenAutoFillCommand extends $Command .f(void 0, void 0) .ser(se_QueryIdempotencyTokenAutoFillCommand) .de(de_QueryIdempotencyTokenAutoFillCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryIdempotencyTokenAutoFillInput; + output: {}; + }; + sdk: { + input: QueryIdempotencyTokenAutoFillCommandInput; + output: QueryIdempotencyTokenAutoFillCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/QueryListsCommand.ts b/private/aws-protocoltests-query/src/commands/QueryListsCommand.ts index 0c811593d3e5..4529db3216a2 100644 --- a/private/aws-protocoltests-query/src/commands/QueryListsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/QueryListsCommand.ts @@ -90,4 +90,16 @@ export class QueryListsCommand extends $Command .f(void 0, void 0) .ser(se_QueryListsCommand) .de(de_QueryListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryListsInput; + output: {}; + }; + sdk: { + input: QueryListsCommandInput; + output: QueryListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/QueryMapsCommand.ts b/private/aws-protocoltests-query/src/commands/QueryMapsCommand.ts index 2554cb94e371..252d10d68326 100644 --- a/private/aws-protocoltests-query/src/commands/QueryMapsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/QueryMapsCommand.ts @@ -98,4 +98,16 @@ export class QueryMapsCommand extends $Command .f(void 0, void 0) .ser(se_QueryMapsCommand) .de(de_QueryMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryMapsInput; + output: {}; + }; + sdk: { + input: QueryMapsCommandInput; + output: QueryMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/QueryTimestampsCommand.ts b/private/aws-protocoltests-query/src/commands/QueryTimestampsCommand.ts index 37521420e776..80c67428949c 100644 --- a/private/aws-protocoltests-query/src/commands/QueryTimestampsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/QueryTimestampsCommand.ts @@ -75,4 +75,16 @@ export class QueryTimestampsCommand extends $Command .f(void 0, void 0) .ser(se_QueryTimestampsCommand) .de(de_QueryTimestampsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryTimestampsInput; + output: {}; + }; + sdk: { + input: QueryTimestampsCommandInput; + output: QueryTimestampsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/RecursiveXmlShapesCommand.ts b/private/aws-protocoltests-query/src/commands/RecursiveXmlShapesCommand.ts index 37d48af9684c..5d990f118bd0 100644 --- a/private/aws-protocoltests-query/src/commands/RecursiveXmlShapesCommand.ts +++ b/private/aws-protocoltests-query/src/commands/RecursiveXmlShapesCommand.ts @@ -81,4 +81,16 @@ export class RecursiveXmlShapesCommand extends $Command .f(void 0, void 0) .ser(se_RecursiveXmlShapesCommand) .de(de_RecursiveXmlShapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: RecursiveXmlShapesOutput; + }; + sdk: { + input: RecursiveXmlShapesCommandInput; + output: RecursiveXmlShapesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/SimpleInputParamsCommand.ts b/private/aws-protocoltests-query/src/commands/SimpleInputParamsCommand.ts index 25fd114d8add..10c6ed698760 100644 --- a/private/aws-protocoltests-query/src/commands/SimpleInputParamsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/SimpleInputParamsCommand.ts @@ -77,4 +77,16 @@ export class SimpleInputParamsCommand extends $Command .f(void 0, void 0) .ser(se_SimpleInputParamsCommand) .de(de_SimpleInputParamsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleInputParamsInput; + output: {}; + }; + sdk: { + input: SimpleInputParamsCommandInput; + output: SimpleInputParamsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/SimpleScalarXmlPropertiesCommand.ts b/private/aws-protocoltests-query/src/commands/SimpleScalarXmlPropertiesCommand.ts index ff9a88b66d9b..6491ccaa4c21 100644 --- a/private/aws-protocoltests-query/src/commands/SimpleScalarXmlPropertiesCommand.ts +++ b/private/aws-protocoltests-query/src/commands/SimpleScalarXmlPropertiesCommand.ts @@ -78,4 +78,16 @@ export class SimpleScalarXmlPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_SimpleScalarXmlPropertiesCommand) .de(de_SimpleScalarXmlPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: SimpleScalarXmlPropertiesOutput; + }; + sdk: { + input: SimpleScalarXmlPropertiesCommandInput; + output: SimpleScalarXmlPropertiesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlBlobsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlBlobsCommand.ts index fbc22c83d294..8720ebfa13e4 100644 --- a/private/aws-protocoltests-query/src/commands/XmlBlobsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlBlobsCommand.ts @@ -69,4 +69,16 @@ export class XmlBlobsCommand extends $Command .f(void 0, void 0) .ser(se_XmlBlobsCommand) .de(de_XmlBlobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlBlobsOutput; + }; + sdk: { + input: XmlBlobsCommandInput; + output: XmlBlobsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlEmptyBlobsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlEmptyBlobsCommand.ts index 48d25ccb2ce6..b76b0bb46407 100644 --- a/private/aws-protocoltests-query/src/commands/XmlEmptyBlobsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlEmptyBlobsCommand.ts @@ -69,4 +69,16 @@ export class XmlEmptyBlobsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyBlobsCommand) .de(de_XmlEmptyBlobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlBlobsOutput; + }; + sdk: { + input: XmlEmptyBlobsCommandInput; + output: XmlEmptyBlobsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlEmptyListsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlEmptyListsCommand.ts index e2c0ebd88e2b..a318f9423d2a 100644 --- a/private/aws-protocoltests-query/src/commands/XmlEmptyListsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlEmptyListsCommand.ts @@ -115,4 +115,16 @@ export class XmlEmptyListsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyListsCommand) .de(de_XmlEmptyListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlListsOutput; + }; + sdk: { + input: XmlEmptyListsCommandInput; + output: XmlEmptyListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlEmptyMapsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlEmptyMapsCommand.ts index 6b804ed6785a..16aaf414a287 100644 --- a/private/aws-protocoltests-query/src/commands/XmlEmptyMapsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlEmptyMapsCommand.ts @@ -73,4 +73,16 @@ export class XmlEmptyMapsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyMapsCommand) .de(de_XmlEmptyMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlMapsOutput; + }; + sdk: { + input: XmlEmptyMapsCommandInput; + output: XmlEmptyMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlEnumsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlEnumsCommand.ts index f51ffb07d338..5367c1f9e313 100644 --- a/private/aws-protocoltests-query/src/commands/XmlEnumsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlEnumsCommand.ts @@ -80,4 +80,16 @@ export class XmlEnumsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEnumsCommand) .de(de_XmlEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlEnumsOutput; + }; + sdk: { + input: XmlEnumsCommandInput; + output: XmlEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlIntEnumsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlIntEnumsCommand.ts index 41974eafb0ec..4ac0f468ebc5 100644 --- a/private/aws-protocoltests-query/src/commands/XmlIntEnumsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlIntEnumsCommand.ts @@ -80,4 +80,16 @@ export class XmlIntEnumsCommand extends $Command .f(void 0, void 0) .ser(se_XmlIntEnumsCommand) .de(de_XmlIntEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlIntEnumsOutput; + }; + sdk: { + input: XmlIntEnumsCommandInput; + output: XmlIntEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlListsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlListsCommand.ts index 9d773204d269..433ac66c3c4a 100644 --- a/private/aws-protocoltests-query/src/commands/XmlListsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlListsCommand.ts @@ -124,4 +124,16 @@ export class XmlListsCommand extends $Command .f(void 0, void 0) .ser(se_XmlListsCommand) .de(de_XmlListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlListsOutput; + }; + sdk: { + input: XmlListsCommandInput; + output: XmlListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlMapsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlMapsCommand.ts index 62988a8dc14a..7fb4b33f4d75 100644 --- a/private/aws-protocoltests-query/src/commands/XmlMapsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlMapsCommand.ts @@ -73,4 +73,16 @@ export class XmlMapsCommand extends $Command .f(void 0, void 0) .ser(se_XmlMapsCommand) .de(de_XmlMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlMapsOutput; + }; + sdk: { + input: XmlMapsCommandInput; + output: XmlMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlMapsXmlNameCommand.ts b/private/aws-protocoltests-query/src/commands/XmlMapsXmlNameCommand.ts index 68775ad22954..612d46ee91d5 100644 --- a/private/aws-protocoltests-query/src/commands/XmlMapsXmlNameCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlMapsXmlNameCommand.ts @@ -73,4 +73,16 @@ export class XmlMapsXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_XmlMapsXmlNameCommand) .de(de_XmlMapsXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlMapsXmlNameOutput; + }; + sdk: { + input: XmlMapsXmlNameCommandInput; + output: XmlMapsXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlNamespacesCommand.ts b/private/aws-protocoltests-query/src/commands/XmlNamespacesCommand.ts index ebb6fe6e6504..b0c6c1dc8389 100644 --- a/private/aws-protocoltests-query/src/commands/XmlNamespacesCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlNamespacesCommand.ts @@ -74,4 +74,16 @@ export class XmlNamespacesCommand extends $Command .f(void 0, void 0) .ser(se_XmlNamespacesCommand) .de(de_XmlNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlNamespacesOutput; + }; + sdk: { + input: XmlNamespacesCommandInput; + output: XmlNamespacesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-query/src/commands/XmlTimestampsCommand.ts b/private/aws-protocoltests-query/src/commands/XmlTimestampsCommand.ts index 1e43065132e2..03cbc3e50384 100644 --- a/private/aws-protocoltests-query/src/commands/XmlTimestampsCommand.ts +++ b/private/aws-protocoltests-query/src/commands/XmlTimestampsCommand.ts @@ -77,4 +77,16 @@ export class XmlTimestampsCommand extends $Command .f(void 0, void 0) .ser(se_XmlTimestampsCommand) .de(de_XmlTimestampsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: XmlTimestampsOutput; + }; + sdk: { + input: XmlTimestampsCommandInput; + output: XmlTimestampsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson-apigateway/package.json b/private/aws-protocoltests-restjson-apigateway/package.json index 05ea41c6f1a4..169b01cd142a 100644 --- a/private/aws-protocoltests-restjson-apigateway/package.json +++ b/private/aws-protocoltests-restjson-apigateway/package.json @@ -32,28 +32,28 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-restjson-apigateway/src/commands/GetRestApisCommand.ts b/private/aws-protocoltests-restjson-apigateway/src/commands/GetRestApisCommand.ts index d2087b0d8ee2..904c2d1efb6e 100644 --- a/private/aws-protocoltests-restjson-apigateway/src/commands/GetRestApisCommand.ts +++ b/private/aws-protocoltests-restjson-apigateway/src/commands/GetRestApisCommand.ts @@ -108,4 +108,16 @@ export class GetRestApisCommand extends $Command .f(void 0, void 0) .ser(se_GetRestApisCommand) .de(de_GetRestApisCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetRestApisRequest; + output: RestApis; + }; + sdk: { + input: GetRestApisCommandInput; + output: GetRestApisCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson-glacier/package.json b/private/aws-protocoltests-restjson-glacier/package.json index 5459d9c90077..50c590a73865 100644 --- a/private/aws-protocoltests-restjson-glacier/package.json +++ b/private/aws-protocoltests-restjson-glacier/package.json @@ -34,28 +34,28 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-restjson-glacier/src/commands/UploadArchiveCommand.ts b/private/aws-protocoltests-restjson-glacier/src/commands/UploadArchiveCommand.ts index cb45380005e5..cefc9cfdffa7 100644 --- a/private/aws-protocoltests-restjson-glacier/src/commands/UploadArchiveCommand.ts +++ b/private/aws-protocoltests-restjson-glacier/src/commands/UploadArchiveCommand.ts @@ -90,4 +90,16 @@ export class UploadArchiveCommand extends $Command .f(UploadArchiveInputFilterSensitiveLog, void 0) .ser(se_UploadArchiveCommand) .de(de_UploadArchiveCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadArchiveInput; + output: ArchiveCreationOutput; + }; + sdk: { + input: UploadArchiveCommandInput; + output: UploadArchiveCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson-glacier/src/commands/UploadMultipartPartCommand.ts b/private/aws-protocoltests-restjson-glacier/src/commands/UploadMultipartPartCommand.ts index f4e3b7e169a0..01c507b0ab3a 100644 --- a/private/aws-protocoltests-restjson-glacier/src/commands/UploadMultipartPartCommand.ts +++ b/private/aws-protocoltests-restjson-glacier/src/commands/UploadMultipartPartCommand.ts @@ -93,4 +93,16 @@ export class UploadMultipartPartCommand extends $Command .f(UploadMultipartPartInputFilterSensitiveLog, void 0) .ser(se_UploadMultipartPartCommand) .de(de_UploadMultipartPartCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UploadMultipartPartInput; + output: UploadMultipartPartOutput; + }; + sdk: { + input: UploadMultipartPartCommandInput; + output: UploadMultipartPartCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/package.json b/private/aws-protocoltests-restjson/package.json index d1faed606907..1799f71484bd 100644 --- a/private/aws-protocoltests-restjson/package.json +++ b/private/aws-protocoltests-restjson/package.json @@ -31,35 +31,35 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-blob-browser": "^3.1.3", - "@smithy/hash-node": "^3.0.4", - "@smithy/hash-stream-node": "^3.1.3", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/md5-js": "^3.0.4", - "@smithy/middleware-apply-body-checksum": "^3.0.6", - "@smithy/middleware-compression": "^3.0.8", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/querystring-builder": "^3.0.4", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-blob-browser": "^3.1.5", + "@smithy/hash-node": "^3.0.6", + "@smithy/hash-stream-node": "^3.1.5", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/md5-js": "^3.0.6", + "@smithy/middleware-apply-body-checksum": "^3.0.8", + "@smithy/middleware-compression": "^3.0.10", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/querystring-builder": "^3.0.6", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/aws-protocoltests-restjson/src/commands/AllQueryStringTypesCommand.ts b/private/aws-protocoltests-restjson/src/commands/AllQueryStringTypesCommand.ts index 79c8e64751d0..96dcb553d1eb 100644 --- a/private/aws-protocoltests-restjson/src/commands/AllQueryStringTypesCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/AllQueryStringTypesCommand.ts @@ -111,4 +111,16 @@ export class AllQueryStringTypesCommand extends $Command .f(void 0, void 0) .ser(se_AllQueryStringTypesCommand) .de(de_AllQueryStringTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllQueryStringTypesInput; + output: {}; + }; + sdk: { + input: AllQueryStringTypesCommandInput; + output: AllQueryStringTypesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/ConstantAndVariableQueryStringCommand.ts b/private/aws-protocoltests-restjson/src/commands/ConstantAndVariableQueryStringCommand.ts index 8d05701ced49..1c201c8003e8 100644 --- a/private/aws-protocoltests-restjson/src/commands/ConstantAndVariableQueryStringCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/ConstantAndVariableQueryStringCommand.ts @@ -75,4 +75,16 @@ export class ConstantAndVariableQueryStringCommand extends $Command .f(void 0, void 0) .ser(se_ConstantAndVariableQueryStringCommand) .de(de_ConstantAndVariableQueryStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConstantAndVariableQueryStringInput; + output: {}; + }; + sdk: { + input: ConstantAndVariableQueryStringCommandInput; + output: ConstantAndVariableQueryStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/ConstantQueryStringCommand.ts b/private/aws-protocoltests-restjson/src/commands/ConstantQueryStringCommand.ts index 859c9b44f513..ef015eb3a832 100644 --- a/private/aws-protocoltests-restjson/src/commands/ConstantQueryStringCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/ConstantQueryStringCommand.ts @@ -72,4 +72,16 @@ export class ConstantQueryStringCommand extends $Command .f(void 0, void 0) .ser(se_ConstantQueryStringCommand) .de(de_ConstantQueryStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConstantQueryStringInput; + output: {}; + }; + sdk: { + input: ConstantQueryStringCommandInput; + output: ConstantQueryStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/ContentTypeParametersCommand.ts b/private/aws-protocoltests-restjson/src/commands/ContentTypeParametersCommand.ts index 50bee2365766..4051c1944865 100644 --- a/private/aws-protocoltests-restjson/src/commands/ContentTypeParametersCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/ContentTypeParametersCommand.ts @@ -70,4 +70,16 @@ export class ContentTypeParametersCommand extends $Command .f(void 0, void 0) .ser(se_ContentTypeParametersCommand) .de(de_ContentTypeParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ContentTypeParametersInput; + output: {}; + }; + sdk: { + input: ContentTypeParametersCommandInput; + output: ContentTypeParametersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/DatetimeOffsetsCommand.ts b/private/aws-protocoltests-restjson/src/commands/DatetimeOffsetsCommand.ts index 2ac1d0e899c9..6ac709c29cf5 100644 --- a/private/aws-protocoltests-restjson/src/commands/DatetimeOffsetsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/DatetimeOffsetsCommand.ts @@ -69,4 +69,16 @@ export class DatetimeOffsetsCommand extends $Command .f(void 0, void 0) .ser(se_DatetimeOffsetsCommand) .de(de_DatetimeOffsetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DatetimeOffsetsOutput; + }; + sdk: { + input: DatetimeOffsetsCommandInput; + output: DatetimeOffsetsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsMapValueCommand.ts b/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsMapValueCommand.ts index 8e618ec063e0..54871d2efdbe 100644 --- a/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsMapValueCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsMapValueCommand.ts @@ -75,4 +75,16 @@ export class DocumentTypeAsMapValueCommand extends $Command .f(void 0, void 0) .ser(se_DocumentTypeAsMapValueCommand) .de(de_DocumentTypeAsMapValueCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DocumentTypeAsMapValueInputOutput; + output: DocumentTypeAsMapValueInputOutput; + }; + sdk: { + input: DocumentTypeAsMapValueCommandInput; + output: DocumentTypeAsMapValueCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsPayloadCommand.ts b/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsPayloadCommand.ts index 6f2cec3ca24f..de26b80bc16f 100644 --- a/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsPayloadCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/DocumentTypeAsPayloadCommand.ts @@ -71,4 +71,16 @@ export class DocumentTypeAsPayloadCommand extends $Command .f(void 0, void 0) .ser(se_DocumentTypeAsPayloadCommand) .de(de_DocumentTypeAsPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DocumentTypeAsPayloadInputOutput; + output: DocumentTypeAsPayloadInputOutput; + }; + sdk: { + input: DocumentTypeAsPayloadCommandInput; + output: DocumentTypeAsPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/DocumentTypeCommand.ts b/private/aws-protocoltests-restjson/src/commands/DocumentTypeCommand.ts index f09a7c7a4f7f..8ff13e346eed 100644 --- a/private/aws-protocoltests-restjson/src/commands/DocumentTypeCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/DocumentTypeCommand.ts @@ -73,4 +73,16 @@ export class DocumentTypeCommand extends $Command .f(void 0, void 0) .ser(se_DocumentTypeCommand) .de(de_DocumentTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DocumentTypeInputOutput; + output: DocumentTypeInputOutput; + }; + sdk: { + input: DocumentTypeCommandInput; + output: DocumentTypeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/EmptyInputAndEmptyOutputCommand.ts b/private/aws-protocoltests-restjson/src/commands/EmptyInputAndEmptyOutputCommand.ts index 559fc35b3044..d3d78f514ffc 100644 --- a/private/aws-protocoltests-restjson/src/commands/EmptyInputAndEmptyOutputCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/EmptyInputAndEmptyOutputCommand.ts @@ -70,4 +70,16 @@ export class EmptyInputAndEmptyOutputCommand extends $Command .f(void 0, void 0) .ser(se_EmptyInputAndEmptyOutputCommand) .de(de_EmptyInputAndEmptyOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EmptyInputAndEmptyOutputCommandInput; + output: EmptyInputAndEmptyOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/EndpointOperationCommand.ts b/private/aws-protocoltests-restjson/src/commands/EndpointOperationCommand.ts index 8ff5b0a0b8ad..0780fe453fc3 100644 --- a/private/aws-protocoltests-restjson/src/commands/EndpointOperationCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/EndpointOperationCommand.ts @@ -66,4 +66,16 @@ export class EndpointOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointOperationCommand) .de(de_EndpointOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EndpointOperationCommandInput; + output: EndpointOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/EndpointWithHostLabelOperationCommand.ts b/private/aws-protocoltests-restjson/src/commands/EndpointWithHostLabelOperationCommand.ts index 36b06a0d23f3..65b296aa9a9b 100644 --- a/private/aws-protocoltests-restjson/src/commands/EndpointWithHostLabelOperationCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/EndpointWithHostLabelOperationCommand.ts @@ -72,4 +72,16 @@ export class EndpointWithHostLabelOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointWithHostLabelOperationCommand) .de(de_EndpointWithHostLabelOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HostLabelInput; + output: {}; + }; + sdk: { + input: EndpointWithHostLabelOperationCommandInput; + output: EndpointWithHostLabelOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/FractionalSecondsCommand.ts b/private/aws-protocoltests-restjson/src/commands/FractionalSecondsCommand.ts index 43bf819e2415..1edf9dc61066 100644 --- a/private/aws-protocoltests-restjson/src/commands/FractionalSecondsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/FractionalSecondsCommand.ts @@ -69,4 +69,16 @@ export class FractionalSecondsCommand extends $Command .f(void 0, void 0) .ser(se_FractionalSecondsCommand) .de(de_FractionalSecondsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FractionalSecondsOutput; + }; + sdk: { + input: FractionalSecondsCommandInput; + output: FractionalSecondsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/GreetingWithErrorsCommand.ts b/private/aws-protocoltests-restjson/src/commands/GreetingWithErrorsCommand.ts index 9493b37ac45d..b2f9989ed9be 100644 --- a/private/aws-protocoltests-restjson/src/commands/GreetingWithErrorsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/GreetingWithErrorsCommand.ts @@ -88,4 +88,16 @@ export class GreetingWithErrorsCommand extends $Command .f(void 0, void 0) .ser(se_GreetingWithErrorsCommand) .de(de_GreetingWithErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GreetingWithErrorsOutput; + }; + sdk: { + input: GreetingWithErrorsCommandInput; + output: GreetingWithErrorsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HostWithPathOperationCommand.ts b/private/aws-protocoltests-restjson/src/commands/HostWithPathOperationCommand.ts index b3e71b895f90..bf8bf728ea7d 100644 --- a/private/aws-protocoltests-restjson/src/commands/HostWithPathOperationCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HostWithPathOperationCommand.ts @@ -66,4 +66,16 @@ export class HostWithPathOperationCommand extends $Command .f(void 0, void 0) .ser(se_HostWithPathOperationCommand) .de(de_HostWithPathOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: HostWithPathOperationCommandInput; + output: HostWithPathOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpChecksumRequiredCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpChecksumRequiredCommand.ts index e1b396569844..1c1a2a020476 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpChecksumRequiredCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpChecksumRequiredCommand.ts @@ -72,4 +72,16 @@ export class HttpChecksumRequiredCommand extends $Command .f(void 0, void 0) .ser(se_HttpChecksumRequiredCommand) .de(de_HttpChecksumRequiredCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpChecksumRequiredInputOutput; + output: HttpChecksumRequiredInputOutput; + }; + sdk: { + input: HttpChecksumRequiredCommandInput; + output: HttpChecksumRequiredCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpEnumPayloadCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpEnumPayloadCommand.ts index cfa03f35f837..cca6f2ab884f 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpEnumPayloadCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpEnumPayloadCommand.ts @@ -71,4 +71,16 @@ export class HttpEnumPayloadCommand extends $Command .f(void 0, void 0) .ser(se_HttpEnumPayloadCommand) .de(de_HttpEnumPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnumPayloadInput; + output: EnumPayloadInput; + }; + sdk: { + input: HttpEnumPayloadCommandInput; + output: HttpEnumPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsCommand.ts index d57379242c44..d5349f8acecb 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsCommand.ts @@ -91,4 +91,16 @@ export class HttpPayloadTraitsCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadTraitsCommand) .de(de_HttpPayloadTraitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadTraitsInputOutput; + output: HttpPayloadTraitsInputOutput; + }; + sdk: { + input: HttpPayloadTraitsCommandInput; + output: HttpPayloadTraitsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts index 2e998eecb2c6..c617e7409139 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts @@ -97,4 +97,16 @@ export class HttpPayloadTraitsWithMediaTypeCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadTraitsWithMediaTypeCommand) .de(de_HttpPayloadTraitsWithMediaTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadTraitsWithMediaTypeInputOutput; + output: HttpPayloadTraitsWithMediaTypeInputOutput; + }; + sdk: { + input: HttpPayloadTraitsWithMediaTypeCommandInput; + output: HttpPayloadTraitsWithMediaTypeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithStructureCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithStructureCommand.ts index d34c3d0971ac..873700c12bd1 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithStructureCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithStructureCommand.ts @@ -80,4 +80,16 @@ export class HttpPayloadWithStructureCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithStructureCommand) .de(de_HttpPayloadWithStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithStructureInputOutput; + output: HttpPayloadWithStructureInputOutput; + }; + sdk: { + input: HttpPayloadWithStructureCommandInput; + output: HttpPayloadWithStructureCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithUnionCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithUnionCommand.ts index 196f0bf449a2..5c1fb7209551 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithUnionCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpPayloadWithUnionCommand.ts @@ -75,4 +75,16 @@ export class HttpPayloadWithUnionCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithUnionCommand) .de(de_HttpPayloadWithUnionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithUnionInputOutput; + output: HttpPayloadWithUnionInputOutput; + }; + sdk: { + input: HttpPayloadWithUnionCommandInput; + output: HttpPayloadWithUnionCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersCommand.ts index 3fcbcecbe757..c443856b99a1 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersCommand.ts @@ -77,4 +77,16 @@ export class HttpPrefixHeadersCommand extends $Command .f(void 0, void 0) .ser(se_HttpPrefixHeadersCommand) .de(de_HttpPrefixHeadersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPrefixHeadersInput; + output: HttpPrefixHeadersOutput; + }; + sdk: { + input: HttpPrefixHeadersCommandInput; + output: HttpPrefixHeadersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersInResponseCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersInResponseCommand.ts index fb738e064fa5..476fa89a35b2 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersInResponseCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpPrefixHeadersInResponseCommand.ts @@ -74,4 +74,16 @@ export class HttpPrefixHeadersInResponseCommand extends $Command .f(void 0, void 0) .ser(se_HttpPrefixHeadersInResponseCommand) .de(de_HttpPrefixHeadersInResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: HttpPrefixHeadersInResponseOutput; + }; + sdk: { + input: HttpPrefixHeadersInResponseCommandInput; + output: HttpPrefixHeadersInResponseCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithFloatLabelsCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithFloatLabelsCommand.ts index 69e16f026501..33a9c0e09374 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithFloatLabelsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithFloatLabelsCommand.ts @@ -70,4 +70,16 @@ export class HttpRequestWithFloatLabelsCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithFloatLabelsCommand) .de(de_HttpRequestWithFloatLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithFloatLabelsInput; + output: {}; + }; + sdk: { + input: HttpRequestWithFloatLabelsCommandInput; + output: HttpRequestWithFloatLabelsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts index db5e721705b6..fd2c34e41ec5 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts @@ -73,4 +73,16 @@ export class HttpRequestWithGreedyLabelInPathCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithGreedyLabelInPathCommand) .de(de_HttpRequestWithGreedyLabelInPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithGreedyLabelInPathInput; + output: {}; + }; + sdk: { + input: HttpRequestWithGreedyLabelInPathCommandInput; + output: HttpRequestWithGreedyLabelInPathCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts index a0d687234286..86271987de05 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts @@ -80,4 +80,16 @@ export class HttpRequestWithLabelsAndTimestampFormatCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithLabelsAndTimestampFormatCommand) .de(de_HttpRequestWithLabelsAndTimestampFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithLabelsAndTimestampFormatInput; + output: {}; + }; + sdk: { + input: HttpRequestWithLabelsAndTimestampFormatCommandInput; + output: HttpRequestWithLabelsAndTimestampFormatCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsCommand.ts index ebbcdf62ea8c..4e57ce1b6db1 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithLabelsCommand.ts @@ -77,4 +77,16 @@ export class HttpRequestWithLabelsCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithLabelsCommand) .de(de_HttpRequestWithLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithLabelsInput; + output: {}; + }; + sdk: { + input: HttpRequestWithLabelsCommandInput; + output: HttpRequestWithLabelsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithRegexLiteralCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithRegexLiteralCommand.ts index c562f669c736..7e658206ff10 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpRequestWithRegexLiteralCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpRequestWithRegexLiteralCommand.ts @@ -72,4 +72,16 @@ export class HttpRequestWithRegexLiteralCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithRegexLiteralCommand) .de(de_HttpRequestWithRegexLiteralCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithRegexLiteralInput; + output: {}; + }; + sdk: { + input: HttpRequestWithRegexLiteralCommandInput; + output: HttpRequestWithRegexLiteralCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpResponseCodeCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpResponseCodeCommand.ts index e5c86f618c2b..cf52e5cfd92b 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpResponseCodeCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpResponseCodeCommand.ts @@ -69,4 +69,16 @@ export class HttpResponseCodeCommand extends $Command .f(void 0, void 0) .ser(se_HttpResponseCodeCommand) .de(de_HttpResponseCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: HttpResponseCodeOutput; + }; + sdk: { + input: HttpResponseCodeCommandInput; + output: HttpResponseCodeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/HttpStringPayloadCommand.ts b/private/aws-protocoltests-restjson/src/commands/HttpStringPayloadCommand.ts index 6eedac7dde68..b14d206c20ed 100644 --- a/private/aws-protocoltests-restjson/src/commands/HttpStringPayloadCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/HttpStringPayloadCommand.ts @@ -71,4 +71,16 @@ export class HttpStringPayloadCommand extends $Command .f(void 0, void 0) .ser(se_HttpStringPayloadCommand) .de(de_HttpStringPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StringPayloadInput; + output: StringPayloadInput; + }; + sdk: { + input: HttpStringPayloadCommandInput; + output: HttpStringPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/IgnoreQueryParamsInResponseCommand.ts b/private/aws-protocoltests-restjson/src/commands/IgnoreQueryParamsInResponseCommand.ts index a1a5c3df671c..676238b444c6 100644 --- a/private/aws-protocoltests-restjson/src/commands/IgnoreQueryParamsInResponseCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/IgnoreQueryParamsInResponseCommand.ts @@ -74,4 +74,16 @@ export class IgnoreQueryParamsInResponseCommand extends $Command .f(void 0, void 0) .ser(se_IgnoreQueryParamsInResponseCommand) .de(de_IgnoreQueryParamsInResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: IgnoreQueryParamsInResponseOutput; + }; + sdk: { + input: IgnoreQueryParamsInResponseCommandInput; + output: IgnoreQueryParamsInResponseCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/InputAndOutputWithHeadersCommand.ts b/private/aws-protocoltests-restjson/src/commands/InputAndOutputWithHeadersCommand.ts index 0bff19bc28fd..3f3c944c6e4e 100644 --- a/private/aws-protocoltests-restjson/src/commands/InputAndOutputWithHeadersCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/InputAndOutputWithHeadersCommand.ts @@ -134,4 +134,16 @@ export class InputAndOutputWithHeadersCommand extends $Command .f(void 0, void 0) .ser(se_InputAndOutputWithHeadersCommand) .de(de_InputAndOutputWithHeadersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InputAndOutputWithHeadersIO; + output: InputAndOutputWithHeadersIO; + }; + sdk: { + input: InputAndOutputWithHeadersCommandInput; + output: InputAndOutputWithHeadersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/JsonBlobsCommand.ts b/private/aws-protocoltests-restjson/src/commands/JsonBlobsCommand.ts index a37de5a485b3..c1896f62179c 100644 --- a/private/aws-protocoltests-restjson/src/commands/JsonBlobsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/JsonBlobsCommand.ts @@ -71,4 +71,16 @@ export class JsonBlobsCommand extends $Command .f(void 0, void 0) .ser(se_JsonBlobsCommand) .de(de_JsonBlobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonBlobsInputOutput; + output: JsonBlobsInputOutput; + }; + sdk: { + input: JsonBlobsCommandInput; + output: JsonBlobsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/JsonEnumsCommand.ts b/private/aws-protocoltests-restjson/src/commands/JsonEnumsCommand.ts index 8e56027ebfd4..c51d57166fb6 100644 --- a/private/aws-protocoltests-restjson/src/commands/JsonEnumsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/JsonEnumsCommand.ts @@ -93,4 +93,16 @@ export class JsonEnumsCommand extends $Command .f(void 0, void 0) .ser(se_JsonEnumsCommand) .de(de_JsonEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonEnumsInputOutput; + output: JsonEnumsInputOutput; + }; + sdk: { + input: JsonEnumsCommandInput; + output: JsonEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/JsonIntEnumsCommand.ts b/private/aws-protocoltests-restjson/src/commands/JsonIntEnumsCommand.ts index 075605e536b8..48cffefb1f93 100644 --- a/private/aws-protocoltests-restjson/src/commands/JsonIntEnumsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/JsonIntEnumsCommand.ts @@ -93,4 +93,16 @@ export class JsonIntEnumsCommand extends $Command .f(void 0, void 0) .ser(se_JsonIntEnumsCommand) .de(de_JsonIntEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonIntEnumsInputOutput; + output: JsonIntEnumsInputOutput; + }; + sdk: { + input: JsonIntEnumsCommandInput; + output: JsonIntEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/JsonListsCommand.ts b/private/aws-protocoltests-restjson/src/commands/JsonListsCommand.ts index 5cf75d89ccb6..588cf663629e 100644 --- a/private/aws-protocoltests-restjson/src/commands/JsonListsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/JsonListsCommand.ts @@ -139,4 +139,16 @@ export class JsonListsCommand extends $Command .f(void 0, void 0) .ser(se_JsonListsCommand) .de(de_JsonListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonListsInputOutput; + output: JsonListsInputOutput; + }; + sdk: { + input: JsonListsCommandInput; + output: JsonListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/JsonMapsCommand.ts b/private/aws-protocoltests-restjson/src/commands/JsonMapsCommand.ts index 528a1de22860..dcac58cdb38f 100644 --- a/private/aws-protocoltests-restjson/src/commands/JsonMapsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/JsonMapsCommand.ts @@ -107,4 +107,16 @@ export class JsonMapsCommand extends $Command .f(void 0, void 0) .ser(se_JsonMapsCommand) .de(de_JsonMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonMapsInputOutput; + output: JsonMapsInputOutput; + }; + sdk: { + input: JsonMapsCommandInput; + output: JsonMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/JsonTimestampsCommand.ts b/private/aws-protocoltests-restjson/src/commands/JsonTimestampsCommand.ts index d7c7685d7176..3f91afc11a82 100644 --- a/private/aws-protocoltests-restjson/src/commands/JsonTimestampsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/JsonTimestampsCommand.ts @@ -85,4 +85,16 @@ export class JsonTimestampsCommand extends $Command .f(void 0, void 0) .ser(se_JsonTimestampsCommand) .de(de_JsonTimestampsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: JsonTimestampsInputOutput; + output: JsonTimestampsInputOutput; + }; + sdk: { + input: JsonTimestampsCommandInput; + output: JsonTimestampsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/JsonUnionsCommand.ts b/private/aws-protocoltests-restjson/src/commands/JsonUnionsCommand.ts index bf1c0dfffc34..034b093a10a2 100644 --- a/private/aws-protocoltests-restjson/src/commands/JsonUnionsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/JsonUnionsCommand.ts @@ -109,4 +109,16 @@ export class JsonUnionsCommand extends $Command .f(void 0, void 0) .ser(se_JsonUnionsCommand) .de(de_JsonUnionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UnionInputOutput; + output: UnionInputOutput; + }; + sdk: { + input: JsonUnionsCommandInput; + output: JsonUnionsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithBodyCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithBodyCommand.ts index 235c1fa0ca14..50063ad29a83 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithBodyCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithBodyCommand.ts @@ -69,4 +69,16 @@ export class MalformedAcceptWithBodyCommand extends $Command .f(void 0, void 0) .ser(se_MalformedAcceptWithBodyCommand) .de(de_MalformedAcceptWithBodyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GreetingStruct; + }; + sdk: { + input: MalformedAcceptWithBodyCommandInput; + output: MalformedAcceptWithBodyCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithGenericStringCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithGenericStringCommand.ts index 3c5952b42b8a..59f20eca9a30 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithGenericStringCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithGenericStringCommand.ts @@ -74,4 +74,16 @@ export class MalformedAcceptWithGenericStringCommand extends $Command .f(void 0, void 0) .ser(se_MalformedAcceptWithGenericStringCommand) .de(de_MalformedAcceptWithGenericStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: MalformedAcceptWithGenericStringOutput; + }; + sdk: { + input: MalformedAcceptWithGenericStringCommandInput; + output: MalformedAcceptWithGenericStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithPayloadCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithPayloadCommand.ts index 3db08f27ee8f..45ab510f1d1f 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithPayloadCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedAcceptWithPayloadCommand.ts @@ -79,4 +79,16 @@ export class MalformedAcceptWithPayloadCommand extends $Command .f(void 0, void 0) .ser(se_MalformedAcceptWithPayloadCommand) .de(de_MalformedAcceptWithPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: MalformedAcceptWithPayloadOutput; + }; + sdk: { + input: MalformedAcceptWithPayloadCommandInput; + output: MalformedAcceptWithPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedBlobCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedBlobCommand.ts index be8ff2bd3992..46eaf7d1b801 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedBlobCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedBlobCommand.ts @@ -69,4 +69,16 @@ export class MalformedBlobCommand extends $Command .f(void 0, void 0) .ser(se_MalformedBlobCommand) .de(de_MalformedBlobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedBlobInput; + output: {}; + }; + sdk: { + input: MalformedBlobCommandInput; + output: MalformedBlobCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedBooleanCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedBooleanCommand.ts index 8e9182b4e8fa..822d4a3d370b 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedBooleanCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedBooleanCommand.ts @@ -72,4 +72,16 @@ export class MalformedBooleanCommand extends $Command .f(void 0, void 0) .ser(se_MalformedBooleanCommand) .de(de_MalformedBooleanCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedBooleanInput; + output: {}; + }; + sdk: { + input: MalformedBooleanCommandInput; + output: MalformedBooleanCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedByteCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedByteCommand.ts index a44cd2a85533..81c8514622bf 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedByteCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedByteCommand.ts @@ -72,4 +72,16 @@ export class MalformedByteCommand extends $Command .f(void 0, void 0) .ser(se_MalformedByteCommand) .de(de_MalformedByteCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedByteInput; + output: {}; + }; + sdk: { + input: MalformedByteCommandInput; + output: MalformedByteCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithBodyCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithBodyCommand.ts index 201b0abcc157..261a969e2ab4 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithBodyCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithBodyCommand.ts @@ -72,4 +72,16 @@ export class MalformedContentTypeWithBodyCommand extends $Command .f(void 0, void 0) .ser(se_MalformedContentTypeWithBodyCommand) .de(de_MalformedContentTypeWithBodyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GreetingStruct; + output: {}; + }; + sdk: { + input: MalformedContentTypeWithBodyCommandInput; + output: MalformedContentTypeWithBodyCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithGenericStringCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithGenericStringCommand.ts index bcd55f513800..53ff24a6f6b9 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithGenericStringCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithGenericStringCommand.ts @@ -72,4 +72,16 @@ export class MalformedContentTypeWithGenericStringCommand extends $Command .f(void 0, void 0) .ser(se_MalformedContentTypeWithGenericStringCommand) .de(de_MalformedContentTypeWithGenericStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedContentTypeWithGenericStringInput; + output: {}; + }; + sdk: { + input: MalformedContentTypeWithGenericStringCommandInput; + output: MalformedContentTypeWithGenericStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithPayloadCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithPayloadCommand.ts index 921c2cd23f4f..a3ccc767199e 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithPayloadCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithPayloadCommand.ts @@ -79,4 +79,16 @@ export class MalformedContentTypeWithPayloadCommand extends $Command .f(void 0, void 0) .ser(se_MalformedContentTypeWithPayloadCommand) .de(de_MalformedContentTypeWithPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedContentTypeWithPayloadInput; + output: {}; + }; + sdk: { + input: MalformedContentTypeWithPayloadCommandInput; + output: MalformedContentTypeWithPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithoutBodyCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithoutBodyCommand.ts index 7dac7c882ce9..5918e2311b81 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithoutBodyCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedContentTypeWithoutBodyCommand.ts @@ -69,4 +69,16 @@ export class MalformedContentTypeWithoutBodyCommand extends $Command .f(void 0, void 0) .ser(se_MalformedContentTypeWithoutBodyCommand) .de(de_MalformedContentTypeWithoutBodyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: MalformedContentTypeWithoutBodyCommandInput; + output: MalformedContentTypeWithoutBodyCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedDoubleCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedDoubleCommand.ts index bf5a39e15832..2fa1ed331697 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedDoubleCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedDoubleCommand.ts @@ -72,4 +72,16 @@ export class MalformedDoubleCommand extends $Command .f(void 0, void 0) .ser(se_MalformedDoubleCommand) .de(de_MalformedDoubleCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedDoubleInput; + output: {}; + }; + sdk: { + input: MalformedDoubleCommandInput; + output: MalformedDoubleCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedFloatCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedFloatCommand.ts index e6246ead8df1..e0a23f99c75f 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedFloatCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedFloatCommand.ts @@ -72,4 +72,16 @@ export class MalformedFloatCommand extends $Command .f(void 0, void 0) .ser(se_MalformedFloatCommand) .de(de_MalformedFloatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedFloatInput; + output: {}; + }; + sdk: { + input: MalformedFloatCommandInput; + output: MalformedFloatCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedIntegerCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedIntegerCommand.ts index 11f16ca7aa83..184c8a03100a 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedIntegerCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedIntegerCommand.ts @@ -72,4 +72,16 @@ export class MalformedIntegerCommand extends $Command .f(void 0, void 0) .ser(se_MalformedIntegerCommand) .de(de_MalformedIntegerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedIntegerInput; + output: {}; + }; + sdk: { + input: MalformedIntegerCommandInput; + output: MalformedIntegerCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedListCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedListCommand.ts index 6cb66df9e18c..ba117e02b60e 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedListCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedListCommand.ts @@ -71,4 +71,16 @@ export class MalformedListCommand extends $Command .f(void 0, void 0) .ser(se_MalformedListCommand) .de(de_MalformedListCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedListInput; + output: {}; + }; + sdk: { + input: MalformedListCommandInput; + output: MalformedListCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedLongCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedLongCommand.ts index 050da9fe5e5c..a84165307a3e 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedLongCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedLongCommand.ts @@ -72,4 +72,16 @@ export class MalformedLongCommand extends $Command .f(void 0, void 0) .ser(se_MalformedLongCommand) .de(de_MalformedLongCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedLongInput; + output: {}; + }; + sdk: { + input: MalformedLongCommandInput; + output: MalformedLongCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedMapCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedMapCommand.ts index 64d918256447..11ea9cde1ca8 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedMapCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedMapCommand.ts @@ -71,4 +71,16 @@ export class MalformedMapCommand extends $Command .f(void 0, void 0) .ser(se_MalformedMapCommand) .de(de_MalformedMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedMapInput; + output: {}; + }; + sdk: { + input: MalformedMapCommandInput; + output: MalformedMapCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedRequestBodyCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedRequestBodyCommand.ts index e00f6382f5f9..777d1457546d 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedRequestBodyCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedRequestBodyCommand.ts @@ -70,4 +70,16 @@ export class MalformedRequestBodyCommand extends $Command .f(void 0, void 0) .ser(se_MalformedRequestBodyCommand) .de(de_MalformedRequestBodyCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedRequestBodyInput; + output: {}; + }; + sdk: { + input: MalformedRequestBodyCommandInput; + output: MalformedRequestBodyCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedShortCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedShortCommand.ts index 13bb89fafb1f..7cbd073a28a9 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedShortCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedShortCommand.ts @@ -72,4 +72,16 @@ export class MalformedShortCommand extends $Command .f(void 0, void 0) .ser(se_MalformedShortCommand) .de(de_MalformedShortCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedShortInput; + output: {}; + }; + sdk: { + input: MalformedShortCommandInput; + output: MalformedShortCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedStringCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedStringCommand.ts index c85507c30b3c..812c220276c5 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedStringCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedStringCommand.ts @@ -69,4 +69,16 @@ export class MalformedStringCommand extends $Command .f(void 0, void 0) .ser(se_MalformedStringCommand) .de(de_MalformedStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedStringInput; + output: {}; + }; + sdk: { + input: MalformedStringCommandInput; + output: MalformedStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDateTimeCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDateTimeCommand.ts index 7c3c9a62681e..62e6412c3c80 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDateTimeCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDateTimeCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampBodyDateTimeCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampBodyDateTimeCommand) .de(de_MalformedTimestampBodyDateTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampBodyDateTimeInput; + output: {}; + }; + sdk: { + input: MalformedTimestampBodyDateTimeCommandInput; + output: MalformedTimestampBodyDateTimeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDefaultCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDefaultCommand.ts index e288cc0f0c8b..a77eb310397f 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDefaultCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyDefaultCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampBodyDefaultCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampBodyDefaultCommand) .de(de_MalformedTimestampBodyDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampBodyDefaultInput; + output: {}; + }; + sdk: { + input: MalformedTimestampBodyDefaultCommandInput; + output: MalformedTimestampBodyDefaultCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyHttpDateCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyHttpDateCommand.ts index 7060e9488178..84cc7ca2f0f9 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyHttpDateCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampBodyHttpDateCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampBodyHttpDateCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampBodyHttpDateCommand) .de(de_MalformedTimestampBodyHttpDateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampBodyHttpDateInput; + output: {}; + }; + sdk: { + input: MalformedTimestampBodyHttpDateCommandInput; + output: MalformedTimestampBodyHttpDateCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDateTimeCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDateTimeCommand.ts index e81e5779a74f..4f025d8a8b60 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDateTimeCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDateTimeCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampHeaderDateTimeCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampHeaderDateTimeCommand) .de(de_MalformedTimestampHeaderDateTimeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampHeaderDateTimeInput; + output: {}; + }; + sdk: { + input: MalformedTimestampHeaderDateTimeCommandInput; + output: MalformedTimestampHeaderDateTimeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDefaultCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDefaultCommand.ts index 24537e195070..0926f8a4f44c 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDefaultCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderDefaultCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampHeaderDefaultCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampHeaderDefaultCommand) .de(de_MalformedTimestampHeaderDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampHeaderDefaultInput; + output: {}; + }; + sdk: { + input: MalformedTimestampHeaderDefaultCommandInput; + output: MalformedTimestampHeaderDefaultCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderEpochCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderEpochCommand.ts index 1714f9dcaabe..dee2a9bf61ea 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderEpochCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampHeaderEpochCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampHeaderEpochCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampHeaderEpochCommand) .de(de_MalformedTimestampHeaderEpochCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampHeaderEpochInput; + output: {}; + }; + sdk: { + input: MalformedTimestampHeaderEpochCommandInput; + output: MalformedTimestampHeaderEpochCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathDefaultCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathDefaultCommand.ts index 62b8a30a7d1f..33b64357dda1 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathDefaultCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathDefaultCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampPathDefaultCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampPathDefaultCommand) .de(de_MalformedTimestampPathDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampPathDefaultInput; + output: {}; + }; + sdk: { + input: MalformedTimestampPathDefaultCommandInput; + output: MalformedTimestampPathDefaultCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathEpochCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathEpochCommand.ts index 1c2cb83dc8c8..513c5ee07f97 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathEpochCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathEpochCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampPathEpochCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampPathEpochCommand) .de(de_MalformedTimestampPathEpochCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampPathEpochInput; + output: {}; + }; + sdk: { + input: MalformedTimestampPathEpochCommandInput; + output: MalformedTimestampPathEpochCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathHttpDateCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathHttpDateCommand.ts index a930ea472bae..73571394dac9 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathHttpDateCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampPathHttpDateCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampPathHttpDateCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampPathHttpDateCommand) .de(de_MalformedTimestampPathHttpDateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampPathHttpDateInput; + output: {}; + }; + sdk: { + input: MalformedTimestampPathHttpDateCommandInput; + output: MalformedTimestampPathHttpDateCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryDefaultCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryDefaultCommand.ts index 420607c6eafd..941ee77a6e9c 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryDefaultCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryDefaultCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampQueryDefaultCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampQueryDefaultCommand) .de(de_MalformedTimestampQueryDefaultCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampQueryDefaultInput; + output: {}; + }; + sdk: { + input: MalformedTimestampQueryDefaultCommandInput; + output: MalformedTimestampQueryDefaultCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryEpochCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryEpochCommand.ts index 2799640643d4..dc6b0722e1ca 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryEpochCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryEpochCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampQueryEpochCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampQueryEpochCommand) .de(de_MalformedTimestampQueryEpochCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampQueryEpochInput; + output: {}; + }; + sdk: { + input: MalformedTimestampQueryEpochCommandInput; + output: MalformedTimestampQueryEpochCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryHttpDateCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryHttpDateCommand.ts index 52cc62da6ab8..3a45bb9326b8 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryHttpDateCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedTimestampQueryHttpDateCommand.ts @@ -72,4 +72,16 @@ export class MalformedTimestampQueryHttpDateCommand extends $Command .f(void 0, void 0) .ser(se_MalformedTimestampQueryHttpDateCommand) .de(de_MalformedTimestampQueryHttpDateCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedTimestampQueryHttpDateInput; + output: {}; + }; + sdk: { + input: MalformedTimestampQueryHttpDateCommandInput; + output: MalformedTimestampQueryHttpDateCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MalformedUnionCommand.ts b/private/aws-protocoltests-restjson/src/commands/MalformedUnionCommand.ts index 52459c7a98dd..dfaa81f739f7 100644 --- a/private/aws-protocoltests-restjson/src/commands/MalformedUnionCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MalformedUnionCommand.ts @@ -72,4 +72,16 @@ export class MalformedUnionCommand extends $Command .f(void 0, void 0) .ser(se_MalformedUnionCommand) .de(de_MalformedUnionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MalformedUnionInput; + output: {}; + }; + sdk: { + input: MalformedUnionCommandInput; + output: MalformedUnionCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/MediaTypeHeaderCommand.ts b/private/aws-protocoltests-restjson/src/commands/MediaTypeHeaderCommand.ts index d5e0f46b0889..8024ba85cca5 100644 --- a/private/aws-protocoltests-restjson/src/commands/MediaTypeHeaderCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/MediaTypeHeaderCommand.ts @@ -71,4 +71,16 @@ export class MediaTypeHeaderCommand extends $Command .f(void 0, void 0) .ser(se_MediaTypeHeaderCommand) .de(de_MediaTypeHeaderCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: MediaTypeHeaderInput; + output: MediaTypeHeaderOutput; + }; + sdk: { + input: MediaTypeHeaderCommandInput; + output: MediaTypeHeaderCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/NoInputAndNoOutputCommand.ts b/private/aws-protocoltests-restjson/src/commands/NoInputAndNoOutputCommand.ts index bcba3126c1d0..9cb98843d743 100644 --- a/private/aws-protocoltests-restjson/src/commands/NoInputAndNoOutputCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/NoInputAndNoOutputCommand.ts @@ -68,4 +68,16 @@ export class NoInputAndNoOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndNoOutputCommand) .de(de_NoInputAndNoOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndNoOutputCommandInput; + output: NoInputAndNoOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/NoInputAndOutputCommand.ts b/private/aws-protocoltests-restjson/src/commands/NoInputAndOutputCommand.ts index f2c3b6ee9e8d..4fda2ad8573b 100644 --- a/private/aws-protocoltests-restjson/src/commands/NoInputAndOutputCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/NoInputAndOutputCommand.ts @@ -70,4 +70,16 @@ export class NoInputAndOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndOutputCommand) .de(de_NoInputAndOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndOutputCommandInput; + output: NoInputAndOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersClientCommand.ts b/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersClientCommand.ts index caf510aea92e..836586041640 100644 --- a/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersClientCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersClientCommand.ts @@ -79,4 +79,16 @@ export class NullAndEmptyHeadersClientCommand extends $Command .f(void 0, void 0) .ser(se_NullAndEmptyHeadersClientCommand) .de(de_NullAndEmptyHeadersClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NullAndEmptyHeadersIO; + output: NullAndEmptyHeadersIO; + }; + sdk: { + input: NullAndEmptyHeadersClientCommandInput; + output: NullAndEmptyHeadersClientCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersServerCommand.ts b/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersServerCommand.ts index 7ae0803d12f7..d68155cf079c 100644 --- a/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersServerCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/NullAndEmptyHeadersServerCommand.ts @@ -79,4 +79,16 @@ export class NullAndEmptyHeadersServerCommand extends $Command .f(void 0, void 0) .ser(se_NullAndEmptyHeadersServerCommand) .de(de_NullAndEmptyHeadersServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NullAndEmptyHeadersIO; + output: NullAndEmptyHeadersIO; + }; + sdk: { + input: NullAndEmptyHeadersServerCommandInput; + output: NullAndEmptyHeadersServerCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/OmitsNullSerializesEmptyStringCommand.ts b/private/aws-protocoltests-restjson/src/commands/OmitsNullSerializesEmptyStringCommand.ts index 2a03975b102e..9d6fa62770b6 100644 --- a/private/aws-protocoltests-restjson/src/commands/OmitsNullSerializesEmptyStringCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/OmitsNullSerializesEmptyStringCommand.ts @@ -73,4 +73,16 @@ export class OmitsNullSerializesEmptyStringCommand extends $Command .f(void 0, void 0) .ser(se_OmitsNullSerializesEmptyStringCommand) .de(de_OmitsNullSerializesEmptyStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OmitsNullSerializesEmptyStringInput; + output: {}; + }; + sdk: { + input: OmitsNullSerializesEmptyStringCommandInput; + output: OmitsNullSerializesEmptyStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/OmitsSerializingEmptyListsCommand.ts b/private/aws-protocoltests-restjson/src/commands/OmitsSerializingEmptyListsCommand.ts index 53921e149788..e4bfb9e78013 100644 --- a/private/aws-protocoltests-restjson/src/commands/OmitsSerializingEmptyListsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/OmitsSerializingEmptyListsCommand.ts @@ -91,4 +91,16 @@ export class OmitsSerializingEmptyListsCommand extends $Command .f(void 0, void 0) .ser(se_OmitsSerializingEmptyListsCommand) .de(de_OmitsSerializingEmptyListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OmitsSerializingEmptyListsInput; + output: {}; + }; + sdk: { + input: OmitsSerializingEmptyListsCommandInput; + output: OmitsSerializingEmptyListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/OperationWithDefaultsCommand.ts b/private/aws-protocoltests-restjson/src/commands/OperationWithDefaultsCommand.ts index 99e5297ae7cc..d1d3e0c3f347 100644 --- a/private/aws-protocoltests-restjson/src/commands/OperationWithDefaultsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/OperationWithDefaultsCommand.ts @@ -140,4 +140,16 @@ export class OperationWithDefaultsCommand extends $Command .f(void 0, void 0) .ser(se_OperationWithDefaultsCommand) .de(de_OperationWithDefaultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OperationWithDefaultsInput; + output: OperationWithDefaultsOutput; + }; + sdk: { + input: OperationWithDefaultsCommandInput; + output: OperationWithDefaultsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/OperationWithNestedStructureCommand.ts b/private/aws-protocoltests-restjson/src/commands/OperationWithNestedStructureCommand.ts index 8df9068bc72c..fab96f93008a 100644 --- a/private/aws-protocoltests-restjson/src/commands/OperationWithNestedStructureCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/OperationWithNestedStructureCommand.ts @@ -126,4 +126,16 @@ export class OperationWithNestedStructureCommand extends $Command .f(void 0, void 0) .ser(se_OperationWithNestedStructureCommand) .de(de_OperationWithNestedStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OperationWithNestedStructureInput; + output: OperationWithNestedStructureOutput; + }; + sdk: { + input: OperationWithNestedStructureCommandInput; + output: OperationWithNestedStructureCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/PostPlayerActionCommand.ts b/private/aws-protocoltests-restjson/src/commands/PostPlayerActionCommand.ts index 97b7920e1ff9..618421b68e65 100644 --- a/private/aws-protocoltests-restjson/src/commands/PostPlayerActionCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/PostPlayerActionCommand.ts @@ -75,4 +75,16 @@ export class PostPlayerActionCommand extends $Command .f(void 0, void 0) .ser(se_PostPlayerActionCommand) .de(de_PostPlayerActionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostPlayerActionInput; + output: PostPlayerActionOutput; + }; + sdk: { + input: PostPlayerActionCommandInput; + output: PostPlayerActionCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/PostUnionWithJsonNameCommand.ts b/private/aws-protocoltests-restjson/src/commands/PostUnionWithJsonNameCommand.ts index 63c851532747..696c420d4872 100644 --- a/private/aws-protocoltests-restjson/src/commands/PostUnionWithJsonNameCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/PostUnionWithJsonNameCommand.ts @@ -79,4 +79,16 @@ export class PostUnionWithJsonNameCommand extends $Command .f(void 0, void 0) .ser(se_PostUnionWithJsonNameCommand) .de(de_PostUnionWithJsonNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PostUnionWithJsonNameInput; + output: PostUnionWithJsonNameOutput; + }; + sdk: { + input: PostUnionWithJsonNameCommandInput; + output: PostUnionWithJsonNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/PutWithContentEncodingCommand.ts b/private/aws-protocoltests-restjson/src/commands/PutWithContentEncodingCommand.ts index 23df337bac5f..59356b1a4925 100644 --- a/private/aws-protocoltests-restjson/src/commands/PutWithContentEncodingCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/PutWithContentEncodingCommand.ts @@ -76,4 +76,16 @@ export class PutWithContentEncodingCommand extends $Command .f(void 0, void 0) .ser(se_PutWithContentEncodingCommand) .de(de_PutWithContentEncodingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWithContentEncodingInput; + output: {}; + }; + sdk: { + input: PutWithContentEncodingCommandInput; + output: PutWithContentEncodingCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/QueryIdempotencyTokenAutoFillCommand.ts b/private/aws-protocoltests-restjson/src/commands/QueryIdempotencyTokenAutoFillCommand.ts index 9f45915d8320..c6c54db0812e 100644 --- a/private/aws-protocoltests-restjson/src/commands/QueryIdempotencyTokenAutoFillCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/QueryIdempotencyTokenAutoFillCommand.ts @@ -72,4 +72,16 @@ export class QueryIdempotencyTokenAutoFillCommand extends $Command .f(void 0, void 0) .ser(se_QueryIdempotencyTokenAutoFillCommand) .de(de_QueryIdempotencyTokenAutoFillCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryIdempotencyTokenAutoFillInput; + output: {}; + }; + sdk: { + input: QueryIdempotencyTokenAutoFillCommandInput; + output: QueryIdempotencyTokenAutoFillCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/QueryParamsAsStringListMapCommand.ts b/private/aws-protocoltests-restjson/src/commands/QueryParamsAsStringListMapCommand.ts index 93e51fba265b..e0015eaa4de8 100644 --- a/private/aws-protocoltests-restjson/src/commands/QueryParamsAsStringListMapCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/QueryParamsAsStringListMapCommand.ts @@ -74,4 +74,16 @@ export class QueryParamsAsStringListMapCommand extends $Command .f(void 0, void 0) .ser(se_QueryParamsAsStringListMapCommand) .de(de_QueryParamsAsStringListMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryParamsAsStringListMapInput; + output: {}; + }; + sdk: { + input: QueryParamsAsStringListMapCommandInput; + output: QueryParamsAsStringListMapCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/QueryPrecedenceCommand.ts b/private/aws-protocoltests-restjson/src/commands/QueryPrecedenceCommand.ts index a2c163969502..e90b1017faba 100644 --- a/private/aws-protocoltests-restjson/src/commands/QueryPrecedenceCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/QueryPrecedenceCommand.ts @@ -72,4 +72,16 @@ export class QueryPrecedenceCommand extends $Command .f(void 0, void 0) .ser(se_QueryPrecedenceCommand) .de(de_QueryPrecedenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryPrecedenceInput; + output: {}; + }; + sdk: { + input: QueryPrecedenceCommandInput; + output: QueryPrecedenceCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/RecursiveShapesCommand.ts b/private/aws-protocoltests-restjson/src/commands/RecursiveShapesCommand.ts index 5a937323c279..34ab9827ba09 100644 --- a/private/aws-protocoltests-restjson/src/commands/RecursiveShapesCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/RecursiveShapesCommand.ts @@ -95,4 +95,16 @@ export class RecursiveShapesCommand extends $Command .f(void 0, void 0) .ser(se_RecursiveShapesCommand) .de(de_RecursiveShapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecursiveShapesInputOutput; + output: RecursiveShapesInputOutput; + }; + sdk: { + input: RecursiveShapesCommandInput; + output: RecursiveShapesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/SimpleScalarPropertiesCommand.ts b/private/aws-protocoltests-restjson/src/commands/SimpleScalarPropertiesCommand.ts index a7acc9ca6fdc..1732c49bbf4d 100644 --- a/private/aws-protocoltests-restjson/src/commands/SimpleScalarPropertiesCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/SimpleScalarPropertiesCommand.ts @@ -89,4 +89,16 @@ export class SimpleScalarPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_SimpleScalarPropertiesCommand) .de(de_SimpleScalarPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleScalarPropertiesInputOutput; + output: SimpleScalarPropertiesInputOutput; + }; + sdk: { + input: SimpleScalarPropertiesCommandInput; + output: SimpleScalarPropertiesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/SparseJsonListsCommand.ts b/private/aws-protocoltests-restjson/src/commands/SparseJsonListsCommand.ts index 0d28fe44beac..efe1d17e8968 100644 --- a/private/aws-protocoltests-restjson/src/commands/SparseJsonListsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/SparseJsonListsCommand.ts @@ -75,4 +75,16 @@ export class SparseJsonListsCommand extends $Command .f(void 0, void 0) .ser(se_SparseJsonListsCommand) .de(de_SparseJsonListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SparseJsonListsInputOutput; + output: SparseJsonListsInputOutput; + }; + sdk: { + input: SparseJsonListsCommandInput; + output: SparseJsonListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/SparseJsonMapsCommand.ts b/private/aws-protocoltests-restjson/src/commands/SparseJsonMapsCommand.ts index 5e0689ae94b6..cf6ed5623b29 100644 --- a/private/aws-protocoltests-restjson/src/commands/SparseJsonMapsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/SparseJsonMapsCommand.ts @@ -107,4 +107,16 @@ export class SparseJsonMapsCommand extends $Command .f(void 0, void 0) .ser(se_SparseJsonMapsCommand) .de(de_SparseJsonMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SparseJsonMapsInputOutput; + output: SparseJsonMapsInputOutput; + }; + sdk: { + input: SparseJsonMapsCommandInput; + output: SparseJsonMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/StreamingTraitsCommand.ts b/private/aws-protocoltests-restjson/src/commands/StreamingTraitsCommand.ts index 579e89a5ac04..99dca3dcf82b 100644 --- a/private/aws-protocoltests-restjson/src/commands/StreamingTraitsCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/StreamingTraitsCommand.ts @@ -85,4 +85,16 @@ export class StreamingTraitsCommand extends $Command .f(StreamingTraitsInputOutputFilterSensitiveLog, StreamingTraitsInputOutputFilterSensitiveLog) .ser(se_StreamingTraitsCommand) .de(de_StreamingTraitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StreamingTraitsInputOutput; + output: StreamingTraitsInputOutput; + }; + sdk: { + input: StreamingTraitsCommandInput; + output: StreamingTraitsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/StreamingTraitsRequireLengthCommand.ts b/private/aws-protocoltests-restjson/src/commands/StreamingTraitsRequireLengthCommand.ts index 56e257621755..8fbc56785076 100644 --- a/private/aws-protocoltests-restjson/src/commands/StreamingTraitsRequireLengthCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/StreamingTraitsRequireLengthCommand.ts @@ -83,4 +83,16 @@ export class StreamingTraitsRequireLengthCommand extends $Command .f(StreamingTraitsRequireLengthInputFilterSensitiveLog, void 0) .ser(se_StreamingTraitsRequireLengthCommand) .de(de_StreamingTraitsRequireLengthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StreamingTraitsRequireLengthInput; + output: {}; + }; + sdk: { + input: StreamingTraitsRequireLengthCommandInput; + output: StreamingTraitsRequireLengthCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/StreamingTraitsWithMediaTypeCommand.ts b/private/aws-protocoltests-restjson/src/commands/StreamingTraitsWithMediaTypeCommand.ts index 6290792d87fd..3ec3ac0b6883 100644 --- a/private/aws-protocoltests-restjson/src/commands/StreamingTraitsWithMediaTypeCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/StreamingTraitsWithMediaTypeCommand.ts @@ -97,4 +97,16 @@ export class StreamingTraitsWithMediaTypeCommand extends $Command ) .ser(se_StreamingTraitsWithMediaTypeCommand) .de(de_StreamingTraitsWithMediaTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StreamingTraitsWithMediaTypeInputOutput; + output: StreamingTraitsWithMediaTypeInputOutput; + }; + sdk: { + input: StreamingTraitsWithMediaTypeCommandInput; + output: StreamingTraitsWithMediaTypeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/TestBodyStructureCommand.ts b/private/aws-protocoltests-restjson/src/commands/TestBodyStructureCommand.ts index 15d9f318577a..8f9f68dffaf0 100644 --- a/private/aws-protocoltests-restjson/src/commands/TestBodyStructureCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/TestBodyStructureCommand.ts @@ -82,4 +82,16 @@ export class TestBodyStructureCommand extends $Command .f(void 0, void 0) .ser(se_TestBodyStructureCommand) .de(de_TestBodyStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestBodyStructureInputOutput; + output: TestBodyStructureInputOutput; + }; + sdk: { + input: TestBodyStructureCommandInput; + output: TestBodyStructureCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/TestNoInputNoPayloadCommand.ts b/private/aws-protocoltests-restjson/src/commands/TestNoInputNoPayloadCommand.ts index e97d085aab78..875ab08716d0 100644 --- a/private/aws-protocoltests-restjson/src/commands/TestNoInputNoPayloadCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/TestNoInputNoPayloadCommand.ts @@ -74,4 +74,16 @@ export class TestNoInputNoPayloadCommand extends $Command .f(void 0, void 0) .ser(se_TestNoInputNoPayloadCommand) .de(de_TestNoInputNoPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: TestNoPayloadInputOutput; + }; + sdk: { + input: TestNoInputNoPayloadCommandInput; + output: TestNoInputNoPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/TestNoPayloadCommand.ts b/private/aws-protocoltests-restjson/src/commands/TestNoPayloadCommand.ts index 6ddf0fa79ffa..7990e0449db4 100644 --- a/private/aws-protocoltests-restjson/src/commands/TestNoPayloadCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/TestNoPayloadCommand.ts @@ -76,4 +76,16 @@ export class TestNoPayloadCommand extends $Command .f(void 0, void 0) .ser(se_TestNoPayloadCommand) .de(de_TestNoPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestNoPayloadInputOutput; + output: TestNoPayloadInputOutput; + }; + sdk: { + input: TestNoPayloadCommandInput; + output: TestNoPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/TestPayloadBlobCommand.ts b/private/aws-protocoltests-restjson/src/commands/TestPayloadBlobCommand.ts index 53cd2831ed64..848c2fc7c2b1 100644 --- a/private/aws-protocoltests-restjson/src/commands/TestPayloadBlobCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/TestPayloadBlobCommand.ts @@ -95,4 +95,16 @@ export class TestPayloadBlobCommand extends $Command .f(void 0, void 0) .ser(se_TestPayloadBlobCommand) .de(de_TestPayloadBlobCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestPayloadBlobInputOutput; + output: TestPayloadBlobInputOutput; + }; + sdk: { + input: TestPayloadBlobCommandInput; + output: TestPayloadBlobCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/TestPayloadStructureCommand.ts b/private/aws-protocoltests-restjson/src/commands/TestPayloadStructureCommand.ts index 9cfecbcb10fd..84ed5038273f 100644 --- a/private/aws-protocoltests-restjson/src/commands/TestPayloadStructureCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/TestPayloadStructureCommand.ts @@ -81,4 +81,16 @@ export class TestPayloadStructureCommand extends $Command .f(void 0, void 0) .ser(se_TestPayloadStructureCommand) .de(de_TestPayloadStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestPayloadStructureInputOutput; + output: TestPayloadStructureInputOutput; + }; + sdk: { + input: TestPayloadStructureCommandInput; + output: TestPayloadStructureCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/TimestampFormatHeadersCommand.ts b/private/aws-protocoltests-restjson/src/commands/TimestampFormatHeadersCommand.ts index a982dc733763..979a32b0f944 100644 --- a/private/aws-protocoltests-restjson/src/commands/TimestampFormatHeadersCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/TimestampFormatHeadersCommand.ts @@ -83,4 +83,16 @@ export class TimestampFormatHeadersCommand extends $Command .f(void 0, void 0) .ser(se_TimestampFormatHeadersCommand) .de(de_TimestampFormatHeadersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TimestampFormatHeadersIO; + output: TimestampFormatHeadersIO; + }; + sdk: { + input: TimestampFormatHeadersCommandInput; + output: TimestampFormatHeadersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restjson/src/commands/UnitInputAndOutputCommand.ts b/private/aws-protocoltests-restjson/src/commands/UnitInputAndOutputCommand.ts index 59e4ab6c6938..151c8a4ffc79 100644 --- a/private/aws-protocoltests-restjson/src/commands/UnitInputAndOutputCommand.ts +++ b/private/aws-protocoltests-restjson/src/commands/UnitInputAndOutputCommand.ts @@ -66,4 +66,16 @@ export class UnitInputAndOutputCommand extends $Command .f(void 0, void 0) .ser(se_UnitInputAndOutputCommand) .de(de_UnitInputAndOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: UnitInputAndOutputCommandInput; + output: UnitInputAndOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/package.json b/private/aws-protocoltests-restxml/package.json index 517e95a4fcce..29a8d9982deb 100644 --- a/private/aws-protocoltests-restxml/package.json +++ b/private/aws-protocoltests-restxml/package.json @@ -32,31 +32,31 @@ "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", "@aws-sdk/xml-builder": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-compression": "^3.0.8", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/querystring-builder": "^3.0.4", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-compression": "^3.0.10", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/querystring-builder": "^3.0.6", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", - "@smithy/util-stream": "^3.1.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-stream": "^3.1.6", "@smithy/util-utf8": "^3.0.0", "entities": "2.2.0", "fast-xml-parser": "4.4.1", diff --git a/private/aws-protocoltests-restxml/src/commands/AllQueryStringTypesCommand.ts b/private/aws-protocoltests-restxml/src/commands/AllQueryStringTypesCommand.ts index d0f14c42bebb..2d0c86fbb484 100644 --- a/private/aws-protocoltests-restxml/src/commands/AllQueryStringTypesCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/AllQueryStringTypesCommand.ts @@ -109,4 +109,16 @@ export class AllQueryStringTypesCommand extends $Command .f(void 0, void 0) .ser(se_AllQueryStringTypesCommand) .de(de_AllQueryStringTypesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AllQueryStringTypesInput; + output: {}; + }; + sdk: { + input: AllQueryStringTypesCommandInput; + output: AllQueryStringTypesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/BodyWithXmlNameCommand.ts b/private/aws-protocoltests-restxml/src/commands/BodyWithXmlNameCommand.ts index db9644510759..16f8e97e0e7d 100644 --- a/private/aws-protocoltests-restxml/src/commands/BodyWithXmlNameCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/BodyWithXmlNameCommand.ts @@ -76,4 +76,16 @@ export class BodyWithXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_BodyWithXmlNameCommand) .de(de_BodyWithXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: BodyWithXmlNameInputOutput; + output: BodyWithXmlNameInputOutput; + }; + sdk: { + input: BodyWithXmlNameCommandInput; + output: BodyWithXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/ConstantAndVariableQueryStringCommand.ts b/private/aws-protocoltests-restxml/src/commands/ConstantAndVariableQueryStringCommand.ts index aa78bf66544b..77e68ee8213b 100644 --- a/private/aws-protocoltests-restxml/src/commands/ConstantAndVariableQueryStringCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/ConstantAndVariableQueryStringCommand.ts @@ -75,4 +75,16 @@ export class ConstantAndVariableQueryStringCommand extends $Command .f(void 0, void 0) .ser(se_ConstantAndVariableQueryStringCommand) .de(de_ConstantAndVariableQueryStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConstantAndVariableQueryStringInput; + output: {}; + }; + sdk: { + input: ConstantAndVariableQueryStringCommandInput; + output: ConstantAndVariableQueryStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/ConstantQueryStringCommand.ts b/private/aws-protocoltests-restxml/src/commands/ConstantQueryStringCommand.ts index 18367e5feace..6040409e3dda 100644 --- a/private/aws-protocoltests-restxml/src/commands/ConstantQueryStringCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/ConstantQueryStringCommand.ts @@ -72,4 +72,16 @@ export class ConstantQueryStringCommand extends $Command .f(void 0, void 0) .ser(se_ConstantQueryStringCommand) .de(de_ConstantQueryStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ConstantQueryStringInput; + output: {}; + }; + sdk: { + input: ConstantQueryStringCommandInput; + output: ConstantQueryStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/ContentTypeParametersCommand.ts b/private/aws-protocoltests-restxml/src/commands/ContentTypeParametersCommand.ts index dd9826afd5f7..c205d91d4909 100644 --- a/private/aws-protocoltests-restxml/src/commands/ContentTypeParametersCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/ContentTypeParametersCommand.ts @@ -70,4 +70,16 @@ export class ContentTypeParametersCommand extends $Command .f(void 0, void 0) .ser(se_ContentTypeParametersCommand) .de(de_ContentTypeParametersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ContentTypeParametersInput; + output: {}; + }; + sdk: { + input: ContentTypeParametersCommandInput; + output: ContentTypeParametersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/DatetimeOffsetsCommand.ts b/private/aws-protocoltests-restxml/src/commands/DatetimeOffsetsCommand.ts index 27a282fcb138..07c6e352e8c2 100644 --- a/private/aws-protocoltests-restxml/src/commands/DatetimeOffsetsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/DatetimeOffsetsCommand.ts @@ -69,4 +69,16 @@ export class DatetimeOffsetsCommand extends $Command .f(void 0, void 0) .ser(se_DatetimeOffsetsCommand) .de(de_DatetimeOffsetsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: DatetimeOffsetsOutput; + }; + sdk: { + input: DatetimeOffsetsCommandInput; + output: DatetimeOffsetsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/EmptyInputAndEmptyOutputCommand.ts b/private/aws-protocoltests-restxml/src/commands/EmptyInputAndEmptyOutputCommand.ts index 2c4eafffb417..da41976ee0c2 100644 --- a/private/aws-protocoltests-restxml/src/commands/EmptyInputAndEmptyOutputCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/EmptyInputAndEmptyOutputCommand.ts @@ -70,4 +70,16 @@ export class EmptyInputAndEmptyOutputCommand extends $Command .f(void 0, void 0) .ser(se_EmptyInputAndEmptyOutputCommand) .de(de_EmptyInputAndEmptyOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EmptyInputAndEmptyOutputCommandInput; + output: EmptyInputAndEmptyOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/EndpointOperationCommand.ts b/private/aws-protocoltests-restxml/src/commands/EndpointOperationCommand.ts index e417ffc426fe..d92d7f107098 100644 --- a/private/aws-protocoltests-restxml/src/commands/EndpointOperationCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/EndpointOperationCommand.ts @@ -66,4 +66,16 @@ export class EndpointOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointOperationCommand) .de(de_EndpointOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EndpointOperationCommandInput; + output: EndpointOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelHeaderOperationCommand.ts b/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelHeaderOperationCommand.ts index a49bacb63220..b68c781498d9 100644 --- a/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelHeaderOperationCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelHeaderOperationCommand.ts @@ -72,4 +72,16 @@ export class EndpointWithHostLabelHeaderOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointWithHostLabelHeaderOperationCommand) .de(de_EndpointWithHostLabelHeaderOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HostLabelHeaderInput; + output: {}; + }; + sdk: { + input: EndpointWithHostLabelHeaderOperationCommandInput; + output: EndpointWithHostLabelHeaderOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelOperationCommand.ts b/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelOperationCommand.ts index 2b23a7e9fa0f..5b1e65357cd0 100644 --- a/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelOperationCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/EndpointWithHostLabelOperationCommand.ts @@ -72,4 +72,16 @@ export class EndpointWithHostLabelOperationCommand extends $Command .f(void 0, void 0) .ser(se_EndpointWithHostLabelOperationCommand) .de(de_EndpointWithHostLabelOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EndpointWithHostLabelOperationRequest; + output: {}; + }; + sdk: { + input: EndpointWithHostLabelOperationCommandInput; + output: EndpointWithHostLabelOperationCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapCommand.ts b/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapCommand.ts index 5a4f4cac3522..54d7bc90b66d 100644 --- a/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapCommand.ts @@ -75,4 +75,16 @@ export class FlattenedXmlMapCommand extends $Command .f(void 0, void 0) .ser(se_FlattenedXmlMapCommand) .de(de_FlattenedXmlMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FlattenedXmlMapRequest; + output: FlattenedXmlMapResponse; + }; + sdk: { + input: FlattenedXmlMapCommandInput; + output: FlattenedXmlMapCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNameCommand.ts b/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNameCommand.ts index 13dfeed53f81..a08fd850107b 100644 --- a/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNameCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNameCommand.ts @@ -75,4 +75,16 @@ export class FlattenedXmlMapWithXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_FlattenedXmlMapWithXmlNameCommand) .de(de_FlattenedXmlMapWithXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: FlattenedXmlMapWithXmlNameRequest; + output: FlattenedXmlMapWithXmlNameResponse; + }; + sdk: { + input: FlattenedXmlMapWithXmlNameCommandInput; + output: FlattenedXmlMapWithXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts b/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts index 58e8af6ec573..32cb3b2231a6 100644 --- a/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/FlattenedXmlMapWithXmlNamespaceCommand.ts @@ -76,4 +76,16 @@ export class FlattenedXmlMapWithXmlNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_FlattenedXmlMapWithXmlNamespaceCommand) .de(de_FlattenedXmlMapWithXmlNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FlattenedXmlMapWithXmlNamespaceOutput; + }; + sdk: { + input: FlattenedXmlMapWithXmlNamespaceCommandInput; + output: FlattenedXmlMapWithXmlNamespaceCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/FractionalSecondsCommand.ts b/private/aws-protocoltests-restxml/src/commands/FractionalSecondsCommand.ts index 085b291af78b..08d6e310cbeb 100644 --- a/private/aws-protocoltests-restxml/src/commands/FractionalSecondsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/FractionalSecondsCommand.ts @@ -69,4 +69,16 @@ export class FractionalSecondsCommand extends $Command .f(void 0, void 0) .ser(se_FractionalSecondsCommand) .de(de_FractionalSecondsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FractionalSecondsOutput; + }; + sdk: { + input: FractionalSecondsCommandInput; + output: FractionalSecondsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/GreetingWithErrorsCommand.ts b/private/aws-protocoltests-restxml/src/commands/GreetingWithErrorsCommand.ts index 15cae253f701..ba7c67f04cb4 100644 --- a/private/aws-protocoltests-restxml/src/commands/GreetingWithErrorsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/GreetingWithErrorsCommand.ts @@ -83,4 +83,16 @@ export class GreetingWithErrorsCommand extends $Command .f(void 0, void 0) .ser(se_GreetingWithErrorsCommand) .de(de_GreetingWithErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GreetingWithErrorsOutput; + }; + sdk: { + input: GreetingWithErrorsCommandInput; + output: GreetingWithErrorsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpEnumPayloadCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpEnumPayloadCommand.ts index e7623b255068..16f885b41ea7 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpEnumPayloadCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpEnumPayloadCommand.ts @@ -71,4 +71,16 @@ export class HttpEnumPayloadCommand extends $Command .f(void 0, void 0) .ser(se_HttpEnumPayloadCommand) .de(de_HttpEnumPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnumPayloadInput; + output: EnumPayloadInput; + }; + sdk: { + input: HttpEnumPayloadCommandInput; + output: HttpEnumPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsCommand.ts index 2ba6a245fef1..f968f2f0dda3 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsCommand.ts @@ -91,4 +91,16 @@ export class HttpPayloadTraitsCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadTraitsCommand) .de(de_HttpPayloadTraitsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadTraitsInputOutput; + output: HttpPayloadTraitsInputOutput; + }; + sdk: { + input: HttpPayloadTraitsCommandInput; + output: HttpPayloadTraitsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts index 9d37adbdc063..7da11b075423 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadTraitsWithMediaTypeCommand.ts @@ -97,4 +97,16 @@ export class HttpPayloadTraitsWithMediaTypeCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadTraitsWithMediaTypeCommand) .de(de_HttpPayloadTraitsWithMediaTypeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadTraitsWithMediaTypeInputOutput; + output: HttpPayloadTraitsWithMediaTypeInputOutput; + }; + sdk: { + input: HttpPayloadTraitsWithMediaTypeCommandInput; + output: HttpPayloadTraitsWithMediaTypeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithMemberXmlNameCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithMemberXmlNameCommand.ts index 4ca54bc1d69c..ba5d21cc65ad 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithMemberXmlNameCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithMemberXmlNameCommand.ts @@ -81,4 +81,16 @@ export class HttpPayloadWithMemberXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithMemberXmlNameCommand) .de(de_HttpPayloadWithMemberXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithMemberXmlNameInputOutput; + output: HttpPayloadWithMemberXmlNameInputOutput; + }; + sdk: { + input: HttpPayloadWithMemberXmlNameCommandInput; + output: HttpPayloadWithMemberXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithStructureCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithStructureCommand.ts index e2b7fb86cc53..99e0095fc53c 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithStructureCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithStructureCommand.ts @@ -80,4 +80,16 @@ export class HttpPayloadWithStructureCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithStructureCommand) .de(de_HttpPayloadWithStructureCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithStructureInputOutput; + output: HttpPayloadWithStructureInputOutput; + }; + sdk: { + input: HttpPayloadWithStructureCommandInput; + output: HttpPayloadWithStructureCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithUnionCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithUnionCommand.ts index 36906b70daca..f84aa9393292 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithUnionCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithUnionCommand.ts @@ -75,4 +75,16 @@ export class HttpPayloadWithUnionCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithUnionCommand) .de(de_HttpPayloadWithUnionCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithUnionInputOutput; + output: HttpPayloadWithUnionInputOutput; + }; + sdk: { + input: HttpPayloadWithUnionCommandInput; + output: HttpPayloadWithUnionCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNameCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNameCommand.ts index fa4300f2fcdb..4db083264c7f 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNameCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNameCommand.ts @@ -76,4 +76,16 @@ export class HttpPayloadWithXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithXmlNameCommand) .de(de_HttpPayloadWithXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithXmlNameInputOutput; + output: HttpPayloadWithXmlNameInputOutput; + }; + sdk: { + input: HttpPayloadWithXmlNameCommandInput; + output: HttpPayloadWithXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceAndPrefixCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceAndPrefixCommand.ts index 8c4d5ab32119..3782e1492361 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceAndPrefixCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceAndPrefixCommand.ts @@ -81,4 +81,16 @@ export class HttpPayloadWithXmlNamespaceAndPrefixCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithXmlNamespaceAndPrefixCommand) .de(de_HttpPayloadWithXmlNamespaceAndPrefixCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithXmlNamespaceAndPrefixInputOutput; + output: HttpPayloadWithXmlNamespaceAndPrefixInputOutput; + }; + sdk: { + input: HttpPayloadWithXmlNamespaceAndPrefixCommandInput; + output: HttpPayloadWithXmlNamespaceAndPrefixCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceCommand.ts index ddc74f31f131..1ddccdec1977 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPayloadWithXmlNamespaceCommand.ts @@ -77,4 +77,16 @@ export class HttpPayloadWithXmlNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_HttpPayloadWithXmlNamespaceCommand) .de(de_HttpPayloadWithXmlNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPayloadWithXmlNamespaceInputOutput; + output: HttpPayloadWithXmlNamespaceInputOutput; + }; + sdk: { + input: HttpPayloadWithXmlNamespaceCommandInput; + output: HttpPayloadWithXmlNamespaceCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpPrefixHeadersCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpPrefixHeadersCommand.ts index 249709e5454f..eafaf12167db 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpPrefixHeadersCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpPrefixHeadersCommand.ts @@ -77,4 +77,16 @@ export class HttpPrefixHeadersCommand extends $Command .f(void 0, void 0) .ser(se_HttpPrefixHeadersCommand) .de(de_HttpPrefixHeadersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpPrefixHeadersInputOutput; + output: HttpPrefixHeadersInputOutput; + }; + sdk: { + input: HttpPrefixHeadersCommandInput; + output: HttpPrefixHeadersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithFloatLabelsCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithFloatLabelsCommand.ts index 33c86a279b79..f10f307f28f9 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithFloatLabelsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithFloatLabelsCommand.ts @@ -70,4 +70,16 @@ export class HttpRequestWithFloatLabelsCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithFloatLabelsCommand) .de(de_HttpRequestWithFloatLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithFloatLabelsInput; + output: {}; + }; + sdk: { + input: HttpRequestWithFloatLabelsCommandInput; + output: HttpRequestWithFloatLabelsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts index d1727ead6131..a5005b9c7a38 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithGreedyLabelInPathCommand.ts @@ -73,4 +73,16 @@ export class HttpRequestWithGreedyLabelInPathCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithGreedyLabelInPathCommand) .de(de_HttpRequestWithGreedyLabelInPathCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithGreedyLabelInPathInput; + output: {}; + }; + sdk: { + input: HttpRequestWithGreedyLabelInPathCommandInput; + output: HttpRequestWithGreedyLabelInPathCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts index 49d00afa2474..01f8431561ca 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsAndTimestampFormatCommand.ts @@ -80,4 +80,16 @@ export class HttpRequestWithLabelsAndTimestampFormatCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithLabelsAndTimestampFormatCommand) .de(de_HttpRequestWithLabelsAndTimestampFormatCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithLabelsAndTimestampFormatInput; + output: {}; + }; + sdk: { + input: HttpRequestWithLabelsAndTimestampFormatCommandInput; + output: HttpRequestWithLabelsAndTimestampFormatCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsCommand.ts index a51dbd2b85b5..272a35075295 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpRequestWithLabelsCommand.ts @@ -77,4 +77,16 @@ export class HttpRequestWithLabelsCommand extends $Command .f(void 0, void 0) .ser(se_HttpRequestWithLabelsCommand) .de(de_HttpRequestWithLabelsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: HttpRequestWithLabelsInput; + output: {}; + }; + sdk: { + input: HttpRequestWithLabelsCommandInput; + output: HttpRequestWithLabelsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpResponseCodeCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpResponseCodeCommand.ts index f14fb507c442..8afed8d3410d 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpResponseCodeCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpResponseCodeCommand.ts @@ -69,4 +69,16 @@ export class HttpResponseCodeCommand extends $Command .f(void 0, void 0) .ser(se_HttpResponseCodeCommand) .de(de_HttpResponseCodeCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: HttpResponseCodeOutput; + }; + sdk: { + input: HttpResponseCodeCommandInput; + output: HttpResponseCodeCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/HttpStringPayloadCommand.ts b/private/aws-protocoltests-restxml/src/commands/HttpStringPayloadCommand.ts index 11532f66a7c1..1e72c2d4efcb 100644 --- a/private/aws-protocoltests-restxml/src/commands/HttpStringPayloadCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/HttpStringPayloadCommand.ts @@ -71,4 +71,16 @@ export class HttpStringPayloadCommand extends $Command .f(void 0, void 0) .ser(se_HttpStringPayloadCommand) .de(de_HttpStringPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StringPayloadInput; + output: StringPayloadInput; + }; + sdk: { + input: HttpStringPayloadCommandInput; + output: HttpStringPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/IgnoreQueryParamsInResponseCommand.ts b/private/aws-protocoltests-restxml/src/commands/IgnoreQueryParamsInResponseCommand.ts index 8d6b1679a921..b821da4663b6 100644 --- a/private/aws-protocoltests-restxml/src/commands/IgnoreQueryParamsInResponseCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/IgnoreQueryParamsInResponseCommand.ts @@ -71,4 +71,16 @@ export class IgnoreQueryParamsInResponseCommand extends $Command .f(void 0, void 0) .ser(se_IgnoreQueryParamsInResponseCommand) .de(de_IgnoreQueryParamsInResponseCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: IgnoreQueryParamsInResponseOutput; + }; + sdk: { + input: IgnoreQueryParamsInResponseCommandInput; + output: IgnoreQueryParamsInResponseCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/InputAndOutputWithHeadersCommand.ts b/private/aws-protocoltests-restxml/src/commands/InputAndOutputWithHeadersCommand.ts index c3e8bc570a21..d9a65c56d6dc 100644 --- a/private/aws-protocoltests-restxml/src/commands/InputAndOutputWithHeadersCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/InputAndOutputWithHeadersCommand.ts @@ -126,4 +126,16 @@ export class InputAndOutputWithHeadersCommand extends $Command .f(void 0, void 0) .ser(se_InputAndOutputWithHeadersCommand) .de(de_InputAndOutputWithHeadersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: InputAndOutputWithHeadersIO; + output: InputAndOutputWithHeadersIO; + }; + sdk: { + input: InputAndOutputWithHeadersCommandInput; + output: InputAndOutputWithHeadersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/NestedXmlMapsCommand.ts b/private/aws-protocoltests-restxml/src/commands/NestedXmlMapsCommand.ts index a9446b36c708..8155bf506e0b 100644 --- a/private/aws-protocoltests-restxml/src/commands/NestedXmlMapsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/NestedXmlMapsCommand.ts @@ -89,4 +89,16 @@ export class NestedXmlMapsCommand extends $Command .f(void 0, void 0) .ser(se_NestedXmlMapsCommand) .de(de_NestedXmlMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NestedXmlMapsRequest; + output: NestedXmlMapsResponse; + }; + sdk: { + input: NestedXmlMapsCommandInput; + output: NestedXmlMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/NoInputAndNoOutputCommand.ts b/private/aws-protocoltests-restxml/src/commands/NoInputAndNoOutputCommand.ts index 9a57b0d936e4..fc297c3c49ab 100644 --- a/private/aws-protocoltests-restxml/src/commands/NoInputAndNoOutputCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/NoInputAndNoOutputCommand.ts @@ -68,4 +68,16 @@ export class NoInputAndNoOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndNoOutputCommand) .de(de_NoInputAndNoOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndNoOutputCommandInput; + output: NoInputAndNoOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/NoInputAndOutputCommand.ts b/private/aws-protocoltests-restxml/src/commands/NoInputAndOutputCommand.ts index 3bdafa2583ed..82dc8f820adc 100644 --- a/private/aws-protocoltests-restxml/src/commands/NoInputAndOutputCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/NoInputAndOutputCommand.ts @@ -70,4 +70,16 @@ export class NoInputAndOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputAndOutputCommand) .de(de_NoInputAndOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputAndOutputCommandInput; + output: NoInputAndOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersClientCommand.ts b/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersClientCommand.ts index e161cd6cf35c..042ab1b974bd 100644 --- a/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersClientCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersClientCommand.ts @@ -79,4 +79,16 @@ export class NullAndEmptyHeadersClientCommand extends $Command .f(void 0, void 0) .ser(se_NullAndEmptyHeadersClientCommand) .de(de_NullAndEmptyHeadersClientCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NullAndEmptyHeadersIO; + output: NullAndEmptyHeadersIO; + }; + sdk: { + input: NullAndEmptyHeadersClientCommandInput; + output: NullAndEmptyHeadersClientCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersServerCommand.ts b/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersServerCommand.ts index 76b78b1480bd..786cbd9bab53 100644 --- a/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersServerCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/NullAndEmptyHeadersServerCommand.ts @@ -79,4 +79,16 @@ export class NullAndEmptyHeadersServerCommand extends $Command .f(void 0, void 0) .ser(se_NullAndEmptyHeadersServerCommand) .de(de_NullAndEmptyHeadersServerCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: NullAndEmptyHeadersIO; + output: NullAndEmptyHeadersIO; + }; + sdk: { + input: NullAndEmptyHeadersServerCommandInput; + output: NullAndEmptyHeadersServerCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/OmitsNullSerializesEmptyStringCommand.ts b/private/aws-protocoltests-restxml/src/commands/OmitsNullSerializesEmptyStringCommand.ts index b89ef0a434cb..404b3193e655 100644 --- a/private/aws-protocoltests-restxml/src/commands/OmitsNullSerializesEmptyStringCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/OmitsNullSerializesEmptyStringCommand.ts @@ -73,4 +73,16 @@ export class OmitsNullSerializesEmptyStringCommand extends $Command .f(void 0, void 0) .ser(se_OmitsNullSerializesEmptyStringCommand) .de(de_OmitsNullSerializesEmptyStringCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OmitsNullSerializesEmptyStringInput; + output: {}; + }; + sdk: { + input: OmitsNullSerializesEmptyStringCommandInput; + output: OmitsNullSerializesEmptyStringCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/PutWithContentEncodingCommand.ts b/private/aws-protocoltests-restxml/src/commands/PutWithContentEncodingCommand.ts index 3c2cf1bf4c00..d2fd72c22a3f 100644 --- a/private/aws-protocoltests-restxml/src/commands/PutWithContentEncodingCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/PutWithContentEncodingCommand.ts @@ -76,4 +76,16 @@ export class PutWithContentEncodingCommand extends $Command .f(void 0, void 0) .ser(se_PutWithContentEncodingCommand) .de(de_PutWithContentEncodingCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: PutWithContentEncodingInput; + output: {}; + }; + sdk: { + input: PutWithContentEncodingCommandInput; + output: PutWithContentEncodingCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/QueryIdempotencyTokenAutoFillCommand.ts b/private/aws-protocoltests-restxml/src/commands/QueryIdempotencyTokenAutoFillCommand.ts index e31040b48cd3..89f1d5edc316 100644 --- a/private/aws-protocoltests-restxml/src/commands/QueryIdempotencyTokenAutoFillCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/QueryIdempotencyTokenAutoFillCommand.ts @@ -72,4 +72,16 @@ export class QueryIdempotencyTokenAutoFillCommand extends $Command .f(void 0, void 0) .ser(se_QueryIdempotencyTokenAutoFillCommand) .de(de_QueryIdempotencyTokenAutoFillCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryIdempotencyTokenAutoFillInput; + output: {}; + }; + sdk: { + input: QueryIdempotencyTokenAutoFillCommandInput; + output: QueryIdempotencyTokenAutoFillCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/QueryParamsAsStringListMapCommand.ts b/private/aws-protocoltests-restxml/src/commands/QueryParamsAsStringListMapCommand.ts index ed3aa9f7ba42..f4267b843842 100644 --- a/private/aws-protocoltests-restxml/src/commands/QueryParamsAsStringListMapCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/QueryParamsAsStringListMapCommand.ts @@ -74,4 +74,16 @@ export class QueryParamsAsStringListMapCommand extends $Command .f(void 0, void 0) .ser(se_QueryParamsAsStringListMapCommand) .de(de_QueryParamsAsStringListMapCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryParamsAsStringListMapInput; + output: {}; + }; + sdk: { + input: QueryParamsAsStringListMapCommandInput; + output: QueryParamsAsStringListMapCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/QueryPrecedenceCommand.ts b/private/aws-protocoltests-restxml/src/commands/QueryPrecedenceCommand.ts index 5bb2e6d77fc2..aa127ce5434b 100644 --- a/private/aws-protocoltests-restxml/src/commands/QueryPrecedenceCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/QueryPrecedenceCommand.ts @@ -72,4 +72,16 @@ export class QueryPrecedenceCommand extends $Command .f(void 0, void 0) .ser(se_QueryPrecedenceCommand) .de(de_QueryPrecedenceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: QueryPrecedenceInput; + output: {}; + }; + sdk: { + input: QueryPrecedenceCommandInput; + output: QueryPrecedenceCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/RecursiveShapesCommand.ts b/private/aws-protocoltests-restxml/src/commands/RecursiveShapesCommand.ts index 3bc7b7836da5..bb3114ce65c8 100644 --- a/private/aws-protocoltests-restxml/src/commands/RecursiveShapesCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/RecursiveShapesCommand.ts @@ -95,4 +95,16 @@ export class RecursiveShapesCommand extends $Command .f(void 0, void 0) .ser(se_RecursiveShapesCommand) .de(de_RecursiveShapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecursiveShapesRequest; + output: RecursiveShapesResponse; + }; + sdk: { + input: RecursiveShapesCommandInput; + output: RecursiveShapesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/SimpleScalarPropertiesCommand.ts b/private/aws-protocoltests-restxml/src/commands/SimpleScalarPropertiesCommand.ts index 0bcc065bdd2f..56eb76ed046b 100644 --- a/private/aws-protocoltests-restxml/src/commands/SimpleScalarPropertiesCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/SimpleScalarPropertiesCommand.ts @@ -89,4 +89,16 @@ export class SimpleScalarPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_SimpleScalarPropertiesCommand) .de(de_SimpleScalarPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleScalarPropertiesRequest; + output: SimpleScalarPropertiesResponse; + }; + sdk: { + input: SimpleScalarPropertiesCommandInput; + output: SimpleScalarPropertiesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/TimestampFormatHeadersCommand.ts b/private/aws-protocoltests-restxml/src/commands/TimestampFormatHeadersCommand.ts index a1fe6f9a4bcf..8d749b1cfc07 100644 --- a/private/aws-protocoltests-restxml/src/commands/TimestampFormatHeadersCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/TimestampFormatHeadersCommand.ts @@ -83,4 +83,16 @@ export class TimestampFormatHeadersCommand extends $Command .f(void 0, void 0) .ser(se_TimestampFormatHeadersCommand) .de(de_TimestampFormatHeadersCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TimestampFormatHeadersIO; + output: TimestampFormatHeadersIO; + }; + sdk: { + input: TimestampFormatHeadersCommandInput; + output: TimestampFormatHeadersCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlAttributesCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlAttributesCommand.ts index f15895258424..ffb3baf2dfc3 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlAttributesCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlAttributesCommand.ts @@ -73,4 +73,16 @@ export class XmlAttributesCommand extends $Command .f(void 0, void 0) .ser(se_XmlAttributesCommand) .de(de_XmlAttributesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlAttributesRequest; + output: XmlAttributesResponse; + }; + sdk: { + input: XmlAttributesCommandInput; + output: XmlAttributesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlAttributesOnPayloadCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlAttributesOnPayloadCommand.ts index 057eb64534ba..66730e39d07a 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlAttributesOnPayloadCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlAttributesOnPayloadCommand.ts @@ -77,4 +77,16 @@ export class XmlAttributesOnPayloadCommand extends $Command .f(void 0, void 0) .ser(se_XmlAttributesOnPayloadCommand) .de(de_XmlAttributesOnPayloadCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlAttributesOnPayloadRequest; + output: XmlAttributesOnPayloadResponse; + }; + sdk: { + input: XmlAttributesOnPayloadCommandInput; + output: XmlAttributesOnPayloadCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlBlobsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlBlobsCommand.ts index 49dacdc3f8d1..81ce02a90416 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlBlobsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlBlobsCommand.ts @@ -71,4 +71,16 @@ export class XmlBlobsCommand extends $Command .f(void 0, void 0) .ser(se_XmlBlobsCommand) .de(de_XmlBlobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlBlobsRequest; + output: XmlBlobsResponse; + }; + sdk: { + input: XmlBlobsCommandInput; + output: XmlBlobsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlEmptyBlobsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlEmptyBlobsCommand.ts index a211a391df3f..603c5c806478 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlEmptyBlobsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlEmptyBlobsCommand.ts @@ -71,4 +71,16 @@ export class XmlEmptyBlobsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyBlobsCommand) .de(de_XmlEmptyBlobsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlEmptyBlobsRequest; + output: XmlEmptyBlobsResponse; + }; + sdk: { + input: XmlEmptyBlobsCommandInput; + output: XmlEmptyBlobsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlEmptyListsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlEmptyListsCommand.ts index f36786392339..388590f23f61 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlEmptyListsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlEmptyListsCommand.ts @@ -175,4 +175,16 @@ export class XmlEmptyListsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyListsCommand) .de(de_XmlEmptyListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlEmptyListsRequest; + output: XmlEmptyListsResponse; + }; + sdk: { + input: XmlEmptyListsCommandInput; + output: XmlEmptyListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlEmptyMapsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlEmptyMapsCommand.ts index 9e6eb7ee4103..29989c60d59c 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlEmptyMapsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlEmptyMapsCommand.ts @@ -79,4 +79,16 @@ export class XmlEmptyMapsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyMapsCommand) .de(de_XmlEmptyMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlEmptyMapsRequest; + output: XmlEmptyMapsResponse; + }; + sdk: { + input: XmlEmptyMapsCommandInput; + output: XmlEmptyMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlEmptyStringsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlEmptyStringsCommand.ts index c68348458a6f..6b2f65b15c9b 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlEmptyStringsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlEmptyStringsCommand.ts @@ -71,4 +71,16 @@ export class XmlEmptyStringsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEmptyStringsCommand) .de(de_XmlEmptyStringsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlEmptyStringsRequest; + output: XmlEmptyStringsResponse; + }; + sdk: { + input: XmlEmptyStringsCommandInput; + output: XmlEmptyStringsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlEnumsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlEnumsCommand.ts index 9387d8f72b1d..03b4e851ee1a 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlEnumsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlEnumsCommand.ts @@ -93,4 +93,16 @@ export class XmlEnumsCommand extends $Command .f(void 0, void 0) .ser(se_XmlEnumsCommand) .de(de_XmlEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlEnumsRequest; + output: XmlEnumsResponse; + }; + sdk: { + input: XmlEnumsCommandInput; + output: XmlEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlIntEnumsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlIntEnumsCommand.ts index e7c292d1679f..2ea856dc88bb 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlIntEnumsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlIntEnumsCommand.ts @@ -93,4 +93,16 @@ export class XmlIntEnumsCommand extends $Command .f(void 0, void 0) .ser(se_XmlIntEnumsCommand) .de(de_XmlIntEnumsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlIntEnumsRequest; + output: XmlIntEnumsResponse; + }; + sdk: { + input: XmlIntEnumsCommandInput; + output: XmlIntEnumsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlListsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlListsCommand.ts index fc39226a8379..abf4c2bf9cc9 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlListsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlListsCommand.ts @@ -186,4 +186,16 @@ export class XmlListsCommand extends $Command .f(void 0, void 0) .ser(se_XmlListsCommand) .de(de_XmlListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlListsRequest; + output: XmlListsResponse; + }; + sdk: { + input: XmlListsCommandInput; + output: XmlListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlMapWithXmlNamespaceCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlMapWithXmlNamespaceCommand.ts index f55c264f4563..bc99c4c111c6 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlMapWithXmlNamespaceCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlMapWithXmlNamespaceCommand.ts @@ -75,4 +75,16 @@ export class XmlMapWithXmlNamespaceCommand extends $Command .f(void 0, void 0) .ser(se_XmlMapWithXmlNamespaceCommand) .de(de_XmlMapWithXmlNamespaceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlMapWithXmlNamespaceRequest; + output: XmlMapWithXmlNamespaceResponse; + }; + sdk: { + input: XmlMapWithXmlNamespaceCommandInput; + output: XmlMapWithXmlNamespaceCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlMapsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlMapsCommand.ts index 70b30ef378ab..212082522db5 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlMapsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlMapsCommand.ts @@ -79,4 +79,16 @@ export class XmlMapsCommand extends $Command .f(void 0, void 0) .ser(se_XmlMapsCommand) .de(de_XmlMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlMapsRequest; + output: XmlMapsResponse; + }; + sdk: { + input: XmlMapsCommandInput; + output: XmlMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlMapsXmlNameCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlMapsXmlNameCommand.ts index 720a3006dd82..5b33fd1f2dc1 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlMapsXmlNameCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlMapsXmlNameCommand.ts @@ -79,4 +79,16 @@ export class XmlMapsXmlNameCommand extends $Command .f(void 0, void 0) .ser(se_XmlMapsXmlNameCommand) .de(de_XmlMapsXmlNameCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlMapsXmlNameRequest; + output: XmlMapsXmlNameResponse; + }; + sdk: { + input: XmlMapsXmlNameCommandInput; + output: XmlMapsXmlNameCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlNamespacesCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlNamespacesCommand.ts index 8110696c6aa8..6795527c3a5a 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlNamespacesCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlNamespacesCommand.ts @@ -81,4 +81,16 @@ export class XmlNamespacesCommand extends $Command .f(void 0, void 0) .ser(se_XmlNamespacesCommand) .de(de_XmlNamespacesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlNamespacesRequest; + output: XmlNamespacesResponse; + }; + sdk: { + input: XmlNamespacesCommandInput; + output: XmlNamespacesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlTimestampsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlTimestampsCommand.ts index 3cdc9d8f419d..4c948348785b 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlTimestampsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlTimestampsCommand.ts @@ -85,4 +85,16 @@ export class XmlTimestampsCommand extends $Command .f(void 0, void 0) .ser(se_XmlTimestampsCommand) .de(de_XmlTimestampsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlTimestampsRequest; + output: XmlTimestampsResponse; + }; + sdk: { + input: XmlTimestampsCommandInput; + output: XmlTimestampsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-restxml/src/commands/XmlUnionsCommand.ts b/private/aws-protocoltests-restxml/src/commands/XmlUnionsCommand.ts index 71af4d935bf0..0c685b132eae 100644 --- a/private/aws-protocoltests-restxml/src/commands/XmlUnionsCommand.ts +++ b/private/aws-protocoltests-restxml/src/commands/XmlUnionsCommand.ts @@ -151,4 +151,16 @@ export class XmlUnionsCommand extends $Command .f(void 0, void 0) .ser(se_XmlUnionsCommand) .de(de_XmlUnionsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: XmlUnionsRequest; + output: XmlUnionsResponse; + }; + sdk: { + input: XmlUnionsCommandInput; + output: XmlUnionsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/package.json b/private/aws-protocoltests-smithy-rpcv2-cbor/package.json index 12e54011a9d5..2beddaf4b01b 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/package.json +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/package.json @@ -26,28 +26,28 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/EmptyInputOutputCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/EmptyInputOutputCommand.ts index 5f7a361e3873..0bd71d5b0a36 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/EmptyInputOutputCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/EmptyInputOutputCommand.ts @@ -67,4 +67,16 @@ export class EmptyInputOutputCommand extends $Command .f(void 0, void 0) .ser(se_EmptyInputOutputCommand) .de(de_EmptyInputOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: EmptyInputOutputCommandInput; + output: EmptyInputOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/Float16Command.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/Float16Command.ts index b74899307099..c07663856b7c 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/Float16Command.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/Float16Command.ts @@ -69,4 +69,16 @@ export class Float16Command extends $Command .f(void 0, void 0) .ser(se_Float16Command) .de(de_Float16Command) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: Float16Output; + }; + sdk: { + input: Float16CommandInput; + output: Float16CommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/FractionalSecondsCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/FractionalSecondsCommand.ts index 1b86d29441c5..6541998b0f7b 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/FractionalSecondsCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/FractionalSecondsCommand.ts @@ -69,4 +69,16 @@ export class FractionalSecondsCommand extends $Command .f(void 0, void 0) .ser(se_FractionalSecondsCommand) .de(de_FractionalSecondsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: FractionalSecondsOutput; + }; + sdk: { + input: FractionalSecondsCommandInput; + output: FractionalSecondsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/GreetingWithErrorsCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/GreetingWithErrorsCommand.ts index 420103d84f85..7f5b1263fb42 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/GreetingWithErrorsCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/GreetingWithErrorsCommand.ts @@ -82,4 +82,16 @@ export class GreetingWithErrorsCommand extends $Command .f(void 0, void 0) .ser(se_GreetingWithErrorsCommand) .de(de_GreetingWithErrorsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GreetingWithErrorsOutput; + }; + sdk: { + input: GreetingWithErrorsCommandInput; + output: GreetingWithErrorsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/NoInputOutputCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/NoInputOutputCommand.ts index 1d98752419d0..12e926851932 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/NoInputOutputCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/NoInputOutputCommand.ts @@ -66,4 +66,16 @@ export class NoInputOutputCommand extends $Command .f(void 0, void 0) .ser(se_NoInputOutputCommand) .de(de_NoInputOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: NoInputOutputCommandInput; + output: NoInputOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OperationWithDefaultsCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OperationWithDefaultsCommand.ts index fc0aa0c3a121..7e1f91a55e4a 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OperationWithDefaultsCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OperationWithDefaultsCommand.ts @@ -135,4 +135,16 @@ export class OperationWithDefaultsCommand extends $Command .f(void 0, void 0) .ser(se_OperationWithDefaultsCommand) .de(de_OperationWithDefaultsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: OperationWithDefaultsInput; + output: OperationWithDefaultsOutput; + }; + sdk: { + input: OperationWithDefaultsCommandInput; + output: OperationWithDefaultsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OptionalInputOutputCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OptionalInputOutputCommand.ts index 2e7820678664..a96ea6b777ef 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OptionalInputOutputCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/OptionalInputOutputCommand.ts @@ -71,4 +71,16 @@ export class OptionalInputOutputCommand extends $Command .f(void 0, void 0) .ser(se_OptionalInputOutputCommand) .de(de_OptionalInputOutputCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleStructure; + output: SimpleStructure; + }; + sdk: { + input: OptionalInputOutputCommandInput; + output: OptionalInputOutputCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RecursiveShapesCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RecursiveShapesCommand.ts index da5868a164b5..7ec9c0318eeb 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RecursiveShapesCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RecursiveShapesCommand.ts @@ -95,4 +95,16 @@ export class RecursiveShapesCommand extends $Command .f(void 0, void 0) .ser(se_RecursiveShapesCommand) .de(de_RecursiveShapesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RecursiveShapesInputOutput; + output: RecursiveShapesInputOutput; + }; + sdk: { + input: RecursiveShapesCommandInput; + output: RecursiveShapesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborDenseMapsCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborDenseMapsCommand.ts index 50fb6639375c..2f87b3a67e56 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborDenseMapsCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborDenseMapsCommand.ts @@ -112,4 +112,16 @@ export class RpcV2CborDenseMapsCommand extends $Command .f(void 0, void 0) .ser(se_RpcV2CborDenseMapsCommand) .de(de_RpcV2CborDenseMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RpcV2CborDenseMapsInputOutput; + output: RpcV2CborDenseMapsInputOutput; + }; + sdk: { + input: RpcV2CborDenseMapsCommandInput; + output: RpcV2CborDenseMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborListsCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborListsCommand.ts index 9ca194d55226..7d2e7e3b3adf 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborListsCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborListsCommand.ts @@ -150,4 +150,16 @@ export class RpcV2CborListsCommand extends $Command .f(void 0, void 0) .ser(se_RpcV2CborListsCommand) .de(de_RpcV2CborListsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RpcV2CborListInputOutput; + output: RpcV2CborListInputOutput; + }; + sdk: { + input: RpcV2CborListsCommandInput; + output: RpcV2CborListsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborSparseMapsCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborSparseMapsCommand.ts index 99c9c982f2a5..fd95641c80c6 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborSparseMapsCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/RpcV2CborSparseMapsCommand.ts @@ -112,4 +112,16 @@ export class RpcV2CborSparseMapsCommand extends $Command .f(void 0, void 0) .ser(se_RpcV2CborSparseMapsCommand) .de(de_RpcV2CborSparseMapsCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RpcV2CborSparseMapsInputOutput; + output: RpcV2CborSparseMapsInputOutput; + }; + sdk: { + input: RpcV2CborSparseMapsCommandInput; + output: RpcV2CborSparseMapsCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SimpleScalarPropertiesCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SimpleScalarPropertiesCommand.ts index d4cb2b4a14a4..916e74aace8a 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SimpleScalarPropertiesCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SimpleScalarPropertiesCommand.ts @@ -89,4 +89,16 @@ export class SimpleScalarPropertiesCommand extends $Command .f(void 0, void 0) .ser(se_SimpleScalarPropertiesCommand) .de(de_SimpleScalarPropertiesCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SimpleScalarStructure; + output: SimpleScalarStructure; + }; + sdk: { + input: SimpleScalarPropertiesCommandInput; + output: SimpleScalarPropertiesCommandOutput; + }; + }; +} diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SparseNullsOperationCommand.ts b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SparseNullsOperationCommand.ts index 1f563584cb6c..27699376c7ef 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SparseNullsOperationCommand.ts +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/src/commands/SparseNullsOperationCommand.ts @@ -81,4 +81,16 @@ export class SparseNullsOperationCommand extends $Command .f(void 0, void 0) .ser(se_SparseNullsOperationCommand) .de(de_SparseNullsOperationCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SparseNullsOperationInputOutput; + output: SparseNullsOperationInputOutput; + }; + sdk: { + input: SparseNullsOperationCommandInput; + output: SparseNullsOperationCommandOutput; + }; + }; +} diff --git a/private/aws-restjson-server/package.json b/private/aws-restjson-server/package.json index fb3d2b5df9ed..feb29acafbcb 100644 --- a/private/aws-restjson-server/package.json +++ b/private/aws-restjson-server/package.json @@ -23,24 +23,24 @@ "@aws-sdk/core": "*", "@aws-sdk/types": "*", "@aws-smithy/server-common": "1.0.0-alpha.10", - "@smithy/config-resolver": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/private/aws-restjson-validation-server/package.json b/private/aws-restjson-validation-server/package.json index 52fe8d4de41a..a03568ee6392 100644 --- a/private/aws-restjson-validation-server/package.json +++ b/private/aws-restjson-validation-server/package.json @@ -23,24 +23,24 @@ "@aws-sdk/core": "*", "@aws-sdk/types": "*", "@aws-smithy/server-common": "1.0.0-alpha.10", - "@smithy/config-resolver": "^3.0.6", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2" }, diff --git a/private/aws-util-test/package.json b/private/aws-util-test/package.json index c4103d9077df..d6f4c0091566 100644 --- a/private/aws-util-test/package.json +++ b/private/aws-util-test/package.json @@ -17,8 +17,8 @@ "sideEffects": false, "dependencies": { "@aws-sdk/aws-protocoltests-json": "*", - "@smithy/protocol-http": "^4.1.1", - "@smithy/types": "^3.4.0", + "@smithy/protocol-http": "^4.1.3", + "@smithy/types": "^3.4.2", "tslib": "^2.6.2" }, "devDependencies": { diff --git a/private/weather-legacy-auth/package.json b/private/weather-legacy-auth/package.json index a0d673c8eb17..7ff5cb5af1cd 100644 --- a/private/weather-legacy-auth/package.json +++ b/private/weather-legacy-auth/package.json @@ -32,28 +32,28 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/weather-legacy-auth/src/commands/OnlyCustomAuthCommand.ts b/private/weather-legacy-auth/src/commands/OnlyCustomAuthCommand.ts index 2f1c628c6361..ac7b597c16ce 100644 --- a/private/weather-legacy-auth/src/commands/OnlyCustomAuthCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyCustomAuthCommand.ts @@ -66,4 +66,16 @@ export class OnlyCustomAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyCustomAuthCommand) .de(de_OnlyCustomAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyCustomAuthCommandInput; + output: OnlyCustomAuthCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlyCustomAuthOptionalCommand.ts b/private/weather-legacy-auth/src/commands/OnlyCustomAuthOptionalCommand.ts index 0ce1213cc2cd..7cf7d32d6b4e 100644 --- a/private/weather-legacy-auth/src/commands/OnlyCustomAuthOptionalCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyCustomAuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlyCustomAuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlyCustomAuthOptionalCommand) .de(de_OnlyCustomAuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyCustomAuthOptionalCommandInput; + output: OnlyCustomAuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts index 8c0365f87fe2..8e3c9d20f154 100644 --- a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts @@ -77,4 +77,16 @@ export class OnlyHttpApiKeyAndBearerAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAndBearerAuthCommand) .de(de_OnlyHttpApiKeyAndBearerAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAndBearerAuthCommandInput; + output: OnlyHttpApiKeyAndBearerAuthCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts index faeb47c25677..7ca82ce8320c 100644 --- a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts @@ -77,4 +77,16 @@ export class OnlyHttpApiKeyAndBearerAuthReversedCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAndBearerAuthReversedCommand) .de(de_OnlyHttpApiKeyAndBearerAuthReversedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAndBearerAuthReversedCommandInput; + output: OnlyHttpApiKeyAndBearerAuthReversedCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthCommand.ts b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthCommand.ts index 4fcbcb53d1c8..747e1e820c4c 100644 --- a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthCommand.ts @@ -74,4 +74,16 @@ export class OnlyHttpApiKeyAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAuthCommand) .de(de_OnlyHttpApiKeyAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAuthCommandInput; + output: OnlyHttpApiKeyAuthCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts index 6654655a493a..57475a86eb15 100644 --- a/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlyHttpApiKeyAuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAuthOptionalCommand) .de(de_OnlyHttpApiKeyAuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAuthOptionalCommandInput; + output: OnlyHttpApiKeyAuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthCommand.ts b/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthCommand.ts index dbe466cb86b5..a1f675555544 100644 --- a/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthCommand.ts @@ -66,4 +66,16 @@ export class OnlyHttpBearerAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpBearerAuthCommand) .de(de_OnlyHttpBearerAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpBearerAuthCommandInput; + output: OnlyHttpBearerAuthCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthOptionalCommand.ts b/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthOptionalCommand.ts index 6d2e6ad894df..aba32f6560e1 100644 --- a/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthOptionalCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlyHttpBearerAuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlyHttpBearerAuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpBearerAuthOptionalCommand) .de(de_OnlyHttpBearerAuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpBearerAuthOptionalCommandInput; + output: OnlyHttpBearerAuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlySigv4AuthCommand.ts b/private/weather-legacy-auth/src/commands/OnlySigv4AuthCommand.ts index 6e3db29bba90..959a7b381315 100644 --- a/private/weather-legacy-auth/src/commands/OnlySigv4AuthCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlySigv4AuthCommand.ts @@ -66,4 +66,16 @@ export class OnlySigv4AuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlySigv4AuthCommand) .de(de_OnlySigv4AuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlySigv4AuthCommandInput; + output: OnlySigv4AuthCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/OnlySigv4AuthOptionalCommand.ts b/private/weather-legacy-auth/src/commands/OnlySigv4AuthOptionalCommand.ts index 8079955e2c2f..4e1b432e503f 100644 --- a/private/weather-legacy-auth/src/commands/OnlySigv4AuthOptionalCommand.ts +++ b/private/weather-legacy-auth/src/commands/OnlySigv4AuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlySigv4AuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlySigv4AuthOptionalCommand) .de(de_OnlySigv4AuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlySigv4AuthOptionalCommandInput; + output: OnlySigv4AuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather-legacy-auth/src/commands/SameAsServiceCommand.ts b/private/weather-legacy-auth/src/commands/SameAsServiceCommand.ts index af7364c5e9f8..35308fe7962f 100644 --- a/private/weather-legacy-auth/src/commands/SameAsServiceCommand.ts +++ b/private/weather-legacy-auth/src/commands/SameAsServiceCommand.ts @@ -69,4 +69,16 @@ export class SameAsServiceCommand extends $Command .f(void 0, void 0) .ser(se_SameAsServiceCommand) .de(de_SameAsServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: SameAsServiceOutput; + }; + sdk: { + input: SameAsServiceCommandInput; + output: SameAsServiceCommandOutput; + }; + }; +} diff --git a/private/weather/package.json b/private/weather/package.json index 41b9d6d76aff..c80236b6961d 100644 --- a/private/weather/package.json +++ b/private/weather/package.json @@ -31,29 +31,29 @@ "@aws-sdk/types": "*", "@aws-sdk/util-user-agent-browser": "*", "@aws-sdk/util-user-agent-node": "*", - "@smithy/config-resolver": "^3.0.6", - "@smithy/core": "^2.4.1", - "@smithy/experimental-identity-and-auth": "^0.3.18", - "@smithy/fetch-http-handler": "^3.2.5", - "@smithy/hash-node": "^3.0.4", - "@smithy/invalid-dependency": "^3.0.4", - "@smithy/middleware-content-length": "^3.0.6", - "@smithy/middleware-retry": "^3.0.16", - "@smithy/middleware-serde": "^3.0.4", - "@smithy/middleware-stack": "^3.0.4", - "@smithy/node-config-provider": "^3.1.5", - "@smithy/node-http-handler": "^3.2.0", - "@smithy/protocol-http": "^4.1.1", - "@smithy/smithy-client": "^3.3.0", - "@smithy/types": "^3.4.0", - "@smithy/url-parser": "^3.0.4", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/experimental-identity-and-auth": "^0.3.20", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", "@smithy/util-base64": "^3.0.0", "@smithy/util-body-length-browser": "^3.0.0", "@smithy/util-body-length-node": "^3.0.0", - "@smithy/util-defaults-mode-browser": "^3.0.16", - "@smithy/util-defaults-mode-node": "^3.0.16", - "@smithy/util-middleware": "^3.0.4", - "@smithy/util-retry": "^3.0.4", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", "@smithy/util-utf8": "^3.0.0", "tslib": "^2.6.2", "uuid": "^9.0.1" diff --git a/private/weather/src/commands/OnlyCustomAuthCommand.ts b/private/weather/src/commands/OnlyCustomAuthCommand.ts index cebce1f13505..a1a2b7645e12 100644 --- a/private/weather/src/commands/OnlyCustomAuthCommand.ts +++ b/private/weather/src/commands/OnlyCustomAuthCommand.ts @@ -65,4 +65,16 @@ export class OnlyCustomAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyCustomAuthCommand) .de(de_OnlyCustomAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyCustomAuthCommandInput; + output: OnlyCustomAuthCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlyCustomAuthOptionalCommand.ts b/private/weather/src/commands/OnlyCustomAuthOptionalCommand.ts index e47957f3ee3a..c4196da64abd 100644 --- a/private/weather/src/commands/OnlyCustomAuthOptionalCommand.ts +++ b/private/weather/src/commands/OnlyCustomAuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlyCustomAuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlyCustomAuthOptionalCommand) .de(de_OnlyCustomAuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyCustomAuthOptionalCommandInput; + output: OnlyCustomAuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts b/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts index 234956185674..31514fdbfaef 100644 --- a/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts +++ b/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthCommand.ts @@ -68,4 +68,16 @@ export class OnlyHttpApiKeyAndBearerAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAndBearerAuthCommand) .de(de_OnlyHttpApiKeyAndBearerAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAndBearerAuthCommandInput; + output: OnlyHttpApiKeyAndBearerAuthCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts b/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts index 7772d79c1201..b8d5e88b6787 100644 --- a/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts +++ b/private/weather/src/commands/OnlyHttpApiKeyAndBearerAuthReversedCommand.ts @@ -68,4 +68,16 @@ export class OnlyHttpApiKeyAndBearerAuthReversedCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAndBearerAuthReversedCommand) .de(de_OnlyHttpApiKeyAndBearerAuthReversedCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAndBearerAuthReversedCommandInput; + output: OnlyHttpApiKeyAndBearerAuthReversedCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlyHttpApiKeyAuthCommand.ts b/private/weather/src/commands/OnlyHttpApiKeyAuthCommand.ts index f106262f94e7..ba71a72cdb04 100644 --- a/private/weather/src/commands/OnlyHttpApiKeyAuthCommand.ts +++ b/private/weather/src/commands/OnlyHttpApiKeyAuthCommand.ts @@ -65,4 +65,16 @@ export class OnlyHttpApiKeyAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAuthCommand) .de(de_OnlyHttpApiKeyAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAuthCommandInput; + output: OnlyHttpApiKeyAuthCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts b/private/weather/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts index 2b4e3c94e7e9..0a9b5bd520e7 100644 --- a/private/weather/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts +++ b/private/weather/src/commands/OnlyHttpApiKeyAuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlyHttpApiKeyAuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpApiKeyAuthOptionalCommand) .de(de_OnlyHttpApiKeyAuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpApiKeyAuthOptionalCommandInput; + output: OnlyHttpApiKeyAuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlyHttpBearerAuthCommand.ts b/private/weather/src/commands/OnlyHttpBearerAuthCommand.ts index d37b3ced017e..44ff9f79e9de 100644 --- a/private/weather/src/commands/OnlyHttpBearerAuthCommand.ts +++ b/private/weather/src/commands/OnlyHttpBearerAuthCommand.ts @@ -65,4 +65,16 @@ export class OnlyHttpBearerAuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpBearerAuthCommand) .de(de_OnlyHttpBearerAuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpBearerAuthCommandInput; + output: OnlyHttpBearerAuthCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlyHttpBearerAuthOptionalCommand.ts b/private/weather/src/commands/OnlyHttpBearerAuthOptionalCommand.ts index bfc9aee21bb3..a78c4a8b73d7 100644 --- a/private/weather/src/commands/OnlyHttpBearerAuthOptionalCommand.ts +++ b/private/weather/src/commands/OnlyHttpBearerAuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlyHttpBearerAuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlyHttpBearerAuthOptionalCommand) .de(de_OnlyHttpBearerAuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlyHttpBearerAuthOptionalCommandInput; + output: OnlyHttpBearerAuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlySigv4AuthCommand.ts b/private/weather/src/commands/OnlySigv4AuthCommand.ts index f7c4d1a2d3e6..20918d6820e0 100644 --- a/private/weather/src/commands/OnlySigv4AuthCommand.ts +++ b/private/weather/src/commands/OnlySigv4AuthCommand.ts @@ -65,4 +65,16 @@ export class OnlySigv4AuthCommand extends $Command .f(void 0, void 0) .ser(se_OnlySigv4AuthCommand) .de(de_OnlySigv4AuthCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlySigv4AuthCommandInput; + output: OnlySigv4AuthCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/OnlySigv4AuthOptionalCommand.ts b/private/weather/src/commands/OnlySigv4AuthOptionalCommand.ts index 5682f36467e0..e025fa0927e1 100644 --- a/private/weather/src/commands/OnlySigv4AuthOptionalCommand.ts +++ b/private/weather/src/commands/OnlySigv4AuthOptionalCommand.ts @@ -65,4 +65,16 @@ export class OnlySigv4AuthOptionalCommand extends $Command .f(void 0, void 0) .ser(se_OnlySigv4AuthOptionalCommand) .de(de_OnlySigv4AuthOptionalCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: {}; + }; + sdk: { + input: OnlySigv4AuthOptionalCommandInput; + output: OnlySigv4AuthOptionalCommandOutput; + }; + }; +} diff --git a/private/weather/src/commands/SameAsServiceCommand.ts b/private/weather/src/commands/SameAsServiceCommand.ts index 364eed141c8f..d3d519b9f234 100644 --- a/private/weather/src/commands/SameAsServiceCommand.ts +++ b/private/weather/src/commands/SameAsServiceCommand.ts @@ -68,4 +68,16 @@ export class SameAsServiceCommand extends $Command .f(void 0, void 0) .ser(se_SameAsServiceCommand) .de(de_SameAsServiceCommand) - .build() {} + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: SameAsServiceOutput; + }; + sdk: { + input: SameAsServiceCommandInput; + output: SameAsServiceCommandOutput; + }; + }; +} diff --git a/scripts/generate-clients/config.js b/scripts/generate-clients/config.js index 36ec5e9c24df..a2605aee215e 100644 --- a/scripts/generate-clients/config.js +++ b/scripts/generate-clients/config.js @@ -1,7 +1,7 @@ // Update this commit when taking up new changes from smithy-typescript. module.exports = { // Use full commit hash as we explicitly fetch it. - SMITHY_TS_COMMIT: "918c402e0a752a1b2c2ec09442f382c82cf34c03", + SMITHY_TS_COMMIT: "b12dc1de610c91d3daab39315a62b04826a93439", }; if (module.exports.SMITHY_TS_COMMIT.length < 40) { diff --git a/yarn.lock b/yarn.lock index f3ce1b9aa6d1..50228b3d0442 100644 --- a/yarn.lock +++ b/yarn.lock @@ -2750,12 +2750,12 @@ dependencies: "@sinonjs/commons" "^1.7.0" -"@smithy/abort-controller@^3.1.2": - version "3.1.2" - resolved "https://registry.yarnpkg.com/@smithy/abort-controller/-/abort-controller-3.1.2.tgz#95ac6b07480d0d2afbcface3f0f1ddc3ae6373d7" - integrity sha512-b5g+PNujlfqIib9BjkNB108NyO5aZM/RXjfOCXRCqXQ1oPnIkfvdORrztbGgCZdPe/BN/MKDlrGA7PafKPM2jw== +"@smithy/abort-controller@^3.1.4": + version "3.1.4" + resolved "https://registry.yarnpkg.com/@smithy/abort-controller/-/abort-controller-3.1.4.tgz#7cb22871f7392319c565d1d9ab3cb04e635c4dd9" + integrity sha512-VupaALAQlXViW3/enTf/f5l5JZYSAxoJL7f0nanhNNKnww6DGCg1oYIuNP78KDugnkwthBO6iEcym16HhWV8RQ== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" "@smithy/chunked-blob-reader-native@^3.0.0": @@ -2773,149 +2773,149 @@ dependencies: tslib "^2.6.2" -"@smithy/config-resolver@^3.0.6": - version "3.0.6" - resolved "https://registry.yarnpkg.com/@smithy/config-resolver/-/config-resolver-3.0.6.tgz#5906cb8fcbadb784930c55a578589aaa6650a52f" - integrity sha512-j7HuVNoRd8EhcFp0MzcUb4fG40C7BcyshH+fAd3Jhd8bINNFvEQYBrZoS/SK6Pun9WPlfoI8uuU2SMz8DsEGlA== +"@smithy/config-resolver@^3.0.8": + version "3.0.8" + resolved "https://registry.yarnpkg.com/@smithy/config-resolver/-/config-resolver-3.0.8.tgz#8717ea934f1d72474a709fc3535d7b8a11de2e33" + integrity sha512-Tv1obAC18XOd2OnDAjSWmmthzx6Pdeh63FbLin8MlPiuJ2ATpKkq0NcNOJFr0dO+JmZXnwu8FQxKJ3TKJ3Hulw== dependencies: - "@smithy/node-config-provider" "^3.1.5" - "@smithy/types" "^3.4.0" + "@smithy/node-config-provider" "^3.1.7" + "@smithy/types" "^3.4.2" "@smithy/util-config-provider" "^3.0.0" - "@smithy/util-middleware" "^3.0.4" + "@smithy/util-middleware" "^3.0.6" tslib "^2.6.2" -"@smithy/core@^2.4.1": - version "2.4.1" - resolved "https://registry.yarnpkg.com/@smithy/core/-/core-2.4.1.tgz#6694d79ba6e4a185a0baa731ba6584420291521e" - integrity sha512-7cts7/Oni7aCHebHGiBeWoz5z+vmH+Vx2Z/UW3XtXMslcxI3PEwBZxNinepwZjixS3n12fPc247PHWmjU7ndsQ== - dependencies: - "@smithy/middleware-endpoint" "^3.1.1" - "@smithy/middleware-retry" "^3.0.16" - "@smithy/middleware-serde" "^3.0.4" - "@smithy/protocol-http" "^4.1.1" - "@smithy/smithy-client" "^3.3.0" - "@smithy/types" "^3.4.0" +"@smithy/core@^2.4.3": + version "2.4.3" + resolved "https://registry.yarnpkg.com/@smithy/core/-/core-2.4.3.tgz#18344c2ff63f748f625ebc5171755816f3043849" + integrity sha512-4LTusLqFMRVQUfC3RNuTg6IzYTeJNpydRdTKq7J5wdEyIRQSu3rGIa3s80mgG2hhe6WOZl9IqTSo1pgbn6EHhA== + dependencies: + "@smithy/middleware-endpoint" "^3.1.3" + "@smithy/middleware-retry" "^3.0.18" + "@smithy/middleware-serde" "^3.0.6" + "@smithy/protocol-http" "^4.1.3" + "@smithy/smithy-client" "^3.3.2" + "@smithy/types" "^3.4.2" "@smithy/util-body-length-browser" "^3.0.0" - "@smithy/util-middleware" "^3.0.4" + "@smithy/util-middleware" "^3.0.6" "@smithy/util-utf8" "^3.0.0" tslib "^2.6.2" -"@smithy/credential-provider-imds@^3.2.1": - version "3.2.1" - resolved "https://registry.yarnpkg.com/@smithy/credential-provider-imds/-/credential-provider-imds-3.2.1.tgz#f5871549d01db304c3d5c52dd6591652ebfdfa9e" - integrity sha512-4z/oTWpRF2TqQI3aCM89/PWu3kim58XU4kOCTtuTJnoaS4KT95cPWMxbQfTN2vzcOe96SOKO8QouQW/+ESB1fQ== +"@smithy/credential-provider-imds@^3.2.3": + version "3.2.3" + resolved "https://registry.yarnpkg.com/@smithy/credential-provider-imds/-/credential-provider-imds-3.2.3.tgz#93314e58e4f81f2b641de6efac037c7a3250c050" + integrity sha512-VoxMzSzdvkkjMJNE38yQgx4CfnmT+Z+5EUXkg4x7yag93eQkVQgZvN3XBSHC/ylfBbLbAtdu7flTCChX9I+mVg== dependencies: - "@smithy/node-config-provider" "^3.1.5" - "@smithy/property-provider" "^3.1.4" - "@smithy/types" "^3.4.0" - "@smithy/url-parser" "^3.0.4" + "@smithy/node-config-provider" "^3.1.7" + "@smithy/property-provider" "^3.1.6" + "@smithy/types" "^3.4.2" + "@smithy/url-parser" "^3.0.6" tslib "^2.6.2" -"@smithy/eventstream-codec@^3.1.3": - version "3.1.3" - resolved "https://registry.yarnpkg.com/@smithy/eventstream-codec/-/eventstream-codec-3.1.3.tgz#a1ac71108c349b6f156ff91dbbf38b4b20d95aee" - integrity sha512-mKBrmhg6Zd3j07G9dkKTGmrU7pdJGTNz8LbZtIOR3QoodS5yDNqEqoXU4Eg38snZcnCAh7NPBsw5ndxtJPLiCg== +"@smithy/eventstream-codec@^3.1.5": + version "3.1.5" + resolved "https://registry.yarnpkg.com/@smithy/eventstream-codec/-/eventstream-codec-3.1.5.tgz#2b0d65818425d60e043b8e9d8dee9c6744de0e7b" + integrity sha512-6pu+PT2r+5ZnWEV3vLV1DzyrpJ0TmehQlniIDCSpZg6+Ji2SfOI38EqUyQ+O8lotVElCrfVc9chKtSMe9cmCZQ== dependencies: "@aws-crypto/crc32" "5.2.0" - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" "@smithy/util-hex-encoding" "^3.0.0" tslib "^2.6.2" -"@smithy/eventstream-serde-browser@^3.0.7": - version "3.0.7" - resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-browser/-/eventstream-serde-browser-3.0.7.tgz#0448ada47cf7e99abdfefe980090ea2b8abbff8d" - integrity sha512-UC4RQqyM8B0g5cX/xmWtsNgSBmZ13HrzCqoe5Ulcz6R462/egbIdfTXnayik7jkjvwOrCPL1N11Q9S+n68jPLA== +"@smithy/eventstream-serde-browser@^3.0.9": + version "3.0.9" + resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-browser/-/eventstream-serde-browser-3.0.9.tgz#bb71b836a8755dd5d5fed85ac2fa500702f60544" + integrity sha512-PiQLo6OQmZAotJweIcObL1H44gkvuJACKMNqpBBe5Rf2Ax1DOcGi/28+feZI7yTe1ERHlQQaGnm8sSkyDUgsMg== dependencies: - "@smithy/eventstream-serde-universal" "^3.0.6" - "@smithy/types" "^3.4.0" + "@smithy/eventstream-serde-universal" "^3.0.8" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/eventstream-serde-config-resolver@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-config-resolver/-/eventstream-serde-config-resolver-3.0.4.tgz#1ef67a2f78da7b30ec728a8863933fa2d088330b" - integrity sha512-saIs5rtAMpifqL7u7nc5YeE/6gkenzXpSz5NwEyhIesRWtHK+zEuYn9KY8SArZEbPSHyGxvvgKk1z86VzfUGHw== +"@smithy/eventstream-serde-config-resolver@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-config-resolver/-/eventstream-serde-config-resolver-3.0.6.tgz#538862ef05e549c0ef97b060100a5ffbb5d7adfb" + integrity sha512-iew15It+c7WfnVowWkt2a7cdPp533LFJnpjDQgfZQcxv2QiOcyEcea31mnrk5PVbgo0nNH3VbYGq7myw2q/F6A== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/eventstream-serde-node@^3.0.6": - version "3.0.6" - resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-node/-/eventstream-serde-node-3.0.6.tgz#d04c31f8fe4aab29f2edbff8ea6519fe50405e43" - integrity sha512-gRKGBdZah3EjZZgWcsTpShq4cZ4Q4JTTe1OPob+jrftmbYj6CvpeydZbH0roO5SvBG8SI3aBZIet9TGN3zUxUw== +"@smithy/eventstream-serde-node@^3.0.8": + version "3.0.8" + resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-node/-/eventstream-serde-node-3.0.8.tgz#0221c555f2851fd847b041f27a6231945822018f" + integrity sha512-6m+wI+fT0na+6oao6UqALVA38fsScCpoG5UO/A8ZSyGLnPM2i4MS1cFUhpuALgvLMxfYoTCh7qSeJa0aG4IWpQ== dependencies: - "@smithy/eventstream-serde-universal" "^3.0.6" - "@smithy/types" "^3.4.0" + "@smithy/eventstream-serde-universal" "^3.0.8" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/eventstream-serde-universal@^3.0.6": - version "3.0.6" - resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-universal/-/eventstream-serde-universal-3.0.6.tgz#d233d08bf4b27d9bf4b1e727d866694470966797" - integrity sha512-1jvXd4sFG+zKaL6WqrJXpL6E+oAMafuM5GPd4qF0+ccenZTX3DZugoCCjlooQyTh+TZho2FpdVYUf5J/bB/j6Q== +"@smithy/eventstream-serde-universal@^3.0.8": + version "3.0.8" + resolved "https://registry.yarnpkg.com/@smithy/eventstream-serde-universal/-/eventstream-serde-universal-3.0.8.tgz#0dac5365e3bb349960999b10a4a3c66b77b79dc3" + integrity sha512-09tqzIQ6e+7jLqGvRji1yJoDbL/zob0OFhq75edgStWErGLf16+yI5hRc/o9/YAybOhUZs/swpW2SPn892G5Gg== dependencies: - "@smithy/eventstream-codec" "^3.1.3" - "@smithy/types" "^3.4.0" + "@smithy/eventstream-codec" "^3.1.5" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/experimental-identity-and-auth@^0.3.18": - version "0.3.18" - resolved "https://registry.yarnpkg.com/@smithy/experimental-identity-and-auth/-/experimental-identity-and-auth-0.3.18.tgz#579d842de4ab0866c3a8e4590e8c4ddcde2dd8fc" - integrity sha512-JGEyB++GxwPBexXFeI0liwWUaeBkVm6dhv+h5+H411vVykc62/n1lVTH5TkO8PfwJq/qHq3A+ync50xn3jMi8Q== - dependencies: - "@smithy/middleware-endpoint" "^3.1.1" - "@smithy/middleware-retry" "^3.0.16" - "@smithy/middleware-serde" "^3.0.4" - "@smithy/protocol-http" "^4.1.1" - "@smithy/signature-v4" "^4.1.1" - "@smithy/types" "^3.4.0" - "@smithy/util-middleware" "^3.0.4" +"@smithy/experimental-identity-and-auth@^0.3.20": + version "0.3.20" + resolved "https://registry.yarnpkg.com/@smithy/experimental-identity-and-auth/-/experimental-identity-and-auth-0.3.20.tgz#dda5c7113f1a417d4a3b5e6af1b5125fb11700d1" + integrity sha512-bylTQWYsysS/Qf7Rq1CZnGWHPjhrbh4GNk6z102Y+QDXyZiMvLZvpu9kXBtoCeIDsRU8ssonZCZ3KMV2kEac8Q== + dependencies: + "@smithy/middleware-endpoint" "^3.1.3" + "@smithy/middleware-retry" "^3.0.18" + "@smithy/middleware-serde" "^3.0.6" + "@smithy/protocol-http" "^4.1.3" + "@smithy/signature-v4" "^4.1.3" + "@smithy/types" "^3.4.2" + "@smithy/util-middleware" "^3.0.6" tslib "^2.6.2" -"@smithy/fetch-http-handler@^3.2.5": - version "3.2.5" - resolved "https://registry.yarnpkg.com/@smithy/fetch-http-handler/-/fetch-http-handler-3.2.5.tgz#c9a6c6c35895ffdfd98b992ecebb1344418d1932" - integrity sha512-DjRtGmK8pKQMIo9+JlAKUt14Z448bg8nAN04yKIvlrrpmpRSG57s5d2Y83npks1r4gPtTRNbAFdQCoj9l3P2KQ== +"@smithy/fetch-http-handler@^3.2.7": + version "3.2.7" + resolved "https://registry.yarnpkg.com/@smithy/fetch-http-handler/-/fetch-http-handler-3.2.7.tgz#30520ca939fb817d3eb3ab9445ddc0f6c1df2960" + integrity sha512-Ra6IPI1spYLO+t62/3jQbodjOwAbto9wlpJdHZwkycm0Kit+GVpzHW/NMmSgY4rK1bjJ4qLAmCnaBzePO5Nkkg== dependencies: - "@smithy/protocol-http" "^4.1.1" - "@smithy/querystring-builder" "^3.0.4" - "@smithy/types" "^3.4.0" + "@smithy/protocol-http" "^4.1.3" + "@smithy/querystring-builder" "^3.0.6" + "@smithy/types" "^3.4.2" "@smithy/util-base64" "^3.0.0" tslib "^2.6.2" -"@smithy/hash-blob-browser@^3.1.3": - version "3.1.3" - resolved "https://registry.yarnpkg.com/@smithy/hash-blob-browser/-/hash-blob-browser-3.1.3.tgz#6649bf55590fc0489e0d91d310017b8359c0d7ae" - integrity sha512-im9wAU9mANWW0OP0YGqwX3lw0nXG0ngyIcKQ8V/MUz1r7A6uO2lpPqKmAsH4VPGNLP2JPUhj4aW/m5UKkxX/IA== +"@smithy/hash-blob-browser@^3.1.5": + version "3.1.5" + resolved "https://registry.yarnpkg.com/@smithy/hash-blob-browser/-/hash-blob-browser-3.1.5.tgz#db1cf756647f8f39b4214403482750afbb8f2236" + integrity sha512-Vi3eoNCmao4iKglS80ktYnBOIqZhjbDDwa1IIbF/VaJ8PsHnZTQ5wSicicPrU7nTI4JPFn92/txzWkh4GlK18Q== dependencies: "@smithy/chunked-blob-reader" "^3.0.0" "@smithy/chunked-blob-reader-native" "^3.0.0" - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/hash-node@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/hash-node/-/hash-node-3.0.4.tgz#4d1770a73698292997b9ff27435ed4d51a39e758" - integrity sha512-6FgTVqEfCr9z/7+Em8BwSkJKA2y3krf1em134x3yr2NHWVCo2KYI8tcA53cjeO47y41jwF84ntsEE0Pe6pNKlg== +"@smithy/hash-node@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/hash-node/-/hash-node-3.0.6.tgz#7c1a869afcbd411eac04c4777dd193ea7ac4e588" + integrity sha512-c/FHEdKK/7DU2z6ZE91L36ahyXWayR3B+FzELjnYq7wH5YqIseM24V+pWCS9kFn1Ln8OFGTf+pyYPiHZuX0s/Q== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" "@smithy/util-buffer-from" "^3.0.0" "@smithy/util-utf8" "^3.0.0" tslib "^2.6.2" -"@smithy/hash-stream-node@^3.1.3": - version "3.1.3" - resolved "https://registry.yarnpkg.com/@smithy/hash-stream-node/-/hash-stream-node-3.1.3.tgz#dfd3efb60a2bb9fe6c3131dd73cb8d0c5ecc1b4b" - integrity sha512-Tz/eTlo1ffqYn+19VaMjDDbmEWqYe4DW1PAWaS8HvgRdO6/k9hxNPt8Wv5laXoilxE20YzKugiHvxHyO6J7kGA== +"@smithy/hash-stream-node@^3.1.5": + version "3.1.5" + resolved "https://registry.yarnpkg.com/@smithy/hash-stream-node/-/hash-stream-node-3.1.5.tgz#4c8d290f6e4d55fdb143d65d645031da12af7fc1" + integrity sha512-61CyFCzqN3VBfcnGX7mof/rkzLb8oHjm4Lr6ZwBIRpBssBb8d09ChrZAqinP2rUrA915BRNkq9NpJz18N7+3hQ== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" "@smithy/util-utf8" "^3.0.0" tslib "^2.6.2" -"@smithy/invalid-dependency@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/invalid-dependency/-/invalid-dependency-3.0.4.tgz#aabb949b6aa15e38d8054b2397c143ef32efe14a" - integrity sha512-MJBUrojC4SEXi9aJcnNOE3oNAuYNphgCGFXscaCj2TA/59BTcXhzHACP8jnnEU3n4yir/NSLKzxqez0T4x4tjA== +"@smithy/invalid-dependency@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/invalid-dependency/-/invalid-dependency-3.0.6.tgz#3b3e30a55b92341412626b412fe919929871eeb1" + integrity sha512-czM7Ioq3s8pIXht7oD+vmgy4Wfb4XavU/k/irO8NdXFFOx7YAlsCCcKOh/lJD1mJSYQqiR7NmpZ9JviryD/7AQ== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" "@smithy/is-array-buffer@^2.2.0": @@ -2932,120 +2932,120 @@ dependencies: tslib "^2.6.2" -"@smithy/md5-js@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/md5-js/-/md5-js-3.0.4.tgz#6a8d40cf9e51c65fc6074aed977acd23ff4f6589" - integrity sha512-qSlqr/+hybufIJgxQW2gYzGE6ywfOxkjjJVojbbmv4MtxfdDFfzRew+NOIOXcYgazW0f8OYBTIKsmNsjxpvnng== +"@smithy/md5-js@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/md5-js/-/md5-js-3.0.6.tgz#cb8881ffef4ffbf68b0daf52d8add30dc57e3a7a" + integrity sha512-Ze690T8O3M5SVbb70WormwrKzVf9QQRtIuxtJDgpUQDkmt+PtdYDetBbyCbF9ryupxLw6tgzWKgwffAShhVIXQ== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" "@smithy/util-utf8" "^3.0.0" tslib "^2.6.2" -"@smithy/middleware-apply-body-checksum@^3.0.6": - version "3.0.6" - resolved "https://registry.yarnpkg.com/@smithy/middleware-apply-body-checksum/-/middleware-apply-body-checksum-3.0.6.tgz#d3844b7a8cf36bebce674eb51e5c74fe81576b8d" - integrity sha512-Hku0/nm03eB+Tl35TeK4zttZME1Ewousu0GMnZNkJjW1mTcoOBnxLMeRhZB2aG1I+IYp73YAb+VQmCx77Vxvsw== +"@smithy/middleware-apply-body-checksum@^3.0.8": + version "3.0.8" + resolved "https://registry.yarnpkg.com/@smithy/middleware-apply-body-checksum/-/middleware-apply-body-checksum-3.0.8.tgz#0a0dea07d136f6b64ba7ff7146b4e735ad0044e8" + integrity sha512-ugxqTKabMz6rOJVS/wUm6529bL0J+woIrSU/QwimmY2ys3Ceb1vv8rVdUm1WWRaCXLlm0SZ4Clv/bvrJAfWWFg== dependencies: "@smithy/is-array-buffer" "^3.0.0" - "@smithy/protocol-http" "^4.1.1" - "@smithy/types" "^3.4.0" + "@smithy/protocol-http" "^4.1.3" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/middleware-compression@^3.0.8": - version "3.0.8" - resolved "https://registry.yarnpkg.com/@smithy/middleware-compression/-/middleware-compression-3.0.8.tgz#f6ef00167d545175a57978dfd234ef377ba497e2" - integrity sha512-qY3ALlU0YT+ewBniwjQHwYApIK3fQWiNrLtcnw5Wk4spYZJQlDl0Z9SOvL+GKX4mKOlbR/pWG/gKfpGqwHW65Q== +"@smithy/middleware-compression@^3.0.10": + version "3.0.10" + resolved "https://registry.yarnpkg.com/@smithy/middleware-compression/-/middleware-compression-3.0.10.tgz#a967a28b7bd9d20b0716d00a9e4c9dcc148cd966" + integrity sha512-0dzc3D4GqbuHFYN0bDti+suxAT18s2RFL1EYIvZSTOLz0Vt7E/xqgNLgQ+SDCg/B8kvR0JeClkCqYPcWEqtnQQ== dependencies: "@smithy/is-array-buffer" "^3.0.0" - "@smithy/node-config-provider" "^3.1.5" - "@smithy/protocol-http" "^4.1.1" - "@smithy/types" "^3.4.0" + "@smithy/node-config-provider" "^3.1.7" + "@smithy/protocol-http" "^4.1.3" + "@smithy/types" "^3.4.2" "@smithy/util-config-provider" "^3.0.0" - "@smithy/util-middleware" "^3.0.4" + "@smithy/util-middleware" "^3.0.6" "@smithy/util-utf8" "^3.0.0" fflate "0.8.1" tslib "^2.6.2" -"@smithy/middleware-content-length@^3.0.6": - version "3.0.6" - resolved "https://registry.yarnpkg.com/@smithy/middleware-content-length/-/middleware-content-length-3.0.6.tgz#4837dafcfc085f1b9523d0784d05b87b569ad4ce" - integrity sha512-AFyHCfe8rumkJkz+hCOVJmBagNBj05KypyDwDElA4TgMSA4eYDZRjVePFZuyABrJZFDc7uVj3dpFIDCEhf59SA== +"@smithy/middleware-content-length@^3.0.8": + version "3.0.8" + resolved "https://registry.yarnpkg.com/@smithy/middleware-content-length/-/middleware-content-length-3.0.8.tgz#4e1c1631718e4d6dfe9a06f37faa90de92e884ed" + integrity sha512-VuyszlSO49WKh3H9/kIO2kf07VUwGV80QRiaDxUfP8P8UKlokz381ETJvwLhwuypBYhLymCYyNhB3fLAGBX2og== dependencies: - "@smithy/protocol-http" "^4.1.1" - "@smithy/types" "^3.4.0" + "@smithy/protocol-http" "^4.1.3" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/middleware-endpoint@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@smithy/middleware-endpoint/-/middleware-endpoint-3.1.1.tgz#d718719e45e8f7087cf0d9bbfff5fc6364c5fde0" - integrity sha512-Irv+soW8NKluAtFSEsF8O3iGyLxa5oOevJb/e1yNacV9H7JP/yHyJuKST5YY2ORS1+W34VR8EuUrOF+K29Pl4g== - dependencies: - "@smithy/middleware-serde" "^3.0.4" - "@smithy/node-config-provider" "^3.1.5" - "@smithy/shared-ini-file-loader" "^3.1.5" - "@smithy/types" "^3.4.0" - "@smithy/url-parser" "^3.0.4" - "@smithy/util-middleware" "^3.0.4" +"@smithy/middleware-endpoint@^3.1.3": + version "3.1.3" + resolved "https://registry.yarnpkg.com/@smithy/middleware-endpoint/-/middleware-endpoint-3.1.3.tgz#8c84d40c9d26b77e2bbb99721fd4a3d379828505" + integrity sha512-KeM/OrK8MVFUsoJsmCN0MZMVPjKKLudn13xpgwIMpGTYpA8QZB2Xq5tJ+RE6iu3A6NhOI4VajDTwBsm8pwwrhg== + dependencies: + "@smithy/middleware-serde" "^3.0.6" + "@smithy/node-config-provider" "^3.1.7" + "@smithy/shared-ini-file-loader" "^3.1.7" + "@smithy/types" "^3.4.2" + "@smithy/url-parser" "^3.0.6" + "@smithy/util-middleware" "^3.0.6" tslib "^2.6.2" -"@smithy/middleware-retry@^3.0.16": - version "3.0.16" - resolved "https://registry.yarnpkg.com/@smithy/middleware-retry/-/middleware-retry-3.0.16.tgz#aca6099a2e73c9be0c7a49eccbca5d1d73eaadf3" - integrity sha512-08kI36p1yB4CWO3Qi+UQxjzobt8iQJpnruF0K5BkbZmA/N/sJ51A1JJGJ36GgcbFyPfWw2FU48S5ZoqXt0h0jw== - dependencies: - "@smithy/node-config-provider" "^3.1.5" - "@smithy/protocol-http" "^4.1.1" - "@smithy/service-error-classification" "^3.0.4" - "@smithy/smithy-client" "^3.3.0" - "@smithy/types" "^3.4.0" - "@smithy/util-middleware" "^3.0.4" - "@smithy/util-retry" "^3.0.4" +"@smithy/middleware-retry@^3.0.18": + version "3.0.18" + resolved "https://registry.yarnpkg.com/@smithy/middleware-retry/-/middleware-retry-3.0.18.tgz#58372e264ca0c3a35f0526c531eb433ed8472df0" + integrity sha512-YU1o/vYob6vlqZdd97MN8cSXRToknLXhFBL3r+c9CZcnxkO/rgNZ++CfgX2vsmnEKvlqdi26+SRtSzlVp5z6Mg== + dependencies: + "@smithy/node-config-provider" "^3.1.7" + "@smithy/protocol-http" "^4.1.3" + "@smithy/service-error-classification" "^3.0.6" + "@smithy/smithy-client" "^3.3.2" + "@smithy/types" "^3.4.2" + "@smithy/util-middleware" "^3.0.6" + "@smithy/util-retry" "^3.0.6" tslib "^2.6.2" uuid "^9.0.1" -"@smithy/middleware-serde@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/middleware-serde/-/middleware-serde-3.0.4.tgz#86f0d3c2bf17334b165be96f504a37357a70f576" - integrity sha512-1lPDB2O6IJ50Ucxgn7XrvZXbbuI48HmPCcMTuSoXT1lDzuTUfIuBjgAjpD8YLVMfnrjdepi/q45556LA51Pubw== +"@smithy/middleware-serde@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/middleware-serde/-/middleware-serde-3.0.6.tgz#9f7a9c152989b59c12865ef3a17acbdb7b6a1566" + integrity sha512-KKTUSl1MzOM0MAjGbudeaVNtIDo+PpekTBkCNwvfZlKndodrnvRo+00USatiyLOc0ujjO9UydMRu3O9dYML7ag== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/middleware-stack@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/middleware-stack/-/middleware-stack-3.0.4.tgz#85b98320fff51457e9720b2c17e8f3f97c39a88c" - integrity sha512-sLMRjtMCqtVcrOqaOZ10SUnlFE25BSlmLsi4bRSGFD7dgR54eqBjfqkVkPBQyrKBortfGM0+2DJoUPcGECR+nQ== +"@smithy/middleware-stack@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/middleware-stack/-/middleware-stack-3.0.6.tgz#e63d09b3e292b7a46ac3b9eb482973701de15a6f" + integrity sha512-2c0eSYhTQ8xQqHMcRxLMpadFbTXg6Zla5l0mwNftFCZMQmuhI7EbAJMx6R5eqfuV3YbJ3QGyS3d5uSmrHV8Khg== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/node-config-provider@^3.1.5": - version "3.1.5" - resolved "https://registry.yarnpkg.com/@smithy/node-config-provider/-/node-config-provider-3.1.5.tgz#983fa77aa6782acb7d4f0facf5ff27f5bd2fac5c" - integrity sha512-dq/oR3/LxgCgizVk7in7FGTm0w9a3qM4mg3IIXLTCHeW3fV+ipssSvBZ2bvEx1+asfQJTyCnVLeYf7JKfd9v3Q== +"@smithy/node-config-provider@^3.1.7": + version "3.1.7" + resolved "https://registry.yarnpkg.com/@smithy/node-config-provider/-/node-config-provider-3.1.7.tgz#6ae71aeff45e8c9792720986f0b1623cf6da671f" + integrity sha512-g3mfnC3Oo8pOI0dYuPXLtdW1WGVb3bR2tkV21GNkm0ZvQjLTtamXAwCWt/FCb0HGvKt3gHHmF1XerG0ICfalOg== dependencies: - "@smithy/property-provider" "^3.1.4" - "@smithy/shared-ini-file-loader" "^3.1.5" - "@smithy/types" "^3.4.0" + "@smithy/property-provider" "^3.1.6" + "@smithy/shared-ini-file-loader" "^3.1.7" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/node-http-handler@^3.2.0": - version "3.2.0" - resolved "https://registry.yarnpkg.com/@smithy/node-http-handler/-/node-http-handler-3.2.0.tgz#0473f3cfb88779dacdcbafa877dbf74aac4f1c82" - integrity sha512-5TFqaABbiY7uJMKbqR4OARjwI/l4TRoysDJ75pLpVQyO3EcmeloKYwDGyCtgB9WJniFx3BMkmGCB9+j+QiB+Ww== +"@smithy/node-http-handler@^3.2.2": + version "3.2.2" + resolved "https://registry.yarnpkg.com/@smithy/node-http-handler/-/node-http-handler-3.2.2.tgz#1e659d52ba4d27123efc7b8a5c1abe76f97ea915" + integrity sha512-42Cy4/oT2O+00aiG1iQ7Kd7rE6q8j7vI0gFfnMlUiATvyo8vefJkhb7O10qZY0jAqo5WZdUzfl9IV6wQ3iMBCg== dependencies: - "@smithy/abort-controller" "^3.1.2" - "@smithy/protocol-http" "^4.1.1" - "@smithy/querystring-builder" "^3.0.4" - "@smithy/types" "^3.4.0" + "@smithy/abort-controller" "^3.1.4" + "@smithy/protocol-http" "^4.1.3" + "@smithy/querystring-builder" "^3.0.6" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/property-provider@^3.1.4": - version "3.1.4" - resolved "https://registry.yarnpkg.com/@smithy/property-provider/-/property-provider-3.1.4.tgz#2d4f0db3a517d283c2b879f3a01673324955013b" - integrity sha512-BmhefQbfkSl9DeU0/e6k9N4sT5bya5etv2epvqLUz3eGyfRBhtQq60nDkc1WPp4c+KWrzK721cUc/3y0f2psPQ== +"@smithy/property-provider@^3.1.6": + version "3.1.6" + resolved "https://registry.yarnpkg.com/@smithy/property-provider/-/property-provider-3.1.6.tgz#141a245ad8cac074d29a836ec992ef7dc3363bf7" + integrity sha512-NK3y/T7Q/Bw+Z8vsVs9MYIQ5v7gOX7clyrXcwhhIBQhbPgRl6JDrZbusO9qWDhcEus75Tg+VCxtIRfo3H76fpw== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" "@smithy/protocol-http@^1.1.0": @@ -3056,70 +3056,70 @@ "@smithy/types" "^1.2.0" tslib "^2.5.0" -"@smithy/protocol-http@^4.1.1": - version "4.1.1" - resolved "https://registry.yarnpkg.com/@smithy/protocol-http/-/protocol-http-4.1.1.tgz#ffd9c3f8ada9b25add3277b7de84c22dc320f1a6" - integrity sha512-Fm5+8LkeIus83Y8jTL1XHsBGP8sPvE1rEVyKf/87kbOPTbzEDMcgOlzcmYXat2h+nC3wwPtRy8hFqtJS71+Wow== +"@smithy/protocol-http@^4.1.3": + version "4.1.3" + resolved "https://registry.yarnpkg.com/@smithy/protocol-http/-/protocol-http-4.1.3.tgz#91d894ec7d82c012c5674cb3e209800852f05abd" + integrity sha512-GcbMmOYpH9iRqtC05RbRnc/0FssxSTHlmaNhYBTgSgNCYpdR3Kt88u5GAZTBmouzv+Zlj/VRv92J9ruuDeJuEw== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/querystring-builder@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/querystring-builder/-/querystring-builder-3.0.4.tgz#1124dfe533e60fd131acffbf78656b8db0a38bbf" - integrity sha512-NEoPAsZPdpfVbF98qm8i5k1XMaRKeEnO47CaL5ja6Y1Z2DgJdwIJuJkTJypKm/IKfp8gc0uimIFLwhml8+/pAw== +"@smithy/querystring-builder@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/querystring-builder/-/querystring-builder-3.0.6.tgz#bcb718b860697dca5257ca38dc8041a4696c486f" + integrity sha512-sQe08RunoObe+Usujn9+R2zrLuQERi3CWvRO3BvnoWSYUaIrLKuAIeY7cMeDax6xGyfIP3x/yFWbEKSXvOnvVg== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" "@smithy/util-uri-escape" "^3.0.0" tslib "^2.6.2" -"@smithy/querystring-parser@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/querystring-parser/-/querystring-parser-3.0.4.tgz#2a1e2d7fb4d2ec726fb4b4dac8b63a8e5294bcf4" - integrity sha512-7CHPXffFcakFzhO0OZs/rn6fXlTHrSDdLhIT6/JIk1u2bvwguTL3fMCc1+CfcbXA7TOhjWXu3TcB1EGMqJQwHg== +"@smithy/querystring-parser@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/querystring-parser/-/querystring-parser-3.0.6.tgz#f30e7e244fa674d77bdfd3c65481c5dc0aa083ef" + integrity sha512-UJKw4LlEkytzz2Wq+uIdHf6qOtFfee/o7ruH0jF5I6UAuU+19r9QV7nU3P/uI0l6+oElRHmG/5cBBcGJrD7Ozg== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/service-error-classification@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/service-error-classification/-/service-error-classification-3.0.4.tgz#60e07b596b38d316aca453e06bfe33464c622fb5" - integrity sha512-KciDHHKFVTb9A1KlJHBt2F26PBaDtoE23uTZy5qRvPzHPqrooXFi6fmx98lJb3Jl38PuUTqIuCUmmY3pacuMBQ== +"@smithy/service-error-classification@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/service-error-classification/-/service-error-classification-3.0.6.tgz#e0ca00b79d9ccf00795284e01cfdc48b43b81d76" + integrity sha512-53SpchU3+DUZrN7J6sBx9tBiCVGzsib2e4sc512Q7K9fpC5zkJKs6Z9s+qbMxSYrkEkle6hnMtrts7XNkMJJMg== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" -"@smithy/shared-ini-file-loader@^3.1.5": - version "3.1.5" - resolved "https://registry.yarnpkg.com/@smithy/shared-ini-file-loader/-/shared-ini-file-loader-3.1.5.tgz#cc44501343c395fc005ded0396446d86408c062d" - integrity sha512-6jxsJ4NOmY5Du4FD0enYegNJl4zTSuKLiChIMqIkh+LapxiP7lmz5lYUNLE9/4cvA65mbBmtdzZ8yxmcqM5igg== +"@smithy/shared-ini-file-loader@^3.1.7": + version "3.1.7" + resolved "https://registry.yarnpkg.com/@smithy/shared-ini-file-loader/-/shared-ini-file-loader-3.1.7.tgz#bdcf3f0213c3c5779c3fbb41580e9a217ad52e8f" + integrity sha512-IA4K2qTJYXkF5OfVN4vsY1hfnUZjaslEE8Fsr/gGFza4TAC2A9NfnZuSY2srQIbt9bwtjHiAayrRVgKse4Q7fA== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/signature-v4@^4.1.1": - version "4.1.1" - resolved "https://registry.yarnpkg.com/@smithy/signature-v4/-/signature-v4-4.1.1.tgz#b47a5cb018ff48d2fcfb846ba6d2d16a08553932" - integrity sha512-SH9J9be81TMBNGCmjhrgMWu4YSpQ3uP1L06u/K9SDrE2YibUix1qxedPCxEQu02At0P0SrYDjvz+y91vLG0KRQ== +"@smithy/signature-v4@^4.1.3": + version "4.1.3" + resolved "https://registry.yarnpkg.com/@smithy/signature-v4/-/signature-v4-4.1.3.tgz#1a5adc19563b8cf8f28ae1ada4d6cda7d351943d" + integrity sha512-YD2KYSCEEeFHcWZ1E3mLdAaHl8T/TANh6XwmocQ6nPcTdBfh4N5fusgnblnWDlnlU1/cUqEq3PiGi22GmT2Lkg== dependencies: "@smithy/is-array-buffer" "^3.0.0" - "@smithy/protocol-http" "^4.1.1" - "@smithy/types" "^3.4.0" + "@smithy/protocol-http" "^4.1.3" + "@smithy/types" "^3.4.2" "@smithy/util-hex-encoding" "^3.0.0" - "@smithy/util-middleware" "^3.0.4" + "@smithy/util-middleware" "^3.0.6" "@smithy/util-uri-escape" "^3.0.0" "@smithy/util-utf8" "^3.0.0" tslib "^2.6.2" -"@smithy/smithy-client@^3.3.0": - version "3.3.0" - resolved "https://registry.yarnpkg.com/@smithy/smithy-client/-/smithy-client-3.3.0.tgz#ee15e7b5ec150f6048ee2ef0e3751c6ed38900c3" - integrity sha512-H32nVo8tIX82kB0xI2LBrIcj8jx/3/ITotNLbeG1UL0b3b440YPR/hUvqjFJiaB24pQrMjRbU8CugqH5sV0hkw== - dependencies: - "@smithy/middleware-endpoint" "^3.1.1" - "@smithy/middleware-stack" "^3.0.4" - "@smithy/protocol-http" "^4.1.1" - "@smithy/types" "^3.4.0" - "@smithy/util-stream" "^3.1.4" +"@smithy/smithy-client@^3.3.2": + version "3.3.2" + resolved "https://registry.yarnpkg.com/@smithy/smithy-client/-/smithy-client-3.3.2.tgz#0c5511525f3e64ac5132d513c38d5d0d4a770719" + integrity sha512-RKDfhF2MTwXl7jan5d7QfS9eCC6XJbO3H+EZAvLQN8A5in4ib2Ml4zoeLo57w9QrqFekBPcsoC2hW3Ekw4vQ9Q== + dependencies: + "@smithy/middleware-endpoint" "^3.1.3" + "@smithy/middleware-stack" "^3.0.6" + "@smithy/protocol-http" "^4.1.3" + "@smithy/types" "^3.4.2" + "@smithy/util-stream" "^3.1.6" tslib "^2.6.2" "@smithy/types@^1.2.0": @@ -3129,20 +3129,20 @@ dependencies: tslib "^2.5.0" -"@smithy/types@^3.4.0": - version "3.4.0" - resolved "https://registry.yarnpkg.com/@smithy/types/-/types-3.4.0.tgz#08b7b3d6af30c66fd0682c73c206a5baf8b40a63" - integrity sha512-0shOWSg/pnFXPcsSU8ZbaJ4JBHZJPPzLCJxafJvbMVFo9l1w81CqpgUqjlKGNHVrVB7fhIs+WS82JDTyzaLyLA== +"@smithy/types@^3.4.2": + version "3.4.2" + resolved "https://registry.yarnpkg.com/@smithy/types/-/types-3.4.2.tgz#aa2d087922d57205dbad68df8a45c848699c551e" + integrity sha512-tHiFcfcVedVBHpmHUEUHOCCih8iZbIAYn9NvPsNzaPm/237I3imdDdZoOC8c87H5HBAVEa06tTgb+OcSWV9g5w== dependencies: tslib "^2.6.2" -"@smithy/url-parser@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/url-parser/-/url-parser-3.0.4.tgz#d24a0304117dc26b81b8a58a3d5eda79cdb09bee" - integrity sha512-XdXfObA8WrloavJYtDuzoDhJAYc5rOt+FirFmKBRKaihu7QtU/METAxJgSo7uMK6hUkx0vFnqxV75urtRaLkLg== +"@smithy/url-parser@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/url-parser/-/url-parser-3.0.6.tgz#98b426f9a492e0c992fcd5dceac35444c2632837" + integrity sha512-47Op/NU8Opt49KyGpHtVdnmmJMsp2hEwBdyjuFB9M2V5QVOwA7pBhhxKN5z6ztKGrMw76gd8MlbPuzzvaAncuQ== dependencies: - "@smithy/querystring-parser" "^3.0.4" - "@smithy/types" "^3.4.0" + "@smithy/querystring-parser" "^3.0.6" + "@smithy/types" "^3.4.2" tslib "^2.6.2" "@smithy/util-base64@^3.0.0": @@ -3191,37 +3191,37 @@ dependencies: tslib "^2.6.2" -"@smithy/util-defaults-mode-browser@^3.0.16": - version "3.0.16" - resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-browser/-/util-defaults-mode-browser-3.0.16.tgz#7d4978a90cee569fdeb6c38c89a09a39371f44d7" - integrity sha512-Os8ddfNBe7hmc5UMWZxygIHCyAqY0aWR8Wnp/aKbti3f8Df/r0J9ttMZIxeMjsFgtVjEryB0q7SGcwBsHk8WEw== +"@smithy/util-defaults-mode-browser@^3.0.18": + version "3.0.18" + resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-browser/-/util-defaults-mode-browser-3.0.18.tgz#c3904b71db96c9b99861fc2017fea503fcff12a4" + integrity sha512-/eveCzU6Z6Yw8dlYQLA4rcK30XY0E4L3lD3QFHm59mzDaWYelrXE1rlynuT3J6qxv+5yNy3a1JuzhG5hk5hcmw== dependencies: - "@smithy/property-provider" "^3.1.4" - "@smithy/smithy-client" "^3.3.0" - "@smithy/types" "^3.4.0" + "@smithy/property-provider" "^3.1.6" + "@smithy/smithy-client" "^3.3.2" + "@smithy/types" "^3.4.2" bowser "^2.11.0" tslib "^2.6.2" -"@smithy/util-defaults-mode-node@^3.0.16": - version "3.0.16" - resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-node/-/util-defaults-mode-node-3.0.16.tgz#5747d886720d4f5acdde8fdf8240a6c1bad42f1f" - integrity sha512-rNhFIYRtrOrrhRlj6RL8jWA6/dcwrbGYAmy8+OAHjjzQ6zdzUBB1P+3IuJAgwWN6Y5GxI+mVXlM/pOjaoIgHow== - dependencies: - "@smithy/config-resolver" "^3.0.6" - "@smithy/credential-provider-imds" "^3.2.1" - "@smithy/node-config-provider" "^3.1.5" - "@smithy/property-provider" "^3.1.4" - "@smithy/smithy-client" "^3.3.0" - "@smithy/types" "^3.4.0" +"@smithy/util-defaults-mode-node@^3.0.18": + version "3.0.18" + resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-node/-/util-defaults-mode-node-3.0.18.tgz#6b46911f2f749bb048cdc287d7237be9d58f4a6b" + integrity sha512-9cfzRjArtOFPlTYRREJk00suUxVXTgbrzVncOyMRTUeMKnecG/YentLF3cORa+R6mUOMSrMSnT18jos1PKqK6Q== + dependencies: + "@smithy/config-resolver" "^3.0.8" + "@smithy/credential-provider-imds" "^3.2.3" + "@smithy/node-config-provider" "^3.1.7" + "@smithy/property-provider" "^3.1.6" + "@smithy/smithy-client" "^3.3.2" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/util-endpoints@^2.1.0": - version "2.1.0" - resolved "https://registry.yarnpkg.com/@smithy/util-endpoints/-/util-endpoints-2.1.0.tgz#33395d918a43f0df44a453c6bfa0cf3d35ed1367" - integrity sha512-ilS7/0jcbS2ELdg0fM/4GVvOiuk8/U3bIFXUW25xE1Vh1Ol4DP6vVHQKqM40rCMizCLmJ9UxK+NeJrKlhI3HVA== +"@smithy/util-endpoints@^2.1.2": + version "2.1.2" + resolved "https://registry.yarnpkg.com/@smithy/util-endpoints/-/util-endpoints-2.1.2.tgz#e1d789d598da9ab955b8cf3257ab2f263c35031a" + integrity sha512-FEISzffb4H8DLzGq1g4MuDpcv6CIG15fXoQzDH9SjpRJv6h7J++1STFWWinilG0tQh9H1v2UKWG19Jjr2B16zQ== dependencies: - "@smithy/node-config-provider" "^3.1.5" - "@smithy/types" "^3.4.0" + "@smithy/node-config-provider" "^3.1.7" + "@smithy/types" "^3.4.2" tslib "^2.6.2" "@smithy/util-hex-encoding@^3.0.0": @@ -3231,31 +3231,31 @@ dependencies: tslib "^2.6.2" -"@smithy/util-middleware@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/util-middleware/-/util-middleware-3.0.4.tgz#a541edb8d3f2923ab06460ec3f1217c143ae5706" - integrity sha512-uSXHTBhstb1c4nHdmQEdkNMv9LiRNaJ/lWV2U/GO+5F236YFpdPw+hyWI9Zc0Rp9XKzwD9kVZvhZmEgp0UCVnA== +"@smithy/util-middleware@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/util-middleware/-/util-middleware-3.0.6.tgz#463c41e74d6e8d758f6cceba4dbed4dc5a4afe50" + integrity sha512-BxbX4aBhI1O9p87/xM+zWy0GzT3CEVcXFPBRDoHAM+pV0eSW156pR+PSYEz0DQHDMYDsYAflC2bQNz2uaDBUZQ== dependencies: - "@smithy/types" "^3.4.0" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/util-retry@^3.0.4": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@smithy/util-retry/-/util-retry-3.0.4.tgz#281de3f89458b5e3b86ca92937eb1212bcecf67f" - integrity sha512-JJr6g0tO1qO2tCQyK+n3J18r34ZpvatlFN5ULcLranFIBZPxqoivb77EPyNTVwTGMEvvq2qMnyjm4jMIxjdLFg== +"@smithy/util-retry@^3.0.6": + version "3.0.6" + resolved "https://registry.yarnpkg.com/@smithy/util-retry/-/util-retry-3.0.6.tgz#297de1cd5a836fb957ab2ad3439041e848815499" + integrity sha512-BRZiuF7IwDntAbevqMco67an0Sr9oLQJqqRCsSPZZHYRnehS0LHDAkJk/pSmI7Z8c/1Vet294H7fY2fWUgB+Rg== dependencies: - "@smithy/service-error-classification" "^3.0.4" - "@smithy/types" "^3.4.0" + "@smithy/service-error-classification" "^3.0.6" + "@smithy/types" "^3.4.2" tslib "^2.6.2" -"@smithy/util-stream@^3.1.4": - version "3.1.4" - resolved "https://registry.yarnpkg.com/@smithy/util-stream/-/util-stream-3.1.4.tgz#f4041a979dfafcbccdc64fa7ee8c376e39c8dc41" - integrity sha512-txU3EIDLhrBZdGfon6E9V6sZz/irYnKFMblz4TLVjyq8hObNHNS2n9a2t7GIrl7d85zgEPhwLE0gANpZsvpsKg== +"@smithy/util-stream@^3.1.6": + version "3.1.6" + resolved "https://registry.yarnpkg.com/@smithy/util-stream/-/util-stream-3.1.6.tgz#424dbb4e321129807e5fb01d961ef902ee7c04f8" + integrity sha512-lQEUfTx1ht5CRdvIjdAN/gUL6vQt2wSARGGLaBHNe+iJSkRHlWzY+DOn0mFTmTgyU3jcI5n9DkT5gTzYuSOo6A== dependencies: - "@smithy/fetch-http-handler" "^3.2.5" - "@smithy/node-http-handler" "^3.2.0" - "@smithy/types" "^3.4.0" + "@smithy/fetch-http-handler" "^3.2.7" + "@smithy/node-http-handler" "^3.2.2" + "@smithy/types" "^3.4.2" "@smithy/util-base64" "^3.0.0" "@smithy/util-buffer-from" "^3.0.0" "@smithy/util-hex-encoding" "^3.0.0" @@ -3285,13 +3285,13 @@ "@smithy/util-buffer-from" "^3.0.0" tslib "^2.6.2" -"@smithy/util-waiter@^3.1.3": - version "3.1.3" - resolved "https://registry.yarnpkg.com/@smithy/util-waiter/-/util-waiter-3.1.3.tgz#a633257cc65f83cf5714a0f66665070868c3aa91" - integrity sha512-OU0YllH51/CxD8iyr3UHSMwYqTGTyuxFdCMH/0F978t+iDmJseC/ttrWPb22zmYkhkrjqtipzC1xaMuax5QKIA== +"@smithy/util-waiter@^3.1.5": + version "3.1.5" + resolved "https://registry.yarnpkg.com/@smithy/util-waiter/-/util-waiter-3.1.5.tgz#56b3a0fa6498ed22dfee7f40c64d13a54dd04fcc" + integrity sha512-jYOSvM3H6sZe3CHjzD2VQNCjWBJs+4DbtwBMvUp9y5EnnwNa7NQxTeYeQw0CKCAdGGZ3QvVkyJmvbvs5M/B10A== dependencies: - "@smithy/abort-controller" "^3.1.2" - "@smithy/types" "^3.4.0" + "@smithy/abort-controller" "^3.1.4" + "@smithy/types" "^3.4.2" tslib "^2.6.2" "@socket.io/component-emitter@~3.1.0": From 1d4ebff641b74e6b6bcc024db8fb3e028de786fc Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Tue, 17 Sep 2024 13:30:19 -0700 Subject: [PATCH 34/53] fix(middleware-flexible-checksums): use union for new config types (#6489) --- ...REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts | 2 +- ...RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts | 8 ++++---- .../src/resolveFlexibleChecksumsConfig.spec.ts | 11 ++++++++--- .../src/resolveFlexibleChecksumsConfig.ts | 15 ++++++++++----- .../src/stringUnionSelector.ts | 8 ++++---- 5 files changed, 27 insertions(+), 17 deletions(-) diff --git a/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts b/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts index cf21cfcc5a86..8fd3ff0804b0 100644 --- a/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts +++ b/packages/middleware-flexible-checksums/src/NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS.ts @@ -6,7 +6,7 @@ import { SelectorType, stringUnionSelector } from "./stringUnionSelector"; export const ENV_REQUEST_CHECKSUM_CALCULATION = "AWS_REQUEST_CHECKSUM_CALCULATION"; export const CONFIG_REQUEST_CHECKSUM_CALCULATION = "request_checksum_calculation"; -export const NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS: LoadedConfigSelectors = { +export const NODE_REQUEST_CHECKSUM_CALCULATION_CONFIG_OPTIONS: LoadedConfigSelectors = { environmentVariableSelector: (env) => stringUnionSelector(env, ENV_REQUEST_CHECKSUM_CALCULATION, RequestChecksumCalculation, SelectorType.ENV), configFileSelector: (profile) => diff --git a/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts b/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts index fcf839559c10..9fa568b33438 100644 --- a/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts +++ b/packages/middleware-flexible-checksums/src/NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS.ts @@ -1,15 +1,15 @@ import { LoadedConfigSelectors } from "@smithy/node-config-provider"; -import { DEFAULT_RESPONSE_CHECKSUM_VALIDATION, RequestChecksumCalculation } from "./constants"; +import { DEFAULT_RESPONSE_CHECKSUM_VALIDATION, ResponseChecksumValidation } from "./constants"; import { SelectorType, stringUnionSelector } from "./stringUnionSelector"; export const ENV_RESPONSE_CHECKSUM_VALIDATION = "AWS_RESPONSE_CHECKSUM_VALIDATION"; export const CONFIG_RESPONSE_CHECKSUM_VALIDATION = "response_checksum_validation"; -export const NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS: LoadedConfigSelectors = { +export const NODE_RESPONSE_CHECKSUM_VALIDATION_CONFIG_OPTIONS: LoadedConfigSelectors = { environmentVariableSelector: (env) => - stringUnionSelector(env, ENV_RESPONSE_CHECKSUM_VALIDATION, RequestChecksumCalculation, SelectorType.ENV), + stringUnionSelector(env, ENV_RESPONSE_CHECKSUM_VALIDATION, ResponseChecksumValidation, SelectorType.ENV), configFileSelector: (profile) => - stringUnionSelector(profile, CONFIG_RESPONSE_CHECKSUM_VALIDATION, RequestChecksumCalculation, SelectorType.CONFIG), + stringUnionSelector(profile, CONFIG_RESPONSE_CHECKSUM_VALIDATION, ResponseChecksumValidation, SelectorType.CONFIG), default: DEFAULT_RESPONSE_CHECKSUM_VALIDATION, }; diff --git a/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts index 7bb1cd64f0d6..59d909a607f3 100644 --- a/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts +++ b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.spec.ts @@ -1,6 +1,11 @@ import { normalizeProvider } from "@smithy/util-middleware"; -import { DEFAULT_REQUEST_CHECKSUM_CALCULATION, DEFAULT_RESPONSE_CHECKSUM_VALIDATION } from "./constants"; +import { + DEFAULT_REQUEST_CHECKSUM_CALCULATION, + DEFAULT_RESPONSE_CHECKSUM_VALIDATION, + RequestChecksumCalculation, + ResponseChecksumValidation, +} from "./constants"; import { resolveFlexibleChecksumsConfig } from "./resolveFlexibleChecksumsConfig"; jest.mock("@smithy/util-middleware"); @@ -25,8 +30,8 @@ describe(resolveFlexibleChecksumsConfig.name, () => { it("normalizes client checksums configuration", () => { const mockInput = { - requestChecksumCalculation: "WHEN_REQUIRED", - responseChecksumValidation: "WHEN_REQUIRED", + requestChecksumCalculation: RequestChecksumCalculation.WHEN_REQUIRED, + responseChecksumValidation: ResponseChecksumValidation.WHEN_REQUIRED, }; const resolvedConfig = resolveFlexibleChecksumsConfig(mockInput); expect(resolvedConfig).toEqual(mockInput); diff --git a/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts index b57f894b23fb..57cfd22e7ed9 100644 --- a/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts +++ b/packages/middleware-flexible-checksums/src/resolveFlexibleChecksumsConfig.ts @@ -1,23 +1,28 @@ import { Provider } from "@smithy/types"; import { normalizeProvider } from "@smithy/util-middleware"; -import { DEFAULT_REQUEST_CHECKSUM_CALCULATION, DEFAULT_RESPONSE_CHECKSUM_VALIDATION } from "./constants"; +import { + DEFAULT_REQUEST_CHECKSUM_CALCULATION, + DEFAULT_RESPONSE_CHECKSUM_VALIDATION, + RequestChecksumCalculation, + ResponseChecksumValidation, +} from "./constants"; export interface FlexibleChecksumsInputConfig { /** * Determines when a checksum will be calculated for request payloads. */ - requestChecksumCalculation?: string | Provider; + requestChecksumCalculation?: RequestChecksumCalculation | Provider; /** * Determines when checksum validation will be performed on response payloads. */ - responseChecksumValidation?: string | Provider; + responseChecksumValidation?: ResponseChecksumValidation | Provider; } export interface FlexibleChecksumsResolvedConfig { - requestChecksumCalculation: Provider; - responseChecksumValidation: Provider; + requestChecksumCalculation: Provider; + responseChecksumValidation: Provider; } export const resolveFlexibleChecksumsConfig = ( diff --git a/packages/middleware-flexible-checksums/src/stringUnionSelector.ts b/packages/middleware-flexible-checksums/src/stringUnionSelector.ts index 2ad49baa50e8..4a557eded5c3 100644 --- a/packages/middleware-flexible-checksums/src/stringUnionSelector.ts +++ b/packages/middleware-flexible-checksums/src/stringUnionSelector.ts @@ -10,12 +10,12 @@ export enum SelectorType { * * @internal */ -export const stringUnionSelector = ( +export const stringUnionSelector = ( obj: Record, key: string, - union: Record, + union: U, type: SelectorType -) => { +): U[K] | undefined => { if (!(key in obj)) return undefined; const value = obj[key]!.toUpperCase(); @@ -23,5 +23,5 @@ export const stringUnionSelector = ( throw new TypeError(`Cannot load ${type} '${key}'. Expected one of ${Object.values(union)}, got '${obj[key]}'.`); } - return value; + return value as U[K]; }; From d34c61fd8a8a7f7268038d2edea820884495b29c Mon Sep 17 00:00:00 2001 From: George Fu Date: Wed, 18 Sep 2024 11:44:34 -0400 Subject: [PATCH 35/53] fix(codegen): fix setting of default signing name (#6487) --- .../aws/typescript/codegen/AddAwsAuthPlugin.java | 15 ++++----------- 1 file changed, 4 insertions(+), 11 deletions(-) diff --git a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsAuthPlugin.java b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsAuthPlugin.java index b46382eb378e..025a52ab2f7f 100644 --- a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsAuthPlugin.java +++ b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsAuthPlugin.java @@ -100,9 +100,8 @@ public void addConfigInterfaceFields( ) { ServiceShape service = settings.getService(model); if (!isSigV4Service(service) && isAwsService(service)) { - ServiceTrait serviceTrait = service.getTrait(ServiceTrait.class).get(); settings.setDefaultSigningName( - serviceTrait.getArnNamespace() + service.expectTrait(ServiceTrait.class).getArnNamespace() ); return; } @@ -123,15 +122,9 @@ public void addConfigInterfaceFields( writer.write("credentialDefaultProvider?: (input: any) => __Provider<__Credentials>;\n"); } - try { - ServiceTrait serviceTrait = service.getTrait(ServiceTrait.class).get(); - settings.setDefaultSigningName( - service.getTrait(SigV4Trait.class).map(SigV4Trait::getName) - .orElse(serviceTrait.getArnNamespace()) - ); - } catch (Exception e) { - LOGGER.warning("Unable to set service default signing name. A SigV4 or Service trait is needed."); - } + settings.setDefaultSigningName( + service.expectTrait(SigV4Trait.class).getName() + ); } // Only one of AwsAuth or SigV4Auth should be used From 346b3107f80f582be866004e7ff0246e01a5e45a Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:19:00 +0000 Subject: [PATCH 36/53] feat(client-cost-explorer): This release extends the GetReservationPurchaseRecommendation API to support recommendations for Amazon DynamoDB reservations. --- ...eservationPurchaseRecommendationCommand.ts | 10 ++ .../src/models/models_0.ts | 93 ++++++++++++++++--- .../src/protocols/Aws_json1_1.ts | 4 + .../sdk-codegen/aws-models/cost-explorer.json | 82 ++++++++++++++-- 4 files changed, 168 insertions(+), 21 deletions(-) diff --git a/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts b/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts index 49ef3518b71b..ca48afb98222 100644 --- a/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts +++ b/clients/client-cost-explorer/src/commands/GetReservationPurchaseRecommendationCommand.ts @@ -231,6 +231,16 @@ export interface GetReservationPurchaseRecommendationCommandOutput * // EstimatedReservationCostForLookbackPeriod: "STRING_VALUE", * // UpfrontCost: "STRING_VALUE", * // RecurringStandardMonthlyCost: "STRING_VALUE", + * // ReservedCapacityDetails: { // ReservedCapacityDetails + * // DynamoDBCapacityDetails: { // DynamoDBCapacityDetails + * // CapacityUnits: "STRING_VALUE", + * // Region: "STRING_VALUE", + * // }, + * // }, + * // RecommendedNumberOfCapacityUnitsToPurchase: "STRING_VALUE", + * // MinimumNumberOfCapacityUnitsUsedPerHour: "STRING_VALUE", + * // MaximumNumberOfCapacityUnitsUsedPerHour: "STRING_VALUE", + * // AverageNumberOfCapacityUnitsUsedPerHour: "STRING_VALUE", * // }, * // ], * // RecommendationSummary: { // ReservationPurchaseRecommendationSummary diff --git a/clients/client-cost-explorer/src/models/models_0.ts b/clients/client-cost-explorer/src/models/models_0.ts index 23e95fed3e4c..f417a5a2fca5 100644 --- a/clients/client-cost-explorer/src/models/models_0.ts +++ b/clients/client-cost-explorer/src/models/models_0.ts @@ -93,14 +93,14 @@ export interface Impact { } /** - *

    The combination of Amazon Web Service, linked account, linked account name, + *

    The combination of Amazon Web Servicesservice, linked account, linked account name, * Region, and usage type where a cost anomaly is observed. The linked account name will * only be available when the account name can be identified.

    * @public */ export interface RootCause { /** - *

    The Amazon Web Service name that's associated with the cost anomaly.

    + *

    The Amazon Web Servicesservice name that's associated with the cost anomaly.

    * @public */ Service?: string; @@ -155,7 +155,7 @@ export interface Anomaly { AnomalyEndDate?: string; /** - *

    The dimension for the anomaly (for example, an Amazon Web Service in a service + *

    The dimension for the anomaly (for example, an Amazon Web Servicesservice in a service * monitor).

    * @public */ @@ -2397,6 +2397,37 @@ export interface InstanceDetails { MemoryDBInstanceDetails?: MemoryDBInstanceDetails; } +/** + *

    The DynamoDB reservations that Amazon Web Services recommends that you purchase.

    + * @public + */ +export interface DynamoDBCapacityDetails { + /** + *

    The capacity unit of the recommended reservation.

    + * @public + */ + CapacityUnits?: string; + + /** + *

    The Amazon Web Services Region of the recommended reservation.

    + * @public + */ + Region?: string; +} + +/** + *

    Details about the reservations that Amazon Web Services recommends that you + * purchase.

    + * @public + */ +export interface ReservedCapacityDetails { + /** + *

    The DynamoDB reservations that Amazon Web Services recommends that you purchase.

    + * @public + */ + DynamoDBCapacityDetails?: DynamoDBCapacityDetails; +} + /** *

    Details about your recommended reservation purchase.

    * @public @@ -2477,22 +2508,22 @@ export interface ReservationPurchaseRecommendationDetail { AverageNormalizedUnitsUsedPerHour?: string; /** - *

    The average utilization of your instances. Amazon Web Services uses this to calculate - * your recommended reservation purchases.

    + *

    The average utilization of your recommendations. Amazon Web Services uses this to + * calculate your recommended reservation purchases.

    * @public */ AverageUtilization?: string; /** - *

    How long Amazon Web Services estimates that it takes for this instance to start saving - * you money, in months.

    + *

    How long Amazon Web Services estimates that it takes for this recommendation to start + * saving you money, in months.

    * @public */ EstimatedBreakEvenInMonths?: string; /** *

    The currency code that Amazon Web Services used to calculate the costs for this - * instance.

    + * recommendation.

    * @public */ CurrencyCode?: string; @@ -2526,16 +2557,54 @@ export interface ReservationPurchaseRecommendationDetail { EstimatedReservationCostForLookbackPeriod?: string; /** - *

    How much purchasing this instance costs you upfront.

    + *

    How much purchasing this recommendation costs you upfront.

    * @public */ UpfrontCost?: string; /** - *

    How much purchasing this instance costs you on a monthly basis.

    + *

    How much purchasing this recommendation costs you on a monthly basis.

    * @public */ RecurringStandardMonthlyCost?: string; + + /** + *

    Details about the reservations that Amazon Web Services recommends that you + * purchase.

    + * @public + */ + ReservedCapacityDetails?: ReservedCapacityDetails; + + /** + *

    The number of reserved capacity units that Amazon Web Services recommends that you + * purchase.

    + * @public + */ + RecommendedNumberOfCapacityUnitsToPurchase?: string; + + /** + *

    The minimum number of provisioned capacity units that you used in an hour during the + * historical period. Amazon Web Services uses this to calculate your recommended + * reservation purchases.

    + * @public + */ + MinimumNumberOfCapacityUnitsUsedPerHour?: string; + + /** + *

    The maximum number of provisioned capacity units that you used in an hour during the + * historical period. Amazon Web Services uses this to calculate your recommended + * reservation purchases.

    + * @public + */ + MaximumNumberOfCapacityUnitsUsedPerHour?: string; + + /** + *

    The average number of provisioned capacity units that you used in an hour during the + * historical period. Amazon Web Services uses this to calculate your recommended + * reservation purchases.

    + * @public + */ + AverageNumberOfCapacityUnitsUsedPerHour?: string; } /** @@ -6421,9 +6490,9 @@ export interface GetDimensionValuesRequest { *
  • *

    BILLING_ENTITY - The Amazon Web Services seller that your account is with. Possible * values are the following:

    - *

    - Amazon Web Services(Amazon Web Services): The entity that sells Amazon Web Services.

    + *

    - Amazon Web Services(Amazon Web Services): The entity that sells Amazon Web Servicesservices.

    *

    - AISPL (Amazon Internet Services Pvt. Ltd.): The local Indian entity that's an acting - * reseller for Amazon Web Services in India.

    + * reseller for Amazon Web Servicesservices in India.

    *

    - Amazon Web Services Marketplace: The entity that supports the sale of solutions that are built on * Amazon Web Services by third-party software providers.

    *
  • diff --git a/clients/client-cost-explorer/src/protocols/Aws_json1_1.ts b/clients/client-cost-explorer/src/protocols/Aws_json1_1.ts index 1ab886b64d0e..1e72d047d8b9 100644 --- a/clients/client-cost-explorer/src/protocols/Aws_json1_1.ts +++ b/clients/client-cost-explorer/src/protocols/Aws_json1_1.ts @@ -2615,6 +2615,8 @@ const de_DescribeCostCategoryDefinitionResponse = ( // de_DiskResourceUtilization omitted. +// de_DynamoDBCapacityDetails omitted. + // de_EBSResourceUtilization omitted. // de_EC2InstanceDetails omitted. @@ -2822,6 +2824,8 @@ const de_Impact = (output: any, context: __SerdeContext): Impact => { // de_ReservationUtilizationGroups omitted. +// de_ReservedCapacityDetails omitted. + // de_ResourceDetails omitted. // de_ResourceNotFoundException omitted. diff --git a/codegen/sdk-codegen/aws-models/cost-explorer.json b/codegen/sdk-codegen/aws-models/cost-explorer.json index e4feed911c5e..665b1e7df12b 100644 --- a/codegen/sdk-codegen/aws-models/cost-explorer.json +++ b/codegen/sdk-codegen/aws-models/cost-explorer.json @@ -1020,7 +1020,7 @@ "DimensionValue": { "target": "com.amazonaws.costexplorer#GenericString", "traits": { - "smithy.api#documentation": "

    The dimension for the anomaly (for example, an Amazon Web Service in a service\n monitor).

    " + "smithy.api#documentation": "

    The dimension for the anomaly (for example, an Amazon Web Servicesservice in a service\n monitor).

    " } }, "RootCauses": { @@ -3021,6 +3021,26 @@ "smithy.api#documentation": "

    The field that contains a list of disk (local storage) metrics that are associated\n with the current instance.

    " } }, + "com.amazonaws.costexplorer#DynamoDBCapacityDetails": { + "type": "structure", + "members": { + "CapacityUnits": { + "target": "com.amazonaws.costexplorer#GenericString", + "traits": { + "smithy.api#documentation": "

    The capacity unit of the recommended reservation.

    " + } + }, + "Region": { + "target": "com.amazonaws.costexplorer#GenericString", + "traits": { + "smithy.api#documentation": "

    The Amazon Web Services Region of the recommended reservation.

    " + } + } + }, + "traits": { + "smithy.api#documentation": "

    The DynamoDB reservations that Amazon Web Services recommends that you purchase.

    " + } + }, "com.amazonaws.costexplorer#EBSResourceUtilization": { "type": "structure", "members": { @@ -4398,7 +4418,7 @@ "Context": { "target": "com.amazonaws.costexplorer#Context", "traits": { - "smithy.api#documentation": "

    The context for the call to GetDimensionValues. This can be\n RESERVATIONS or COST_AND_USAGE. The default value is\n COST_AND_USAGE. If the context is set to RESERVATIONS, the\n resulting dimension values can be used in the GetReservationUtilization\n operation. If the context is set to COST_AND_USAGE, the resulting dimension\n values can be used in the GetCostAndUsage operation.

    \n

    If you set the context to COST_AND_USAGE, you can use the following\n dimensions for searching:

    \n
      \n
    • \n

      AZ - The Availability Zone. An example is us-east-1a.

      \n
    • \n
    • \n

      BILLING_ENTITY - The Amazon Web Services seller that your account is with. Possible\n values are the following:

      \n

      - Amazon Web Services(Amazon Web Services): The entity that sells Amazon Web Services.

      \n

      - AISPL (Amazon Internet Services Pvt. Ltd.): The local Indian entity that's an acting\n reseller for Amazon Web Services in India.

      \n

      - Amazon Web Services Marketplace: The entity that supports the sale of solutions that are built on\n Amazon Web Services by third-party software providers.

      \n
    • \n
    • \n

      CACHE_ENGINE - The Amazon ElastiCache operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      DEPLOYMENT_OPTION - The scope of Amazon Relational Database Service deployments.\n Valid values are SingleAZ and MultiAZ.

      \n
    • \n
    • \n

      DATABASE_ENGINE - The Amazon Relational Database Service database. Examples are\n Aurora or MySQL.

      \n
    • \n
    • \n

      INSTANCE_TYPE - The type of Amazon EC2 instance. An example is\n m4.xlarge.

      \n
    • \n
    • \n

      INSTANCE_TYPE_FAMILY - A family of instance types optimized to fit different use\n cases. Examples are Compute Optimized (for example, C4,\n C5, C6g, and C7g), Memory\n Optimization (for example, R4, R5n, R5b,\n and R6g).

      \n
    • \n
    • \n

      INVOICING_ENTITY - The name of the entity that issues the Amazon Web Services\n invoice.

      \n
    • \n
    • \n

      LEGAL_ENTITY_NAME - The name of the organization that sells you Amazon Web Services\n services, such as Amazon Web Services.

      \n
    • \n
    • \n

      LINKED_ACCOUNT - The description in the attribute map that includes the full name\n of the member account. The value field contains the Amazon Web Services ID of the member\n account.

      \n
    • \n
    • \n

      OPERATING_SYSTEM - The operating system. Examples are Windows or Linux.

      \n
    • \n
    • \n

      OPERATION - The action performed. Examples include RunInstance and\n CreateBucket.

      \n
    • \n
    • \n

      PLATFORM - The Amazon EC2 operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      PURCHASE_TYPE - The reservation type of the purchase that this usage is related to.\n Examples include On-Demand Instances and Standard Reserved Instances.

      \n
    • \n
    • \n

      RESERVATION_ID - The unique identifier for an Amazon Web Services Reservation\n Instance.

      \n
    • \n
    • \n

      SAVINGS_PLAN_ARN - The unique identifier for your Savings Plans.

      \n
    • \n
    • \n

      SAVINGS_PLANS_TYPE - Type of Savings Plans (EC2 Instance or Compute).

      \n
    • \n
    • \n

      SERVICE - The Amazon Web Services service such as Amazon DynamoDB.

      \n
    • \n
    • \n

      TENANCY - The tenancy of a resource. Examples are shared or dedicated.

      \n
    • \n
    • \n

      USAGE_TYPE - The type of usage. An example is DataTransfer-In-Bytes. The response\n for the GetDimensionValues operation includes a unit attribute. Examples\n include GB and Hrs.

      \n
    • \n
    • \n

      USAGE_TYPE_GROUP - The grouping of common usage types. An example is Amazon EC2:\n CloudWatch – Alarms. The response for this operation includes a unit attribute.

      \n
    • \n
    • \n

      REGION - The Amazon Web Services Region.

      \n
    • \n
    • \n

      RECORD_TYPE - The different types of charges such as Reserved Instance (RI) fees,\n usage costs, tax refunds, and credits.

      \n
    • \n
    • \n

      RESOURCE_ID - The unique identifier of the resource. ResourceId is an opt-in\n feature only available for last 14 days for EC2-Compute Service.

      \n
    • \n
    \n

    If you set the context to RESERVATIONS, you can use the following\n dimensions for searching:

    \n
      \n
    • \n

      AZ - The Availability Zone. An example is us-east-1a.

      \n
    • \n
    • \n

      CACHE_ENGINE - The Amazon ElastiCache operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      DEPLOYMENT_OPTION - The scope of Amazon Relational Database Service deployments.\n Valid values are SingleAZ and MultiAZ.

      \n
    • \n
    • \n

      INSTANCE_TYPE - The type of Amazon EC2 instance. An example is\n m4.xlarge.

      \n
    • \n
    • \n

      LINKED_ACCOUNT - The description in the attribute map that includes the full name\n of the member account. The value field contains the Amazon Web Services ID of the member\n account.

      \n
    • \n
    • \n

      PLATFORM - The Amazon EC2 operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      REGION - The Amazon Web Services Region.

      \n
    • \n
    • \n

      SCOPE (Utilization only) - The scope of a Reserved Instance (RI). Values are\n regional or a single Availability Zone.

      \n
    • \n
    • \n

      TAG (Coverage only) - The tags that are associated with a Reserved Instance\n (RI).

      \n
    • \n
    • \n

      TENANCY - The tenancy of a resource. Examples are shared or dedicated.

      \n
    • \n
    \n

    If you set the context to SAVINGS_PLANS, you can use the following\n dimensions for searching:

    \n
      \n
    • \n

      SAVINGS_PLANS_TYPE - Type of Savings Plans (EC2 Instance or Compute)

      \n
    • \n
    • \n

      PAYMENT_OPTION - The payment option for the given Savings Plans (for example, All\n Upfront)

      \n
    • \n
    • \n

      REGION - The Amazon Web Services Region.

      \n
    • \n
    • \n

      INSTANCE_TYPE_FAMILY - The family of instances (For example,\n m5)

      \n
    • \n
    • \n

      LINKED_ACCOUNT - The description in the attribute map that includes the full name\n of the member account. The value field contains the Amazon Web Services ID of the member\n account.

      \n
    • \n
    • \n

      SAVINGS_PLAN_ARN - The unique identifier for your Savings Plans.

      \n
    • \n
    " + "smithy.api#documentation": "

    The context for the call to GetDimensionValues. This can be\n RESERVATIONS or COST_AND_USAGE. The default value is\n COST_AND_USAGE. If the context is set to RESERVATIONS, the\n resulting dimension values can be used in the GetReservationUtilization\n operation. If the context is set to COST_AND_USAGE, the resulting dimension\n values can be used in the GetCostAndUsage operation.

    \n

    If you set the context to COST_AND_USAGE, you can use the following\n dimensions for searching:

    \n
      \n
    • \n

      AZ - The Availability Zone. An example is us-east-1a.

      \n
    • \n
    • \n

      BILLING_ENTITY - The Amazon Web Services seller that your account is with. Possible\n values are the following:

      \n

      - Amazon Web Services(Amazon Web Services): The entity that sells Amazon Web Servicesservices.

      \n

      - AISPL (Amazon Internet Services Pvt. Ltd.): The local Indian entity that's an acting\n reseller for Amazon Web Servicesservices in India.

      \n

      - Amazon Web Services Marketplace: The entity that supports the sale of solutions that are built on\n Amazon Web Services by third-party software providers.

      \n
    • \n
    • \n

      CACHE_ENGINE - The Amazon ElastiCache operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      DEPLOYMENT_OPTION - The scope of Amazon Relational Database Service deployments.\n Valid values are SingleAZ and MultiAZ.

      \n
    • \n
    • \n

      DATABASE_ENGINE - The Amazon Relational Database Service database. Examples are\n Aurora or MySQL.

      \n
    • \n
    • \n

      INSTANCE_TYPE - The type of Amazon EC2 instance. An example is\n m4.xlarge.

      \n
    • \n
    • \n

      INSTANCE_TYPE_FAMILY - A family of instance types optimized to fit different use\n cases. Examples are Compute Optimized (for example, C4,\n C5, C6g, and C7g), Memory\n Optimization (for example, R4, R5n, R5b,\n and R6g).

      \n
    • \n
    • \n

      INVOICING_ENTITY - The name of the entity that issues the Amazon Web Services\n invoice.

      \n
    • \n
    • \n

      LEGAL_ENTITY_NAME - The name of the organization that sells you Amazon Web Services\n services, such as Amazon Web Services.

      \n
    • \n
    • \n

      LINKED_ACCOUNT - The description in the attribute map that includes the full name\n of the member account. The value field contains the Amazon Web Services ID of the member\n account.

      \n
    • \n
    • \n

      OPERATING_SYSTEM - The operating system. Examples are Windows or Linux.

      \n
    • \n
    • \n

      OPERATION - The action performed. Examples include RunInstance and\n CreateBucket.

      \n
    • \n
    • \n

      PLATFORM - The Amazon EC2 operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      PURCHASE_TYPE - The reservation type of the purchase that this usage is related to.\n Examples include On-Demand Instances and Standard Reserved Instances.

      \n
    • \n
    • \n

      RESERVATION_ID - The unique identifier for an Amazon Web Services Reservation\n Instance.

      \n
    • \n
    • \n

      SAVINGS_PLAN_ARN - The unique identifier for your Savings Plans.

      \n
    • \n
    • \n

      SAVINGS_PLANS_TYPE - Type of Savings Plans (EC2 Instance or Compute).

      \n
    • \n
    • \n

      SERVICE - The Amazon Web Services service such as Amazon DynamoDB.

      \n
    • \n
    • \n

      TENANCY - The tenancy of a resource. Examples are shared or dedicated.

      \n
    • \n
    • \n

      USAGE_TYPE - The type of usage. An example is DataTransfer-In-Bytes. The response\n for the GetDimensionValues operation includes a unit attribute. Examples\n include GB and Hrs.

      \n
    • \n
    • \n

      USAGE_TYPE_GROUP - The grouping of common usage types. An example is Amazon EC2:\n CloudWatch – Alarms. The response for this operation includes a unit attribute.

      \n
    • \n
    • \n

      REGION - The Amazon Web Services Region.

      \n
    • \n
    • \n

      RECORD_TYPE - The different types of charges such as Reserved Instance (RI) fees,\n usage costs, tax refunds, and credits.

      \n
    • \n
    • \n

      RESOURCE_ID - The unique identifier of the resource. ResourceId is an opt-in\n feature only available for last 14 days for EC2-Compute Service.

      \n
    • \n
    \n

    If you set the context to RESERVATIONS, you can use the following\n dimensions for searching:

    \n
      \n
    • \n

      AZ - The Availability Zone. An example is us-east-1a.

      \n
    • \n
    • \n

      CACHE_ENGINE - The Amazon ElastiCache operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      DEPLOYMENT_OPTION - The scope of Amazon Relational Database Service deployments.\n Valid values are SingleAZ and MultiAZ.

      \n
    • \n
    • \n

      INSTANCE_TYPE - The type of Amazon EC2 instance. An example is\n m4.xlarge.

      \n
    • \n
    • \n

      LINKED_ACCOUNT - The description in the attribute map that includes the full name\n of the member account. The value field contains the Amazon Web Services ID of the member\n account.

      \n
    • \n
    • \n

      PLATFORM - The Amazon EC2 operating system. Examples are Windows or\n Linux.

      \n
    • \n
    • \n

      REGION - The Amazon Web Services Region.

      \n
    • \n
    • \n

      SCOPE (Utilization only) - The scope of a Reserved Instance (RI). Values are\n regional or a single Availability Zone.

      \n
    • \n
    • \n

      TAG (Coverage only) - The tags that are associated with a Reserved Instance\n (RI).

      \n
    • \n
    • \n

      TENANCY - The tenancy of a resource. Examples are shared or dedicated.

      \n
    • \n
    \n

    If you set the context to SAVINGS_PLANS, you can use the following\n dimensions for searching:

    \n
      \n
    • \n

      SAVINGS_PLANS_TYPE - Type of Savings Plans (EC2 Instance or Compute)

      \n
    • \n
    • \n

      PAYMENT_OPTION - The payment option for the given Savings Plans (for example, All\n Upfront)

      \n
    • \n
    • \n

      REGION - The Amazon Web Services Region.

      \n
    • \n
    • \n

      INSTANCE_TYPE_FAMILY - The family of instances (For example,\n m5)

      \n
    • \n
    • \n

      LINKED_ACCOUNT - The description in the attribute map that includes the full name\n of the member account. The value field contains the Amazon Web Services ID of the member\n account.

      \n
    • \n
    • \n

      SAVINGS_PLAN_ARN - The unique identifier for your Savings Plans.

      \n
    • \n
    " } }, "Filter": { @@ -7304,19 +7324,19 @@ "AverageUtilization": { "target": "com.amazonaws.costexplorer#GenericString", "traits": { - "smithy.api#documentation": "

    The average utilization of your instances. Amazon Web Services uses this to calculate\n your recommended reservation purchases.

    " + "smithy.api#documentation": "

    The average utilization of your recommendations. Amazon Web Services uses this to\n calculate your recommended reservation purchases.

    " } }, "EstimatedBreakEvenInMonths": { "target": "com.amazonaws.costexplorer#GenericString", "traits": { - "smithy.api#documentation": "

    How long Amazon Web Services estimates that it takes for this instance to start saving\n you money, in months.

    " + "smithy.api#documentation": "

    How long Amazon Web Services estimates that it takes for this recommendation to start\n saving you money, in months.

    " } }, "CurrencyCode": { "target": "com.amazonaws.costexplorer#GenericString", "traits": { - "smithy.api#documentation": "

    The currency code that Amazon Web Services used to calculate the costs for this\n instance.

    " + "smithy.api#documentation": "

    The currency code that Amazon Web Services used to calculate the costs for this\n recommendation.

    " } }, "EstimatedMonthlySavingsAmount": { @@ -7346,13 +7366,43 @@ "UpfrontCost": { "target": "com.amazonaws.costexplorer#GenericString", "traits": { - "smithy.api#documentation": "

    How much purchasing this instance costs you upfront.

    " + "smithy.api#documentation": "

    How much purchasing this recommendation costs you upfront.

    " } }, "RecurringStandardMonthlyCost": { "target": "com.amazonaws.costexplorer#GenericString", "traits": { - "smithy.api#documentation": "

    How much purchasing this instance costs you on a monthly basis.

    " + "smithy.api#documentation": "

    How much purchasing this recommendation costs you on a monthly basis.

    " + } + }, + "ReservedCapacityDetails": { + "target": "com.amazonaws.costexplorer#ReservedCapacityDetails", + "traits": { + "smithy.api#documentation": "

    Details about the reservations that Amazon Web Services recommends that you\n purchase.

    " + } + }, + "RecommendedNumberOfCapacityUnitsToPurchase": { + "target": "com.amazonaws.costexplorer#GenericString", + "traits": { + "smithy.api#documentation": "

    The number of reserved capacity units that Amazon Web Services recommends that you\n purchase.

    " + } + }, + "MinimumNumberOfCapacityUnitsUsedPerHour": { + "target": "com.amazonaws.costexplorer#GenericString", + "traits": { + "smithy.api#documentation": "

    The minimum number of provisioned capacity units that you used in an hour during the\n historical period. Amazon Web Services uses this to calculate your recommended\n reservation purchases.

    " + } + }, + "MaximumNumberOfCapacityUnitsUsedPerHour": { + "target": "com.amazonaws.costexplorer#GenericString", + "traits": { + "smithy.api#documentation": "

    The maximum number of provisioned capacity units that you used in an hour during the\n historical period. Amazon Web Services uses this to calculate your recommended\n reservation purchases.

    " + } + }, + "AverageNumberOfCapacityUnitsUsedPerHour": { + "target": "com.amazonaws.costexplorer#GenericString", + "traits": { + "smithy.api#documentation": "

    The average number of provisioned capacity units that you used in an hour during the\n historical period. Amazon Web Services uses this to calculate your recommended\n reservation purchases.

    " } } }, @@ -7462,6 +7512,20 @@ "target": "com.amazonaws.costexplorer#ReservationUtilizationGroup" } }, + "com.amazonaws.costexplorer#ReservedCapacityDetails": { + "type": "structure", + "members": { + "DynamoDBCapacityDetails": { + "target": "com.amazonaws.costexplorer#DynamoDBCapacityDetails", + "traits": { + "smithy.api#documentation": "

    The DynamoDB reservations that Amazon Web Services recommends that you purchase.

    " + } + } + }, + "traits": { + "smithy.api#documentation": "

    Details about the reservations that Amazon Web Services recommends that you\n purchase.

    " + } + }, "com.amazonaws.costexplorer#ReservedHours": { "type": "string" }, @@ -7777,7 +7841,7 @@ "Service": { "target": "com.amazonaws.costexplorer#GenericString", "traits": { - "smithy.api#documentation": "

    The Amazon Web Service name that's associated with the cost anomaly.

    " + "smithy.api#documentation": "

    The Amazon Web Servicesservice name that's associated with the cost anomaly.

    " } }, "Region": { @@ -7806,7 +7870,7 @@ } }, "traits": { - "smithy.api#documentation": "

    The combination of Amazon Web Service, linked account, linked account name,\n Region, and usage type where a cost anomaly is observed. The linked account name will\n only be available when the account name can be identified.

    " + "smithy.api#documentation": "

    The combination of Amazon Web Servicesservice, linked account, linked account name,\n Region, and usage type where a cost anomaly is observed. The linked account name will\n only be available when the account name can be identified.

    " } }, "com.amazonaws.costexplorer#RootCauses": { From e641ad87338ca9f1564d824d8ab3fef2ff67a34f Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:19:00 +0000 Subject: [PATCH 37/53] feat(client-guardduty): Add `launchType` and `sourceIPs` fields to GuardDuty findings. --- .../client-guardduty/src/commands/GetFindingsCommand.ts | 1 + clients/client-guardduty/src/models/models_0.ts | 6 ++++++ clients/client-guardduty/src/protocols/Aws_restJson1.ts | 3 ++- codegen/sdk-codegen/aws-models/guardduty.json | 9 ++++++++- 4 files changed, 17 insertions(+), 2 deletions(-) diff --git a/clients/client-guardduty/src/commands/GetFindingsCommand.ts b/clients/client-guardduty/src/commands/GetFindingsCommand.ts index b044f85225a2..84c582451e00 100644 --- a/clients/client-guardduty/src/commands/GetFindingsCommand.ts +++ b/clients/client-guardduty/src/commands/GetFindingsCommand.ts @@ -324,6 +324,7 @@ export interface GetFindingsCommandOutput extends GetFindingsResponse, __Metadat * // }, * // ], * // Group: "STRING_VALUE", + * // LaunchType: "STRING_VALUE", * // }, * // }, * // ContainerDetails: { diff --git a/clients/client-guardduty/src/models/models_0.ts b/clients/client-guardduty/src/models/models_0.ts index 8c5bd6794dc2..f6340058f820 100644 --- a/clients/client-guardduty/src/models/models_0.ts +++ b/clients/client-guardduty/src/models/models_0.ts @@ -5087,6 +5087,12 @@ export interface EcsTaskDetails { * @public */ Group?: string; + + /** + *

    A capacity on which the task is running. For example, Fargate and EC2.

    + * @public + */ + LaunchType?: string; } /** diff --git a/clients/client-guardduty/src/protocols/Aws_restJson1.ts b/clients/client-guardduty/src/protocols/Aws_restJson1.ts index 189d96dc57ae..009fab62adb4 100644 --- a/clients/client-guardduty/src/protocols/Aws_restJson1.ts +++ b/clients/client-guardduty/src/protocols/Aws_restJson1.ts @@ -5041,6 +5041,7 @@ const de_EcsTaskDetails = (output: any, context: __SerdeContext): EcsTaskDetails Containers: [, (_: any) => de_Containers(_, context), `containers`], DefinitionArn: [, __expectString, `definitionArn`], Group: [, __expectString, `group`], + LaunchType: [, __expectString, `launchType`], StartedAt: [, (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), `startedAt`], StartedBy: [, __expectString, `startedBy`], Tags: [, (_: any) => de_Tags(_, context), `tags`], @@ -5407,7 +5408,7 @@ const de_KubernetesApiCallAction = (output: any, context: __SerdeContext): Kuber RequestUri: [, __expectString, `requestUri`], Resource: [, __expectString, `resource`], ResourceName: [, __expectString, `resourceName`], - SourceIps: [, _json, `sourceIps`], + SourceIps: [, _json, `sourceIPs`], StatusCode: [, __expectInt32, `statusCode`], Subresource: [, __expectString, `subresource`], UserAgent: [, __expectString, `userAgent`], diff --git a/codegen/sdk-codegen/aws-models/guardduty.json b/codegen/sdk-codegen/aws-models/guardduty.json index a5a91da00f32..0bea544774fb 100644 --- a/codegen/sdk-codegen/aws-models/guardduty.json +++ b/codegen/sdk-codegen/aws-models/guardduty.json @@ -4674,6 +4674,13 @@ "smithy.api#documentation": "

    The name of the task group that's associated with the task.

    ", "smithy.api#jsonName": "group" } + }, + "LaunchType": { + "target": "com.amazonaws.guardduty#String", + "traits": { + "smithy.api#documentation": "

    A capacity on which the task is running. For example, Fargate and EC2.

    ", + "smithy.api#jsonName": "launchType" + } } }, "traits": { @@ -8774,7 +8781,7 @@ "target": "com.amazonaws.guardduty#SourceIps", "traits": { "smithy.api#documentation": "

    The IP of the Kubernetes API caller and the IPs of any proxies or load balancers between\n the caller and the API endpoint.

    ", - "smithy.api#jsonName": "sourceIps" + "smithy.api#jsonName": "sourceIPs" } }, "UserAgent": { From 6feb5a5629320f1958e3faa42852388f2b5ccec5 Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:19:00 +0000 Subject: [PATCH 38/53] docs(client-rds): Updates Amazon RDS documentation with information upgrading snapshots with unsupported engine versions for RDS for MySQL and RDS for PostgreSQL. --- .../src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts | 3 +++ codegen/sdk-codegen/aws-models/rds.json | 2 +- 2 files changed, 4 insertions(+), 1 deletion(-) diff --git a/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts b/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts index f0915e5a1649..0412233d920e 100644 --- a/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts +++ b/clients/client-rds/src/commands/RestoreDBInstanceFromDBSnapshotCommand.ts @@ -44,6 +44,9 @@ export interface RestoreDBInstanceFromDBSnapshotCommandOutput * DB instance with the DB instance created from the snapshot.

    *

    If you are restoring from a shared manual DB snapshot, the DBSnapshotIdentifier * must be the ARN of the shared DB snapshot.

    + *

    To restore from a DB snapshot with an unsupported engine version, you must first upgrade the + * engine version of the snapshot. For more information about upgrading a RDS for MySQL DB snapshot engine version, see Upgrading a MySQL DB snapshot engine version. + * For more information about upgrading a RDS for PostgreSQL DB snapshot engine version, Upgrading a PostgreSQL DB snapshot engine version.

    * *

    This command doesn't apply to Aurora MySQL and Aurora PostgreSQL. For Aurora, use RestoreDBClusterFromSnapshot.

    *
    diff --git a/codegen/sdk-codegen/aws-models/rds.json b/codegen/sdk-codegen/aws-models/rds.json index 95d6410add2a..6f7429d58414 100644 --- a/codegen/sdk-codegen/aws-models/rds.json +++ b/codegen/sdk-codegen/aws-models/rds.json @@ -27643,7 +27643,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Creates a new DB instance from a DB snapshot. The target database is created from the source database restore point with most\n of the source's original configuration, including the default security group and DB parameter group. By default, the new DB\n instance is created as a Single-AZ deployment, except when the instance is a SQL Server instance that has an option group\n associated with mirroring. In this case, the instance becomes a Multi-AZ deployment, not a Single-AZ deployment.

    \n

    If you want to replace your original DB instance with the new, restored DB instance, then rename your original DB instance\n before you call the RestoreDBInstanceFromDBSnapshot operation. RDS doesn't allow two DB instances with the same name. After you\n have renamed your original DB instance with a different identifier, then you can pass the original name of the DB instance as\n the DBInstanceIdentifier in the call to the RestoreDBInstanceFromDBSnapshot operation. The result is that you replace the original\n DB instance with the DB instance created from the snapshot.

    \n

    If you are restoring from a shared manual DB snapshot, the DBSnapshotIdentifier\n must be the ARN of the shared DB snapshot.

    \n \n

    This command doesn't apply to Aurora MySQL and Aurora PostgreSQL. For Aurora, use RestoreDBClusterFromSnapshot.

    \n
    ", + "smithy.api#documentation": "

    Creates a new DB instance from a DB snapshot. The target database is created from the source database restore point with most\n of the source's original configuration, including the default security group and DB parameter group. By default, the new DB\n instance is created as a Single-AZ deployment, except when the instance is a SQL Server instance that has an option group\n associated with mirroring. In this case, the instance becomes a Multi-AZ deployment, not a Single-AZ deployment.

    \n

    If you want to replace your original DB instance with the new, restored DB instance, then rename your original DB instance\n before you call the RestoreDBInstanceFromDBSnapshot operation. RDS doesn't allow two DB instances with the same name. After you\n have renamed your original DB instance with a different identifier, then you can pass the original name of the DB instance as\n the DBInstanceIdentifier in the call to the RestoreDBInstanceFromDBSnapshot operation. The result is that you replace the original\n DB instance with the DB instance created from the snapshot.

    \n

    If you are restoring from a shared manual DB snapshot, the DBSnapshotIdentifier\n must be the ARN of the shared DB snapshot.

    \n

    To restore from a DB snapshot with an unsupported engine version, you must first upgrade the \n engine version of the snapshot. For more information about upgrading a RDS for MySQL DB snapshot engine version, see Upgrading a MySQL DB snapshot engine version. \n For more information about upgrading a RDS for PostgreSQL DB snapshot engine version, Upgrading a PostgreSQL DB snapshot engine version.

    \n \n

    This command doesn't apply to Aurora MySQL and Aurora PostgreSQL. For Aurora, use RestoreDBClusterFromSnapshot.

    \n
    ", "smithy.api#examples": [ { "title": "To restore a DB instance from a DB snapshot", From 33c1376d3f015496d3457cd2c1575bbc794af476 Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:19:00 +0000 Subject: [PATCH 39/53] feat(client-directory-service): Added new APIs for enabling, disabling, and describing access to the AWS Directory Service Data API --- clients/client-directory-service/README.md | 24 ++ .../src/DirectoryService.ts | 69 +++++ .../src/DirectoryServiceClient.ts | 18 ++ .../src/commands/AddIpRoutesCommand.ts | 2 +- .../src/commands/AddRegionCommand.ts | 4 +- .../src/commands/CreateComputerCommand.ts | 2 +- .../CreateConditionalForwarderCommand.ts | 2 +- .../DeleteConditionalForwarderCommand.ts | 2 +- .../commands/DeregisterCertificateCommand.ts | 2 +- ...ribeClientAuthenticationSettingsCommand.ts | 2 +- .../DescribeConditionalForwardersCommand.ts | 2 +- .../commands/DescribeDirectoriesCommand.ts | 2 +- .../DescribeDirectoryDataAccessCommand.ts | 107 ++++++++ .../DescribeDomainControllersCommand.ts | 2 +- .../src/commands/DescribeRegionsCommand.ts | 4 +- .../DescribeUpdateDirectoryCommand.ts | 2 +- .../DisableClientAuthenticationCommand.ts | 2 +- .../DisableDirectoryDataAccessCommand.ts | 113 ++++++++ .../src/commands/DisableLDAPSCommand.ts | 2 +- .../EnableClientAuthenticationCommand.ts | 2 +- .../EnableDirectoryDataAccessCommand.ts | 113 ++++++++ .../src/commands/EnableLDAPSCommand.ts | 2 +- .../commands/RegisterCertificateCommand.ts | 2 +- .../src/commands/RemoveIpRoutesCommand.ts | 2 +- .../src/commands/RemoveRegionCommand.ts | 4 +- .../src/commands/ResetUserPasswordCommand.ts | 4 +- .../src/commands/ShareDirectoryCommand.ts | 2 +- .../commands/StartSchemaExtensionCommand.ts | 2 +- .../UpdateConditionalForwarderCommand.ts | 2 +- .../commands/UpdateDirectorySetupCommand.ts | 4 +- .../UpdateNumberOfDomainControllersCommand.ts | 2 +- .../src/commands/UpdateSettingsCommand.ts | 2 +- .../src/commands/index.ts | 3 + .../src/models/models_0.ts | 128 +++++++-- .../src/protocols/Aws_json1_1.ts | 132 ++++++++- .../aws-models/directory-service.json | 252 +++++++++++++++++- 36 files changed, 948 insertions(+), 73 deletions(-) create mode 100644 clients/client-directory-service/src/commands/DescribeDirectoryDataAccessCommand.ts create mode 100644 clients/client-directory-service/src/commands/DisableDirectoryDataAccessCommand.ts create mode 100644 clients/client-directory-service/src/commands/EnableDirectoryDataAccessCommand.ts diff --git a/clients/client-directory-service/README.md b/clients/client-directory-service/README.md index 48fdbfcc822d..06bfba58f063 100644 --- a/clients/client-directory-service/README.md +++ b/clients/client-directory-service/README.md @@ -416,6 +416,14 @@ DescribeDirectories [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service/command/DescribeDirectoriesCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DescribeDirectoriesCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DescribeDirectoriesCommandOutput/) +
    +
    + +DescribeDirectoryDataAccess + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service/command/DescribeDirectoryDataAccessCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DescribeDirectoryDataAccessCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DescribeDirectoryDataAccessCommandOutput/) +
    @@ -496,6 +504,14 @@ DisableClientAuthentication [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service/command/DisableClientAuthenticationCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DisableClientAuthenticationCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DisableClientAuthenticationCommandOutput/) +
    +
    + +DisableDirectoryDataAccess + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service/command/DisableDirectoryDataAccessCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DisableDirectoryDataAccessCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/DisableDirectoryDataAccessCommandOutput/) +
    @@ -528,6 +544,14 @@ EnableClientAuthentication [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service/command/EnableClientAuthenticationCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/EnableClientAuthenticationCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/EnableClientAuthenticationCommandOutput/) +
    +
    + +EnableDirectoryDataAccess + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service/command/EnableDirectoryDataAccessCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/EnableDirectoryDataAccessCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service/Interface/EnableDirectoryDataAccessCommandOutput/) +
    diff --git a/clients/client-directory-service/src/DirectoryService.ts b/clients/client-directory-service/src/DirectoryService.ts index 9d30c757d265..31c3255bfb4d 100644 --- a/clients/client-directory-service/src/DirectoryService.ts +++ b/clients/client-directory-service/src/DirectoryService.ts @@ -107,6 +107,11 @@ import { DescribeDirectoriesCommandInput, DescribeDirectoriesCommandOutput, } from "./commands/DescribeDirectoriesCommand"; +import { + DescribeDirectoryDataAccessCommand, + DescribeDirectoryDataAccessCommandInput, + DescribeDirectoryDataAccessCommandOutput, +} from "./commands/DescribeDirectoryDataAccessCommand"; import { DescribeDomainControllersCommand, DescribeDomainControllersCommandInput, @@ -157,6 +162,11 @@ import { DisableClientAuthenticationCommandInput, DisableClientAuthenticationCommandOutput, } from "./commands/DisableClientAuthenticationCommand"; +import { + DisableDirectoryDataAccessCommand, + DisableDirectoryDataAccessCommandInput, + DisableDirectoryDataAccessCommandOutput, +} from "./commands/DisableDirectoryDataAccessCommand"; import { DisableLDAPSCommand, DisableLDAPSCommandInput, @@ -173,6 +183,11 @@ import { EnableClientAuthenticationCommandInput, EnableClientAuthenticationCommandOutput, } from "./commands/EnableClientAuthenticationCommand"; +import { + EnableDirectoryDataAccessCommand, + EnableDirectoryDataAccessCommandInput, + EnableDirectoryDataAccessCommandOutput, +} from "./commands/EnableDirectoryDataAccessCommand"; import { EnableLDAPSCommand, EnableLDAPSCommandInput, EnableLDAPSCommandOutput } from "./commands/EnableLDAPSCommand"; import { EnableRadiusCommand, @@ -325,6 +340,7 @@ const commands = { DescribeClientAuthenticationSettingsCommand, DescribeConditionalForwardersCommand, DescribeDirectoriesCommand, + DescribeDirectoryDataAccessCommand, DescribeDomainControllersCommand, DescribeEventTopicsCommand, DescribeLDAPSSettingsCommand, @@ -335,10 +351,12 @@ const commands = { DescribeTrustsCommand, DescribeUpdateDirectoryCommand, DisableClientAuthenticationCommand, + DisableDirectoryDataAccessCommand, DisableLDAPSCommand, DisableRadiusCommand, DisableSsoCommand, EnableClientAuthenticationCommand, + EnableDirectoryDataAccessCommand, EnableLDAPSCommand, EnableRadiusCommand, EnableSsoCommand, @@ -751,6 +769,23 @@ export interface DirectoryService { cb: (err: any, data?: DescribeDirectoriesCommandOutput) => void ): void; + /** + * @see {@link DescribeDirectoryDataAccessCommand} + */ + describeDirectoryDataAccess( + args: DescribeDirectoryDataAccessCommandInput, + options?: __HttpHandlerOptions + ): Promise; + describeDirectoryDataAccess( + args: DescribeDirectoryDataAccessCommandInput, + cb: (err: any, data?: DescribeDirectoryDataAccessCommandOutput) => void + ): void; + describeDirectoryDataAccess( + args: DescribeDirectoryDataAccessCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DescribeDirectoryDataAccessCommandOutput) => void + ): void; + /** * @see {@link DescribeDomainControllersCommand} */ @@ -918,6 +953,23 @@ export interface DirectoryService { cb: (err: any, data?: DisableClientAuthenticationCommandOutput) => void ): void; + /** + * @see {@link DisableDirectoryDataAccessCommand} + */ + disableDirectoryDataAccess( + args: DisableDirectoryDataAccessCommandInput, + options?: __HttpHandlerOptions + ): Promise; + disableDirectoryDataAccess( + args: DisableDirectoryDataAccessCommandInput, + cb: (err: any, data?: DisableDirectoryDataAccessCommandOutput) => void + ): void; + disableDirectoryDataAccess( + args: DisableDirectoryDataAccessCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DisableDirectoryDataAccessCommandOutput) => void + ): void; + /** * @see {@link DisableLDAPSCommand} */ @@ -968,6 +1020,23 @@ export interface DirectoryService { cb: (err: any, data?: EnableClientAuthenticationCommandOutput) => void ): void; + /** + * @see {@link EnableDirectoryDataAccessCommand} + */ + enableDirectoryDataAccess( + args: EnableDirectoryDataAccessCommandInput, + options?: __HttpHandlerOptions + ): Promise; + enableDirectoryDataAccess( + args: EnableDirectoryDataAccessCommandInput, + cb: (err: any, data?: EnableDirectoryDataAccessCommandOutput) => void + ): void; + enableDirectoryDataAccess( + args: EnableDirectoryDataAccessCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: EnableDirectoryDataAccessCommandOutput) => void + ): void; + /** * @see {@link EnableLDAPSCommand} */ diff --git a/clients/client-directory-service/src/DirectoryServiceClient.ts b/clients/client-directory-service/src/DirectoryServiceClient.ts index 2e43c1eb7dba..70d461267dce 100644 --- a/clients/client-directory-service/src/DirectoryServiceClient.ts +++ b/clients/client-directory-service/src/DirectoryServiceClient.ts @@ -114,6 +114,10 @@ import { DescribeDirectoriesCommandInput, DescribeDirectoriesCommandOutput, } from "./commands/DescribeDirectoriesCommand"; +import { + DescribeDirectoryDataAccessCommandInput, + DescribeDirectoryDataAccessCommandOutput, +} from "./commands/DescribeDirectoryDataAccessCommand"; import { DescribeDomainControllersCommandInput, DescribeDomainControllersCommandOutput, @@ -142,6 +146,10 @@ import { DisableClientAuthenticationCommandInput, DisableClientAuthenticationCommandOutput, } from "./commands/DisableClientAuthenticationCommand"; +import { + DisableDirectoryDataAccessCommandInput, + DisableDirectoryDataAccessCommandOutput, +} from "./commands/DisableDirectoryDataAccessCommand"; import { DisableLDAPSCommandInput, DisableLDAPSCommandOutput } from "./commands/DisableLDAPSCommand"; import { DisableRadiusCommandInput, DisableRadiusCommandOutput } from "./commands/DisableRadiusCommand"; import { DisableSsoCommandInput, DisableSsoCommandOutput } from "./commands/DisableSsoCommand"; @@ -149,6 +157,10 @@ import { EnableClientAuthenticationCommandInput, EnableClientAuthenticationCommandOutput, } from "./commands/EnableClientAuthenticationCommand"; +import { + EnableDirectoryDataAccessCommandInput, + EnableDirectoryDataAccessCommandOutput, +} from "./commands/EnableDirectoryDataAccessCommand"; import { EnableLDAPSCommandInput, EnableLDAPSCommandOutput } from "./commands/EnableLDAPSCommand"; import { EnableRadiusCommandInput, EnableRadiusCommandOutput } from "./commands/EnableRadiusCommand"; import { EnableSsoCommandInput, EnableSsoCommandOutput } from "./commands/EnableSsoCommand"; @@ -250,6 +262,7 @@ export type ServiceInputTypes = | DescribeClientAuthenticationSettingsCommandInput | DescribeConditionalForwardersCommandInput | DescribeDirectoriesCommandInput + | DescribeDirectoryDataAccessCommandInput | DescribeDomainControllersCommandInput | DescribeEventTopicsCommandInput | DescribeLDAPSSettingsCommandInput @@ -260,10 +273,12 @@ export type ServiceInputTypes = | DescribeTrustsCommandInput | DescribeUpdateDirectoryCommandInput | DisableClientAuthenticationCommandInput + | DisableDirectoryDataAccessCommandInput | DisableLDAPSCommandInput | DisableRadiusCommandInput | DisableSsoCommandInput | EnableClientAuthenticationCommandInput + | EnableDirectoryDataAccessCommandInput | EnableLDAPSCommandInput | EnableRadiusCommandInput | EnableSsoCommandInput @@ -322,6 +337,7 @@ export type ServiceOutputTypes = | DescribeClientAuthenticationSettingsCommandOutput | DescribeConditionalForwardersCommandOutput | DescribeDirectoriesCommandOutput + | DescribeDirectoryDataAccessCommandOutput | DescribeDomainControllersCommandOutput | DescribeEventTopicsCommandOutput | DescribeLDAPSSettingsCommandOutput @@ -332,10 +348,12 @@ export type ServiceOutputTypes = | DescribeTrustsCommandOutput | DescribeUpdateDirectoryCommandOutput | DisableClientAuthenticationCommandOutput + | DisableDirectoryDataAccessCommandOutput | DisableLDAPSCommandOutput | DisableRadiusCommandOutput | DisableSsoCommandOutput | EnableClientAuthenticationCommandOutput + | EnableDirectoryDataAccessCommandOutput | EnableLDAPSCommandOutput | EnableRadiusCommandOutput | EnableSsoCommandOutput diff --git a/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts b/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts index e8032fe20e92..dadd9aac4f15 100644 --- a/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts +++ b/clients/client-directory-service/src/commands/AddIpRoutesCommand.ts @@ -68,7 +68,7 @@ export interface AddIpRoutesCommandOutput extends AddIpRoutesResult, __MetadataB *

    A client exception has occurred.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link EntityAlreadyExistsException} (client fault) *

    The specified entity already exists.

    diff --git a/clients/client-directory-service/src/commands/AddRegionCommand.ts b/clients/client-directory-service/src/commands/AddRegionCommand.ts index 5dd73de1bace..7f8b06cd2833 100644 --- a/clients/client-directory-service/src/commands/AddRegionCommand.ts +++ b/clients/client-directory-service/src/commands/AddRegionCommand.ts @@ -58,7 +58,7 @@ export interface AddRegionCommandOutput extends AddRegionResult, __MetadataBeare * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

    Client authentication is not available in this region at this time.

    + *

    You do not have sufficient access to perform this action.

    * * @throws {@link ClientException} (client fault) *

    A client exception has occurred.

    @@ -71,7 +71,7 @@ export interface AddRegionCommandOutput extends AddRegionResult, __MetadataBeare *

    The specified directory does not exist in the system.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link EntityDoesNotExistException} (client fault) *

    The specified entity could not be found.

    diff --git a/clients/client-directory-service/src/commands/CreateComputerCommand.ts b/clients/client-directory-service/src/commands/CreateComputerCommand.ts index 5d9f6f20e474..d68272c691b4 100644 --- a/clients/client-directory-service/src/commands/CreateComputerCommand.ts +++ b/clients/client-directory-service/src/commands/CreateComputerCommand.ts @@ -81,7 +81,7 @@ export interface CreateComputerCommandOutput extends CreateComputerResult, __Met *

    A client exception has occurred.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link EntityAlreadyExistsException} (client fault) *

    The specified entity already exists.

    diff --git a/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts b/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts index bbb107624b7e..32d85ccd92c0 100644 --- a/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts +++ b/clients/client-directory-service/src/commands/CreateConditionalForwarderCommand.ts @@ -60,7 +60,7 @@ export interface CreateConditionalForwarderCommandOutput extends CreateCondition *

    A client exception has occurred.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link EntityAlreadyExistsException} (client fault) *

    The specified entity already exists.

    diff --git a/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts b/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts index 81a89a86cf4a..1d0d4caaec61 100644 --- a/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts +++ b/clients/client-directory-service/src/commands/DeleteConditionalForwarderCommand.ts @@ -56,7 +56,7 @@ export interface DeleteConditionalForwarderCommandOutput extends DeleteCondition *

    A client exception has occurred.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link EntityDoesNotExistException} (client fault) *

    The specified entity could not be found.

    diff --git a/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts b/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts index b2f36e7f90d1..eabbc9c5c096 100644 --- a/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts +++ b/clients/client-directory-service/src/commands/DeregisterCertificateCommand.ts @@ -65,7 +65,7 @@ export interface DeregisterCertificateCommandOutput extends DeregisterCertificat *

    The specified directory does not exist in the system.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link InvalidParameterException} (client fault) *

    One or more parameters are not valid.

    diff --git a/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts b/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts index 7d4a00eb7a41..54863e3056e4 100644 --- a/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeClientAuthenticationSettingsCommand.ts @@ -72,7 +72,7 @@ export interface DescribeClientAuthenticationSettingsCommandOutput * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

    Client authentication is not available in this region at this time.

    + *

    You do not have sufficient access to perform this action.

    * * @throws {@link ClientException} (client fault) *

    A client exception has occurred.

    diff --git a/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts b/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts index f8fff32edeb7..4921d7b36e10 100644 --- a/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeConditionalForwardersCommand.ts @@ -74,7 +74,7 @@ export interface DescribeConditionalForwardersCommandOutput *

    A client exception has occurred.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link EntityDoesNotExistException} (client fault) *

    The specified entity could not be found.

    diff --git a/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts b/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts index 35dca180f61c..f44fbf3ca41b 100644 --- a/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeDirectoriesCommand.ts @@ -72,7 +72,7 @@ export interface DescribeDirectoriesCommandOutput extends DescribeDirectoriesRes * // DnsIpAddrs: [ // DnsIpAddrs * // "STRING_VALUE", * // ], - * // Stage: "Requested" || "Creating" || "Created" || "Active" || "Inoperable" || "Impaired" || "Restoring" || "RestoreFailed" || "Deleting" || "Deleted" || "Failed", + * // Stage: "Requested" || "Creating" || "Created" || "Active" || "Inoperable" || "Impaired" || "Restoring" || "RestoreFailed" || "Deleting" || "Deleted" || "Failed" || "Updating", * // ShareStatus: "Shared" || "PendingAcceptance" || "Rejected" || "Rejecting" || "RejectFailed" || "Sharing" || "ShareFailed" || "Deleted" || "Deleting", * // ShareMethod: "ORGANIZATIONS" || "HANDSHAKE", * // ShareNotes: "STRING_VALUE", diff --git a/clients/client-directory-service/src/commands/DescribeDirectoryDataAccessCommand.ts b/clients/client-directory-service/src/commands/DescribeDirectoryDataAccessCommand.ts new file mode 100644 index 000000000000..8f3bd6a3fa40 --- /dev/null +++ b/clients/client-directory-service/src/commands/DescribeDirectoryDataAccessCommand.ts @@ -0,0 +1,107 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { DirectoryServiceClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../DirectoryServiceClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { DescribeDirectoryDataAccessRequest, DescribeDirectoryDataAccessResult } from "../models/models_0"; +import { de_DescribeDirectoryDataAccessCommand, se_DescribeDirectoryDataAccessCommand } from "../protocols/Aws_json1_1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DescribeDirectoryDataAccessCommand}. + */ +export interface DescribeDirectoryDataAccessCommandInput extends DescribeDirectoryDataAccessRequest {} +/** + * @public + * + * The output of {@link DescribeDirectoryDataAccessCommand}. + */ +export interface DescribeDirectoryDataAccessCommandOutput extends DescribeDirectoryDataAccessResult, __MetadataBearer {} + +/** + *

    Obtains status of directory data access enablement through the Directory Service Data API for the specified directory.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceClient, DescribeDirectoryDataAccessCommand } from "@aws-sdk/client-directory-service"; // ES Modules import + * // const { DirectoryServiceClient, DescribeDirectoryDataAccessCommand } = require("@aws-sdk/client-directory-service"); // CommonJS import + * const client = new DirectoryServiceClient(config); + * const input = { // DescribeDirectoryDataAccessRequest + * DirectoryId: "STRING_VALUE", // required + * }; + * const command = new DescribeDirectoryDataAccessCommand(input); + * const response = await client.send(command); + * // { // DescribeDirectoryDataAccessResult + * // DataAccessStatus: "Disabled" || "Disabling" || "Enabled" || "Enabling" || "Failed", + * // }; + * + * ``` + * + * @param DescribeDirectoryDataAccessCommandInput - {@link DescribeDirectoryDataAccessCommandInput} + * @returns {@link DescribeDirectoryDataAccessCommandOutput} + * @see {@link DescribeDirectoryDataAccessCommandInput} for command's `input` shape. + * @see {@link DescribeDirectoryDataAccessCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    You do not have sufficient access to perform this action.

    + * + * @throws {@link ClientException} (client fault) + *

    A client exception has occurred.

    + * + * @throws {@link DirectoryDoesNotExistException} (client fault) + *

    The specified directory does not exist in the system.

    + * + * @throws {@link ServiceException} (server fault) + *

    An exception has occurred in Directory Service.

    + * + * @throws {@link UnsupportedOperationException} (client fault) + *

    The operation is not supported.

    + * + * @throws {@link DirectoryServiceServiceException} + *

    Base exception class for all service exceptions from DirectoryService service.

    + * + * @public + */ +export class DescribeDirectoryDataAccessCommand extends $Command + .classBuilder< + DescribeDirectoryDataAccessCommandInput, + DescribeDirectoryDataAccessCommandOutput, + DirectoryServiceClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryService_20150416", "DescribeDirectoryDataAccess", {}) + .n("DirectoryServiceClient", "DescribeDirectoryDataAccessCommand") + .f(void 0, void 0) + .ser(se_DescribeDirectoryDataAccessCommand) + .de(de_DescribeDirectoryDataAccessCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeDirectoryDataAccessRequest; + output: DescribeDirectoryDataAccessResult; + }; + sdk: { + input: DescribeDirectoryDataAccessCommandInput; + output: DescribeDirectoryDataAccessCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts b/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts index ef5d5545a1fe..123661f047c7 100644 --- a/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeDomainControllersCommand.ts @@ -54,7 +54,7 @@ export interface DescribeDomainControllersCommandOutput extends DescribeDomainCo * // VpcId: "STRING_VALUE", * // SubnetId: "STRING_VALUE", * // AvailabilityZone: "STRING_VALUE", - * // Status: "Creating" || "Active" || "Impaired" || "Restoring" || "Deleting" || "Deleted" || "Failed", + * // Status: "Creating" || "Active" || "Impaired" || "Restoring" || "Deleting" || "Deleted" || "Failed" || "Updating", * // StatusReason: "STRING_VALUE", * // LaunchTime: new Date("TIMESTAMP"), * // StatusLastUpdatedDateTime: new Date("TIMESTAMP"), diff --git a/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts b/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts index c401efce98ad..bd7efb8cd579 100644 --- a/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeRegionsCommand.ts @@ -49,7 +49,7 @@ export interface DescribeRegionsCommandOutput extends DescribeRegionsResult, __M * // DirectoryId: "STRING_VALUE", * // RegionName: "STRING_VALUE", * // RegionType: "Primary" || "Additional", - * // Status: "Requested" || "Creating" || "Created" || "Active" || "Inoperable" || "Impaired" || "Restoring" || "RestoreFailed" || "Deleting" || "Deleted" || "Failed", + * // Status: "Requested" || "Creating" || "Created" || "Active" || "Inoperable" || "Impaired" || "Restoring" || "RestoreFailed" || "Deleting" || "Deleted" || "Failed" || "Updating", * // VpcSettings: { // DirectoryVpcSettings * // VpcId: "STRING_VALUE", // required * // SubnetIds: [ // SubnetIds // required @@ -74,7 +74,7 @@ export interface DescribeRegionsCommandOutput extends DescribeRegionsResult, __M * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

    Client authentication is not available in this region at this time.

    + *

    You do not have sufficient access to perform this action.

    * * @throws {@link ClientException} (client fault) *

    A client exception has occurred.

    diff --git a/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts b/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts index 6a42196fce1a..04abec52caca 100644 --- a/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/DescribeUpdateDirectoryCommand.ts @@ -78,7 +78,7 @@ export interface DescribeUpdateDirectoryCommandOutput extends DescribeUpdateDire * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

    Client authentication is not available in this region at this time.

    + *

    You do not have sufficient access to perform this action.

    * * @throws {@link ClientException} (client fault) *

    A client exception has occurred.

    diff --git a/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts b/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts index b3684c74174b..50f07b4c309d 100644 --- a/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts +++ b/clients/client-directory-service/src/commands/DisableClientAuthenticationCommand.ts @@ -52,7 +52,7 @@ export interface DisableClientAuthenticationCommandOutput extends DisableClientA * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

    Client authentication is not available in this region at this time.

    + *

    You do not have sufficient access to perform this action.

    * * @throws {@link ClientException} (client fault) *

    A client exception has occurred.

    diff --git a/clients/client-directory-service/src/commands/DisableDirectoryDataAccessCommand.ts b/clients/client-directory-service/src/commands/DisableDirectoryDataAccessCommand.ts new file mode 100644 index 000000000000..c57ea4c62780 --- /dev/null +++ b/clients/client-directory-service/src/commands/DisableDirectoryDataAccessCommand.ts @@ -0,0 +1,113 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { DirectoryServiceClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../DirectoryServiceClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { DisableDirectoryDataAccessRequest, DisableDirectoryDataAccessResult } from "../models/models_0"; +import { de_DisableDirectoryDataAccessCommand, se_DisableDirectoryDataAccessCommand } from "../protocols/Aws_json1_1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DisableDirectoryDataAccessCommand}. + */ +export interface DisableDirectoryDataAccessCommandInput extends DisableDirectoryDataAccessRequest {} +/** + * @public + * + * The output of {@link DisableDirectoryDataAccessCommand}. + */ +export interface DisableDirectoryDataAccessCommandOutput extends DisableDirectoryDataAccessResult, __MetadataBearer {} + +/** + *

    Deactivates access to directory data via the Directory Service Data API for the specified directory.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceClient, DisableDirectoryDataAccessCommand } from "@aws-sdk/client-directory-service"; // ES Modules import + * // const { DirectoryServiceClient, DisableDirectoryDataAccessCommand } = require("@aws-sdk/client-directory-service"); // CommonJS import + * const client = new DirectoryServiceClient(config); + * const input = { // DisableDirectoryDataAccessRequest + * DirectoryId: "STRING_VALUE", // required + * }; + * const command = new DisableDirectoryDataAccessCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param DisableDirectoryDataAccessCommandInput - {@link DisableDirectoryDataAccessCommandInput} + * @returns {@link DisableDirectoryDataAccessCommandOutput} + * @see {@link DisableDirectoryDataAccessCommandInput} for command's `input` shape. + * @see {@link DisableDirectoryDataAccessCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    You do not have sufficient access to perform this action.

    + * + * @throws {@link ClientException} (client fault) + *

    A client exception has occurred.

    + * + * @throws {@link DirectoryDoesNotExistException} (client fault) + *

    The specified directory does not exist in the system.

    + * + * @throws {@link DirectoryInDesiredStateException} (client fault) + *

    + * The directory is already updated to desired update type settings. + *

    + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

    The specified directory is unavailable.

    + * + * @throws {@link ServiceException} (server fault) + *

    An exception has occurred in Directory Service.

    + * + * @throws {@link UnsupportedOperationException} (client fault) + *

    The operation is not supported.

    + * + * @throws {@link DirectoryServiceServiceException} + *

    Base exception class for all service exceptions from DirectoryService service.

    + * + * @public + */ +export class DisableDirectoryDataAccessCommand extends $Command + .classBuilder< + DisableDirectoryDataAccessCommandInput, + DisableDirectoryDataAccessCommandOutput, + DirectoryServiceClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryService_20150416", "DisableDirectoryDataAccess", {}) + .n("DirectoryServiceClient", "DisableDirectoryDataAccessCommand") + .f(void 0, void 0) + .ser(se_DisableDirectoryDataAccessCommand) + .de(de_DisableDirectoryDataAccessCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableDirectoryDataAccessRequest; + output: {}; + }; + sdk: { + input: DisableDirectoryDataAccessCommandInput; + output: DisableDirectoryDataAccessCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts b/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts index 43cc2719f88d..4e3e5f959661 100644 --- a/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts +++ b/clients/client-directory-service/src/commands/DisableLDAPSCommand.ts @@ -58,7 +58,7 @@ export interface DisableLDAPSCommandOutput extends DisableLDAPSResult, __Metadat *

    The specified directory does not exist in the system.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link InvalidLDAPSStatusException} (client fault) *

    The LDAP activities could not be performed because they are limited by the LDAPS diff --git a/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts b/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts index 0d768544e8f5..1bf024e49fd7 100644 --- a/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts +++ b/clients/client-directory-service/src/commands/EnableClientAuthenticationCommand.ts @@ -52,7 +52,7 @@ export interface EnableClientAuthenticationCommandOutput extends EnableClientAut * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

    Client authentication is not available in this region at this time.

    + *

    You do not have sufficient access to perform this action.

    * * @throws {@link ClientException} (client fault) *

    A client exception has occurred.

    diff --git a/clients/client-directory-service/src/commands/EnableDirectoryDataAccessCommand.ts b/clients/client-directory-service/src/commands/EnableDirectoryDataAccessCommand.ts new file mode 100644 index 000000000000..211453abd485 --- /dev/null +++ b/clients/client-directory-service/src/commands/EnableDirectoryDataAccessCommand.ts @@ -0,0 +1,113 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { DirectoryServiceClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../DirectoryServiceClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { EnableDirectoryDataAccessRequest, EnableDirectoryDataAccessResult } from "../models/models_0"; +import { de_EnableDirectoryDataAccessCommand, se_EnableDirectoryDataAccessCommand } from "../protocols/Aws_json1_1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link EnableDirectoryDataAccessCommand}. + */ +export interface EnableDirectoryDataAccessCommandInput extends EnableDirectoryDataAccessRequest {} +/** + * @public + * + * The output of {@link EnableDirectoryDataAccessCommand}. + */ +export interface EnableDirectoryDataAccessCommandOutput extends EnableDirectoryDataAccessResult, __MetadataBearer {} + +/** + *

    Enables access to directory data via the Directory Service Data API for the specified directory.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceClient, EnableDirectoryDataAccessCommand } from "@aws-sdk/client-directory-service"; // ES Modules import + * // const { DirectoryServiceClient, EnableDirectoryDataAccessCommand } = require("@aws-sdk/client-directory-service"); // CommonJS import + * const client = new DirectoryServiceClient(config); + * const input = { // EnableDirectoryDataAccessRequest + * DirectoryId: "STRING_VALUE", // required + * }; + * const command = new EnableDirectoryDataAccessCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param EnableDirectoryDataAccessCommandInput - {@link EnableDirectoryDataAccessCommandInput} + * @returns {@link EnableDirectoryDataAccessCommandOutput} + * @see {@link EnableDirectoryDataAccessCommandInput} for command's `input` shape. + * @see {@link EnableDirectoryDataAccessCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    You do not have sufficient access to perform this action.

    + * + * @throws {@link ClientException} (client fault) + *

    A client exception has occurred.

    + * + * @throws {@link DirectoryDoesNotExistException} (client fault) + *

    The specified directory does not exist in the system.

    + * + * @throws {@link DirectoryInDesiredStateException} (client fault) + *

    + * The directory is already updated to desired update type settings. + *

    + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

    The specified directory is unavailable.

    + * + * @throws {@link ServiceException} (server fault) + *

    An exception has occurred in Directory Service.

    + * + * @throws {@link UnsupportedOperationException} (client fault) + *

    The operation is not supported.

    + * + * @throws {@link DirectoryServiceServiceException} + *

    Base exception class for all service exceptions from DirectoryService service.

    + * + * @public + */ +export class EnableDirectoryDataAccessCommand extends $Command + .classBuilder< + EnableDirectoryDataAccessCommandInput, + EnableDirectoryDataAccessCommandOutput, + DirectoryServiceClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryService_20150416", "EnableDirectoryDataAccess", {}) + .n("DirectoryServiceClient", "EnableDirectoryDataAccessCommand") + .f(void 0, void 0) + .ser(se_EnableDirectoryDataAccessCommand) + .de(de_EnableDirectoryDataAccessCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: EnableDirectoryDataAccessRequest; + output: {}; + }; + sdk: { + input: EnableDirectoryDataAccessCommandInput; + output: EnableDirectoryDataAccessCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts b/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts index f4946986b2d8..6f22ae9a5bce 100644 --- a/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts +++ b/clients/client-directory-service/src/commands/EnableLDAPSCommand.ts @@ -58,7 +58,7 @@ export interface EnableLDAPSCommandOutput extends EnableLDAPSResult, __MetadataB *

    The specified directory does not exist in the system.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link InvalidLDAPSStatusException} (client fault) *

    The LDAP activities could not be performed because they are limited by the LDAPS diff --git a/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts b/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts index 88ad730ca6a3..59f6d8ee67c9 100644 --- a/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts +++ b/clients/client-directory-service/src/commands/RegisterCertificateCommand.ts @@ -70,7 +70,7 @@ export interface RegisterCertificateCommandOutput extends RegisterCertificateRes *

    The specified directory does not exist in the system.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link InvalidCertificateException} (client fault) *

    The certificate PEM that was provided has incorrect encoding.

    diff --git a/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts b/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts index 475d79e8d63d..124b1070c86d 100644 --- a/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts +++ b/clients/client-directory-service/src/commands/RemoveIpRoutesCommand.ts @@ -57,7 +57,7 @@ export interface RemoveIpRoutesCommandOutput extends RemoveIpRoutesResult, __Met *

    A client exception has occurred.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link EntityDoesNotExistException} (client fault) *

    The specified entity could not be found.

    diff --git a/clients/client-directory-service/src/commands/RemoveRegionCommand.ts b/clients/client-directory-service/src/commands/RemoveRegionCommand.ts index a43b0c4414b4..7b14dae358df 100644 --- a/clients/client-directory-service/src/commands/RemoveRegionCommand.ts +++ b/clients/client-directory-service/src/commands/RemoveRegionCommand.ts @@ -53,7 +53,7 @@ export interface RemoveRegionCommandOutput extends RemoveRegionResult, __Metadat * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

    Client authentication is not available in this region at this time.

    + *

    You do not have sufficient access to perform this action.

    * * @throws {@link ClientException} (client fault) *

    A client exception has occurred.

    @@ -62,7 +62,7 @@ export interface RemoveRegionCommandOutput extends RemoveRegionResult, __Metadat *

    The specified directory does not exist in the system.

    * * @throws {@link DirectoryUnavailableException} (client fault) - *

    The specified directory is unavailable or could not be found.

    + *

    The specified directory is unavailable.

    * * @throws {@link ServiceException} (server fault) *

    An exception has occurred in Directory Service.

    diff --git a/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts b/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts index 3100c66e6573..f5cdff35c364 100644 --- a/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts +++ b/clients/client-directory-service/src/commands/ResetUserPasswordCommand.ts @@ -33,7 +33,7 @@ export interface ResetUserPasswordCommandOutput extends ResetUserPasswordResult, /** *

    Resets the password for any user in your Managed Microsoft AD or Simple AD - * directory.

    + * directory. Disabled users will become enabled and can be authenticated following the API call.

    *

    You can reset the password for any user in your directory with the following * exceptions:

    *
      @@ -77,7 +77,7 @@ export interface ResetUserPasswordCommandOutput extends ResetUserPasswordResult, *

      A client exception has occurred.

      * * @throws {@link DirectoryUnavailableException} (client fault) - *

      The specified directory is unavailable or could not be found.

      + *

      The specified directory is unavailable.

      * * @throws {@link EntityDoesNotExistException} (client fault) *

      The specified entity could not be found.

      diff --git a/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts b/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts index 0d25e41a9981..924b25ce4309 100644 --- a/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts +++ b/clients/client-directory-service/src/commands/ShareDirectoryCommand.ts @@ -75,7 +75,7 @@ export interface ShareDirectoryCommandOutput extends ShareDirectoryResult, __Met * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

      Client authentication is not available in this region at this time.

      + *

      You do not have sufficient access to perform this action.

      * * @throws {@link ClientException} (client fault) *

      A client exception has occurred.

      diff --git a/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts b/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts index 3ba3beb5f8cb..c2a3713ee9e9 100644 --- a/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts +++ b/clients/client-directory-service/src/commands/StartSchemaExtensionCommand.ts @@ -59,7 +59,7 @@ export interface StartSchemaExtensionCommandOutput extends StartSchemaExtensionR *

      A client exception has occurred.

      * * @throws {@link DirectoryUnavailableException} (client fault) - *

      The specified directory is unavailable or could not be found.

      + *

      The specified directory is unavailable.

      * * @throws {@link EntityDoesNotExistException} (client fault) *

      The specified entity could not be found.

      diff --git a/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts b/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts index 689c9e8959ec..616914848d66 100644 --- a/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateConditionalForwarderCommand.ts @@ -59,7 +59,7 @@ export interface UpdateConditionalForwarderCommandOutput extends UpdateCondition *

      A client exception has occurred.

      * * @throws {@link DirectoryUnavailableException} (client fault) - *

      The specified directory is unavailable or could not be found.

      + *

      The specified directory is unavailable.

      * * @throws {@link EntityDoesNotExistException} (client fault) *

      The specified entity could not be found.

      diff --git a/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts b/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts index ec210141a0f1..eaa7d16a3bec 100644 --- a/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateDirectorySetupCommand.ts @@ -58,7 +58,7 @@ export interface UpdateDirectorySetupCommandOutput extends UpdateDirectorySetupR * @see {@link DirectoryServiceClientResolvedConfig | config} for DirectoryServiceClient's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

      Client authentication is not available in this region at this time.

      + *

      You do not have sufficient access to perform this action.

      * * @throws {@link ClientException} (client fault) *

      A client exception has occurred.

      @@ -72,7 +72,7 @@ export interface UpdateDirectorySetupCommandOutput extends UpdateDirectorySetupR *

      * * @throws {@link DirectoryUnavailableException} (client fault) - *

      The specified directory is unavailable or could not be found.

      + *

      The specified directory is unavailable.

      * * @throws {@link InvalidParameterException} (client fault) *

      One or more parameters are not valid.

      diff --git a/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts b/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts index cf8369ae4e06..692a47279b32 100644 --- a/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateNumberOfDomainControllersCommand.ts @@ -64,7 +64,7 @@ export interface UpdateNumberOfDomainControllersCommandOutput *

      A client exception has occurred.

      * * @throws {@link DirectoryUnavailableException} (client fault) - *

      The specified directory is unavailable or could not be found.

      + *

      The specified directory is unavailable.

      * * @throws {@link DomainControllerLimitExceededException} (client fault) *

      The maximum allowed number of domain controllers per directory was exceeded. The diff --git a/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts b/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts index 4346b7a75a63..e51729f13a34 100644 --- a/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts +++ b/clients/client-directory-service/src/commands/UpdateSettingsCommand.ts @@ -65,7 +65,7 @@ export interface UpdateSettingsCommandOutput extends UpdateSettingsResult, __Met *

      The specified directory does not exist in the system.

      * * @throws {@link DirectoryUnavailableException} (client fault) - *

      The specified directory is unavailable or could not be found.

      + *

      The specified directory is unavailable.

      * * @throws {@link IncompatibleSettingsException} (client fault) *

      The specified directory setting is not compatible with other settings.

      diff --git a/clients/client-directory-service/src/commands/index.ts b/clients/client-directory-service/src/commands/index.ts index 9b298438e241..6c890fb7b065 100644 --- a/clients/client-directory-service/src/commands/index.ts +++ b/clients/client-directory-service/src/commands/index.ts @@ -24,6 +24,7 @@ export * from "./DescribeCertificateCommand"; export * from "./DescribeClientAuthenticationSettingsCommand"; export * from "./DescribeConditionalForwardersCommand"; export * from "./DescribeDirectoriesCommand"; +export * from "./DescribeDirectoryDataAccessCommand"; export * from "./DescribeDomainControllersCommand"; export * from "./DescribeEventTopicsCommand"; export * from "./DescribeLDAPSSettingsCommand"; @@ -34,10 +35,12 @@ export * from "./DescribeSnapshotsCommand"; export * from "./DescribeTrustsCommand"; export * from "./DescribeUpdateDirectoryCommand"; export * from "./DisableClientAuthenticationCommand"; +export * from "./DisableDirectoryDataAccessCommand"; export * from "./DisableLDAPSCommand"; export * from "./DisableRadiusCommand"; export * from "./DisableSsoCommand"; export * from "./EnableClientAuthenticationCommand"; +export * from "./EnableDirectoryDataAccessCommand"; export * from "./EnableLDAPSCommand"; export * from "./EnableRadiusCommand"; export * from "./EnableSsoCommand"; diff --git a/clients/client-directory-service/src/models/models_0.ts b/clients/client-directory-service/src/models/models_0.ts index fb55fe496692..45d3293a415d 100644 --- a/clients/client-directory-service/src/models/models_0.ts +++ b/clients/client-directory-service/src/models/models_0.ts @@ -295,7 +295,7 @@ export class ServiceException extends __BaseException { } /** - *

      Client authentication is not available in this region at this time.

      + *

      You do not have sufficient access to perform this action.

      * @public */ export class AccessDeniedException extends __BaseException { @@ -372,57 +372,57 @@ export interface AddIpRoutesRequest { *

      Inbound:

      *
        *
      • - *

        Type: Custom UDP Rule, Protocol: UDP, Range: 88, Source: 0.0.0.0/0

        + *

        Type: Custom UDP Rule, Protocol: UDP, Range: 88, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom UDP Rule, Protocol: UDP, Range: 123, Source: 0.0.0.0/0

        + *

        Type: Custom UDP Rule, Protocol: UDP, Range: 123, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom UDP Rule, Protocol: UDP, Range: 138, Source: 0.0.0.0/0

        + *

        Type: Custom UDP Rule, Protocol: UDP, Range: 138, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom UDP Rule, Protocol: UDP, Range: 389, Source: 0.0.0.0/0

        + *

        Type: Custom UDP Rule, Protocol: UDP, Range: 389, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom UDP Rule, Protocol: UDP, Range: 464, Source: 0.0.0.0/0

        + *

        Type: Custom UDP Rule, Protocol: UDP, Range: 464, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom UDP Rule, Protocol: UDP, Range: 445, Source: 0.0.0.0/0

        + *

        Type: Custom UDP Rule, Protocol: UDP, Range: 445, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom TCP Rule, Protocol: TCP, Range: 88, Source: 0.0.0.0/0

        + *

        Type: Custom TCP Rule, Protocol: TCP, Range: 88, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom TCP Rule, Protocol: TCP, Range: 135, Source: 0.0.0.0/0

        + *

        Type: Custom TCP Rule, Protocol: TCP, Range: 135, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom TCP Rule, Protocol: TCP, Range: 445, Source: 0.0.0.0/0

        + *

        Type: Custom TCP Rule, Protocol: TCP, Range: 445, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom TCP Rule, Protocol: TCP, Range: 464, Source: 0.0.0.0/0

        + *

        Type: Custom TCP Rule, Protocol: TCP, Range: 464, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: Custom TCP Rule, Protocol: TCP, Range: 636, Source: 0.0.0.0/0

        + *

        Type: Custom TCP Rule, Protocol: TCP, Range: 636, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • *

        Type: Custom TCP Rule, Protocol: TCP, Range: 1024-65535, Source: - * 0.0.0.0/0

        + * Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • *

        Type: Custom TCP Rule, Protocol: TCP, Range: 3268-33269, Source: - * 0.0.0.0/0

        + * Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: DNS (UDP), Protocol: UDP, Range: 53, Source: 0.0.0.0/0

        + *

        Type: DNS (UDP), Protocol: UDP, Range: 53, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: DNS (TCP), Protocol: TCP, Range: 53, Source: 0.0.0.0/0

        + *

        Type: DNS (TCP), Protocol: TCP, Range: 53, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: LDAP, Protocol: TCP, Range: 389, Source: 0.0.0.0/0

        + *

        Type: LDAP, Protocol: TCP, Range: 389, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      • - *

        Type: All ICMP, Protocol: All, Range: N/A, Source: 0.0.0.0/0

        + *

        Type: All ICMP, Protocol: All, Range: N/A, Source: Managed Microsoft AD VPC IPv4 CIDR

        *
      • *
      *

      @@ -445,7 +445,7 @@ export interface AddIpRoutesRequest { export interface AddIpRoutesResult {} /** - *

      The specified directory is unavailable or could not be found.

      + *

      The specified directory is unavailable.

      * @public */ export class DirectoryUnavailableException extends __BaseException { @@ -735,7 +735,7 @@ export interface Tag { /** *

      Required name of the tag. The string value can be Unicode characters and cannot be * prefixed with "aws:". The string can contain only the set of Unicode letters, digits, - * white-space, '_', '.', '/', '=', '+', '-' (Java regex: + * white-space, '_', '.', '/', '=', '+', '-', ':', '@'(Java regex: * "^([\\p\{L\}\\p\{Z\}\\p\{N\}_.:/=+\\-]*)$").

      * @public */ @@ -743,7 +743,7 @@ export interface Tag { /** *

      The optional value of the tag. The string value can be Unicode characters. The string - * can contain only the set of Unicode letters, digits, white-space, '_', '.', '/', '=', '+', '-' + * can contain only the set of Unicode letters, digits, white-space, '_', '.', '/', '=', '+', '-', ':', '@' * (Java regex: "^([\\p\{L\}\\p\{Z\}\\p\{N\}_.:/=+\\-]*)$").

      * @public */ @@ -1901,7 +1901,7 @@ export interface CreateTrustRequest { RemoteDomainName: string | undefined; /** - *

      The trust password. The must be the same password that was used when creating the trust + *

      The trust password. The trust password must be the same password that was used when creating the trust * relationship on the external domain.

      * @public */ @@ -1944,6 +1944,23 @@ export interface CreateTrustResult { TrustId?: string; } +/** + * @public + * @enum + */ +export const DataAccessStatus = { + DISABLED: "Disabled", + DISABLING: "Disabling", + ENABLED: "Enabled", + ENABLING: "Enabling", + FAILED: "Failed", +} as const; + +/** + * @public + */ +export type DataAccessStatus = (typeof DataAccessStatus)[keyof typeof DataAccessStatus]; + /** *

      Deletes a conditional forwarder.

      * @public @@ -2349,8 +2366,7 @@ export interface RadiusSettings { RadiusTimeout?: number; /** - *

      The maximum number of times that communication with the RADIUS server is - * attempted.

      + *

      The maximum number of times that communication with the RADIUS server is retried after the initial attempt.

      * @public */ RadiusRetries?: number; @@ -2506,6 +2522,7 @@ export const DirectoryStage = { REQUESTED: "Requested", RESTOREFAILED: "RestoreFailed", RESTORING: "Restoring", + UPDATING: "Updating", } as const; /** @@ -2636,7 +2653,7 @@ export interface DirectoryDescription { StageLastUpdatedDateTime?: Date; /** - *

      The directory size.

      + *

      The directory type.

      * @public */ Type?: DirectoryType; @@ -2765,6 +2782,28 @@ export class InvalidNextTokenException extends __BaseException { } } +/** + * @public + */ +export interface DescribeDirectoryDataAccessRequest { + /** + *

      The directory identifier.

      + * @public + */ + DirectoryId: string | undefined; +} + +/** + * @public + */ +export interface DescribeDirectoryDataAccessResult { + /** + *

      The current status of data access through the Directory Service Data API.

      + * @public + */ + DataAccessStatus?: DataAccessStatus; +} + /** * @public */ @@ -2810,6 +2849,7 @@ export const DomainControllerStatus = { FAILED: "Failed", IMPAIRED: "Impaired", RESTORING: "Restoring", + UPDATING: "Updating", } as const; /** @@ -3348,7 +3388,9 @@ export interface DescribeSettingsResult { SettingEntries?: SettingEntry[]; /** - *

      If not null, token that indicates that more results are available. Pass this value for the NextToken parameter in a subsequent call to DescribeSettings to retrieve the next set of items.

      + *

      If not null, token that indicates that more results are available. + * Pass this value for the NextToken parameter in a subsequent + * call to DescribeSettings to retrieve the next set of items.

      * @public */ NextToken?: string; @@ -4015,7 +4057,7 @@ export interface DisableClientAuthenticationRequest { DirectoryId: string | undefined; /** - *

      The type of client authentication to disable. Currently, only the parameter, SmartCard is supported.

      + *

      The type of client authentication to disable. Currently the only parameter "SmartCard" is supported.

      * @public */ Type: ClientAuthenticationType | undefined; @@ -4059,6 +4101,22 @@ export class InvalidClientAuthStatusException extends __BaseException { } } +/** + * @public + */ +export interface DisableDirectoryDataAccessRequest { + /** + *

      The directory identifier.

      + * @public + */ + DirectoryId: string | undefined; +} + +/** + * @public + */ +export interface DisableDirectoryDataAccessResult {} + /** * @public */ @@ -4232,6 +4290,22 @@ export class NoAvailableCertificateException extends __BaseException { } } +/** + * @public + */ +export interface EnableDirectoryDataAccessRequest { + /** + *

      The directory identifier.

      + * @public + */ + DirectoryId: string | undefined; +} + +/** + * @public + */ +export interface EnableDirectoryDataAccessResult {} + /** * @public */ diff --git a/clients/client-directory-service/src/protocols/Aws_json1_1.ts b/clients/client-directory-service/src/protocols/Aws_json1_1.ts index d20ce27284ae..416a153f21cf 100644 --- a/clients/client-directory-service/src/protocols/Aws_json1_1.ts +++ b/clients/client-directory-service/src/protocols/Aws_json1_1.ts @@ -82,6 +82,10 @@ import { DescribeDirectoriesCommandInput, DescribeDirectoriesCommandOutput, } from "../commands/DescribeDirectoriesCommand"; +import { + DescribeDirectoryDataAccessCommandInput, + DescribeDirectoryDataAccessCommandOutput, +} from "../commands/DescribeDirectoryDataAccessCommand"; import { DescribeDomainControllersCommandInput, DescribeDomainControllersCommandOutput, @@ -110,6 +114,10 @@ import { DisableClientAuthenticationCommandInput, DisableClientAuthenticationCommandOutput, } from "../commands/DisableClientAuthenticationCommand"; +import { + DisableDirectoryDataAccessCommandInput, + DisableDirectoryDataAccessCommandOutput, +} from "../commands/DisableDirectoryDataAccessCommand"; import { DisableLDAPSCommandInput, DisableLDAPSCommandOutput } from "../commands/DisableLDAPSCommand"; import { DisableRadiusCommandInput, DisableRadiusCommandOutput } from "../commands/DisableRadiusCommand"; import { DisableSsoCommandInput, DisableSsoCommandOutput } from "../commands/DisableSsoCommand"; @@ -117,6 +125,10 @@ import { EnableClientAuthenticationCommandInput, EnableClientAuthenticationCommandOutput, } from "../commands/EnableClientAuthenticationCommand"; +import { + EnableDirectoryDataAccessCommandInput, + EnableDirectoryDataAccessCommandOutput, +} from "../commands/EnableDirectoryDataAccessCommand"; import { EnableLDAPSCommandInput, EnableLDAPSCommandOutput } from "../commands/EnableLDAPSCommand"; import { EnableRadiusCommandInput, EnableRadiusCommandOutput } from "../commands/EnableRadiusCommand"; import { EnableSsoCommandInput, EnableSsoCommandOutput } from "../commands/EnableSsoCommand"; @@ -221,6 +233,7 @@ import { DescribeConditionalForwardersRequest, DescribeDirectoriesRequest, DescribeDirectoriesResult, + DescribeDirectoryDataAccessRequest, DescribeDomainControllersRequest, DescribeDomainControllersResult, DescribeEventTopicsRequest, @@ -250,12 +263,14 @@ import { DirectoryUnavailableException, DirectoryVpcSettings, DisableClientAuthenticationRequest, + DisableDirectoryDataAccessRequest, DisableLDAPSRequest, DisableRadiusRequest, DisableSsoRequest, DomainController, DomainControllerLimitExceededException, EnableClientAuthenticationRequest, + EnableDirectoryDataAccessRequest, EnableLDAPSRequest, EnableRadiusRequest, EnableSsoRequest, @@ -655,6 +670,19 @@ export const se_DescribeDirectoriesCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1DescribeDirectoryDataAccessCommand + */ +export const se_DescribeDirectoryDataAccessCommand = async ( + input: DescribeDirectoryDataAccessCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("DescribeDirectoryDataAccess"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1DescribeDomainControllersCommand */ @@ -785,6 +813,19 @@ export const se_DisableClientAuthenticationCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1DisableDirectoryDataAccessCommand + */ +export const se_DisableDirectoryDataAccessCommand = async ( + input: DisableDirectoryDataAccessCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("DisableDirectoryDataAccess"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1DisableLDAPSCommand */ @@ -837,6 +878,19 @@ export const se_EnableClientAuthenticationCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1EnableDirectoryDataAccessCommand + */ +export const se_EnableDirectoryDataAccessCommand = async ( + input: EnableDirectoryDataAccessCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("EnableDirectoryDataAccess"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1EnableLDAPSCommand */ @@ -1701,6 +1755,26 @@ export const de_DescribeDirectoriesCommand = async ( return response; }; +/** + * deserializeAws_json1_1DescribeDirectoryDataAccessCommand + */ +export const de_DescribeDirectoryDataAccessCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode >= 300) { + return de_CommandError(output, context); + } + const data: any = await parseBody(output.body, context); + let contents: any = {}; + contents = _json(data); + const response: DescribeDirectoryDataAccessCommandOutput = { + $metadata: deserializeMetadata(output), + ...contents, + }; + return response; +}; + /** * deserializeAws_json1_1DescribeDomainControllersCommand */ @@ -1901,6 +1975,26 @@ export const de_DisableClientAuthenticationCommand = async ( return response; }; +/** + * deserializeAws_json1_1DisableDirectoryDataAccessCommand + */ +export const de_DisableDirectoryDataAccessCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode >= 300) { + return de_CommandError(output, context); + } + const data: any = await parseBody(output.body, context); + let contents: any = {}; + contents = _json(data); + const response: DisableDirectoryDataAccessCommandOutput = { + $metadata: deserializeMetadata(output), + ...contents, + }; + return response; +}; + /** * deserializeAws_json1_1DisableLDAPSCommand */ @@ -1981,6 +2075,26 @@ export const de_EnableClientAuthenticationCommand = async ( return response; }; +/** + * deserializeAws_json1_1EnableDirectoryDataAccessCommand + */ +export const de_EnableDirectoryDataAccessCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode >= 300) { + return de_CommandError(output, context); + } + const data: any = await parseBody(output.body, context); + let contents: any = {}; + contents = _json(data); + const response: EnableDirectoryDataAccessCommandOutput = { + $metadata: deserializeMetadata(output), + ...contents, + }; + return response; +}; + /** * deserializeAws_json1_1EnableLDAPSCommand */ @@ -2617,6 +2731,9 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "InvalidClientAuthStatusException": case "com.amazonaws.directoryservice#InvalidClientAuthStatusException": throw await de_InvalidClientAuthStatusExceptionRes(parsedOutput, context); + case "DirectoryInDesiredStateException": + case "com.amazonaws.directoryservice#DirectoryInDesiredStateException": + throw await de_DirectoryInDesiredStateExceptionRes(parsedOutput, context); case "InvalidLDAPSStatusException": case "com.amazonaws.directoryservice#InvalidLDAPSStatusException": throw await de_InvalidLDAPSStatusExceptionRes(parsedOutput, context); @@ -2650,9 +2767,6 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "DirectoryNotSharedException": case "com.amazonaws.directoryservice#DirectoryNotSharedException": throw await de_DirectoryNotSharedExceptionRes(parsedOutput, context); - case "DirectoryInDesiredStateException": - case "com.amazonaws.directoryservice#DirectoryInDesiredStateException": - throw await de_DirectoryInDesiredStateExceptionRes(parsedOutput, context); case "DomainControllerLimitExceededException": case "com.amazonaws.directoryservice#DomainControllerLimitExceededException": throw await de_DomainControllerLimitExceededExceptionRes(parsedOutput, context); @@ -3316,6 +3430,8 @@ const de_UserDoesNotExistExceptionRes = async ( // se_DescribeDirectoriesRequest omitted. +// se_DescribeDirectoryDataAccessRequest omitted. + // se_DescribeDomainControllersRequest omitted. // se_DescribeEventTopicsRequest omitted. @@ -3342,6 +3458,8 @@ const de_UserDoesNotExistExceptionRes = async ( // se_DisableClientAuthenticationRequest omitted. +// se_DisableDirectoryDataAccessRequest omitted. + // se_DisableLDAPSRequest omitted. // se_DisableRadiusRequest omitted. @@ -3354,6 +3472,8 @@ const de_UserDoesNotExistExceptionRes = async ( // se_EnableClientAuthenticationRequest omitted. +// se_EnableDirectoryDataAccessRequest omitted. + // se_EnableLDAPSRequest omitted. // se_EnableRadiusRequest omitted. @@ -3624,6 +3744,8 @@ const de_DescribeDirectoriesResult = (output: any, context: __SerdeContext): Des }) as any; }; +// de_DescribeDirectoryDataAccessResult omitted. + /** * deserializeAws_json1_1DescribeDomainControllersResult */ @@ -3786,6 +3908,8 @@ const de_DirectoryDescriptions = (output: any, context: __SerdeContext): Directo // de_DisableClientAuthenticationResult omitted. +// de_DisableDirectoryDataAccessResult omitted. + // de_DisableLDAPSResult omitted. // de_DisableRadiusResult omitted. @@ -3828,6 +3952,8 @@ const de_DomainControllers = (output: any, context: __SerdeContext): DomainContr // de_EnableClientAuthenticationResult omitted. +// de_EnableDirectoryDataAccessResult omitted. + // de_EnableLDAPSResult omitted. // de_EnableRadiusResult omitted. diff --git a/codegen/sdk-codegen/aws-models/directory-service.json b/codegen/sdk-codegen/aws-models/directory-service.json index 9a33113f5854..4a8cbceed78f 100644 --- a/codegen/sdk-codegen/aws-models/directory-service.json +++ b/codegen/sdk-codegen/aws-models/directory-service.json @@ -98,7 +98,7 @@ } }, "traits": { - "smithy.api#documentation": "

      Client authentication is not available in this region at this time.

      ", + "smithy.api#documentation": "

      You do not have sufficient access to perform this action.

      ", "smithy.api#error": "client" } }, @@ -167,7 +167,7 @@ "target": "com.amazonaws.directoryservice#UpdateSecurityGroupForDirectoryControllers", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

      If set to true, updates the inbound and outbound rules of the security group that has\n the description: \"Amazon Web Services created security group for directory ID\n directory controllers.\" Following are the new rules:

      \n

      Inbound:

      \n
        \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 88, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 123, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 138, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 389, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 464, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 445, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 88, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 135, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 445, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 464, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 636, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 1024-65535, Source:\n 0.0.0.0/0

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 3268-33269, Source:\n 0.0.0.0/0

        \n
      • \n
      • \n

        Type: DNS (UDP), Protocol: UDP, Range: 53, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: DNS (TCP), Protocol: TCP, Range: 53, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: LDAP, Protocol: TCP, Range: 389, Source: 0.0.0.0/0

        \n
      • \n
      • \n

        Type: All ICMP, Protocol: All, Range: N/A, Source: 0.0.0.0/0

        \n
      • \n
      \n

      \n

      Outbound:

      \n
        \n
      • \n

        Type: All traffic, Protocol: All, Range: All, Destination: 0.0.0.0/0

        \n
      • \n
      \n

      These security rules impact an internal network interface that is not exposed\n publicly.

      " + "smithy.api#documentation": "

      If set to true, updates the inbound and outbound rules of the security group that has\n the description: \"Amazon Web Services created security group for directory ID\n directory controllers.\" Following are the new rules:

      \n

      Inbound:

      \n
        \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 88, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 123, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 138, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 389, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 464, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom UDP Rule, Protocol: UDP, Range: 445, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 88, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 135, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 445, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 464, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 636, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 1024-65535, Source:\n Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: Custom TCP Rule, Protocol: TCP, Range: 3268-33269, Source:\n Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: DNS (UDP), Protocol: UDP, Range: 53, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: DNS (TCP), Protocol: TCP, Range: 53, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: LDAP, Protocol: TCP, Range: 389, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      • \n

        Type: All ICMP, Protocol: All, Range: N/A, Source: Managed Microsoft AD VPC IPv4 CIDR

        \n
      • \n
      \n

      \n

      Outbound:

      \n
        \n
      • \n

        Type: All traffic, Protocol: All, Range: All, Destination: 0.0.0.0/0

        \n
      • \n
      \n

      These security rules impact an internal network interface that is not exposed\n publicly.

      " } } }, @@ -1630,7 +1630,7 @@ "TrustPassword": { "target": "com.amazonaws.directoryservice#TrustPassword", "traits": { - "smithy.api#documentation": "

      The trust password. The must be the same password that was used when creating the trust\n relationship on the external domain.

      ", + "smithy.api#documentation": "

      The trust password. The trust password must be the same password that was used when creating the trust\n relationship on the external domain.

      ", "smithy.api#required": {} } }, @@ -1699,6 +1699,41 @@ "smithy.api#pattern": "^(?!.*\\\\|.*\"|.*\\/|.*\\[|.*\\]|.*:|.*;|.*\\||.*=|.*,|.*\\+|.*\\*|.*\\?|.*<|.*>|.*@).*$" } }, + "com.amazonaws.directoryservice#DataAccessStatus": { + "type": "enum", + "members": { + "DISABLED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Disabled" + } + }, + "DISABLING": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Disabling" + } + }, + "ENABLED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Enabled" + } + }, + "ENABLING": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Enabling" + } + }, + "FAILED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Failed" + } + } + } + }, "com.amazonaws.directoryservice#DeleteAssociatedConditionalForwarder": { "type": "boolean", "traits": { @@ -2442,6 +2477,64 @@ "smithy.api#output": {} } }, + "com.amazonaws.directoryservice#DescribeDirectoryDataAccess": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservice#DescribeDirectoryDataAccessRequest" + }, + "output": { + "target": "com.amazonaws.directoryservice#DescribeDirectoryDataAccessResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservice#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservice#ClientException" + }, + { + "target": "com.amazonaws.directoryservice#DirectoryDoesNotExistException" + }, + { + "target": "com.amazonaws.directoryservice#ServiceException" + }, + { + "target": "com.amazonaws.directoryservice#UnsupportedOperationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Obtains status of directory data access enablement through the Directory Service Data API for the specified directory.

      " + } + }, + "com.amazonaws.directoryservice#DescribeDirectoryDataAccessRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservice#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The directory identifier.

      ", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservice#DescribeDirectoryDataAccessResult": { + "type": "structure", + "members": { + "DataAccessStatus": { + "target": "com.amazonaws.directoryservice#DataAccessStatus", + "traits": { + "smithy.api#documentation": "

      The current status of data access through the Directory Service Data API.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.directoryservice#DescribeDomainControllers": { "type": "operation", "input": { @@ -2849,7 +2942,7 @@ "NextToken": { "target": "com.amazonaws.directoryservice#NextToken", "traits": { - "smithy.api#documentation": "

      If not null, token that indicates that more results are available. Pass this value for the NextToken parameter in a subsequent call to DescribeSettings to retrieve the next set of items.

      " + "smithy.api#documentation": "

      If not null, token that indicates that more results are available. \n Pass this value for the NextToken parameter in a subsequent \n call to DescribeSettings to retrieve the next set of items.

      " } } }, @@ -3526,7 +3619,7 @@ "Type": { "target": "com.amazonaws.directoryservice#DirectoryType", "traits": { - "smithy.api#documentation": "

      The directory size.

      " + "smithy.api#documentation": "

      The directory type.

      " } }, "VpcSettings": { @@ -3846,6 +3939,9 @@ { "target": "com.amazonaws.directoryservice#DescribeDirectories" }, + { + "target": "com.amazonaws.directoryservice#DescribeDirectoryDataAccess" + }, { "target": "com.amazonaws.directoryservice#DescribeDomainControllers" }, @@ -3876,6 +3972,9 @@ { "target": "com.amazonaws.directoryservice#DisableClientAuthentication" }, + { + "target": "com.amazonaws.directoryservice#DisableDirectoryDataAccess" + }, { "target": "com.amazonaws.directoryservice#DisableLDAPS" }, @@ -3888,6 +3987,9 @@ { "target": "com.amazonaws.directoryservice#EnableClientAuthentication" }, + { + "target": "com.amazonaws.directoryservice#EnableDirectoryDataAccess" + }, { "target": "com.amazonaws.directoryservice#EnableLDAPS" }, @@ -5063,6 +5165,12 @@ "traits": { "smithy.api#enumValue": "Failed" } + }, + "UPDATING": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Updating" + } } } }, @@ -5106,7 +5214,7 @@ } }, "traits": { - "smithy.api#documentation": "

      The specified directory is unavailable or could not be found.

      ", + "smithy.api#documentation": "

      The specified directory is unavailable.

      ", "smithy.api#error": "client" } }, @@ -5209,7 +5317,7 @@ "Type": { "target": "com.amazonaws.directoryservice#ClientAuthenticationType", "traits": { - "smithy.api#documentation": "

      The type of client authentication to disable. Currently, only the parameter, SmartCard is supported.

      ", + "smithy.api#documentation": "

      The type of client authentication to disable. Currently the only parameter \"SmartCard\" is supported.

      ", "smithy.api#required": {} } } @@ -5225,6 +5333,63 @@ "smithy.api#output": {} } }, + "com.amazonaws.directoryservice#DisableDirectoryDataAccess": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservice#DisableDirectoryDataAccessRequest" + }, + "output": { + "target": "com.amazonaws.directoryservice#DisableDirectoryDataAccessResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservice#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservice#ClientException" + }, + { + "target": "com.amazonaws.directoryservice#DirectoryDoesNotExistException" + }, + { + "target": "com.amazonaws.directoryservice#DirectoryInDesiredStateException" + }, + { + "target": "com.amazonaws.directoryservice#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservice#ServiceException" + }, + { + "target": "com.amazonaws.directoryservice#UnsupportedOperationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Deactivates access to directory data via the Directory Service Data API for the specified directory.

      " + } + }, + "com.amazonaws.directoryservice#DisableDirectoryDataAccessRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservice#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The directory identifier.

      ", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservice#DisableDirectoryDataAccessResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.directoryservice#DisableLDAPS": { "type": "operation", "input": { @@ -5546,6 +5711,12 @@ "traits": { "smithy.api#enumValue": "Failed" } + }, + "UPDATING": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Updating" + } } } }, @@ -5622,6 +5793,63 @@ "smithy.api#output": {} } }, + "com.amazonaws.directoryservice#EnableDirectoryDataAccess": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservice#EnableDirectoryDataAccessRequest" + }, + "output": { + "target": "com.amazonaws.directoryservice#EnableDirectoryDataAccessResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservice#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservice#ClientException" + }, + { + "target": "com.amazonaws.directoryservice#DirectoryDoesNotExistException" + }, + { + "target": "com.amazonaws.directoryservice#DirectoryInDesiredStateException" + }, + { + "target": "com.amazonaws.directoryservice#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservice#ServiceException" + }, + { + "target": "com.amazonaws.directoryservice#UnsupportedOperationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Enables access to directory data via the Directory Service Data API for the specified directory.

      " + } + }, + "com.amazonaws.directoryservice#EnableDirectoryDataAccessRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservice#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The directory identifier.

      ", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservice#EnableDirectoryDataAccessResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.directoryservice#EnableLDAPS": { "type": "operation", "input": { @@ -7069,7 +7297,7 @@ "target": "com.amazonaws.directoryservice#RadiusRetries", "traits": { "smithy.api#default": 0, - "smithy.api#documentation": "

      The maximum number of times that communication with the RADIUS server is\n attempted.

      " + "smithy.api#documentation": "

      The maximum number of times that communication with the RADIUS server is retried after the initial attempt.

      " } }, "SharedSecret": { @@ -7141,7 +7369,7 @@ "traits": { "smithy.api#range": { "min": 1, - "max": 20 + "max": 50 } } }, @@ -7708,7 +7936,7 @@ } ], "traits": { - "smithy.api#documentation": "

      Resets the password for any user in your Managed Microsoft AD or Simple AD\n directory.

      \n

      You can reset the password for any user in your directory with the following\n exceptions:

      \n
        \n
      • \n

        For Simple AD, you cannot reset the password for any user that is a member of either\n the Domain Admins or Enterprise\n Admins group except for the administrator user.

        \n
      • \n
      • \n

        For Managed Microsoft AD, you can only reset the password for a user that is in an\n OU based off of the NetBIOS name that you typed when you created your directory. For\n example, you cannot reset the password for a user in the Amazon Web Services\n Reserved OU. For more information about the OU structure for an Managed Microsoft AD directory, see What Gets Created in the Directory Service Administration\n Guide.

        \n
      • \n
      " + "smithy.api#documentation": "

      Resets the password for any user in your Managed Microsoft AD or Simple AD\n directory. Disabled users will become enabled and can be authenticated following the API call.

      \n

      You can reset the password for any user in your directory with the following\n exceptions:

      \n
        \n
      • \n

        For Simple AD, you cannot reset the password for any user that is a member of either\n the Domain Admins or Enterprise\n Admins group except for the administrator user.

        \n
      • \n
      • \n

        For Managed Microsoft AD, you can only reset the password for a user that is in an\n OU based off of the NetBIOS name that you typed when you created your directory. For\n example, you cannot reset the password for a user in the Amazon Web Services\n Reserved OU. For more information about the OU structure for an Managed Microsoft AD directory, see What Gets Created in the Directory Service Administration\n Guide.

        \n
      • \n
      " } }, "com.amazonaws.directoryservice#ResetUserPasswordRequest": { @@ -8654,14 +8882,14 @@ "Key": { "target": "com.amazonaws.directoryservice#TagKey", "traits": { - "smithy.api#documentation": "

      Required name of the tag. The string value can be Unicode characters and cannot be\n prefixed with \"aws:\". The string can contain only the set of Unicode letters, digits,\n white-space, '_', '.', '/', '=', '+', '-' (Java regex:\n \"^([\\\\p{L}\\\\p{Z}\\\\p{N}_.:/=+\\\\-]*)$\").

      ", + "smithy.api#documentation": "

      Required name of the tag. The string value can be Unicode characters and cannot be\n prefixed with \"aws:\". The string can contain only the set of Unicode letters, digits,\n white-space, '_', '.', '/', '=', '+', '-', ':', '@'(Java regex:\n \"^([\\\\p{L}\\\\p{Z}\\\\p{N}_.:/=+\\\\-]*)$\").

      ", "smithy.api#required": {} } }, "Value": { "target": "com.amazonaws.directoryservice#TagValue", "traits": { - "smithy.api#documentation": "

      The optional value of the tag. The string value can be Unicode characters. The string\n can contain only the set of Unicode letters, digits, white-space, '_', '.', '/', '=', '+', '-'\n (Java regex: \"^([\\\\p{L}\\\\p{Z}\\\\p{N}_.:/=+\\\\-]*)$\").

      ", + "smithy.api#documentation": "

      The optional value of the tag. The string value can be Unicode characters. The string\n can contain only the set of Unicode letters, digits, white-space, '_', '.', '/', '=', '+', '-', ':', '@'\n (Java regex: \"^([\\\\p{L}\\\\p{Z}\\\\p{N}_.:/=+\\\\-]*)$\").

      ", "smithy.api#required": {} } } From 66eca9762638f79bd605b7da5569275ca0b4b503 Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:19:00 +0000 Subject: [PATCH 40/53] feat(client-directory-service-data): Added new AWS Directory Service Data API, enabling you to manage data stored in AWS Directory Service directories. This includes APIs for creating, reading, updating, and deleting directory users, groups, and group memberships. --- .../client-directory-service-data/.gitignore | 9 + clients/client-directory-service-data/LICENSE | 201 + .../client-directory-service-data/README.md | 391 ++ .../api-extractor.json | 4 + .../package.json | 103 + .../src/DirectoryServiceData.ts | 337 ++ .../src/DirectoryServiceDataClient.ts | 405 ++ .../auth/httpAuthExtensionConfiguration.ts | 72 + .../src/auth/httpAuthSchemeProvider.ts | 145 + .../src/commands/AddGroupMemberCommand.ts | 132 + .../src/commands/CreateGroupCommand.ts | 143 + .../src/commands/CreateUserCommand.ts | 144 + .../src/commands/DeleteGroupCommand.ts | 130 + .../src/commands/DeleteUserCommand.ts | 130 + .../src/commands/DescribeGroupCommand.ts | 142 + .../src/commands/DescribeUserCommand.ts | 145 + .../src/commands/DisableUserCommand.ts | 132 + .../src/commands/ListGroupMembersCommand.ts | 147 + .../src/commands/ListGroupsCommand.ts | 142 + .../commands/ListGroupsForMemberCommand.ts | 148 + .../src/commands/ListUsersCommand.ts | 143 + .../src/commands/RemoveGroupMemberCommand.ts | 132 + .../src/commands/SearchGroupsCommand.ts | 159 + .../src/commands/SearchUsersCommand.ts | 162 + .../src/commands/UpdateGroupCommand.ts | 143 + .../src/commands/UpdateUserCommand.ts | 144 + .../src/commands/index.ts | 18 + .../src/endpoint/EndpointParameters.ts | 41 + .../src/endpoint/endpointResolver.ts | 26 + .../src/endpoint/ruleset.ts | 32 + .../src/extensionConfiguration.ts | 15 + .../src/index.ts | 67 + .../DirectoryServiceDataServiceException.ts | 24 + .../src/models/index.ts | 2 + .../src/models/models_0.ts | 2061 ++++++++++ .../src/pagination/Interfaces.ts | 11 + .../pagination/ListGroupMembersPaginator.ts | 24 + .../ListGroupsForMemberPaginator.ts | 24 + .../src/pagination/ListGroupsPaginator.ts | 20 + .../src/pagination/ListUsersPaginator.ts | 20 + .../src/pagination/SearchGroupsPaginator.ts | 24 + .../src/pagination/SearchUsersPaginator.ts | 20 + .../src/pagination/index.ts | 8 + .../src/protocols/Aws_restJson1.ts | 1139 ++++++ .../src/runtimeConfig.browser.ts | 44 + .../src/runtimeConfig.native.ts | 18 + .../src/runtimeConfig.shared.ts | 38 + .../src/runtimeConfig.ts | 59 + .../src/runtimeExtensions.ts | 48 + .../tsconfig.cjs.json | 6 + .../tsconfig.es.json | 8 + .../tsconfig.json | 13 + .../tsconfig.types.json | 10 + .../aws-models/directory-service-data.json | 3464 +++++++++++++++++ 54 files changed, 11369 insertions(+) create mode 100644 clients/client-directory-service-data/.gitignore create mode 100644 clients/client-directory-service-data/LICENSE create mode 100644 clients/client-directory-service-data/README.md create mode 100644 clients/client-directory-service-data/api-extractor.json create mode 100644 clients/client-directory-service-data/package.json create mode 100644 clients/client-directory-service-data/src/DirectoryServiceData.ts create mode 100644 clients/client-directory-service-data/src/DirectoryServiceDataClient.ts create mode 100644 clients/client-directory-service-data/src/auth/httpAuthExtensionConfiguration.ts create mode 100644 clients/client-directory-service-data/src/auth/httpAuthSchemeProvider.ts create mode 100644 clients/client-directory-service-data/src/commands/AddGroupMemberCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/CreateGroupCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/CreateUserCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/DeleteGroupCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/DeleteUserCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/DescribeGroupCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/DescribeUserCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/DisableUserCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/ListGroupMembersCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/ListGroupsCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/ListGroupsForMemberCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/ListUsersCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/RemoveGroupMemberCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/SearchGroupsCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/SearchUsersCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/UpdateGroupCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/UpdateUserCommand.ts create mode 100644 clients/client-directory-service-data/src/commands/index.ts create mode 100644 clients/client-directory-service-data/src/endpoint/EndpointParameters.ts create mode 100644 clients/client-directory-service-data/src/endpoint/endpointResolver.ts create mode 100644 clients/client-directory-service-data/src/endpoint/ruleset.ts create mode 100644 clients/client-directory-service-data/src/extensionConfiguration.ts create mode 100644 clients/client-directory-service-data/src/index.ts create mode 100644 clients/client-directory-service-data/src/models/DirectoryServiceDataServiceException.ts create mode 100644 clients/client-directory-service-data/src/models/index.ts create mode 100644 clients/client-directory-service-data/src/models/models_0.ts create mode 100644 clients/client-directory-service-data/src/pagination/Interfaces.ts create mode 100644 clients/client-directory-service-data/src/pagination/ListGroupMembersPaginator.ts create mode 100644 clients/client-directory-service-data/src/pagination/ListGroupsForMemberPaginator.ts create mode 100644 clients/client-directory-service-data/src/pagination/ListGroupsPaginator.ts create mode 100644 clients/client-directory-service-data/src/pagination/ListUsersPaginator.ts create mode 100644 clients/client-directory-service-data/src/pagination/SearchGroupsPaginator.ts create mode 100644 clients/client-directory-service-data/src/pagination/SearchUsersPaginator.ts create mode 100644 clients/client-directory-service-data/src/pagination/index.ts create mode 100644 clients/client-directory-service-data/src/protocols/Aws_restJson1.ts create mode 100644 clients/client-directory-service-data/src/runtimeConfig.browser.ts create mode 100644 clients/client-directory-service-data/src/runtimeConfig.native.ts create mode 100644 clients/client-directory-service-data/src/runtimeConfig.shared.ts create mode 100644 clients/client-directory-service-data/src/runtimeConfig.ts create mode 100644 clients/client-directory-service-data/src/runtimeExtensions.ts create mode 100644 clients/client-directory-service-data/tsconfig.cjs.json create mode 100644 clients/client-directory-service-data/tsconfig.es.json create mode 100644 clients/client-directory-service-data/tsconfig.json create mode 100644 clients/client-directory-service-data/tsconfig.types.json create mode 100644 codegen/sdk-codegen/aws-models/directory-service-data.json diff --git a/clients/client-directory-service-data/.gitignore b/clients/client-directory-service-data/.gitignore new file mode 100644 index 000000000000..54f14c9aef25 --- /dev/null +++ b/clients/client-directory-service-data/.gitignore @@ -0,0 +1,9 @@ +/node_modules/ +/build/ +/coverage/ +/docs/ +/dist-* +*.tsbuildinfo +*.tgz +*.log +package-lock.json diff --git a/clients/client-directory-service-data/LICENSE b/clients/client-directory-service-data/LICENSE new file mode 100644 index 000000000000..1349aa7c9923 --- /dev/null +++ b/clients/client-directory-service-data/LICENSE @@ -0,0 +1,201 @@ + Apache License + Version 2.0, January 2004 + http://www.apache.org/licenses/ + + TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + + 1. Definitions. + + "License" shall mean the terms and conditions for use, reproduction, + and distribution as defined by Sections 1 through 9 of this document. + + "Licensor" shall mean the copyright owner or entity authorized by + the copyright owner that is granting the License. + + "Legal Entity" shall mean the union of the acting entity and all + other entities that control, are controlled by, or are under common + control with that entity. For the purposes of this definition, + "control" means (i) the power, direct or indirect, to cause the + direction or management of such entity, whether by contract or + otherwise, or (ii) ownership of fifty percent (50%) or more of the + outstanding shares, or (iii) beneficial ownership of such entity. + + "You" (or "Your") shall mean an individual or Legal Entity + exercising permissions granted by this License. + + "Source" form shall mean the preferred form for making modifications, + including but not limited to software source code, documentation + source, and configuration files. + + "Object" form shall mean any form resulting from mechanical + transformation or translation of a Source form, including but + not limited to compiled object code, generated documentation, + and conversions to other media types. + + "Work" shall mean the work of authorship, whether in Source or + Object form, made available under the License, as indicated by a + copyright notice that is included in or attached to the work + (an example is provided in the Appendix below). + + "Derivative Works" shall mean any work, whether in Source or Object + form, that is based on (or derived from) the Work and for which the + editorial revisions, annotations, elaborations, or other modifications + represent, as a whole, an original work of authorship. For the purposes + of this License, Derivative Works shall not include works that remain + separable from, or merely link (or bind by name) to the interfaces of, + the Work and Derivative Works thereof. + + "Contribution" shall mean any work of authorship, including + the original version of the Work and any modifications or additions + to that Work or Derivative Works thereof, that is intentionally + submitted to Licensor for inclusion in the Work by the copyright owner + or by an individual or Legal Entity authorized to submit on behalf of + the copyright owner. For the purposes of this definition, "submitted" + means any form of electronic, verbal, or written communication sent + to the Licensor or its representatives, including but not limited to + communication on electronic mailing lists, source code control systems, + and issue tracking systems that are managed by, or on behalf of, the + Licensor for the purpose of discussing and improving the Work, but + excluding communication that is conspicuously marked or otherwise + designated in writing by the copyright owner as "Not a Contribution." + + "Contributor" shall mean Licensor and any individual or Legal Entity + on behalf of whom a Contribution has been received by Licensor and + subsequently incorporated within the Work. + + 2. Grant of Copyright License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + copyright license to reproduce, prepare Derivative Works of, + publicly display, publicly perform, sublicense, and distribute the + Work and such Derivative Works in Source or Object form. + + 3. Grant of Patent License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + (except as stated in this section) patent license to make, have made, + use, offer to sell, sell, import, and otherwise transfer the Work, + where such license applies only to those patent claims licensable + by such Contributor that are necessarily infringed by their + Contribution(s) alone or by combination of their Contribution(s) + with the Work to which such Contribution(s) was submitted. If You + institute patent litigation against any entity (including a + cross-claim or counterclaim in a lawsuit) alleging that the Work + or a Contribution incorporated within the Work constitutes direct + or contributory patent infringement, then any patent licenses + granted to You under this License for that Work shall terminate + as of the date such litigation is filed. + + 4. Redistribution. You may reproduce and distribute copies of the + Work or Derivative Works thereof in any medium, with or without + modifications, and in Source or Object form, provided that You + meet the following conditions: + + (a) You must give any other recipients of the Work or + Derivative Works a copy of this License; and + + (b) You must cause any modified files to carry prominent notices + stating that You changed the files; and + + (c) You must retain, in the Source form of any Derivative Works + that You distribute, all copyright, patent, trademark, and + attribution notices from the Source form of the Work, + excluding those notices that do not pertain to any part of + the Derivative Works; and + + (d) If the Work includes a "NOTICE" text file as part of its + distribution, then any Derivative Works that You distribute must + include a readable copy of the attribution notices contained + within such NOTICE file, excluding those notices that do not + pertain to any part of the Derivative Works, in at least one + of the following places: within a NOTICE text file distributed + as part of the Derivative Works; within the Source form or + documentation, if provided along with the Derivative Works; or, + within a display generated by the Derivative Works, if and + wherever such third-party notices normally appear. The contents + of the NOTICE file are for informational purposes only and + do not modify the License. You may add Your own attribution + notices within Derivative Works that You distribute, alongside + or as an addendum to the NOTICE text from the Work, provided + that such additional attribution notices cannot be construed + as modifying the License. + + You may add Your own copyright statement to Your modifications and + may provide additional or different license terms and conditions + for use, reproduction, or distribution of Your modifications, or + for any such Derivative Works as a whole, provided Your use, + reproduction, and distribution of the Work otherwise complies with + the conditions stated in this License. + + 5. Submission of Contributions. Unless You explicitly state otherwise, + any Contribution intentionally submitted for inclusion in the Work + by You to the Licensor shall be under the terms and conditions of + this License, without any additional terms or conditions. + Notwithstanding the above, nothing herein shall supersede or modify + the terms of any separate license agreement you may have executed + with Licensor regarding such Contributions. + + 6. Trademarks. This License does not grant permission to use the trade + names, trademarks, service marks, or product names of the Licensor, + except as required for reasonable and customary use in describing the + origin of the Work and reproducing the content of the NOTICE file. + + 7. Disclaimer of Warranty. Unless required by applicable law or + agreed to in writing, Licensor provides the Work (and each + Contributor provides its Contributions) on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or + implied, including, without limitation, any warranties or conditions + of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A + PARTICULAR PURPOSE. You are solely responsible for determining the + appropriateness of using or redistributing the Work and assume any + risks associated with Your exercise of permissions under this License. + + 8. Limitation of Liability. In no event and under no legal theory, + whether in tort (including negligence), contract, or otherwise, + unless required by applicable law (such as deliberate and grossly + negligent acts) or agreed to in writing, shall any Contributor be + liable to You for damages, including any direct, indirect, special, + incidental, or consequential damages of any character arising as a + result of this License or out of the use or inability to use the + Work (including but not limited to damages for loss of goodwill, + work stoppage, computer failure or malfunction, or any and all + other commercial damages or losses), even if such Contributor + has been advised of the possibility of such damages. + + 9. Accepting Warranty or Additional Liability. While redistributing + the Work or Derivative Works thereof, You may choose to offer, + and charge a fee for, acceptance of support, warranty, indemnity, + or other liability obligations and/or rights consistent with this + License. However, in accepting such obligations, You may act only + on Your own behalf and on Your sole responsibility, not on behalf + of any other Contributor, and only if You agree to indemnify, + defend, and hold each Contributor harmless for any liability + incurred by, or claims asserted against, such Contributor by reason + of your accepting any such warranty or additional liability. + + END OF TERMS AND CONDITIONS + + APPENDIX: How to apply the Apache License to your work. + + To apply the Apache License to your work, attach the following + boilerplate notice, with the fields enclosed by brackets "{}" + replaced with your own identifying information. (Don't include + the brackets!) The text should be enclosed in the appropriate + comment syntax for the file format. We also recommend that a + file or class name and description of purpose be included on the + same "printed page" as the copyright notice for easier + identification within third-party archives. + + Copyright 2018-2024 Amazon.com, Inc. or its affiliates. All Rights Reserved. + + Licensed under the Apache License, Version 2.0 (the "License"); + you may not use this file except in compliance with the License. + You may obtain a copy of the License at + + http://www.apache.org/licenses/LICENSE-2.0 + + Unless required by applicable law or agreed to in writing, software + distributed under the License is distributed on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + See the License for the specific language governing permissions and + limitations under the License. diff --git a/clients/client-directory-service-data/README.md b/clients/client-directory-service-data/README.md new file mode 100644 index 000000000000..e49613dbe2c9 --- /dev/null +++ b/clients/client-directory-service-data/README.md @@ -0,0 +1,391 @@ + + +# @aws-sdk/client-directory-service-data + +## Description + +AWS SDK for JavaScript DirectoryServiceData Client for Node.js, Browser and React Native. + +

      Amazon Web Services Directory Service Data is an extension of Directory Service. This API reference provides detailed information +about Directory Service Data operations and object types.

      +

      With Directory Service Data, you can create, read, update, and delete users, groups, and memberships from +your Managed Microsoft AD without additional costs and without deploying dedicated management +instances. You can also perform built-in object management tasks across directories without +direct network connectivity, which simplifies provisioning and access management to achieve +fully automated deployments. Directory Service Data supports user and group write operations, such as +CreateUser and CreateGroup, within the organizational unit (OU) of +your Managed Microsoft AD. Directory Service Data supports read operations, such as ListUsers and +ListGroups, on all users, groups, and group memberships within your +Managed Microsoft AD and across trusted realms. Directory Service Data supports adding and removing group members in +your OU and the Amazon Web Services Delegated Groups OU, so you can grant and deny access to specific roles +and permissions. For more information, see Manage users and +groups in the Directory Service Administration Guide.

      + +

      Directory management operations and configuration changes made against the Directory Service +API will also reflect in Directory Service Data API with eventual consistency. You can expect a short delay +between management changes, such as adding a new directory trust and calling the Directory Service Data API +for the newly created trusted realm.

      +
      +

      Directory Service Data connects to your Managed Microsoft AD domain controllers and performs operations on +underlying directory objects. When you create your Managed Microsoft AD, you choose subnets for domain +controllers that Directory Service creates on your behalf. If a domain controller is unavailable, Directory Service Data +uses an available domain controller. As a result, you might notice eventual consistency while +objects replicate from one domain controller to another domain controller. For more +information, see What +gets created in the Directory Service Administration Guide. +Directory limits vary by Managed Microsoft AD edition:

      +
        +
      • +

        +Standard edition – Supports 8 transactions per +second (TPS) for read operations and 4 TPS for write operations per directory. There's a +concurrency limit of 10 concurrent requests.

        +
      • +
      • +

        +Enterprise edition – Supports 16 transactions per +second (TPS) for read operations and 8 TPS for write operations per directory. There's a +concurrency limit of 10 concurrent requests.

        +
      • +
      • +

        +Amazon Web Services Account - Supports a total of 100 TPS for +Directory Service Data operations across all directories.

        +
      • +
      +

      Directory Service Data only supports the Managed Microsoft AD directory type and is only available in the primary +Amazon Web Services Region. For more information, see Managed Microsoft AD +and Primary vs additional Regions in the Directory Service Administration +Guide.

      + +## Installing + +To install the this package, simply type add or install @aws-sdk/client-directory-service-data +using your favorite package manager: + +- `npm install @aws-sdk/client-directory-service-data` +- `yarn add @aws-sdk/client-directory-service-data` +- `pnpm add @aws-sdk/client-directory-service-data` + +## Getting Started + +### Import + +The AWS SDK is modulized by clients and commands. +To send a request, you only need to import the `DirectoryServiceDataClient` and +the commands you need, for example `ListGroupsCommand`: + +```js +// ES5 example +const { DirectoryServiceDataClient, ListGroupsCommand } = require("@aws-sdk/client-directory-service-data"); +``` + +```ts +// ES6+ example +import { DirectoryServiceDataClient, ListGroupsCommand } from "@aws-sdk/client-directory-service-data"; +``` + +### Usage + +To send a request, you: + +- Initiate client with configuration (e.g. credentials, region). +- Initiate command with input parameters. +- Call `send` operation on client with command object as input. +- If you are using a custom http handler, you may call `destroy()` to close open connections. + +```js +// a client can be shared by different commands. +const client = new DirectoryServiceDataClient({ region: "REGION" }); + +const params = { + /** input parameters */ +}; +const command = new ListGroupsCommand(params); +``` + +#### Async/await + +We recommend using [await](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/await) +operator to wait for the promise returned by send operation as follows: + +```js +// async/await. +try { + const data = await client.send(command); + // process data. +} catch (error) { + // error handling. +} finally { + // finally. +} +``` + +Async-await is clean, concise, intuitive, easy to debug and has better error handling +as compared to using Promise chains or callbacks. + +#### Promises + +You can also use [Promise chaining](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Using_promises#chaining) +to execute send operation. + +```js +client.send(command).then( + (data) => { + // process data. + }, + (error) => { + // error handling. + } +); +``` + +Promises can also be called using `.catch()` and `.finally()` as follows: + +```js +client + .send(command) + .then((data) => { + // process data. + }) + .catch((error) => { + // error handling. + }) + .finally(() => { + // finally. + }); +``` + +#### Callbacks + +We do not recommend using callbacks because of [callback hell](http://callbackhell.com/), +but they are supported by the send operation. + +```js +// callbacks. +client.send(command, (err, data) => { + // process err and data. +}); +``` + +#### v2 compatible style + +The client can also send requests using v2 compatible style. +However, it results in a bigger bundle size and may be dropped in next major version. More details in the blog post +on [modular packages in AWS SDK for JavaScript](https://aws.amazon.com/blogs/developer/modular-packages-in-aws-sdk-for-javascript/) + +```ts +import * as AWS from "@aws-sdk/client-directory-service-data"; +const client = new AWS.DirectoryServiceData({ region: "REGION" }); + +// async/await. +try { + const data = await client.listGroups(params); + // process data. +} catch (error) { + // error handling. +} + +// Promises. +client + .listGroups(params) + .then((data) => { + // process data. + }) + .catch((error) => { + // error handling. + }); + +// callbacks. +client.listGroups(params, (err, data) => { + // process err and data. +}); +``` + +### Troubleshooting + +When the service returns an exception, the error will include the exception information, +as well as response metadata (e.g. request id). + +```js +try { + const data = await client.send(command); + // process data. +} catch (error) { + const { requestId, cfId, extendedRequestId } = error.$metadata; + console.log({ requestId, cfId, extendedRequestId }); + /** + * The keys within exceptions are also parsed. + * You can access them by specifying exception names: + * if (error.name === 'SomeServiceException') { + * const value = error.specialKeyInException; + * } + */ +} +``` + +## Getting Help + +Please use these community resources for getting help. +We use the GitHub issues for tracking bugs and feature requests, but have limited bandwidth to address them. + +- Visit [Developer Guide](https://docs.aws.amazon.com/sdk-for-javascript/v3/developer-guide/welcome.html) + or [API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/index.html). +- Check out the blog posts tagged with [`aws-sdk-js`](https://aws.amazon.com/blogs/developer/tag/aws-sdk-js/) + on AWS Developer Blog. +- Ask a question on [StackOverflow](https://stackoverflow.com/questions/tagged/aws-sdk-js) and tag it with `aws-sdk-js`. +- Join the AWS JavaScript community on [gitter](https://gitter.im/aws/aws-sdk-js-v3). +- If it turns out that you may have found a bug, please [open an issue](https://github.com/aws/aws-sdk-js-v3/issues/new/choose). + +To test your universal JavaScript code in Node.js, browser and react-native environments, +visit our [code samples repo](https://github.com/aws-samples/aws-sdk-js-tests). + +## Contributing + +This client code is generated automatically. Any modifications will be overwritten the next time the `@aws-sdk/client-directory-service-data` package is updated. +To contribute to client you can check our [generate clients scripts](https://github.com/aws/aws-sdk-js-v3/tree/main/scripts/generate-clients). + +## License + +This SDK is distributed under the +[Apache License, Version 2.0](http://www.apache.org/licenses/LICENSE-2.0), +see LICENSE for more information. + +## Client Commands (Operations List) + +
      + +AddGroupMember + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/AddGroupMemberCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/AddGroupMemberCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/AddGroupMemberCommandOutput/) + +
      +
      + +CreateGroup + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/CreateGroupCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/CreateGroupCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/CreateGroupCommandOutput/) + +
      +
      + +CreateUser + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/CreateUserCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/CreateUserCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/CreateUserCommandOutput/) + +
      +
      + +DeleteGroup + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/DeleteGroupCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DeleteGroupCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DeleteGroupCommandOutput/) + +
      +
      + +DeleteUser + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/DeleteUserCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DeleteUserCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DeleteUserCommandOutput/) + +
      +
      + +DescribeGroup + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/DescribeGroupCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DescribeGroupCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DescribeGroupCommandOutput/) + +
      +
      + +DescribeUser + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/DescribeUserCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DescribeUserCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DescribeUserCommandOutput/) + +
      +
      + +DisableUser + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/DisableUserCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DisableUserCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/DisableUserCommandOutput/) + +
      +
      + +ListGroupMembers + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/ListGroupMembersCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListGroupMembersCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListGroupMembersCommandOutput/) + +
      +
      + +ListGroups + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/ListGroupsCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListGroupsCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListGroupsCommandOutput/) + +
      +
      + +ListGroupsForMember + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/ListGroupsForMemberCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListGroupsForMemberCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListGroupsForMemberCommandOutput/) + +
      +
      + +ListUsers + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/ListUsersCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListUsersCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/ListUsersCommandOutput/) + +
      +
      + +RemoveGroupMember + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/RemoveGroupMemberCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/RemoveGroupMemberCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/RemoveGroupMemberCommandOutput/) + +
      +
      + +SearchGroups + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/SearchGroupsCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/SearchGroupsCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/SearchGroupsCommandOutput/) + +
      +
      + +SearchUsers + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/SearchUsersCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/SearchUsersCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/SearchUsersCommandOutput/) + +
      +
      + +UpdateGroup + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/UpdateGroupCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/UpdateGroupCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/UpdateGroupCommandOutput/) + +
      +
      + +UpdateUser + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/directory-service-data/command/UpdateUserCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/UpdateUserCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-directory-service-data/Interface/UpdateUserCommandOutput/) + +
      diff --git a/clients/client-directory-service-data/api-extractor.json b/clients/client-directory-service-data/api-extractor.json new file mode 100644 index 000000000000..d5bf5ffeee85 --- /dev/null +++ b/clients/client-directory-service-data/api-extractor.json @@ -0,0 +1,4 @@ +{ + "extends": "../../api-extractor.json", + "mainEntryPointFilePath": "/dist-types/index.d.ts" +} diff --git a/clients/client-directory-service-data/package.json b/clients/client-directory-service-data/package.json new file mode 100644 index 000000000000..022c53876f63 --- /dev/null +++ b/clients/client-directory-service-data/package.json @@ -0,0 +1,103 @@ +{ + "name": "@aws-sdk/client-directory-service-data", + "description": "AWS SDK for JavaScript Directory Service Data Client for Node.js, Browser and React Native", + "version": "3.0.0", + "scripts": { + "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", + "build:cjs": "tsc -p tsconfig.cjs.json", + "build:es": "tsc -p tsconfig.es.json", + "build:include:deps": "lerna run --scope $npm_package_name --include-dependencies build", + "build:types": "tsc -p tsconfig.types.json", + "build:types:downlevel": "downlevel-dts dist-types dist-types/ts3.4", + "clean": "rimraf ./dist-* && rimraf *.tsbuildinfo || exit 0", + "extract:docs": "api-extractor run --local", + "generate:client": "node ../../scripts/generate-clients/single-service --solo directory-service-data" + }, + "main": "./dist-cjs/index.js", + "types": "./dist-types/index.d.ts", + "module": "./dist-es/index.js", + "sideEffects": false, + "dependencies": { + "@aws-crypto/sha256-browser": "5.2.0", + "@aws-crypto/sha256-js": "5.2.0", + "@aws-sdk/client-sso-oidc": "*", + "@aws-sdk/client-sts": "*", + "@aws-sdk/core": "*", + "@aws-sdk/credential-provider-node": "*", + "@aws-sdk/middleware-host-header": "*", + "@aws-sdk/middleware-logger": "*", + "@aws-sdk/middleware-recursion-detection": "*", + "@aws-sdk/middleware-user-agent": "*", + "@aws-sdk/region-config-resolver": "*", + "@aws-sdk/types": "*", + "@aws-sdk/util-endpoints": "*", + "@aws-sdk/util-user-agent-browser": "*", + "@aws-sdk/util-user-agent-node": "*", + "@smithy/config-resolver": "^3.0.8", + "@smithy/core": "^2.4.3", + "@smithy/fetch-http-handler": "^3.2.7", + "@smithy/hash-node": "^3.0.6", + "@smithy/invalid-dependency": "^3.0.6", + "@smithy/middleware-content-length": "^3.0.8", + "@smithy/middleware-endpoint": "^3.1.3", + "@smithy/middleware-retry": "^3.0.18", + "@smithy/middleware-serde": "^3.0.6", + "@smithy/middleware-stack": "^3.0.6", + "@smithy/node-config-provider": "^3.1.7", + "@smithy/node-http-handler": "^3.2.2", + "@smithy/protocol-http": "^4.1.3", + "@smithy/smithy-client": "^3.3.2", + "@smithy/types": "^3.4.2", + "@smithy/url-parser": "^3.0.6", + "@smithy/util-base64": "^3.0.0", + "@smithy/util-body-length-browser": "^3.0.0", + "@smithy/util-body-length-node": "^3.0.0", + "@smithy/util-defaults-mode-browser": "^3.0.18", + "@smithy/util-defaults-mode-node": "^3.0.18", + "@smithy/util-endpoints": "^2.1.2", + "@smithy/util-middleware": "^3.0.6", + "@smithy/util-retry": "^3.0.6", + "@smithy/util-utf8": "^3.0.0", + "tslib": "^2.6.2", + "uuid": "^9.0.1" + }, + "devDependencies": { + "@tsconfig/node16": "16.1.3", + "@types/node": "^16.18.96", + "@types/uuid": "^9.0.4", + "concurrently": "7.0.0", + "downlevel-dts": "0.10.1", + "rimraf": "3.0.2", + "typescript": "~4.9.5" + }, + "engines": { + "node": ">=16.0.0" + }, + "typesVersions": { + "<4.0": { + "dist-types/*": [ + "dist-types/ts3.4/*" + ] + } + }, + "files": [ + "dist-*/**" + ], + "author": { + "name": "AWS SDK for JavaScript Team", + "url": "https://aws.amazon.com/javascript/" + }, + "license": "Apache-2.0", + "browser": { + "./dist-es/runtimeConfig": "./dist-es/runtimeConfig.browser" + }, + "react-native": { + "./dist-es/runtimeConfig": "./dist-es/runtimeConfig.native" + }, + "homepage": "https://github.com/aws/aws-sdk-js-v3/tree/main/clients/client-directory-service-data", + "repository": { + "type": "git", + "url": "https://github.com/aws/aws-sdk-js-v3.git", + "directory": "clients/client-directory-service-data" + } +} diff --git a/clients/client-directory-service-data/src/DirectoryServiceData.ts b/clients/client-directory-service-data/src/DirectoryServiceData.ts new file mode 100644 index 000000000000..633220911bbd --- /dev/null +++ b/clients/client-directory-service-data/src/DirectoryServiceData.ts @@ -0,0 +1,337 @@ +// smithy-typescript generated code +import { createAggregatedClient } from "@smithy/smithy-client"; +import { HttpHandlerOptions as __HttpHandlerOptions } from "@smithy/types"; + +import { + AddGroupMemberCommand, + AddGroupMemberCommandInput, + AddGroupMemberCommandOutput, +} from "./commands/AddGroupMemberCommand"; +import { CreateGroupCommand, CreateGroupCommandInput, CreateGroupCommandOutput } from "./commands/CreateGroupCommand"; +import { CreateUserCommand, CreateUserCommandInput, CreateUserCommandOutput } from "./commands/CreateUserCommand"; +import { DeleteGroupCommand, DeleteGroupCommandInput, DeleteGroupCommandOutput } from "./commands/DeleteGroupCommand"; +import { DeleteUserCommand, DeleteUserCommandInput, DeleteUserCommandOutput } from "./commands/DeleteUserCommand"; +import { + DescribeGroupCommand, + DescribeGroupCommandInput, + DescribeGroupCommandOutput, +} from "./commands/DescribeGroupCommand"; +import { + DescribeUserCommand, + DescribeUserCommandInput, + DescribeUserCommandOutput, +} from "./commands/DescribeUserCommand"; +import { DisableUserCommand, DisableUserCommandInput, DisableUserCommandOutput } from "./commands/DisableUserCommand"; +import { + ListGroupMembersCommand, + ListGroupMembersCommandInput, + ListGroupMembersCommandOutput, +} from "./commands/ListGroupMembersCommand"; +import { ListGroupsCommand, ListGroupsCommandInput, ListGroupsCommandOutput } from "./commands/ListGroupsCommand"; +import { + ListGroupsForMemberCommand, + ListGroupsForMemberCommandInput, + ListGroupsForMemberCommandOutput, +} from "./commands/ListGroupsForMemberCommand"; +import { ListUsersCommand, ListUsersCommandInput, ListUsersCommandOutput } from "./commands/ListUsersCommand"; +import { + RemoveGroupMemberCommand, + RemoveGroupMemberCommandInput, + RemoveGroupMemberCommandOutput, +} from "./commands/RemoveGroupMemberCommand"; +import { + SearchGroupsCommand, + SearchGroupsCommandInput, + SearchGroupsCommandOutput, +} from "./commands/SearchGroupsCommand"; +import { SearchUsersCommand, SearchUsersCommandInput, SearchUsersCommandOutput } from "./commands/SearchUsersCommand"; +import { UpdateGroupCommand, UpdateGroupCommandInput, UpdateGroupCommandOutput } from "./commands/UpdateGroupCommand"; +import { UpdateUserCommand, UpdateUserCommandInput, UpdateUserCommandOutput } from "./commands/UpdateUserCommand"; +import { DirectoryServiceDataClient, DirectoryServiceDataClientConfig } from "./DirectoryServiceDataClient"; + +const commands = { + AddGroupMemberCommand, + CreateGroupCommand, + CreateUserCommand, + DeleteGroupCommand, + DeleteUserCommand, + DescribeGroupCommand, + DescribeUserCommand, + DisableUserCommand, + ListGroupMembersCommand, + ListGroupsCommand, + ListGroupsForMemberCommand, + ListUsersCommand, + RemoveGroupMemberCommand, + SearchGroupsCommand, + SearchUsersCommand, + UpdateGroupCommand, + UpdateUserCommand, +}; + +export interface DirectoryServiceData { + /** + * @see {@link AddGroupMemberCommand} + */ + addGroupMember( + args: AddGroupMemberCommandInput, + options?: __HttpHandlerOptions + ): Promise; + addGroupMember(args: AddGroupMemberCommandInput, cb: (err: any, data?: AddGroupMemberCommandOutput) => void): void; + addGroupMember( + args: AddGroupMemberCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: AddGroupMemberCommandOutput) => void + ): void; + + /** + * @see {@link CreateGroupCommand} + */ + createGroup(args: CreateGroupCommandInput, options?: __HttpHandlerOptions): Promise; + createGroup(args: CreateGroupCommandInput, cb: (err: any, data?: CreateGroupCommandOutput) => void): void; + createGroup( + args: CreateGroupCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: CreateGroupCommandOutput) => void + ): void; + + /** + * @see {@link CreateUserCommand} + */ + createUser(args: CreateUserCommandInput, options?: __HttpHandlerOptions): Promise; + createUser(args: CreateUserCommandInput, cb: (err: any, data?: CreateUserCommandOutput) => void): void; + createUser( + args: CreateUserCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: CreateUserCommandOutput) => void + ): void; + + /** + * @see {@link DeleteGroupCommand} + */ + deleteGroup(args: DeleteGroupCommandInput, options?: __HttpHandlerOptions): Promise; + deleteGroup(args: DeleteGroupCommandInput, cb: (err: any, data?: DeleteGroupCommandOutput) => void): void; + deleteGroup( + args: DeleteGroupCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DeleteGroupCommandOutput) => void + ): void; + + /** + * @see {@link DeleteUserCommand} + */ + deleteUser(args: DeleteUserCommandInput, options?: __HttpHandlerOptions): Promise; + deleteUser(args: DeleteUserCommandInput, cb: (err: any, data?: DeleteUserCommandOutput) => void): void; + deleteUser( + args: DeleteUserCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DeleteUserCommandOutput) => void + ): void; + + /** + * @see {@link DescribeGroupCommand} + */ + describeGroup(args: DescribeGroupCommandInput, options?: __HttpHandlerOptions): Promise; + describeGroup(args: DescribeGroupCommandInput, cb: (err: any, data?: DescribeGroupCommandOutput) => void): void; + describeGroup( + args: DescribeGroupCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DescribeGroupCommandOutput) => void + ): void; + + /** + * @see {@link DescribeUserCommand} + */ + describeUser(args: DescribeUserCommandInput, options?: __HttpHandlerOptions): Promise; + describeUser(args: DescribeUserCommandInput, cb: (err: any, data?: DescribeUserCommandOutput) => void): void; + describeUser( + args: DescribeUserCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DescribeUserCommandOutput) => void + ): void; + + /** + * @see {@link DisableUserCommand} + */ + disableUser(args: DisableUserCommandInput, options?: __HttpHandlerOptions): Promise; + disableUser(args: DisableUserCommandInput, cb: (err: any, data?: DisableUserCommandOutput) => void): void; + disableUser( + args: DisableUserCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DisableUserCommandOutput) => void + ): void; + + /** + * @see {@link ListGroupMembersCommand} + */ + listGroupMembers( + args: ListGroupMembersCommandInput, + options?: __HttpHandlerOptions + ): Promise; + listGroupMembers( + args: ListGroupMembersCommandInput, + cb: (err: any, data?: ListGroupMembersCommandOutput) => void + ): void; + listGroupMembers( + args: ListGroupMembersCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListGroupMembersCommandOutput) => void + ): void; + + /** + * @see {@link ListGroupsCommand} + */ + listGroups(args: ListGroupsCommandInput, options?: __HttpHandlerOptions): Promise; + listGroups(args: ListGroupsCommandInput, cb: (err: any, data?: ListGroupsCommandOutput) => void): void; + listGroups( + args: ListGroupsCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListGroupsCommandOutput) => void + ): void; + + /** + * @see {@link ListGroupsForMemberCommand} + */ + listGroupsForMember( + args: ListGroupsForMemberCommandInput, + options?: __HttpHandlerOptions + ): Promise; + listGroupsForMember( + args: ListGroupsForMemberCommandInput, + cb: (err: any, data?: ListGroupsForMemberCommandOutput) => void + ): void; + listGroupsForMember( + args: ListGroupsForMemberCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListGroupsForMemberCommandOutput) => void + ): void; + + /** + * @see {@link ListUsersCommand} + */ + listUsers(args: ListUsersCommandInput, options?: __HttpHandlerOptions): Promise; + listUsers(args: ListUsersCommandInput, cb: (err: any, data?: ListUsersCommandOutput) => void): void; + listUsers( + args: ListUsersCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListUsersCommandOutput) => void + ): void; + + /** + * @see {@link RemoveGroupMemberCommand} + */ + removeGroupMember( + args: RemoveGroupMemberCommandInput, + options?: __HttpHandlerOptions + ): Promise; + removeGroupMember( + args: RemoveGroupMemberCommandInput, + cb: (err: any, data?: RemoveGroupMemberCommandOutput) => void + ): void; + removeGroupMember( + args: RemoveGroupMemberCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: RemoveGroupMemberCommandOutput) => void + ): void; + + /** + * @see {@link SearchGroupsCommand} + */ + searchGroups(args: SearchGroupsCommandInput, options?: __HttpHandlerOptions): Promise; + searchGroups(args: SearchGroupsCommandInput, cb: (err: any, data?: SearchGroupsCommandOutput) => void): void; + searchGroups( + args: SearchGroupsCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: SearchGroupsCommandOutput) => void + ): void; + + /** + * @see {@link SearchUsersCommand} + */ + searchUsers(args: SearchUsersCommandInput, options?: __HttpHandlerOptions): Promise; + searchUsers(args: SearchUsersCommandInput, cb: (err: any, data?: SearchUsersCommandOutput) => void): void; + searchUsers( + args: SearchUsersCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: SearchUsersCommandOutput) => void + ): void; + + /** + * @see {@link UpdateGroupCommand} + */ + updateGroup(args: UpdateGroupCommandInput, options?: __HttpHandlerOptions): Promise; + updateGroup(args: UpdateGroupCommandInput, cb: (err: any, data?: UpdateGroupCommandOutput) => void): void; + updateGroup( + args: UpdateGroupCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: UpdateGroupCommandOutput) => void + ): void; + + /** + * @see {@link UpdateUserCommand} + */ + updateUser(args: UpdateUserCommandInput, options?: __HttpHandlerOptions): Promise; + updateUser(args: UpdateUserCommandInput, cb: (err: any, data?: UpdateUserCommandOutput) => void): void; + updateUser( + args: UpdateUserCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: UpdateUserCommandOutput) => void + ): void; +} + +/** + *

      Amazon Web Services Directory Service Data is an extension of Directory Service. This API reference provides detailed information + * about Directory Service Data operations and object types.

      + *

      With Directory Service Data, you can create, read, update, and delete users, groups, and memberships from + * your Managed Microsoft AD without additional costs and without deploying dedicated management + * instances. You can also perform built-in object management tasks across directories without + * direct network connectivity, which simplifies provisioning and access management to achieve + * fully automated deployments. Directory Service Data supports user and group write operations, such as + * CreateUser and CreateGroup, within the organizational unit (OU) of + * your Managed Microsoft AD. Directory Service Data supports read operations, such as ListUsers and + * ListGroups, on all users, groups, and group memberships within your + * Managed Microsoft AD and across trusted realms. Directory Service Data supports adding and removing group members in + * your OU and the Amazon Web Services Delegated Groups OU, so you can grant and deny access to specific roles + * and permissions. For more information, see Manage users and + * groups in the Directory Service Administration Guide.

      + * + *

      Directory management operations and configuration changes made against the Directory Service + * API will also reflect in Directory Service Data API with eventual consistency. You can expect a short delay + * between management changes, such as adding a new directory trust and calling the Directory Service Data API + * for the newly created trusted realm.

      + *
      + *

      Directory Service Data connects to your Managed Microsoft AD domain controllers and performs operations on + * underlying directory objects. When you create your Managed Microsoft AD, you choose subnets for domain + * controllers that Directory Service creates on your behalf. If a domain controller is unavailable, Directory Service Data + * uses an available domain controller. As a result, you might notice eventual consistency while + * objects replicate from one domain controller to another domain controller. For more + * information, see What + * gets created in the Directory Service Administration Guide. + * Directory limits vary by Managed Microsoft AD edition:

      + *
        + *
      • + *

        + * Standard edition – Supports 8 transactions per + * second (TPS) for read operations and 4 TPS for write operations per directory. There's a + * concurrency limit of 10 concurrent requests.

        + *
      • + *
      • + *

        + * Enterprise edition – Supports 16 transactions per + * second (TPS) for read operations and 8 TPS for write operations per directory. There's a + * concurrency limit of 10 concurrent requests.

        + *
      • + *
      • + *

        + * Amazon Web Services Account - Supports a total of 100 TPS for + * Directory Service Data operations across all directories.

        + *
      • + *
      + *

      Directory Service Data only supports the Managed Microsoft AD directory type and is only available in the primary + * Amazon Web Services Region. For more information, see Managed Microsoft AD + * and Primary vs additional Regions in the Directory Service Administration + * Guide.

      + * @public + */ +export class DirectoryServiceData extends DirectoryServiceDataClient implements DirectoryServiceData {} +createAggregatedClient(commands, DirectoryServiceData); diff --git a/clients/client-directory-service-data/src/DirectoryServiceDataClient.ts b/clients/client-directory-service-data/src/DirectoryServiceDataClient.ts new file mode 100644 index 000000000000..be745c5fe08e --- /dev/null +++ b/clients/client-directory-service-data/src/DirectoryServiceDataClient.ts @@ -0,0 +1,405 @@ +// smithy-typescript generated code +import { + getHostHeaderPlugin, + HostHeaderInputConfig, + HostHeaderResolvedConfig, + resolveHostHeaderConfig, +} from "@aws-sdk/middleware-host-header"; +import { getLoggerPlugin } from "@aws-sdk/middleware-logger"; +import { getRecursionDetectionPlugin } from "@aws-sdk/middleware-recursion-detection"; +import { + getUserAgentPlugin, + resolveUserAgentConfig, + UserAgentInputConfig, + UserAgentResolvedConfig, +} from "@aws-sdk/middleware-user-agent"; +import { RegionInputConfig, RegionResolvedConfig, resolveRegionConfig } from "@smithy/config-resolver"; +import { + DefaultIdentityProviderConfig, + getHttpAuthSchemeEndpointRuleSetPlugin, + getHttpSigningPlugin, +} from "@smithy/core"; +import { getContentLengthPlugin } from "@smithy/middleware-content-length"; +import { EndpointInputConfig, EndpointResolvedConfig, resolveEndpointConfig } from "@smithy/middleware-endpoint"; +import { getRetryPlugin, resolveRetryConfig, RetryInputConfig, RetryResolvedConfig } from "@smithy/middleware-retry"; +import { HttpHandlerUserInput as __HttpHandlerUserInput } from "@smithy/protocol-http"; +import { + Client as __Client, + DefaultsMode as __DefaultsMode, + SmithyConfiguration as __SmithyConfiguration, + SmithyResolvedConfiguration as __SmithyResolvedConfiguration, +} from "@smithy/smithy-client"; +import { + AwsCredentialIdentityProvider, + BodyLengthCalculator as __BodyLengthCalculator, + CheckOptionalClientConfig as __CheckOptionalClientConfig, + ChecksumConstructor as __ChecksumConstructor, + Decoder as __Decoder, + Encoder as __Encoder, + EndpointV2 as __EndpointV2, + HashConstructor as __HashConstructor, + HttpHandlerOptions as __HttpHandlerOptions, + Logger as __Logger, + Provider as __Provider, + Provider, + StreamCollector as __StreamCollector, + UrlParser as __UrlParser, + UserAgent as __UserAgent, +} from "@smithy/types"; + +import { + defaultDirectoryServiceDataHttpAuthSchemeParametersProvider, + HttpAuthSchemeInputConfig, + HttpAuthSchemeResolvedConfig, + resolveHttpAuthSchemeConfig, +} from "./auth/httpAuthSchemeProvider"; +import { AddGroupMemberCommandInput, AddGroupMemberCommandOutput } from "./commands/AddGroupMemberCommand"; +import { CreateGroupCommandInput, CreateGroupCommandOutput } from "./commands/CreateGroupCommand"; +import { CreateUserCommandInput, CreateUserCommandOutput } from "./commands/CreateUserCommand"; +import { DeleteGroupCommandInput, DeleteGroupCommandOutput } from "./commands/DeleteGroupCommand"; +import { DeleteUserCommandInput, DeleteUserCommandOutput } from "./commands/DeleteUserCommand"; +import { DescribeGroupCommandInput, DescribeGroupCommandOutput } from "./commands/DescribeGroupCommand"; +import { DescribeUserCommandInput, DescribeUserCommandOutput } from "./commands/DescribeUserCommand"; +import { DisableUserCommandInput, DisableUserCommandOutput } from "./commands/DisableUserCommand"; +import { ListGroupMembersCommandInput, ListGroupMembersCommandOutput } from "./commands/ListGroupMembersCommand"; +import { ListGroupsCommandInput, ListGroupsCommandOutput } from "./commands/ListGroupsCommand"; +import { + ListGroupsForMemberCommandInput, + ListGroupsForMemberCommandOutput, +} from "./commands/ListGroupsForMemberCommand"; +import { ListUsersCommandInput, ListUsersCommandOutput } from "./commands/ListUsersCommand"; +import { RemoveGroupMemberCommandInput, RemoveGroupMemberCommandOutput } from "./commands/RemoveGroupMemberCommand"; +import { SearchGroupsCommandInput, SearchGroupsCommandOutput } from "./commands/SearchGroupsCommand"; +import { SearchUsersCommandInput, SearchUsersCommandOutput } from "./commands/SearchUsersCommand"; +import { UpdateGroupCommandInput, UpdateGroupCommandOutput } from "./commands/UpdateGroupCommand"; +import { UpdateUserCommandInput, UpdateUserCommandOutput } from "./commands/UpdateUserCommand"; +import { + ClientInputEndpointParameters, + ClientResolvedEndpointParameters, + EndpointParameters, + resolveClientEndpointParameters, +} from "./endpoint/EndpointParameters"; +import { getRuntimeConfig as __getRuntimeConfig } from "./runtimeConfig"; +import { resolveRuntimeExtensions, RuntimeExtension, RuntimeExtensionsConfig } from "./runtimeExtensions"; + +export { __Client }; + +/** + * @public + */ +export type ServiceInputTypes = + | AddGroupMemberCommandInput + | CreateGroupCommandInput + | CreateUserCommandInput + | DeleteGroupCommandInput + | DeleteUserCommandInput + | DescribeGroupCommandInput + | DescribeUserCommandInput + | DisableUserCommandInput + | ListGroupMembersCommandInput + | ListGroupsCommandInput + | ListGroupsForMemberCommandInput + | ListUsersCommandInput + | RemoveGroupMemberCommandInput + | SearchGroupsCommandInput + | SearchUsersCommandInput + | UpdateGroupCommandInput + | UpdateUserCommandInput; + +/** + * @public + */ +export type ServiceOutputTypes = + | AddGroupMemberCommandOutput + | CreateGroupCommandOutput + | CreateUserCommandOutput + | DeleteGroupCommandOutput + | DeleteUserCommandOutput + | DescribeGroupCommandOutput + | DescribeUserCommandOutput + | DisableUserCommandOutput + | ListGroupMembersCommandOutput + | ListGroupsCommandOutput + | ListGroupsForMemberCommandOutput + | ListUsersCommandOutput + | RemoveGroupMemberCommandOutput + | SearchGroupsCommandOutput + | SearchUsersCommandOutput + | UpdateGroupCommandOutput + | UpdateUserCommandOutput; + +/** + * @public + */ +export interface ClientDefaults extends Partial<__SmithyConfiguration<__HttpHandlerOptions>> { + /** + * The HTTP handler to use or its constructor options. Fetch in browser and Https in Nodejs. + */ + requestHandler?: __HttpHandlerUserInput; + + /** + * A constructor for a class implementing the {@link @smithy/types#ChecksumConstructor} interface + * that computes the SHA-256 HMAC or checksum of a string or binary buffer. + * @internal + */ + sha256?: __ChecksumConstructor | __HashConstructor; + + /** + * The function that will be used to convert strings into HTTP endpoints. + * @internal + */ + urlParser?: __UrlParser; + + /** + * A function that can calculate the length of a request body. + * @internal + */ + bodyLengthChecker?: __BodyLengthCalculator; + + /** + * A function that converts a stream into an array of bytes. + * @internal + */ + streamCollector?: __StreamCollector; + + /** + * The function that will be used to convert a base64-encoded string to a byte array. + * @internal + */ + base64Decoder?: __Decoder; + + /** + * The function that will be used to convert binary data to a base64-encoded string. + * @internal + */ + base64Encoder?: __Encoder; + + /** + * The function that will be used to convert a UTF8-encoded string to a byte array. + * @internal + */ + utf8Decoder?: __Decoder; + + /** + * The function that will be used to convert binary data to a UTF-8 encoded string. + * @internal + */ + utf8Encoder?: __Encoder; + + /** + * The runtime environment. + * @internal + */ + runtime?: string; + + /** + * Disable dynamically changing the endpoint of the client based on the hostPrefix + * trait of an operation. + */ + disableHostPrefix?: boolean; + + /** + * Unique service identifier. + * @internal + */ + serviceId?: string; + + /** + * Enables IPv6/IPv4 dualstack endpoint. + */ + useDualstackEndpoint?: boolean | __Provider; + + /** + * Enables FIPS compatible endpoints. + */ + useFipsEndpoint?: boolean | __Provider; + + /** + * The AWS region to which this client will send requests + */ + region?: string | __Provider; + + /** + * The provider populating default tracking information to be sent with `user-agent`, `x-amz-user-agent` header + * @internal + */ + defaultUserAgentProvider?: Provider<__UserAgent>; + + /** + * Default credentials provider; Not available in browser runtime. + * @deprecated + * @internal + */ + credentialDefaultProvider?: (input: any) => AwsCredentialIdentityProvider; + + /** + * Value for how many times a request will be made at most in case of retry. + */ + maxAttempts?: number | __Provider; + + /** + * Specifies which retry algorithm to use. + * @see https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-smithy-util-retry/Enum/RETRY_MODES/ + * + */ + retryMode?: string | __Provider; + + /** + * Optional logger for logging debug/info/warn/error. + */ + logger?: __Logger; + + /** + * Optional extensions + */ + extensions?: RuntimeExtension[]; + + /** + * The {@link @smithy/smithy-client#DefaultsMode} that will be used to determine how certain default configuration options are resolved in the SDK. + */ + defaultsMode?: __DefaultsMode | __Provider<__DefaultsMode>; +} + +/** + * @public + */ +export type DirectoryServiceDataClientConfigType = Partial<__SmithyConfiguration<__HttpHandlerOptions>> & + ClientDefaults & + UserAgentInputConfig & + RetryInputConfig & + RegionInputConfig & + HostHeaderInputConfig & + EndpointInputConfig & + HttpAuthSchemeInputConfig & + ClientInputEndpointParameters; +/** + * @public + * + * The configuration interface of DirectoryServiceDataClient class constructor that set the region, credentials and other options. + */ +export interface DirectoryServiceDataClientConfig extends DirectoryServiceDataClientConfigType {} + +/** + * @public + */ +export type DirectoryServiceDataClientResolvedConfigType = __SmithyResolvedConfiguration<__HttpHandlerOptions> & + Required & + RuntimeExtensionsConfig & + UserAgentResolvedConfig & + RetryResolvedConfig & + RegionResolvedConfig & + HostHeaderResolvedConfig & + EndpointResolvedConfig & + HttpAuthSchemeResolvedConfig & + ClientResolvedEndpointParameters; +/** + * @public + * + * The resolved configuration interface of DirectoryServiceDataClient class. This is resolved and normalized from the {@link DirectoryServiceDataClientConfig | constructor configuration interface}. + */ +export interface DirectoryServiceDataClientResolvedConfig extends DirectoryServiceDataClientResolvedConfigType {} + +/** + *

      Amazon Web Services Directory Service Data is an extension of Directory Service. This API reference provides detailed information + * about Directory Service Data operations and object types.

      + *

      With Directory Service Data, you can create, read, update, and delete users, groups, and memberships from + * your Managed Microsoft AD without additional costs and without deploying dedicated management + * instances. You can also perform built-in object management tasks across directories without + * direct network connectivity, which simplifies provisioning and access management to achieve + * fully automated deployments. Directory Service Data supports user and group write operations, such as + * CreateUser and CreateGroup, within the organizational unit (OU) of + * your Managed Microsoft AD. Directory Service Data supports read operations, such as ListUsers and + * ListGroups, on all users, groups, and group memberships within your + * Managed Microsoft AD and across trusted realms. Directory Service Data supports adding and removing group members in + * your OU and the Amazon Web Services Delegated Groups OU, so you can grant and deny access to specific roles + * and permissions. For more information, see Manage users and + * groups in the Directory Service Administration Guide.

      + * + *

      Directory management operations and configuration changes made against the Directory Service + * API will also reflect in Directory Service Data API with eventual consistency. You can expect a short delay + * between management changes, such as adding a new directory trust and calling the Directory Service Data API + * for the newly created trusted realm.

      + *
      + *

      Directory Service Data connects to your Managed Microsoft AD domain controllers and performs operations on + * underlying directory objects. When you create your Managed Microsoft AD, you choose subnets for domain + * controllers that Directory Service creates on your behalf. If a domain controller is unavailable, Directory Service Data + * uses an available domain controller. As a result, you might notice eventual consistency while + * objects replicate from one domain controller to another domain controller. For more + * information, see What + * gets created in the Directory Service Administration Guide. + * Directory limits vary by Managed Microsoft AD edition:

      + *
        + *
      • + *

        + * Standard edition – Supports 8 transactions per + * second (TPS) for read operations and 4 TPS for write operations per directory. There's a + * concurrency limit of 10 concurrent requests.

        + *
      • + *
      • + *

        + * Enterprise edition – Supports 16 transactions per + * second (TPS) for read operations and 8 TPS for write operations per directory. There's a + * concurrency limit of 10 concurrent requests.

        + *
      • + *
      • + *

        + * Amazon Web Services Account - Supports a total of 100 TPS for + * Directory Service Data operations across all directories.

        + *
      • + *
      + *

      Directory Service Data only supports the Managed Microsoft AD directory type and is only available in the primary + * Amazon Web Services Region. For more information, see Managed Microsoft AD + * and Primary vs additional Regions in the Directory Service Administration + * Guide.

      + * @public + */ +export class DirectoryServiceDataClient extends __Client< + __HttpHandlerOptions, + ServiceInputTypes, + ServiceOutputTypes, + DirectoryServiceDataClientResolvedConfig +> { + /** + * The resolved configuration of DirectoryServiceDataClient class. This is resolved and normalized from the {@link DirectoryServiceDataClientConfig | constructor configuration interface}. + */ + readonly config: DirectoryServiceDataClientResolvedConfig; + + constructor(...[configuration]: __CheckOptionalClientConfig) { + const _config_0 = __getRuntimeConfig(configuration || {}); + const _config_1 = resolveClientEndpointParameters(_config_0); + const _config_2 = resolveUserAgentConfig(_config_1); + const _config_3 = resolveRetryConfig(_config_2); + const _config_4 = resolveRegionConfig(_config_3); + const _config_5 = resolveHostHeaderConfig(_config_4); + const _config_6 = resolveEndpointConfig(_config_5); + const _config_7 = resolveHttpAuthSchemeConfig(_config_6); + const _config_8 = resolveRuntimeExtensions(_config_7, configuration?.extensions || []); + super(_config_8); + this.config = _config_8; + this.middlewareStack.use(getUserAgentPlugin(this.config)); + this.middlewareStack.use(getRetryPlugin(this.config)); + this.middlewareStack.use(getContentLengthPlugin(this.config)); + this.middlewareStack.use(getHostHeaderPlugin(this.config)); + this.middlewareStack.use(getLoggerPlugin(this.config)); + this.middlewareStack.use(getRecursionDetectionPlugin(this.config)); + this.middlewareStack.use( + getHttpAuthSchemeEndpointRuleSetPlugin(this.config, { + httpAuthSchemeParametersProvider: defaultDirectoryServiceDataHttpAuthSchemeParametersProvider, + identityProviderConfigProvider: async (config: DirectoryServiceDataClientResolvedConfig) => + new DefaultIdentityProviderConfig({ + "aws.auth#sigv4": config.credentials, + }), + }) + ); + this.middlewareStack.use(getHttpSigningPlugin(this.config)); + } + + /** + * Destroy underlying resources, like sockets. It's usually not necessary to do this. + * However in Node.js, it's best to explicitly shut down the client's agent when it is no longer needed. + * Otherwise, sockets might stay open for quite a long time before the server terminates them. + */ + destroy(): void { + super.destroy(); + } +} diff --git a/clients/client-directory-service-data/src/auth/httpAuthExtensionConfiguration.ts b/clients/client-directory-service-data/src/auth/httpAuthExtensionConfiguration.ts new file mode 100644 index 000000000000..c9c0f4b7c0ef --- /dev/null +++ b/clients/client-directory-service-data/src/auth/httpAuthExtensionConfiguration.ts @@ -0,0 +1,72 @@ +// smithy-typescript generated code +import { AwsCredentialIdentity, AwsCredentialIdentityProvider, HttpAuthScheme } from "@smithy/types"; + +import { DirectoryServiceDataHttpAuthSchemeProvider } from "./httpAuthSchemeProvider"; + +/** + * @internal + */ +export interface HttpAuthExtensionConfiguration { + setHttpAuthScheme(httpAuthScheme: HttpAuthScheme): void; + httpAuthSchemes(): HttpAuthScheme[]; + setHttpAuthSchemeProvider(httpAuthSchemeProvider: DirectoryServiceDataHttpAuthSchemeProvider): void; + httpAuthSchemeProvider(): DirectoryServiceDataHttpAuthSchemeProvider; + setCredentials(credentials: AwsCredentialIdentity | AwsCredentialIdentityProvider): void; + credentials(): AwsCredentialIdentity | AwsCredentialIdentityProvider | undefined; +} + +/** + * @internal + */ +export type HttpAuthRuntimeConfig = Partial<{ + httpAuthSchemes: HttpAuthScheme[]; + httpAuthSchemeProvider: DirectoryServiceDataHttpAuthSchemeProvider; + credentials: AwsCredentialIdentity | AwsCredentialIdentityProvider; +}>; + +/** + * @internal + */ +export const getHttpAuthExtensionConfiguration = ( + runtimeConfig: HttpAuthRuntimeConfig +): HttpAuthExtensionConfiguration => { + const _httpAuthSchemes = runtimeConfig.httpAuthSchemes!; + let _httpAuthSchemeProvider = runtimeConfig.httpAuthSchemeProvider!; + let _credentials = runtimeConfig.credentials; + return { + setHttpAuthScheme(httpAuthScheme: HttpAuthScheme): void { + const index = _httpAuthSchemes.findIndex((scheme) => scheme.schemeId === httpAuthScheme.schemeId); + if (index === -1) { + _httpAuthSchemes.push(httpAuthScheme); + } else { + _httpAuthSchemes.splice(index, 1, httpAuthScheme); + } + }, + httpAuthSchemes(): HttpAuthScheme[] { + return _httpAuthSchemes; + }, + setHttpAuthSchemeProvider(httpAuthSchemeProvider: DirectoryServiceDataHttpAuthSchemeProvider): void { + _httpAuthSchemeProvider = httpAuthSchemeProvider; + }, + httpAuthSchemeProvider(): DirectoryServiceDataHttpAuthSchemeProvider { + return _httpAuthSchemeProvider; + }, + setCredentials(credentials: AwsCredentialIdentity | AwsCredentialIdentityProvider): void { + _credentials = credentials; + }, + credentials(): AwsCredentialIdentity | AwsCredentialIdentityProvider | undefined { + return _credentials; + }, + }; +}; + +/** + * @internal + */ +export const resolveHttpAuthRuntimeConfig = (config: HttpAuthExtensionConfiguration): HttpAuthRuntimeConfig => { + return { + httpAuthSchemes: config.httpAuthSchemes(), + httpAuthSchemeProvider: config.httpAuthSchemeProvider(), + credentials: config.credentials(), + }; +}; diff --git a/clients/client-directory-service-data/src/auth/httpAuthSchemeProvider.ts b/clients/client-directory-service-data/src/auth/httpAuthSchemeProvider.ts new file mode 100644 index 000000000000..adc0af1a3bce --- /dev/null +++ b/clients/client-directory-service-data/src/auth/httpAuthSchemeProvider.ts @@ -0,0 +1,145 @@ +// smithy-typescript generated code +import { + AwsSdkSigV4AuthInputConfig, + AwsSdkSigV4AuthResolvedConfig, + AwsSdkSigV4PreviouslyResolved, + resolveAwsSdkSigV4Config, +} from "@aws-sdk/core"; +import { + HandlerExecutionContext, + HttpAuthOption, + HttpAuthScheme, + HttpAuthSchemeParameters, + HttpAuthSchemeParametersProvider, + HttpAuthSchemeProvider, +} from "@smithy/types"; +import { getSmithyContext, normalizeProvider } from "@smithy/util-middleware"; + +import { + DirectoryServiceDataClientConfig, + DirectoryServiceDataClientResolvedConfig, +} from "../DirectoryServiceDataClient"; + +/** + * @internal + */ +export interface DirectoryServiceDataHttpAuthSchemeParameters extends HttpAuthSchemeParameters { + region?: string; +} + +/** + * @internal + */ +export interface DirectoryServiceDataHttpAuthSchemeParametersProvider + extends HttpAuthSchemeParametersProvider< + DirectoryServiceDataClientResolvedConfig, + HandlerExecutionContext, + DirectoryServiceDataHttpAuthSchemeParameters, + object + > {} + +/** + * @internal + */ +export const defaultDirectoryServiceDataHttpAuthSchemeParametersProvider = async ( + config: DirectoryServiceDataClientResolvedConfig, + context: HandlerExecutionContext, + input: object +): Promise => { + return { + operation: getSmithyContext(context).operation as string, + region: + (await normalizeProvider(config.region)()) || + (() => { + throw new Error("expected `region` to be configured for `aws.auth#sigv4`"); + })(), + }; +}; + +function createAwsAuthSigv4HttpAuthOption( + authParameters: DirectoryServiceDataHttpAuthSchemeParameters +): HttpAuthOption { + return { + schemeId: "aws.auth#sigv4", + signingProperties: { + name: "ds-data", + region: authParameters.region, + }, + propertiesExtractor: (config: Partial, context) => ({ + /** + * @internal + */ + signingProperties: { + config, + context, + }, + }), + }; +} + +/** + * @internal + */ +export interface DirectoryServiceDataHttpAuthSchemeProvider + extends HttpAuthSchemeProvider {} + +/** + * @internal + */ +export const defaultDirectoryServiceDataHttpAuthSchemeProvider: DirectoryServiceDataHttpAuthSchemeProvider = ( + authParameters +) => { + const options: HttpAuthOption[] = []; + switch (authParameters.operation) { + default: { + options.push(createAwsAuthSigv4HttpAuthOption(authParameters)); + } + } + return options; +}; + +/** + * @internal + */ +export interface HttpAuthSchemeInputConfig extends AwsSdkSigV4AuthInputConfig { + /** + * Configuration of HttpAuthSchemes for a client which provides default identity providers and signers per auth scheme. + * @internal + */ + httpAuthSchemes?: HttpAuthScheme[]; + + /** + * Configuration of an HttpAuthSchemeProvider for a client which resolves which HttpAuthScheme to use. + * @internal + */ + httpAuthSchemeProvider?: DirectoryServiceDataHttpAuthSchemeProvider; +} + +/** + * @internal + */ +export interface HttpAuthSchemeResolvedConfig extends AwsSdkSigV4AuthResolvedConfig { + /** + * Configuration of HttpAuthSchemes for a client which provides default identity providers and signers per auth scheme. + * @internal + */ + readonly httpAuthSchemes: HttpAuthScheme[]; + + /** + * Configuration of an HttpAuthSchemeProvider for a client which resolves which HttpAuthScheme to use. + * @internal + */ + readonly httpAuthSchemeProvider: DirectoryServiceDataHttpAuthSchemeProvider; +} + +/** + * @internal + */ +export const resolveHttpAuthSchemeConfig = ( + config: T & HttpAuthSchemeInputConfig & AwsSdkSigV4PreviouslyResolved +): T & HttpAuthSchemeResolvedConfig => { + const config_0 = resolveAwsSdkSigV4Config(config); + return { + ...config_0, + } as T & HttpAuthSchemeResolvedConfig; +}; diff --git a/clients/client-directory-service-data/src/commands/AddGroupMemberCommand.ts b/clients/client-directory-service-data/src/commands/AddGroupMemberCommand.ts new file mode 100644 index 000000000000..d9ffd7777903 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/AddGroupMemberCommand.ts @@ -0,0 +1,132 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { AddGroupMemberRequest, AddGroupMemberResult } from "../models/models_0"; +import { de_AddGroupMemberCommand, se_AddGroupMemberCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link AddGroupMemberCommand}. + */ +export interface AddGroupMemberCommandInput extends AddGroupMemberRequest {} +/** + * @public + * + * The output of {@link AddGroupMemberCommand}. + */ +export interface AddGroupMemberCommandOutput extends AddGroupMemberResult, __MetadataBearer {} + +/** + *

      Adds an existing user, group, or computer as a group member.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, AddGroupMemberCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, AddGroupMemberCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // AddGroupMemberRequest + * DirectoryId: "STRING_VALUE", // required + * GroupName: "STRING_VALUE", // required + * MemberName: "STRING_VALUE", // required + * MemberRealm: "STRING_VALUE", + * ClientToken: "STRING_VALUE", + * }; + * const command = new AddGroupMemberCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param AddGroupMemberCommandInput - {@link AddGroupMemberCommandInput} + * @returns {@link AddGroupMemberCommandOutput} + * @see {@link AddGroupMemberCommandInput} for command's `input` shape. + * @see {@link AddGroupMemberCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class AddGroupMemberCommand extends $Command + .classBuilder< + AddGroupMemberCommandInput, + AddGroupMemberCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "AddGroupMember", {}) + .n("DirectoryServiceDataClient", "AddGroupMemberCommand") + .f(void 0, void 0) + .ser(se_AddGroupMemberCommand) + .de(de_AddGroupMemberCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: AddGroupMemberRequest; + output: {}; + }; + sdk: { + input: AddGroupMemberCommandInput; + output: AddGroupMemberCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/CreateGroupCommand.ts b/clients/client-directory-service-data/src/commands/CreateGroupCommand.ts new file mode 100644 index 000000000000..924d1c273702 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/CreateGroupCommand.ts @@ -0,0 +1,143 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { CreateGroupRequest, CreateGroupRequestFilterSensitiveLog, CreateGroupResult } from "../models/models_0"; +import { de_CreateGroupCommand, se_CreateGroupCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link CreateGroupCommand}. + */ +export interface CreateGroupCommandInput extends CreateGroupRequest {} +/** + * @public + * + * The output of {@link CreateGroupCommand}. + */ +export interface CreateGroupCommandOutput extends CreateGroupResult, __MetadataBearer {} + +/** + *

      Creates a new group.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, CreateGroupCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, CreateGroupCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // CreateGroupRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * GroupType: "Distribution" || "Security", + * GroupScope: "DomainLocal" || "Global" || "Universal" || "BuiltinLocal", + * OtherAttributes: { // Attributes + * "": { // AttributeValue Union: only one key present + * S: "STRING_VALUE", + * N: Number("long"), + * BOOL: true || false, + * SS: [ // StringSetAttributeValue + * "STRING_VALUE", + * ], + * }, + * }, + * ClientToken: "STRING_VALUE", + * }; + * const command = new CreateGroupCommand(input); + * const response = await client.send(command); + * // { // CreateGroupResult + * // DirectoryId: "STRING_VALUE", + * // SAMAccountName: "STRING_VALUE", + * // SID: "STRING_VALUE", + * // }; + * + * ``` + * + * @param CreateGroupCommandInput - {@link CreateGroupCommandInput} + * @returns {@link CreateGroupCommandOutput} + * @see {@link CreateGroupCommandInput} for command's `input` shape. + * @see {@link CreateGroupCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class CreateGroupCommand extends $Command + .classBuilder< + CreateGroupCommandInput, + CreateGroupCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "CreateGroup", {}) + .n("DirectoryServiceDataClient", "CreateGroupCommand") + .f(CreateGroupRequestFilterSensitiveLog, void 0) + .ser(se_CreateGroupCommand) + .de(de_CreateGroupCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateGroupRequest; + output: CreateGroupResult; + }; + sdk: { + input: CreateGroupCommandInput; + output: CreateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/CreateUserCommand.ts b/clients/client-directory-service-data/src/commands/CreateUserCommand.ts new file mode 100644 index 000000000000..5953b75c203d --- /dev/null +++ b/clients/client-directory-service-data/src/commands/CreateUserCommand.ts @@ -0,0 +1,144 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { CreateUserRequest, CreateUserRequestFilterSensitiveLog, CreateUserResult } from "../models/models_0"; +import { de_CreateUserCommand, se_CreateUserCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link CreateUserCommand}. + */ +export interface CreateUserCommandInput extends CreateUserRequest {} +/** + * @public + * + * The output of {@link CreateUserCommand}. + */ +export interface CreateUserCommandOutput extends CreateUserResult, __MetadataBearer {} + +/** + *

      Creates a new user.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, CreateUserCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, CreateUserCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // CreateUserRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * EmailAddress: "STRING_VALUE", + * GivenName: "STRING_VALUE", + * Surname: "STRING_VALUE", + * OtherAttributes: { // Attributes + * "": { // AttributeValue Union: only one key present + * S: "STRING_VALUE", + * N: Number("long"), + * BOOL: true || false, + * SS: [ // StringSetAttributeValue + * "STRING_VALUE", + * ], + * }, + * }, + * ClientToken: "STRING_VALUE", + * }; + * const command = new CreateUserCommand(input); + * const response = await client.send(command); + * // { // CreateUserResult + * // DirectoryId: "STRING_VALUE", + * // SID: "STRING_VALUE", + * // SAMAccountName: "STRING_VALUE", + * // }; + * + * ``` + * + * @param CreateUserCommandInput - {@link CreateUserCommandInput} + * @returns {@link CreateUserCommandOutput} + * @see {@link CreateUserCommandInput} for command's `input` shape. + * @see {@link CreateUserCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class CreateUserCommand extends $Command + .classBuilder< + CreateUserCommandInput, + CreateUserCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "CreateUser", {}) + .n("DirectoryServiceDataClient", "CreateUserCommand") + .f(CreateUserRequestFilterSensitiveLog, void 0) + .ser(se_CreateUserCommand) + .de(de_CreateUserCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateUserRequest; + output: CreateUserResult; + }; + sdk: { + input: CreateUserCommandInput; + output: CreateUserCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/DeleteGroupCommand.ts b/clients/client-directory-service-data/src/commands/DeleteGroupCommand.ts new file mode 100644 index 000000000000..c329687be769 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/DeleteGroupCommand.ts @@ -0,0 +1,130 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { DeleteGroupRequest, DeleteGroupResult } from "../models/models_0"; +import { de_DeleteGroupCommand, se_DeleteGroupCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DeleteGroupCommand}. + */ +export interface DeleteGroupCommandInput extends DeleteGroupRequest {} +/** + * @public + * + * The output of {@link DeleteGroupCommand}. + */ +export interface DeleteGroupCommandOutput extends DeleteGroupResult, __MetadataBearer {} + +/** + *

      Deletes a group.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, DeleteGroupCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, DeleteGroupCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // DeleteGroupRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * ClientToken: "STRING_VALUE", + * }; + * const command = new DeleteGroupCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param DeleteGroupCommandInput - {@link DeleteGroupCommandInput} + * @returns {@link DeleteGroupCommandOutput} + * @see {@link DeleteGroupCommandInput} for command's `input` shape. + * @see {@link DeleteGroupCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class DeleteGroupCommand extends $Command + .classBuilder< + DeleteGroupCommandInput, + DeleteGroupCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "DeleteGroup", {}) + .n("DirectoryServiceDataClient", "DeleteGroupCommand") + .f(void 0, void 0) + .ser(se_DeleteGroupCommand) + .de(de_DeleteGroupCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteGroupRequest; + output: {}; + }; + sdk: { + input: DeleteGroupCommandInput; + output: DeleteGroupCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/DeleteUserCommand.ts b/clients/client-directory-service-data/src/commands/DeleteUserCommand.ts new file mode 100644 index 000000000000..ba4422f6bdc2 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/DeleteUserCommand.ts @@ -0,0 +1,130 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { DeleteUserRequest, DeleteUserResult } from "../models/models_0"; +import { de_DeleteUserCommand, se_DeleteUserCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DeleteUserCommand}. + */ +export interface DeleteUserCommandInput extends DeleteUserRequest {} +/** + * @public + * + * The output of {@link DeleteUserCommand}. + */ +export interface DeleteUserCommandOutput extends DeleteUserResult, __MetadataBearer {} + +/** + *

      Deletes a user.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, DeleteUserCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, DeleteUserCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // DeleteUserRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * ClientToken: "STRING_VALUE", + * }; + * const command = new DeleteUserCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param DeleteUserCommandInput - {@link DeleteUserCommandInput} + * @returns {@link DeleteUserCommandOutput} + * @see {@link DeleteUserCommandInput} for command's `input` shape. + * @see {@link DeleteUserCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class DeleteUserCommand extends $Command + .classBuilder< + DeleteUserCommandInput, + DeleteUserCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "DeleteUser", {}) + .n("DirectoryServiceDataClient", "DeleteUserCommand") + .f(void 0, void 0) + .ser(se_DeleteUserCommand) + .de(de_DeleteUserCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteUserRequest; + output: {}; + }; + sdk: { + input: DeleteUserCommandInput; + output: DeleteUserCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/DescribeGroupCommand.ts b/clients/client-directory-service-data/src/commands/DescribeGroupCommand.ts new file mode 100644 index 000000000000..10673d2357de --- /dev/null +++ b/clients/client-directory-service-data/src/commands/DescribeGroupCommand.ts @@ -0,0 +1,142 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { DescribeGroupRequest, DescribeGroupResult, DescribeGroupResultFilterSensitiveLog } from "../models/models_0"; +import { de_DescribeGroupCommand, se_DescribeGroupCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DescribeGroupCommand}. + */ +export interface DescribeGroupCommandInput extends DescribeGroupRequest {} +/** + * @public + * + * The output of {@link DescribeGroupCommand}. + */ +export interface DescribeGroupCommandOutput extends DescribeGroupResult, __MetadataBearer {} + +/** + *

      Returns information about a specific group.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, DescribeGroupCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, DescribeGroupCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // DescribeGroupRequest + * DirectoryId: "STRING_VALUE", // required + * Realm: "STRING_VALUE", + * SAMAccountName: "STRING_VALUE", // required + * OtherAttributes: [ // LdapDisplayNameList + * "STRING_VALUE", + * ], + * }; + * const command = new DescribeGroupCommand(input); + * const response = await client.send(command); + * // { // DescribeGroupResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // SID: "STRING_VALUE", + * // SAMAccountName: "STRING_VALUE", + * // DistinguishedName: "STRING_VALUE", + * // GroupType: "Distribution" || "Security", + * // GroupScope: "DomainLocal" || "Global" || "Universal" || "BuiltinLocal", + * // OtherAttributes: { // Attributes + * // "": { // AttributeValue Union: only one key present + * // S: "STRING_VALUE", + * // N: Number("long"), + * // BOOL: true || false, + * // SS: [ // StringSetAttributeValue + * // "STRING_VALUE", + * // ], + * // }, + * // }, + * // }; + * + * ``` + * + * @param DescribeGroupCommandInput - {@link DescribeGroupCommandInput} + * @returns {@link DescribeGroupCommandOutput} + * @see {@link DescribeGroupCommandInput} for command's `input` shape. + * @see {@link DescribeGroupCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class DescribeGroupCommand extends $Command + .classBuilder< + DescribeGroupCommandInput, + DescribeGroupCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "DescribeGroup", {}) + .n("DirectoryServiceDataClient", "DescribeGroupCommand") + .f(void 0, DescribeGroupResultFilterSensitiveLog) + .ser(se_DescribeGroupCommand) + .de(de_DescribeGroupCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeGroupRequest; + output: DescribeGroupResult; + }; + sdk: { + input: DescribeGroupCommandInput; + output: DescribeGroupCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/DescribeUserCommand.ts b/clients/client-directory-service-data/src/commands/DescribeUserCommand.ts new file mode 100644 index 000000000000..22f08a2864b5 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/DescribeUserCommand.ts @@ -0,0 +1,145 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { DescribeUserRequest, DescribeUserResult, DescribeUserResultFilterSensitiveLog } from "../models/models_0"; +import { de_DescribeUserCommand, se_DescribeUserCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DescribeUserCommand}. + */ +export interface DescribeUserCommandInput extends DescribeUserRequest {} +/** + * @public + * + * The output of {@link DescribeUserCommand}. + */ +export interface DescribeUserCommandOutput extends DescribeUserResult, __MetadataBearer {} + +/** + *

      Returns information about a specific user.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, DescribeUserCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, DescribeUserCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // DescribeUserRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * OtherAttributes: [ // LdapDisplayNameList + * "STRING_VALUE", + * ], + * Realm: "STRING_VALUE", + * }; + * const command = new DescribeUserCommand(input); + * const response = await client.send(command); + * // { // DescribeUserResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // SID: "STRING_VALUE", + * // SAMAccountName: "STRING_VALUE", + * // DistinguishedName: "STRING_VALUE", + * // UserPrincipalName: "STRING_VALUE", + * // EmailAddress: "STRING_VALUE", + * // GivenName: "STRING_VALUE", + * // Surname: "STRING_VALUE", + * // Enabled: true || false, + * // OtherAttributes: { // Attributes + * // "": { // AttributeValue Union: only one key present + * // S: "STRING_VALUE", + * // N: Number("long"), + * // BOOL: true || false, + * // SS: [ // StringSetAttributeValue + * // "STRING_VALUE", + * // ], + * // }, + * // }, + * // }; + * + * ``` + * + * @param DescribeUserCommandInput - {@link DescribeUserCommandInput} + * @returns {@link DescribeUserCommandOutput} + * @see {@link DescribeUserCommandInput} for command's `input` shape. + * @see {@link DescribeUserCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class DescribeUserCommand extends $Command + .classBuilder< + DescribeUserCommandInput, + DescribeUserCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "DescribeUser", {}) + .n("DirectoryServiceDataClient", "DescribeUserCommand") + .f(void 0, DescribeUserResultFilterSensitiveLog) + .ser(se_DescribeUserCommand) + .de(de_DescribeUserCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DescribeUserRequest; + output: DescribeUserResult; + }; + sdk: { + input: DescribeUserCommandInput; + output: DescribeUserCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/DisableUserCommand.ts b/clients/client-directory-service-data/src/commands/DisableUserCommand.ts new file mode 100644 index 000000000000..24e56f067ec6 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/DisableUserCommand.ts @@ -0,0 +1,132 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { DisableUserRequest, DisableUserResult } from "../models/models_0"; +import { de_DisableUserCommand, se_DisableUserCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DisableUserCommand}. + */ +export interface DisableUserCommandInput extends DisableUserRequest {} +/** + * @public + * + * The output of {@link DisableUserCommand}. + */ +export interface DisableUserCommandOutput extends DisableUserResult, __MetadataBearer {} + +/** + *

      Deactivates an active user account. For information about how to enable an inactive user + * account, see ResetUserPassword + * in the Directory Service API Reference.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, DisableUserCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, DisableUserCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // DisableUserRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * ClientToken: "STRING_VALUE", + * }; + * const command = new DisableUserCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param DisableUserCommandInput - {@link DisableUserCommandInput} + * @returns {@link DisableUserCommandOutput} + * @see {@link DisableUserCommandInput} for command's `input` shape. + * @see {@link DisableUserCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class DisableUserCommand extends $Command + .classBuilder< + DisableUserCommandInput, + DisableUserCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "DisableUser", {}) + .n("DirectoryServiceDataClient", "DisableUserCommand") + .f(void 0, void 0) + .ser(se_DisableUserCommand) + .de(de_DisableUserCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DisableUserRequest; + output: {}; + }; + sdk: { + input: DisableUserCommandInput; + output: DisableUserCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/ListGroupMembersCommand.ts b/clients/client-directory-service-data/src/commands/ListGroupMembersCommand.ts new file mode 100644 index 000000000000..9787bd9b873f --- /dev/null +++ b/clients/client-directory-service-data/src/commands/ListGroupMembersCommand.ts @@ -0,0 +1,147 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { + ListGroupMembersRequest, + ListGroupMembersRequestFilterSensitiveLog, + ListGroupMembersResult, + ListGroupMembersResultFilterSensitiveLog, +} from "../models/models_0"; +import { de_ListGroupMembersCommand, se_ListGroupMembersCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListGroupMembersCommand}. + */ +export interface ListGroupMembersCommandInput extends ListGroupMembersRequest {} +/** + * @public + * + * The output of {@link ListGroupMembersCommand}. + */ +export interface ListGroupMembersCommandOutput extends ListGroupMembersResult, __MetadataBearer {} + +/** + *

      Returns member information for the specified group.

      + *

      This operation supports pagination with the use of the NextToken request and + * response parameters. If more results are available, the + * ListGroupMembers.NextToken member contains a token that you pass in the next + * call to ListGroupMembers. This retrieves the next set of items.

      + *

      You can also specify a maximum number of return results with the MaxResults + * parameter.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, ListGroupMembersCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, ListGroupMembersCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // ListGroupMembersRequest + * DirectoryId: "STRING_VALUE", // required + * Realm: "STRING_VALUE", + * MemberRealm: "STRING_VALUE", + * SAMAccountName: "STRING_VALUE", // required + * NextToken: "STRING_VALUE", + * MaxResults: Number("int"), + * }; + * const command = new ListGroupMembersCommand(input); + * const response = await client.send(command); + * // { // ListGroupMembersResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // MemberRealm: "STRING_VALUE", + * // Members: [ // MemberList + * // { // Member + * // SID: "STRING_VALUE", // required + * // SAMAccountName: "STRING_VALUE", // required + * // MemberType: "USER" || "GROUP" || "COMPUTER", // required + * // }, + * // ], + * // NextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param ListGroupMembersCommandInput - {@link ListGroupMembersCommandInput} + * @returns {@link ListGroupMembersCommandOutput} + * @see {@link ListGroupMembersCommandInput} for command's `input` shape. + * @see {@link ListGroupMembersCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class ListGroupMembersCommand extends $Command + .classBuilder< + ListGroupMembersCommandInput, + ListGroupMembersCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "ListGroupMembers", {}) + .n("DirectoryServiceDataClient", "ListGroupMembersCommand") + .f(ListGroupMembersRequestFilterSensitiveLog, ListGroupMembersResultFilterSensitiveLog) + .ser(se_ListGroupMembersCommand) + .de(de_ListGroupMembersCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupMembersRequest; + output: ListGroupMembersResult; + }; + sdk: { + input: ListGroupMembersCommandInput; + output: ListGroupMembersCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/ListGroupsCommand.ts b/clients/client-directory-service-data/src/commands/ListGroupsCommand.ts new file mode 100644 index 000000000000..3eef967f0af0 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/ListGroupsCommand.ts @@ -0,0 +1,142 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { + ListGroupsRequest, + ListGroupsRequestFilterSensitiveLog, + ListGroupsResult, + ListGroupsResultFilterSensitiveLog, +} from "../models/models_0"; +import { de_ListGroupsCommand, se_ListGroupsCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListGroupsCommand}. + */ +export interface ListGroupsCommandInput extends ListGroupsRequest {} +/** + * @public + * + * The output of {@link ListGroupsCommand}. + */ +export interface ListGroupsCommandOutput extends ListGroupsResult, __MetadataBearer {} + +/** + *

      Returns group information for the specified directory.

      + *

      This operation supports pagination with the use of the NextToken request and + * response parameters. If more results are available, the ListGroups.NextToken + * member contains a token that you pass in the next call to ListGroups. This + * retrieves the next set of items.

      + *

      You can also specify a maximum number of return results with the MaxResults + * parameter.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, ListGroupsCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, ListGroupsCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // ListGroupsRequest + * DirectoryId: "STRING_VALUE", // required + * Realm: "STRING_VALUE", + * NextToken: "STRING_VALUE", + * MaxResults: Number("int"), + * }; + * const command = new ListGroupsCommand(input); + * const response = await client.send(command); + * // { // ListGroupsResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // Groups: [ // GroupSummaryList + * // { // GroupSummary + * // SID: "STRING_VALUE", // required + * // SAMAccountName: "STRING_VALUE", // required + * // GroupType: "Distribution" || "Security", // required + * // GroupScope: "DomainLocal" || "Global" || "Universal" || "BuiltinLocal", // required + * // }, + * // ], + * // NextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param ListGroupsCommandInput - {@link ListGroupsCommandInput} + * @returns {@link ListGroupsCommandOutput} + * @see {@link ListGroupsCommandInput} for command's `input` shape. + * @see {@link ListGroupsCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class ListGroupsCommand extends $Command + .classBuilder< + ListGroupsCommandInput, + ListGroupsCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "ListGroups", {}) + .n("DirectoryServiceDataClient", "ListGroupsCommand") + .f(ListGroupsRequestFilterSensitiveLog, ListGroupsResultFilterSensitiveLog) + .ser(se_ListGroupsCommand) + .de(de_ListGroupsCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsRequest; + output: ListGroupsResult; + }; + sdk: { + input: ListGroupsCommandInput; + output: ListGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/ListGroupsForMemberCommand.ts b/clients/client-directory-service-data/src/commands/ListGroupsForMemberCommand.ts new file mode 100644 index 000000000000..88eab3abb706 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/ListGroupsForMemberCommand.ts @@ -0,0 +1,148 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { + ListGroupsForMemberRequest, + ListGroupsForMemberRequestFilterSensitiveLog, + ListGroupsForMemberResult, + ListGroupsForMemberResultFilterSensitiveLog, +} from "../models/models_0"; +import { de_ListGroupsForMemberCommand, se_ListGroupsForMemberCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListGroupsForMemberCommand}. + */ +export interface ListGroupsForMemberCommandInput extends ListGroupsForMemberRequest {} +/** + * @public + * + * The output of {@link ListGroupsForMemberCommand}. + */ +export interface ListGroupsForMemberCommandOutput extends ListGroupsForMemberResult, __MetadataBearer {} + +/** + *

      Returns group information for the specified member.

      + *

      This operation supports pagination with the use of the NextToken request and + * response parameters. If more results are available, the + * ListGroupsForMember.NextToken member contains a token that you pass in the next + * call to ListGroupsForMember. This retrieves the next set of items.

      + *

      You can also specify a maximum number of return results with the MaxResults + * parameter.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, ListGroupsForMemberCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, ListGroupsForMemberCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // ListGroupsForMemberRequest + * DirectoryId: "STRING_VALUE", // required + * Realm: "STRING_VALUE", + * MemberRealm: "STRING_VALUE", + * SAMAccountName: "STRING_VALUE", // required + * NextToken: "STRING_VALUE", + * MaxResults: Number("int"), + * }; + * const command = new ListGroupsForMemberCommand(input); + * const response = await client.send(command); + * // { // ListGroupsForMemberResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // MemberRealm: "STRING_VALUE", + * // Groups: [ // GroupSummaryList + * // { // GroupSummary + * // SID: "STRING_VALUE", // required + * // SAMAccountName: "STRING_VALUE", // required + * // GroupType: "Distribution" || "Security", // required + * // GroupScope: "DomainLocal" || "Global" || "Universal" || "BuiltinLocal", // required + * // }, + * // ], + * // NextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param ListGroupsForMemberCommandInput - {@link ListGroupsForMemberCommandInput} + * @returns {@link ListGroupsForMemberCommandOutput} + * @see {@link ListGroupsForMemberCommandInput} for command's `input` shape. + * @see {@link ListGroupsForMemberCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class ListGroupsForMemberCommand extends $Command + .classBuilder< + ListGroupsForMemberCommandInput, + ListGroupsForMemberCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "ListGroupsForMember", {}) + .n("DirectoryServiceDataClient", "ListGroupsForMemberCommand") + .f(ListGroupsForMemberRequestFilterSensitiveLog, ListGroupsForMemberResultFilterSensitiveLog) + .ser(se_ListGroupsForMemberCommand) + .de(de_ListGroupsForMemberCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListGroupsForMemberRequest; + output: ListGroupsForMemberResult; + }; + sdk: { + input: ListGroupsForMemberCommandInput; + output: ListGroupsForMemberCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/ListUsersCommand.ts b/clients/client-directory-service-data/src/commands/ListUsersCommand.ts new file mode 100644 index 000000000000..0b7a46cd6e67 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/ListUsersCommand.ts @@ -0,0 +1,143 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { + ListUsersRequest, + ListUsersRequestFilterSensitiveLog, + ListUsersResult, + ListUsersResultFilterSensitiveLog, +} from "../models/models_0"; +import { de_ListUsersCommand, se_ListUsersCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListUsersCommand}. + */ +export interface ListUsersCommandInput extends ListUsersRequest {} +/** + * @public + * + * The output of {@link ListUsersCommand}. + */ +export interface ListUsersCommandOutput extends ListUsersResult, __MetadataBearer {} + +/** + *

      Returns user information for the specified directory.

      + *

      This operation supports pagination with the use of the NextToken request and + * response parameters. If more results are available, the ListUsers.NextToken + * member contains a token that you pass in the next call to ListUsers. This + * retrieves the next set of items.

      + *

      You can also specify a maximum number of return results with the MaxResults + * parameter.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, ListUsersCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, ListUsersCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // ListUsersRequest + * DirectoryId: "STRING_VALUE", // required + * Realm: "STRING_VALUE", + * NextToken: "STRING_VALUE", + * MaxResults: Number("int"), + * }; + * const command = new ListUsersCommand(input); + * const response = await client.send(command); + * // { // ListUsersResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // Users: [ // UserSummaryList + * // { // UserSummary + * // SID: "STRING_VALUE", // required + * // SAMAccountName: "STRING_VALUE", // required + * // GivenName: "STRING_VALUE", + * // Surname: "STRING_VALUE", + * // Enabled: true || false, // required + * // }, + * // ], + * // NextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param ListUsersCommandInput - {@link ListUsersCommandInput} + * @returns {@link ListUsersCommandOutput} + * @see {@link ListUsersCommandInput} for command's `input` shape. + * @see {@link ListUsersCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class ListUsersCommand extends $Command + .classBuilder< + ListUsersCommandInput, + ListUsersCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "ListUsers", {}) + .n("DirectoryServiceDataClient", "ListUsersCommand") + .f(ListUsersRequestFilterSensitiveLog, ListUsersResultFilterSensitiveLog) + .ser(se_ListUsersCommand) + .de(de_ListUsersCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListUsersRequest; + output: ListUsersResult; + }; + sdk: { + input: ListUsersCommandInput; + output: ListUsersCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/RemoveGroupMemberCommand.ts b/clients/client-directory-service-data/src/commands/RemoveGroupMemberCommand.ts new file mode 100644 index 000000000000..af89119414da --- /dev/null +++ b/clients/client-directory-service-data/src/commands/RemoveGroupMemberCommand.ts @@ -0,0 +1,132 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { RemoveGroupMemberRequest, RemoveGroupMemberResult } from "../models/models_0"; +import { de_RemoveGroupMemberCommand, se_RemoveGroupMemberCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link RemoveGroupMemberCommand}. + */ +export interface RemoveGroupMemberCommandInput extends RemoveGroupMemberRequest {} +/** + * @public + * + * The output of {@link RemoveGroupMemberCommand}. + */ +export interface RemoveGroupMemberCommandOutput extends RemoveGroupMemberResult, __MetadataBearer {} + +/** + *

      Removes a member from a group.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, RemoveGroupMemberCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, RemoveGroupMemberCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // RemoveGroupMemberRequest + * DirectoryId: "STRING_VALUE", // required + * GroupName: "STRING_VALUE", // required + * MemberName: "STRING_VALUE", // required + * MemberRealm: "STRING_VALUE", + * ClientToken: "STRING_VALUE", + * }; + * const command = new RemoveGroupMemberCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param RemoveGroupMemberCommandInput - {@link RemoveGroupMemberCommandInput} + * @returns {@link RemoveGroupMemberCommandOutput} + * @see {@link RemoveGroupMemberCommandInput} for command's `input` shape. + * @see {@link RemoveGroupMemberCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class RemoveGroupMemberCommand extends $Command + .classBuilder< + RemoveGroupMemberCommandInput, + RemoveGroupMemberCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "RemoveGroupMember", {}) + .n("DirectoryServiceDataClient", "RemoveGroupMemberCommand") + .f(void 0, void 0) + .ser(se_RemoveGroupMemberCommand) + .de(de_RemoveGroupMemberCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: RemoveGroupMemberRequest; + output: {}; + }; + sdk: { + input: RemoveGroupMemberCommandInput; + output: RemoveGroupMemberCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/SearchGroupsCommand.ts b/clients/client-directory-service-data/src/commands/SearchGroupsCommand.ts new file mode 100644 index 000000000000..cb481ef73124 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/SearchGroupsCommand.ts @@ -0,0 +1,159 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { + SearchGroupsRequest, + SearchGroupsRequestFilterSensitiveLog, + SearchGroupsResult, + SearchGroupsResultFilterSensitiveLog, +} from "../models/models_0"; +import { de_SearchGroupsCommand, se_SearchGroupsCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link SearchGroupsCommand}. + */ +export interface SearchGroupsCommandInput extends SearchGroupsRequest {} +/** + * @public + * + * The output of {@link SearchGroupsCommand}. + */ +export interface SearchGroupsCommandOutput extends SearchGroupsResult, __MetadataBearer {} + +/** + *

      Searches the specified directory for a group. You can find groups that match the + * SearchString parameter with the value of their attributes included in the + * SearchString parameter.

      + *

      This operation supports pagination with the use of the NextToken request and + * response parameters. If more results are available, the SearchGroups.NextToken + * member contains a token that you pass in the next call to SearchGroups. This + * retrieves the next set of items.

      + *

      You can also specify a maximum number of return results with the MaxResults + * parameter.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, SearchGroupsCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, SearchGroupsCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // SearchGroupsRequest + * DirectoryId: "STRING_VALUE", // required + * SearchString: "STRING_VALUE", // required + * SearchAttributes: [ // LdapDisplayNameList // required + * "STRING_VALUE", + * ], + * Realm: "STRING_VALUE", + * NextToken: "STRING_VALUE", + * MaxResults: Number("int"), + * }; + * const command = new SearchGroupsCommand(input); + * const response = await client.send(command); + * // { // SearchGroupsResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // Groups: [ // GroupList + * // { // Group + * // SID: "STRING_VALUE", + * // SAMAccountName: "STRING_VALUE", // required + * // DistinguishedName: "STRING_VALUE", + * // GroupType: "Distribution" || "Security", + * // GroupScope: "DomainLocal" || "Global" || "Universal" || "BuiltinLocal", + * // OtherAttributes: { // Attributes + * // "": { // AttributeValue Union: only one key present + * // S: "STRING_VALUE", + * // N: Number("long"), + * // BOOL: true || false, + * // SS: [ // StringSetAttributeValue + * // "STRING_VALUE", + * // ], + * // }, + * // }, + * // }, + * // ], + * // NextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param SearchGroupsCommandInput - {@link SearchGroupsCommandInput} + * @returns {@link SearchGroupsCommandOutput} + * @see {@link SearchGroupsCommandInput} for command's `input` shape. + * @see {@link SearchGroupsCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class SearchGroupsCommand extends $Command + .classBuilder< + SearchGroupsCommandInput, + SearchGroupsCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "SearchGroups", {}) + .n("DirectoryServiceDataClient", "SearchGroupsCommand") + .f(SearchGroupsRequestFilterSensitiveLog, SearchGroupsResultFilterSensitiveLog) + .ser(se_SearchGroupsCommand) + .de(de_SearchGroupsCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchGroupsRequest; + output: SearchGroupsResult; + }; + sdk: { + input: SearchGroupsCommandInput; + output: SearchGroupsCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/SearchUsersCommand.ts b/clients/client-directory-service-data/src/commands/SearchUsersCommand.ts new file mode 100644 index 000000000000..dfa9829da139 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/SearchUsersCommand.ts @@ -0,0 +1,162 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { + SearchUsersRequest, + SearchUsersRequestFilterSensitiveLog, + SearchUsersResult, + SearchUsersResultFilterSensitiveLog, +} from "../models/models_0"; +import { de_SearchUsersCommand, se_SearchUsersCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link SearchUsersCommand}. + */ +export interface SearchUsersCommandInput extends SearchUsersRequest {} +/** + * @public + * + * The output of {@link SearchUsersCommand}. + */ +export interface SearchUsersCommandOutput extends SearchUsersResult, __MetadataBearer {} + +/** + *

      Searches the specified directory for a user. You can find users that match the + * SearchString parameter with the value of their attributes included in the + * SearchString parameter.

      + *

      This operation supports pagination with the use of the NextToken request and + * response parameters. If more results are available, the SearchUsers.NextToken + * member contains a token that you pass in the next call to SearchUsers. This + * retrieves the next set of items.

      + *

      You can also specify a maximum number of return results with the MaxResults + * parameter.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, SearchUsersCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, SearchUsersCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // SearchUsersRequest + * DirectoryId: "STRING_VALUE", // required + * Realm: "STRING_VALUE", + * SearchString: "STRING_VALUE", // required + * SearchAttributes: [ // LdapDisplayNameList // required + * "STRING_VALUE", + * ], + * NextToken: "STRING_VALUE", + * MaxResults: Number("int"), + * }; + * const command = new SearchUsersCommand(input); + * const response = await client.send(command); + * // { // SearchUsersResult + * // DirectoryId: "STRING_VALUE", + * // Realm: "STRING_VALUE", + * // Users: [ // UserList + * // { // User + * // SID: "STRING_VALUE", + * // SAMAccountName: "STRING_VALUE", // required + * // DistinguishedName: "STRING_VALUE", + * // UserPrincipalName: "STRING_VALUE", + * // EmailAddress: "STRING_VALUE", + * // GivenName: "STRING_VALUE", + * // Surname: "STRING_VALUE", + * // Enabled: true || false, + * // OtherAttributes: { // Attributes + * // "": { // AttributeValue Union: only one key present + * // S: "STRING_VALUE", + * // N: Number("long"), + * // BOOL: true || false, + * // SS: [ // StringSetAttributeValue + * // "STRING_VALUE", + * // ], + * // }, + * // }, + * // }, + * // ], + * // NextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param SearchUsersCommandInput - {@link SearchUsersCommandInput} + * @returns {@link SearchUsersCommandOutput} + * @see {@link SearchUsersCommandInput} for command's `input` shape. + * @see {@link SearchUsersCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class SearchUsersCommand extends $Command + .classBuilder< + SearchUsersCommandInput, + SearchUsersCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "SearchUsers", {}) + .n("DirectoryServiceDataClient", "SearchUsersCommand") + .f(SearchUsersRequestFilterSensitiveLog, SearchUsersResultFilterSensitiveLog) + .ser(se_SearchUsersCommand) + .de(de_SearchUsersCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: SearchUsersRequest; + output: SearchUsersResult; + }; + sdk: { + input: SearchUsersCommandInput; + output: SearchUsersCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/UpdateGroupCommand.ts b/clients/client-directory-service-data/src/commands/UpdateGroupCommand.ts new file mode 100644 index 000000000000..59105d58a08f --- /dev/null +++ b/clients/client-directory-service-data/src/commands/UpdateGroupCommand.ts @@ -0,0 +1,143 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { UpdateGroupRequest, UpdateGroupRequestFilterSensitiveLog, UpdateGroupResult } from "../models/models_0"; +import { de_UpdateGroupCommand, se_UpdateGroupCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link UpdateGroupCommand}. + */ +export interface UpdateGroupCommandInput extends UpdateGroupRequest {} +/** + * @public + * + * The output of {@link UpdateGroupCommand}. + */ +export interface UpdateGroupCommandOutput extends UpdateGroupResult, __MetadataBearer {} + +/** + *

      Updates group information.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, UpdateGroupCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, UpdateGroupCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // UpdateGroupRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * GroupType: "Distribution" || "Security", + * GroupScope: "DomainLocal" || "Global" || "Universal" || "BuiltinLocal", + * OtherAttributes: { // Attributes + * "": { // AttributeValue Union: only one key present + * S: "STRING_VALUE", + * N: Number("long"), + * BOOL: true || false, + * SS: [ // StringSetAttributeValue + * "STRING_VALUE", + * ], + * }, + * }, + * UpdateType: "ADD" || "REPLACE" || "REMOVE", + * ClientToken: "STRING_VALUE", + * }; + * const command = new UpdateGroupCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param UpdateGroupCommandInput - {@link UpdateGroupCommandInput} + * @returns {@link UpdateGroupCommandOutput} + * @see {@link UpdateGroupCommandInput} for command's `input` shape. + * @see {@link UpdateGroupCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class UpdateGroupCommand extends $Command + .classBuilder< + UpdateGroupCommandInput, + UpdateGroupCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "UpdateGroup", {}) + .n("DirectoryServiceDataClient", "UpdateGroupCommand") + .f(UpdateGroupRequestFilterSensitiveLog, void 0) + .ser(se_UpdateGroupCommand) + .de(de_UpdateGroupCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateGroupRequest; + output: {}; + }; + sdk: { + input: UpdateGroupCommandInput; + output: UpdateGroupCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/UpdateUserCommand.ts b/clients/client-directory-service-data/src/commands/UpdateUserCommand.ts new file mode 100644 index 000000000000..e26885a697eb --- /dev/null +++ b/clients/client-directory-service-data/src/commands/UpdateUserCommand.ts @@ -0,0 +1,144 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes, +} from "../DirectoryServiceDataClient"; +import { commonParams } from "../endpoint/EndpointParameters"; +import { UpdateUserRequest, UpdateUserRequestFilterSensitiveLog, UpdateUserResult } from "../models/models_0"; +import { de_UpdateUserCommand, se_UpdateUserCommand } from "../protocols/Aws_restJson1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link UpdateUserCommand}. + */ +export interface UpdateUserCommandInput extends UpdateUserRequest {} +/** + * @public + * + * The output of {@link UpdateUserCommand}. + */ +export interface UpdateUserCommandOutput extends UpdateUserResult, __MetadataBearer {} + +/** + *

      Updates user information.

      + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { DirectoryServiceDataClient, UpdateUserCommand } from "@aws-sdk/client-directory-service-data"; // ES Modules import + * // const { DirectoryServiceDataClient, UpdateUserCommand } = require("@aws-sdk/client-directory-service-data"); // CommonJS import + * const client = new DirectoryServiceDataClient(config); + * const input = { // UpdateUserRequest + * DirectoryId: "STRING_VALUE", // required + * SAMAccountName: "STRING_VALUE", // required + * EmailAddress: "STRING_VALUE", + * GivenName: "STRING_VALUE", + * Surname: "STRING_VALUE", + * OtherAttributes: { // Attributes + * "": { // AttributeValue Union: only one key present + * S: "STRING_VALUE", + * N: Number("long"), + * BOOL: true || false, + * SS: [ // StringSetAttributeValue + * "STRING_VALUE", + * ], + * }, + * }, + * UpdateType: "ADD" || "REPLACE" || "REMOVE", + * ClientToken: "STRING_VALUE", + * }; + * const command = new UpdateUserCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param UpdateUserCommandInput - {@link UpdateUserCommandInput} + * @returns {@link UpdateUserCommandOutput} + * @see {@link UpdateUserCommandInput} for command's `input` shape. + * @see {@link UpdateUserCommandOutput} for command's `response` shape. + * @see {@link DirectoryServiceDataClientResolvedConfig | config} for DirectoryServiceDataClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * + * @throws {@link ConflictException} (client fault) + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * + * @throws {@link DirectoryUnavailableException} (client fault) + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * + * @throws {@link InternalServerException} (server fault) + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * + * @throws {@link ResourceNotFoundException} (client fault) + *

      The resource couldn't be found.

      + * + * @throws {@link ThrottlingException} (client fault) + *

      The limit on the number of requests per second has been exceeded.

      + * + * @throws {@link ValidationException} (client fault) + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * + * @throws {@link DirectoryServiceDataServiceException} + *

      Base exception class for all service exceptions from DirectoryServiceData service.

      + * + * @public + */ +export class UpdateUserCommand extends $Command + .classBuilder< + UpdateUserCommandInput, + UpdateUserCommandOutput, + DirectoryServiceDataClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: DirectoryServiceDataClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("DirectoryServiceData", "UpdateUser", {}) + .n("DirectoryServiceDataClient", "UpdateUserCommand") + .f(UpdateUserRequestFilterSensitiveLog, void 0) + .ser(se_UpdateUserCommand) + .de(de_UpdateUserCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateUserRequest; + output: {}; + }; + sdk: { + input: UpdateUserCommandInput; + output: UpdateUserCommandOutput; + }; + }; +} diff --git a/clients/client-directory-service-data/src/commands/index.ts b/clients/client-directory-service-data/src/commands/index.ts new file mode 100644 index 000000000000..47afdb573630 --- /dev/null +++ b/clients/client-directory-service-data/src/commands/index.ts @@ -0,0 +1,18 @@ +// smithy-typescript generated code +export * from "./AddGroupMemberCommand"; +export * from "./CreateGroupCommand"; +export * from "./CreateUserCommand"; +export * from "./DeleteGroupCommand"; +export * from "./DeleteUserCommand"; +export * from "./DescribeGroupCommand"; +export * from "./DescribeUserCommand"; +export * from "./DisableUserCommand"; +export * from "./ListGroupMembersCommand"; +export * from "./ListGroupsCommand"; +export * from "./ListGroupsForMemberCommand"; +export * from "./ListUsersCommand"; +export * from "./RemoveGroupMemberCommand"; +export * from "./SearchGroupsCommand"; +export * from "./SearchUsersCommand"; +export * from "./UpdateGroupCommand"; +export * from "./UpdateUserCommand"; diff --git a/clients/client-directory-service-data/src/endpoint/EndpointParameters.ts b/clients/client-directory-service-data/src/endpoint/EndpointParameters.ts new file mode 100644 index 000000000000..2767d13ee97b --- /dev/null +++ b/clients/client-directory-service-data/src/endpoint/EndpointParameters.ts @@ -0,0 +1,41 @@ +// smithy-typescript generated code +import { Endpoint, EndpointParameters as __EndpointParameters, EndpointV2, Provider } from "@smithy/types"; + +/** + * @public + */ +export interface ClientInputEndpointParameters { + region?: string | Provider; + useDualstackEndpoint?: boolean | Provider; + useFipsEndpoint?: boolean | Provider; + endpoint?: string | Provider | Endpoint | Provider | EndpointV2 | Provider; +} + +export type ClientResolvedEndpointParameters = ClientInputEndpointParameters & { + defaultSigningName: string; +}; + +export const resolveClientEndpointParameters = ( + options: T & ClientInputEndpointParameters +): T & ClientResolvedEndpointParameters => { + return { + ...options, + useDualstackEndpoint: options.useDualstackEndpoint ?? false, + useFipsEndpoint: options.useFipsEndpoint ?? false, + defaultSigningName: "ds-data", + }; +}; + +export const commonParams = { + UseFIPS: { type: "builtInParams", name: "useFipsEndpoint" }, + Endpoint: { type: "builtInParams", name: "endpoint" }, + Region: { type: "builtInParams", name: "region" }, + UseDualStack: { type: "builtInParams", name: "useDualstackEndpoint" }, +} as const; + +export interface EndpointParameters extends __EndpointParameters { + Region?: string; + UseDualStack?: boolean; + UseFIPS?: boolean; + Endpoint?: string; +} diff --git a/clients/client-directory-service-data/src/endpoint/endpointResolver.ts b/clients/client-directory-service-data/src/endpoint/endpointResolver.ts new file mode 100644 index 000000000000..ccee107f30d6 --- /dev/null +++ b/clients/client-directory-service-data/src/endpoint/endpointResolver.ts @@ -0,0 +1,26 @@ +// smithy-typescript generated code +import { awsEndpointFunctions } from "@aws-sdk/util-endpoints"; +import { EndpointV2, Logger } from "@smithy/types"; +import { customEndpointFunctions, EndpointCache, EndpointParams, resolveEndpoint } from "@smithy/util-endpoints"; + +import { EndpointParameters } from "./EndpointParameters"; +import { ruleSet } from "./ruleset"; + +const cache = new EndpointCache({ + size: 50, + params: ["Endpoint", "Region", "UseDualStack", "UseFIPS"], +}); + +export const defaultEndpointResolver = ( + endpointParams: EndpointParameters, + context: { logger?: Logger } = {} +): EndpointV2 => { + return cache.get(endpointParams as EndpointParams, () => + resolveEndpoint(ruleSet, { + endpointParams: endpointParams as EndpointParams, + logger: context.logger, + }) + ); +}; + +customEndpointFunctions.aws = awsEndpointFunctions; diff --git a/clients/client-directory-service-data/src/endpoint/ruleset.ts b/clients/client-directory-service-data/src/endpoint/ruleset.ts new file mode 100644 index 000000000000..0ad515f14eda --- /dev/null +++ b/clients/client-directory-service-data/src/endpoint/ruleset.ts @@ -0,0 +1,32 @@ +// @ts-nocheck +// generated code, do not edit +import { RuleSetObject } from "@smithy/types"; + +/* This file is compressed. Log this object + or see "smithy.rules#endpointRuleSet" + in codegen/sdk-codegen/aws-models/directory-service-data.json */ + +const s="required", +t="fn", +u="argv", +v="ref"; +const a=true, +b="isSet", +c="booleanEquals", +d="error", +e="endpoint", +f="tree", +g="PartitionResult", +h={[s]:false,"type":"String"}, +i={[s]:true,"default":false,"type":"Boolean"}, +j={[v]:"Endpoint"}, +k={[t]:c,[u]:[{[v]:"UseFIPS"},true]}, +l={[t]:c,[u]:[{[v]:"UseDualStack"},true]}, +m={}, +n={[t]:"getAttr",[u]:[{[v]:g},"supportsFIPS"]}, +o={[t]:c,[u]:[true,{[t]:"getAttr",[u]:[{[v]:g},"supportsDualStack"]}]}, +p=[k], +q=[l], +r=[{[v]:"Region"}]; +const _data={version:"1.0",parameters:{Region:h,UseDualStack:i,UseFIPS:i,Endpoint:h},rules:[{conditions:[{[t]:b,[u]:[j]}],rules:[{conditions:p,error:"Invalid Configuration: FIPS and custom endpoint are not supported",type:d},{rules:[{conditions:q,error:"Invalid Configuration: Dualstack and custom endpoint are not supported",type:d},{endpoint:{url:j,properties:m,headers:m},type:e}],type:f}],type:f},{rules:[{conditions:[{[t]:b,[u]:r}],rules:[{conditions:[{[t]:"aws.partition",[u]:r,assign:g}],rules:[{conditions:[k,l],rules:[{conditions:[{[t]:c,[u]:[a,n]},o],rules:[{rules:[{endpoint:{url:"https://ds-data-fips.{Region}.{PartitionResult#dualStackDnsSuffix}",properties:m,headers:m},type:e}],type:f}],type:f},{error:"FIPS and DualStack are enabled, but this partition does not support one or both",type:d}],type:f},{conditions:p,rules:[{conditions:[{[t]:c,[u]:[n,a]}],rules:[{rules:[{endpoint:{url:"https://ds-data-fips.{Region}.{PartitionResult#dnsSuffix}",properties:m,headers:m},type:e}],type:f}],type:f},{error:"FIPS is enabled but this partition does not support FIPS",type:d}],type:f},{conditions:q,rules:[{conditions:[o],rules:[{rules:[{endpoint:{url:"https://ds-data.{Region}.{PartitionResult#dualStackDnsSuffix}",properties:m,headers:m},type:e}],type:f}],type:f},{error:"DualStack is enabled but this partition does not support DualStack",type:d}],type:f},{rules:[{endpoint:{url:"https://ds-data.{Region}.{PartitionResult#dnsSuffix}",properties:m,headers:m},type:e}],type:f}],type:f}],type:f},{error:"Invalid Configuration: Missing Region",type:d}],type:f}]}; +export const ruleSet: RuleSetObject = _data; diff --git a/clients/client-directory-service-data/src/extensionConfiguration.ts b/clients/client-directory-service-data/src/extensionConfiguration.ts new file mode 100644 index 000000000000..e91940dc16fd --- /dev/null +++ b/clients/client-directory-service-data/src/extensionConfiguration.ts @@ -0,0 +1,15 @@ +// smithy-typescript generated code +import { AwsRegionExtensionConfiguration } from "@aws-sdk/types"; +import { HttpHandlerExtensionConfiguration } from "@smithy/protocol-http"; +import { DefaultExtensionConfiguration } from "@smithy/types"; + +import { HttpAuthExtensionConfiguration } from "./auth/httpAuthExtensionConfiguration"; + +/** + * @internal + */ +export interface DirectoryServiceDataExtensionConfiguration + extends HttpHandlerExtensionConfiguration, + DefaultExtensionConfiguration, + AwsRegionExtensionConfiguration, + HttpAuthExtensionConfiguration {} diff --git a/clients/client-directory-service-data/src/index.ts b/clients/client-directory-service-data/src/index.ts new file mode 100644 index 000000000000..0992f21ee467 --- /dev/null +++ b/clients/client-directory-service-data/src/index.ts @@ -0,0 +1,67 @@ +// smithy-typescript generated code +/* eslint-disable */ +/** + *

      Amazon Web Services Directory Service Data is an extension of Directory Service. This API reference provides detailed information + * about Directory Service Data operations and object types.

      + *

      With Directory Service Data, you can create, read, update, and delete users, groups, and memberships from + * your Managed Microsoft AD without additional costs and without deploying dedicated management + * instances. You can also perform built-in object management tasks across directories without + * direct network connectivity, which simplifies provisioning and access management to achieve + * fully automated deployments. Directory Service Data supports user and group write operations, such as + * CreateUser and CreateGroup, within the organizational unit (OU) of + * your Managed Microsoft AD. Directory Service Data supports read operations, such as ListUsers and + * ListGroups, on all users, groups, and group memberships within your + * Managed Microsoft AD and across trusted realms. Directory Service Data supports adding and removing group members in + * your OU and the Amazon Web Services Delegated Groups OU, so you can grant and deny access to specific roles + * and permissions. For more information, see Manage users and + * groups in the Directory Service Administration Guide.

      + * + *

      Directory management operations and configuration changes made against the Directory Service + * API will also reflect in Directory Service Data API with eventual consistency. You can expect a short delay + * between management changes, such as adding a new directory trust and calling the Directory Service Data API + * for the newly created trusted realm.

      + *
      + *

      Directory Service Data connects to your Managed Microsoft AD domain controllers and performs operations on + * underlying directory objects. When you create your Managed Microsoft AD, you choose subnets for domain + * controllers that Directory Service creates on your behalf. If a domain controller is unavailable, Directory Service Data + * uses an available domain controller. As a result, you might notice eventual consistency while + * objects replicate from one domain controller to another domain controller. For more + * information, see What + * gets created in the Directory Service Administration Guide. + * Directory limits vary by Managed Microsoft AD edition:

      + *
        + *
      • + *

        + * Standard edition – Supports 8 transactions per + * second (TPS) for read operations and 4 TPS for write operations per directory. There's a + * concurrency limit of 10 concurrent requests.

        + *
      • + *
      • + *

        + * Enterprise edition – Supports 16 transactions per + * second (TPS) for read operations and 8 TPS for write operations per directory. There's a + * concurrency limit of 10 concurrent requests.

        + *
      • + *
      • + *

        + * Amazon Web Services Account - Supports a total of 100 TPS for + * Directory Service Data operations across all directories.

        + *
      • + *
      + *

      Directory Service Data only supports the Managed Microsoft AD directory type and is only available in the primary + * Amazon Web Services Region. For more information, see Managed Microsoft AD + * and Primary vs additional Regions in the Directory Service Administration + * Guide.

      + * + * @packageDocumentation + */ +export * from "./DirectoryServiceDataClient"; +export * from "./DirectoryServiceData"; +export { ClientInputEndpointParameters } from "./endpoint/EndpointParameters"; +export type { RuntimeExtension } from "./runtimeExtensions"; +export type { DirectoryServiceDataExtensionConfiguration } from "./extensionConfiguration"; +export * from "./commands"; +export * from "./pagination"; +export * from "./models"; + +export { DirectoryServiceDataServiceException } from "./models/DirectoryServiceDataServiceException"; diff --git a/clients/client-directory-service-data/src/models/DirectoryServiceDataServiceException.ts b/clients/client-directory-service-data/src/models/DirectoryServiceDataServiceException.ts new file mode 100644 index 000000000000..3acfae7749b2 --- /dev/null +++ b/clients/client-directory-service-data/src/models/DirectoryServiceDataServiceException.ts @@ -0,0 +1,24 @@ +// smithy-typescript generated code +import { + ServiceException as __ServiceException, + ServiceExceptionOptions as __ServiceExceptionOptions, +} from "@smithy/smithy-client"; + +export type { __ServiceExceptionOptions }; + +export { __ServiceException }; + +/** + * @public + * + * Base exception class for all service exceptions from DirectoryServiceData service. + */ +export class DirectoryServiceDataServiceException extends __ServiceException { + /** + * @internal + */ + constructor(options: __ServiceExceptionOptions) { + super(options); + Object.setPrototypeOf(this, DirectoryServiceDataServiceException.prototype); + } +} diff --git a/clients/client-directory-service-data/src/models/index.ts b/clients/client-directory-service-data/src/models/index.ts new file mode 100644 index 000000000000..9eaceb12865f --- /dev/null +++ b/clients/client-directory-service-data/src/models/index.ts @@ -0,0 +1,2 @@ +// smithy-typescript generated code +export * from "./models_0"; diff --git a/clients/client-directory-service-data/src/models/models_0.ts b/clients/client-directory-service-data/src/models/models_0.ts new file mode 100644 index 000000000000..6915cef8fe5c --- /dev/null +++ b/clients/client-directory-service-data/src/models/models_0.ts @@ -0,0 +1,2061 @@ +// smithy-typescript generated code +import { ExceptionOptionType as __ExceptionOptionType, SENSITIVE_STRING } from "@smithy/smithy-client"; + +import { DirectoryServiceDataServiceException as __BaseException } from "./DirectoryServiceDataServiceException"; + +/** + * @public + * @enum + */ +export const AccessDeniedReason = { + DATA_DISABLED: "DATA_DISABLED", + DIRECTORY_AUTH: "DIRECTORY_AUTH", + IAM_AUTH: "IAM_AUTH", +} as const; + +/** + * @public + */ +export type AccessDeniedReason = (typeof AccessDeniedReason)[keyof typeof AccessDeniedReason]; + +/** + *

      You don't have permission to perform the request or access the directory. It can also + * occur when the DirectoryId doesn't exist or the user, member, or group might be + * outside of your organizational unit (OU).

      + *

      Make sure that you have the authentication and authorization to perform the action. + * Review the directory information in the request, and make sure that the object isn't outside + * of your OU.

      + * @public + */ +export class AccessDeniedException extends __BaseException { + readonly name: "AccessDeniedException" = "AccessDeniedException"; + readonly $fault: "client" = "client"; + Message?: string; + /** + *

      Reason the request was unauthorized.

      + * @public + */ + Reason?: AccessDeniedReason; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "AccessDeniedException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, AccessDeniedException.prototype); + this.Message = opts.Message; + this.Reason = opts.Reason; + } +} + +/** + * @public + */ +export interface AddGroupMemberRequest { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the group.

      + * @public + */ + GroupName: string | undefined; + + /** + *

      The SAMAccountName of the user, group, or computer to add as a group member. + *

      + * @public + */ + MemberName: string | undefined; + + /** + *

      The domain name that's associated with the group member. This parameter is required only + * when adding a member outside of your Managed Microsoft AD domain to a group inside of your + * Managed Microsoft AD domain. This parameter defaults to the Managed Microsoft AD domain.

      + * + *

      This parameter is case insensitive.

      + *
      + * @public + */ + MemberRealm?: string; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface AddGroupMemberResult {} + +/** + *

      This error will occur when you try to create a resource that conflicts with an existing + * object. It can also occur when adding a member to a group that the member is already + * in.

      + *

      This error can be caused by a request sent within the 8-hour idempotency window with the + * same client token but different input parameters. Client tokens should not be re-used across + * different requests. After 8 hours, any request with the same client token is treated as a new + * request.

      + * @public + */ +export class ConflictException extends __BaseException { + readonly name: "ConflictException" = "ConflictException"; + readonly $fault: "client" = "client"; + Message?: string; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ConflictException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ConflictException.prototype); + this.Message = opts.Message; + } +} + +/** + * @public + * @enum + */ +export const DirectoryUnavailableReason = { + DIRECTORY_RESOURCES_EXCEEDED: "DIRECTORY_RESOURCES_EXCEEDED", + DIRECTORY_TIMEOUT: "DIRECTORY_TIMEOUT", + INVALID_DIRECTORY_STATE: "INVALID_DIRECTORY_STATE", + NO_DISK_SPACE: "NO_DISK_SPACE", + TRUST_AUTH_FAILURE: "TRUST_AUTH_FAILURE", +} as const; + +/** + * @public + */ +export type DirectoryUnavailableReason = (typeof DirectoryUnavailableReason)[keyof typeof DirectoryUnavailableReason]; + +/** + *

      The request could not be completed due to a problem in the configuration or current state + * of the specified directory.

      + * @public + */ +export class DirectoryUnavailableException extends __BaseException { + readonly name: "DirectoryUnavailableException" = "DirectoryUnavailableException"; + readonly $fault: "client" = "client"; + $retryable = {}; + Message?: string; + /** + *

      Reason the request failed for the specified directory.

      + * @public + */ + Reason?: DirectoryUnavailableReason; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "DirectoryUnavailableException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, DirectoryUnavailableException.prototype); + this.Message = opts.Message; + this.Reason = opts.Reason; + } +} + +/** + *

      The operation didn't succeed because an internal error occurred. Try again later.

      + * @public + */ +export class InternalServerException extends __BaseException { + readonly name: "InternalServerException" = "InternalServerException"; + readonly $fault: "server" = "server"; + $retryable = {}; + Message?: string; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "InternalServerException", + $fault: "server", + ...opts, + }); + Object.setPrototypeOf(this, InternalServerException.prototype); + this.Message = opts.Message; + } +} + +/** + *

      The resource couldn't be found.

      + * @public + */ +export class ResourceNotFoundException extends __BaseException { + readonly name: "ResourceNotFoundException" = "ResourceNotFoundException"; + readonly $fault: "client" = "client"; + Message?: string; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ResourceNotFoundException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ResourceNotFoundException.prototype); + this.Message = opts.Message; + } +} + +/** + *

      The limit on the number of requests per second has been exceeded.

      + * @public + */ +export class ThrottlingException extends __BaseException { + readonly name: "ThrottlingException" = "ThrottlingException"; + readonly $fault: "client" = "client"; + $retryable = { + throttling: true, + }; + Message: string | undefined; + /** + *

      The recommended amount of seconds to retry after a throttling exception.

      + * @public + */ + RetryAfterSeconds?: number; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ThrottlingException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ThrottlingException.prototype); + this.Message = opts.Message; + this.RetryAfterSeconds = opts.RetryAfterSeconds; + } +} + +/** + * @public + * @enum + */ +export const ValidationExceptionReason = { + ATTRIBUTE_EXISTS: "ATTRIBUTE_EXISTS", + DUPLICATE_ATTRIBUTE: "DUPLICATE_ATTRIBUTE", + INVALID_ATTRIBUTE_FOR_GROUP: "INVALID_ATTRIBUTE_FOR_GROUP", + INVALID_ATTRIBUTE_FOR_MODIFY: "INVALID_ATTRIBUTE_FOR_MODIFY", + INVALID_ATTRIBUTE_FOR_SEARCH: "INVALID_ATTRIBUTE_FOR_SEARCH", + INVALID_ATTRIBUTE_FOR_USER: "INVALID_ATTRIBUTE_FOR_USER", + INVALID_ATTRIBUTE_NAME: "INVALID_ATTRIBUTE_NAME", + INVALID_ATTRIBUTE_VALUE: "INVALID_ATTRIBUTE_VALUE", + INVALID_DIRECTORY_TYPE: "INVALID_DIRECTORY_TYPE", + INVALID_NEXT_TOKEN: "INVALID_NEXT_TOKEN", + INVALID_REALM: "INVALID_REALM", + INVALID_SECONDARY_REGION: "INVALID_SECONDARY_REGION", + LDAP_SIZE_LIMIT_EXCEEDED: "LDAP_SIZE_LIMIT_EXCEEDED", + LDAP_UNSUPPORTED_OPERATION: "LDAP_UNSUPPORTED_OPERATION", + MISSING_ATTRIBUTE: "MISSING_ATTRIBUTE", +} as const; + +/** + * @public + */ +export type ValidationExceptionReason = (typeof ValidationExceptionReason)[keyof typeof ValidationExceptionReason]; + +/** + *

      The request isn't valid. Review the details in the error message to update the invalid + * parameters or values in your request.

      + * @public + */ +export class ValidationException extends __BaseException { + readonly name: "ValidationException" = "ValidationException"; + readonly $fault: "client" = "client"; + Message?: string; + /** + *

      Reason the request failed validation.

      + * @public + */ + Reason?: ValidationExceptionReason; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ValidationException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ValidationException.prototype); + this.Message = opts.Message; + this.Reason = opts.Reason; + } +} + +/** + *

      The data type for an attribute. Each attribute value is described as a name-value pair. + * The name is the AD schema name, and the value is the data itself. For a list of supported + * attributes, see Directory Service Data Attributes. + *

      + * @public + */ +export type AttributeValue = + | AttributeValue.BOOLMember + | AttributeValue.NMember + | AttributeValue.SMember + | AttributeValue.SSMember + | AttributeValue.$UnknownMember; + +/** + * @public + */ +export namespace AttributeValue { + /** + *

      Indicates that the attribute type value is a string. For example:

      + *

      + * "S": "S Group" + *

      + * @public + */ + export interface SMember { + S: string; + N?: never; + BOOL?: never; + SS?: never; + $unknown?: never; + } + + /** + *

      Indicates that the attribute type value is a number. For example:

      + *

      + * "N": "16" + *

      + * @public + */ + export interface NMember { + S?: never; + N: number; + BOOL?: never; + SS?: never; + $unknown?: never; + } + + /** + *

      Indicates that the attribute type value is a boolean. For example:

      + *

      + * "BOOL": true + *

      + * @public + */ + export interface BOOLMember { + S?: never; + N?: never; + BOOL: boolean; + SS?: never; + $unknown?: never; + } + + /** + *

      Indicates that the attribute type value is a string set. For example:

      + *

      + * "SS": ["sample_service_class/host.sample.com:1234/sample_service_name_1", + * "sample_service_class/host.sample.com:1234/sample_service_name_2"] + *

      + * @public + */ + export interface SSMember { + S?: never; + N?: never; + BOOL?: never; + SS: string[]; + $unknown?: never; + } + + /** + * @public + */ + export interface $UnknownMember { + S?: never; + N?: never; + BOOL?: never; + SS?: never; + $unknown: [string, any]; + } + + export interface Visitor { + S: (value: string) => T; + N: (value: number) => T; + BOOL: (value: boolean) => T; + SS: (value: string[]) => T; + _: (name: string, value: any) => T; + } + + export const visit = (value: AttributeValue, visitor: Visitor): T => { + if (value.S !== undefined) return visitor.S(value.S); + if (value.N !== undefined) return visitor.N(value.N); + if (value.BOOL !== undefined) return visitor.BOOL(value.BOOL); + if (value.SS !== undefined) return visitor.SS(value.SS); + return visitor._(value.$unknown[0], value.$unknown[1]); + }; +} + +/** + * @public + * @enum + */ +export const GroupScope = { + BUILTIN_LOCAL: "BuiltinLocal", + DOMAIN_LOCAL: "DomainLocal", + GLOBAL: "Global", + UNIVERSAL: "Universal", +} as const; + +/** + * @public + */ +export type GroupScope = (typeof GroupScope)[keyof typeof GroupScope]; + +/** + * @public + * @enum + */ +export const GroupType = { + DISTRIBUTION: "Distribution", + SECURITY: "Security", +} as const; + +/** + * @public + */ +export type GroupType = (typeof GroupType)[keyof typeof GroupType]; + +/** + * @public + */ +export interface CreateGroupRequest { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The AD group type. For details, see Active Directory security group type.

      + * @public + */ + GroupType?: GroupType; + + /** + *

      The scope of the AD group. For details, see Active Directory security group scope.

      + * @public + */ + GroupScope?: GroupScope; + + /** + *

      An expression that defines one or more attributes with the data type and value of each + * attribute.

      + * @public + */ + OtherAttributes?: Record; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface CreateGroupResult { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName?: string; + + /** + *

      The unique security identifier (SID) of the group.

      + * @public + */ + SID?: string; +} + +/** + * @public + */ +export interface CreateUserRequest { + /** + *

      The identifier (ID) of the directory that’s associated with the user.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The email address of the user.

      + * @public + */ + EmailAddress?: string; + + /** + *

      The first name of the user.

      + * @public + */ + GivenName?: string; + + /** + *

      The last name of the user.

      + * @public + */ + Surname?: string; + + /** + *

      An expression that defines one or more attribute names with the data type and value of + * each attribute. A key is an attribute name, and the value is a list of maps. For a list of + * supported attributes, see Directory Service Data Attributes.

      + * + *

      Attribute names are case insensitive.

      + *
      + * @public + */ + OtherAttributes?: Record; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface CreateUserResult { + /** + *

      The identifier (ID) of the directory where the address block is added.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The unique security identifier (SID) of the user.

      + * @public + */ + SID?: string; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName?: string; +} + +/** + * @public + */ +export interface DeleteGroupRequest { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface DeleteGroupResult {} + +/** + * @public + */ +export interface DeleteUserRequest { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface DeleteUserResult {} + +/** + * @public + */ +export interface DescribeGroupRequest { + /** + *

      The Identifier (ID) of the directory associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The domain name that's associated with the group.

      + * + *

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD + * domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      + *

      This value is case insensitive.

      + *
      + * @public + */ + Realm?: string; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      One or more attributes to be returned for the group. For a list of supported attributes, + * see Directory Service Data Attributes. + *

      + * @public + */ + OtherAttributes?: string[]; +} + +/** + * @public + */ +export interface DescribeGroupResult { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain name that's associated with the group.

      + * @public + */ + Realm?: string; + + /** + *

      The unique security identifier (SID) of the group.

      + * @public + */ + SID?: string; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName?: string; + + /** + *

      The distinguished name of the object.

      + * @public + */ + DistinguishedName?: string; + + /** + *

      The AD group type. For details, see Active Directory security group type.

      + * @public + */ + GroupType?: GroupType; + + /** + *

      The scope of the AD group. For details, see Active Directory security groups.

      + * @public + */ + GroupScope?: GroupScope; + + /** + *

      The attribute values that are returned for the attribute names that are included in the + * request.

      + * @public + */ + OtherAttributes?: Record; +} + +/** + * @public + */ +export interface DescribeUserRequest { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      One or more attribute names to be returned for the user. A key is an attribute name, and + * the value is a list of maps. For a list of supported attributes, see Directory Service Data Attributes.

      + * @public + */ + OtherAttributes?: string[]; + + /** + *

      The domain name that's associated with the user.

      + * + *

      This parameter is optional, so you can return users outside your Managed Microsoft AD domain. + * When no value is defined, only your Managed Microsoft AD users are returned.

      + *

      This value is case insensitive.

      + *
      + * @public + */ + Realm?: string; +} + +/** + * @public + */ +export interface DescribeUserResult { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain name that's associated with the user.

      + * @public + */ + Realm?: string; + + /** + *

      The unique security identifier (SID) of the user.

      + * @public + */ + SID?: string; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName?: string; + + /** + *

      The distinguished name of the object.

      + * @public + */ + DistinguishedName?: string; + + /** + *

      The UPN that is an Internet-style login name for a user and is based on the Internet + * standard RFC 822. The UPN is shorter + * than the distinguished name and easier to remember.

      + * @public + */ + UserPrincipalName?: string; + + /** + *

      The email address of the user.

      + * @public + */ + EmailAddress?: string; + + /** + *

      The first name of the user.

      + * @public + */ + GivenName?: string; + + /** + *

      The last name of the user.

      + * @public + */ + Surname?: string; + + /** + *

      Indicates whether the user account is active.

      + * @public + */ + Enabled?: boolean; + + /** + *

      The attribute values that are returned for the attribute names that are included in the + * request.

      + * + *

      Attribute names are case insensitive.

      + *
      + * @public + */ + OtherAttributes?: Record; +} + +/** + * @public + */ +export interface DisableUserRequest { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface DisableUserResult {} + +/** + * @public + */ +export interface ListGroupMembersRequest { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The domain name that's associated with the group.

      + * + *

      This parameter is optional, so you can return members from a group outside of your + * Managed Microsoft AD domain. When no value is defined, only members of your Managed Microsoft AD groups are + * returned.

      + *

      This value is case insensitive.

      + *
      + * @public + */ + Realm?: string; + + /** + *

      The domain name that's associated with the group member. This parameter defaults to the + * Managed Microsoft AD domain.

      + * + *

      This parameter is optional and case insensitive.

      + *
      + * @public + */ + MemberRealm?: string; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; + + /** + *

      The maximum number of results to be returned per request.

      + * @public + */ + MaxResults?: number; +} + +/** + * @public + * @enum + */ +export const MemberType = { + COMPUTER: "COMPUTER", + GROUP: "GROUP", + USER: "USER", +} as const; + +/** + * @public + */ +export type MemberType = (typeof MemberType)[keyof typeof MemberType]; + +/** + *

      A member object that contains identifying information for a specified member.

      + * @public + */ +export interface Member { + /** + *

      The unique security identifier (SID) of the group member.

      + * @public + */ + SID: string | undefined; + + /** + *

      The name of the group member.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The AD type of the member object.

      + * @public + */ + MemberType: MemberType | undefined; +} + +/** + * @public + */ +export interface ListGroupMembersResult { + /** + *

      Identifier (ID) of the directory associated with the group.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain name that's associated with the group.

      + * @public + */ + Realm?: string; + + /** + *

      The domain name that's associated with the member.

      + * @public + */ + MemberRealm?: string; + + /** + *

      The member information that the request returns.

      + * @public + */ + Members?: Member[]; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; +} + +/** + * @public + */ +export interface ListGroupsRequest { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The domain name associated with the directory.

      + * + *

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD + * domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      + *

      This value is case insensitive.

      + *
      + * @public + */ + Realm?: string; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; + + /** + *

      The maximum number of results to be returned per request.

      + * @public + */ + MaxResults?: number; +} + +/** + *

      A structure containing a subset of fields of a group object from a directory.

      + * @public + */ +export interface GroupSummary { + /** + *

      The unique security identifier (SID) of the group.

      + * @public + */ + SID: string | undefined; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The AD group type. For details, see Active Directory security group type.

      + * @public + */ + GroupType: GroupType | undefined; + + /** + *

      The scope of the AD group. For details, see Active Directory security groups.

      + * @public + */ + GroupScope: GroupScope | undefined; +} + +/** + * @public + */ +export interface ListGroupsResult { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain name associated with the group.

      + * @public + */ + Realm?: string; + + /** + *

      The group information that the request returns.

      + * @public + */ + Groups?: GroupSummary[]; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; +} + +/** + * @public + */ +export interface ListGroupsForMemberRequest { + /** + *

      The identifier (ID) of the directory that's associated with the member.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The domain name that's associated with the group.

      + * + *

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD + * domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      + *

      This value is case insensitive and defaults to your Managed Microsoft AD domain.

      + *
      + * @public + */ + Realm?: string; + + /** + *

      The domain name that's associated with the group member.

      + * + *

      This parameter is optional, so you can limit your results to the group members in a + * specific domain.

      + *

      This parameter is case insensitive and defaults to Realm + *

      + *
      + * @public + */ + MemberRealm?: string; + + /** + *

      The SAMAccountName of the user, group, or computer that's a member of the + * group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; + + /** + *

      The maximum number of results to be returned per request.

      + * @public + */ + MaxResults?: number; +} + +/** + * @public + */ +export interface ListGroupsForMemberResult { + /** + *

      The identifier (ID) of the directory that's associated with the member.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain that's associated with the group.

      + * @public + */ + Realm?: string; + + /** + *

      The domain that's associated with the member.

      + * @public + */ + MemberRealm?: string; + + /** + *

      The group information that the request returns.

      + * @public + */ + Groups?: GroupSummary[]; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; +} + +/** + * @public + */ +export interface ListUsersRequest { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The domain name that's associated with the user.

      + * + *

      This parameter is optional, so you can return users outside of your Managed Microsoft AD + * domain. When no value is defined, only your Managed Microsoft AD users are returned.

      + *

      This value is case insensitive.

      + *
      + * @public + */ + Realm?: string; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; + + /** + *

      The maximum number of results to be returned per request.

      + * @public + */ + MaxResults?: number; +} + +/** + *

      A structure containing a subset of the fields of a user object from a directory.

      + * @public + */ +export interface UserSummary { + /** + *

      The unique security identifier (SID) of the user.

      + * @public + */ + SID: string | undefined; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The first name of the user.

      + * @public + */ + GivenName?: string; + + /** + *

      The last name of the user.

      + * @public + */ + Surname?: string; + + /** + *

      Indicates whether the user account is active.

      + * @public + */ + Enabled: boolean | undefined; +} + +/** + * @public + */ +export interface ListUsersResult { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain that's associated with the user.

      + * @public + */ + Realm?: string; + + /** + *

      The user information that the request returns.

      + * @public + */ + Users?: UserSummary[]; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; +} + +/** + * @public + */ +export interface RemoveGroupMemberRequest { + /** + *

      The identifier (ID) of the directory that's associated with the member.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the group.

      + * @public + */ + GroupName: string | undefined; + + /** + *

      The SAMAccountName of the user, group, or computer to remove from the group. + *

      + * @public + */ + MemberName: string | undefined; + + /** + *

      The domain name that's associated with the group member. This parameter defaults to the + * Managed Microsoft AD domain.

      + * + *

      This parameter is optional and case insensitive.

      + *
      + * @public + */ + MemberRealm?: string; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface RemoveGroupMemberResult {} + +/** + * @public + */ +export interface SearchGroupsRequest { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The attribute value that you want to search for.

      + * + *

      Wildcard (*) searches aren't supported. For a list of supported + * attributes, see Directory Service Data + * Attributes.

      + *
      + * @public + */ + SearchString: string | undefined; + + /** + *

      One or more data attributes that are used to search for a group. For a list of supported + * attributes, see Directory Service Data Attributes. + *

      + * @public + */ + SearchAttributes: string[] | undefined; + + /** + *

      The domain name that's associated with the group.

      + * + *

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD + * domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      + *

      This value is case insensitive.

      + *
      + * @public + */ + Realm?: string; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; + + /** + *

      The maximum number of results to be returned per request.

      + * @public + */ + MaxResults?: number; +} + +/** + *

      A group object that contains identifying information and attributes for a specified + * group.

      + * @public + */ +export interface Group { + /** + *

      The unique security identifier (SID) of the group.

      + * @public + */ + SID?: string; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The distinguished name of the object.

      + * @public + */ + DistinguishedName?: string; + + /** + *

      The AD group type. For details, see Active Directory security group type.

      + * @public + */ + GroupType?: GroupType; + + /** + *

      The scope of the AD group. For details, see Active Directory security groups + *

      + * @public + */ + GroupScope?: GroupScope; + + /** + *

      An expression of one or more attributes, data types, and the values of a group.

      + * @public + */ + OtherAttributes?: Record; +} + +/** + * @public + */ +export interface SearchGroupsResult { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain that's associated with the group.

      + * @public + */ + Realm?: string; + + /** + *

      The group information that the request returns.

      + * @public + */ + Groups?: Group[]; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; +} + +/** + * @public + */ +export interface SearchUsersRequest { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The domain name that's associated with the user.

      + * + *

      This parameter is optional, so you can return users outside of your Managed Microsoft AD + * domain. When no value is defined, only your Managed Microsoft AD users are returned.

      + *

      This value is case insensitive.

      + *
      + * @public + */ + Realm?: string; + + /** + *

      The attribute value that you want to search for.

      + * + *

      Wildcard (*) searches aren't supported. For a list of supported + * attributes, see Directory Service Data + * Attributes.

      + *
      + * @public + */ + SearchString: string | undefined; + + /** + *

      One or more data attributes that are used to search for a user. For a list of supported + * attributes, see Directory Service Data Attributes. + *

      + * @public + */ + SearchAttributes: string[] | undefined; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; + + /** + *

      The maximum number of results to be returned per request.

      + * @public + */ + MaxResults?: number; +} + +/** + *

      A user object that contains identifying information and attributes for a specified user. + *

      + * @public + */ +export interface User { + /** + *

      The unique security identifier (SID) of the user.

      + * @public + */ + SID?: string; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The distinguished name of the object.

      + * @public + */ + DistinguishedName?: string; + + /** + *

      The UPN that is an internet-style login name for a user and based on the internet + * standard RFC 822. The UPN is shorter + * than the distinguished name and easier to remember.

      + * @public + */ + UserPrincipalName?: string; + + /** + *

      The email address of the user.

      + * @public + */ + EmailAddress?: string; + + /** + *

      The first name of the user.

      + * @public + */ + GivenName?: string; + + /** + *

      The last name of the user.

      + * @public + */ + Surname?: string; + + /** + *

      Indicates whether the user account is active.

      + * @public + */ + Enabled?: boolean; + + /** + *

      An expression that includes one or more attributes, data types, and values of a + * user.

      + * @public + */ + OtherAttributes?: Record; +} + +/** + * @public + */ +export interface SearchUsersResult { + /** + *

      The identifier (ID) of the directory where the address block is added.

      + * @public + */ + DirectoryId?: string; + + /** + *

      The domain that's associated with the user.

      + * @public + */ + Realm?: string; + + /** + *

      The user information that the request returns.

      + * @public + */ + Users?: User[]; + + /** + *

      An encoded paging token for paginated calls that can be passed back to retrieve the next + * page.

      + * @public + */ + NextToken?: string; +} + +/** + * @public + * @enum + */ +export const UpdateType = { + ADD: "ADD", + REMOVE: "REMOVE", + REPLACE: "REPLACE", +} as const; + +/** + * @public + */ +export type UpdateType = (typeof UpdateType)[keyof typeof UpdateType]; + +/** + * @public + */ +export interface UpdateGroupRequest { + /** + *

      The identifier (ID) of the directory that's associated with the group.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the group.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The AD group type. For details, see Active Directory security group type.

      + * @public + */ + GroupType?: GroupType; + + /** + *

      The scope of the AD group. For details, see Active Directory security groups.

      + * @public + */ + GroupScope?: GroupScope; + + /** + *

      An expression that defines one or more attributes with the data type and the value of + * each attribute.

      + * @public + */ + OtherAttributes?: Record; + + /** + *

      The type of update to be performed. If no value exists for the attribute, use + * ADD. Otherwise, use REPLACE to change an attribute value or + * REMOVE to clear the attribute value.

      + * @public + */ + UpdateType?: UpdateType; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface UpdateGroupResult {} + +/** + * @public + */ +export interface UpdateUserRequest { + /** + *

      The identifier (ID) of the directory that's associated with the user.

      + * @public + */ + DirectoryId: string | undefined; + + /** + *

      The name of the user.

      + * @public + */ + SAMAccountName: string | undefined; + + /** + *

      The email address of the user.

      + * @public + */ + EmailAddress?: string; + + /** + *

      The first name of the user.

      + * @public + */ + GivenName?: string; + + /** + *

      The last name of the user.

      + * @public + */ + Surname?: string; + + /** + *

      An expression that defines one or more attribute names with the data type and value of + * each attribute. A key is an attribute name, and the value is a list of maps. For a list of + * supported attributes, see Directory Service Data Attributes.

      + * + *

      Attribute names are case insensitive.

      + *
      + * @public + */ + OtherAttributes?: Record; + + /** + *

      The type of update to be performed. If no value exists for the attribute, use + * ADD. Otherwise, use REPLACE to change an attribute value or + * REMOVE to clear the attribute value.

      + * @public + */ + UpdateType?: UpdateType; + + /** + *

      A unique and case-sensitive identifier that you provide to make sure the idempotency of + * the request, so multiple identical calls have the same effect as one single call.

      + *

      A client token is valid for 8 hours after the first request that uses it completes. After + * 8 hours, any request with the same client token is treated as a new request. If the request + * succeeds, any future uses of that token will be idempotent for another 8 hours.

      + *

      If you submit a request with the same client token but change one of the other parameters + * within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      + * + *

      This parameter is optional when using the CLI or SDK.

      + *
      + * @public + */ + ClientToken?: string; +} + +/** + * @public + */ +export interface UpdateUserResult {} + +/** + * @internal + */ +export const AttributeValueFilterSensitiveLog = (obj: AttributeValue): any => { + if (obj.S !== undefined) return { S: SENSITIVE_STRING }; + if (obj.N !== undefined) return { N: SENSITIVE_STRING }; + if (obj.BOOL !== undefined) return { BOOL: SENSITIVE_STRING }; + if (obj.SS !== undefined) return { SS: SENSITIVE_STRING }; + if (obj.$unknown !== undefined) return { [obj.$unknown[0]]: "UNKNOWN" }; +}; + +/** + * @internal + */ +export const CreateGroupRequestFilterSensitiveLog = (obj: CreateGroupRequest): any => ({ + ...obj, + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); + +/** + * @internal + */ +export const CreateUserRequestFilterSensitiveLog = (obj: CreateUserRequest): any => ({ + ...obj, + ...(obj.EmailAddress && { EmailAddress: SENSITIVE_STRING }), + ...(obj.GivenName && { GivenName: SENSITIVE_STRING }), + ...(obj.Surname && { Surname: SENSITIVE_STRING }), + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); + +/** + * @internal + */ +export const DescribeGroupResultFilterSensitiveLog = (obj: DescribeGroupResult): any => ({ + ...obj, + ...(obj.DistinguishedName && { DistinguishedName: SENSITIVE_STRING }), + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); + +/** + * @internal + */ +export const DescribeUserResultFilterSensitiveLog = (obj: DescribeUserResult): any => ({ + ...obj, + ...(obj.DistinguishedName && { DistinguishedName: SENSITIVE_STRING }), + ...(obj.UserPrincipalName && { UserPrincipalName: SENSITIVE_STRING }), + ...(obj.EmailAddress && { EmailAddress: SENSITIVE_STRING }), + ...(obj.GivenName && { GivenName: SENSITIVE_STRING }), + ...(obj.Surname && { Surname: SENSITIVE_STRING }), + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); + +/** + * @internal + */ +export const ListGroupMembersRequestFilterSensitiveLog = (obj: ListGroupMembersRequest): any => ({ + ...obj, + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListGroupMembersResultFilterSensitiveLog = (obj: ListGroupMembersResult): any => ({ + ...obj, + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListGroupsRequestFilterSensitiveLog = (obj: ListGroupsRequest): any => ({ + ...obj, + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListGroupsResultFilterSensitiveLog = (obj: ListGroupsResult): any => ({ + ...obj, + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListGroupsForMemberRequestFilterSensitiveLog = (obj: ListGroupsForMemberRequest): any => ({ + ...obj, + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListGroupsForMemberResultFilterSensitiveLog = (obj: ListGroupsForMemberResult): any => ({ + ...obj, + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListUsersRequestFilterSensitiveLog = (obj: ListUsersRequest): any => ({ + ...obj, + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const UserSummaryFilterSensitiveLog = (obj: UserSummary): any => ({ + ...obj, + ...(obj.GivenName && { GivenName: SENSITIVE_STRING }), + ...(obj.Surname && { Surname: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListUsersResultFilterSensitiveLog = (obj: ListUsersResult): any => ({ + ...obj, + ...(obj.Users && { Users: obj.Users.map((item) => UserSummaryFilterSensitiveLog(item)) }), + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const SearchGroupsRequestFilterSensitiveLog = (obj: SearchGroupsRequest): any => ({ + ...obj, + ...(obj.SearchString && { SearchString: SENSITIVE_STRING }), + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const GroupFilterSensitiveLog = (obj: Group): any => ({ + ...obj, + ...(obj.DistinguishedName && { DistinguishedName: SENSITIVE_STRING }), + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); + +/** + * @internal + */ +export const SearchGroupsResultFilterSensitiveLog = (obj: SearchGroupsResult): any => ({ + ...obj, + ...(obj.Groups && { Groups: obj.Groups.map((item) => GroupFilterSensitiveLog(item)) }), + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const SearchUsersRequestFilterSensitiveLog = (obj: SearchUsersRequest): any => ({ + ...obj, + ...(obj.SearchString && { SearchString: SENSITIVE_STRING }), + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const UserFilterSensitiveLog = (obj: User): any => ({ + ...obj, + ...(obj.DistinguishedName && { DistinguishedName: SENSITIVE_STRING }), + ...(obj.UserPrincipalName && { UserPrincipalName: SENSITIVE_STRING }), + ...(obj.EmailAddress && { EmailAddress: SENSITIVE_STRING }), + ...(obj.GivenName && { GivenName: SENSITIVE_STRING }), + ...(obj.Surname && { Surname: SENSITIVE_STRING }), + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); + +/** + * @internal + */ +export const SearchUsersResultFilterSensitiveLog = (obj: SearchUsersResult): any => ({ + ...obj, + ...(obj.Users && { Users: obj.Users.map((item) => UserFilterSensitiveLog(item)) }), + ...(obj.NextToken && { NextToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const UpdateGroupRequestFilterSensitiveLog = (obj: UpdateGroupRequest): any => ({ + ...obj, + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); + +/** + * @internal + */ +export const UpdateUserRequestFilterSensitiveLog = (obj: UpdateUserRequest): any => ({ + ...obj, + ...(obj.EmailAddress && { EmailAddress: SENSITIVE_STRING }), + ...(obj.GivenName && { GivenName: SENSITIVE_STRING }), + ...(obj.Surname && { Surname: SENSITIVE_STRING }), + ...(obj.OtherAttributes && { + OtherAttributes: Object.entries(obj.OtherAttributes).reduce( + (acc: any, [key, value]: [string, AttributeValue]) => ((acc[key] = AttributeValueFilterSensitiveLog(value)), acc), + {} + ), + }), +}); diff --git a/clients/client-directory-service-data/src/pagination/Interfaces.ts b/clients/client-directory-service-data/src/pagination/Interfaces.ts new file mode 100644 index 000000000000..cbc76dc38bcf --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/Interfaces.ts @@ -0,0 +1,11 @@ +// smithy-typescript generated code +import { PaginationConfiguration } from "@smithy/types"; + +import { DirectoryServiceDataClient } from "../DirectoryServiceDataClient"; + +/** + * @public + */ +export interface DirectoryServiceDataPaginationConfiguration extends PaginationConfiguration { + client: DirectoryServiceDataClient; +} diff --git a/clients/client-directory-service-data/src/pagination/ListGroupMembersPaginator.ts b/clients/client-directory-service-data/src/pagination/ListGroupMembersPaginator.ts new file mode 100644 index 000000000000..71613bea1f9e --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/ListGroupMembersPaginator.ts @@ -0,0 +1,24 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { + ListGroupMembersCommand, + ListGroupMembersCommandInput, + ListGroupMembersCommandOutput, +} from "../commands/ListGroupMembersCommand"; +import { DirectoryServiceDataClient } from "../DirectoryServiceDataClient"; +import { DirectoryServiceDataPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateListGroupMembers: ( + config: DirectoryServiceDataPaginationConfiguration, + input: ListGroupMembersCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + DirectoryServiceDataPaginationConfiguration, + ListGroupMembersCommandInput, + ListGroupMembersCommandOutput +>(DirectoryServiceDataClient, ListGroupMembersCommand, "NextToken", "NextToken", "MaxResults"); diff --git a/clients/client-directory-service-data/src/pagination/ListGroupsForMemberPaginator.ts b/clients/client-directory-service-data/src/pagination/ListGroupsForMemberPaginator.ts new file mode 100644 index 000000000000..6b10d63c1aa1 --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/ListGroupsForMemberPaginator.ts @@ -0,0 +1,24 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { + ListGroupsForMemberCommand, + ListGroupsForMemberCommandInput, + ListGroupsForMemberCommandOutput, +} from "../commands/ListGroupsForMemberCommand"; +import { DirectoryServiceDataClient } from "../DirectoryServiceDataClient"; +import { DirectoryServiceDataPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateListGroupsForMember: ( + config: DirectoryServiceDataPaginationConfiguration, + input: ListGroupsForMemberCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + DirectoryServiceDataPaginationConfiguration, + ListGroupsForMemberCommandInput, + ListGroupsForMemberCommandOutput +>(DirectoryServiceDataClient, ListGroupsForMemberCommand, "NextToken", "NextToken", "MaxResults"); diff --git a/clients/client-directory-service-data/src/pagination/ListGroupsPaginator.ts b/clients/client-directory-service-data/src/pagination/ListGroupsPaginator.ts new file mode 100644 index 000000000000..464d3cf6b497 --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/ListGroupsPaginator.ts @@ -0,0 +1,20 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { ListGroupsCommand, ListGroupsCommandInput, ListGroupsCommandOutput } from "../commands/ListGroupsCommand"; +import { DirectoryServiceDataClient } from "../DirectoryServiceDataClient"; +import { DirectoryServiceDataPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateListGroups: ( + config: DirectoryServiceDataPaginationConfiguration, + input: ListGroupsCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + DirectoryServiceDataPaginationConfiguration, + ListGroupsCommandInput, + ListGroupsCommandOutput +>(DirectoryServiceDataClient, ListGroupsCommand, "NextToken", "NextToken", "MaxResults"); diff --git a/clients/client-directory-service-data/src/pagination/ListUsersPaginator.ts b/clients/client-directory-service-data/src/pagination/ListUsersPaginator.ts new file mode 100644 index 000000000000..c6ccd75c2c49 --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/ListUsersPaginator.ts @@ -0,0 +1,20 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { ListUsersCommand, ListUsersCommandInput, ListUsersCommandOutput } from "../commands/ListUsersCommand"; +import { DirectoryServiceDataClient } from "../DirectoryServiceDataClient"; +import { DirectoryServiceDataPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateListUsers: ( + config: DirectoryServiceDataPaginationConfiguration, + input: ListUsersCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + DirectoryServiceDataPaginationConfiguration, + ListUsersCommandInput, + ListUsersCommandOutput +>(DirectoryServiceDataClient, ListUsersCommand, "NextToken", "NextToken", "MaxResults"); diff --git a/clients/client-directory-service-data/src/pagination/SearchGroupsPaginator.ts b/clients/client-directory-service-data/src/pagination/SearchGroupsPaginator.ts new file mode 100644 index 000000000000..9846f0cd165a --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/SearchGroupsPaginator.ts @@ -0,0 +1,24 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { + SearchGroupsCommand, + SearchGroupsCommandInput, + SearchGroupsCommandOutput, +} from "../commands/SearchGroupsCommand"; +import { DirectoryServiceDataClient } from "../DirectoryServiceDataClient"; +import { DirectoryServiceDataPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateSearchGroups: ( + config: DirectoryServiceDataPaginationConfiguration, + input: SearchGroupsCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + DirectoryServiceDataPaginationConfiguration, + SearchGroupsCommandInput, + SearchGroupsCommandOutput +>(DirectoryServiceDataClient, SearchGroupsCommand, "NextToken", "NextToken", "MaxResults"); diff --git a/clients/client-directory-service-data/src/pagination/SearchUsersPaginator.ts b/clients/client-directory-service-data/src/pagination/SearchUsersPaginator.ts new file mode 100644 index 000000000000..8c770c612324 --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/SearchUsersPaginator.ts @@ -0,0 +1,20 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { SearchUsersCommand, SearchUsersCommandInput, SearchUsersCommandOutput } from "../commands/SearchUsersCommand"; +import { DirectoryServiceDataClient } from "../DirectoryServiceDataClient"; +import { DirectoryServiceDataPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateSearchUsers: ( + config: DirectoryServiceDataPaginationConfiguration, + input: SearchUsersCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + DirectoryServiceDataPaginationConfiguration, + SearchUsersCommandInput, + SearchUsersCommandOutput +>(DirectoryServiceDataClient, SearchUsersCommand, "NextToken", "NextToken", "MaxResults"); diff --git a/clients/client-directory-service-data/src/pagination/index.ts b/clients/client-directory-service-data/src/pagination/index.ts new file mode 100644 index 000000000000..6062161f8b01 --- /dev/null +++ b/clients/client-directory-service-data/src/pagination/index.ts @@ -0,0 +1,8 @@ +// smithy-typescript generated code +export * from "./Interfaces"; +export * from "./ListGroupMembersPaginator"; +export * from "./ListGroupsForMemberPaginator"; +export * from "./ListGroupsPaginator"; +export * from "./ListUsersPaginator"; +export * from "./SearchGroupsPaginator"; +export * from "./SearchUsersPaginator"; diff --git a/clients/client-directory-service-data/src/protocols/Aws_restJson1.ts b/clients/client-directory-service-data/src/protocols/Aws_restJson1.ts new file mode 100644 index 000000000000..5d7288375546 --- /dev/null +++ b/clients/client-directory-service-data/src/protocols/Aws_restJson1.ts @@ -0,0 +1,1139 @@ +// smithy-typescript generated code +import { loadRestJsonErrorCode, parseJsonBody as parseBody, parseJsonErrorBody as parseErrorBody } from "@aws-sdk/core"; +import { requestBuilder as rb } from "@smithy/core"; +import { HttpRequest as __HttpRequest, HttpResponse as __HttpResponse } from "@smithy/protocol-http"; +import { + _json, + collectBody, + decorateServiceException as __decorateServiceException, + expectBoolean as __expectBoolean, + expectNonNull as __expectNonNull, + expectObject as __expectObject, + expectString as __expectString, + extendedEncodeURIComponent as __extendedEncodeURIComponent, + map, + strictParseInt32 as __strictParseInt32, + take, + withBaseException, +} from "@smithy/smithy-client"; +import { + Endpoint as __Endpoint, + ResponseMetadata as __ResponseMetadata, + SerdeContext as __SerdeContext, +} from "@smithy/types"; +import { v4 as generateIdempotencyToken } from "uuid"; + +import { AddGroupMemberCommandInput, AddGroupMemberCommandOutput } from "../commands/AddGroupMemberCommand"; +import { CreateGroupCommandInput, CreateGroupCommandOutput } from "../commands/CreateGroupCommand"; +import { CreateUserCommandInput, CreateUserCommandOutput } from "../commands/CreateUserCommand"; +import { DeleteGroupCommandInput, DeleteGroupCommandOutput } from "../commands/DeleteGroupCommand"; +import { DeleteUserCommandInput, DeleteUserCommandOutput } from "../commands/DeleteUserCommand"; +import { DescribeGroupCommandInput, DescribeGroupCommandOutput } from "../commands/DescribeGroupCommand"; +import { DescribeUserCommandInput, DescribeUserCommandOutput } from "../commands/DescribeUserCommand"; +import { DisableUserCommandInput, DisableUserCommandOutput } from "../commands/DisableUserCommand"; +import { ListGroupMembersCommandInput, ListGroupMembersCommandOutput } from "../commands/ListGroupMembersCommand"; +import { ListGroupsCommandInput, ListGroupsCommandOutput } from "../commands/ListGroupsCommand"; +import { + ListGroupsForMemberCommandInput, + ListGroupsForMemberCommandOutput, +} from "../commands/ListGroupsForMemberCommand"; +import { ListUsersCommandInput, ListUsersCommandOutput } from "../commands/ListUsersCommand"; +import { RemoveGroupMemberCommandInput, RemoveGroupMemberCommandOutput } from "../commands/RemoveGroupMemberCommand"; +import { SearchGroupsCommandInput, SearchGroupsCommandOutput } from "../commands/SearchGroupsCommand"; +import { SearchUsersCommandInput, SearchUsersCommandOutput } from "../commands/SearchUsersCommand"; +import { UpdateGroupCommandInput, UpdateGroupCommandOutput } from "../commands/UpdateGroupCommand"; +import { UpdateUserCommandInput, UpdateUserCommandOutput } from "../commands/UpdateUserCommand"; +import { DirectoryServiceDataServiceException as __BaseException } from "../models/DirectoryServiceDataServiceException"; +import { + AccessDeniedException, + AttributeValue, + ConflictException, + DirectoryUnavailableException, + InternalServerException, + ResourceNotFoundException, + ThrottlingException, + ValidationException, +} from "../models/models_0"; + +/** + * serializeAws_restJson1AddGroupMemberCommand + */ +export const se_AddGroupMemberCommand = async ( + input: AddGroupMemberCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/GroupMemberships/AddGroupMember"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + GroupName: [], + MemberName: [], + MemberRealm: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1CreateGroupCommand + */ +export const se_CreateGroupCommand = async ( + input: CreateGroupCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Groups/CreateGroup"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + GroupScope: [], + GroupType: [], + OtherAttributes: (_) => _json(_), + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1CreateUserCommand + */ +export const se_CreateUserCommand = async ( + input: CreateUserCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Users/CreateUser"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + EmailAddress: [], + GivenName: [], + OtherAttributes: (_) => _json(_), + SAMAccountName: [], + Surname: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1DeleteGroupCommand + */ +export const se_DeleteGroupCommand = async ( + input: DeleteGroupCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Groups/DeleteGroup"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1DeleteUserCommand + */ +export const se_DeleteUserCommand = async ( + input: DeleteUserCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Users/DeleteUser"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1DescribeGroupCommand + */ +export const se_DescribeGroupCommand = async ( + input: DescribeGroupCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Groups/DescribeGroup"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + OtherAttributes: (_) => _json(_), + Realm: [], + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1DescribeUserCommand + */ +export const se_DescribeUserCommand = async ( + input: DescribeUserCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Users/DescribeUser"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + OtherAttributes: (_) => _json(_), + Realm: [], + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1DisableUserCommand + */ +export const se_DisableUserCommand = async ( + input: DisableUserCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Users/DisableUser"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1ListGroupMembersCommand + */ +export const se_ListGroupMembersCommand = async ( + input: ListGroupMembersCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/GroupMemberships/ListGroupMembers"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + MaxResults: [], + MemberRealm: [], + NextToken: [], + Realm: [], + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1ListGroupsCommand + */ +export const se_ListGroupsCommand = async ( + input: ListGroupsCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Groups/ListGroups"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + MaxResults: [], + NextToken: [], + Realm: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1ListGroupsForMemberCommand + */ +export const se_ListGroupsForMemberCommand = async ( + input: ListGroupsForMemberCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/GroupMemberships/ListGroupsForMember"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + MaxResults: [], + MemberRealm: [], + NextToken: [], + Realm: [], + SAMAccountName: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1ListUsersCommand + */ +export const se_ListUsersCommand = async ( + input: ListUsersCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Users/ListUsers"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + MaxResults: [], + NextToken: [], + Realm: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1RemoveGroupMemberCommand + */ +export const se_RemoveGroupMemberCommand = async ( + input: RemoveGroupMemberCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/GroupMemberships/RemoveGroupMember"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + GroupName: [], + MemberName: [], + MemberRealm: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1SearchGroupsCommand + */ +export const se_SearchGroupsCommand = async ( + input: SearchGroupsCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Groups/SearchGroups"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + MaxResults: [], + NextToken: [], + Realm: [], + SearchAttributes: (_) => _json(_), + SearchString: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1SearchUsersCommand + */ +export const se_SearchUsersCommand = async ( + input: SearchUsersCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Users/SearchUsers"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + MaxResults: [], + NextToken: [], + Realm: [], + SearchAttributes: (_) => _json(_), + SearchString: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1UpdateGroupCommand + */ +export const se_UpdateGroupCommand = async ( + input: UpdateGroupCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Groups/UpdateGroup"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + GroupScope: [], + GroupType: [], + OtherAttributes: (_) => _json(_), + SAMAccountName: [], + UpdateType: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1UpdateUserCommand + */ +export const se_UpdateUserCommand = async ( + input: UpdateUserCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/Users/UpdateUser"); + const query: any = map({ + [_DI]: [, __expectNonNull(input[_DI]!, `DirectoryId`)], + }); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + EmailAddress: [], + GivenName: [], + OtherAttributes: (_) => _json(_), + SAMAccountName: [], + Surname: [], + UpdateType: [], + }) + ); + b.m("POST").h(headers).q(query).b(body); + return b.build(); +}; + +/** + * deserializeAws_restJson1AddGroupMemberCommand + */ +export const de_AddGroupMemberCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + +/** + * deserializeAws_restJson1CreateGroupCommand + */ +export const de_CreateGroupCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + SAMAccountName: __expectString, + SID: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1CreateUserCommand + */ +export const de_CreateUserCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + SAMAccountName: __expectString, + SID: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1DeleteGroupCommand + */ +export const de_DeleteGroupCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + +/** + * deserializeAws_restJson1DeleteUserCommand + */ +export const de_DeleteUserCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + +/** + * deserializeAws_restJson1DescribeGroupCommand + */ +export const de_DescribeGroupCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + DistinguishedName: __expectString, + GroupScope: __expectString, + GroupType: __expectString, + OtherAttributes: _json, + Realm: __expectString, + SAMAccountName: __expectString, + SID: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1DescribeUserCommand + */ +export const de_DescribeUserCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + DistinguishedName: __expectString, + EmailAddress: __expectString, + Enabled: __expectBoolean, + GivenName: __expectString, + OtherAttributes: _json, + Realm: __expectString, + SAMAccountName: __expectString, + SID: __expectString, + Surname: __expectString, + UserPrincipalName: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1DisableUserCommand + */ +export const de_DisableUserCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + +/** + * deserializeAws_restJson1ListGroupMembersCommand + */ +export const de_ListGroupMembersCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + MemberRealm: __expectString, + Members: _json, + NextToken: __expectString, + Realm: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1ListGroupsCommand + */ +export const de_ListGroupsCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + Groups: _json, + NextToken: __expectString, + Realm: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1ListGroupsForMemberCommand + */ +export const de_ListGroupsForMemberCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + Groups: _json, + MemberRealm: __expectString, + NextToken: __expectString, + Realm: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1ListUsersCommand + */ +export const de_ListUsersCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + NextToken: __expectString, + Realm: __expectString, + Users: _json, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1RemoveGroupMemberCommand + */ +export const de_RemoveGroupMemberCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + +/** + * deserializeAws_restJson1SearchGroupsCommand + */ +export const de_SearchGroupsCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + Groups: _json, + NextToken: __expectString, + Realm: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1SearchUsersCommand + */ +export const de_SearchUsersCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + DirectoryId: __expectString, + NextToken: __expectString, + Realm: __expectString, + Users: _json, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1UpdateGroupCommand + */ +export const de_UpdateGroupCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + +/** + * deserializeAws_restJson1UpdateUserCommand + */ +export const de_UpdateUserCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + +/** + * deserialize_Aws_restJson1CommandError + */ +const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): Promise => { + const parsedOutput: any = { + ...output, + body: await parseErrorBody(output.body, context), + }; + const errorCode = loadRestJsonErrorCode(output, parsedOutput.body); + switch (errorCode) { + case "AccessDeniedException": + case "com.amazonaws.directoryservicedata#AccessDeniedException": + throw await de_AccessDeniedExceptionRes(parsedOutput, context); + case "ConflictException": + case "com.amazonaws.directoryservicedata#ConflictException": + throw await de_ConflictExceptionRes(parsedOutput, context); + case "DirectoryUnavailableException": + case "com.amazonaws.directoryservicedata#DirectoryUnavailableException": + throw await de_DirectoryUnavailableExceptionRes(parsedOutput, context); + case "InternalServerException": + case "com.amazonaws.directoryservicedata#InternalServerException": + throw await de_InternalServerExceptionRes(parsedOutput, context); + case "ResourceNotFoundException": + case "com.amazonaws.directoryservicedata#ResourceNotFoundException": + throw await de_ResourceNotFoundExceptionRes(parsedOutput, context); + case "ThrottlingException": + case "com.amazonaws.directoryservicedata#ThrottlingException": + throw await de_ThrottlingExceptionRes(parsedOutput, context); + case "ValidationException": + case "com.amazonaws.directoryservicedata#ValidationException": + throw await de_ValidationExceptionRes(parsedOutput, context); + default: + const parsedBody = parsedOutput.body; + return throwDefaultError({ + output, + parsedBody, + errorCode, + }) as never; + } +}; + +const throwDefaultError = withBaseException(__BaseException); +/** + * deserializeAws_restJson1AccessDeniedExceptionRes + */ +const de_AccessDeniedExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const contents: any = map({}); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + Reason: __expectString, + }); + Object.assign(contents, doc); + const exception = new AccessDeniedException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +/** + * deserializeAws_restJson1ConflictExceptionRes + */ +const de_ConflictExceptionRes = async (parsedOutput: any, context: __SerdeContext): Promise => { + const contents: any = map({}); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + }); + Object.assign(contents, doc); + const exception = new ConflictException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +/** + * deserializeAws_restJson1DirectoryUnavailableExceptionRes + */ +const de_DirectoryUnavailableExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const contents: any = map({}); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + Reason: __expectString, + }); + Object.assign(contents, doc); + const exception = new DirectoryUnavailableException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +/** + * deserializeAws_restJson1InternalServerExceptionRes + */ +const de_InternalServerExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const contents: any = map({}); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + }); + Object.assign(contents, doc); + const exception = new InternalServerException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +/** + * deserializeAws_restJson1ResourceNotFoundExceptionRes + */ +const de_ResourceNotFoundExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const contents: any = map({}); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + }); + Object.assign(contents, doc); + const exception = new ResourceNotFoundException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +/** + * deserializeAws_restJson1ThrottlingExceptionRes + */ +const de_ThrottlingExceptionRes = async (parsedOutput: any, context: __SerdeContext): Promise => { + const contents: any = map({ + [_RAS]: [() => void 0 !== parsedOutput.headers[_ra], () => __strictParseInt32(parsedOutput.headers[_ra])], + }); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + }); + Object.assign(contents, doc); + const exception = new ThrottlingException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +/** + * deserializeAws_restJson1ValidationExceptionRes + */ +const de_ValidationExceptionRes = async (parsedOutput: any, context: __SerdeContext): Promise => { + const contents: any = map({}); + const data: any = parsedOutput.body; + const doc = take(data, { + Message: __expectString, + Reason: __expectString, + }); + Object.assign(contents, doc); + const exception = new ValidationException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +// se_Attributes omitted. + +// se_AttributeValue omitted. + +// se_LdapDisplayNameList omitted. + +// se_StringSetAttributeValue omitted. + +// de_Attributes omitted. + +// de_AttributeValue omitted. + +// de_Group omitted. + +// de_GroupList omitted. + +// de_GroupSummary omitted. + +// de_GroupSummaryList omitted. + +// de_Member omitted. + +// de_MemberList omitted. + +// de_StringSetAttributeValue omitted. + +// de_User omitted. + +// de_UserList omitted. + +// de_UserSummary omitted. + +// de_UserSummaryList omitted. + +const deserializeMetadata = (output: __HttpResponse): __ResponseMetadata => ({ + httpStatusCode: output.statusCode, + requestId: + output.headers["x-amzn-requestid"] ?? output.headers["x-amzn-request-id"] ?? output.headers["x-amz-request-id"], + extendedRequestId: output.headers["x-amz-id-2"], + cfId: output.headers["x-amz-cf-id"], +}); + +// Encode Uint8Array data into string with utf-8. +const collectBodyString = (streamBody: any, context: __SerdeContext): Promise => + collectBody(streamBody, context).then((body) => context.utf8Encoder(body)); + +const isSerializableHeaderValue = (value: any): boolean => + value !== undefined && + value !== null && + value !== "" && + (!Object.getOwnPropertyNames(value).includes("length") || value.length != 0) && + (!Object.getOwnPropertyNames(value).includes("size") || value.size != 0); + +const _DI = "DirectoryId"; +const _RAS = "RetryAfterSeconds"; +const _ra = "retry-after"; diff --git a/clients/client-directory-service-data/src/runtimeConfig.browser.ts b/clients/client-directory-service-data/src/runtimeConfig.browser.ts new file mode 100644 index 000000000000..82a8614eb8ef --- /dev/null +++ b/clients/client-directory-service-data/src/runtimeConfig.browser.ts @@ -0,0 +1,44 @@ +// smithy-typescript generated code +// @ts-ignore: package.json will be imported from dist folders +import packageInfo from "../package.json"; // eslint-disable-line + +import { Sha256 } from "@aws-crypto/sha256-browser"; +import { defaultUserAgent } from "@aws-sdk/util-user-agent-browser"; +import { DEFAULT_USE_DUALSTACK_ENDPOINT, DEFAULT_USE_FIPS_ENDPOINT } from "@smithy/config-resolver"; +import { FetchHttpHandler as RequestHandler, streamCollector } from "@smithy/fetch-http-handler"; +import { invalidProvider } from "@smithy/invalid-dependency"; +import { calculateBodyLength } from "@smithy/util-body-length-browser"; +import { DEFAULT_MAX_ATTEMPTS, DEFAULT_RETRY_MODE } from "@smithy/util-retry"; +import { DirectoryServiceDataClientConfig } from "./DirectoryServiceDataClient"; +import { getRuntimeConfig as getSharedRuntimeConfig } from "./runtimeConfig.shared"; +import { loadConfigsForDefaultMode } from "@smithy/smithy-client"; +import { resolveDefaultsModeConfig } from "@smithy/util-defaults-mode-browser"; + +/** + * @internal + */ +export const getRuntimeConfig = (config: DirectoryServiceDataClientConfig) => { + const defaultsMode = resolveDefaultsModeConfig(config); + const defaultConfigProvider = () => defaultsMode().then(loadConfigsForDefaultMode); + const clientSharedValues = getSharedRuntimeConfig(config); + return { + ...clientSharedValues, + ...config, + runtime: "browser", + defaultsMode, + bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, + credentialDefaultProvider: + config?.credentialDefaultProvider ?? ((_: unknown) => () => Promise.reject(new Error("Credential is missing"))), + defaultUserAgentProvider: + config?.defaultUserAgentProvider ?? + defaultUserAgent({ serviceId: clientSharedValues.serviceId, clientVersion: packageInfo.version }), + maxAttempts: config?.maxAttempts ?? DEFAULT_MAX_ATTEMPTS, + region: config?.region ?? invalidProvider("Region is missing"), + requestHandler: RequestHandler.create(config?.requestHandler ?? defaultConfigProvider), + retryMode: config?.retryMode ?? (async () => (await defaultConfigProvider()).retryMode || DEFAULT_RETRY_MODE), + sha256: config?.sha256 ?? Sha256, + streamCollector: config?.streamCollector ?? streamCollector, + useDualstackEndpoint: config?.useDualstackEndpoint ?? (() => Promise.resolve(DEFAULT_USE_DUALSTACK_ENDPOINT)), + useFipsEndpoint: config?.useFipsEndpoint ?? (() => Promise.resolve(DEFAULT_USE_FIPS_ENDPOINT)), + }; +}; diff --git a/clients/client-directory-service-data/src/runtimeConfig.native.ts b/clients/client-directory-service-data/src/runtimeConfig.native.ts new file mode 100644 index 000000000000..2291e84ab4e9 --- /dev/null +++ b/clients/client-directory-service-data/src/runtimeConfig.native.ts @@ -0,0 +1,18 @@ +// smithy-typescript generated code +import { Sha256 } from "@aws-crypto/sha256-js"; + +import { DirectoryServiceDataClientConfig } from "./DirectoryServiceDataClient"; +import { getRuntimeConfig as getBrowserRuntimeConfig } from "./runtimeConfig.browser"; + +/** + * @internal + */ +export const getRuntimeConfig = (config: DirectoryServiceDataClientConfig) => { + const browserDefaults = getBrowserRuntimeConfig(config); + return { + ...browserDefaults, + ...config, + runtime: "react-native", + sha256: config?.sha256 ?? Sha256, + }; +}; diff --git a/clients/client-directory-service-data/src/runtimeConfig.shared.ts b/clients/client-directory-service-data/src/runtimeConfig.shared.ts new file mode 100644 index 000000000000..2ec2370c4b3d --- /dev/null +++ b/clients/client-directory-service-data/src/runtimeConfig.shared.ts @@ -0,0 +1,38 @@ +// smithy-typescript generated code +import { AwsSdkSigV4Signer } from "@aws-sdk/core"; +import { NoOpLogger } from "@smithy/smithy-client"; +import { IdentityProviderConfig } from "@smithy/types"; +import { parseUrl } from "@smithy/url-parser"; +import { fromBase64, toBase64 } from "@smithy/util-base64"; +import { fromUtf8, toUtf8 } from "@smithy/util-utf8"; + +import { defaultDirectoryServiceDataHttpAuthSchemeProvider } from "./auth/httpAuthSchemeProvider"; +import { DirectoryServiceDataClientConfig } from "./DirectoryServiceDataClient"; +import { defaultEndpointResolver } from "./endpoint/endpointResolver"; + +/** + * @internal + */ +export const getRuntimeConfig = (config: DirectoryServiceDataClientConfig) => { + return { + apiVersion: "2023-05-31", + base64Decoder: config?.base64Decoder ?? fromBase64, + base64Encoder: config?.base64Encoder ?? toBase64, + disableHostPrefix: config?.disableHostPrefix ?? false, + endpointProvider: config?.endpointProvider ?? defaultEndpointResolver, + extensions: config?.extensions ?? [], + httpAuthSchemeProvider: config?.httpAuthSchemeProvider ?? defaultDirectoryServiceDataHttpAuthSchemeProvider, + httpAuthSchemes: config?.httpAuthSchemes ?? [ + { + schemeId: "aws.auth#sigv4", + identityProvider: (ipc: IdentityProviderConfig) => ipc.getIdentityProvider("aws.auth#sigv4"), + signer: new AwsSdkSigV4Signer(), + }, + ], + logger: config?.logger ?? new NoOpLogger(), + serviceId: config?.serviceId ?? "Directory Service Data", + urlParser: config?.urlParser ?? parseUrl, + utf8Decoder: config?.utf8Decoder ?? fromUtf8, + utf8Encoder: config?.utf8Encoder ?? toUtf8, + }; +}; diff --git a/clients/client-directory-service-data/src/runtimeConfig.ts b/clients/client-directory-service-data/src/runtimeConfig.ts new file mode 100644 index 000000000000..43b5ea84df9b --- /dev/null +++ b/clients/client-directory-service-data/src/runtimeConfig.ts @@ -0,0 +1,59 @@ +// smithy-typescript generated code +// @ts-ignore: package.json will be imported from dist folders +import packageInfo from "../package.json"; // eslint-disable-line + +import { emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; +import { defaultUserAgent } from "@aws-sdk/util-user-agent-node"; +import { + NODE_REGION_CONFIG_FILE_OPTIONS, + NODE_REGION_CONFIG_OPTIONS, + NODE_USE_DUALSTACK_ENDPOINT_CONFIG_OPTIONS, + NODE_USE_FIPS_ENDPOINT_CONFIG_OPTIONS, +} from "@smithy/config-resolver"; +import { Hash } from "@smithy/hash-node"; +import { NODE_MAX_ATTEMPT_CONFIG_OPTIONS, NODE_RETRY_MODE_CONFIG_OPTIONS } from "@smithy/middleware-retry"; +import { loadConfig as loadNodeConfig } from "@smithy/node-config-provider"; +import { NodeHttpHandler as RequestHandler, streamCollector } from "@smithy/node-http-handler"; +import { calculateBodyLength } from "@smithy/util-body-length-node"; +import { DEFAULT_RETRY_MODE } from "@smithy/util-retry"; +import { DirectoryServiceDataClientConfig } from "./DirectoryServiceDataClient"; +import { getRuntimeConfig as getSharedRuntimeConfig } from "./runtimeConfig.shared"; +import { loadConfigsForDefaultMode } from "@smithy/smithy-client"; +import { resolveDefaultsModeConfig } from "@smithy/util-defaults-mode-node"; +import { emitWarningIfUnsupportedVersion } from "@smithy/smithy-client"; + +/** + * @internal + */ +export const getRuntimeConfig = (config: DirectoryServiceDataClientConfig) => { + emitWarningIfUnsupportedVersion(process.version); + const defaultsMode = resolveDefaultsModeConfig(config); + const defaultConfigProvider = () => defaultsMode().then(loadConfigsForDefaultMode); + const clientSharedValues = getSharedRuntimeConfig(config); + awsCheckVersion(process.version); + return { + ...clientSharedValues, + ...config, + runtime: "node", + defaultsMode, + bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, + credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, + defaultUserAgentProvider: + config?.defaultUserAgentProvider ?? + defaultUserAgent({ serviceId: clientSharedValues.serviceId, clientVersion: packageInfo.version }), + maxAttempts: config?.maxAttempts ?? loadNodeConfig(NODE_MAX_ATTEMPT_CONFIG_OPTIONS), + region: config?.region ?? loadNodeConfig(NODE_REGION_CONFIG_OPTIONS, NODE_REGION_CONFIG_FILE_OPTIONS), + requestHandler: RequestHandler.create(config?.requestHandler ?? defaultConfigProvider), + retryMode: + config?.retryMode ?? + loadNodeConfig({ + ...NODE_RETRY_MODE_CONFIG_OPTIONS, + default: async () => (await defaultConfigProvider()).retryMode || DEFAULT_RETRY_MODE, + }), + sha256: config?.sha256 ?? Hash.bind(null, "sha256"), + streamCollector: config?.streamCollector ?? streamCollector, + useDualstackEndpoint: config?.useDualstackEndpoint ?? loadNodeConfig(NODE_USE_DUALSTACK_ENDPOINT_CONFIG_OPTIONS), + useFipsEndpoint: config?.useFipsEndpoint ?? loadNodeConfig(NODE_USE_FIPS_ENDPOINT_CONFIG_OPTIONS), + }; +}; diff --git a/clients/client-directory-service-data/src/runtimeExtensions.ts b/clients/client-directory-service-data/src/runtimeExtensions.ts new file mode 100644 index 000000000000..ade466242fa9 --- /dev/null +++ b/clients/client-directory-service-data/src/runtimeExtensions.ts @@ -0,0 +1,48 @@ +// smithy-typescript generated code +import { + getAwsRegionExtensionConfiguration, + resolveAwsRegionExtensionConfiguration, +} from "@aws-sdk/region-config-resolver"; +import { getHttpHandlerExtensionConfiguration, resolveHttpHandlerRuntimeConfig } from "@smithy/protocol-http"; +import { getDefaultExtensionConfiguration, resolveDefaultRuntimeConfig } from "@smithy/smithy-client"; + +import { getHttpAuthExtensionConfiguration, resolveHttpAuthRuntimeConfig } from "./auth/httpAuthExtensionConfiguration"; +import { DirectoryServiceDataExtensionConfiguration } from "./extensionConfiguration"; + +/** + * @public + */ +export interface RuntimeExtension { + configure(extensionConfiguration: DirectoryServiceDataExtensionConfiguration): void; +} + +/** + * @public + */ +export interface RuntimeExtensionsConfig { + extensions: RuntimeExtension[]; +} + +const asPartial = >(t: T) => t; + +/** + * @internal + */ +export const resolveRuntimeExtensions = (runtimeConfig: any, extensions: RuntimeExtension[]) => { + const extensionConfiguration: DirectoryServiceDataExtensionConfiguration = { + ...asPartial(getAwsRegionExtensionConfiguration(runtimeConfig)), + ...asPartial(getDefaultExtensionConfiguration(runtimeConfig)), + ...asPartial(getHttpHandlerExtensionConfiguration(runtimeConfig)), + ...asPartial(getHttpAuthExtensionConfiguration(runtimeConfig)), + }; + + extensions.forEach((extension) => extension.configure(extensionConfiguration)); + + return { + ...runtimeConfig, + ...resolveAwsRegionExtensionConfiguration(extensionConfiguration), + ...resolveDefaultRuntimeConfig(extensionConfiguration), + ...resolveHttpHandlerRuntimeConfig(extensionConfiguration), + ...resolveHttpAuthRuntimeConfig(extensionConfiguration), + }; +}; diff --git a/clients/client-directory-service-data/tsconfig.cjs.json b/clients/client-directory-service-data/tsconfig.cjs.json new file mode 100644 index 000000000000..3567d85ba846 --- /dev/null +++ b/clients/client-directory-service-data/tsconfig.cjs.json @@ -0,0 +1,6 @@ +{ + "extends": "./tsconfig", + "compilerOptions": { + "outDir": "dist-cjs" + } +} diff --git a/clients/client-directory-service-data/tsconfig.es.json b/clients/client-directory-service-data/tsconfig.es.json new file mode 100644 index 000000000000..809f57bde65e --- /dev/null +++ b/clients/client-directory-service-data/tsconfig.es.json @@ -0,0 +1,8 @@ +{ + "extends": "./tsconfig", + "compilerOptions": { + "lib": ["dom"], + "module": "esnext", + "outDir": "dist-es" + } +} diff --git a/clients/client-directory-service-data/tsconfig.json b/clients/client-directory-service-data/tsconfig.json new file mode 100644 index 000000000000..e7f5ec56b742 --- /dev/null +++ b/clients/client-directory-service-data/tsconfig.json @@ -0,0 +1,13 @@ +{ + "extends": "@tsconfig/node16/tsconfig.json", + "compilerOptions": { + "downlevelIteration": true, + "importHelpers": true, + "incremental": true, + "removeComments": true, + "resolveJsonModule": true, + "rootDir": "src", + "useUnknownInCatchVariables": false + }, + "exclude": ["test/"] +} diff --git a/clients/client-directory-service-data/tsconfig.types.json b/clients/client-directory-service-data/tsconfig.types.json new file mode 100644 index 000000000000..4c3dfa7b3d25 --- /dev/null +++ b/clients/client-directory-service-data/tsconfig.types.json @@ -0,0 +1,10 @@ +{ + "extends": "./tsconfig", + "compilerOptions": { + "removeComments": false, + "declaration": true, + "declarationDir": "dist-types", + "emitDeclarationOnly": true + }, + "exclude": ["test/**/*", "dist-types/**/*"] +} diff --git a/codegen/sdk-codegen/aws-models/directory-service-data.json b/codegen/sdk-codegen/aws-models/directory-service-data.json new file mode 100644 index 000000000000..90fd3affcfc8 --- /dev/null +++ b/codegen/sdk-codegen/aws-models/directory-service-data.json @@ -0,0 +1,3464 @@ +{ + "smithy": "2.0", + "shapes": { + "com.amazonaws.directoryservicedata#AccessDeniedException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.directoryservicedata#ExceptionMessage" + }, + "Reason": { + "target": "com.amazonaws.directoryservicedata#AccessDeniedReason", + "traits": { + "smithy.api#documentation": "

      Reason the request was unauthorized.

      " + } + } + }, + "traits": { + "smithy.api#documentation": "

      You don't have permission to perform the request or access the directory. It can also\n occur when the DirectoryId doesn't exist or the user, member, or group might be\n outside of your organizational unit (OU).

      \n

      Make sure that you have the authentication and authorization to perform the action.\n Review the directory information in the request, and make sure that the object isn't outside\n of your OU.

      ", + "smithy.api#error": "client", + "smithy.api#httpError": 403 + } + }, + "com.amazonaws.directoryservicedata#AccessDeniedReason": { + "type": "enum", + "members": { + "IAM_AUTH": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "IAM_AUTH" + } + }, + "DIRECTORY_AUTH": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DIRECTORY_AUTH" + } + }, + "DATA_DISABLED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DATA_DISABLED" + } + } + } + }, + "com.amazonaws.directoryservicedata#AddGroupMember": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#AddGroupMemberRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#AddGroupMemberResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Adds an existing user, group, or computer as a group member.

      ", + "smithy.api#http": { + "uri": "/GroupMemberships/AddGroupMember", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#AddGroupMemberRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "GroupName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "MemberName": { + "target": "com.amazonaws.directoryservicedata#MemberName", + "traits": { + "smithy.api#documentation": "

      The SAMAccountName of the user, group, or computer to add as a group member.\n

      ", + "smithy.api#required": {} + } + }, + "MemberRealm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group member. This parameter is required only\n when adding a member outside of your Managed Microsoft AD domain to a group inside of your\n Managed Microsoft AD domain. This parameter defaults to the Managed Microsoft AD domain.

      \n \n

      This parameter is case insensitive.

      \n
      " + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#AddGroupMemberResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#AttributeValue": { + "type": "union", + "members": { + "S": { + "target": "com.amazonaws.directoryservicedata#StringAttributeValue", + "traits": { + "smithy.api#documentation": "

      Indicates that the attribute type value is a string. For example:

      \n

      \n \"S\": \"S Group\"\n

      " + } + }, + "N": { + "target": "com.amazonaws.directoryservicedata#NumberAttributeValue", + "traits": { + "smithy.api#documentation": "

      Indicates that the attribute type value is a number. For example:

      \n

      \n \"N\": \"16\"\n

      " + } + }, + "BOOL": { + "target": "com.amazonaws.directoryservicedata#BooleanAttributeValue", + "traits": { + "smithy.api#documentation": "

      Indicates that the attribute type value is a boolean. For example:

      \n

      \n \"BOOL\": true\n

      " + } + }, + "SS": { + "target": "com.amazonaws.directoryservicedata#StringSetAttributeValue", + "traits": { + "smithy.api#documentation": "

      Indicates that the attribute type value is a string set. For example:

      \n

      \n \"SS\": [\"sample_service_class/host.sample.com:1234/sample_service_name_1\",\n \"sample_service_class/host.sample.com:1234/sample_service_name_2\"]\n

      " + } + } + }, + "traits": { + "smithy.api#documentation": "

      The data type for an attribute. Each attribute value is described as a name-value pair.\n The name is the AD schema name, and the value is the data itself. For a list of supported\n attributes, see Directory Service Data Attributes.\n

      " + } + }, + "com.amazonaws.directoryservicedata#Attributes": { + "type": "map", + "key": { + "target": "com.amazonaws.directoryservicedata#LdapDisplayName" + }, + "value": { + "target": "com.amazonaws.directoryservicedata#AttributeValue" + }, + "traits": { + "smithy.api#length": { + "min": 1, + "max": 25 + } + } + }, + "com.amazonaws.directoryservicedata#BooleanAttributeValue": { + "type": "boolean", + "traits": { + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#ClientToken": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 128 + }, + "smithy.api#pattern": "^[\\x00-\\x7F]+$" + } + }, + "com.amazonaws.directoryservicedata#ConflictException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.directoryservicedata#ExceptionMessage" + } + }, + "traits": { + "smithy.api#documentation": "

      This error will occur when you try to create a resource that conflicts with an existing\n object. It can also occur when adding a member to a group that the member is already\n in.

      \n

      This error can be caused by a request sent within the 8-hour idempotency window with the\n same client token but different input parameters. Client tokens should not be re-used across\n different requests. After 8 hours, any request with the same client token is treated as a new\n request.

      ", + "smithy.api#error": "client", + "smithy.api#httpError": 409 + } + }, + "com.amazonaws.directoryservicedata#CreateGroup": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#CreateGroupRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#CreateGroupResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Creates a new group.

      ", + "smithy.api#http": { + "uri": "/Groups/CreateGroup", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#CreateGroupRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "GroupType": { + "target": "com.amazonaws.directoryservicedata#GroupType", + "traits": { + "smithy.api#documentation": "

      The AD group type. For details, see Active Directory security group type.

      " + } + }, + "GroupScope": { + "target": "com.amazonaws.directoryservicedata#GroupScope", + "traits": { + "smithy.api#documentation": "

      The scope of the AD group. For details, see Active Directory security group scope.

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      An expression that defines one or more attributes with the data type and value of each\n attribute.

      " + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#CreateGroupResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      " + } + }, + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the group.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#CreateUser": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#CreateUserRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#CreateUserResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Creates a new user.

      ", + "smithy.api#http": { + "uri": "/Users/CreateUser", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#CreateUserRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that’s associated with the user.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      ", + "smithy.api#required": {} + } + }, + "EmailAddress": { + "target": "com.amazonaws.directoryservicedata#EmailAddress", + "traits": { + "smithy.api#documentation": "

      The email address of the user.

      " + } + }, + "GivenName": { + "target": "com.amazonaws.directoryservicedata#GivenName", + "traits": { + "smithy.api#documentation": "

      The first name of the user.

      " + } + }, + "Surname": { + "target": "com.amazonaws.directoryservicedata#Surname", + "traits": { + "smithy.api#documentation": "

      The last name of the user.

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      An expression that defines one or more attribute names with the data type and value of\n each attribute. A key is an attribute name, and the value is a list of maps. For a list of\n supported attributes, see Directory Service Data Attributes.

      \n \n

      Attribute names are case insensitive.

      \n
      " + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#CreateUserResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory where the address block is added.

      " + } + }, + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the user.

      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#DeleteGroup": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#DeleteGroupRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#DeleteGroupResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Deletes a group.

      ", + "smithy.api#http": { + "uri": "/Groups/DeleteGroup", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#DeleteGroupRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#DeleteGroupResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#DeleteUser": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#DeleteUserRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#DeleteUserResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Deletes a user.

      ", + "smithy.api#http": { + "uri": "/Users/DeleteUser", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#DeleteUserRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      ", + "smithy.api#required": {} + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#DeleteUserResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#DescribeGroup": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#DescribeGroupRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#DescribeGroupResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Returns information about a specific group.

      ", + "smithy.api#http": { + "uri": "/Groups/DescribeGroup", + "method": "POST" + }, + "smithy.api#readonly": {}, + "smithy.test#smokeTests": [ + { + "id": "DescribeGroupFailure", + "params": { + "DirectoryId": "d-1111111111", + "SAMAccountName": "test-group" + }, + "expect": { + "failure": { + "errorId": "com.amazonaws.directoryservicedata#AccessDeniedException" + } + }, + "vendorParamsShape": "aws.test#AwsVendorParams", + "vendorParams": { + "region": "us-west-2" + } + } + ] + } + }, + "com.amazonaws.directoryservicedata#DescribeGroupRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The Identifier (ID) of the directory associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group.

      \n \n

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD\n domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      \n

      This value is case insensitive.

      \n
      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#LdapDisplayNameList", + "traits": { + "smithy.api#documentation": "

      One or more attributes to be returned for the group. For a list of supported attributes,\n see Directory Service Data Attributes.\n

      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#DescribeGroupResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group.

      " + } + }, + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the group.

      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      " + } + }, + "DistinguishedName": { + "target": "com.amazonaws.directoryservicedata#DistinguishedName", + "traits": { + "smithy.api#documentation": "

      The distinguished name of the object.

      " + } + }, + "GroupType": { + "target": "com.amazonaws.directoryservicedata#GroupType", + "traits": { + "smithy.api#documentation": "

      The AD group type. For details, see Active Directory security group type.

      " + } + }, + "GroupScope": { + "target": "com.amazonaws.directoryservicedata#GroupScope", + "traits": { + "smithy.api#documentation": "

      The scope of the AD group. For details, see Active Directory security groups.

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      The attribute values that are returned for the attribute names that are included in the\n request.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#DescribeUser": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#DescribeUserRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#DescribeUserResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Returns information about a specific user.

      ", + "smithy.api#http": { + "uri": "/Users/DescribeUser", + "method": "POST" + }, + "smithy.api#readonly": {}, + "smithy.test#smokeTests": [ + { + "id": "DescribeUserFailure", + "params": { + "DirectoryId": "d-1111111111", + "SAMAccountName": "test-user" + }, + "expect": { + "failure": { + "errorId": "com.amazonaws.directoryservicedata#AccessDeniedException" + } + }, + "vendorParamsShape": "aws.test#AwsVendorParams", + "vendorParams": { + "region": "us-west-2" + } + } + ] + } + }, + "com.amazonaws.directoryservicedata#DescribeUserRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      ", + "smithy.api#required": {} + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#LdapDisplayNameList", + "traits": { + "smithy.api#documentation": "

      One or more attribute names to be returned for the user. A key is an attribute name, and\n the value is a list of maps. For a list of supported attributes, see Directory Service Data Attributes.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the user.

      \n \n

      This parameter is optional, so you can return users outside your Managed Microsoft AD domain.\n When no value is defined, only your Managed Microsoft AD users are returned.

      \n

      This value is case insensitive.

      \n
      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#DescribeUserResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the user.

      " + } + }, + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the user.

      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      " + } + }, + "DistinguishedName": { + "target": "com.amazonaws.directoryservicedata#DistinguishedName", + "traits": { + "smithy.api#documentation": "

      The distinguished name of the object.

      " + } + }, + "UserPrincipalName": { + "target": "com.amazonaws.directoryservicedata#UserPrincipalName", + "traits": { + "smithy.api#documentation": "

      The UPN that is an Internet-style login name for a user and is based on the Internet\n standard RFC 822. The UPN is shorter\n than the distinguished name and easier to remember.

      " + } + }, + "EmailAddress": { + "target": "com.amazonaws.directoryservicedata#EmailAddress", + "traits": { + "smithy.api#documentation": "

      The email address of the user.

      " + } + }, + "GivenName": { + "target": "com.amazonaws.directoryservicedata#GivenName", + "traits": { + "smithy.api#documentation": "

      The first name of the user.

      " + } + }, + "Surname": { + "target": "com.amazonaws.directoryservicedata#Surname", + "traits": { + "smithy.api#documentation": "

      The last name of the user.

      " + } + }, + "Enabled": { + "target": "smithy.api#Boolean", + "traits": { + "smithy.api#documentation": "

      Indicates whether the user account is active.

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      The attribute values that are returned for the attribute names that are included in the\n request.

      \n \n

      Attribute names are case insensitive.

      \n
      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#DirectoryId": { + "type": "string", + "traits": { + "smithy.api#pattern": "^d-[0-9a-f]{10}$" + } + }, + "com.amazonaws.directoryservicedata#DirectoryServiceData": { + "type": "service", + "version": "2023-05-31", + "operations": [ + { + "target": "com.amazonaws.directoryservicedata#AddGroupMember" + }, + { + "target": "com.amazonaws.directoryservicedata#CreateGroup" + }, + { + "target": "com.amazonaws.directoryservicedata#CreateUser" + }, + { + "target": "com.amazonaws.directoryservicedata#DeleteGroup" + }, + { + "target": "com.amazonaws.directoryservicedata#DeleteUser" + }, + { + "target": "com.amazonaws.directoryservicedata#DescribeGroup" + }, + { + "target": "com.amazonaws.directoryservicedata#DescribeUser" + }, + { + "target": "com.amazonaws.directoryservicedata#DisableUser" + }, + { + "target": "com.amazonaws.directoryservicedata#ListGroupMembers" + }, + { + "target": "com.amazonaws.directoryservicedata#ListGroups" + }, + { + "target": "com.amazonaws.directoryservicedata#ListGroupsForMember" + }, + { + "target": "com.amazonaws.directoryservicedata#ListUsers" + }, + { + "target": "com.amazonaws.directoryservicedata#RemoveGroupMember" + }, + { + "target": "com.amazonaws.directoryservicedata#SearchGroups" + }, + { + "target": "com.amazonaws.directoryservicedata#SearchUsers" + }, + { + "target": "com.amazonaws.directoryservicedata#UpdateGroup" + }, + { + "target": "com.amazonaws.directoryservicedata#UpdateUser" + } + ], + "traits": { + "aws.api#service": { + "sdkId": "Directory Service Data", + "arnNamespace": "ds", + "cloudFormationName": "DirectoryServiceData", + "cloudTrailEventSource": "ds.amazonaws.com", + "endpointPrefix": "ds-data" + }, + "aws.auth#sigv4": { + "name": "ds-data" + }, + "aws.protocols#restJson1": {}, + "smithy.api#documentation": "

      Amazon Web Services Directory Service Data is an extension of Directory Service. This API reference provides detailed information\n about Directory Service Data operations and object types.

      \n

      With Directory Service Data, you can create, read, update, and delete users, groups, and memberships from\n your Managed Microsoft AD without additional costs and without deploying dedicated management\n instances. You can also perform built-in object management tasks across directories without\n direct network connectivity, which simplifies provisioning and access management to achieve\n fully automated deployments. Directory Service Data supports user and group write operations, such as\n CreateUser and CreateGroup, within the organizational unit (OU) of\n your Managed Microsoft AD. Directory Service Data supports read operations, such as ListUsers and\n ListGroups, on all users, groups, and group memberships within your\n Managed Microsoft AD and across trusted realms. Directory Service Data supports adding and removing group members in\n your OU and the Amazon Web Services Delegated Groups OU, so you can grant and deny access to specific roles\n and permissions. For more information, see Manage users and\n groups in the Directory Service Administration Guide.

      \n \n

      Directory management operations and configuration changes made against the Directory Service\n API will also reflect in Directory Service Data API with eventual consistency. You can expect a short delay\n between management changes, such as adding a new directory trust and calling the Directory Service Data API\n for the newly created trusted realm.

      \n
      \n

      Directory Service Data connects to your Managed Microsoft AD domain controllers and performs operations on\n underlying directory objects. When you create your Managed Microsoft AD, you choose subnets for domain\n controllers that Directory Service creates on your behalf. If a domain controller is unavailable, Directory Service Data\n uses an available domain controller. As a result, you might notice eventual consistency while\n objects replicate from one domain controller to another domain controller. For more\n information, see What\n gets created in the Directory Service Administration Guide.\n Directory limits vary by Managed Microsoft AD edition:

      \n
        \n
      • \n

        \n Standard edition – Supports 8 transactions per\n second (TPS) for read operations and 4 TPS for write operations per directory. There's a\n concurrency limit of 10 concurrent requests.

        \n
      • \n
      • \n

        \n Enterprise edition – Supports 16 transactions per\n second (TPS) for read operations and 8 TPS for write operations per directory. There's a\n concurrency limit of 10 concurrent requests.

        \n
      • \n
      • \n

        \n Amazon Web Services Account - Supports a total of 100 TPS for\n Directory Service Data operations across all directories.

        \n
      • \n
      \n

      Directory Service Data only supports the Managed Microsoft AD directory type and is only available in the primary\n Amazon Web Services Region. For more information, see Managed Microsoft AD\n and Primary vs additional Regions in the Directory Service Administration\n Guide.

      ", + "smithy.api#title": "AWS Directory Service Data", + "smithy.api#xmlNamespace": { + "uri": "http://directoryservicedata.amazonaws.com/doc/2023-05-31/" + }, + "smithy.rules#endpointRuleSet": { + "version": "1.0", + "parameters": { + "Region": { + "builtIn": "AWS::Region", + "required": false, + "documentation": "The AWS region used to dispatch the request.", + "type": "String" + }, + "UseDualStack": { + "builtIn": "AWS::UseDualStack", + "required": true, + "default": false, + "documentation": "When true, use the dual-stack endpoint. If the configured endpoint does not support dual-stack, dispatching the request MAY return an error.", + "type": "Boolean" + }, + "UseFIPS": { + "builtIn": "AWS::UseFIPS", + "required": true, + "default": false, + "documentation": "When true, send this request to the FIPS-compliant regional endpoint. If the configured endpoint does not have a FIPS compliant endpoint, dispatching the request will return an error.", + "type": "Boolean" + }, + "Endpoint": { + "builtIn": "SDK::Endpoint", + "required": false, + "documentation": "Override the endpoint used to send this request", + "type": "String" + } + }, + "rules": [ + { + "conditions": [ + { + "fn": "isSet", + "argv": [ + { + "ref": "Endpoint" + } + ] + } + ], + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseFIPS" + }, + true + ] + } + ], + "error": "Invalid Configuration: FIPS and custom endpoint are not supported", + "type": "error" + }, + { + "conditions": [], + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseDualStack" + }, + true + ] + } + ], + "error": "Invalid Configuration: Dualstack and custom endpoint are not supported", + "type": "error" + }, + { + "conditions": [], + "endpoint": { + "url": { + "ref": "Endpoint" + }, + "properties": {}, + "headers": {} + }, + "type": "endpoint" + } + ], + "type": "tree" + } + ], + "type": "tree" + }, + { + "conditions": [], + "rules": [ + { + "conditions": [ + { + "fn": "isSet", + "argv": [ + { + "ref": "Region" + } + ] + } + ], + "rules": [ + { + "conditions": [ + { + "fn": "aws.partition", + "argv": [ + { + "ref": "Region" + } + ], + "assign": "PartitionResult" + } + ], + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseFIPS" + }, + true + ] + }, + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseDualStack" + }, + true + ] + } + ], + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + true, + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsFIPS" + ] + } + ] + }, + { + "fn": "booleanEquals", + "argv": [ + true, + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsDualStack" + ] + } + ] + } + ], + "rules": [ + { + "conditions": [], + "rules": [ + { + "conditions": [], + "endpoint": { + "url": "https://ds-data-fips.{Region}.{PartitionResult#dualStackDnsSuffix}", + "properties": {}, + "headers": {} + }, + "type": "endpoint" + } + ], + "type": "tree" + } + ], + "type": "tree" + }, + { + "conditions": [], + "error": "FIPS and DualStack are enabled, but this partition does not support one or both", + "type": "error" + } + ], + "type": "tree" + }, + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseFIPS" + }, + true + ] + } + ], + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsFIPS" + ] + }, + true + ] + } + ], + "rules": [ + { + "conditions": [], + "rules": [ + { + "conditions": [], + "endpoint": { + "url": "https://ds-data-fips.{Region}.{PartitionResult#dnsSuffix}", + "properties": {}, + "headers": {} + }, + "type": "endpoint" + } + ], + "type": "tree" + } + ], + "type": "tree" + }, + { + "conditions": [], + "error": "FIPS is enabled but this partition does not support FIPS", + "type": "error" + } + ], + "type": "tree" + }, + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseDualStack" + }, + true + ] + } + ], + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + true, + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsDualStack" + ] + } + ] + } + ], + "rules": [ + { + "conditions": [], + "rules": [ + { + "conditions": [], + "endpoint": { + "url": "https://ds-data.{Region}.{PartitionResult#dualStackDnsSuffix}", + "properties": {}, + "headers": {} + }, + "type": "endpoint" + } + ], + "type": "tree" + } + ], + "type": "tree" + }, + { + "conditions": [], + "error": "DualStack is enabled but this partition does not support DualStack", + "type": "error" + } + ], + "type": "tree" + }, + { + "conditions": [], + "rules": [ + { + "conditions": [], + "endpoint": { + "url": "https://ds-data.{Region}.{PartitionResult#dnsSuffix}", + "properties": {}, + "headers": {} + }, + "type": "endpoint" + } + ], + "type": "tree" + } + ], + "type": "tree" + } + ], + "type": "tree" + }, + { + "conditions": [], + "error": "Invalid Configuration: Missing Region", + "type": "error" + } + ], + "type": "tree" + } + ] + }, + "smithy.rules#endpointTests": { + "testCases": [ + { + "documentation": "For region us-east-1 with FIPS enabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.us-east-1.api.aws" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": true, + "UseDualStack": true + } + }, + { + "documentation": "For region us-east-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.us-east-1.amazonaws.com" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-east-1 with FIPS disabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://ds-data.us-east-1.api.aws" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": false, + "UseDualStack": true + } + }, + { + "documentation": "For region us-east-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data.us-east-1.amazonaws.com" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region cn-north-1 with FIPS enabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.cn-north-1.api.amazonwebservices.com.cn" + } + }, + "params": { + "Region": "cn-north-1", + "UseFIPS": true, + "UseDualStack": true + } + }, + { + "documentation": "For region cn-north-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.cn-north-1.amazonaws.com.cn" + } + }, + "params": { + "Region": "cn-north-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region cn-north-1 with FIPS disabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://ds-data.cn-north-1.api.amazonwebservices.com.cn" + } + }, + "params": { + "Region": "cn-north-1", + "UseFIPS": false, + "UseDualStack": true + } + }, + { + "documentation": "For region cn-north-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data.cn-north-1.amazonaws.com.cn" + } + }, + "params": { + "Region": "cn-north-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-gov-east-1 with FIPS enabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.us-gov-east-1.api.aws" + } + }, + "params": { + "Region": "us-gov-east-1", + "UseFIPS": true, + "UseDualStack": true + } + }, + { + "documentation": "For region us-gov-east-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.us-gov-east-1.amazonaws.com" + } + }, + "params": { + "Region": "us-gov-east-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-gov-east-1 with FIPS disabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://ds-data.us-gov-east-1.api.aws" + } + }, + "params": { + "Region": "us-gov-east-1", + "UseFIPS": false, + "UseDualStack": true + } + }, + { + "documentation": "For region us-gov-east-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data.us-gov-east-1.amazonaws.com" + } + }, + "params": { + "Region": "us-gov-east-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-iso-east-1 with FIPS enabled and DualStack enabled", + "expect": { + "error": "FIPS and DualStack are enabled, but this partition does not support one or both" + }, + "params": { + "Region": "us-iso-east-1", + "UseFIPS": true, + "UseDualStack": true + } + }, + { + "documentation": "For region us-iso-east-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.us-iso-east-1.c2s.ic.gov" + } + }, + "params": { + "Region": "us-iso-east-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-iso-east-1 with FIPS disabled and DualStack enabled", + "expect": { + "error": "DualStack is enabled but this partition does not support DualStack" + }, + "params": { + "Region": "us-iso-east-1", + "UseFIPS": false, + "UseDualStack": true + } + }, + { + "documentation": "For region us-iso-east-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data.us-iso-east-1.c2s.ic.gov" + } + }, + "params": { + "Region": "us-iso-east-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-isob-east-1 with FIPS enabled and DualStack enabled", + "expect": { + "error": "FIPS and DualStack are enabled, but this partition does not support one or both" + }, + "params": { + "Region": "us-isob-east-1", + "UseFIPS": true, + "UseDualStack": true + } + }, + { + "documentation": "For region us-isob-east-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data-fips.us-isob-east-1.sc2s.sgov.gov" + } + }, + "params": { + "Region": "us-isob-east-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-isob-east-1 with FIPS disabled and DualStack enabled", + "expect": { + "error": "DualStack is enabled but this partition does not support DualStack" + }, + "params": { + "Region": "us-isob-east-1", + "UseFIPS": false, + "UseDualStack": true + } + }, + { + "documentation": "For region us-isob-east-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://ds-data.us-isob-east-1.sc2s.sgov.gov" + } + }, + "params": { + "Region": "us-isob-east-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For custom endpoint with region set and fips disabled and dualstack disabled", + "expect": { + "endpoint": { + "url": "https://example.com" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": false, + "UseDualStack": false, + "Endpoint": "https://example.com" + } + }, + { + "documentation": "For custom endpoint with region not set and fips disabled and dualstack disabled", + "expect": { + "endpoint": { + "url": "https://example.com" + } + }, + "params": { + "UseFIPS": false, + "UseDualStack": false, + "Endpoint": "https://example.com" + } + }, + { + "documentation": "For custom endpoint with fips enabled and dualstack disabled", + "expect": { + "error": "Invalid Configuration: FIPS and custom endpoint are not supported" + }, + "params": { + "Region": "us-east-1", + "UseFIPS": true, + "UseDualStack": false, + "Endpoint": "https://example.com" + } + }, + { + "documentation": "For custom endpoint with fips disabled and dualstack enabled", + "expect": { + "error": "Invalid Configuration: Dualstack and custom endpoint are not supported" + }, + "params": { + "Region": "us-east-1", + "UseFIPS": false, + "UseDualStack": true, + "Endpoint": "https://example.com" + } + }, + { + "documentation": "Missing region", + "expect": { + "error": "Invalid Configuration: Missing Region" + } + } + ], + "version": "1.0" + } + } + }, + "com.amazonaws.directoryservicedata#DirectoryUnavailableException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.directoryservicedata#ExceptionMessage" + }, + "Reason": { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableReason", + "traits": { + "smithy.api#documentation": "

      Reason the request failed for the specified directory.

      " + } + } + }, + "traits": { + "smithy.api#documentation": "

      The request could not be completed due to a problem in the configuration or current state\n of the specified directory.

      ", + "smithy.api#error": "client", + "smithy.api#httpError": 400, + "smithy.api#retryable": {} + } + }, + "com.amazonaws.directoryservicedata#DirectoryUnavailableReason": { + "type": "enum", + "members": { + "INVALID_DIRECTORY_STATE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_DIRECTORY_STATE" + } + }, + "DIRECTORY_TIMEOUT": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DIRECTORY_TIMEOUT" + } + }, + "DIRECTORY_RESOURCES_EXCEEDED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DIRECTORY_RESOURCES_EXCEEDED" + } + }, + "NO_DISK_SPACE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "NO_DISK_SPACE" + } + }, + "TRUST_AUTH_FAILURE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "TRUST_AUTH_FAILURE" + } + } + } + }, + "com.amazonaws.directoryservicedata#DisableUser": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#DisableUserRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#DisableUserResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Deactivates an active user account. For information about how to enable an inactive user\n account, see ResetUserPassword\n in the Directory Service API Reference.

      ", + "smithy.api#http": { + "uri": "/Users/DisableUser", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#DisableUserRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      ", + "smithy.api#required": {} + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#DisableUserResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#DistinguishedName": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 256 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#EmailAddress": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 256 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#ExceptionMessage": { + "type": "string" + }, + "com.amazonaws.directoryservicedata#GivenName": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 64 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#Group": { + "type": "structure", + "members": { + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the group.

      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "DistinguishedName": { + "target": "com.amazonaws.directoryservicedata#DistinguishedName", + "traits": { + "smithy.api#documentation": "

      The distinguished name of the object.

      " + } + }, + "GroupType": { + "target": "com.amazonaws.directoryservicedata#GroupType", + "traits": { + "smithy.api#documentation": "

      The AD group type. For details, see Active Directory security group type.

      " + } + }, + "GroupScope": { + "target": "com.amazonaws.directoryservicedata#GroupScope", + "traits": { + "smithy.api#documentation": "

      The scope of the AD group. For details, see Active Directory security groups\n

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      An expression of one or more attributes, data types, and the values of a group.

      " + } + } + }, + "traits": { + "smithy.api#documentation": "

      A group object that contains identifying information and attributes for a specified\n group.

      " + } + }, + "com.amazonaws.directoryservicedata#GroupList": { + "type": "list", + "member": { + "target": "com.amazonaws.directoryservicedata#Group" + } + }, + "com.amazonaws.directoryservicedata#GroupName": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 64 + }, + "smithy.api#pattern": "^[^:;|=+\"*?<>/\\\\,\\[\\]@]+$" + } + }, + "com.amazonaws.directoryservicedata#GroupScope": { + "type": "enum", + "members": { + "DOMAIN_LOCAL": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DomainLocal" + } + }, + "GLOBAL": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Global" + } + }, + "UNIVERSAL": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Universal" + } + }, + "BUILTIN_LOCAL": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "BuiltinLocal" + } + } + } + }, + "com.amazonaws.directoryservicedata#GroupSummary": { + "type": "structure", + "members": { + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the group.

      ", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "GroupType": { + "target": "com.amazonaws.directoryservicedata#GroupType", + "traits": { + "smithy.api#documentation": "

      The AD group type. For details, see Active Directory security group type.

      ", + "smithy.api#required": {} + } + }, + "GroupScope": { + "target": "com.amazonaws.directoryservicedata#GroupScope", + "traits": { + "smithy.api#documentation": "

      The scope of the AD group. For details, see Active Directory security groups.

      ", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

      A structure containing a subset of fields of a group object from a directory.

      " + } + }, + "com.amazonaws.directoryservicedata#GroupSummaryList": { + "type": "list", + "member": { + "target": "com.amazonaws.directoryservicedata#GroupSummary" + } + }, + "com.amazonaws.directoryservicedata#GroupType": { + "type": "enum", + "members": { + "DISTRIBUTION": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Distribution" + } + }, + "SECURITY": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Security" + } + } + } + }, + "com.amazonaws.directoryservicedata#InternalServerException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.directoryservicedata#ExceptionMessage" + } + }, + "traits": { + "smithy.api#documentation": "

      The operation didn't succeed because an internal error occurred. Try again later.

      ", + "smithy.api#error": "server", + "smithy.api#httpError": 500, + "smithy.api#retryable": {} + } + }, + "com.amazonaws.directoryservicedata#LdapDisplayName": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 63 + }, + "smithy.api#pattern": "^[A-Za-z*][A-Za-z-*]*$" + } + }, + "com.amazonaws.directoryservicedata#LdapDisplayNameList": { + "type": "list", + "member": { + "target": "com.amazonaws.directoryservicedata#LdapDisplayName" + }, + "traits": { + "smithy.api#length": { + "min": 1, + "max": 25 + } + } + }, + "com.amazonaws.directoryservicedata#ListGroupMembers": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#ListGroupMembersRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#ListGroupMembersResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Returns member information for the specified group.

      \n

      This operation supports pagination with the use of the NextToken request and\n response parameters. If more results are available, the\n ListGroupMembers.NextToken member contains a token that you pass in the next\n call to ListGroupMembers. This retrieves the next set of items.

      \n

      You can also specify a maximum number of return results with the MaxResults\n parameter.

      ", + "smithy.api#http": { + "uri": "/GroupMemberships/ListGroupMembers", + "method": "POST" + }, + "smithy.api#paginated": { + "inputToken": "NextToken", + "outputToken": "NextToken", + "pageSize": "MaxResults", + "items": "Members" + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroupMembersRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group.

      \n \n

      This parameter is optional, so you can return members from a group outside of your\n Managed Microsoft AD domain. When no value is defined, only members of your Managed Microsoft AD groups are\n returned.

      \n

      This value is case insensitive.

      \n
      " + } + }, + "MemberRealm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group member. This parameter defaults to the\n Managed Microsoft AD domain.

      \n \n

      This parameter is optional and case insensitive.

      \n
      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + }, + "MaxResults": { + "target": "com.amazonaws.directoryservicedata#MaxResults", + "traits": { + "smithy.api#documentation": "

      The maximum number of results to be returned per request.

      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroupMembersResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      Identifier (ID) of the directory associated with the group.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group.

      " + } + }, + "MemberRealm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the member.

      " + } + }, + "Members": { + "target": "com.amazonaws.directoryservicedata#MemberList", + "traits": { + "smithy.api#documentation": "

      The member information that the request returns.

      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroups": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#ListGroupsRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#ListGroupsResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Returns group information for the specified directory.

      \n

      This operation supports pagination with the use of the NextToken request and\n response parameters. If more results are available, the ListGroups.NextToken\n member contains a token that you pass in the next call to ListGroups. This\n retrieves the next set of items.

      \n

      You can also specify a maximum number of return results with the MaxResults\n parameter.

      ", + "smithy.api#http": { + "uri": "/Groups/ListGroups", + "method": "POST" + }, + "smithy.api#paginated": { + "inputToken": "NextToken", + "outputToken": "NextToken", + "pageSize": "MaxResults", + "items": "Groups" + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroupsForMember": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#ListGroupsForMemberRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#ListGroupsForMemberResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Returns group information for the specified member.

      \n

      This operation supports pagination with the use of the NextToken request and\n response parameters. If more results are available, the\n ListGroupsForMember.NextToken member contains a token that you pass in the next\n call to ListGroupsForMember. This retrieves the next set of items.

      \n

      You can also specify a maximum number of return results with the MaxResults\n parameter.

      ", + "smithy.api#http": { + "uri": "/GroupMemberships/ListGroupsForMember", + "method": "POST" + }, + "smithy.api#paginated": { + "inputToken": "NextToken", + "outputToken": "NextToken", + "pageSize": "MaxResults", + "items": "Groups" + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroupsForMemberRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the member.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group.

      \n \n

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD\n domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      \n

      This value is case insensitive and defaults to your Managed Microsoft AD domain.

      \n
      " + } + }, + "MemberRealm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group member.

      \n \n

      This parameter is optional, so you can limit your results to the group members in a\n specific domain.

      \n

      This parameter is case insensitive and defaults to Realm\n

      \n
      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#MemberName", + "traits": { + "smithy.api#documentation": "

      The SAMAccountName of the user, group, or computer that's a member of the\n group.

      ", + "smithy.api#required": {} + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + }, + "MaxResults": { + "target": "com.amazonaws.directoryservicedata#MaxResults", + "traits": { + "smithy.api#documentation": "

      The maximum number of results to be returned per request.

      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroupsForMemberResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the member.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain that's associated with the group.

      " + } + }, + "MemberRealm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain that's associated with the member.

      " + } + }, + "Groups": { + "target": "com.amazonaws.directoryservicedata#GroupSummaryList", + "traits": { + "smithy.api#documentation": "

      The group information that the request returns.

      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroupsRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name associated with the directory.

      \n \n

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD\n domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      \n

      This value is case insensitive.

      \n
      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + }, + "MaxResults": { + "target": "com.amazonaws.directoryservicedata#MaxResults", + "traits": { + "smithy.api#documentation": "

      The maximum number of results to be returned per request.

      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#ListGroupsResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name associated with the group.

      " + } + }, + "Groups": { + "target": "com.amazonaws.directoryservicedata#GroupSummaryList", + "traits": { + "smithy.api#documentation": "

      The group information that the request returns.

      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#ListUsers": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#ListUsersRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#ListUsersResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Returns user information for the specified directory.

      \n

      This operation supports pagination with the use of the NextToken request and\n response parameters. If more results are available, the ListUsers.NextToken\n member contains a token that you pass in the next call to ListUsers. This\n retrieves the next set of items.

      \n

      You can also specify a maximum number of return results with the MaxResults\n parameter.

      ", + "smithy.api#http": { + "uri": "/Users/ListUsers", + "method": "POST" + }, + "smithy.api#paginated": { + "inputToken": "NextToken", + "outputToken": "NextToken", + "pageSize": "MaxResults", + "items": "Users" + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.directoryservicedata#ListUsersRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the user.

      \n \n

      This parameter is optional, so you can return users outside of your Managed Microsoft AD\n domain. When no value is defined, only your Managed Microsoft AD users are returned.

      \n

      This value is case insensitive.

      \n
      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + }, + "MaxResults": { + "target": "com.amazonaws.directoryservicedata#MaxResults", + "traits": { + "smithy.api#documentation": "

      The maximum number of results to be returned per request.

      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#ListUsersResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain that's associated with the user.

      " + } + }, + "Users": { + "target": "com.amazonaws.directoryservicedata#UserSummaryList", + "traits": { + "smithy.api#documentation": "

      The user information that the request returns.

      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#MaxResults": { + "type": "integer", + "traits": { + "smithy.api#range": { + "min": 1, + "max": 250 + } + } + }, + "com.amazonaws.directoryservicedata#Member": { + "type": "structure", + "members": { + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the group member.

      ", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#MemberName", + "traits": { + "smithy.api#documentation": "

      The name of the group member.

      ", + "smithy.api#required": {} + } + }, + "MemberType": { + "target": "com.amazonaws.directoryservicedata#MemberType", + "traits": { + "smithy.api#documentation": "

      The AD type of the member object.

      ", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

      A member object that contains identifying information for a specified member.

      " + } + }, + "com.amazonaws.directoryservicedata#MemberList": { + "type": "list", + "member": { + "target": "com.amazonaws.directoryservicedata#Member" + } + }, + "com.amazonaws.directoryservicedata#MemberName": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 63 + }, + "smithy.api#pattern": "^[^:;|=+\"*?<>/\\\\,\\[\\]@]+$" + } + }, + "com.amazonaws.directoryservicedata#MemberType": { + "type": "enum", + "members": { + "USER": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "USER" + } + }, + "GROUP": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "GROUP" + } + }, + "COMPUTER": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "COMPUTER" + } + } + } + }, + "com.amazonaws.directoryservicedata#NextToken": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 6144 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#NumberAttributeValue": { + "type": "long", + "traits": { + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#Realm": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 255 + }, + "smithy.api#pattern": "^([a-zA-Z0-9]+[\\\\.-])+([a-zA-Z0-9])+[.]?$" + } + }, + "com.amazonaws.directoryservicedata#RemoveGroupMember": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#RemoveGroupMemberRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#RemoveGroupMemberResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Removes a member from a group.

      ", + "smithy.api#http": { + "uri": "/GroupMemberships/RemoveGroupMember", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#RemoveGroupMemberRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the member.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "GroupName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "MemberName": { + "target": "com.amazonaws.directoryservicedata#MemberName", + "traits": { + "smithy.api#documentation": "

      The SAMAccountName of the user, group, or computer to remove from the group.\n

      ", + "smithy.api#required": {} + } + }, + "MemberRealm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group member. This parameter defaults to the\n Managed Microsoft AD domain.

      \n \n

      This parameter is optional and case insensitive.

      \n
      " + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#RemoveGroupMemberResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#ResourceNotFoundException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.directoryservicedata#ExceptionMessage" + } + }, + "traits": { + "smithy.api#documentation": "

      The resource couldn't be found.

      ", + "smithy.api#error": "client", + "smithy.api#httpError": 404 + } + }, + "com.amazonaws.directoryservicedata#SID": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 256 + } + } + }, + "com.amazonaws.directoryservicedata#SearchGroups": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#SearchGroupsRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#SearchGroupsResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Searches the specified directory for a group. You can find groups that match the\n SearchString parameter with the value of their attributes included in the\n SearchString parameter.

      \n

      This operation supports pagination with the use of the NextToken request and\n response parameters. If more results are available, the SearchGroups.NextToken\n member contains a token that you pass in the next call to SearchGroups. This\n retrieves the next set of items.

      \n

      You can also specify a maximum number of return results with the MaxResults\n parameter.

      ", + "smithy.api#http": { + "uri": "/Groups/SearchGroups", + "method": "POST" + }, + "smithy.api#paginated": { + "inputToken": "NextToken", + "outputToken": "NextToken", + "pageSize": "MaxResults", + "items": "Groups" + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.directoryservicedata#SearchGroupsRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SearchString": { + "target": "com.amazonaws.directoryservicedata#SearchString", + "traits": { + "smithy.api#documentation": "

      The attribute value that you want to search for.

      \n \n

      Wildcard (*) searches aren't supported. For a list of supported\n attributes, see Directory Service Data\n Attributes.

      \n
      ", + "smithy.api#required": {} + } + }, + "SearchAttributes": { + "target": "com.amazonaws.directoryservicedata#LdapDisplayNameList", + "traits": { + "smithy.api#documentation": "

      One or more data attributes that are used to search for a group. For a list of supported\n attributes, see Directory Service Data Attributes.\n

      ", + "smithy.api#required": {} + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the group.

      \n \n

      This parameter is optional, so you can return groups outside of your Managed Microsoft AD\n domain. When no value is defined, only your Managed Microsoft AD groups are returned.

      \n

      This value is case insensitive.

      \n
      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + }, + "MaxResults": { + "target": "com.amazonaws.directoryservicedata#MaxResults", + "traits": { + "smithy.api#documentation": "

      The maximum number of results to be returned per request.

      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#SearchGroupsResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain that's associated with the group.

      " + } + }, + "Groups": { + "target": "com.amazonaws.directoryservicedata#GroupList", + "traits": { + "smithy.api#documentation": "

      The group information that the request returns.

      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#SearchString": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 64 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#SearchUsers": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#SearchUsersRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#SearchUsersResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Searches the specified directory for a user. You can find users that match the\n SearchString parameter with the value of their attributes included in the\n SearchString parameter.

      \n

      This operation supports pagination with the use of the NextToken request and\n response parameters. If more results are available, the SearchUsers.NextToken\n member contains a token that you pass in the next call to SearchUsers. This\n retrieves the next set of items.

      \n

      You can also specify a maximum number of return results with the MaxResults\n parameter.

      ", + "smithy.api#http": { + "uri": "/Users/SearchUsers", + "method": "POST" + }, + "smithy.api#paginated": { + "inputToken": "NextToken", + "outputToken": "NextToken", + "pageSize": "MaxResults", + "items": "Users" + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.directoryservicedata#SearchUsersRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain name that's associated with the user.

      \n \n

      This parameter is optional, so you can return users outside of your Managed Microsoft AD\n domain. When no value is defined, only your Managed Microsoft AD users are returned.

      \n

      This value is case insensitive.

      \n
      " + } + }, + "SearchString": { + "target": "com.amazonaws.directoryservicedata#SearchString", + "traits": { + "smithy.api#documentation": "

      The attribute value that you want to search for.

      \n \n

      Wildcard (*) searches aren't supported. For a list of supported\n attributes, see Directory Service Data\n Attributes.

      \n
      ", + "smithy.api#required": {} + } + }, + "SearchAttributes": { + "target": "com.amazonaws.directoryservicedata#LdapDisplayNameList", + "traits": { + "smithy.api#documentation": "

      One or more data attributes that are used to search for a user. For a list of supported\n attributes, see Directory Service Data Attributes.\n

      ", + "smithy.api#required": {} + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + }, + "MaxResults": { + "target": "com.amazonaws.directoryservicedata#MaxResults", + "traits": { + "smithy.api#documentation": "

      The maximum number of results to be returned per request.

      " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#SearchUsersResult": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory where the address block is added.

      " + } + }, + "Realm": { + "target": "com.amazonaws.directoryservicedata#Realm", + "traits": { + "smithy.api#documentation": "

      The domain that's associated with the user.

      " + } + }, + "Users": { + "target": "com.amazonaws.directoryservicedata#UserList", + "traits": { + "smithy.api#documentation": "

      The user information that the request returns.

      " + } + }, + "NextToken": { + "target": "com.amazonaws.directoryservicedata#NextToken", + "traits": { + "smithy.api#documentation": "

      An encoded paging token for paginated calls that can be passed back to retrieve the next\n page.

      " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#StringAttributeValue": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 1024 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#StringSetAttributeValue": { + "type": "list", + "member": { + "target": "com.amazonaws.directoryservicedata#StringAttributeValue" + }, + "traits": { + "smithy.api#length": { + "min": 0, + "max": 25 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#Surname": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 64 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#ThrottlingException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.directoryservicedata#ExceptionMessage", + "traits": { + "smithy.api#required": {} + } + }, + "RetryAfterSeconds": { + "target": "smithy.api#Integer", + "traits": { + "smithy.api#documentation": "

      The recommended amount of seconds to retry after a throttling exception.

      ", + "smithy.api#httpHeader": "Retry-After" + } + } + }, + "traits": { + "smithy.api#documentation": "

      The limit on the number of requests per second has been exceeded.

      ", + "smithy.api#error": "client", + "smithy.api#httpError": 429, + "smithy.api#retryable": { + "throttling": true + } + } + }, + "com.amazonaws.directoryservicedata#UpdateGroup": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#UpdateGroupRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#UpdateGroupResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Updates group information.

      ", + "smithy.api#http": { + "uri": "/Groups/UpdateGroup", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#UpdateGroupRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the group.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#GroupName", + "traits": { + "smithy.api#documentation": "

      The name of the group.

      ", + "smithy.api#required": {} + } + }, + "GroupType": { + "target": "com.amazonaws.directoryservicedata#GroupType", + "traits": { + "smithy.api#documentation": "

      The AD group type. For details, see Active Directory security group type.

      " + } + }, + "GroupScope": { + "target": "com.amazonaws.directoryservicedata#GroupScope", + "traits": { + "smithy.api#documentation": "

      The scope of the AD group. For details, see Active Directory security groups.

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      An expression that defines one or more attributes with the data type and the value of\n each attribute.

      " + } + }, + "UpdateType": { + "target": "com.amazonaws.directoryservicedata#UpdateType", + "traits": { + "smithy.api#documentation": "

      The type of update to be performed. If no value exists for the attribute, use\n ADD. Otherwise, use REPLACE to change an attribute value or\n REMOVE to clear the attribute value.

      " + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#UpdateGroupResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#UpdateType": { + "type": "enum", + "members": { + "ADD": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ADD" + } + }, + "REPLACE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "REPLACE" + } + }, + "REMOVE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "REMOVE" + } + } + } + }, + "com.amazonaws.directoryservicedata#UpdateUser": { + "type": "operation", + "input": { + "target": "com.amazonaws.directoryservicedata#UpdateUserRequest" + }, + "output": { + "target": "com.amazonaws.directoryservicedata#UpdateUserResult" + }, + "errors": [ + { + "target": "com.amazonaws.directoryservicedata#AccessDeniedException" + }, + { + "target": "com.amazonaws.directoryservicedata#ConflictException" + }, + { + "target": "com.amazonaws.directoryservicedata#DirectoryUnavailableException" + }, + { + "target": "com.amazonaws.directoryservicedata#InternalServerException" + }, + { + "target": "com.amazonaws.directoryservicedata#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.directoryservicedata#ThrottlingException" + }, + { + "target": "com.amazonaws.directoryservicedata#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

      Updates user information.

      ", + "smithy.api#http": { + "uri": "/Users/UpdateUser", + "method": "POST" + } + } + }, + "com.amazonaws.directoryservicedata#UpdateUserRequest": { + "type": "structure", + "members": { + "DirectoryId": { + "target": "com.amazonaws.directoryservicedata#DirectoryId", + "traits": { + "smithy.api#documentation": "

      The identifier (ID) of the directory that's associated with the user.

      ", + "smithy.api#httpQuery": "DirectoryId", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      ", + "smithy.api#required": {} + } + }, + "EmailAddress": { + "target": "com.amazonaws.directoryservicedata#EmailAddress", + "traits": { + "smithy.api#documentation": "

      The email address of the user.

      " + } + }, + "GivenName": { + "target": "com.amazonaws.directoryservicedata#GivenName", + "traits": { + "smithy.api#documentation": "

      The first name of the user.

      " + } + }, + "Surname": { + "target": "com.amazonaws.directoryservicedata#Surname", + "traits": { + "smithy.api#documentation": "

      The last name of the user.

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      An expression that defines one or more attribute names with the data type and value of\n each attribute. A key is an attribute name, and the value is a list of maps. For a list of\n supported attributes, see Directory Service Data Attributes.

      \n \n

      Attribute names are case insensitive.

      \n
      " + } + }, + "UpdateType": { + "target": "com.amazonaws.directoryservicedata#UpdateType", + "traits": { + "smithy.api#documentation": "

      The type of update to be performed. If no value exists for the attribute, use\n ADD. Otherwise, use REPLACE to change an attribute value or\n REMOVE to clear the attribute value.

      " + } + }, + "ClientToken": { + "target": "com.amazonaws.directoryservicedata#ClientToken", + "traits": { + "smithy.api#documentation": "

      A unique and case-sensitive identifier that you provide to make sure the idempotency of\n the request, so multiple identical calls have the same effect as one single call.

      \n

      A client token is valid for 8 hours after the first request that uses it completes. After\n 8 hours, any request with the same client token is treated as a new request. If the request\n succeeds, any future uses of that token will be idempotent for another 8 hours.

      \n

      If you submit a request with the same client token but change one of the other parameters\n within the 8-hour idempotency window, Directory Service Data returns an ConflictException.

      \n \n

      This parameter is optional when using the CLI or SDK.

      \n
      ", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.directoryservicedata#UpdateUserResult": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.directoryservicedata#User": { + "type": "structure", + "members": { + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the user.

      " + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      ", + "smithy.api#required": {} + } + }, + "DistinguishedName": { + "target": "com.amazonaws.directoryservicedata#DistinguishedName", + "traits": { + "smithy.api#documentation": "

      The distinguished name of the object.

      " + } + }, + "UserPrincipalName": { + "target": "com.amazonaws.directoryservicedata#UserPrincipalName", + "traits": { + "smithy.api#documentation": "

      The UPN that is an internet-style login name for a user and based on the internet\n standard RFC 822. The UPN is shorter\n than the distinguished name and easier to remember.

      " + } + }, + "EmailAddress": { + "target": "com.amazonaws.directoryservicedata#EmailAddress", + "traits": { + "smithy.api#documentation": "

      The email address of the user.

      " + } + }, + "GivenName": { + "target": "com.amazonaws.directoryservicedata#GivenName", + "traits": { + "smithy.api#documentation": "

      The first name of the user.

      " + } + }, + "Surname": { + "target": "com.amazonaws.directoryservicedata#Surname", + "traits": { + "smithy.api#documentation": "

      The last name of the user.

      " + } + }, + "Enabled": { + "target": "smithy.api#Boolean", + "traits": { + "smithy.api#documentation": "

      Indicates whether the user account is active.

      " + } + }, + "OtherAttributes": { + "target": "com.amazonaws.directoryservicedata#Attributes", + "traits": { + "smithy.api#documentation": "

      An expression that includes one or more attributes, data types, and values of a\n user.

      " + } + } + }, + "traits": { + "smithy.api#documentation": "

      A user object that contains identifying information and attributes for a specified user.\n

      " + } + }, + "com.amazonaws.directoryservicedata#UserList": { + "type": "list", + "member": { + "target": "com.amazonaws.directoryservicedata#User" + } + }, + "com.amazonaws.directoryservicedata#UserName": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 20 + }, + "smithy.api#pattern": "^[\\w\\-.]+$" + } + }, + "com.amazonaws.directoryservicedata#UserPrincipalName": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 256 + }, + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.directoryservicedata#UserSummary": { + "type": "structure", + "members": { + "SID": { + "target": "com.amazonaws.directoryservicedata#SID", + "traits": { + "smithy.api#documentation": "

      The unique security identifier (SID) of the user.

      ", + "smithy.api#required": {} + } + }, + "SAMAccountName": { + "target": "com.amazonaws.directoryservicedata#UserName", + "traits": { + "smithy.api#documentation": "

      The name of the user.

      ", + "smithy.api#required": {} + } + }, + "GivenName": { + "target": "com.amazonaws.directoryservicedata#GivenName", + "traits": { + "smithy.api#documentation": "

      The first name of the user.

      " + } + }, + "Surname": { + "target": "com.amazonaws.directoryservicedata#Surname", + "traits": { + "smithy.api#documentation": "

      The last name of the user.

      " + } + }, + "Enabled": { + "target": "smithy.api#Boolean", + "traits": { + "smithy.api#documentation": "

      Indicates whether the user account is active.

      ", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

      A structure containing a subset of the fields of a user object from a directory.

      " + } + }, + "com.amazonaws.directoryservicedata#UserSummaryList": { + "type": "list", + "member": { + "target": "com.amazonaws.directoryservicedata#UserSummary" + } + }, + "com.amazonaws.directoryservicedata#ValidationException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.directoryservicedata#ExceptionMessage" + }, + "Reason": { + "target": "com.amazonaws.directoryservicedata#ValidationExceptionReason", + "traits": { + "smithy.api#documentation": "

      Reason the request failed validation.

      " + } + } + }, + "traits": { + "smithy.api#documentation": "

      The request isn't valid. Review the details in the error message to update the invalid\n parameters or values in your request.

      ", + "smithy.api#error": "client", + "smithy.api#httpError": 400 + } + }, + "com.amazonaws.directoryservicedata#ValidationExceptionReason": { + "type": "enum", + "members": { + "INVALID_REALM": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_REALM" + } + }, + "INVALID_DIRECTORY_TYPE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_DIRECTORY_TYPE" + } + }, + "INVALID_SECONDARY_REGION": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_SECONDARY_REGION" + } + }, + "INVALID_NEXT_TOKEN": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_NEXT_TOKEN" + } + }, + "INVALID_ATTRIBUTE_VALUE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_ATTRIBUTE_VALUE" + } + }, + "INVALID_ATTRIBUTE_NAME": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_ATTRIBUTE_NAME" + } + }, + "INVALID_ATTRIBUTE_FOR_USER": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_ATTRIBUTE_FOR_USER" + } + }, + "INVALID_ATTRIBUTE_FOR_GROUP": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_ATTRIBUTE_FOR_GROUP" + } + }, + "INVALID_ATTRIBUTE_FOR_SEARCH": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_ATTRIBUTE_FOR_SEARCH" + } + }, + "INVALID_ATTRIBUTE_FOR_MODIFY": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "INVALID_ATTRIBUTE_FOR_MODIFY" + } + }, + "DUPLICATE_ATTRIBUTE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DUPLICATE_ATTRIBUTE" + } + }, + "MISSING_ATTRIBUTE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "MISSING_ATTRIBUTE" + } + }, + "ATTRIBUTE_EXISTS": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ATTRIBUTE_EXISTS" + } + }, + "LDAP_SIZE_LIMIT_EXCEEDED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "LDAP_SIZE_LIMIT_EXCEEDED" + } + }, + "LDAP_UNSUPPORTED_OPERATION": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "LDAP_UNSUPPORTED_OPERATION" + } + } + } + } + } +} From 930276ac7f67666e7168303c21c395f67ec6e883 Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:19:00 +0000 Subject: [PATCH 41/53] feat(client-mailmanager): Introduce a new RuleSet condition evaluation, where customers can set up a StringExpression with a MimeHeader condition. This condition will perform the necessary validation based on the X-header provided by customers. --- clients/client-mailmanager/README.md | 11 ++++---- clients/client-mailmanager/src/MailManager.ts | 11 ++++---- .../src/MailManagerClient.ts | 11 ++++---- .../src/commands/CreateRuleSetCommand.ts | 2 ++ .../src/commands/GetRuleSetCommand.ts | 2 ++ .../src/commands/UpdateRuleSetCommand.ts | 4 ++- clients/client-mailmanager/src/index.ts | 11 ++++---- .../client-mailmanager/src/models/models_0.ts | 19 ++++++++++++- .../sdk-codegen/aws-models/mailmanager.json | 27 ++++++++++++++++--- 9 files changed, 69 insertions(+), 29 deletions(-) diff --git a/clients/client-mailmanager/README.md b/clients/client-mailmanager/README.md index a1ec5fae5c87..bdd173401b5d 100644 --- a/clients/client-mailmanager/README.md +++ b/clients/client-mailmanager/README.md @@ -6,15 +6,14 @@ AWS SDK for JavaScript MailManager Client for Node.js, Browser and React Native. -AWS SES Mail Manager API +Amazon SES Mail Manager API -

      -AWS SES Mail Manager API contains operations and data types -that comprise the Mail Manager feature of Amazon Simple Email Service.

      +

      The Amazon SES Mail Manager API contains operations and data types +that comprise the Mail Manager feature of Amazon Simple Email Service (SES).

      Mail Manager is a set of Amazon SES email gateway features designed to help you strengthen your organization's email infrastructure, simplify email workflow management, and -streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer -Guide.

      +streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer +Guide.

      ## Installing diff --git a/clients/client-mailmanager/src/MailManager.ts b/clients/client-mailmanager/src/MailManager.ts index 474a5523ca5e..fcee563f354c 100644 --- a/clients/client-mailmanager/src/MailManager.ts +++ b/clients/client-mailmanager/src/MailManager.ts @@ -961,14 +961,13 @@ export interface MailManager { } /** - * AWS SES Mail Manager API - *

      - * AWS SES Mail Manager API contains operations and data types - * that comprise the Mail Manager feature of Amazon Simple Email Service.

      + * Amazon SES Mail Manager API + *

      The Amazon SES Mail Manager API contains operations and data types + * that comprise the Mail Manager feature of Amazon Simple Email Service (SES).

      *

      Mail Manager is a set of Amazon SES email gateway features designed to help you strengthen * your organization's email infrastructure, simplify email workflow management, and - * streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer - * Guide.

      + * streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer + * Guide.

      * @public */ export class MailManager extends MailManagerClient implements MailManager {} diff --git a/clients/client-mailmanager/src/MailManagerClient.ts b/clients/client-mailmanager/src/MailManagerClient.ts index e183bf0c0322..0e54bc919936 100644 --- a/clients/client-mailmanager/src/MailManagerClient.ts +++ b/clients/client-mailmanager/src/MailManagerClient.ts @@ -429,14 +429,13 @@ export type MailManagerClientResolvedConfigType = __SmithyResolvedConfiguration< export interface MailManagerClientResolvedConfig extends MailManagerClientResolvedConfigType {} /** - * AWS SES Mail Manager API - *

      - * AWS SES Mail Manager API contains operations and data types - * that comprise the Mail Manager feature of Amazon Simple Email Service.

      + * Amazon SES Mail Manager API + *

      The Amazon SES Mail Manager API contains operations and data types + * that comprise the Mail Manager feature of Amazon Simple Email Service (SES).

      *

      Mail Manager is a set of Amazon SES email gateway features designed to help you strengthen * your organization's email infrastructure, simplify email workflow management, and - * streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer - * Guide.

      + * streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer + * Guide.

      * @public */ export class MailManagerClient extends __Client< diff --git a/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts b/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts index 221b7af974a3..d7b058603cbc 100644 --- a/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts +++ b/clients/client-mailmanager/src/commands/CreateRuleSetCommand.ts @@ -56,6 +56,7 @@ export interface CreateRuleSetCommandOutput extends CreateRuleSetResponse, __Met * StringExpression: { // RuleStringExpression * Evaluate: { // RuleStringToEvaluate Union: only one key present * Attribute: "MAIL_FROM" || "HELO" || "RECIPIENT" || "SENDER" || "FROM" || "SUBJECT" || "TO" || "CC", + * MimeHeaderAttribute: "STRING_VALUE", * }, * Operator: "EQUALS" || "NOT_EQUALS" || "STARTS_WITH" || "ENDS_WITH" || "CONTAINS", // required * Values: [ // RuleStringList // required @@ -110,6 +111,7 @@ export interface CreateRuleSetCommandOutput extends CreateRuleSetResponse, __Met * StringExpression: { * Evaluate: {// Union: only one key present * Attribute: "MAIL_FROM" || "HELO" || "RECIPIENT" || "SENDER" || "FROM" || "SUBJECT" || "TO" || "CC", + * MimeHeaderAttribute: "STRING_VALUE", * }, * Operator: "EQUALS" || "NOT_EQUALS" || "STARTS_WITH" || "ENDS_WITH" || "CONTAINS", // required * Values: [ // required diff --git a/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts b/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts index e802d76fd0b7..7ac6773a480b 100644 --- a/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts +++ b/clients/client-mailmanager/src/commands/GetRuleSetCommand.ts @@ -60,6 +60,7 @@ export interface GetRuleSetCommandOutput extends GetRuleSetResponse, __MetadataB * // StringExpression: { // RuleStringExpression * // Evaluate: { // RuleStringToEvaluate Union: only one key present * // Attribute: "MAIL_FROM" || "HELO" || "RECIPIENT" || "SENDER" || "FROM" || "SUBJECT" || "TO" || "CC", + * // MimeHeaderAttribute: "STRING_VALUE", * // }, * // Operator: "EQUALS" || "NOT_EQUALS" || "STARTS_WITH" || "ENDS_WITH" || "CONTAINS", // required * // Values: [ // RuleStringList // required @@ -114,6 +115,7 @@ export interface GetRuleSetCommandOutput extends GetRuleSetResponse, __MetadataB * // StringExpression: { * // Evaluate: {// Union: only one key present * // Attribute: "MAIL_FROM" || "HELO" || "RECIPIENT" || "SENDER" || "FROM" || "SUBJECT" || "TO" || "CC", + * // MimeHeaderAttribute: "STRING_VALUE", * // }, * // Operator: "EQUALS" || "NOT_EQUALS" || "STARTS_WITH" || "ENDS_WITH" || "CONTAINS", // required * // Values: [ // required diff --git a/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts b/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts index 3342656a3233..02dd4b9c4160 100644 --- a/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts +++ b/clients/client-mailmanager/src/commands/UpdateRuleSetCommand.ts @@ -32,7 +32,7 @@ export interface UpdateRuleSetCommandInput extends UpdateRuleSetRequest {} export interface UpdateRuleSetCommandOutput extends UpdateRuleSetResponse, __MetadataBearer {} /** - *

      >Update attributes of an already provisioned rule set.

      + *

      Update attributes of an already provisioned rule set.

      * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -56,6 +56,7 @@ export interface UpdateRuleSetCommandOutput extends UpdateRuleSetResponse, __Met * StringExpression: { // RuleStringExpression * Evaluate: { // RuleStringToEvaluate Union: only one key present * Attribute: "MAIL_FROM" || "HELO" || "RECIPIENT" || "SENDER" || "FROM" || "SUBJECT" || "TO" || "CC", + * MimeHeaderAttribute: "STRING_VALUE", * }, * Operator: "EQUALS" || "NOT_EQUALS" || "STARTS_WITH" || "ENDS_WITH" || "CONTAINS", // required * Values: [ // RuleStringList // required @@ -110,6 +111,7 @@ export interface UpdateRuleSetCommandOutput extends UpdateRuleSetResponse, __Met * StringExpression: { * Evaluate: {// Union: only one key present * Attribute: "MAIL_FROM" || "HELO" || "RECIPIENT" || "SENDER" || "FROM" || "SUBJECT" || "TO" || "CC", + * MimeHeaderAttribute: "STRING_VALUE", * }, * Operator: "EQUALS" || "NOT_EQUALS" || "STARTS_WITH" || "ENDS_WITH" || "CONTAINS", // required * Values: [ // required diff --git a/clients/client-mailmanager/src/index.ts b/clients/client-mailmanager/src/index.ts index 847dad821fd1..bdecf40ceb10 100644 --- a/clients/client-mailmanager/src/index.ts +++ b/clients/client-mailmanager/src/index.ts @@ -1,14 +1,13 @@ // smithy-typescript generated code /* eslint-disable */ /** - * AWS SES Mail Manager API - *

      - * AWS SES Mail Manager API contains operations and data types - * that comprise the Mail Manager feature of Amazon Simple Email Service.

      + * Amazon SES Mail Manager API + *

      The Amazon SES Mail Manager API contains operations and data types + * that comprise the Mail Manager feature of Amazon Simple Email Service (SES).

      *

      Mail Manager is a set of Amazon SES email gateway features designed to help you strengthen * your organization's email infrastructure, simplify email workflow management, and - * streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer - * Guide.

      + * streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer + * Guide.

      * * @packageDocumentation */ diff --git a/clients/client-mailmanager/src/models/models_0.ts b/clients/client-mailmanager/src/models/models_0.ts index 3820e8025c1d..934c0b2b80ca 100644 --- a/clients/client-mailmanager/src/models/models_0.ts +++ b/clients/client-mailmanager/src/models/models_0.ts @@ -2083,7 +2083,10 @@ export type RuleStringEmailAttribute = (typeof RuleStringEmailAttribute)[keyof t *

      The string to evaluate in a string condition expression.

      * @public */ -export type RuleStringToEvaluate = RuleStringToEvaluate.AttributeMember | RuleStringToEvaluate.$UnknownMember; +export type RuleStringToEvaluate = + | RuleStringToEvaluate.AttributeMember + | RuleStringToEvaluate.MimeHeaderAttributeMember + | RuleStringToEvaluate.$UnknownMember; /** * @public @@ -2095,6 +2098,17 @@ export namespace RuleStringToEvaluate { */ export interface AttributeMember { Attribute: RuleStringEmailAttribute; + MimeHeaderAttribute?: never; + $unknown?: never; + } + + /** + *

      The email MIME X-Header attribute to evaluate in a string condition expression.

      + * @public + */ + export interface MimeHeaderAttributeMember { + Attribute?: never; + MimeHeaderAttribute: string; $unknown?: never; } @@ -2103,16 +2117,19 @@ export namespace RuleStringToEvaluate { */ export interface $UnknownMember { Attribute?: never; + MimeHeaderAttribute?: never; $unknown: [string, any]; } export interface Visitor { Attribute: (value: RuleStringEmailAttribute) => T; + MimeHeaderAttribute: (value: string) => T; _: (name: string, value: any) => T; } export const visit = (value: RuleStringToEvaluate, visitor: Visitor): T => { if (value.Attribute !== undefined) return visitor.Attribute(value.Attribute); + if (value.MimeHeaderAttribute !== undefined) return visitor.MimeHeaderAttribute(value.MimeHeaderAttribute); return visitor._(value.$unknown[0], value.$unknown[1]); }; } diff --git a/codegen/sdk-codegen/aws-models/mailmanager.json b/codegen/sdk-codegen/aws-models/mailmanager.json index a0cb42f3d970..2fad64c06ebd 100644 --- a/codegen/sdk-codegen/aws-models/mailmanager.json +++ b/codegen/sdk-codegen/aws-models/mailmanager.json @@ -4410,7 +4410,7 @@ }, "aws.protocols#awsJson1_0": {}, "smithy.api#cors": {}, - "smithy.api#documentation": "AWS SES Mail Manager API\n

      \n AWS SES Mail Manager API contains operations and data types\n that comprise the Mail Manager feature of Amazon Simple Email Service.

      \n

      Mail Manager is a set of Amazon SES email gateway features designed to help you strengthen\n your organization's email infrastructure, simplify email workflow management, and\n streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer\n Guide.

      ", + "smithy.api#documentation": "Amazon SES Mail Manager API\n

      The Amazon SES Mail Manager API contains operations and data types\n that comprise the Mail Manager feature of Amazon Simple Email Service (SES).

      \n

      Mail Manager is a set of Amazon SES email gateway features designed to help you strengthen\n your organization's email infrastructure, simplify email workflow management, and\n streamline email compliance control. To learn more, see the Mail Manager chapter in the Amazon SES Developer\n Guide.

      ", "smithy.api#externalDocumentation": { "API Reference": "https://w.amazon.com/bin/view/AWS/Border" }, @@ -5115,6 +5115,12 @@ "smithy.api#documentation": "

      The textual body content of an email message.

      " } }, + "com.amazonaws.mailmanager#MimeHeaderAttribute": { + "type": "string", + "traits": { + "smithy.api#pattern": "^X-[a-zA-Z0-9-]{1,256}$" + } + }, "com.amazonaws.mailmanager#NameOrArn": { "type": "string", "traits": { @@ -6395,6 +6401,12 @@ "traits": { "smithy.api#documentation": "

      The email attribute to evaluate in a string condition expression.

      " } + }, + "MimeHeaderAttribute": { + "target": "com.amazonaws.mailmanager#MimeHeaderAttribute", + "traits": { + "smithy.api#documentation": "

      The email MIME X-Header attribute to evaluate in a string condition expression.

      " + } } }, "traits": { @@ -7078,10 +7090,19 @@ "target": "smithy.api#String" } }, + "com.amazonaws.mailmanager#StringValue": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 2048 + } + } + }, "com.amazonaws.mailmanager#StringValueList": { "type": "list", "member": { - "target": "smithy.api#String" + "target": "com.amazonaws.mailmanager#StringValue" }, "traits": { "smithy.api#length": { @@ -7653,7 +7674,7 @@ } ], "traits": { - "smithy.api#documentation": "

      >Update attributes of an already provisioned rule set.

      ", + "smithy.api#documentation": "

      Update attributes of an already provisioned rule set.

      ", "smithy.api#idempotent": {} } }, From 5b898385f1cc651c3fe9d2d942ad163e1f39eb9c Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:19:01 +0000 Subject: [PATCH 42/53] feat(client-s3): Added SSE-KMS support for directory buckets. --- .../CompleteMultipartUploadCommand.ts | 15 +- .../src/commands/CopyObjectCommand.ts | 3 + .../commands/CreateMultipartUploadCommand.ts | 22 +- .../src/commands/CreateSessionCommand.ts | 59 ++- .../commands/DeleteBucketEncryptionCommand.ts | 51 +- .../commands/GetBucketEncryptionCommand.ts | 51 +- .../commands/GetObjectAttributesCommand.ts | 10 +- .../src/commands/GetObjectCommand.ts | 6 + .../src/commands/HeadObjectCommand.ts | 6 +- .../commands/PutBucketEncryptionCommand.ts | 103 +++- .../src/commands/PutObjectCommand.ts | 3 + .../src/commands/UploadPartCommand.ts | 11 +- .../src/commands/UploadPartCopyCommand.ts | 12 +- clients/client-s3/src/models/models_0.ts | 490 ++++++++++++------ clients/client-s3/src/models/models_1.ts | 152 +++--- .../client-s3/src/protocols/Aws_restXml.ts | 8 + codegen/sdk-codegen/aws-models/s3.json | 198 ++++--- 17 files changed, 840 insertions(+), 360 deletions(-) diff --git a/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts b/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts index 4e52b16c1754..de03417ea05d 100644 --- a/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts +++ b/clients/client-s3/src/commands/CompleteMultipartUploadCommand.ts @@ -85,6 +85,11 @@ export interface CompleteMultipartUploadCommandOutput extends CompleteMultipartU * information about permissions required to use the multipart upload API, see * Multipart Upload and * Permissions in the Amazon S3 User Guide.

      + *

      If you provide an additional checksum + * value in your MultipartUpload requests and the + * object is encrypted with Key Management Service, you must have permission to use the + * kms:Decrypt action for the + * CompleteMultipartUpload request to succeed.

      * *
    • *

      @@ -94,13 +99,9 @@ export interface CompleteMultipartUploadCommandOutput extends CompleteMultipartU * Amazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see * CreateSession * .

      - *
    • - *
    • - *

      If you provide an additional checksum - * value in your MultipartUpload requests and the - * object is encrypted with Key Management Service, you must have permission to use the - * kms:Decrypt action for the - * CompleteMultipartUpload request to succeed.

      + *

      If the object is encrypted with + * SSE-KMS, you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      *
    • *
    * diff --git a/clients/client-s3/src/commands/CopyObjectCommand.ts b/clients/client-s3/src/commands/CopyObjectCommand.ts index 3580b25b1844..6bb02ca9bfa2 100644 --- a/clients/client-s3/src/commands/CopyObjectCommand.ts +++ b/clients/client-s3/src/commands/CopyObjectCommand.ts @@ -132,6 +132,9 @@ export interface CopyObjectCommandOutput extends CopyObjectOutput, __MetadataBea * key can't be set to ReadOnly on the copy destination bucket.

    * * + *

    If the object is encrypted with + * SSE-KMS, you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

    *

    For example policies, see Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the * Amazon S3 User Guide.

    * diff --git a/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts b/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts index cda4d6566107..532740654d77 100644 --- a/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts +++ b/clients/client-s3/src/commands/CreateMultipartUploadCommand.ts @@ -216,7 +216,27 @@ export interface CreateMultipartUploadCommandOutput extends CreateMultipartUploa * *
  • *

    - * Directory buckets -For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    + * Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your + * CreateSession requests or PUT object requests. Then, new objects + * are automatically encrypted with the desired encryption settings. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

    + *

    In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, the encryption request headers must match the encryption settings that are specified in the CreateSession request. + * You can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) that are specified in the CreateSession request. + * You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and + * Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. + *

    + * + *

    When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the + * CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. + * So in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), + * the encryption request headers must match the default encryption configuration of the directory bucket. + * + *

    + *
    + * + *

    For directory buckets, when you perform a CreateMultipartUpload operation and an UploadPartCopy operation, + * the request headers you provide in the CreateMultipartUpload request must match the default encryption configuration of the destination bucket.

    + *
    *
  • * * diff --git a/clients/client-s3/src/commands/CreateSessionCommand.ts b/clients/client-s3/src/commands/CreateSessionCommand.ts index b0d03c545f22..aa2c607ce768 100644 --- a/clients/client-s3/src/commands/CreateSessionCommand.ts +++ b/clients/client-s3/src/commands/CreateSessionCommand.ts @@ -6,7 +6,12 @@ import { Command as $Command } from "@smithy/smithy-client"; import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; -import { CreateSessionOutput, CreateSessionOutputFilterSensitiveLog, CreateSessionRequest } from "../models/models_0"; +import { + CreateSessionOutput, + CreateSessionOutputFilterSensitiveLog, + CreateSessionRequest, + CreateSessionRequestFilterSensitiveLog, +} from "../models/models_0"; import { de_CreateSessionCommand, se_CreateSessionCommand } from "../protocols/Aws_restXml"; import { S3ClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../S3Client"; @@ -29,8 +34,8 @@ export interface CreateSessionCommandInput extends CreateSessionRequest {} export interface CreateSessionCommandOutput extends CreateSessionOutput, __MetadataBearer {} /** - *

    Creates a session that establishes temporary security credentials to support fast authentication and authorization for the Zonal endpoint APIs on directory buckets. - * For more information about Zonal endpoint APIs that include the Availability Zone in the request endpoint, see + *

    Creates a session that establishes temporary security credentials to support fast authentication and authorization for the Zonal endpoint API operations on directory buckets. + * For more information about Zonal endpoint API operations that include the Availability Zone in the request endpoint, see * S3 Express One Zone APIs in the Amazon S3 User Guide. *

    *

    To make Zonal endpoint API requests on a directory bucket, use the CreateSession @@ -38,7 +43,7 @@ export interface CreateSessionCommandOutput extends CreateSessionOutput, __Metad * bucket in a bucket policy or an IAM identity-based policy. Then, you use IAM credentials to make the * CreateSession API request on the bucket, which returns temporary security * credentials that include the access key ID, secret access key, session token, and - * expiration. These credentials have associated permissions to access the Zonal endpoint APIs. After + * expiration. These credentials have associated permissions to access the Zonal endpoint API operations. After * the session is created, you don’t need to use other policies to grant permissions to each * Zonal endpoint API individually. Instead, in your Zonal endpoint API requests, you sign your requests by * applying the temporary security credentials of the session to the request headers and @@ -62,12 +67,12 @@ export interface CreateSessionCommandOutput extends CreateSessionOutput, __Metad *

  • *

    * - * CopyObject API operation - Unlike other Zonal endpoint APIs, the CopyObject API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the CopyObject API operation on directory buckets, see CopyObject.

    + * CopyObject API operation - Unlike other Zonal endpoint API operations, the CopyObject API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the CopyObject API operation on directory buckets, see CopyObject.

    *
  • *
  • *

    * - * HeadBucket API operation - Unlike other Zonal endpoint APIs, the HeadBucket API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the HeadBucket API operation on directory buckets, see HeadBucket.

    + * HeadBucket API operation - Unlike other Zonal endpoint API operations, the HeadBucket API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the HeadBucket API operation on directory buckets, see HeadBucket.

    *
  • * * @@ -84,7 +89,37 @@ export interface CreateSessionCommandOutput extends CreateSessionOutput, __Metad * . For example policies, see * Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the * Amazon S3 User Guide.

    - *

    To grant cross-account access to Zonal endpoint APIs, the bucket policy should also grant both accounts the s3express:CreateSession permission.

    + *

    To grant cross-account access to Zonal endpoint API operations, the bucket policy should also grant both accounts the s3express:CreateSession permission.

    + *

    If you want to encrypt objects with SSE-KMS, you must also have the kms:GenerateDataKey and the kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the target KMS key.

    + * + *
    Encryption
    + *
    + *

    For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your + * CreateSession requests or PUT object requests. Then, new objects + * are automatically encrypted with the desired encryption settings. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

    + *

    For Zonal endpoint (object-level) API operations except CopyObject and UploadPartCopy, + * you authenticate and authorize requests through CreateSession for low latency. + * To encrypt new objects in a directory bucket with SSE-KMS, you must specify SSE-KMS as the directory bucket's default encryption configuration with a KMS key (specifically, a customer managed key). Then, when a session is created for Zonal endpoint API operations, new objects are automatically encrypted and decrypted with SSE-KMS and S3 Bucket Keys during the session.

    + * + *

    + * Only 1 customer managed key is supported per directory bucket for the lifetime of the bucket. Amazon Web Services managed key (aws/s3) isn't supported. + * After you specify SSE-KMS as your bucket's default encryption configuration with a customer managed key, you can't change the customer managed key for the bucket's SSE-KMS configuration. + *

    + *
    + *

    In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, + * you can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) from the CreateSession request. + * You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and + * Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. + *

    + * + *

    When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the + * CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. + * Also, in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), + * it's not supported to override the values of the encryption settings from the CreateSession request. + * + *

    + *
    *
    *
    HTTP Host header syntax
    *
    @@ -102,10 +137,18 @@ export interface CreateSessionCommandOutput extends CreateSessionOutput, __Metad * const input = { // CreateSessionRequest * SessionMode: "ReadOnly" || "ReadWrite", * Bucket: "STRING_VALUE", // required + * ServerSideEncryption: "AES256" || "aws:kms" || "aws:kms:dsse", + * SSEKMSKeyId: "STRING_VALUE", + * SSEKMSEncryptionContext: "STRING_VALUE", + * BucketKeyEnabled: true || false, * }; * const command = new CreateSessionCommand(input); * const response = await client.send(command); * // { // CreateSessionOutput + * // ServerSideEncryption: "AES256" || "aws:kms" || "aws:kms:dsse", + * // SSEKMSKeyId: "STRING_VALUE", + * // SSEKMSEncryptionContext: "STRING_VALUE", + * // BucketKeyEnabled: true || false, * // Credentials: { // SessionCredentials * // AccessKeyId: "STRING_VALUE", // required * // SecretAccessKey: "STRING_VALUE", // required @@ -152,7 +195,7 @@ export class CreateSessionCommand extends $Command }) .s("AmazonS3", "CreateSession", {}) .n("S3Client", "CreateSessionCommand") - .f(void 0, CreateSessionOutputFilterSensitiveLog) + .f(CreateSessionRequestFilterSensitiveLog, CreateSessionOutputFilterSensitiveLog) .ser(se_CreateSessionCommand) .de(de_CreateSessionCommand) .build() { diff --git a/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts b/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts index afcb2622e787..e18a4fb3379f 100644 --- a/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts +++ b/clients/client-s3/src/commands/DeleteBucketEncryptionCommand.ts @@ -28,19 +28,46 @@ export interface DeleteBucketEncryptionCommandInput extends DeleteBucketEncrypti export interface DeleteBucketEncryptionCommandOutput extends __MetadataBearer {} /** - * - *

    This operation is not supported by directory buckets.

    + *

    This implementation of the DELETE action resets the default encryption for the bucket as + * server-side encryption with Amazon S3 managed keys (SSE-S3).

    + * + * * - *

    This implementation of the DELETE action resets the default encryption for the bucket as - * server-side encryption with Amazon S3 managed keys (SSE-S3). For information about the bucket - * default encryption feature, see Amazon S3 Bucket Default Encryption - * in the Amazon S3 User Guide.

    - *

    To use this operation, you must have permissions to perform the - * s3:PutEncryptionConfiguration action. The bucket owner has this permission - * by default. The bucket owner can grant this permission to others. For more information - * about permissions, see Permissions Related to Bucket Subresource Operations and Managing - * Access Permissions to your Amazon S3 Resources in the - * Amazon S3 User Guide.

    + *
    + *
    Permissions
    + *
    + *
      + *
    • + *

      + * General purpose bucket permissions - The s3:PutEncryptionConfiguration permission is required in a policy. + * The bucket owner has this permission + * by default. The bucket owner can grant this permission to others. For more information + * about permissions, see Permissions Related to Bucket Operations and Managing + * Access Permissions to Your Amazon S3 Resources.

      + *
    • + *
    • + *

      + * Directory bucket permissions - To grant access to this API operation, you must have the s3express:PutEncryptionConfiguration permission in an IAM identity-based policy instead of a bucket policy. Cross-account access to this API operation isn't supported. This operation can only be performed by the Amazon Web Services account that owns the resource. For more information about directory bucket policies and permissions, see Amazon Web Services Identity and Access Management (IAM) for S3 Express One Zone in the Amazon S3 User Guide.

      + *
    • + *
    + *
    + *
    HTTP Host header syntax
    + *
    + *

    + * Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com.

    + *
    + *
    *

    The following operations are related to DeleteBucketEncryption:

    *
      *
    • diff --git a/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts b/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts index ee3fd6b5f9fa..50390c28f41d 100644 --- a/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts +++ b/clients/client-s3/src/commands/GetBucketEncryptionCommand.ts @@ -33,18 +33,47 @@ export interface GetBucketEncryptionCommandInput extends GetBucketEncryptionRequ export interface GetBucketEncryptionCommandOutput extends GetBucketEncryptionOutput, __MetadataBearer {} /** - * - *

      This operation is not supported by directory buckets.

      - *
      - *

      Returns the default encryption configuration for an Amazon S3 bucket. By default, all buckets + *

      Returns the default encryption configuration for an Amazon S3 bucket. By default, all buckets * have a default encryption configuration that uses server-side encryption with Amazon S3 managed - * keys (SSE-S3). For information about the bucket default encryption feature, see Amazon S3 Bucket - * Default Encryption in the Amazon S3 User Guide.

      - *

      To use this operation, you must have permission to perform the - * s3:GetEncryptionConfiguration action. The bucket owner has this permission - * by default. The bucket owner can grant this permission to others. For more information - * about permissions, see Permissions Related to Bucket Subresource Operations and Managing - * Access Permissions to Your Amazon S3 Resources.

      + * keys (SSE-S3).

      + * + * + * + *
      + *
      Permissions
      + *
      + *
        + *
      • + *

        + * General purpose bucket permissions - The s3:GetEncryptionConfiguration permission is required in a policy. + * The bucket owner has this permission + * by default. The bucket owner can grant this permission to others. For more information + * about permissions, see Permissions Related to Bucket Operations and Managing + * Access Permissions to Your Amazon S3 Resources.

        + *
      • + *
      • + *

        + * Directory bucket permissions - To grant access to this API operation, you must have the s3express:GetEncryptionConfiguration permission in an IAM identity-based policy instead of a bucket policy. Cross-account access to this API operation isn't supported. This operation can only be performed by the Amazon Web Services account that owns the resource. For more information about directory bucket policies and permissions, see Amazon Web Services Identity and Access Management (IAM) for S3 Express One Zone in the Amazon S3 User Guide.

        + *
      • + *
      + *
      + *
      HTTP Host header syntax
      + *
      + *

      + * Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com.

      + *
      + *
      *

      The following operations are related to GetBucketEncryption:

      *
        *
      • diff --git a/clients/client-s3/src/commands/GetObjectAttributesCommand.ts b/clients/client-s3/src/commands/GetObjectAttributesCommand.ts index f7283e248a34..57c3a89a449f 100644 --- a/clients/client-s3/src/commands/GetObjectAttributesCommand.ts +++ b/clients/client-s3/src/commands/GetObjectAttributesCommand.ts @@ -53,7 +53,7 @@ export interface GetObjectAttributesCommandOutput extends GetObjectAttributesOut *
      • *

        * General purpose bucket permissions - To use - * GetObjectAttributes, you must have READ access to the object. The permissions that you need to use this operation with depend on whether the + * GetObjectAttributes, you must have READ access to the object. The permissions that you need to use this operation depend on whether the * bucket is versioned. If the bucket is versioned, you need both the * s3:GetObjectVersion and s3:GetObjectVersionAttributes * permissions for this operation. If the bucket is not versioned, you need the @@ -83,6 +83,9 @@ export interface GetObjectAttributesCommandOutput extends GetObjectAttributesOut * Amazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see * CreateSession * .

        + *

        If the object is encrypted with + * SSE-KMS, you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

        *
      • *
      *
    @@ -122,7 +125,10 @@ export interface GetObjectAttributesCommandOutput extends GetObjectAttributesOut * User Guide.

    * *

    - * Directory bucket permissions - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    + * Directory bucket permissions - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your + * CreateSession requests or PUT object requests. Then, new objects + * are automatically encrypted with the desired encryption settings. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

    *
    * *
    Versioning
    diff --git a/clients/client-s3/src/commands/GetObjectCommand.ts b/clients/client-s3/src/commands/GetObjectCommand.ts index 1c397d8a75c0..e7b067246d85 100644 --- a/clients/client-s3/src/commands/GetObjectCommand.ts +++ b/clients/client-s3/src/commands/GetObjectCommand.ts @@ -92,6 +92,9 @@ export interface GetObjectCommandOutput extends Omit, _ * Amazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see * CreateSession * .

    + *

    If the object is encrypted using + * SSE-KMS, you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

    * * * @@ -114,6 +117,9 @@ export interface GetObjectCommandOutput extends Omit, _ * be sent for the GetObject requests, if your object uses server-side encryption with Amazon S3 managed encryption keys (SSE-S3), server-side encryption with Key Management Service (KMS) * keys (SSE-KMS), or dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). If you include the header in your GetObject requests for the object that uses * these types of keys, you’ll get an HTTP 400 Bad Request error.

    + *

    + * Directory buckets - For directory buckets, there are only two supported options for server-side encryption: SSE-S3 and SSE-KMS. SSE-C isn't supported. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

    * *
    Overriding response header values through the request
    *
    diff --git a/clients/client-s3/src/commands/HeadObjectCommand.ts b/clients/client-s3/src/commands/HeadObjectCommand.ts index 22228f4662c3..7a220dba58db 100644 --- a/clients/client-s3/src/commands/HeadObjectCommand.ts +++ b/clients/client-s3/src/commands/HeadObjectCommand.ts @@ -80,6 +80,9 @@ export interface HeadObjectCommandOutput extends HeadObjectOutput, __MetadataBea * Amazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see * CreateSession * .

    + *

    If you enable x-amz-checksum-mode in the request and the object is encrypted with + * Amazon Web Services Key Management Service (Amazon Web Services KMS), you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key to retrieve the checksum of the object.

    * * *
    @@ -119,7 +122,8 @@ export interface HeadObjectCommandOutput extends HeadObjectOutput, __MetadataBea * User Guide.

    * *

    - * Directory bucket permissions - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    + * Directory bucket - For directory buckets, there are only two supported options for server-side encryption: SSE-S3 and SSE-KMS. SSE-C isn't supported. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

    *
    * *
    Versioning
    diff --git a/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts b/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts index 1b692bd4a8a4..7734b5e15f91 100644 --- a/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts +++ b/clients/client-s3/src/commands/PutBucketEncryptionCommand.ts @@ -29,17 +29,70 @@ export interface PutBucketEncryptionCommandInput extends PutBucketEncryptionRequ export interface PutBucketEncryptionCommandOutput extends __MetadataBearer {} /** - * - *

    This operation is not supported by directory buckets.

    - *
    - *

    This action uses the encryption subresource to configure default encryption + *

    This operation configures default encryption * and Amazon S3 Bucket Keys for an existing bucket.

    + * + *

    + * Directory buckets - For directory buckets, you must make requests for this API operation to the Regional endpoint. These endpoints support path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name + * . Virtual-hosted-style requests aren't supported. + * For more information, see Regional and Zonal endpoints in the + * Amazon S3 User Guide.

    + *
    *

    By default, all buckets have a default encryption configuration that uses server-side - * encryption with Amazon S3 managed keys (SSE-S3). You can optionally configure default encryption - * for a bucket by using server-side encryption with Key Management Service (KMS) keys (SSE-KMS) or - * dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). If you specify default encryption by using - * SSE-KMS, you can also configure Amazon S3 Bucket - * Keys. If you use PutBucketEncryption to set your default bucket encryption to SSE-KMS, you should verify that your KMS key ID is correct. Amazon S3 does not validate the KMS key ID provided in PutBucketEncryption requests.

    + * encryption with Amazon S3 managed keys (SSE-S3).

    + * + *
      + *
    • + *

      + * General purpose buckets + *

      + *
        + *
      • + *

        You can optionally configure default encryption + * for a bucket by using server-side encryption with Key Management Service (KMS) keys (SSE-KMS) or + * dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). + * If you specify default encryption by using + * SSE-KMS, you can also configure Amazon S3 Bucket + * Keys. For information about the bucket default + * encryption feature, see Amazon S3 Bucket Default Encryption + * in the Amazon S3 User Guide. + *

        + *
      • + *
      • + *

        If you use PutBucketEncryption to set your default bucket encryption to SSE-KMS, you should verify that your KMS key ID is correct. Amazon S3 doesn't validate the KMS key ID provided in PutBucketEncryption requests.

        + *
      • + *
      + *
    • + *
    • + *

      + * Directory buckets - You can optionally configure default encryption + * for a bucket by using server-side encryption with Key Management Service (KMS) keys (SSE-KMS).

      + *
        + *
      • + *

        We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your + * CreateSession requests or PUT object requests. Then, new objects + * are automatically encrypted with the desired encryption settings. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

        + *
      • + *
      • + *

        Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. + * Amazon Web Services managed key (aws/s3) isn't supported. + *

        + *
      • + *
      • + *

        S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets + * to directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or + * the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

        + *
      • + *
      • + *

        When you specify an KMS customer managed key for encryption in your directory bucket, only use the key ID or key ARN. The key alias format of the KMS key isn't supported.

        + *
      • + *
      • + *

        For directory buckets, if you use PutBucketEncryption to set your default bucket encryption to SSE-KMS, Amazon S3 validates the KMS key ID provided in PutBucketEncryption requests.

        + *
      • + *
      + *
    • + *
    + *
    * *

    If you're specifying a customer managed KMS key, we recommend using a fully qualified * KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the @@ -48,12 +101,32 @@ export interface PutBucketEncryptionCommandOutput extends __MetadataBearer {} *

    Also, this action requires Amazon Web Services Signature Version 4. For more information, see * Authenticating Requests (Amazon Web Services Signature Version 4).

    *
    - *

    To use this operation, you must have permission to perform the - * s3:PutEncryptionConfiguration action. The bucket owner has this permission - * by default. The bucket owner can grant this permission to others. For more information - * about permissions, see Permissions Related to Bucket Subresource Operations and Managing - * Access Permissions to Your Amazon S3 Resources in the - * Amazon S3 User Guide.

    + *
    + *
    Permissions
    + *
    + *
      + *
    • + *

      + * General purpose bucket permissions - The s3:PutEncryptionConfiguration permission is required in a policy. + * The bucket owner has this permission + * by default. The bucket owner can grant this permission to others. For more information + * about permissions, see Permissions Related to Bucket Operations and Managing + * Access Permissions to Your Amazon S3 Resources in the + * Amazon S3 User Guide.

      + *
    • + *
    • + *

      + * Directory bucket permissions - To grant access to this API operation, you must have the s3express:PutEncryptionConfiguration permission in an IAM identity-based policy instead of a bucket policy. Cross-account access to this API operation isn't supported. This operation can only be performed by the Amazon Web Services account that owns the resource. For more information about directory bucket policies and permissions, see Amazon Web Services Identity and Access Management (IAM) for S3 Express One Zone in the Amazon S3 User Guide.

      + *

      To set a directory bucket default encryption with SSE-KMS, you must also have the kms:GenerateDataKey and the kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the target KMS key.

      + *
    • + *
    + *
    + *
    HTTP Host header syntax
    + *
    + *

    + * Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com.

    + *
    + *
    *

    The following operations are related to PutBucketEncryption:

    *
      *
    • diff --git a/clients/client-s3/src/commands/PutObjectCommand.ts b/clients/client-s3/src/commands/PutObjectCommand.ts index 817d675ef0b3..458c0bda99f0 100644 --- a/clients/client-s3/src/commands/PutObjectCommand.ts +++ b/clients/client-s3/src/commands/PutObjectCommand.ts @@ -127,6 +127,9 @@ export interface PutObjectCommandOutput extends PutObjectOutput, __MetadataBeare * Amazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see * CreateSession * .

      + *

      If the object is encrypted with + * SSE-KMS, you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      *
    • *
    * diff --git a/clients/client-s3/src/commands/UploadPartCommand.ts b/clients/client-s3/src/commands/UploadPartCommand.ts index 82321abb7af9..3e029af75c2a 100644 --- a/clients/client-s3/src/commands/UploadPartCommand.ts +++ b/clients/client-s3/src/commands/UploadPartCommand.ts @@ -100,6 +100,9 @@ export interface UploadPartCommandOutput extends UploadPartOutput, __MetadataBea * Amazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see * CreateSession * .

    + *

    If the object is encrypted with + * SSE-KMS, you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

    * * * @@ -149,15 +152,15 @@ export interface UploadPartCommandOutput extends UploadPartOutput, __MetadataBea *

    x-amz-server-side-encryption-customer-key-MD5

    * * + *

    + * For more information, see Using Server-Side + * Encryption in the Amazon S3 User Guide.

    * *
  • *

    - * Directory bucket - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    + * Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms).

    *
  • * - *

    - * For more information, see Using Server-Side - * Encryption in the Amazon S3 User Guide.

    * *
    Special errors
    *
    diff --git a/clients/client-s3/src/commands/UploadPartCopyCommand.ts b/clients/client-s3/src/commands/UploadPartCopyCommand.ts index 0722794c57f1..a330ba4d28b9 100644 --- a/clients/client-s3/src/commands/UploadPartCopyCommand.ts +++ b/clients/client-s3/src/commands/UploadPartCopyCommand.ts @@ -142,6 +142,9 @@ export interface UploadPartCopyCommandOutput extends UploadPartCopyOutput, __Met * key cannot be set to ReadOnly on the copy destination.

    * * + *

    If the object is encrypted with + * SSE-KMS, you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

    *

    For example policies, see Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the * Amazon S3 User Guide.

    * @@ -160,7 +163,14 @@ export interface UploadPartCopyCommandOutput extends UploadPartCopyOutput, __Met * *
  • *

    - * Directory buckets - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    + * Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

    + * + *

    For directory buckets, when you perform a CreateMultipartUpload operation and an UploadPartCopy operation, + * the request headers you provide in the CreateMultipartUpload request must match the default encryption configuration of the destination bucket.

    + *
    + *

    S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets + * to directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through UploadPartCopy. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    *
  • * *
    diff --git a/clients/client-s3/src/models/models_0.ts b/clients/client-s3/src/models/models_0.ts index a62fb4947cf0..f9cb955fa14d 100644 --- a/clients/client-s3/src/models/models_0.ts +++ b/clients/client-s3/src/models/models_0.ts @@ -481,9 +481,6 @@ export interface CompleteMultipartUploadOutput { /** *

    The server-side encryption algorithm used when storing this object in Amazon S3 (for example, * AES256, aws:kms).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -499,11 +496,7 @@ export interface CompleteMultipartUploadOutput { VersionId?: string; /** - *

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key - * that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; @@ -511,9 +504,6 @@ export interface CompleteMultipartUploadOutput { /** *

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; @@ -851,9 +841,6 @@ export interface CopyObjectOutput { /** *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, * AES256, aws:kms, aws:kms:dsse).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -880,11 +867,7 @@ export interface CopyObjectOutput { SSECustomerKeyMD5?: string; /** - *

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key - * that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; @@ -893,9 +876,6 @@ export interface CopyObjectOutput { *

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The * value of this header is a base64-encoded UTF-8 string holding JSON with the encryption * context key-value pairs.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ SSEKMSEncryptionContext?: string; @@ -903,9 +883,6 @@ export interface CopyObjectOutput { /** *

    Indicates whether the copied object uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; @@ -1431,33 +1408,58 @@ export interface CopyObjectRequest { TaggingDirective?: TaggingDirective; /** - *

    The server-side encryption algorithm used when storing this object in Amazon S3 (for example, - * AES256, aws:kms, aws:kms:dsse). Unrecognized or unsupported values won’t write a destination object and will receive a 400 Bad Request response.

    + *

    The server-side encryption algorithm used when storing this object in Amazon S3. Unrecognized or unsupported values won’t write a destination object and will receive a 400 Bad Request response.

    *

    Amazon S3 automatically encrypts all new objects that are copied to an S3 bucket. * When copying an object, if you don't specify encryption information in your copy * request, the encryption setting of the target object is set to the default * encryption configuration of the destination bucket. By default, all buckets have a * base level of encryption configuration that uses server-side encryption with Amazon S3 - * managed keys (SSE-S3). If the destination bucket has a default encryption - * configuration that uses server-side encryption with Key Management Service (KMS) keys - * (SSE-KMS), dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS), or - * server-side encryption with customer-provided encryption keys (SSE-C), Amazon S3 uses - * the corresponding KMS key, or a customer-provided key to encrypt the target + * managed keys (SSE-S3). If the destination bucket has a different default encryption + * configuration, Amazon S3 uses + * the corresponding encryption key to encrypt the target * object copy.

    - *

    When you perform a CopyObject operation, if you want to use a - * different type of encryption setting for the target object, you can specify - * appropriate encryption-related headers to encrypt the target object with an Amazon S3 managed key, a - * KMS key, or a customer-provided key. If the encryption setting in - * your request is different from the default encryption configuration of the - * destination bucket, the encryption setting in your request takes precedence.

    *

    With server-side * encryption, Amazon S3 encrypts your data as it writes your data to disks in its data * centers and decrypts the data when you access it. For more information about server-side encryption, see Using * Server-Side Encryption in the * Amazon S3 User Guide.

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    + *

    + * General purpose buckets + *

    + *
      + *
    • + *

      For general purpose buckets, there are the following supported options for server-side encryption: server-side encryption with Key Management Service (KMS) keys + * (SSE-KMS), dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS), and + * server-side encryption with customer-provided encryption keys (SSE-C). Amazon S3 uses + * the corresponding KMS key, or a customer-provided key to encrypt the target + * object copy.

      + *
    • + *
    • + *

      When you perform a CopyObject operation, if you want to use a + * different type of encryption setting for the target object, you can specify + * appropriate encryption-related headers to encrypt the target object with an Amazon S3 managed key, a + * KMS key, or a customer-provided key. If the encryption setting in + * your request is different from the default encryption configuration of the + * destination bucket, the encryption setting in your request takes precedence.

      + *
    • + *
    + *

    + * Directory buckets + *

    + *
      + *
    • + *

      For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your + * CreateSession requests or PUT object requests. Then, new objects + * are automatically encrypted with the desired encryption settings. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

      + *
    • + *
    • + *

      To encrypt new object copies to a directory bucket with SSE-KMS, we recommend you specify SSE-KMS as the directory bucket's default encryption configuration with a KMS key (specifically, a customer managed key). + * Amazon Web Services managed key (aws/s3) isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. After you specify a customer managed key for SSE-KMS, you can't override the customer managed key for the bucket's SSE-KMS configuration. + * Then, when you perform a CopyObject operation and want to specify server-side encryption settings for new object copies with SSE-KMS in the encryption-related request headers, you must ensure the encryption key is the same customer managed key that you specified for the directory bucket's default encryption configuration. + *

      + *
    • + *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -1558,27 +1560,31 @@ export interface CopyObjectRequest { SSECustomerKeyMD5?: string; /** - *

    Specifies the KMS ID (Key ID, Key ARN, or Key Alias) to use for object encryption. All GET and PUT requests for an + *

    Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to use for object encryption. All GET and PUT requests for an * object protected by KMS will fail if they're not made via SSL or using SigV4. For * information about configuring any of the officially supported Amazon Web Services SDKs and Amazon Web Services CLI, see * Specifying the * Signature Version in Request Authentication in the * Amazon S3 User Guide.

    - * - *

    This functionality is not supported when the destination bucket is a directory bucket.

    - *
    + *

    + * Directory buckets - If you specify x-amz-server-side-encryption with aws:kms, you must specify the + * x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS + * symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. + * Amazon Web Services managed key (aws/s3) isn't supported. + *

    * @public */ SSEKMSKeyId?: string; /** - *

    Specifies the Amazon Web Services KMS Encryption Context to use for object encryption. The value of + *

    Specifies the Amazon Web Services KMS Encryption Context as an additional encryption context to use for the destination object encryption. The value of * this header is a base64-encoded UTF-8 string holding JSON with the encryption context - * key-value pairs. This value must be explicitly added to specify encryption context for - * CopyObject requests.

    - * - *

    This functionality is not supported when the destination bucket is a directory bucket.

    - *
    + * key-value pairs.

    + *

    + * General purpose buckets - This value must be explicitly added to specify encryption context for + * CopyObject requests if you want an additional encryption context for your destination object. The additional encryption context of the source object won't be copied to the destination object. For more information, see Encryption context in the Amazon S3 User Guide.

    + *

    + * Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    * @public */ SSEKMSEncryptionContext?: string; @@ -1594,7 +1600,9 @@ export interface CopyObjectRequest { *

    For more information, see Amazon S3 Bucket Keys in the * Amazon S3 User Guide.

    * - *

    This functionality is not supported when the destination bucket is a directory bucket.

    + *

    + * Directory buckets - S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets + * to directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    *
    * @public */ @@ -2186,9 +2194,6 @@ export interface CreateMultipartUploadOutput { /** *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, * AES256, aws:kms).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -2215,22 +2220,14 @@ export interface CreateMultipartUploadOutput { SSECustomerKeyMD5?: string; /** - *

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key - * that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; /** - *

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The - * value of this header is a base64-encoded UTF-8 string holding JSON with the encryption - * context key-value pairs.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The value of + * this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs.

    * @public */ SSEKMSEncryptionContext?: string; @@ -2238,9 +2235,6 @@ export interface CreateMultipartUploadOutput { /** *

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; @@ -2671,9 +2665,29 @@ export interface CreateMultipartUploadRequest { /** *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, * AES256, aws:kms).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    + *
      + *
    • + *

      + * Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your + * CreateSession requests or PUT object requests. Then, new objects + * are automatically encrypted with the desired encryption settings. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads. + *

      + *

      In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, the encryption request headers must match the encryption settings that are specified in the CreateSession request. + * You can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) that are specified in the CreateSession request. + * You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and + * Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. + *

      + * + *

      When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the + * CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. + * So in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), + * the encryption request headers must match the default encryption configuration of the directory bucket. + * + *

      + *
      + *
    • + *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -2743,35 +2757,45 @@ export interface CreateMultipartUploadRequest { SSECustomerKeyMD5?: string; /** - *

    Specifies the ID (Key ID, Key ARN, or Key Alias) of the symmetric encryption customer managed key to use for object encryption.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to use for object encryption. If the KMS key doesn't exist in the same + * account that's issuing the command, you must use the full Key ARN not the Key ID.

    + *

    + * General purpose buckets - If you specify x-amz-server-side-encryption with aws:kms or aws:kms:dsse, this header specifies the ID (Key ID, Key ARN, or Key Alias) of the KMS + * key to use. If you specify + * x-amz-server-side-encryption:aws:kms or + * x-amz-server-side-encryption:aws:kms:dsse, but do not provide x-amz-server-side-encryption-aws-kms-key-id, Amazon S3 uses the Amazon Web Services managed key + * (aws/s3) to protect the data.

    + *

    + * Directory buckets - If you specify x-amz-server-side-encryption with aws:kms, you must specify the + * x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS + * symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. + * Amazon Web Services managed key (aws/s3) isn't supported. + *

    * @public */ SSEKMSKeyId?: string; /** *

    Specifies the Amazon Web Services KMS Encryption Context to use for object encryption. The value of - * this header is a base64-encoded UTF-8 string holding JSON with the encryption context - * key-value pairs.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + * this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs.

    + *

    + * Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    * @public */ SSEKMSEncryptionContext?: string; /** *

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with - * server-side encryption using Key Management Service (KMS) keys (SSE-KMS). Setting this header to + * server-side encryption using Key Management Service (KMS) keys (SSE-KMS).

    + *

    + * General purpose buckets - Setting this header to * true causes Amazon S3 to use an S3 Bucket Key for object encryption with - * SSE-KMS.

    - *

    Specifying this header with an object action doesn’t affect bucket-level settings for S3 + * SSE-KMS. Also, specifying this header with a PUT action doesn't affect bucket-level settings for S3 * Bucket Key.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    + * Directory buckets - S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets + * to directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or + * the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    * @public */ BucketKeyEnabled?: boolean; @@ -2845,7 +2869,7 @@ export interface CreateMultipartUploadRequest { *

    The established temporary security credentials of the session.

    * *

    - * Directory buckets - These session credentials are only supported for the authentication and authorization of Zonal endpoint APIs on directory buckets.

    + * Directory buckets - These session credentials are only supported for the authentication and authorization of Zonal endpoint API operations on directory buckets.

    *
    * @public */ @@ -2882,6 +2906,36 @@ export interface SessionCredentials { * @public */ export interface CreateSessionOutput { + /** + *

    The server-side encryption algorithm used when you store objects in the directory bucket.

    + * @public + */ + ServerSideEncryption?: ServerSideEncryption; + + /** + *

    If you specify x-amz-server-side-encryption with aws:kms, this header indicates the ID of the KMS + * symmetric encryption customer managed key that was used for object encryption.

    + * @public + */ + SSEKMSKeyId?: string; + + /** + *

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The value of + * this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. + * This value is stored as object metadata and automatically gets + * passed on to Amazon Web Services KMS for future GetObject + * operations on this object.

    + * @public + */ + SSEKMSEncryptionContext?: string; + + /** + *

    Indicates whether to use an S3 Bucket Key for server-side encryption + * with KMS keys (SSE-KMS).

    + * @public + */ + BucketKeyEnabled?: boolean; + /** *

    The established temporary security credentials for the created session.

    * @public @@ -2910,9 +2964,9 @@ export interface CreateSessionRequest { /** *

    Specifies the mode of the session that will be created, either ReadWrite or * ReadOnly. By default, a ReadWrite session is created. A - * ReadWrite session is capable of executing all the Zonal endpoint APIs on a + * ReadWrite session is capable of executing all the Zonal endpoint API operations on a * directory bucket. A ReadOnly session is constrained to execute the following - * Zonal endpoint APIs: GetObject, HeadObject, ListObjectsV2, + * Zonal endpoint API operations: GetObject, HeadObject, ListObjectsV2, * GetObjectAttributes, ListParts, and * ListMultipartUploads.

    * @public @@ -2926,6 +2980,51 @@ export interface CreateSessionRequest { * @public */ Bucket: string | undefined; + + /** + *

    The server-side encryption algorithm to use when you store objects in the directory bucket.

    + *

    For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). By default, Amazon S3 encrypts data with SSE-S3. + * For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

    + * @public + */ + ServerSideEncryption?: ServerSideEncryption; + + /** + *

    If you specify x-amz-server-side-encryption with aws:kms, you must specify the + * x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS + * symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Also, if the KMS key doesn't exist in the same + * account that't issuing the command, you must use the full Key ARN not the Key ID.

    + *

    Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. + * Amazon Web Services managed key (aws/s3) isn't supported. + *

    + * @public + */ + SSEKMSKeyId?: string; + + /** + *

    Specifies the Amazon Web Services KMS Encryption Context as an additional encryption context to use for object encryption. The value of + * this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. + * This value is stored as object metadata and automatically gets passed on + * to Amazon Web Services KMS for future GetObject operations on + * this object.

    + *

    + * General purpose buckets - This value must be explicitly added during CopyObject operations if you want an additional encryption context for your object. For more information, see Encryption context in the Amazon S3 User Guide.

    + *

    + * Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    + * @public + */ + SSEKMSEncryptionContext?: string; + + /** + *

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with + * server-side encryption using KMS keys (SSE-KMS).

    + *

    S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets + * to directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or + * the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    + * @public + */ + BucketKeyEnabled?: boolean; } /** @@ -3026,6 +3125,12 @@ export interface DeleteBucketEncryptionRequest { /** *

    The name of the bucket containing the server-side encryption configuration to * delete.

    + *

    + * Directory buckets - When you use this operation with a directory bucket, you must use path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name + * . Virtual-hosted-style requests aren't supported. Directory bucket names must be unique in the chosen Availability Zone. Bucket names must also follow the format + * bucket_base_name--az_id--x-s3 (for example, + * DOC-EXAMPLE-BUCKET--usw2-az1--x-s3). For information about bucket naming restrictions, see Directory bucket naming rules in the Amazon S3 User Guide + *

    *

    Note: To supply the Multi-region Access Point (MRAP) to Bucket, you need to install the "@aws-sdk/signature-v4-crt" package to your project dependencies. * For more information, please go to https://github.com/aws/aws-sdk-js-v3#known-issues

    * @public @@ -3034,6 +3139,10 @@ export interface DeleteBucketEncryptionRequest { /** *

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    + * + *

    For directory buckets, this header is not supported in this API operation. If you specify this header, the request fails with the HTTP status code + * 501 Not Implemented.

    + *
    * @public */ ExpectedBucketOwner?: string; @@ -6031,30 +6140,57 @@ export interface GetBucketCorsRequest { /** *

    Describes the default server-side encryption to apply to new objects in the bucket. If a * PUT Object request doesn't specify any server-side encryption, this default encryption will - * be applied. If you don't specify a customer managed key at configuration, Amazon S3 automatically creates - * an Amazon Web Services KMS key in your Amazon Web Services account the first time that you add an object encrypted - * with SSE-KMS to a bucket. By default, Amazon S3 uses this KMS key for SSE-KMS. For more - * information, see PUT Bucket encryption in - * the Amazon S3 API Reference.

    + * be applied. For more + * information, see PutBucketEncryption.

    * - *

    If you're specifying a customer managed KMS key, we recommend using a fully qualified - * KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the - * requester’s account. This behavior can result in data that's encrypted with a KMS key - * that belongs to the requester, and not the bucket owner.

    + *
      + *
    • + *

      + * General purpose buckets - If you don't specify a customer managed key at configuration, Amazon S3 automatically creates + * an Amazon Web Services KMS key (aws/s3) in your Amazon Web Services account the first time that you add an object encrypted + * with SSE-KMS to a bucket. By default, Amazon S3 uses this KMS key for SSE-KMS.

      + *
    • + *
    • + *

      + * Directory buckets - Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. + * Amazon Web Services managed key (aws/s3) isn't supported. + *

      + *
    • + *
    • + *

      + * Directory buckets - For directory buckets, there are only two supported options for server-side encryption: SSE-S3 and SSE-KMS.

      + *
    • + *
    *
    * @public */ export interface ServerSideEncryptionByDefault { /** *

    Server-side encryption algorithm to use for the default encryption.

    + * + *

    For directory buckets, there are only two supported values for server-side encryption: AES256 and aws:kms.

    + *
    * @public */ SSEAlgorithm: ServerSideEncryption | undefined; /** - *

    Amazon Web Services Key Management Service (KMS) customer Amazon Web Services KMS key ID to use for the default - * encryption. This parameter is allowed if and only if SSEAlgorithm is set to - * aws:kms or aws:kms:dsse.

    + *

    Amazon Web Services Key Management Service (KMS) customer managed key ID to use for the default + * encryption.

    + * + *
      + *
    • + *

      + * General purpose buckets - This parameter is allowed if and only if SSEAlgorithm is set to + * aws:kms or aws:kms:dsse.

      + *
    • + *
    • + *

      + * Directory buckets - This parameter is allowed if and only if SSEAlgorithm is set to + * aws:kms.

      + *
    • + *
    + *
    *

    You can specify the key ID, key alias, or the Amazon Resource Name (ARN) of the KMS * key.

    *
      @@ -6071,10 +6207,25 @@ export interface ServerSideEncryptionByDefault { *

      * *
    - *

    If you use a key ID, you can run into a LogDestination undeliverable error when creating - * a VPC flow log.

    - *

    If you are using encryption with cross-account or Amazon Web Services service operations you must use + *

    If you are using encryption with cross-account or Amazon Web Services service operations, you must use * a fully qualified KMS key ARN. For more information, see Using encryption for cross-account operations.

    + * + *
      + *
    • + *

      + * General purpose buckets - If you're specifying a customer managed KMS key, we recommend using a fully qualified + * KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the + * requester’s account. This behavior can result in data that's encrypted with a KMS key + * that belongs to the requester, and not the bucket owner. Also, if you use a key ID, you can run into a LogDestination undeliverable error when creating + * a VPC flow log. + *

      + *
    • + *
    • + *

      + * Directory buckets - When you specify an KMS customer managed key for encryption in your directory bucket, only use the key ID or key ARN. The key alias format of the KMS key isn't supported.

      + *
    • + *
    + *
    * *

    Amazon S3 only supports symmetric encryption KMS keys. For more information, see Asymmetric keys in Amazon Web Services KMS in the Amazon Web Services Key Management Service * Developer Guide.

    @@ -6087,10 +6238,19 @@ export interface ServerSideEncryptionByDefault { /** *

    Specifies the default server-side encryption configuration.

    * - *

    If you're specifying a customer managed KMS key, we recommend using a fully qualified - * KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the - * requester’s account. This behavior can result in data that's encrypted with a KMS key - * that belongs to the requester, and not the bucket owner.

    + *
      + *
    • + *

      + * General purpose buckets - If you're specifying a customer managed KMS key, we recommend using a fully qualified + * KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the + * requester’s account. This behavior can result in data that's encrypted with a KMS key + * that belongs to the requester, and not the bucket owner.

      + *
    • + *
    • + *

      + * Directory buckets - When you specify an KMS customer managed key for encryption in your directory bucket, only use the key ID or key ARN. The key alias format of the KMS key isn't supported.

      + *
    • + *
    *
    * @public */ @@ -6107,9 +6267,22 @@ export interface ServerSideEncryptionRule { *

    Specifies whether Amazon S3 should use an S3 Bucket Key with server-side encryption using KMS * (SSE-KMS) for new objects in the bucket. Existing objects are not affected. Setting the * BucketKeyEnabled element to true causes Amazon S3 to use an S3 - * Bucket Key. By default, S3 Bucket Key is not enabled.

    - *

    For more information, see Amazon S3 Bucket Keys in the - * Amazon S3 User Guide.

    + * Bucket Key.

    + * + *
      + *
    • + *

      + * General purpose buckets - By default, S3 Bucket Key is not enabled. For more information, see Amazon S3 Bucket Keys in the + * Amazon S3 User Guide.

      + *
    • + *
    • + *

      + * Directory buckets - S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets + * to directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or + * the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

      + *
    • + *
    + *
    * @public */ BucketKeyEnabled?: boolean; @@ -6146,6 +6319,12 @@ export interface GetBucketEncryptionRequest { /** *

    The name of the bucket from which the server-side encryption configuration is * retrieved.

    + *

    + * Directory buckets - When you use this operation with a directory bucket, you must use path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name + * . Virtual-hosted-style requests aren't supported. Directory bucket names must be unique in the chosen Availability Zone. Bucket names must also follow the format + * bucket_base_name--az_id--x-s3 (for example, + * DOC-EXAMPLE-BUCKET--usw2-az1--x-s3). For information about bucket naming restrictions, see Directory bucket naming rules in the Amazon S3 User Guide + *

    *

    Note: To supply the Multi-region Access Point (MRAP) to Bucket, you need to install the "@aws-sdk/signature-v4-crt" package to your project dependencies. * For more information, please go to https://github.com/aws/aws-sdk-js-v3#known-issues

    * @public @@ -6154,6 +6333,10 @@ export interface GetBucketEncryptionRequest { /** *

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    + * + *

    For directory buckets, this header is not supported in this API operation. If you specify this header, the request fails with the HTTP status code + * 501 Not Implemented.

    + *
    * @public */ ExpectedBucketOwner?: string; @@ -8110,9 +8293,11 @@ export type ExistingObjectReplicationStatus = (typeof ExistingObjectReplicationStatus)[keyof typeof ExistingObjectReplicationStatus]; /** - *

    Optional configuration to replicate existing source bucket objects. For more - * information, see Replicating Existing Objects in the Amazon S3 User Guide. + *

    Optional configuration to replicate existing source bucket objects. *

    + * + *

    This parameter is no longer supported. To replicate existing objects, see Replicating existing objects with S3 Batch Replication in the Amazon S3 User Guide.

    + *
    * @public */ export interface ExistingObjectReplication { @@ -8419,9 +8604,11 @@ export interface ReplicationRule { SourceSelectionCriteria?: SourceSelectionCriteria; /** - *

    Optional configuration to replicate existing source bucket objects. For more - * information, see Replicating Existing Objects in the Amazon S3 User Guide. + *

    Optional configuration to replicate existing source bucket objects. *

    + * + *

    This parameter is no longer supported. To replicate existing objects, see Replicating existing objects with S3 Batch Replication in the Amazon S3 User Guide.

    + *
    * @public */ ExistingObjectReplication?: ExistingObjectReplication; @@ -9095,11 +9282,7 @@ export interface GetObjectOutput { WebsiteRedirectLocation?: string; /** - *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, - * AES256, aws:kms, aws:kms:dsse).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    + *

    The server-side encryption algorithm used when you store this object in Amazon S3.

    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -9132,11 +9315,7 @@ export interface GetObjectOutput { SSECustomerKeyMD5?: string; /** - *

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key - * that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; @@ -9144,9 +9323,6 @@ export interface GetObjectOutput { /** *

    Indicates whether the object uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; @@ -9522,7 +9698,8 @@ export interface GetObjectRequest { /** *

    To retrieve the checksum, this mode must be enabled.

    - *

    In addition, if you enable checksum mode and the object is uploaded with a + *

    + * General purpose buckets - In addition, if you enable checksum mode and the object is uploaded with a * checksum * and encrypted with an Key Management Service (KMS) key, you must have permission to use the * kms:Decrypt action to retrieve the checksum.

    @@ -10841,9 +11018,6 @@ export interface HeadObjectOutput { /** *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, * AES256, aws:kms, aws:kms:dsse).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -10876,11 +11050,7 @@ export interface HeadObjectOutput { SSECustomerKeyMD5?: string; /** - *

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key - * that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; @@ -10888,9 +11058,6 @@ export interface HeadObjectOutput { /** *

    Indicates whether the object uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; @@ -11249,10 +11416,15 @@ export interface HeadObjectRequest { /** *

    To retrieve the checksum, this parameter must be enabled.

    - *

    In addition, if you enable checksum mode and the object is uploaded with a + *

    + * General purpose buckets - If you enable checksum mode and the object is uploaded with a * checksum * and encrypted with an Key Management Service (KMS) key, you must have permission to use the * kms:Decrypt action to retrieve the checksum.

    + *

    + * Directory buckets - If you enable ChecksumMode and the object is encrypted with + * Amazon Web Services Key Management Service (Amazon Web Services KMS), you must also have the + * kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key to retrieve the checksum of the object.

    * @public */ ChecksumMode?: ChecksumMode; @@ -13528,12 +13700,13 @@ export interface PutBucketCorsRequest { export interface PutBucketEncryptionRequest { /** *

    Specifies default encryption for a bucket using server-side encryption with different - * key options. By default, all buckets have a default encryption configuration that uses - * server-side encryption with Amazon S3 managed keys (SSE-S3). You can optionally configure - * default encryption for a bucket by using server-side encryption with an Amazon Web Services KMS key - * (SSE-KMS) or a customer-provided key (SSE-C). For information about the bucket default - * encryption feature, see Amazon S3 Bucket Default Encryption - * in the Amazon S3 User Guide.

    + * key options.

    + *

    + * Directory buckets - When you use this operation with a directory bucket, you must use path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name + * . Virtual-hosted-style requests aren't supported. Directory bucket names must be unique in the chosen Availability Zone. Bucket names must also follow the format + * bucket_base_name--az_id--x-s3 (for example, + * DOC-EXAMPLE-BUCKET--usw2-az1--x-s3). For information about bucket naming restrictions, see Directory bucket naming rules in the Amazon S3 User Guide + *

    *

    Note: To supply the Multi-region Access Point (MRAP) to Bucket, you need to install the "@aws-sdk/signature-v4-crt" package to your project dependencies. * For more information, please go to https://github.com/aws/aws-sdk-js-v3#known-issues

    * @public @@ -13544,6 +13717,9 @@ export interface PutBucketEncryptionRequest { *

    The base64-encoded 128-bit MD5 digest of the server-side encryption * configuration.

    *

    For requests made using the Amazon Web Services Command Line Interface (CLI) or Amazon Web Services SDKs, this field is calculated automatically.

    + * + *

    This functionality is not supported for directory buckets.

    + *
    * @public */ ContentMD5?: string; @@ -13556,6 +13732,9 @@ export interface PutBucketEncryptionRequest { * the Amazon S3 User Guide.

    *

    If you provide an individual checksum, Amazon S3 ignores any provided * ChecksumAlgorithm parameter.

    + * + *

    For directory buckets, when you use Amazon Web Services SDKs, CRC32 is the default checksum algorithm that's used for performance.

    + *
    * @public */ ChecksumAlgorithm?: ChecksumAlgorithm; @@ -13568,6 +13747,10 @@ export interface PutBucketEncryptionRequest { /** *

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    + * + *

    For directory buckets, this header is not supported in this API operation. If you specify this header, the request fails with the HTTP status code + * 501 Not Implemented.

    + *
    * @public */ ExpectedBucketOwner?: string; @@ -13905,9 +14088,20 @@ export const SessionCredentialsFilterSensitiveLog = (obj: SessionCredentials): a */ export const CreateSessionOutputFilterSensitiveLog = (obj: CreateSessionOutput): any => ({ ...obj, + ...(obj.SSEKMSKeyId && { SSEKMSKeyId: SENSITIVE_STRING }), + ...(obj.SSEKMSEncryptionContext && { SSEKMSEncryptionContext: SENSITIVE_STRING }), ...(obj.Credentials && { Credentials: SessionCredentialsFilterSensitiveLog(obj.Credentials) }), }); +/** + * @internal + */ +export const CreateSessionRequestFilterSensitiveLog = (obj: CreateSessionRequest): any => ({ + ...obj, + ...(obj.SSEKMSKeyId && { SSEKMSKeyId: SENSITIVE_STRING }), + ...(obj.SSEKMSEncryptionContext && { SSEKMSEncryptionContext: SENSITIVE_STRING }), +}); + /** * @internal */ diff --git a/clients/client-s3/src/models/models_1.ts b/clients/client-s3/src/models/models_1.ts index 8f109ef0b508..759c056ba7f1 100644 --- a/clients/client-s3/src/models/models_1.ts +++ b/clients/client-s3/src/models/models_1.ts @@ -527,11 +527,7 @@ export interface PutObjectOutput { ChecksumSHA256?: string; /** - *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, - * AES256, aws:kms, aws:kms:dsse).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    + *

    The server-side encryption algorithm used when you store this object in Amazon S3.

    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -575,25 +571,17 @@ export interface PutObjectOutput { SSECustomerKeyMD5?: string; /** - *

    If x-amz-server-side-encryption has a valid value of aws:kms - * or aws:kms:dsse, this header indicates the ID of the Key Management Service (KMS) - * symmetric encryption customer managed key that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; /** - *

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The - * value of this header is a base64-encoded UTF-8 string holding JSON with the encryption - * context key-value pairs. This value is stored as object metadata and automatically gets - * passed on to Amazon Web Services KMS for future GetObject or CopyObject + *

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The value of + * this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. + * This value is stored as object metadata and automatically gets + * passed on to Amazon Web Services KMS for future GetObject * operations on this object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ SSEKMSEncryptionContext?: string; @@ -601,9 +589,6 @@ export interface PutObjectOutput { /** *

    Indicates whether the uploaded object uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; @@ -912,17 +897,40 @@ export interface PutObjectRequest { /** *

    The server-side encryption algorithm that was used when you store this object in Amazon S3 (for example, * AES256, aws:kms, aws:kms:dsse).

    - *

    - * General purpose buckets - You have four mutually exclusive options to protect data using server-side encryption in - * Amazon S3, depending on how you choose to manage the encryption keys. Specifically, the - * encryption key options are Amazon S3 managed keys (SSE-S3), Amazon Web Services KMS keys (SSE-KMS or - * DSSE-KMS), and customer-provided keys (SSE-C). Amazon S3 encrypts data with server-side - * encryption by using Amazon S3 managed keys (SSE-S3) by default. You can optionally tell Amazon S3 to - * encrypt data at rest by using server-side encryption with other key options. For more - * information, see Using Server-Side - * Encryption in the Amazon S3 User Guide.

    - *

    - * Directory buckets - For directory buckets, only the server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) value is supported.

    + *
      + *
    • + *

      + * General purpose buckets - You have four mutually exclusive options to protect data using server-side encryption in + * Amazon S3, depending on how you choose to manage the encryption keys. Specifically, the + * encryption key options are Amazon S3 managed keys (SSE-S3), Amazon Web Services KMS keys (SSE-KMS or + * DSSE-KMS), and customer-provided keys (SSE-C). Amazon S3 encrypts data with server-side + * encryption by using Amazon S3 managed keys (SSE-S3) by default. You can optionally tell Amazon S3 to + * encrypt data at rest by using server-side encryption with other key options. For more + * information, see Using Server-Side + * Encryption in the Amazon S3 User Guide.

      + *
    • + *
    • + *

      + * Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your + * CreateSession requests or PUT object requests. Then, new objects + * are automatically encrypted with the desired encryption settings. For more + * information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads. + *

      + *

      In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, the encryption request headers must match the encryption settings that are specified in the CreateSession request. + * You can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) that are specified in the CreateSession request. + * You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and + * Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. + *

      + * + *

      When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the + * CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. + * So in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), + * the encryption request headers must match the default encryption configuration of the directory bucket. + * + *

      + *
      + *
    • + *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -1007,44 +1015,50 @@ export interface PutObjectRequest { SSECustomerKeyMD5?: string; /** - *

    If x-amz-server-side-encryption has a valid value of aws:kms - * or aws:kms:dsse, this header specifies the ID (Key ID, Key ARN, or Key Alias) of the Key Management Service (KMS) - * symmetric encryption customer managed key that was used for the object. If you specify - * x-amz-server-side-encryption:aws:kms or - * x-amz-server-side-encryption:aws:kms:dsse, but do not provide - * x-amz-server-side-encryption-aws-kms-key-id, Amazon S3 uses the Amazon Web Services managed key - * (aws/s3) to protect the data. If the KMS key does not exist in the same - * account that's issuing the command, you must use the full ARN and not just the ID.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to use for object encryption. If the KMS key doesn't exist in the same + * account that's issuing the command, you must use the full Key ARN not the Key ID.

    + *

    + * General purpose buckets - If you specify x-amz-server-side-encryption with aws:kms or aws:kms:dsse, this header specifies the ID (Key ID, Key ARN, or Key Alias) of the KMS + * key to use. If you specify + * x-amz-server-side-encryption:aws:kms or + * x-amz-server-side-encryption:aws:kms:dsse, but do not provide x-amz-server-side-encryption-aws-kms-key-id, Amazon S3 uses the Amazon Web Services managed key + * (aws/s3) to protect the data.

    + *

    + * Directory buckets - If you specify x-amz-server-side-encryption with aws:kms, you must specify the + * x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS + * symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. + * Amazon Web Services managed key (aws/s3) isn't supported. + *

    * @public */ SSEKMSKeyId?: string; /** - *

    Specifies the Amazon Web Services KMS Encryption Context to use for object encryption. The value of - * this header is a base64-encoded UTF-8 string holding JSON with the encryption context - * key-value pairs. This value is stored as object metadata and automatically gets passed on - * to Amazon Web Services KMS for future GetObject or CopyObject operations on - * this object. This value must be explicitly added during CopyObject operations.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    Specifies the Amazon Web Services KMS Encryption Context as an additional encryption context to use for object encryption. The value of + * this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. + * This value is stored as object metadata and automatically gets passed on + * to Amazon Web Services KMS for future GetObject operations on + * this object.

    + *

    + * General purpose buckets - This value must be explicitly added during CopyObject operations if you want an additional encryption context for your object. For more information, see Encryption context in the Amazon S3 User Guide.

    + *

    + * Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    * @public */ SSEKMSEncryptionContext?: string; /** *

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with - * server-side encryption using Key Management Service (KMS) keys (SSE-KMS). Setting this header to + * server-side encryption using Key Management Service (KMS) keys (SSE-KMS).

    + *

    + * General purpose buckets - Setting this header to * true causes Amazon S3 to use an S3 Bucket Key for object encryption with - * SSE-KMS.

    - *

    Specifying this header with a PUT action doesn’t affect bucket-level settings for S3 + * SSE-KMS. Also, specifying this header with a PUT action doesn't affect bucket-level settings for S3 * Bucket Key.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    + * Directory buckets - S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets + * to directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or + * the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    * @public */ BucketKeyEnabled?: boolean; @@ -2693,9 +2707,6 @@ export interface UploadPartOutput { /** *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, * AES256, aws:kms).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -2764,11 +2775,7 @@ export interface UploadPartOutput { SSECustomerKeyMD5?: string; /** - *

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key - * that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; @@ -2776,9 +2783,6 @@ export interface UploadPartOutput { /** *

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; @@ -3046,9 +3050,6 @@ export interface UploadPartCopyOutput { /** *

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example, * AES256, aws:kms).

    - * - *

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    - *
    * @public */ ServerSideEncryption?: ServerSideEncryption; @@ -3075,11 +3076,7 @@ export interface UploadPartCopyOutput { SSECustomerKeyMD5?: string; /** - *

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key - * that was used for the object.

    - * - *

    This functionality is not supported for directory buckets.

    - *
    + *

    If present, indicates the ID of the KMS key that was used for object encryption.

    * @public */ SSEKMSKeyId?: string; @@ -3087,9 +3084,6 @@ export interface UploadPartCopyOutput { /** *

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption * with Key Management Service (KMS) keys (SSE-KMS).

    - * - *

    This functionality is not supported for directory buckets.

    - *
    * @public */ BucketKeyEnabled?: boolean; diff --git a/clients/client-s3/src/protocols/Aws_restXml.ts b/clients/client-s3/src/protocols/Aws_restXml.ts index 582989c7537d..0ab50129ac7f 100644 --- a/clients/client-s3/src/protocols/Aws_restXml.ts +++ b/clients/client-s3/src/protocols/Aws_restXml.ts @@ -669,6 +669,10 @@ export const se_CreateSessionCommand = async ( const b = rb(input, context); const headers: any = map({}, isSerializableHeaderValue, { [_xacsm]: input[_SM]!, + [_xasse]: input[_SSE]!, + [_xasseakki]: input[_SSEKMSKI]!, + [_xassec]: input[_SSEKMSEC]!, + [_xassebke]: [() => isSerializableHeaderValue(input[_BKE]), () => input[_BKE]!.toString()], }); b.bp("/"); b.p("Bucket", () => input.Bucket!, "{Bucket}", false); @@ -3286,6 +3290,10 @@ export const de_CreateSessionCommand = async ( } const contents: any = map({ $metadata: deserializeMetadata(output), + [_SSE]: [, output.headers[_xasse]], + [_SSEKMSKI]: [, output.headers[_xasseakki]], + [_SSEKMSEC]: [, output.headers[_xassec]], + [_BKE]: [() => void 0 !== output.headers[_xassebke], () => __parseBoolean(output.headers[_xassebke])], }); const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); if (data[_C] != null) { diff --git a/codegen/sdk-codegen/aws-models/s3.json b/codegen/sdk-codegen/aws-models/s3.json index d359f959b9e1..4401d9d7745c 100644 --- a/codegen/sdk-codegen/aws-models/s3.json +++ b/codegen/sdk-codegen/aws-models/s3.json @@ -18284,7 +18284,7 @@ "target": "com.amazonaws.s3#CompleteMultipartUploadOutput" }, "traits": { - "smithy.api#documentation": "

    Completes a multipart upload by assembling previously uploaded parts.

    \n

    You first initiate the multipart upload and then upload all parts using the UploadPart\n operation or the UploadPartCopy\n operation. After successfully uploading all relevant parts of an upload, you call this\n CompleteMultipartUpload operation to complete the upload. Upon receiving this request, Amazon S3 concatenates all the parts\n in ascending order by part number to create a new object. In the CompleteMultipartUpload \n request, you must provide the parts list and ensure that the parts list is complete.\n The CompleteMultipartUpload API operation concatenates the parts that you provide in the list. For each part in the list,\n you must provide the PartNumber value and the ETag value that are returned after that part\n was uploaded.

    \n

    The processing of a CompleteMultipartUpload request could take several minutes to\n finalize. After Amazon S3 begins processing the request, it sends an HTTP response header that\n specifies a 200 OK response. While processing is in progress, Amazon S3 periodically sends white\n space characters to keep the connection from timing out. A request could fail after the\n initial 200 OK response has been sent. This means that a 200 OK response can\n contain either a success or an error. The error response might be embedded in the 200 OK response. \n If you call this API operation directly, make sure to design\n your application to parse the contents of the response and handle it appropriately. If you\n use Amazon Web Services SDKs, SDKs handle this condition. The SDKs detect the embedded error and apply\n error handling per your configuration settings (including automatically retrying the\n request as appropriate). If the condition persists, the SDKs throw an exception (or, for\n the SDKs that don't use exceptions, they return an error).

    \n

    Note that if CompleteMultipartUpload fails, applications should be prepared\n to retry any failed requests (including 500 error responses). For more information, see Amazon S3 Error Best\n Practices.

    \n \n

    You can't use Content-Type: application/x-www-form-urlencoded for the \n CompleteMultipartUpload requests. Also, if you don't provide a\n Content-Type header, CompleteMultipartUpload can still return a 200\n OK response.

    \n
    \n

    For more information about multipart uploads, see Uploading Objects Using Multipart\n Upload in the Amazon S3\n User Guide.

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - For\n information about permissions required to use the multipart upload API, see\n Multipart Upload and\n Permissions in the Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    • \n

      If you provide an additional checksum\n value in your MultipartUpload requests and the\n object is encrypted with Key Management Service, you must have permission to use the\n kms:Decrypt action for the\n CompleteMultipartUpload request to succeed.

      \n
    • \n
    \n
    \n
    Special errors
    \n
    \n
      \n
    • \n

      Error Code: EntityTooSmall\n

      \n
        \n
      • \n

        Description: Your proposed upload is smaller than the minimum allowed object\n size. Each part must be at least 5 MB in size, except the last part.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: InvalidPart\n

      \n
        \n
      • \n

        Description: One or more of the specified parts could not be found. The part\n might not have been uploaded, or the specified ETag might not have\n matched the uploaded part's ETag.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: InvalidPartOrder\n

      \n
        \n
      • \n

        Description: The list of parts was not in ascending order. The parts list\n must be specified in order by part number.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: NoSuchUpload\n

      \n
        \n
      • \n

        Description: The specified multipart upload does not exist. The upload ID\n might be invalid, or the multipart upload might have been aborted or\n completed.

        \n
      • \n
      • \n

        HTTP Status Code: 404 Not Found

        \n
      • \n
      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to CompleteMultipartUpload:

    \n ", + "smithy.api#documentation": "

    Completes a multipart upload by assembling previously uploaded parts.

    \n

    You first initiate the multipart upload and then upload all parts using the UploadPart\n operation or the UploadPartCopy\n operation. After successfully uploading all relevant parts of an upload, you call this\n CompleteMultipartUpload operation to complete the upload. Upon receiving this request, Amazon S3 concatenates all the parts\n in ascending order by part number to create a new object. In the CompleteMultipartUpload \n request, you must provide the parts list and ensure that the parts list is complete.\n The CompleteMultipartUpload API operation concatenates the parts that you provide in the list. For each part in the list,\n you must provide the PartNumber value and the ETag value that are returned after that part\n was uploaded.

    \n

    The processing of a CompleteMultipartUpload request could take several minutes to\n finalize. After Amazon S3 begins processing the request, it sends an HTTP response header that\n specifies a 200 OK response. While processing is in progress, Amazon S3 periodically sends white\n space characters to keep the connection from timing out. A request could fail after the\n initial 200 OK response has been sent. This means that a 200 OK response can\n contain either a success or an error. The error response might be embedded in the 200 OK response. \n If you call this API operation directly, make sure to design\n your application to parse the contents of the response and handle it appropriately. If you\n use Amazon Web Services SDKs, SDKs handle this condition. The SDKs detect the embedded error and apply\n error handling per your configuration settings (including automatically retrying the\n request as appropriate). If the condition persists, the SDKs throw an exception (or, for\n the SDKs that don't use exceptions, they return an error).

    \n

    Note that if CompleteMultipartUpload fails, applications should be prepared\n to retry any failed requests (including 500 error responses). For more information, see Amazon S3 Error Best\n Practices.

    \n \n

    You can't use Content-Type: application/x-www-form-urlencoded for the \n CompleteMultipartUpload requests. Also, if you don't provide a\n Content-Type header, CompleteMultipartUpload can still return a 200\n OK response.

    \n
    \n

    For more information about multipart uploads, see Uploading Objects Using Multipart\n Upload in the Amazon S3\n User Guide.

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - For\n information about permissions required to use the multipart upload API, see\n Multipart Upload and\n Permissions in the Amazon S3 User Guide.

      \n

      If you provide an additional checksum\n value in your MultipartUpload requests and the\n object is encrypted with Key Management Service, you must have permission to use the\n kms:Decrypt action for the\n CompleteMultipartUpload request to succeed.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n

      If the object is encrypted with\n SSE-KMS, you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      \n
    • \n
    \n
    \n
    Special errors
    \n
    \n
      \n
    • \n

      Error Code: EntityTooSmall\n

      \n
        \n
      • \n

        Description: Your proposed upload is smaller than the minimum allowed object\n size. Each part must be at least 5 MB in size, except the last part.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: InvalidPart\n

      \n
        \n
      • \n

        Description: One or more of the specified parts could not be found. The part\n might not have been uploaded, or the specified ETag might not have\n matched the uploaded part's ETag.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: InvalidPartOrder\n

      \n
        \n
      • \n

        Description: The list of parts was not in ascending order. The parts list\n must be specified in order by part number.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: NoSuchUpload\n

      \n
        \n
      • \n

        Description: The specified multipart upload does not exist. The upload ID\n might be invalid, or the multipart upload might have been aborted or\n completed.

        \n
      • \n
      • \n

        HTTP Status Code: 404 Not Found

        \n
      • \n
      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to CompleteMultipartUpload:

    \n ", "smithy.api#http": { "method": "POST", "uri": "/{Bucket}/{Key+}", @@ -18353,7 +18353,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when storing this object in Amazon S3 (for example,\n AES256, aws:kms).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when storing this object in Amazon S3 (for example,\n AES256, aws:kms).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -18367,14 +18367,14 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key\n that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -18659,7 +18659,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Creates a copy of an object that is already stored in Amazon S3.

    \n \n

    You can store individual objects of up to 5 TB in Amazon S3. You create a copy of your\n object up to 5 GB in size in a single atomic action using this API. However, to copy an\n object greater than 5 GB, you must use the multipart upload Upload Part - Copy\n (UploadPartCopy) API. For more information, see Copy Object Using the\n REST Multipart Upload API.

    \n
    \n

    You can copy individual objects between general purpose buckets, between directory buckets, and \n between general purpose buckets and directory buckets.

    \n \n
      \n
    • \n

      Amazon S3 supports copy operations using Multi-Region Access Points only as a destination when using the Multi-Region Access Point ARN.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      VPC endpoints don't support cross-Region requests (including copies). If you're using VPC endpoints, your source and destination buckets should be in the same Amazon Web Services Region as your VPC endpoint.

      \n
    • \n
    \n
    \n

    Both the\n Region that you want to copy the object from and the Region that you want to copy the\n object to must be enabled for your account. For more information about how to enable a Region for your account, see Enable \n or disable a Region for standalone accounts in the\n Amazon Web Services Account Management Guide.

    \n \n

    Amazon S3 transfer acceleration does not support cross-Region copies. If you request a\n cross-Region copy using a transfer acceleration endpoint, you get a 400 Bad\n Request error. For more information, see Transfer\n Acceleration.

    \n
    \n
    \n
    Authentication and authorization
    \n
    \n

    All CopyObject requests must be authenticated and signed by using IAM credentials (access key ID and secret access key for the IAM identities). All headers with the x-amz- prefix, including\n x-amz-copy-source, must be signed. For more information, see REST Authentication.

    \n

    \n Directory buckets - You must use the IAM credentials to authenticate and authorize your access to the CopyObject API operation, instead of using the \n temporary security credentials through the CreateSession API operation.

    \n

    Amazon Web Services CLI or SDKs handles authentication and authorization on your behalf.

    \n
    \n
    Permissions
    \n
    \n

    You must have\n read access to the source object and write\n access to the destination bucket.

    \n
      \n
    • \n

      \n General purpose bucket permissions -\n You must have permissions in an IAM policy based on the source and destination\n bucket types in a CopyObject operation.

      \n
        \n
      • \n

        If the source object is in a general purpose bucket, you must have\n \n s3:GetObject\n \n permission to read the source object that is being copied.

        \n
      • \n
      • \n

        If the destination bucket is a general purpose bucket, you must have\n \n s3:PutObject\n \n permission to write the object copy to the destination bucket.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions -\n You must have permissions in a bucket policy or an IAM identity-based policy based on the source and destination\n bucket types in a CopyObject operation.

      \n
        \n
      • \n

        If the source object that you want to copy is in a\n directory bucket, you must have the \n s3express:CreateSession\n permission in\n the Action element of a policy to read the object. By default, the session is in the ReadWrite mode. If you want to restrict the access, you can explicitly set the s3express:SessionMode condition key to ReadOnly on the copy source bucket.

        \n
      • \n
      • \n

        If the copy destination is a directory bucket, you must have the \n s3express:CreateSession\n permission in the\n Action element of a policy to write the object\n to the destination. The s3express:SessionMode condition\n key can't be set to ReadOnly on the copy destination bucket.

        \n
      • \n
      \n

      For example policies, see Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    Response and special errors
    \n
    \n

    When the request is an HTTP 1.1 request, the response is chunk encoded. When\n the request is not an HTTP 1.1 request, the response would not contain the\n Content-Length. You always need to read the entire response body\n to check if the copy succeeds.

    \n
      \n
    • \n

      If the copy is successful, you receive a response with information about the copied\n object.

      \n
    • \n
    • \n

      A copy request might return an error when Amazon S3 receives the copy request or while Amazon S3\n is copying the files. A 200 OK response can contain either a success or an error.

      \n
        \n
      • \n

        If the error occurs before the copy action starts, you receive a\n standard Amazon S3 error.

        \n
      • \n
      • \n

        If the error occurs during the copy operation, the error response is\n embedded in the 200 OK response. For example, in a cross-region copy, you \n may encounter throttling and receive a 200 OK response. \n For more information, see Resolve \n the Error 200 response when copying objects to Amazon S3. \n The 200 OK status code means the copy was accepted, but \n it doesn't mean the copy is complete. Another example is \n when you disconnect from Amazon S3 before the copy is complete, Amazon S3 might cancel the copy and you may receive a 200 OK response. \n You must stay connected to Amazon S3 until the entire response is successfully received and processed.

        \n

        If you call this API operation directly, make\n sure to design your application to parse the content of the response and handle it\n appropriately. If you use Amazon Web Services SDKs, SDKs handle this condition. The SDKs detect the\n embedded error and apply error handling per your configuration settings (including\n automatically retrying the request as appropriate). If the condition persists, the SDKs\n throw an exception (or, for the SDKs that don't use exceptions, they return an \n error).

        \n
      • \n
      \n
    • \n
    \n
    \n
    Charge
    \n
    \n

    The copy request charge is based on the storage class and Region that you specify for\n the destination object. The request can also result in a data retrieval charge for the\n source if the source storage class bills for data retrieval. If the copy source is in a different region, the data transfer is billed to the copy source account. For pricing information, see\n Amazon S3 pricing.

    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to CopyObject:

    \n ", + "smithy.api#documentation": "

    Creates a copy of an object that is already stored in Amazon S3.

    \n \n

    You can store individual objects of up to 5 TB in Amazon S3. You create a copy of your\n object up to 5 GB in size in a single atomic action using this API. However, to copy an\n object greater than 5 GB, you must use the multipart upload Upload Part - Copy\n (UploadPartCopy) API. For more information, see Copy Object Using the\n REST Multipart Upload API.

    \n
    \n

    You can copy individual objects between general purpose buckets, between directory buckets, and \n between general purpose buckets and directory buckets.

    \n \n
      \n
    • \n

      Amazon S3 supports copy operations using Multi-Region Access Points only as a destination when using the Multi-Region Access Point ARN.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      VPC endpoints don't support cross-Region requests (including copies). If you're using VPC endpoints, your source and destination buckets should be in the same Amazon Web Services Region as your VPC endpoint.

      \n
    • \n
    \n
    \n

    Both the\n Region that you want to copy the object from and the Region that you want to copy the\n object to must be enabled for your account. For more information about how to enable a Region for your account, see Enable \n or disable a Region for standalone accounts in the\n Amazon Web Services Account Management Guide.

    \n \n

    Amazon S3 transfer acceleration does not support cross-Region copies. If you request a\n cross-Region copy using a transfer acceleration endpoint, you get a 400 Bad\n Request error. For more information, see Transfer\n Acceleration.

    \n
    \n
    \n
    Authentication and authorization
    \n
    \n

    All CopyObject requests must be authenticated and signed by using IAM credentials (access key ID and secret access key for the IAM identities). All headers with the x-amz- prefix, including\n x-amz-copy-source, must be signed. For more information, see REST Authentication.

    \n

    \n Directory buckets - You must use the IAM credentials to authenticate and authorize your access to the CopyObject API operation, instead of using the \n temporary security credentials through the CreateSession API operation.

    \n

    Amazon Web Services CLI or SDKs handles authentication and authorization on your behalf.

    \n
    \n
    Permissions
    \n
    \n

    You must have\n read access to the source object and write\n access to the destination bucket.

    \n
      \n
    • \n

      \n General purpose bucket permissions -\n You must have permissions in an IAM policy based on the source and destination\n bucket types in a CopyObject operation.

      \n
        \n
      • \n

        If the source object is in a general purpose bucket, you must have\n \n s3:GetObject\n \n permission to read the source object that is being copied.

        \n
      • \n
      • \n

        If the destination bucket is a general purpose bucket, you must have\n \n s3:PutObject\n \n permission to write the object copy to the destination bucket.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions -\n You must have permissions in a bucket policy or an IAM identity-based policy based on the source and destination\n bucket types in a CopyObject operation.

      \n
        \n
      • \n

        If the source object that you want to copy is in a\n directory bucket, you must have the \n s3express:CreateSession\n permission in\n the Action element of a policy to read the object. By default, the session is in the ReadWrite mode. If you want to restrict the access, you can explicitly set the s3express:SessionMode condition key to ReadOnly on the copy source bucket.

        \n
      • \n
      • \n

        If the copy destination is a directory bucket, you must have the \n s3express:CreateSession\n permission in the\n Action element of a policy to write the object\n to the destination. The s3express:SessionMode condition\n key can't be set to ReadOnly on the copy destination bucket.

        \n
      • \n
      \n

      If the object is encrypted with\n SSE-KMS, you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      \n

      For example policies, see Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    Response and special errors
    \n
    \n

    When the request is an HTTP 1.1 request, the response is chunk encoded. When\n the request is not an HTTP 1.1 request, the response would not contain the\n Content-Length. You always need to read the entire response body\n to check if the copy succeeds.

    \n
      \n
    • \n

      If the copy is successful, you receive a response with information about the copied\n object.

      \n
    • \n
    • \n

      A copy request might return an error when Amazon S3 receives the copy request or while Amazon S3\n is copying the files. A 200 OK response can contain either a success or an error.

      \n
        \n
      • \n

        If the error occurs before the copy action starts, you receive a\n standard Amazon S3 error.

        \n
      • \n
      • \n

        If the error occurs during the copy operation, the error response is\n embedded in the 200 OK response. For example, in a cross-region copy, you \n may encounter throttling and receive a 200 OK response. \n For more information, see Resolve \n the Error 200 response when copying objects to Amazon S3. \n The 200 OK status code means the copy was accepted, but \n it doesn't mean the copy is complete. Another example is \n when you disconnect from Amazon S3 before the copy is complete, Amazon S3 might cancel the copy and you may receive a 200 OK response. \n You must stay connected to Amazon S3 until the entire response is successfully received and processed.

        \n

        If you call this API operation directly, make\n sure to design your application to parse the content of the response and handle it\n appropriately. If you use Amazon Web Services SDKs, SDKs handle this condition. The SDKs detect the\n embedded error and apply error handling per your configuration settings (including\n automatically retrying the request as appropriate). If the condition persists, the SDKs\n throw an exception (or, for the SDKs that don't use exceptions, they return an \n error).

        \n
      • \n
      \n
    • \n
    \n
    \n
    Charge
    \n
    \n

    The copy request charge is based on the storage class and Region that you specify for\n the destination object. The request can also result in a data retrieval charge for the\n source if the source storage class bills for data retrieval. If the copy source is in a different region, the data transfer is billed to the copy source account. For pricing information, see\n Amazon S3 pricing.

    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to CopyObject:

    \n ", "smithy.api#examples": [ { "title": "To copy an object", @@ -18723,7 +18723,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -18744,21 +18744,21 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key\n that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "SSEKMSEncryptionContext": { "target": "com.amazonaws.s3#SSEKMSEncryptionContext", "traits": { - "smithy.api#documentation": "

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The\n value of this header is a base64-encoded UTF-8 string holding JSON with the encryption\n context key-value pairs.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The\n value of this header is a base64-encoded UTF-8 string holding JSON with the encryption\n context key-value pairs.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-context" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the copied object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the copied object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -18945,7 +18945,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when storing this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse). Unrecognized or unsupported values won’t write a destination object and will receive a 400 Bad Request response.

    \n

    Amazon S3 automatically encrypts all new objects that are copied to an S3 bucket.\n When copying an object, if you don't specify encryption information in your copy\n request, the encryption setting of the target object is set to the default\n encryption configuration of the destination bucket. By default, all buckets have a\n base level of encryption configuration that uses server-side encryption with Amazon S3\n managed keys (SSE-S3). If the destination bucket has a default encryption\n configuration that uses server-side encryption with Key Management Service (KMS) keys\n (SSE-KMS), dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS), or\n server-side encryption with customer-provided encryption keys (SSE-C), Amazon S3 uses\n the corresponding KMS key, or a customer-provided key to encrypt the target\n object copy.

    \n

    When you perform a CopyObject operation, if you want to use a\n different type of encryption setting for the target object, you can specify \n appropriate encryption-related headers to encrypt the target object with an Amazon S3 managed key, a\n KMS key, or a customer-provided key. If the encryption setting in\n your request is different from the default encryption configuration of the\n destination bucket, the encryption setting in your request takes precedence.

    \n

    With server-side\n encryption, Amazon S3 encrypts your data as it writes your data to disks in its data\n centers and decrypts the data when you access it. For more information about server-side encryption, see Using\n Server-Side Encryption in the\n Amazon S3 User Guide.

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when storing this object in Amazon S3. Unrecognized or unsupported values won’t write a destination object and will receive a 400 Bad Request response.

    \n

    Amazon S3 automatically encrypts all new objects that are copied to an S3 bucket.\n When copying an object, if you don't specify encryption information in your copy\n request, the encryption setting of the target object is set to the default\n encryption configuration of the destination bucket. By default, all buckets have a\n base level of encryption configuration that uses server-side encryption with Amazon S3\n managed keys (SSE-S3). If the destination bucket has a different default encryption\n configuration, Amazon S3 uses\n the corresponding encryption key to encrypt the target\n object copy.

    \n

    With server-side\n encryption, Amazon S3 encrypts your data as it writes your data to disks in its data\n centers and decrypts the data when you access it. For more information about server-side encryption, see Using\n Server-Side Encryption in the\n Amazon S3 User Guide.

    \n

    \n General purpose buckets \n

    \n
      \n
    • \n

      For general purpose buckets, there are the following supported options for server-side encryption: server-side encryption with Key Management Service (KMS) keys\n (SSE-KMS), dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS), and \n server-side encryption with customer-provided encryption keys (SSE-C). Amazon S3 uses\n the corresponding KMS key, or a customer-provided key to encrypt the target\n object copy.

      \n
    • \n
    • \n

      When you perform a CopyObject operation, if you want to use a\n different type of encryption setting for the target object, you can specify \n appropriate encryption-related headers to encrypt the target object with an Amazon S3 managed key, a\n KMS key, or a customer-provided key. If the encryption setting in\n your request is different from the default encryption configuration of the\n destination bucket, the encryption setting in your request takes precedence.

      \n
    • \n
    \n

    \n Directory buckets \n

    \n
      \n
    • \n

      For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your \n CreateSession requests or PUT object requests. Then, new objects \n are automatically encrypted with the desired encryption settings. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

      \n
    • \n
    • \n

      To encrypt new object copies to a directory bucket with SSE-KMS, we recommend you specify SSE-KMS as the directory bucket's default encryption configuration with a KMS key (specifically, a customer managed key). \n Amazon Web Services managed key (aws/s3) isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. After you specify a customer managed key for SSE-KMS, you can't override the customer managed key for the bucket's SSE-KMS configuration. \n Then, when you perform a CopyObject operation and want to specify server-side encryption settings for new object copies with SSE-KMS in the encryption-related request headers, you must ensure the encryption key is the same customer managed key that you specified for the directory bucket's default encryption configuration. \n

      \n
    • \n
    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -18987,21 +18987,21 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    Specifies the KMS ID (Key ID, Key ARN, or Key Alias) to use for object encryption. All GET and PUT requests for an\n object protected by KMS will fail if they're not made via SSL or using SigV4. For\n information about configuring any of the officially supported Amazon Web Services SDKs and Amazon Web Services CLI, see\n Specifying the\n Signature Version in Request Authentication in the\n Amazon S3 User Guide.

    \n \n

    This functionality is not supported when the destination bucket is a directory bucket.

    \n
    ", + "smithy.api#documentation": "

    Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to use for object encryption. All GET and PUT requests for an\n object protected by KMS will fail if they're not made via SSL or using SigV4. For\n information about configuring any of the officially supported Amazon Web Services SDKs and Amazon Web Services CLI, see\n Specifying the\n Signature Version in Request Authentication in the\n Amazon S3 User Guide.

    \n

    \n Directory buckets - If you specify x-amz-server-side-encryption with aws:kms, you must specify the \n x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS \n symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. \nAmazon Web Services managed key (aws/s3) isn't supported. \n

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "SSEKMSEncryptionContext": { "target": "com.amazonaws.s3#SSEKMSEncryptionContext", "traits": { - "smithy.api#documentation": "

    Specifies the Amazon Web Services KMS Encryption Context to use for object encryption. The value of\n this header is a base64-encoded UTF-8 string holding JSON with the encryption context\n key-value pairs. This value must be explicitly added to specify encryption context for \n CopyObject requests.

    \n \n

    This functionality is not supported when the destination bucket is a directory bucket.

    \n
    ", + "smithy.api#documentation": "

    Specifies the Amazon Web Services KMS Encryption Context as an additional encryption context to use for the destination object encryption. The value of\n this header is a base64-encoded UTF-8 string holding JSON with the encryption context\n key-value pairs.

    \n

    \n General purpose buckets - This value must be explicitly added to specify encryption context for \n CopyObject requests if you want an additional encryption context for your destination object. The additional encryption context of the source object won't be copied to the destination object. For more information, see Encryption context in the Amazon S3 User Guide.

    \n

    \n Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-context" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with\n server-side encryption using Key Management Service (KMS) keys (SSE-KMS). If a target object uses SSE-KMS, you can enable an S3 Bucket Key for the\n object.

    \n

    Setting this header to\n true causes Amazon S3 to use an S3 Bucket Key for object encryption with\n SSE-KMS. Specifying this header with a COPY action doesn’t affect bucket-level settings for S3\n Bucket Key.

    \n

    For more information, see Amazon S3 Bucket Keys in the\n Amazon S3 User Guide.

    \n \n

    This functionality is not supported when the destination bucket is a directory bucket.

    \n
    ", + "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with\n server-side encryption using Key Management Service (KMS) keys (SSE-KMS). If a target object uses SSE-KMS, you can enable an S3 Bucket Key for the\n object.

    \n

    Setting this header to\n true causes Amazon S3 to use an S3 Bucket Key for object encryption with\n SSE-KMS. Specifying this header with a COPY action doesn’t affect bucket-level settings for S3\n Bucket Key.

    \n

    For more information, see Amazon S3 Bucket Keys in the\n Amazon S3 User Guide.

    \n \n

    \n Directory buckets - S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets \nto directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    \n
    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -19393,7 +19393,7 @@ "target": "com.amazonaws.s3#CreateMultipartUploadOutput" }, "traits": { - "smithy.api#documentation": "

    This action initiates a multipart upload and returns an upload ID. This upload ID is\n used to associate all of the parts in the specific multipart upload. You specify this\n upload ID in each of your subsequent upload part requests (see UploadPart). You also include this\n upload ID in the final request to either complete or abort the multipart upload\n request. For more information about multipart uploads, see Multipart Upload Overview in the Amazon S3 User Guide.

    \n \n

    After you initiate a multipart upload and upload one or more parts, to stop being\n charged for storing the uploaded parts, you must either complete or abort the multipart\n upload. Amazon S3 frees up the space used to store the parts and stops charging you for\n storing them only after you either complete or abort a multipart upload.

    \n
    \n

    If you have configured a lifecycle rule to abort incomplete multipart uploads, the created multipart \n upload must be completed within the number of days specified in the bucket lifecycle\n configuration. Otherwise, the incomplete multipart upload becomes eligible for an abort\n action and Amazon S3 aborts the multipart upload. For more information, see Aborting Incomplete Multipart Uploads Using a Bucket Lifecycle\n Configuration.

    \n \n
      \n
    • \n

      \n Directory buckets - S3 Lifecycle is not supported by directory buckets.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    \n
    Request signing
    \n
    \n

    For request signing, multipart upload is just a series of regular requests. You initiate\n a multipart upload, send one or more requests to upload parts, and then complete the\n multipart upload process. You sign each request individually. There is nothing special\n about signing multipart upload requests. For more information about signing, see Authenticating Requests (Amazon Web Services Signature Version 4) in the Amazon S3 User Guide.

    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - To\n perform a multipart upload with encryption using an Key Management Service (KMS)\n KMS key, the requester must have permission to the\n kms:Decrypt and kms:GenerateDataKey actions on\n the key. The requester must also have permissions for the\n kms:GenerateDataKey action for the\n CreateMultipartUpload API. Then, the requester needs\n permissions for the kms:Decrypt action on the\n UploadPart and UploadPartCopy APIs. These\n permissions are required because Amazon S3 must decrypt and read data from the\n encrypted file parts before it completes the multipart upload. For more\n information, see Multipart upload API and permissions and Protecting data\n using server-side encryption with Amazon Web Services KMS in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n
      \n
    • \n

      \n General purpose buckets - Server-side encryption is for data encryption at rest. Amazon S3 encrypts your data as it\n writes it to disks in its data centers and decrypts it when you access it. Amazon S3\n automatically encrypts all new objects that are uploaded to an S3 bucket. When doing a\n multipart upload, if you don't specify encryption information in your request, the\n encryption setting of the uploaded parts is set to the default encryption configuration of\n the destination bucket. By default, all buckets have a base level of encryption\n configuration that uses server-side encryption with Amazon S3 managed keys (SSE-S3). If the\n destination bucket has a default encryption configuration that uses server-side encryption\n with an Key Management Service (KMS) key (SSE-KMS), or a customer-provided encryption key (SSE-C),\n Amazon S3 uses the corresponding KMS key, or a customer-provided key to encrypt the uploaded\n parts. When you perform a CreateMultipartUpload operation, if you want to use a different\n type of encryption setting for the uploaded parts, you can request that Amazon S3 encrypts the\n object with a different encryption key (such as an Amazon S3 managed key, a KMS key, or a customer-provided key). When the encryption\n setting in your request is different from the default encryption configuration of the\n destination bucket, the encryption setting in your request takes precedence. If you choose\n to provide your own encryption key, the request headers you provide in UploadPart\n and UploadPartCopy requests must match the headers you used in the CreateMultipartUpload request.

      \n
        \n
      • \n

        Use KMS keys (SSE-KMS) that include the Amazon Web Services managed key\n (aws/s3) and KMS customer managed keys stored in Key Management Service (KMS) –\n If you want Amazon Web Services to manage the keys used to encrypt data, specify the\n following headers in the request.

        \n
          \n
        • \n

          \n x-amz-server-side-encryption\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-aws-kms-key-id\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-context\n

          \n
        • \n
        \n \n
          \n
        • \n

          If you specify x-amz-server-side-encryption:aws:kms, but\n don't provide x-amz-server-side-encryption-aws-kms-key-id,\n Amazon S3 uses the Amazon Web Services managed key (aws/s3 key) in KMS to\n protect the data.

          \n
        • \n
        • \n

          To perform a multipart upload with encryption by using an Amazon Web Services KMS key, the requester\n must have permission to the kms:Decrypt and kms:GenerateDataKey*\n actions on the key. These permissions are required because Amazon S3 must decrypt and read data\n from the encrypted file parts before it completes the multipart upload. For more\n information, see Multipart upload API\n and permissions and Protecting data using\n server-side encryption with Amazon Web Services KMS in the\n Amazon S3 User Guide.

          \n
        • \n
        • \n

          If your Identity and Access Management (IAM) user or role is in the same Amazon Web Services account as the KMS key,\n then you must have these permissions on the key policy. If your IAM user or role is in a different account from the key, then you must have the permissions on both the key\n policy and your IAM user or role.

          \n
        • \n
        • \n

          All GET and PUT requests for an object\n protected by KMS fail if you don't make them by using Secure Sockets\n Layer (SSL), Transport Layer Security (TLS), or Signature Version\n 4. For information about configuring any of the officially supported Amazon Web Services\n SDKs and Amazon Web Services CLI, see Specifying the Signature Version in Request Authentication\n in the Amazon S3 User Guide.

          \n
        • \n
        \n
        \n

        For more information about server-side encryption with KMS keys\n (SSE-KMS), see Protecting Data\n Using Server-Side Encryption with KMS keys in the Amazon S3 User Guide.

        \n
      • \n
      • \n

        Use customer-provided encryption keys (SSE-C) – If you want to manage\n your own encryption keys, provide all the following headers in the\n request.

        \n
          \n
        • \n

          \n x-amz-server-side-encryption-customer-algorithm\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-customer-key\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-customer-key-MD5\n

          \n
        • \n
        \n

        For more information about server-side encryption with customer-provided\n encryption keys (SSE-C), see \n Protecting data using server-side encryption with customer-provided\n encryption keys (SSE-C) in the Amazon S3 User Guide.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory buckets -For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to CreateMultipartUpload:

    \n ", + "smithy.api#documentation": "

    This action initiates a multipart upload and returns an upload ID. This upload ID is\n used to associate all of the parts in the specific multipart upload. You specify this\n upload ID in each of your subsequent upload part requests (see UploadPart). You also include this\n upload ID in the final request to either complete or abort the multipart upload\n request. For more information about multipart uploads, see Multipart Upload Overview in the Amazon S3 User Guide.

    \n \n

    After you initiate a multipart upload and upload one or more parts, to stop being\n charged for storing the uploaded parts, you must either complete or abort the multipart\n upload. Amazon S3 frees up the space used to store the parts and stops charging you for\n storing them only after you either complete or abort a multipart upload.

    \n
    \n

    If you have configured a lifecycle rule to abort incomplete multipart uploads, the created multipart \n upload must be completed within the number of days specified in the bucket lifecycle\n configuration. Otherwise, the incomplete multipart upload becomes eligible for an abort\n action and Amazon S3 aborts the multipart upload. For more information, see Aborting Incomplete Multipart Uploads Using a Bucket Lifecycle\n Configuration.

    \n \n
      \n
    • \n

      \n Directory buckets - S3 Lifecycle is not supported by directory buckets.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    \n
    Request signing
    \n
    \n

    For request signing, multipart upload is just a series of regular requests. You initiate\n a multipart upload, send one or more requests to upload parts, and then complete the\n multipart upload process. You sign each request individually. There is nothing special\n about signing multipart upload requests. For more information about signing, see Authenticating Requests (Amazon Web Services Signature Version 4) in the Amazon S3 User Guide.

    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - To\n perform a multipart upload with encryption using an Key Management Service (KMS)\n KMS key, the requester must have permission to the\n kms:Decrypt and kms:GenerateDataKey actions on\n the key. The requester must also have permissions for the\n kms:GenerateDataKey action for the\n CreateMultipartUpload API. Then, the requester needs\n permissions for the kms:Decrypt action on the\n UploadPart and UploadPartCopy APIs. These\n permissions are required because Amazon S3 must decrypt and read data from the\n encrypted file parts before it completes the multipart upload. For more\n information, see Multipart upload API and permissions and Protecting data\n using server-side encryption with Amazon Web Services KMS in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n
      \n
    • \n

      \n General purpose buckets - Server-side encryption is for data encryption at rest. Amazon S3 encrypts your data as it\n writes it to disks in its data centers and decrypts it when you access it. Amazon S3\n automatically encrypts all new objects that are uploaded to an S3 bucket. When doing a\n multipart upload, if you don't specify encryption information in your request, the\n encryption setting of the uploaded parts is set to the default encryption configuration of\n the destination bucket. By default, all buckets have a base level of encryption\n configuration that uses server-side encryption with Amazon S3 managed keys (SSE-S3). If the\n destination bucket has a default encryption configuration that uses server-side encryption\n with an Key Management Service (KMS) key (SSE-KMS), or a customer-provided encryption key (SSE-C),\n Amazon S3 uses the corresponding KMS key, or a customer-provided key to encrypt the uploaded\n parts. When you perform a CreateMultipartUpload operation, if you want to use a different\n type of encryption setting for the uploaded parts, you can request that Amazon S3 encrypts the\n object with a different encryption key (such as an Amazon S3 managed key, a KMS key, or a customer-provided key). When the encryption\n setting in your request is different from the default encryption configuration of the\n destination bucket, the encryption setting in your request takes precedence. If you choose\n to provide your own encryption key, the request headers you provide in UploadPart\n and UploadPartCopy requests must match the headers you used in the CreateMultipartUpload request.

      \n
        \n
      • \n

        Use KMS keys (SSE-KMS) that include the Amazon Web Services managed key\n (aws/s3) and KMS customer managed keys stored in Key Management Service (KMS) –\n If you want Amazon Web Services to manage the keys used to encrypt data, specify the\n following headers in the request.

        \n
          \n
        • \n

          \n x-amz-server-side-encryption\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-aws-kms-key-id\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-context\n

          \n
        • \n
        \n \n
          \n
        • \n

          If you specify x-amz-server-side-encryption:aws:kms, but\n don't provide x-amz-server-side-encryption-aws-kms-key-id,\n Amazon S3 uses the Amazon Web Services managed key (aws/s3 key) in KMS to\n protect the data.

          \n
        • \n
        • \n

          To perform a multipart upload with encryption by using an Amazon Web Services KMS key, the requester\n must have permission to the kms:Decrypt and kms:GenerateDataKey*\n actions on the key. These permissions are required because Amazon S3 must decrypt and read data\n from the encrypted file parts before it completes the multipart upload. For more\n information, see Multipart upload API\n and permissions and Protecting data using\n server-side encryption with Amazon Web Services KMS in the\n Amazon S3 User Guide.

          \n
        • \n
        • \n

          If your Identity and Access Management (IAM) user or role is in the same Amazon Web Services account as the KMS key,\n then you must have these permissions on the key policy. If your IAM user or role is in a different account from the key, then you must have the permissions on both the key\n policy and your IAM user or role.

          \n
        • \n
        • \n

          All GET and PUT requests for an object\n protected by KMS fail if you don't make them by using Secure Sockets\n Layer (SSL), Transport Layer Security (TLS), or Signature Version\n 4. For information about configuring any of the officially supported Amazon Web Services\n SDKs and Amazon Web Services CLI, see Specifying the Signature Version in Request Authentication\n in the Amazon S3 User Guide.

          \n
        • \n
        \n
        \n

        For more information about server-side encryption with KMS keys\n (SSE-KMS), see Protecting Data\n Using Server-Side Encryption with KMS keys in the Amazon S3 User Guide.

        \n
      • \n
      • \n

        Use customer-provided encryption keys (SSE-C) – If you want to manage\n your own encryption keys, provide all the following headers in the\n request.

        \n
          \n
        • \n

          \n x-amz-server-side-encryption-customer-algorithm\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-customer-key\n

          \n
        • \n
        • \n

          \n x-amz-server-side-encryption-customer-key-MD5\n

          \n
        • \n
        \n

        For more information about server-side encryption with customer-provided\n encryption keys (SSE-C), see \n Protecting data using server-side encryption with customer-provided\n encryption keys (SSE-C) in the Amazon S3 User Guide.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your \n CreateSession requests or PUT object requests. Then, new objects \n are automatically encrypted with the desired encryption settings. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

      \n

      In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, the encryption request headers must match the encryption settings that are specified in the CreateSession request. \n You can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) that are specified in the CreateSession request. \n You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and \n Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. \n

      \n \n

      When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the \n CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. \n So in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), \n the encryption request headers must match the default encryption configuration of the directory bucket.\n\n

      \n
      \n \n

      For directory buckets, when you perform a CreateMultipartUpload operation and an UploadPartCopy operation, \n the request headers you provide in the CreateMultipartUpload request must match the default encryption configuration of the destination bucket.

      \n
      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to CreateMultipartUpload:

    \n ", "smithy.api#examples": [ { "title": "To initiate a multipart upload", @@ -19455,7 +19455,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -19476,21 +19476,21 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key\n that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "SSEKMSEncryptionContext": { "target": "com.amazonaws.s3#SSEKMSEncryptionContext", "traits": { - "smithy.api#documentation": "

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The\n value of this header is a base64-encoded UTF-8 string holding JSON with the encryption\n context key-value pairs.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The value of\n this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-context" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -19625,7 +19625,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    \n
      \n
    • \n

      \n Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your \n CreateSession requests or PUT object requests. Then, new objects \n are automatically encrypted with the desired encryption settings. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads. \n

      \n

      In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, the encryption request headers must match the encryption settings that are specified in the CreateSession request. \n You can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) that are specified in the CreateSession request. \n You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and \n Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. \n

      \n \n

      When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the \n CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. \n So in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), \n the encryption request headers must match the default encryption configuration of the directory bucket.\n\n

      \n
      \n
    • \n
    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -19667,21 +19667,21 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    Specifies the ID (Key ID, Key ARN, or Key Alias) of the symmetric encryption customer managed key to use for object encryption.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to use for object encryption. If the KMS key doesn't exist in the same\n account that's issuing the command, you must use the full Key ARN not the Key ID.

    \n

    \n General purpose buckets - If you specify x-amz-server-side-encryption with aws:kms or aws:kms:dsse, this header specifies the ID (Key ID, Key ARN, or Key Alias) of the KMS \n key to use. If you specify\n x-amz-server-side-encryption:aws:kms or\n x-amz-server-side-encryption:aws:kms:dsse, but do not provide x-amz-server-side-encryption-aws-kms-key-id, Amazon S3 uses the Amazon Web Services managed key\n (aws/s3) to protect the data.

    \n

    \n Directory buckets - If you specify x-amz-server-side-encryption with aws:kms, you must specify the \n x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS \n symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. \nAmazon Web Services managed key (aws/s3) isn't supported. \n

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "SSEKMSEncryptionContext": { "target": "com.amazonaws.s3#SSEKMSEncryptionContext", "traits": { - "smithy.api#documentation": "

    Specifies the Amazon Web Services KMS Encryption Context to use for object encryption. The value of\n this header is a base64-encoded UTF-8 string holding JSON with the encryption context\n key-value pairs.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Specifies the Amazon Web Services KMS Encryption Context to use for object encryption. The value of\n this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs.

    \n

    \n Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-context" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with\n server-side encryption using Key Management Service (KMS) keys (SSE-KMS). Setting this header to\n true causes Amazon S3 to use an S3 Bucket Key for object encryption with\n SSE-KMS.

    \n

    Specifying this header with an object action doesn’t affect bucket-level settings for S3\n Bucket Key.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with\n server-side encryption using Key Management Service (KMS) keys (SSE-KMS).

    \n

    \n General purpose buckets - Setting this header to\n true causes Amazon S3 to use an S3 Bucket Key for object encryption with\n SSE-KMS. Also, specifying this header with a PUT action doesn't affect bucket-level settings for S3\n Bucket Key.

    \n

    \n Directory buckets - S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets \nto directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or \n the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -19752,7 +19752,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Creates a session that establishes temporary security credentials to support fast authentication and authorization for the Zonal endpoint APIs on directory buckets. \n For more information about Zonal endpoint APIs that include the Availability Zone in the request endpoint, see \n S3 Express One Zone APIs in the Amazon S3 User Guide. \n

    \n

    To make Zonal endpoint API requests on a directory bucket, use the CreateSession\n API operation. Specifically, you grant s3express:CreateSession permission to a\n bucket in a bucket policy or an IAM identity-based policy. Then, you use IAM credentials to make the\n CreateSession API request on the bucket, which returns temporary security\n credentials that include the access key ID, secret access key, session token, and\n expiration. These credentials have associated permissions to access the Zonal endpoint APIs. After\n the session is created, you don’t need to use other policies to grant permissions to each\n Zonal endpoint API individually. Instead, in your Zonal endpoint API requests, you sign your requests by\n applying the temporary security credentials of the session to the request headers and\n following the SigV4 protocol for authentication. You also apply the session token to the\n x-amz-s3session-token request header for authorization. Temporary security\n credentials are scoped to the bucket and expire after 5 minutes. After the expiration time,\n any calls that you make with those credentials will fail. You must use IAM credentials\n again to make a CreateSession API request that generates a new set of\n temporary credentials for use. Temporary credentials cannot be extended or refreshed beyond\n the original specified interval.

    \n

    If you use Amazon Web Services SDKs, SDKs handle the session token refreshes automatically to avoid\n service interruptions when a session expires. We recommend that you use the Amazon Web Services SDKs to\n initiate and manage requests to the CreateSession API. For more information, see Performance guidelines and design patterns in the\n Amazon S3 User Guide.

    \n \n
      \n
    • \n

      You must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com. Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n \n CopyObject API operation - Unlike other Zonal endpoint APIs, the CopyObject API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the CopyObject API operation on directory buckets, see CopyObject.

      \n
    • \n
    • \n

      \n \n HeadBucket API operation - Unlike other Zonal endpoint APIs, the HeadBucket API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the HeadBucket API operation on directory buckets, see HeadBucket.

      \n
    • \n
    \n
    \n
    \n
    Permissions
    \n
    \n

    To obtain temporary security credentials, you must create a bucket policy or an IAM identity-based policy that\n grants s3express:CreateSession permission to the bucket. In a\n policy, you can have the s3express:SessionMode condition key to\n control who can create a ReadWrite or ReadOnly session.\n For more information about ReadWrite or ReadOnly\n sessions, see \n x-amz-create-session-mode\n . For example policies, see\n Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the\n Amazon S3 User Guide.

    \n

    To grant cross-account access to Zonal endpoint APIs, the bucket policy should also grant both accounts the s3express:CreateSession permission.

    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    ", + "smithy.api#documentation": "

    Creates a session that establishes temporary security credentials to support fast authentication and authorization for the Zonal endpoint API operations on directory buckets. \n For more information about Zonal endpoint API operations that include the Availability Zone in the request endpoint, see \n S3 Express One Zone APIs in the Amazon S3 User Guide. \n

    \n

    To make Zonal endpoint API requests on a directory bucket, use the CreateSession\n API operation. Specifically, you grant s3express:CreateSession permission to a\n bucket in a bucket policy or an IAM identity-based policy. Then, you use IAM credentials to make the\n CreateSession API request on the bucket, which returns temporary security\n credentials that include the access key ID, secret access key, session token, and\n expiration. These credentials have associated permissions to access the Zonal endpoint API operations. After\n the session is created, you don’t need to use other policies to grant permissions to each\n Zonal endpoint API individually. Instead, in your Zonal endpoint API requests, you sign your requests by\n applying the temporary security credentials of the session to the request headers and\n following the SigV4 protocol for authentication. You also apply the session token to the\n x-amz-s3session-token request header for authorization. Temporary security\n credentials are scoped to the bucket and expire after 5 minutes. After the expiration time,\n any calls that you make with those credentials will fail. You must use IAM credentials\n again to make a CreateSession API request that generates a new set of\n temporary credentials for use. Temporary credentials cannot be extended or refreshed beyond\n the original specified interval.

    \n

    If you use Amazon Web Services SDKs, SDKs handle the session token refreshes automatically to avoid\n service interruptions when a session expires. We recommend that you use the Amazon Web Services SDKs to\n initiate and manage requests to the CreateSession API. For more information, see Performance guidelines and design patterns in the\n Amazon S3 User Guide.

    \n \n
      \n
    • \n

      You must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com. Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n \n CopyObject API operation - Unlike other Zonal endpoint API operations, the CopyObject API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the CopyObject API operation on directory buckets, see CopyObject.

      \n
    • \n
    • \n

      \n \n HeadBucket API operation - Unlike other Zonal endpoint API operations, the HeadBucket API operation doesn't use the temporary security credentials returned from the CreateSession API operation for authentication and authorization. For information about authentication and authorization of the HeadBucket API operation on directory buckets, see HeadBucket.

      \n
    • \n
    \n
    \n
    \n
    Permissions
    \n
    \n

    To obtain temporary security credentials, you must create a bucket policy or an IAM identity-based policy that\n grants s3express:CreateSession permission to the bucket. In a\n policy, you can have the s3express:SessionMode condition key to\n control who can create a ReadWrite or ReadOnly session.\n For more information about ReadWrite or ReadOnly\n sessions, see \n x-amz-create-session-mode\n . For example policies, see\n Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the\n Amazon S3 User Guide.

    \n

    To grant cross-account access to Zonal endpoint API operations, the bucket policy should also grant both accounts the s3express:CreateSession permission.

    \n

    If you want to encrypt objects with SSE-KMS, you must also have the kms:GenerateDataKey and the kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the target KMS key.

    \n
    \n
    Encryption
    \n
    \n

    For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your \n CreateSession requests or PUT object requests. Then, new objects \n are automatically encrypted with the desired encryption settings. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

    \n

    For Zonal endpoint (object-level) API operations except CopyObject and UploadPartCopy, \nyou authenticate and authorize requests through CreateSession for low latency. \n To encrypt new objects in a directory bucket with SSE-KMS, you must specify SSE-KMS as the directory bucket's default encryption configuration with a KMS key (specifically, a customer managed key). Then, when a session is created for Zonal endpoint API operations, new objects are automatically encrypted and decrypted with SSE-KMS and S3 Bucket Keys during the session.

    \n \n

    \n Only 1 customer managed key is supported per directory bucket for the lifetime of the bucket. Amazon Web Services managed key (aws/s3) isn't supported. \n After you specify SSE-KMS as your bucket's default encryption configuration with a customer managed key, you can't change the customer managed key for the bucket's SSE-KMS configuration.\n

    \n
    \n

    In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, \n you can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) from the CreateSession request. \n You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and \n Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. \n

    \n \n

    When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the \n CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. \n Also, in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), \n it's not supported to override the values of the encryption settings from the CreateSession request. \n\n

    \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    ", "smithy.api#http": { "method": "GET", "uri": "/{Bucket}?session", @@ -19768,6 +19768,34 @@ "com.amazonaws.s3#CreateSessionOutput": { "type": "structure", "members": { + "ServerSideEncryption": { + "target": "com.amazonaws.s3#ServerSideEncryption", + "traits": { + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store objects in the directory bucket.

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption" + } + }, + "SSEKMSKeyId": { + "target": "com.amazonaws.s3#SSEKMSKeyId", + "traits": { + "smithy.api#documentation": "

    If you specify x-amz-server-side-encryption with aws:kms, this header indicates the ID of the KMS \n symmetric encryption customer managed key that was used for object encryption.

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" + } + }, + "SSEKMSEncryptionContext": { + "target": "com.amazonaws.s3#SSEKMSEncryptionContext", + "traits": { + "smithy.api#documentation": "

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The value of\n this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. \n This value is stored as object metadata and automatically gets\n passed on to Amazon Web Services KMS for future GetObject \n operations on this object.

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption-context" + } + }, + "BucketKeyEnabled": { + "target": "com.amazonaws.s3#BucketKeyEnabled", + "traits": { + "smithy.api#documentation": "

    Indicates whether to use an S3 Bucket Key for server-side encryption\n with KMS keys (SSE-KMS).

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" + } + }, "Credentials": { "target": "com.amazonaws.s3#SessionCredentials", "traits": { @@ -19787,7 +19815,7 @@ "SessionMode": { "target": "com.amazonaws.s3#SessionMode", "traits": { - "smithy.api#documentation": "

    Specifies the mode of the session that will be created, either ReadWrite or\n ReadOnly. By default, a ReadWrite session is created. A\n ReadWrite session is capable of executing all the Zonal endpoint APIs on a\n directory bucket. A ReadOnly session is constrained to execute the following\n Zonal endpoint APIs: GetObject, HeadObject, ListObjectsV2,\n GetObjectAttributes, ListParts, and\n ListMultipartUploads.

    ", + "smithy.api#documentation": "

    Specifies the mode of the session that will be created, either ReadWrite or\n ReadOnly. By default, a ReadWrite session is created. A\n ReadWrite session is capable of executing all the Zonal endpoint API operations on a\n directory bucket. A ReadOnly session is constrained to execute the following\n Zonal endpoint API operations: GetObject, HeadObject, ListObjectsV2,\n GetObjectAttributes, ListParts, and\n ListMultipartUploads.

    ", "smithy.api#httpHeader": "x-amz-create-session-mode" } }, @@ -19801,6 +19829,34 @@ "name": "Bucket" } } + }, + "ServerSideEncryption": { + "target": "com.amazonaws.s3#ServerSideEncryption", + "traits": { + "smithy.api#documentation": "

    The server-side encryption algorithm to use when you store objects in the directory bucket.

    \n

    For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). By default, Amazon S3 encrypts data with SSE-S3. \n For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption" + } + }, + "SSEKMSKeyId": { + "target": "com.amazonaws.s3#SSEKMSKeyId", + "traits": { + "smithy.api#documentation": "

    If you specify x-amz-server-side-encryption with aws:kms, you must specify the \n x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS \n symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Also, if the KMS key doesn't exist in the same\n account that't issuing the command, you must use the full Key ARN not the Key ID.

    \n

    Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. \nAmazon Web Services managed key (aws/s3) isn't supported. \n

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" + } + }, + "SSEKMSEncryptionContext": { + "target": "com.amazonaws.s3#SSEKMSEncryptionContext", + "traits": { + "smithy.api#documentation": "

    Specifies the Amazon Web Services KMS Encryption Context as an additional encryption context to use for object encryption. The value of\n this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. \n This value is stored as object metadata and automatically gets passed on\n to Amazon Web Services KMS for future GetObject operations on\n this object.

    \n

    \n General purpose buckets - This value must be explicitly added during CopyObject operations if you want an additional encryption context for your object. For more information, see Encryption context in the Amazon S3 User Guide.

    \n

    \n Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption-context" + } + }, + "BucketKeyEnabled": { + "target": "com.amazonaws.s3#BucketKeyEnabled", + "traits": { + "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with\n server-side encryption using KMS keys (SSE-KMS).

    \n

    S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets \nto directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or \n the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    ", + "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" + } } }, "traits": { @@ -20035,7 +20091,7 @@ "target": "smithy.api#Unit" }, "traits": { - "smithy.api#documentation": "\n

    This operation is not supported by directory buckets.

    \n
    \n

    This implementation of the DELETE action resets the default encryption for the bucket as\n server-side encryption with Amazon S3 managed keys (SSE-S3). For information about the bucket\n default encryption feature, see Amazon S3 Bucket Default Encryption\n in the Amazon S3 User Guide.

    \n

    To use this operation, you must have permissions to perform the\n s3:PutEncryptionConfiguration action. The bucket owner has this permission\n by default. The bucket owner can grant this permission to others. For more information\n about permissions, see Permissions Related to Bucket Subresource Operations and Managing\n Access Permissions to your Amazon S3 Resources in the\n Amazon S3 User Guide.

    \n

    The following operations are related to DeleteBucketEncryption:

    \n ", + "smithy.api#documentation": "

    This implementation of the DELETE action resets the default encryption for the bucket as\n server-side encryption with Amazon S3 managed keys (SSE-S3).

    \n \n \n \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - The s3:PutEncryptionConfiguration permission is required in a policy. \n The bucket owner has this permission\n by default. The bucket owner can grant this permission to others. For more information\n about permissions, see Permissions Related to Bucket Operations and Managing\n Access Permissions to Your Amazon S3 Resources.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation, you must have the s3express:PutEncryptionConfiguration permission in an IAM identity-based policy instead of a bucket policy. Cross-account access to this API operation isn't supported. This operation can only be performed by the Amazon Web Services account that owns the resource. For more information about directory bucket policies and permissions, see Amazon Web Services Identity and Access Management (IAM) for S3 Express One Zone in the Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to DeleteBucketEncryption:

    \n ", "smithy.api#http": { "method": "DELETE", "uri": "/{Bucket}?encryption", @@ -20054,7 +20110,7 @@ "Bucket": { "target": "com.amazonaws.s3#BucketName", "traits": { - "smithy.api#documentation": "

    The name of the bucket containing the server-side encryption configuration to\n delete.

    ", + "smithy.api#documentation": "

    The name of the bucket containing the server-side encryption configuration to\n delete.

    \n

    \n Directory buckets - When you use this operation with a directory bucket, you must use path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name\n . Virtual-hosted-style requests aren't supported. Directory bucket names must be unique in the chosen Availability Zone. Bucket names must also follow the format \n bucket_base_name--az_id--x-s3 (for example, \n DOC-EXAMPLE-BUCKET--usw2-az1--x-s3). For information about bucket naming restrictions, see Directory bucket naming rules in the Amazon S3 User Guide\n

    ", "smithy.api#httpLabel": {}, "smithy.api#required": {}, "smithy.rules#contextParam": { @@ -20065,7 +20121,7 @@ "ExpectedBucketOwner": { "target": "com.amazonaws.s3#AccountId", "traits": { - "smithy.api#documentation": "

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    ", + "smithy.api#documentation": "

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    \n \n

    For directory buckets, this header is not supported in this API operation. If you specify this header, the request fails with the HTTP status code \n501 Not Implemented.

    \n
    ", "smithy.api#httpHeader": "x-amz-expected-bucket-owner" } } @@ -21531,7 +21587,7 @@ } }, "traits": { - "smithy.api#documentation": "

    Optional configuration to replicate existing source bucket objects. For more\n information, see Replicating Existing Objects in the Amazon S3 User Guide.\n

    " + "smithy.api#documentation": "

    Optional configuration to replicate existing source bucket objects. \n

    \n \n

    This parameter is no longer supported. To replicate existing objects, see Replicating existing objects with S3 Batch Replication in the Amazon S3 User Guide.

    \n
    " } }, "com.amazonaws.s3#ExistingObjectReplicationStatus": { @@ -21987,7 +22043,7 @@ "target": "com.amazonaws.s3#GetBucketEncryptionOutput" }, "traits": { - "smithy.api#documentation": "\n

    This operation is not supported by directory buckets.

    \n
    \n

    Returns the default encryption configuration for an Amazon S3 bucket. By default, all buckets\n have a default encryption configuration that uses server-side encryption with Amazon S3 managed\n keys (SSE-S3). For information about the bucket default encryption feature, see Amazon S3 Bucket\n Default Encryption in the Amazon S3 User Guide.

    \n

    To use this operation, you must have permission to perform the\n s3:GetEncryptionConfiguration action. The bucket owner has this permission\n by default. The bucket owner can grant this permission to others. For more information\n about permissions, see Permissions Related to Bucket Subresource Operations and Managing\n Access Permissions to Your Amazon S3 Resources.

    \n

    The following operations are related to GetBucketEncryption:

    \n ", + "smithy.api#documentation": "

    Returns the default encryption configuration for an Amazon S3 bucket. By default, all buckets\n have a default encryption configuration that uses server-side encryption with Amazon S3 managed\n keys (SSE-S3).

    \n \n \n \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - The s3:GetEncryptionConfiguration permission is required in a policy. \n The bucket owner has this permission\n by default. The bucket owner can grant this permission to others. For more information\n about permissions, see Permissions Related to Bucket Operations and Managing\n Access Permissions to Your Amazon S3 Resources.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation, you must have the s3express:GetEncryptionConfiguration permission in an IAM identity-based policy instead of a bucket policy. Cross-account access to this API operation isn't supported. This operation can only be performed by the Amazon Web Services account that owns the resource. For more information about directory bucket policies and permissions, see Amazon Web Services Identity and Access Management (IAM) for S3 Express One Zone in the Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to GetBucketEncryption:

    \n ", "smithy.api#http": { "method": "GET", "uri": "/{Bucket}?encryption", @@ -22020,7 +22076,7 @@ "Bucket": { "target": "com.amazonaws.s3#BucketName", "traits": { - "smithy.api#documentation": "

    The name of the bucket from which the server-side encryption configuration is\n retrieved.

    ", + "smithy.api#documentation": "

    The name of the bucket from which the server-side encryption configuration is\n retrieved.

    \n

    \n Directory buckets - When you use this operation with a directory bucket, you must use path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name\n . Virtual-hosted-style requests aren't supported. Directory bucket names must be unique in the chosen Availability Zone. Bucket names must also follow the format \n bucket_base_name--az_id--x-s3 (for example, \n DOC-EXAMPLE-BUCKET--usw2-az1--x-s3). For information about bucket naming restrictions, see Directory bucket naming rules in the Amazon S3 User Guide\n

    ", "smithy.api#httpLabel": {}, "smithy.api#required": {}, "smithy.rules#contextParam": { @@ -22031,7 +22087,7 @@ "ExpectedBucketOwner": { "target": "com.amazonaws.s3#AccountId", "traits": { - "smithy.api#documentation": "

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    ", + "smithy.api#documentation": "

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    \n \n

    For directory buckets, this header is not supported in this API operation. If you specify this header, the request fails with the HTTP status code \n501 Not Implemented.

    \n
    ", "smithy.api#httpHeader": "x-amz-expected-bucket-owner" } } @@ -23168,7 +23224,7 @@ "requestValidationModeMember": "ChecksumMode", "responseAlgorithms": ["CRC32", "CRC32C", "SHA256", "SHA1"] }, - "smithy.api#documentation": "

    Retrieves an object from Amazon S3.

    \n

    In the GetObject request, specify the full key name for the object.

    \n

    \n General purpose buckets - Both the virtual-hosted-style requests and the path-style requests are supported. For a virtual hosted-style request example, if you have\n the object photos/2006/February/sample.jpg, specify the object key name as\n /photos/2006/February/sample.jpg. For a path-style request example, if you\n have the object photos/2006/February/sample.jpg in the bucket named\n examplebucket, specify the object key name as\n /examplebucket/photos/2006/February/sample.jpg. For more information about\n request types, see HTTP Host\n Header Bucket Specification in the Amazon S3 User Guide.

    \n

    \n Directory buckets - Only virtual-hosted-style requests are supported. For a virtual hosted-style request example, if you have the object photos/2006/February/sample.jpg in the bucket named examplebucket--use1-az5--x-s3, specify the object key name as /photos/2006/February/sample.jpg. Also, when you make requests to this API operation, your requests are sent to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - You must have the required permissions in a policy. To use GetObject, you must have the READ\n access to the object (or version). If you grant READ access to the anonymous user, the GetObject operation \n returns the object without using an authorization header. For more information, see Specifying permissions in\n a policy in the Amazon S3 User Guide.

      \n

      If you include a versionId in your request header, you must have the\n s3:GetObjectVersion permission to access a specific\n version of an object. The s3:GetObject permission is not required in this scenario.

      \n

      If you request the\n current version of an object without a specific versionId in the request header, only\n the s3:GetObject permission is required. The s3:GetObjectVersion permission is not required in this scenario.\n

      \n

      If the object that you request doesn’t exist, the error that\n Amazon S3 returns depends on whether you also have the s3:ListBucket\n permission.

      \n
        \n
      • \n

        If you have the s3:ListBucket permission on the bucket, Amazon S3\n returns an HTTP status code 404 Not Found error.

        \n
      • \n
      • \n

        If you don’t have the s3:ListBucket permission, Amazon S3 returns an\n HTTP status code 403 Access Denied error.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    \n
    \n
    Storage classes
    \n
    \n

    If the object you are retrieving is stored in the S3 Glacier Flexible Retrieval storage class, the \n S3 Glacier Deep Archive storage class, the S3 Intelligent-Tiering Archive Access tier, or the \n S3 Intelligent-Tiering Deep Archive Access tier, before you can retrieve the object you must first restore a\n copy using RestoreObject. Otherwise, this operation returns an\n InvalidObjectState error. For information about restoring archived objects,\n see Restoring\n Archived Objects in the Amazon S3 User Guide.

    \n

    \n Directory buckets - For directory buckets, only the S3 Express One Zone storage class is supported to store newly created objects. \nUnsupported storage class values won't write a destination object and will respond with the HTTP status code 400 Bad Request.

    \n
    \n
    Encryption
    \n
    \n

    Encryption request headers, like x-amz-server-side-encryption, should not\n be sent for the GetObject requests, if your object uses server-side encryption with Amazon S3 managed encryption keys (SSE-S3), server-side encryption with Key Management Service (KMS)\n keys (SSE-KMS), or dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). If you include the header in your GetObject requests for the object that uses \n these types of keys, you’ll get an HTTP 400 Bad Request error.

    \n
    \n
    Overriding response header values through the request
    \n
    \n

    There are times when you want to override certain response header values of a\n GetObject response. For example, you might override the\n Content-Disposition response header value through your GetObject\n request.

    \n

    You can override values for a set of response headers. These modified response header values are included only in a successful response, that is, when the HTTP status code 200 OK is returned. \n The headers you can override using the following query parameters in the request are a subset of the headers that Amazon S3 accepts when you create an object. \n

    \n

    The response headers that you can override for the\n GetObject response are Cache-Control, Content-Disposition, \n Content-Encoding, Content-Language, Content-Type, and Expires.

    \n

    To override values for a set of response headers in the\n GetObject response, you can use the following query\n parameters in the request.

    \n
      \n
    • \n

      \n response-cache-control\n

      \n
    • \n
    • \n

      \n response-content-disposition\n

      \n
    • \n
    • \n

      \n response-content-encoding\n

      \n
    • \n
    • \n

      \n response-content-language\n

      \n
    • \n
    • \n

      \n response-content-type\n

      \n
    • \n
    • \n

      \n response-expires\n

      \n
    • \n
    \n \n

    When you use these parameters, you must sign the request by using either an Authorization header or a\n presigned URL. These parameters cannot be used with an\n unsigned (anonymous) request.

    \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to GetObject:

    \n ", + "smithy.api#documentation": "

    Retrieves an object from Amazon S3.

    \n

    In the GetObject request, specify the full key name for the object.

    \n

    \n General purpose buckets - Both the virtual-hosted-style requests and the path-style requests are supported. For a virtual hosted-style request example, if you have\n the object photos/2006/February/sample.jpg, specify the object key name as\n /photos/2006/February/sample.jpg. For a path-style request example, if you\n have the object photos/2006/February/sample.jpg in the bucket named\n examplebucket, specify the object key name as\n /examplebucket/photos/2006/February/sample.jpg. For more information about\n request types, see HTTP Host\n Header Bucket Specification in the Amazon S3 User Guide.

    \n

    \n Directory buckets - Only virtual-hosted-style requests are supported. For a virtual hosted-style request example, if you have the object photos/2006/February/sample.jpg in the bucket named examplebucket--use1-az5--x-s3, specify the object key name as /photos/2006/February/sample.jpg. Also, when you make requests to this API operation, your requests are sent to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - You must have the required permissions in a policy. To use GetObject, you must have the READ\n access to the object (or version). If you grant READ access to the anonymous user, the GetObject operation \n returns the object without using an authorization header. For more information, see Specifying permissions in\n a policy in the Amazon S3 User Guide.

      \n

      If you include a versionId in your request header, you must have the\n s3:GetObjectVersion permission to access a specific\n version of an object. The s3:GetObject permission is not required in this scenario.

      \n

      If you request the\n current version of an object without a specific versionId in the request header, only\n the s3:GetObject permission is required. The s3:GetObjectVersion permission is not required in this scenario.\n

      \n

      If the object that you request doesn’t exist, the error that\n Amazon S3 returns depends on whether you also have the s3:ListBucket\n permission.

      \n
        \n
      • \n

        If you have the s3:ListBucket permission on the bucket, Amazon S3\n returns an HTTP status code 404 Not Found error.

        \n
      • \n
      • \n

        If you don’t have the s3:ListBucket permission, Amazon S3 returns an\n HTTP status code 403 Access Denied error.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n

      If the object is encrypted using \n SSE-KMS, you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      \n
    • \n
    \n
    \n
    Storage classes
    \n
    \n

    If the object you are retrieving is stored in the S3 Glacier Flexible Retrieval storage class, the \n S3 Glacier Deep Archive storage class, the S3 Intelligent-Tiering Archive Access tier, or the \n S3 Intelligent-Tiering Deep Archive Access tier, before you can retrieve the object you must first restore a\n copy using RestoreObject. Otherwise, this operation returns an\n InvalidObjectState error. For information about restoring archived objects,\n see Restoring\n Archived Objects in the Amazon S3 User Guide.

    \n

    \n Directory buckets - For directory buckets, only the S3 Express One Zone storage class is supported to store newly created objects. \nUnsupported storage class values won't write a destination object and will respond with the HTTP status code 400 Bad Request.

    \n
    \n
    Encryption
    \n
    \n

    Encryption request headers, like x-amz-server-side-encryption, should not\n be sent for the GetObject requests, if your object uses server-side encryption with Amazon S3 managed encryption keys (SSE-S3), server-side encryption with Key Management Service (KMS)\n keys (SSE-KMS), or dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). If you include the header in your GetObject requests for the object that uses \n these types of keys, you’ll get an HTTP 400 Bad Request error.

    \n

    \n Directory buckets - For directory buckets, there are only two supported options for server-side encryption: SSE-S3 and SSE-KMS. SSE-C isn't supported. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

    \n
    \n
    Overriding response header values through the request
    \n
    \n

    There are times when you want to override certain response header values of a\n GetObject response. For example, you might override the\n Content-Disposition response header value through your GetObject\n request.

    \n

    You can override values for a set of response headers. These modified response header values are included only in a successful response, that is, when the HTTP status code 200 OK is returned. \n The headers you can override using the following query parameters in the request are a subset of the headers that Amazon S3 accepts when you create an object. \n

    \n

    The response headers that you can override for the\n GetObject response are Cache-Control, Content-Disposition, \n Content-Encoding, Content-Language, Content-Type, and Expires.

    \n

    To override values for a set of response headers in the\n GetObject response, you can use the following query\n parameters in the request.

    \n
      \n
    • \n

      \n response-cache-control\n

      \n
    • \n
    • \n

      \n response-content-disposition\n

      \n
    • \n
    • \n

      \n response-content-encoding\n

      \n
    • \n
    • \n

      \n response-content-language\n

      \n
    • \n
    • \n

      \n response-content-type\n

      \n
    • \n
    • \n

      \n response-expires\n

      \n
    • \n
    \n \n

    When you use these parameters, you must sign the request by using either an Authorization header or a\n presigned URL. These parameters cannot be used with an\n unsigned (anonymous) request.

    \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to GetObject:

    \n ", "smithy.api#http": { "method": "GET", "uri": "/{Bucket}/{Key+}?x-id=GetObject", @@ -23340,7 +23396,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Retrieves all the metadata from an object without returning the object itself. This\n operation is useful if you're interested only in an object's metadata.

    \n

    \n GetObjectAttributes combines the functionality of HeadObject\n and ListParts. All of the data returned with each of those individual calls\n can be returned with a single call to GetObjectAttributes.

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - To use\n GetObjectAttributes, you must have READ access to the object. The permissions that you need to use this operation with depend on whether the\n bucket is versioned. If the bucket is versioned, you need both the\n s3:GetObjectVersion and s3:GetObjectVersionAttributes\n permissions for this operation. If the bucket is not versioned, you need the\n s3:GetObject and s3:GetObjectAttributes permissions.\n For more information, see Specifying Permissions in\n a Policy in the Amazon S3 User Guide. If the object\n that you request does not exist, the error Amazon S3 returns depends on whether you\n also have the s3:ListBucket permission.

      \n
        \n
      • \n

        If you have the s3:ListBucket permission on the bucket, Amazon S3\n returns an HTTP status code 404 Not Found (\"no such key\")\n error.

        \n
      • \n
      • \n

        If you don't have the s3:ListBucket permission, Amazon S3 returns\n an HTTP status code 403 Forbidden (\"access denied\")\n error.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n \n

    Encryption request headers, like x-amz-server-side-encryption,\n should not be sent for HEAD requests if your object uses server-side\n encryption with Key Management Service (KMS) keys (SSE-KMS), dual-layer server-side\n encryption with Amazon Web Services KMS keys (DSSE-KMS), or server-side encryption with Amazon S3\n managed encryption keys (SSE-S3). The x-amz-server-side-encryption header is used when you PUT an object to S3 and want to specify the encryption method. \n If you include this header in a GET request for an object that uses these types of keys, \n you’ll get an HTTP 400 Bad Request error. It's because the encryption method can't be changed when you retrieve the object.

    \n
    \n

    If you encrypt an object by using server-side encryption with customer-provided\n encryption keys (SSE-C) when you store the object in Amazon S3, then when you retrieve the\n metadata from the object, you must use the following headers to provide the encryption key for the server to be able to retrieve the object's metadata. The headers are:

    \n
      \n
    • \n

      \n x-amz-server-side-encryption-customer-algorithm\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key-MD5\n

      \n
    • \n
    \n

    For more information about SSE-C, see Server-Side Encryption\n (Using Customer-Provided Encryption Keys) in the Amazon S3\n User Guide.

    \n \n

    \n Directory bucket permissions - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    \n
    \n
    Versioning
    \n
    \n

    \n Directory buckets - S3 Versioning isn't enabled and supported for directory buckets. For this API operation, only the null value of the version ID is supported by directory buckets. You can only specify null \n to the versionId query parameter in the request.

    \n
    \n
    Conditional request headers
    \n
    \n

    Consider the following when using request headers:

    \n
      \n
    • \n

      If both of the If-Match and If-Unmodified-Since headers\n are present in the request as follows, then Amazon S3 returns the HTTP status code\n 200 OK and the data requested:

      \n
        \n
      • \n

        \n If-Match condition evaluates to true.

        \n
      • \n
      • \n

        \n If-Unmodified-Since condition evaluates to\n false.

        \n
      • \n
      \n

      For more information about conditional requests, see RFC 7232.

      \n
    • \n
    • \n

      If both of the If-None-Match and If-Modified-Since\n headers are present in the request as follows, then Amazon S3 returns the HTTP status code\n 304 Not Modified:

      \n
        \n
      • \n

        \n If-None-Match condition evaluates to false.

        \n
      • \n
      • \n

        \n If-Modified-Since condition evaluates to\n true.

        \n
      • \n
      \n

      For more information about conditional requests, see RFC 7232.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following actions are related to GetObjectAttributes:

    \n ", + "smithy.api#documentation": "

    Retrieves all the metadata from an object without returning the object itself. This\n operation is useful if you're interested only in an object's metadata.

    \n

    \n GetObjectAttributes combines the functionality of HeadObject\n and ListParts. All of the data returned with each of those individual calls\n can be returned with a single call to GetObjectAttributes.

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - To use\n GetObjectAttributes, you must have READ access to the object. The permissions that you need to use this operation depend on whether the\n bucket is versioned. If the bucket is versioned, you need both the\n s3:GetObjectVersion and s3:GetObjectVersionAttributes\n permissions for this operation. If the bucket is not versioned, you need the\n s3:GetObject and s3:GetObjectAttributes permissions.\n For more information, see Specifying Permissions in\n a Policy in the Amazon S3 User Guide. If the object\n that you request does not exist, the error Amazon S3 returns depends on whether you\n also have the s3:ListBucket permission.

      \n
        \n
      • \n

        If you have the s3:ListBucket permission on the bucket, Amazon S3\n returns an HTTP status code 404 Not Found (\"no such key\")\n error.

        \n
      • \n
      • \n

        If you don't have the s3:ListBucket permission, Amazon S3 returns\n an HTTP status code 403 Forbidden (\"access denied\")\n error.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n

      If the object is encrypted with\n SSE-KMS, you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n \n

    Encryption request headers, like x-amz-server-side-encryption,\n should not be sent for HEAD requests if your object uses server-side\n encryption with Key Management Service (KMS) keys (SSE-KMS), dual-layer server-side\n encryption with Amazon Web Services KMS keys (DSSE-KMS), or server-side encryption with Amazon S3\n managed encryption keys (SSE-S3). The x-amz-server-side-encryption header is used when you PUT an object to S3 and want to specify the encryption method. \n If you include this header in a GET request for an object that uses these types of keys, \n you’ll get an HTTP 400 Bad Request error. It's because the encryption method can't be changed when you retrieve the object.

    \n
    \n

    If you encrypt an object by using server-side encryption with customer-provided\n encryption keys (SSE-C) when you store the object in Amazon S3, then when you retrieve the\n metadata from the object, you must use the following headers to provide the encryption key for the server to be able to retrieve the object's metadata. The headers are:

    \n
      \n
    • \n

      \n x-amz-server-side-encryption-customer-algorithm\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key-MD5\n

      \n
    • \n
    \n

    For more information about SSE-C, see Server-Side Encryption\n (Using Customer-Provided Encryption Keys) in the Amazon S3\n User Guide.

    \n \n

    \n Directory bucket permissions - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your \n CreateSession requests or PUT object requests. Then, new objects \n are automatically encrypted with the desired encryption settings. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

    \n
    \n
    \n
    Versioning
    \n
    \n

    \n Directory buckets - S3 Versioning isn't enabled and supported for directory buckets. For this API operation, only the null value of the version ID is supported by directory buckets. You can only specify null \n to the versionId query parameter in the request.

    \n
    \n
    Conditional request headers
    \n
    \n

    Consider the following when using request headers:

    \n
      \n
    • \n

      If both of the If-Match and If-Unmodified-Since headers\n are present in the request as follows, then Amazon S3 returns the HTTP status code\n 200 OK and the data requested:

      \n
        \n
      • \n

        \n If-Match condition evaluates to true.

        \n
      • \n
      • \n

        \n If-Unmodified-Since condition evaluates to\n false.

        \n
      • \n
      \n

      For more information about conditional requests, see RFC 7232.

      \n
    • \n
    • \n

      If both of the If-None-Match and If-Modified-Since\n headers are present in the request as follows, then Amazon S3 returns the HTTP status code\n 304 Not Modified:

      \n
        \n
      • \n

        \n If-None-Match condition evaluates to false.

        \n
      • \n
      • \n

        \n If-Modified-Since condition evaluates to\n true.

        \n
      • \n
      \n

      For more information about conditional requests, see RFC 7232.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following actions are related to GetObjectAttributes:

    \n ", "smithy.api#http": { "method": "GET", "uri": "/{Bucket}/{Key+}?attributes", @@ -23849,7 +23905,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -23877,14 +23933,14 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key\n that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -24101,7 +24157,7 @@ "ChecksumMode": { "target": "com.amazonaws.s3#ChecksumMode", "traits": { - "smithy.api#documentation": "

    To retrieve the checksum, this mode must be enabled.

    \n

    In addition, if you enable checksum mode and the object is uploaded with a \n checksum \n and encrypted with an Key Management Service (KMS) key, you must have permission to use the \n kms:Decrypt action to retrieve the checksum.

    ", + "smithy.api#documentation": "

    To retrieve the checksum, this mode must be enabled.

    \n

    \n General purpose buckets - In addition, if you enable checksum mode and the object is uploaded with a \n checksum \n and encrypted with an Key Management Service (KMS) key, you must have permission to use the \n kms:Decrypt action to retrieve the checksum.

    ", "smithy.api#httpHeader": "x-amz-checksum-mode" } } @@ -24715,7 +24771,7 @@ } ], "traits": { - "smithy.api#documentation": "

    The HEAD operation retrieves metadata from an object without returning the\n object itself. This operation is useful if you're interested only in an object's metadata.

    \n \n

    A HEAD request has the same options as a GET operation on an\n object. The response is identical to the GET response except that there is no\n response body. Because of this, if the HEAD request generates an error, it\n returns a generic code, such as 400 Bad Request, 403 Forbidden, 404 Not\n Found, 405 Method Not Allowed, 412 Precondition Failed, or 304 Not Modified. \n It's not possible to retrieve the exact exception of these error codes.

    \n
    \n

    Request headers are limited to 8 KB in size. For more information, see Common\n Request Headers.

    \n
    \n
    Permissions
    \n
    \n

    \n
      \n
    • \n

      \n General purpose bucket permissions - To\n use HEAD, you must have the s3:GetObject permission. You need the relevant read object (or version) permission for this operation.\n For more information, see Actions, resources, and condition\n keys for Amazon S3 in the Amazon S3\n User Guide.

      \n

      If the object you request doesn't exist, the error that\n Amazon S3 returns depends on whether you also have the s3:ListBucket permission.

      \n
        \n
      • \n

        If you have the s3:ListBucket permission on the bucket, Amazon S3\n returns an HTTP status code 404 Not Found error.

        \n
      • \n
      • \n

        If you don’t have the s3:ListBucket permission, Amazon S3 returns\n an HTTP status code 403 Forbidden error.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n \n

    Encryption request headers, like x-amz-server-side-encryption,\n should not be sent for HEAD requests if your object uses server-side\n encryption with Key Management Service (KMS) keys (SSE-KMS), dual-layer server-side\n encryption with Amazon Web Services KMS keys (DSSE-KMS), or server-side encryption with Amazon S3\n managed encryption keys (SSE-S3). The x-amz-server-side-encryption header is used when you PUT an object to S3 and want to specify the encryption method. \n If you include this header in a HEAD request for an object that uses these types of keys, \n you’ll get an HTTP 400 Bad Request error. It's because the encryption method can't be changed when you retrieve the object.

    \n
    \n

    If you encrypt an object by using server-side encryption with customer-provided\n encryption keys (SSE-C) when you store the object in Amazon S3, then when you retrieve the\n metadata from the object, you must use the following headers to provide the encryption key for the server to be able to retrieve the object's metadata. The headers are:

    \n
      \n
    • \n

      \n x-amz-server-side-encryption-customer-algorithm\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key-MD5\n

      \n
    • \n
    \n

    For more information about SSE-C, see Server-Side Encryption\n (Using Customer-Provided Encryption Keys) in the Amazon S3\n User Guide.

    \n \n

    \n Directory bucket permissions - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    \n
    \n
    Versioning
    \n
    \n
      \n
    • \n

      If the current version of the object is a delete marker, Amazon S3 behaves as if the object was deleted and includes x-amz-delete-marker: true in the response.

      \n
    • \n
    • \n

      If the specified version is a delete marker, the response returns a 405 Method Not Allowed error and the Last-Modified: timestamp response header.

      \n
    • \n
    \n \n
      \n
    • \n

      \n Directory buckets - Delete marker is not supported by directory buckets.

      \n
    • \n
    • \n

      \n Directory buckets - S3 Versioning isn't enabled and supported for directory buckets. For this API operation, only the null value of the version ID is supported by directory buckets. You can only specify null \n to the versionId query parameter in the request.

      \n
    • \n
    \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n \n

    For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    \n

    The following actions are related to HeadObject:

    \n ", + "smithy.api#documentation": "

    The HEAD operation retrieves metadata from an object without returning the\n object itself. This operation is useful if you're interested only in an object's metadata.

    \n \n

    A HEAD request has the same options as a GET operation on an\n object. The response is identical to the GET response except that there is no\n response body. Because of this, if the HEAD request generates an error, it\n returns a generic code, such as 400 Bad Request, 403 Forbidden, 404 Not\n Found, 405 Method Not Allowed, 412 Precondition Failed, or 304 Not Modified. \n It's not possible to retrieve the exact exception of these error codes.

    \n
    \n

    Request headers are limited to 8 KB in size. For more information, see Common\n Request Headers.

    \n
    \n
    Permissions
    \n
    \n

    \n
      \n
    • \n

      \n General purpose bucket permissions - To\n use HEAD, you must have the s3:GetObject permission. You need the relevant read object (or version) permission for this operation.\n For more information, see Actions, resources, and condition\n keys for Amazon S3 in the Amazon S3\n User Guide.

      \n

      If the object you request doesn't exist, the error that\n Amazon S3 returns depends on whether you also have the s3:ListBucket permission.

      \n
        \n
      • \n

        If you have the s3:ListBucket permission on the bucket, Amazon S3\n returns an HTTP status code 404 Not Found error.

        \n
      • \n
      • \n

        If you don’t have the s3:ListBucket permission, Amazon S3 returns\n an HTTP status code 403 Forbidden error.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n

      If you enable x-amz-checksum-mode in the request and the object is encrypted with\n Amazon Web Services Key Management Service (Amazon Web Services KMS), you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key to retrieve the checksum of the object.

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n \n

    Encryption request headers, like x-amz-server-side-encryption,\n should not be sent for HEAD requests if your object uses server-side\n encryption with Key Management Service (KMS) keys (SSE-KMS), dual-layer server-side\n encryption with Amazon Web Services KMS keys (DSSE-KMS), or server-side encryption with Amazon S3\n managed encryption keys (SSE-S3). The x-amz-server-side-encryption header is used when you PUT an object to S3 and want to specify the encryption method. \n If you include this header in a HEAD request for an object that uses these types of keys, \n you’ll get an HTTP 400 Bad Request error. It's because the encryption method can't be changed when you retrieve the object.

    \n
    \n

    If you encrypt an object by using server-side encryption with customer-provided\n encryption keys (SSE-C) when you store the object in Amazon S3, then when you retrieve the\n metadata from the object, you must use the following headers to provide the encryption key for the server to be able to retrieve the object's metadata. The headers are:

    \n
      \n
    • \n

      \n x-amz-server-side-encryption-customer-algorithm\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key\n

      \n
    • \n
    • \n

      \n x-amz-server-side-encryption-customer-key-MD5\n

      \n
    • \n
    \n

    For more information about SSE-C, see Server-Side Encryption\n (Using Customer-Provided Encryption Keys) in the Amazon S3\n User Guide.

    \n \n

    \n Directory bucket - For directory buckets, there are only two supported options for server-side encryption: SSE-S3 and SSE-KMS. SSE-C isn't supported. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

    \n
    \n
    \n
    Versioning
    \n
    \n
      \n
    • \n

      If the current version of the object is a delete marker, Amazon S3 behaves as if the object was deleted and includes x-amz-delete-marker: true in the response.

      \n
    • \n
    • \n

      If the specified version is a delete marker, the response returns a 405 Method Not Allowed error and the Last-Modified: timestamp response header.

      \n
    • \n
    \n \n
      \n
    • \n

      \n Directory buckets - Delete marker is not supported by directory buckets.

      \n
    • \n
    • \n

      \n Directory buckets - S3 Versioning isn't enabled and supported for directory buckets. For this API operation, only the null value of the version ID is supported by directory buckets. You can only specify null \n to the versionId query parameter in the request.

      \n
    • \n
    \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n \n

    For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    \n

    The following actions are related to HeadObject:

    \n ", "smithy.api#http": { "method": "HEAD", "uri": "/{Bucket}/{Key+}", @@ -24906,7 +24962,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -24934,14 +24990,14 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key\n that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -25151,7 +25207,7 @@ "ChecksumMode": { "target": "com.amazonaws.s3#ChecksumMode", "traits": { - "smithy.api#documentation": "

    To retrieve the checksum, this parameter must be enabled.

    \n

    In addition, if you enable checksum mode and the object is uploaded with a \n checksum \n and encrypted with an Key Management Service (KMS) key, you must have permission to use the \n kms:Decrypt action to retrieve the checksum.

    ", + "smithy.api#documentation": "

    To retrieve the checksum, this parameter must be enabled.

    \n

    \n General purpose buckets - If you enable checksum mode and the object is uploaded with a \n checksum \n and encrypted with an Key Management Service (KMS) key, you must have permission to use the \n kms:Decrypt action to retrieve the checksum.

    \n

    \n Directory buckets - If you enable ChecksumMode and the object is encrypted with\n Amazon Web Services Key Management Service (Amazon Web Services KMS), you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key to retrieve the checksum of the object.

    ", "smithy.api#httpHeader": "x-amz-checksum-mode" } } @@ -29500,7 +29556,7 @@ "requestAlgorithmMember": "ChecksumAlgorithm", "requestChecksumRequired": true }, - "smithy.api#documentation": "\n

    This operation is not supported by directory buckets.

    \n
    \n

    This action uses the encryption subresource to configure default encryption\n and Amazon S3 Bucket Keys for an existing bucket.

    \n

    By default, all buckets have a default encryption configuration that uses server-side\n encryption with Amazon S3 managed keys (SSE-S3). You can optionally configure default encryption\n for a bucket by using server-side encryption with Key Management Service (KMS) keys (SSE-KMS) or\n dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). If you specify default encryption by using\n SSE-KMS, you can also configure Amazon S3 Bucket\n Keys. If you use PutBucketEncryption to set your default bucket encryption to SSE-KMS, you should verify that your KMS key ID is correct. Amazon S3 does not validate the KMS key ID provided in PutBucketEncryption requests.

    \n \n

    If you're specifying a customer managed KMS key, we recommend using a fully qualified\n KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the\n requester’s account. This behavior can result in data that's encrypted with a KMS key\n that belongs to the requester, and not the bucket owner.

    \n

    Also, this action requires Amazon Web Services Signature Version 4. For more information, see \n Authenticating Requests (Amazon Web Services Signature Version 4).

    \n
    \n

    To use this operation, you must have permission to perform the\n s3:PutEncryptionConfiguration action. The bucket owner has this permission\n by default. The bucket owner can grant this permission to others. For more information\n about permissions, see Permissions Related to Bucket Subresource Operations and Managing\n Access Permissions to Your Amazon S3 Resources in the\n Amazon S3 User Guide.

    \n

    The following operations are related to PutBucketEncryption:

    \n ", + "smithy.api#documentation": "

    This operation configures default encryption \n and Amazon S3 Bucket Keys for an existing bucket.

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Regional endpoint. These endpoints support path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name\n . Virtual-hosted-style requests aren't supported. \nFor more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n

    By default, all buckets have a default encryption configuration that uses server-side\n encryption with Amazon S3 managed keys (SSE-S3).

    \n \n
      \n
    • \n

      \n General purpose buckets\n

      \n
        \n
      • \n

        You can optionally configure default encryption\n for a bucket by using server-side encryption with Key Management Service (KMS) keys (SSE-KMS) or\n dual-layer server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). \n If you specify default encryption by using\n SSE-KMS, you can also configure Amazon S3 Bucket\n Keys. For information about the bucket default\n encryption feature, see Amazon S3 Bucket Default Encryption\n in the Amazon S3 User Guide.\n

        \n
      • \n
      • \n

        If you use PutBucketEncryption to set your default bucket encryption to SSE-KMS, you should verify that your KMS key ID is correct. Amazon S3 doesn't validate the KMS key ID provided in PutBucketEncryption requests.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory buckets - You can optionally configure default encryption\n for a bucket by using server-side encryption with Key Management Service (KMS) keys (SSE-KMS).

      \n
        \n
      • \n

        We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your \n CreateSession requests or PUT object requests. Then, new objects \n are automatically encrypted with the desired encryption settings. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads.

        \n
      • \n
      • \n

        Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. \nAmazon Web Services managed key (aws/s3) isn't supported. \n

        \n
      • \n
      • \n

        S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets \nto directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or \n the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

        \n
      • \n
      • \n

        When you specify an KMS customer managed key for encryption in your directory bucket, only use the key ID or key ARN. The key alias format of the KMS key isn't supported.

        \n
      • \n
      • \n

        For directory buckets, if you use PutBucketEncryption to set your default bucket encryption to SSE-KMS, Amazon S3 validates the KMS key ID provided in PutBucketEncryption requests.

        \n
      • \n
      \n
    • \n
    \n
    \n \n

    If you're specifying a customer managed KMS key, we recommend using a fully qualified\n KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the\n requester’s account. This behavior can result in data that's encrypted with a KMS key\n that belongs to the requester, and not the bucket owner.

    \n

    Also, this action requires Amazon Web Services Signature Version 4. For more information, see \n Authenticating Requests (Amazon Web Services Signature Version 4).

    \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - The s3:PutEncryptionConfiguration permission is required in a policy. \n The bucket owner has this permission\n by default. The bucket owner can grant this permission to others. For more information\n about permissions, see Permissions Related to Bucket Operations and Managing\n Access Permissions to Your Amazon S3 Resources in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation, you must have the s3express:PutEncryptionConfiguration permission in an IAM identity-based policy instead of a bucket policy. Cross-account access to this API operation isn't supported. This operation can only be performed by the Amazon Web Services account that owns the resource. For more information about directory bucket policies and permissions, see Amazon Web Services Identity and Access Management (IAM) for S3 Express One Zone in the Amazon S3 User Guide.

      \n

      To set a directory bucket default encryption with SSE-KMS, you must also have the kms:GenerateDataKey and the kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the target KMS key.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to PutBucketEncryption:

    \n ", "smithy.api#http": { "method": "PUT", "uri": "/{Bucket}?encryption", @@ -29519,7 +29575,7 @@ "Bucket": { "target": "com.amazonaws.s3#BucketName", "traits": { - "smithy.api#documentation": "

    Specifies default encryption for a bucket using server-side encryption with different\n key options. By default, all buckets have a default encryption configuration that uses\n server-side encryption with Amazon S3 managed keys (SSE-S3). You can optionally configure\n default encryption for a bucket by using server-side encryption with an Amazon Web Services KMS key\n (SSE-KMS) or a customer-provided key (SSE-C). For information about the bucket default\n encryption feature, see Amazon S3 Bucket Default Encryption\n in the Amazon S3 User Guide.

    ", + "smithy.api#documentation": "

    Specifies default encryption for a bucket using server-side encryption with different\n key options.

    \n

    \n Directory buckets - When you use this operation with a directory bucket, you must use path-style requests in the format https://s3express-control.region_code.amazonaws.com/bucket-name\n . Virtual-hosted-style requests aren't supported. Directory bucket names must be unique in the chosen Availability Zone. Bucket names must also follow the format \n bucket_base_name--az_id--x-s3 (for example, \n DOC-EXAMPLE-BUCKET--usw2-az1--x-s3). For information about bucket naming restrictions, see Directory bucket naming rules in the Amazon S3 User Guide\n

    ", "smithy.api#httpLabel": {}, "smithy.api#required": {}, "smithy.rules#contextParam": { @@ -29530,14 +29586,14 @@ "ContentMD5": { "target": "com.amazonaws.s3#ContentMD5", "traits": { - "smithy.api#documentation": "

    The base64-encoded 128-bit MD5 digest of the server-side encryption\n configuration.

    \n

    For requests made using the Amazon Web Services Command Line Interface (CLI) or Amazon Web Services SDKs, this field is calculated automatically.

    ", + "smithy.api#documentation": "

    The base64-encoded 128-bit MD5 digest of the server-side encryption\n configuration.

    \n

    For requests made using the Amazon Web Services Command Line Interface (CLI) or Amazon Web Services SDKs, this field is calculated automatically.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", "smithy.api#httpHeader": "Content-MD5" } }, "ChecksumAlgorithm": { "target": "com.amazonaws.s3#ChecksumAlgorithm", "traits": { - "smithy.api#documentation": "

    Indicates the algorithm used to create the checksum for the object when you use the SDK. This header will not provide any\n additional functionality if you don't use the SDK. When you send this header, there must be a corresponding x-amz-checksum or\n x-amz-trailer header sent. Otherwise, Amazon S3 fails the request with the HTTP status code 400 Bad Request. For more\n information, see Checking object integrity in\n the Amazon S3 User Guide.

    \n

    If you provide an individual checksum, Amazon S3 ignores any provided\n ChecksumAlgorithm parameter.

    ", + "smithy.api#documentation": "

    Indicates the algorithm used to create the checksum for the object when you use the SDK. This header will not provide any\n additional functionality if you don't use the SDK. When you send this header, there must be a corresponding x-amz-checksum or\n x-amz-trailer header sent. Otherwise, Amazon S3 fails the request with the HTTP status code 400 Bad Request. For more\n information, see Checking object integrity in\n the Amazon S3 User Guide.

    \n

    If you provide an individual checksum, Amazon S3 ignores any provided\n ChecksumAlgorithm parameter.

    \n \n

    For directory buckets, when you use Amazon Web Services SDKs, CRC32 is the default checksum algorithm that's used for performance.

    \n
    ", "smithy.api#httpHeader": "x-amz-sdk-checksum-algorithm" } }, @@ -29552,7 +29608,7 @@ "ExpectedBucketOwner": { "target": "com.amazonaws.s3#AccountId", "traits": { - "smithy.api#documentation": "

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    ", + "smithy.api#documentation": "

    The account ID of the expected bucket owner. If the account ID that you provide does not match the actual owner of the bucket, the request fails with the HTTP status code 403 Forbidden (access denied).

    \n \n

    For directory buckets, this header is not supported in this API operation. If you specify this header, the request fails with the HTTP status code \n501 Not Implemented.

    \n
    ", "smithy.api#httpHeader": "x-amz-expected-bucket-owner" } } @@ -30668,7 +30724,7 @@ "aws.protocols#httpChecksum": { "requestAlgorithmMember": "ChecksumAlgorithm" }, - "smithy.api#documentation": "

    Adds an object to a bucket.

    \n \n
      \n
    • \n

      Amazon S3 never adds partial objects; if you receive a success response, Amazon S3 added the\n entire object to the bucket. You cannot use PutObject to only update a\n single piece of metadata for an existing object. You must put the entire object with\n updated metadata if you want to update some values.

      \n
    • \n
    • \n

      If your bucket uses the bucket owner enforced setting for Object Ownership, ACLs are disabled and no longer affect permissions. All\n objects written to the bucket by any account will be owned by the bucket owner.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n

    Amazon S3 is a distributed system. If it receives multiple write requests for the same object\n simultaneously, it overwrites all but the last object written. However, Amazon S3 provides features that can modify this behavior:

    \n
      \n
    • \n

      \n S3 Object Lock - To prevent objects from\n being deleted or overwritten, you can use Amazon S3 Object\n Lock in the Amazon S3 User Guide.

      \n \n

      This functionality is not supported for directory buckets.

      \n
      \n
    • \n
    • \n

      \n S3 Versioning - When you enable\n versioning for a bucket, if Amazon S3 receives multiple write requests for the same object\n simultaneously, it stores all versions of the objects. For each write request that is made to the same object, Amazon S3 automatically generates a unique version ID\n of that object being stored in Amazon S3. \n You can retrieve, replace, or delete any version of the object. For more information about versioning, see\n Adding Objects to\n Versioning-Enabled Buckets in the Amazon S3\n User Guide. For information about returning the versioning state\n of a bucket, see GetBucketVersioning.

      \n \n

      This functionality is not supported for directory buckets.

      \n
      \n
    • \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - The following permissions are required in your policies when your \n PutObject request includes specific headers.

      \n
        \n
      • \n

        \n \n s3:PutObject\n - To successfully complete the PutObject request, you must always have the s3:PutObject permission on a bucket to add an object\n to it.

        \n
      • \n
      • \n

        \n \n s3:PutObjectAcl\n - To successfully change the objects ACL of your PutObject request, you must have the s3:PutObjectAcl.

        \n
      • \n
      • \n

        \n \n s3:PutObjectTagging\n - To successfully set the tag-set with your PutObject request, you\n must have the s3:PutObjectTagging.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    \n
    \n
    Data integrity with Content-MD5
    \n
    \n
      \n
    • \n

      \n General purpose bucket - To ensure that data is not corrupted traversing the network, use the\n Content-MD5 header. When you use this header, Amazon S3 checks the object\n against the provided MD5 value and, if they do not match, Amazon S3 returns an error. Alternatively, when the object's ETag is its MD5 digest, \n you can calculate the MD5 while putting the object to Amazon S3 and compare the returned ETag to\n the calculated MD5 value.

      \n
    • \n
    • \n

      \n Directory bucket - This functionality is not supported for directory buckets.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    For more information about related Amazon S3 APIs, see the following:

    \n ", + "smithy.api#documentation": "

    Adds an object to a bucket.

    \n \n
      \n
    • \n

      Amazon S3 never adds partial objects; if you receive a success response, Amazon S3 added the\n entire object to the bucket. You cannot use PutObject to only update a\n single piece of metadata for an existing object. You must put the entire object with\n updated metadata if you want to update some values.

      \n
    • \n
    • \n

      If your bucket uses the bucket owner enforced setting for Object Ownership, ACLs are disabled and no longer affect permissions. All\n objects written to the bucket by any account will be owned by the bucket owner.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n

    Amazon S3 is a distributed system. If it receives multiple write requests for the same object\n simultaneously, it overwrites all but the last object written. However, Amazon S3 provides features that can modify this behavior:

    \n
      \n
    • \n

      \n S3 Object Lock - To prevent objects from\n being deleted or overwritten, you can use Amazon S3 Object\n Lock in the Amazon S3 User Guide.

      \n \n

      This functionality is not supported for directory buckets.

      \n
      \n
    • \n
    • \n

      \n S3 Versioning - When you enable\n versioning for a bucket, if Amazon S3 receives multiple write requests for the same object\n simultaneously, it stores all versions of the objects. For each write request that is made to the same object, Amazon S3 automatically generates a unique version ID\n of that object being stored in Amazon S3. \n You can retrieve, replace, or delete any version of the object. For more information about versioning, see\n Adding Objects to\n Versioning-Enabled Buckets in the Amazon S3\n User Guide. For information about returning the versioning state\n of a bucket, see GetBucketVersioning.

      \n \n

      This functionality is not supported for directory buckets.

      \n
      \n
    • \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - The following permissions are required in your policies when your \n PutObject request includes specific headers.

      \n
        \n
      • \n

        \n \n s3:PutObject\n - To successfully complete the PutObject request, you must always have the s3:PutObject permission on a bucket to add an object\n to it.

        \n
      • \n
      • \n

        \n \n s3:PutObjectAcl\n - To successfully change the objects ACL of your PutObject request, you must have the s3:PutObjectAcl.

        \n
      • \n
      • \n

        \n \n s3:PutObjectTagging\n - To successfully set the tag-set with your PutObject request, you\n must have the s3:PutObjectTagging.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n

      If the object is encrypted with\n SSE-KMS, you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      \n
    • \n
    \n
    \n
    Data integrity with Content-MD5
    \n
    \n
      \n
    • \n

      \n General purpose bucket - To ensure that data is not corrupted traversing the network, use the\n Content-MD5 header. When you use this header, Amazon S3 checks the object\n against the provided MD5 value and, if they do not match, Amazon S3 returns an error. Alternatively, when the object's ETag is its MD5 digest, \n you can calculate the MD5 while putting the object to Amazon S3 and compare the returned ETag to\n the calculated MD5 value.

      \n
    • \n
    • \n

      \n Directory bucket - This functionality is not supported for directory buckets.

      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    For more information about related Amazon S3 APIs, see the following:

    \n ", "smithy.api#examples": [ { "title": "To create an object.", @@ -31197,7 +31253,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -31225,21 +31281,21 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If x-amz-server-side-encryption has a valid value of aws:kms\n or aws:kms:dsse, this header indicates the ID of the Key Management Service (KMS)\n symmetric encryption customer managed key that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "SSEKMSEncryptionContext": { "target": "com.amazonaws.s3#SSEKMSEncryptionContext", "traits": { - "smithy.api#documentation": "

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The\n value of this header is a base64-encoded UTF-8 string holding JSON with the encryption\n context key-value pairs. This value is stored as object metadata and automatically gets\n passed on to Amazon Web Services KMS for future GetObject or CopyObject\n operations on this object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the Amazon Web Services KMS Encryption Context to use for object encryption. The value of\n this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. \n This value is stored as object metadata and automatically gets\n passed on to Amazon Web Services KMS for future GetObject \n operations on this object.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-context" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the uploaded object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the uploaded object uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -31430,7 +31486,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm that was used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    \n

    \n General purpose buckets - You have four mutually exclusive options to protect data using server-side encryption in\n Amazon S3, depending on how you choose to manage the encryption keys. Specifically, the\n encryption key options are Amazon S3 managed keys (SSE-S3), Amazon Web Services KMS keys (SSE-KMS or\n DSSE-KMS), and customer-provided keys (SSE-C). Amazon S3 encrypts data with server-side\n encryption by using Amazon S3 managed keys (SSE-S3) by default. You can optionally tell Amazon S3 to\n encrypt data at rest by using server-side encryption with other key options. For more\n information, see Using Server-Side\n Encryption in the Amazon S3 User Guide.

    \n

    \n Directory buckets - For directory buckets, only the server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) value is supported.

    ", + "smithy.api#documentation": "

    The server-side encryption algorithm that was used when you store this object in Amazon S3 (for example,\n AES256, aws:kms, aws:kms:dsse).

    \n
      \n
    • \n

      \n General purpose buckets - You have four mutually exclusive options to protect data using server-side encryption in\n Amazon S3, depending on how you choose to manage the encryption keys. Specifically, the\n encryption key options are Amazon S3 managed keys (SSE-S3), Amazon Web Services KMS keys (SSE-KMS or\n DSSE-KMS), and customer-provided keys (SSE-C). Amazon S3 encrypts data with server-side\n encryption by using Amazon S3 managed keys (SSE-S3) by default. You can optionally tell Amazon S3 to\n encrypt data at rest by using server-side encryption with other key options. For more\n information, see Using Server-Side\n Encryption in the Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your \n CreateSession requests or PUT object requests. Then, new objects \n are automatically encrypted with the desired encryption settings. For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see Specifying server-side encryption with KMS for new object uploads. \n

      \n

      In the Zonal endpoint API calls (except CopyObject and UploadPartCopy) using the REST API, the encryption request headers must match the encryption settings that are specified in the CreateSession request. \n You can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) that are specified in the CreateSession request. \n You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and \n Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. \n

      \n \n

      When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the \n CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. \n So in the Zonal endpoint API calls (except CopyObject and UploadPartCopy), \n the encryption request headers must match the default encryption configuration of the directory bucket.\n\n

      \n
      \n
    • \n
    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -31472,21 +31528,21 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If x-amz-server-side-encryption has a valid value of aws:kms\n or aws:kms:dsse, this header specifies the ID (Key ID, Key ARN, or Key Alias) of the Key Management Service (KMS)\n symmetric encryption customer managed key that was used for the object. If you specify\n x-amz-server-side-encryption:aws:kms or\n x-amz-server-side-encryption:aws:kms:dsse, but do not provide\n x-amz-server-side-encryption-aws-kms-key-id, Amazon S3 uses the Amazon Web Services managed key\n (aws/s3) to protect the data. If the KMS key does not exist in the same\n account that's issuing the command, you must use the full ARN and not just the ID.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to use for object encryption. If the KMS key doesn't exist in the same\n account that's issuing the command, you must use the full Key ARN not the Key ID.

    \n

    \n General purpose buckets - If you specify x-amz-server-side-encryption with aws:kms or aws:kms:dsse, this header specifies the ID (Key ID, Key ARN, or Key Alias) of the KMS \n key to use. If you specify\n x-amz-server-side-encryption:aws:kms or\n x-amz-server-side-encryption:aws:kms:dsse, but do not provide x-amz-server-side-encryption-aws-kms-key-id, Amazon S3 uses the Amazon Web Services managed key\n (aws/s3) to protect the data.

    \n

    \n Directory buckets - If you specify x-amz-server-side-encryption with aws:kms, you must specify the \n x-amz-server-side-encryption-aws-kms-key-id header with the ID (Key ID or Key ARN) of the KMS \n symmetric encryption customer managed key to use. Otherwise, you get an HTTP 400 Bad Request error. Only use the key ID or key ARN. The key alias format of the KMS key isn't supported. Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. \nAmazon Web Services managed key (aws/s3) isn't supported. \n

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "SSEKMSEncryptionContext": { "target": "com.amazonaws.s3#SSEKMSEncryptionContext", "traits": { - "smithy.api#documentation": "

    Specifies the Amazon Web Services KMS Encryption Context to use for object encryption. The value of\n this header is a base64-encoded UTF-8 string holding JSON with the encryption context\n key-value pairs. This value is stored as object metadata and automatically gets passed on\n to Amazon Web Services KMS for future GetObject or CopyObject operations on\n this object. This value must be explicitly added during CopyObject operations.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Specifies the Amazon Web Services KMS Encryption Context as an additional encryption context to use for object encryption. The value of\n this header is a Base64-encoded string of a UTF-8 encoded JSON, which contains the encryption context as key-value pairs. \n This value is stored as object metadata and automatically gets passed on\n to Amazon Web Services KMS for future GetObject operations on\n this object.

    \n

    \n General purpose buckets - This value must be explicitly added during CopyObject operations if you want an additional encryption context for your object. For more information, see Encryption context in the Amazon S3 User Guide.

    \n

    \n Directory buckets - You can optionally provide an explicit encryption context value. The value must match the default encryption context - the bucket Amazon Resource Name (ARN). An additional encryption context value is not supported.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-context" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with\n server-side encryption using Key Management Service (KMS) keys (SSE-KMS). Setting this header to\n true causes Amazon S3 to use an S3 Bucket Key for object encryption with\n SSE-KMS.

    \n

    Specifying this header with a PUT action doesn’t affect bucket-level settings for S3\n Bucket Key.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key for object encryption with\n server-side encryption using Key Management Service (KMS) keys (SSE-KMS).

    \n

    \n General purpose buckets - Setting this header to\n true causes Amazon S3 to use an S3 Bucket Key for object encryption with\n SSE-KMS. Also, specifying this header with a PUT action doesn't affect bucket-level settings for S3\n Bucket Key.

    \n

    \n Directory buckets - S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets \nto directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or \n the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -32114,7 +32170,7 @@ "ExistingObjectReplication": { "target": "com.amazonaws.s3#ExistingObjectReplication", "traits": { - "smithy.api#documentation": "

    Optional configuration to replicate existing source bucket objects. For more\n information, see Replicating Existing Objects in the Amazon S3 User Guide.\n

    " + "smithy.api#documentation": "

    Optional configuration to replicate existing source bucket objects.\n

    \n \n

    This parameter is no longer supported. To replicate existing objects, see Replicating existing objects with S3 Batch Replication in the Amazon S3 User Guide.

    \n
    " } }, "Destination": { @@ -32992,19 +33048,19 @@ "SSEAlgorithm": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    Server-side encryption algorithm to use for the default encryption.

    ", + "smithy.api#documentation": "

    Server-side encryption algorithm to use for the default encryption.

    \n \n

    For directory buckets, there are only two supported values for server-side encryption: AES256 and aws:kms.

    \n
    ", "smithy.api#required": {} } }, "KMSMasterKeyID": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    Amazon Web Services Key Management Service (KMS) customer Amazon Web Services KMS key ID to use for the default\n encryption. This parameter is allowed if and only if SSEAlgorithm is set to\n aws:kms or aws:kms:dsse.

    \n

    You can specify the key ID, key alias, or the Amazon Resource Name (ARN) of the KMS\n key.

    \n
      \n
    • \n

      Key ID: 1234abcd-12ab-34cd-56ef-1234567890ab\n

      \n
    • \n
    • \n

      Key ARN: arn:aws:kms:us-east-2:111122223333:key/1234abcd-12ab-34cd-56ef-1234567890ab\n

      \n
    • \n
    • \n

      Key Alias: alias/alias-name\n

      \n
    • \n
    \n

    If you use a key ID, you can run into a LogDestination undeliverable error when creating\n a VPC flow log.

    \n

    If you are using encryption with cross-account or Amazon Web Services service operations you must use\n a fully qualified KMS key ARN. For more information, see Using encryption for cross-account operations.

    \n \n

    Amazon S3 only supports symmetric encryption KMS keys. For more information, see Asymmetric keys in Amazon Web Services KMS in the Amazon Web Services Key Management Service\n Developer Guide.

    \n
    " + "smithy.api#documentation": "

    Amazon Web Services Key Management Service (KMS) customer managed key ID to use for the default\n encryption.

    \n \n
      \n
    • \n

      \n General purpose buckets - This parameter is allowed if and only if SSEAlgorithm is set to\n aws:kms or aws:kms:dsse.

      \n
    • \n
    • \n

      \n Directory buckets - This parameter is allowed if and only if SSEAlgorithm is set to\n aws:kms.

      \n
    • \n
    \n
    \n

    You can specify the key ID, key alias, or the Amazon Resource Name (ARN) of the KMS\n key.

    \n
      \n
    • \n

      Key ID: 1234abcd-12ab-34cd-56ef-1234567890ab\n

      \n
    • \n
    • \n

      Key ARN: arn:aws:kms:us-east-2:111122223333:key/1234abcd-12ab-34cd-56ef-1234567890ab\n

      \n
    • \n
    • \n

      Key Alias: alias/alias-name\n

      \n
    • \n
    \n

    If you are using encryption with cross-account or Amazon Web Services service operations, you must use\n a fully qualified KMS key ARN. For more information, see Using encryption for cross-account operations.

    \n \n
      \n
    • \n

      \n General purpose buckets - If you're specifying a customer managed KMS key, we recommend using a fully qualified\n KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the\n requester’s account. This behavior can result in data that's encrypted with a KMS key\n that belongs to the requester, and not the bucket owner. Also, if you use a key ID, you can run into a LogDestination undeliverable error when creating\n a VPC flow log. \n

      \n
    • \n
    • \n

      \n Directory buckets - When you specify an KMS customer managed key for encryption in your directory bucket, only use the key ID or key ARN. The key alias format of the KMS key isn't supported.

      \n
    • \n
    \n
    \n \n

    Amazon S3 only supports symmetric encryption KMS keys. For more information, see Asymmetric keys in Amazon Web Services KMS in the Amazon Web Services Key Management Service\n Developer Guide.

    \n
    " } } }, "traits": { - "smithy.api#documentation": "

    Describes the default server-side encryption to apply to new objects in the bucket. If a\n PUT Object request doesn't specify any server-side encryption, this default encryption will\n be applied. If you don't specify a customer managed key at configuration, Amazon S3 automatically creates\n an Amazon Web Services KMS key in your Amazon Web Services account the first time that you add an object encrypted\n with SSE-KMS to a bucket. By default, Amazon S3 uses this KMS key for SSE-KMS. For more\n information, see PUT Bucket encryption in\n the Amazon S3 API Reference.

    \n \n

    If you're specifying a customer managed KMS key, we recommend using a fully qualified\n KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the\n requester’s account. This behavior can result in data that's encrypted with a KMS key\n that belongs to the requester, and not the bucket owner.

    \n
    " + "smithy.api#documentation": "

    Describes the default server-side encryption to apply to new objects in the bucket. If a\n PUT Object request doesn't specify any server-side encryption, this default encryption will\n be applied. For more\n information, see PutBucketEncryption.

    \n \n
      \n
    • \n

      \n General purpose buckets - If you don't specify a customer managed key at configuration, Amazon S3 automatically creates\n an Amazon Web Services KMS key (aws/s3) in your Amazon Web Services account the first time that you add an object encrypted\n with SSE-KMS to a bucket. By default, Amazon S3 uses this KMS key for SSE-KMS.

      \n
    • \n
    • \n

      \n Directory buckets - Your SSE-KMS configuration can only support 1 customer managed key per directory bucket for the lifetime of the bucket. \nAmazon Web Services managed key (aws/s3) isn't supported. \n

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, there are only two supported options for server-side encryption: SSE-S3 and SSE-KMS.

      \n
    • \n
    \n
    " } }, "com.amazonaws.s3#ServerSideEncryptionConfiguration": { @@ -33036,12 +33092,12 @@ "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key with server-side encryption using KMS\n (SSE-KMS) for new objects in the bucket. Existing objects are not affected. Setting the\n BucketKeyEnabled element to true causes Amazon S3 to use an S3\n Bucket Key. By default, S3 Bucket Key is not enabled.

    \n

    For more information, see Amazon S3 Bucket Keys in the\n Amazon S3 User Guide.

    " + "smithy.api#documentation": "

    Specifies whether Amazon S3 should use an S3 Bucket Key with server-side encryption using KMS\n (SSE-KMS) for new objects in the bucket. Existing objects are not affected. Setting the\n BucketKeyEnabled element to true causes Amazon S3 to use an S3\n Bucket Key.

    \n \n
      \n
    • \n

      \n General purpose buckets - By default, S3 Bucket Key is not enabled. For more information, see Amazon S3 Bucket Keys in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory buckets - S3 Bucket Keys are always enabled for GET and PUT operations in a directory bucket and can’t be disabled. S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets \nto directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through CopyObject, UploadPartCopy, the Copy operation in Batch Operations, or \n the import jobs. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

      \n
    • \n
    \n
    " } } }, "traits": { - "smithy.api#documentation": "

    Specifies the default server-side encryption configuration.

    \n \n

    If you're specifying a customer managed KMS key, we recommend using a fully qualified\n KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the\n requester’s account. This behavior can result in data that's encrypted with a KMS key\n that belongs to the requester, and not the bucket owner.

    \n
    " + "smithy.api#documentation": "

    Specifies the default server-side encryption configuration.

    \n \n
      \n
    • \n

      \n General purpose buckets - If you're specifying a customer managed KMS key, we recommend using a fully qualified\n KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the\n requester’s account. This behavior can result in data that's encrypted with a KMS key\n that belongs to the requester, and not the bucket owner.

      \n
    • \n
    • \n

      \n Directory buckets - When you specify an KMS customer managed key for encryption in your directory bucket, only use the key ID or key ARN. The key alias format of the KMS key isn't supported.

      \n
    • \n
    \n
    " } }, "com.amazonaws.s3#ServerSideEncryptionRules": { @@ -33093,7 +33149,7 @@ } }, "traits": { - "smithy.api#documentation": "

    The established temporary security credentials of the session.

    \n \n

    \n Directory buckets - These session credentials are only supported for the authentication and authorization of Zonal endpoint APIs on directory buckets.

    \n
    " + "smithy.api#documentation": "

    The established temporary security credentials of the session.

    \n \n

    \n Directory buckets - These session credentials are only supported for the authentication and authorization of Zonal endpoint API operations on directory buckets.

    \n
    " } }, "com.amazonaws.s3#SessionExpiration": { @@ -33697,7 +33753,7 @@ "aws.protocols#httpChecksum": { "requestAlgorithmMember": "ChecksumAlgorithm" }, - "smithy.api#documentation": "

    Uploads a part in a multipart upload.

    \n \n

    In this operation, you provide new data as a part of an object in your request. However, you have an option\n to specify your existing Amazon S3 object as a data source for the part you are uploading. To\n upload a part from an existing object, you use the UploadPartCopy operation.\n

    \n
    \n

    You must initiate a multipart upload (see CreateMultipartUpload)\n before you can upload any part. In response to your initiate request, Amazon S3 returns an\n upload ID, a unique identifier that you must include in your upload part request.

    \n

    Part numbers can be any number from 1 to 10,000, inclusive. A part number uniquely\n identifies a part and also defines its position within the object being created. If you\n upload a new part using the same part number that was used with a previous part, the\n previously uploaded part is overwritten.

    \n

    For information about maximum and minimum part sizes and other multipart upload\n specifications, see Multipart upload limits in the Amazon S3 User Guide.

    \n \n

    After you initiate multipart upload and upload\n one or more parts, you must either complete or abort multipart upload in order to stop\n getting charged for storage of the uploaded parts. Only after you either complete or abort\n multipart upload, Amazon S3 frees up the parts storage and stops charging you for the parts\n storage.

    \n
    \n

    For more information on multipart uploads, go to Multipart Upload Overview in the\n Amazon S3 User Guide .

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - To\n perform a multipart upload with encryption using an Key Management Service key, the\n requester must have permission to the kms:Decrypt and\n kms:GenerateDataKey actions on the key. The requester must\n also have permissions for the kms:GenerateDataKey action for\n the CreateMultipartUpload API. Then, the requester needs\n permissions for the kms:Decrypt action on the\n UploadPart and UploadPartCopy APIs.

      \n

      These permissions are required because Amazon S3 must decrypt and read data\n from the encrypted file parts before it completes the multipart upload. For\n more information about KMS permissions, see Protecting data\n using server-side encryption with KMS in the\n Amazon S3 User Guide. For information about the\n permissions required to use the multipart upload API, see Multipart upload and permissions and Multipart upload API and permissions in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n
    • \n
    \n
    \n
    Data integrity
    \n
    \n

    \n General purpose bucket - To ensure that data is not corrupted traversing the network, specify the\n Content-MD5 header in the upload part request. Amazon S3 checks the part data against the provided MD5 value. If they do not match, Amazon S3 returns an error. If the upload request is signed with Signature Version 4, then Amazon Web Services S3 uses the\n x-amz-content-sha256 header as a checksum instead of\n Content-MD5. For more information see Authenticating\n Requests: Using the Authorization Header (Amazon Web Services Signature Version 4).

    \n \n

    \n Directory buckets - MD5 is not supported by directory buckets. You can use checksum algorithms to check object integrity.

    \n
    \n
    \n
    Encryption
    \n
    \n
      \n
    • \n

      \n General purpose bucket - Server-side encryption is for data encryption at rest. Amazon S3 encrypts your data as it\n writes it to disks in its data centers and decrypts it when you access it. You have \n mutually exclusive options to protect data using server-side encryption in Amazon S3, depending\n on how you choose to manage the encryption keys. Specifically, the encryption key options\n are Amazon S3 managed keys (SSE-S3), Amazon Web Services KMS keys (SSE-KMS), and Customer-Provided Keys\n (SSE-C). Amazon S3 encrypts data with server-side encryption using Amazon S3 managed keys (SSE-S3) by\n default. You can optionally tell Amazon S3 to encrypt data at rest using server-side encryption\n with other key options. The option you use depends on whether you want to use KMS keys\n (SSE-KMS) or provide your own encryption key (SSE-C).

      \n

      Server-side encryption is supported by the S3 Multipart Upload operations. Unless you are\n using a customer-provided encryption key (SSE-C), you don't need to specify the encryption\n parameters in each UploadPart request. Instead, you only need to specify the server-side\n encryption parameters in the initial Initiate Multipart request. For more information, see\n CreateMultipartUpload.

      \n

      If you request server-side encryption using a customer-provided encryption key (SSE-C)\n in your initiate multipart upload request, you must provide identical encryption\n information in each part upload using the following request headers.

      \n
        \n
      • \n

        x-amz-server-side-encryption-customer-algorithm

        \n
      • \n
      • \n

        x-amz-server-side-encryption-customer-key

        \n
      • \n
      • \n

        x-amz-server-side-encryption-customer-key-MD5

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

      \n
    • \n
    \n

    \n For more information, see Using Server-Side\n Encryption in the Amazon S3 User Guide.

    \n
    \n
    Special errors
    \n
    \n
      \n
    • \n

      Error Code: NoSuchUpload\n

      \n
        \n
      • \n

        Description: The specified multipart upload does not exist. The upload ID might be invalid, or the multipart upload might have been aborted or completed.

        \n
      • \n
      • \n

        HTTP Status Code: 404 Not Found

        \n
      • \n
      • \n

        SOAP Fault Code Prefix: Client

        \n
      • \n
      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to UploadPart:

    \n ", + "smithy.api#documentation": "

    Uploads a part in a multipart upload.

    \n \n

    In this operation, you provide new data as a part of an object in your request. However, you have an option\n to specify your existing Amazon S3 object as a data source for the part you are uploading. To\n upload a part from an existing object, you use the UploadPartCopy operation.\n

    \n
    \n

    You must initiate a multipart upload (see CreateMultipartUpload)\n before you can upload any part. In response to your initiate request, Amazon S3 returns an\n upload ID, a unique identifier that you must include in your upload part request.

    \n

    Part numbers can be any number from 1 to 10,000, inclusive. A part number uniquely\n identifies a part and also defines its position within the object being created. If you\n upload a new part using the same part number that was used with a previous part, the\n previously uploaded part is overwritten.

    \n

    For information about maximum and minimum part sizes and other multipart upload\n specifications, see Multipart upload limits in the Amazon S3 User Guide.

    \n \n

    After you initiate multipart upload and upload\n one or more parts, you must either complete or abort multipart upload in order to stop\n getting charged for storage of the uploaded parts. Only after you either complete or abort\n multipart upload, Amazon S3 frees up the parts storage and stops charging you for the parts\n storage.

    \n
    \n

    For more information on multipart uploads, go to Multipart Upload Overview in the\n Amazon S3 User Guide .

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Permissions
    \n
    \n
      \n
    • \n

      \n General purpose bucket permissions - To\n perform a multipart upload with encryption using an Key Management Service key, the\n requester must have permission to the kms:Decrypt and\n kms:GenerateDataKey actions on the key. The requester must\n also have permissions for the kms:GenerateDataKey action for\n the CreateMultipartUpload API. Then, the requester needs\n permissions for the kms:Decrypt action on the\n UploadPart and UploadPartCopy APIs.

      \n

      These permissions are required because Amazon S3 must decrypt and read data\n from the encrypted file parts before it completes the multipart upload. For\n more information about KMS permissions, see Protecting data\n using server-side encryption with KMS in the\n Amazon S3 User Guide. For information about the\n permissions required to use the multipart upload API, see Multipart upload and permissions and Multipart upload API and permissions in the\n Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory bucket permissions - To grant access to this API operation on a directory bucket, we recommend that you use the \n CreateSession\n API operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. \nAmazon Web Services CLI or SDKs create session and refresh the session token automatically to avoid service interruptions when a session expires. For more information about authorization, see \n CreateSession\n .

      \n

      If the object is encrypted with\n SSE-KMS, you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      \n
    • \n
    \n
    \n
    Data integrity
    \n
    \n

    \n General purpose bucket - To ensure that data is not corrupted traversing the network, specify the\n Content-MD5 header in the upload part request. Amazon S3 checks the part data against the provided MD5 value. If they do not match, Amazon S3 returns an error. If the upload request is signed with Signature Version 4, then Amazon Web Services S3 uses the\n x-amz-content-sha256 header as a checksum instead of\n Content-MD5. For more information see Authenticating\n Requests: Using the Authorization Header (Amazon Web Services Signature Version 4).

    \n \n

    \n Directory buckets - MD5 is not supported by directory buckets. You can use checksum algorithms to check object integrity.

    \n
    \n
    \n
    Encryption
    \n
    \n
      \n
    • \n

      \n General purpose bucket - Server-side encryption is for data encryption at rest. Amazon S3 encrypts your data as it\n writes it to disks in its data centers and decrypts it when you access it. You have \n mutually exclusive options to protect data using server-side encryption in Amazon S3, depending\n on how you choose to manage the encryption keys. Specifically, the encryption key options\n are Amazon S3 managed keys (SSE-S3), Amazon Web Services KMS keys (SSE-KMS), and Customer-Provided Keys\n (SSE-C). Amazon S3 encrypts data with server-side encryption using Amazon S3 managed keys (SSE-S3) by\n default. You can optionally tell Amazon S3 to encrypt data at rest using server-side encryption\n with other key options. The option you use depends on whether you want to use KMS keys\n (SSE-KMS) or provide your own encryption key (SSE-C).

      \n

      Server-side encryption is supported by the S3 Multipart Upload operations. Unless you are\n using a customer-provided encryption key (SSE-C), you don't need to specify the encryption\n parameters in each UploadPart request. Instead, you only need to specify the server-side\n encryption parameters in the initial Initiate Multipart request. For more information, see\n CreateMultipartUpload.

      \n

      If you request server-side encryption using a customer-provided encryption key (SSE-C)\n in your initiate multipart upload request, you must provide identical encryption\n information in each part upload using the following request headers.

      \n
        \n
      • \n

        x-amz-server-side-encryption-customer-algorithm

        \n
      • \n
      • \n

        x-amz-server-side-encryption-customer-key

        \n
      • \n
      • \n

        x-amz-server-side-encryption-customer-key-MD5

        \n
      • \n
      \n

      \n For more information, see Using Server-Side\n Encryption in the Amazon S3 User Guide.

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms).

      \n
    • \n
    \n
    \n
    Special errors
    \n
    \n
      \n
    • \n

      Error Code: NoSuchUpload\n

      \n
        \n
      • \n

        Description: The specified multipart upload does not exist. The upload ID might be invalid, or the multipart upload might have been aborted or completed.

        \n
      • \n
      • \n

        HTTP Status Code: 404 Not Found

        \n
      • \n
      • \n

        SOAP Fault Code Prefix: Client

        \n
      • \n
      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to UploadPart:

    \n ", "smithy.api#http": { "method": "PUT", "uri": "/{Bucket}/{Key+}?x-id=UploadPart", @@ -33714,7 +33770,7 @@ "target": "com.amazonaws.s3#UploadPartCopyOutput" }, "traits": { - "smithy.api#documentation": "

    Uploads a part by copying data from an existing object as data source. To specify the\n data source, you add the request header x-amz-copy-source in your request. To specify \n a byte range, you add the request header x-amz-copy-source-range in your\n request.

    \n

    For information about maximum and minimum part sizes and other multipart upload\n specifications, see Multipart upload limits in the Amazon S3 User Guide.

    \n \n

    Instead of copying data from an existing object as part data, you might use the UploadPart\n action to upload new data as a part of an object in your request.

    \n
    \n

    You must initiate a multipart upload before you can upload any part. In response to your\n initiate request, Amazon S3 returns the upload ID, a unique identifier that you must include in\n your upload part request.

    \n

    For conceptual information about multipart uploads, see Uploading\n Objects Using Multipart Upload in the\n Amazon S3 User Guide. For information about copying objects using a single atomic action vs. a multipart\n upload, see Operations on Objects in\n the Amazon S3 User Guide.

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Authentication and authorization
    \n
    \n

    All UploadPartCopy requests must be authenticated and signed by using IAM credentials (access key ID and secret access key for the IAM identities). All headers with the x-amz- prefix, including\n x-amz-copy-source, must be signed. For more information, see REST Authentication.

    \n

    \n Directory buckets - You must use IAM credentials to authenticate and authorize your access to the UploadPartCopy API operation, instead of using the \n temporary security credentials through the CreateSession API operation.

    \n

    Amazon Web Services CLI or SDKs handles authentication and authorization on your behalf.

    \n
    \n
    Permissions
    \n
    \n

    You must have READ access to the source object and WRITE\n access to the destination bucket.

    \n
      \n
    • \n

      \n General purpose bucket permissions - You\n must have the permissions in a policy based on the bucket types of your\n source bucket and destination bucket in an UploadPartCopy\n operation.

      \n
        \n
      • \n

        If the source object is in a general purpose bucket, you must have the\n \n s3:GetObject\n \n permission to read the source object that is being copied.

        \n
      • \n
      • \n

        If the destination bucket is a general purpose bucket, you must have the\n \n s3:PutObject\n \n permission to write the object copy to the destination bucket.

        \n
      • \n
      • \n

        To perform a multipart upload with encryption using an Key Management Service\n key, the requester must have permission to the\n kms:Decrypt and kms:GenerateDataKey\n actions on the key. The requester must also have permissions for the\n kms:GenerateDataKey action for the\n CreateMultipartUpload API. Then, the requester needs\n permissions for the kms:Decrypt action on the\n UploadPart and UploadPartCopy APIs. These\n permissions are required because Amazon S3 must decrypt and read data from\n the encrypted file parts before it completes the multipart upload. For\n more information about KMS permissions, see Protecting\n data using server-side encryption with KMS in the\n Amazon S3 User Guide. For information about the\n permissions required to use the multipart upload API, see Multipart upload\n and permissions and Multipart upload API and permissions in the\n Amazon S3 User Guide.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions -\n You must have permissions in a bucket policy or an IAM identity-based policy based on the source and destination\n bucket types in an UploadPartCopy operation.

      \n
        \n
      • \n

        If the source object that you want to copy is in a\n directory bucket, you must have the \n s3express:CreateSession\n permission in\n the Action element of a policy to read the object. By\n default, the session is in the ReadWrite mode. If you\n want to restrict the access, you can explicitly set the\n s3express:SessionMode condition key to\n ReadOnly on the copy source bucket.

        \n
      • \n
      • \n

        If the copy destination is a directory bucket, you must have the \n \n s3express:CreateSession\n permission in the\n Action element of a policy to write the object\n to the destination. The s3express:SessionMode condition\n key cannot be set to ReadOnly on the copy destination.

        \n
      • \n
      \n

      For example policies, see Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n
      \n
    • \n

      \n General purpose buckets - \n \n For information about using server-side encryption with customer-provided\n encryption keys with the UploadPartCopy operation, see CopyObject and UploadPart.\n

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

      \n
    • \n
    \n
    \n
    Special errors
    \n
    \n
      \n
    • \n

      Error Code: NoSuchUpload\n

      \n
        \n
      • \n

        Description: The specified multipart upload does not exist. The\n upload ID might be invalid, or the multipart upload might have been\n aborted or completed.

        \n
      • \n
      • \n

        HTTP Status Code: 404 Not Found

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: InvalidRequest\n

      \n
        \n
      • \n

        Description: The specified copy source is not supported as a\n byte-range copy source.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to UploadPartCopy:

    \n ", + "smithy.api#documentation": "

    Uploads a part by copying data from an existing object as data source. To specify the\n data source, you add the request header x-amz-copy-source in your request. To specify \n a byte range, you add the request header x-amz-copy-source-range in your\n request.

    \n

    For information about maximum and minimum part sizes and other multipart upload\n specifications, see Multipart upload limits in the Amazon S3 User Guide.

    \n \n

    Instead of copying data from an existing object as part data, you might use the UploadPart\n action to upload new data as a part of an object in your request.

    \n
    \n

    You must initiate a multipart upload before you can upload any part. In response to your\n initiate request, Amazon S3 returns the upload ID, a unique identifier that you must include in\n your upload part request.

    \n

    For conceptual information about multipart uploads, see Uploading\n Objects Using Multipart Upload in the\n Amazon S3 User Guide. For information about copying objects using a single atomic action vs. a multipart\n upload, see Operations on Objects in\n the Amazon S3 User Guide.

    \n \n

    \n Directory buckets - For directory buckets, you must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket_name.s3express-az_id.region.amazonaws.com/key-name\n . Path-style requests are not supported. For more information, see Regional and Zonal endpoints in the\n Amazon S3 User Guide.

    \n
    \n
    \n
    Authentication and authorization
    \n
    \n

    All UploadPartCopy requests must be authenticated and signed by using IAM credentials (access key ID and secret access key for the IAM identities). All headers with the x-amz- prefix, including\n x-amz-copy-source, must be signed. For more information, see REST Authentication.

    \n

    \n Directory buckets - You must use IAM credentials to authenticate and authorize your access to the UploadPartCopy API operation, instead of using the \n temporary security credentials through the CreateSession API operation.

    \n

    Amazon Web Services CLI or SDKs handles authentication and authorization on your behalf.

    \n
    \n
    Permissions
    \n
    \n

    You must have READ access to the source object and WRITE\n access to the destination bucket.

    \n
      \n
    • \n

      \n General purpose bucket permissions - You\n must have the permissions in a policy based on the bucket types of your\n source bucket and destination bucket in an UploadPartCopy\n operation.

      \n
        \n
      • \n

        If the source object is in a general purpose bucket, you must have the\n \n s3:GetObject\n \n permission to read the source object that is being copied.

        \n
      • \n
      • \n

        If the destination bucket is a general purpose bucket, you must have the\n \n s3:PutObject\n \n permission to write the object copy to the destination bucket.

        \n
      • \n
      • \n

        To perform a multipart upload with encryption using an Key Management Service\n key, the requester must have permission to the\n kms:Decrypt and kms:GenerateDataKey\n actions on the key. The requester must also have permissions for the\n kms:GenerateDataKey action for the\n CreateMultipartUpload API. Then, the requester needs\n permissions for the kms:Decrypt action on the\n UploadPart and UploadPartCopy APIs. These\n permissions are required because Amazon S3 must decrypt and read data from\n the encrypted file parts before it completes the multipart upload. For\n more information about KMS permissions, see Protecting\n data using server-side encryption with KMS in the\n Amazon S3 User Guide. For information about the\n permissions required to use the multipart upload API, see Multipart upload\n and permissions and Multipart upload API and permissions in the\n Amazon S3 User Guide.

        \n
      • \n
      \n
    • \n
    • \n

      \n Directory bucket permissions -\n You must have permissions in a bucket policy or an IAM identity-based policy based on the source and destination\n bucket types in an UploadPartCopy operation.

      \n
        \n
      • \n

        If the source object that you want to copy is in a\n directory bucket, you must have the \n s3express:CreateSession\n permission in\n the Action element of a policy to read the object. By\n default, the session is in the ReadWrite mode. If you\n want to restrict the access, you can explicitly set the\n s3express:SessionMode condition key to\n ReadOnly on the copy source bucket.

        \n
      • \n
      • \n

        If the copy destination is a directory bucket, you must have the \n \n s3express:CreateSession\n permission in the\n Action element of a policy to write the object\n to the destination. The s3express:SessionMode condition\n key cannot be set to ReadOnly on the copy destination.

        \n
      • \n
      \n

      If the object is encrypted with\n SSE-KMS, you must also have the\n kms:GenerateDataKey and kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the KMS key.

      \n

      For example policies, see Example bucket policies for S3 Express One Zone and Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone in the\n Amazon S3 User Guide.

      \n
    • \n
    \n
    \n
    Encryption
    \n
    \n
      \n
    • \n

      \n General purpose buckets - \n \n For information about using server-side encryption with customer-provided\n encryption keys with the UploadPartCopy operation, see CopyObject and UploadPart.\n

      \n
    • \n
    • \n

      \n Directory buckets - For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). For more\n information, see Protecting data with server-side encryption in the Amazon S3 User Guide.

      \n \n

      For directory buckets, when you perform a CreateMultipartUpload operation and an UploadPartCopy operation, \n the request headers you provide in the CreateMultipartUpload request must match the default encryption configuration of the destination bucket.

      \n
      \n

      S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from general purpose buckets \nto directory buckets, from directory buckets to general purpose buckets, or between directory buckets, through UploadPartCopy. In this case, Amazon S3 makes a call to KMS every time a copy request is made for a KMS-encrypted object.

      \n
    • \n
    \n
    \n
    Special errors
    \n
    \n
      \n
    • \n

      Error Code: NoSuchUpload\n

      \n
        \n
      • \n

        Description: The specified multipart upload does not exist. The\n upload ID might be invalid, or the multipart upload might have been\n aborted or completed.

        \n
      • \n
      • \n

        HTTP Status Code: 404 Not Found

        \n
      • \n
      \n
    • \n
    • \n

      Error Code: InvalidRequest\n

      \n
        \n
      • \n

        Description: The specified copy source is not supported as a\n byte-range copy source.

        \n
      • \n
      • \n

        HTTP Status Code: 400 Bad Request

        \n
      • \n
      \n
    • \n
    \n
    \n
    HTTP Host header syntax
    \n
    \n

    \n Directory buckets - The HTTP Host header syntax is \n Bucket_name.s3express-az_id.region.amazonaws.com.

    \n
    \n
    \n

    The following operations are related to UploadPartCopy:

    \n ", "smithy.api#http": { "method": "PUT", "uri": "/{Bucket}/{Key+}?x-id=UploadPartCopy", @@ -33747,7 +33803,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -33768,14 +33824,14 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key\n that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, @@ -33944,7 +34000,7 @@ "ServerSideEncryption": { "target": "com.amazonaws.s3#ServerSideEncryption", "traits": { - "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    \n \n

    For directory buckets, only server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) is supported.

    \n
    ", + "smithy.api#documentation": "

    The server-side encryption algorithm used when you store this object in Amazon S3 (for example,\n AES256, aws:kms).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption" } }, @@ -34000,14 +34056,14 @@ "SSEKMSKeyId": { "target": "com.amazonaws.s3#SSEKMSKeyId", "traits": { - "smithy.api#documentation": "

    If present, indicates the ID of the Key Management Service (KMS) symmetric encryption customer managed key\n that was used for the object.

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    If present, indicates the ID of the KMS key that was used for object encryption.

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-aws-kms-key-id" } }, "BucketKeyEnabled": { "target": "com.amazonaws.s3#BucketKeyEnabled", "traits": { - "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    \n \n

    This functionality is not supported for directory buckets.

    \n
    ", + "smithy.api#documentation": "

    Indicates whether the multipart upload uses an S3 Bucket Key for server-side encryption\n with Key Management Service (KMS) keys (SSE-KMS).

    ", "smithy.api#httpHeader": "x-amz-server-side-encryption-bucket-key-enabled" } }, From 00ad6a316ac529f5aa50d615ffde1f7b0194dac5 Mon Sep 17 00:00:00 2001 From: awstools Date: Wed, 18 Sep 2024 18:40:28 +0000 Subject: [PATCH 43/53] Publish v3.654.0 --- CHANGELOG.md | 22 +++++++++++++++++++ benchmark/size/report.md | 16 +++++++------- clients/client-accessanalyzer/CHANGELOG.md | 8 +++++++ clients/client-accessanalyzer/package.json | 2 +- clients/client-account/CHANGELOG.md | 8 +++++++ clients/client-account/package.json | 2 +- clients/client-acm-pca/CHANGELOG.md | 8 +++++++ clients/client-acm-pca/package.json | 2 +- clients/client-acm/CHANGELOG.md | 8 +++++++ clients/client-acm/package.json | 2 +- clients/client-amp/CHANGELOG.md | 8 +++++++ clients/client-amp/package.json | 2 +- clients/client-amplify/CHANGELOG.md | 8 +++++++ clients/client-amplify/package.json | 2 +- clients/client-amplifybackend/CHANGELOG.md | 8 +++++++ clients/client-amplifybackend/package.json | 2 +- clients/client-amplifyuibuilder/CHANGELOG.md | 8 +++++++ clients/client-amplifyuibuilder/package.json | 2 +- clients/client-api-gateway/CHANGELOG.md | 8 +++++++ clients/client-api-gateway/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-apigatewayv2/CHANGELOG.md | 8 +++++++ clients/client-apigatewayv2/package.json | 2 +- clients/client-app-mesh/CHANGELOG.md | 8 +++++++ clients/client-app-mesh/package.json | 2 +- clients/client-appconfig/CHANGELOG.md | 8 +++++++ clients/client-appconfig/package.json | 2 +- clients/client-appconfigdata/CHANGELOG.md | 8 +++++++ clients/client-appconfigdata/package.json | 2 +- clients/client-appfabric/CHANGELOG.md | 8 +++++++ clients/client-appfabric/package.json | 2 +- clients/client-appflow/CHANGELOG.md | 8 +++++++ clients/client-appflow/package.json | 2 +- clients/client-appintegrations/CHANGELOG.md | 8 +++++++ clients/client-appintegrations/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-application-insights/CHANGELOG.md | 8 +++++++ .../client-application-insights/package.json | 2 +- .../client-application-signals/CHANGELOG.md | 8 +++++++ .../client-application-signals/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-apprunner/CHANGELOG.md | 8 +++++++ clients/client-apprunner/package.json | 2 +- clients/client-appstream/CHANGELOG.md | 8 +++++++ clients/client-appstream/package.json | 2 +- clients/client-appsync/CHANGELOG.md | 8 +++++++ clients/client-appsync/package.json | 2 +- clients/client-apptest/CHANGELOG.md | 8 +++++++ clients/client-apptest/package.json | 2 +- clients/client-arc-zonal-shift/CHANGELOG.md | 8 +++++++ clients/client-arc-zonal-shift/package.json | 2 +- clients/client-artifact/CHANGELOG.md | 8 +++++++ clients/client-artifact/package.json | 2 +- clients/client-athena/CHANGELOG.md | 8 +++++++ clients/client-athena/package.json | 2 +- clients/client-auditmanager/CHANGELOG.md | 8 +++++++ clients/client-auditmanager/package.json | 2 +- .../client-auto-scaling-plans/CHANGELOG.md | 8 +++++++ .../client-auto-scaling-plans/package.json | 2 +- clients/client-auto-scaling/CHANGELOG.md | 8 +++++++ clients/client-auto-scaling/package.json | 2 +- clients/client-b2bi/CHANGELOG.md | 8 +++++++ clients/client-b2bi/package.json | 2 +- clients/client-backup-gateway/CHANGELOG.md | 8 +++++++ clients/client-backup-gateway/package.json | 2 +- clients/client-backup/CHANGELOG.md | 8 +++++++ clients/client-backup/package.json | 2 +- clients/client-batch/CHANGELOG.md | 8 +++++++ clients/client-batch/package.json | 2 +- clients/client-bcm-data-exports/CHANGELOG.md | 8 +++++++ clients/client-bcm-data-exports/package.json | 2 +- .../client-bedrock-agent-runtime/CHANGELOG.md | 8 +++++++ .../client-bedrock-agent-runtime/package.json | 2 +- clients/client-bedrock-agent/CHANGELOG.md | 8 +++++++ clients/client-bedrock-agent/package.json | 2 +- clients/client-bedrock-runtime/CHANGELOG.md | 8 +++++++ clients/client-bedrock-runtime/package.json | 2 +- clients/client-bedrock/CHANGELOG.md | 8 +++++++ clients/client-bedrock/package.json | 2 +- clients/client-billingconductor/CHANGELOG.md | 8 +++++++ clients/client-billingconductor/package.json | 2 +- clients/client-braket/CHANGELOG.md | 8 +++++++ clients/client-braket/package.json | 2 +- clients/client-budgets/CHANGELOG.md | 8 +++++++ clients/client-budgets/package.json | 2 +- clients/client-chatbot/CHANGELOG.md | 8 +++++++ clients/client-chatbot/package.json | 2 +- .../client-chime-sdk-identity/CHANGELOG.md | 8 +++++++ .../client-chime-sdk-identity/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-chime-sdk-meetings/CHANGELOG.md | 8 +++++++ .../client-chime-sdk-meetings/package.json | 2 +- .../client-chime-sdk-messaging/CHANGELOG.md | 8 +++++++ .../client-chime-sdk-messaging/package.json | 2 +- clients/client-chime-sdk-voice/CHANGELOG.md | 8 +++++++ clients/client-chime-sdk-voice/package.json | 2 +- clients/client-chime/CHANGELOG.md | 8 +++++++ clients/client-chime/package.json | 2 +- clients/client-cleanrooms/CHANGELOG.md | 8 +++++++ clients/client-cleanrooms/package.json | 2 +- clients/client-cleanroomsml/CHANGELOG.md | 8 +++++++ clients/client-cleanroomsml/package.json | 2 +- clients/client-cloud9/CHANGELOG.md | 8 +++++++ clients/client-cloud9/package.json | 2 +- clients/client-cloudcontrol/CHANGELOG.md | 8 +++++++ clients/client-cloudcontrol/package.json | 2 +- clients/client-clouddirectory/CHANGELOG.md | 8 +++++++ clients/client-clouddirectory/package.json | 2 +- clients/client-cloudformation/CHANGELOG.md | 8 +++++++ clients/client-cloudformation/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-cloudfront/CHANGELOG.md | 8 +++++++ clients/client-cloudfront/package.json | 2 +- clients/client-cloudhsm-v2/CHANGELOG.md | 8 +++++++ clients/client-cloudhsm-v2/package.json | 2 +- clients/client-cloudhsm/CHANGELOG.md | 8 +++++++ clients/client-cloudhsm/package.json | 2 +- .../client-cloudsearch-domain/CHANGELOG.md | 8 +++++++ .../client-cloudsearch-domain/package.json | 2 +- clients/client-cloudsearch/CHANGELOG.md | 8 +++++++ clients/client-cloudsearch/package.json | 2 +- clients/client-cloudtrail-data/CHANGELOG.md | 8 +++++++ clients/client-cloudtrail-data/package.json | 2 +- clients/client-cloudtrail/CHANGELOG.md | 8 +++++++ clients/client-cloudtrail/package.json | 2 +- clients/client-cloudwatch-events/CHANGELOG.md | 8 +++++++ clients/client-cloudwatch-events/package.json | 2 +- clients/client-cloudwatch-logs/CHANGELOG.md | 8 +++++++ clients/client-cloudwatch-logs/package.json | 2 +- clients/client-cloudwatch/CHANGELOG.md | 8 +++++++ clients/client-cloudwatch/package.json | 2 +- clients/client-codeartifact/CHANGELOG.md | 8 +++++++ clients/client-codeartifact/package.json | 2 +- clients/client-codebuild/CHANGELOG.md | 8 +++++++ clients/client-codebuild/package.json | 2 +- clients/client-codecatalyst/CHANGELOG.md | 8 +++++++ clients/client-codecatalyst/package.json | 2 +- clients/client-codecommit/CHANGELOG.md | 8 +++++++ clients/client-codecommit/package.json | 2 +- clients/client-codeconnections/CHANGELOG.md | 8 +++++++ clients/client-codeconnections/package.json | 2 +- clients/client-codedeploy/CHANGELOG.md | 8 +++++++ clients/client-codedeploy/package.json | 2 +- clients/client-codeguru-reviewer/CHANGELOG.md | 8 +++++++ clients/client-codeguru-reviewer/package.json | 2 +- clients/client-codeguru-security/CHANGELOG.md | 8 +++++++ clients/client-codeguru-security/package.json | 2 +- clients/client-codeguruprofiler/CHANGELOG.md | 8 +++++++ clients/client-codeguruprofiler/package.json | 2 +- clients/client-codepipeline/CHANGELOG.md | 8 +++++++ clients/client-codepipeline/package.json | 2 +- .../client-codestar-connections/CHANGELOG.md | 8 +++++++ .../client-codestar-connections/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-cognito-identity/CHANGELOG.md | 8 +++++++ clients/client-cognito-identity/package.json | 2 +- clients/client-cognito-sync/CHANGELOG.md | 8 +++++++ clients/client-cognito-sync/package.json | 2 +- clients/client-comprehend/CHANGELOG.md | 8 +++++++ clients/client-comprehend/package.json | 2 +- clients/client-comprehendmedical/CHANGELOG.md | 8 +++++++ clients/client-comprehendmedical/package.json | 2 +- clients/client-compute-optimizer/CHANGELOG.md | 8 +++++++ clients/client-compute-optimizer/package.json | 2 +- clients/client-config-service/CHANGELOG.md | 8 +++++++ clients/client-config-service/package.json | 2 +- .../client-connect-contact-lens/CHANGELOG.md | 8 +++++++ .../client-connect-contact-lens/package.json | 2 +- clients/client-connect/CHANGELOG.md | 8 +++++++ clients/client-connect/package.json | 2 +- clients/client-connectcampaigns/CHANGELOG.md | 8 +++++++ clients/client-connectcampaigns/package.json | 2 +- clients/client-connectcases/CHANGELOG.md | 8 +++++++ clients/client-connectcases/package.json | 2 +- .../client-connectparticipant/CHANGELOG.md | 8 +++++++ .../client-connectparticipant/package.json | 2 +- clients/client-controlcatalog/CHANGELOG.md | 8 +++++++ clients/client-controlcatalog/package.json | 2 +- clients/client-controltower/CHANGELOG.md | 8 +++++++ clients/client-controltower/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-cost-explorer/CHANGELOG.md | 11 ++++++++++ clients/client-cost-explorer/package.json | 2 +- .../client-cost-optimization-hub/CHANGELOG.md | 8 +++++++ .../client-cost-optimization-hub/package.json | 2 +- clients/client-customer-profiles/CHANGELOG.md | 8 +++++++ clients/client-customer-profiles/package.json | 2 +- clients/client-data-pipeline/CHANGELOG.md | 8 +++++++ clients/client-data-pipeline/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-databrew/CHANGELOG.md | 8 +++++++ clients/client-databrew/package.json | 2 +- clients/client-dataexchange/CHANGELOG.md | 8 +++++++ clients/client-dataexchange/package.json | 2 +- clients/client-datasync/CHANGELOG.md | 8 +++++++ clients/client-datasync/package.json | 2 +- clients/client-datazone/CHANGELOG.md | 8 +++++++ clients/client-datazone/package.json | 2 +- clients/client-dax/CHANGELOG.md | 8 +++++++ clients/client-dax/package.json | 2 +- clients/client-deadline/CHANGELOG.md | 8 +++++++ clients/client-deadline/package.json | 2 +- clients/client-detective/CHANGELOG.md | 8 +++++++ clients/client-detective/package.json | 2 +- clients/client-device-farm/CHANGELOG.md | 8 +++++++ clients/client-device-farm/package.json | 2 +- clients/client-devops-guru/CHANGELOG.md | 8 +++++++ clients/client-devops-guru/package.json | 2 +- clients/client-direct-connect/CHANGELOG.md | 8 +++++++ clients/client-direct-connect/package.json | 2 +- .../CHANGELOG.md | 11 ++++++++++ .../package.json | 2 +- clients/client-directory-service/CHANGELOG.md | 11 ++++++++++ clients/client-directory-service/package.json | 2 +- clients/client-dlm/CHANGELOG.md | 8 +++++++ clients/client-dlm/package.json | 2 +- clients/client-docdb-elastic/CHANGELOG.md | 8 +++++++ clients/client-docdb-elastic/package.json | 2 +- clients/client-docdb/CHANGELOG.md | 8 +++++++ clients/client-docdb/package.json | 2 +- clients/client-drs/CHANGELOG.md | 8 +++++++ clients/client-drs/package.json | 2 +- clients/client-dynamodb-streams/CHANGELOG.md | 8 +++++++ clients/client-dynamodb-streams/package.json | 2 +- clients/client-dynamodb/CHANGELOG.md | 8 +++++++ clients/client-dynamodb/package.json | 2 +- clients/client-ebs/CHANGELOG.md | 8 +++++++ clients/client-ebs/package.json | 2 +- .../client-ec2-instance-connect/CHANGELOG.md | 8 +++++++ .../client-ec2-instance-connect/package.json | 2 +- clients/client-ec2/CHANGELOG.md | 8 +++++++ clients/client-ec2/package.json | 2 +- clients/client-ecr-public/CHANGELOG.md | 8 +++++++ clients/client-ecr-public/package.json | 2 +- clients/client-ecr/CHANGELOG.md | 8 +++++++ clients/client-ecr/package.json | 2 +- clients/client-ecs/CHANGELOG.md | 8 +++++++ clients/client-ecs/package.json | 2 +- clients/client-efs/CHANGELOG.md | 8 +++++++ clients/client-efs/package.json | 2 +- clients/client-eks-auth/CHANGELOG.md | 8 +++++++ clients/client-eks-auth/package.json | 2 +- clients/client-eks/CHANGELOG.md | 8 +++++++ clients/client-eks/package.json | 2 +- clients/client-elastic-beanstalk/CHANGELOG.md | 8 +++++++ clients/client-elastic-beanstalk/package.json | 2 +- clients/client-elastic-inference/CHANGELOG.md | 8 +++++++ clients/client-elastic-inference/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-elastic-transcoder/CHANGELOG.md | 8 +++++++ .../client-elastic-transcoder/package.json | 2 +- clients/client-elasticache/CHANGELOG.md | 8 +++++++ clients/client-elasticache/package.json | 2 +- .../client-elasticsearch-service/CHANGELOG.md | 8 +++++++ .../client-elasticsearch-service/package.json | 2 +- clients/client-emr-containers/CHANGELOG.md | 8 +++++++ clients/client-emr-containers/package.json | 2 +- clients/client-emr-serverless/CHANGELOG.md | 8 +++++++ clients/client-emr-serverless/package.json | 2 +- clients/client-emr/CHANGELOG.md | 8 +++++++ clients/client-emr/package.json | 2 +- clients/client-entityresolution/CHANGELOG.md | 8 +++++++ clients/client-entityresolution/package.json | 2 +- clients/client-eventbridge/CHANGELOG.md | 8 +++++++ clients/client-eventbridge/package.json | 2 +- clients/client-evidently/CHANGELOG.md | 8 +++++++ clients/client-evidently/package.json | 2 +- clients/client-finspace-data/CHANGELOG.md | 8 +++++++ clients/client-finspace-data/package.json | 2 +- clients/client-finspace/CHANGELOG.md | 8 +++++++ clients/client-finspace/package.json | 2 +- clients/client-firehose/CHANGELOG.md | 8 +++++++ clients/client-firehose/package.json | 2 +- clients/client-fis/CHANGELOG.md | 8 +++++++ clients/client-fis/package.json | 2 +- clients/client-fms/CHANGELOG.md | 8 +++++++ clients/client-fms/package.json | 2 +- clients/client-forecast/CHANGELOG.md | 8 +++++++ clients/client-forecast/package.json | 2 +- clients/client-forecastquery/CHANGELOG.md | 8 +++++++ clients/client-forecastquery/package.json | 2 +- clients/client-frauddetector/CHANGELOG.md | 8 +++++++ clients/client-frauddetector/package.json | 2 +- clients/client-freetier/CHANGELOG.md | 8 +++++++ clients/client-freetier/package.json | 2 +- clients/client-fsx/CHANGELOG.md | 8 +++++++ clients/client-fsx/package.json | 2 +- clients/client-gamelift/CHANGELOG.md | 8 +++++++ clients/client-gamelift/package.json | 2 +- clients/client-glacier/CHANGELOG.md | 8 +++++++ clients/client-glacier/package.json | 2 +- .../client-global-accelerator/CHANGELOG.md | 8 +++++++ .../client-global-accelerator/package.json | 2 +- clients/client-glue/CHANGELOG.md | 8 +++++++ clients/client-glue/package.json | 2 +- clients/client-grafana/CHANGELOG.md | 8 +++++++ clients/client-grafana/package.json | 2 +- clients/client-greengrass/CHANGELOG.md | 8 +++++++ clients/client-greengrass/package.json | 2 +- clients/client-greengrassv2/CHANGELOG.md | 8 +++++++ clients/client-greengrassv2/package.json | 2 +- clients/client-groundstation/CHANGELOG.md | 8 +++++++ clients/client-groundstation/package.json | 2 +- clients/client-guardduty/CHANGELOG.md | 11 ++++++++++ clients/client-guardduty/package.json | 2 +- clients/client-health/CHANGELOG.md | 8 +++++++ clients/client-health/package.json | 2 +- clients/client-healthlake/CHANGELOG.md | 8 +++++++ clients/client-healthlake/package.json | 2 +- clients/client-iam/CHANGELOG.md | 8 +++++++ clients/client-iam/package.json | 2 +- clients/client-identitystore/CHANGELOG.md | 8 +++++++ clients/client-identitystore/package.json | 2 +- clients/client-imagebuilder/CHANGELOG.md | 8 +++++++ clients/client-imagebuilder/package.json | 2 +- clients/client-inspector-scan/CHANGELOG.md | 8 +++++++ clients/client-inspector-scan/package.json | 2 +- clients/client-inspector/CHANGELOG.md | 8 +++++++ clients/client-inspector/package.json | 2 +- clients/client-inspector2/CHANGELOG.md | 8 +++++++ clients/client-inspector2/package.json | 2 +- clients/client-internetmonitor/CHANGELOG.md | 8 +++++++ clients/client-internetmonitor/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-iot-1click-projects/CHANGELOG.md | 8 +++++++ .../client-iot-1click-projects/package.json | 2 +- clients/client-iot-data-plane/CHANGELOG.md | 8 +++++++ clients/client-iot-data-plane/package.json | 2 +- clients/client-iot-events-data/CHANGELOG.md | 8 +++++++ clients/client-iot-events-data/package.json | 2 +- clients/client-iot-events/CHANGELOG.md | 8 +++++++ clients/client-iot-events/package.json | 2 +- .../client-iot-jobs-data-plane/CHANGELOG.md | 8 +++++++ .../client-iot-jobs-data-plane/package.json | 2 +- clients/client-iot-wireless/CHANGELOG.md | 8 +++++++ clients/client-iot-wireless/package.json | 2 +- clients/client-iot/CHANGELOG.md | 8 +++++++ clients/client-iot/package.json | 2 +- clients/client-iotanalytics/CHANGELOG.md | 8 +++++++ clients/client-iotanalytics/package.json | 2 +- clients/client-iotdeviceadvisor/CHANGELOG.md | 8 +++++++ clients/client-iotdeviceadvisor/package.json | 2 +- clients/client-iotfleethub/CHANGELOG.md | 8 +++++++ clients/client-iotfleethub/package.json | 2 +- clients/client-iotfleetwise/CHANGELOG.md | 8 +++++++ clients/client-iotfleetwise/package.json | 2 +- .../client-iotsecuretunneling/CHANGELOG.md | 8 +++++++ .../client-iotsecuretunneling/package.json | 2 +- clients/client-iotsitewise/CHANGELOG.md | 8 +++++++ clients/client-iotsitewise/package.json | 2 +- clients/client-iotthingsgraph/CHANGELOG.md | 8 +++++++ clients/client-iotthingsgraph/package.json | 2 +- clients/client-iottwinmaker/CHANGELOG.md | 8 +++++++ clients/client-iottwinmaker/package.json | 2 +- clients/client-ivs-realtime/CHANGELOG.md | 8 +++++++ clients/client-ivs-realtime/package.json | 2 +- clients/client-ivs/CHANGELOG.md | 8 +++++++ clients/client-ivs/package.json | 2 +- clients/client-ivschat/CHANGELOG.md | 8 +++++++ clients/client-ivschat/package.json | 2 +- clients/client-kafka/CHANGELOG.md | 8 +++++++ clients/client-kafka/package.json | 2 +- clients/client-kafkaconnect/CHANGELOG.md | 8 +++++++ clients/client-kafkaconnect/package.json | 2 +- clients/client-kendra-ranking/CHANGELOG.md | 8 +++++++ clients/client-kendra-ranking/package.json | 2 +- clients/client-kendra/CHANGELOG.md | 8 +++++++ clients/client-kendra/package.json | 2 +- clients/client-keyspaces/CHANGELOG.md | 8 +++++++ clients/client-keyspaces/package.json | 2 +- .../client-kinesis-analytics-v2/CHANGELOG.md | 8 +++++++ .../client-kinesis-analytics-v2/package.json | 2 +- clients/client-kinesis-analytics/CHANGELOG.md | 8 +++++++ clients/client-kinesis-analytics/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-kinesis-video-media/CHANGELOG.md | 8 +++++++ .../client-kinesis-video-media/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-kinesis-video/CHANGELOG.md | 8 +++++++ clients/client-kinesis-video/package.json | 2 +- clients/client-kinesis/CHANGELOG.md | 8 +++++++ clients/client-kinesis/package.json | 2 +- clients/client-kms/CHANGELOG.md | 8 +++++++ clients/client-kms/package.json | 2 +- clients/client-lakeformation/CHANGELOG.md | 8 +++++++ clients/client-lakeformation/package.json | 2 +- clients/client-lambda/CHANGELOG.md | 8 +++++++ clients/client-lambda/package.json | 2 +- clients/client-launch-wizard/CHANGELOG.md | 8 +++++++ clients/client-launch-wizard/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-lex-models-v2/CHANGELOG.md | 8 +++++++ clients/client-lex-models-v2/package.json | 2 +- .../client-lex-runtime-service/CHANGELOG.md | 8 +++++++ .../client-lex-runtime-service/package.json | 2 +- clients/client-lex-runtime-v2/CHANGELOG.md | 8 +++++++ clients/client-lex-runtime-v2/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-license-manager/CHANGELOG.md | 8 +++++++ clients/client-license-manager/package.json | 2 +- clients/client-lightsail/CHANGELOG.md | 8 +++++++ clients/client-lightsail/package.json | 2 +- clients/client-location/CHANGELOG.md | 8 +++++++ clients/client-location/package.json | 2 +- clients/client-lookoutequipment/CHANGELOG.md | 8 +++++++ clients/client-lookoutequipment/package.json | 2 +- clients/client-lookoutmetrics/CHANGELOG.md | 8 +++++++ clients/client-lookoutmetrics/package.json | 2 +- clients/client-lookoutvision/CHANGELOG.md | 8 +++++++ clients/client-lookoutvision/package.json | 2 +- clients/client-m2/CHANGELOG.md | 8 +++++++ clients/client-m2/package.json | 2 +- clients/client-machine-learning/CHANGELOG.md | 8 +++++++ clients/client-machine-learning/package.json | 2 +- clients/client-macie2/CHANGELOG.md | 8 +++++++ clients/client-macie2/package.json | 2 +- clients/client-mailmanager/CHANGELOG.md | 11 ++++++++++ clients/client-mailmanager/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-managedblockchain/CHANGELOG.md | 8 +++++++ clients/client-managedblockchain/package.json | 2 +- .../client-marketplace-agreement/CHANGELOG.md | 8 +++++++ .../client-marketplace-agreement/package.json | 2 +- .../client-marketplace-catalog/CHANGELOG.md | 8 +++++++ .../client-marketplace-catalog/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-marketplace-metering/CHANGELOG.md | 8 +++++++ .../client-marketplace-metering/package.json | 2 +- clients/client-mediaconnect/CHANGELOG.md | 8 +++++++ clients/client-mediaconnect/package.json | 2 +- clients/client-mediaconvert/CHANGELOG.md | 8 +++++++ clients/client-mediaconvert/package.json | 2 +- clients/client-medialive/CHANGELOG.md | 8 +++++++ clients/client-medialive/package.json | 2 +- clients/client-mediapackage-vod/CHANGELOG.md | 8 +++++++ clients/client-mediapackage-vod/package.json | 2 +- clients/client-mediapackage/CHANGELOG.md | 8 +++++++ clients/client-mediapackage/package.json | 2 +- clients/client-mediapackagev2/CHANGELOG.md | 8 +++++++ clients/client-mediapackagev2/package.json | 2 +- clients/client-mediastore-data/CHANGELOG.md | 8 +++++++ clients/client-mediastore-data/package.json | 2 +- clients/client-mediastore/CHANGELOG.md | 8 +++++++ clients/client-mediastore/package.json | 2 +- clients/client-mediatailor/CHANGELOG.md | 8 +++++++ clients/client-mediatailor/package.json | 2 +- clients/client-medical-imaging/CHANGELOG.md | 8 +++++++ clients/client-medical-imaging/package.json | 2 +- clients/client-memorydb/CHANGELOG.md | 8 +++++++ clients/client-memorydb/package.json | 2 +- clients/client-mgn/CHANGELOG.md | 8 +++++++ clients/client-mgn/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-migration-hub/CHANGELOG.md | 8 +++++++ clients/client-migration-hub/package.json | 2 +- .../client-migrationhub-config/CHANGELOG.md | 8 +++++++ .../client-migrationhub-config/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-migrationhubstrategy/CHANGELOG.md | 8 +++++++ .../client-migrationhubstrategy/package.json | 2 +- clients/client-mq/CHANGELOG.md | 8 +++++++ clients/client-mq/package.json | 2 +- clients/client-mturk/CHANGELOG.md | 8 +++++++ clients/client-mturk/package.json | 2 +- clients/client-mwaa/CHANGELOG.md | 8 +++++++ clients/client-mwaa/package.json | 2 +- clients/client-neptune-graph/CHANGELOG.md | 8 +++++++ clients/client-neptune-graph/package.json | 2 +- clients/client-neptune/CHANGELOG.md | 8 +++++++ clients/client-neptune/package.json | 2 +- clients/client-neptunedata/CHANGELOG.md | 8 +++++++ clients/client-neptunedata/package.json | 2 +- clients/client-network-firewall/CHANGELOG.md | 8 +++++++ clients/client-network-firewall/package.json | 2 +- clients/client-networkmanager/CHANGELOG.md | 8 +++++++ clients/client-networkmanager/package.json | 2 +- clients/client-networkmonitor/CHANGELOG.md | 8 +++++++ clients/client-networkmonitor/package.json | 2 +- clients/client-nimble/CHANGELOG.md | 8 +++++++ clients/client-nimble/package.json | 2 +- clients/client-oam/CHANGELOG.md | 8 +++++++ clients/client-oam/package.json | 2 +- clients/client-omics/CHANGELOG.md | 8 +++++++ clients/client-omics/package.json | 2 +- clients/client-opensearch/CHANGELOG.md | 8 +++++++ clients/client-opensearch/package.json | 2 +- .../client-opensearchserverless/CHANGELOG.md | 8 +++++++ .../client-opensearchserverless/package.json | 2 +- clients/client-opsworks/CHANGELOG.md | 8 +++++++ clients/client-opsworks/package.json | 2 +- clients/client-opsworkscm/CHANGELOG.md | 8 +++++++ clients/client-opsworkscm/package.json | 2 +- clients/client-organizations/CHANGELOG.md | 8 +++++++ clients/client-organizations/package.json | 2 +- clients/client-osis/CHANGELOG.md | 8 +++++++ clients/client-osis/package.json | 2 +- clients/client-outposts/CHANGELOG.md | 8 +++++++ clients/client-outposts/package.json | 2 +- clients/client-panorama/CHANGELOG.md | 8 +++++++ clients/client-panorama/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-payment-cryptography/CHANGELOG.md | 8 +++++++ .../client-payment-cryptography/package.json | 2 +- clients/client-pca-connector-ad/CHANGELOG.md | 8 +++++++ clients/client-pca-connector-ad/package.json | 2 +- .../client-pca-connector-scep/CHANGELOG.md | 8 +++++++ .../client-pca-connector-scep/package.json | 2 +- clients/client-pcs/CHANGELOG.md | 8 +++++++ clients/client-pcs/package.json | 2 +- .../client-personalize-events/CHANGELOG.md | 8 +++++++ .../client-personalize-events/package.json | 2 +- .../client-personalize-runtime/CHANGELOG.md | 8 +++++++ .../client-personalize-runtime/package.json | 2 +- clients/client-personalize/CHANGELOG.md | 8 +++++++ clients/client-personalize/package.json | 2 +- clients/client-pi/CHANGELOG.md | 8 +++++++ clients/client-pi/package.json | 2 +- clients/client-pinpoint-email/CHANGELOG.md | 8 +++++++ clients/client-pinpoint-email/package.json | 2 +- .../client-pinpoint-sms-voice-v2/CHANGELOG.md | 8 +++++++ .../client-pinpoint-sms-voice-v2/package.json | 2 +- .../client-pinpoint-sms-voice/CHANGELOG.md | 8 +++++++ .../client-pinpoint-sms-voice/package.json | 2 +- clients/client-pinpoint/CHANGELOG.md | 8 +++++++ clients/client-pinpoint/package.json | 2 +- clients/client-pipes/CHANGELOG.md | 8 +++++++ clients/client-pipes/package.json | 2 +- clients/client-polly/CHANGELOG.md | 8 +++++++ clients/client-polly/package.json | 2 +- clients/client-pricing/CHANGELOG.md | 8 +++++++ clients/client-pricing/package.json | 2 +- clients/client-privatenetworks/CHANGELOG.md | 8 +++++++ clients/client-privatenetworks/package.json | 2 +- clients/client-proton/CHANGELOG.md | 8 +++++++ clients/client-proton/package.json | 2 +- clients/client-qapps/CHANGELOG.md | 8 +++++++ clients/client-qapps/package.json | 2 +- clients/client-qbusiness/CHANGELOG.md | 8 +++++++ clients/client-qbusiness/package.json | 2 +- clients/client-qconnect/CHANGELOG.md | 8 +++++++ clients/client-qconnect/package.json | 2 +- clients/client-qldb-session/CHANGELOG.md | 8 +++++++ clients/client-qldb-session/package.json | 2 +- clients/client-qldb/CHANGELOG.md | 8 +++++++ clients/client-qldb/package.json | 2 +- clients/client-quicksight/CHANGELOG.md | 8 +++++++ clients/client-quicksight/package.json | 2 +- clients/client-ram/CHANGELOG.md | 8 +++++++ clients/client-ram/package.json | 2 +- clients/client-rbin/CHANGELOG.md | 8 +++++++ clients/client-rbin/package.json | 2 +- clients/client-rds-data/CHANGELOG.md | 8 +++++++ clients/client-rds-data/package.json | 2 +- clients/client-rds/CHANGELOG.md | 8 +++++++ clients/client-rds/package.json | 2 +- clients/client-redshift-data/CHANGELOG.md | 8 +++++++ clients/client-redshift-data/package.json | 2 +- .../client-redshift-serverless/CHANGELOG.md | 8 +++++++ .../client-redshift-serverless/package.json | 2 +- clients/client-redshift/CHANGELOG.md | 8 +++++++ clients/client-redshift/package.json | 2 +- clients/client-rekognition/CHANGELOG.md | 8 +++++++ clients/client-rekognition/package.json | 2 +- .../client-rekognitionstreaming/CHANGELOG.md | 8 +++++++ .../client-rekognitionstreaming/package.json | 2 +- clients/client-repostspace/CHANGELOG.md | 8 +++++++ clients/client-repostspace/package.json | 2 +- clients/client-resiliencehub/CHANGELOG.md | 8 +++++++ clients/client-resiliencehub/package.json | 2 +- .../client-resource-explorer-2/CHANGELOG.md | 8 +++++++ .../client-resource-explorer-2/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-resource-groups/CHANGELOG.md | 8 +++++++ clients/client-resource-groups/package.json | 2 +- clients/client-robomaker/CHANGELOG.md | 8 +++++++ clients/client-robomaker/package.json | 2 +- clients/client-rolesanywhere/CHANGELOG.md | 8 +++++++ clients/client-rolesanywhere/package.json | 2 +- clients/client-route-53-domains/CHANGELOG.md | 8 +++++++ clients/client-route-53-domains/package.json | 2 +- clients/client-route-53/CHANGELOG.md | 8 +++++++ clients/client-route-53/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-route53profiles/CHANGELOG.md | 8 +++++++ clients/client-route53profiles/package.json | 2 +- clients/client-route53resolver/CHANGELOG.md | 8 +++++++ clients/client-route53resolver/package.json | 2 +- clients/client-rum/CHANGELOG.md | 8 +++++++ clients/client-rum/package.json | 2 +- clients/client-s3-control/CHANGELOG.md | 8 +++++++ clients/client-s3-control/package.json | 2 +- clients/client-s3/CHANGELOG.md | 11 ++++++++++ clients/client-s3/package.json | 2 +- clients/client-s3outposts/CHANGELOG.md | 8 +++++++ clients/client-s3outposts/package.json | 2 +- .../client-sagemaker-a2i-runtime/CHANGELOG.md | 8 +++++++ .../client-sagemaker-a2i-runtime/package.json | 2 +- clients/client-sagemaker-edge/CHANGELOG.md | 8 +++++++ clients/client-sagemaker-edge/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../client-sagemaker-geospatial/CHANGELOG.md | 8 +++++++ .../client-sagemaker-geospatial/package.json | 2 +- clients/client-sagemaker-metrics/CHANGELOG.md | 8 +++++++ clients/client-sagemaker-metrics/package.json | 2 +- clients/client-sagemaker-runtime/CHANGELOG.md | 8 +++++++ clients/client-sagemaker-runtime/package.json | 2 +- clients/client-sagemaker/CHANGELOG.md | 8 +++++++ clients/client-sagemaker/package.json | 2 +- clients/client-savingsplans/CHANGELOG.md | 8 +++++++ clients/client-savingsplans/package.json | 2 +- clients/client-scheduler/CHANGELOG.md | 8 +++++++ clients/client-scheduler/package.json | 2 +- clients/client-schemas/CHANGELOG.md | 8 +++++++ clients/client-schemas/package.json | 2 +- clients/client-secrets-manager/CHANGELOG.md | 8 +++++++ clients/client-secrets-manager/package.json | 2 +- clients/client-securityhub/CHANGELOG.md | 8 +++++++ clients/client-securityhub/package.json | 2 +- clients/client-securitylake/CHANGELOG.md | 8 +++++++ clients/client-securitylake/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-service-catalog/CHANGELOG.md | 8 +++++++ clients/client-service-catalog/package.json | 2 +- clients/client-service-quotas/CHANGELOG.md | 8 +++++++ clients/client-service-quotas/package.json | 2 +- clients/client-servicediscovery/CHANGELOG.md | 8 +++++++ clients/client-servicediscovery/package.json | 2 +- clients/client-ses/CHANGELOG.md | 8 +++++++ clients/client-ses/package.json | 2 +- clients/client-sesv2/CHANGELOG.md | 8 +++++++ clients/client-sesv2/package.json | 2 +- clients/client-sfn/CHANGELOG.md | 8 +++++++ clients/client-sfn/package.json | 2 +- clients/client-shield/CHANGELOG.md | 8 +++++++ clients/client-shield/package.json | 2 +- clients/client-signer/CHANGELOG.md | 8 +++++++ clients/client-signer/package.json | 2 +- clients/client-simspaceweaver/CHANGELOG.md | 8 +++++++ clients/client-simspaceweaver/package.json | 2 +- clients/client-sms/CHANGELOG.md | 8 +++++++ clients/client-sms/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-snowball/CHANGELOG.md | 8 +++++++ clients/client-snowball/package.json | 2 +- clients/client-sns/CHANGELOG.md | 8 +++++++ clients/client-sns/package.json | 2 +- clients/client-sqs/CHANGELOG.md | 8 +++++++ clients/client-sqs/package.json | 2 +- clients/client-ssm-contacts/CHANGELOG.md | 8 +++++++ clients/client-ssm-contacts/package.json | 2 +- clients/client-ssm-incidents/CHANGELOG.md | 8 +++++++ clients/client-ssm-incidents/package.json | 2 +- clients/client-ssm-quicksetup/CHANGELOG.md | 8 +++++++ clients/client-ssm-quicksetup/package.json | 2 +- clients/client-ssm-sap/CHANGELOG.md | 8 +++++++ clients/client-ssm-sap/package.json | 2 +- clients/client-ssm/CHANGELOG.md | 8 +++++++ clients/client-ssm/package.json | 2 +- clients/client-sso-admin/CHANGELOG.md | 8 +++++++ clients/client-sso-admin/package.json | 2 +- clients/client-sso-oidc/CHANGELOG.md | 8 +++++++ clients/client-sso-oidc/package.json | 2 +- clients/client-sso/CHANGELOG.md | 8 +++++++ clients/client-sso/package.json | 2 +- clients/client-storage-gateway/CHANGELOG.md | 8 +++++++ clients/client-storage-gateway/package.json | 2 +- clients/client-sts/CHANGELOG.md | 8 +++++++ clients/client-sts/package.json | 2 +- clients/client-supplychain/CHANGELOG.md | 8 +++++++ clients/client-supplychain/package.json | 2 +- clients/client-support-app/CHANGELOG.md | 8 +++++++ clients/client-support-app/package.json | 2 +- clients/client-support/CHANGELOG.md | 8 +++++++ clients/client-support/package.json | 2 +- clients/client-swf/CHANGELOG.md | 8 +++++++ clients/client-swf/package.json | 2 +- clients/client-synthetics/CHANGELOG.md | 8 +++++++ clients/client-synthetics/package.json | 2 +- clients/client-taxsettings/CHANGELOG.md | 8 +++++++ clients/client-taxsettings/package.json | 2 +- clients/client-textract/CHANGELOG.md | 8 +++++++ clients/client-textract/package.json | 2 +- .../client-timestream-influxdb/CHANGELOG.md | 8 +++++++ .../client-timestream-influxdb/package.json | 2 +- clients/client-timestream-query/CHANGELOG.md | 8 +++++++ clients/client-timestream-query/package.json | 2 +- clients/client-timestream-write/CHANGELOG.md | 8 +++++++ clients/client-timestream-write/package.json | 2 +- clients/client-tnb/CHANGELOG.md | 8 +++++++ clients/client-tnb/package.json | 2 +- .../client-transcribe-streaming/CHANGELOG.md | 8 +++++++ .../client-transcribe-streaming/package.json | 2 +- clients/client-transcribe/CHANGELOG.md | 8 +++++++ clients/client-transcribe/package.json | 2 +- clients/client-transfer/CHANGELOG.md | 8 +++++++ clients/client-transfer/package.json | 2 +- clients/client-translate/CHANGELOG.md | 8 +++++++ clients/client-translate/package.json | 2 +- clients/client-trustedadvisor/CHANGELOG.md | 8 +++++++ clients/client-trustedadvisor/package.json | 2 +- .../client-verifiedpermissions/CHANGELOG.md | 8 +++++++ .../client-verifiedpermissions/package.json | 2 +- clients/client-voice-id/CHANGELOG.md | 8 +++++++ clients/client-voice-id/package.json | 2 +- clients/client-vpc-lattice/CHANGELOG.md | 8 +++++++ clients/client-vpc-lattice/package.json | 2 +- clients/client-waf-regional/CHANGELOG.md | 8 +++++++ clients/client-waf-regional/package.json | 2 +- clients/client-waf/CHANGELOG.md | 8 +++++++ clients/client-waf/package.json | 2 +- clients/client-wafv2/CHANGELOG.md | 8 +++++++ clients/client-wafv2/package.json | 2 +- clients/client-wellarchitected/CHANGELOG.md | 8 +++++++ clients/client-wellarchitected/package.json | 2 +- clients/client-wisdom/CHANGELOG.md | 8 +++++++ clients/client-wisdom/package.json | 2 +- clients/client-workdocs/CHANGELOG.md | 8 +++++++ clients/client-workdocs/package.json | 2 +- clients/client-worklink/CHANGELOG.md | 8 +++++++ clients/client-worklink/package.json | 2 +- clients/client-workmail/CHANGELOG.md | 8 +++++++ clients/client-workmail/package.json | 2 +- .../client-workmailmessageflow/CHANGELOG.md | 8 +++++++ .../client-workmailmessageflow/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- clients/client-workspaces-web/CHANGELOG.md | 8 +++++++ clients/client-workspaces-web/package.json | 2 +- clients/client-workspaces/CHANGELOG.md | 8 +++++++ clients/client-workspaces/package.json | 2 +- clients/client-xray/CHANGELOG.md | 8 +++++++ clients/client-xray/package.json | 2 +- lerna.json | 2 +- lib/lib-dynamodb/CHANGELOG.md | 8 +++++++ lib/lib-dynamodb/package.json | 2 +- lib/lib-storage/CHANGELOG.md | 8 +++++++ lib/lib-storage/package.json | 2 +- packages/body-checksum-browser/CHANGELOG.md | 8 +++++++ packages/body-checksum-browser/package.json | 2 +- packages/body-checksum-node/CHANGELOG.md | 8 +++++++ packages/body-checksum-node/package.json | 2 +- packages/cloudfront-signer/CHANGELOG.md | 8 +++++++ packages/cloudfront-signer/package.json | 2 +- packages/core/CHANGELOG.md | 8 +++++++ packages/core/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- packages/credential-provider-env/CHANGELOG.md | 8 +++++++ packages/credential-provider-env/package.json | 2 +- .../credential-provider-http/CHANGELOG.md | 8 +++++++ .../credential-provider-http/package.json | 2 +- packages/credential-provider-ini/CHANGELOG.md | 8 +++++++ packages/credential-provider-ini/package.json | 2 +- .../credential-provider-node/CHANGELOG.md | 8 +++++++ .../credential-provider-node/package.json | 2 +- .../credential-provider-process/CHANGELOG.md | 8 +++++++ .../credential-provider-process/package.json | 2 +- packages/credential-provider-sso/CHANGELOG.md | 8 +++++++ packages/credential-provider-sso/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- packages/credential-providers/CHANGELOG.md | 8 +++++++ packages/credential-providers/package.json | 2 +- packages/ec2-metadata-service/CHANGELOG.md | 8 +++++++ packages/ec2-metadata-service/package.json | 2 +- .../eventstream-handler-node/CHANGELOG.md | 8 +++++++ .../eventstream-handler-node/package.json | 2 +- packages/karma-credential-loader/CHANGELOG.md | 8 +++++++ packages/karma-credential-loader/package.json | 2 +- packages/middleware-api-key/CHANGELOG.md | 8 +++++++ packages/middleware-api-key/package.json | 2 +- .../middleware-bucket-endpoint/CHANGELOG.md | 8 +++++++ .../middleware-bucket-endpoint/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- packages/middleware-eventstream/CHANGELOG.md | 8 +++++++ packages/middleware-eventstream/package.json | 2 +- .../middleware-expect-continue/CHANGELOG.md | 8 +++++++ .../middleware-expect-continue/package.json | 2 +- .../CHANGELOG.md | 11 ++++++++++ .../package.json | 2 +- packages/middleware-host-header/CHANGELOG.md | 8 +++++++ packages/middleware-host-header/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- packages/middleware-logger/CHANGELOG.md | 8 +++++++ packages/middleware-logger/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../middleware-sdk-api-gateway/CHANGELOG.md | 8 +++++++ .../middleware-sdk-api-gateway/package.json | 2 +- packages/middleware-sdk-ec2/CHANGELOG.md | 8 +++++++ packages/middleware-sdk-ec2/package.json | 2 +- packages/middleware-sdk-glacier/CHANGELOG.md | 8 +++++++ packages/middleware-sdk-glacier/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- packages/middleware-sdk-rds/CHANGELOG.md | 8 +++++++ packages/middleware-sdk-rds/package.json | 2 +- packages/middleware-sdk-route53/CHANGELOG.md | 8 +++++++ packages/middleware-sdk-route53/package.json | 2 +- .../middleware-sdk-s3-control/CHANGELOG.md | 8 +++++++ .../middleware-sdk-s3-control/package.json | 2 +- packages/middleware-sdk-s3/CHANGELOG.md | 8 +++++++ packages/middleware-sdk-s3/package.json | 2 +- packages/middleware-sdk-sqs/CHANGELOG.md | 8 +++++++ packages/middleware-sdk-sqs/package.json | 2 +- packages/middleware-sdk-sts/CHANGELOG.md | 8 +++++++ packages/middleware-sdk-sts/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- packages/middleware-signing/CHANGELOG.md | 8 +++++++ packages/middleware-signing/package.json | 2 +- packages/middleware-ssec/CHANGELOG.md | 8 +++++++ packages/middleware-ssec/package.json | 2 +- packages/middleware-token/CHANGELOG.md | 8 +++++++ packages/middleware-token/package.json | 2 +- packages/middleware-user-agent/CHANGELOG.md | 8 +++++++ packages/middleware-user-agent/package.json | 2 +- packages/middleware-websocket/CHANGELOG.md | 8 +++++++ packages/middleware-websocket/package.json | 2 +- packages/polly-request-presigner/CHANGELOG.md | 8 +++++++ packages/polly-request-presigner/package.json | 2 +- packages/rds-signer/CHANGELOG.md | 8 +++++++ packages/rds-signer/package.json | 2 +- packages/region-config-resolver/CHANGELOG.md | 8 +++++++ packages/region-config-resolver/package.json | 2 +- packages/s3-presigned-post/CHANGELOG.md | 8 +++++++ packages/s3-presigned-post/package.json | 2 +- packages/s3-request-presigner/CHANGELOG.md | 8 +++++++ packages/s3-request-presigner/package.json | 2 +- packages/sha256-tree-hash/CHANGELOG.md | 8 +++++++ packages/sha256-tree-hash/package.json | 2 +- packages/signature-v4-crt/CHANGELOG.md | 8 +++++++ packages/signature-v4-crt/package.json | 2 +- .../signature-v4-multi-region/CHANGELOG.md | 8 +++++++ .../signature-v4-multi-region/package.json | 2 +- packages/smithy-client/CHANGELOG.md | 8 +++++++ packages/smithy-client/package.json | 2 +- packages/token-providers/CHANGELOG.md | 8 +++++++ packages/token-providers/package.json | 2 +- packages/types/CHANGELOG.md | 8 +++++++ packages/types/package.json | 2 +- packages/util-create-request/CHANGELOG.md | 8 +++++++ packages/util-create-request/package.json | 2 +- packages/util-dns/CHANGELOG.md | 8 +++++++ packages/util-dns/package.json | 2 +- packages/util-dynamodb/CHANGELOG.md | 8 +++++++ packages/util-dynamodb/package.json | 2 +- packages/util-endpoints/CHANGELOG.md | 8 +++++++ packages/util-endpoints/package.json | 2 +- packages/util-format-url/CHANGELOG.md | 8 +++++++ packages/util-format-url/package.json | 2 +- packages/util-user-agent-browser/CHANGELOG.md | 8 +++++++ packages/util-user-agent-browser/package.json | 2 +- packages/util-user-agent-node/CHANGELOG.md | 8 +++++++ packages/util-user-agent-node/package.json | 2 +- packages/xhr-http-handler/CHANGELOG.md | 8 +++++++ packages/xhr-http-handler/package.json | 2 +- packages/xml-builder/CHANGELOG.md | 8 +++++++ packages/xml-builder/package.json | 2 +- private/aws-client-api-test/CHANGELOG.md | 8 +++++++ private/aws-client-api-test/package.json | 2 +- private/aws-client-retry-test/CHANGELOG.md | 8 +++++++ private/aws-client-retry-test/package.json | 2 +- private/aws-echo-service/CHANGELOG.md | 8 +++++++ private/aws-echo-service/package.json | 2 +- private/aws-middleware-test/CHANGELOG.md | 8 +++++++ private/aws-middleware-test/package.json | 2 +- private/aws-protocoltests-ec2/CHANGELOG.md | 8 +++++++ private/aws-protocoltests-ec2/package.json | 2 +- .../aws-protocoltests-json-10/CHANGELOG.md | 8 +++++++ .../aws-protocoltests-json-10/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- private/aws-protocoltests-json/CHANGELOG.md | 8 +++++++ private/aws-protocoltests-json/package.json | 2 +- private/aws-protocoltests-query/CHANGELOG.md | 8 +++++++ private/aws-protocoltests-query/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- .../aws-protocoltests-restjson/CHANGELOG.md | 8 +++++++ .../aws-protocoltests-restjson/package.json | 2 +- .../aws-protocoltests-restxml/CHANGELOG.md | 8 +++++++ .../aws-protocoltests-restxml/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- private/aws-restjson-server/CHANGELOG.md | 8 +++++++ private/aws-restjson-server/package.json | 2 +- .../CHANGELOG.md | 8 +++++++ .../package.json | 2 +- private/aws-util-test/CHANGELOG.md | 8 +++++++ private/aws-util-test/package.json | 2 +- private/weather-legacy-auth/CHANGELOG.md | 8 +++++++ private/weather-legacy-auth/package.json | 2 +- private/weather/CHANGELOG.md | 8 +++++++ private/weather/package.json | 2 +- 943 files changed, 4282 insertions(+), 479 deletions(-) create mode 100644 clients/client-directory-service-data/CHANGELOG.md diff --git a/CHANGELOG.md b/CHANGELOG.md index a3b1bfe52baf..7425aba653d2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,28 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Bug Fixes + +* **codegen:** fix setting of default signing name ([#6487](https://github.com/aws/aws-sdk-js-v3/issues/6487)) ([108bb99](https://github.com/aws/aws-sdk-js-v3/commit/108bb991927df4a9645545fc6fcb2648682f83ff)) +* **middleware-flexible-checksums:** use union for new config types ([#6489](https://github.com/aws/aws-sdk-js-v3/issues/6489)) ([c43103f](https://github.com/aws/aws-sdk-js-v3/commit/c43103fb71e2894db3c895ff3c8ba25ba07e4fbd)) + + +### Features + +* **client-cost-explorer:** This release extends the GetReservationPurchaseRecommendation API to support recommendations for Amazon DynamoDB reservations. ([6976388](https://github.com/aws/aws-sdk-js-v3/commit/697638820bdc733e2ad019f576ffa7c43dedd989)) +* **client-directory-service-data:** Added new AWS Directory Service Data API, enabling you to manage data stored in AWS Directory Service directories. This includes APIs for creating, reading, updating, and deleting directory users, groups, and group memberships. ([8c9372b](https://github.com/aws/aws-sdk-js-v3/commit/8c9372bde465b86ecfe48579584d5aa59745d9d3)) +* **client-directory-service:** Added new APIs for enabling, disabling, and describing access to the AWS Directory Service Data API ([cca80dd](https://github.com/aws/aws-sdk-js-v3/commit/cca80ddfd8df7ac58af6c067bcc98170a1cc5007)) +* **client-guardduty:** Add `launchType` and `sourceIPs` fields to GuardDuty findings. ([13c3582](https://github.com/aws/aws-sdk-js-v3/commit/13c35828916459e84fbe5d397084fa4619349a25)) +* **client-mailmanager:** Introduce a new RuleSet condition evaluation, where customers can set up a StringExpression with a MimeHeader condition. This condition will perform the necessary validation based on the X-header provided by customers. ([900a39e](https://github.com/aws/aws-sdk-js-v3/commit/900a39ed0d8c01d0e6a6e93296ba2bbdb6316e4b)) +* **client-s3:** Added SSE-KMS support for directory buckets. ([a00b8b0](https://github.com/aws/aws-sdk-js-v3/commit/a00b8b018fd294496a1fe6350011e43cfe09927c)) + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) diff --git a/benchmark/size/report.md b/benchmark/size/report.md index f63505a3f168..5c1e8a5a6334 100644 --- a/benchmark/size/report.md +++ b/benchmark/size/report.md @@ -36,12 +36,12 @@ |@aws-sdk/client-sts|3.495.0|392.8 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/client-xray|3.495.0|573.8 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/credential-provider-cognito-identity|3.496.0|36 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| -|@aws-sdk/credential-provider-env|3.620.1|18.4 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-env|3.649.0|18.4 KB|N/A|N/A|N/A| |@aws-sdk/credential-provider-imds|3.370.0|14.8 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-ini|3.650.0|42.5 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-node|3.650.0|34.2 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-process|3.620.1|22.2 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-sso|3.650.0|32.5 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-ini|3.651.1|42.5 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-node|3.651.1|34.2 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-process|3.649.0|22.2 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-sso|3.651.1|32.5 KB|N/A|N/A|N/A| |@aws-sdk/credential-provider-web-identity|3.495.0|28.9 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/credential-providers|3.496.0|84.3 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/fetch-http-handler|3.370.0|14.4 KB|✅(5.77.0)|✅(3.20.2)|✅(0.17.15)| @@ -50,8 +50,8 @@ |@aws-sdk/node-http-handler|3.370.0|14.4 KB|N/A|N/A|N/A| |@aws-sdk/polly-request-presigner|3.495.0|23.3 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/s3-presigned-post|3.496.0|27.4 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| -|@aws-sdk/s3-request-presigner|3.651.0|32.1 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| +|@aws-sdk/s3-request-presigner|3.651.1|32.1 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| |@aws-sdk/signature-v4|3.370.0|14.4 KB|✅(5.77.0)|✅(3.20.2)|✅(0.17.15)| -|@aws-sdk/signature-v4-crt|3.649.0|54.6 KB|N/A|N/A|N/A| +|@aws-sdk/signature-v4-crt|3.651.1|54.6 KB|N/A|N/A|N/A| |@aws-sdk/smithy-client|3.370.0|18.8 KB|✅(5.77.0)|✅(3.20.2)|✅(0.17.15)| -|@aws-sdk/types|3.609.0|38.5 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| +|@aws-sdk/types|3.649.0|38.5 KB|✅(5.88.2)|✅(3.26.3)|✅(0.18.15)| diff --git a/clients/client-accessanalyzer/CHANGELOG.md b/clients/client-accessanalyzer/CHANGELOG.md index 9835eca18752..b52c99070fbb 100644 --- a/clients/client-accessanalyzer/CHANGELOG.md +++ b/clients/client-accessanalyzer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-accessanalyzer + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-accessanalyzer diff --git a/clients/client-accessanalyzer/package.json b/clients/client-accessanalyzer/package.json index ab76ee6bec5a..bcb3e125b954 100644 --- a/clients/client-accessanalyzer/package.json +++ b/clients/client-accessanalyzer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-accessanalyzer", "description": "AWS SDK for JavaScript Accessanalyzer Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-accessanalyzer", diff --git a/clients/client-account/CHANGELOG.md b/clients/client-account/CHANGELOG.md index 1d381d14745e..d141ddb0ae18 100644 --- a/clients/client-account/CHANGELOG.md +++ b/clients/client-account/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-account + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-account diff --git a/clients/client-account/package.json b/clients/client-account/package.json index 2b251512e417..a53bc87edbb0 100644 --- a/clients/client-account/package.json +++ b/clients/client-account/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-account", "description": "AWS SDK for JavaScript Account Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-account", diff --git a/clients/client-acm-pca/CHANGELOG.md b/clients/client-acm-pca/CHANGELOG.md index 991164f2b3b9..0134156fdd8d 100644 --- a/clients/client-acm-pca/CHANGELOG.md +++ b/clients/client-acm-pca/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-acm-pca + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-acm-pca diff --git a/clients/client-acm-pca/package.json b/clients/client-acm-pca/package.json index 148b174480e4..aa4bbb33a27f 100644 --- a/clients/client-acm-pca/package.json +++ b/clients/client-acm-pca/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-acm-pca", "description": "AWS SDK for JavaScript Acm Pca Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-acm-pca", diff --git a/clients/client-acm/CHANGELOG.md b/clients/client-acm/CHANGELOG.md index 2ad0e2a4df4b..b9f18de153a4 100644 --- a/clients/client-acm/CHANGELOG.md +++ b/clients/client-acm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-acm + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-acm diff --git a/clients/client-acm/package.json b/clients/client-acm/package.json index 635b70d27aeb..ad3c39a2d357 100644 --- a/clients/client-acm/package.json +++ b/clients/client-acm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-acm", "description": "AWS SDK for JavaScript Acm Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-acm", diff --git a/clients/client-amp/CHANGELOG.md b/clients/client-amp/CHANGELOG.md index f23b32ec5d55..ab1b6965a94e 100644 --- a/clients/client-amp/CHANGELOG.md +++ b/clients/client-amp/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-amp + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-amp diff --git a/clients/client-amp/package.json b/clients/client-amp/package.json index 700291a3b8fd..27686f567295 100644 --- a/clients/client-amp/package.json +++ b/clients/client-amp/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amp", "description": "AWS SDK for JavaScript Amp Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amp", diff --git a/clients/client-amplify/CHANGELOG.md b/clients/client-amplify/CHANGELOG.md index 3d4a680bedb0..a604e0c970a0 100644 --- a/clients/client-amplify/CHANGELOG.md +++ b/clients/client-amplify/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-amplify + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-amplify diff --git a/clients/client-amplify/package.json b/clients/client-amplify/package.json index 69f99e62bfc7..9e0190d5715e 100644 --- a/clients/client-amplify/package.json +++ b/clients/client-amplify/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amplify", "description": "AWS SDK for JavaScript Amplify Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amplify", diff --git a/clients/client-amplifybackend/CHANGELOG.md b/clients/client-amplifybackend/CHANGELOG.md index 28063296f349..90567ab7bc6e 100644 --- a/clients/client-amplifybackend/CHANGELOG.md +++ b/clients/client-amplifybackend/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-amplifybackend + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-amplifybackend diff --git a/clients/client-amplifybackend/package.json b/clients/client-amplifybackend/package.json index 33f2fe5b0864..15469ec9b458 100644 --- a/clients/client-amplifybackend/package.json +++ b/clients/client-amplifybackend/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amplifybackend", "description": "AWS SDK for JavaScript Amplifybackend Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amplifybackend", diff --git a/clients/client-amplifyuibuilder/CHANGELOG.md b/clients/client-amplifyuibuilder/CHANGELOG.md index 00f0f5afa00f..5b143caa4427 100644 --- a/clients/client-amplifyuibuilder/CHANGELOG.md +++ b/clients/client-amplifyuibuilder/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-amplifyuibuilder + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-amplifyuibuilder diff --git a/clients/client-amplifyuibuilder/package.json b/clients/client-amplifyuibuilder/package.json index 4aef71aec433..c63670ebcd58 100644 --- a/clients/client-amplifyuibuilder/package.json +++ b/clients/client-amplifyuibuilder/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-amplifyuibuilder", "description": "AWS SDK for JavaScript Amplifyuibuilder Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-amplifyuibuilder", diff --git a/clients/client-api-gateway/CHANGELOG.md b/clients/client-api-gateway/CHANGELOG.md index ce8734c23da9..ddc329ae2bd0 100644 --- a/clients/client-api-gateway/CHANGELOG.md +++ b/clients/client-api-gateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-api-gateway + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-api-gateway diff --git a/clients/client-api-gateway/package.json b/clients/client-api-gateway/package.json index 1fa3bf42e287..8c22b24ef898 100644 --- a/clients/client-api-gateway/package.json +++ b/clients/client-api-gateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-api-gateway", "description": "AWS SDK for JavaScript Api Gateway Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-api-gateway", diff --git a/clients/client-apigatewaymanagementapi/CHANGELOG.md b/clients/client-apigatewaymanagementapi/CHANGELOG.md index 668263dcd323..556722620512 100644 --- a/clients/client-apigatewaymanagementapi/CHANGELOG.md +++ b/clients/client-apigatewaymanagementapi/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-apigatewaymanagementapi + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-apigatewaymanagementapi diff --git a/clients/client-apigatewaymanagementapi/package.json b/clients/client-apigatewaymanagementapi/package.json index b567a6cda6c6..66d978346488 100644 --- a/clients/client-apigatewaymanagementapi/package.json +++ b/clients/client-apigatewaymanagementapi/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apigatewaymanagementapi", "description": "AWS SDK for JavaScript Apigatewaymanagementapi Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-apigatewaymanagementapi", diff --git a/clients/client-apigatewayv2/CHANGELOG.md b/clients/client-apigatewayv2/CHANGELOG.md index 97cf84c8bf9b..48b74d6ddb56 100644 --- a/clients/client-apigatewayv2/CHANGELOG.md +++ b/clients/client-apigatewayv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-apigatewayv2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-apigatewayv2 diff --git a/clients/client-apigatewayv2/package.json b/clients/client-apigatewayv2/package.json index e008343bb5e9..a6285b4e482b 100644 --- a/clients/client-apigatewayv2/package.json +++ b/clients/client-apigatewayv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apigatewayv2", "description": "AWS SDK for JavaScript Apigatewayv2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-apigatewayv2", diff --git a/clients/client-app-mesh/CHANGELOG.md b/clients/client-app-mesh/CHANGELOG.md index f9a55f4dcb6d..90df6f71e923 100644 --- a/clients/client-app-mesh/CHANGELOG.md +++ b/clients/client-app-mesh/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-app-mesh + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-app-mesh diff --git a/clients/client-app-mesh/package.json b/clients/client-app-mesh/package.json index beb14a5cea15..d972f25da915 100644 --- a/clients/client-app-mesh/package.json +++ b/clients/client-app-mesh/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-app-mesh", "description": "AWS SDK for JavaScript App Mesh Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-app-mesh", diff --git a/clients/client-appconfig/CHANGELOG.md b/clients/client-appconfig/CHANGELOG.md index 3238f2565007..ae72214f9f9d 100644 --- a/clients/client-appconfig/CHANGELOG.md +++ b/clients/client-appconfig/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-appconfig + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-appconfig diff --git a/clients/client-appconfig/package.json b/clients/client-appconfig/package.json index 56b20c1be805..3fc532945c0c 100644 --- a/clients/client-appconfig/package.json +++ b/clients/client-appconfig/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appconfig", "description": "AWS SDK for JavaScript Appconfig Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appconfig", diff --git a/clients/client-appconfigdata/CHANGELOG.md b/clients/client-appconfigdata/CHANGELOG.md index 3d51a307f52c..9cd9ba5c3a12 100644 --- a/clients/client-appconfigdata/CHANGELOG.md +++ b/clients/client-appconfigdata/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-appconfigdata + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-appconfigdata diff --git a/clients/client-appconfigdata/package.json b/clients/client-appconfigdata/package.json index bb46ca2b3a2c..9d6cb2526686 100644 --- a/clients/client-appconfigdata/package.json +++ b/clients/client-appconfigdata/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appconfigdata", "description": "AWS SDK for JavaScript Appconfigdata Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appconfigdata", diff --git a/clients/client-appfabric/CHANGELOG.md b/clients/client-appfabric/CHANGELOG.md index c961f3118593..9a9dd9ccd2e0 100644 --- a/clients/client-appfabric/CHANGELOG.md +++ b/clients/client-appfabric/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-appfabric + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-appfabric diff --git a/clients/client-appfabric/package.json b/clients/client-appfabric/package.json index 28a698b57b5b..a9958b6f6b60 100644 --- a/clients/client-appfabric/package.json +++ b/clients/client-appfabric/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appfabric", "description": "AWS SDK for JavaScript Appfabric Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appfabric", diff --git a/clients/client-appflow/CHANGELOG.md b/clients/client-appflow/CHANGELOG.md index c9292a69b471..5f8766a6d383 100644 --- a/clients/client-appflow/CHANGELOG.md +++ b/clients/client-appflow/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-appflow + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-appflow diff --git a/clients/client-appflow/package.json b/clients/client-appflow/package.json index 7011e994d5e4..d66ce3760152 100644 --- a/clients/client-appflow/package.json +++ b/clients/client-appflow/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appflow", "description": "AWS SDK for JavaScript Appflow Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appflow", diff --git a/clients/client-appintegrations/CHANGELOG.md b/clients/client-appintegrations/CHANGELOG.md index c7b07eb32c52..bb14fb9a644d 100644 --- a/clients/client-appintegrations/CHANGELOG.md +++ b/clients/client-appintegrations/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-appintegrations + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-appintegrations diff --git a/clients/client-appintegrations/package.json b/clients/client-appintegrations/package.json index 49145d86a50a..a4d32fc48ce6 100644 --- a/clients/client-appintegrations/package.json +++ b/clients/client-appintegrations/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appintegrations", "description": "AWS SDK for JavaScript Appintegrations Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appintegrations", diff --git a/clients/client-application-auto-scaling/CHANGELOG.md b/clients/client-application-auto-scaling/CHANGELOG.md index 30176d9134e9..d1f36ca4c072 100644 --- a/clients/client-application-auto-scaling/CHANGELOG.md +++ b/clients/client-application-auto-scaling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-application-auto-scaling + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-application-auto-scaling diff --git a/clients/client-application-auto-scaling/package.json b/clients/client-application-auto-scaling/package.json index a22b9535a030..3d4c34338dd8 100644 --- a/clients/client-application-auto-scaling/package.json +++ b/clients/client-application-auto-scaling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-auto-scaling", "description": "AWS SDK for JavaScript Application Auto Scaling Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-application-auto-scaling", diff --git a/clients/client-application-discovery-service/CHANGELOG.md b/clients/client-application-discovery-service/CHANGELOG.md index eb48c8e33e41..757d7b143335 100644 --- a/clients/client-application-discovery-service/CHANGELOG.md +++ b/clients/client-application-discovery-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-application-discovery-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-application-discovery-service diff --git a/clients/client-application-discovery-service/package.json b/clients/client-application-discovery-service/package.json index 571a3f595cc4..b82aa24f4e55 100644 --- a/clients/client-application-discovery-service/package.json +++ b/clients/client-application-discovery-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-discovery-service", "description": "AWS SDK for JavaScript Application Discovery Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-application-discovery-service", diff --git a/clients/client-application-insights/CHANGELOG.md b/clients/client-application-insights/CHANGELOG.md index 41eae8e63e76..6ad7c804a65c 100644 --- a/clients/client-application-insights/CHANGELOG.md +++ b/clients/client-application-insights/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-application-insights + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-application-insights diff --git a/clients/client-application-insights/package.json b/clients/client-application-insights/package.json index 82e606b48f6c..4f50a1d63be0 100644 --- a/clients/client-application-insights/package.json +++ b/clients/client-application-insights/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-insights", "description": "AWS SDK for JavaScript Application Insights Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-application-insights", diff --git a/clients/client-application-signals/CHANGELOG.md b/clients/client-application-signals/CHANGELOG.md index 785eda3753c5..fc1909e6577e 100644 --- a/clients/client-application-signals/CHANGELOG.md +++ b/clients/client-application-signals/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-application-signals + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-application-signals diff --git a/clients/client-application-signals/package.json b/clients/client-application-signals/package.json index be26b3107958..e4403bae0c2b 100644 --- a/clients/client-application-signals/package.json +++ b/clients/client-application-signals/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-application-signals", "description": "AWS SDK for JavaScript Application Signals Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-applicationcostprofiler/CHANGELOG.md b/clients/client-applicationcostprofiler/CHANGELOG.md index fddad44514b7..0e25cc70017c 100644 --- a/clients/client-applicationcostprofiler/CHANGELOG.md +++ b/clients/client-applicationcostprofiler/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-applicationcostprofiler + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-applicationcostprofiler diff --git a/clients/client-applicationcostprofiler/package.json b/clients/client-applicationcostprofiler/package.json index 7a494453712b..f6f18f1430a1 100644 --- a/clients/client-applicationcostprofiler/package.json +++ b/clients/client-applicationcostprofiler/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-applicationcostprofiler", "description": "AWS SDK for JavaScript Applicationcostprofiler Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-applicationcostprofiler", diff --git a/clients/client-apprunner/CHANGELOG.md b/clients/client-apprunner/CHANGELOG.md index c76ef516c225..0771a228bd94 100644 --- a/clients/client-apprunner/CHANGELOG.md +++ b/clients/client-apprunner/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-apprunner + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-apprunner diff --git a/clients/client-apprunner/package.json b/clients/client-apprunner/package.json index e1a2a615d3bf..63c858ba60c4 100644 --- a/clients/client-apprunner/package.json +++ b/clients/client-apprunner/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apprunner", "description": "AWS SDK for JavaScript Apprunner Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-apprunner", diff --git a/clients/client-appstream/CHANGELOG.md b/clients/client-appstream/CHANGELOG.md index 828970aab2e0..1f78309d8cd1 100644 --- a/clients/client-appstream/CHANGELOG.md +++ b/clients/client-appstream/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-appstream + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-appstream diff --git a/clients/client-appstream/package.json b/clients/client-appstream/package.json index 4e7f9a9e6267..cf52f9b202e7 100644 --- a/clients/client-appstream/package.json +++ b/clients/client-appstream/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appstream", "description": "AWS SDK for JavaScript Appstream Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appstream", diff --git a/clients/client-appsync/CHANGELOG.md b/clients/client-appsync/CHANGELOG.md index 39b739446038..6d7ac8afcfd9 100644 --- a/clients/client-appsync/CHANGELOG.md +++ b/clients/client-appsync/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-appsync + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-appsync diff --git a/clients/client-appsync/package.json b/clients/client-appsync/package.json index 3f2db762a521..d6ff156406ce 100644 --- a/clients/client-appsync/package.json +++ b/clients/client-appsync/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-appsync", "description": "AWS SDK for JavaScript Appsync Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-appsync", diff --git a/clients/client-apptest/CHANGELOG.md b/clients/client-apptest/CHANGELOG.md index 70dce9d89d02..020637395064 100644 --- a/clients/client-apptest/CHANGELOG.md +++ b/clients/client-apptest/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-apptest + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-apptest diff --git a/clients/client-apptest/package.json b/clients/client-apptest/package.json index b0e4e379e1ff..74306d87d3bf 100644 --- a/clients/client-apptest/package.json +++ b/clients/client-apptest/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-apptest", "description": "AWS SDK for JavaScript Apptest Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-arc-zonal-shift/CHANGELOG.md b/clients/client-arc-zonal-shift/CHANGELOG.md index 9f7011378017..175d7798b40e 100644 --- a/clients/client-arc-zonal-shift/CHANGELOG.md +++ b/clients/client-arc-zonal-shift/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-arc-zonal-shift + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-arc-zonal-shift diff --git a/clients/client-arc-zonal-shift/package.json b/clients/client-arc-zonal-shift/package.json index 7aa083b20cdc..09d93d7c4435 100644 --- a/clients/client-arc-zonal-shift/package.json +++ b/clients/client-arc-zonal-shift/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-arc-zonal-shift", "description": "AWS SDK for JavaScript Arc Zonal Shift Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-arc-zonal-shift", diff --git a/clients/client-artifact/CHANGELOG.md b/clients/client-artifact/CHANGELOG.md index 6fac51e01f5b..3d3172de746f 100644 --- a/clients/client-artifact/CHANGELOG.md +++ b/clients/client-artifact/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-artifact + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-artifact diff --git a/clients/client-artifact/package.json b/clients/client-artifact/package.json index b0623342f397..fdf8a23f6c44 100644 --- a/clients/client-artifact/package.json +++ b/clients/client-artifact/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-artifact", "description": "AWS SDK for JavaScript Artifact Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-athena/CHANGELOG.md b/clients/client-athena/CHANGELOG.md index 8f8b514d2345..279d0d6317da 100644 --- a/clients/client-athena/CHANGELOG.md +++ b/clients/client-athena/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-athena + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-athena diff --git a/clients/client-athena/package.json b/clients/client-athena/package.json index a0183b2acfc3..0373c483089c 100644 --- a/clients/client-athena/package.json +++ b/clients/client-athena/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-athena", "description": "AWS SDK for JavaScript Athena Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-athena", diff --git a/clients/client-auditmanager/CHANGELOG.md b/clients/client-auditmanager/CHANGELOG.md index 4aab91aeab9b..b8634b19babe 100644 --- a/clients/client-auditmanager/CHANGELOG.md +++ b/clients/client-auditmanager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-auditmanager + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-auditmanager diff --git a/clients/client-auditmanager/package.json b/clients/client-auditmanager/package.json index 86f0f5e83e14..8d4b1988bdd3 100644 --- a/clients/client-auditmanager/package.json +++ b/clients/client-auditmanager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-auditmanager", "description": "AWS SDK for JavaScript Auditmanager Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-auditmanager", diff --git a/clients/client-auto-scaling-plans/CHANGELOG.md b/clients/client-auto-scaling-plans/CHANGELOG.md index 38027e157a90..a07e406091e5 100644 --- a/clients/client-auto-scaling-plans/CHANGELOG.md +++ b/clients/client-auto-scaling-plans/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-auto-scaling-plans + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-auto-scaling-plans diff --git a/clients/client-auto-scaling-plans/package.json b/clients/client-auto-scaling-plans/package.json index 431960240590..0e2c3eaefa24 100644 --- a/clients/client-auto-scaling-plans/package.json +++ b/clients/client-auto-scaling-plans/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-auto-scaling-plans", "description": "AWS SDK for JavaScript Auto Scaling Plans Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-auto-scaling-plans", diff --git a/clients/client-auto-scaling/CHANGELOG.md b/clients/client-auto-scaling/CHANGELOG.md index 2b4875706d82..4ffe0c35b932 100644 --- a/clients/client-auto-scaling/CHANGELOG.md +++ b/clients/client-auto-scaling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-auto-scaling + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-auto-scaling diff --git a/clients/client-auto-scaling/package.json b/clients/client-auto-scaling/package.json index 9e92dde3527a..d3a35119c342 100644 --- a/clients/client-auto-scaling/package.json +++ b/clients/client-auto-scaling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-auto-scaling", "description": "AWS SDK for JavaScript Auto Scaling Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-auto-scaling", diff --git a/clients/client-b2bi/CHANGELOG.md b/clients/client-b2bi/CHANGELOG.md index 733c4eb300ca..abb2e41d6539 100644 --- a/clients/client-b2bi/CHANGELOG.md +++ b/clients/client-b2bi/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-b2bi + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-b2bi diff --git a/clients/client-b2bi/package.json b/clients/client-b2bi/package.json index 5fc6b012f6a4..1dddc3e7ee8e 100644 --- a/clients/client-b2bi/package.json +++ b/clients/client-b2bi/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-b2bi", "description": "AWS SDK for JavaScript B2bi Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-b2bi", diff --git a/clients/client-backup-gateway/CHANGELOG.md b/clients/client-backup-gateway/CHANGELOG.md index 74d13b76f889..7997cf8d6fd0 100644 --- a/clients/client-backup-gateway/CHANGELOG.md +++ b/clients/client-backup-gateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-backup-gateway + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-backup-gateway diff --git a/clients/client-backup-gateway/package.json b/clients/client-backup-gateway/package.json index e8460ed0afc1..31f584f9be60 100644 --- a/clients/client-backup-gateway/package.json +++ b/clients/client-backup-gateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-backup-gateway", "description": "AWS SDK for JavaScript Backup Gateway Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-backup-gateway", diff --git a/clients/client-backup/CHANGELOG.md b/clients/client-backup/CHANGELOG.md index 73b0e31bdde7..a7519a152241 100644 --- a/clients/client-backup/CHANGELOG.md +++ b/clients/client-backup/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-backup + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-backup diff --git a/clients/client-backup/package.json b/clients/client-backup/package.json index 4f6b2c50c794..988cf5288bd5 100644 --- a/clients/client-backup/package.json +++ b/clients/client-backup/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-backup", "description": "AWS SDK for JavaScript Backup Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-backup", diff --git a/clients/client-batch/CHANGELOG.md b/clients/client-batch/CHANGELOG.md index 012fff0037eb..dc3be226723a 100644 --- a/clients/client-batch/CHANGELOG.md +++ b/clients/client-batch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-batch + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-batch diff --git a/clients/client-batch/package.json b/clients/client-batch/package.json index e57c4079ee57..6f959e6332a8 100644 --- a/clients/client-batch/package.json +++ b/clients/client-batch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-batch", "description": "AWS SDK for JavaScript Batch Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-batch", diff --git a/clients/client-bcm-data-exports/CHANGELOG.md b/clients/client-bcm-data-exports/CHANGELOG.md index d6a47e76a13a..f37ba7593eb8 100644 --- a/clients/client-bcm-data-exports/CHANGELOG.md +++ b/clients/client-bcm-data-exports/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-bcm-data-exports + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-bcm-data-exports diff --git a/clients/client-bcm-data-exports/package.json b/clients/client-bcm-data-exports/package.json index ba86467fca77..3f4b2962ab1c 100644 --- a/clients/client-bcm-data-exports/package.json +++ b/clients/client-bcm-data-exports/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bcm-data-exports", "description": "AWS SDK for JavaScript Bcm Data Exports Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bcm-data-exports", diff --git a/clients/client-bedrock-agent-runtime/CHANGELOG.md b/clients/client-bedrock-agent-runtime/CHANGELOG.md index d9d847edb4b4..4427c16547ef 100644 --- a/clients/client-bedrock-agent-runtime/CHANGELOG.md +++ b/clients/client-bedrock-agent-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-agent-runtime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-bedrock-agent-runtime diff --git a/clients/client-bedrock-agent-runtime/package.json b/clients/client-bedrock-agent-runtime/package.json index 0280bc68d05d..31cc3a1a6be9 100644 --- a/clients/client-bedrock-agent-runtime/package.json +++ b/clients/client-bedrock-agent-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-agent-runtime", "description": "AWS SDK for JavaScript Bedrock Agent Runtime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock-agent-runtime", diff --git a/clients/client-bedrock-agent/CHANGELOG.md b/clients/client-bedrock-agent/CHANGELOG.md index 5891b9920d74..508ccff5f6a2 100644 --- a/clients/client-bedrock-agent/CHANGELOG.md +++ b/clients/client-bedrock-agent/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-agent + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-bedrock-agent diff --git a/clients/client-bedrock-agent/package.json b/clients/client-bedrock-agent/package.json index 557b7aedf5c8..ee1ad0524648 100644 --- a/clients/client-bedrock-agent/package.json +++ b/clients/client-bedrock-agent/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-agent", "description": "AWS SDK for JavaScript Bedrock Agent Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock-agent", diff --git a/clients/client-bedrock-runtime/CHANGELOG.md b/clients/client-bedrock-runtime/CHANGELOG.md index 91579840f529..6464fb1362e0 100644 --- a/clients/client-bedrock-runtime/CHANGELOG.md +++ b/clients/client-bedrock-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-runtime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-bedrock-runtime diff --git a/clients/client-bedrock-runtime/package.json b/clients/client-bedrock-runtime/package.json index 6a0b8361b3ba..e8fcc09fe20d 100644 --- a/clients/client-bedrock-runtime/package.json +++ b/clients/client-bedrock-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-runtime", "description": "AWS SDK for JavaScript Bedrock Runtime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock-runtime", diff --git a/clients/client-bedrock/CHANGELOG.md b/clients/client-bedrock/CHANGELOG.md index eb7041b48b11..a21f24f19002 100644 --- a/clients/client-bedrock/CHANGELOG.md +++ b/clients/client-bedrock/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-bedrock + + + + + # [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) diff --git a/clients/client-bedrock/package.json b/clients/client-bedrock/package.json index 7bca05139b10..ddb94248bbc5 100644 --- a/clients/client-bedrock/package.json +++ b/clients/client-bedrock/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock", "description": "AWS SDK for JavaScript Bedrock Client for Node.js, Browser and React Native", - "version": "3.652.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-bedrock", diff --git a/clients/client-billingconductor/CHANGELOG.md b/clients/client-billingconductor/CHANGELOG.md index c9bec98c98ac..43d8192de256 100644 --- a/clients/client-billingconductor/CHANGELOG.md +++ b/clients/client-billingconductor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-billingconductor + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-billingconductor diff --git a/clients/client-billingconductor/package.json b/clients/client-billingconductor/package.json index f4fb6dba1a47..2442c8ccfdbb 100644 --- a/clients/client-billingconductor/package.json +++ b/clients/client-billingconductor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-billingconductor", "description": "AWS SDK for JavaScript Billingconductor Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-billingconductor", diff --git a/clients/client-braket/CHANGELOG.md b/clients/client-braket/CHANGELOG.md index b12aeb66b8d8..8d742cbeb4d3 100644 --- a/clients/client-braket/CHANGELOG.md +++ b/clients/client-braket/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-braket + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-braket diff --git a/clients/client-braket/package.json b/clients/client-braket/package.json index ebcb3b20538d..991ce51069f6 100644 --- a/clients/client-braket/package.json +++ b/clients/client-braket/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-braket", "description": "AWS SDK for JavaScript Braket Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-braket", diff --git a/clients/client-budgets/CHANGELOG.md b/clients/client-budgets/CHANGELOG.md index 62890da890c5..31f9c97b1ac7 100644 --- a/clients/client-budgets/CHANGELOG.md +++ b/clients/client-budgets/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-budgets + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-budgets diff --git a/clients/client-budgets/package.json b/clients/client-budgets/package.json index 30d7e1c33025..382fbff04b53 100644 --- a/clients/client-budgets/package.json +++ b/clients/client-budgets/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-budgets", "description": "AWS SDK for JavaScript Budgets Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-budgets", diff --git a/clients/client-chatbot/CHANGELOG.md b/clients/client-chatbot/CHANGELOG.md index 46c912ba7d33..d21ae429ce9f 100644 --- a/clients/client-chatbot/CHANGELOG.md +++ b/clients/client-chatbot/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-chatbot + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-chatbot diff --git a/clients/client-chatbot/package.json b/clients/client-chatbot/package.json index 92af976164cd..f24bc060273b 100644 --- a/clients/client-chatbot/package.json +++ b/clients/client-chatbot/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chatbot", "description": "AWS SDK for JavaScript Chatbot Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-chime-sdk-identity/CHANGELOG.md b/clients/client-chime-sdk-identity/CHANGELOG.md index 62ebe59a7821..1f416423b2d1 100644 --- a/clients/client-chime-sdk-identity/CHANGELOG.md +++ b/clients/client-chime-sdk-identity/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-identity + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-identity diff --git a/clients/client-chime-sdk-identity/package.json b/clients/client-chime-sdk-identity/package.json index a9e4a9da89cc..1b8691b796de 100644 --- a/clients/client-chime-sdk-identity/package.json +++ b/clients/client-chime-sdk-identity/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-identity", "description": "AWS SDK for JavaScript Chime Sdk Identity Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-identity", diff --git a/clients/client-chime-sdk-media-pipelines/CHANGELOG.md b/clients/client-chime-sdk-media-pipelines/CHANGELOG.md index 87a4e2187044..59410f9f79ce 100644 --- a/clients/client-chime-sdk-media-pipelines/CHANGELOG.md +++ b/clients/client-chime-sdk-media-pipelines/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-media-pipelines + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-media-pipelines diff --git a/clients/client-chime-sdk-media-pipelines/package.json b/clients/client-chime-sdk-media-pipelines/package.json index d0f6dfb45711..93bc0203026a 100644 --- a/clients/client-chime-sdk-media-pipelines/package.json +++ b/clients/client-chime-sdk-media-pipelines/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-media-pipelines", "description": "AWS SDK for JavaScript Chime Sdk Media Pipelines Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-media-pipelines", diff --git a/clients/client-chime-sdk-meetings/CHANGELOG.md b/clients/client-chime-sdk-meetings/CHANGELOG.md index f85abfadf36b..2c3346dc3b4d 100644 --- a/clients/client-chime-sdk-meetings/CHANGELOG.md +++ b/clients/client-chime-sdk-meetings/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-meetings + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-meetings diff --git a/clients/client-chime-sdk-meetings/package.json b/clients/client-chime-sdk-meetings/package.json index 1052e1da99fa..1577f0eff81a 100644 --- a/clients/client-chime-sdk-meetings/package.json +++ b/clients/client-chime-sdk-meetings/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-meetings", "description": "AWS SDK for JavaScript Chime Sdk Meetings Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-meetings", diff --git a/clients/client-chime-sdk-messaging/CHANGELOG.md b/clients/client-chime-sdk-messaging/CHANGELOG.md index d71b4be5ab42..d7232cfc660e 100644 --- a/clients/client-chime-sdk-messaging/CHANGELOG.md +++ b/clients/client-chime-sdk-messaging/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-messaging + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-messaging diff --git a/clients/client-chime-sdk-messaging/package.json b/clients/client-chime-sdk-messaging/package.json index d19d5b22eae9..913498ae7e9b 100644 --- a/clients/client-chime-sdk-messaging/package.json +++ b/clients/client-chime-sdk-messaging/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-messaging", "description": "AWS SDK for JavaScript Chime Sdk Messaging Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-messaging", diff --git a/clients/client-chime-sdk-voice/CHANGELOG.md b/clients/client-chime-sdk-voice/CHANGELOG.md index bb3874b6ea56..9614f07521f8 100644 --- a/clients/client-chime-sdk-voice/CHANGELOG.md +++ b/clients/client-chime-sdk-voice/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-voice + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-chime-sdk-voice diff --git a/clients/client-chime-sdk-voice/package.json b/clients/client-chime-sdk-voice/package.json index 6242f5a7ae38..35c880fbb05e 100644 --- a/clients/client-chime-sdk-voice/package.json +++ b/clients/client-chime-sdk-voice/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime-sdk-voice", "description": "AWS SDK for JavaScript Chime Sdk Voice Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime-sdk-voice", diff --git a/clients/client-chime/CHANGELOG.md b/clients/client-chime/CHANGELOG.md index f33d71c6ccd2..a1da22006d00 100644 --- a/clients/client-chime/CHANGELOG.md +++ b/clients/client-chime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-chime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-chime diff --git a/clients/client-chime/package.json b/clients/client-chime/package.json index f250f7888dad..ad79fddaa95e 100644 --- a/clients/client-chime/package.json +++ b/clients/client-chime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-chime", "description": "AWS SDK for JavaScript Chime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-chime", diff --git a/clients/client-cleanrooms/CHANGELOG.md b/clients/client-cleanrooms/CHANGELOG.md index 9488dfaaa584..e95c893d980c 100644 --- a/clients/client-cleanrooms/CHANGELOG.md +++ b/clients/client-cleanrooms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cleanrooms + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cleanrooms diff --git a/clients/client-cleanrooms/package.json b/clients/client-cleanrooms/package.json index 890ad2b99a80..49b6a3778a51 100644 --- a/clients/client-cleanrooms/package.json +++ b/clients/client-cleanrooms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cleanrooms", "description": "AWS SDK for JavaScript Cleanrooms Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cleanrooms", diff --git a/clients/client-cleanroomsml/CHANGELOG.md b/clients/client-cleanroomsml/CHANGELOG.md index 8ab8d32c1afb..ecfd4d803683 100644 --- a/clients/client-cleanroomsml/CHANGELOG.md +++ b/clients/client-cleanroomsml/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cleanroomsml + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cleanroomsml diff --git a/clients/client-cleanroomsml/package.json b/clients/client-cleanroomsml/package.json index a07425935bc9..da33b9ccfb6b 100644 --- a/clients/client-cleanroomsml/package.json +++ b/clients/client-cleanroomsml/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cleanroomsml", "description": "AWS SDK for JavaScript Cleanroomsml Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cleanroomsml", diff --git a/clients/client-cloud9/CHANGELOG.md b/clients/client-cloud9/CHANGELOG.md index fd6d7ec8cd77..b93d6f0f26db 100644 --- a/clients/client-cloud9/CHANGELOG.md +++ b/clients/client-cloud9/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloud9 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloud9 diff --git a/clients/client-cloud9/package.json b/clients/client-cloud9/package.json index f9a1921f49ab..d4750963b927 100644 --- a/clients/client-cloud9/package.json +++ b/clients/client-cloud9/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloud9", "description": "AWS SDK for JavaScript Cloud9 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloud9", diff --git a/clients/client-cloudcontrol/CHANGELOG.md b/clients/client-cloudcontrol/CHANGELOG.md index b0cc846175cd..3be139eca049 100644 --- a/clients/client-cloudcontrol/CHANGELOG.md +++ b/clients/client-cloudcontrol/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudcontrol + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudcontrol diff --git a/clients/client-cloudcontrol/package.json b/clients/client-cloudcontrol/package.json index 41dde62d7128..4a76031cfa48 100644 --- a/clients/client-cloudcontrol/package.json +++ b/clients/client-cloudcontrol/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudcontrol", "description": "AWS SDK for JavaScript Cloudcontrol Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudcontrol", diff --git a/clients/client-clouddirectory/CHANGELOG.md b/clients/client-clouddirectory/CHANGELOG.md index d38389b036f7..b1c4b6e103c8 100644 --- a/clients/client-clouddirectory/CHANGELOG.md +++ b/clients/client-clouddirectory/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-clouddirectory + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-clouddirectory diff --git a/clients/client-clouddirectory/package.json b/clients/client-clouddirectory/package.json index 292c7d408777..22e966a4bc92 100644 --- a/clients/client-clouddirectory/package.json +++ b/clients/client-clouddirectory/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-clouddirectory", "description": "AWS SDK for JavaScript Clouddirectory Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-clouddirectory", diff --git a/clients/client-cloudformation/CHANGELOG.md b/clients/client-cloudformation/CHANGELOG.md index f71849343b65..528f2c0c4161 100644 --- a/clients/client-cloudformation/CHANGELOG.md +++ b/clients/client-cloudformation/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudformation + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudformation diff --git a/clients/client-cloudformation/package.json b/clients/client-cloudformation/package.json index 019d4226a2fe..ead7fa4d0296 100644 --- a/clients/client-cloudformation/package.json +++ b/clients/client-cloudformation/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudformation", "description": "AWS SDK for JavaScript Cloudformation Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudformation", diff --git a/clients/client-cloudfront-keyvaluestore/CHANGELOG.md b/clients/client-cloudfront-keyvaluestore/CHANGELOG.md index dd63aeb79bdd..3720cb6c6a84 100644 --- a/clients/client-cloudfront-keyvaluestore/CHANGELOG.md +++ b/clients/client-cloudfront-keyvaluestore/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudfront-keyvaluestore + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudfront-keyvaluestore diff --git a/clients/client-cloudfront-keyvaluestore/package.json b/clients/client-cloudfront-keyvaluestore/package.json index cf4874f69601..5d5be71648cf 100644 --- a/clients/client-cloudfront-keyvaluestore/package.json +++ b/clients/client-cloudfront-keyvaluestore/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudfront-keyvaluestore", "description": "AWS SDK for JavaScript Cloudfront Keyvaluestore Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudfront-keyvaluestore", diff --git a/clients/client-cloudfront/CHANGELOG.md b/clients/client-cloudfront/CHANGELOG.md index 479157227293..b55fc37d998e 100644 --- a/clients/client-cloudfront/CHANGELOG.md +++ b/clients/client-cloudfront/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudfront + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudfront diff --git a/clients/client-cloudfront/package.json b/clients/client-cloudfront/package.json index 507aae85a595..a115acef6410 100644 --- a/clients/client-cloudfront/package.json +++ b/clients/client-cloudfront/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudfront", "description": "AWS SDK for JavaScript Cloudfront Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudfront", diff --git a/clients/client-cloudhsm-v2/CHANGELOG.md b/clients/client-cloudhsm-v2/CHANGELOG.md index ab4259d383e9..bdbf88d87bad 100644 --- a/clients/client-cloudhsm-v2/CHANGELOG.md +++ b/clients/client-cloudhsm-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudhsm-v2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudhsm-v2 diff --git a/clients/client-cloudhsm-v2/package.json b/clients/client-cloudhsm-v2/package.json index 7649fe69b651..509417c1a4eb 100644 --- a/clients/client-cloudhsm-v2/package.json +++ b/clients/client-cloudhsm-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudhsm-v2", "description": "AWS SDK for JavaScript Cloudhsm V2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudhsm-v2", diff --git a/clients/client-cloudhsm/CHANGELOG.md b/clients/client-cloudhsm/CHANGELOG.md index d4a7b79a61d3..2aad70b19516 100644 --- a/clients/client-cloudhsm/CHANGELOG.md +++ b/clients/client-cloudhsm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudhsm + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudhsm diff --git a/clients/client-cloudhsm/package.json b/clients/client-cloudhsm/package.json index 91b3803bd789..702e3d66c300 100644 --- a/clients/client-cloudhsm/package.json +++ b/clients/client-cloudhsm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudhsm", "description": "AWS SDK for JavaScript Cloudhsm Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudhsm", diff --git a/clients/client-cloudsearch-domain/CHANGELOG.md b/clients/client-cloudsearch-domain/CHANGELOG.md index af9d7d4603da..e2011463f1e0 100644 --- a/clients/client-cloudsearch-domain/CHANGELOG.md +++ b/clients/client-cloudsearch-domain/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudsearch-domain + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudsearch-domain diff --git a/clients/client-cloudsearch-domain/package.json b/clients/client-cloudsearch-domain/package.json index 5a8a409fd889..746480d4799d 100644 --- a/clients/client-cloudsearch-domain/package.json +++ b/clients/client-cloudsearch-domain/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudsearch-domain", "description": "AWS SDK for JavaScript Cloudsearch Domain Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudsearch-domain", diff --git a/clients/client-cloudsearch/CHANGELOG.md b/clients/client-cloudsearch/CHANGELOG.md index fa15ae283e8b..bebeb704e464 100644 --- a/clients/client-cloudsearch/CHANGELOG.md +++ b/clients/client-cloudsearch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudsearch + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudsearch diff --git a/clients/client-cloudsearch/package.json b/clients/client-cloudsearch/package.json index 2b96fabd01a3..e29ddcad0a6b 100644 --- a/clients/client-cloudsearch/package.json +++ b/clients/client-cloudsearch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudsearch", "description": "AWS SDK for JavaScript Cloudsearch Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudsearch", diff --git a/clients/client-cloudtrail-data/CHANGELOG.md b/clients/client-cloudtrail-data/CHANGELOG.md index ee80c8a215c0..089edbc7587c 100644 --- a/clients/client-cloudtrail-data/CHANGELOG.md +++ b/clients/client-cloudtrail-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudtrail-data + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudtrail-data diff --git a/clients/client-cloudtrail-data/package.json b/clients/client-cloudtrail-data/package.json index c09e95fc9343..f55b50c73d81 100644 --- a/clients/client-cloudtrail-data/package.json +++ b/clients/client-cloudtrail-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudtrail-data", "description": "AWS SDK for JavaScript Cloudtrail Data Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudtrail-data", diff --git a/clients/client-cloudtrail/CHANGELOG.md b/clients/client-cloudtrail/CHANGELOG.md index 9fdbe89b2415..af17d4db3cce 100644 --- a/clients/client-cloudtrail/CHANGELOG.md +++ b/clients/client-cloudtrail/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudtrail + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudtrail diff --git a/clients/client-cloudtrail/package.json b/clients/client-cloudtrail/package.json index b7c35b971a82..ce53921c0d81 100644 --- a/clients/client-cloudtrail/package.json +++ b/clients/client-cloudtrail/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudtrail", "description": "AWS SDK for JavaScript Cloudtrail Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudtrail", diff --git a/clients/client-cloudwatch-events/CHANGELOG.md b/clients/client-cloudwatch-events/CHANGELOG.md index e5e76415a79c..2a78f0e53b77 100644 --- a/clients/client-cloudwatch-events/CHANGELOG.md +++ b/clients/client-cloudwatch-events/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch-events + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudwatch-events diff --git a/clients/client-cloudwatch-events/package.json b/clients/client-cloudwatch-events/package.json index 3bb82ca7e61f..248925388ef8 100644 --- a/clients/client-cloudwatch-events/package.json +++ b/clients/client-cloudwatch-events/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudwatch-events", "description": "AWS SDK for JavaScript Cloudwatch Events Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudwatch-events", diff --git a/clients/client-cloudwatch-logs/CHANGELOG.md b/clients/client-cloudwatch-logs/CHANGELOG.md index 4f60831e9f2c..68854ed0e27c 100644 --- a/clients/client-cloudwatch-logs/CHANGELOG.md +++ b/clients/client-cloudwatch-logs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch-logs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudwatch-logs diff --git a/clients/client-cloudwatch-logs/package.json b/clients/client-cloudwatch-logs/package.json index d8064ed042e3..7e99559c97f4 100644 --- a/clients/client-cloudwatch-logs/package.json +++ b/clients/client-cloudwatch-logs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudwatch-logs", "description": "AWS SDK for JavaScript Cloudwatch Logs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudwatch-logs", diff --git a/clients/client-cloudwatch/CHANGELOG.md b/clients/client-cloudwatch/CHANGELOG.md index 0fd8fe14ffad..70cd03fe9fad 100644 --- a/clients/client-cloudwatch/CHANGELOG.md +++ b/clients/client-cloudwatch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cloudwatch diff --git a/clients/client-cloudwatch/package.json b/clients/client-cloudwatch/package.json index b31c2cc5f3bb..700c14c05a21 100644 --- a/clients/client-cloudwatch/package.json +++ b/clients/client-cloudwatch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cloudwatch", "description": "AWS SDK for JavaScript Cloudwatch Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cloudwatch", diff --git a/clients/client-codeartifact/CHANGELOG.md b/clients/client-codeartifact/CHANGELOG.md index 57a432f69384..f49fc57eb3cf 100644 --- a/clients/client-codeartifact/CHANGELOG.md +++ b/clients/client-codeartifact/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codeartifact + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codeartifact diff --git a/clients/client-codeartifact/package.json b/clients/client-codeartifact/package.json index 42a9f43a6964..d2a525509734 100644 --- a/clients/client-codeartifact/package.json +++ b/clients/client-codeartifact/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeartifact", "description": "AWS SDK for JavaScript Codeartifact Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeartifact", diff --git a/clients/client-codebuild/CHANGELOG.md b/clients/client-codebuild/CHANGELOG.md index ccb287c54c81..52dd72f05a35 100644 --- a/clients/client-codebuild/CHANGELOG.md +++ b/clients/client-codebuild/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codebuild + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) diff --git a/clients/client-codebuild/package.json b/clients/client-codebuild/package.json index 7de7657ba48c..b19a017185de 100644 --- a/clients/client-codebuild/package.json +++ b/clients/client-codebuild/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codebuild", "description": "AWS SDK for JavaScript Codebuild Client for Node.js, Browser and React Native", - "version": "3.653.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codebuild", diff --git a/clients/client-codecatalyst/CHANGELOG.md b/clients/client-codecatalyst/CHANGELOG.md index 6c8264b45bec..36a874a14596 100644 --- a/clients/client-codecatalyst/CHANGELOG.md +++ b/clients/client-codecatalyst/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codecatalyst + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codecatalyst diff --git a/clients/client-codecatalyst/package.json b/clients/client-codecatalyst/package.json index c77ff09e44dd..ba67993ae563 100644 --- a/clients/client-codecatalyst/package.json +++ b/clients/client-codecatalyst/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codecatalyst", "description": "AWS SDK for JavaScript Codecatalyst Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codecatalyst", diff --git a/clients/client-codecommit/CHANGELOG.md b/clients/client-codecommit/CHANGELOG.md index 1e647b65daf2..f6ca0c42fb0f 100644 --- a/clients/client-codecommit/CHANGELOG.md +++ b/clients/client-codecommit/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codecommit + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codecommit diff --git a/clients/client-codecommit/package.json b/clients/client-codecommit/package.json index f3d01d3c28c3..7f9e7ad82103 100644 --- a/clients/client-codecommit/package.json +++ b/clients/client-codecommit/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codecommit", "description": "AWS SDK for JavaScript Codecommit Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codecommit", diff --git a/clients/client-codeconnections/CHANGELOG.md b/clients/client-codeconnections/CHANGELOG.md index a58d16723fa3..59d3291ea842 100644 --- a/clients/client-codeconnections/CHANGELOG.md +++ b/clients/client-codeconnections/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codeconnections + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codeconnections diff --git a/clients/client-codeconnections/package.json b/clients/client-codeconnections/package.json index 9ee29d4473c8..6534157bf68d 100644 --- a/clients/client-codeconnections/package.json +++ b/clients/client-codeconnections/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeconnections", "description": "AWS SDK for JavaScript Codeconnections Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-codedeploy/CHANGELOG.md b/clients/client-codedeploy/CHANGELOG.md index d8ee04a1550c..3be3db7a93ac 100644 --- a/clients/client-codedeploy/CHANGELOG.md +++ b/clients/client-codedeploy/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codedeploy + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codedeploy diff --git a/clients/client-codedeploy/package.json b/clients/client-codedeploy/package.json index 7a46f0f94954..574a457f94bb 100644 --- a/clients/client-codedeploy/package.json +++ b/clients/client-codedeploy/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codedeploy", "description": "AWS SDK for JavaScript Codedeploy Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codedeploy", diff --git a/clients/client-codeguru-reviewer/CHANGELOG.md b/clients/client-codeguru-reviewer/CHANGELOG.md index d74af4f4da04..2e4c69bbc87d 100644 --- a/clients/client-codeguru-reviewer/CHANGELOG.md +++ b/clients/client-codeguru-reviewer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codeguru-reviewer + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codeguru-reviewer diff --git a/clients/client-codeguru-reviewer/package.json b/clients/client-codeguru-reviewer/package.json index 46b3af9cc459..a39dce10bc79 100644 --- a/clients/client-codeguru-reviewer/package.json +++ b/clients/client-codeguru-reviewer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeguru-reviewer", "description": "AWS SDK for JavaScript Codeguru Reviewer Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeguru-reviewer", diff --git a/clients/client-codeguru-security/CHANGELOG.md b/clients/client-codeguru-security/CHANGELOG.md index d0fb1af78d16..629166baba0b 100644 --- a/clients/client-codeguru-security/CHANGELOG.md +++ b/clients/client-codeguru-security/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codeguru-security + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codeguru-security diff --git a/clients/client-codeguru-security/package.json b/clients/client-codeguru-security/package.json index ab2a3c4d8b2d..c2e099983425 100644 --- a/clients/client-codeguru-security/package.json +++ b/clients/client-codeguru-security/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeguru-security", "description": "AWS SDK for JavaScript Codeguru Security Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeguru-security", diff --git a/clients/client-codeguruprofiler/CHANGELOG.md b/clients/client-codeguruprofiler/CHANGELOG.md index f56bfeef3413..791abf8b91d5 100644 --- a/clients/client-codeguruprofiler/CHANGELOG.md +++ b/clients/client-codeguruprofiler/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codeguruprofiler + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codeguruprofiler diff --git a/clients/client-codeguruprofiler/package.json b/clients/client-codeguruprofiler/package.json index e904de8885a8..077149c3a647 100644 --- a/clients/client-codeguruprofiler/package.json +++ b/clients/client-codeguruprofiler/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeguruprofiler", "description": "AWS SDK for JavaScript Codeguruprofiler Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codeguruprofiler", diff --git a/clients/client-codepipeline/CHANGELOG.md b/clients/client-codepipeline/CHANGELOG.md index 08aa5e0c3a51..707666849a28 100644 --- a/clients/client-codepipeline/CHANGELOG.md +++ b/clients/client-codepipeline/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codepipeline + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codepipeline diff --git a/clients/client-codepipeline/package.json b/clients/client-codepipeline/package.json index 09347828841a..30ea4f6b1014 100644 --- a/clients/client-codepipeline/package.json +++ b/clients/client-codepipeline/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codepipeline", "description": "AWS SDK for JavaScript Codepipeline Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codepipeline", diff --git a/clients/client-codestar-connections/CHANGELOG.md b/clients/client-codestar-connections/CHANGELOG.md index cbff40a23006..b330e9ef8fee 100644 --- a/clients/client-codestar-connections/CHANGELOG.md +++ b/clients/client-codestar-connections/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codestar-connections + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codestar-connections diff --git a/clients/client-codestar-connections/package.json b/clients/client-codestar-connections/package.json index 950da57572d9..6379ae6d508d 100644 --- a/clients/client-codestar-connections/package.json +++ b/clients/client-codestar-connections/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codestar-connections", "description": "AWS SDK for JavaScript Codestar Connections Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codestar-connections", diff --git a/clients/client-codestar-notifications/CHANGELOG.md b/clients/client-codestar-notifications/CHANGELOG.md index 5e3adb8d0b1e..6e8d1e691ad2 100644 --- a/clients/client-codestar-notifications/CHANGELOG.md +++ b/clients/client-codestar-notifications/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-codestar-notifications + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-codestar-notifications diff --git a/clients/client-codestar-notifications/package.json b/clients/client-codestar-notifications/package.json index 9f67906dc84e..602d531595bf 100644 --- a/clients/client-codestar-notifications/package.json +++ b/clients/client-codestar-notifications/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codestar-notifications", "description": "AWS SDK for JavaScript Codestar Notifications Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-codestar-notifications", diff --git a/clients/client-cognito-identity-provider/CHANGELOG.md b/clients/client-cognito-identity-provider/CHANGELOG.md index 2d2bd8be4974..ce6e2e581450 100644 --- a/clients/client-cognito-identity-provider/CHANGELOG.md +++ b/clients/client-cognito-identity-provider/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cognito-identity-provider + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cognito-identity-provider diff --git a/clients/client-cognito-identity-provider/package.json b/clients/client-cognito-identity-provider/package.json index 70b182da53c1..28892b0a1de9 100644 --- a/clients/client-cognito-identity-provider/package.json +++ b/clients/client-cognito-identity-provider/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cognito-identity-provider", "description": "AWS SDK for JavaScript Cognito Identity Provider Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cognito-identity-provider", diff --git a/clients/client-cognito-identity/CHANGELOG.md b/clients/client-cognito-identity/CHANGELOG.md index 2454a5ac4909..ec4fb25d2c0e 100644 --- a/clients/client-cognito-identity/CHANGELOG.md +++ b/clients/client-cognito-identity/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cognito-identity + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cognito-identity diff --git a/clients/client-cognito-identity/package.json b/clients/client-cognito-identity/package.json index 2e67b83bebfa..95945999d82c 100644 --- a/clients/client-cognito-identity/package.json +++ b/clients/client-cognito-identity/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cognito-identity", "description": "AWS SDK for JavaScript Cognito Identity Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cognito-identity", diff --git a/clients/client-cognito-sync/CHANGELOG.md b/clients/client-cognito-sync/CHANGELOG.md index 285a875ef42f..01a8f3460600 100644 --- a/clients/client-cognito-sync/CHANGELOG.md +++ b/clients/client-cognito-sync/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cognito-sync + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cognito-sync diff --git a/clients/client-cognito-sync/package.json b/clients/client-cognito-sync/package.json index 9a996ec12f92..6cc10e7c3b1e 100644 --- a/clients/client-cognito-sync/package.json +++ b/clients/client-cognito-sync/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cognito-sync", "description": "AWS SDK for JavaScript Cognito Sync Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cognito-sync", diff --git a/clients/client-comprehend/CHANGELOG.md b/clients/client-comprehend/CHANGELOG.md index 1da21526a12e..b00b0da92761 100644 --- a/clients/client-comprehend/CHANGELOG.md +++ b/clients/client-comprehend/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-comprehend + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-comprehend diff --git a/clients/client-comprehend/package.json b/clients/client-comprehend/package.json index 88b34b17638d..35dfb4e2e25d 100644 --- a/clients/client-comprehend/package.json +++ b/clients/client-comprehend/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-comprehend", "description": "AWS SDK for JavaScript Comprehend Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-comprehend", diff --git a/clients/client-comprehendmedical/CHANGELOG.md b/clients/client-comprehendmedical/CHANGELOG.md index 950aee2aed2c..8343eea5b62d 100644 --- a/clients/client-comprehendmedical/CHANGELOG.md +++ b/clients/client-comprehendmedical/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-comprehendmedical + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-comprehendmedical diff --git a/clients/client-comprehendmedical/package.json b/clients/client-comprehendmedical/package.json index d1b86e661236..ab3f940d1098 100644 --- a/clients/client-comprehendmedical/package.json +++ b/clients/client-comprehendmedical/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-comprehendmedical", "description": "AWS SDK for JavaScript Comprehendmedical Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-comprehendmedical", diff --git a/clients/client-compute-optimizer/CHANGELOG.md b/clients/client-compute-optimizer/CHANGELOG.md index 92d0e2685843..bf5eda31013e 100644 --- a/clients/client-compute-optimizer/CHANGELOG.md +++ b/clients/client-compute-optimizer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-compute-optimizer + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-compute-optimizer diff --git a/clients/client-compute-optimizer/package.json b/clients/client-compute-optimizer/package.json index 28e16209b533..43614208f512 100644 --- a/clients/client-compute-optimizer/package.json +++ b/clients/client-compute-optimizer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-compute-optimizer", "description": "AWS SDK for JavaScript Compute Optimizer Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-compute-optimizer", diff --git a/clients/client-config-service/CHANGELOG.md b/clients/client-config-service/CHANGELOG.md index 487a649a8b62..bddfa8f9d254 100644 --- a/clients/client-config-service/CHANGELOG.md +++ b/clients/client-config-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-config-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-config-service diff --git a/clients/client-config-service/package.json b/clients/client-config-service/package.json index 7357c5cdec11..aefbdec0483b 100644 --- a/clients/client-config-service/package.json +++ b/clients/client-config-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-config-service", "description": "AWS SDK for JavaScript Config Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-config-service", diff --git a/clients/client-connect-contact-lens/CHANGELOG.md b/clients/client-connect-contact-lens/CHANGELOG.md index 9a996d042640..db5a4d669d36 100644 --- a/clients/client-connect-contact-lens/CHANGELOG.md +++ b/clients/client-connect-contact-lens/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-connect-contact-lens + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-connect-contact-lens diff --git a/clients/client-connect-contact-lens/package.json b/clients/client-connect-contact-lens/package.json index 9f63ee3f41f2..e154bbf3d8be 100644 --- a/clients/client-connect-contact-lens/package.json +++ b/clients/client-connect-contact-lens/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connect-contact-lens", "description": "AWS SDK for JavaScript Connect Contact Lens Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connect-contact-lens", diff --git a/clients/client-connect/CHANGELOG.md b/clients/client-connect/CHANGELOG.md index 7cef6c74f254..6878e298f905 100644 --- a/clients/client-connect/CHANGELOG.md +++ b/clients/client-connect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-connect + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-connect diff --git a/clients/client-connect/package.json b/clients/client-connect/package.json index 7910191ecfa1..f39c396b8954 100644 --- a/clients/client-connect/package.json +++ b/clients/client-connect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connect", "description": "AWS SDK for JavaScript Connect Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connect", diff --git a/clients/client-connectcampaigns/CHANGELOG.md b/clients/client-connectcampaigns/CHANGELOG.md index 5e72e892a2bb..0248e582f857 100644 --- a/clients/client-connectcampaigns/CHANGELOG.md +++ b/clients/client-connectcampaigns/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-connectcampaigns + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-connectcampaigns diff --git a/clients/client-connectcampaigns/package.json b/clients/client-connectcampaigns/package.json index f390dcef4cf5..3f4d33b8dc94 100644 --- a/clients/client-connectcampaigns/package.json +++ b/clients/client-connectcampaigns/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connectcampaigns", "description": "AWS SDK for JavaScript Connectcampaigns Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connectcampaigns", diff --git a/clients/client-connectcases/CHANGELOG.md b/clients/client-connectcases/CHANGELOG.md index ebbc29e46358..a90115456d9c 100644 --- a/clients/client-connectcases/CHANGELOG.md +++ b/clients/client-connectcases/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-connectcases + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-connectcases diff --git a/clients/client-connectcases/package.json b/clients/client-connectcases/package.json index e20e34137db3..4f26289e437b 100644 --- a/clients/client-connectcases/package.json +++ b/clients/client-connectcases/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connectcases", "description": "AWS SDK for JavaScript Connectcases Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connectcases", diff --git a/clients/client-connectparticipant/CHANGELOG.md b/clients/client-connectparticipant/CHANGELOG.md index b4e3ff1d6795..4f80a4e08abf 100644 --- a/clients/client-connectparticipant/CHANGELOG.md +++ b/clients/client-connectparticipant/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-connectparticipant + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-connectparticipant diff --git a/clients/client-connectparticipant/package.json b/clients/client-connectparticipant/package.json index 1973b892e1f6..c27214d3f892 100644 --- a/clients/client-connectparticipant/package.json +++ b/clients/client-connectparticipant/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connectparticipant", "description": "AWS SDK for JavaScript Connectparticipant Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-connectparticipant", diff --git a/clients/client-controlcatalog/CHANGELOG.md b/clients/client-controlcatalog/CHANGELOG.md index a6cb93fb2ca8..a9961d9a8c82 100644 --- a/clients/client-controlcatalog/CHANGELOG.md +++ b/clients/client-controlcatalog/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-controlcatalog + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-controlcatalog diff --git a/clients/client-controlcatalog/package.json b/clients/client-controlcatalog/package.json index 586aa6460393..a82427911069 100644 --- a/clients/client-controlcatalog/package.json +++ b/clients/client-controlcatalog/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-controlcatalog", "description": "AWS SDK for JavaScript Controlcatalog Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-controltower/CHANGELOG.md b/clients/client-controltower/CHANGELOG.md index d7b93a2e3861..41082e2ff585 100644 --- a/clients/client-controltower/CHANGELOG.md +++ b/clients/client-controltower/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-controltower + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-controltower diff --git a/clients/client-controltower/package.json b/clients/client-controltower/package.json index a7601f424d23..7abb78db08ee 100644 --- a/clients/client-controltower/package.json +++ b/clients/client-controltower/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-controltower", "description": "AWS SDK for JavaScript Controltower Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-controltower", diff --git a/clients/client-cost-and-usage-report-service/CHANGELOG.md b/clients/client-cost-and-usage-report-service/CHANGELOG.md index b115a07d67e1..e6ed6742fce9 100644 --- a/clients/client-cost-and-usage-report-service/CHANGELOG.md +++ b/clients/client-cost-and-usage-report-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cost-and-usage-report-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cost-and-usage-report-service diff --git a/clients/client-cost-and-usage-report-service/package.json b/clients/client-cost-and-usage-report-service/package.json index 2951bf373131..32ca01502be3 100644 --- a/clients/client-cost-and-usage-report-service/package.json +++ b/clients/client-cost-and-usage-report-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cost-and-usage-report-service", "description": "AWS SDK for JavaScript Cost And Usage Report Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cost-and-usage-report-service", diff --git a/clients/client-cost-explorer/CHANGELOG.md b/clients/client-cost-explorer/CHANGELOG.md index 8be002af79b2..b70f2bcec483 100644 --- a/clients/client-cost-explorer/CHANGELOG.md +++ b/clients/client-cost-explorer/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Features + +* **client-cost-explorer:** This release extends the GetReservationPurchaseRecommendation API to support recommendations for Amazon DynamoDB reservations. ([6976388](https://github.com/aws/aws-sdk-js-v3/commit/697638820bdc733e2ad019f576ffa7c43dedd989)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cost-explorer diff --git a/clients/client-cost-explorer/package.json b/clients/client-cost-explorer/package.json index ed224fc90b5b..42a91b7f159c 100644 --- a/clients/client-cost-explorer/package.json +++ b/clients/client-cost-explorer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cost-explorer", "description": "AWS SDK for JavaScript Cost Explorer Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cost-explorer", diff --git a/clients/client-cost-optimization-hub/CHANGELOG.md b/clients/client-cost-optimization-hub/CHANGELOG.md index 846092438ffc..a50fe0c7a977 100644 --- a/clients/client-cost-optimization-hub/CHANGELOG.md +++ b/clients/client-cost-optimization-hub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-cost-optimization-hub + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-cost-optimization-hub diff --git a/clients/client-cost-optimization-hub/package.json b/clients/client-cost-optimization-hub/package.json index 6fdbe21f7405..46ce41887eb0 100644 --- a/clients/client-cost-optimization-hub/package.json +++ b/clients/client-cost-optimization-hub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-cost-optimization-hub", "description": "AWS SDK for JavaScript Cost Optimization Hub Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-cost-optimization-hub", diff --git a/clients/client-customer-profiles/CHANGELOG.md b/clients/client-customer-profiles/CHANGELOG.md index 4839eaaf69e4..21ddd843e7f0 100644 --- a/clients/client-customer-profiles/CHANGELOG.md +++ b/clients/client-customer-profiles/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-customer-profiles + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-customer-profiles diff --git a/clients/client-customer-profiles/package.json b/clients/client-customer-profiles/package.json index c3a0420192dd..e2ded68352e8 100644 --- a/clients/client-customer-profiles/package.json +++ b/clients/client-customer-profiles/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-customer-profiles", "description": "AWS SDK for JavaScript Customer Profiles Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-customer-profiles", diff --git a/clients/client-data-pipeline/CHANGELOG.md b/clients/client-data-pipeline/CHANGELOG.md index 7a8b88e1326f..16536e6715ab 100644 --- a/clients/client-data-pipeline/CHANGELOG.md +++ b/clients/client-data-pipeline/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-data-pipeline + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-data-pipeline diff --git a/clients/client-data-pipeline/package.json b/clients/client-data-pipeline/package.json index e74d54d88fc3..198d4ae6d4c3 100644 --- a/clients/client-data-pipeline/package.json +++ b/clients/client-data-pipeline/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-data-pipeline", "description": "AWS SDK for JavaScript Data Pipeline Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-data-pipeline", diff --git a/clients/client-database-migration-service/CHANGELOG.md b/clients/client-database-migration-service/CHANGELOG.md index 2f0081a5f5a9..c2dba21c2a1e 100644 --- a/clients/client-database-migration-service/CHANGELOG.md +++ b/clients/client-database-migration-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-database-migration-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-database-migration-service diff --git a/clients/client-database-migration-service/package.json b/clients/client-database-migration-service/package.json index 568210f74d3a..7fb23e0d7559 100644 --- a/clients/client-database-migration-service/package.json +++ b/clients/client-database-migration-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-database-migration-service", "description": "AWS SDK for JavaScript Database Migration Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-database-migration-service", diff --git a/clients/client-databrew/CHANGELOG.md b/clients/client-databrew/CHANGELOG.md index 84f2410aabda..dbafd242223b 100644 --- a/clients/client-databrew/CHANGELOG.md +++ b/clients/client-databrew/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-databrew + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-databrew diff --git a/clients/client-databrew/package.json b/clients/client-databrew/package.json index f406fb35560a..7c4330023586 100644 --- a/clients/client-databrew/package.json +++ b/clients/client-databrew/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-databrew", "description": "AWS SDK for JavaScript Databrew Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-databrew", diff --git a/clients/client-dataexchange/CHANGELOG.md b/clients/client-dataexchange/CHANGELOG.md index 056e3194a4ee..91b526049ec0 100644 --- a/clients/client-dataexchange/CHANGELOG.md +++ b/clients/client-dataexchange/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-dataexchange + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-dataexchange diff --git a/clients/client-dataexchange/package.json b/clients/client-dataexchange/package.json index db49a3b73d91..dc27bf0852a4 100644 --- a/clients/client-dataexchange/package.json +++ b/clients/client-dataexchange/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dataexchange", "description": "AWS SDK for JavaScript Dataexchange Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dataexchange", diff --git a/clients/client-datasync/CHANGELOG.md b/clients/client-datasync/CHANGELOG.md index 1537b6f559eb..1389db712f09 100644 --- a/clients/client-datasync/CHANGELOG.md +++ b/clients/client-datasync/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-datasync + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-datasync diff --git a/clients/client-datasync/package.json b/clients/client-datasync/package.json index 2e0d00fb3900..ed8bf5dd0ae4 100644 --- a/clients/client-datasync/package.json +++ b/clients/client-datasync/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-datasync", "description": "AWS SDK for JavaScript Datasync Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-datasync", diff --git a/clients/client-datazone/CHANGELOG.md b/clients/client-datazone/CHANGELOG.md index a0620f5be925..bf9e622f2f8d 100644 --- a/clients/client-datazone/CHANGELOG.md +++ b/clients/client-datazone/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-datazone + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-datazone diff --git a/clients/client-datazone/package.json b/clients/client-datazone/package.json index fe49f349d74f..3a02088fedeb 100644 --- a/clients/client-datazone/package.json +++ b/clients/client-datazone/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-datazone", "description": "AWS SDK for JavaScript Datazone Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-datazone", diff --git a/clients/client-dax/CHANGELOG.md b/clients/client-dax/CHANGELOG.md index ae210f487f6b..89d1926ef602 100644 --- a/clients/client-dax/CHANGELOG.md +++ b/clients/client-dax/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-dax + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-dax diff --git a/clients/client-dax/package.json b/clients/client-dax/package.json index 9e396f58a765..7dfc696df1f9 100644 --- a/clients/client-dax/package.json +++ b/clients/client-dax/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dax", "description": "AWS SDK for JavaScript Dax Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dax", diff --git a/clients/client-deadline/CHANGELOG.md b/clients/client-deadline/CHANGELOG.md index 133a9218da33..5afcb9f68b45 100644 --- a/clients/client-deadline/CHANGELOG.md +++ b/clients/client-deadline/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-deadline + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-deadline diff --git a/clients/client-deadline/package.json b/clients/client-deadline/package.json index bfee33c6ad52..0cafa535d94d 100644 --- a/clients/client-deadline/package.json +++ b/clients/client-deadline/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-deadline", "description": "AWS SDK for JavaScript Deadline Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-detective/CHANGELOG.md b/clients/client-detective/CHANGELOG.md index 81c2e07d625a..f762d543de81 100644 --- a/clients/client-detective/CHANGELOG.md +++ b/clients/client-detective/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-detective + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-detective diff --git a/clients/client-detective/package.json b/clients/client-detective/package.json index 54272ed08180..5fc49e2d91d1 100644 --- a/clients/client-detective/package.json +++ b/clients/client-detective/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-detective", "description": "AWS SDK for JavaScript Detective Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-detective", diff --git a/clients/client-device-farm/CHANGELOG.md b/clients/client-device-farm/CHANGELOG.md index a5421003e27c..9714a06d38c2 100644 --- a/clients/client-device-farm/CHANGELOG.md +++ b/clients/client-device-farm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-device-farm + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-device-farm diff --git a/clients/client-device-farm/package.json b/clients/client-device-farm/package.json index eb74fea0a6a0..7bb7f011fd33 100644 --- a/clients/client-device-farm/package.json +++ b/clients/client-device-farm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-device-farm", "description": "AWS SDK for JavaScript Device Farm Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-device-farm", diff --git a/clients/client-devops-guru/CHANGELOG.md b/clients/client-devops-guru/CHANGELOG.md index 77f9d12e8f65..0271463bfa15 100644 --- a/clients/client-devops-guru/CHANGELOG.md +++ b/clients/client-devops-guru/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-devops-guru + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-devops-guru diff --git a/clients/client-devops-guru/package.json b/clients/client-devops-guru/package.json index 7aa0054ceec5..147be32eaeeb 100644 --- a/clients/client-devops-guru/package.json +++ b/clients/client-devops-guru/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-devops-guru", "description": "AWS SDK for JavaScript Devops Guru Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-devops-guru", diff --git a/clients/client-direct-connect/CHANGELOG.md b/clients/client-direct-connect/CHANGELOG.md index af184859e66f..4b7b1b1111d0 100644 --- a/clients/client-direct-connect/CHANGELOG.md +++ b/clients/client-direct-connect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-direct-connect + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-direct-connect diff --git a/clients/client-direct-connect/package.json b/clients/client-direct-connect/package.json index e695c857080c..97ac0025cee3 100644 --- a/clients/client-direct-connect/package.json +++ b/clients/client-direct-connect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-direct-connect", "description": "AWS SDK for JavaScript Direct Connect Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-direct-connect", diff --git a/clients/client-directory-service-data/CHANGELOG.md b/clients/client-directory-service-data/CHANGELOG.md new file mode 100644 index 000000000000..f49dbde489af --- /dev/null +++ b/clients/client-directory-service-data/CHANGELOG.md @@ -0,0 +1,11 @@ +# Change Log + +All notable changes to this project will be documented in this file. +See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. + +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Features + +* **client-directory-service-data:** Added new AWS Directory Service Data API, enabling you to manage data stored in AWS Directory Service directories. This includes APIs for creating, reading, updating, and deleting directory users, groups, and group memberships. ([8c9372b](https://github.com/aws/aws-sdk-js-v3/commit/8c9372bde465b86ecfe48579584d5aa59745d9d3)) diff --git a/clients/client-directory-service-data/package.json b/clients/client-directory-service-data/package.json index 022c53876f63..6e47b703ba42 100644 --- a/clients/client-directory-service-data/package.json +++ b/clients/client-directory-service-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-directory-service-data", "description": "AWS SDK for JavaScript Directory Service Data Client for Node.js, Browser and React Native", - "version": "3.0.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-directory-service/CHANGELOG.md b/clients/client-directory-service/CHANGELOG.md index 1ea70e181ee1..1955c8c43651 100644 --- a/clients/client-directory-service/CHANGELOG.md +++ b/clients/client-directory-service/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Features + +* **client-directory-service:** Added new APIs for enabling, disabling, and describing access to the AWS Directory Service Data API ([cca80dd](https://github.com/aws/aws-sdk-js-v3/commit/cca80ddfd8df7ac58af6c067bcc98170a1cc5007)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-directory-service diff --git a/clients/client-directory-service/package.json b/clients/client-directory-service/package.json index d0f077a47264..49e95bec2383 100644 --- a/clients/client-directory-service/package.json +++ b/clients/client-directory-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-directory-service", "description": "AWS SDK for JavaScript Directory Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-directory-service", diff --git a/clients/client-dlm/CHANGELOG.md b/clients/client-dlm/CHANGELOG.md index 15021b2b70b5..78f3dbe79fce 100644 --- a/clients/client-dlm/CHANGELOG.md +++ b/clients/client-dlm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-dlm + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-dlm diff --git a/clients/client-dlm/package.json b/clients/client-dlm/package.json index a8f5e0cab9aa..cd8a6e67f109 100644 --- a/clients/client-dlm/package.json +++ b/clients/client-dlm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dlm", "description": "AWS SDK for JavaScript Dlm Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dlm", diff --git a/clients/client-docdb-elastic/CHANGELOG.md b/clients/client-docdb-elastic/CHANGELOG.md index 12a2f082fdc5..fe420875256a 100644 --- a/clients/client-docdb-elastic/CHANGELOG.md +++ b/clients/client-docdb-elastic/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-docdb-elastic + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-docdb-elastic diff --git a/clients/client-docdb-elastic/package.json b/clients/client-docdb-elastic/package.json index 546c1a7f8814..db8fef896a80 100644 --- a/clients/client-docdb-elastic/package.json +++ b/clients/client-docdb-elastic/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-docdb-elastic", "description": "AWS SDK for JavaScript Docdb Elastic Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-docdb-elastic", diff --git a/clients/client-docdb/CHANGELOG.md b/clients/client-docdb/CHANGELOG.md index 6e871719d8f0..16516bd44bac 100644 --- a/clients/client-docdb/CHANGELOG.md +++ b/clients/client-docdb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-docdb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-docdb diff --git a/clients/client-docdb/package.json b/clients/client-docdb/package.json index 1985f0c8d640..1050d9c06686 100644 --- a/clients/client-docdb/package.json +++ b/clients/client-docdb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-docdb", "description": "AWS SDK for JavaScript Docdb Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-docdb", diff --git a/clients/client-drs/CHANGELOG.md b/clients/client-drs/CHANGELOG.md index 20b49eb48ff5..05522bf7ce4a 100644 --- a/clients/client-drs/CHANGELOG.md +++ b/clients/client-drs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-drs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-drs diff --git a/clients/client-drs/package.json b/clients/client-drs/package.json index 7bc8b59f5eac..a42b0c7f213e 100644 --- a/clients/client-drs/package.json +++ b/clients/client-drs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-drs", "description": "AWS SDK for JavaScript Drs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-drs", diff --git a/clients/client-dynamodb-streams/CHANGELOG.md b/clients/client-dynamodb-streams/CHANGELOG.md index cf01366b76d5..bea1ef9bbfd3 100644 --- a/clients/client-dynamodb-streams/CHANGELOG.md +++ b/clients/client-dynamodb-streams/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-dynamodb-streams + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-dynamodb-streams diff --git a/clients/client-dynamodb-streams/package.json b/clients/client-dynamodb-streams/package.json index 704d35874129..21bc5292986e 100644 --- a/clients/client-dynamodb-streams/package.json +++ b/clients/client-dynamodb-streams/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dynamodb-streams", "description": "AWS SDK for JavaScript Dynamodb Streams Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dynamodb-streams", diff --git a/clients/client-dynamodb/CHANGELOG.md b/clients/client-dynamodb/CHANGELOG.md index d9edf076340d..2a29423fb88f 100644 --- a/clients/client-dynamodb/CHANGELOG.md +++ b/clients/client-dynamodb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-dynamodb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-dynamodb diff --git a/clients/client-dynamodb/package.json b/clients/client-dynamodb/package.json index f961127b31bb..69d9f4cf89a5 100644 --- a/clients/client-dynamodb/package.json +++ b/clients/client-dynamodb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dynamodb", "description": "AWS SDK for JavaScript Dynamodb Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-dynamodb", diff --git a/clients/client-ebs/CHANGELOG.md b/clients/client-ebs/CHANGELOG.md index db6f1d1b349f..ea9911c3a593 100644 --- a/clients/client-ebs/CHANGELOG.md +++ b/clients/client-ebs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ebs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ebs diff --git a/clients/client-ebs/package.json b/clients/client-ebs/package.json index 4ebb96c7f216..4cda1bd8f9af 100644 --- a/clients/client-ebs/package.json +++ b/clients/client-ebs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ebs", "description": "AWS SDK for JavaScript Ebs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ebs", diff --git a/clients/client-ec2-instance-connect/CHANGELOG.md b/clients/client-ec2-instance-connect/CHANGELOG.md index 7011e007df02..e31db2cd9541 100644 --- a/clients/client-ec2-instance-connect/CHANGELOG.md +++ b/clients/client-ec2-instance-connect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ec2-instance-connect + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ec2-instance-connect diff --git a/clients/client-ec2-instance-connect/package.json b/clients/client-ec2-instance-connect/package.json index d340082b2bda..e0a557353be3 100644 --- a/clients/client-ec2-instance-connect/package.json +++ b/clients/client-ec2-instance-connect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ec2-instance-connect", "description": "AWS SDK for JavaScript Ec2 Instance Connect Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ec2-instance-connect", diff --git a/clients/client-ec2/CHANGELOG.md b/clients/client-ec2/CHANGELOG.md index 9c9f9e4bc828..5fffb76d96a2 100644 --- a/clients/client-ec2/CHANGELOG.md +++ b/clients/client-ec2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ec2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ec2 diff --git a/clients/client-ec2/package.json b/clients/client-ec2/package.json index 3cebc763284b..41e703158996 100644 --- a/clients/client-ec2/package.json +++ b/clients/client-ec2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ec2", "description": "AWS SDK for JavaScript Ec2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ec2", diff --git a/clients/client-ecr-public/CHANGELOG.md b/clients/client-ecr-public/CHANGELOG.md index c2069706d88c..a1970ab571d8 100644 --- a/clients/client-ecr-public/CHANGELOG.md +++ b/clients/client-ecr-public/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ecr-public + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ecr-public diff --git a/clients/client-ecr-public/package.json b/clients/client-ecr-public/package.json index d4a78601f11f..32274456d8f1 100644 --- a/clients/client-ecr-public/package.json +++ b/clients/client-ecr-public/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecr-public", "description": "AWS SDK for JavaScript Ecr Public Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecr-public", diff --git a/clients/client-ecr/CHANGELOG.md b/clients/client-ecr/CHANGELOG.md index d7b0d938cee0..1323b0159239 100644 --- a/clients/client-ecr/CHANGELOG.md +++ b/clients/client-ecr/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ecr + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) diff --git a/clients/client-ecr/package.json b/clients/client-ecr/package.json index 724a7e6d6b84..08b57cafc9e5 100644 --- a/clients/client-ecr/package.json +++ b/clients/client-ecr/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecr", "description": "AWS SDK for JavaScript Ecr Client for Node.js, Browser and React Native", - "version": "3.653.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecr", diff --git a/clients/client-ecs/CHANGELOG.md b/clients/client-ecs/CHANGELOG.md index c5f97226e2d1..6e33c3b8545d 100644 --- a/clients/client-ecs/CHANGELOG.md +++ b/clients/client-ecs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ecs + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) **Note:** Version bump only for package @aws-sdk/client-ecs diff --git a/clients/client-ecs/package.json b/clients/client-ecs/package.json index 4e0e161c79d6..7ef1d60dafab 100644 --- a/clients/client-ecs/package.json +++ b/clients/client-ecs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ecs", "description": "AWS SDK for JavaScript Ecs Client for Node.js, Browser and React Native", - "version": "3.653.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ecs", diff --git a/clients/client-efs/CHANGELOG.md b/clients/client-efs/CHANGELOG.md index 8b2caf12e4f0..a9654abd148e 100644 --- a/clients/client-efs/CHANGELOG.md +++ b/clients/client-efs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-efs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-efs diff --git a/clients/client-efs/package.json b/clients/client-efs/package.json index 83c8c9465070..098e23221454 100644 --- a/clients/client-efs/package.json +++ b/clients/client-efs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-efs", "description": "AWS SDK for JavaScript Efs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-efs", diff --git a/clients/client-eks-auth/CHANGELOG.md b/clients/client-eks-auth/CHANGELOG.md index 40e0e3ca8357..304de4224408 100644 --- a/clients/client-eks-auth/CHANGELOG.md +++ b/clients/client-eks-auth/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-eks-auth + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-eks-auth diff --git a/clients/client-eks-auth/package.json b/clients/client-eks-auth/package.json index 5868e961ece9..646c83dc1958 100644 --- a/clients/client-eks-auth/package.json +++ b/clients/client-eks-auth/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-eks-auth", "description": "AWS SDK for JavaScript Eks Auth Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-eks-auth", diff --git a/clients/client-eks/CHANGELOG.md b/clients/client-eks/CHANGELOG.md index 98e87c55810e..ca752e2a055a 100644 --- a/clients/client-eks/CHANGELOG.md +++ b/clients/client-eks/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-eks + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-eks diff --git a/clients/client-eks/package.json b/clients/client-eks/package.json index 48c9a0d9aac6..38dcdbe97654 100644 --- a/clients/client-eks/package.json +++ b/clients/client-eks/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-eks", "description": "AWS SDK for JavaScript Eks Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-eks", diff --git a/clients/client-elastic-beanstalk/CHANGELOG.md b/clients/client-elastic-beanstalk/CHANGELOG.md index fce7b6517e75..ea622719fa59 100644 --- a/clients/client-elastic-beanstalk/CHANGELOG.md +++ b/clients/client-elastic-beanstalk/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-elastic-beanstalk + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-elastic-beanstalk diff --git a/clients/client-elastic-beanstalk/package.json b/clients/client-elastic-beanstalk/package.json index 6b104f441224..0202749db18d 100644 --- a/clients/client-elastic-beanstalk/package.json +++ b/clients/client-elastic-beanstalk/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-beanstalk", "description": "AWS SDK for JavaScript Elastic Beanstalk Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-beanstalk", diff --git a/clients/client-elastic-inference/CHANGELOG.md b/clients/client-elastic-inference/CHANGELOG.md index 80f6f59b205a..901a179b36f4 100644 --- a/clients/client-elastic-inference/CHANGELOG.md +++ b/clients/client-elastic-inference/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-elastic-inference + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-elastic-inference diff --git a/clients/client-elastic-inference/package.json b/clients/client-elastic-inference/package.json index 4194a03f7c45..9f9681c13794 100644 --- a/clients/client-elastic-inference/package.json +++ b/clients/client-elastic-inference/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-inference", "description": "AWS SDK for JavaScript Elastic Inference Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-inference", diff --git a/clients/client-elastic-load-balancing-v2/CHANGELOG.md b/clients/client-elastic-load-balancing-v2/CHANGELOG.md index 3d4a5dce08fc..ebbcc4b400f1 100644 --- a/clients/client-elastic-load-balancing-v2/CHANGELOG.md +++ b/clients/client-elastic-load-balancing-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing-v2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing-v2 diff --git a/clients/client-elastic-load-balancing-v2/package.json b/clients/client-elastic-load-balancing-v2/package.json index a33f32adc43b..a4313b782b9e 100644 --- a/clients/client-elastic-load-balancing-v2/package.json +++ b/clients/client-elastic-load-balancing-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-load-balancing-v2", "description": "AWS SDK for JavaScript Elastic Load Balancing V2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-load-balancing-v2", diff --git a/clients/client-elastic-load-balancing/CHANGELOG.md b/clients/client-elastic-load-balancing/CHANGELOG.md index 68e24ec4ef71..32415e63e971 100644 --- a/clients/client-elastic-load-balancing/CHANGELOG.md +++ b/clients/client-elastic-load-balancing/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing diff --git a/clients/client-elastic-load-balancing/package.json b/clients/client-elastic-load-balancing/package.json index 7cf660450aa4..e6b654f27b0d 100644 --- a/clients/client-elastic-load-balancing/package.json +++ b/clients/client-elastic-load-balancing/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-load-balancing", "description": "AWS SDK for JavaScript Elastic Load Balancing Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-load-balancing", diff --git a/clients/client-elastic-transcoder/CHANGELOG.md b/clients/client-elastic-transcoder/CHANGELOG.md index b1912f7cdde4..08357ce10606 100644 --- a/clients/client-elastic-transcoder/CHANGELOG.md +++ b/clients/client-elastic-transcoder/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-elastic-transcoder + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-elastic-transcoder diff --git a/clients/client-elastic-transcoder/package.json b/clients/client-elastic-transcoder/package.json index eedc4bd26a44..c71046e171bc 100644 --- a/clients/client-elastic-transcoder/package.json +++ b/clients/client-elastic-transcoder/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elastic-transcoder", "description": "AWS SDK for JavaScript Elastic Transcoder Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elastic-transcoder", diff --git a/clients/client-elasticache/CHANGELOG.md b/clients/client-elasticache/CHANGELOG.md index d0eee81edcc9..4eb9ed92c126 100644 --- a/clients/client-elasticache/CHANGELOG.md +++ b/clients/client-elasticache/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-elasticache + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-elasticache diff --git a/clients/client-elasticache/package.json b/clients/client-elasticache/package.json index c2e2417d858e..39639f13dda9 100644 --- a/clients/client-elasticache/package.json +++ b/clients/client-elasticache/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elasticache", "description": "AWS SDK for JavaScript Elasticache Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elasticache", diff --git a/clients/client-elasticsearch-service/CHANGELOG.md b/clients/client-elasticsearch-service/CHANGELOG.md index b7705e72ce58..9735ceda2fcc 100644 --- a/clients/client-elasticsearch-service/CHANGELOG.md +++ b/clients/client-elasticsearch-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-elasticsearch-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-elasticsearch-service diff --git a/clients/client-elasticsearch-service/package.json b/clients/client-elasticsearch-service/package.json index ee86b4caef17..3bd067af9610 100644 --- a/clients/client-elasticsearch-service/package.json +++ b/clients/client-elasticsearch-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-elasticsearch-service", "description": "AWS SDK for JavaScript Elasticsearch Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-elasticsearch-service", diff --git a/clients/client-emr-containers/CHANGELOG.md b/clients/client-emr-containers/CHANGELOG.md index a1e59a290fb1..ed10db233bdb 100644 --- a/clients/client-emr-containers/CHANGELOG.md +++ b/clients/client-emr-containers/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-emr-containers + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-emr-containers diff --git a/clients/client-emr-containers/package.json b/clients/client-emr-containers/package.json index ab6eb1c38241..90bade3b6eaf 100644 --- a/clients/client-emr-containers/package.json +++ b/clients/client-emr-containers/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-emr-containers", "description": "AWS SDK for JavaScript Emr Containers Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-emr-containers", diff --git a/clients/client-emr-serverless/CHANGELOG.md b/clients/client-emr-serverless/CHANGELOG.md index 0bb93dd73c9e..8c98b317fabc 100644 --- a/clients/client-emr-serverless/CHANGELOG.md +++ b/clients/client-emr-serverless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-emr-serverless + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-emr-serverless diff --git a/clients/client-emr-serverless/package.json b/clients/client-emr-serverless/package.json index 22a5cb2049d2..ddfedb2e1310 100644 --- a/clients/client-emr-serverless/package.json +++ b/clients/client-emr-serverless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-emr-serverless", "description": "AWS SDK for JavaScript Emr Serverless Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-emr-serverless", diff --git a/clients/client-emr/CHANGELOG.md b/clients/client-emr/CHANGELOG.md index b36e895431a3..29267e1d3e9d 100644 --- a/clients/client-emr/CHANGELOG.md +++ b/clients/client-emr/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-emr + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-emr diff --git a/clients/client-emr/package.json b/clients/client-emr/package.json index dcd603e4a805..5319f2718294 100644 --- a/clients/client-emr/package.json +++ b/clients/client-emr/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-emr", "description": "AWS SDK for JavaScript Emr Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-emr", diff --git a/clients/client-entityresolution/CHANGELOG.md b/clients/client-entityresolution/CHANGELOG.md index a069b99ae6c2..44657241775c 100644 --- a/clients/client-entityresolution/CHANGELOG.md +++ b/clients/client-entityresolution/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-entityresolution + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-entityresolution diff --git a/clients/client-entityresolution/package.json b/clients/client-entityresolution/package.json index fadbac9a873d..884ba7b9691a 100644 --- a/clients/client-entityresolution/package.json +++ b/clients/client-entityresolution/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-entityresolution", "description": "AWS SDK for JavaScript Entityresolution Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-entityresolution", diff --git a/clients/client-eventbridge/CHANGELOG.md b/clients/client-eventbridge/CHANGELOG.md index aa4b2e7825f8..50dfd93c9e18 100644 --- a/clients/client-eventbridge/CHANGELOG.md +++ b/clients/client-eventbridge/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-eventbridge + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-eventbridge diff --git a/clients/client-eventbridge/package.json b/clients/client-eventbridge/package.json index 5697f4f2e820..6a8e356dd3e7 100644 --- a/clients/client-eventbridge/package.json +++ b/clients/client-eventbridge/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-eventbridge", "description": "AWS SDK for JavaScript Eventbridge Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-eventbridge", diff --git a/clients/client-evidently/CHANGELOG.md b/clients/client-evidently/CHANGELOG.md index eb42ce38f971..de88ca952a36 100644 --- a/clients/client-evidently/CHANGELOG.md +++ b/clients/client-evidently/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-evidently + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-evidently diff --git a/clients/client-evidently/package.json b/clients/client-evidently/package.json index 7f5bfb54a39c..7de18be00277 100644 --- a/clients/client-evidently/package.json +++ b/clients/client-evidently/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-evidently", "description": "AWS SDK for JavaScript Evidently Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-evidently", diff --git a/clients/client-finspace-data/CHANGELOG.md b/clients/client-finspace-data/CHANGELOG.md index 0c10e2b70a1d..ea41c34fa4d3 100644 --- a/clients/client-finspace-data/CHANGELOG.md +++ b/clients/client-finspace-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-finspace-data + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-finspace-data diff --git a/clients/client-finspace-data/package.json b/clients/client-finspace-data/package.json index 7cafb96471ea..5c1f6cc0aa7f 100644 --- a/clients/client-finspace-data/package.json +++ b/clients/client-finspace-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-finspace-data", "description": "AWS SDK for JavaScript Finspace Data Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-finspace-data", diff --git a/clients/client-finspace/CHANGELOG.md b/clients/client-finspace/CHANGELOG.md index 60b25f19d611..9cd72b3ed629 100644 --- a/clients/client-finspace/CHANGELOG.md +++ b/clients/client-finspace/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-finspace + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-finspace diff --git a/clients/client-finspace/package.json b/clients/client-finspace/package.json index 48f316c94e5e..b019a2e07a8a 100644 --- a/clients/client-finspace/package.json +++ b/clients/client-finspace/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-finspace", "description": "AWS SDK for JavaScript Finspace Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-finspace", diff --git a/clients/client-firehose/CHANGELOG.md b/clients/client-firehose/CHANGELOG.md index c8f7375d9a55..d9c8e0ca3c6a 100644 --- a/clients/client-firehose/CHANGELOG.md +++ b/clients/client-firehose/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-firehose + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-firehose diff --git a/clients/client-firehose/package.json b/clients/client-firehose/package.json index 88e07b85363f..ba0ef1ce1b5c 100644 --- a/clients/client-firehose/package.json +++ b/clients/client-firehose/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-firehose", "description": "AWS SDK for JavaScript Firehose Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-firehose", diff --git a/clients/client-fis/CHANGELOG.md b/clients/client-fis/CHANGELOG.md index 751372ad9f5b..bd02c46ba5a1 100644 --- a/clients/client-fis/CHANGELOG.md +++ b/clients/client-fis/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-fis + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-fis diff --git a/clients/client-fis/package.json b/clients/client-fis/package.json index f09d974299de..0c8b87dbfba4 100644 --- a/clients/client-fis/package.json +++ b/clients/client-fis/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-fis", "description": "AWS SDK for JavaScript Fis Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-fis", diff --git a/clients/client-fms/CHANGELOG.md b/clients/client-fms/CHANGELOG.md index a37be95a5baf..acfa047edddb 100644 --- a/clients/client-fms/CHANGELOG.md +++ b/clients/client-fms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-fms + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-fms diff --git a/clients/client-fms/package.json b/clients/client-fms/package.json index 6126feaf6393..c2c324b0155e 100644 --- a/clients/client-fms/package.json +++ b/clients/client-fms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-fms", "description": "AWS SDK for JavaScript Fms Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-fms", diff --git a/clients/client-forecast/CHANGELOG.md b/clients/client-forecast/CHANGELOG.md index e6e266cca0e7..2aa704abb45e 100644 --- a/clients/client-forecast/CHANGELOG.md +++ b/clients/client-forecast/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-forecast + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-forecast diff --git a/clients/client-forecast/package.json b/clients/client-forecast/package.json index b10e1ff329c9..52cc6b111545 100644 --- a/clients/client-forecast/package.json +++ b/clients/client-forecast/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-forecast", "description": "AWS SDK for JavaScript Forecast Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-forecast", diff --git a/clients/client-forecastquery/CHANGELOG.md b/clients/client-forecastquery/CHANGELOG.md index b34157c574ee..4d431df729c6 100644 --- a/clients/client-forecastquery/CHANGELOG.md +++ b/clients/client-forecastquery/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-forecastquery + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-forecastquery diff --git a/clients/client-forecastquery/package.json b/clients/client-forecastquery/package.json index 6fd1af475070..729ad86a74ba 100644 --- a/clients/client-forecastquery/package.json +++ b/clients/client-forecastquery/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-forecastquery", "description": "AWS SDK for JavaScript Forecastquery Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-forecastquery", diff --git a/clients/client-frauddetector/CHANGELOG.md b/clients/client-frauddetector/CHANGELOG.md index 2eda8b561840..99552dfef24e 100644 --- a/clients/client-frauddetector/CHANGELOG.md +++ b/clients/client-frauddetector/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-frauddetector + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-frauddetector diff --git a/clients/client-frauddetector/package.json b/clients/client-frauddetector/package.json index d1bcee53618c..9089096c68b9 100644 --- a/clients/client-frauddetector/package.json +++ b/clients/client-frauddetector/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-frauddetector", "description": "AWS SDK for JavaScript Frauddetector Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-frauddetector", diff --git a/clients/client-freetier/CHANGELOG.md b/clients/client-freetier/CHANGELOG.md index b4e214de690b..666eff7a3500 100644 --- a/clients/client-freetier/CHANGELOG.md +++ b/clients/client-freetier/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-freetier + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-freetier diff --git a/clients/client-freetier/package.json b/clients/client-freetier/package.json index fd30a351c727..1293a531b4f3 100644 --- a/clients/client-freetier/package.json +++ b/clients/client-freetier/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-freetier", "description": "AWS SDK for JavaScript Freetier Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-freetier", diff --git a/clients/client-fsx/CHANGELOG.md b/clients/client-fsx/CHANGELOG.md index 1df6e5edae1e..2cb113bb6bf7 100644 --- a/clients/client-fsx/CHANGELOG.md +++ b/clients/client-fsx/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-fsx + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-fsx diff --git a/clients/client-fsx/package.json b/clients/client-fsx/package.json index f6c025669414..b3c87f644f59 100644 --- a/clients/client-fsx/package.json +++ b/clients/client-fsx/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-fsx", "description": "AWS SDK for JavaScript Fsx Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-fsx", diff --git a/clients/client-gamelift/CHANGELOG.md b/clients/client-gamelift/CHANGELOG.md index aa070b08f570..d8f262fb93e7 100644 --- a/clients/client-gamelift/CHANGELOG.md +++ b/clients/client-gamelift/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-gamelift + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-gamelift diff --git a/clients/client-gamelift/package.json b/clients/client-gamelift/package.json index 0eddea41f00b..3b2a48a083a3 100644 --- a/clients/client-gamelift/package.json +++ b/clients/client-gamelift/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-gamelift", "description": "AWS SDK for JavaScript Gamelift Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-gamelift", diff --git a/clients/client-glacier/CHANGELOG.md b/clients/client-glacier/CHANGELOG.md index fd89fba30d38..7a00b00e31f2 100644 --- a/clients/client-glacier/CHANGELOG.md +++ b/clients/client-glacier/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-glacier + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-glacier diff --git a/clients/client-glacier/package.json b/clients/client-glacier/package.json index e7b267eb9bfc..208e7e301c4b 100644 --- a/clients/client-glacier/package.json +++ b/clients/client-glacier/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-glacier", "description": "AWS SDK for JavaScript Glacier Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-glacier", diff --git a/clients/client-global-accelerator/CHANGELOG.md b/clients/client-global-accelerator/CHANGELOG.md index 2d2a093bc776..1ddde43fef00 100644 --- a/clients/client-global-accelerator/CHANGELOG.md +++ b/clients/client-global-accelerator/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-global-accelerator + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-global-accelerator diff --git a/clients/client-global-accelerator/package.json b/clients/client-global-accelerator/package.json index ff7f7285a83b..af7bb3743227 100644 --- a/clients/client-global-accelerator/package.json +++ b/clients/client-global-accelerator/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-global-accelerator", "description": "AWS SDK for JavaScript Global Accelerator Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-global-accelerator", diff --git a/clients/client-glue/CHANGELOG.md b/clients/client-glue/CHANGELOG.md index db50941f01c7..02687c40e3bd 100644 --- a/clients/client-glue/CHANGELOG.md +++ b/clients/client-glue/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-glue + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-glue diff --git a/clients/client-glue/package.json b/clients/client-glue/package.json index 73cb8977a927..350357043a4f 100644 --- a/clients/client-glue/package.json +++ b/clients/client-glue/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-glue", "description": "AWS SDK for JavaScript Glue Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-glue", diff --git a/clients/client-grafana/CHANGELOG.md b/clients/client-grafana/CHANGELOG.md index 64560dc6ee40..2c8683276125 100644 --- a/clients/client-grafana/CHANGELOG.md +++ b/clients/client-grafana/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-grafana + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-grafana diff --git a/clients/client-grafana/package.json b/clients/client-grafana/package.json index f1e80e77bfc8..25b4739b49b3 100644 --- a/clients/client-grafana/package.json +++ b/clients/client-grafana/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-grafana", "description": "AWS SDK for JavaScript Grafana Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-grafana", diff --git a/clients/client-greengrass/CHANGELOG.md b/clients/client-greengrass/CHANGELOG.md index 6338c5975f5b..866bd5062020 100644 --- a/clients/client-greengrass/CHANGELOG.md +++ b/clients/client-greengrass/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-greengrass + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-greengrass diff --git a/clients/client-greengrass/package.json b/clients/client-greengrass/package.json index 1856071d7dae..dcdfe2a963ed 100644 --- a/clients/client-greengrass/package.json +++ b/clients/client-greengrass/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-greengrass", "description": "AWS SDK for JavaScript Greengrass Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-greengrass", diff --git a/clients/client-greengrassv2/CHANGELOG.md b/clients/client-greengrassv2/CHANGELOG.md index a345bd4735ea..8026849dd504 100644 --- a/clients/client-greengrassv2/CHANGELOG.md +++ b/clients/client-greengrassv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-greengrassv2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-greengrassv2 diff --git a/clients/client-greengrassv2/package.json b/clients/client-greengrassv2/package.json index 83836a3e00e1..d497c85226e1 100644 --- a/clients/client-greengrassv2/package.json +++ b/clients/client-greengrassv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-greengrassv2", "description": "AWS SDK for JavaScript Greengrassv2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-greengrassv2", diff --git a/clients/client-groundstation/CHANGELOG.md b/clients/client-groundstation/CHANGELOG.md index 1ebcfaa5c4dd..b9ae0c090693 100644 --- a/clients/client-groundstation/CHANGELOG.md +++ b/clients/client-groundstation/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-groundstation + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-groundstation diff --git a/clients/client-groundstation/package.json b/clients/client-groundstation/package.json index 9e5dcada4d01..2cac53fec710 100644 --- a/clients/client-groundstation/package.json +++ b/clients/client-groundstation/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-groundstation", "description": "AWS SDK for JavaScript Groundstation Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-groundstation", diff --git a/clients/client-guardduty/CHANGELOG.md b/clients/client-guardduty/CHANGELOG.md index bf302cadb55c..62827b7a50dd 100644 --- a/clients/client-guardduty/CHANGELOG.md +++ b/clients/client-guardduty/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Features + +* **client-guardduty:** Add `launchType` and `sourceIPs` fields to GuardDuty findings. ([13c3582](https://github.com/aws/aws-sdk-js-v3/commit/13c35828916459e84fbe5d397084fa4619349a25)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-guardduty diff --git a/clients/client-guardduty/package.json b/clients/client-guardduty/package.json index b1a3524bb93c..8a3758850ec7 100644 --- a/clients/client-guardduty/package.json +++ b/clients/client-guardduty/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-guardduty", "description": "AWS SDK for JavaScript Guardduty Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-guardduty", diff --git a/clients/client-health/CHANGELOG.md b/clients/client-health/CHANGELOG.md index d77f4860a695..09ee082e7585 100644 --- a/clients/client-health/CHANGELOG.md +++ b/clients/client-health/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-health + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-health diff --git a/clients/client-health/package.json b/clients/client-health/package.json index ecb914f5ac35..7d1a72c6dd1d 100644 --- a/clients/client-health/package.json +++ b/clients/client-health/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-health", "description": "AWS SDK for JavaScript Health Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-health", diff --git a/clients/client-healthlake/CHANGELOG.md b/clients/client-healthlake/CHANGELOG.md index dd043df93e85..618c445606a4 100644 --- a/clients/client-healthlake/CHANGELOG.md +++ b/clients/client-healthlake/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-healthlake + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-healthlake diff --git a/clients/client-healthlake/package.json b/clients/client-healthlake/package.json index ac6e6be443e8..d8637adf1819 100644 --- a/clients/client-healthlake/package.json +++ b/clients/client-healthlake/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-healthlake", "description": "AWS SDK for JavaScript Healthlake Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-healthlake", diff --git a/clients/client-iam/CHANGELOG.md b/clients/client-iam/CHANGELOG.md index 36b05e283903..ce13e2133b80 100644 --- a/clients/client-iam/CHANGELOG.md +++ b/clients/client-iam/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iam + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iam diff --git a/clients/client-iam/package.json b/clients/client-iam/package.json index a139165f1fd6..2767d5423e4c 100644 --- a/clients/client-iam/package.json +++ b/clients/client-iam/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iam", "description": "AWS SDK for JavaScript Iam Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iam", diff --git a/clients/client-identitystore/CHANGELOG.md b/clients/client-identitystore/CHANGELOG.md index c5b776f64802..dfa930ef514d 100644 --- a/clients/client-identitystore/CHANGELOG.md +++ b/clients/client-identitystore/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-identitystore + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-identitystore diff --git a/clients/client-identitystore/package.json b/clients/client-identitystore/package.json index 523014a463d0..b1256836a924 100644 --- a/clients/client-identitystore/package.json +++ b/clients/client-identitystore/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-identitystore", "description": "AWS SDK for JavaScript Identitystore Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-identitystore", diff --git a/clients/client-imagebuilder/CHANGELOG.md b/clients/client-imagebuilder/CHANGELOG.md index 83a70deb336e..ec24a21bce1f 100644 --- a/clients/client-imagebuilder/CHANGELOG.md +++ b/clients/client-imagebuilder/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-imagebuilder + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-imagebuilder diff --git a/clients/client-imagebuilder/package.json b/clients/client-imagebuilder/package.json index e2bc33f56267..82b9e36ee2ac 100644 --- a/clients/client-imagebuilder/package.json +++ b/clients/client-imagebuilder/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-imagebuilder", "description": "AWS SDK for JavaScript Imagebuilder Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-imagebuilder", diff --git a/clients/client-inspector-scan/CHANGELOG.md b/clients/client-inspector-scan/CHANGELOG.md index ab3b06996c60..521d83eb98de 100644 --- a/clients/client-inspector-scan/CHANGELOG.md +++ b/clients/client-inspector-scan/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-inspector-scan + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-inspector-scan diff --git a/clients/client-inspector-scan/package.json b/clients/client-inspector-scan/package.json index af7e4504ac7e..168ca16e04c5 100644 --- a/clients/client-inspector-scan/package.json +++ b/clients/client-inspector-scan/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-inspector-scan", "description": "AWS SDK for JavaScript Inspector Scan Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-inspector-scan", diff --git a/clients/client-inspector/CHANGELOG.md b/clients/client-inspector/CHANGELOG.md index 78d9608a940d..b800036c5dfc 100644 --- a/clients/client-inspector/CHANGELOG.md +++ b/clients/client-inspector/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-inspector + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-inspector diff --git a/clients/client-inspector/package.json b/clients/client-inspector/package.json index 6326cef38374..12ca08d097cf 100644 --- a/clients/client-inspector/package.json +++ b/clients/client-inspector/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-inspector", "description": "AWS SDK for JavaScript Inspector Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-inspector", diff --git a/clients/client-inspector2/CHANGELOG.md b/clients/client-inspector2/CHANGELOG.md index a461fe32d9db..22365fec9acd 100644 --- a/clients/client-inspector2/CHANGELOG.md +++ b/clients/client-inspector2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-inspector2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-inspector2 diff --git a/clients/client-inspector2/package.json b/clients/client-inspector2/package.json index c5998f4987b6..e25f56b373d0 100644 --- a/clients/client-inspector2/package.json +++ b/clients/client-inspector2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-inspector2", "description": "AWS SDK for JavaScript Inspector2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-inspector2", diff --git a/clients/client-internetmonitor/CHANGELOG.md b/clients/client-internetmonitor/CHANGELOG.md index c9c61d19629c..23a49170c618 100644 --- a/clients/client-internetmonitor/CHANGELOG.md +++ b/clients/client-internetmonitor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-internetmonitor + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-internetmonitor diff --git a/clients/client-internetmonitor/package.json b/clients/client-internetmonitor/package.json index 3a5aa5aec52a..7a2956f28d59 100644 --- a/clients/client-internetmonitor/package.json +++ b/clients/client-internetmonitor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-internetmonitor", "description": "AWS SDK for JavaScript Internetmonitor Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-internetmonitor", diff --git a/clients/client-iot-1click-devices-service/CHANGELOG.md b/clients/client-iot-1click-devices-service/CHANGELOG.md index c3afb51d65f0..146f0b26b5d2 100644 --- a/clients/client-iot-1click-devices-service/CHANGELOG.md +++ b/clients/client-iot-1click-devices-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot-1click-devices-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot-1click-devices-service diff --git a/clients/client-iot-1click-devices-service/package.json b/clients/client-iot-1click-devices-service/package.json index 41cea7a8eaa7..2c390ec801d3 100644 --- a/clients/client-iot-1click-devices-service/package.json +++ b/clients/client-iot-1click-devices-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-1click-devices-service", "description": "AWS SDK for JavaScript Iot 1click Devices Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-1click-devices-service", diff --git a/clients/client-iot-1click-projects/CHANGELOG.md b/clients/client-iot-1click-projects/CHANGELOG.md index 2d58d6ab9161..58c6c2c38599 100644 --- a/clients/client-iot-1click-projects/CHANGELOG.md +++ b/clients/client-iot-1click-projects/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot-1click-projects + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot-1click-projects diff --git a/clients/client-iot-1click-projects/package.json b/clients/client-iot-1click-projects/package.json index eedee015a7f4..e80facc604e0 100644 --- a/clients/client-iot-1click-projects/package.json +++ b/clients/client-iot-1click-projects/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-1click-projects", "description": "AWS SDK for JavaScript Iot 1click Projects Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-1click-projects", diff --git a/clients/client-iot-data-plane/CHANGELOG.md b/clients/client-iot-data-plane/CHANGELOG.md index e6438b16d612..a33936408b0a 100644 --- a/clients/client-iot-data-plane/CHANGELOG.md +++ b/clients/client-iot-data-plane/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot-data-plane + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot-data-plane diff --git a/clients/client-iot-data-plane/package.json b/clients/client-iot-data-plane/package.json index eacf2a1b8cd7..546ed418594e 100644 --- a/clients/client-iot-data-plane/package.json +++ b/clients/client-iot-data-plane/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-data-plane", "description": "AWS SDK for JavaScript Iot Data Plane Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-data-plane", diff --git a/clients/client-iot-events-data/CHANGELOG.md b/clients/client-iot-events-data/CHANGELOG.md index c9f5d6ad6c7a..2f969f7fb465 100644 --- a/clients/client-iot-events-data/CHANGELOG.md +++ b/clients/client-iot-events-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot-events-data + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot-events-data diff --git a/clients/client-iot-events-data/package.json b/clients/client-iot-events-data/package.json index f4d5f06a115b..82dd5c8c6ddc 100644 --- a/clients/client-iot-events-data/package.json +++ b/clients/client-iot-events-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-events-data", "description": "AWS SDK for JavaScript Iot Events Data Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-events-data", diff --git a/clients/client-iot-events/CHANGELOG.md b/clients/client-iot-events/CHANGELOG.md index 41cfe9c42bea..9af59114d684 100644 --- a/clients/client-iot-events/CHANGELOG.md +++ b/clients/client-iot-events/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot-events + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot-events diff --git a/clients/client-iot-events/package.json b/clients/client-iot-events/package.json index b909fd51be04..b656a7c366cf 100644 --- a/clients/client-iot-events/package.json +++ b/clients/client-iot-events/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-events", "description": "AWS SDK for JavaScript Iot Events Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-events", diff --git a/clients/client-iot-jobs-data-plane/CHANGELOG.md b/clients/client-iot-jobs-data-plane/CHANGELOG.md index 878c2da967bd..262a30bf0a9c 100644 --- a/clients/client-iot-jobs-data-plane/CHANGELOG.md +++ b/clients/client-iot-jobs-data-plane/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot-jobs-data-plane + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot-jobs-data-plane diff --git a/clients/client-iot-jobs-data-plane/package.json b/clients/client-iot-jobs-data-plane/package.json index 9a3dbd8caf5b..c1ab2ccf040d 100644 --- a/clients/client-iot-jobs-data-plane/package.json +++ b/clients/client-iot-jobs-data-plane/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-jobs-data-plane", "description": "AWS SDK for JavaScript Iot Jobs Data Plane Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-jobs-data-plane", diff --git a/clients/client-iot-wireless/CHANGELOG.md b/clients/client-iot-wireless/CHANGELOG.md index e2599359256a..cd5a39adb7e6 100644 --- a/clients/client-iot-wireless/CHANGELOG.md +++ b/clients/client-iot-wireless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot-wireless + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iot-wireless diff --git a/clients/client-iot-wireless/package.json b/clients/client-iot-wireless/package.json index a98f5d7e407d..c8d6c1eeb992 100644 --- a/clients/client-iot-wireless/package.json +++ b/clients/client-iot-wireless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-wireless", "description": "AWS SDK for JavaScript Iot Wireless Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot-wireless", diff --git a/clients/client-iot/CHANGELOG.md b/clients/client-iot/CHANGELOG.md index fae8b69086ec..421b084c4368 100644 --- a/clients/client-iot/CHANGELOG.md +++ b/clients/client-iot/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iot + + + + + # [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) diff --git a/clients/client-iot/package.json b/clients/client-iot/package.json index f8faee31a04b..e7dfc68b6392 100644 --- a/clients/client-iot/package.json +++ b/clients/client-iot/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot", "description": "AWS SDK for JavaScript Iot Client for Node.js, Browser and React Native", - "version": "3.652.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iot", diff --git a/clients/client-iotanalytics/CHANGELOG.md b/clients/client-iotanalytics/CHANGELOG.md index 0d844c4f2fd7..882301518dfe 100644 --- a/clients/client-iotanalytics/CHANGELOG.md +++ b/clients/client-iotanalytics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iotanalytics + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iotanalytics diff --git a/clients/client-iotanalytics/package.json b/clients/client-iotanalytics/package.json index ab90918dbe12..4e7b6076abe5 100644 --- a/clients/client-iotanalytics/package.json +++ b/clients/client-iotanalytics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotanalytics", "description": "AWS SDK for JavaScript Iotanalytics Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotanalytics", diff --git a/clients/client-iotdeviceadvisor/CHANGELOG.md b/clients/client-iotdeviceadvisor/CHANGELOG.md index 9608d6a63496..7fffd4619c7d 100644 --- a/clients/client-iotdeviceadvisor/CHANGELOG.md +++ b/clients/client-iotdeviceadvisor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iotdeviceadvisor + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iotdeviceadvisor diff --git a/clients/client-iotdeviceadvisor/package.json b/clients/client-iotdeviceadvisor/package.json index 20cf98452d85..e8912f33282b 100644 --- a/clients/client-iotdeviceadvisor/package.json +++ b/clients/client-iotdeviceadvisor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotdeviceadvisor", "description": "AWS SDK for JavaScript Iotdeviceadvisor Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotdeviceadvisor", diff --git a/clients/client-iotfleethub/CHANGELOG.md b/clients/client-iotfleethub/CHANGELOG.md index 4ab515e442e1..c80d4c9dce2a 100644 --- a/clients/client-iotfleethub/CHANGELOG.md +++ b/clients/client-iotfleethub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iotfleethub + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iotfleethub diff --git a/clients/client-iotfleethub/package.json b/clients/client-iotfleethub/package.json index 77825ddfeecd..28e97b46ac23 100644 --- a/clients/client-iotfleethub/package.json +++ b/clients/client-iotfleethub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotfleethub", "description": "AWS SDK for JavaScript Iotfleethub Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotfleethub", diff --git a/clients/client-iotfleetwise/CHANGELOG.md b/clients/client-iotfleetwise/CHANGELOG.md index 6a900eace864..b3f5327db10a 100644 --- a/clients/client-iotfleetwise/CHANGELOG.md +++ b/clients/client-iotfleetwise/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iotfleetwise + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iotfleetwise diff --git a/clients/client-iotfleetwise/package.json b/clients/client-iotfleetwise/package.json index a13d7c60b7a0..fb0e26d35360 100644 --- a/clients/client-iotfleetwise/package.json +++ b/clients/client-iotfleetwise/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotfleetwise", "description": "AWS SDK for JavaScript Iotfleetwise Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotfleetwise", diff --git a/clients/client-iotsecuretunneling/CHANGELOG.md b/clients/client-iotsecuretunneling/CHANGELOG.md index 43f9bed5ae63..c0e3e507c3c2 100644 --- a/clients/client-iotsecuretunneling/CHANGELOG.md +++ b/clients/client-iotsecuretunneling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iotsecuretunneling + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iotsecuretunneling diff --git a/clients/client-iotsecuretunneling/package.json b/clients/client-iotsecuretunneling/package.json index abbd45cbcd62..efa4b68271e5 100644 --- a/clients/client-iotsecuretunneling/package.json +++ b/clients/client-iotsecuretunneling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotsecuretunneling", "description": "AWS SDK for JavaScript Iotsecuretunneling Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotsecuretunneling", diff --git a/clients/client-iotsitewise/CHANGELOG.md b/clients/client-iotsitewise/CHANGELOG.md index fc7951a53b10..c1ce11d87d01 100644 --- a/clients/client-iotsitewise/CHANGELOG.md +++ b/clients/client-iotsitewise/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iotsitewise + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iotsitewise diff --git a/clients/client-iotsitewise/package.json b/clients/client-iotsitewise/package.json index b68f07de6629..e0387323115b 100644 --- a/clients/client-iotsitewise/package.json +++ b/clients/client-iotsitewise/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotsitewise", "description": "AWS SDK for JavaScript Iotsitewise Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotsitewise", diff --git a/clients/client-iotthingsgraph/CHANGELOG.md b/clients/client-iotthingsgraph/CHANGELOG.md index 7eeee10d5273..df77ed0570f6 100644 --- a/clients/client-iotthingsgraph/CHANGELOG.md +++ b/clients/client-iotthingsgraph/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iotthingsgraph + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iotthingsgraph diff --git a/clients/client-iotthingsgraph/package.json b/clients/client-iotthingsgraph/package.json index aa3817593b58..f02cabb5d60a 100644 --- a/clients/client-iotthingsgraph/package.json +++ b/clients/client-iotthingsgraph/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iotthingsgraph", "description": "AWS SDK for JavaScript Iotthingsgraph Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iotthingsgraph", diff --git a/clients/client-iottwinmaker/CHANGELOG.md b/clients/client-iottwinmaker/CHANGELOG.md index 2f2d7943dc47..812bde2b7e36 100644 --- a/clients/client-iottwinmaker/CHANGELOG.md +++ b/clients/client-iottwinmaker/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-iottwinmaker + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-iottwinmaker diff --git a/clients/client-iottwinmaker/package.json b/clients/client-iottwinmaker/package.json index 4aa0e9b9a066..43ba51b7a0c0 100644 --- a/clients/client-iottwinmaker/package.json +++ b/clients/client-iottwinmaker/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iottwinmaker", "description": "AWS SDK for JavaScript Iottwinmaker Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-iottwinmaker", diff --git a/clients/client-ivs-realtime/CHANGELOG.md b/clients/client-ivs-realtime/CHANGELOG.md index 661eaa447525..48dbbb11a461 100644 --- a/clients/client-ivs-realtime/CHANGELOG.md +++ b/clients/client-ivs-realtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ivs-realtime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ivs-realtime diff --git a/clients/client-ivs-realtime/package.json b/clients/client-ivs-realtime/package.json index ea8c3112771e..f79d4ebca254 100644 --- a/clients/client-ivs-realtime/package.json +++ b/clients/client-ivs-realtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ivs-realtime", "description": "AWS SDK for JavaScript Ivs Realtime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ivs-realtime", diff --git a/clients/client-ivs/CHANGELOG.md b/clients/client-ivs/CHANGELOG.md index d3d27fa69550..7607d4853c65 100644 --- a/clients/client-ivs/CHANGELOG.md +++ b/clients/client-ivs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ivs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ivs diff --git a/clients/client-ivs/package.json b/clients/client-ivs/package.json index d5732fefa322..8050d39db5f2 100644 --- a/clients/client-ivs/package.json +++ b/clients/client-ivs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ivs", "description": "AWS SDK for JavaScript Ivs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ivs", diff --git a/clients/client-ivschat/CHANGELOG.md b/clients/client-ivschat/CHANGELOG.md index 4f13c0e2d369..458189cbc399 100644 --- a/clients/client-ivschat/CHANGELOG.md +++ b/clients/client-ivschat/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ivschat + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ivschat diff --git a/clients/client-ivschat/package.json b/clients/client-ivschat/package.json index 004c331cccd5..6032b7c068a3 100644 --- a/clients/client-ivschat/package.json +++ b/clients/client-ivschat/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ivschat", "description": "AWS SDK for JavaScript Ivschat Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ivschat", diff --git a/clients/client-kafka/CHANGELOG.md b/clients/client-kafka/CHANGELOG.md index c5b95d722e6a..3a7aab6a9a05 100644 --- a/clients/client-kafka/CHANGELOG.md +++ b/clients/client-kafka/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kafka + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kafka diff --git a/clients/client-kafka/package.json b/clients/client-kafka/package.json index d987aa64df93..5e748ec89219 100644 --- a/clients/client-kafka/package.json +++ b/clients/client-kafka/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kafka", "description": "AWS SDK for JavaScript Kafka Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kafka", diff --git a/clients/client-kafkaconnect/CHANGELOG.md b/clients/client-kafkaconnect/CHANGELOG.md index 83a0c3556ce8..80e24158c872 100644 --- a/clients/client-kafkaconnect/CHANGELOG.md +++ b/clients/client-kafkaconnect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kafkaconnect + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kafkaconnect diff --git a/clients/client-kafkaconnect/package.json b/clients/client-kafkaconnect/package.json index 038784082e56..246106e53066 100644 --- a/clients/client-kafkaconnect/package.json +++ b/clients/client-kafkaconnect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kafkaconnect", "description": "AWS SDK for JavaScript Kafkaconnect Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kafkaconnect", diff --git a/clients/client-kendra-ranking/CHANGELOG.md b/clients/client-kendra-ranking/CHANGELOG.md index 431777ee88f4..cc562c3b0f62 100644 --- a/clients/client-kendra-ranking/CHANGELOG.md +++ b/clients/client-kendra-ranking/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kendra-ranking + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kendra-ranking diff --git a/clients/client-kendra-ranking/package.json b/clients/client-kendra-ranking/package.json index 94ee1b943070..c6ab1e96a676 100644 --- a/clients/client-kendra-ranking/package.json +++ b/clients/client-kendra-ranking/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kendra-ranking", "description": "AWS SDK for JavaScript Kendra Ranking Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kendra-ranking", diff --git a/clients/client-kendra/CHANGELOG.md b/clients/client-kendra/CHANGELOG.md index b5b7fe8272f9..1fac7e059417 100644 --- a/clients/client-kendra/CHANGELOG.md +++ b/clients/client-kendra/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kendra + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kendra diff --git a/clients/client-kendra/package.json b/clients/client-kendra/package.json index 6eb2b7a1faac..aa69acd713d3 100644 --- a/clients/client-kendra/package.json +++ b/clients/client-kendra/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kendra", "description": "AWS SDK for JavaScript Kendra Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kendra", diff --git a/clients/client-keyspaces/CHANGELOG.md b/clients/client-keyspaces/CHANGELOG.md index 4974ad1d3164..14debdddc82d 100644 --- a/clients/client-keyspaces/CHANGELOG.md +++ b/clients/client-keyspaces/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-keyspaces + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-keyspaces diff --git a/clients/client-keyspaces/package.json b/clients/client-keyspaces/package.json index 7b2bd3967ec1..888fefe11708 100644 --- a/clients/client-keyspaces/package.json +++ b/clients/client-keyspaces/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-keyspaces", "description": "AWS SDK for JavaScript Keyspaces Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-keyspaces", diff --git a/clients/client-kinesis-analytics-v2/CHANGELOG.md b/clients/client-kinesis-analytics-v2/CHANGELOG.md index d1af2963e004..187b8cd7d553 100644 --- a/clients/client-kinesis-analytics-v2/CHANGELOG.md +++ b/clients/client-kinesis-analytics-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-analytics-v2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis-analytics-v2 diff --git a/clients/client-kinesis-analytics-v2/package.json b/clients/client-kinesis-analytics-v2/package.json index d52c41bfd328..7631dfd45849 100644 --- a/clients/client-kinesis-analytics-v2/package.json +++ b/clients/client-kinesis-analytics-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-analytics-v2", "description": "AWS SDK for JavaScript Kinesis Analytics V2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-analytics-v2", diff --git a/clients/client-kinesis-analytics/CHANGELOG.md b/clients/client-kinesis-analytics/CHANGELOG.md index 524acd095bc8..26c84c0413d9 100644 --- a/clients/client-kinesis-analytics/CHANGELOG.md +++ b/clients/client-kinesis-analytics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-analytics + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis-analytics diff --git a/clients/client-kinesis-analytics/package.json b/clients/client-kinesis-analytics/package.json index 6d99485818e6..6d9cda7de343 100644 --- a/clients/client-kinesis-analytics/package.json +++ b/clients/client-kinesis-analytics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-analytics", "description": "AWS SDK for JavaScript Kinesis Analytics Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-analytics", diff --git a/clients/client-kinesis-video-archived-media/CHANGELOG.md b/clients/client-kinesis-video-archived-media/CHANGELOG.md index 1e3c6012e6ed..ca16bea12446 100644 --- a/clients/client-kinesis-video-archived-media/CHANGELOG.md +++ b/clients/client-kinesis-video-archived-media/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-archived-media + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-archived-media diff --git a/clients/client-kinesis-video-archived-media/package.json b/clients/client-kinesis-video-archived-media/package.json index 00c6489eb4ba..5eed1e07f0c8 100644 --- a/clients/client-kinesis-video-archived-media/package.json +++ b/clients/client-kinesis-video-archived-media/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-archived-media", "description": "AWS SDK for JavaScript Kinesis Video Archived Media Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-archived-media", diff --git a/clients/client-kinesis-video-media/CHANGELOG.md b/clients/client-kinesis-video-media/CHANGELOG.md index 5d62073e3c5d..bea3e716c691 100644 --- a/clients/client-kinesis-video-media/CHANGELOG.md +++ b/clients/client-kinesis-video-media/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-media + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-media diff --git a/clients/client-kinesis-video-media/package.json b/clients/client-kinesis-video-media/package.json index 7f66332bfb84..09c35a94d7d9 100644 --- a/clients/client-kinesis-video-media/package.json +++ b/clients/client-kinesis-video-media/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-media", "description": "AWS SDK for JavaScript Kinesis Video Media Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-media", diff --git a/clients/client-kinesis-video-signaling/CHANGELOG.md b/clients/client-kinesis-video-signaling/CHANGELOG.md index af236fd95536..1304ef708dc8 100644 --- a/clients/client-kinesis-video-signaling/CHANGELOG.md +++ b/clients/client-kinesis-video-signaling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-signaling + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-signaling diff --git a/clients/client-kinesis-video-signaling/package.json b/clients/client-kinesis-video-signaling/package.json index c9ef2dd01a3e..9e4897e2fdca 100644 --- a/clients/client-kinesis-video-signaling/package.json +++ b/clients/client-kinesis-video-signaling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-signaling", "description": "AWS SDK for JavaScript Kinesis Video Signaling Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-signaling", diff --git a/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md b/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md index cfd46886d66e..e2025f1142e4 100644 --- a/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md +++ b/clients/client-kinesis-video-webrtc-storage/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-webrtc-storage + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis-video-webrtc-storage diff --git a/clients/client-kinesis-video-webrtc-storage/package.json b/clients/client-kinesis-video-webrtc-storage/package.json index 235d28c8d4b8..e560f1305153 100644 --- a/clients/client-kinesis-video-webrtc-storage/package.json +++ b/clients/client-kinesis-video-webrtc-storage/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video-webrtc-storage", "description": "AWS SDK for JavaScript Kinesis Video Webrtc Storage Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video-webrtc-storage", diff --git a/clients/client-kinesis-video/CHANGELOG.md b/clients/client-kinesis-video/CHANGELOG.md index 3642e1c3bf0a..b0f6f6e368b7 100644 --- a/clients/client-kinesis-video/CHANGELOG.md +++ b/clients/client-kinesis-video/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis-video diff --git a/clients/client-kinesis-video/package.json b/clients/client-kinesis-video/package.json index 934abf96c80b..78334041280f 100644 --- a/clients/client-kinesis-video/package.json +++ b/clients/client-kinesis-video/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis-video", "description": "AWS SDK for JavaScript Kinesis Video Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis-video", diff --git a/clients/client-kinesis/CHANGELOG.md b/clients/client-kinesis/CHANGELOG.md index ad41c1356182..2a158f354c9c 100644 --- a/clients/client-kinesis/CHANGELOG.md +++ b/clients/client-kinesis/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kinesis + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kinesis diff --git a/clients/client-kinesis/package.json b/clients/client-kinesis/package.json index 6cb30a8bbb90..c04abc9722c9 100644 --- a/clients/client-kinesis/package.json +++ b/clients/client-kinesis/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kinesis", "description": "AWS SDK for JavaScript Kinesis Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kinesis", diff --git a/clients/client-kms/CHANGELOG.md b/clients/client-kms/CHANGELOG.md index 1c1d661e9dd1..9570f4802640 100644 --- a/clients/client-kms/CHANGELOG.md +++ b/clients/client-kms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-kms + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-kms diff --git a/clients/client-kms/package.json b/clients/client-kms/package.json index 42d111326415..919d3dbc443b 100644 --- a/clients/client-kms/package.json +++ b/clients/client-kms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-kms", "description": "AWS SDK for JavaScript Kms Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-kms", diff --git a/clients/client-lakeformation/CHANGELOG.md b/clients/client-lakeformation/CHANGELOG.md index 6465b617947a..24404a0dbd78 100644 --- a/clients/client-lakeformation/CHANGELOG.md +++ b/clients/client-lakeformation/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lakeformation + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lakeformation diff --git a/clients/client-lakeformation/package.json b/clients/client-lakeformation/package.json index 7784cd6c67ce..135e0f87dba3 100644 --- a/clients/client-lakeformation/package.json +++ b/clients/client-lakeformation/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lakeformation", "description": "AWS SDK for JavaScript Lakeformation Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lakeformation", diff --git a/clients/client-lambda/CHANGELOG.md b/clients/client-lambda/CHANGELOG.md index 3f6e0386c285..248ad3e81b84 100644 --- a/clients/client-lambda/CHANGELOG.md +++ b/clients/client-lambda/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lambda + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) diff --git a/clients/client-lambda/package.json b/clients/client-lambda/package.json index 4bf8f1bd8c40..8f1478f1ee47 100644 --- a/clients/client-lambda/package.json +++ b/clients/client-lambda/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lambda", "description": "AWS SDK for JavaScript Lambda Client for Node.js, Browser and React Native", - "version": "3.653.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lambda", diff --git a/clients/client-launch-wizard/CHANGELOG.md b/clients/client-launch-wizard/CHANGELOG.md index b83aaf711119..2155cce2810d 100644 --- a/clients/client-launch-wizard/CHANGELOG.md +++ b/clients/client-launch-wizard/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-launch-wizard + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-launch-wizard diff --git a/clients/client-launch-wizard/package.json b/clients/client-launch-wizard/package.json index 9859099318db..cc6165888a69 100644 --- a/clients/client-launch-wizard/package.json +++ b/clients/client-launch-wizard/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-launch-wizard", "description": "AWS SDK for JavaScript Launch Wizard Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-launch-wizard", diff --git a/clients/client-lex-model-building-service/CHANGELOG.md b/clients/client-lex-model-building-service/CHANGELOG.md index cb3c9857b3ea..ef2e62730ad7 100644 --- a/clients/client-lex-model-building-service/CHANGELOG.md +++ b/clients/client-lex-model-building-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lex-model-building-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lex-model-building-service diff --git a/clients/client-lex-model-building-service/package.json b/clients/client-lex-model-building-service/package.json index a8b56f3c91eb..34b7115f295b 100644 --- a/clients/client-lex-model-building-service/package.json +++ b/clients/client-lex-model-building-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-model-building-service", "description": "AWS SDK for JavaScript Lex Model Building Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-model-building-service", diff --git a/clients/client-lex-models-v2/CHANGELOG.md b/clients/client-lex-models-v2/CHANGELOG.md index 87e313c96ea9..4697291ae58d 100644 --- a/clients/client-lex-models-v2/CHANGELOG.md +++ b/clients/client-lex-models-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lex-models-v2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lex-models-v2 diff --git a/clients/client-lex-models-v2/package.json b/clients/client-lex-models-v2/package.json index 5e7087be41c1..de7a111d51b1 100644 --- a/clients/client-lex-models-v2/package.json +++ b/clients/client-lex-models-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-models-v2", "description": "AWS SDK for JavaScript Lex Models V2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-models-v2", diff --git a/clients/client-lex-runtime-service/CHANGELOG.md b/clients/client-lex-runtime-service/CHANGELOG.md index 28f59f359846..e7a6ecaf27ee 100644 --- a/clients/client-lex-runtime-service/CHANGELOG.md +++ b/clients/client-lex-runtime-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lex-runtime-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lex-runtime-service diff --git a/clients/client-lex-runtime-service/package.json b/clients/client-lex-runtime-service/package.json index 27ef2acb15ca..d5ade4196d32 100644 --- a/clients/client-lex-runtime-service/package.json +++ b/clients/client-lex-runtime-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-runtime-service", "description": "AWS SDK for JavaScript Lex Runtime Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-runtime-service", diff --git a/clients/client-lex-runtime-v2/CHANGELOG.md b/clients/client-lex-runtime-v2/CHANGELOG.md index ce4127caf1b0..cae9d21977a2 100644 --- a/clients/client-lex-runtime-v2/CHANGELOG.md +++ b/clients/client-lex-runtime-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lex-runtime-v2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lex-runtime-v2 diff --git a/clients/client-lex-runtime-v2/package.json b/clients/client-lex-runtime-v2/package.json index f17267ae1c61..87ae033edda2 100644 --- a/clients/client-lex-runtime-v2/package.json +++ b/clients/client-lex-runtime-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lex-runtime-v2", "description": "AWS SDK for JavaScript Lex Runtime V2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lex-runtime-v2", diff --git a/clients/client-license-manager-linux-subscriptions/CHANGELOG.md b/clients/client-license-manager-linux-subscriptions/CHANGELOG.md index 225646bde669..f1419c4b3e93 100644 --- a/clients/client-license-manager-linux-subscriptions/CHANGELOG.md +++ b/clients/client-license-manager-linux-subscriptions/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-license-manager-linux-subscriptions + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-license-manager-linux-subscriptions diff --git a/clients/client-license-manager-linux-subscriptions/package.json b/clients/client-license-manager-linux-subscriptions/package.json index a55909c8518c..a98c3f13d82c 100644 --- a/clients/client-license-manager-linux-subscriptions/package.json +++ b/clients/client-license-manager-linux-subscriptions/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-license-manager-linux-subscriptions", "description": "AWS SDK for JavaScript License Manager Linux Subscriptions Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-license-manager-linux-subscriptions", diff --git a/clients/client-license-manager-user-subscriptions/CHANGELOG.md b/clients/client-license-manager-user-subscriptions/CHANGELOG.md index 2a939f55da73..9170d275e4a8 100644 --- a/clients/client-license-manager-user-subscriptions/CHANGELOG.md +++ b/clients/client-license-manager-user-subscriptions/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-license-manager-user-subscriptions + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-license-manager-user-subscriptions diff --git a/clients/client-license-manager-user-subscriptions/package.json b/clients/client-license-manager-user-subscriptions/package.json index 5f90c66ba21b..c8609fb49034 100644 --- a/clients/client-license-manager-user-subscriptions/package.json +++ b/clients/client-license-manager-user-subscriptions/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-license-manager-user-subscriptions", "description": "AWS SDK for JavaScript License Manager User Subscriptions Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-license-manager-user-subscriptions", diff --git a/clients/client-license-manager/CHANGELOG.md b/clients/client-license-manager/CHANGELOG.md index fefae2c8566d..72b9b0496dec 100644 --- a/clients/client-license-manager/CHANGELOG.md +++ b/clients/client-license-manager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-license-manager + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-license-manager diff --git a/clients/client-license-manager/package.json b/clients/client-license-manager/package.json index 9440215ad02f..c5b647d44eea 100644 --- a/clients/client-license-manager/package.json +++ b/clients/client-license-manager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-license-manager", "description": "AWS SDK for JavaScript License Manager Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-license-manager", diff --git a/clients/client-lightsail/CHANGELOG.md b/clients/client-lightsail/CHANGELOG.md index d3c3b4bc9832..8a260a41f180 100644 --- a/clients/client-lightsail/CHANGELOG.md +++ b/clients/client-lightsail/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lightsail + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lightsail diff --git a/clients/client-lightsail/package.json b/clients/client-lightsail/package.json index 877063e71089..6c3ad0abd3c1 100644 --- a/clients/client-lightsail/package.json +++ b/clients/client-lightsail/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lightsail", "description": "AWS SDK for JavaScript Lightsail Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lightsail", diff --git a/clients/client-location/CHANGELOG.md b/clients/client-location/CHANGELOG.md index 483211734a81..04cfd52d950e 100644 --- a/clients/client-location/CHANGELOG.md +++ b/clients/client-location/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-location + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-location diff --git a/clients/client-location/package.json b/clients/client-location/package.json index a69f3ef33a2c..76a695332fbb 100644 --- a/clients/client-location/package.json +++ b/clients/client-location/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-location", "description": "AWS SDK for JavaScript Location Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-location", diff --git a/clients/client-lookoutequipment/CHANGELOG.md b/clients/client-lookoutequipment/CHANGELOG.md index 8a9fb54f5d5f..a9744b18248b 100644 --- a/clients/client-lookoutequipment/CHANGELOG.md +++ b/clients/client-lookoutequipment/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lookoutequipment + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lookoutequipment diff --git a/clients/client-lookoutequipment/package.json b/clients/client-lookoutequipment/package.json index 2c24aa93c7c9..9d807f2a999d 100644 --- a/clients/client-lookoutequipment/package.json +++ b/clients/client-lookoutequipment/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lookoutequipment", "description": "AWS SDK for JavaScript Lookoutequipment Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lookoutequipment", diff --git a/clients/client-lookoutmetrics/CHANGELOG.md b/clients/client-lookoutmetrics/CHANGELOG.md index bd0782cc3d75..14e2107d0565 100644 --- a/clients/client-lookoutmetrics/CHANGELOG.md +++ b/clients/client-lookoutmetrics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lookoutmetrics + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lookoutmetrics diff --git a/clients/client-lookoutmetrics/package.json b/clients/client-lookoutmetrics/package.json index 48d0e51e19e4..6acbae63f79b 100644 --- a/clients/client-lookoutmetrics/package.json +++ b/clients/client-lookoutmetrics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lookoutmetrics", "description": "AWS SDK for JavaScript Lookoutmetrics Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lookoutmetrics", diff --git a/clients/client-lookoutvision/CHANGELOG.md b/clients/client-lookoutvision/CHANGELOG.md index b7d6a0b56b7f..b14d1c42075b 100644 --- a/clients/client-lookoutvision/CHANGELOG.md +++ b/clients/client-lookoutvision/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-lookoutvision + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-lookoutvision diff --git a/clients/client-lookoutvision/package.json b/clients/client-lookoutvision/package.json index f9582f4cb75f..bce27ba5b253 100644 --- a/clients/client-lookoutvision/package.json +++ b/clients/client-lookoutvision/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lookoutvision", "description": "AWS SDK for JavaScript Lookoutvision Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lookoutvision", diff --git a/clients/client-m2/CHANGELOG.md b/clients/client-m2/CHANGELOG.md index ee25c3284c3e..4a5dc90d16f7 100644 --- a/clients/client-m2/CHANGELOG.md +++ b/clients/client-m2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-m2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-m2 diff --git a/clients/client-m2/package.json b/clients/client-m2/package.json index 0026be58b71a..9b2b679644d4 100644 --- a/clients/client-m2/package.json +++ b/clients/client-m2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-m2", "description": "AWS SDK for JavaScript M2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-m2", diff --git a/clients/client-machine-learning/CHANGELOG.md b/clients/client-machine-learning/CHANGELOG.md index 71452230b07b..922abe6d8566 100644 --- a/clients/client-machine-learning/CHANGELOG.md +++ b/clients/client-machine-learning/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-machine-learning + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-machine-learning diff --git a/clients/client-machine-learning/package.json b/clients/client-machine-learning/package.json index c784b440415f..2b872d2d538d 100644 --- a/clients/client-machine-learning/package.json +++ b/clients/client-machine-learning/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-machine-learning", "description": "AWS SDK for JavaScript Machine Learning Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-machine-learning", diff --git a/clients/client-macie2/CHANGELOG.md b/clients/client-macie2/CHANGELOG.md index 9f235cd79144..a72d6a123f3f 100644 --- a/clients/client-macie2/CHANGELOG.md +++ b/clients/client-macie2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-macie2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-macie2 diff --git a/clients/client-macie2/package.json b/clients/client-macie2/package.json index 083f7c609144..b69831969d80 100644 --- a/clients/client-macie2/package.json +++ b/clients/client-macie2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-macie2", "description": "AWS SDK for JavaScript Macie2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-macie2", diff --git a/clients/client-mailmanager/CHANGELOG.md b/clients/client-mailmanager/CHANGELOG.md index 3135c4bbcb22..100882ba2351 100644 --- a/clients/client-mailmanager/CHANGELOG.md +++ b/clients/client-mailmanager/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Features + +* **client-mailmanager:** Introduce a new RuleSet condition evaluation, where customers can set up a StringExpression with a MimeHeader condition. This condition will perform the necessary validation based on the X-header provided by customers. ([900a39e](https://github.com/aws/aws-sdk-js-v3/commit/900a39ed0d8c01d0e6a6e93296ba2bbdb6316e4b)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mailmanager diff --git a/clients/client-mailmanager/package.json b/clients/client-mailmanager/package.json index 0efbdffe3287..dcd20a7624ec 100644 --- a/clients/client-mailmanager/package.json +++ b/clients/client-mailmanager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mailmanager", "description": "AWS SDK for JavaScript Mailmanager Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-managedblockchain-query/CHANGELOG.md b/clients/client-managedblockchain-query/CHANGELOG.md index 44b8b23820a5..c9ac4372a02c 100644 --- a/clients/client-managedblockchain-query/CHANGELOG.md +++ b/clients/client-managedblockchain-query/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-managedblockchain-query + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-managedblockchain-query diff --git a/clients/client-managedblockchain-query/package.json b/clients/client-managedblockchain-query/package.json index 1b0ada90ae12..4a458b6516e8 100644 --- a/clients/client-managedblockchain-query/package.json +++ b/clients/client-managedblockchain-query/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-managedblockchain-query", "description": "AWS SDK for JavaScript Managedblockchain Query Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-managedblockchain-query", diff --git a/clients/client-managedblockchain/CHANGELOG.md b/clients/client-managedblockchain/CHANGELOG.md index d98fbd80f76a..96e9c6b02345 100644 --- a/clients/client-managedblockchain/CHANGELOG.md +++ b/clients/client-managedblockchain/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-managedblockchain + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-managedblockchain diff --git a/clients/client-managedblockchain/package.json b/clients/client-managedblockchain/package.json index fb0eea9e6147..f3fe19cf786c 100644 --- a/clients/client-managedblockchain/package.json +++ b/clients/client-managedblockchain/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-managedblockchain", "description": "AWS SDK for JavaScript Managedblockchain Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-managedblockchain", diff --git a/clients/client-marketplace-agreement/CHANGELOG.md b/clients/client-marketplace-agreement/CHANGELOG.md index 350081057a97..cc50fdbcf5af 100644 --- a/clients/client-marketplace-agreement/CHANGELOG.md +++ b/clients/client-marketplace-agreement/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-agreement + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-marketplace-agreement diff --git a/clients/client-marketplace-agreement/package.json b/clients/client-marketplace-agreement/package.json index 1317a5f2f525..17b7113b2893 100644 --- a/clients/client-marketplace-agreement/package.json +++ b/clients/client-marketplace-agreement/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-agreement", "description": "AWS SDK for JavaScript Marketplace Agreement Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-agreement", diff --git a/clients/client-marketplace-catalog/CHANGELOG.md b/clients/client-marketplace-catalog/CHANGELOG.md index aa64f54f3087..569addf6cb9b 100644 --- a/clients/client-marketplace-catalog/CHANGELOG.md +++ b/clients/client-marketplace-catalog/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-catalog + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-marketplace-catalog diff --git a/clients/client-marketplace-catalog/package.json b/clients/client-marketplace-catalog/package.json index f122aa212786..8cbc7ea9361f 100644 --- a/clients/client-marketplace-catalog/package.json +++ b/clients/client-marketplace-catalog/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-catalog", "description": "AWS SDK for JavaScript Marketplace Catalog Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-catalog", diff --git a/clients/client-marketplace-commerce-analytics/CHANGELOG.md b/clients/client-marketplace-commerce-analytics/CHANGELOG.md index e6ce0816d3b0..85d693dde6e8 100644 --- a/clients/client-marketplace-commerce-analytics/CHANGELOG.md +++ b/clients/client-marketplace-commerce-analytics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-commerce-analytics + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-marketplace-commerce-analytics diff --git a/clients/client-marketplace-commerce-analytics/package.json b/clients/client-marketplace-commerce-analytics/package.json index af55deca294b..40415cdaf70a 100644 --- a/clients/client-marketplace-commerce-analytics/package.json +++ b/clients/client-marketplace-commerce-analytics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-commerce-analytics", "description": "AWS SDK for JavaScript Marketplace Commerce Analytics Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-commerce-analytics", diff --git a/clients/client-marketplace-deployment/CHANGELOG.md b/clients/client-marketplace-deployment/CHANGELOG.md index 5515f8e3ff1a..e095ee04dbe6 100644 --- a/clients/client-marketplace-deployment/CHANGELOG.md +++ b/clients/client-marketplace-deployment/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-deployment + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-marketplace-deployment diff --git a/clients/client-marketplace-deployment/package.json b/clients/client-marketplace-deployment/package.json index 040dc2164c1d..06e4ece48853 100644 --- a/clients/client-marketplace-deployment/package.json +++ b/clients/client-marketplace-deployment/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-deployment", "description": "AWS SDK for JavaScript Marketplace Deployment Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-deployment", diff --git a/clients/client-marketplace-entitlement-service/CHANGELOG.md b/clients/client-marketplace-entitlement-service/CHANGELOG.md index c9aec8b79700..f1554adf0aac 100644 --- a/clients/client-marketplace-entitlement-service/CHANGELOG.md +++ b/clients/client-marketplace-entitlement-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-entitlement-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-marketplace-entitlement-service diff --git a/clients/client-marketplace-entitlement-service/package.json b/clients/client-marketplace-entitlement-service/package.json index 50089cb2e458..abec8442f8e9 100644 --- a/clients/client-marketplace-entitlement-service/package.json +++ b/clients/client-marketplace-entitlement-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-entitlement-service", "description": "AWS SDK for JavaScript Marketplace Entitlement Service Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-entitlement-service", diff --git a/clients/client-marketplace-metering/CHANGELOG.md b/clients/client-marketplace-metering/CHANGELOG.md index 80429c49a473..a42da4828924 100644 --- a/clients/client-marketplace-metering/CHANGELOG.md +++ b/clients/client-marketplace-metering/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-metering + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-marketplace-metering diff --git a/clients/client-marketplace-metering/package.json b/clients/client-marketplace-metering/package.json index 7362ffe3034e..ed47f509de6e 100644 --- a/clients/client-marketplace-metering/package.json +++ b/clients/client-marketplace-metering/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-metering", "description": "AWS SDK for JavaScript Marketplace Metering Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-marketplace-metering", diff --git a/clients/client-mediaconnect/CHANGELOG.md b/clients/client-mediaconnect/CHANGELOG.md index 68630db05f79..f93de549de7d 100644 --- a/clients/client-mediaconnect/CHANGELOG.md +++ b/clients/client-mediaconnect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediaconnect + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediaconnect diff --git a/clients/client-mediaconnect/package.json b/clients/client-mediaconnect/package.json index 9ce4578402d0..49c96e27d36d 100644 --- a/clients/client-mediaconnect/package.json +++ b/clients/client-mediaconnect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediaconnect", "description": "AWS SDK for JavaScript Mediaconnect Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediaconnect", diff --git a/clients/client-mediaconvert/CHANGELOG.md b/clients/client-mediaconvert/CHANGELOG.md index 7a0726852ec1..63e611e3bcb8 100644 --- a/clients/client-mediaconvert/CHANGELOG.md +++ b/clients/client-mediaconvert/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediaconvert + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediaconvert diff --git a/clients/client-mediaconvert/package.json b/clients/client-mediaconvert/package.json index 587db969bed0..a97aa06132c6 100644 --- a/clients/client-mediaconvert/package.json +++ b/clients/client-mediaconvert/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediaconvert", "description": "AWS SDK for JavaScript Mediaconvert Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediaconvert", diff --git a/clients/client-medialive/CHANGELOG.md b/clients/client-medialive/CHANGELOG.md index de859007dc9b..3eed9834f287 100644 --- a/clients/client-medialive/CHANGELOG.md +++ b/clients/client-medialive/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-medialive + + + + + # [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) diff --git a/clients/client-medialive/package.json b/clients/client-medialive/package.json index 46269f458bab..b599b8aa501a 100644 --- a/clients/client-medialive/package.json +++ b/clients/client-medialive/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-medialive", "description": "AWS SDK for JavaScript Medialive Client for Node.js, Browser and React Native", - "version": "3.652.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-medialive", diff --git a/clients/client-mediapackage-vod/CHANGELOG.md b/clients/client-mediapackage-vod/CHANGELOG.md index d9d326d37bc1..c989e7325321 100644 --- a/clients/client-mediapackage-vod/CHANGELOG.md +++ b/clients/client-mediapackage-vod/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediapackage-vod + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediapackage-vod diff --git a/clients/client-mediapackage-vod/package.json b/clients/client-mediapackage-vod/package.json index 896a910a3c5a..4661e7d5533f 100644 --- a/clients/client-mediapackage-vod/package.json +++ b/clients/client-mediapackage-vod/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediapackage-vod", "description": "AWS SDK for JavaScript Mediapackage Vod Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediapackage-vod", diff --git a/clients/client-mediapackage/CHANGELOG.md b/clients/client-mediapackage/CHANGELOG.md index a79e2ba63711..8704e963d9f5 100644 --- a/clients/client-mediapackage/CHANGELOG.md +++ b/clients/client-mediapackage/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediapackage + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediapackage diff --git a/clients/client-mediapackage/package.json b/clients/client-mediapackage/package.json index a97f2d65e3d3..097f4457bf78 100644 --- a/clients/client-mediapackage/package.json +++ b/clients/client-mediapackage/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediapackage", "description": "AWS SDK for JavaScript Mediapackage Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediapackage", diff --git a/clients/client-mediapackagev2/CHANGELOG.md b/clients/client-mediapackagev2/CHANGELOG.md index 3ca2e2c00f81..30105cae2ca2 100644 --- a/clients/client-mediapackagev2/CHANGELOG.md +++ b/clients/client-mediapackagev2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediapackagev2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediapackagev2 diff --git a/clients/client-mediapackagev2/package.json b/clients/client-mediapackagev2/package.json index ce61838bd519..b4f4ae0fb657 100644 --- a/clients/client-mediapackagev2/package.json +++ b/clients/client-mediapackagev2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediapackagev2", "description": "AWS SDK for JavaScript Mediapackagev2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediapackagev2", diff --git a/clients/client-mediastore-data/CHANGELOG.md b/clients/client-mediastore-data/CHANGELOG.md index ea5c35158f1c..1ac386377f6a 100644 --- a/clients/client-mediastore-data/CHANGELOG.md +++ b/clients/client-mediastore-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediastore-data + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediastore-data diff --git a/clients/client-mediastore-data/package.json b/clients/client-mediastore-data/package.json index 21449820c3e5..d2c816e55e78 100644 --- a/clients/client-mediastore-data/package.json +++ b/clients/client-mediastore-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediastore-data", "description": "AWS SDK for JavaScript Mediastore Data Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediastore-data", diff --git a/clients/client-mediastore/CHANGELOG.md b/clients/client-mediastore/CHANGELOG.md index c256d0df316c..d27c948c8e7c 100644 --- a/clients/client-mediastore/CHANGELOG.md +++ b/clients/client-mediastore/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediastore + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediastore diff --git a/clients/client-mediastore/package.json b/clients/client-mediastore/package.json index 7a810628c1e9..0f8263a6d77e 100644 --- a/clients/client-mediastore/package.json +++ b/clients/client-mediastore/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediastore", "description": "AWS SDK for JavaScript Mediastore Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediastore", diff --git a/clients/client-mediatailor/CHANGELOG.md b/clients/client-mediatailor/CHANGELOG.md index dba107f32f54..16299036a94a 100644 --- a/clients/client-mediatailor/CHANGELOG.md +++ b/clients/client-mediatailor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mediatailor + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mediatailor diff --git a/clients/client-mediatailor/package.json b/clients/client-mediatailor/package.json index 154a45845d58..07df9681764c 100644 --- a/clients/client-mediatailor/package.json +++ b/clients/client-mediatailor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediatailor", "description": "AWS SDK for JavaScript Mediatailor Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediatailor", diff --git a/clients/client-medical-imaging/CHANGELOG.md b/clients/client-medical-imaging/CHANGELOG.md index 035780bdcfd2..44ac75ce752c 100644 --- a/clients/client-medical-imaging/CHANGELOG.md +++ b/clients/client-medical-imaging/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-medical-imaging + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-medical-imaging diff --git a/clients/client-medical-imaging/package.json b/clients/client-medical-imaging/package.json index a53620aa4a32..8794d4c8421a 100644 --- a/clients/client-medical-imaging/package.json +++ b/clients/client-medical-imaging/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-medical-imaging", "description": "AWS SDK for JavaScript Medical Imaging Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-medical-imaging", diff --git a/clients/client-memorydb/CHANGELOG.md b/clients/client-memorydb/CHANGELOG.md index 9deca5375e06..4183732a98d8 100644 --- a/clients/client-memorydb/CHANGELOG.md +++ b/clients/client-memorydb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-memorydb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-memorydb diff --git a/clients/client-memorydb/package.json b/clients/client-memorydb/package.json index 5674220395e5..99c46acc0863 100644 --- a/clients/client-memorydb/package.json +++ b/clients/client-memorydb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-memorydb", "description": "AWS SDK for JavaScript Memorydb Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-memorydb", diff --git a/clients/client-mgn/CHANGELOG.md b/clients/client-mgn/CHANGELOG.md index 727bc2c7692f..6fe2d2fc8f8d 100644 --- a/clients/client-mgn/CHANGELOG.md +++ b/clients/client-mgn/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mgn + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mgn diff --git a/clients/client-mgn/package.json b/clients/client-mgn/package.json index 4a75cb27220f..8b6684190c4f 100644 --- a/clients/client-mgn/package.json +++ b/clients/client-mgn/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mgn", "description": "AWS SDK for JavaScript Mgn Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mgn", diff --git a/clients/client-migration-hub-refactor-spaces/CHANGELOG.md b/clients/client-migration-hub-refactor-spaces/CHANGELOG.md index 33fe96764398..733688efc910 100644 --- a/clients/client-migration-hub-refactor-spaces/CHANGELOG.md +++ b/clients/client-migration-hub-refactor-spaces/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-migration-hub-refactor-spaces + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-migration-hub-refactor-spaces diff --git a/clients/client-migration-hub-refactor-spaces/package.json b/clients/client-migration-hub-refactor-spaces/package.json index 811fb74bcd1f..a5289ad44b60 100644 --- a/clients/client-migration-hub-refactor-spaces/package.json +++ b/clients/client-migration-hub-refactor-spaces/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migration-hub-refactor-spaces", "description": "AWS SDK for JavaScript Migration Hub Refactor Spaces Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migration-hub-refactor-spaces", diff --git a/clients/client-migration-hub/CHANGELOG.md b/clients/client-migration-hub/CHANGELOG.md index 3109c582c357..da11dd8b7e9d 100644 --- a/clients/client-migration-hub/CHANGELOG.md +++ b/clients/client-migration-hub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-migration-hub + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-migration-hub diff --git a/clients/client-migration-hub/package.json b/clients/client-migration-hub/package.json index 638f92323ccf..19abc0f1b00e 100644 --- a/clients/client-migration-hub/package.json +++ b/clients/client-migration-hub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migration-hub", "description": "AWS SDK for JavaScript Migration Hub Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migration-hub", diff --git a/clients/client-migrationhub-config/CHANGELOG.md b/clients/client-migrationhub-config/CHANGELOG.md index dbdf475fbb87..e91dba1688ea 100644 --- a/clients/client-migrationhub-config/CHANGELOG.md +++ b/clients/client-migrationhub-config/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-migrationhub-config + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-migrationhub-config diff --git a/clients/client-migrationhub-config/package.json b/clients/client-migrationhub-config/package.json index 507904429ed0..84c7390125f9 100644 --- a/clients/client-migrationhub-config/package.json +++ b/clients/client-migrationhub-config/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migrationhub-config", "description": "AWS SDK for JavaScript Migrationhub Config Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migrationhub-config", diff --git a/clients/client-migrationhuborchestrator/CHANGELOG.md b/clients/client-migrationhuborchestrator/CHANGELOG.md index 31d65412fff8..58b43a84a3a1 100644 --- a/clients/client-migrationhuborchestrator/CHANGELOG.md +++ b/clients/client-migrationhuborchestrator/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-migrationhuborchestrator + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-migrationhuborchestrator diff --git a/clients/client-migrationhuborchestrator/package.json b/clients/client-migrationhuborchestrator/package.json index bd8ca741a9af..f59affc5a4cb 100644 --- a/clients/client-migrationhuborchestrator/package.json +++ b/clients/client-migrationhuborchestrator/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migrationhuborchestrator", "description": "AWS SDK for JavaScript Migrationhuborchestrator Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migrationhuborchestrator", diff --git a/clients/client-migrationhubstrategy/CHANGELOG.md b/clients/client-migrationhubstrategy/CHANGELOG.md index acaac35b253b..682b734896ef 100644 --- a/clients/client-migrationhubstrategy/CHANGELOG.md +++ b/clients/client-migrationhubstrategy/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-migrationhubstrategy + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-migrationhubstrategy diff --git a/clients/client-migrationhubstrategy/package.json b/clients/client-migrationhubstrategy/package.json index 3a487431a26a..c4aa2676edf4 100644 --- a/clients/client-migrationhubstrategy/package.json +++ b/clients/client-migrationhubstrategy/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-migrationhubstrategy", "description": "AWS SDK for JavaScript Migrationhubstrategy Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-migrationhubstrategy", diff --git a/clients/client-mq/CHANGELOG.md b/clients/client-mq/CHANGELOG.md index f231ed332713..49524eb94d2c 100644 --- a/clients/client-mq/CHANGELOG.md +++ b/clients/client-mq/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mq + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mq diff --git a/clients/client-mq/package.json b/clients/client-mq/package.json index 649c7d11e767..6eb132ec94ef 100644 --- a/clients/client-mq/package.json +++ b/clients/client-mq/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mq", "description": "AWS SDK for JavaScript Mq Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mq", diff --git a/clients/client-mturk/CHANGELOG.md b/clients/client-mturk/CHANGELOG.md index f513050920d5..6cdfa9b46c79 100644 --- a/clients/client-mturk/CHANGELOG.md +++ b/clients/client-mturk/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mturk + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mturk diff --git a/clients/client-mturk/package.json b/clients/client-mturk/package.json index 3ed1eb7ad4f6..341facde5477 100644 --- a/clients/client-mturk/package.json +++ b/clients/client-mturk/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mturk", "description": "AWS SDK for JavaScript Mturk Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mturk", diff --git a/clients/client-mwaa/CHANGELOG.md b/clients/client-mwaa/CHANGELOG.md index e0a26f0af1c8..f554d7b57b90 100644 --- a/clients/client-mwaa/CHANGELOG.md +++ b/clients/client-mwaa/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-mwaa + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-mwaa diff --git a/clients/client-mwaa/package.json b/clients/client-mwaa/package.json index 51fc44c1b28c..e050afabc3b1 100644 --- a/clients/client-mwaa/package.json +++ b/clients/client-mwaa/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mwaa", "description": "AWS SDK for JavaScript Mwaa Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mwaa", diff --git a/clients/client-neptune-graph/CHANGELOG.md b/clients/client-neptune-graph/CHANGELOG.md index 30ae6bbe816d..793aa43d4829 100644 --- a/clients/client-neptune-graph/CHANGELOG.md +++ b/clients/client-neptune-graph/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-neptune-graph + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-neptune-graph diff --git a/clients/client-neptune-graph/package.json b/clients/client-neptune-graph/package.json index 29f495b37f9c..0a32d118643e 100644 --- a/clients/client-neptune-graph/package.json +++ b/clients/client-neptune-graph/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-neptune-graph", "description": "AWS SDK for JavaScript Neptune Graph Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-neptune-graph", diff --git a/clients/client-neptune/CHANGELOG.md b/clients/client-neptune/CHANGELOG.md index d2bf4c4303d3..42428502adf8 100644 --- a/clients/client-neptune/CHANGELOG.md +++ b/clients/client-neptune/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-neptune + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-neptune diff --git a/clients/client-neptune/package.json b/clients/client-neptune/package.json index 756e1b85a28c..63d50cede242 100644 --- a/clients/client-neptune/package.json +++ b/clients/client-neptune/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-neptune", "description": "AWS SDK for JavaScript Neptune Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-neptune", diff --git a/clients/client-neptunedata/CHANGELOG.md b/clients/client-neptunedata/CHANGELOG.md index f2948937ed1a..ba2bf6e70ff7 100644 --- a/clients/client-neptunedata/CHANGELOG.md +++ b/clients/client-neptunedata/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-neptunedata + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-neptunedata diff --git a/clients/client-neptunedata/package.json b/clients/client-neptunedata/package.json index 526cafd2518c..50879122c8cb 100644 --- a/clients/client-neptunedata/package.json +++ b/clients/client-neptunedata/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-neptunedata", "description": "AWS SDK for JavaScript Neptunedata Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-neptunedata", diff --git a/clients/client-network-firewall/CHANGELOG.md b/clients/client-network-firewall/CHANGELOG.md index 12856489436c..7e56cdbc7c8a 100644 --- a/clients/client-network-firewall/CHANGELOG.md +++ b/clients/client-network-firewall/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-network-firewall + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-network-firewall diff --git a/clients/client-network-firewall/package.json b/clients/client-network-firewall/package.json index df8a3cc296e7..2ec54d74b97f 100644 --- a/clients/client-network-firewall/package.json +++ b/clients/client-network-firewall/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-network-firewall", "description": "AWS SDK for JavaScript Network Firewall Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-network-firewall", diff --git a/clients/client-networkmanager/CHANGELOG.md b/clients/client-networkmanager/CHANGELOG.md index 62a5b9375f19..aabd83c32740 100644 --- a/clients/client-networkmanager/CHANGELOG.md +++ b/clients/client-networkmanager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-networkmanager + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-networkmanager diff --git a/clients/client-networkmanager/package.json b/clients/client-networkmanager/package.json index dc9cdad75309..69afb22d22f8 100644 --- a/clients/client-networkmanager/package.json +++ b/clients/client-networkmanager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-networkmanager", "description": "AWS SDK for JavaScript Networkmanager Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-networkmanager", diff --git a/clients/client-networkmonitor/CHANGELOG.md b/clients/client-networkmonitor/CHANGELOG.md index 96e3cc8de4b7..4007067ac242 100644 --- a/clients/client-networkmonitor/CHANGELOG.md +++ b/clients/client-networkmonitor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-networkmonitor + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-networkmonitor diff --git a/clients/client-networkmonitor/package.json b/clients/client-networkmonitor/package.json index c6002a5f845f..ce5a149af110 100644 --- a/clients/client-networkmonitor/package.json +++ b/clients/client-networkmonitor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-networkmonitor", "description": "AWS SDK for JavaScript Networkmonitor Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-networkmonitor", diff --git a/clients/client-nimble/CHANGELOG.md b/clients/client-nimble/CHANGELOG.md index 07f456e603d5..324ba82454ed 100644 --- a/clients/client-nimble/CHANGELOG.md +++ b/clients/client-nimble/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-nimble + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-nimble diff --git a/clients/client-nimble/package.json b/clients/client-nimble/package.json index 1cafdbf29e9a..ae24fc839b21 100644 --- a/clients/client-nimble/package.json +++ b/clients/client-nimble/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-nimble", "description": "AWS SDK for JavaScript Nimble Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-nimble", diff --git a/clients/client-oam/CHANGELOG.md b/clients/client-oam/CHANGELOG.md index 5cdddc2025b8..48c54ea10a0f 100644 --- a/clients/client-oam/CHANGELOG.md +++ b/clients/client-oam/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-oam + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-oam diff --git a/clients/client-oam/package.json b/clients/client-oam/package.json index 22dff4dd78de..500869289168 100644 --- a/clients/client-oam/package.json +++ b/clients/client-oam/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-oam", "description": "AWS SDK for JavaScript Oam Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-oam", diff --git a/clients/client-omics/CHANGELOG.md b/clients/client-omics/CHANGELOG.md index 795df206d80b..1958572027a6 100644 --- a/clients/client-omics/CHANGELOG.md +++ b/clients/client-omics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-omics + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-omics diff --git a/clients/client-omics/package.json b/clients/client-omics/package.json index ee2f662d8860..b109985b4a07 100644 --- a/clients/client-omics/package.json +++ b/clients/client-omics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-omics", "description": "AWS SDK for JavaScript Omics Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-omics", diff --git a/clients/client-opensearch/CHANGELOG.md b/clients/client-opensearch/CHANGELOG.md index c158d13cbe71..61f2f1f3db15 100644 --- a/clients/client-opensearch/CHANGELOG.md +++ b/clients/client-opensearch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-opensearch + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-opensearch diff --git a/clients/client-opensearch/package.json b/clients/client-opensearch/package.json index 25fa2f22d3f7..ddc0e64bbdef 100644 --- a/clients/client-opensearch/package.json +++ b/clients/client-opensearch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opensearch", "description": "AWS SDK for JavaScript Opensearch Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opensearch", diff --git a/clients/client-opensearchserverless/CHANGELOG.md b/clients/client-opensearchserverless/CHANGELOG.md index b600883ea2c2..42404806d3bc 100644 --- a/clients/client-opensearchserverless/CHANGELOG.md +++ b/clients/client-opensearchserverless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-opensearchserverless + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-opensearchserverless diff --git a/clients/client-opensearchserverless/package.json b/clients/client-opensearchserverless/package.json index 9860f14ffc43..677a63d42655 100644 --- a/clients/client-opensearchserverless/package.json +++ b/clients/client-opensearchserverless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opensearchserverless", "description": "AWS SDK for JavaScript Opensearchserverless Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opensearchserverless", diff --git a/clients/client-opsworks/CHANGELOG.md b/clients/client-opsworks/CHANGELOG.md index 168f948dde2e..83b8106759ac 100644 --- a/clients/client-opsworks/CHANGELOG.md +++ b/clients/client-opsworks/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-opsworks + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-opsworks diff --git a/clients/client-opsworks/package.json b/clients/client-opsworks/package.json index b8374892a4a9..53511b6d1a6c 100644 --- a/clients/client-opsworks/package.json +++ b/clients/client-opsworks/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opsworks", "description": "AWS SDK for JavaScript Opsworks Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opsworks", diff --git a/clients/client-opsworkscm/CHANGELOG.md b/clients/client-opsworkscm/CHANGELOG.md index 9dc0aa53155a..71a4f329dc83 100644 --- a/clients/client-opsworkscm/CHANGELOG.md +++ b/clients/client-opsworkscm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-opsworkscm + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-opsworkscm diff --git a/clients/client-opsworkscm/package.json b/clients/client-opsworkscm/package.json index bbe9c6d6731a..a903a2b60f94 100644 --- a/clients/client-opsworkscm/package.json +++ b/clients/client-opsworkscm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-opsworkscm", "description": "AWS SDK for JavaScript Opsworkscm Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-opsworkscm", diff --git a/clients/client-organizations/CHANGELOG.md b/clients/client-organizations/CHANGELOG.md index ccd917af9a83..b76da2e511b8 100644 --- a/clients/client-organizations/CHANGELOG.md +++ b/clients/client-organizations/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-organizations + + + + + # [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) **Note:** Version bump only for package @aws-sdk/client-organizations diff --git a/clients/client-organizations/package.json b/clients/client-organizations/package.json index 533bdcfff3d8..b94f80a6be3f 100644 --- a/clients/client-organizations/package.json +++ b/clients/client-organizations/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-organizations", "description": "AWS SDK for JavaScript Organizations Client for Node.js, Browser and React Native", - "version": "3.652.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-organizations", diff --git a/clients/client-osis/CHANGELOG.md b/clients/client-osis/CHANGELOG.md index d5410f425e6e..b9f09ea849c3 100644 --- a/clients/client-osis/CHANGELOG.md +++ b/clients/client-osis/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-osis + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-osis diff --git a/clients/client-osis/package.json b/clients/client-osis/package.json index d09454269bae..e01a4cf31e62 100644 --- a/clients/client-osis/package.json +++ b/clients/client-osis/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-osis", "description": "AWS SDK for JavaScript Osis Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-osis", diff --git a/clients/client-outposts/CHANGELOG.md b/clients/client-outposts/CHANGELOG.md index 4eb1f5d05ee3..a0a37a0d4aa6 100644 --- a/clients/client-outposts/CHANGELOG.md +++ b/clients/client-outposts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-outposts + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-outposts diff --git a/clients/client-outposts/package.json b/clients/client-outposts/package.json index d6c4e8c2178a..1449d7d58b15 100644 --- a/clients/client-outposts/package.json +++ b/clients/client-outposts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-outposts", "description": "AWS SDK for JavaScript Outposts Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-outposts", diff --git a/clients/client-panorama/CHANGELOG.md b/clients/client-panorama/CHANGELOG.md index 857b197b6ce1..47cf7af166d5 100644 --- a/clients/client-panorama/CHANGELOG.md +++ b/clients/client-panorama/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-panorama + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-panorama diff --git a/clients/client-panorama/package.json b/clients/client-panorama/package.json index f0135d206ff7..fa40628e9f6d 100644 --- a/clients/client-panorama/package.json +++ b/clients/client-panorama/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-panorama", "description": "AWS SDK for JavaScript Panorama Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-panorama", diff --git a/clients/client-payment-cryptography-data/CHANGELOG.md b/clients/client-payment-cryptography-data/CHANGELOG.md index 479b6bd94c86..19c2336601e5 100644 --- a/clients/client-payment-cryptography-data/CHANGELOG.md +++ b/clients/client-payment-cryptography-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-payment-cryptography-data + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-payment-cryptography-data diff --git a/clients/client-payment-cryptography-data/package.json b/clients/client-payment-cryptography-data/package.json index 05d9c6f4b95d..b6eecfb82fa7 100644 --- a/clients/client-payment-cryptography-data/package.json +++ b/clients/client-payment-cryptography-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-payment-cryptography-data", "description": "AWS SDK for JavaScript Payment Cryptography Data Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-payment-cryptography-data", diff --git a/clients/client-payment-cryptography/CHANGELOG.md b/clients/client-payment-cryptography/CHANGELOG.md index af320d5623a8..a9094aafcdba 100644 --- a/clients/client-payment-cryptography/CHANGELOG.md +++ b/clients/client-payment-cryptography/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-payment-cryptography + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-payment-cryptography diff --git a/clients/client-payment-cryptography/package.json b/clients/client-payment-cryptography/package.json index 66e6823ebda3..eedf9edad98a 100644 --- a/clients/client-payment-cryptography/package.json +++ b/clients/client-payment-cryptography/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-payment-cryptography", "description": "AWS SDK for JavaScript Payment Cryptography Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-payment-cryptography", diff --git a/clients/client-pca-connector-ad/CHANGELOG.md b/clients/client-pca-connector-ad/CHANGELOG.md index d080f92219ab..5ae39d283122 100644 --- a/clients/client-pca-connector-ad/CHANGELOG.md +++ b/clients/client-pca-connector-ad/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pca-connector-ad + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pca-connector-ad diff --git a/clients/client-pca-connector-ad/package.json b/clients/client-pca-connector-ad/package.json index bbde74b10be9..d3098023ddfb 100644 --- a/clients/client-pca-connector-ad/package.json +++ b/clients/client-pca-connector-ad/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pca-connector-ad", "description": "AWS SDK for JavaScript Pca Connector Ad Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pca-connector-ad", diff --git a/clients/client-pca-connector-scep/CHANGELOG.md b/clients/client-pca-connector-scep/CHANGELOG.md index 226ec164c3f5..48fee617e229 100644 --- a/clients/client-pca-connector-scep/CHANGELOG.md +++ b/clients/client-pca-connector-scep/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pca-connector-scep + + + + + # [3.652.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.1...v3.652.0) (2024-09-16) **Note:** Version bump only for package @aws-sdk/client-pca-connector-scep diff --git a/clients/client-pca-connector-scep/package.json b/clients/client-pca-connector-scep/package.json index 0cf8484c995a..b22a5dd75a57 100644 --- a/clients/client-pca-connector-scep/package.json +++ b/clients/client-pca-connector-scep/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pca-connector-scep", "description": "AWS SDK for JavaScript Pca Connector Scep Client for Node.js, Browser and React Native", - "version": "3.652.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-pcs/CHANGELOG.md b/clients/client-pcs/CHANGELOG.md index 1428c12075b4..fde26b30a9d5 100644 --- a/clients/client-pcs/CHANGELOG.md +++ b/clients/client-pcs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pcs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pcs diff --git a/clients/client-pcs/package.json b/clients/client-pcs/package.json index a13e36385d7b..f5459f18a84a 100644 --- a/clients/client-pcs/package.json +++ b/clients/client-pcs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pcs", "description": "AWS SDK for JavaScript Pcs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-personalize-events/CHANGELOG.md b/clients/client-personalize-events/CHANGELOG.md index 52684942a6d5..4a066a3ef96a 100644 --- a/clients/client-personalize-events/CHANGELOG.md +++ b/clients/client-personalize-events/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-personalize-events + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-personalize-events diff --git a/clients/client-personalize-events/package.json b/clients/client-personalize-events/package.json index 80f402eb9ea8..2cea6c541285 100644 --- a/clients/client-personalize-events/package.json +++ b/clients/client-personalize-events/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-personalize-events", "description": "AWS SDK for JavaScript Personalize Events Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-personalize-events", diff --git a/clients/client-personalize-runtime/CHANGELOG.md b/clients/client-personalize-runtime/CHANGELOG.md index 04d1a4c41583..996cc97a2ef7 100644 --- a/clients/client-personalize-runtime/CHANGELOG.md +++ b/clients/client-personalize-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-personalize-runtime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-personalize-runtime diff --git a/clients/client-personalize-runtime/package.json b/clients/client-personalize-runtime/package.json index 4d6dd0cd1115..25a649877af3 100644 --- a/clients/client-personalize-runtime/package.json +++ b/clients/client-personalize-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-personalize-runtime", "description": "AWS SDK for JavaScript Personalize Runtime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-personalize-runtime", diff --git a/clients/client-personalize/CHANGELOG.md b/clients/client-personalize/CHANGELOG.md index df29b94afac0..7a3cf57612e1 100644 --- a/clients/client-personalize/CHANGELOG.md +++ b/clients/client-personalize/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-personalize + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-personalize diff --git a/clients/client-personalize/package.json b/clients/client-personalize/package.json index 4e91e0bc042f..f4132bb4bc93 100644 --- a/clients/client-personalize/package.json +++ b/clients/client-personalize/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-personalize", "description": "AWS SDK for JavaScript Personalize Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-personalize", diff --git a/clients/client-pi/CHANGELOG.md b/clients/client-pi/CHANGELOG.md index 73ef3e17cc45..1d6c8ba4ea0f 100644 --- a/clients/client-pi/CHANGELOG.md +++ b/clients/client-pi/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pi + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pi diff --git a/clients/client-pi/package.json b/clients/client-pi/package.json index 67b09bfa1120..fd4d3c4ff91d 100644 --- a/clients/client-pi/package.json +++ b/clients/client-pi/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pi", "description": "AWS SDK for JavaScript Pi Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pi", diff --git a/clients/client-pinpoint-email/CHANGELOG.md b/clients/client-pinpoint-email/CHANGELOG.md index 320d5c476814..8bbd622870bc 100644 --- a/clients/client-pinpoint-email/CHANGELOG.md +++ b/clients/client-pinpoint-email/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-email + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pinpoint-email diff --git a/clients/client-pinpoint-email/package.json b/clients/client-pinpoint-email/package.json index fbfd270922b7..aae7ad634c47 100644 --- a/clients/client-pinpoint-email/package.json +++ b/clients/client-pinpoint-email/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint-email", "description": "AWS SDK for JavaScript Pinpoint Email Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint-email", diff --git a/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md b/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md index 654f6b4ce678..441da3d704ae 100644 --- a/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md +++ b/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice-v2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice-v2 diff --git a/clients/client-pinpoint-sms-voice-v2/package.json b/clients/client-pinpoint-sms-voice-v2/package.json index eb0c6145fded..8605a8b19037 100644 --- a/clients/client-pinpoint-sms-voice-v2/package.json +++ b/clients/client-pinpoint-sms-voice-v2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint-sms-voice-v2", "description": "AWS SDK for JavaScript Pinpoint Sms Voice V2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint-sms-voice-v2", diff --git a/clients/client-pinpoint-sms-voice/CHANGELOG.md b/clients/client-pinpoint-sms-voice/CHANGELOG.md index a4ff35fc4ff7..5fb72da5c544 100644 --- a/clients/client-pinpoint-sms-voice/CHANGELOG.md +++ b/clients/client-pinpoint-sms-voice/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice diff --git a/clients/client-pinpoint-sms-voice/package.json b/clients/client-pinpoint-sms-voice/package.json index d9d39eb504fa..307c12e2c69f 100644 --- a/clients/client-pinpoint-sms-voice/package.json +++ b/clients/client-pinpoint-sms-voice/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint-sms-voice", "description": "AWS SDK for JavaScript Pinpoint Sms Voice Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint-sms-voice", diff --git a/clients/client-pinpoint/CHANGELOG.md b/clients/client-pinpoint/CHANGELOG.md index 5cb1fa4f16eb..afd986ab9d07 100644 --- a/clients/client-pinpoint/CHANGELOG.md +++ b/clients/client-pinpoint/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pinpoint diff --git a/clients/client-pinpoint/package.json b/clients/client-pinpoint/package.json index 97a3b68fd1c9..31fc4915400c 100644 --- a/clients/client-pinpoint/package.json +++ b/clients/client-pinpoint/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pinpoint", "description": "AWS SDK for JavaScript Pinpoint Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pinpoint", diff --git a/clients/client-pipes/CHANGELOG.md b/clients/client-pipes/CHANGELOG.md index 4bd8c12feea6..e8e0d448ef16 100644 --- a/clients/client-pipes/CHANGELOG.md +++ b/clients/client-pipes/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pipes + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pipes diff --git a/clients/client-pipes/package.json b/clients/client-pipes/package.json index 30abc8e338b4..adb1343b2a96 100644 --- a/clients/client-pipes/package.json +++ b/clients/client-pipes/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pipes", "description": "AWS SDK for JavaScript Pipes Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pipes", diff --git a/clients/client-polly/CHANGELOG.md b/clients/client-polly/CHANGELOG.md index 92ed5d799b32..20c96db824c9 100644 --- a/clients/client-polly/CHANGELOG.md +++ b/clients/client-polly/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-polly + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-polly diff --git a/clients/client-polly/package.json b/clients/client-polly/package.json index d05d98d85e6d..79946640c90e 100644 --- a/clients/client-polly/package.json +++ b/clients/client-polly/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-polly", "description": "AWS SDK for JavaScript Polly Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-polly", diff --git a/clients/client-pricing/CHANGELOG.md b/clients/client-pricing/CHANGELOG.md index 4bd5a5becaa6..47a26d3838df 100644 --- a/clients/client-pricing/CHANGELOG.md +++ b/clients/client-pricing/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-pricing + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-pricing diff --git a/clients/client-pricing/package.json b/clients/client-pricing/package.json index b2fdfd6d96cb..5521408e582b 100644 --- a/clients/client-pricing/package.json +++ b/clients/client-pricing/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-pricing", "description": "AWS SDK for JavaScript Pricing Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-pricing", diff --git a/clients/client-privatenetworks/CHANGELOG.md b/clients/client-privatenetworks/CHANGELOG.md index 3df26eb5a3a5..4226b19fc915 100644 --- a/clients/client-privatenetworks/CHANGELOG.md +++ b/clients/client-privatenetworks/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-privatenetworks + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-privatenetworks diff --git a/clients/client-privatenetworks/package.json b/clients/client-privatenetworks/package.json index ead91f63262e..999d5700575f 100644 --- a/clients/client-privatenetworks/package.json +++ b/clients/client-privatenetworks/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-privatenetworks", "description": "AWS SDK for JavaScript Privatenetworks Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-privatenetworks", diff --git a/clients/client-proton/CHANGELOG.md b/clients/client-proton/CHANGELOG.md index d74005718806..9e8e528a8f0a 100644 --- a/clients/client-proton/CHANGELOG.md +++ b/clients/client-proton/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-proton + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-proton diff --git a/clients/client-proton/package.json b/clients/client-proton/package.json index 7e4312731fee..0ee747772f3a 100644 --- a/clients/client-proton/package.json +++ b/clients/client-proton/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-proton", "description": "AWS SDK for JavaScript Proton Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-proton", diff --git a/clients/client-qapps/CHANGELOG.md b/clients/client-qapps/CHANGELOG.md index cc75134e0a07..6ecfbbcbe3fc 100644 --- a/clients/client-qapps/CHANGELOG.md +++ b/clients/client-qapps/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-qapps + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-qapps diff --git a/clients/client-qapps/package.json b/clients/client-qapps/package.json index 948b81be5db3..256a2a94d857 100644 --- a/clients/client-qapps/package.json +++ b/clients/client-qapps/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qapps", "description": "AWS SDK for JavaScript Qapps Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-qbusiness/CHANGELOG.md b/clients/client-qbusiness/CHANGELOG.md index 657461c5934a..99984a1ed7bb 100644 --- a/clients/client-qbusiness/CHANGELOG.md +++ b/clients/client-qbusiness/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-qbusiness + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-qbusiness diff --git a/clients/client-qbusiness/package.json b/clients/client-qbusiness/package.json index b6f1f4ee3160..c8ed977f0b72 100644 --- a/clients/client-qbusiness/package.json +++ b/clients/client-qbusiness/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qbusiness", "description": "AWS SDK for JavaScript Qbusiness Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qbusiness", diff --git a/clients/client-qconnect/CHANGELOG.md b/clients/client-qconnect/CHANGELOG.md index 15153d49ef03..90bd772da3c0 100644 --- a/clients/client-qconnect/CHANGELOG.md +++ b/clients/client-qconnect/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-qconnect + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-qconnect diff --git a/clients/client-qconnect/package.json b/clients/client-qconnect/package.json index 1958471242fd..1fa7002ed159 100644 --- a/clients/client-qconnect/package.json +++ b/clients/client-qconnect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qconnect", "description": "AWS SDK for JavaScript Qconnect Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qconnect", diff --git a/clients/client-qldb-session/CHANGELOG.md b/clients/client-qldb-session/CHANGELOG.md index db02976c4f83..60ec6709d806 100644 --- a/clients/client-qldb-session/CHANGELOG.md +++ b/clients/client-qldb-session/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-qldb-session + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-qldb-session diff --git a/clients/client-qldb-session/package.json b/clients/client-qldb-session/package.json index 45d236179d09..7534b5b76ea4 100644 --- a/clients/client-qldb-session/package.json +++ b/clients/client-qldb-session/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qldb-session", "description": "AWS SDK for JavaScript Qldb Session Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qldb-session", diff --git a/clients/client-qldb/CHANGELOG.md b/clients/client-qldb/CHANGELOG.md index c0e6eab38942..17638d5dc75c 100644 --- a/clients/client-qldb/CHANGELOG.md +++ b/clients/client-qldb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-qldb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-qldb diff --git a/clients/client-qldb/package.json b/clients/client-qldb/package.json index 806b5f421869..89d7a349fccf 100644 --- a/clients/client-qldb/package.json +++ b/clients/client-qldb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-qldb", "description": "AWS SDK for JavaScript Qldb Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-qldb", diff --git a/clients/client-quicksight/CHANGELOG.md b/clients/client-quicksight/CHANGELOG.md index f2188f38d2ed..d93a2cc21b18 100644 --- a/clients/client-quicksight/CHANGELOG.md +++ b/clients/client-quicksight/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-quicksight + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-quicksight diff --git a/clients/client-quicksight/package.json b/clients/client-quicksight/package.json index 44d50a721be3..92c85032d705 100644 --- a/clients/client-quicksight/package.json +++ b/clients/client-quicksight/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-quicksight", "description": "AWS SDK for JavaScript Quicksight Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-quicksight", diff --git a/clients/client-ram/CHANGELOG.md b/clients/client-ram/CHANGELOG.md index 8ac7a33eeaef..bd91f97be4e9 100644 --- a/clients/client-ram/CHANGELOG.md +++ b/clients/client-ram/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ram + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ram diff --git a/clients/client-ram/package.json b/clients/client-ram/package.json index bfd189e5d257..d9e801ff971a 100644 --- a/clients/client-ram/package.json +++ b/clients/client-ram/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ram", "description": "AWS SDK for JavaScript Ram Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ram", diff --git a/clients/client-rbin/CHANGELOG.md b/clients/client-rbin/CHANGELOG.md index 158f1ca0c009..d5e291951d6b 100644 --- a/clients/client-rbin/CHANGELOG.md +++ b/clients/client-rbin/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-rbin + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-rbin diff --git a/clients/client-rbin/package.json b/clients/client-rbin/package.json index 0f48cf725bda..63358fe9f8bb 100644 --- a/clients/client-rbin/package.json +++ b/clients/client-rbin/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rbin", "description": "AWS SDK for JavaScript Rbin Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rbin", diff --git a/clients/client-rds-data/CHANGELOG.md b/clients/client-rds-data/CHANGELOG.md index 94d4b1c6882e..8b2fe253c489 100644 --- a/clients/client-rds-data/CHANGELOG.md +++ b/clients/client-rds-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-rds-data + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-rds-data diff --git a/clients/client-rds-data/package.json b/clients/client-rds-data/package.json index cea98f744994..c792cbc2789d 100644 --- a/clients/client-rds-data/package.json +++ b/clients/client-rds-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rds-data", "description": "AWS SDK for JavaScript Rds Data Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rds-data", diff --git a/clients/client-rds/CHANGELOG.md b/clients/client-rds/CHANGELOG.md index a2393ace76ba..24c0ebd07ca0 100644 --- a/clients/client-rds/CHANGELOG.md +++ b/clients/client-rds/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-rds + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) **Note:** Version bump only for package @aws-sdk/client-rds diff --git a/clients/client-rds/package.json b/clients/client-rds/package.json index a6d7b03dfa05..ed8b994756a6 100644 --- a/clients/client-rds/package.json +++ b/clients/client-rds/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rds", "description": "AWS SDK for JavaScript Rds Client for Node.js, Browser and React Native", - "version": "3.653.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rds", diff --git a/clients/client-redshift-data/CHANGELOG.md b/clients/client-redshift-data/CHANGELOG.md index cd09ac22978b..c8b059391492 100644 --- a/clients/client-redshift-data/CHANGELOG.md +++ b/clients/client-redshift-data/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-redshift-data + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-redshift-data diff --git a/clients/client-redshift-data/package.json b/clients/client-redshift-data/package.json index 3519dd050b39..35a92d96bcc2 100644 --- a/clients/client-redshift-data/package.json +++ b/clients/client-redshift-data/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-redshift-data", "description": "AWS SDK for JavaScript Redshift Data Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-redshift-data", diff --git a/clients/client-redshift-serverless/CHANGELOG.md b/clients/client-redshift-serverless/CHANGELOG.md index 348196cf5936..d271b3c42875 100644 --- a/clients/client-redshift-serverless/CHANGELOG.md +++ b/clients/client-redshift-serverless/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-redshift-serverless + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-redshift-serverless diff --git a/clients/client-redshift-serverless/package.json b/clients/client-redshift-serverless/package.json index 3fd71f464da8..4b684e25ca83 100644 --- a/clients/client-redshift-serverless/package.json +++ b/clients/client-redshift-serverless/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-redshift-serverless", "description": "AWS SDK for JavaScript Redshift Serverless Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-redshift-serverless", diff --git a/clients/client-redshift/CHANGELOG.md b/clients/client-redshift/CHANGELOG.md index 8103ad281cf8..7165547c6b22 100644 --- a/clients/client-redshift/CHANGELOG.md +++ b/clients/client-redshift/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-redshift + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-redshift diff --git a/clients/client-redshift/package.json b/clients/client-redshift/package.json index 5f54244c92a2..29d6352605a5 100644 --- a/clients/client-redshift/package.json +++ b/clients/client-redshift/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-redshift", "description": "AWS SDK for JavaScript Redshift Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-redshift", diff --git a/clients/client-rekognition/CHANGELOG.md b/clients/client-rekognition/CHANGELOG.md index 6b4cc8e272f1..8407fe2b3592 100644 --- a/clients/client-rekognition/CHANGELOG.md +++ b/clients/client-rekognition/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-rekognition + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-rekognition diff --git a/clients/client-rekognition/package.json b/clients/client-rekognition/package.json index 8a3154e287ec..8b11fa621da4 100644 --- a/clients/client-rekognition/package.json +++ b/clients/client-rekognition/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rekognition", "description": "AWS SDK for JavaScript Rekognition Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rekognition", diff --git a/clients/client-rekognitionstreaming/CHANGELOG.md b/clients/client-rekognitionstreaming/CHANGELOG.md index 3677a55372fd..8c673b8d1a02 100644 --- a/clients/client-rekognitionstreaming/CHANGELOG.md +++ b/clients/client-rekognitionstreaming/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-rekognitionstreaming + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-rekognitionstreaming diff --git a/clients/client-rekognitionstreaming/package.json b/clients/client-rekognitionstreaming/package.json index edb7fb6d1cf6..bb2579c31b61 100644 --- a/clients/client-rekognitionstreaming/package.json +++ b/clients/client-rekognitionstreaming/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rekognitionstreaming", "description": "AWS SDK for JavaScript Rekognitionstreaming Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rekognitionstreaming", diff --git a/clients/client-repostspace/CHANGELOG.md b/clients/client-repostspace/CHANGELOG.md index d6a50d9ddc15..027add4a6d5a 100644 --- a/clients/client-repostspace/CHANGELOG.md +++ b/clients/client-repostspace/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-repostspace + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-repostspace diff --git a/clients/client-repostspace/package.json b/clients/client-repostspace/package.json index f2771a7fc350..d1a00993dca8 100644 --- a/clients/client-repostspace/package.json +++ b/clients/client-repostspace/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-repostspace", "description": "AWS SDK for JavaScript Repostspace Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-repostspace", diff --git a/clients/client-resiliencehub/CHANGELOG.md b/clients/client-resiliencehub/CHANGELOG.md index 1736a0256002..2acfe75549d0 100644 --- a/clients/client-resiliencehub/CHANGELOG.md +++ b/clients/client-resiliencehub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-resiliencehub + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-resiliencehub diff --git a/clients/client-resiliencehub/package.json b/clients/client-resiliencehub/package.json index dfe4aa7cc9bd..5ca630c2d27a 100644 --- a/clients/client-resiliencehub/package.json +++ b/clients/client-resiliencehub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resiliencehub", "description": "AWS SDK for JavaScript Resiliencehub Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resiliencehub", diff --git a/clients/client-resource-explorer-2/CHANGELOG.md b/clients/client-resource-explorer-2/CHANGELOG.md index 8c88cb4c983a..9c46ed32dad9 100644 --- a/clients/client-resource-explorer-2/CHANGELOG.md +++ b/clients/client-resource-explorer-2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-resource-explorer-2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-resource-explorer-2 diff --git a/clients/client-resource-explorer-2/package.json b/clients/client-resource-explorer-2/package.json index 90b05a5bc091..1a83d42602ce 100644 --- a/clients/client-resource-explorer-2/package.json +++ b/clients/client-resource-explorer-2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resource-explorer-2", "description": "AWS SDK for JavaScript Resource Explorer 2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resource-explorer-2", diff --git a/clients/client-resource-groups-tagging-api/CHANGELOG.md b/clients/client-resource-groups-tagging-api/CHANGELOG.md index 526c3a666ffb..8a18cbbd31b4 100644 --- a/clients/client-resource-groups-tagging-api/CHANGELOG.md +++ b/clients/client-resource-groups-tagging-api/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-resource-groups-tagging-api + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-resource-groups-tagging-api diff --git a/clients/client-resource-groups-tagging-api/package.json b/clients/client-resource-groups-tagging-api/package.json index 8ee2018cb9e9..9e15993203a4 100644 --- a/clients/client-resource-groups-tagging-api/package.json +++ b/clients/client-resource-groups-tagging-api/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resource-groups-tagging-api", "description": "AWS SDK for JavaScript Resource Groups Tagging Api Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resource-groups-tagging-api", diff --git a/clients/client-resource-groups/CHANGELOG.md b/clients/client-resource-groups/CHANGELOG.md index 440e41234fd7..8e260353e1a9 100644 --- a/clients/client-resource-groups/CHANGELOG.md +++ b/clients/client-resource-groups/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-resource-groups + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-resource-groups diff --git a/clients/client-resource-groups/package.json b/clients/client-resource-groups/package.json index 13f4a9f3f458..cfea008c6270 100644 --- a/clients/client-resource-groups/package.json +++ b/clients/client-resource-groups/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-resource-groups", "description": "AWS SDK for JavaScript Resource Groups Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-resource-groups", diff --git a/clients/client-robomaker/CHANGELOG.md b/clients/client-robomaker/CHANGELOG.md index 7ec9970768bb..19a96d7e1d0b 100644 --- a/clients/client-robomaker/CHANGELOG.md +++ b/clients/client-robomaker/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-robomaker + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-robomaker diff --git a/clients/client-robomaker/package.json b/clients/client-robomaker/package.json index c038975cb167..afedb7ab83a2 100644 --- a/clients/client-robomaker/package.json +++ b/clients/client-robomaker/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-robomaker", "description": "AWS SDK for JavaScript Robomaker Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-robomaker", diff --git a/clients/client-rolesanywhere/CHANGELOG.md b/clients/client-rolesanywhere/CHANGELOG.md index 689557614c4b..92200aea7c52 100644 --- a/clients/client-rolesanywhere/CHANGELOG.md +++ b/clients/client-rolesanywhere/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-rolesanywhere + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-rolesanywhere diff --git a/clients/client-rolesanywhere/package.json b/clients/client-rolesanywhere/package.json index f64ec23c2e0c..7c7e6691ce84 100644 --- a/clients/client-rolesanywhere/package.json +++ b/clients/client-rolesanywhere/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rolesanywhere", "description": "AWS SDK for JavaScript Rolesanywhere Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rolesanywhere", diff --git a/clients/client-route-53-domains/CHANGELOG.md b/clients/client-route-53-domains/CHANGELOG.md index 57f1fc7d617f..d06c25c6e7c3 100644 --- a/clients/client-route-53-domains/CHANGELOG.md +++ b/clients/client-route-53-domains/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-route-53-domains + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-route-53-domains diff --git a/clients/client-route-53-domains/package.json b/clients/client-route-53-domains/package.json index 3af7229f653c..a16714a2d404 100644 --- a/clients/client-route-53-domains/package.json +++ b/clients/client-route-53-domains/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route-53-domains", "description": "AWS SDK for JavaScript Route 53 Domains Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route-53-domains", diff --git a/clients/client-route-53/CHANGELOG.md b/clients/client-route-53/CHANGELOG.md index ca92dcf433cc..8d0bd2017dc1 100644 --- a/clients/client-route-53/CHANGELOG.md +++ b/clients/client-route-53/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-route-53 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-route-53 diff --git a/clients/client-route-53/package.json b/clients/client-route-53/package.json index 5b7a061a7eda..ec31794526ed 100644 --- a/clients/client-route-53/package.json +++ b/clients/client-route-53/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route-53", "description": "AWS SDK for JavaScript Route 53 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route-53", diff --git a/clients/client-route53-recovery-cluster/CHANGELOG.md b/clients/client-route53-recovery-cluster/CHANGELOG.md index d01ab0649201..841caf7fcb6d 100644 --- a/clients/client-route53-recovery-cluster/CHANGELOG.md +++ b/clients/client-route53-recovery-cluster/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-cluster + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-route53-recovery-cluster diff --git a/clients/client-route53-recovery-cluster/package.json b/clients/client-route53-recovery-cluster/package.json index a62dbd4652e3..5994598fbfe7 100644 --- a/clients/client-route53-recovery-cluster/package.json +++ b/clients/client-route53-recovery-cluster/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53-recovery-cluster", "description": "AWS SDK for JavaScript Route53 Recovery Cluster Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53-recovery-cluster", diff --git a/clients/client-route53-recovery-control-config/CHANGELOG.md b/clients/client-route53-recovery-control-config/CHANGELOG.md index 78bcfda8ea4e..212d856b1323 100644 --- a/clients/client-route53-recovery-control-config/CHANGELOG.md +++ b/clients/client-route53-recovery-control-config/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-control-config + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-route53-recovery-control-config diff --git a/clients/client-route53-recovery-control-config/package.json b/clients/client-route53-recovery-control-config/package.json index b45748fed73d..8d51b6ee7e4a 100644 --- a/clients/client-route53-recovery-control-config/package.json +++ b/clients/client-route53-recovery-control-config/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53-recovery-control-config", "description": "AWS SDK for JavaScript Route53 Recovery Control Config Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53-recovery-control-config", diff --git a/clients/client-route53-recovery-readiness/CHANGELOG.md b/clients/client-route53-recovery-readiness/CHANGELOG.md index 1f10782dafe2..da99af07e99f 100644 --- a/clients/client-route53-recovery-readiness/CHANGELOG.md +++ b/clients/client-route53-recovery-readiness/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-readiness + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-route53-recovery-readiness diff --git a/clients/client-route53-recovery-readiness/package.json b/clients/client-route53-recovery-readiness/package.json index 33c3b188f4fd..19cfb626dc6e 100644 --- a/clients/client-route53-recovery-readiness/package.json +++ b/clients/client-route53-recovery-readiness/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53-recovery-readiness", "description": "AWS SDK for JavaScript Route53 Recovery Readiness Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53-recovery-readiness", diff --git a/clients/client-route53profiles/CHANGELOG.md b/clients/client-route53profiles/CHANGELOG.md index e838ebb03a22..dde291ce6ff5 100644 --- a/clients/client-route53profiles/CHANGELOG.md +++ b/clients/client-route53profiles/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-route53profiles + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-route53profiles diff --git a/clients/client-route53profiles/package.json b/clients/client-route53profiles/package.json index 99528b5845d8..704d59c8c550 100644 --- a/clients/client-route53profiles/package.json +++ b/clients/client-route53profiles/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53profiles", "description": "AWS SDK for JavaScript Route53profiles Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-route53resolver/CHANGELOG.md b/clients/client-route53resolver/CHANGELOG.md index 7e8a20ff4d22..18803d9d76b7 100644 --- a/clients/client-route53resolver/CHANGELOG.md +++ b/clients/client-route53resolver/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-route53resolver + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-route53resolver diff --git a/clients/client-route53resolver/package.json b/clients/client-route53resolver/package.json index f6accd8cb7a2..b9b168ad178c 100644 --- a/clients/client-route53resolver/package.json +++ b/clients/client-route53resolver/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-route53resolver", "description": "AWS SDK for JavaScript Route53resolver Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-route53resolver", diff --git a/clients/client-rum/CHANGELOG.md b/clients/client-rum/CHANGELOG.md index 6ef18d45369f..12d27111aa30 100644 --- a/clients/client-rum/CHANGELOG.md +++ b/clients/client-rum/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-rum + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-rum diff --git a/clients/client-rum/package.json b/clients/client-rum/package.json index 56a0cfa3d53a..ca87bd0065f3 100644 --- a/clients/client-rum/package.json +++ b/clients/client-rum/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-rum", "description": "AWS SDK for JavaScript Rum Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-rum", diff --git a/clients/client-s3-control/CHANGELOG.md b/clients/client-s3-control/CHANGELOG.md index 513536f69a64..22bd4cb8a5af 100644 --- a/clients/client-s3-control/CHANGELOG.md +++ b/clients/client-s3-control/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-s3-control + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-s3-control diff --git a/clients/client-s3-control/package.json b/clients/client-s3-control/package.json index 1f974ab3430b..170f690883fd 100644 --- a/clients/client-s3-control/package.json +++ b/clients/client-s3-control/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-s3-control", "description": "AWS SDK for JavaScript S3 Control Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-s3-control", diff --git a/clients/client-s3/CHANGELOG.md b/clients/client-s3/CHANGELOG.md index a57154acbfad..3b60f933e31c 100644 --- a/clients/client-s3/CHANGELOG.md +++ b/clients/client-s3/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Features + +* **client-s3:** Added SSE-KMS support for directory buckets. ([a00b8b0](https://github.com/aws/aws-sdk-js-v3/commit/a00b8b018fd294496a1fe6350011e43cfe09927c)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-s3 diff --git a/clients/client-s3/package.json b/clients/client-s3/package.json index 5e4191ebec43..a15bec6cedfa 100644 --- a/clients/client-s3/package.json +++ b/clients/client-s3/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-s3", "description": "AWS SDK for JavaScript S3 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-s3", diff --git a/clients/client-s3outposts/CHANGELOG.md b/clients/client-s3outposts/CHANGELOG.md index 0a191265de7a..a071f34afe6d 100644 --- a/clients/client-s3outposts/CHANGELOG.md +++ b/clients/client-s3outposts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-s3outposts + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-s3outposts diff --git a/clients/client-s3outposts/package.json b/clients/client-s3outposts/package.json index 15d43e8e24be..ecb994522b3d 100644 --- a/clients/client-s3outposts/package.json +++ b/clients/client-s3outposts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-s3outposts", "description": "AWS SDK for JavaScript S3outposts Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-s3outposts", diff --git a/clients/client-sagemaker-a2i-runtime/CHANGELOG.md b/clients/client-sagemaker-a2i-runtime/CHANGELOG.md index 7b141ba78eec..2a12730c7204 100644 --- a/clients/client-sagemaker-a2i-runtime/CHANGELOG.md +++ b/clients/client-sagemaker-a2i-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-a2i-runtime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sagemaker-a2i-runtime diff --git a/clients/client-sagemaker-a2i-runtime/package.json b/clients/client-sagemaker-a2i-runtime/package.json index d683427823b9..8e53f7b5209e 100644 --- a/clients/client-sagemaker-a2i-runtime/package.json +++ b/clients/client-sagemaker-a2i-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-a2i-runtime", "description": "AWS SDK for JavaScript Sagemaker A2i Runtime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-a2i-runtime", diff --git a/clients/client-sagemaker-edge/CHANGELOG.md b/clients/client-sagemaker-edge/CHANGELOG.md index 01a96abef074..2e1b86dda92e 100644 --- a/clients/client-sagemaker-edge/CHANGELOG.md +++ b/clients/client-sagemaker-edge/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-edge + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sagemaker-edge diff --git a/clients/client-sagemaker-edge/package.json b/clients/client-sagemaker-edge/package.json index 5594113a8c79..4e7166809321 100644 --- a/clients/client-sagemaker-edge/package.json +++ b/clients/client-sagemaker-edge/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-edge", "description": "AWS SDK for JavaScript Sagemaker Edge Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-edge", diff --git a/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md b/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md index bb585a8ceb7e..98eec04f72bd 100644 --- a/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md +++ b/clients/client-sagemaker-featurestore-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-featurestore-runtime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sagemaker-featurestore-runtime diff --git a/clients/client-sagemaker-featurestore-runtime/package.json b/clients/client-sagemaker-featurestore-runtime/package.json index d2b6da35eea5..2cef87a191e4 100644 --- a/clients/client-sagemaker-featurestore-runtime/package.json +++ b/clients/client-sagemaker-featurestore-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-featurestore-runtime", "description": "AWS SDK for JavaScript Sagemaker Featurestore Runtime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-featurestore-runtime", diff --git a/clients/client-sagemaker-geospatial/CHANGELOG.md b/clients/client-sagemaker-geospatial/CHANGELOG.md index 13cb07ffd776..7c2b559e033b 100644 --- a/clients/client-sagemaker-geospatial/CHANGELOG.md +++ b/clients/client-sagemaker-geospatial/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-geospatial + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sagemaker-geospatial diff --git a/clients/client-sagemaker-geospatial/package.json b/clients/client-sagemaker-geospatial/package.json index 669b77e0810b..3f4411c13ba5 100644 --- a/clients/client-sagemaker-geospatial/package.json +++ b/clients/client-sagemaker-geospatial/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-geospatial", "description": "AWS SDK for JavaScript Sagemaker Geospatial Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-geospatial", diff --git a/clients/client-sagemaker-metrics/CHANGELOG.md b/clients/client-sagemaker-metrics/CHANGELOG.md index 66b720357bcb..42446266e8ff 100644 --- a/clients/client-sagemaker-metrics/CHANGELOG.md +++ b/clients/client-sagemaker-metrics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-metrics + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sagemaker-metrics diff --git a/clients/client-sagemaker-metrics/package.json b/clients/client-sagemaker-metrics/package.json index 76cbd0cedebb..e792b6f1aa87 100644 --- a/clients/client-sagemaker-metrics/package.json +++ b/clients/client-sagemaker-metrics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-metrics", "description": "AWS SDK for JavaScript Sagemaker Metrics Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-metrics", diff --git a/clients/client-sagemaker-runtime/CHANGELOG.md b/clients/client-sagemaker-runtime/CHANGELOG.md index 4e5a5d0ce232..75da3431adba 100644 --- a/clients/client-sagemaker-runtime/CHANGELOG.md +++ b/clients/client-sagemaker-runtime/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-runtime + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sagemaker-runtime diff --git a/clients/client-sagemaker-runtime/package.json b/clients/client-sagemaker-runtime/package.json index f45994f55e81..cc1c2ea846e4 100644 --- a/clients/client-sagemaker-runtime/package.json +++ b/clients/client-sagemaker-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker-runtime", "description": "AWS SDK for JavaScript Sagemaker Runtime Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker-runtime", diff --git a/clients/client-sagemaker/CHANGELOG.md b/clients/client-sagemaker/CHANGELOG.md index 56f130cc18a4..0677e5723059 100644 --- a/clients/client-sagemaker/CHANGELOG.md +++ b/clients/client-sagemaker/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sagemaker diff --git a/clients/client-sagemaker/package.json b/clients/client-sagemaker/package.json index 06a85e082e96..cb5159d6c16a 100644 --- a/clients/client-sagemaker/package.json +++ b/clients/client-sagemaker/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker", "description": "AWS SDK for JavaScript Sagemaker Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker", diff --git a/clients/client-savingsplans/CHANGELOG.md b/clients/client-savingsplans/CHANGELOG.md index 4edb657db94e..8a27d330183e 100644 --- a/clients/client-savingsplans/CHANGELOG.md +++ b/clients/client-savingsplans/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-savingsplans + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-savingsplans diff --git a/clients/client-savingsplans/package.json b/clients/client-savingsplans/package.json index a481ed3df966..ac8dcd3d6dd3 100644 --- a/clients/client-savingsplans/package.json +++ b/clients/client-savingsplans/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-savingsplans", "description": "AWS SDK for JavaScript Savingsplans Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-savingsplans", diff --git a/clients/client-scheduler/CHANGELOG.md b/clients/client-scheduler/CHANGELOG.md index b91d4246a6d6..25825dc38826 100644 --- a/clients/client-scheduler/CHANGELOG.md +++ b/clients/client-scheduler/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-scheduler + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-scheduler diff --git a/clients/client-scheduler/package.json b/clients/client-scheduler/package.json index 854f99b81cc7..7b57a8583e4c 100644 --- a/clients/client-scheduler/package.json +++ b/clients/client-scheduler/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-scheduler", "description": "AWS SDK for JavaScript Scheduler Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-scheduler", diff --git a/clients/client-schemas/CHANGELOG.md b/clients/client-schemas/CHANGELOG.md index bc6a46cb5e20..deca2d222a45 100644 --- a/clients/client-schemas/CHANGELOG.md +++ b/clients/client-schemas/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-schemas + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-schemas diff --git a/clients/client-schemas/package.json b/clients/client-schemas/package.json index 49cdc333d1d3..a5378ff849c9 100644 --- a/clients/client-schemas/package.json +++ b/clients/client-schemas/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-schemas", "description": "AWS SDK for JavaScript Schemas Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-schemas", diff --git a/clients/client-secrets-manager/CHANGELOG.md b/clients/client-secrets-manager/CHANGELOG.md index 30049d17cf25..a9186165776f 100644 --- a/clients/client-secrets-manager/CHANGELOG.md +++ b/clients/client-secrets-manager/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-secrets-manager + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-secrets-manager diff --git a/clients/client-secrets-manager/package.json b/clients/client-secrets-manager/package.json index 1025b84ef142..ba7462b9e7d6 100644 --- a/clients/client-secrets-manager/package.json +++ b/clients/client-secrets-manager/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-secrets-manager", "description": "AWS SDK for JavaScript Secrets Manager Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-secrets-manager", diff --git a/clients/client-securityhub/CHANGELOG.md b/clients/client-securityhub/CHANGELOG.md index 8da578eadac8..3a175796c300 100644 --- a/clients/client-securityhub/CHANGELOG.md +++ b/clients/client-securityhub/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-securityhub + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-securityhub diff --git a/clients/client-securityhub/package.json b/clients/client-securityhub/package.json index 0f3d5ff4584a..d5deb66de480 100644 --- a/clients/client-securityhub/package.json +++ b/clients/client-securityhub/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-securityhub", "description": "AWS SDK for JavaScript Securityhub Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-securityhub", diff --git a/clients/client-securitylake/CHANGELOG.md b/clients/client-securitylake/CHANGELOG.md index e94847d59f30..17e63b61a411 100644 --- a/clients/client-securitylake/CHANGELOG.md +++ b/clients/client-securitylake/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-securitylake + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-securitylake diff --git a/clients/client-securitylake/package.json b/clients/client-securitylake/package.json index bfd35a4ef1c9..eab4631d3b14 100644 --- a/clients/client-securitylake/package.json +++ b/clients/client-securitylake/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-securitylake", "description": "AWS SDK for JavaScript Securitylake Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-securitylake", diff --git a/clients/client-serverlessapplicationrepository/CHANGELOG.md b/clients/client-serverlessapplicationrepository/CHANGELOG.md index 0c6585288257..a78698c215ff 100644 --- a/clients/client-serverlessapplicationrepository/CHANGELOG.md +++ b/clients/client-serverlessapplicationrepository/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-serverlessapplicationrepository + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-serverlessapplicationrepository diff --git a/clients/client-serverlessapplicationrepository/package.json b/clients/client-serverlessapplicationrepository/package.json index 5b1693979c8d..64571382d6cf 100644 --- a/clients/client-serverlessapplicationrepository/package.json +++ b/clients/client-serverlessapplicationrepository/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-serverlessapplicationrepository", "description": "AWS SDK for JavaScript Serverlessapplicationrepository Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-serverlessapplicationrepository", diff --git a/clients/client-service-catalog-appregistry/CHANGELOG.md b/clients/client-service-catalog-appregistry/CHANGELOG.md index b5acb51c616f..dcf5af98edf7 100644 --- a/clients/client-service-catalog-appregistry/CHANGELOG.md +++ b/clients/client-service-catalog-appregistry/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-service-catalog-appregistry + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-service-catalog-appregistry diff --git a/clients/client-service-catalog-appregistry/package.json b/clients/client-service-catalog-appregistry/package.json index af6ab6f86e2f..b22fdf2f4ab6 100644 --- a/clients/client-service-catalog-appregistry/package.json +++ b/clients/client-service-catalog-appregistry/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-service-catalog-appregistry", "description": "AWS SDK for JavaScript Service Catalog Appregistry Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-service-catalog-appregistry", diff --git a/clients/client-service-catalog/CHANGELOG.md b/clients/client-service-catalog/CHANGELOG.md index d4bbc8f521e5..e8ccd954351f 100644 --- a/clients/client-service-catalog/CHANGELOG.md +++ b/clients/client-service-catalog/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-service-catalog + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-service-catalog diff --git a/clients/client-service-catalog/package.json b/clients/client-service-catalog/package.json index b4f234cb95d8..6e6f25f41a89 100644 --- a/clients/client-service-catalog/package.json +++ b/clients/client-service-catalog/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-service-catalog", "description": "AWS SDK for JavaScript Service Catalog Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-service-catalog", diff --git a/clients/client-service-quotas/CHANGELOG.md b/clients/client-service-quotas/CHANGELOG.md index 111611ead4e2..32a391e3d1dc 100644 --- a/clients/client-service-quotas/CHANGELOG.md +++ b/clients/client-service-quotas/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-service-quotas + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-service-quotas diff --git a/clients/client-service-quotas/package.json b/clients/client-service-quotas/package.json index 9b6dc366b4c5..1067e2523f04 100644 --- a/clients/client-service-quotas/package.json +++ b/clients/client-service-quotas/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-service-quotas", "description": "AWS SDK for JavaScript Service Quotas Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-service-quotas", diff --git a/clients/client-servicediscovery/CHANGELOG.md b/clients/client-servicediscovery/CHANGELOG.md index ab4a5f29453a..659d4e50e758 100644 --- a/clients/client-servicediscovery/CHANGELOG.md +++ b/clients/client-servicediscovery/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-servicediscovery + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-servicediscovery diff --git a/clients/client-servicediscovery/package.json b/clients/client-servicediscovery/package.json index f5b21bb4a0de..6cc78440058b 100644 --- a/clients/client-servicediscovery/package.json +++ b/clients/client-servicediscovery/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-servicediscovery", "description": "AWS SDK for JavaScript Servicediscovery Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-servicediscovery", diff --git a/clients/client-ses/CHANGELOG.md b/clients/client-ses/CHANGELOG.md index fe4b3a697e1b..1568c67e9723 100644 --- a/clients/client-ses/CHANGELOG.md +++ b/clients/client-ses/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ses + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ses diff --git a/clients/client-ses/package.json b/clients/client-ses/package.json index 901a0d5a7822..576182ad40f7 100644 --- a/clients/client-ses/package.json +++ b/clients/client-ses/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ses", "description": "AWS SDK for JavaScript Ses Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ses", diff --git a/clients/client-sesv2/CHANGELOG.md b/clients/client-sesv2/CHANGELOG.md index 1b62ed616a68..48b00a1b27e9 100644 --- a/clients/client-sesv2/CHANGELOG.md +++ b/clients/client-sesv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sesv2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sesv2 diff --git a/clients/client-sesv2/package.json b/clients/client-sesv2/package.json index 973883e1ee8c..06be28def95e 100644 --- a/clients/client-sesv2/package.json +++ b/clients/client-sesv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sesv2", "description": "AWS SDK for JavaScript Sesv2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sesv2", diff --git a/clients/client-sfn/CHANGELOG.md b/clients/client-sfn/CHANGELOG.md index 7e749af77998..ef6f626faafe 100644 --- a/clients/client-sfn/CHANGELOG.md +++ b/clients/client-sfn/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sfn + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sfn diff --git a/clients/client-sfn/package.json b/clients/client-sfn/package.json index 4350f2b803db..d412940f92e2 100644 --- a/clients/client-sfn/package.json +++ b/clients/client-sfn/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sfn", "description": "AWS SDK for JavaScript Sfn Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sfn", diff --git a/clients/client-shield/CHANGELOG.md b/clients/client-shield/CHANGELOG.md index d07d72539066..82e4137c32a0 100644 --- a/clients/client-shield/CHANGELOG.md +++ b/clients/client-shield/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-shield + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-shield diff --git a/clients/client-shield/package.json b/clients/client-shield/package.json index 9c67e0295b77..c85e7b8b872e 100644 --- a/clients/client-shield/package.json +++ b/clients/client-shield/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-shield", "description": "AWS SDK for JavaScript Shield Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-shield", diff --git a/clients/client-signer/CHANGELOG.md b/clients/client-signer/CHANGELOG.md index 1f7751467199..7894a9dcf1b2 100644 --- a/clients/client-signer/CHANGELOG.md +++ b/clients/client-signer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-signer + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-signer diff --git a/clients/client-signer/package.json b/clients/client-signer/package.json index c45a230bdeb5..08910ff0f79f 100644 --- a/clients/client-signer/package.json +++ b/clients/client-signer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-signer", "description": "AWS SDK for JavaScript Signer Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-signer", diff --git a/clients/client-simspaceweaver/CHANGELOG.md b/clients/client-simspaceweaver/CHANGELOG.md index 8457c0058f71..a4510356db94 100644 --- a/clients/client-simspaceweaver/CHANGELOG.md +++ b/clients/client-simspaceweaver/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-simspaceweaver + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-simspaceweaver diff --git a/clients/client-simspaceweaver/package.json b/clients/client-simspaceweaver/package.json index 6184617d91db..c1114b07484c 100644 --- a/clients/client-simspaceweaver/package.json +++ b/clients/client-simspaceweaver/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-simspaceweaver", "description": "AWS SDK for JavaScript Simspaceweaver Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-simspaceweaver", diff --git a/clients/client-sms/CHANGELOG.md b/clients/client-sms/CHANGELOG.md index 3799000591f2..5adbf319b80f 100644 --- a/clients/client-sms/CHANGELOG.md +++ b/clients/client-sms/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sms + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sms diff --git a/clients/client-sms/package.json b/clients/client-sms/package.json index 0c863fe37073..faa7fb66460f 100644 --- a/clients/client-sms/package.json +++ b/clients/client-sms/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sms", "description": "AWS SDK for JavaScript Sms Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sms", diff --git a/clients/client-snow-device-management/CHANGELOG.md b/clients/client-snow-device-management/CHANGELOG.md index 071c2d7818f0..09efb3ec4e17 100644 --- a/clients/client-snow-device-management/CHANGELOG.md +++ b/clients/client-snow-device-management/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-snow-device-management + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-snow-device-management diff --git a/clients/client-snow-device-management/package.json b/clients/client-snow-device-management/package.json index a7007b2544c6..6f583c03d807 100644 --- a/clients/client-snow-device-management/package.json +++ b/clients/client-snow-device-management/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-snow-device-management", "description": "AWS SDK for JavaScript Snow Device Management Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-snow-device-management", diff --git a/clients/client-snowball/CHANGELOG.md b/clients/client-snowball/CHANGELOG.md index 78c6e824ddd3..18622823a736 100644 --- a/clients/client-snowball/CHANGELOG.md +++ b/clients/client-snowball/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-snowball + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-snowball diff --git a/clients/client-snowball/package.json b/clients/client-snowball/package.json index 3c8f3728e5e5..0c6ab08052ea 100644 --- a/clients/client-snowball/package.json +++ b/clients/client-snowball/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-snowball", "description": "AWS SDK for JavaScript Snowball Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-snowball", diff --git a/clients/client-sns/CHANGELOG.md b/clients/client-sns/CHANGELOG.md index 4fd01ad3ba0c..00e5344c1ab8 100644 --- a/clients/client-sns/CHANGELOG.md +++ b/clients/client-sns/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sns + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sns diff --git a/clients/client-sns/package.json b/clients/client-sns/package.json index cfe5dcb6f272..1aa0e6f727b1 100644 --- a/clients/client-sns/package.json +++ b/clients/client-sns/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sns", "description": "AWS SDK for JavaScript Sns Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sns", diff --git a/clients/client-sqs/CHANGELOG.md b/clients/client-sqs/CHANGELOG.md index f0c4736675d7..8c23559e0169 100644 --- a/clients/client-sqs/CHANGELOG.md +++ b/clients/client-sqs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sqs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sqs diff --git a/clients/client-sqs/package.json b/clients/client-sqs/package.json index 5d5834adc104..3e6567c6d243 100644 --- a/clients/client-sqs/package.json +++ b/clients/client-sqs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sqs", "description": "AWS SDK for JavaScript Sqs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sqs", diff --git a/clients/client-ssm-contacts/CHANGELOG.md b/clients/client-ssm-contacts/CHANGELOG.md index 4b4f7cbc2949..bacd8174467d 100644 --- a/clients/client-ssm-contacts/CHANGELOG.md +++ b/clients/client-ssm-contacts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ssm-contacts + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ssm-contacts diff --git a/clients/client-ssm-contacts/package.json b/clients/client-ssm-contacts/package.json index 032964134449..e3d9eac3e674 100644 --- a/clients/client-ssm-contacts/package.json +++ b/clients/client-ssm-contacts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-contacts", "description": "AWS SDK for JavaScript Ssm Contacts Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm-contacts", diff --git a/clients/client-ssm-incidents/CHANGELOG.md b/clients/client-ssm-incidents/CHANGELOG.md index 8cdde553739e..9d1159da6aa6 100644 --- a/clients/client-ssm-incidents/CHANGELOG.md +++ b/clients/client-ssm-incidents/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ssm-incidents + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ssm-incidents diff --git a/clients/client-ssm-incidents/package.json b/clients/client-ssm-incidents/package.json index 68bf7e792d0e..5fde93837d68 100644 --- a/clients/client-ssm-incidents/package.json +++ b/clients/client-ssm-incidents/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-incidents", "description": "AWS SDK for JavaScript Ssm Incidents Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm-incidents", diff --git a/clients/client-ssm-quicksetup/CHANGELOG.md b/clients/client-ssm-quicksetup/CHANGELOG.md index 05f032cb9ab2..dca4dbc284ce 100644 --- a/clients/client-ssm-quicksetup/CHANGELOG.md +++ b/clients/client-ssm-quicksetup/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ssm-quicksetup + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ssm-quicksetup diff --git a/clients/client-ssm-quicksetup/package.json b/clients/client-ssm-quicksetup/package.json index 8f2c6b6ba194..3f294cf21b2f 100644 --- a/clients/client-ssm-quicksetup/package.json +++ b/clients/client-ssm-quicksetup/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-quicksetup", "description": "AWS SDK for JavaScript Ssm Quicksetup Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-ssm-sap/CHANGELOG.md b/clients/client-ssm-sap/CHANGELOG.md index 553f96f367fc..d508ab63e866 100644 --- a/clients/client-ssm-sap/CHANGELOG.md +++ b/clients/client-ssm-sap/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ssm-sap + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-ssm-sap diff --git a/clients/client-ssm-sap/package.json b/clients/client-ssm-sap/package.json index c5f959704f2b..bde061d7d133 100644 --- a/clients/client-ssm-sap/package.json +++ b/clients/client-ssm-sap/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-sap", "description": "AWS SDK for JavaScript Ssm Sap Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm-sap", diff --git a/clients/client-ssm/CHANGELOG.md b/clients/client-ssm/CHANGELOG.md index 714f506458c8..0d884f511c36 100644 --- a/clients/client-ssm/CHANGELOG.md +++ b/clients/client-ssm/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-ssm + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) diff --git a/clients/client-ssm/package.json b/clients/client-ssm/package.json index 637c77bbd5e1..c823d4d768f8 100644 --- a/clients/client-ssm/package.json +++ b/clients/client-ssm/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm", "description": "AWS SDK for JavaScript Ssm Client for Node.js, Browser and React Native", - "version": "3.653.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-ssm", diff --git a/clients/client-sso-admin/CHANGELOG.md b/clients/client-sso-admin/CHANGELOG.md index da0130e808d1..de119c80e4cd 100644 --- a/clients/client-sso-admin/CHANGELOG.md +++ b/clients/client-sso-admin/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sso-admin + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sso-admin diff --git a/clients/client-sso-admin/package.json b/clients/client-sso-admin/package.json index b3801cd5a8b4..f74fc785c8cd 100644 --- a/clients/client-sso-admin/package.json +++ b/clients/client-sso-admin/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sso-admin", "description": "AWS SDK for JavaScript Sso Admin Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sso-admin", diff --git a/clients/client-sso-oidc/CHANGELOG.md b/clients/client-sso-oidc/CHANGELOG.md index 35c4057e4510..2e47ded2e9b8 100644 --- a/clients/client-sso-oidc/CHANGELOG.md +++ b/clients/client-sso-oidc/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sso-oidc + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sso-oidc diff --git a/clients/client-sso-oidc/package.json b/clients/client-sso-oidc/package.json index fab59e64b663..684dfcfe4ac8 100644 --- a/clients/client-sso-oidc/package.json +++ b/clients/client-sso-oidc/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sso-oidc", "description": "AWS SDK for JavaScript Sso Oidc Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sso-oidc", diff --git a/clients/client-sso/CHANGELOG.md b/clients/client-sso/CHANGELOG.md index 384dd52da424..f4f04941a836 100644 --- a/clients/client-sso/CHANGELOG.md +++ b/clients/client-sso/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sso + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sso diff --git a/clients/client-sso/package.json b/clients/client-sso/package.json index c38713729aaf..a597fdfcdca4 100644 --- a/clients/client-sso/package.json +++ b/clients/client-sso/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sso", "description": "AWS SDK for JavaScript Sso Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sso", diff --git a/clients/client-storage-gateway/CHANGELOG.md b/clients/client-storage-gateway/CHANGELOG.md index 50d9cb87bd18..4befd2de898f 100644 --- a/clients/client-storage-gateway/CHANGELOG.md +++ b/clients/client-storage-gateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-storage-gateway + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-storage-gateway diff --git a/clients/client-storage-gateway/package.json b/clients/client-storage-gateway/package.json index b0d1b410e1bf..e62dc47dbcd8 100644 --- a/clients/client-storage-gateway/package.json +++ b/clients/client-storage-gateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-storage-gateway", "description": "AWS SDK for JavaScript Storage Gateway Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-storage-gateway", diff --git a/clients/client-sts/CHANGELOG.md b/clients/client-sts/CHANGELOG.md index a3593aafb710..ab5a14bbcb8b 100644 --- a/clients/client-sts/CHANGELOG.md +++ b/clients/client-sts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-sts + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-sts diff --git a/clients/client-sts/package.json b/clients/client-sts/package.json index 862c837091d7..46d5649e4ba4 100644 --- a/clients/client-sts/package.json +++ b/clients/client-sts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sts", "description": "AWS SDK for JavaScript Sts Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sts", diff --git a/clients/client-supplychain/CHANGELOG.md b/clients/client-supplychain/CHANGELOG.md index 81c55b2d3ed8..8c62c35d0450 100644 --- a/clients/client-supplychain/CHANGELOG.md +++ b/clients/client-supplychain/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-supplychain + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-supplychain diff --git a/clients/client-supplychain/package.json b/clients/client-supplychain/package.json index 05c561c12766..66eca9d19ee5 100644 --- a/clients/client-supplychain/package.json +++ b/clients/client-supplychain/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-supplychain", "description": "AWS SDK for JavaScript Supplychain Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-supplychain", diff --git a/clients/client-support-app/CHANGELOG.md b/clients/client-support-app/CHANGELOG.md index 28c7d42bd1d5..f04b5c3fa6c6 100644 --- a/clients/client-support-app/CHANGELOG.md +++ b/clients/client-support-app/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-support-app + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-support-app diff --git a/clients/client-support-app/package.json b/clients/client-support-app/package.json index 65595859dfd8..be0bd60e5938 100644 --- a/clients/client-support-app/package.json +++ b/clients/client-support-app/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-support-app", "description": "AWS SDK for JavaScript Support App Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-support-app", diff --git a/clients/client-support/CHANGELOG.md b/clients/client-support/CHANGELOG.md index b2999b3d7f6a..dff381221b93 100644 --- a/clients/client-support/CHANGELOG.md +++ b/clients/client-support/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-support + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-support diff --git a/clients/client-support/package.json b/clients/client-support/package.json index 1c3d4da409df..caea834d7951 100644 --- a/clients/client-support/package.json +++ b/clients/client-support/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-support", "description": "AWS SDK for JavaScript Support Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-support", diff --git a/clients/client-swf/CHANGELOG.md b/clients/client-swf/CHANGELOG.md index cf67e0b3acc2..67035d7ef9c4 100644 --- a/clients/client-swf/CHANGELOG.md +++ b/clients/client-swf/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-swf + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-swf diff --git a/clients/client-swf/package.json b/clients/client-swf/package.json index 3c49a6587290..9445d35299bb 100644 --- a/clients/client-swf/package.json +++ b/clients/client-swf/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-swf", "description": "AWS SDK for JavaScript Swf Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-swf", diff --git a/clients/client-synthetics/CHANGELOG.md b/clients/client-synthetics/CHANGELOG.md index 4c6f5032a5e1..ede357ec6b7f 100644 --- a/clients/client-synthetics/CHANGELOG.md +++ b/clients/client-synthetics/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-synthetics + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-synthetics diff --git a/clients/client-synthetics/package.json b/clients/client-synthetics/package.json index 70ecf2b00c54..e3f951ff967c 100644 --- a/clients/client-synthetics/package.json +++ b/clients/client-synthetics/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-synthetics", "description": "AWS SDK for JavaScript Synthetics Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-synthetics", diff --git a/clients/client-taxsettings/CHANGELOG.md b/clients/client-taxsettings/CHANGELOG.md index 35bf28fb2f5e..e02628d51734 100644 --- a/clients/client-taxsettings/CHANGELOG.md +++ b/clients/client-taxsettings/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-taxsettings + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-taxsettings diff --git a/clients/client-taxsettings/package.json b/clients/client-taxsettings/package.json index cef9ef85e83b..588a2519ddd3 100644 --- a/clients/client-taxsettings/package.json +++ b/clients/client-taxsettings/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-taxsettings", "description": "AWS SDK for JavaScript Taxsettings Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-textract/CHANGELOG.md b/clients/client-textract/CHANGELOG.md index 760bc4f13b8b..4840c09f938e 100644 --- a/clients/client-textract/CHANGELOG.md +++ b/clients/client-textract/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-textract + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-textract diff --git a/clients/client-textract/package.json b/clients/client-textract/package.json index 0480f8a7e409..c9cde39aef12 100644 --- a/clients/client-textract/package.json +++ b/clients/client-textract/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-textract", "description": "AWS SDK for JavaScript Textract Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-textract", diff --git a/clients/client-timestream-influxdb/CHANGELOG.md b/clients/client-timestream-influxdb/CHANGELOG.md index c17b10bc6524..89f3bd30cb70 100644 --- a/clients/client-timestream-influxdb/CHANGELOG.md +++ b/clients/client-timestream-influxdb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-timestream-influxdb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-timestream-influxdb diff --git a/clients/client-timestream-influxdb/package.json b/clients/client-timestream-influxdb/package.json index 9f21214ed461..c5a80fa2ceca 100644 --- a/clients/client-timestream-influxdb/package.json +++ b/clients/client-timestream-influxdb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-timestream-influxdb", "description": "AWS SDK for JavaScript Timestream Influxdb Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-timestream-query/CHANGELOG.md b/clients/client-timestream-query/CHANGELOG.md index ae6884c60d0d..adb441b9e787 100644 --- a/clients/client-timestream-query/CHANGELOG.md +++ b/clients/client-timestream-query/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-timestream-query + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-timestream-query diff --git a/clients/client-timestream-query/package.json b/clients/client-timestream-query/package.json index a6df40a81fa5..ba38cd28d6a5 100644 --- a/clients/client-timestream-query/package.json +++ b/clients/client-timestream-query/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-timestream-query", "description": "AWS SDK for JavaScript Timestream Query Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-timestream-query", diff --git a/clients/client-timestream-write/CHANGELOG.md b/clients/client-timestream-write/CHANGELOG.md index 1ab796b52a97..ece90790c7fb 100644 --- a/clients/client-timestream-write/CHANGELOG.md +++ b/clients/client-timestream-write/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-timestream-write + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-timestream-write diff --git a/clients/client-timestream-write/package.json b/clients/client-timestream-write/package.json index e6279903819d..5fb7b02122c2 100644 --- a/clients/client-timestream-write/package.json +++ b/clients/client-timestream-write/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-timestream-write", "description": "AWS SDK for JavaScript Timestream Write Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-timestream-write", diff --git a/clients/client-tnb/CHANGELOG.md b/clients/client-tnb/CHANGELOG.md index 98e44e0efeeb..c6abd71fe438 100644 --- a/clients/client-tnb/CHANGELOG.md +++ b/clients/client-tnb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-tnb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-tnb diff --git a/clients/client-tnb/package.json b/clients/client-tnb/package.json index dae11b107fa2..86bcd8f6286c 100644 --- a/clients/client-tnb/package.json +++ b/clients/client-tnb/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-tnb", "description": "AWS SDK for JavaScript Tnb Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-tnb", diff --git a/clients/client-transcribe-streaming/CHANGELOG.md b/clients/client-transcribe-streaming/CHANGELOG.md index 03c8728bb2a4..4ab9eab440b0 100644 --- a/clients/client-transcribe-streaming/CHANGELOG.md +++ b/clients/client-transcribe-streaming/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-transcribe-streaming + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-transcribe-streaming diff --git a/clients/client-transcribe-streaming/package.json b/clients/client-transcribe-streaming/package.json index 8187337d6155..2b011cbdad89 100644 --- a/clients/client-transcribe-streaming/package.json +++ b/clients/client-transcribe-streaming/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-transcribe-streaming", "description": "AWS SDK for JavaScript Transcribe Streaming Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-transcribe-streaming", diff --git a/clients/client-transcribe/CHANGELOG.md b/clients/client-transcribe/CHANGELOG.md index 10cd345b4d57..a47ac211c3be 100644 --- a/clients/client-transcribe/CHANGELOG.md +++ b/clients/client-transcribe/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-transcribe + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-transcribe diff --git a/clients/client-transcribe/package.json b/clients/client-transcribe/package.json index bbbc42efcd07..0f072367bcb4 100644 --- a/clients/client-transcribe/package.json +++ b/clients/client-transcribe/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-transcribe", "description": "AWS SDK for JavaScript Transcribe Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-transcribe", diff --git a/clients/client-transfer/CHANGELOG.md b/clients/client-transfer/CHANGELOG.md index d99d31f8f595..d73134b27085 100644 --- a/clients/client-transfer/CHANGELOG.md +++ b/clients/client-transfer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-transfer + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-transfer diff --git a/clients/client-transfer/package.json b/clients/client-transfer/package.json index 8147aa1515a1..cfc054fba242 100644 --- a/clients/client-transfer/package.json +++ b/clients/client-transfer/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-transfer", "description": "AWS SDK for JavaScript Transfer Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-transfer", diff --git a/clients/client-translate/CHANGELOG.md b/clients/client-translate/CHANGELOG.md index b18b1dd14f21..3a6d76735e88 100644 --- a/clients/client-translate/CHANGELOG.md +++ b/clients/client-translate/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-translate + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-translate diff --git a/clients/client-translate/package.json b/clients/client-translate/package.json index d68f2ffc0e11..a2f28f79f37a 100644 --- a/clients/client-translate/package.json +++ b/clients/client-translate/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-translate", "description": "AWS SDK for JavaScript Translate Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-translate", diff --git a/clients/client-trustedadvisor/CHANGELOG.md b/clients/client-trustedadvisor/CHANGELOG.md index 5d4e51141a70..a0d9ead675d0 100644 --- a/clients/client-trustedadvisor/CHANGELOG.md +++ b/clients/client-trustedadvisor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-trustedadvisor + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-trustedadvisor diff --git a/clients/client-trustedadvisor/package.json b/clients/client-trustedadvisor/package.json index a52fe1839343..79a14b532a30 100644 --- a/clients/client-trustedadvisor/package.json +++ b/clients/client-trustedadvisor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-trustedadvisor", "description": "AWS SDK for JavaScript Trustedadvisor Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-trustedadvisor", diff --git a/clients/client-verifiedpermissions/CHANGELOG.md b/clients/client-verifiedpermissions/CHANGELOG.md index 7d48f90aa619..de27b84dae4e 100644 --- a/clients/client-verifiedpermissions/CHANGELOG.md +++ b/clients/client-verifiedpermissions/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-verifiedpermissions + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-verifiedpermissions diff --git a/clients/client-verifiedpermissions/package.json b/clients/client-verifiedpermissions/package.json index 7f8149e30f4c..9462ac7aee77 100644 --- a/clients/client-verifiedpermissions/package.json +++ b/clients/client-verifiedpermissions/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-verifiedpermissions", "description": "AWS SDK for JavaScript Verifiedpermissions Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-verifiedpermissions", diff --git a/clients/client-voice-id/CHANGELOG.md b/clients/client-voice-id/CHANGELOG.md index c4576062a5c4..5b75095034b8 100644 --- a/clients/client-voice-id/CHANGELOG.md +++ b/clients/client-voice-id/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-voice-id + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-voice-id diff --git a/clients/client-voice-id/package.json b/clients/client-voice-id/package.json index 5b0190489e28..c887524a3c72 100644 --- a/clients/client-voice-id/package.json +++ b/clients/client-voice-id/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-voice-id", "description": "AWS SDK for JavaScript Voice Id Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-voice-id", diff --git a/clients/client-vpc-lattice/CHANGELOG.md b/clients/client-vpc-lattice/CHANGELOG.md index 9d54a461331c..9e6646081d36 100644 --- a/clients/client-vpc-lattice/CHANGELOG.md +++ b/clients/client-vpc-lattice/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-vpc-lattice + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-vpc-lattice diff --git a/clients/client-vpc-lattice/package.json b/clients/client-vpc-lattice/package.json index d555f9dd37c0..565860316035 100644 --- a/clients/client-vpc-lattice/package.json +++ b/clients/client-vpc-lattice/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-vpc-lattice", "description": "AWS SDK for JavaScript Vpc Lattice Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-vpc-lattice", diff --git a/clients/client-waf-regional/CHANGELOG.md b/clients/client-waf-regional/CHANGELOG.md index 563c84503822..0c2bccd84d85 100644 --- a/clients/client-waf-regional/CHANGELOG.md +++ b/clients/client-waf-regional/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-waf-regional + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-waf-regional diff --git a/clients/client-waf-regional/package.json b/clients/client-waf-regional/package.json index 316d427ff1bf..0ebbe1ee31cf 100644 --- a/clients/client-waf-regional/package.json +++ b/clients/client-waf-regional/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-waf-regional", "description": "AWS SDK for JavaScript Waf Regional Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-waf-regional", diff --git a/clients/client-waf/CHANGELOG.md b/clients/client-waf/CHANGELOG.md index 05114c0c83e5..9de537315e88 100644 --- a/clients/client-waf/CHANGELOG.md +++ b/clients/client-waf/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-waf + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-waf diff --git a/clients/client-waf/package.json b/clients/client-waf/package.json index e7f79f09aa86..6f59d43456e8 100644 --- a/clients/client-waf/package.json +++ b/clients/client-waf/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-waf", "description": "AWS SDK for JavaScript Waf Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-waf", diff --git a/clients/client-wafv2/CHANGELOG.md b/clients/client-wafv2/CHANGELOG.md index 0e1879ca63c4..0c3956a65392 100644 --- a/clients/client-wafv2/CHANGELOG.md +++ b/clients/client-wafv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-wafv2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-wafv2 diff --git a/clients/client-wafv2/package.json b/clients/client-wafv2/package.json index 80134d5640fb..0300ca533d9b 100644 --- a/clients/client-wafv2/package.json +++ b/clients/client-wafv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-wafv2", "description": "AWS SDK for JavaScript Wafv2 Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-wafv2", diff --git a/clients/client-wellarchitected/CHANGELOG.md b/clients/client-wellarchitected/CHANGELOG.md index 6e00ef17555f..d48d72a2231e 100644 --- a/clients/client-wellarchitected/CHANGELOG.md +++ b/clients/client-wellarchitected/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-wellarchitected + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-wellarchitected diff --git a/clients/client-wellarchitected/package.json b/clients/client-wellarchitected/package.json index aa24d00de047..6a041ea8a722 100644 --- a/clients/client-wellarchitected/package.json +++ b/clients/client-wellarchitected/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-wellarchitected", "description": "AWS SDK for JavaScript Wellarchitected Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-wellarchitected", diff --git a/clients/client-wisdom/CHANGELOG.md b/clients/client-wisdom/CHANGELOG.md index 6d837bce0bc6..ebc6dc011ab8 100644 --- a/clients/client-wisdom/CHANGELOG.md +++ b/clients/client-wisdom/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-wisdom + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-wisdom diff --git a/clients/client-wisdom/package.json b/clients/client-wisdom/package.json index 61b0309866ef..87efa01e88e4 100644 --- a/clients/client-wisdom/package.json +++ b/clients/client-wisdom/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-wisdom", "description": "AWS SDK for JavaScript Wisdom Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-wisdom", diff --git a/clients/client-workdocs/CHANGELOG.md b/clients/client-workdocs/CHANGELOG.md index dda3a77a6710..c058c572b16e 100644 --- a/clients/client-workdocs/CHANGELOG.md +++ b/clients/client-workdocs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-workdocs + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-workdocs diff --git a/clients/client-workdocs/package.json b/clients/client-workdocs/package.json index 790124ebb2e9..e50a9de27f7b 100644 --- a/clients/client-workdocs/package.json +++ b/clients/client-workdocs/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workdocs", "description": "AWS SDK for JavaScript Workdocs Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workdocs", diff --git a/clients/client-worklink/CHANGELOG.md b/clients/client-worklink/CHANGELOG.md index da7320fa2ca3..d8fd05cbcf75 100644 --- a/clients/client-worklink/CHANGELOG.md +++ b/clients/client-worklink/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-worklink + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-worklink diff --git a/clients/client-worklink/package.json b/clients/client-worklink/package.json index 1e6f3d4044d9..9098dc4b773f 100644 --- a/clients/client-worklink/package.json +++ b/clients/client-worklink/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-worklink", "description": "AWS SDK for JavaScript Worklink Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-worklink", diff --git a/clients/client-workmail/CHANGELOG.md b/clients/client-workmail/CHANGELOG.md index eee8657b4e7e..75387a3a2d8d 100644 --- a/clients/client-workmail/CHANGELOG.md +++ b/clients/client-workmail/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-workmail + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-workmail diff --git a/clients/client-workmail/package.json b/clients/client-workmail/package.json index 350c656907fb..a171e9605897 100644 --- a/clients/client-workmail/package.json +++ b/clients/client-workmail/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workmail", "description": "AWS SDK for JavaScript Workmail Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workmail", diff --git a/clients/client-workmailmessageflow/CHANGELOG.md b/clients/client-workmailmessageflow/CHANGELOG.md index 7715b67831d3..2190047e8664 100644 --- a/clients/client-workmailmessageflow/CHANGELOG.md +++ b/clients/client-workmailmessageflow/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-workmailmessageflow + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-workmailmessageflow diff --git a/clients/client-workmailmessageflow/package.json b/clients/client-workmailmessageflow/package.json index 57e13c0ffb0b..7be6bdabed96 100644 --- a/clients/client-workmailmessageflow/package.json +++ b/clients/client-workmailmessageflow/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workmailmessageflow", "description": "AWS SDK for JavaScript Workmailmessageflow Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workmailmessageflow", diff --git a/clients/client-workspaces-thin-client/CHANGELOG.md b/clients/client-workspaces-thin-client/CHANGELOG.md index 69ba4b90c7d0..17bdf29c72f9 100644 --- a/clients/client-workspaces-thin-client/CHANGELOG.md +++ b/clients/client-workspaces-thin-client/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-workspaces-thin-client + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-workspaces-thin-client diff --git a/clients/client-workspaces-thin-client/package.json b/clients/client-workspaces-thin-client/package.json index 6bf2331c7000..87718a77646e 100644 --- a/clients/client-workspaces-thin-client/package.json +++ b/clients/client-workspaces-thin-client/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workspaces-thin-client", "description": "AWS SDK for JavaScript Workspaces Thin Client Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workspaces-thin-client", diff --git a/clients/client-workspaces-web/CHANGELOG.md b/clients/client-workspaces-web/CHANGELOG.md index 9829357aaec2..ff910b793fc0 100644 --- a/clients/client-workspaces-web/CHANGELOG.md +++ b/clients/client-workspaces-web/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-workspaces-web + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-workspaces-web diff --git a/clients/client-workspaces-web/package.json b/clients/client-workspaces-web/package.json index 569c12687d37..2bb4796e0c7c 100644 --- a/clients/client-workspaces-web/package.json +++ b/clients/client-workspaces-web/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workspaces-web", "description": "AWS SDK for JavaScript Workspaces Web Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workspaces-web", diff --git a/clients/client-workspaces/CHANGELOG.md b/clients/client-workspaces/CHANGELOG.md index 42c8b08292a8..38b4b90c111b 100644 --- a/clients/client-workspaces/CHANGELOG.md +++ b/clients/client-workspaces/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-workspaces + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-workspaces diff --git a/clients/client-workspaces/package.json b/clients/client-workspaces/package.json index bd03780184fb..65ee81f82bd3 100644 --- a/clients/client-workspaces/package.json +++ b/clients/client-workspaces/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workspaces", "description": "AWS SDK for JavaScript Workspaces Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workspaces", diff --git a/clients/client-xray/CHANGELOG.md b/clients/client-xray/CHANGELOG.md index f060536ac6f8..08d062e366fd 100644 --- a/clients/client-xray/CHANGELOG.md +++ b/clients/client-xray/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/client-xray + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/client-xray diff --git a/clients/client-xray/package.json b/clients/client-xray/package.json index 72418155c880..8681baa83933 100644 --- a/clients/client-xray/package.json +++ b/clients/client-xray/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-xray", "description": "AWS SDK for JavaScript Xray Client for Node.js, Browser and React Native", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-xray", diff --git a/lerna.json b/lerna.json index 8737e785829b..0aad4c752993 100644 --- a/lerna.json +++ b/lerna.json @@ -1,5 +1,5 @@ { - "version": "3.653.0", + "version": "3.654.0", "npmClient": "yarn", "useWorkspaces": true, "command": { diff --git a/lib/lib-dynamodb/CHANGELOG.md b/lib/lib-dynamodb/CHANGELOG.md index 6221b6de0f62..47a660e107f9 100644 --- a/lib/lib-dynamodb/CHANGELOG.md +++ b/lib/lib-dynamodb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/lib-dynamodb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/lib-dynamodb diff --git a/lib/lib-dynamodb/package.json b/lib/lib-dynamodb/package.json index 6849978f421a..1b2b8f7b4183 100644 --- a/lib/lib-dynamodb/package.json +++ b/lib/lib-dynamodb/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/lib-dynamodb", - "version": "3.651.1", + "version": "3.654.0", "description": "The document client simplifies working with items in Amazon DynamoDB by abstracting away the notion of attribute values.", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/lib/lib-storage/CHANGELOG.md b/lib/lib-storage/CHANGELOG.md index 500e19974f56..75696b2c4d55 100644 --- a/lib/lib-storage/CHANGELOG.md +++ b/lib/lib-storage/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/lib-storage + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/lib-storage diff --git a/lib/lib-storage/package.json b/lib/lib-storage/package.json index 3ff53c634aca..a71a059f5aab 100644 --- a/lib/lib-storage/package.json +++ b/lib/lib-storage/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/lib-storage", - "version": "3.651.1", + "version": "3.654.0", "description": "Storage higher order operation", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/body-checksum-browser/CHANGELOG.md b/packages/body-checksum-browser/CHANGELOG.md index 2285424301a9..87d92abb6e91 100644 --- a/packages/body-checksum-browser/CHANGELOG.md +++ b/packages/body-checksum-browser/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/body-checksum-browser + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/body-checksum-browser/package.json b/packages/body-checksum-browser/package.json index 228af40e9b7d..410e8f9aa4f8 100644 --- a/packages/body-checksum-browser/package.json +++ b/packages/body-checksum-browser/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/body-checksum-browser", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline body-checksum-browser", diff --git a/packages/body-checksum-node/CHANGELOG.md b/packages/body-checksum-node/CHANGELOG.md index eb1ea800d88c..990b454cb48e 100644 --- a/packages/body-checksum-node/CHANGELOG.md +++ b/packages/body-checksum-node/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/body-checksum-node + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/body-checksum-node/package.json b/packages/body-checksum-node/package.json index 9a4f8d3e6c1f..bdc2ff208177 100644 --- a/packages/body-checksum-node/package.json +++ b/packages/body-checksum-node/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/body-checksum-node", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline body-checksum-node", diff --git a/packages/cloudfront-signer/CHANGELOG.md b/packages/cloudfront-signer/CHANGELOG.md index 6f25ad3301b6..ec46af43f61c 100644 --- a/packages/cloudfront-signer/CHANGELOG.md +++ b/packages/cloudfront-signer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/cloudfront-signer + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/cloudfront-signer diff --git a/packages/cloudfront-signer/package.json b/packages/cloudfront-signer/package.json index 917a098e26d9..0b750b7d5f6e 100644 --- a/packages/cloudfront-signer/package.json +++ b/packages/cloudfront-signer/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/cloudfront-signer", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline cloudfront-signer", diff --git a/packages/core/CHANGELOG.md b/packages/core/CHANGELOG.md index a1d6d952e9dd..ef4c7fec3103 100644 --- a/packages/core/CHANGELOG.md +++ b/packages/core/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/core + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/core diff --git a/packages/core/package.json b/packages/core/package.json index db0e9d2a5691..87f9e0358418 100644 --- a/packages/core/package.json +++ b/packages/core/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/core", - "version": "3.651.1", + "version": "3.654.0", "description": "Core functions & classes shared by multiple AWS SDK clients.", "scripts": { "build": "yarn lint && concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", diff --git a/packages/credential-provider-cognito-identity/CHANGELOG.md b/packages/credential-provider-cognito-identity/CHANGELOG.md index c8319a0776cf..4223e86e9f63 100644 --- a/packages/credential-provider-cognito-identity/CHANGELOG.md +++ b/packages/credential-provider-cognito-identity/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-cognito-identity + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/credential-provider-cognito-identity diff --git a/packages/credential-provider-cognito-identity/package.json b/packages/credential-provider-cognito-identity/package.json index 473f8ab6c3f8..dbf8af7c946f 100644 --- a/packages/credential-provider-cognito-identity/package.json +++ b/packages/credential-provider-cognito-identity/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-cognito-identity", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline credential-provider-cognito-identity", diff --git a/packages/credential-provider-env/CHANGELOG.md b/packages/credential-provider-env/CHANGELOG.md index fcb9cc1f8fd9..e5b674b86a8d 100644 --- a/packages/credential-provider-env/CHANGELOG.md +++ b/packages/credential-provider-env/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-env + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/credential-provider-env/package.json b/packages/credential-provider-env/package.json index 4ad88971af67..edf358792697 100644 --- a/packages/credential-provider-env/package.json +++ b/packages/credential-provider-env/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-env", - "version": "3.649.0", + "version": "3.654.0", "description": "AWS credential provider that sources credentials from known environment variables", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-provider-http/CHANGELOG.md b/packages/credential-provider-http/CHANGELOG.md index 2d4f97ef4f0e..70e40efc002b 100644 --- a/packages/credential-provider-http/CHANGELOG.md +++ b/packages/credential-provider-http/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-http + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/credential-provider-http/package.json b/packages/credential-provider-http/package.json index ad1953fcab56..9529a1b3908c 100644 --- a/packages/credential-provider-http/package.json +++ b/packages/credential-provider-http/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-http", - "version": "3.649.0", + "version": "3.654.0", "description": "AWS credential provider for containers and HTTP sources", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-provider-ini/CHANGELOG.md b/packages/credential-provider-ini/CHANGELOG.md index f20d7db8cdc2..cf5bdd8b95f5 100644 --- a/packages/credential-provider-ini/CHANGELOG.md +++ b/packages/credential-provider-ini/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-ini + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) diff --git a/packages/credential-provider-ini/package.json b/packages/credential-provider-ini/package.json index cf4c2532cbfc..e33191679185 100644 --- a/packages/credential-provider-ini/package.json +++ b/packages/credential-provider-ini/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-ini", - "version": "3.651.1", + "version": "3.654.0", "description": "AWS credential provider that sources credentials from ~/.aws/credentials and ~/.aws/config", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-provider-node/CHANGELOG.md b/packages/credential-provider-node/CHANGELOG.md index 47725f5d6eef..21ee1e67762c 100644 --- a/packages/credential-provider-node/CHANGELOG.md +++ b/packages/credential-provider-node/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-node + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) diff --git a/packages/credential-provider-node/package.json b/packages/credential-provider-node/package.json index 504efa70764e..4318fa3200cb 100644 --- a/packages/credential-provider-node/package.json +++ b/packages/credential-provider-node/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-node", - "version": "3.651.1", + "version": "3.654.0", "description": "AWS credential provider that sources credentials from a Node.JS environment. ", "engines": { "node": ">=16.0.0" diff --git a/packages/credential-provider-process/CHANGELOG.md b/packages/credential-provider-process/CHANGELOG.md index 97ded8a0b485..b9582d17713d 100644 --- a/packages/credential-provider-process/CHANGELOG.md +++ b/packages/credential-provider-process/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-process + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/credential-provider-process/package.json b/packages/credential-provider-process/package.json index b5c78e0d010b..08bfcb24ba1a 100644 --- a/packages/credential-provider-process/package.json +++ b/packages/credential-provider-process/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-process", - "version": "3.649.0", + "version": "3.654.0", "description": "AWS credential provider that sources credential_process from ~/.aws/credentials and ~/.aws/config", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-provider-sso/CHANGELOG.md b/packages/credential-provider-sso/CHANGELOG.md index 4883337b67bf..c396ab0632f1 100644 --- a/packages/credential-provider-sso/CHANGELOG.md +++ b/packages/credential-provider-sso/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-sso + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/credential-provider-sso diff --git a/packages/credential-provider-sso/package.json b/packages/credential-provider-sso/package.json index a3477d37b3ea..eb63af446f8a 100644 --- a/packages/credential-provider-sso/package.json +++ b/packages/credential-provider-sso/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-sso", - "version": "3.651.1", + "version": "3.654.0", "description": "AWS credential provider that exchanges a resolved SSO login token file for temporary AWS credentials", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-provider-web-identity/CHANGELOG.md b/packages/credential-provider-web-identity/CHANGELOG.md index f56bbae8dd94..dfc7e59fca5a 100644 --- a/packages/credential-provider-web-identity/CHANGELOG.md +++ b/packages/credential-provider-web-identity/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-provider-web-identity + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/credential-provider-web-identity/package.json b/packages/credential-provider-web-identity/package.json index 8fcd9632bc77..6520e31ac7b7 100644 --- a/packages/credential-provider-web-identity/package.json +++ b/packages/credential-provider-web-identity/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-provider-web-identity", - "version": "3.649.0", + "version": "3.654.0", "description": "AWS credential provider that calls STS assumeRole for temporary AWS credentials", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/credential-providers/CHANGELOG.md b/packages/credential-providers/CHANGELOG.md index 5680f1521456..3a579b0a6ffd 100644 --- a/packages/credential-providers/CHANGELOG.md +++ b/packages/credential-providers/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/credential-providers + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/credential-providers diff --git a/packages/credential-providers/package.json b/packages/credential-providers/package.json index 2b533f4f035f..a289cbd00160 100644 --- a/packages/credential-providers/package.json +++ b/packages/credential-providers/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-providers", - "version": "3.651.1", + "version": "3.654.0", "description": "A collection of credential providers, without requiring service clients like STS, Cognito", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/ec2-metadata-service/CHANGELOG.md b/packages/ec2-metadata-service/CHANGELOG.md index 06ee16ec23bc..6e827d7523c6 100644 --- a/packages/ec2-metadata-service/CHANGELOG.md +++ b/packages/ec2-metadata-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/ec2-metadata-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/ec2-metadata-service diff --git a/packages/ec2-metadata-service/package.json b/packages/ec2-metadata-service/package.json index 0cf073e3b94d..e574cbd88791 100644 --- a/packages/ec2-metadata-service/package.json +++ b/packages/ec2-metadata-service/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/ec2-metadata-service", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline ec2-metadata-service", diff --git a/packages/eventstream-handler-node/CHANGELOG.md b/packages/eventstream-handler-node/CHANGELOG.md index 498a22caaaca..67f5a82ac0d4 100644 --- a/packages/eventstream-handler-node/CHANGELOG.md +++ b/packages/eventstream-handler-node/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/eventstream-handler-node + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/eventstream-handler-node/package.json b/packages/eventstream-handler-node/package.json index bdc7fef110eb..f00a87f53972 100644 --- a/packages/eventstream-handler-node/package.json +++ b/packages/eventstream-handler-node/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/eventstream-handler-node", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline eventstream-handler-node", diff --git a/packages/karma-credential-loader/CHANGELOG.md b/packages/karma-credential-loader/CHANGELOG.md index 5f5954812e74..627f7c35110c 100644 --- a/packages/karma-credential-loader/CHANGELOG.md +++ b/packages/karma-credential-loader/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/karma-credential-loader + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/karma-credential-loader diff --git a/packages/karma-credential-loader/package.json b/packages/karma-credential-loader/package.json index 2f8c40c7bbf8..09c4018280f3 100644 --- a/packages/karma-credential-loader/package.json +++ b/packages/karma-credential-loader/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/karma-credential-loader", - "version": "3.651.1", + "version": "3.654.0", "private": true, "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", diff --git a/packages/middleware-api-key/CHANGELOG.md b/packages/middleware-api-key/CHANGELOG.md index 3d7a5a8a251a..c9356bd493ce 100644 --- a/packages/middleware-api-key/CHANGELOG.md +++ b/packages/middleware-api-key/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-api-key + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-api-key/package.json b/packages/middleware-api-key/package.json index 2983760cb854..292c1f04b042 100644 --- a/packages/middleware-api-key/package.json +++ b/packages/middleware-api-key/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-api-key", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-api-key", diff --git a/packages/middleware-bucket-endpoint/CHANGELOG.md b/packages/middleware-bucket-endpoint/CHANGELOG.md index 240c4daee82b..4715be17a15b 100644 --- a/packages/middleware-bucket-endpoint/CHANGELOG.md +++ b/packages/middleware-bucket-endpoint/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-bucket-endpoint + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-bucket-endpoint/package.json b/packages/middleware-bucket-endpoint/package.json index 28f8b798110d..30d3993310d5 100644 --- a/packages/middleware-bucket-endpoint/package.json +++ b/packages/middleware-bucket-endpoint/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-bucket-endpoint", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-bucket-endpoint", diff --git a/packages/middleware-endpoint-discovery/CHANGELOG.md b/packages/middleware-endpoint-discovery/CHANGELOG.md index 3cea3b9f9f26..b87db06e9100 100644 --- a/packages/middleware-endpoint-discovery/CHANGELOG.md +++ b/packages/middleware-endpoint-discovery/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-endpoint-discovery + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-endpoint-discovery/package.json b/packages/middleware-endpoint-discovery/package.json index a8d69146c5f2..f4399eb88489 100644 --- a/packages/middleware-endpoint-discovery/package.json +++ b/packages/middleware-endpoint-discovery/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-endpoint-discovery", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-endpoint-discovery", diff --git a/packages/middleware-eventstream/CHANGELOG.md b/packages/middleware-eventstream/CHANGELOG.md index 87b472d1121e..97634b77f998 100644 --- a/packages/middleware-eventstream/CHANGELOG.md +++ b/packages/middleware-eventstream/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-eventstream + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-eventstream/package.json b/packages/middleware-eventstream/package.json index 5d65672cb30d..fb4c3926d115 100644 --- a/packages/middleware-eventstream/package.json +++ b/packages/middleware-eventstream/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-eventstream", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-eventstream", diff --git a/packages/middleware-expect-continue/CHANGELOG.md b/packages/middleware-expect-continue/CHANGELOG.md index a779f7c04356..a289a2d4be8f 100644 --- a/packages/middleware-expect-continue/CHANGELOG.md +++ b/packages/middleware-expect-continue/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-expect-continue + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-expect-continue/package.json b/packages/middleware-expect-continue/package.json index 118880342bc4..e4d0dd3dc3dc 100644 --- a/packages/middleware-expect-continue/package.json +++ b/packages/middleware-expect-continue/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-expect-continue", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-expect-continue", diff --git a/packages/middleware-flexible-checksums/CHANGELOG.md b/packages/middleware-flexible-checksums/CHANGELOG.md index 7b02a6629c3b..18a4cbfdc927 100644 --- a/packages/middleware-flexible-checksums/CHANGELOG.md +++ b/packages/middleware-flexible-checksums/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + + +### Bug Fixes + +* **middleware-flexible-checksums:** use union for new config types ([#6489](https://github.com/aws/aws-sdk-js-v3/issues/6489)) ([c43103f](https://github.com/aws/aws-sdk-js-v3/commit/c43103fb71e2894db3c895ff3c8ba25ba07e4fbd)) + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/middleware-flexible-checksums diff --git a/packages/middleware-flexible-checksums/package.json b/packages/middleware-flexible-checksums/package.json index 58b4610f5b02..f021e85213dd 100644 --- a/packages/middleware-flexible-checksums/package.json +++ b/packages/middleware-flexible-checksums/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-flexible-checksums", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-flexible-checksums", diff --git a/packages/middleware-host-header/CHANGELOG.md b/packages/middleware-host-header/CHANGELOG.md index a2041d36ccdb..6d016b4b0217 100644 --- a/packages/middleware-host-header/CHANGELOG.md +++ b/packages/middleware-host-header/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-host-header + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-host-header/package.json b/packages/middleware-host-header/package.json index 225aef5d7e91..81276dcc0a4b 100644 --- a/packages/middleware-host-header/package.json +++ b/packages/middleware-host-header/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-host-header", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-host-header", diff --git a/packages/middleware-location-constraint/CHANGELOG.md b/packages/middleware-location-constraint/CHANGELOG.md index b045dc371750..6daf4691f833 100644 --- a/packages/middleware-location-constraint/CHANGELOG.md +++ b/packages/middleware-location-constraint/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-location-constraint + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-location-constraint/package.json b/packages/middleware-location-constraint/package.json index 09631bce23d0..a336959bed8f 100644 --- a/packages/middleware-location-constraint/package.json +++ b/packages/middleware-location-constraint/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-location-constraint", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-location-constraint", diff --git a/packages/middleware-logger/CHANGELOG.md b/packages/middleware-logger/CHANGELOG.md index 2c56b1a51cd8..a868ce74bbe7 100644 --- a/packages/middleware-logger/CHANGELOG.md +++ b/packages/middleware-logger/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-logger + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-logger/package.json b/packages/middleware-logger/package.json index 36ed2170902c..3586aaa9c3a4 100644 --- a/packages/middleware-logger/package.json +++ b/packages/middleware-logger/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-logger", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-logger", diff --git a/packages/middleware-recursion-detection/CHANGELOG.md b/packages/middleware-recursion-detection/CHANGELOG.md index 8bd438732df5..c7af5e87daed 100644 --- a/packages/middleware-recursion-detection/CHANGELOG.md +++ b/packages/middleware-recursion-detection/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-recursion-detection + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-recursion-detection/package.json b/packages/middleware-recursion-detection/package.json index 6457e04f6478..be831df0366f 100644 --- a/packages/middleware-recursion-detection/package.json +++ b/packages/middleware-recursion-detection/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-recursion-detection", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-recursion-detection", diff --git a/packages/middleware-sdk-api-gateway/CHANGELOG.md b/packages/middleware-sdk-api-gateway/CHANGELOG.md index 366b85dc935d..00ebc7bd1626 100644 --- a/packages/middleware-sdk-api-gateway/CHANGELOG.md +++ b/packages/middleware-sdk-api-gateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-api-gateway + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-api-gateway/package.json b/packages/middleware-sdk-api-gateway/package.json index 910a3c6c7d3f..fdb7dd2f3a6e 100644 --- a/packages/middleware-sdk-api-gateway/package.json +++ b/packages/middleware-sdk-api-gateway/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-api-gateway", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-api-gateway", diff --git a/packages/middleware-sdk-ec2/CHANGELOG.md b/packages/middleware-sdk-ec2/CHANGELOG.md index 3dc512a71fef..ac172a0c7cfc 100644 --- a/packages/middleware-sdk-ec2/CHANGELOG.md +++ b/packages/middleware-sdk-ec2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-ec2 + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-ec2/package.json b/packages/middleware-sdk-ec2/package.json index 23dd775f90ee..6e4c34425d32 100644 --- a/packages/middleware-sdk-ec2/package.json +++ b/packages/middleware-sdk-ec2/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-ec2", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-ec2", diff --git a/packages/middleware-sdk-glacier/CHANGELOG.md b/packages/middleware-sdk-glacier/CHANGELOG.md index 6c6bd430b00b..aff9195894f5 100644 --- a/packages/middleware-sdk-glacier/CHANGELOG.md +++ b/packages/middleware-sdk-glacier/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-glacier + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-glacier/package.json b/packages/middleware-sdk-glacier/package.json index da636e809187..069427edf0e3 100644 --- a/packages/middleware-sdk-glacier/package.json +++ b/packages/middleware-sdk-glacier/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-glacier", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-glacier", diff --git a/packages/middleware-sdk-machinelearning/CHANGELOG.md b/packages/middleware-sdk-machinelearning/CHANGELOG.md index 04dfd109a4d0..196393cf30fc 100644 --- a/packages/middleware-sdk-machinelearning/CHANGELOG.md +++ b/packages/middleware-sdk-machinelearning/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-machinelearning + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-machinelearning/package.json b/packages/middleware-sdk-machinelearning/package.json index 559cb848f632..429b3420e361 100644 --- a/packages/middleware-sdk-machinelearning/package.json +++ b/packages/middleware-sdk-machinelearning/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-machinelearning", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-machinelearning", diff --git a/packages/middleware-sdk-rds/CHANGELOG.md b/packages/middleware-sdk-rds/CHANGELOG.md index d42fe7953013..3e99e54887de 100644 --- a/packages/middleware-sdk-rds/CHANGELOG.md +++ b/packages/middleware-sdk-rds/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-rds + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-rds/package.json b/packages/middleware-sdk-rds/package.json index 0ddb198acf49..4b456853341a 100644 --- a/packages/middleware-sdk-rds/package.json +++ b/packages/middleware-sdk-rds/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-rds", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-rds", diff --git a/packages/middleware-sdk-route53/CHANGELOG.md b/packages/middleware-sdk-route53/CHANGELOG.md index 79e9ec129a4a..a8d7862c930a 100644 --- a/packages/middleware-sdk-route53/CHANGELOG.md +++ b/packages/middleware-sdk-route53/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-route53 + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-route53/package.json b/packages/middleware-sdk-route53/package.json index 9d7d8cae34da..204497681bfc 100644 --- a/packages/middleware-sdk-route53/package.json +++ b/packages/middleware-sdk-route53/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-route53", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-route53", diff --git a/packages/middleware-sdk-s3-control/CHANGELOG.md b/packages/middleware-sdk-s3-control/CHANGELOG.md index 9e82adfabc0d..af73272effb8 100644 --- a/packages/middleware-sdk-s3-control/CHANGELOG.md +++ b/packages/middleware-sdk-s3-control/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-s3-control + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-s3-control/package.json b/packages/middleware-sdk-s3-control/package.json index 24a2dd67ccd4..0c5c165e51a2 100644 --- a/packages/middleware-sdk-s3-control/package.json +++ b/packages/middleware-sdk-s3-control/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-s3-control", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-s3-control", diff --git a/packages/middleware-sdk-s3/CHANGELOG.md b/packages/middleware-sdk-s3/CHANGELOG.md index 733891c2ff6e..af6d7a057e42 100644 --- a/packages/middleware-sdk-s3/CHANGELOG.md +++ b/packages/middleware-sdk-s3/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-s3 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/middleware-sdk-s3 diff --git a/packages/middleware-sdk-s3/package.json b/packages/middleware-sdk-s3/package.json index 19a9ae9d1799..c08d4c17b468 100644 --- a/packages/middleware-sdk-s3/package.json +++ b/packages/middleware-sdk-s3/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-s3", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-s3", diff --git a/packages/middleware-sdk-sqs/CHANGELOG.md b/packages/middleware-sdk-sqs/CHANGELOG.md index 2122a6a10dc7..ccd330847648 100644 --- a/packages/middleware-sdk-sqs/CHANGELOG.md +++ b/packages/middleware-sdk-sqs/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-sqs + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-sqs/package.json b/packages/middleware-sdk-sqs/package.json index 8a3cee497245..891c87141566 100644 --- a/packages/middleware-sdk-sqs/package.json +++ b/packages/middleware-sdk-sqs/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-sqs", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-sqs", diff --git a/packages/middleware-sdk-sts/CHANGELOG.md b/packages/middleware-sdk-sts/CHANGELOG.md index 35da23040044..72c515e6bbb4 100644 --- a/packages/middleware-sdk-sts/CHANGELOG.md +++ b/packages/middleware-sdk-sts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-sts + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-sts/package.json b/packages/middleware-sdk-sts/package.json index 50014ce87a1b..ac49742f96ea 100644 --- a/packages/middleware-sdk-sts/package.json +++ b/packages/middleware-sdk-sts/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-sts", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-sdk-sts", diff --git a/packages/middleware-sdk-transcribe-streaming/CHANGELOG.md b/packages/middleware-sdk-transcribe-streaming/CHANGELOG.md index e7d4d09f7f16..8117a934982e 100644 --- a/packages/middleware-sdk-transcribe-streaming/CHANGELOG.md +++ b/packages/middleware-sdk-transcribe-streaming/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-transcribe-streaming + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-sdk-transcribe-streaming/package.json b/packages/middleware-sdk-transcribe-streaming/package.json index e116f4506f7f..c2003ed8b907 100644 --- a/packages/middleware-sdk-transcribe-streaming/package.json +++ b/packages/middleware-sdk-transcribe-streaming/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-sdk-transcribe-streaming", - "version": "3.649.0", + "version": "3.654.0", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", "types": "./dist-types/index.d.ts", diff --git a/packages/middleware-signing/CHANGELOG.md b/packages/middleware-signing/CHANGELOG.md index 6208a193007c..dcb4b6ac9f9c 100644 --- a/packages/middleware-signing/CHANGELOG.md +++ b/packages/middleware-signing/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-signing + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-signing/package.json b/packages/middleware-signing/package.json index 2c877d05bddc..c7d02bb81f62 100644 --- a/packages/middleware-signing/package.json +++ b/packages/middleware-signing/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-signing", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-signing", diff --git a/packages/middleware-ssec/CHANGELOG.md b/packages/middleware-ssec/CHANGELOG.md index 8e7683751dfb..11b9862ffab6 100644 --- a/packages/middleware-ssec/CHANGELOG.md +++ b/packages/middleware-ssec/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-ssec + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-ssec/package.json b/packages/middleware-ssec/package.json index b7462c4a45e8..5b259a212709 100644 --- a/packages/middleware-ssec/package.json +++ b/packages/middleware-ssec/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-ssec", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-ssec", diff --git a/packages/middleware-token/CHANGELOG.md b/packages/middleware-token/CHANGELOG.md index 0eead85f3d5b..1bd1b47d803c 100644 --- a/packages/middleware-token/CHANGELOG.md +++ b/packages/middleware-token/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-token + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-token/package.json b/packages/middleware-token/package.json index 903740259e1d..7dbe1cc09750 100644 --- a/packages/middleware-token/package.json +++ b/packages/middleware-token/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-token", - "version": "3.649.0", + "version": "3.654.0", "description": "Middleware and Plugin for setting token authentication", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/middleware-user-agent/CHANGELOG.md b/packages/middleware-user-agent/CHANGELOG.md index 78638acd2702..d5d16e7a8ca5 100644 --- a/packages/middleware-user-agent/CHANGELOG.md +++ b/packages/middleware-user-agent/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-user-agent + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-user-agent/package.json b/packages/middleware-user-agent/package.json index 530a2407ed71..2649857f9b74 100644 --- a/packages/middleware-user-agent/package.json +++ b/packages/middleware-user-agent/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-user-agent", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline middleware-user-agent", diff --git a/packages/middleware-websocket/CHANGELOG.md b/packages/middleware-websocket/CHANGELOG.md index 41f7ffaf4dca..aa85ea7f8ec7 100644 --- a/packages/middleware-websocket/CHANGELOG.md +++ b/packages/middleware-websocket/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/middleware-websocket + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/middleware-websocket/package.json b/packages/middleware-websocket/package.json index 2d61216df561..d17a7045b343 100644 --- a/packages/middleware-websocket/package.json +++ b/packages/middleware-websocket/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-websocket", - "version": "3.649.0", + "version": "3.654.0", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", "types": "./dist-types/index.d.ts", diff --git a/packages/polly-request-presigner/CHANGELOG.md b/packages/polly-request-presigner/CHANGELOG.md index 25a5b229ecd2..98050d2f4d81 100644 --- a/packages/polly-request-presigner/CHANGELOG.md +++ b/packages/polly-request-presigner/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/polly-request-presigner + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/polly-request-presigner diff --git a/packages/polly-request-presigner/package.json b/packages/polly-request-presigner/package.json index 01a0322d9571..6b16e2cfeefa 100644 --- a/packages/polly-request-presigner/package.json +++ b/packages/polly-request-presigner/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/polly-request-presigner", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline polly-request-presigner", diff --git a/packages/rds-signer/CHANGELOG.md b/packages/rds-signer/CHANGELOG.md index a4173b4a9cd3..86193b4162fd 100644 --- a/packages/rds-signer/CHANGELOG.md +++ b/packages/rds-signer/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/rds-signer + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/rds-signer diff --git a/packages/rds-signer/package.json b/packages/rds-signer/package.json index e474b54cc455..5134de3c9b18 100644 --- a/packages/rds-signer/package.json +++ b/packages/rds-signer/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/rds-signer", - "version": "3.651.1", + "version": "3.654.0", "description": "RDS utility for generating a password that can be used for IAM authentication to an RDS DB.", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/region-config-resolver/CHANGELOG.md b/packages/region-config-resolver/CHANGELOG.md index 1df4f63296a1..8edad8cbe4da 100644 --- a/packages/region-config-resolver/CHANGELOG.md +++ b/packages/region-config-resolver/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/region-config-resolver + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/region-config-resolver/package.json b/packages/region-config-resolver/package.json index 4ba0f1eb49a4..69cf8d069653 100644 --- a/packages/region-config-resolver/package.json +++ b/packages/region-config-resolver/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/region-config-resolver", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline region-config-resolver", diff --git a/packages/s3-presigned-post/CHANGELOG.md b/packages/s3-presigned-post/CHANGELOG.md index 14ee8fa55bda..83d899f6ca50 100644 --- a/packages/s3-presigned-post/CHANGELOG.md +++ b/packages/s3-presigned-post/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/s3-presigned-post + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/s3-presigned-post diff --git a/packages/s3-presigned-post/package.json b/packages/s3-presigned-post/package.json index def8c1a3371d..12c8bd5de018 100644 --- a/packages/s3-presigned-post/package.json +++ b/packages/s3-presigned-post/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/s3-presigned-post", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline s3-presigned-post", diff --git a/packages/s3-request-presigner/CHANGELOG.md b/packages/s3-request-presigner/CHANGELOG.md index a31af12f5877..acdc1a3df751 100644 --- a/packages/s3-request-presigner/CHANGELOG.md +++ b/packages/s3-request-presigner/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/s3-request-presigner + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/s3-request-presigner diff --git a/packages/s3-request-presigner/package.json b/packages/s3-request-presigner/package.json index 7def15ddfb0d..636ec2244e1e 100644 --- a/packages/s3-request-presigner/package.json +++ b/packages/s3-request-presigner/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/s3-request-presigner", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline s3-request-presigner", diff --git a/packages/sha256-tree-hash/CHANGELOG.md b/packages/sha256-tree-hash/CHANGELOG.md index b78aec391539..0421c97213f6 100644 --- a/packages/sha256-tree-hash/CHANGELOG.md +++ b/packages/sha256-tree-hash/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/sha256-tree-hash + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/sha256-tree-hash/package.json b/packages/sha256-tree-hash/package.json index d4e0c5f48c73..045e3cc22bc9 100644 --- a/packages/sha256-tree-hash/package.json +++ b/packages/sha256-tree-hash/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/sha256-tree-hash", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline sha256-tree-hash", diff --git a/packages/signature-v4-crt/CHANGELOG.md b/packages/signature-v4-crt/CHANGELOG.md index be5c34975ffc..c3cfad942806 100644 --- a/packages/signature-v4-crt/CHANGELOG.md +++ b/packages/signature-v4-crt/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/signature-v4-crt + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/signature-v4-crt diff --git a/packages/signature-v4-crt/package.json b/packages/signature-v4-crt/package.json index bdec01336294..9902fc4834fd 100644 --- a/packages/signature-v4-crt/package.json +++ b/packages/signature-v4-crt/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/signature-v4-crt", - "version": "3.651.1", + "version": "3.654.0", "description": "A revision of AWS Signature V4 request signer based on AWS Common Runtime https://github.com/awslabs/aws-crt-nodejs", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/signature-v4-multi-region/CHANGELOG.md b/packages/signature-v4-multi-region/CHANGELOG.md index d1f987179149..3774d7ac5552 100644 --- a/packages/signature-v4-multi-region/CHANGELOG.md +++ b/packages/signature-v4-multi-region/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/signature-v4-multi-region + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/signature-v4-multi-region diff --git a/packages/signature-v4-multi-region/package.json b/packages/signature-v4-multi-region/package.json index 99d90dbff6af..58231c3fffad 100644 --- a/packages/signature-v4-multi-region/package.json +++ b/packages/signature-v4-multi-region/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/signature-v4-multi-region", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline signature-v4-multi-region", diff --git a/packages/smithy-client/CHANGELOG.md b/packages/smithy-client/CHANGELOG.md index 649e9fb6ab33..9f01dacdc2a8 100644 --- a/packages/smithy-client/CHANGELOG.md +++ b/packages/smithy-client/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/smithy-client + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/smithy-client/package.json b/packages/smithy-client/package.json index 1d33cab2598c..223df7230d1a 100644 --- a/packages/smithy-client/package.json +++ b/packages/smithy-client/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/smithy-client", - "version": "3.649.0", + "version": "3.654.0", "private": true, "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", diff --git a/packages/token-providers/CHANGELOG.md b/packages/token-providers/CHANGELOG.md index 46d7c02e5623..7938893721fb 100644 --- a/packages/token-providers/CHANGELOG.md +++ b/packages/token-providers/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/token-providers + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/token-providers/package.json b/packages/token-providers/package.json index 156fb77805de..e7f3aa5051b5 100644 --- a/packages/token-providers/package.json +++ b/packages/token-providers/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/token-providers", - "version": "3.649.0", + "version": "3.654.0", "description": "A collection of token providers", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/types/CHANGELOG.md b/packages/types/CHANGELOG.md index 343950df706c..3ba56a921279 100644 --- a/packages/types/CHANGELOG.md +++ b/packages/types/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/types + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/types/package.json b/packages/types/package.json index a9c7a73855fd..f751e75ad840 100755 --- a/packages/types/package.json +++ b/packages/types/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/types", - "version": "3.649.0", + "version": "3.654.0", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", "types": "./dist-types/index.d.ts", diff --git a/packages/util-create-request/CHANGELOG.md b/packages/util-create-request/CHANGELOG.md index 6eaeb15f96a1..13e066c7b952 100644 --- a/packages/util-create-request/CHANGELOG.md +++ b/packages/util-create-request/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/util-create-request + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/util-create-request/package.json b/packages/util-create-request/package.json index 890c12cf65b5..0b6c4aad28c9 100644 --- a/packages/util-create-request/package.json +++ b/packages/util-create-request/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-create-request", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline util-create-request", diff --git a/packages/util-dns/CHANGELOG.md b/packages/util-dns/CHANGELOG.md index 199b8817c837..ba03fe2377cb 100644 --- a/packages/util-dns/CHANGELOG.md +++ b/packages/util-dns/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/util-dns + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) **Note:** Version bump only for package @aws-sdk/util-dns diff --git a/packages/util-dns/package.json b/packages/util-dns/package.json index 505eff7ec7e4..604bff470484 100644 --- a/packages/util-dns/package.json +++ b/packages/util-dns/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-dns", - "version": "3.649.0", + "version": "3.654.0", "description": "Implementations of DNS host resolvers.", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/util-dynamodb/CHANGELOG.md b/packages/util-dynamodb/CHANGELOG.md index bb357c2357af..e401e63818d2 100644 --- a/packages/util-dynamodb/CHANGELOG.md +++ b/packages/util-dynamodb/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/util-dynamodb + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/util-dynamodb diff --git a/packages/util-dynamodb/package.json b/packages/util-dynamodb/package.json index 75e2c430c89a..64e9a719b8b9 100644 --- a/packages/util-dynamodb/package.json +++ b/packages/util-dynamodb/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-dynamodb", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline util-dynamodb", diff --git a/packages/util-endpoints/CHANGELOG.md b/packages/util-endpoints/CHANGELOG.md index 5e30cfd032ec..2a7fcf58605d 100644 --- a/packages/util-endpoints/CHANGELOG.md +++ b/packages/util-endpoints/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/util-endpoints + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/util-endpoints/package.json b/packages/util-endpoints/package.json index 25f35d5395c6..ac919356cd1b 100644 --- a/packages/util-endpoints/package.json +++ b/packages/util-endpoints/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-endpoints", - "version": "3.649.0", + "version": "3.654.0", "description": "Utilities to help with endpoint resolution", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/util-format-url/CHANGELOG.md b/packages/util-format-url/CHANGELOG.md index 3f89ab67b280..4c8f154ba35d 100644 --- a/packages/util-format-url/CHANGELOG.md +++ b/packages/util-format-url/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/util-format-url + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/util-format-url/package.json b/packages/util-format-url/package.json index 8cecaf66e220..4c3fe2787384 100644 --- a/packages/util-format-url/package.json +++ b/packages/util-format-url/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-format-url", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline util-format-url", diff --git a/packages/util-user-agent-browser/CHANGELOG.md b/packages/util-user-agent-browser/CHANGELOG.md index 6ec1815551f7..68d6e5c4b320 100644 --- a/packages/util-user-agent-browser/CHANGELOG.md +++ b/packages/util-user-agent-browser/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/util-user-agent-browser + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/util-user-agent-browser/package.json b/packages/util-user-agent-browser/package.json index 7b7ad30a2d09..17f15567c6de 100644 --- a/packages/util-user-agent-browser/package.json +++ b/packages/util-user-agent-browser/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-user-agent-browser", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline util-user-agent-browser", diff --git a/packages/util-user-agent-node/CHANGELOG.md b/packages/util-user-agent-node/CHANGELOG.md index b57ae521794a..ec0197b08959 100644 --- a/packages/util-user-agent-node/CHANGELOG.md +++ b/packages/util-user-agent-node/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/util-user-agent-node + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/util-user-agent-node/package.json b/packages/util-user-agent-node/package.json index a58ae75bf30f..510876f637c7 100644 --- a/packages/util-user-agent-node/package.json +++ b/packages/util-user-agent-node/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-user-agent-node", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline util-user-agent-node", diff --git a/packages/xhr-http-handler/CHANGELOG.md b/packages/xhr-http-handler/CHANGELOG.md index fe6ff9b8cc69..351b2e6395d2 100644 --- a/packages/xhr-http-handler/CHANGELOG.md +++ b/packages/xhr-http-handler/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/xhr-http-handler + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/xhr-http-handler/package.json b/packages/xhr-http-handler/package.json index b7569389b6f3..f27f4240cfad 100644 --- a/packages/xhr-http-handler/package.json +++ b/packages/xhr-http-handler/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/xhr-http-handler", - "version": "3.649.0", + "version": "3.654.0", "description": "Provides a way to make requests using XMLHttpRequest", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", diff --git a/packages/xml-builder/CHANGELOG.md b/packages/xml-builder/CHANGELOG.md index ec6970e23dc9..141a52073b2c 100644 --- a/packages/xml-builder/CHANGELOG.md +++ b/packages/xml-builder/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/xml-builder + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/packages/xml-builder/package.json b/packages/xml-builder/package.json index 9aa17f917fee..69843d8e8eca 100644 --- a/packages/xml-builder/package.json +++ b/packages/xml-builder/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/xml-builder", - "version": "3.649.0", + "version": "3.654.0", "description": "XML builder for the AWS SDK", "dependencies": { "@smithy/types": "^3.4.2", diff --git a/private/aws-client-api-test/CHANGELOG.md b/private/aws-client-api-test/CHANGELOG.md index 4084fd2e0858..0f5850157a76 100644 --- a/private/aws-client-api-test/CHANGELOG.md +++ b/private/aws-client-api-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-client-api-test + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-client-api-test diff --git a/private/aws-client-api-test/package.json b/private/aws-client-api-test/package.json index 995cc7c5155e..cec1ae7a9877 100644 --- a/private/aws-client-api-test/package.json +++ b/private/aws-client-api-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-client-api-test", "description": "Test suite for client interface stability", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-client-retry-test/CHANGELOG.md b/private/aws-client-retry-test/CHANGELOG.md index a7a16d8a63d2..cde311bb0f2c 100644 --- a/private/aws-client-retry-test/CHANGELOG.md +++ b/private/aws-client-retry-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-client-retry-test + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-client-retry-test diff --git a/private/aws-client-retry-test/package.json b/private/aws-client-retry-test/package.json index 3d9b1024146d..9af30cb6afc7 100644 --- a/private/aws-client-retry-test/package.json +++ b/private/aws-client-retry-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-client-retry-test", "description": "Integration test suite for middleware-retry", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-echo-service/CHANGELOG.md b/private/aws-echo-service/CHANGELOG.md index 8ccd7fe43cd6..a6975f47eec4 100644 --- a/private/aws-echo-service/CHANGELOG.md +++ b/private/aws-echo-service/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-echo-service + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-echo-service diff --git a/private/aws-echo-service/package.json b/private/aws-echo-service/package.json index b5d46908abfb..65089be5110f 100644 --- a/private/aws-echo-service/package.json +++ b/private/aws-echo-service/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-echo-service", "description": "@aws-sdk/aws-echo-service client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-middleware-test/CHANGELOG.md b/private/aws-middleware-test/CHANGELOG.md index 420db4629343..4f20b8fc4087 100644 --- a/private/aws-middleware-test/CHANGELOG.md +++ b/private/aws-middleware-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-middleware-test + + + + + # [3.653.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.652.0...v3.653.0) (2024-09-17) **Note:** Version bump only for package @aws-sdk/aws-middleware-test diff --git a/private/aws-middleware-test/package.json b/private/aws-middleware-test/package.json index 89a45b7c4fab..af2bbc51fc90 100644 --- a/private/aws-middleware-test/package.json +++ b/private/aws-middleware-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-middleware-test", "description": "Integration test suite for AWS middleware", - "version": "3.653.0", + "version": "3.654.0", "scripts": { "build": "exit 0", "build:cjs": "exit 0", diff --git a/private/aws-protocoltests-ec2/CHANGELOG.md b/private/aws-protocoltests-ec2/CHANGELOG.md index 51df3a3d5a74..f73f6ba2190f 100644 --- a/private/aws-protocoltests-ec2/CHANGELOG.md +++ b/private/aws-protocoltests-ec2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-ec2 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-ec2 diff --git a/private/aws-protocoltests-ec2/package.json b/private/aws-protocoltests-ec2/package.json index 2b1ebc5317b8..b5ec14ecf7a6 100644 --- a/private/aws-protocoltests-ec2/package.json +++ b/private/aws-protocoltests-ec2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-ec2", "description": "@aws-sdk/aws-protocoltests-ec2 client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-json-10/CHANGELOG.md b/private/aws-protocoltests-json-10/CHANGELOG.md index 4d588da567ab..e307512d618a 100644 --- a/private/aws-protocoltests-json-10/CHANGELOG.md +++ b/private/aws-protocoltests-json-10/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-10 + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-10 diff --git a/private/aws-protocoltests-json-10/package.json b/private/aws-protocoltests-json-10/package.json index 99ab4c970882..1c065f9a8e66 100644 --- a/private/aws-protocoltests-json-10/package.json +++ b/private/aws-protocoltests-json-10/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-json-10", "description": "@aws-sdk/aws-protocoltests-json-10 client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-json-machinelearning/CHANGELOG.md b/private/aws-protocoltests-json-machinelearning/CHANGELOG.md index 3ad8b088e5eb..83ac15dad0c0 100644 --- a/private/aws-protocoltests-json-machinelearning/CHANGELOG.md +++ b/private/aws-protocoltests-json-machinelearning/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-machinelearning + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-machinelearning diff --git a/private/aws-protocoltests-json-machinelearning/package.json b/private/aws-protocoltests-json-machinelearning/package.json index 995ab57cf8da..7415edca240f 100644 --- a/private/aws-protocoltests-json-machinelearning/package.json +++ b/private/aws-protocoltests-json-machinelearning/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-json-machinelearning", "description": "@aws-sdk/aws-protocoltests-json-machinelearning client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-json/CHANGELOG.md b/private/aws-protocoltests-json/CHANGELOG.md index fc3c6b495fea..4b9a9901914f 100644 --- a/private/aws-protocoltests-json/CHANGELOG.md +++ b/private/aws-protocoltests-json/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-json diff --git a/private/aws-protocoltests-json/package.json b/private/aws-protocoltests-json/package.json index 5ce43fba30e3..a01cf616e97b 100644 --- a/private/aws-protocoltests-json/package.json +++ b/private/aws-protocoltests-json/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-json", "description": "@aws-sdk/aws-protocoltests-json client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-query/CHANGELOG.md b/private/aws-protocoltests-query/CHANGELOG.md index d67bd4d362d4..80447a4159f7 100644 --- a/private/aws-protocoltests-query/CHANGELOG.md +++ b/private/aws-protocoltests-query/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-query + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-query diff --git a/private/aws-protocoltests-query/package.json b/private/aws-protocoltests-query/package.json index c169c49eaf21..e7a18ea33535 100644 --- a/private/aws-protocoltests-query/package.json +++ b/private/aws-protocoltests-query/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-query", "description": "@aws-sdk/aws-protocoltests-query client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md b/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md index 39efcffb0311..e97b12d5584d 100644 --- a/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md +++ b/private/aws-protocoltests-restjson-apigateway/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-apigateway + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-apigateway diff --git a/private/aws-protocoltests-restjson-apigateway/package.json b/private/aws-protocoltests-restjson-apigateway/package.json index 169b01cd142a..3219c4da1c59 100644 --- a/private/aws-protocoltests-restjson-apigateway/package.json +++ b/private/aws-protocoltests-restjson-apigateway/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restjson-apigateway", "description": "@aws-sdk/aws-protocoltests-restjson-apigateway client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restjson-glacier/CHANGELOG.md b/private/aws-protocoltests-restjson-glacier/CHANGELOG.md index 02b9fb2f671f..c3944fe131c5 100644 --- a/private/aws-protocoltests-restjson-glacier/CHANGELOG.md +++ b/private/aws-protocoltests-restjson-glacier/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-glacier + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-glacier diff --git a/private/aws-protocoltests-restjson-glacier/package.json b/private/aws-protocoltests-restjson-glacier/package.json index 50c590a73865..58748f2f70f3 100644 --- a/private/aws-protocoltests-restjson-glacier/package.json +++ b/private/aws-protocoltests-restjson-glacier/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restjson-glacier", "description": "@aws-sdk/aws-protocoltests-restjson-glacier client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restjson/CHANGELOG.md b/private/aws-protocoltests-restjson/CHANGELOG.md index 32175074b6dc..9955370551bc 100644 --- a/private/aws-protocoltests-restjson/CHANGELOG.md +++ b/private/aws-protocoltests-restjson/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson diff --git a/private/aws-protocoltests-restjson/package.json b/private/aws-protocoltests-restjson/package.json index 1799f71484bd..1c285a1b2901 100644 --- a/private/aws-protocoltests-restjson/package.json +++ b/private/aws-protocoltests-restjson/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restjson", "description": "@aws-sdk/aws-protocoltests-restjson client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-restxml/CHANGELOG.md b/private/aws-protocoltests-restxml/CHANGELOG.md index 9b3b1e44d550..bee26df97e61 100644 --- a/private/aws-protocoltests-restxml/CHANGELOG.md +++ b/private/aws-protocoltests-restxml/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restxml + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-restxml diff --git a/private/aws-protocoltests-restxml/package.json b/private/aws-protocoltests-restxml/package.json index 29a8d9982deb..c92b6d82f045 100644 --- a/private/aws-protocoltests-restxml/package.json +++ b/private/aws-protocoltests-restxml/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-restxml", "description": "@aws-sdk/aws-protocoltests-restxml client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/CHANGELOG.md b/private/aws-protocoltests-smithy-rpcv2-cbor/CHANGELOG.md index 1055458b22f0..ca8ee11b944a 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/CHANGELOG.md +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-smithy-rpcv2-cbor + + + + + # [3.649.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.648.0...v3.649.0) (2024-09-10) diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/package.json b/private/aws-protocoltests-smithy-rpcv2-cbor/package.json index 2beddaf4b01b..9240530dd2b7 100644 --- a/private/aws-protocoltests-smithy-rpcv2-cbor/package.json +++ b/private/aws-protocoltests-smithy-rpcv2-cbor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-protocoltests-smithy-rpcv2-cbor", "description": "@aws-sdk/aws-protocoltests-smithy-rpcv2-cbor client", - "version": "3.649.0", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-restjson-server/CHANGELOG.md b/private/aws-restjson-server/CHANGELOG.md index f2631c5770b4..a41d6da70dfa 100644 --- a/private/aws-restjson-server/CHANGELOG.md +++ b/private/aws-restjson-server/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-restjson-server + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-restjson-server diff --git a/private/aws-restjson-server/package.json b/private/aws-restjson-server/package.json index feb29acafbcb..c0407b502f9f 100644 --- a/private/aws-restjson-server/package.json +++ b/private/aws-restjson-server/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-restjson-server", "description": "@aws-sdk/aws-restjson-server server", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-restjson-validation-server/CHANGELOG.md b/private/aws-restjson-validation-server/CHANGELOG.md index 5888defe5296..6f3026b64004 100644 --- a/private/aws-restjson-validation-server/CHANGELOG.md +++ b/private/aws-restjson-validation-server/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-restjson-validation-server + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-restjson-validation-server diff --git a/private/aws-restjson-validation-server/package.json b/private/aws-restjson-validation-server/package.json index a03568ee6392..67d5081d510a 100644 --- a/private/aws-restjson-validation-server/package.json +++ b/private/aws-restjson-validation-server/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-restjson-validation-server", "description": "@aws-sdk/aws-restjson-validation-server server", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/aws-util-test/CHANGELOG.md b/private/aws-util-test/CHANGELOG.md index 7acd74f978cc..84fe96c434e7 100644 --- a/private/aws-util-test/CHANGELOG.md +++ b/private/aws-util-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/aws-util-test + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/aws-util-test diff --git a/private/aws-util-test/package.json b/private/aws-util-test/package.json index d6f4c0091566..a78e9eb42768 100644 --- a/private/aws-util-test/package.json +++ b/private/aws-util-test/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/aws-util-test", - "version": "3.651.1", + "version": "3.654.0", "private": true, "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:types'", diff --git a/private/weather-legacy-auth/CHANGELOG.md b/private/weather-legacy-auth/CHANGELOG.md index b35aa54b55e7..005a5ee71a5d 100644 --- a/private/weather-legacy-auth/CHANGELOG.md +++ b/private/weather-legacy-auth/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/weather-legacy-auth + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/weather-legacy-auth diff --git a/private/weather-legacy-auth/package.json b/private/weather-legacy-auth/package.json index 7ff5cb5af1cd..9f167736fa85 100644 --- a/private/weather-legacy-auth/package.json +++ b/private/weather-legacy-auth/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/weather-legacy-auth", "description": "@aws-sdk/weather-legacy-auth client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/private/weather/CHANGELOG.md b/private/weather/CHANGELOG.md index 1b2de8ad01d0..9186b8aa8224 100644 --- a/private/weather/CHANGELOG.md +++ b/private/weather/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) + +**Note:** Version bump only for package @aws-sdk/weather + + + + + ## [3.651.1](https://github.com/aws/aws-sdk-js-v3/compare/v3.651.0...v3.651.1) (2024-09-13) **Note:** Version bump only for package @aws-sdk/weather diff --git a/private/weather/package.json b/private/weather/package.json index c80236b6961d..0327305b236d 100644 --- a/private/weather/package.json +++ b/private/weather/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/weather", "description": "@aws-sdk/weather client", - "version": "3.651.1", + "version": "3.654.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", From 87f29e520f9d256c3989d27c33bcbc0fda2b4f3f Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:28 +0000 Subject: [PATCH 44/53] feat(client-sagemaker): Introduced support for G6e instance types on SageMaker Studio for JupyterLab and CodeEditor applications. --- .../src/commands/CreateAppCommand.ts | 2 +- .../src/commands/CreateDomainCommand.ts | 10 ++-- .../src/commands/CreateSpaceCommand.ts | 8 ++-- .../src/commands/CreateUserProfileCommand.ts | 10 ++-- .../src/commands/DescribeAppCommand.ts | 2 +- .../src/commands/DescribeDomainCommand.ts | 10 ++-- .../src/commands/DescribeSpaceCommand.ts | 8 ++-- .../commands/DescribeUserProfileCommand.ts | 10 ++-- .../src/commands/ListAppsCommand.ts | 2 +- .../src/commands/UpdateDomainCommand.ts | 10 ++-- .../src/commands/UpdateSpaceCommand.ts | 8 ++-- .../src/commands/UpdateUserProfileCommand.ts | 10 ++-- .../client-sagemaker/src/models/models_0.ts | 8 ++++ codegen/sdk-codegen/aws-models/sagemaker.json | 48 +++++++++++++++++++ 14 files changed, 101 insertions(+), 45 deletions(-) diff --git a/clients/client-sagemaker/src/commands/CreateAppCommand.ts b/clients/client-sagemaker/src/commands/CreateAppCommand.ts index c3dfa416c6ed..67177b44a941 100644 --- a/clients/client-sagemaker/src/commands/CreateAppCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateAppCommand.ts @@ -54,7 +54,7 @@ export interface CreateAppCommandOutput extends CreateAppResponse, __MetadataBea * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * }; diff --git a/clients/client-sagemaker/src/commands/CreateDomainCommand.ts b/clients/client-sagemaker/src/commands/CreateDomainCommand.ts index ddd6427da700..b362e25b4da3 100644 --- a/clients/client-sagemaker/src/commands/CreateDomainCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateDomainCommand.ts @@ -96,7 +96,7 @@ export interface CreateDomainCommandOutput extends CreateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * LifecycleConfigArns: [ // LifecycleConfigArns @@ -113,7 +113,7 @@ export interface CreateDomainCommandOutput extends CreateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ // CustomImages @@ -132,7 +132,7 @@ export interface CreateDomainCommandOutput extends CreateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * }, @@ -145,7 +145,7 @@ export interface CreateDomainCommandOutput extends CreateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ @@ -195,7 +195,7 @@ export interface CreateDomainCommandOutput extends CreateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ diff --git a/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts b/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts index 7fb81b958a82..e8fee536531d 100644 --- a/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts @@ -50,7 +50,7 @@ export interface CreateSpaceCommandOutput extends CreateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * LifecycleConfigArns: [ // LifecycleConfigArns @@ -67,7 +67,7 @@ export interface CreateSpaceCommandOutput extends CreateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ // CustomImages @@ -86,7 +86,7 @@ export interface CreateSpaceCommandOutput extends CreateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * AppLifecycleManagement: { // SpaceAppLifecycleManagement @@ -100,7 +100,7 @@ export interface CreateSpaceCommandOutput extends CreateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CodeRepositories: [ diff --git a/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts b/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts index 4ca6cd465a01..734e77e7c120 100644 --- a/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts +++ b/clients/client-sagemaker/src/commands/CreateUserProfileCommand.ts @@ -67,7 +67,7 @@ export interface CreateUserProfileCommandOutput extends CreateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * LifecycleConfigArns: [ // LifecycleConfigArns @@ -84,7 +84,7 @@ export interface CreateUserProfileCommandOutput extends CreateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ // CustomImages @@ -103,7 +103,7 @@ export interface CreateUserProfileCommandOutput extends CreateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * }, @@ -116,7 +116,7 @@ export interface CreateUserProfileCommandOutput extends CreateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ @@ -166,7 +166,7 @@ export interface CreateUserProfileCommandOutput extends CreateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ diff --git a/clients/client-sagemaker/src/commands/DescribeAppCommand.ts b/clients/client-sagemaker/src/commands/DescribeAppCommand.ts index 444e4d61c156..a177a934803e 100644 --- a/clients/client-sagemaker/src/commands/DescribeAppCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeAppCommand.ts @@ -60,7 +60,7 @@ export interface DescribeAppCommandOutput extends DescribeAppResponse, __Metadat * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // }; diff --git a/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts b/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts index 64b1409ead83..0c4e11a77ac3 100644 --- a/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts @@ -68,7 +68,7 @@ export interface DescribeDomainCommandOutput extends DescribeDomainResponse, __M * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // LifecycleConfigArns: [ // LifecycleConfigArns @@ -85,7 +85,7 @@ export interface DescribeDomainCommandOutput extends DescribeDomainResponse, __M * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CustomImages: [ // CustomImages @@ -104,7 +104,7 @@ export interface DescribeDomainCommandOutput extends DescribeDomainResponse, __M * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // }, @@ -117,7 +117,7 @@ export interface DescribeDomainCommandOutput extends DescribeDomainResponse, __M * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CustomImages: [ @@ -167,7 +167,7 @@ export interface DescribeDomainCommandOutput extends DescribeDomainResponse, __M * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CustomImages: [ diff --git a/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts b/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts index 771a3470c750..5f57257ac5bf 100644 --- a/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts @@ -56,7 +56,7 @@ export interface DescribeSpaceCommandOutput extends DescribeSpaceResponse, __Met * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // LifecycleConfigArns: [ // LifecycleConfigArns @@ -73,7 +73,7 @@ export interface DescribeSpaceCommandOutput extends DescribeSpaceResponse, __Met * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CustomImages: [ // CustomImages @@ -92,7 +92,7 @@ export interface DescribeSpaceCommandOutput extends DescribeSpaceResponse, __Met * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // AppLifecycleManagement: { // SpaceAppLifecycleManagement @@ -106,7 +106,7 @@ export interface DescribeSpaceCommandOutput extends DescribeSpaceResponse, __Met * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CodeRepositories: [ diff --git a/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts b/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts index fe32657a64d8..3e78ae312ecf 100644 --- a/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeUserProfileCommand.ts @@ -67,7 +67,7 @@ export interface DescribeUserProfileCommandOutput extends DescribeUserProfileRes * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // LifecycleConfigArns: [ // LifecycleConfigArns @@ -84,7 +84,7 @@ export interface DescribeUserProfileCommandOutput extends DescribeUserProfileRes * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CustomImages: [ // CustomImages @@ -103,7 +103,7 @@ export interface DescribeUserProfileCommandOutput extends DescribeUserProfileRes * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // }, @@ -116,7 +116,7 @@ export interface DescribeUserProfileCommandOutput extends DescribeUserProfileRes * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CustomImages: [ @@ -166,7 +166,7 @@ export interface DescribeUserProfileCommandOutput extends DescribeUserProfileRes * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // CustomImages: [ diff --git a/clients/client-sagemaker/src/commands/ListAppsCommand.ts b/clients/client-sagemaker/src/commands/ListAppsCommand.ts index c013ca83165f..50ecb11ed9c9 100644 --- a/clients/client-sagemaker/src/commands/ListAppsCommand.ts +++ b/clients/client-sagemaker/src/commands/ListAppsCommand.ts @@ -60,7 +60,7 @@ export interface ListAppsCommandOutput extends ListAppsResponse, __MetadataBeare * // SageMakerImageArn: "STRING_VALUE", * // SageMakerImageVersionArn: "STRING_VALUE", * // SageMakerImageVersionAlias: "STRING_VALUE", - * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * // InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * // LifecycleConfigArn: "STRING_VALUE", * // }, * // }, diff --git a/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts b/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts index c79e58100fb5..7e0957a2ff25 100644 --- a/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateDomainCommand.ts @@ -52,7 +52,7 @@ export interface UpdateDomainCommandOutput extends UpdateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * LifecycleConfigArns: [ // LifecycleConfigArns @@ -69,7 +69,7 @@ export interface UpdateDomainCommandOutput extends UpdateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ // CustomImages @@ -88,7 +88,7 @@ export interface UpdateDomainCommandOutput extends UpdateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * }, @@ -101,7 +101,7 @@ export interface UpdateDomainCommandOutput extends UpdateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ @@ -151,7 +151,7 @@ export interface UpdateDomainCommandOutput extends UpdateDomainResponse, __Metad * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ diff --git a/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts b/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts index 3c5b97a4bae3..9acd80baec89 100644 --- a/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts @@ -44,7 +44,7 @@ export interface UpdateSpaceCommandOutput extends UpdateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * LifecycleConfigArns: [ // LifecycleConfigArns @@ -61,7 +61,7 @@ export interface UpdateSpaceCommandOutput extends UpdateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ // CustomImages @@ -80,7 +80,7 @@ export interface UpdateSpaceCommandOutput extends UpdateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * AppLifecycleManagement: { // SpaceAppLifecycleManagement @@ -94,7 +94,7 @@ export interface UpdateSpaceCommandOutput extends UpdateSpaceResponse, __Metadat * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CodeRepositories: [ diff --git a/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts b/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts index eb70b5d9b5e6..848ff5822273 100644 --- a/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateUserProfileCommand.ts @@ -53,7 +53,7 @@ export interface UpdateUserProfileCommandOutput extends UpdateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * LifecycleConfigArns: [ // LifecycleConfigArns @@ -70,7 +70,7 @@ export interface UpdateUserProfileCommandOutput extends UpdateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ // CustomImages @@ -89,7 +89,7 @@ export interface UpdateUserProfileCommandOutput extends UpdateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * }, @@ -102,7 +102,7 @@ export interface UpdateUserProfileCommandOutput extends UpdateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ @@ -152,7 +152,7 @@ export interface UpdateUserProfileCommandOutput extends UpdateUserProfileRespons * SageMakerImageArn: "STRING_VALUE", * SageMakerImageVersionArn: "STRING_VALUE", * SageMakerImageVersionAlias: "STRING_VALUE", - * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", + * InstanceType: "system" || "ml.t3.micro" || "ml.t3.small" || "ml.t3.medium" || "ml.t3.large" || "ml.t3.xlarge" || "ml.t3.2xlarge" || "ml.m5.large" || "ml.m5.xlarge" || "ml.m5.2xlarge" || "ml.m5.4xlarge" || "ml.m5.8xlarge" || "ml.m5.12xlarge" || "ml.m5.16xlarge" || "ml.m5.24xlarge" || "ml.m5d.large" || "ml.m5d.xlarge" || "ml.m5d.2xlarge" || "ml.m5d.4xlarge" || "ml.m5d.8xlarge" || "ml.m5d.12xlarge" || "ml.m5d.16xlarge" || "ml.m5d.24xlarge" || "ml.c5.large" || "ml.c5.xlarge" || "ml.c5.2xlarge" || "ml.c5.4xlarge" || "ml.c5.9xlarge" || "ml.c5.12xlarge" || "ml.c5.18xlarge" || "ml.c5.24xlarge" || "ml.p3.2xlarge" || "ml.p3.8xlarge" || "ml.p3.16xlarge" || "ml.p3dn.24xlarge" || "ml.g4dn.xlarge" || "ml.g4dn.2xlarge" || "ml.g4dn.4xlarge" || "ml.g4dn.8xlarge" || "ml.g4dn.12xlarge" || "ml.g4dn.16xlarge" || "ml.r5.large" || "ml.r5.xlarge" || "ml.r5.2xlarge" || "ml.r5.4xlarge" || "ml.r5.8xlarge" || "ml.r5.12xlarge" || "ml.r5.16xlarge" || "ml.r5.24xlarge" || "ml.g5.xlarge" || "ml.g5.2xlarge" || "ml.g5.4xlarge" || "ml.g5.8xlarge" || "ml.g5.16xlarge" || "ml.g5.12xlarge" || "ml.g5.24xlarge" || "ml.g5.48xlarge" || "ml.g6.xlarge" || "ml.g6.2xlarge" || "ml.g6.4xlarge" || "ml.g6.8xlarge" || "ml.g6.12xlarge" || "ml.g6.16xlarge" || "ml.g6.24xlarge" || "ml.g6.48xlarge" || "ml.g6e.xlarge" || "ml.g6e.2xlarge" || "ml.g6e.4xlarge" || "ml.g6e.8xlarge" || "ml.g6e.12xlarge" || "ml.g6e.16xlarge" || "ml.g6e.24xlarge" || "ml.g6e.48xlarge" || "ml.geospatial.interactive" || "ml.p4d.24xlarge" || "ml.p4de.24xlarge" || "ml.trn1.2xlarge" || "ml.trn1.32xlarge" || "ml.trn1n.32xlarge" || "ml.p5.48xlarge" || "ml.m6i.large" || "ml.m6i.xlarge" || "ml.m6i.2xlarge" || "ml.m6i.4xlarge" || "ml.m6i.8xlarge" || "ml.m6i.12xlarge" || "ml.m6i.16xlarge" || "ml.m6i.24xlarge" || "ml.m6i.32xlarge" || "ml.m7i.large" || "ml.m7i.xlarge" || "ml.m7i.2xlarge" || "ml.m7i.4xlarge" || "ml.m7i.8xlarge" || "ml.m7i.12xlarge" || "ml.m7i.16xlarge" || "ml.m7i.24xlarge" || "ml.m7i.48xlarge" || "ml.c6i.large" || "ml.c6i.xlarge" || "ml.c6i.2xlarge" || "ml.c6i.4xlarge" || "ml.c6i.8xlarge" || "ml.c6i.12xlarge" || "ml.c6i.16xlarge" || "ml.c6i.24xlarge" || "ml.c6i.32xlarge" || "ml.c7i.large" || "ml.c7i.xlarge" || "ml.c7i.2xlarge" || "ml.c7i.4xlarge" || "ml.c7i.8xlarge" || "ml.c7i.12xlarge" || "ml.c7i.16xlarge" || "ml.c7i.24xlarge" || "ml.c7i.48xlarge" || "ml.r6i.large" || "ml.r6i.xlarge" || "ml.r6i.2xlarge" || "ml.r6i.4xlarge" || "ml.r6i.8xlarge" || "ml.r6i.12xlarge" || "ml.r6i.16xlarge" || "ml.r6i.24xlarge" || "ml.r6i.32xlarge" || "ml.r7i.large" || "ml.r7i.xlarge" || "ml.r7i.2xlarge" || "ml.r7i.4xlarge" || "ml.r7i.8xlarge" || "ml.r7i.12xlarge" || "ml.r7i.16xlarge" || "ml.r7i.24xlarge" || "ml.r7i.48xlarge" || "ml.m6id.large" || "ml.m6id.xlarge" || "ml.m6id.2xlarge" || "ml.m6id.4xlarge" || "ml.m6id.8xlarge" || "ml.m6id.12xlarge" || "ml.m6id.16xlarge" || "ml.m6id.24xlarge" || "ml.m6id.32xlarge" || "ml.c6id.large" || "ml.c6id.xlarge" || "ml.c6id.2xlarge" || "ml.c6id.4xlarge" || "ml.c6id.8xlarge" || "ml.c6id.12xlarge" || "ml.c6id.16xlarge" || "ml.c6id.24xlarge" || "ml.c6id.32xlarge" || "ml.r6id.large" || "ml.r6id.xlarge" || "ml.r6id.2xlarge" || "ml.r6id.4xlarge" || "ml.r6id.8xlarge" || "ml.r6id.12xlarge" || "ml.r6id.16xlarge" || "ml.r6id.24xlarge" || "ml.r6id.32xlarge", * LifecycleConfigArn: "STRING_VALUE", * }, * CustomImages: [ diff --git a/clients/client-sagemaker/src/models/models_0.ts b/clients/client-sagemaker/src/models/models_0.ts index 783306fbaae5..0850ff0ee81d 100644 --- a/clients/client-sagemaker/src/models/models_0.ts +++ b/clients/client-sagemaker/src/models/models_0.ts @@ -4267,6 +4267,14 @@ export const AppInstanceType = { ML_G5_4XLARGE: "ml.g5.4xlarge", ML_G5_8XLARGE: "ml.g5.8xlarge", ML_G5_XLARGE: "ml.g5.xlarge", + ML_G6E_12XLARGE: "ml.g6e.12xlarge", + ML_G6E_16XLARGE: "ml.g6e.16xlarge", + ML_G6E_24XLARGE: "ml.g6e.24xlarge", + ML_G6E_2XLARGE: "ml.g6e.2xlarge", + ML_G6E_48XLARGE: "ml.g6e.48xlarge", + ML_G6E_4XLARGE: "ml.g6e.4xlarge", + ML_G6E_8XLARGE: "ml.g6e.8xlarge", + ML_G6E_XLARGE: "ml.g6e.xlarge", ML_G6_12XLARGE: "ml.g6.12xlarge", ML_G6_16XLARGE: "ml.g6.16xlarge", ML_G6_24XLARGE: "ml.g6.24xlarge", diff --git a/codegen/sdk-codegen/aws-models/sagemaker.json b/codegen/sdk-codegen/aws-models/sagemaker.json index dcaceb1bb398..6f11be08162b 100644 --- a/codegen/sdk-codegen/aws-models/sagemaker.json +++ b/codegen/sdk-codegen/aws-models/sagemaker.json @@ -1487,6 +1487,54 @@ "smithy.api#enumValue": "ml.g6.48xlarge" } }, + "ML_G6E_XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.xlarge" + } + }, + "ML_G6E_2XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.2xlarge" + } + }, + "ML_G6E_4XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.4xlarge" + } + }, + "ML_G6E_8XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.8xlarge" + } + }, + "ML_G6E_12XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.12xlarge" + } + }, + "ML_G6E_16XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.16xlarge" + } + }, + "ML_G6E_24XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.24xlarge" + } + }, + "ML_G6E_48XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.g6e.48xlarge" + } + }, "ML_GEOSPATIAL_INTERACTIVE": { "target": "smithy.api#Unit", "traits": { From bacb0643c170a2f7200113c66610352227aa7006 Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:29 +0000 Subject: [PATCH 45/53] feat(client-quicksight): QuickSight: 1. Add new API - ListFoldersForResource. 2. Commit mode adds visibility configuration of Apply button on multi-select controls for authors. --- clients/client-quicksight/README.md | 8 + clients/client-quicksight/src/QuickSight.ts | 23 +++ .../client-quicksight/src/QuickSightClient.ts | 6 + .../src/commands/CreateAnalysisCommand.ts | 19 ++ .../src/commands/CreateDashboardCommand.ts | 19 ++ .../src/commands/CreateTemplateCommand.ts | 19 ++ .../DescribeAnalysisDefinitionCommand.ts | 19 ++ .../DescribeDashboardDefinitionCommand.ts | 19 ++ .../DescribeTemplateDefinitionCommand.ts | 19 ++ .../commands/DescribeVPCConnectionCommand.ts | 3 +- .../commands/ListFoldersForResourceCommand.ts | 127 ++++++++++++ .../src/commands/UpdateAnalysisCommand.ts | 19 ++ .../src/commands/UpdateDashboardCommand.ts | 19 ++ .../src/commands/UpdateTemplateCommand.ts | 19 ++ .../client-quicksight/src/commands/index.ts | 1 + .../client-quicksight/src/models/models_0.ts | 70 +++++-- .../client-quicksight/src/models/models_1.ts | 89 ++------ .../client-quicksight/src/models/models_2.ts | 112 ++++++---- .../client-quicksight/src/models/models_3.ts | 54 +++-- .../client-quicksight/src/models/models_4.ts | 79 ++++++- .../ListFoldersForResourcePaginator.ts | 24 +++ .../client-quicksight/src/pagination/index.ts | 1 + .../src/protocols/Aws_restJson1.ts | 57 +++++- .../sdk-codegen/aws-models/quicksight.json | 192 ++++++++++++++++++ 24 files changed, 869 insertions(+), 148 deletions(-) create mode 100644 clients/client-quicksight/src/commands/ListFoldersForResourceCommand.ts create mode 100644 clients/client-quicksight/src/pagination/ListFoldersForResourcePaginator.ts diff --git a/clients/client-quicksight/README.md b/clients/client-quicksight/README.md index 40ab8aa9183c..7950b0d25d8c 100644 --- a/clients/client-quicksight/README.md +++ b/clients/client-quicksight/README.md @@ -1063,6 +1063,14 @@ ListFolders [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/quicksight/command/ListFoldersCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-quicksight/Interface/ListFoldersCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-quicksight/Interface/ListFoldersCommandOutput/) +
    +
    + +ListFoldersForResource + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/quicksight/command/ListFoldersForResourceCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-quicksight/Interface/ListFoldersForResourceCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-quicksight/Interface/ListFoldersForResourceCommandOutput/) +
    diff --git a/clients/client-quicksight/src/QuickSight.ts b/clients/client-quicksight/src/QuickSight.ts index cd10aa75649d..94cfe43575e1 100644 --- a/clients/client-quicksight/src/QuickSight.ts +++ b/clients/client-quicksight/src/QuickSight.ts @@ -505,6 +505,11 @@ import { ListFolderMembersCommandOutput, } from "./commands/ListFolderMembersCommand"; import { ListFoldersCommand, ListFoldersCommandInput, ListFoldersCommandOutput } from "./commands/ListFoldersCommand"; +import { + ListFoldersForResourceCommand, + ListFoldersForResourceCommandInput, + ListFoldersForResourceCommandOutput, +} from "./commands/ListFoldersForResourceCommand"; import { ListGroupMembershipsCommand, ListGroupMembershipsCommandInput, @@ -929,6 +934,7 @@ const commands = { ListDataSourcesCommand, ListFolderMembersCommand, ListFoldersCommand, + ListFoldersForResourceCommand, ListGroupMembershipsCommand, ListGroupsCommand, ListIAMPolicyAssignmentsCommand, @@ -2671,6 +2677,23 @@ export interface QuickSight { cb: (err: any, data?: ListFoldersCommandOutput) => void ): void; + /** + * @see {@link ListFoldersForResourceCommand} + */ + listFoldersForResource( + args: ListFoldersForResourceCommandInput, + options?: __HttpHandlerOptions + ): Promise; + listFoldersForResource( + args: ListFoldersForResourceCommandInput, + cb: (err: any, data?: ListFoldersForResourceCommandOutput) => void + ): void; + listFoldersForResource( + args: ListFoldersForResourceCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListFoldersForResourceCommandOutput) => void + ): void; + /** * @see {@link ListGroupMembershipsCommand} */ diff --git a/clients/client-quicksight/src/QuickSightClient.ts b/clients/client-quicksight/src/QuickSightClient.ts index ebbe084d3784..5514d4a1f43f 100644 --- a/clients/client-quicksight/src/QuickSightClient.ts +++ b/clients/client-quicksight/src/QuickSightClient.ts @@ -346,6 +346,10 @@ import { ListDataSetsCommandInput, ListDataSetsCommandOutput } from "./commands/ import { ListDataSourcesCommandInput, ListDataSourcesCommandOutput } from "./commands/ListDataSourcesCommand"; import { ListFolderMembersCommandInput, ListFolderMembersCommandOutput } from "./commands/ListFolderMembersCommand"; import { ListFoldersCommandInput, ListFoldersCommandOutput } from "./commands/ListFoldersCommand"; +import { + ListFoldersForResourceCommandInput, + ListFoldersForResourceCommandOutput, +} from "./commands/ListFoldersForResourceCommand"; import { ListGroupMembershipsCommandInput, ListGroupMembershipsCommandOutput, @@ -652,6 +656,7 @@ export type ServiceInputTypes = | ListDataSourcesCommandInput | ListFolderMembersCommandInput | ListFoldersCommandInput + | ListFoldersForResourceCommandInput | ListGroupMembershipsCommandInput | ListGroupsCommandInput | ListIAMPolicyAssignmentsCommandInput @@ -834,6 +839,7 @@ export type ServiceOutputTypes = | ListDataSourcesCommandOutput | ListFolderMembersCommandOutput | ListFoldersCommandOutput + | ListFoldersForResourceCommandOutput | ListGroupMembershipsCommandOutput | ListGroupsCommandOutput | ListIAMPolicyAssignmentsCommandOutput diff --git a/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts b/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts index 28cafacd9492..e6b7d42f2cdc 100644 --- a/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts +++ b/clients/client-quicksight/src/commands/CreateAnalysisCommand.ts @@ -249,6 +249,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // ParameterTextFieldControl * ParameterControlId: "STRING_VALUE", // required @@ -337,6 +338,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, * Type: "SINGLE_VALUED" || "DATE_RANGE", + * CommitMode: "AUTO" || "MANUAL", * }, * List: { // FilterListControl * FilterControlId: "STRING_VALUE", // required @@ -395,6 +397,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // FilterTextFieldControl * FilterControlId: "STRING_VALUE", // required @@ -443,6 +446,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * CrossSheet: { // FilterCrossSheetControl * FilterControlId: "STRING_VALUE", // required @@ -4544,6 +4548,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { // DefaultFilterListControlOptions * DisplayOptions: { @@ -4573,6 +4578,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * SelectableValues: { * Values: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * DisplayOptions: { @@ -4607,6 +4613,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4639,6 +4646,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4662,6 +4670,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4694,6 +4703,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4719,6 +4729,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4740,6 +4751,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4772,6 +4784,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4792,6 +4805,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4802,6 +4816,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4823,6 +4838,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4855,6 +4871,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4865,6 +4882,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4882,6 +4900,7 @@ export interface CreateAnalysisCommandOutput extends CreateAnalysisResponse, __M * }, * DefaultRelativeDateTimeOptions: { * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, diff --git a/clients/client-quicksight/src/commands/CreateDashboardCommand.ts b/clients/client-quicksight/src/commands/CreateDashboardCommand.ts index d02b1bde37c0..c17e57f50f74 100644 --- a/clients/client-quicksight/src/commands/CreateDashboardCommand.ts +++ b/clients/client-quicksight/src/commands/CreateDashboardCommand.ts @@ -295,6 +295,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // ParameterTextFieldControl * ParameterControlId: "STRING_VALUE", // required @@ -383,6 +384,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, * Type: "SINGLE_VALUED" || "DATE_RANGE", + * CommitMode: "AUTO" || "MANUAL", * }, * List: { // FilterListControl * FilterControlId: "STRING_VALUE", // required @@ -441,6 +443,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // FilterTextFieldControl * FilterControlId: "STRING_VALUE", // required @@ -489,6 +492,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * CrossSheet: { // FilterCrossSheetControl * FilterControlId: "STRING_VALUE", // required @@ -4588,6 +4592,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { // DefaultFilterListControlOptions * DisplayOptions: { @@ -4617,6 +4622,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * SelectableValues: { * Values: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * DisplayOptions: { @@ -4651,6 +4657,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4683,6 +4690,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4706,6 +4714,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4738,6 +4747,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4763,6 +4773,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4784,6 +4795,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4816,6 +4828,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4836,6 +4849,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4846,6 +4860,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4867,6 +4882,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4899,6 +4915,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4909,6 +4926,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4926,6 +4944,7 @@ export interface CreateDashboardCommandOutput extends CreateDashboardResponse, _ * }, * DefaultRelativeDateTimeOptions: { * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, diff --git a/clients/client-quicksight/src/commands/CreateTemplateCommand.ts b/clients/client-quicksight/src/commands/CreateTemplateCommand.ts index 863cadd40bb4..cf499fea68d3 100644 --- a/clients/client-quicksight/src/commands/CreateTemplateCommand.ts +++ b/clients/client-quicksight/src/commands/CreateTemplateCommand.ts @@ -243,6 +243,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // ParameterTextFieldControl * ParameterControlId: "STRING_VALUE", // required @@ -331,6 +332,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, * Type: "SINGLE_VALUED" || "DATE_RANGE", + * CommitMode: "AUTO" || "MANUAL", * }, * List: { // FilterListControl * FilterControlId: "STRING_VALUE", // required @@ -389,6 +391,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // FilterTextFieldControl * FilterControlId: "STRING_VALUE", // required @@ -437,6 +440,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * CrossSheet: { // FilterCrossSheetControl * FilterControlId: "STRING_VALUE", // required @@ -4538,6 +4542,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { // DefaultFilterListControlOptions * DisplayOptions: { @@ -4567,6 +4572,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * SelectableValues: { * Values: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * DisplayOptions: { @@ -4601,6 +4607,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4633,6 +4640,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4656,6 +4664,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4688,6 +4697,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4713,6 +4723,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4734,6 +4745,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4766,6 +4778,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4786,6 +4799,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4796,6 +4810,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4817,6 +4832,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4849,6 +4865,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4859,6 +4876,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4876,6 +4894,7 @@ export interface CreateTemplateCommandOutput extends CreateTemplateResponse, __M * }, * DefaultRelativeDateTimeOptions: { * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, diff --git a/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts b/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts index 0c613f7b3d17..be7de865ac78 100644 --- a/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeAnalysisDefinitionCommand.ts @@ -215,6 +215,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // }, * // ], * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // TextField: { // ParameterTextFieldControl * // ParameterControlId: "STRING_VALUE", // required @@ -303,6 +304,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, * // Type: "SINGLE_VALUED" || "DATE_RANGE", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // List: { // FilterListControl * // FilterControlId: "STRING_VALUE", // required @@ -361,6 +363,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // }, * // ], * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // TextField: { // FilterTextFieldControl * // FilterControlId: "STRING_VALUE", // required @@ -409,6 +412,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // CrossSheet: { // FilterCrossSheetControl * // FilterControlId: "STRING_VALUE", // required @@ -4510,6 +4514,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { // DefaultFilterListControlOptions * // DisplayOptions: { @@ -4539,6 +4544,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // SelectableValues: { * // Values: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * // DisplayOptions: { @@ -4573,6 +4579,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4605,6 +4612,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: { @@ -4628,6 +4636,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // }, * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: { @@ -4660,6 +4669,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4685,6 +4695,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: { @@ -4706,6 +4717,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // }, * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: { @@ -4738,6 +4750,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4758,6 +4771,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DefaultDateTimePickerOptions: { * // Type: "SINGLE_VALUED" || "DATE_RANGE", * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: "", @@ -4768,6 +4782,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DisplayOptions: "", * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: "", @@ -4789,6 +4804,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4821,6 +4837,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DefaultDateTimePickerOptions: { * // Type: "SINGLE_VALUED" || "DATE_RANGE", * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: "", @@ -4831,6 +4848,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // DisplayOptions: "", * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: "", @@ -4848,6 +4866,7 @@ export interface DescribeAnalysisDefinitionCommandOutput extends DescribeAnalysi * // }, * // DefaultRelativeDateTimeOptions: { * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, diff --git a/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts b/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts index f91b764ac78b..c88f40c9849f 100644 --- a/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeDashboardDefinitionCommand.ts @@ -222,6 +222,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // }, * // ], * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // TextField: { // ParameterTextFieldControl * // ParameterControlId: "STRING_VALUE", // required @@ -310,6 +311,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, * // Type: "SINGLE_VALUED" || "DATE_RANGE", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // List: { // FilterListControl * // FilterControlId: "STRING_VALUE", // required @@ -368,6 +370,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // }, * // ], * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // TextField: { // FilterTextFieldControl * // FilterControlId: "STRING_VALUE", // required @@ -416,6 +419,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // CrossSheet: { // FilterCrossSheetControl * // FilterControlId: "STRING_VALUE", // required @@ -4517,6 +4521,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { // DefaultFilterListControlOptions * // DisplayOptions: { @@ -4546,6 +4551,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // SelectableValues: { * // Values: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * // DisplayOptions: { @@ -4580,6 +4586,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4612,6 +4619,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: { @@ -4635,6 +4643,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // }, * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: { @@ -4667,6 +4676,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4692,6 +4702,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: { @@ -4713,6 +4724,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // }, * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: { @@ -4745,6 +4757,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4765,6 +4778,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DefaultDateTimePickerOptions: { * // Type: "SINGLE_VALUED" || "DATE_RANGE", * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: "", @@ -4775,6 +4789,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DisplayOptions: "", * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: "", @@ -4796,6 +4811,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4828,6 +4844,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DefaultDateTimePickerOptions: { * // Type: "SINGLE_VALUED" || "DATE_RANGE", * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: "", @@ -4838,6 +4855,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // DisplayOptions: "", * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: "", @@ -4855,6 +4873,7 @@ export interface DescribeDashboardDefinitionCommandOutput * // }, * // DefaultRelativeDateTimeOptions: { * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, diff --git a/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts b/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts index 4ead19638a55..bfe6fb974d6b 100644 --- a/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeTemplateDefinitionCommand.ts @@ -235,6 +235,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // }, * // ], * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // TextField: { // ParameterTextFieldControl * // ParameterControlId: "STRING_VALUE", // required @@ -323,6 +324,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, * // Type: "SINGLE_VALUED" || "DATE_RANGE", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // List: { // FilterListControl * // FilterControlId: "STRING_VALUE", // required @@ -381,6 +383,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // }, * // ], * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // TextField: { // FilterTextFieldControl * // FilterControlId: "STRING_VALUE", // required @@ -429,6 +432,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // CrossSheet: { // FilterCrossSheetControl * // FilterControlId: "STRING_VALUE", // required @@ -4530,6 +4534,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { // DefaultFilterListControlOptions * // DisplayOptions: { @@ -4559,6 +4564,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // SelectableValues: { * // Values: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * // DisplayOptions: { @@ -4593,6 +4599,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4625,6 +4632,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: { @@ -4648,6 +4656,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // }, * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: { @@ -4680,6 +4689,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4705,6 +4715,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // HelperTextVisibility: "HIDDEN" || "VISIBLE", * // DateIconVisibility: "HIDDEN" || "VISIBLE", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: { @@ -4726,6 +4737,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // }, * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: { @@ -4758,6 +4770,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4778,6 +4791,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DefaultDateTimePickerOptions: { * // Type: "SINGLE_VALUED" || "DATE_RANGE", * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: "", @@ -4788,6 +4802,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DisplayOptions: "", * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: "", @@ -4809,6 +4824,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DateTimeFormat: "STRING_VALUE", * // InfoIconLabelOptions: "", * // }, + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, @@ -4841,6 +4857,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DefaultDateTimePickerOptions: { * // Type: "SINGLE_VALUED" || "DATE_RANGE", * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultListOptions: { * // DisplayOptions: "", @@ -4851,6 +4868,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // DisplayOptions: "", * // Type: "MULTI_SELECT" || "SINGLE_SELECT", * // SelectableValues: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // DefaultTextFieldOptions: { * // DisplayOptions: "", @@ -4868,6 +4886,7 @@ export interface DescribeTemplateDefinitionCommandOutput extends DescribeTemplat * // }, * // DefaultRelativeDateTimeOptions: { * // DisplayOptions: "", + * // CommitMode: "AUTO" || "MANUAL", * // }, * // }, * // }, diff --git a/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts b/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts index 49fe7efea669..ff49ce154455 100644 --- a/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts +++ b/clients/client-quicksight/src/commands/DescribeVPCConnectionCommand.ts @@ -5,8 +5,7 @@ import { Command as $Command } from "@smithy/smithy-client"; import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; -import { DescribeVPCConnectionRequest } from "../models/models_3"; -import { DescribeVPCConnectionResponse } from "../models/models_4"; +import { DescribeVPCConnectionRequest, DescribeVPCConnectionResponse } from "../models/models_4"; import { de_DescribeVPCConnectionCommand, se_DescribeVPCConnectionCommand } from "../protocols/Aws_restJson1"; import { QuickSightClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../QuickSightClient"; diff --git a/clients/client-quicksight/src/commands/ListFoldersForResourceCommand.ts b/clients/client-quicksight/src/commands/ListFoldersForResourceCommand.ts new file mode 100644 index 000000000000..9538eea75ac2 --- /dev/null +++ b/clients/client-quicksight/src/commands/ListFoldersForResourceCommand.ts @@ -0,0 +1,127 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { ListFoldersForResourceRequest, ListFoldersForResourceResponse } from "../models/models_4"; +import { de_ListFoldersForResourceCommand, se_ListFoldersForResourceCommand } from "../protocols/Aws_restJson1"; +import { QuickSightClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../QuickSightClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListFoldersForResourceCommand}. + */ +export interface ListFoldersForResourceCommandInput extends ListFoldersForResourceRequest {} +/** + * @public + * + * The output of {@link ListFoldersForResourceCommand}. + */ +export interface ListFoldersForResourceCommandOutput extends ListFoldersForResourceResponse, __MetadataBearer {} + +/** + *

    List all folders that a resource is a member of.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { QuickSightClient, ListFoldersForResourceCommand } from "@aws-sdk/client-quicksight"; // ES Modules import + * // const { QuickSightClient, ListFoldersForResourceCommand } = require("@aws-sdk/client-quicksight"); // CommonJS import + * const client = new QuickSightClient(config); + * const input = { // ListFoldersForResourceRequest + * AwsAccountId: "STRING_VALUE", // required + * ResourceArn: "STRING_VALUE", // required + * NextToken: "STRING_VALUE", + * MaxResults: Number("int"), + * }; + * const command = new ListFoldersForResourceCommand(input); + * const response = await client.send(command); + * // { // ListFoldersForResourceResponse + * // Status: Number("int"), + * // Folders: [ // FoldersForResourceArnList + * // "STRING_VALUE", + * // ], + * // NextToken: "STRING_VALUE", + * // RequestId: "STRING_VALUE", + * // }; + * + * ``` + * + * @param ListFoldersForResourceCommandInput - {@link ListFoldersForResourceCommandInput} + * @returns {@link ListFoldersForResourceCommandOutput} + * @see {@link ListFoldersForResourceCommandInput} for command's `input` shape. + * @see {@link ListFoldersForResourceCommandOutput} for command's `response` shape. + * @see {@link QuickSightClientResolvedConfig | config} for QuickSightClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    You don't have access to this item. The provided credentials couldn't be + * validated. You might not be authorized to carry out the request. Make sure that your + * account is authorized to use the Amazon QuickSight service, that your policies have the + * correct permissions, and that you are using the correct credentials.

    + * + * @throws {@link InternalFailureException} (server fault) + *

    An internal failure occurred.

    + * + * @throws {@link InvalidNextTokenException} (client fault) + *

    The NextToken value isn't valid.

    + * + * @throws {@link InvalidParameterValueException} (client fault) + *

    One or more parameters has a value that isn't valid.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    One or more resources can't be found.

    + * + * @throws {@link ThrottlingException} (client fault) + *

    Access is throttled.

    + * + * @throws {@link UnsupportedUserEditionException} (client fault) + *

    This error indicates that you are calling an operation on an Amazon QuickSight + * subscription where the edition doesn't include support for that operation. Amazon + * Amazon QuickSight currently has Standard Edition and Enterprise Edition. Not every operation and + * capability is available in every edition.

    + * + * @throws {@link QuickSightServiceException} + *

    Base exception class for all service exceptions from QuickSight service.

    + * + * @public + */ +export class ListFoldersForResourceCommand extends $Command + .classBuilder< + ListFoldersForResourceCommandInput, + ListFoldersForResourceCommandOutput, + QuickSightClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: QuickSightClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("QuickSight_20180401", "ListFoldersForResource", {}) + .n("QuickSightClient", "ListFoldersForResourceCommand") + .f(void 0, void 0) + .ser(se_ListFoldersForResourceCommand) + .de(de_ListFoldersForResourceCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListFoldersForResourceRequest; + output: ListFoldersForResourceResponse; + }; + sdk: { + input: ListFoldersForResourceCommandInput; + output: ListFoldersForResourceCommandOutput; + }; + }; +} diff --git a/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts b/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts index c78ef9bf6c93..aed3d910c236 100644 --- a/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateAnalysisCommand.ts @@ -235,6 +235,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // ParameterTextFieldControl * ParameterControlId: "STRING_VALUE", // required @@ -323,6 +324,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, * Type: "SINGLE_VALUED" || "DATE_RANGE", + * CommitMode: "AUTO" || "MANUAL", * }, * List: { // FilterListControl * FilterControlId: "STRING_VALUE", // required @@ -381,6 +383,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // FilterTextFieldControl * FilterControlId: "STRING_VALUE", // required @@ -429,6 +432,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * CrossSheet: { // FilterCrossSheetControl * FilterControlId: "STRING_VALUE", // required @@ -4530,6 +4534,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { // DefaultFilterListControlOptions * DisplayOptions: { @@ -4559,6 +4564,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * SelectableValues: { * Values: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * DisplayOptions: { @@ -4593,6 +4599,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4625,6 +4632,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4648,6 +4656,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4680,6 +4689,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4705,6 +4715,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4726,6 +4737,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4758,6 +4770,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4778,6 +4791,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4788,6 +4802,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4809,6 +4824,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4841,6 +4857,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4851,6 +4868,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4868,6 +4886,7 @@ export interface UpdateAnalysisCommandOutput extends UpdateAnalysisResponse, __M * }, * DefaultRelativeDateTimeOptions: { * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, diff --git a/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts b/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts index bcae7e688da9..6f90e87bb361 100644 --- a/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateDashboardCommand.ts @@ -280,6 +280,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // ParameterTextFieldControl * ParameterControlId: "STRING_VALUE", // required @@ -368,6 +369,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, * Type: "SINGLE_VALUED" || "DATE_RANGE", + * CommitMode: "AUTO" || "MANUAL", * }, * List: { // FilterListControl * FilterControlId: "STRING_VALUE", // required @@ -426,6 +428,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // FilterTextFieldControl * FilterControlId: "STRING_VALUE", // required @@ -474,6 +477,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * CrossSheet: { // FilterCrossSheetControl * FilterControlId: "STRING_VALUE", // required @@ -4573,6 +4577,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { // DefaultFilterListControlOptions * DisplayOptions: { @@ -4602,6 +4607,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * SelectableValues: { * Values: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * DisplayOptions: { @@ -4636,6 +4642,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4668,6 +4675,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4691,6 +4699,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4723,6 +4732,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4748,6 +4758,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4769,6 +4780,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4801,6 +4813,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4821,6 +4834,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4831,6 +4845,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4852,6 +4867,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4884,6 +4900,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4894,6 +4911,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4911,6 +4929,7 @@ export interface UpdateDashboardCommandOutput extends UpdateDashboardResponse, _ * }, * DefaultRelativeDateTimeOptions: { * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, diff --git a/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts b/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts index fa3956707098..6570769574fa 100644 --- a/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts +++ b/clients/client-quicksight/src/commands/UpdateTemplateCommand.ts @@ -222,6 +222,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // ParameterTextFieldControl * ParameterControlId: "STRING_VALUE", // required @@ -310,6 +311,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, * Type: "SINGLE_VALUED" || "DATE_RANGE", + * CommitMode: "AUTO" || "MANUAL", * }, * List: { // FilterListControl * FilterControlId: "STRING_VALUE", // required @@ -368,6 +370,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * }, * ], * }, + * CommitMode: "AUTO" || "MANUAL", * }, * TextField: { // FilterTextFieldControl * FilterControlId: "STRING_VALUE", // required @@ -416,6 +419,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * CrossSheet: { // FilterCrossSheetControl * FilterControlId: "STRING_VALUE", // required @@ -4517,6 +4521,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { // DefaultFilterListControlOptions * DisplayOptions: { @@ -4546,6 +4551,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * SelectableValues: { * Values: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { // DefaultTextFieldControlOptions * DisplayOptions: { @@ -4580,6 +4586,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4612,6 +4619,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4635,6 +4643,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4667,6 +4676,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4692,6 +4702,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * HelperTextVisibility: "HIDDEN" || "VISIBLE", * DateIconVisibility: "HIDDEN" || "VISIBLE", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: { @@ -4713,6 +4724,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * }, * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: { @@ -4745,6 +4757,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4765,6 +4778,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4775,6 +4789,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4796,6 +4811,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DateTimeFormat: "STRING_VALUE", * InfoIconLabelOptions: "", * }, + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, @@ -4828,6 +4844,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DefaultDateTimePickerOptions: { * Type: "SINGLE_VALUED" || "DATE_RANGE", * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultListOptions: { * DisplayOptions: "", @@ -4838,6 +4855,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * DisplayOptions: "", * Type: "MULTI_SELECT" || "SINGLE_SELECT", * SelectableValues: "", + * CommitMode: "AUTO" || "MANUAL", * }, * DefaultTextFieldOptions: { * DisplayOptions: "", @@ -4855,6 +4873,7 @@ export interface UpdateTemplateCommandOutput extends UpdateTemplateResponse, __M * }, * DefaultRelativeDateTimeOptions: { * DisplayOptions: "", + * CommitMode: "AUTO" || "MANUAL", * }, * }, * }, diff --git a/clients/client-quicksight/src/commands/index.ts b/clients/client-quicksight/src/commands/index.ts index 830c80342adf..797dbf47c157 100644 --- a/clients/client-quicksight/src/commands/index.ts +++ b/clients/client-quicksight/src/commands/index.ts @@ -106,6 +106,7 @@ export * from "./ListDataSetsCommand"; export * from "./ListDataSourcesCommand"; export * from "./ListFolderMembersCommand"; export * from "./ListFoldersCommand"; +export * from "./ListFoldersForResourceCommand"; export * from "./ListGroupMembershipsCommand"; export * from "./ListGroupsCommand"; export * from "./ListIAMPolicyAssignmentsCommand"; diff --git a/clients/client-quicksight/src/models/models_0.ts b/clients/client-quicksight/src/models/models_0.ts index ad1b21263b8a..7d0320d3df36 100644 --- a/clients/client-quicksight/src/models/models_0.ts +++ b/clients/client-quicksight/src/models/models_0.ts @@ -1905,6 +1905,20 @@ export interface CategoryFilterConfiguration { CustomFilterConfiguration?: CustomFilterConfiguration; } +/** + * @public + * @enum + */ +export const CommitMode = { + AUTO: "AUTO", + MANUAL: "MANUAL", +} as const; + +/** + * @public + */ +export type CommitMode = (typeof CommitMode)[keyof typeof CommitMode]; + /** *

    A control to display info icons for filters and parameters.

    * @public @@ -2143,6 +2157,12 @@ export interface DefaultDateTimePickerControlOptions { * @public */ DisplayOptions?: DateTimePickerControlDisplayOptions; + + /** + *

    The visibility configuration of the Apply button on a DateTimePickerControl.

    + * @public + */ + CommitMode?: CommitMode; } /** @@ -2240,6 +2260,12 @@ export interface DefaultFilterDropDownControlOptions { * @public */ SelectableValues?: FilterSelectableValues; + + /** + *

    The visibility configuration of the Apply button on a FilterDropDownControl.

    + * @public + */ + CommitMode?: CommitMode; } /** @@ -2352,6 +2378,12 @@ export interface DefaultRelativeDateTimeControlOptions { * @public */ DisplayOptions?: RelativeDateTimeControlDisplayOptions; + + /** + *

    The visibility configuration of the Apply button on a RelativeDateTimeControl.

    + * @public + */ + CommitMode?: CommitMode; } /** @@ -4128,6 +4160,12 @@ export interface FilterDateTimePickerControl { * @public */ Type?: SheetControlDateTimePickerType; + + /** + *

    The visibility configurationof the Apply button on a DateTimePickerControl.

    + * @public + */ + CommitMode?: CommitMode; } /** @@ -4186,6 +4224,12 @@ export interface FilterDropDownControl { * @public */ CascadingControlConfiguration?: CascadingControlConfiguration; + + /** + *

    The visibility configuration of the Apply button on a FilterDropDownControl.

    + * @public + */ + CommitMode?: CommitMode; } /** @@ -4274,6 +4318,12 @@ export interface FilterRelativeDateTimeControl { * @public */ DisplayOptions?: RelativeDateTimeControlDisplayOptions; + + /** + *

    The visibility configuration of the Apply button on a FilterRelativeDateTimeControl.

    + * @public + */ + CommitMode?: CommitMode; } /** @@ -5168,6 +5218,12 @@ export interface ParameterDropDownControl { * @public */ CascadingControlConfiguration?: CascadingControlConfiguration; + + /** + *

    The visibility configuration of the Apply button on a ParameterDropDownControl.

    + * @public + */ + CommitMode?: CommitMode; } /** @@ -7474,20 +7530,6 @@ export interface SmallMultiplesOptions { YAxis?: SmallMultiplesAxisProperties; } -/** - * @public - * @enum - */ -export const OtherCategories = { - EXCLUDE: "EXCLUDE", - INCLUDE: "INCLUDE", -} as const; - -/** - * @public - */ -export type OtherCategories = (typeof OtherCategories)[keyof typeof OtherCategories]; - /** * @internal */ diff --git a/clients/client-quicksight/src/models/models_1.ts b/clients/client-quicksight/src/models/models_1.ts index fb1578023f1f..ae3cf0fa7213 100644 --- a/clients/client-quicksight/src/models/models_1.ts +++ b/clients/client-quicksight/src/models/models_1.ts @@ -25,7 +25,6 @@ import { MeasureFieldFilterSensitiveLog, NumberDisplayFormatConfiguration, NumberDisplayFormatConfigurationFilterSensitiveLog, - OtherCategories, PercentageDisplayFormatConfiguration, PercentageDisplayFormatConfigurationFilterSensitiveLog, ReferenceLine, @@ -40,6 +39,20 @@ import { WidgetStatus, } from "./models_0"; +/** + * @public + * @enum + */ +export const OtherCategories = { + EXCLUDE: "EXCLUDE", + INCLUDE: "INCLUDE", +} as const; + +/** + * @public + */ +export type OtherCategories = (typeof OtherCategories)[keyof typeof OtherCategories]; + /** *

    The limit configuration of the visual display for an axis.

    * @public @@ -7750,72 +7763,6 @@ export interface TreeMapSortConfiguration { TreeMapGroupItemsLimitConfiguration?: ItemsLimitConfiguration; } -/** - *

    The configuration of a tree map.

    - * @public - */ -export interface TreeMapConfiguration { - /** - *

    The field wells of the visual.

    - * @public - */ - FieldWells?: TreeMapFieldWells; - - /** - *

    The sort configuration of a tree map.

    - * @public - */ - SortConfiguration?: TreeMapSortConfiguration; - - /** - *

    The label options (label text, label visibility) of the groups that are displayed in a tree map.

    - * @public - */ - GroupLabelOptions?: ChartAxisLabelOptions; - - /** - *

    The label options (label text, label visibility) of the sizes that are displayed in a tree map.

    - * @public - */ - SizeLabelOptions?: ChartAxisLabelOptions; - - /** - *

    The label options (label text, label visibility) for the colors displayed in a tree map.

    - * @public - */ - ColorLabelOptions?: ChartAxisLabelOptions; - - /** - *

    The color options (gradient color, point of divergence) of a tree map.

    - * @public - */ - ColorScale?: ColorScale; - - /** - *

    The legend display setup of the visual.

    - * @public - */ - Legend?: LegendOptions; - - /** - *

    The options that determine if visual data labels are displayed.

    - * @public - */ - DataLabels?: DataLabelOptions; - - /** - *

    The tooltip display setup of the visual.

    - * @public - */ - Tooltip?: TooltipOptions; - - /** - *

    The general visual interactions setup for a visual.

    - * @public - */ - Interactions?: VisualInteractionOptions; -} - /** * @internal */ @@ -8973,11 +8920,3 @@ export const TreeMapAggregatedFieldWellsFilterSensitiveLog = (obj: TreeMapAggreg export const TreeMapFieldWellsFilterSensitiveLog = (obj: TreeMapFieldWells): any => ({ ...obj, }); - -/** - * @internal - */ -export const TreeMapConfigurationFilterSensitiveLog = (obj: TreeMapConfiguration): any => ({ - ...obj, - ...(obj.DataLabels && { DataLabels: DataLabelOptionsFilterSensitiveLog(obj.DataLabels) }), -}); diff --git a/clients/client-quicksight/src/models/models_2.ts b/clients/client-quicksight/src/models/models_2.ts index 900575950150..a7a0532d0cf2 100644 --- a/clients/client-quicksight/src/models/models_2.ts +++ b/clients/client-quicksight/src/models/models_2.ts @@ -48,6 +48,7 @@ import { import { BarChartVisual, BoxPlotVisual, + ColorScale, ColumnHierarchy, ComboChartVisual, CustomContentVisual, @@ -74,7 +75,9 @@ import { ScatterPlotVisual, ScatterPlotVisualFilterSensitiveLog, TableVisual, - TreeMapConfiguration, + TooltipOptions, + TreeMapFieldWells, + TreeMapSortConfiguration, VisualPalette, VisualPaletteFilterSensitiveLog, VisualSubtitleLabelOptions, @@ -83,6 +86,72 @@ import { import { QuickSightServiceException as __BaseException } from "./QuickSightServiceException"; +/** + *

    The configuration of a tree map.

    + * @public + */ +export interface TreeMapConfiguration { + /** + *

    The field wells of the visual.

    + * @public + */ + FieldWells?: TreeMapFieldWells; + + /** + *

    The sort configuration of a tree map.

    + * @public + */ + SortConfiguration?: TreeMapSortConfiguration; + + /** + *

    The label options (label text, label visibility) of the groups that are displayed in a tree map.

    + * @public + */ + GroupLabelOptions?: ChartAxisLabelOptions; + + /** + *

    The label options (label text, label visibility) of the sizes that are displayed in a tree map.

    + * @public + */ + SizeLabelOptions?: ChartAxisLabelOptions; + + /** + *

    The label options (label text, label visibility) for the colors displayed in a tree map.

    + * @public + */ + ColorLabelOptions?: ChartAxisLabelOptions; + + /** + *

    The color options (gradient color, point of divergence) of a tree map.

    + * @public + */ + ColorScale?: ColorScale; + + /** + *

    The legend display setup of the visual.

    + * @public + */ + Legend?: LegendOptions; + + /** + *

    The options that determine if visual data labels are displayed.

    + * @public + */ + DataLabels?: DataLabelOptions; + + /** + *

    The tooltip display setup of the visual.

    + * @public + */ + Tooltip?: TooltipOptions; + + /** + *

    The general visual interactions setup for a visual.

    + * @public + */ + Interactions?: VisualInteractionOptions; +} + /** *

    A tree map.

    *

    For more information, see Using tree maps in the Amazon QuickSight User Guide.

    @@ -8697,35 +8766,12 @@ export interface CredentialPair { } /** - *

    Data source credentials. This is a variant type structure. For this structure to be - * valid, only one of the attributes can be non-null.

    - * @public + * @internal */ -export interface DataSourceCredentials { - /** - *

    Credential pair. For more information, see - * - * CredentialPair - * .

    - * @public - */ - CredentialPair?: CredentialPair; - - /** - *

    The Amazon Resource Name (ARN) of a data source that has the credential pair that you - * want to use. When CopySourceArn is not null, the credential pair from the - * data source in the ARN is used as the credentials for the - * DataSourceCredentials structure.

    - * @public - */ - CopySourceArn?: string; - - /** - *

    The Amazon Resource Name (ARN) of the secret associated with the data source in Amazon Secrets Manager.

    - * @public - */ - SecretArn?: string; -} +export const TreeMapConfigurationFilterSensitiveLog = (obj: TreeMapConfiguration): any => ({ + ...obj, + ...(obj.DataLabels && { DataLabels: DataLabelOptionsFilterSensitiveLog(obj.DataLabels) }), +}); /** * @internal @@ -9127,11 +9173,3 @@ export const CreateDataSetRequestFilterSensitiveLog = (obj: CreateDataSetRequest ), }), }); - -/** - * @internal - */ -export const DataSourceCredentialsFilterSensitiveLog = (obj: DataSourceCredentials): any => ({ - ...obj, - ...(obj.CredentialPair && { CredentialPair: obj.CredentialPair }), -}); diff --git a/clients/client-quicksight/src/models/models_3.ts b/clients/client-quicksight/src/models/models_3.ts index 509f291f16cd..1f02b3417d51 100644 --- a/clients/client-quicksight/src/models/models_3.ts +++ b/clients/client-quicksight/src/models/models_3.ts @@ -60,13 +60,13 @@ import { ColumnSchema, ComparativeOrder, ConstantType, + CredentialPair, DashboardPublishOptions, DashboardVersionDefinition, DataSetImportMode, DatasetParameter, DataSetReference, DataSetUsageConfiguration, - DataSourceCredentials, DataSourceParameters, DisplayFormat, DisplayFormatOptions, @@ -93,6 +93,37 @@ import { import { QuickSightServiceException as __BaseException } from "./QuickSightServiceException"; +/** + *

    Data source credentials. This is a variant type structure. For this structure to be + * valid, only one of the attributes can be non-null.

    + * @public + */ +export interface DataSourceCredentials { + /** + *

    Credential pair. For more information, see + * + * CredentialPair + * .

    + * @public + */ + CredentialPair?: CredentialPair; + + /** + *

    The Amazon Resource Name (ARN) of a data source that has the credential pair that you + * want to use. When CopySourceArn is not null, the credential pair from the + * data source in the ARN is used as the credentials for the + * DataSourceCredentials structure.

    + * @public + */ + CopySourceArn?: string; + + /** + *

    The Amazon Resource Name (ARN) of the secret associated with the data source in Amazon Secrets Manager.

    + * @public + */ + SecretArn?: string; +} + /** * @public * @enum @@ -9285,23 +9316,12 @@ export interface DescribeUserResponse { } /** - * @public + * @internal */ -export interface DescribeVPCConnectionRequest { - /** - *

    The Amazon Web Services account ID of the account that contains the VPC connection that - * you want described.

    - * @public - */ - AwsAccountId: string | undefined; - - /** - *

    The ID of the VPC connection that - * you're creating. This ID is a unique identifier for each Amazon Web Services Region in an Amazon Web Services account.

    - * @public - */ - VPCConnectionId: string | undefined; -} +export const DataSourceCredentialsFilterSensitiveLog = (obj: DataSourceCredentials): any => ({ + ...obj, + ...(obj.CredentialPair && { CredentialPair: obj.CredentialPair }), +}); /** * @internal diff --git a/clients/client-quicksight/src/models/models_4.ts b/clients/client-quicksight/src/models/models_4.ts index 02fd84b8d32a..e3fa3e48c185 100644 --- a/clients/client-quicksight/src/models/models_4.ts +++ b/clients/client-quicksight/src/models/models_4.ts @@ -35,7 +35,6 @@ import { DataSetImportMode, DatasetParameter, DataSetUsageConfiguration, - DataSourceCredentials, DataSourceParameters, FieldFolder, FilterOperator, @@ -67,6 +66,7 @@ import { DataSetSearchFilter, DataSetSummary, DataSource, + DataSourceCredentials, DataSourceSearchFilter, DataSourceSummary, FolderType, @@ -97,6 +97,25 @@ import { import { QuickSightServiceException as __BaseException } from "./QuickSightServiceException"; +/** + * @public + */ +export interface DescribeVPCConnectionRequest { + /** + *

    The Amazon Web Services account ID of the account that contains the VPC connection that + * you want described.

    + * @public + */ + AwsAccountId: string | undefined; + + /** + *

    The ID of the VPC connection that + * you're creating. This ID is a unique identifier for each Amazon Web Services Region in an Amazon Web Services account.

    + * @public + */ + VPCConnectionId: string | undefined; +} + /** * @public * @enum @@ -1816,6 +1835,64 @@ export interface ListFoldersResponse { RequestId?: string; } +/** + * @public + */ +export interface ListFoldersForResourceRequest { + /** + *

    The ID for the Amazon Web Services account that contains the resource.

    + * @public + */ + AwsAccountId: string | undefined; + + /** + *

    The Amazon Resource Name (ARN) the resource whose folders you need to list.

    + * @public + */ + ResourceArn: string | undefined; + + /** + *

    The token for the next set of results, or null if there are no more results.

    + * @public + */ + NextToken?: string; + + /** + *

    The maximum number of results to be returned per request.

    + * @public + */ + MaxResults?: number; +} + +/** + * @public + */ +export interface ListFoldersForResourceResponse { + /** + *

    The HTTP status of the request.

    + * @public + */ + Status?: number; + + /** + *

    A list that contains the Amazon Resource Names (ARNs) of all folders that the resource is a member of.

    + * @public + */ + Folders?: string[]; + + /** + *

    The token for the next set of results, or null if there are no more results.

    + * @public + */ + NextToken?: string; + + /** + *

    The Amazon Web Services request ID for this operation.

    + * @public + */ + RequestId?: string; +} + /** * @public */ diff --git a/clients/client-quicksight/src/pagination/ListFoldersForResourcePaginator.ts b/clients/client-quicksight/src/pagination/ListFoldersForResourcePaginator.ts new file mode 100644 index 000000000000..66f52365ada9 --- /dev/null +++ b/clients/client-quicksight/src/pagination/ListFoldersForResourcePaginator.ts @@ -0,0 +1,24 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { + ListFoldersForResourceCommand, + ListFoldersForResourceCommandInput, + ListFoldersForResourceCommandOutput, +} from "../commands/ListFoldersForResourceCommand"; +import { QuickSightClient } from "../QuickSightClient"; +import { QuickSightPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateListFoldersForResource: ( + config: QuickSightPaginationConfiguration, + input: ListFoldersForResourceCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + QuickSightPaginationConfiguration, + ListFoldersForResourceCommandInput, + ListFoldersForResourceCommandOutput +>(QuickSightClient, ListFoldersForResourceCommand, "NextToken", "NextToken", "MaxResults"); diff --git a/clients/client-quicksight/src/pagination/index.ts b/clients/client-quicksight/src/pagination/index.ts index 5c5c29e2efe6..bcec1e961918 100644 --- a/clients/client-quicksight/src/pagination/index.ts +++ b/clients/client-quicksight/src/pagination/index.ts @@ -11,6 +11,7 @@ export * from "./ListDashboardsPaginator"; export * from "./ListDataSetsPaginator"; export * from "./ListDataSourcesPaginator"; export * from "./ListFolderMembersPaginator"; +export * from "./ListFoldersForResourcePaginator"; export * from "./ListFoldersPaginator"; export * from "./ListGroupMembershipsPaginator"; export * from "./ListGroupsPaginator"; diff --git a/clients/client-quicksight/src/protocols/Aws_restJson1.ts b/clients/client-quicksight/src/protocols/Aws_restJson1.ts index fd3b5d2a1ad3..01b034d856ce 100644 --- a/clients/client-quicksight/src/protocols/Aws_restJson1.ts +++ b/clients/client-quicksight/src/protocols/Aws_restJson1.ts @@ -326,6 +326,10 @@ import { ListDataSetsCommandInput, ListDataSetsCommandOutput } from "../commands import { ListDataSourcesCommandInput, ListDataSourcesCommandOutput } from "../commands/ListDataSourcesCommand"; import { ListFolderMembersCommandInput, ListFolderMembersCommandOutput } from "../commands/ListFolderMembersCommand"; import { ListFoldersCommandInput, ListFoldersCommandOutput } from "../commands/ListFoldersCommand"; +import { + ListFoldersForResourceCommandInput, + ListFoldersForResourceCommandOutput, +} from "../commands/ListFoldersForResourceCommand"; import { ListGroupMembershipsCommandInput, ListGroupMembershipsCommandOutput, @@ -979,7 +983,6 @@ import { TotalAggregationOption, TotalOptions, TreeMapAggregatedFieldWells, - TreeMapConfiguration, TreeMapFieldWells, TreeMapSortConfiguration, TrendArrowOptions, @@ -1097,7 +1100,6 @@ import { DatasetParameter, DataSetReference, DataSetUsageConfiguration, - DataSourceCredentials, DataSourceParameters, DateTimeDatasetParameter, DateTimeDatasetParameterDefaultValues, @@ -1188,6 +1190,7 @@ import { TopicSortClause, TopicTemplate, TransformOperation, + TreeMapConfiguration, TreeMapVisual, TrinoParameters, TwitterParameters, @@ -1231,6 +1234,7 @@ import { DataSetSearchFilter, DataSetSummary, DataSource, + DataSourceCredentials, DataSourceSearchFilter, DataSourceSummary, DefaultFormatting, @@ -3522,6 +3526,27 @@ export const se_ListFoldersCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1ListFoldersForResourceCommand + */ +export const se_ListFoldersForResourceCommand = async ( + input: ListFoldersForResourceCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/accounts/{AwsAccountId}/resource/{ResourceArn}/folders"); + b.p("AwsAccountId", () => input.AwsAccountId!, "{AwsAccountId}", false); + b.p("ResourceArn", () => input.ResourceArn!, "{ResourceArn}", false); + const query: any = map({ + [_nt]: [, input[_NT]!], + [_mr]: [() => input.MaxResults !== void 0, () => input[_MR]!.toString()], + }); + let body: any; + b.m("GET").h(headers).q(query).b(body); + return b.build(); +}; + /** * serializeAws_restJson1ListGroupMembershipsCommand */ @@ -8009,6 +8034,32 @@ export const de_ListFoldersCommand = async ( return contents; }; +/** + * deserializeAws_restJson1ListFoldersForResourceCommand + */ +export const de_ListFoldersForResourceCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + Folders: _json, + NextToken: __expectString, + RequestId: __expectString, + }); + Object.assign(contents, doc); + map(contents, { + Status: [, output.statusCode], + }); + return contents; +}; + /** * deserializeAws_restJson1ListGroupMembershipsCommand */ @@ -17763,6 +17814,8 @@ const de_Folder = (output: any, context: __SerdeContext): Folder => { // de_FolderMemberList omitted. +// de_FoldersForResourceArnList omitted. + /** * deserializeAws_restJson1FolderSummary */ diff --git a/codegen/sdk-codegen/aws-models/quicksight.json b/codegen/sdk-codegen/aws-models/quicksight.json index cd8abf695716..a3b31dc72ad1 100644 --- a/codegen/sdk-codegen/aws-models/quicksight.json +++ b/codegen/sdk-codegen/aws-models/quicksight.json @@ -6679,6 +6679,23 @@ "smithy.api#documentation": "

    A combo chart.

    \n

    The ComboChartVisual includes stacked bar combo charts and clustered bar combo charts

    \n

    For more information, see Using combo charts in the Amazon QuickSight User Guide.

    " } }, + "com.amazonaws.quicksight#CommitMode": { + "type": "enum", + "members": { + "AUTO": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AUTO" + } + }, + "MANUAL": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "MANUAL" + } + } + } + }, "com.amazonaws.quicksight#ComparativeOrder": { "type": "structure", "members": { @@ -14472,6 +14489,12 @@ "traits": { "smithy.api#documentation": "

    The display options of a control.

    " } + }, + "CommitMode": { + "target": "com.amazonaws.quicksight#CommitMode", + "traits": { + "smithy.api#documentation": "

    The visibility configuration of the Apply button on a DateTimePickerControl.

    " + } } }, "traits": { @@ -14570,6 +14593,12 @@ "traits": { "smithy.api#documentation": "

    A list of selectable values that are used in a control.

    " } + }, + "CommitMode": { + "target": "com.amazonaws.quicksight#CommitMode", + "traits": { + "smithy.api#documentation": "

    The visibility configuration of the Apply button on a FilterDropDownControl.

    " + } } }, "traits": { @@ -14720,6 +14749,12 @@ "traits": { "smithy.api#documentation": "

    The display options of a control.

    " } + }, + "CommitMode": { + "target": "com.amazonaws.quicksight#CommitMode", + "traits": { + "smithy.api#documentation": "

    The visibility configuration of the Apply button on a RelativeDateTimeControl.

    " + } } }, "traits": { @@ -23481,6 +23516,12 @@ "traits": { "smithy.api#documentation": "

    The type of the FilterDropDownControl. Choose one of the following options:

    \n
      \n
    • \n

      \n MULTI_SELECT: The user can select multiple entries from a dropdown menu.

      \n
    • \n
    • \n

      \n SINGLE_SELECT: The user can select a single entry from a dropdown menu.

      \n
    • \n
    " } + }, + "CommitMode": { + "target": "com.amazonaws.quicksight#CommitMode", + "traits": { + "smithy.api#documentation": "

    The visibility configurationof the Apply button on a DateTimePickerControl.

    " + } } }, "traits": { @@ -23534,6 +23575,12 @@ "traits": { "smithy.api#documentation": "

    The values that are displayed in a control can be configured to only show values that are valid based on what's selected in other controls.

    " } + }, + "CommitMode": { + "target": "com.amazonaws.quicksight#CommitMode", + "traits": { + "smithy.api#documentation": "

    The visibility configuration of the Apply button on a FilterDropDownControl.

    " + } } }, "traits": { @@ -23816,6 +23863,12 @@ "traits": { "smithy.api#documentation": "

    The display options of a control.

    " } + }, + "CommitMode": { + "target": "com.amazonaws.quicksight#CommitMode", + "traits": { + "smithy.api#documentation": "

    The visibility configuration of the Apply button on a FilterRelativeDateTimeControl.

    " + } } }, "traits": { @@ -24311,6 +24364,18 @@ } } }, + "com.amazonaws.quicksight#FoldersForResourceArnList": { + "type": "list", + "member": { + "target": "com.amazonaws.quicksight#Arn" + }, + "traits": { + "smithy.api#length": { + "min": 0, + "max": 20 + } + } + }, "com.amazonaws.quicksight#Font": { "type": "structure", "members": { @@ -30837,6 +30902,124 @@ } } }, + "com.amazonaws.quicksight#ListFoldersForResource": { + "type": "operation", + "input": { + "target": "com.amazonaws.quicksight#ListFoldersForResourceRequest" + }, + "output": { + "target": "com.amazonaws.quicksight#ListFoldersForResourceResponse" + }, + "errors": [ + { + "target": "com.amazonaws.quicksight#AccessDeniedException" + }, + { + "target": "com.amazonaws.quicksight#InternalFailureException" + }, + { + "target": "com.amazonaws.quicksight#InvalidNextTokenException" + }, + { + "target": "com.amazonaws.quicksight#InvalidParameterValueException" + }, + { + "target": "com.amazonaws.quicksight#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.quicksight#ThrottlingException" + }, + { + "target": "com.amazonaws.quicksight#UnsupportedUserEditionException" + } + ], + "traits": { + "smithy.api#documentation": "

    List all folders that a resource is a member of.

    ", + "smithy.api#http": { + "method": "GET", + "uri": "/accounts/{AwsAccountId}/resource/{ResourceArn}/folders", + "code": 200 + }, + "smithy.api#paginated": { + "inputToken": "NextToken", + "outputToken": "NextToken", + "items": "Folders", + "pageSize": "MaxResults" + } + } + }, + "com.amazonaws.quicksight#ListFoldersForResourceRequest": { + "type": "structure", + "members": { + "AwsAccountId": { + "target": "com.amazonaws.quicksight#AwsAccountId", + "traits": { + "smithy.api#documentation": "

    The ID for the Amazon Web Services account that contains the resource.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "ResourceArn": { + "target": "com.amazonaws.quicksight#Arn", + "traits": { + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) the resource whose folders you need to list.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "NextToken": { + "target": "com.amazonaws.quicksight#String", + "traits": { + "smithy.api#documentation": "

    The token for the next set of results, or null if there are no more results.

    ", + "smithy.api#httpQuery": "next-token" + } + }, + "MaxResults": { + "target": "com.amazonaws.quicksight#MaxResults", + "traits": { + "smithy.api#documentation": "

    The maximum number of results to be returned per request.

    ", + "smithy.api#httpQuery": "max-results" + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.quicksight#ListFoldersForResourceResponse": { + "type": "structure", + "members": { + "Status": { + "target": "com.amazonaws.quicksight#StatusCode", + "traits": { + "smithy.api#default": 0, + "smithy.api#documentation": "

    The HTTP status of the request.

    ", + "smithy.api#httpResponseCode": {} + } + }, + "Folders": { + "target": "com.amazonaws.quicksight#FoldersForResourceArnList", + "traits": { + "smithy.api#documentation": "

    A list that contains the Amazon Resource Names (ARNs) of all folders that the resource is a member of.

    " + } + }, + "NextToken": { + "target": "com.amazonaws.quicksight#String", + "traits": { + "smithy.api#documentation": "

    The token for the next set of results, or null if there are no more results.

    " + } + }, + "RequestId": { + "target": "com.amazonaws.quicksight#String", + "traits": { + "smithy.api#documentation": "

    The Amazon Web Services request ID for this operation.

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.quicksight#ListFoldersRequest": { "type": "structure", "members": { @@ -35799,6 +35982,12 @@ "traits": { "smithy.api#documentation": "

    The values that are displayed in a control can be configured to only show values that are valid based on what's selected in other controls.

    " } + }, + "CommitMode": { + "target": "com.amazonaws.quicksight#CommitMode", + "traits": { + "smithy.api#documentation": "

    The visibility configuration of the Apply button on a ParameterDropDownControl.

    " + } } }, "traits": { @@ -38214,6 +38403,9 @@ { "target": "com.amazonaws.quicksight#ListFolders" }, + { + "target": "com.amazonaws.quicksight#ListFoldersForResource" + }, { "target": "com.amazonaws.quicksight#ListGroupMemberships" }, From c920c2d1057dc1c7c528b562a93f2e4697f0472b Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:29 +0000 Subject: [PATCH 46/53] feat(client-lambda): Tagging support for Lambda event source mapping, and code signing configuration resources. --- .../src/commands/AddPermissionCommand.ts | 7 +- .../CreateCodeSigningConfigCommand.ts | 3 + .../CreateEventSourceMappingCommand.ts | 4 + .../DeleteEventSourceMappingCommand.ts | 1 + .../commands/DeleteResourcePolicyCommand.ts | 6 +- .../commands/GetEventSourceMappingCommand.ts | 1 + .../GetPublicAccessBlockConfigCommand.ts | 6 +- .../src/commands/GetResourcePolicyCommand.ts | 6 +- .../ListEventSourceMappingsCommand.ts | 1 + .../src/commands/ListTagsCommand.ts | 4 +- .../PutPublicAccessBlockConfigCommand.ts | 6 +- .../src/commands/PutResourcePolicyCommand.ts | 6 +- .../src/commands/RemovePermissionCommand.ts | 5 + .../src/commands/TagResourceCommand.ts | 2 +- .../src/commands/UntagResourceCommand.ts | 2 +- .../UpdateEventSourceMappingCommand.ts | 1 + clients/client-lambda/src/models/models_0.ts | 94 +- .../src/protocols/Aws_restJson1.ts | 13 +- codegen/sdk-codegen/aws-models/lambda.json | 1092 ++++++++++++++++- 19 files changed, 1191 insertions(+), 69 deletions(-) diff --git a/clients/client-lambda/src/commands/AddPermissionCommand.ts b/clients/client-lambda/src/commands/AddPermissionCommand.ts index c839d3240770..1e3b0730c46f 100644 --- a/clients/client-lambda/src/commands/AddPermissionCommand.ts +++ b/clients/client-lambda/src/commands/AddPermissionCommand.ts @@ -28,7 +28,7 @@ export interface AddPermissionCommandInput extends AddPermissionRequest {} export interface AddPermissionCommandOutput extends AddPermissionResponse, __MetadataBearer {} /** - *

    Grants an Amazon Web Servicesservice, Amazon Web Services account, or Amazon Web Services organization + *

    Grants a principal * permission to use a function. You can apply the policy at the function level, or specify a qualifier to restrict * access to a single version or alias. If you use a qualifier, the invoker must use the full Amazon Resource Name * (ARN) of that version or alias to invoke the function. Note: Lambda does not support adding policies @@ -93,6 +93,11 @@ export interface AddPermissionCommandOutput extends AddPermissionResponse, __Met * * * + * @throws {@link PublicPolicyException} (client fault) + *

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to + * create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings + * to allow public policies.

    + * * @throws {@link ResourceConflictException} (client fault) *

    The resource already exists, or another operation is in progress.

    * diff --git a/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts b/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts index 04cd6b19d84f..f20ba5bdf78e 100644 --- a/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts +++ b/clients/client-lambda/src/commands/CreateCodeSigningConfigCommand.ts @@ -47,6 +47,9 @@ export interface CreateCodeSigningConfigCommandOutput extends CreateCodeSigningC * CodeSigningPolicies: { // CodeSigningPolicies * UntrustedArtifactOnDeployment: "Warn" || "Enforce", * }, + * Tags: { // Tags + * "": "STRING_VALUE", + * }, * }; * const command = new CreateCodeSigningConfigCommand(input); * const response = await client.send(command); diff --git a/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts index ccc29ab817a3..21114d2328b6 100644 --- a/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/CreateEventSourceMappingCommand.ts @@ -175,6 +175,9 @@ export interface CreateEventSourceMappingCommandOutput extends EventSourceMappin * MaximumRecordAgeInSeconds: Number("int"), * BisectBatchOnFunctionError: true || false, * MaximumRetryAttempts: Number("int"), + * Tags: { // Tags + * "": "STRING_VALUE", + * }, * TumblingWindowInSeconds: Number("int"), * Topics: [ // Topics * "STRING_VALUE", @@ -289,6 +292,7 @@ export interface CreateEventSourceMappingCommandOutput extends EventSourceMappin * // ErrorCode: "STRING_VALUE", * // Message: "STRING_VALUE", * // }, + * // EventSourceMappingArn: "STRING_VALUE", * // }; * * ``` diff --git a/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts index 75139d1cc3ae..21ae81478fff 100644 --- a/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/DeleteEventSourceMappingCommand.ts @@ -116,6 +116,7 @@ export interface DeleteEventSourceMappingCommandOutput extends EventSourceMappin * // ErrorCode: "STRING_VALUE", * // Message: "STRING_VALUE", * // }, + * // EventSourceMappingArn: "STRING_VALUE", * // }; * * ``` diff --git a/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts index 438cb8aadc3c..9646e4a113e2 100644 --- a/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-lambda/src/commands/DeleteResourcePolicyCommand.ts @@ -28,7 +28,11 @@ export interface DeleteResourcePolicyCommandInput extends DeleteResourcePolicyRe export interface DeleteResourcePolicyCommandOutput extends __MetadataBearer {} /** - *

    Deletes a resource-based policy from a function.

    + * + *

    The option to create and modify full JSON resource-based policies, and to use the PutResourcePolicy, GetResourcePolicy, and DeleteResourcePolicy APIs, won't be + * available in all Amazon Web Services Regions until September 30, 2024.

    + *
    + *

    Deletes a resource-based policy from a function.

    * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts index 1fdd86fa1f3c..7d2caa2950c4 100644 --- a/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/GetEventSourceMappingCommand.ts @@ -114,6 +114,7 @@ export interface GetEventSourceMappingCommandOutput extends EventSourceMappingCo * // ErrorCode: "STRING_VALUE", * // Message: "STRING_VALUE", * // }, + * // EventSourceMappingArn: "STRING_VALUE", * // }; * * ``` diff --git a/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts b/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts index 36b4be891ea9..b8ec01cdbbf5 100644 --- a/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts +++ b/clients/client-lambda/src/commands/GetPublicAccessBlockConfigCommand.ts @@ -28,7 +28,11 @@ export interface GetPublicAccessBlockConfigCommandInput extends GetPublicAccessB export interface GetPublicAccessBlockConfigCommandOutput extends GetPublicAccessBlockConfigResponse, __MetadataBearer {} /** - *

    Retrieve the public-access settings for a function.

    + * + *

    The option to configure public-access settings, and to use the PutPublicAccessBlock and GetPublicAccessBlock APIs, won't be + * available in all Amazon Web Services Regions until September 30, 2024.

    + *
    + *

    Retrieve the public-access settings for a function.

    * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts b/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts index 31b2dbacab94..f6f3cdc058f9 100644 --- a/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-lambda/src/commands/GetResourcePolicyCommand.ts @@ -28,7 +28,11 @@ export interface GetResourcePolicyCommandInput extends GetResourcePolicyRequest export interface GetResourcePolicyCommandOutput extends GetResourcePolicyResponse, __MetadataBearer {} /** - *

    Retrieves the resource-based policy attached to a function.

    + * + *

    The option to create and modify full JSON resource-based policies, and to use the PutResourcePolicy, GetResourcePolicy, and DeleteResourcePolicy APIs, won't be + * available in all Amazon Web Services Regions until September 30, 2024.

    + *
    + *

    Retrieves the resource-based policy attached to a function.

    * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts b/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts index 4a3878a7194d..804cd2f31411 100644 --- a/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts +++ b/clients/client-lambda/src/commands/ListEventSourceMappingsCommand.ts @@ -120,6 +120,7 @@ export interface ListEventSourceMappingsCommandOutput extends ListEventSourceMap * // ErrorCode: "STRING_VALUE", * // Message: "STRING_VALUE", * // }, + * // EventSourceMappingArn: "STRING_VALUE", * // }, * // ], * // }; diff --git a/clients/client-lambda/src/commands/ListTagsCommand.ts b/clients/client-lambda/src/commands/ListTagsCommand.ts index d54d27c36f0d..9c64c95fe39c 100644 --- a/clients/client-lambda/src/commands/ListTagsCommand.ts +++ b/clients/client-lambda/src/commands/ListTagsCommand.ts @@ -28,8 +28,8 @@ export interface ListTagsCommandInput extends ListTagsRequest {} export interface ListTagsCommandOutput extends ListTagsResponse, __MetadataBearer {} /** - *

    Returns a function's tags. You can - * also view tags with GetFunction.

    + *

    Returns a function, event source mapping, or code signing configuration's tags. You can + * also view funciton tags with GetFunction.

    * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts b/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts index bb093101f7f3..24423e20afc6 100644 --- a/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts +++ b/clients/client-lambda/src/commands/PutPublicAccessBlockConfigCommand.ts @@ -28,7 +28,11 @@ export interface PutPublicAccessBlockConfigCommandInput extends PutPublicAccessB export interface PutPublicAccessBlockConfigCommandOutput extends PutPublicAccessBlockConfigResponse, __MetadataBearer {} /** - *

    Configure your function's public-access settings.

    + * + *

    The option to configure public-access settings, and to use the PutPublicAccessBlock and GetPublicAccessBlock APIs, won't be + * available in all Amazon Web Services Regions until September 30, 2024.

    + *
    + *

    Configure your function's public-access settings.

    *

    To control public access to a Lambda function, you can choose whether to allow the creation of * resource-based policies that * allow public access to that function. You can also block public access to a function, even if it has an existing resource-based diff --git a/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts b/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts index 7099e4f3f273..65eac3010adf 100644 --- a/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-lambda/src/commands/PutResourcePolicyCommand.ts @@ -28,7 +28,11 @@ export interface PutResourcePolicyCommandInput extends PutResourcePolicyRequest export interface PutResourcePolicyCommandOutput extends PutResourcePolicyResponse, __MetadataBearer {} /** - *

    Adds a resource-based policy + * + *

    The option to create and modify full JSON resource-based policies, and to use the PutResourcePolicy, GetResourcePolicy, and DeleteResourcePolicy APIs, won't be + * available in all Amazon Web Services Regions until September 30, 2024.

    + * + *

    Adds a resource-based policy * to a function. You can use resource-based policies to grant access to other * Amazon Web Services accounts, * organizations, or diff --git a/clients/client-lambda/src/commands/RemovePermissionCommand.ts b/clients/client-lambda/src/commands/RemovePermissionCommand.ts index 080b569e8cb4..2cc0693d6924 100644 --- a/clients/client-lambda/src/commands/RemovePermissionCommand.ts +++ b/clients/client-lambda/src/commands/RemovePermissionCommand.ts @@ -70,6 +70,11 @@ export interface RemovePermissionCommandOutput extends __MetadataBearer {} * * * + * @throws {@link PublicPolicyException} (client fault) + *

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to + * create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings + * to allow public policies.

    + * * @throws {@link ResourceNotFoundException} (client fault) *

    The resource specified in the request does not exist.

    * diff --git a/clients/client-lambda/src/commands/TagResourceCommand.ts b/clients/client-lambda/src/commands/TagResourceCommand.ts index c2c0cf81a145..37b6d468c2b1 100644 --- a/clients/client-lambda/src/commands/TagResourceCommand.ts +++ b/clients/client-lambda/src/commands/TagResourceCommand.ts @@ -28,7 +28,7 @@ export interface TagResourceCommandInput extends TagResourceRequest {} export interface TagResourceCommandOutput extends __MetadataBearer {} /** - *

    Adds tags to a function.

    + *

    Adds tags to a function, event source mapping, or code signing configuration.

    * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-lambda/src/commands/UntagResourceCommand.ts b/clients/client-lambda/src/commands/UntagResourceCommand.ts index 54d16a0700a4..a177ffba8354 100644 --- a/clients/client-lambda/src/commands/UntagResourceCommand.ts +++ b/clients/client-lambda/src/commands/UntagResourceCommand.ts @@ -28,7 +28,7 @@ export interface UntagResourceCommandInput extends UntagResourceRequest {} export interface UntagResourceCommandOutput extends __MetadataBearer {} /** - *

    Removes tags from a function.

    + *

    Removes tags from a function, event source mapping, or code signing configuration.

    * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts b/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts index f4616e31a0f9..da349b2c924d 100644 --- a/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts +++ b/clients/client-lambda/src/commands/UpdateEventSourceMappingCommand.ts @@ -269,6 +269,7 @@ export interface UpdateEventSourceMappingCommandOutput extends EventSourceMappin * // ErrorCode: "STRING_VALUE", * // Message: "STRING_VALUE", * // }, + * // EventSourceMappingArn: "STRING_VALUE", * // }; * * ``` diff --git a/clients/client-lambda/src/models/models_0.ts b/clients/client-lambda/src/models/models_0.ts index ac39ab22c104..f78c65be9807 100644 --- a/clients/client-lambda/src/models/models_0.ts +++ b/clients/client-lambda/src/models/models_0.ts @@ -397,7 +397,7 @@ export interface AddPermissionRequest { Action: string | undefined; /** - *

    The Amazon Web Servicesservice or Amazon Web Services account that invokes the function. If you specify a + *

    The Amazon Web Servicesservice, Amazon Web Services account, IAM user, or IAM role that invokes the function. If you specify a * service, use SourceArn or SourceAccount to limit who can invoke the function through * that service.

    * @public @@ -466,6 +466,37 @@ export interface AddPermissionResponse { Statement?: string; } +/** + *

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to + * create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings + * to allow public policies.

    + * @public + */ +export class PublicPolicyException extends __BaseException { + readonly name: "PublicPolicyException" = "PublicPolicyException"; + readonly $fault: "client" = "client"; + /** + *

    The exception type.

    + * @public + */ + Type?: string; + + Message?: string; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "PublicPolicyException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, PublicPolicyException.prototype); + this.Type = opts.Type; + this.Message = opts.Message; + } +} + /** *

    The traffic-shifting configuration of a Lambda function alias.

    * @public @@ -687,6 +718,12 @@ export interface CreateCodeSigningConfigRequest { * @public */ CodeSigningPolicies?: CodeSigningPolicies; + + /** + *

    A list of tags to add to the code signing configuration.

    + * @public + */ + Tags?: Record; } /** @@ -1204,6 +1241,12 @@ export interface CreateEventSourceMappingRequest { */ MaximumRetryAttempts?: number; + /** + *

    A list of tags to apply to the event source mapping.

    + * @public + */ + Tags?: Record; + /** *

    (Kinesis and DynamoDB Streams only) The duration in seconds of a processing window for DynamoDB and Kinesis Streams event sources. A value of 0 seconds indicates no tumbling window.

    * @public @@ -1496,6 +1539,12 @@ export interface EventSourceMappingConfiguration { * @public */ FilterCriteriaError?: FilterCriteriaError; + + /** + *

    The Amazon Resource Name (ARN) of the event source mapping.

    + * @public + */ + EventSourceMappingArn?: string; } /** @@ -6070,8 +6119,8 @@ export interface ListProvisionedConcurrencyConfigsResponse { */ export interface ListTagsRequest { /** - *

    The function's Amazon Resource Name (ARN). - * Note: Lambda does not support adding tags to aliases or versions.

    + *

    The resource's Amazon Resource Name (ARN). + * Note: Lambda does not support adding tags to function aliases or versions.

    * @public */ Resource: string | undefined; @@ -6717,37 +6766,6 @@ export interface PutPublicAccessBlockConfigResponse { PublicAccessBlockConfig?: PublicAccessBlockConfig; } -/** - *

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to - * create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings - * to allow public policies.

    - * @public - */ -export class PublicPolicyException extends __BaseException { - readonly name: "PublicPolicyException" = "PublicPolicyException"; - readonly $fault: "client" = "client"; - /** - *

    The exception type.

    - * @public - */ - Type?: string; - - Message?: string; - /** - * @internal - */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "PublicPolicyException", - $fault: "client", - ...opts, - }); - Object.setPrototypeOf(this, PublicPolicyException.prototype); - this.Type = opts.Type; - this.Message = opts.Message; - } -} - /** * @public */ @@ -6972,13 +6990,13 @@ export interface RemovePermissionRequest { */ export interface TagResourceRequest { /** - *

    The function's Amazon Resource Name (ARN).

    + *

    The resource's Amazon Resource Name (ARN).

    * @public */ Resource: string | undefined; /** - *

    A list of tags to apply to the function.

    + *

    A list of tags to apply to the resource.

    * @public */ Tags: Record | undefined; @@ -6989,13 +7007,13 @@ export interface TagResourceRequest { */ export interface UntagResourceRequest { /** - *

    The function's Amazon Resource Name (ARN).

    + *

    The resource's Amazon Resource Name (ARN).

    * @public */ Resource: string | undefined; /** - *

    A list of tag keys to remove from the function.

    + *

    A list of tag keys to remove from the resource.

    * @public */ TagKeys: string[] | undefined; diff --git a/clients/client-lambda/src/protocols/Aws_restJson1.ts b/clients/client-lambda/src/protocols/Aws_restJson1.ts index ac50673fceaf..2667889460cc 100644 --- a/clients/client-lambda/src/protocols/Aws_restJson1.ts +++ b/clients/client-lambda/src/protocols/Aws_restJson1.ts @@ -431,6 +431,7 @@ export const se_CreateCodeSigningConfigCommand = async ( AllowedPublishers: (_) => _json(_), CodeSigningPolicies: (_) => _json(_), Description: [], + Tags: (_) => _json(_), }) ); b.m("POST").h(headers).b(body); @@ -474,6 +475,7 @@ export const se_CreateEventSourceMappingCommand = async ( SourceAccessConfigurations: (_) => _json(_), StartingPosition: [], StartingPositionTimestamp: (_) => _.getTime() / 1_000, + Tags: (_) => _json(_), Topics: (_) => _json(_), TumblingWindowInSeconds: [], }) @@ -2056,6 +2058,7 @@ export const de_CreateEventSourceMappingCommand = async ( DestinationConfig: _json, DocumentDBEventSourceConfig: _json, EventSourceArn: __expectString, + EventSourceMappingArn: __expectString, FilterCriteria: _json, FilterCriteriaError: _json, FunctionArn: __expectString, @@ -2221,6 +2224,7 @@ export const de_DeleteEventSourceMappingCommand = async ( DestinationConfig: _json, DocumentDBEventSourceConfig: _json, EventSourceArn: __expectString, + EventSourceMappingArn: __expectString, FilterCriteria: _json, FilterCriteriaError: _json, FunctionArn: __expectString, @@ -2475,6 +2479,7 @@ export const de_GetEventSourceMappingCommand = async ( DestinationConfig: _json, DocumentDBEventSourceConfig: _json, EventSourceArn: __expectString, + EventSourceMappingArn: __expectString, FilterCriteria: _json, FilterCriteriaError: _json, FunctionArn: __expectString, @@ -3625,6 +3630,7 @@ export const de_UpdateEventSourceMappingCommand = async ( DestinationConfig: _json, DocumentDBEventSourceConfig: _json, EventSourceArn: __expectString, + EventSourceMappingArn: __expectString, FilterCriteria: _json, FilterCriteriaError: _json, FunctionArn: __expectString, @@ -3848,6 +3854,9 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "TooManyRequestsException": case "com.amazonaws.lambda#TooManyRequestsException": throw await de_TooManyRequestsExceptionRes(parsedOutput, context); + case "PublicPolicyException": + case "com.amazonaws.lambda#PublicPolicyException": + throw await de_PublicPolicyExceptionRes(parsedOutput, context); case "CodeSigningConfigNotFoundException": case "com.amazonaws.lambda#CodeSigningConfigNotFoundException": throw await de_CodeSigningConfigNotFoundExceptionRes(parsedOutput, context); @@ -3941,9 +3950,6 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "UnsupportedMediaTypeException": case "com.amazonaws.lambda#UnsupportedMediaTypeException": throw await de_UnsupportedMediaTypeExceptionRes(parsedOutput, context); - case "PublicPolicyException": - case "com.amazonaws.lambda#PublicPolicyException": - throw await de_PublicPolicyExceptionRes(parsedOutput, context); default: const parsedBody = parsedOutput.body; return throwDefaultError({ @@ -5049,6 +5055,7 @@ const de_EventSourceMappingConfiguration = (output: any, context: __SerdeContext DestinationConfig: _json, DocumentDBEventSourceConfig: _json, EventSourceArn: __expectString, + EventSourceMappingArn: __expectString, FilterCriteria: _json, FilterCriteriaError: _json, FunctionArn: __expectString, diff --git a/codegen/sdk-codegen/aws-models/lambda.json b/codegen/sdk-codegen/aws-models/lambda.json index c73cd56e49bd..1516db5b629c 100644 --- a/codegen/sdk-codegen/aws-models/lambda.json +++ b/codegen/sdk-codegen/aws-models/lambda.json @@ -1650,6 +1650,23 @@ ], "traits": { "smithy.api#documentation": "

    Adds permissions to the resource-based policy of a version of an Lambda\n layer. Use this action to grant layer\n usage permission to other accounts. You can grant permission to a single account, all accounts in an organization,\n or all Amazon Web Services accounts.

    \n

    To revoke permission, call RemoveLayerVersionPermission with the statement ID that you\n specified when you added it.

    ", + "smithy.api#examples": [ + { + "title": "To add permissions to a layer version", + "documentation": "The following example grants permission for the account 223456789012 to use version 1 of a layer named my-layer.", + "input": { + "LayerName": "my-layer", + "VersionNumber": 1, + "StatementId": "xaccount", + "Action": "lambda:GetLayerVersion", + "Principal": "223456789012" + }, + "output": { + "Statement": "{\"Sid\":\"xaccount\",\"Effect\":\"Allow\",\"Principal\":{\"AWS\":\"arn:aws:iam::223456789012:root\"},\"Action\":\"lambda:GetLayerVersion\",\"Resource\":\"arn:aws:lambda:us-east-2:123456789012:layer:my-layer:1\"}", + "RevisionId": "35d87451-f796-4a3f-a618-95a3671b0a0c" + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2018-10-31/layers/{LayerName}/versions/{VersionNumber}/policy", @@ -1754,6 +1771,9 @@ { "target": "com.amazonaws.lambda#PreconditionFailedException" }, + { + "target": "com.amazonaws.lambda#PublicPolicyException" + }, { "target": "com.amazonaws.lambda#ResourceConflictException" }, @@ -1768,7 +1788,37 @@ } ], "traits": { - "smithy.api#documentation": "

    Grants an Amazon Web Servicesservice, Amazon Web Services account, or Amazon Web Services organization\n permission to use a function. You can apply the policy at the function level, or specify a qualifier to restrict\n access to a single version or alias. If you use a qualifier, the invoker must use the full Amazon Resource Name\n (ARN) of that version or alias to invoke the function. Note: Lambda does not support adding policies\n to version $LATEST.

    \n

    To grant permission to another account, specify the account ID as the Principal. To grant\n permission to an organization defined in Organizations, specify the organization ID as the\n PrincipalOrgID. For Amazon Web Servicesservices, the principal is a domain-style identifier that\n the service defines, such as s3.amazonaws.com or sns.amazonaws.com. For Amazon Web Servicesservices, you can also specify the ARN of the associated resource as the SourceArn. If\n you grant permission to a service principal without specifying the source, other accounts could potentially\n configure resources in their account to invoke your Lambda function.

    \n

    This operation adds a statement to a resource-based permissions policy for the function. For more information\n about function policies, see Using resource-based policies for Lambda.

    ", + "smithy.api#documentation": "

    Grants a principal \n permission to use a function. You can apply the policy at the function level, or specify a qualifier to restrict\n access to a single version or alias. If you use a qualifier, the invoker must use the full Amazon Resource Name\n (ARN) of that version or alias to invoke the function. Note: Lambda does not support adding policies\n to version $LATEST.

    \n

    To grant permission to another account, specify the account ID as the Principal. To grant\n permission to an organization defined in Organizations, specify the organization ID as the\n PrincipalOrgID. For Amazon Web Servicesservices, the principal is a domain-style identifier that\n the service defines, such as s3.amazonaws.com or sns.amazonaws.com. For Amazon Web Servicesservices, you can also specify the ARN of the associated resource as the SourceArn. If\n you grant permission to a service principal without specifying the source, other accounts could potentially\n configure resources in their account to invoke your Lambda function.

    \n

    This operation adds a statement to a resource-based permissions policy for the function. For more information\n about function policies, see Using resource-based policies for Lambda.

    ", + "smithy.api#examples": [ + { + "title": "To grant Amazon S3 permission to invoke a function", + "documentation": "The following example adds permission for Amazon S3 to invoke a Lambda function named my-function for notifications from a bucket named my-bucket-1xpuxmplzrlbh in account 123456789012.", + "input": { + "FunctionName": "my-function", + "StatementId": "s3", + "Action": "lambda:InvokeFunction", + "Principal": "s3.amazonaws.com", + "SourceArn": "arn:aws:s3:::my-bucket-1xpuxmplzrlbh/*", + "SourceAccount": "123456789012" + }, + "output": { + "Statement": "{\"Sid\":\"s3\",\"Effect\":\"Allow\",\"Principal\":{\"Service\":\"s3.amazonaws.com\"},\"Action\":\"lambda:InvokeFunction\",\"Resource\":\"arn:aws:lambda:us-east-2:123456789012:function:my-function\",\"Condition\":{\"StringEquals\":{\"AWS:SourceAccount\":\"123456789012\"},\"ArnLike\":{\"AWS:SourceArn\":\"arn:aws:s3:::my-bucket-1xpuxmplzrlbh\"}}}" + } + }, + { + "title": "To grant another account permission to invoke a function", + "documentation": "The following example adds permission for account 223456789012 invoke a Lambda function named my-function.", + "input": { + "FunctionName": "my-function", + "StatementId": "xaccount", + "Action": "lambda:InvokeFunction", + "Principal": "223456789012" + }, + "output": { + "Statement": "{\"Sid\":\"xaccount\",\"Effect\":\"Allow\",\"Principal\":{\"AWS\":\"arn:aws:iam::223456789012:root\"},\"Action\":\"lambda:InvokeFunction\",\"Resource\":\"arn:aws:lambda:us-east-2:123456789012:function:my-function\"}" + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2015-03-31/functions/{FunctionName}/policy", @@ -1804,7 +1854,7 @@ "Principal": { "target": "com.amazonaws.lambda#Principal", "traits": { - "smithy.api#documentation": "

    The Amazon Web Servicesservice or Amazon Web Services account that invokes the function. If you specify a\n service, use SourceArn or SourceAccount to limit who can invoke the function through\n that service.

    ", + "smithy.api#documentation": "

    The Amazon Web Servicesservice, Amazon Web Services account, IAM user, or IAM role that invokes the function. If you specify a\n service, use SourceArn or SourceAccount to limit who can invoke the function through\n that service.

    ", "smithy.api#required": {} } }, @@ -2394,6 +2444,25 @@ ], "traits": { "smithy.api#documentation": "

    Creates an alias for a\n Lambda function version. Use aliases to provide clients with a function identifier that you can update to invoke a\n different version.

    \n

    You can also map an alias to split invocation requests between two versions. Use the\n RoutingConfig parameter to specify a second version and the percentage of invocation requests that\n it receives.

    ", + "smithy.api#examples": [ + { + "title": "To create an alias for a Lambda function", + "documentation": "The following example creates an alias named LIVE that points to version 1 of the my-function Lambda function.", + "input": { + "FunctionName": "my-function", + "Name": "LIVE", + "FunctionVersion": "1", + "Description": "alias for live version of function" + }, + "output": { + "FunctionVersion": "1", + "Name": "LIVE", + "AliasArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function:LIVE", + "RevisionId": "873282ed-xmpl-4dc8-a069-d0c647e470c6", + "Description": "alias for live version of function" + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2015-03-31/functions/{FunctionName}/aliases", @@ -2489,6 +2558,12 @@ "traits": { "smithy.api#documentation": "

    The code signing policies define the actions to take if the validation checks fail.

    " } + }, + "Tags": { + "target": "com.amazonaws.lambda#Tags", + "traits": { + "smithy.api#documentation": "

    A list of tags to add to the code signing configuration.

    " + } } }, "traits": { @@ -2537,6 +2612,26 @@ ], "traits": { "smithy.api#documentation": "

    Creates a mapping between an event source and an Lambda function. Lambda reads items from the event source and invokes the function.

    \n

    For details about how to configure different event sources, see the following topics.

    \n \n

    The following error handling options are available only for stream sources (DynamoDB and Kinesis):

    \n
      \n
    • \n

      \n BisectBatchOnFunctionError – If the function returns an error, split the batch in two and retry.

      \n
    • \n
    • \n

      \n DestinationConfig – Send discarded records to an Amazon SQS queue or Amazon SNS topic.

      \n
    • \n
    • \n

      \n MaximumRecordAgeInSeconds – Discard records older than the specified age. The default value is infinite (-1). When set to infinite (-1), failed records are retried until the record expires

      \n
    • \n
    • \n

      \n MaximumRetryAttempts – Discard records after the specified number of retries. The default value is infinite (-1). When set to infinite (-1), failed records are retried until the record expires.

      \n
    • \n
    • \n

      \n ParallelizationFactor – Process multiple batches from each shard concurrently.

      \n
    • \n
    \n

    For information about which configuration parameters apply to each event source, see the following topics.

    \n ", + "smithy.api#examples": [ + { + "title": "To create a mapping between an event source and an AWS Lambda function", + "documentation": "The following example creates a mapping between an SQS queue and the my-function Lambda function.", + "input": { + "EventSourceArn": "arn:aws:sqs:us-west-2:123456789012:my-queue", + "FunctionName": "my-function", + "BatchSize": 5 + }, + "output": { + "UUID": "a1b2c3d4-5678-90ab-cdef-11111EXAMPLE", + "StateTransitionReason": "USER_INITIATED", + "LastModified": 1.569284520333e9, + "BatchSize": 5, + "State": "Creating", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "EventSourceArn": "arn:aws:sqs:us-west-2:123456789012:my-queue" + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2015-03-31/event-source-mappings", @@ -2626,6 +2721,12 @@ "smithy.api#documentation": "

    (Kinesis and DynamoDB Streams only) Discard records after the specified number of retries. The default value is infinite (-1). When set to infinite (-1), failed records are retried until the record expires.

    " } }, + "Tags": { + "target": "com.amazonaws.lambda#Tags", + "traits": { + "smithy.api#documentation": "

    A list of tags to apply to the event source mapping.

    " + } + }, "TumblingWindowInSeconds": { "target": "com.amazonaws.lambda#TumblingWindowInSeconds", "traits": { @@ -2736,6 +2837,66 @@ ], "traits": { "smithy.api#documentation": "

    Creates a Lambda function. To create a function, you need a deployment package and an execution role. The\n deployment package is a .zip file archive or container image that contains your function code. The execution role\n grants the function permission to use Amazon Web Servicesservices, such as Amazon CloudWatch Logs for log\n streaming and X-Ray for request tracing.

    \n

    If the deployment package is a container\n image, then you set the package type to Image. For a container image, the code property\n must include the URI of a container image in the Amazon ECR registry. You do not need to specify the\n handler and runtime properties.

    \n

    If the deployment package is a .zip file archive, then\n you set the package type to Zip. For a .zip file archive, the code property specifies the location of\n the .zip file. You must also specify the handler and runtime properties. The code in the deployment package must\n be compatible with the target instruction set architecture of the function (x86-64 or\n arm64). If you do not specify the architecture, then the default value is\n x86-64.

    \n

    When you create a function, Lambda provisions an instance of the function and its supporting\n resources. If your function connects to a VPC, this process can take a minute or so. During this time, you can't\n invoke or modify the function. The State, StateReason, and StateReasonCode\n fields in the response from GetFunctionConfiguration indicate when the function is ready to\n invoke. For more information, see Lambda function states.

    \n

    A function has an unpublished version, and can have published versions and aliases. The unpublished version\n changes when you update your function's code and configuration. A published version is a snapshot of your function\n code and configuration that can't be changed. An alias is a named resource that maps to a version, and can be\n changed to map to a different version. Use the Publish parameter to create version 1 of\n your function from its initial configuration.

    \n

    The other parameters let you configure version-specific and function-level settings. You can modify\n version-specific settings later with UpdateFunctionConfiguration. Function-level settings apply\n to both the unpublished and published versions of the function, and include tags (TagResource)\n and per-function concurrency limits (PutFunctionConcurrency).

    \n

    You can use code signing if your deployment package is a .zip file archive. To enable code signing for this\n function, specify the ARN of a code-signing configuration. When a user attempts to deploy a code package with\n UpdateFunctionCode, Lambda checks that the code package has a valid signature from\n a trusted publisher. The code-signing configuration includes set of signing profiles, which define the trusted\n publishers for this function.

    \n

    If another Amazon Web Services account or an Amazon Web Servicesservice invokes your function, use AddPermission to grant permission by creating a resource-based Identity and Access Management (IAM) policy. You can grant permissions at the function level, on a version, or on an alias.

    \n

    To invoke your function directly, use Invoke. To invoke your function in response to events\n in other Amazon Web Servicesservices, create an event source mapping (CreateEventSourceMapping),\n or configure a function trigger in the other service. For more information, see Invoking Lambda\n functions.

    ", + "smithy.api#examples": [ + { + "title": "To create a function", + "documentation": "The following example creates a function with a deployment package in Amazon S3 and enables X-Ray tracing and environment variable encryption.", + "input": { + "FunctionName": "my-function", + "Runtime": "nodejs12.x", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Handler": "index.handler", + "Code": { + "S3Bucket": "my-bucket-1xpuxmplzrlbh", + "S3Key": "function.zip" + }, + "Description": "Process image objects from Amazon S3.", + "Timeout": 15, + "MemorySize": 256, + "Publish": true, + "Environment": { + "Variables": { + "BUCKET": "my-bucket-1xpuxmplzrlbh", + "PREFIX": "inbound" + } + }, + "KMSKeyArn": "arn:aws:kms:us-west-2:123456789012:key/b0844d6c-xmpl-4463-97a4-d49f50839966", + "TracingConfig": { + "Mode": "Active" + }, + "Tags": { + "DEPARTMENT": "Assets" + } + }, + "output": { + "FunctionName": "my-function", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Runtime": "nodejs12.x", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Handler": "index.handler", + "CodeSize": 5797206, + "Description": "Process image objects from Amazon S3.", + "Timeout": 15, + "MemorySize": 256, + "LastModified": "2020-04-10T19:06:32.563+0000", + "CodeSha256": "YFgDgEKG3ugvF1+pX64gV6tu9qNuIYNUdgJm8nCxsm4=", + "Version": "1", + "Environment": { + "Variables": { + "PREFIX": "inbound", + "BUCKET": "my-bucket-1xpuxmplzrlbh" + } + }, + "KMSKeyArn": "arn:aws:kms:us-west-2:123456789012:key/b0844d6c-xmpl-4463-97a4-d49f50839966", + "TracingConfig": { + "Mode": "Active" + }, + "RevisionId": "b75dcd81-xmpl-48a8-a75a-93ba8b5b9727", + "State": "Active", + "LastUpdateStatus": "Successful" + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2015-03-31/functions", @@ -3074,6 +3235,16 @@ ], "traits": { "smithy.api#documentation": "

    Deletes a Lambda function alias.

    ", + "smithy.api#examples": [ + { + "title": "To delete a Lambda function alias", + "documentation": "The following example deletes an alias named BLUE from a function named my-function", + "input": { + "FunctionName": "my-function", + "Name": "BLUE" + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2015-03-31/functions/{FunctionName}/aliases/{Name}", @@ -3239,6 +3410,16 @@ ], "traits": { "smithy.api#documentation": "

    Deletes a Lambda function. To delete a specific function version, use the Qualifier parameter.\n Otherwise, all versions and aliases are deleted. This doesn't require the user to have explicit\n permissions for DeleteAlias.

    \n

    To delete Lambda event source mappings that invoke a function, use DeleteEventSourceMapping. For Amazon Web Servicesservices and resources that invoke your function\n directly, delete the trigger in the service where you originally configured it.

    ", + "smithy.api#examples": [ + { + "title": "To delete a version of a Lambda function", + "documentation": "The following example deletes version 1 of a Lambda function named my-function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "1" + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2015-03-31/functions/{FunctionName}", @@ -3326,6 +3507,15 @@ ], "traits": { "smithy.api#documentation": "

    Removes a concurrent execution limit from a function.

    ", + "smithy.api#examples": [ + { + "title": "To remove the reserved concurrent execution limit from a function", + "documentation": "The following example deletes the reserved concurrent execution limit from a function named my-function.", + "input": { + "FunctionName": "my-function" + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2017-10-31/functions/{FunctionName}/concurrency", @@ -3376,6 +3566,16 @@ ], "traits": { "smithy.api#documentation": "

    Deletes the configuration for asynchronous invocation for a function, version, or alias.

    \n

    To configure options for asynchronous invocation, use PutFunctionEventInvokeConfig.

    ", + "smithy.api#examples": [ + { + "title": "To delete an asynchronous invocation configuration", + "documentation": "The following example deletes the asynchronous invocation configuration for the GREEN alias of a function named my-function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "GREEN" + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2019-09-25/functions/{FunctionName}/event-invoke-config", @@ -3501,6 +3701,16 @@ ], "traits": { "smithy.api#documentation": "

    Deletes a version of an Lambda\n layer. Deleted versions can no longer be viewed or added to functions. To avoid\n breaking functions, a copy of the version remains in Lambda until no functions refer to it.

    ", + "smithy.api#examples": [ + { + "title": "To delete a version of a Lambda layer", + "documentation": "The following example deletes version 2 of a layer named my-layer.", + "input": { + "LayerName": "my-layer", + "VersionNumber": 2 + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2018-10-31/layers/{LayerName}/versions/{VersionNumber}", @@ -3560,6 +3770,16 @@ ], "traits": { "smithy.api#documentation": "

    Deletes the provisioned concurrency configuration for a function.

    ", + "smithy.api#examples": [ + { + "title": "To delete a provisioned concurrency configuration", + "documentation": "The following example deletes the provisioned concurrency configuration for the GREEN alias of a function named my-function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "GREEN" + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2019-09-30/functions/{FunctionName}/provisioned-concurrency", @@ -3620,7 +3840,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Deletes a resource-based policy from a function.

    ", + "smithy.api#documentation": "\n

    The option to create and modify full JSON resource-based policies, and to use the PutResourcePolicy, GetResourcePolicy, and DeleteResourcePolicy APIs, won't be \n available in all Amazon Web Services Regions until September 30, 2024.

    \n
    \n

    Deletes a resource-based policy from a function.

    ", "smithy.api#http": { "method": "DELETE", "uri": "/2024-09-16/resource-policy/{ResourceArn}", @@ -4001,6 +4221,16 @@ } } }, + "com.amazonaws.lambda#EventSourceMappingArn": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 85, + "max": 120 + }, + "smithy.api#pattern": "^arn:(aws[a-zA-Z-]*)?:lambda:[a-z]{2}((-gov)|(-iso([a-z]?)))?-[a-z]+-\\d{1}:\\d{12}:event-source-mapping:[0-9a-fA-F]{8}-[0-9a-fA-F]{4}-[0-9a-fA-F]{4}-[0-9a-fA-F]{4}-[0-9a-fA-F]{12}$" + } + }, "com.amazonaws.lambda#EventSourceMappingConfiguration": { "type": "structure", "members": { @@ -4177,6 +4407,12 @@ "traits": { "smithy.api#documentation": "

    An object that contains details about an error related to filter criteria encryption.

    " } + }, + "EventSourceMappingArn": { + "target": "com.amazonaws.lambda#EventSourceMappingArn", + "traits": { + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the event source mapping.

    " + } } }, "traits": { @@ -4870,6 +5106,25 @@ ], "traits": { "smithy.api#documentation": "

    Retrieves details about your account's limits and usage in an Amazon Web Services Region.

    ", + "smithy.api#examples": [ + { + "title": "To get account settings", + "documentation": "This operation takes no parameters and returns details about storage and concurrency quotas in the current Region.", + "output": { + "AccountLimit": { + "CodeSizeUnzipped": 262144000, + "UnreservedConcurrentExecutions": 1000, + "ConcurrentExecutions": 1000, + "CodeSizeZipped": 52428800, + "TotalCodeSize": 80530636800 + }, + "AccountUsage": { + "FunctionCount": 4, + "TotalCodeSize": 9426 + } + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2016-08-19/account-settings", @@ -4928,6 +5183,23 @@ ], "traits": { "smithy.api#documentation": "

    Returns details about a Lambda function alias.

    ", + "smithy.api#examples": [ + { + "title": "To get a Lambda function alias", + "documentation": "The following example returns details about an alias named BLUE for a function named my-function", + "input": { + "FunctionName": "my-function", + "Name": "BLUE" + }, + "output": { + "AliasArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function:BLUE", + "Name": "BLUE", + "FunctionVersion": "3", + "RevisionId": "594f41fb-xmpl-4c20-95c7-6ca5f2a92c93", + "Description": "Production environment BLUE." + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/functions/{FunctionName}/aliases/{Name}", @@ -5089,6 +5361,52 @@ ], "traits": { "smithy.api#documentation": "

    Returns information about the function or function version, with a link to download the deployment package\n that's valid for 10 minutes. If you specify a function version, only details that are specific to that version are\n returned.

    ", + "smithy.api#examples": [ + { + "title": "To get a Lambda function", + "documentation": "The following example returns code and configuration details for version 1 of a function named my-function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "1" + }, + "output": { + "Configuration": { + "FunctionName": "my-function", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Runtime": "nodejs12.x", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Handler": "index.handler", + "CodeSize": 5797206, + "Description": "Process image objects from Amazon S3.", + "Timeout": 15, + "MemorySize": 256, + "LastModified": "2020-04-10T19:06:32.563+0000", + "CodeSha256": "YFgDgEKG3ugvF1+pX64gV6tu9qNuIYNUdgJm8nCxsm4=", + "Version": "$LATEST", + "Environment": { + "Variables": { + "PREFIX": "inbound", + "BUCKET": "my-bucket-1xpuxmplzrlbh" + } + }, + "KMSKeyArn": "arn:aws:kms:us-west-2:123456789012:key/b0844d6c-xmpl-4463-97a4-d49f50839966", + "TracingConfig": { + "Mode": "Active" + }, + "RevisionId": "b75dcd81-xmpl-48a8-a75a-93ba8b5b9727", + "State": "Active", + "LastUpdateStatus": "Successful" + }, + "Code": { + "RepositoryType": "S3", + "Location": "https://awslambda-us-west-2-tasks.s3.us-west-2.amazonaws.com/snapshots/123456789012/my-function-e7d9d1ed-xmpl-4f79-904a-4b87f2681f30?versionId=sH3TQwBOaUy..." + }, + "Tags": { + "DEPARTMENT": "Assets" + } + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/functions/{FunctionName}", @@ -5280,6 +5598,18 @@ ], "traits": { "smithy.api#documentation": "

    Returns details about the reserved concurrency configuration for a function. To set a concurrency limit for a\n function, use PutFunctionConcurrency.

    ", + "smithy.api#examples": [ + { + "title": "To get the reserved concurrency setting for a function", + "documentation": "The following example returns the reserved concurrency setting for a function named my-function.", + "input": { + "FunctionName": "my-function" + }, + "output": { + "ReservedConcurrentExecutions": 250 + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2019-09-30/functions/{FunctionName}/concurrency", @@ -5341,6 +5671,43 @@ ], "traits": { "smithy.api#documentation": "

    Returns the version-specific settings of a Lambda function or version. The output includes only options that\n can vary between versions of a function. To modify these settings, use UpdateFunctionConfiguration.

    \n

    To get all of a function's details, including function-level settings, use GetFunction.

    ", + "smithy.api#examples": [ + { + "title": "To get a Lambda function's event source mapping", + "documentation": "The following example returns and configuration details for version 1 of a function named my-function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "1" + }, + "output": { + "FunctionName": "my-function", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Runtime": "nodejs12.x", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Handler": "index.handler", + "CodeSize": 5797206, + "Description": "Process image objects from Amazon S3.", + "Timeout": 15, + "MemorySize": 256, + "LastModified": "2020-04-10T19:06:32.563+0000", + "CodeSha256": "YFgDgEKG3ugvF1+pX64gV6tu9qNuIYNUdgJm8nCxsm4=", + "Version": "$LATEST", + "Environment": { + "Variables": { + "PREFIX": "inbound", + "BUCKET": "my-bucket-1xpuxmplzrlbh" + } + }, + "KMSKeyArn": "arn:aws:kms:us-west-2:123456789012:key/b0844d6c-xmpl-4463-97a4-d49f50839966", + "TracingConfig": { + "Mode": "Active" + }, + "RevisionId": "b75dcd81-xmpl-48a8-a75a-93ba8b5b9727", + "State": "Active", + "LastUpdateStatus": "Successful" + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/functions/{FunctionName}/configuration", @@ -5784,6 +6151,30 @@ ], "traits": { "smithy.api#documentation": "

    Returns information about a version of an Lambda\n layer, with a link to download the layer archive\n that's valid for 10 minutes.

    ", + "smithy.api#examples": [ + { + "title": "To get information about a Lambda layer version", + "documentation": "The following example returns information for version 1 of a layer named my-layer.", + "input": { + "LayerName": "my-layer", + "VersionNumber": 1 + }, + "output": { + "Content": { + "Location": "https://awslambda-us-east-2-layers.s3.us-east-2.amazonaws.com/snapshots/123456789012/my-layer-4aaa2fbb-ff77-4b0a-ad92-5b78a716a96a?versionId=27iWyA73cCAYqyH...", + "CodeSha256": "tv9jJO+rPbXUUXuRKi7CwHzKtLDkDRJLB3cC3Z/ouXo=", + "CodeSize": 169 + }, + "LayerArn": "arn:aws:lambda:us-east-2:123456789012:layer:my-layer", + "LayerVersionArn": "arn:aws:lambda:us-east-2:123456789012:layer:my-layer:1", + "Description": "My Python layer", + "CreatedDate": "2018-11-14T23:03:52.894+0000", + "Version": 1, + "LicenseInfo": "MIT", + "CompatibleRuntimes": ["python3.6", "python3.7"] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2018-10-31/layers/{LayerName}/versions/{VersionNumber}", @@ -5815,6 +6206,28 @@ ], "traits": { "smithy.api#documentation": "

    Returns information about a version of an Lambda\n layer, with a link to download the layer archive\n that's valid for 10 minutes.

    ", + "smithy.api#examples": [ + { + "title": "To get information about a Lambda layer version", + "documentation": "The following example returns information about the layer version with the specified Amazon Resource Name (ARN).", + "input": { + "Arn": "arn:aws:lambda:ca-central-1:123456789012:layer:blank-python-lib:3" + }, + "output": { + "Content": { + "Location": "https://awslambda-us-east-2-layers.s3.us-east-2.amazonaws.com/snapshots/123456789012/blank-python-lib-e5212378-xmpl-44ee-8398-9d8ec5113949?versionId=WbZnvf...", + "CodeSha256": "6x+xmpl/M3BnQUk7gS9sGmfeFsR/npojXoA3fZUv4eU=", + "CodeSize": 9529009 + }, + "LayerArn": "arn:aws:lambda:us-east-2:123456789012:layer:blank-python-lib", + "LayerVersionArn": "arn:aws:lambda:us-east-2:123456789012:layer:blank-python-lib:3", + "Description": "Dependencies for the blank-python sample app.", + "CreatedDate": "2020-03-31T00:35:18.949+0000", + "Version": 3, + "CompatibleRuntimes": ["python3.8"] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2018-10-31/layers?find=LayerVersion", @@ -6023,6 +6436,20 @@ ], "traits": { "smithy.api#documentation": "

    Returns the resource-based IAM policy for a function, version, or alias.

    ", + "smithy.api#examples": [ + { + "title": "To retrieve a Lambda function policy", + "documentation": "The following example returns the resource-based policy for version 1 of a Lambda function named my-function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "1" + }, + "output": { + "Policy": "{\"Version\":\"2012-10-17\",\"Id\":\"default\",\"Statement\":[{\"Sid\":\"xaccount\",\"Effect\":\"Allow\",\"Principal\":{\"AWS\":\"arn:aws:iam::123456789012:root\"},\"Action\":\"lambda:InvokeFunction\",\"Resource\":\"arn:aws:lambda:us-east-2:123456789012:function:my-function:1\"}]}", + "RevisionId": "4843f2f6-7c59-4fda-b484-afd0bc0e22b8" + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/functions/{FunctionName}/policy", @@ -6100,6 +6527,38 @@ ], "traits": { "smithy.api#documentation": "

    Retrieves the provisioned concurrency configuration for a function's alias or version.

    ", + "smithy.api#examples": [ + { + "title": "To get a provisioned concurrency configuration", + "documentation": "The following example returns details for the provisioned concurrency configuration for the BLUE alias of the specified function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "BLUE" + }, + "output": { + "RequestedProvisionedConcurrentExecutions": 100, + "AvailableProvisionedConcurrentExecutions": 100, + "AllocatedProvisionedConcurrentExecutions": 100, + "Status": "READY", + "LastModified": "2019-12-31T20:28:49+0000" + } + }, + { + "title": "To view a provisioned concurrency configuration", + "documentation": "The following example displays details for the provisioned concurrency configuration for the BLUE alias of the specified function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "BLUE" + }, + "output": { + "RequestedProvisionedConcurrentExecutions": 100, + "AvailableProvisionedConcurrentExecutions": 100, + "AllocatedProvisionedConcurrentExecutions": 100, + "Status": "READY", + "LastModified": "2019-12-31T20:28:49+0000" + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2019-09-30/functions/{FunctionName}/provisioned-concurrency", @@ -6198,7 +6657,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Retrieve the public-access settings for a function.

    ", + "smithy.api#documentation": "\n

    The option to configure public-access settings, and to use the PutPublicAccessBlock and GetPublicAccessBlock APIs, won't be \n available in all Amazon Web Services Regions until September 30, 2024.

    \n
    \n

    Retrieve the public-access settings for a function.

    ", "smithy.api#http": { "method": "GET", "uri": "/2024-09-16/public-access-block/{ResourceArn}", @@ -6259,7 +6718,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Retrieves the resource-based policy attached to a function.

    ", + "smithy.api#documentation": "\n

    The option to create and modify full JSON resource-based policies, and to use the PutResourcePolicy, GetResourcePolicy, and DeleteResourcePolicy APIs, won't be \n available in all Amazon Web Services Regions until September 30, 2024.

    \n
    \n

    Retrieves the resource-based policy attached to a function.

    ", "smithy.api#http": { "method": "GET", "uri": "/2024-09-16/resource-policy/{ResourceArn}", @@ -6837,6 +7296,35 @@ ], "traits": { "smithy.api#documentation": "

    Invokes a Lambda function. You can invoke a function synchronously (and wait for the response), or\n asynchronously. By default, Lambda invokes your function synchronously (i.e. theInvocationType\n is RequestResponse). To invoke a function asynchronously, set InvocationType to\n Event. Lambda passes the ClientContext object to your function for\n synchronous invocations only.

    \n

    For synchronous invocation,\n details about the function response, including errors, are included in the response body and headers. For either\n invocation type, you can find more information in the execution log and trace.

    \n

    When an error occurs, your function may be invoked multiple times. Retry behavior varies by error type,\n client, event source, and invocation type. For example, if you invoke a function asynchronously and it returns an\n error, Lambda executes the function up to two more times. For more information, see Error handling and automatic retries in\n Lambda.

    \n

    For asynchronous invocation,\n Lambda adds events to a queue before sending them to your function. If your function does not have enough capacity\n to keep up with the queue, events may be lost. Occasionally, your function may receive the same event multiple\n times, even if no error occurs. To retain events that were not processed, configure your function with a dead-letter queue.

    \n

    The status code in the API response doesn't reflect function errors. Error codes are reserved for errors that\n prevent your function from executing, such as permissions errors, quota errors, or issues with your function's code and\n configuration. For example, Lambda returns TooManyRequestsException if running the\n function would cause you to exceed a concurrency limit at either the account level\n (ConcurrentInvocationLimitExceeded) or function level\n (ReservedFunctionConcurrentInvocationLimitExceeded).

    \n

    For functions with a long timeout, your client might disconnect during synchronous invocation while it waits\n for a response. Configure your HTTP client, SDK, firewall, proxy, or operating system to allow for long\n connections with timeout or keep-alive settings.

    \n

    This operation requires permission for the lambda:InvokeFunction action. For details on how to set up\n permissions for cross-account invocations, see Granting function\n access to other accounts.

    ", + "smithy.api#examples": [ + { + "title": "To invoke a Lambda function", + "documentation": "The following example invokes version 1 of a function named my-function with an empty event payload.", + "input": { + "FunctionName": "my-function", + "Payload": "{}", + "Qualifier": "1" + }, + "output": { + "StatusCode": 200, + "Payload": "200 SUCCESS" + } + }, + { + "title": "To invoke a Lambda function asynchronously", + "documentation": "The following example invokes version 1 of a function named my-function asynchronously.", + "input": { + "FunctionName": "my-function", + "Payload": "{}", + "InvocationType": "Event", + "Qualifier": "1" + }, + "output": { + "StatusCode": 202, + "Payload": "" + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2015-03-31/functions/{FunctionName}/invocations", @@ -6872,6 +7360,19 @@ "traits": { "smithy.api#deprecated": {}, "smithy.api#documentation": "\n

    For asynchronous function invocation, use Invoke.

    \n
    \n

    Invokes a function asynchronously.

    \n \n

    If you do use the InvokeAsync action, note that it doesn't support the use of X-Ray active tracing. Trace ID is not \n propagated to the function, even if X-Ray active tracing is turned on.

    \n
    ", + "smithy.api#examples": [ + { + "title": "To invoke a Lambda function asynchronously", + "documentation": "The following example invokes a Lambda function asynchronously", + "input": { + "FunctionName": "my-function", + "InvokeArgs": "{}" + }, + "output": { + "Status": 202 + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2014-11-13/functions/{FunctionName}/invoke-async", @@ -7715,6 +8216,38 @@ ], "traits": { "smithy.api#documentation": "

    Returns a list of aliases\n for a Lambda function.

    ", + "smithy.api#examples": [ + { + "title": "To list a function's aliases", + "documentation": "The following example returns a list of aliases for a function named my-function.", + "input": { + "FunctionName": "my-function" + }, + "output": { + "Aliases": [ + { + "AliasArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function:BETA", + "RevisionId": "a410117f-xmpl-494e-8035-7e204bb7933b", + "FunctionVersion": "2", + "Name": "BLUE", + "Description": "Production environment BLUE.", + "RoutingConfig": { + "AdditionalVersionWeights": { + "1": 0.7 + } + } + }, + { + "AliasArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function:LIVE", + "RevisionId": "21d40116-xmpl-40ba-9360-3ea284da1bb5", + "FunctionVersion": "1", + "Name": "GREEN", + "Description": "Production environment GREEN." + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/functions/{FunctionName}/aliases", @@ -7882,6 +8415,28 @@ ], "traits": { "smithy.api#documentation": "

    Lists event source mappings. Specify an EventSourceArn to show only event source mappings for a\n single event source.

    ", + "smithy.api#examples": [ + { + "title": "To list the event source mappings for a function", + "documentation": "The following example returns a list of the event source mappings for a function named my-function.", + "input": { + "FunctionName": "my-function" + }, + "output": { + "EventSourceMappings": [ + { + "UUID": "a1b2c3d4-5678-90ab-cdef-11111EXAMPLE", + "StateTransitionReason": "USER_INITIATED", + "LastModified": 1.569284520333e9, + "BatchSize": 5, + "State": "Enabled", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "EventSourceArn": "arn:aws:sqs:us-west-2:123456789012:mySQSqueue" + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/event-source-mappings", @@ -7975,6 +8530,31 @@ ], "traits": { "smithy.api#documentation": "

    Retrieves a list of configurations for asynchronous invocation for a function.

    \n

    To configure options for asynchronous invocation, use PutFunctionEventInvokeConfig.

    ", + "smithy.api#examples": [ + { + "title": "To view a list of asynchronous invocation configurations", + "documentation": "The following example returns a list of asynchronous invocation configurations for a function named my-function.", + "input": { + "FunctionName": "my-function" + }, + "output": { + "FunctionEventInvokeConfigs": [ + { + "LastModified": 1.577824406719e9, + "FunctionArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function:GREEN", + "MaximumRetryAttempts": 2, + "MaximumEventAgeInSeconds": 1800 + }, + { + "LastModified": 1.577824396653e9, + "FunctionArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function:BLUE", + "MaximumRetryAttempts": 0, + "MaximumEventAgeInSeconds": 3600 + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2019-09-25/functions/{FunctionName}/event-invoke-config/list", @@ -8147,6 +8727,58 @@ ], "traits": { "smithy.api#documentation": "

    Returns a list of Lambda functions, with the version-specific configuration of each. Lambda returns up to 50\n functions per call.

    \n

    Set FunctionVersion to ALL to include all published versions of each function in\n addition to the unpublished version.

    \n \n

    The ListFunctions operation returns a subset of the FunctionConfiguration fields.\n To get the additional fields (State, StateReasonCode, StateReason, LastUpdateStatus, LastUpdateStatusReason,\n LastUpdateStatusReasonCode, RuntimeVersionConfig) for a function or version, use GetFunction.

    \n
    ", + "smithy.api#examples": [ + { + "title": "To get a list of Lambda functions", + "documentation": "This operation returns a list of Lambda functions.", + "output": { + "NextMarker": "", + "Functions": [ + { + "TracingConfig": { + "Mode": "PassThrough" + }, + "Version": "$LATEST", + "CodeSha256": "dBG9m8SGdmlEjw/JYXlhhvCrAv5TxvXsbL/RMr0fT/I=", + "FunctionName": "helloworld", + "MemorySize": 128, + "RevisionId": "1718e831-badf-4253-9518-d0644210af7b", + "CodeSize": 294, + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:helloworld", + "Handler": "helloworld.handler", + "Role": "arn:aws:iam::123456789012:role/service-role/MyTestFunction-role-zgur6bf4", + "Timeout": 3, + "LastModified": "2019-09-23T18:32:33.857+0000", + "Runtime": "nodejs10.x", + "Description": "" + }, + { + "TracingConfig": { + "Mode": "PassThrough" + }, + "Version": "$LATEST", + "CodeSha256": "sU0cJ2/hOZevwV/lTxCuQqK3gDZP3i8gUoqUUVRmY6E=", + "FunctionName": "my-function", + "VpcConfig": { + "SubnetIds": [], + "VpcId": "", + "SecurityGroupIds": [] + }, + "MemorySize": 256, + "RevisionId": "93017fc9-59cb-41dc-901b-4845ce4bf668", + "CodeSize": 266, + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Handler": "index.handler", + "Role": "arn:aws:iam::123456789012:role/service-role/helloWorldPython-role-uy3l9qyq", + "Timeout": 3, + "LastModified": "2019-10-01T16:47:28.490+0000", + "Runtime": "nodejs10.x", + "Description": "" + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/functions", @@ -8325,6 +8957,33 @@ ], "traits": { "smithy.api#documentation": "

    Lists the versions of an Lambda\n layer. Versions that have been deleted aren't listed. Specify a runtime identifier to list only\n versions that indicate that they're compatible with that runtime. Specify a compatible architecture to include only \n layer versions that are compatible with that architecture.

    ", + "smithy.api#examples": [ + { + "title": "To list versions of a layer", + "documentation": "The following example displays information about the versions for the layer named blank-java-lib", + "input": { + "LayerName": "blank-java-lib" + }, + "output": { + "LayerVersions": [ + { + "LayerVersionArn": "arn:aws:lambda:us-east-2:123456789012:layer:blank-java-lib:7", + "Version": 7, + "Description": "Dependencies for the blank-java sample app.", + "CreatedDate": "2020-03-18T23:38:42.284+0000", + "CompatibleRuntimes": ["java8"] + }, + { + "LayerVersionArn": "arn:aws:lambda:us-east-2:123456789012:layer:blank-java-lib:6", + "Version": 6, + "Description": "Dependencies for the blank-java sample app.", + "CreatedDate": "2020-03-17T07:24:21.960+0000", + "CompatibleRuntimes": ["java8"] + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2018-10-31/layers/{LayerName}/versions", @@ -8423,6 +9082,30 @@ ], "traits": { "smithy.api#documentation": "

    Lists Lambda\n layers and shows information about the latest version of each. Specify a\n runtime\n identifier to list only layers that indicate that they're compatible with that\n runtime. Specify a compatible architecture to include only layers that are compatible with\n that instruction set architecture.

    ", + "smithy.api#examples": [ + { + "title": "To list the layers that are compatible with your function's runtime", + "documentation": "The following example returns information about layers that are compatible with the Python 3.7 runtime.", + "input": { + "CompatibleRuntime": "python3.7" + }, + "output": { + "Layers": [ + { + "LayerName": "my-layer", + "LayerArn": "arn:aws:lambda:us-east-2:123456789012:layer:my-layer", + "LatestMatchingVersion": { + "LayerVersionArn": "arn:aws:lambda:us-east-2:123456789012:layer:my-layer:2", + "Version": 2, + "Description": "My layer", + "CreatedDate": "2018-11-15T00:37:46.592+0000", + "CompatibleRuntimes": ["python3.6", "python3.7"] + } + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2018-10-31/layers", @@ -8516,6 +9199,35 @@ ], "traits": { "smithy.api#documentation": "

    Retrieves a list of provisioned concurrency configurations for a function.

    ", + "smithy.api#examples": [ + { + "title": "To get a list of provisioned concurrency configurations", + "documentation": "The following example returns a list of provisioned concurrency configurations for a function named my-function.", + "input": { + "FunctionName": "my-function" + }, + "output": { + "ProvisionedConcurrencyConfigs": [ + { + "FunctionArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function:GREEN", + "RequestedProvisionedConcurrentExecutions": 100, + "AvailableProvisionedConcurrentExecutions": 100, + "AllocatedProvisionedConcurrentExecutions": 100, + "Status": "READY", + "LastModified": "2019-12-31T20:29:00+0000" + }, + { + "FunctionArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function:BLUE", + "RequestedProvisionedConcurrentExecutions": 100, + "AvailableProvisionedConcurrentExecutions": 100, + "AllocatedProvisionedConcurrentExecutions": 100, + "Status": "READY", + "LastModified": "2019-12-31T20:28:49+0000" + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2019-09-30/functions/{FunctionName}/provisioned-concurrency?List=ALL", @@ -8602,7 +9314,22 @@ } ], "traits": { - "smithy.api#documentation": "

    Returns a function's tags. You can\n also view tags with GetFunction.

    ", + "smithy.api#documentation": "

    Returns a function, event source mapping, or code signing configuration's tags. You can\n also view funciton tags with GetFunction.

    ", + "smithy.api#examples": [ + { + "title": "To retrieve the list of tags for a Lambda function", + "documentation": "The following example displays the tags attached to the my-function Lambda function.", + "input": { + "Resource": "arn:aws:lambda:us-west-2:123456789012:function:my-function" + }, + "output": { + "Tags": { + "Category": "Web Tools", + "Department": "Sales" + } + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2017-03-31/tags/{Resource}", @@ -8614,9 +9341,9 @@ "type": "structure", "members": { "Resource": { - "target": "com.amazonaws.lambda#FunctionArn", + "target": "com.amazonaws.lambda#TaggableResource", "traits": { - "smithy.api#documentation": "

    The function's Amazon Resource Name (ARN). \n Note: Lambda does not support adding tags to aliases or versions.

    ", + "smithy.api#documentation": "

    The resource's Amazon Resource Name (ARN). \n Note: Lambda does not support adding tags to function aliases or versions.

    ", "smithy.api#httpLabel": {}, "smithy.api#required": {} } @@ -8664,6 +9391,69 @@ ], "traits": { "smithy.api#documentation": "

    Returns a list of versions,\n with the version-specific configuration of each. Lambda returns up to 50 versions per call.

    ", + "smithy.api#examples": [ + { + "title": "To list versions of a function", + "documentation": "The following example returns a list of versions of a function named my-function", + "input": { + "FunctionName": "my-function" + }, + "output": { + "Versions": [ + { + "FunctionName": "my-function", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Runtime": "nodejs12.x", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Handler": "index.handler", + "CodeSize": 5797206, + "Description": "Process image objects from Amazon S3.", + "Timeout": 15, + "MemorySize": 256, + "LastModified": "2020-04-10T19:06:32.563+0000", + "CodeSha256": "YFgDgEKG3ugvF1+pX64gV6tu9qNuIYNUdgJm8nCxsm4=", + "Version": "$LATEST", + "Environment": { + "Variables": { + "PREFIX": "inbound", + "BUCKET": "my-bucket-1xpuxmplzrlbh" + } + }, + "KMSKeyArn": "arn:aws:kms:us-west-2:123456789012:key/b0844d6c-xmpl-4463-97a4-d49f50839966", + "TracingConfig": { + "Mode": "Active" + }, + "RevisionId": "850ca006-2d98-4ff4-86db-8766e9d32fe9" + }, + { + "FunctionName": "my-function", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Runtime": "nodejs12.x", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Handler": "index.handler", + "CodeSize": 5797206, + "Description": "Process image objects from Amazon S3.", + "Timeout": 5, + "MemorySize": 256, + "LastModified": "2020-04-10T19:06:32.563+0000", + "CodeSha256": "YFgDgEKG3ugvF1+pX64gV6tu9qNuIYNUdgJm8nCxsm4=", + "Version": "1", + "Environment": { + "Variables": { + "PREFIX": "inbound", + "BUCKET": "my-bucket-1xpuxmplzrlbh" + } + }, + "KMSKeyArn": "arn:aws:kms:us-west-2:123456789012:key/b0844d6c-xmpl-4463-97a4-d49f50839966", + "TracingConfig": { + "Mode": "Active" + }, + "RevisionId": "b75dcd81-xmpl-48a8-a75a-93ba8b5b9727" + } + ] + } + } + ], "smithy.api#http": { "method": "GET", "uri": "/2015-03-31/functions/{FunctionName}/versions", @@ -9316,6 +10106,36 @@ ], "traits": { "smithy.api#documentation": "

    Creates an Lambda\n layer from a ZIP archive. Each time you call PublishLayerVersion with the same\n layer name, a new version is created.

    \n

    Add layers to your function with CreateFunction or UpdateFunctionConfiguration.

    ", + "smithy.api#examples": [ + { + "title": "To create a Lambda layer version", + "documentation": "The following example creates a new Python library layer version. The command retrieves the layer content a file named layer.zip in the specified S3 bucket.", + "input": { + "LayerName": "my-layer", + "Description": "My Python layer", + "Content": { + "S3Bucket": "lambda-layers-us-west-2-123456789012", + "S3Key": "layer.zip" + }, + "CompatibleRuntimes": ["python3.6", "python3.7"], + "LicenseInfo": "MIT" + }, + "output": { + "Content": { + "Location": "https://awslambda-us-west-2-layers.s3.us-west-2.amazonaws.com/snapshots/123456789012/my-layer-4aaa2fbb-ff77-4b0a-ad92-5b78a716a96a?versionId=27iWyA73cCAYqyH...", + "CodeSha256": "tv9jJO+rPbXUUXuRKi7CwHzKtLDkDRJLB3cC3Z/ouXo=", + "CodeSize": 169 + }, + "LayerArn": "arn:aws:lambda:us-west-2:123456789012:layer:my-layer", + "LayerVersionArn": "arn:aws:lambda:us-west-2:123456789012:layer:my-layer:1", + "Description": "My Python layer", + "CreatedDate": "2018-11-14T23:03:52.894+0000", + "Version": 1, + "LicenseInfo": "MIT", + "CompatibleRuntimes": ["python3.6", "python3.7"] + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2018-10-31/layers/{LayerName}/versions", @@ -9466,6 +10286,44 @@ ], "traits": { "smithy.api#documentation": "

    Creates a version from the\n current code and configuration of a function. Use versions to create a snapshot of your function code and\n configuration that doesn't change.

    \n

    Lambda doesn't publish a version if the function's configuration and code haven't changed since the last\n version. Use UpdateFunctionCode or UpdateFunctionConfiguration to update the\n function before publishing a version.

    \n

    Clients can invoke versions directly or with an alias. To create an alias, use CreateAlias.

    ", + "smithy.api#examples": [ + { + "title": "To publish a version of a Lambda function", + "documentation": "This operation publishes a version of a Lambda function", + "input": { + "FunctionName": "myFunction", + "CodeSha256": "", + "Description": "" + }, + "output": { + "FunctionName": "my-function", + "FunctionArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Runtime": "nodejs12.x", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Handler": "index.handler", + "CodeSize": 5797206, + "Description": "Process image objects from Amazon S3.", + "Timeout": 5, + "MemorySize": 256, + "LastModified": "2020-04-10T19:06:32.563+0000", + "CodeSha256": "YFgDgEKG3ugvF1+pX64gV6tu9qNuIYNUdgJm8nCxsm4=", + "Version": "1", + "Environment": { + "Variables": { + "PREFIX": "inbound", + "BUCKET": "my-bucket-1xpuxmplzrlbh" + } + }, + "KMSKeyArn": "arn:aws:kms:us-west-2:123456789012:key/b0844d6c-xmpl-4463-97a4-d49f50839966", + "TracingConfig": { + "Mode": "Active" + }, + "RevisionId": "b75dcd81-xmpl-48a8-a75a-93ba8b5b9727", + "State": "Active", + "LastUpdateStatus": "Successful" + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2015-03-31/functions/{FunctionName}/versions", @@ -9616,6 +10474,19 @@ ], "traits": { "smithy.api#documentation": "

    Sets the maximum number of simultaneous executions for a function, and reserves capacity for that concurrency\n level.

    \n

    Concurrency settings apply to the function as a whole, including all published versions and the unpublished\n version. Reserving concurrency both ensures that your function has capacity to process the specified number of\n events simultaneously, and prevents it from scaling beyond that level. Use GetFunction to see\n the current setting for a function.

    \n

    Use GetAccountSettings to see your Regional concurrency limit. You can reserve concurrency\n for as many functions as you like, as long as you leave at least 100 simultaneous executions unreserved for\n functions that aren't configured with a per-function limit. For more information, see Lambda function scaling.

    ", + "smithy.api#examples": [ + { + "title": "To configure a reserved concurrency limit for a function", + "documentation": "The following example configures 100 reserved concurrent executions for the my-function function.", + "input": { + "FunctionName": "my-function", + "ReservedConcurrentExecutions": 100 + }, + "output": { + "ReservedConcurrentExecutions": 100 + } + } + ], "smithy.api#http": { "method": "PUT", "uri": "/2017-10-31/functions/{FunctionName}/concurrency", @@ -9819,6 +10690,23 @@ ], "traits": { "smithy.api#documentation": "

    Adds a provisioned concurrency configuration to a function's alias or version.

    ", + "smithy.api#examples": [ + { + "title": "To allocate provisioned concurrency", + "documentation": "The following example allocates 100 provisioned concurrency for the BLUE alias of the specified function.", + "input": { + "FunctionName": "my-function", + "Qualifier": "BLUE", + "ProvisionedConcurrentExecutions": 100 + }, + "output": { + "RequestedProvisionedConcurrentExecutions": 100, + "AllocatedProvisionedConcurrentExecutions": 0, + "Status": "IN_PROGRESS", + "LastModified": "2019-11-21T19:32:12+0000" + } + } + ], "smithy.api#http": { "method": "PUT", "uri": "/2019-09-30/functions/{FunctionName}/provisioned-concurrency", @@ -9927,7 +10815,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Configure your function's public-access settings.

    \n

    To control public access to a Lambda function, you can choose whether to allow the creation of \n resource-based policies that \n allow public access to that function. You can also block public access to a function, even if it has an existing resource-based \n policy that allows it.

    ", + "smithy.api#documentation": "\n

    The option to configure public-access settings, and to use the PutPublicAccessBlock and GetPublicAccessBlock APIs, won't be \n available in all Amazon Web Services Regions until September 30, 2024.

    \n
    \n

    Configure your function's public-access settings.

    \n

    To control public access to a Lambda function, you can choose whether to allow the creation of \n resource-based policies that \n allow public access to that function. You can also block public access to a function, even if it has an existing resource-based \n policy that allows it.

    ", "smithy.api#http": { "method": "PUT", "uri": "/2024-09-16/public-access-block/{ResourceArn}", @@ -10007,7 +10895,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Adds a resource-based policy \n to a function. You can use resource-based policies to grant access to other \n Amazon Web Services accounts, \n organizations, or \n services. Resource-based policies \n apply to a single function, version, or alias.

    \n \n

    Adding a resource-based policy using this API action replaces any existing policy you've previously created. This means that if \n you've previously added resource-based permissions to a function using the AddPermission action, those \n permissions will be overwritten by your new policy.

    \n
    ", + "smithy.api#documentation": "\n

    The option to create and modify full JSON resource-based policies, and to use the PutResourcePolicy, GetResourcePolicy, and DeleteResourcePolicy APIs, won't be \n available in all Amazon Web Services Regions until September 30, 2024.

    \n
    \n

    Adds a resource-based policy \n to a function. You can use resource-based policies to grant access to other \n Amazon Web Services accounts, \n organizations, or \n services. Resource-based policies \n apply to a single function, version, or alias.

    \n \n

    Adding a resource-based policy using this API action replaces any existing policy you've previously created. This means that if \n you've previously added resource-based permissions to a function using the AddPermission action, those \n permissions will be overwritten by your new policy.

    \n
    ", "smithy.api#http": { "method": "PUT", "uri": "/2024-09-16/resource-policy/{ResourceArn}", @@ -10260,6 +11148,17 @@ ], "traits": { "smithy.api#documentation": "

    Removes a statement from the permissions policy for a version of an Lambda\n layer. For more information, see\n AddLayerVersionPermission.

    ", + "smithy.api#examples": [ + { + "title": "To delete layer-version permissions", + "documentation": "The following example deletes permission for an account to configure a layer version.", + "input": { + "LayerName": "my-layer", + "VersionNumber": 1, + "StatementId": "xaccount" + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2018-10-31/layers/{LayerName}/versions/{VersionNumber}/policy/{StatementId}", @@ -10322,6 +11221,9 @@ { "target": "com.amazonaws.lambda#PreconditionFailedException" }, + { + "target": "com.amazonaws.lambda#PublicPolicyException" + }, { "target": "com.amazonaws.lambda#ResourceNotFoundException" }, @@ -10334,6 +11236,17 @@ ], "traits": { "smithy.api#documentation": "

    Revokes function-use permission from an Amazon Web Servicesservice or another Amazon Web Services account. You\n can get the ID of the statement from the output of GetPolicy.

    ", + "smithy.api#examples": [ + { + "title": "To remove a Lambda function's permissions", + "documentation": "The following example removes a permissions statement named xaccount from the PROD alias of a function named my-function.", + "input": { + "FunctionName": "my-function", + "StatementId": "xaccount", + "Qualifier": "PROD" + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2015-03-31/functions/{FunctionName}/policy/{StatementId}", @@ -11436,7 +12349,19 @@ } ], "traits": { - "smithy.api#documentation": "

    Adds tags to a function.

    ", + "smithy.api#documentation": "

    Adds tags to a function, event source mapping, or code signing configuration.

    ", + "smithy.api#examples": [ + { + "title": "To add tags to an existing Lambda function", + "documentation": "The following example adds a tag with the key name DEPARTMENT and a value of 'Department A' to the specified Lambda function.", + "input": { + "Resource": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "Tags": { + "DEPARTMENT": "Department A" + } + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2017-03-31/tags/{Resource}", @@ -11448,9 +12373,9 @@ "type": "structure", "members": { "Resource": { - "target": "com.amazonaws.lambda#FunctionArn", + "target": "com.amazonaws.lambda#TaggableResource", "traits": { - "smithy.api#documentation": "

    The function's Amazon Resource Name (ARN).

    ", + "smithy.api#documentation": "

    The resource's Amazon Resource Name (ARN).

    ", "smithy.api#httpLabel": {}, "smithy.api#required": {} } @@ -11458,7 +12383,7 @@ "Tags": { "target": "com.amazonaws.lambda#Tags", "traits": { - "smithy.api#documentation": "

    A list of tags to apply to the function.

    ", + "smithy.api#documentation": "

    A list of tags to apply to the resource.

    ", "smithy.api#required": {} } } @@ -11470,6 +12395,16 @@ "com.amazonaws.lambda#TagValue": { "type": "string" }, + "com.amazonaws.lambda#TaggableResource": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 256 + }, + "smithy.api#pattern": "^arn:(aws[a-zA-Z-]*):lambda:[a-z]{2}((-gov)|(-iso([a-z]?)))?-[a-z]+-\\d{1}:\\d{12}:(function:[a-zA-Z0-9-_]+(:(\\$LATEST|[a-zA-Z0-9-_]+))?|code-signing-config:csc-[a-z0-9]{17}|event-source-mapping:[0-9a-fA-F]{8}-[0-9a-fA-F]{4}-[0-9a-fA-F]{4}-[0-9a-fA-F]{4}-[0-9a-fA-F]{12})$" + } + }, "com.amazonaws.lambda#Tags": { "type": "map", "key": { @@ -11703,7 +12638,17 @@ } ], "traits": { - "smithy.api#documentation": "

    Removes tags from a function.

    ", + "smithy.api#documentation": "

    Removes tags from a function, event source mapping, or code signing configuration.

    ", + "smithy.api#examples": [ + { + "title": "To remove tags from an existing Lambda function", + "documentation": "The following example removes the tag with the key name DEPARTMENT tag from the my-function Lambda function.", + "input": { + "Resource": "arn:aws:lambda:us-west-2:123456789012:function:my-function", + "TagKeys": ["DEPARTMENT"] + } + } + ], "smithy.api#http": { "method": "DELETE", "uri": "/2017-03-31/tags/{Resource}", @@ -11715,9 +12660,9 @@ "type": "structure", "members": { "Resource": { - "target": "com.amazonaws.lambda#FunctionArn", + "target": "com.amazonaws.lambda#TaggableResource", "traits": { - "smithy.api#documentation": "

    The function's Amazon Resource Name (ARN).

    ", + "smithy.api#documentation": "

    The resource's Amazon Resource Name (ARN).

    ", "smithy.api#httpLabel": {}, "smithy.api#required": {} } @@ -11725,7 +12670,7 @@ "TagKeys": { "target": "com.amazonaws.lambda#TagKeyList", "traits": { - "smithy.api#documentation": "

    A list of tag keys to remove from the function.

    ", + "smithy.api#documentation": "

    A list of tag keys to remove from the resource.

    ", "smithy.api#httpQuery": "tagKeys", "smithy.api#required": {} } @@ -11765,6 +12710,34 @@ ], "traits": { "smithy.api#documentation": "

    Updates the configuration of a Lambda function alias.

    ", + "smithy.api#examples": [ + { + "title": "To update a function alias", + "documentation": "The following example updates the alias named BLUE to send 30% of traffic to version 2 and 70% to version 1.", + "input": { + "FunctionName": "my-function", + "Name": "BLUE", + "FunctionVersion": "2", + "RoutingConfig": { + "AdditionalVersionWeights": { + "1": 0.7 + } + } + }, + "output": { + "FunctionVersion": "2", + "Name": "BLUE", + "AliasArn": "arn:aws:lambda:us-west-2:123456789012:function:my-function:BLUE", + "RevisionId": "594f41fb-xmpl-4c20-95c7-6ca5f2a92c93", + "Description": "Production environment BLUE.", + "RoutingConfig": { + "AdditionalVersionWeights": { + "1": 0.7 + } + } + } + } + ], "smithy.api#http": { "method": "PUT", "uri": "/2015-03-31/functions/{FunctionName}/aliases/{Name}", @@ -12088,6 +13061,35 @@ ], "traits": { "smithy.api#documentation": "

    Updates a Lambda function's code. If code signing is enabled for the function, the code package\n must be signed by a trusted publisher. For more information, see Configuring code signing for Lambda.

    \n

    If the function's package type is Image, then you must specify the code package in\n ImageUri as the URI of a container image in the Amazon ECR registry.

    \n

    If the function's package type is Zip, then you must specify the deployment package as a .zip file\n archive. Enter the Amazon S3 bucket and key of the code .zip file location. You can also provide\n the function code inline using the ZipFile field.

    \n

    The code in the deployment package must be compatible with the target instruction set architecture of the\n function (x86-64 or arm64).

    \n

    The function's code is locked when you publish a version. You can't modify the code of a published version,\n only the unpublished version.

    \n \n

    For a function defined as a container image, Lambda resolves the image tag to an image digest. In\n Amazon ECR, if you update the image tag to a new image, Lambda does not automatically\n update the function.

    \n
    ", + "smithy.api#examples": [ + { + "title": "To update a Lambda function's code", + "documentation": "The following example replaces the code of the unpublished ($LATEST) version of a function named my-function with the contents of the specified zip file in Amazon S3.", + "input": { + "FunctionName": "my-function", + "S3Bucket": "my-bucket-1xpuxmplzrlbh", + "S3Key": "function.zip" + }, + "output": { + "TracingConfig": { + "Mode": "PassThrough" + }, + "CodeSha256": "PFn4S+er27qk+UuZSTKEQfNKG/XNn7QJs90mJgq6oH8=", + "FunctionName": "my-function", + "CodeSize": 308, + "RevisionId": "873282ed-xmpl-4dc8-a069-d0c647e470c6", + "MemorySize": 128, + "FunctionArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function", + "Version": "$LATEST", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Timeout": 3, + "LastModified": "2019-08-14T22:26:11.234+0000", + "Handler": "index.handler", + "Runtime": "nodejs12.x", + "Description": "" + } + } + ], "smithy.api#http": { "method": "PUT", "uri": "/2015-03-31/functions/{FunctionName}/code", @@ -12206,6 +13208,34 @@ ], "traits": { "smithy.api#documentation": "

    Modify the version-specific settings of a Lambda function.

    \n

    When you update a function, Lambda provisions an instance of the function and its supporting\n resources. If your function connects to a VPC, this process can take a minute. During this time, you can't modify\n the function, but you can still invoke it. The LastUpdateStatus, LastUpdateStatusReason,\n and LastUpdateStatusReasonCode fields in the response from GetFunctionConfiguration\n indicate when the update is complete and the function is processing events with the new configuration. For more\n information, see Lambda\n function states.

    \n

    These settings can vary between versions of a function and are locked when you publish a version. You can't\n modify the configuration of a published version, only the unpublished version.

    \n

    To configure function concurrency, use PutFunctionConcurrency. To grant invoke permissions\n to an Amazon Web Services account or Amazon Web Servicesservice, use AddPermission.

    ", + "smithy.api#examples": [ + { + "title": "To update a Lambda function's configuration", + "documentation": "The following example modifies the memory size to be 256 MB for the unpublished ($LATEST) version of a function named my-function.", + "input": { + "FunctionName": "my-function", + "MemorySize": 256 + }, + "output": { + "TracingConfig": { + "Mode": "PassThrough" + }, + "CodeSha256": "PFn4S+er27qk+UuZSTKEQfNKG/XNn7QJs90mJgq6oH8=", + "FunctionName": "my-function", + "CodeSize": 308, + "RevisionId": "873282ed-xmpl-4dc8-a069-d0c647e470c6", + "MemorySize": 256, + "FunctionArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function", + "Version": "$LATEST", + "Role": "arn:aws:iam::123456789012:role/lambda-role", + "Timeout": 3, + "LastModified": "2019-08-14T22:26:11.234+0000", + "Handler": "index.handler", + "Runtime": "nodejs12.x", + "Description": "" + } + } + ], "smithy.api#http": { "method": "PUT", "uri": "/2015-03-31/functions/{FunctionName}/configuration", @@ -12364,6 +13394,32 @@ ], "traits": { "smithy.api#documentation": "

    Updates the configuration for asynchronous invocation for a function, version, or alias.

    \n

    To configure options for asynchronous invocation, use PutFunctionEventInvokeConfig.

    ", + "smithy.api#examples": [ + { + "title": "To update an asynchronous invocation configuration", + "documentation": "The following example adds an on-failure destination to the existing asynchronous invocation configuration for a function named my-function.", + "input": { + "FunctionName": "my-function", + "DestinationConfig": { + "OnFailure": { + "Destination": "arn:aws:sqs:us-east-2:123456789012:destination" + } + } + }, + "output": { + "LastModified": 1.573687896493e9, + "FunctionArn": "arn:aws:lambda:us-east-2:123456789012:function:my-function:$LATEST", + "MaximumRetryAttempts": 0, + "MaximumEventAgeInSeconds": 3600, + "DestinationConfig": { + "OnSuccess": {}, + "OnFailure": { + "Destination": "arn:aws:sqs:us-east-2:123456789012:destination" + } + } + } + } + ], "smithy.api#http": { "method": "POST", "uri": "/2019-09-25/functions/{FunctionName}/event-invoke-config", From ff44caa5c8b6ae88aa64a2616b156389f7521eca Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:29 +0000 Subject: [PATCH 47/53] feat(client-glue): This change is for releasing TestConnection api SDK model --- clients/client-glue/README.md | 8 + clients/client-glue/src/Glue.ts | 21 +++ clients/client-glue/src/GlueClient.ts | 3 + .../src/commands/TestConnectionCommand.ts | 144 +++++++++++++++++ .../UpdateSourceControlFromJobCommand.ts | 3 +- .../src/commands/UpdateTableCommand.ts | 3 +- clients/client-glue/src/commands/index.ts | 1 + clients/client-glue/src/models/models_2.ts | 148 ++++++++---------- clients/client-glue/src/models/models_3.ts | 87 +++++++++- .../client-glue/src/protocols/Aws_json1_1.ts | 44 +++++- codegen/sdk-codegen/aws-models/glue.json | 99 ++++++++++++ 11 files changed, 470 insertions(+), 91 deletions(-) create mode 100644 clients/client-glue/src/commands/TestConnectionCommand.ts diff --git a/clients/client-glue/README.md b/clients/client-glue/README.md index 92974bb731a1..1295b5edf26d 100644 --- a/clients/client-glue/README.md +++ b/clients/client-glue/README.md @@ -1804,6 +1804,14 @@ TagResource [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/glue/command/TagResourceCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-glue/Interface/TagResourceCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-glue/Interface/TagResourceCommandOutput/) +
    +
    + +TestConnection + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/glue/command/TestConnectionCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-glue/Interface/TestConnectionCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-glue/Interface/TestConnectionCommandOutput/) +
    diff --git a/clients/client-glue/src/Glue.ts b/clients/client-glue/src/Glue.ts index 350857eb8bbf..e647992a2d8a 100644 --- a/clients/client-glue/src/Glue.ts +++ b/clients/client-glue/src/Glue.ts @@ -882,6 +882,11 @@ import { StopWorkflowRunCommandOutput, } from "./commands/StopWorkflowRunCommand"; import { TagResourceCommand, TagResourceCommandInput, TagResourceCommandOutput } from "./commands/TagResourceCommand"; +import { + TestConnectionCommand, + TestConnectionCommandInput, + TestConnectionCommandOutput, +} from "./commands/TestConnectionCommand"; import { UntagResourceCommand, UntagResourceCommandInput, @@ -1197,6 +1202,7 @@ const commands = { StopTriggerCommand, StopWorkflowRunCommand, TagResourceCommand, + TestConnectionCommand, UntagResourceCommand, UpdateBlueprintCommand, UpdateClassifierCommand, @@ -4236,6 +4242,21 @@ export interface Glue { cb: (err: any, data?: TagResourceCommandOutput) => void ): void; + /** + * @see {@link TestConnectionCommand} + */ + testConnection(): Promise; + testConnection( + args: TestConnectionCommandInput, + options?: __HttpHandlerOptions + ): Promise; + testConnection(args: TestConnectionCommandInput, cb: (err: any, data?: TestConnectionCommandOutput) => void): void; + testConnection( + args: TestConnectionCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: TestConnectionCommandOutput) => void + ): void; + /** * @see {@link UntagResourceCommand} */ diff --git a/clients/client-glue/src/GlueClient.ts b/clients/client-glue/src/GlueClient.ts index afb51245d612..4f2e6d485acb 100644 --- a/clients/client-glue/src/GlueClient.ts +++ b/clients/client-glue/src/GlueClient.ts @@ -496,6 +496,7 @@ import { StopSessionCommandInput, StopSessionCommandOutput } from "./commands/St import { StopTriggerCommandInput, StopTriggerCommandOutput } from "./commands/StopTriggerCommand"; import { StopWorkflowRunCommandInput, StopWorkflowRunCommandOutput } from "./commands/StopWorkflowRunCommand"; import { TagResourceCommandInput, TagResourceCommandOutput } from "./commands/TagResourceCommand"; +import { TestConnectionCommandInput, TestConnectionCommandOutput } from "./commands/TestConnectionCommand"; import { UntagResourceCommandInput, UntagResourceCommandOutput } from "./commands/UntagResourceCommand"; import { UpdateBlueprintCommandInput, UpdateBlueprintCommandOutput } from "./commands/UpdateBlueprintCommand"; import { UpdateClassifierCommandInput, UpdateClassifierCommandOutput } from "./commands/UpdateClassifierCommand"; @@ -759,6 +760,7 @@ export type ServiceInputTypes = | StopTriggerCommandInput | StopWorkflowRunCommandInput | TagResourceCommandInput + | TestConnectionCommandInput | UntagResourceCommandInput | UpdateBlueprintCommandInput | UpdateClassifierCommandInput @@ -988,6 +990,7 @@ export type ServiceOutputTypes = | StopTriggerCommandOutput | StopWorkflowRunCommandOutput | TagResourceCommandOutput + | TestConnectionCommandOutput | UntagResourceCommandOutput | UpdateBlueprintCommandOutput | UpdateClassifierCommandOutput diff --git a/clients/client-glue/src/commands/TestConnectionCommand.ts b/clients/client-glue/src/commands/TestConnectionCommand.ts new file mode 100644 index 000000000000..14cc24461f99 --- /dev/null +++ b/clients/client-glue/src/commands/TestConnectionCommand.ts @@ -0,0 +1,144 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { GlueClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../GlueClient"; +import { TestConnectionRequest, TestConnectionResponse } from "../models/models_2"; +import { de_TestConnectionCommand, se_TestConnectionCommand } from "../protocols/Aws_json1_1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link TestConnectionCommand}. + */ +export interface TestConnectionCommandInput extends TestConnectionRequest {} +/** + * @public + * + * The output of {@link TestConnectionCommand}. + */ +export interface TestConnectionCommandOutput extends TestConnectionResponse, __MetadataBearer {} + +/** + *

    Tests a connection to a service to validate the service credentials that you provide.

    + *

    You can either provide an existing connection name or a TestConnectionInput for testing a non-existing connection input. Providing both at the same time will cause an error.

    + *

    If the action is successful, the service sends back an HTTP 200 response.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { GlueClient, TestConnectionCommand } from "@aws-sdk/client-glue"; // ES Modules import + * // const { GlueClient, TestConnectionCommand } = require("@aws-sdk/client-glue"); // CommonJS import + * const client = new GlueClient(config); + * const input = { // TestConnectionRequest + * ConnectionName: "STRING_VALUE", + * TestConnectionInput: { // TestConnectionInput + * ConnectionType: "JDBC" || "SFTP" || "MONGODB" || "KAFKA" || "NETWORK" || "MARKETPLACE" || "CUSTOM" || "SALESFORCE" || "VIEW_VALIDATION_REDSHIFT" || "VIEW_VALIDATION_ATHENA", // required + * ConnectionProperties: { // ConnectionProperties // required + * "": "STRING_VALUE", + * }, + * AuthenticationConfiguration: { // AuthenticationConfigurationInput + * AuthenticationType: "BASIC" || "OAUTH2" || "CUSTOM", + * SecretArn: "STRING_VALUE", + * OAuth2Properties: { // OAuth2PropertiesInput + * OAuth2GrantType: "AUTHORIZATION_CODE" || "CLIENT_CREDENTIALS" || "JWT_BEARER", + * OAuth2ClientApplication: { // OAuth2ClientApplication + * UserManagedClientApplicationClientId: "STRING_VALUE", + * AWSManagedClientApplicationReference: "STRING_VALUE", + * }, + * TokenUrl: "STRING_VALUE", + * TokenUrlParametersMap: { // TokenUrlParametersMap + * "": "STRING_VALUE", + * }, + * AuthorizationCodeProperties: { // AuthorizationCodeProperties + * AuthorizationCode: "STRING_VALUE", + * RedirectUri: "STRING_VALUE", + * }, + * }, + * }, + * }, + * }; + * const command = new TestConnectionCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param TestConnectionCommandInput - {@link TestConnectionCommandInput} + * @returns {@link TestConnectionCommandOutput} + * @see {@link TestConnectionCommandInput} for command's `input` shape. + * @see {@link TestConnectionCommandOutput} for command's `response` shape. + * @see {@link GlueClientResolvedConfig | config} for GlueClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    Access to a resource was denied.

    + * + * @throws {@link ConflictException} (client fault) + *

    The CreatePartitions API was called on a table that has indexes enabled.

    + * + * @throws {@link EntityNotFoundException} (client fault) + *

    A specified entity does not exist

    + * + * @throws {@link FederationSourceException} (client fault) + *

    A federation source failed.

    + * + * @throws {@link GlueEncryptionException} (client fault) + *

    An encryption operation failed.

    + * + * @throws {@link InternalServiceException} (server fault) + *

    An internal service error occurred.

    + * + * @throws {@link InvalidInputException} (client fault) + *

    The input provided was not valid.

    + * + * @throws {@link OperationTimeoutException} (client fault) + *

    The operation timed out.

    + * + * @throws {@link ResourceNumberLimitExceededException} (client fault) + *

    A resource numerical limit was exceeded.

    + * + * @throws {@link GlueServiceException} + *

    Base exception class for all service exceptions from Glue service.

    + * + * @public + */ +export class TestConnectionCommand extends $Command + .classBuilder< + TestConnectionCommandInput, + TestConnectionCommandOutput, + GlueClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: GlueClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSGlue", "TestConnection", {}) + .n("GlueClient", "TestConnectionCommand") + .f(void 0, void 0) + .ser(se_TestConnectionCommand) + .de(de_TestConnectionCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: TestConnectionRequest; + output: {}; + }; + sdk: { + input: TestConnectionCommandInput; + output: TestConnectionCommandOutput; + }; + }; +} diff --git a/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts b/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts index 724fa064a430..150c1dbd8532 100644 --- a/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts +++ b/clients/client-glue/src/commands/UpdateSourceControlFromJobCommand.ts @@ -6,7 +6,8 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { GlueClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../GlueClient"; -import { UpdateSourceControlFromJobRequest, UpdateSourceControlFromJobResponse } from "../models/models_2"; +import { UpdateSourceControlFromJobRequest } from "../models/models_2"; +import { UpdateSourceControlFromJobResponse } from "../models/models_3"; import { de_UpdateSourceControlFromJobCommand, se_UpdateSourceControlFromJobCommand } from "../protocols/Aws_json1_1"; /** diff --git a/clients/client-glue/src/commands/UpdateTableCommand.ts b/clients/client-glue/src/commands/UpdateTableCommand.ts index 312776606b10..c4fa6194b09f 100644 --- a/clients/client-glue/src/commands/UpdateTableCommand.ts +++ b/clients/client-glue/src/commands/UpdateTableCommand.ts @@ -6,8 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; import { GlueClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../GlueClient"; -import { UpdateTableRequest } from "../models/models_2"; -import { UpdateTableResponse } from "../models/models_3"; +import { UpdateTableRequest, UpdateTableResponse } from "../models/models_3"; import { de_UpdateTableCommand, se_UpdateTableCommand } from "../protocols/Aws_json1_1"; /** diff --git a/clients/client-glue/src/commands/index.ts b/clients/client-glue/src/commands/index.ts index 73ea79fc8ec2..2b406d225aa5 100644 --- a/clients/client-glue/src/commands/index.ts +++ b/clients/client-glue/src/commands/index.ts @@ -199,6 +199,7 @@ export * from "./StopSessionCommand"; export * from "./StopTriggerCommand"; export * from "./StopWorkflowRunCommand"; export * from "./TagResourceCommand"; +export * from "./TestConnectionCommand"; export * from "./UntagResourceCommand"; export * from "./UpdateBlueprintCommand"; export * from "./UpdateClassifierCommand"; diff --git a/clients/client-glue/src/models/models_2.ts b/clients/client-glue/src/models/models_2.ts index 60417d6b5760..c3b1f64baa83 100644 --- a/clients/client-glue/src/models/models_2.ts +++ b/clients/client-glue/src/models/models_2.ts @@ -5,6 +5,7 @@ import { GlueServiceException as __BaseException } from "./GlueServiceException" import { AuditContext, + AuthenticationConfigurationInput, CrawlerTargets, CustomEntityType, DataSource, @@ -39,6 +40,8 @@ import { ColumnStatistics, Compatibility, ConnectionInput, + ConnectionPropertyKey, + ConnectionType, CsvHeaderOption, CsvSerdeOption, DatabaseInput, @@ -62,7 +65,6 @@ import { SchemaVersionStatus, Session, SortDirectionType, - TableInput, TaskStatusType, TransformEncryption, TransformParameters, @@ -6832,6 +6834,65 @@ export interface TagResourceRequest { */ export interface TagResourceResponse {} +/** + *

    A structure that is used to specify testing a connection to a service.

    + * @public + */ +export interface TestConnectionInput { + /** + *

    The type of connection to test. This operation is only available for the JDBC or SALESFORCE connection types.

    + * @public + */ + ConnectionType: ConnectionType | undefined; + + /** + *

    The key-value pairs that define parameters for the connection.

    + *

    JDBC connections use the following connection properties:

    + *
      + *
    • + *

      Required: All of (HOST, PORT, JDBC_ENGINE) or JDBC_CONNECTION_URL.

      + *
    • + *
    • + *

      Required: All of (USERNAME, PASSWORD) or SECRET_ID.

      + *
    • + *
    • + *

      Optional: JDBC_ENFORCE_SSL, CUSTOM_JDBC_CERT, CUSTOM_JDBC_CERT_STRING, SKIP_CUSTOM_JDBC_CERT_VALIDATION. These parameters are used to configure SSL with JDBC.

      + *
    • + *
    + *

    SALESFORCE connections require the AuthenticationConfiguration member to be configured.

    + * @public + */ + ConnectionProperties: Partial> | undefined; + + /** + *

    A structure containing the authentication configuration in the TestConnection request. Required for a connection to Salesforce using OAuth authentication.

    + * @public + */ + AuthenticationConfiguration?: AuthenticationConfigurationInput; +} + +/** + * @public + */ +export interface TestConnectionRequest { + /** + *

    Optional. The name of the connection to test. If only name is provided, the operation will get the connection and use that for testing.

    + * @public + */ + ConnectionName?: string; + + /** + *

    A structure that is used to specify testing a connection to a service.

    + * @public + */ + TestConnectionInput?: TestConnectionInput; +} + +/** + * @public + */ +export interface TestConnectionResponse {} + /** * @public */ @@ -7921,91 +7982,6 @@ export interface UpdateSourceControlFromJobRequest { AuthToken?: string; } -/** - * @public - */ -export interface UpdateSourceControlFromJobResponse { - /** - *

    The name of the Glue job.

    - * @public - */ - JobName?: string; -} - -/** - * @public - * @enum - */ -export const ViewUpdateAction = { - ADD: "ADD", - ADD_OR_REPLACE: "ADD_OR_REPLACE", - DROP: "DROP", - REPLACE: "REPLACE", -} as const; - -/** - * @public - */ -export type ViewUpdateAction = (typeof ViewUpdateAction)[keyof typeof ViewUpdateAction]; - -/** - * @public - */ -export interface UpdateTableRequest { - /** - *

    The ID of the Data Catalog where the table resides. If none is provided, the Amazon Web Services account - * ID is used by default.

    - * @public - */ - CatalogId?: string; - - /** - *

    The name of the catalog database in which the table resides. For Hive - * compatibility, this name is entirely lowercase.

    - * @public - */ - DatabaseName: string | undefined; - - /** - *

    An updated TableInput object to define the metadata table - * in the catalog.

    - * @public - */ - TableInput: TableInput | undefined; - - /** - *

    By default, UpdateTable always creates an archived version of the table - * before updating it. However, if skipArchive is set to true, - * UpdateTable does not create the archived version.

    - * @public - */ - SkipArchive?: boolean; - - /** - *

    The transaction ID at which to update the table contents.

    - * @public - */ - TransactionId?: string; - - /** - *

    The version ID at which to update the table contents.

    - * @public - */ - VersionId?: string; - - /** - *

    The operation to be performed when updating the view.

    - * @public - */ - ViewUpdateAction?: ViewUpdateAction; - - /** - *

    A flag that can be set to true to ignore matching storage descriptor and subobject matching requirements.

    - * @public - */ - Force?: boolean; -} - /** * @internal */ diff --git a/clients/client-glue/src/models/models_3.ts b/clients/client-glue/src/models/models_3.ts index db9a1644402c..ce844a69ef3a 100644 --- a/clients/client-glue/src/models/models_3.ts +++ b/clients/client-glue/src/models/models_3.ts @@ -91,7 +91,7 @@ import { WorkerType, } from "./models_0"; -import { Permission, ProfileConfiguration, TableIdentifier, UserDefinedFunctionInput } from "./models_1"; +import { Permission, ProfileConfiguration, TableIdentifier, TableInput, UserDefinedFunctionInput } from "./models_1"; import { ColumnRowFilter, @@ -102,6 +102,91 @@ import { ViewValidation, } from "./models_2"; +/** + * @public + */ +export interface UpdateSourceControlFromJobResponse { + /** + *

    The name of the Glue job.

    + * @public + */ + JobName?: string; +} + +/** + * @public + * @enum + */ +export const ViewUpdateAction = { + ADD: "ADD", + ADD_OR_REPLACE: "ADD_OR_REPLACE", + DROP: "DROP", + REPLACE: "REPLACE", +} as const; + +/** + * @public + */ +export type ViewUpdateAction = (typeof ViewUpdateAction)[keyof typeof ViewUpdateAction]; + +/** + * @public + */ +export interface UpdateTableRequest { + /** + *

    The ID of the Data Catalog where the table resides. If none is provided, the Amazon Web Services account + * ID is used by default.

    + * @public + */ + CatalogId?: string; + + /** + *

    The name of the catalog database in which the table resides. For Hive + * compatibility, this name is entirely lowercase.

    + * @public + */ + DatabaseName: string | undefined; + + /** + *

    An updated TableInput object to define the metadata table + * in the catalog.

    + * @public + */ + TableInput: TableInput | undefined; + + /** + *

    By default, UpdateTable always creates an archived version of the table + * before updating it. However, if skipArchive is set to true, + * UpdateTable does not create the archived version.

    + * @public + */ + SkipArchive?: boolean; + + /** + *

    The transaction ID at which to update the table contents.

    + * @public + */ + TransactionId?: string; + + /** + *

    The version ID at which to update the table contents.

    + * @public + */ + VersionId?: string; + + /** + *

    The operation to be performed when updating the view.

    + * @public + */ + ViewUpdateAction?: ViewUpdateAction; + + /** + *

    A flag that can be set to true to ignore matching storage descriptor and subobject matching requirements.

    + * @public + */ + Force?: boolean; +} + /** * @public */ diff --git a/clients/client-glue/src/protocols/Aws_json1_1.ts b/clients/client-glue/src/protocols/Aws_json1_1.ts index 8124b288ab55..0780b0e1ffe6 100644 --- a/clients/client-glue/src/protocols/Aws_json1_1.ts +++ b/clients/client-glue/src/protocols/Aws_json1_1.ts @@ -469,6 +469,7 @@ import { StopSessionCommandInput, StopSessionCommandOutput } from "../commands/S import { StopTriggerCommandInput, StopTriggerCommandOutput } from "../commands/StopTriggerCommand"; import { StopWorkflowRunCommandInput, StopWorkflowRunCommandOutput } from "../commands/StopWorkflowRunCommand"; import { TagResourceCommandInput, TagResourceCommandOutput } from "../commands/TagResourceCommand"; +import { TestConnectionCommandInput, TestConnectionCommandOutput } from "../commands/TestConnectionCommand"; import { UntagResourceCommandInput, UntagResourceCommandOutput } from "../commands/UntagResourceCommand"; import { UpdateBlueprintCommandInput, UpdateBlueprintCommandOutput } from "../commands/UpdateBlueprintCommand"; import { UpdateClassifierCommandInput, UpdateClassifierCommandOutput } from "../commands/UpdateClassifierCommand"; @@ -1111,6 +1112,8 @@ import { SupportedDialect, TableAttributes, TagResourceRequest, + TestConnectionInput, + TestConnectionRequest, TimestampFilter, TransformFilterCriteria, TransformSortCriteria, @@ -1137,7 +1140,6 @@ import { UpdateRegistryInput, UpdateSchemaInput, UpdateSourceControlFromJobRequest, - UpdateTableRequest, UpdateXMLClassifierRequest, UsageProfileDefinition, UserDefinedFunction, @@ -1167,6 +1169,7 @@ import { TriggerUpdate, UpdateJobRequest, UpdateTableOptimizerRequest, + UpdateTableRequest, UpdateTriggerRequest, UpdateUsageProfileRequest, UpdateUserDefinedFunctionRequest, @@ -3770,6 +3773,19 @@ export const se_TagResourceCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1TestConnectionCommand + */ +export const se_TestConnectionCommand = async ( + input: TestConnectionCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("TestConnection"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1UntagResourceCommand */ @@ -8082,6 +8098,26 @@ export const de_TagResourceCommand = async ( return response; }; +/** + * deserializeAws_json1_1TestConnectionCommand + */ +export const de_TestConnectionCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode >= 300) { + return de_CommandError(output, context); + } + const data: any = await parseBody(output.body, context); + let contents: any = {}; + contents = _json(data); + const response: TestConnectionCommandOutput = { + $metadata: deserializeMetadata(output), + ...contents, + }; + return response; +}; + /** * deserializeAws_json1_1UntagResourceCommand */ @@ -11210,6 +11246,10 @@ const se_TaskRunFilterCriteria = (input: TaskRunFilterCriteria, context: __Serde // se_TaskRunSortCriteria omitted. +// se_TestConnectionInput omitted. + +// se_TestConnectionRequest omitted. + /** * serializeAws_json1_1TimestampFilter */ @@ -15131,6 +15171,8 @@ const de_TaskRunList = (output: any, context: __SerdeContext): TaskRun[] => { // de_TaskRunProperties omitted. +// de_TestConnectionResponse omitted. + // de_ThrottlingException omitted. /** diff --git a/codegen/sdk-codegen/aws-models/glue.json b/codegen/sdk-codegen/aws-models/glue.json index c95fc7b651b5..a2e31dd62d56 100644 --- a/codegen/sdk-codegen/aws-models/glue.json +++ b/codegen/sdk-codegen/aws-models/glue.json @@ -633,6 +633,9 @@ { "target": "com.amazonaws.glue#TagResource" }, + { + "target": "com.amazonaws.glue#TestConnection" + }, { "target": "com.amazonaws.glue#UntagResource" }, @@ -36229,6 +36232,102 @@ } } }, + "com.amazonaws.glue#TestConnection": { + "type": "operation", + "input": { + "target": "com.amazonaws.glue#TestConnectionRequest" + }, + "output": { + "target": "com.amazonaws.glue#TestConnectionResponse" + }, + "errors": [ + { + "target": "com.amazonaws.glue#AccessDeniedException" + }, + { + "target": "com.amazonaws.glue#ConflictException" + }, + { + "target": "com.amazonaws.glue#EntityNotFoundException" + }, + { + "target": "com.amazonaws.glue#FederationSourceException" + }, + { + "target": "com.amazonaws.glue#GlueEncryptionException" + }, + { + "target": "com.amazonaws.glue#InternalServiceException" + }, + { + "target": "com.amazonaws.glue#InvalidInputException" + }, + { + "target": "com.amazonaws.glue#OperationTimeoutException" + }, + { + "target": "com.amazonaws.glue#ResourceNumberLimitExceededException" + } + ], + "traits": { + "smithy.api#documentation": "

    Tests a connection to a service to validate the service credentials that you provide.

    \n

    You can either provide an existing connection name or a TestConnectionInput for testing a non-existing connection input. Providing both at the same time will cause an error.

    \n

    If the action is successful, the service sends back an HTTP 200 response.

    " + } + }, + "com.amazonaws.glue#TestConnectionInput": { + "type": "structure", + "members": { + "ConnectionType": { + "target": "com.amazonaws.glue#ConnectionType", + "traits": { + "smithy.api#documentation": "

    The type of connection to test. This operation is only available for the JDBC or SALESFORCE connection types.

    ", + "smithy.api#required": {} + } + }, + "ConnectionProperties": { + "target": "com.amazonaws.glue#ConnectionProperties", + "traits": { + "smithy.api#documentation": "

    The key-value pairs that define parameters for the connection.

    \n

    JDBC connections use the following connection properties:

    \n
      \n
    • \n

      Required: All of (HOST, PORT, JDBC_ENGINE) or JDBC_CONNECTION_URL.

      \n
    • \n
    • \n

      Required: All of (USERNAME, PASSWORD) or SECRET_ID.

      \n
    • \n
    • \n

      Optional: JDBC_ENFORCE_SSL, CUSTOM_JDBC_CERT, CUSTOM_JDBC_CERT_STRING, SKIP_CUSTOM_JDBC_CERT_VALIDATION. These parameters are used to configure SSL with JDBC.

      \n
    • \n
    \n

    SALESFORCE connections require the AuthenticationConfiguration member to be configured.

    ", + "smithy.api#required": {} + } + }, + "AuthenticationConfiguration": { + "target": "com.amazonaws.glue#AuthenticationConfigurationInput", + "traits": { + "smithy.api#documentation": "

    A structure containing the authentication configuration in the TestConnection request. Required for a connection to Salesforce using OAuth authentication.

    " + } + } + }, + "traits": { + "smithy.api#documentation": "

    A structure that is used to specify testing a connection to a service.

    " + } + }, + "com.amazonaws.glue#TestConnectionRequest": { + "type": "structure", + "members": { + "ConnectionName": { + "target": "com.amazonaws.glue#NameString", + "traits": { + "smithy.api#documentation": "

    Optional. The name of the connection to test. If only name is provided, the operation will get the connection and use that for testing.

    " + } + }, + "TestConnectionInput": { + "target": "com.amazonaws.glue#TestConnectionInput", + "traits": { + "smithy.api#documentation": "

    A structure that is used to specify testing a connection to a service.

    " + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.glue#TestConnectionResponse": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.glue#ThrottlingException": { "type": "structure", "members": { From 1b45166684a15aa5dad5ef0da0ec9e65578100ed Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:29 +0000 Subject: [PATCH 48/53] feat(client-mediaconvert): This release provides support for additional DRM configurations per SPEKE Version 2.0. --- .../src/commands/CreateJobCommand.ts | 32 +++ .../src/commands/CreateJobTemplateCommand.ts | 32 +++ .../src/commands/GetJobCommand.ts | 16 ++ .../src/commands/GetJobTemplateCommand.ts | 16 ++ .../src/commands/ListJobTemplatesCommand.ts | 16 ++ .../src/commands/ListJobsCommand.ts | 16 ++ .../src/commands/SearchJobsCommand.ts | 16 ++ .../src/commands/UpdateJobTemplateCommand.ts | 32 +++ .../src/models/models_0.ts | 141 ++++++------ .../src/models/models_1.ts | 209 +++++++----------- .../src/models/models_2.ts | 132 ++++++++++- .../src/protocols/Aws_restJson1.ts | 47 +++- .../sdk-codegen/aws-models/mediaconvert.json | 142 ++++++++++++ 13 files changed, 639 insertions(+), 208 deletions(-) diff --git a/clients/client-mediaconvert/src/commands/CreateJobCommand.ts b/clients/client-mediaconvert/src/commands/CreateJobCommand.ts index f4181cb0ec87..bb293fd83edf 100644 --- a/clients/client-mediaconvert/src/commands/CreateJobCommand.ts +++ b/clients/client-mediaconvert/src/commands/CreateJobCommand.ts @@ -432,6 +432,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * "STRING_VALUE", * ], + * EncryptionContractConfiguration: { // EncryptionContractConfiguration + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * HlsSignaledSystemIds: [ * "STRING_VALUE", * ], @@ -504,6 +508,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * SpekeKeyProvider: { // SpekeKeyProvider * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * "STRING_VALUE", @@ -597,6 +605,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * OfflineEncrypted: "ENABLED" || "DISABLED", * SpekeKeyProvider: { * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ * "STRING_VALUE", @@ -665,6 +677,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * Encryption: { // MsSmoothEncryptionSettings * SpekeKeyProvider: { * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ * "STRING_VALUE", @@ -1969,6 +1985,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -2041,6 +2061,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -2134,6 +2158,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -2202,6 +2230,10 @@ export interface CreateJobCommandOutput extends CreateJobResponse, __MetadataBea * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts b/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts index 3413d3dc693f..537ee4a0eace 100644 --- a/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts +++ b/clients/client-mediaconvert/src/commands/CreateJobTemplateCommand.ts @@ -413,6 +413,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * "STRING_VALUE", * ], + * EncryptionContractConfiguration: { // EncryptionContractConfiguration + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * HlsSignaledSystemIds: [ * "STRING_VALUE", * ], @@ -485,6 +489,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * SpekeKeyProvider: { // SpekeKeyProvider * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * "STRING_VALUE", @@ -578,6 +586,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * OfflineEncrypted: "ENABLED" || "DISABLED", * SpekeKeyProvider: { * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ * "STRING_VALUE", @@ -646,6 +658,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * Encryption: { // MsSmoothEncryptionSettings * SpekeKeyProvider: { * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ * "STRING_VALUE", @@ -1892,6 +1908,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -1964,6 +1984,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -2057,6 +2081,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -2125,6 +2153,10 @@ export interface CreateJobTemplateCommandOutput extends CreateJobTemplateRespons * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/commands/GetJobCommand.ts b/clients/client-mediaconvert/src/commands/GetJobCommand.ts index f12a17259507..fd9f40eaa8e8 100644 --- a/clients/client-mediaconvert/src/commands/GetJobCommand.ts +++ b/clients/client-mediaconvert/src/commands/GetJobCommand.ts @@ -476,6 +476,10 @@ export interface GetJobCommandOutput extends GetJobResponse, __MetadataBearer {} * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -548,6 +552,10 @@ export interface GetJobCommandOutput extends GetJobResponse, __MetadataBearer {} * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -641,6 +649,10 @@ export interface GetJobCommandOutput extends GetJobResponse, __MetadataBearer {} * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -709,6 +721,10 @@ export interface GetJobCommandOutput extends GetJobResponse, __MetadataBearer {} * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts b/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts index ed71390943e6..79f72c05adca 100644 --- a/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts +++ b/clients/client-mediaconvert/src/commands/GetJobTemplateCommand.ts @@ -422,6 +422,10 @@ export interface GetJobTemplateCommandOutput extends GetJobTemplateResponse, __M * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -494,6 +498,10 @@ export interface GetJobTemplateCommandOutput extends GetJobTemplateResponse, __M * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -587,6 +595,10 @@ export interface GetJobTemplateCommandOutput extends GetJobTemplateResponse, __M * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -655,6 +667,10 @@ export interface GetJobTemplateCommandOutput extends GetJobTemplateResponse, __M * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts b/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts index 5223f4f6f42f..f4f20bb3d491 100644 --- a/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListJobTemplatesCommand.ts @@ -427,6 +427,10 @@ export interface ListJobTemplatesCommandOutput extends ListJobTemplatesResponse, * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -499,6 +503,10 @@ export interface ListJobTemplatesCommandOutput extends ListJobTemplatesResponse, * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -592,6 +600,10 @@ export interface ListJobTemplatesCommandOutput extends ListJobTemplatesResponse, * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -660,6 +672,10 @@ export interface ListJobTemplatesCommandOutput extends ListJobTemplatesResponse, * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/commands/ListJobsCommand.ts b/clients/client-mediaconvert/src/commands/ListJobsCommand.ts index 3c1cef3e2251..868d27e05ed9 100644 --- a/clients/client-mediaconvert/src/commands/ListJobsCommand.ts +++ b/clients/client-mediaconvert/src/commands/ListJobsCommand.ts @@ -481,6 +481,10 @@ export interface ListJobsCommandOutput extends ListJobsResponse, __MetadataBeare * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -553,6 +557,10 @@ export interface ListJobsCommandOutput extends ListJobsResponse, __MetadataBeare * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -646,6 +654,10 @@ export interface ListJobsCommandOutput extends ListJobsResponse, __MetadataBeare * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -714,6 +726,10 @@ export interface ListJobsCommandOutput extends ListJobsResponse, __MetadataBeare * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts b/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts index 1c7dca0e9e77..4233cfa449fd 100644 --- a/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts +++ b/clients/client-mediaconvert/src/commands/SearchJobsCommand.ts @@ -482,6 +482,10 @@ export interface SearchJobsCommandOutput extends SearchJobsResponse, __MetadataB * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -554,6 +558,10 @@ export interface SearchJobsCommandOutput extends SearchJobsResponse, __MetadataB * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -647,6 +655,10 @@ export interface SearchJobsCommandOutput extends SearchJobsResponse, __MetadataB * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -715,6 +727,10 @@ export interface SearchJobsCommandOutput extends SearchJobsResponse, __MetadataB * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts b/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts index c416edbc4a57..6d8b89ea8112 100644 --- a/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts +++ b/clients/client-mediaconvert/src/commands/UpdateJobTemplateCommand.ts @@ -413,6 +413,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * "STRING_VALUE", * ], + * EncryptionContractConfiguration: { // EncryptionContractConfiguration + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * HlsSignaledSystemIds: [ * "STRING_VALUE", * ], @@ -485,6 +489,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * SpekeKeyProvider: { // SpekeKeyProvider * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * "STRING_VALUE", @@ -578,6 +586,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * OfflineEncrypted: "ENABLED" || "DISABLED", * SpekeKeyProvider: { * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ * "STRING_VALUE", @@ -646,6 +658,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * Encryption: { // MsSmoothEncryptionSettings * SpekeKeyProvider: { * CertificateArn: "STRING_VALUE", + * EncryptionContractConfiguration: { + * SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * }, * ResourceId: "STRING_VALUE", * SystemIds: [ * "STRING_VALUE", @@ -1889,6 +1905,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * // DashSignaledSystemIds: [ // __listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", * // ], + * // EncryptionContractConfiguration: { // EncryptionContractConfiguration + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // HlsSignaledSystemIds: [ * // "STRING_VALUE", * // ], @@ -1961,6 +1981,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * // PlaybackDeviceCompatibility: "CENC_V1" || "UNENCRYPTED_SEI", * // SpekeKeyProvider: { // SpekeKeyProvider * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ // __listOf__stringPattern09aFAF809aFAF409aFAF409aFAF409aFAF12 * // "STRING_VALUE", @@ -2054,6 +2078,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * // OfflineEncrypted: "ENABLED" || "DISABLED", * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", @@ -2122,6 +2150,10 @@ export interface UpdateJobTemplateCommandOutput extends UpdateJobTemplateRespons * // Encryption: { // MsSmoothEncryptionSettings * // SpekeKeyProvider: { * // CertificateArn: "STRING_VALUE", + * // EncryptionContractConfiguration: { + * // SpekeAudioPreset: "PRESET_AUDIO_1" || "PRESET_AUDIO_2" || "PRESET_AUDIO_3" || "SHARED" || "UNENCRYPTED", + * // SpekeVideoPreset: "PRESET_VIDEO_1" || "PRESET_VIDEO_2" || "PRESET_VIDEO_3" || "PRESET_VIDEO_4" || "PRESET_VIDEO_5" || "PRESET_VIDEO_6" || "PRESET_VIDEO_7" || "PRESET_VIDEO_8" || "SHARED" || "UNENCRYPTED", + * // }, * // ResourceId: "STRING_VALUE", * // SystemIds: [ * // "STRING_VALUE", diff --git a/clients/client-mediaconvert/src/models/models_0.ts b/clients/client-mediaconvert/src/models/models_0.ts index a22ee1779aab..5dbc32b701a5 100644 --- a/clients/client-mediaconvert/src/models/models_0.ts +++ b/clients/client-mediaconvert/src/models/models_0.ts @@ -5716,6 +5716,63 @@ export const CmafInitializationVectorInManifest = { export type CmafInitializationVectorInManifest = (typeof CmafInitializationVectorInManifest)[keyof typeof CmafInitializationVectorInManifest]; +/** + * @public + * @enum + */ +export const PresetSpeke20Audio = { + PRESET_AUDIO_1: "PRESET_AUDIO_1", + PRESET_AUDIO_2: "PRESET_AUDIO_2", + PRESET_AUDIO_3: "PRESET_AUDIO_3", + SHARED: "SHARED", + UNENCRYPTED: "UNENCRYPTED", +} as const; + +/** + * @public + */ +export type PresetSpeke20Audio = (typeof PresetSpeke20Audio)[keyof typeof PresetSpeke20Audio]; + +/** + * @public + * @enum + */ +export const PresetSpeke20Video = { + PRESET_VIDEO_1: "PRESET_VIDEO_1", + PRESET_VIDEO_2: "PRESET_VIDEO_2", + PRESET_VIDEO_3: "PRESET_VIDEO_3", + PRESET_VIDEO_4: "PRESET_VIDEO_4", + PRESET_VIDEO_5: "PRESET_VIDEO_5", + PRESET_VIDEO_6: "PRESET_VIDEO_6", + PRESET_VIDEO_7: "PRESET_VIDEO_7", + PRESET_VIDEO_8: "PRESET_VIDEO_8", + SHARED: "SHARED", + UNENCRYPTED: "UNENCRYPTED", +} as const; + +/** + * @public + */ +export type PresetSpeke20Video = (typeof PresetSpeke20Video)[keyof typeof PresetSpeke20Video]; + +/** + * Specify the SPEKE version, either v1.0 or v2.0, that MediaConvert uses when encrypting your output. For more information, see: https://docs.aws.amazon.com/speke/latest/documentation/speke-api-specification.html To use SPEKE v1.0: Leave blank. To use SPEKE v2.0: Specify a SPEKE v2.0 video preset and a SPEKE v2.0 audio preset. + * @public + */ +export interface EncryptionContractConfiguration { + /** + * Specify which SPEKE version 2.0 audio preset MediaConvert uses to request content keys from your SPEKE server. For more information, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/drm-content-speke-v2-presets.html To encrypt to your audio outputs, choose from the following: Audio preset 1, Audio preset 2, or Audio preset 3. To encrypt your audio outputs, using the same content key for both your audio and video outputs: Choose Shared. When you do, you must also set SPEKE v2.0 video preset to Shared. To not encrypt your audio outputs: Choose Unencrypted. When you do, to encrypt your video outputs, you must also specify a SPEKE v2.0 video preset (other than Shared or Unencrypted). + * @public + */ + SpekeAudioPreset?: PresetSpeke20Audio; + + /** + * Specify which SPEKE version 2.0 video preset MediaConvert uses to request content keys from your SPEKE server. For more information, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/drm-content-speke-v2-presets.html To encrypt to your video outputs, choose from the following: Video preset 1, Video preset 2, Video preset 3, Video preset 4, Video preset 5, Video preset 6, Video preset 7, or Video preset 8. To encrypt your video outputs, using the same content key for both your video and audio outputs: Choose Shared. When you do, you must also set SPEKE v2.0 audio preset to Shared. To not encrypt your video outputs: Choose Unencrypted. When you do, to encrypt your audio outputs, you must also specify a SPEKE v2.0 audio preset (other than Shared or Unencrypted). + * @public + */ + SpekeVideoPreset?: PresetSpeke20Video; +} + /** * If your output group type is CMAF, use these settings when doing DRM encryption with a SPEKE-compliant key provider. If your output group type is HLS, DASH, or Microsoft Smooth, use the SpekeKeyProvider settings instead. * @public @@ -5733,6 +5790,12 @@ export interface SpekeKeyProviderCmaf { */ DashSignaledSystemIds?: string[]; + /** + * Specify the SPEKE version, either v1.0 or v2.0, that MediaConvert uses when encrypting your output. For more information, see: https://docs.aws.amazon.com/speke/latest/documentation/speke-api-specification.html To use SPEKE v1.0: Leave blank. To use SPEKE v2.0: Specify a SPEKE v2.0 video preset and a SPEKE v2.0 audio preset. + * @public + */ + EncryptionContractConfiguration?: EncryptionContractConfiguration; + /** * Specify the DRM system ID that you want signaled in the HLS manifest that MediaConvert creates as part of this CMAF package. The HLS manifest can currently signal only one system ID. For more information, see https://dashif.org/identifiers/content_protection/. * @public @@ -6312,6 +6375,12 @@ export interface SpekeKeyProvider { */ CertificateArn?: string; + /** + * Specify the SPEKE version, either v1.0 or v2.0, that MediaConvert uses when encrypting your output. For more information, see: https://docs.aws.amazon.com/speke/latest/documentation/speke-api-specification.html To use SPEKE v1.0: Leave blank. To use SPEKE v2.0: Specify a SPEKE v2.0 video preset and a SPEKE v2.0 audio preset. + * @public + */ + EncryptionContractConfiguration?: EncryptionContractConfiguration; + /** * Specify the resource ID that your SPEKE-compliant key provider uses to identify this content. * @public @@ -7442,75 +7511,3 @@ export const OutputGroupType = { * @public */ export type OutputGroupType = (typeof OutputGroupType)[keyof typeof OutputGroupType]; - -/** - * Output Group settings, including type - * @public - */ -export interface OutputGroupSettings { - /** - * Settings related to your CMAF output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. - * @public - */ - CmafGroupSettings?: CmafGroupSettings; - - /** - * Settings related to your DASH output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. - * @public - */ - DashIsoGroupSettings?: DashIsoGroupSettings; - - /** - * Settings related to your File output group. MediaConvert uses this group of settings to generate a single standalone file, rather than a streaming package. - * @public - */ - FileGroupSettings?: FileGroupSettings; - - /** - * Settings related to your HLS output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. - * @public - */ - HlsGroupSettings?: HlsGroupSettings; - - /** - * Settings related to your Microsoft Smooth Streaming output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. - * @public - */ - MsSmoothGroupSettings?: MsSmoothGroupSettings; - - /** - * Type of output group (File group, Apple HLS, DASH ISO, Microsoft Smooth Streaming, CMAF) - * @public - */ - Type?: OutputGroupType; -} - -/** - * @public - * @enum - */ -export const CmfcAudioDuration = { - DEFAULT_CODEC_DURATION: "DEFAULT_CODEC_DURATION", - MATCH_VIDEO_DURATION: "MATCH_VIDEO_DURATION", -} as const; - -/** - * @public - */ -export type CmfcAudioDuration = (typeof CmfcAudioDuration)[keyof typeof CmfcAudioDuration]; - -/** - * @public - * @enum - */ -export const CmfcAudioTrackType = { - ALTERNATE_AUDIO_AUTO_SELECT: "ALTERNATE_AUDIO_AUTO_SELECT", - ALTERNATE_AUDIO_AUTO_SELECT_DEFAULT: "ALTERNATE_AUDIO_AUTO_SELECT_DEFAULT", - ALTERNATE_AUDIO_NOT_AUTO_SELECT: "ALTERNATE_AUDIO_NOT_AUTO_SELECT", - AUDIO_ONLY_VARIANT_STREAM: "AUDIO_ONLY_VARIANT_STREAM", -} as const; - -/** - * @public - */ -export type CmfcAudioTrackType = (typeof CmfcAudioTrackType)[keyof typeof CmfcAudioTrackType]; diff --git a/clients/client-mediaconvert/src/models/models_1.ts b/clients/client-mediaconvert/src/models/models_1.ts index 6d5d82b435c2..7221bddc6c70 100644 --- a/clients/client-mediaconvert/src/models/models_1.ts +++ b/clients/client-mediaconvert/src/models/models_1.ts @@ -8,12 +8,14 @@ import { BillingTagsSource, CaptionDescription, CaptionDescriptionPreset, - CmfcAudioDuration, - CmfcAudioTrackType, + CmafGroupSettings, ColorConversion3DLUTSetting, + DashIsoGroupSettings, EsamSettings, ExtendedDataServices, + FileGroupSettings, Hdr10Metadata, + HlsGroupSettings, HopDestination, Id3Insertion, ImageInserter, @@ -23,14 +25,87 @@ import { JobPhase, KantarWatermarkSettings, MotionImageInserter, + MsSmoothGroupSettings, NielsenConfiguration, NielsenNonLinearWatermarkSettings, OutputGroupDetail, - OutputGroupSettings, + OutputGroupType, QueueTransition, Rectangle, } from "./models_0"; +/** + * Output Group settings, including type + * @public + */ +export interface OutputGroupSettings { + /** + * Settings related to your CMAF output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. + * @public + */ + CmafGroupSettings?: CmafGroupSettings; + + /** + * Settings related to your DASH output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. + * @public + */ + DashIsoGroupSettings?: DashIsoGroupSettings; + + /** + * Settings related to your File output group. MediaConvert uses this group of settings to generate a single standalone file, rather than a streaming package. + * @public + */ + FileGroupSettings?: FileGroupSettings; + + /** + * Settings related to your HLS output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. + * @public + */ + HlsGroupSettings?: HlsGroupSettings; + + /** + * Settings related to your Microsoft Smooth Streaming output package. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/outputs-file-ABR.html. + * @public + */ + MsSmoothGroupSettings?: MsSmoothGroupSettings; + + /** + * Type of output group (File group, Apple HLS, DASH ISO, Microsoft Smooth Streaming, CMAF) + * @public + */ + Type?: OutputGroupType; +} + +/** + * @public + * @enum + */ +export const CmfcAudioDuration = { + DEFAULT_CODEC_DURATION: "DEFAULT_CODEC_DURATION", + MATCH_VIDEO_DURATION: "MATCH_VIDEO_DURATION", +} as const; + +/** + * @public + */ +export type CmfcAudioDuration = (typeof CmfcAudioDuration)[keyof typeof CmfcAudioDuration]; + +/** + * @public + * @enum + */ +export const CmfcAudioTrackType = { + ALTERNATE_AUDIO_AUTO_SELECT: "ALTERNATE_AUDIO_AUTO_SELECT", + ALTERNATE_AUDIO_AUTO_SELECT_DEFAULT: "ALTERNATE_AUDIO_AUTO_SELECT_DEFAULT", + ALTERNATE_AUDIO_NOT_AUTO_SELECT: "ALTERNATE_AUDIO_NOT_AUTO_SELECT", + AUDIO_ONLY_VARIANT_STREAM: "AUDIO_ONLY_VARIANT_STREAM", +} as const; + +/** + * @public + */ +export type CmfcAudioTrackType = (typeof CmfcAudioTrackType)[keyof typeof CmfcAudioTrackType]; + /** * @public * @enum @@ -7360,131 +7435,3 @@ export const ReservationPlanStatus = { * @public */ export type ReservationPlanStatus = (typeof ReservationPlanStatus)[keyof typeof ReservationPlanStatus]; - -/** - * Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues. - * @public - */ -export interface ReservationPlan { - /** - * The length of the term of your reserved queue pricing plan commitment. - * @public - */ - Commitment?: Commitment; - - /** - * The timestamp in epoch seconds for when the current pricing plan term for this reserved queue expires. - * @public - */ - ExpiresAt?: Date; - - /** - * The timestamp in epoch seconds for when you set up the current pricing plan for this reserved queue. - * @public - */ - PurchasedAt?: Date; - - /** - * Specifies whether the term of your reserved queue pricing plan is automatically extended (AUTO_RENEW) or expires (EXPIRE) at the end of the term. - * @public - */ - RenewalType?: RenewalType; - - /** - * Specifies the number of reserved transcode slots (RTS) for this queue. The number of RTS determines how many jobs the queue can process in parallel; each RTS can process one job at a time. When you increase this number, you extend your existing commitment with a new 12-month commitment for a larger number of RTS. The new commitment begins when you purchase the additional capacity. You can't decrease the number of RTS in your reserved queue. - * @public - */ - ReservedSlots?: number; - - /** - * Specifies whether the pricing plan for your reserved queue is ACTIVE or EXPIRED. - * @public - */ - Status?: ReservationPlanStatus; -} - -/** - * @public - * @enum - */ -export const QueueStatus = { - ACTIVE: "ACTIVE", - PAUSED: "PAUSED", -} as const; - -/** - * @public - */ -export type QueueStatus = (typeof QueueStatus)[keyof typeof QueueStatus]; - -/** - * You can use queues to manage the resources that are available to your AWS account for running multiple transcoding jobs at the same time. If you don't specify a queue, the service sends all jobs through the default queue. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html. - * @public - */ -export interface Queue { - /** - * An identifier for this resource that is unique within all of AWS. - * @public - */ - Arn?: string; - - /** - * The timestamp in epoch seconds for when you created the queue. - * @public - */ - CreatedAt?: Date; - - /** - * An optional description that you create for each queue. - * @public - */ - Description?: string; - - /** - * The timestamp in epoch seconds for when you most recently updated the queue. - * @public - */ - LastUpdated?: Date; - - /** - * A name that you create for each queue. Each name must be unique within your account. - * @public - */ - Name: string | undefined; - - /** - * Specifies whether the pricing plan for the queue is on-demand or reserved. For on-demand, you pay per minute, billed in increments of .01 minute. For reserved, you pay for the transcoding capacity of the entire queue, regardless of how much or how little you use it. Reserved pricing requires a 12-month commitment. - * @public - */ - PricingPlan?: PricingPlan; - - /** - * The estimated number of jobs with a PROGRESSING status. - * @public - */ - ProgressingJobsCount?: number; - - /** - * Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues. - * @public - */ - ReservationPlan?: ReservationPlan; - - /** - * Queues can be ACTIVE or PAUSED. If you pause a queue, the service won't begin processing jobs in that queue. Jobs that are running when you pause the queue continue to run until they finish or result in an error. - * @public - */ - Status?: QueueStatus; - - /** - * The estimated number of jobs with a SUBMITTED status. - * @public - */ - SubmittedJobsCount?: number; - - /** - * Specifies whether this on-demand queue is system or custom. System queues are built in. You can't modify or delete system queues. You can create and modify custom queues. - * @public - */ - Type?: Type; -} diff --git a/clients/client-mediaconvert/src/models/models_2.ts b/clients/client-mediaconvert/src/models/models_2.ts index b1101b9514d0..ed7ffcb28a82 100644 --- a/clients/client-mediaconvert/src/models/models_2.ts +++ b/clients/client-mediaconvert/src/models/models_2.ts @@ -16,13 +16,141 @@ import { Preset, PresetSettings, PricingPlan, - Queue, - QueueStatus, RenewalType, + ReservationPlanStatus, SimulateReservedQueue, StatusUpdateInterval, + Type, } from "./models_1"; +/** + * Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues. + * @public + */ +export interface ReservationPlan { + /** + * The length of the term of your reserved queue pricing plan commitment. + * @public + */ + Commitment?: Commitment; + + /** + * The timestamp in epoch seconds for when the current pricing plan term for this reserved queue expires. + * @public + */ + ExpiresAt?: Date; + + /** + * The timestamp in epoch seconds for when you set up the current pricing plan for this reserved queue. + * @public + */ + PurchasedAt?: Date; + + /** + * Specifies whether the term of your reserved queue pricing plan is automatically extended (AUTO_RENEW) or expires (EXPIRE) at the end of the term. + * @public + */ + RenewalType?: RenewalType; + + /** + * Specifies the number of reserved transcode slots (RTS) for this queue. The number of RTS determines how many jobs the queue can process in parallel; each RTS can process one job at a time. When you increase this number, you extend your existing commitment with a new 12-month commitment for a larger number of RTS. The new commitment begins when you purchase the additional capacity. You can't decrease the number of RTS in your reserved queue. + * @public + */ + ReservedSlots?: number; + + /** + * Specifies whether the pricing plan for your reserved queue is ACTIVE or EXPIRED. + * @public + */ + Status?: ReservationPlanStatus; +} + +/** + * @public + * @enum + */ +export const QueueStatus = { + ACTIVE: "ACTIVE", + PAUSED: "PAUSED", +} as const; + +/** + * @public + */ +export type QueueStatus = (typeof QueueStatus)[keyof typeof QueueStatus]; + +/** + * You can use queues to manage the resources that are available to your AWS account for running multiple transcoding jobs at the same time. If you don't specify a queue, the service sends all jobs through the default queue. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html. + * @public + */ +export interface Queue { + /** + * An identifier for this resource that is unique within all of AWS. + * @public + */ + Arn?: string; + + /** + * The timestamp in epoch seconds for when you created the queue. + * @public + */ + CreatedAt?: Date; + + /** + * An optional description that you create for each queue. + * @public + */ + Description?: string; + + /** + * The timestamp in epoch seconds for when you most recently updated the queue. + * @public + */ + LastUpdated?: Date; + + /** + * A name that you create for each queue. Each name must be unique within your account. + * @public + */ + Name: string | undefined; + + /** + * Specifies whether the pricing plan for the queue is on-demand or reserved. For on-demand, you pay per minute, billed in increments of .01 minute. For reserved, you pay for the transcoding capacity of the entire queue, regardless of how much or how little you use it. Reserved pricing requires a 12-month commitment. + * @public + */ + PricingPlan?: PricingPlan; + + /** + * The estimated number of jobs with a PROGRESSING status. + * @public + */ + ProgressingJobsCount?: number; + + /** + * Details about the pricing plan for your reserved queue. Required for reserved queues and not applicable to on-demand queues. + * @public + */ + ReservationPlan?: ReservationPlan; + + /** + * Queues can be ACTIVE or PAUSED. If you pause a queue, the service won't begin processing jobs in that queue. Jobs that are running when you pause the queue continue to run until they finish or result in an error. + * @public + */ + Status?: QueueStatus; + + /** + * The estimated number of jobs with a SUBMITTED status. + * @public + */ + SubmittedJobsCount?: number; + + /** + * Specifies whether this on-demand queue is system or custom. System queues are built in. You can't modify or delete system queues. You can create and modify custom queues. + * @public + */ + Type?: Type; +} + /** * @public */ diff --git a/clients/client-mediaconvert/src/protocols/Aws_restJson1.ts b/clients/client-mediaconvert/src/protocols/Aws_restJson1.ts index 4409519aa00d..6491178d9036 100644 --- a/clients/client-mediaconvert/src/protocols/Aws_restJson1.ts +++ b/clients/client-mediaconvert/src/protocols/Aws_restJson1.ts @@ -110,6 +110,7 @@ import { Eac3Settings, EmbeddedDestinationSettings, EmbeddedSourceSettings, + EncryptionContractConfiguration, Endpoint, EsamManifestConfirmConditionNotification, EsamSettings, @@ -155,7 +156,6 @@ import { OutputChannelMapping, OutputDetail, OutputGroupDetail, - OutputGroupSettings, QueueTransition, Rectangle, RemixSettings, @@ -229,13 +229,12 @@ import { NoiseReducerTemporalFilterSettings, Output, OutputGroup, + OutputGroupSettings, OutputSettings, PartnerWatermarking, Preset, PresetSettings, ProresSettings, - Queue, - ReservationPlan, TimecodeBurnin, TimecodeConfig, TimedMetadataInsertion, @@ -262,6 +261,8 @@ import { InternalServerErrorException, NotFoundException, Policy, + Queue, + ReservationPlan, ReservationPlanSettings, ResourceTags, TooManyRequestsException, @@ -2826,6 +2827,16 @@ const se_EmbeddedSourceSettings = (input: EmbeddedSourceSettings, context: __Ser }); }; +/** + * serializeAws_restJson1EncryptionContractConfiguration + */ +const se_EncryptionContractConfiguration = (input: EncryptionContractConfiguration, context: __SerdeContext): any => { + return take(input, { + spekeAudioPreset: [, , `SpekeAudioPreset`], + spekeVideoPreset: [, , `SpekeVideoPreset`], + }); +}; + /** * serializeAws_restJson1EsamManifestConfirmConditionNotification */ @@ -4061,6 +4072,11 @@ const se_SccDestinationSettings = (input: SccDestinationSettings, context: __Ser const se_SpekeKeyProvider = (input: SpekeKeyProvider, context: __SerdeContext): any => { return take(input, { certificateArn: [, , `CertificateArn`], + encryptionContractConfiguration: [ + , + (_) => se_EncryptionContractConfiguration(_, context), + `EncryptionContractConfiguration`, + ], resourceId: [, , `ResourceId`], systemIds: [, _json, `SystemIds`], url: [, , `Url`], @@ -4074,6 +4090,11 @@ const se_SpekeKeyProviderCmaf = (input: SpekeKeyProviderCmaf, context: __SerdeCo return take(input, { certificateArn: [, , `CertificateArn`], dashSignaledSystemIds: [, _json, `DashSignaledSystemIds`], + encryptionContractConfiguration: [ + , + (_) => se_EncryptionContractConfiguration(_, context), + `EncryptionContractConfiguration`, + ], hlsSignaledSystemIds: [, _json, `HlsSignaledSystemIds`], resourceId: [, , `ResourceId`], url: [, , `Url`], @@ -5867,6 +5888,16 @@ const de_EmbeddedSourceSettings = (output: any, context: __SerdeContext): Embedd }) as any; }; +/** + * deserializeAws_restJson1EncryptionContractConfiguration + */ +const de_EncryptionContractConfiguration = (output: any, context: __SerdeContext): EncryptionContractConfiguration => { + return take(output, { + SpekeAudioPreset: [, __expectString, `spekeAudioPreset`], + SpekeVideoPreset: [, __expectString, `spekeVideoPreset`], + }) as any; +}; + /** * deserializeAws_restJson1Endpoint */ @@ -7290,6 +7321,11 @@ const de_SccDestinationSettings = (output: any, context: __SerdeContext): SccDes const de_SpekeKeyProvider = (output: any, context: __SerdeContext): SpekeKeyProvider => { return take(output, { CertificateArn: [, __expectString, `certificateArn`], + EncryptionContractConfiguration: [ + , + (_: any) => de_EncryptionContractConfiguration(_, context), + `encryptionContractConfiguration`, + ], ResourceId: [, __expectString, `resourceId`], SystemIds: [, _json, `systemIds`], Url: [, __expectString, `url`], @@ -7303,6 +7339,11 @@ const de_SpekeKeyProviderCmaf = (output: any, context: __SerdeContext): SpekeKey return take(output, { CertificateArn: [, __expectString, `certificateArn`], DashSignaledSystemIds: [, _json, `dashSignaledSystemIds`], + EncryptionContractConfiguration: [ + , + (_: any) => de_EncryptionContractConfiguration(_, context), + `encryptionContractConfiguration`, + ], HlsSignaledSystemIds: [, _json, `hlsSignaledSystemIds`], ResourceId: [, __expectString, `resourceId`], Url: [, __expectString, `url`], diff --git a/codegen/sdk-codegen/aws-models/mediaconvert.json b/codegen/sdk-codegen/aws-models/mediaconvert.json index 4c654a50f3d2..4a1462a2f503 100644 --- a/codegen/sdk-codegen/aws-models/mediaconvert.json +++ b/codegen/sdk-codegen/aws-models/mediaconvert.json @@ -8780,6 +8780,28 @@ "smithy.api#documentation": "Set Embedded timecode override to Use MDPM when your AVCHD input contains timecode tag data in the Modified Digital Video Pack Metadata. When you do, we recommend you also set Timecode source to Embedded. Leave Embedded timecode override blank, or set to None, when your input does not contain MDPM timecode." } }, + "com.amazonaws.mediaconvert#EncryptionContractConfiguration": { + "type": "structure", + "members": { + "SpekeAudioPreset": { + "target": "com.amazonaws.mediaconvert#PresetSpeke20Audio", + "traits": { + "smithy.api#documentation": "Specify which SPEKE version 2.0 audio preset MediaConvert uses to request content keys from your SPEKE server. For more information, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/drm-content-speke-v2-presets.html To encrypt to your audio outputs, choose from the following: Audio preset 1, Audio preset 2, or Audio preset 3. To encrypt your audio outputs, using the same content key for both your audio and video outputs: Choose Shared. When you do, you must also set SPEKE v2.0 video preset to Shared. To not encrypt your audio outputs: Choose Unencrypted. When you do, to encrypt your video outputs, you must also specify a SPEKE v2.0 video preset (other than Shared or Unencrypted).", + "smithy.api#jsonName": "spekeAudioPreset" + } + }, + "SpekeVideoPreset": { + "target": "com.amazonaws.mediaconvert#PresetSpeke20Video", + "traits": { + "smithy.api#documentation": "Specify which SPEKE version 2.0 video preset MediaConvert uses to request content keys from your SPEKE server. For more information, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/drm-content-speke-v2-presets.html To encrypt to your video outputs, choose from the following: Video preset 1, Video preset 2, Video preset 3, Video preset 4, Video preset 5, Video preset 6, Video preset 7, or Video preset 8. To encrypt your video outputs, using the same content key for both your video and audio outputs: Choose Shared. When you do, you must also set SPEKE v2.0 audio preset to Shared. To not encrypt your video outputs: Choose Unencrypted. When you do, to encrypt your audio outputs, you must also specify a SPEKE v2.0 audio preset (other than Shared or Unencrypted).", + "smithy.api#jsonName": "spekeVideoPreset" + } + } + }, + "traits": { + "smithy.api#documentation": "Specify the SPEKE version, either v1.0 or v2.0, that MediaConvert uses when encrypting your output. For more information, see: https://docs.aws.amazon.com/speke/latest/documentation/speke-api-specification.html To use SPEKE v1.0: Leave blank. To use SPEKE v2.0: Specify a SPEKE v2.0 video preset and a SPEKE v2.0 audio preset." + } + }, "com.amazonaws.mediaconvert#Endpoint": { "type": "structure", "members": { @@ -20963,6 +20985,112 @@ "smithy.api#documentation": "Settings for preset" } }, + "com.amazonaws.mediaconvert#PresetSpeke20Audio": { + "type": "enum", + "members": { + "PRESET_AUDIO_1": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_AUDIO_1" + } + }, + "PRESET_AUDIO_2": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_AUDIO_2" + } + }, + "PRESET_AUDIO_3": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_AUDIO_3" + } + }, + "SHARED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "SHARED" + } + }, + "UNENCRYPTED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "UNENCRYPTED" + } + } + }, + "traits": { + "smithy.api#documentation": "Specify which SPEKE version 2.0 audio preset MediaConvert uses to request content keys from your SPEKE server. For more information, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/drm-content-speke-v2-presets.html To encrypt to your audio outputs, choose from the following: Audio preset 1, Audio preset 2, or Audio preset 3. To encrypt your audio outputs, using the same content key for both your audio and video outputs: Choose Shared. When you do, you must also set SPEKE v2.0 video preset to Shared. To not encrypt your audio outputs: Choose Unencrypted. When you do, to encrypt your video outputs, you must also specify a SPEKE v2.0 video preset (other than Shared or Unencrypted)." + } + }, + "com.amazonaws.mediaconvert#PresetSpeke20Video": { + "type": "enum", + "members": { + "PRESET_VIDEO_1": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_1" + } + }, + "PRESET_VIDEO_2": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_2" + } + }, + "PRESET_VIDEO_3": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_3" + } + }, + "PRESET_VIDEO_4": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_4" + } + }, + "PRESET_VIDEO_5": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_5" + } + }, + "PRESET_VIDEO_6": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_6" + } + }, + "PRESET_VIDEO_7": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_7" + } + }, + "PRESET_VIDEO_8": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "PRESET_VIDEO_8" + } + }, + "SHARED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "SHARED" + } + }, + "UNENCRYPTED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "UNENCRYPTED" + } + } + }, + "traits": { + "smithy.api#documentation": "Specify which SPEKE version 2.0 video preset MediaConvert uses to request content keys from your SPEKE server. For more information, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/drm-content-speke-v2-presets.html To encrypt to your video outputs, choose from the following: Video preset 1, Video preset 2, Video preset 3, Video preset 4, Video preset 5, Video preset 6, Video preset 7, or Video preset 8. To encrypt your video outputs, using the same content key for both your video and audio outputs: Choose Shared. When you do, you must also set SPEKE v2.0 audio preset to Shared. To not encrypt your video outputs: Choose Unencrypted. When you do, to encrypt your audio outputs, you must also specify a SPEKE v2.0 audio preset (other than Shared or Unencrypted)." + } + }, "com.amazonaws.mediaconvert#PricingPlan": { "type": "enum", "members": { @@ -22276,6 +22404,13 @@ "smithy.api#jsonName": "certificateArn" } }, + "EncryptionContractConfiguration": { + "target": "com.amazonaws.mediaconvert#EncryptionContractConfiguration", + "traits": { + "smithy.api#documentation": "Specify the SPEKE version, either v1.0 or v2.0, that MediaConvert uses when encrypting your output. For more information, see: https://docs.aws.amazon.com/speke/latest/documentation/speke-api-specification.html To use SPEKE v1.0: Leave blank. To use SPEKE v2.0: Specify a SPEKE v2.0 video preset and a SPEKE v2.0 audio preset.", + "smithy.api#jsonName": "encryptionContractConfiguration" + } + }, "ResourceId": { "target": "com.amazonaws.mediaconvert#__string", "traits": { @@ -22319,6 +22454,13 @@ "smithy.api#jsonName": "dashSignaledSystemIds" } }, + "EncryptionContractConfiguration": { + "target": "com.amazonaws.mediaconvert#EncryptionContractConfiguration", + "traits": { + "smithy.api#documentation": "Specify the SPEKE version, either v1.0 or v2.0, that MediaConvert uses when encrypting your output. For more information, see: https://docs.aws.amazon.com/speke/latest/documentation/speke-api-specification.html To use SPEKE v1.0: Leave blank. To use SPEKE v2.0: Specify a SPEKE v2.0 video preset and a SPEKE v2.0 audio preset.", + "smithy.api#jsonName": "encryptionContractConfiguration" + } + }, "HlsSignaledSystemIds": { "target": "com.amazonaws.mediaconvert#__listOf__stringMin36Max36Pattern09aFAF809aFAF409aFAF409aFAF409aFAF12", "traits": { From ab83f05c0ff973e5ff312cfd918806af5750403a Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:29 +0000 Subject: [PATCH 49/53] feat(client-medialive): Adds Bandwidth Reduction Filtering for HD AVC and HEVC encodes, multiplex container settings. --- .../src/commands/CreateChannelCommand.ts | 52 ++++ .../src/commands/DeleteChannelCommand.ts | 26 ++ .../src/commands/DescribeChannelCommand.ts | 26 ++ .../RestartChannelPipelinesCommand.ts | 26 ++ .../src/commands/StartChannelCommand.ts | 26 ++ .../src/commands/StopChannelCommand.ts | 26 ++ .../src/commands/UpdateChannelClassCommand.ts | 26 ++ .../src/commands/UpdateChannelCommand.ts | 52 ++++ .../client-medialive/src/models/models_1.ts | 290 ++++++++++++------ .../client-medialive/src/models/models_2.ts | 109 ++++++- .../src/protocols/Aws_restJson1.ts | 118 ++++++- codegen/sdk-codegen/aws-models/medialive.json | 232 +++++++++++++- 12 files changed, 901 insertions(+), 108 deletions(-) diff --git a/clients/client-medialive/src/commands/CreateChannelCommand.ts b/clients/client-medialive/src/commands/CreateChannelCommand.ts index 1aa82575e527..2b4fd68272be 100644 --- a/clients/client-medialive/src/commands/CreateChannelCommand.ts +++ b/clients/client-medialive/src/commands/CreateChannelCommand.ts @@ -654,6 +654,24 @@ export interface CreateChannelCommandOutput extends CreateChannelResponse, __Met * }, * MultiplexOutputSettings: { // MultiplexOutputSettings * Destination: "", // required + * ContainerSettings: { // MultiplexContainerSettings + * MultiplexM2tsSettings: { // MultiplexM2tsSettings + * AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * Arib: "DISABLED" || "ENABLED", + * AudioBufferModel: "ATSC" || "DVB", + * AudioFramesPerPes: Number("int"), + * AudioStreamType: "ATSC" || "DVB", + * CcDescriptor: "DISABLED" || "ENABLED", + * Ebif: "NONE" || "PASSTHROUGH", + * EsRateInPes: "EXCLUDE" || "INCLUDE", + * Klv: "NONE" || "PASSTHROUGH", + * NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * PcrPeriod: Number("int"), + * Scte35Control: "NONE" || "PASSTHROUGH", + * Scte35PrerollPullupMilliseconds: Number("double"), + * }, + * }, * }, * RtmpOutputSettings: { // RtmpOutputSettings * CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -845,6 +863,10 @@ export interface CreateChannelCommandOutput extends CreateChannelResponse, __Met * PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * }, + * BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * }, * }, * FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * FlickerAq: "DISABLED" || "ENABLED", @@ -907,6 +929,10 @@ export interface CreateChannelCommandOutput extends CreateChannelResponse, __Met * PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * }, + * BandwidthReductionFilterSettings: { + * PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * }, * }, * FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * FlickerAq: "DISABLED" || "ENABLED", @@ -1816,6 +1842,24 @@ export interface CreateChannelCommandOutput extends CreateChannelResponse, __Met * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -2007,6 +2051,10 @@ export interface CreateChannelCommandOutput extends CreateChannelResponse, __Met * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -2069,6 +2117,10 @@ export interface CreateChannelCommandOutput extends CreateChannelResponse, __Met * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/commands/DeleteChannelCommand.ts b/clients/client-medialive/src/commands/DeleteChannelCommand.ts index 151dc09664c1..760394fe9bae 100644 --- a/clients/client-medialive/src/commands/DeleteChannelCommand.ts +++ b/clients/client-medialive/src/commands/DeleteChannelCommand.ts @@ -665,6 +665,24 @@ export interface DeleteChannelCommandOutput extends DeleteChannelResponse, __Met * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -856,6 +874,10 @@ export interface DeleteChannelCommandOutput extends DeleteChannelResponse, __Met * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -918,6 +940,10 @@ export interface DeleteChannelCommandOutput extends DeleteChannelResponse, __Met * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/commands/DescribeChannelCommand.ts b/clients/client-medialive/src/commands/DescribeChannelCommand.ts index ed9a683337aa..82427cbe1e96 100644 --- a/clients/client-medialive/src/commands/DescribeChannelCommand.ts +++ b/clients/client-medialive/src/commands/DescribeChannelCommand.ts @@ -665,6 +665,24 @@ export interface DescribeChannelCommandOutput extends DescribeChannelResponse, _ * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -856,6 +874,10 @@ export interface DescribeChannelCommandOutput extends DescribeChannelResponse, _ * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -918,6 +940,10 @@ export interface DescribeChannelCommandOutput extends DescribeChannelResponse, _ * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts b/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts index 8330086abe83..50a7badcfa49 100644 --- a/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts +++ b/clients/client-medialive/src/commands/RestartChannelPipelinesCommand.ts @@ -668,6 +668,24 @@ export interface RestartChannelPipelinesCommandOutput extends RestartChannelPipe * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -859,6 +877,10 @@ export interface RestartChannelPipelinesCommandOutput extends RestartChannelPipe * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -921,6 +943,10 @@ export interface RestartChannelPipelinesCommandOutput extends RestartChannelPipe * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/commands/StartChannelCommand.ts b/clients/client-medialive/src/commands/StartChannelCommand.ts index f15f7cb0eab4..20b194e9b7c9 100644 --- a/clients/client-medialive/src/commands/StartChannelCommand.ts +++ b/clients/client-medialive/src/commands/StartChannelCommand.ts @@ -665,6 +665,24 @@ export interface StartChannelCommandOutput extends StartChannelResponse, __Metad * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -856,6 +874,10 @@ export interface StartChannelCommandOutput extends StartChannelResponse, __Metad * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -918,6 +940,10 @@ export interface StartChannelCommandOutput extends StartChannelResponse, __Metad * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/commands/StopChannelCommand.ts b/clients/client-medialive/src/commands/StopChannelCommand.ts index 82e70e41404d..5d046dd80216 100644 --- a/clients/client-medialive/src/commands/StopChannelCommand.ts +++ b/clients/client-medialive/src/commands/StopChannelCommand.ts @@ -665,6 +665,24 @@ export interface StopChannelCommandOutput extends StopChannelResponse, __Metadat * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -856,6 +874,10 @@ export interface StopChannelCommandOutput extends StopChannelResponse, __Metadat * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -918,6 +940,10 @@ export interface StopChannelCommandOutput extends StopChannelResponse, __Metadat * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts b/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts index bc8c1c9d0aa2..fb9075d43e43 100644 --- a/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts +++ b/clients/client-medialive/src/commands/UpdateChannelClassCommand.ts @@ -696,6 +696,24 @@ export interface UpdateChannelClassCommandOutput extends UpdateChannelClassRespo * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -887,6 +905,10 @@ export interface UpdateChannelClassCommandOutput extends UpdateChannelClassRespo * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -949,6 +971,10 @@ export interface UpdateChannelClassCommandOutput extends UpdateChannelClassRespo * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/commands/UpdateChannelCommand.ts b/clients/client-medialive/src/commands/UpdateChannelCommand.ts index 9d6b751e2757..e811ea6923a3 100644 --- a/clients/client-medialive/src/commands/UpdateChannelCommand.ts +++ b/clients/client-medialive/src/commands/UpdateChannelCommand.ts @@ -654,6 +654,24 @@ export interface UpdateChannelCommandOutput extends UpdateChannelResponse, __Met * }, * MultiplexOutputSettings: { // MultiplexOutputSettings * Destination: "", // required + * ContainerSettings: { // MultiplexContainerSettings + * MultiplexM2tsSettings: { // MultiplexM2tsSettings + * AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * Arib: "DISABLED" || "ENABLED", + * AudioBufferModel: "ATSC" || "DVB", + * AudioFramesPerPes: Number("int"), + * AudioStreamType: "ATSC" || "DVB", + * CcDescriptor: "DISABLED" || "ENABLED", + * Ebif: "NONE" || "PASSTHROUGH", + * EsRateInPes: "EXCLUDE" || "INCLUDE", + * Klv: "NONE" || "PASSTHROUGH", + * NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * PcrPeriod: Number("int"), + * Scte35Control: "NONE" || "PASSTHROUGH", + * Scte35PrerollPullupMilliseconds: Number("double"), + * }, + * }, * }, * RtmpOutputSettings: { // RtmpOutputSettings * CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -845,6 +863,10 @@ export interface UpdateChannelCommandOutput extends UpdateChannelResponse, __Met * PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * }, + * BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * }, * }, * FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * FlickerAq: "DISABLED" || "ENABLED", @@ -907,6 +929,10 @@ export interface UpdateChannelCommandOutput extends UpdateChannelResponse, __Met * PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * }, + * BandwidthReductionFilterSettings: { + * PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * }, * }, * FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * FlickerAq: "DISABLED" || "ENABLED", @@ -1803,6 +1829,24 @@ export interface UpdateChannelCommandOutput extends UpdateChannelResponse, __Met * // }, * // MultiplexOutputSettings: { // MultiplexOutputSettings * // Destination: "", // required + * // ContainerSettings: { // MultiplexContainerSettings + * // MultiplexM2tsSettings: { // MultiplexM2tsSettings + * // AbsentInputAudioBehavior: "DROP" || "ENCODE_SILENCE", + * // Arib: "DISABLED" || "ENABLED", + * // AudioBufferModel: "ATSC" || "DVB", + * // AudioFramesPerPes: Number("int"), + * // AudioStreamType: "ATSC" || "DVB", + * // CcDescriptor: "DISABLED" || "ENABLED", + * // Ebif: "NONE" || "PASSTHROUGH", + * // EsRateInPes: "EXCLUDE" || "INCLUDE", + * // Klv: "NONE" || "PASSTHROUGH", + * // NielsenId3Behavior: "NO_PASSTHROUGH" || "PASSTHROUGH", + * // PcrControl: "CONFIGURED_PCR_PERIOD" || "PCR_EVERY_PES_PACKET", + * // PcrPeriod: Number("int"), + * // Scte35Control: "NONE" || "PASSTHROUGH", + * // Scte35PrerollPullupMilliseconds: Number("double"), + * // }, + * // }, * // }, * // RtmpOutputSettings: { // RtmpOutputSettings * // CertificateMode: "SELF_SIGNED" || "VERIFY_AUTHENTICITY", @@ -1994,6 +2038,10 @@ export interface UpdateChannelCommandOutput extends UpdateChannelResponse, __Met * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { // BandwidthReductionFilterSettings + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", @@ -2056,6 +2104,10 @@ export interface UpdateChannelCommandOutput extends UpdateChannelResponse, __Met * // PostFilterSharpening: "AUTO" || "DISABLED" || "ENABLED", * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4" || "STRENGTH_5" || "STRENGTH_6" || "STRENGTH_7" || "STRENGTH_8" || "STRENGTH_9" || "STRENGTH_10" || "STRENGTH_11" || "STRENGTH_12" || "STRENGTH_13" || "STRENGTH_14" || "STRENGTH_15" || "STRENGTH_16", * // }, + * // BandwidthReductionFilterSettings: { + * // PostFilterSharpening: "DISABLED" || "SHARPENING_1" || "SHARPENING_2" || "SHARPENING_3", + * // Strength: "AUTO" || "STRENGTH_1" || "STRENGTH_2" || "STRENGTH_3" || "STRENGTH_4", + * // }, * // }, * // FixedAfd: "AFD_0000" || "AFD_0010" || "AFD_0011" || "AFD_0100" || "AFD_1000" || "AFD_1001" || "AFD_1010" || "AFD_1011" || "AFD_1101" || "AFD_1110" || "AFD_1111", * // FlickerAq: "DISABLED" || "ENABLED", diff --git a/clients/client-medialive/src/models/models_1.ts b/clients/client-medialive/src/models/models_1.ts index d3d4b84cf99e..379412b4f4b5 100644 --- a/clients/client-medialive/src/models/models_1.ts +++ b/clients/client-medialive/src/models/models_1.ts @@ -14,6 +14,17 @@ import { Hdr10Settings, HlsAdMarkers, InputLocation, + M2tsAbsentInputAudioBehavior, + M2tsArib, + M2tsAudioBufferModel, + M2tsAudioStreamType, + M2tsCcDescriptor, + M2tsEbifControl, + M2tsEsRateInPes, + M2tsKlv, + M2tsNielsenId3Behavior, + M2tsPcrControl, + M2tsScte35Control, M2tsSettings, OfferingDurationUnits, OfferingType, @@ -486,6 +497,108 @@ export interface MsSmoothOutputSettings { NameModifier?: string; } +/** + * Multiplex M2ts Settings + * @public + */ +export interface MultiplexM2tsSettings { + /** + * When set to drop, output audio streams will be removed from the program if the selected input audio stream is removed from the input. This allows the output audio configuration to dynamically change based on input configuration. If this is set to encodeSilence, all output audio streams will output encoded silence when not connected to an active input stream. + * @public + */ + AbsentInputAudioBehavior?: M2tsAbsentInputAudioBehavior; + + /** + * When set to enabled, uses ARIB-compliant field muxing and removes video descriptor. + * @public + */ + Arib?: M2tsArib; + + /** + * When set to dvb, uses DVB buffer model for Dolby Digital audio. When set to atsc, the ATSC model is used. + * @public + */ + AudioBufferModel?: M2tsAudioBufferModel; + + /** + * The number of audio frames to insert for each PES packet. + * @public + */ + AudioFramesPerPes?: number; + + /** + * When set to atsc, uses stream type = 0x81 for AC3 and stream type = 0x87 for EAC3. When set to dvb, uses stream type = 0x06. + * @public + */ + AudioStreamType?: M2tsAudioStreamType; + + /** + * When set to enabled, generates captionServiceDescriptor in PMT. + * @public + */ + CcDescriptor?: M2tsCcDescriptor; + + /** + * If set to passthrough, passes any EBIF data from the input source to this output. + * @public + */ + Ebif?: M2tsEbifControl; + + /** + * Include or exclude the ES Rate field in the PES header. + * @public + */ + EsRateInPes?: M2tsEsRateInPes; + + /** + * If set to passthrough, passes any KLV data from the input source to this output. + * @public + */ + Klv?: M2tsKlv; + + /** + * If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output. + * @public + */ + NielsenId3Behavior?: M2tsNielsenId3Behavior; + + /** + * When set to pcrEveryPesPacket, a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This parameter is effective only when the PCR PID is the same as the video or audio elementary stream. + * @public + */ + PcrControl?: M2tsPcrControl; + + /** + * Maximum time in milliseconds between Program Clock Reference (PCRs) inserted into the transport stream. + * @public + */ + PcrPeriod?: number; + + /** + * Optionally pass SCTE-35 signals from the input source to this output. + * @public + */ + Scte35Control?: M2tsScte35Control; + + /** + * Defines the amount SCTE-35 preroll will be increased (in milliseconds) on the output. Preroll is the amount of time between the presence of a SCTE-35 indication in a transport stream and the PTS of the video frame it references. Zero means don't add pullup (it doesn't mean set the preroll to zero). Negative pullup is not supported, which means that you can't make the preroll shorter. Be aware that latency in the output will increase by the pullup amount. + * @public + */ + Scte35PrerollPullupMilliseconds?: number; +} + +/** + * Multiplex Container Settings + * @public + */ +export interface MultiplexContainerSettings { + /** + * Multiplex M2ts Settings + * @public + */ + MultiplexM2tsSettings?: MultiplexM2tsSettings; +} + /** * Reference to an OutputDestination ID defined in the channel * @public @@ -508,6 +621,12 @@ export interface MultiplexOutputSettings { * @public */ Destination: OutputLocationRef | undefined; + + /** + * Multiplex Container Settings + * @public + */ + ContainerSettings?: MultiplexContainerSettings; } /** @@ -4311,6 +4430,64 @@ export const H264EntropyEncoding = { */ export type H264EntropyEncoding = (typeof H264EntropyEncoding)[keyof typeof H264EntropyEncoding]; +/** + * @public + * @enum + */ +export const BandwidthReductionPostFilterSharpening = { + DISABLED: "DISABLED", + SHARPENING_1: "SHARPENING_1", + SHARPENING_2: "SHARPENING_2", + SHARPENING_3: "SHARPENING_3", +} as const; + +/** + * @public + */ +export type BandwidthReductionPostFilterSharpening = + (typeof BandwidthReductionPostFilterSharpening)[keyof typeof BandwidthReductionPostFilterSharpening]; + +/** + * @public + * @enum + */ +export const BandwidthReductionFilterStrength = { + AUTO: "AUTO", + STRENGTH_1: "STRENGTH_1", + STRENGTH_2: "STRENGTH_2", + STRENGTH_3: "STRENGTH_3", + STRENGTH_4: "STRENGTH_4", +} as const; + +/** + * @public + */ +export type BandwidthReductionFilterStrength = + (typeof BandwidthReductionFilterStrength)[keyof typeof BandwidthReductionFilterStrength]; + +/** + * Bandwidth Reduction Filter Settings + * @public + */ +export interface BandwidthReductionFilterSettings { + /** + * Configures the sharpening control, which is available when the bandwidth reduction filter is enabled. This + * control sharpens edges and contours, which produces a specific artistic effect that you might want. + * + * We recommend that you test each of the values (including DISABLED) to observe the sharpening effect on the + * content. + * @public + */ + PostFilterSharpening?: BandwidthReductionPostFilterSharpening; + + /** + * Enables the bandwidth reduction filter. The filter strengths range from 1 to 4. We recommend that you always + * enable this filter and use AUTO, to let MediaLive apply the optimum filtering for the context. + * @public + */ + Strength?: BandwidthReductionFilterStrength; +} + /** * @public * @enum @@ -4386,6 +4563,12 @@ export interface H264FilterSettings { * @public */ TemporalFilterSettings?: TemporalFilterSettings; + + /** + * Bandwidth Reduction Filter Settings + * @public + */ + BandwidthReductionFilterSettings?: BandwidthReductionFilterSettings; } /** @@ -5066,6 +5249,12 @@ export interface H265FilterSettings { * @public */ TemporalFilterSettings?: TemporalFilterSettings; + + /** + * Bandwidth Reduction Filter Settings + * @public + */ + BandwidthReductionFilterSettings?: BandwidthReductionFilterSettings; } /** @@ -6957,104 +7146,3 @@ export const GlobalConfigurationLowFramerateInputs = { */ export type GlobalConfigurationLowFramerateInputs = (typeof GlobalConfigurationLowFramerateInputs)[keyof typeof GlobalConfigurationLowFramerateInputs]; - -/** - * Global Configuration - * @public - */ -export interface GlobalConfiguration { - /** - * Value to set the initial audio gain for the Live Event. - * @public - */ - InitialAudioGain?: number; - - /** - * Indicates the action to take when the current input completes (e.g. end-of-file). When switchAndLoopInputs is configured the encoder will restart at the beginning of the first input. When "none" is configured the encoder will transcode either black, a solid color, or a user specified slate images per the "Input Loss Behavior" configuration until the next input switch occurs (which is controlled through the Channel Schedule API). - * @public - */ - InputEndAction?: GlobalConfigurationInputEndAction; - - /** - * Settings for system actions when input is lost. - * @public - */ - InputLossBehavior?: InputLossBehavior; - - /** - * Indicates how MediaLive pipelines are synchronized. - * - * PIPELINE_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the other. - * EPOCH_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the Unix epoch. - * @public - */ - OutputLockingMode?: GlobalConfigurationOutputLockingMode; - - /** - * Indicates whether the rate of frames emitted by the Live encoder should be paced by its system clock (which optionally may be locked to another source via NTP) or should be locked to the clock of the source that is providing the input stream. - * @public - */ - OutputTimingSource?: GlobalConfigurationOutputTimingSource; - - /** - * Adjusts video input buffer for streams with very low video framerates. This is commonly set to enabled for music channels with less than one video frame per second. - * @public - */ - SupportLowFramerateInputs?: GlobalConfigurationLowFramerateInputs; - - /** - * Advanced output locking settings - * @public - */ - OutputLockingSettings?: OutputLockingSettings; -} - -/** - * @public - * @enum - */ -export const MotionGraphicsInsertion = { - DISABLED: "DISABLED", - ENABLED: "ENABLED", -} as const; - -/** - * @public - */ -export type MotionGraphicsInsertion = (typeof MotionGraphicsInsertion)[keyof typeof MotionGraphicsInsertion]; - -/** - * Html Motion Graphics Settings - * @public - */ -export interface HtmlMotionGraphicsSettings {} - -/** - * Motion Graphics Settings - * @public - */ -export interface MotionGraphicsSettings { - /** - * Html Motion Graphics Settings - * @public - */ - HtmlMotionGraphicsSettings?: HtmlMotionGraphicsSettings; -} - -/** - * Motion Graphics Configuration - * @public - */ -export interface MotionGraphicsConfiguration { - /** - * Motion Graphics Insertion - * @public - */ - MotionGraphicsInsertion?: MotionGraphicsInsertion; - - /** - * Motion Graphics Settings - * @public - */ - MotionGraphicsSettings: MotionGraphicsSettings | undefined; -} diff --git a/clients/client-medialive/src/models/models_2.ts b/clients/client-medialive/src/models/models_2.ts index d0f347cf30de..e9915a4aff71 100644 --- a/clients/client-medialive/src/models/models_2.ts +++ b/clients/client-medialive/src/models/models_2.ts @@ -103,9 +103,13 @@ import { BlackoutSlate, ColorCorrectionSettings, FeatureActivations, - GlobalConfiguration, - MotionGraphicsConfiguration, + GlobalConfigurationInputEndAction, + GlobalConfigurationLowFramerateInputs, + GlobalConfigurationOutputLockingMode, + GlobalConfigurationOutputTimingSource, + InputLossBehavior, OutputGroup, + OutputLockingSettings, PipelineDetail, RenewalSettings, Reservation, @@ -122,6 +126,107 @@ import { VideoDescription, } from "./models_1"; +/** + * Global Configuration + * @public + */ +export interface GlobalConfiguration { + /** + * Value to set the initial audio gain for the Live Event. + * @public + */ + InitialAudioGain?: number; + + /** + * Indicates the action to take when the current input completes (e.g. end-of-file). When switchAndLoopInputs is configured the encoder will restart at the beginning of the first input. When "none" is configured the encoder will transcode either black, a solid color, or a user specified slate images per the "Input Loss Behavior" configuration until the next input switch occurs (which is controlled through the Channel Schedule API). + * @public + */ + InputEndAction?: GlobalConfigurationInputEndAction; + + /** + * Settings for system actions when input is lost. + * @public + */ + InputLossBehavior?: InputLossBehavior; + + /** + * Indicates how MediaLive pipelines are synchronized. + * + * PIPELINE_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the other. + * EPOCH_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the Unix epoch. + * @public + */ + OutputLockingMode?: GlobalConfigurationOutputLockingMode; + + /** + * Indicates whether the rate of frames emitted by the Live encoder should be paced by its system clock (which optionally may be locked to another source via NTP) or should be locked to the clock of the source that is providing the input stream. + * @public + */ + OutputTimingSource?: GlobalConfigurationOutputTimingSource; + + /** + * Adjusts video input buffer for streams with very low video framerates. This is commonly set to enabled for music channels with less than one video frame per second. + * @public + */ + SupportLowFramerateInputs?: GlobalConfigurationLowFramerateInputs; + + /** + * Advanced output locking settings + * @public + */ + OutputLockingSettings?: OutputLockingSettings; +} + +/** + * @public + * @enum + */ +export const MotionGraphicsInsertion = { + DISABLED: "DISABLED", + ENABLED: "ENABLED", +} as const; + +/** + * @public + */ +export type MotionGraphicsInsertion = (typeof MotionGraphicsInsertion)[keyof typeof MotionGraphicsInsertion]; + +/** + * Html Motion Graphics Settings + * @public + */ +export interface HtmlMotionGraphicsSettings {} + +/** + * Motion Graphics Settings + * @public + */ +export interface MotionGraphicsSettings { + /** + * Html Motion Graphics Settings + * @public + */ + HtmlMotionGraphicsSettings?: HtmlMotionGraphicsSettings; +} + +/** + * Motion Graphics Configuration + * @public + */ +export interface MotionGraphicsConfiguration { + /** + * Motion Graphics Insertion + * @public + */ + MotionGraphicsInsertion?: MotionGraphicsInsertion; + + /** + * Motion Graphics Settings + * @public + */ + MotionGraphicsSettings: MotionGraphicsSettings | undefined; +} + /** * @public * @enum diff --git a/clients/client-medialive/src/protocols/Aws_restJson1.ts b/clients/client-medialive/src/protocols/Aws_restJson1.ts index 9d7b3d533289..0ea3058edd98 100644 --- a/clients/client-medialive/src/protocols/Aws_restJson1.ts +++ b/clients/client-medialive/src/protocols/Aws_restJson1.ts @@ -474,6 +474,7 @@ import { AvailSettings, BadGatewayException, BadRequestException, + BandwidthReductionFilterSettings, BatchScheduleActionCreateRequest, BatchScheduleActionCreateResult, BatchScheduleActionDeleteRequest, @@ -499,7 +500,6 @@ import { FrameCaptureS3Settings, FrameCaptureSettings, GatewayTimeoutException, - GlobalConfiguration, H264ColorSpaceSettings, H264FilterSettings, H264Settings, @@ -517,7 +517,6 @@ import { HlsSettings, HlsTimedMetadataScheduleActionSettings, HlsWebdavSettings, - HtmlMotionGraphicsSettings, ImmediateModeScheduleActionStartSettings, InputClippingSettings, InputLossBehavior, @@ -529,14 +528,14 @@ import { MediaPackageGroupSettings, MediaPackageOutputSettings, MotionGraphicsActivateScheduleActionSettings, - MotionGraphicsConfiguration, MotionGraphicsDeactivateScheduleActionSettings, - MotionGraphicsSettings, Mpeg2FilterSettings, Mpeg2Settings, MsSmoothGroupSettings, MsSmoothOutputSettings, + MultiplexContainerSettings, MultiplexGroupSettings, + MultiplexM2tsSettings, MultiplexOutputSettings, NotFoundException, Output, @@ -603,6 +602,8 @@ import { ClusterNetworkSettingsCreateRequest, ClusterNetworkSettingsUpdateRequest, EncoderSettings, + GlobalConfiguration, + HtmlMotionGraphicsSettings, InputDeviceConfigurableSettings, InputDeviceMediaConnectConfigurableSettings, InputVpcRequest, @@ -610,6 +611,8 @@ import { MaintenanceUpdateSettings, MediaResource, MonitorDeployment, + MotionGraphicsConfiguration, + MotionGraphicsSettings, MulticastSettingsCreateRequest, MulticastSettingsUpdateRequest, Multiplex, @@ -7022,6 +7025,16 @@ const se_AvailSettings = (input: AvailSettings, context: __SerdeContext): any => }); }; +/** + * serializeAws_restJson1BandwidthReductionFilterSettings + */ +const se_BandwidthReductionFilterSettings = (input: BandwidthReductionFilterSettings, context: __SerdeContext): any => { + return take(input, { + postFilterSharpening: [, , `PostFilterSharpening`], + strength: [, , `Strength`], + }); +}; + /** * serializeAws_restJson1BatchScheduleActionCreateRequest */ @@ -7597,6 +7610,11 @@ const se_H264ColorSpaceSettings = (input: H264ColorSpaceSettings, context: __Ser */ const se_H264FilterSettings = (input: H264FilterSettings, context: __SerdeContext): any => { return take(input, { + bandwidthReductionFilterSettings: [ + , + (_) => se_BandwidthReductionFilterSettings(_, context), + `BandwidthReductionFilterSettings`, + ], temporalFilterSettings: [, (_) => se_TemporalFilterSettings(_, context), `TemporalFilterSettings`], }); }; @@ -7670,6 +7688,11 @@ const se_H265ColorSpaceSettings = (input: H265ColorSpaceSettings, context: __Ser */ const se_H265FilterSettings = (input: H265FilterSettings, context: __SerdeContext): any => { return take(input, { + bandwidthReductionFilterSettings: [ + , + (_) => se_BandwidthReductionFilterSettings(_, context), + `BandwidthReductionFilterSettings`, + ], temporalFilterSettings: [, (_) => se_TemporalFilterSettings(_, context), `TemporalFilterSettings`], }); }; @@ -8514,13 +8537,45 @@ const se_MulticastSourceUpdateRequest = (input: MulticastSourceUpdateRequest, co }); }; +/** + * serializeAws_restJson1MultiplexContainerSettings + */ +const se_MultiplexContainerSettings = (input: MultiplexContainerSettings, context: __SerdeContext): any => { + return take(input, { + multiplexM2tsSettings: [, (_) => se_MultiplexM2tsSettings(_, context), `MultiplexM2tsSettings`], + }); +}; + // se_MultiplexGroupSettings omitted. +/** + * serializeAws_restJson1MultiplexM2tsSettings + */ +const se_MultiplexM2tsSettings = (input: MultiplexM2tsSettings, context: __SerdeContext): any => { + return take(input, { + absentInputAudioBehavior: [, , `AbsentInputAudioBehavior`], + arib: [, , `Arib`], + audioBufferModel: [, , `AudioBufferModel`], + audioFramesPerPes: [, , `AudioFramesPerPes`], + audioStreamType: [, , `AudioStreamType`], + ccDescriptor: [, , `CcDescriptor`], + ebif: [, , `Ebif`], + esRateInPes: [, , `EsRateInPes`], + klv: [, , `Klv`], + nielsenId3Behavior: [, , `NielsenId3Behavior`], + pcrControl: [, , `PcrControl`], + pcrPeriod: [, , `PcrPeriod`], + scte35Control: [, , `Scte35Control`], + scte35PrerollPullupMilliseconds: [, __serializeFloat, `Scte35PrerollPullupMilliseconds`], + }); +}; + /** * serializeAws_restJson1MultiplexOutputSettings */ const se_MultiplexOutputSettings = (input: MultiplexOutputSettings, context: __SerdeContext): any => { return take(input, { + containerSettings: [, (_) => se_MultiplexContainerSettings(_, context), `ContainerSettings`], destination: [, (_) => se_OutputLocationRef(_, context), `Destination`], }); }; @@ -10714,6 +10769,19 @@ const de_AvailSettings = (output: any, context: __SerdeContext): AvailSettings = }) as any; }; +/** + * deserializeAws_restJson1BandwidthReductionFilterSettings + */ +const de_BandwidthReductionFilterSettings = ( + output: any, + context: __SerdeContext +): BandwidthReductionFilterSettings => { + return take(output, { + PostFilterSharpening: [, __expectString, `postFilterSharpening`], + Strength: [, __expectString, `strength`], + }) as any; +}; + /** * deserializeAws_restJson1BatchFailedResultModel */ @@ -11533,6 +11601,11 @@ const de_H264ColorSpaceSettings = (output: any, context: __SerdeContext): H264Co */ const de_H264FilterSettings = (output: any, context: __SerdeContext): H264FilterSettings => { return take(output, { + BandwidthReductionFilterSettings: [ + , + (_: any) => de_BandwidthReductionFilterSettings(_, context), + `bandwidthReductionFilterSettings`, + ], TemporalFilterSettings: [, (_: any) => de_TemporalFilterSettings(_, context), `temporalFilterSettings`], }) as any; }; @@ -11606,6 +11679,11 @@ const de_H265ColorSpaceSettings = (output: any, context: __SerdeContext): H265Co */ const de_H265FilterSettings = (output: any, context: __SerdeContext): H265FilterSettings => { return take(output, { + BandwidthReductionFilterSettings: [ + , + (_: any) => de_BandwidthReductionFilterSettings(_, context), + `bandwidthReductionFilterSettings`, + ], TemporalFilterSettings: [, (_: any) => de_TemporalFilterSettings(_, context), `temporalFilterSettings`], }) as any; }; @@ -12553,8 +12631,39 @@ const de_Multiplex = (output: any, context: __SerdeContext): Multiplex => { }) as any; }; +/** + * deserializeAws_restJson1MultiplexContainerSettings + */ +const de_MultiplexContainerSettings = (output: any, context: __SerdeContext): MultiplexContainerSettings => { + return take(output, { + MultiplexM2tsSettings: [, (_: any) => de_MultiplexM2tsSettings(_, context), `multiplexM2tsSettings`], + }) as any; +}; + // de_MultiplexGroupSettings omitted. +/** + * deserializeAws_restJson1MultiplexM2tsSettings + */ +const de_MultiplexM2tsSettings = (output: any, context: __SerdeContext): MultiplexM2tsSettings => { + return take(output, { + AbsentInputAudioBehavior: [, __expectString, `absentInputAudioBehavior`], + Arib: [, __expectString, `arib`], + AudioBufferModel: [, __expectString, `audioBufferModel`], + AudioFramesPerPes: [, __expectInt32, `audioFramesPerPes`], + AudioStreamType: [, __expectString, `audioStreamType`], + CcDescriptor: [, __expectString, `ccDescriptor`], + Ebif: [, __expectString, `ebif`], + EsRateInPes: [, __expectString, `esRateInPes`], + Klv: [, __expectString, `klv`], + NielsenId3Behavior: [, __expectString, `nielsenId3Behavior`], + PcrControl: [, __expectString, `pcrControl`], + PcrPeriod: [, __expectInt32, `pcrPeriod`], + Scte35Control: [, __expectString, `scte35Control`], + Scte35PrerollPullupMilliseconds: [, __limitedParseDouble, `scte35PrerollPullupMilliseconds`], + }) as any; +}; + /** * deserializeAws_restJson1MultiplexMediaConnectOutputDestinationSettings */ @@ -12585,6 +12694,7 @@ const de_MultiplexOutputDestination = (output: any, context: __SerdeContext): Mu */ const de_MultiplexOutputSettings = (output: any, context: __SerdeContext): MultiplexOutputSettings => { return take(output, { + ContainerSettings: [, (_: any) => de_MultiplexContainerSettings(_, context), `containerSettings`], Destination: [, (_: any) => de_OutputLocationRef(_, context), `destination`], }) as any; }; diff --git a/codegen/sdk-codegen/aws-models/medialive.json b/codegen/sdk-codegen/aws-models/medialive.json index 4279fb264557..75c1763c34e0 100644 --- a/codegen/sdk-codegen/aws-models/medialive.json +++ b/codegen/sdk-codegen/aws-models/medialive.json @@ -1991,6 +1991,98 @@ "smithy.api#httpError": 400 } }, + "com.amazonaws.medialive#BandwidthReductionFilterSettings": { + "type": "structure", + "members": { + "PostFilterSharpening": { + "target": "com.amazonaws.medialive#BandwidthReductionPostFilterSharpening", + "traits": { + "smithy.api#documentation": "Configures the sharpening control, which is available when the bandwidth reduction filter is enabled. This\ncontrol sharpens edges and contours, which produces a specific artistic effect that you might want.\n\nWe recommend that you test each of the values (including DISABLED) to observe the sharpening effect on the\ncontent.", + "smithy.api#jsonName": "postFilterSharpening" + } + }, + "Strength": { + "target": "com.amazonaws.medialive#BandwidthReductionFilterStrength", + "traits": { + "smithy.api#documentation": "Enables the bandwidth reduction filter. The filter strengths range from 1 to 4. We recommend that you always\nenable this filter and use AUTO, to let MediaLive apply the optimum filtering for the context.", + "smithy.api#jsonName": "strength" + } + } + }, + "traits": { + "smithy.api#documentation": "Bandwidth Reduction Filter Settings" + } + }, + "com.amazonaws.medialive#BandwidthReductionFilterStrength": { + "type": "enum", + "members": { + "AUTO": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AUTO" + } + }, + "STRENGTH_1": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "STRENGTH_1" + } + }, + "STRENGTH_2": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "STRENGTH_2" + } + }, + "STRENGTH_3": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "STRENGTH_3" + } + }, + "STRENGTH_4": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "STRENGTH_4" + } + } + }, + "traits": { + "smithy.api#documentation": "Bandwidth Reduction Filter Strength" + } + }, + "com.amazonaws.medialive#BandwidthReductionPostFilterSharpening": { + "type": "enum", + "members": { + "DISABLED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DISABLED" + } + }, + "SHARPENING_1": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "SHARPENING_1" + } + }, + "SHARPENING_2": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "SHARPENING_2" + } + }, + "SHARPENING_3": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "SHARPENING_3" + } + } + }, + "traits": { + "smithy.api#documentation": "Bandwidth Reduction Post Filter Sharpening" + } + }, "com.amazonaws.medialive#BatchDelete": { "type": "operation", "input": { @@ -15485,6 +15577,12 @@ "traits": { "smithy.api#jsonName": "temporalFilterSettings" } + }, + "BandwidthReductionFilterSettings": { + "target": "com.amazonaws.medialive#BandwidthReductionFilterSettings", + "traits": { + "smithy.api#jsonName": "bandwidthReductionFilterSettings" + } } }, "traits": { @@ -16428,6 +16526,12 @@ "traits": { "smithy.api#jsonName": "temporalFilterSettings" } + }, + "BandwidthReductionFilterSettings": { + "target": "com.amazonaws.medialive#BandwidthReductionFilterSettings", + "traits": { + "smithy.api#jsonName": "bandwidthReductionFilterSettings" + } } }, "traits": { @@ -19975,7 +20079,7 @@ } }, "traits": { - "smithy.api#documentation": "With the introduction of MediaLive OnPrem, a MediaLive input can now exist in two different places: AWS or\ninside an on-premise datacenter. By default all inputs will continue to be AWS inputs." + "smithy.api#documentation": "With the introduction of MediaLive Anywhere, a MediaLive input can now exist in two different places: AWS or\ninside an on-premises datacenter. By default all inputs will continue to be AWS inputs." } }, "com.amazonaws.medialive#InputPreference": { @@ -25994,6 +26098,20 @@ "smithy.api#documentation": "The multiplex object." } }, + "com.amazonaws.medialive#MultiplexContainerSettings": { + "type": "structure", + "members": { + "MultiplexM2tsSettings": { + "target": "com.amazonaws.medialive#MultiplexM2tsSettings", + "traits": { + "smithy.api#jsonName": "multiplexM2tsSettings" + } + } + }, + "traits": { + "smithy.api#documentation": "Multiplex Container Settings" + } + }, "com.amazonaws.medialive#MultiplexGroupSettings": { "type": "structure", "members": {}, @@ -26001,6 +26119,112 @@ "smithy.api#documentation": "Multiplex Group Settings" } }, + "com.amazonaws.medialive#MultiplexM2tsSettings": { + "type": "structure", + "members": { + "AbsentInputAudioBehavior": { + "target": "com.amazonaws.medialive#M2tsAbsentInputAudioBehavior", + "traits": { + "smithy.api#documentation": "When set to drop, output audio streams will be removed from the program if the selected input audio stream is removed from the input. This allows the output audio configuration to dynamically change based on input configuration. If this is set to encodeSilence, all output audio streams will output encoded silence when not connected to an active input stream.", + "smithy.api#jsonName": "absentInputAudioBehavior" + } + }, + "Arib": { + "target": "com.amazonaws.medialive#M2tsArib", + "traits": { + "smithy.api#documentation": "When set to enabled, uses ARIB-compliant field muxing and removes video descriptor.", + "smithy.api#jsonName": "arib" + } + }, + "AudioBufferModel": { + "target": "com.amazonaws.medialive#M2tsAudioBufferModel", + "traits": { + "smithy.api#documentation": "When set to dvb, uses DVB buffer model for Dolby Digital audio. When set to atsc, the ATSC model is used.", + "smithy.api#jsonName": "audioBufferModel" + } + }, + "AudioFramesPerPes": { + "target": "com.amazonaws.medialive#__integerMin0", + "traits": { + "smithy.api#documentation": "The number of audio frames to insert for each PES packet.", + "smithy.api#jsonName": "audioFramesPerPes" + } + }, + "AudioStreamType": { + "target": "com.amazonaws.medialive#M2tsAudioStreamType", + "traits": { + "smithy.api#documentation": "When set to atsc, uses stream type = 0x81 for AC3 and stream type = 0x87 for EAC3. When set to dvb, uses stream type = 0x06.", + "smithy.api#jsonName": "audioStreamType" + } + }, + "CcDescriptor": { + "target": "com.amazonaws.medialive#M2tsCcDescriptor", + "traits": { + "smithy.api#documentation": "When set to enabled, generates captionServiceDescriptor in PMT.", + "smithy.api#jsonName": "ccDescriptor" + } + }, + "Ebif": { + "target": "com.amazonaws.medialive#M2tsEbifControl", + "traits": { + "smithy.api#documentation": "If set to passthrough, passes any EBIF data from the input source to this output.", + "smithy.api#jsonName": "ebif" + } + }, + "EsRateInPes": { + "target": "com.amazonaws.medialive#M2tsEsRateInPes", + "traits": { + "smithy.api#documentation": "Include or exclude the ES Rate field in the PES header.", + "smithy.api#jsonName": "esRateInPes" + } + }, + "Klv": { + "target": "com.amazonaws.medialive#M2tsKlv", + "traits": { + "smithy.api#documentation": "If set to passthrough, passes any KLV data from the input source to this output.", + "smithy.api#jsonName": "klv" + } + }, + "NielsenId3Behavior": { + "target": "com.amazonaws.medialive#M2tsNielsenId3Behavior", + "traits": { + "smithy.api#documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output.", + "smithy.api#jsonName": "nielsenId3Behavior" + } + }, + "PcrControl": { + "target": "com.amazonaws.medialive#M2tsPcrControl", + "traits": { + "smithy.api#documentation": "When set to pcrEveryPesPacket, a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This parameter is effective only when the PCR PID is the same as the video or audio elementary stream.", + "smithy.api#jsonName": "pcrControl" + } + }, + "PcrPeriod": { + "target": "com.amazonaws.medialive#__integerMin0Max500", + "traits": { + "smithy.api#documentation": "Maximum time in milliseconds between Program Clock Reference (PCRs) inserted into the transport stream.", + "smithy.api#jsonName": "pcrPeriod" + } + }, + "Scte35Control": { + "target": "com.amazonaws.medialive#M2tsScte35Control", + "traits": { + "smithy.api#documentation": "Optionally pass SCTE-35 signals from the input source to this output.", + "smithy.api#jsonName": "scte35Control" + } + }, + "Scte35PrerollPullupMilliseconds": { + "target": "com.amazonaws.medialive#__doubleMin0Max5000", + "traits": { + "smithy.api#documentation": "Defines the amount SCTE-35 preroll will be increased (in milliseconds) on the output. Preroll is the amount of time between the presence of a SCTE-35 indication in a transport stream and the PTS of the video frame it references. Zero means don't add pullup (it doesn't mean set the preroll to zero). Negative pullup is not supported, which means that you can't make the preroll shorter. Be aware that latency in the output will increase by the pullup amount.", + "smithy.api#jsonName": "scte35PrerollPullupMilliseconds" + } + } + }, + "traits": { + "smithy.api#documentation": "Multiplex M2ts Settings" + } + }, "com.amazonaws.medialive#MultiplexMediaConnectOutputDestinationSettings": { "type": "structure", "members": { @@ -26042,6 +26266,12 @@ "smithy.api#jsonName": "destination", "smithy.api#required": {} } + }, + "ContainerSettings": { + "target": "com.amazonaws.medialive#MultiplexContainerSettings", + "traits": { + "smithy.api#jsonName": "containerSettings" + } } }, "traits": { From 7f2e49bb05ec8e8dfd0b22bf971da0388e5056a8 Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:29 +0000 Subject: [PATCH 50/53] feat(client-codeconnections): This release adds the PullRequestComment field to CreateSyncConfiguration API input, UpdateSyncConfiguration API input, GetSyncConfiguration API output and ListSyncConfiguration API output --- .../CreateSyncConfigurationCommand.ts | 2 + .../commands/GetSyncConfigurationCommand.ts | 1 + .../commands/ListSyncConfigurationsCommand.ts | 1 + .../UpdateSyncConfigurationCommand.ts | 2 + .../src/models/models_0.ts | 34 ++++++++++++++++- .../aws-models/codeconnections.json | 37 ++++++++++++++++++- 6 files changed, 75 insertions(+), 2 deletions(-) diff --git a/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts b/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts index 07ce2733bfef..40005c8d0c58 100644 --- a/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts +++ b/clients/client-codeconnections/src/commands/CreateSyncConfigurationCommand.ts @@ -46,6 +46,7 @@ export interface CreateSyncConfigurationCommandOutput extends CreateSyncConfigur * SyncType: "CFN_STACK_SYNC", // required * PublishDeploymentStatus: "ENABLED" || "DISABLED", * TriggerResourceUpdateOn: "ANY_CHANGE" || "FILE_CHANGE", + * PullRequestComment: "ENABLED" || "DISABLED", * }; * const command = new CreateSyncConfigurationCommand(input); * const response = await client.send(command); @@ -62,6 +63,7 @@ export interface CreateSyncConfigurationCommandOutput extends CreateSyncConfigur * // SyncType: "CFN_STACK_SYNC", // required * // PublishDeploymentStatus: "ENABLED" || "DISABLED", * // TriggerResourceUpdateOn: "ANY_CHANGE" || "FILE_CHANGE", + * // PullRequestComment: "ENABLED" || "DISABLED", * // }, * // }; * diff --git a/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts b/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts index a008d5760a37..aa6efc630a8d 100644 --- a/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts +++ b/clients/client-codeconnections/src/commands/GetSyncConfigurationCommand.ts @@ -54,6 +54,7 @@ export interface GetSyncConfigurationCommandOutput extends GetSyncConfigurationO * // SyncType: "CFN_STACK_SYNC", // required * // PublishDeploymentStatus: "ENABLED" || "DISABLED", * // TriggerResourceUpdateOn: "ANY_CHANGE" || "FILE_CHANGE", + * // PullRequestComment: "ENABLED" || "DISABLED", * // }, * // }; * diff --git a/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts b/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts index 0c859d16c18a..df3e38354990 100644 --- a/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts +++ b/clients/client-codeconnections/src/commands/ListSyncConfigurationsCommand.ts @@ -57,6 +57,7 @@ export interface ListSyncConfigurationsCommandOutput extends ListSyncConfigurati * // SyncType: "CFN_STACK_SYNC", // required * // PublishDeploymentStatus: "ENABLED" || "DISABLED", * // TriggerResourceUpdateOn: "ANY_CHANGE" || "FILE_CHANGE", + * // PullRequestComment: "ENABLED" || "DISABLED", * // }, * // ], * // NextToken: "STRING_VALUE", diff --git a/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts b/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts index 2d5ea6880dd2..bc4636661850 100644 --- a/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts +++ b/clients/client-codeconnections/src/commands/UpdateSyncConfigurationCommand.ts @@ -44,6 +44,7 @@ export interface UpdateSyncConfigurationCommandOutput extends UpdateSyncConfigur * SyncType: "CFN_STACK_SYNC", // required * PublishDeploymentStatus: "ENABLED" || "DISABLED", * TriggerResourceUpdateOn: "ANY_CHANGE" || "FILE_CHANGE", + * PullRequestComment: "ENABLED" || "DISABLED", * }; * const command = new UpdateSyncConfigurationCommand(input); * const response = await client.send(command); @@ -60,6 +61,7 @@ export interface UpdateSyncConfigurationCommandOutput extends UpdateSyncConfigur * // SyncType: "CFN_STACK_SYNC", // required * // PublishDeploymentStatus: "ENABLED" || "DISABLED", * // TriggerResourceUpdateOn: "ANY_CHANGE" || "FILE_CHANGE", + * // PullRequestComment: "ENABLED" || "DISABLED", * // }, * // }; * diff --git a/clients/client-codeconnections/src/models/models_0.ts b/clients/client-codeconnections/src/models/models_0.ts index 27ca8114c8a8..d6f66cecfdc0 100644 --- a/clients/client-codeconnections/src/models/models_0.ts +++ b/clients/client-codeconnections/src/models/models_0.ts @@ -514,6 +514,20 @@ export const PublishDeploymentStatus = { */ export type PublishDeploymentStatus = (typeof PublishDeploymentStatus)[keyof typeof PublishDeploymentStatus]; +/** + * @public + * @enum + */ +export const PullRequestComment = { + DISABLED: "DISABLED", + ENABLED: "ENABLED", +} as const; + +/** + * @public + */ +export type PullRequestComment = (typeof PullRequestComment)[keyof typeof PullRequestComment]; + /** * @public * @enum @@ -595,6 +609,12 @@ export interface CreateSyncConfigurationInput { * @public */ TriggerResourceUpdateOn?: TriggerResourceUpdateOn; + + /** + *

    A toggle that specifies whether to enable or disable pull request comments for the sync configuration to be created.

    + * @public + */ + PullRequestComment?: PullRequestComment; } /** @@ -669,6 +689,12 @@ export interface SyncConfiguration { * @public */ TriggerResourceUpdateOn?: TriggerResourceUpdateOn; + + /** + *

    A toggle that specifies whether to enable or disable pull request comments for the sync configuration to be created.

    + * @public + */ + PullRequestComment?: PullRequestComment; } /** @@ -842,7 +868,7 @@ export interface Connection { /** *

    The Amazon Resource Name (ARN) of the connection. The ARN is used as the connection - * reference when the connection is shared between Amazon Web Services.

    + * reference when the connection is shared between Amazon Web Servicesservices.

    * *

    The ARN is never reused if the connection is deleted.

    *
    @@ -2082,6 +2108,12 @@ export interface UpdateSyncConfigurationInput { * @public */ TriggerResourceUpdateOn?: TriggerResourceUpdateOn; + + /** + *

    TA toggle that specifies whether to enable or disable pull request comments for the sync configuration to be updated.

    + * @public + */ + PullRequestComment?: PullRequestComment; } /** diff --git a/codegen/sdk-codegen/aws-models/codeconnections.json b/codegen/sdk-codegen/aws-models/codeconnections.json index fb121557410f..e6450eea50f6 100644 --- a/codegen/sdk-codegen/aws-models/codeconnections.json +++ b/codegen/sdk-codegen/aws-models/codeconnections.json @@ -917,7 +917,7 @@ "ConnectionArn": { "target": "com.amazonaws.codeconnections#ConnectionArn", "traits": { - "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the connection. The ARN is used as the connection\n reference when the connection is shared between Amazon Web Services.

    \n \n

    The ARN is never reused if the connection is deleted.

    \n
    " + "smithy.api#documentation": "

    The Amazon Resource Name (ARN) of the connection. The ARN is used as the connection\n reference when the connection is shared between Amazon Web Servicesservices.

    \n \n

    The ARN is never reused if the connection is deleted.

    \n
    " } }, "ProviderType": { @@ -1335,6 +1335,12 @@ "traits": { "smithy.api#documentation": "

    When to trigger Git sync to begin the stack update.

    " } + }, + "PullRequestComment": { + "target": "com.amazonaws.codeconnections#PullRequestComment", + "traits": { + "smithy.api#documentation": "

    A toggle that specifies whether to enable or disable pull request comments for the sync configuration to be created.

    " + } } }, "traits": { @@ -2717,6 +2723,23 @@ } } }, + "com.amazonaws.codeconnections#PullRequestComment": { + "type": "enum", + "members": { + "ENABLED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ENABLED" + } + }, + "DISABLED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "DISABLED" + } + } + } + }, "com.amazonaws.codeconnections#RepositoryLinkArn": { "type": "string", "traits": { @@ -3463,6 +3486,12 @@ "traits": { "smithy.api#documentation": "

    When to trigger Git sync to begin the stack update.

    " } + }, + "PullRequestComment": { + "target": "com.amazonaws.codeconnections#PullRequestComment", + "traits": { + "smithy.api#documentation": "

    A toggle that specifies whether to enable or disable pull request comments for the sync configuration to be created.

    " + } } }, "traits": { @@ -4071,6 +4100,12 @@ "traits": { "smithy.api#documentation": "

    When to trigger Git sync to begin the stack update.

    " } + }, + "PullRequestComment": { + "target": "com.amazonaws.codeconnections#PullRequestComment", + "traits": { + "smithy.api#documentation": "

    TA toggle that specifies whether to enable or disable pull request comments for the sync configuration to be updated.

    " + } } }, "traits": { From 9887384aca977ce7ccdc2d56e4e0ddb739d976a8 Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:18:30 +0000 Subject: [PATCH 51/53] feat(client-workspaces-web): WorkSpaces Secure Browser now enables Administrators to view and manage end-user browsing sessions via Session Management APIs. --- clients/client-workspaces-web/README.md | 37 +- .../src/WorkSpacesWeb.ts | 60 +- .../src/WorkSpacesWebClient.ts | 22 +- .../CreateUserAccessLoggingSettingsCommand.ts | 3 +- .../src/commands/ExpireSessionCommand.ts | 106 ++++ .../src/commands/GetSessionCommand.ts | 118 ++++ .../src/commands/ListSessionsCommand.ts | 128 ++++ .../src/commands/index.ts | 3 + clients/client-workspaces-web/src/index.ts | 13 +- .../src/models/models_0.ts | 479 +++++++++++--- .../src/pagination/ListSessionsPaginator.ts | 24 + .../src/pagination/index.ts | 1 + .../src/protocols/Aws_restJson1.ts | 170 +++++ .../aws-models/workspaces-web.json | 587 ++++++++++++++++-- 14 files changed, 1586 insertions(+), 165 deletions(-) create mode 100644 clients/client-workspaces-web/src/commands/ExpireSessionCommand.ts create mode 100644 clients/client-workspaces-web/src/commands/GetSessionCommand.ts create mode 100644 clients/client-workspaces-web/src/commands/ListSessionsCommand.ts create mode 100644 clients/client-workspaces-web/src/pagination/ListSessionsPaginator.ts diff --git a/clients/client-workspaces-web/README.md b/clients/client-workspaces-web/README.md index 35eaf8f3e176..dae9a1463160 100644 --- a/clients/client-workspaces-web/README.md +++ b/clients/client-workspaces-web/README.md @@ -6,12 +6,13 @@ AWS SDK for JavaScript WorkSpacesWeb Client for Node.js, Browser and React Native. -

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built specifically to facilitate -secure, web-based workloads. WorkSpaces Secure Browser makes it easy for customers to safely provide -their employees with access to internal websites and SaaS web applications without the -administrative burden of appliances or specialized client software. WorkSpaces Secure Browser provides -simple policy tools tailored for user interactions, while offloading common tasks like -capacity management, scaling, and maintaining browser images.

    +

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built +specifically to facilitate secure, web-based workloads. WorkSpaces Secure Browser makes it +easy for customers to safely provide their employees with access to internal websites and +SaaS web applications without the administrative burden of appliances or specialized client +software. WorkSpaces Secure Browser provides simple policy tools tailored for user +interactions, while offloading common tasks like capacity management, scaling, and +maintaining browser images.

    ## Installing @@ -431,6 +432,14 @@ DisassociateUserSettings [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/workspaces-web/command/DisassociateUserSettingsCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/DisassociateUserSettingsCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/DisassociateUserSettingsCommandOutput/) +
    +
    + +ExpireSession + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/workspaces-web/command/ExpireSessionCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/ExpireSessionCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/ExpireSessionCommandOutput/) +
    @@ -479,6 +488,14 @@ GetPortalServiceProviderMetadata [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/workspaces-web/command/GetPortalServiceProviderMetadataCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/GetPortalServiceProviderMetadataCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/GetPortalServiceProviderMetadataCommandOutput/) +
    +
    + +GetSession + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/workspaces-web/command/GetSessionCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/GetSessionCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/GetSessionCommandOutput/) +
    @@ -551,6 +568,14 @@ ListPortals [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/workspaces-web/command/ListPortalsCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/ListPortalsCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/ListPortalsCommandOutput/) +
    +
    + +ListSessions + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/workspaces-web/command/ListSessionsCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/ListSessionsCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-workspaces-web/Interface/ListSessionsCommandOutput/) +
    diff --git a/clients/client-workspaces-web/src/WorkSpacesWeb.ts b/clients/client-workspaces-web/src/WorkSpacesWeb.ts index 5615deab849f..71b78dbf44b5 100644 --- a/clients/client-workspaces-web/src/WorkSpacesWeb.ts +++ b/clients/client-workspaces-web/src/WorkSpacesWeb.ts @@ -142,6 +142,11 @@ import { DisassociateUserSettingsCommandInput, DisassociateUserSettingsCommandOutput, } from "./commands/DisassociateUserSettingsCommand"; +import { + ExpireSessionCommand, + ExpireSessionCommandInput, + ExpireSessionCommandOutput, +} from "./commands/ExpireSessionCommand"; import { GetBrowserSettingsCommand, GetBrowserSettingsCommandInput, @@ -168,6 +173,7 @@ import { GetPortalServiceProviderMetadataCommandInput, GetPortalServiceProviderMetadataCommandOutput, } from "./commands/GetPortalServiceProviderMetadataCommand"; +import { GetSessionCommand, GetSessionCommandInput, GetSessionCommandOutput } from "./commands/GetSessionCommand"; import { GetTrustStoreCertificateCommand, GetTrustStoreCertificateCommandInput, @@ -209,6 +215,11 @@ import { ListNetworkSettingsCommandOutput, } from "./commands/ListNetworkSettingsCommand"; import { ListPortalsCommand, ListPortalsCommandInput, ListPortalsCommandOutput } from "./commands/ListPortalsCommand"; +import { + ListSessionsCommand, + ListSessionsCommandInput, + ListSessionsCommandOutput, +} from "./commands/ListSessionsCommand"; import { ListTagsForResourceCommand, ListTagsForResourceCommandInput, @@ -311,12 +322,14 @@ const commands = { DisassociateTrustStoreCommand, DisassociateUserAccessLoggingSettingsCommand, DisassociateUserSettingsCommand, + ExpireSessionCommand, GetBrowserSettingsCommand, GetIdentityProviderCommand, GetIpAccessSettingsCommand, GetNetworkSettingsCommand, GetPortalCommand, GetPortalServiceProviderMetadataCommand, + GetSessionCommand, GetTrustStoreCommand, GetTrustStoreCertificateCommand, GetUserAccessLoggingSettingsCommand, @@ -326,6 +339,7 @@ const commands = { ListIpAccessSettingsCommand, ListNetworkSettingsCommand, ListPortalsCommand, + ListSessionsCommand, ListTagsForResourceCommand, ListTrustStoreCertificatesCommand, ListTrustStoresCommand, @@ -809,6 +823,17 @@ export interface WorkSpacesWeb { cb: (err: any, data?: DisassociateUserSettingsCommandOutput) => void ): void; + /** + * @see {@link ExpireSessionCommand} + */ + expireSession(args: ExpireSessionCommandInput, options?: __HttpHandlerOptions): Promise; + expireSession(args: ExpireSessionCommandInput, cb: (err: any, data?: ExpireSessionCommandOutput) => void): void; + expireSession( + args: ExpireSessionCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ExpireSessionCommandOutput) => void + ): void; + /** * @see {@link GetBrowserSettingsCommand} */ @@ -905,6 +930,17 @@ export interface WorkSpacesWeb { cb: (err: any, data?: GetPortalServiceProviderMetadataCommandOutput) => void ): void; + /** + * @see {@link GetSessionCommand} + */ + getSession(args: GetSessionCommandInput, options?: __HttpHandlerOptions): Promise; + getSession(args: GetSessionCommandInput, cb: (err: any, data?: GetSessionCommandOutput) => void): void; + getSession( + args: GetSessionCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: GetSessionCommandOutput) => void + ): void; + /** * @see {@link GetTrustStoreCommand} */ @@ -1047,6 +1083,17 @@ export interface WorkSpacesWeb { cb: (err: any, data?: ListPortalsCommandOutput) => void ): void; + /** + * @see {@link ListSessionsCommand} + */ + listSessions(args: ListSessionsCommandInput, options?: __HttpHandlerOptions): Promise; + listSessions(args: ListSessionsCommandInput, cb: (err: any, data?: ListSessionsCommandOutput) => void): void; + listSessions( + args: ListSessionsCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListSessionsCommandOutput) => void + ): void; + /** * @see {@link ListTagsForResourceCommand} */ @@ -1286,12 +1333,13 @@ export interface WorkSpacesWeb { } /** - *

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built specifically to facilitate - * secure, web-based workloads. WorkSpaces Secure Browser makes it easy for customers to safely provide - * their employees with access to internal websites and SaaS web applications without the - * administrative burden of appliances or specialized client software. WorkSpaces Secure Browser provides - * simple policy tools tailored for user interactions, while offloading common tasks like - * capacity management, scaling, and maintaining browser images.

    + *

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built + * specifically to facilitate secure, web-based workloads. WorkSpaces Secure Browser makes it + * easy for customers to safely provide their employees with access to internal websites and + * SaaS web applications without the administrative burden of appliances or specialized client + * software. WorkSpaces Secure Browser provides simple policy tools tailored for user + * interactions, while offloading common tasks like capacity management, scaling, and + * maintaining browser images.

    * @public */ export class WorkSpacesWeb extends WorkSpacesWebClient implements WorkSpacesWeb {} diff --git a/clients/client-workspaces-web/src/WorkSpacesWebClient.ts b/clients/client-workspaces-web/src/WorkSpacesWebClient.ts index 7cef60713a61..4188f75645a5 100644 --- a/clients/client-workspaces-web/src/WorkSpacesWebClient.ts +++ b/clients/client-workspaces-web/src/WorkSpacesWebClient.ts @@ -147,6 +147,7 @@ import { DisassociateUserSettingsCommandInput, DisassociateUserSettingsCommandOutput, } from "./commands/DisassociateUserSettingsCommand"; +import { ExpireSessionCommandInput, ExpireSessionCommandOutput } from "./commands/ExpireSessionCommand"; import { GetBrowserSettingsCommandInput, GetBrowserSettingsCommandOutput } from "./commands/GetBrowserSettingsCommand"; import { GetIdentityProviderCommandInput, @@ -162,6 +163,7 @@ import { GetPortalServiceProviderMetadataCommandInput, GetPortalServiceProviderMetadataCommandOutput, } from "./commands/GetPortalServiceProviderMetadataCommand"; +import { GetSessionCommandInput, GetSessionCommandOutput } from "./commands/GetSessionCommand"; import { GetTrustStoreCertificateCommandInput, GetTrustStoreCertificateCommandOutput, @@ -189,6 +191,7 @@ import { ListNetworkSettingsCommandOutput, } from "./commands/ListNetworkSettingsCommand"; import { ListPortalsCommandInput, ListPortalsCommandOutput } from "./commands/ListPortalsCommand"; +import { ListSessionsCommandInput, ListSessionsCommandOutput } from "./commands/ListSessionsCommand"; import { ListTagsForResourceCommandInput, ListTagsForResourceCommandOutput, @@ -271,12 +274,14 @@ export type ServiceInputTypes = | DisassociateTrustStoreCommandInput | DisassociateUserAccessLoggingSettingsCommandInput | DisassociateUserSettingsCommandInput + | ExpireSessionCommandInput | GetBrowserSettingsCommandInput | GetIdentityProviderCommandInput | GetIpAccessSettingsCommandInput | GetNetworkSettingsCommandInput | GetPortalCommandInput | GetPortalServiceProviderMetadataCommandInput + | GetSessionCommandInput | GetTrustStoreCertificateCommandInput | GetTrustStoreCommandInput | GetUserAccessLoggingSettingsCommandInput @@ -286,6 +291,7 @@ export type ServiceInputTypes = | ListIpAccessSettingsCommandInput | ListNetworkSettingsCommandInput | ListPortalsCommandInput + | ListSessionsCommandInput | ListTagsForResourceCommandInput | ListTrustStoreCertificatesCommandInput | ListTrustStoresCommandInput @@ -334,12 +340,14 @@ export type ServiceOutputTypes = | DisassociateTrustStoreCommandOutput | DisassociateUserAccessLoggingSettingsCommandOutput | DisassociateUserSettingsCommandOutput + | ExpireSessionCommandOutput | GetBrowserSettingsCommandOutput | GetIdentityProviderCommandOutput | GetIpAccessSettingsCommandOutput | GetNetworkSettingsCommandOutput | GetPortalCommandOutput | GetPortalServiceProviderMetadataCommandOutput + | GetSessionCommandOutput | GetTrustStoreCertificateCommandOutput | GetTrustStoreCommandOutput | GetUserAccessLoggingSettingsCommandOutput @@ -349,6 +357,7 @@ export type ServiceOutputTypes = | ListIpAccessSettingsCommandOutput | ListNetworkSettingsCommandOutput | ListPortalsCommandOutput + | ListSessionsCommandOutput | ListTagsForResourceCommandOutput | ListTrustStoreCertificatesCommandOutput | ListTrustStoresCommandOutput @@ -537,12 +546,13 @@ export type WorkSpacesWebClientResolvedConfigType = __SmithyResolvedConfiguratio export interface WorkSpacesWebClientResolvedConfig extends WorkSpacesWebClientResolvedConfigType {} /** - *

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built specifically to facilitate - * secure, web-based workloads. WorkSpaces Secure Browser makes it easy for customers to safely provide - * their employees with access to internal websites and SaaS web applications without the - * administrative burden of appliances or specialized client software. WorkSpaces Secure Browser provides - * simple policy tools tailored for user interactions, while offloading common tasks like - * capacity management, scaling, and maintaining browser images.

    + *

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built + * specifically to facilitate secure, web-based workloads. WorkSpaces Secure Browser makes it + * easy for customers to safely provide their employees with access to internal websites and + * SaaS web applications without the administrative burden of appliances or specialized client + * software. WorkSpaces Secure Browser provides simple policy tools tailored for user + * interactions, while offloading common tasks like capacity management, scaling, and + * maintaining browser images.

    * @public */ export class WorkSpacesWebClient extends __Client< diff --git a/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts b/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts index b8feeb5f4073..dc254a2205a5 100644 --- a/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts +++ b/clients/client-workspaces-web/src/commands/CreateUserAccessLoggingSettingsCommand.ts @@ -37,7 +37,8 @@ export interface CreateUserAccessLoggingSettingsCommandOutput __MetadataBearer {} /** - *

    Creates a user access logging settings resource that can be associated with a web portal.

    + *

    Creates a user access logging settings resource that can be associated with a web + * portal.

    * @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-workspaces-web/src/commands/ExpireSessionCommand.ts b/clients/client-workspaces-web/src/commands/ExpireSessionCommand.ts new file mode 100644 index 000000000000..322c67c62b18 --- /dev/null +++ b/clients/client-workspaces-web/src/commands/ExpireSessionCommand.ts @@ -0,0 +1,106 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { ExpireSessionRequest, ExpireSessionResponse } from "../models/models_0"; +import { de_ExpireSessionCommand, se_ExpireSessionCommand } from "../protocols/Aws_restJson1"; +import { ServiceInputTypes, ServiceOutputTypes, WorkSpacesWebClientResolvedConfig } from "../WorkSpacesWebClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ExpireSessionCommand}. + */ +export interface ExpireSessionCommandInput extends ExpireSessionRequest {} +/** + * @public + * + * The output of {@link ExpireSessionCommand}. + */ +export interface ExpireSessionCommandOutput extends ExpireSessionResponse, __MetadataBearer {} + +/** + *

    Expires an active secure browser session.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { WorkSpacesWebClient, ExpireSessionCommand } from "@aws-sdk/client-workspaces-web"; // ES Modules import + * // const { WorkSpacesWebClient, ExpireSessionCommand } = require("@aws-sdk/client-workspaces-web"); // CommonJS import + * const client = new WorkSpacesWebClient(config); + * const input = { // ExpireSessionRequest + * portalId: "STRING_VALUE", // required + * sessionId: "STRING_VALUE", // required + * }; + * const command = new ExpireSessionCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param ExpireSessionCommandInput - {@link ExpireSessionCommandInput} + * @returns {@link ExpireSessionCommandOutput} + * @see {@link ExpireSessionCommandInput} for command's `input` shape. + * @see {@link ExpireSessionCommandOutput} for command's `response` shape. + * @see {@link WorkSpacesWebClientResolvedConfig | config} for WorkSpacesWebClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    Access is denied.

    + * + * @throws {@link InternalServerException} (server fault) + *

    There is an internal server error.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource cannot be found.

    + * + * @throws {@link ThrottlingException} (client fault) + *

    There is a throttling error.

    + * + * @throws {@link ValidationException} (client fault) + *

    There is a validation error.

    + * + * @throws {@link WorkSpacesWebServiceException} + *

    Base exception class for all service exceptions from WorkSpacesWeb service.

    + * + * @public + */ +export class ExpireSessionCommand extends $Command + .classBuilder< + ExpireSessionCommandInput, + ExpireSessionCommandOutput, + WorkSpacesWebClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: WorkSpacesWebClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSErmineControlPlaneService", "ExpireSession", {}) + .n("WorkSpacesWebClient", "ExpireSessionCommand") + .f(void 0, void 0) + .ser(se_ExpireSessionCommand) + .de(de_ExpireSessionCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ExpireSessionRequest; + output: {}; + }; + sdk: { + input: ExpireSessionCommandInput; + output: ExpireSessionCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/GetSessionCommand.ts b/clients/client-workspaces-web/src/commands/GetSessionCommand.ts new file mode 100644 index 000000000000..c0b3f1eeb8e3 --- /dev/null +++ b/clients/client-workspaces-web/src/commands/GetSessionCommand.ts @@ -0,0 +1,118 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { GetSessionRequest, GetSessionResponse, GetSessionResponseFilterSensitiveLog } from "../models/models_0"; +import { de_GetSessionCommand, se_GetSessionCommand } from "../protocols/Aws_restJson1"; +import { ServiceInputTypes, ServiceOutputTypes, WorkSpacesWebClientResolvedConfig } from "../WorkSpacesWebClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link GetSessionCommand}. + */ +export interface GetSessionCommandInput extends GetSessionRequest {} +/** + * @public + * + * The output of {@link GetSessionCommand}. + */ +export interface GetSessionCommandOutput extends GetSessionResponse, __MetadataBearer {} + +/** + *

    Gets information for a secure browser session.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { WorkSpacesWebClient, GetSessionCommand } from "@aws-sdk/client-workspaces-web"; // ES Modules import + * // const { WorkSpacesWebClient, GetSessionCommand } = require("@aws-sdk/client-workspaces-web"); // CommonJS import + * const client = new WorkSpacesWebClient(config); + * const input = { // GetSessionRequest + * portalId: "STRING_VALUE", // required + * sessionId: "STRING_VALUE", // required + * }; + * const command = new GetSessionCommand(input); + * const response = await client.send(command); + * // { // GetSessionResponse + * // session: { // Session + * // portalArn: "STRING_VALUE", + * // sessionId: "STRING_VALUE", + * // username: "STRING_VALUE", + * // clientIpAddresses: [ // IpAddressList + * // "STRING_VALUE", + * // ], + * // status: "Active" || "Terminated", + * // startTime: new Date("TIMESTAMP"), + * // endTime: new Date("TIMESTAMP"), + * // }, + * // }; + * + * ``` + * + * @param GetSessionCommandInput - {@link GetSessionCommandInput} + * @returns {@link GetSessionCommandOutput} + * @see {@link GetSessionCommandInput} for command's `input` shape. + * @see {@link GetSessionCommandOutput} for command's `response` shape. + * @see {@link WorkSpacesWebClientResolvedConfig | config} for WorkSpacesWebClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    Access is denied.

    + * + * @throws {@link InternalServerException} (server fault) + *

    There is an internal server error.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource cannot be found.

    + * + * @throws {@link ThrottlingException} (client fault) + *

    There is a throttling error.

    + * + * @throws {@link ValidationException} (client fault) + *

    There is a validation error.

    + * + * @throws {@link WorkSpacesWebServiceException} + *

    Base exception class for all service exceptions from WorkSpacesWeb service.

    + * + * @public + */ +export class GetSessionCommand extends $Command + .classBuilder< + GetSessionCommandInput, + GetSessionCommandOutput, + WorkSpacesWebClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: WorkSpacesWebClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSErmineControlPlaneService", "GetSession", {}) + .n("WorkSpacesWebClient", "GetSessionCommand") + .f(void 0, GetSessionResponseFilterSensitiveLog) + .ser(se_GetSessionCommand) + .de(de_GetSessionCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: GetSessionRequest; + output: GetSessionResponse; + }; + sdk: { + input: GetSessionCommandInput; + output: GetSessionCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/ListSessionsCommand.ts b/clients/client-workspaces-web/src/commands/ListSessionsCommand.ts new file mode 100644 index 000000000000..3dda60483657 --- /dev/null +++ b/clients/client-workspaces-web/src/commands/ListSessionsCommand.ts @@ -0,0 +1,128 @@ +// smithy-typescript generated code +import { getEndpointPlugin } from "@smithy/middleware-endpoint"; +import { getSerdePlugin } from "@smithy/middleware-serde"; +import { Command as $Command } from "@smithy/smithy-client"; +import { MetadataBearer as __MetadataBearer } from "@smithy/types"; + +import { commonParams } from "../endpoint/EndpointParameters"; +import { + ListSessionsRequest, + ListSessionsRequestFilterSensitiveLog, + ListSessionsResponse, + ListSessionsResponseFilterSensitiveLog, +} from "../models/models_0"; +import { de_ListSessionsCommand, se_ListSessionsCommand } from "../protocols/Aws_restJson1"; +import { ServiceInputTypes, ServiceOutputTypes, WorkSpacesWebClientResolvedConfig } from "../WorkSpacesWebClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListSessionsCommand}. + */ +export interface ListSessionsCommandInput extends ListSessionsRequest {} +/** + * @public + * + * The output of {@link ListSessionsCommand}. + */ +export interface ListSessionsCommandOutput extends ListSessionsResponse, __MetadataBearer {} + +/** + *

    Lists information for multiple secure browser sessions from a specific portal.

    + * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { WorkSpacesWebClient, ListSessionsCommand } from "@aws-sdk/client-workspaces-web"; // ES Modules import + * // const { WorkSpacesWebClient, ListSessionsCommand } = require("@aws-sdk/client-workspaces-web"); // CommonJS import + * const client = new WorkSpacesWebClient(config); + * const input = { // ListSessionsRequest + * portalId: "STRING_VALUE", // required + * username: "STRING_VALUE", + * sessionId: "STRING_VALUE", + * sortBy: "StartTimeAscending" || "StartTimeDescending", + * status: "Active" || "Terminated", + * maxResults: Number("int"), + * nextToken: "STRING_VALUE", + * }; + * const command = new ListSessionsCommand(input); + * const response = await client.send(command); + * // { // ListSessionsResponse + * // sessions: [ // SessionSummaryList // required + * // { // SessionSummary + * // portalArn: "STRING_VALUE", + * // sessionId: "STRING_VALUE", + * // username: "STRING_VALUE", + * // status: "Active" || "Terminated", + * // startTime: new Date("TIMESTAMP"), + * // endTime: new Date("TIMESTAMP"), + * // }, + * // ], + * // nextToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param ListSessionsCommandInput - {@link ListSessionsCommandInput} + * @returns {@link ListSessionsCommandOutput} + * @see {@link ListSessionsCommandInput} for command's `input` shape. + * @see {@link ListSessionsCommandOutput} for command's `response` shape. + * @see {@link WorkSpacesWebClientResolvedConfig | config} for WorkSpacesWebClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

    Access is denied.

    + * + * @throws {@link InternalServerException} (server fault) + *

    There is an internal server error.

    + * + * @throws {@link ResourceNotFoundException} (client fault) + *

    The resource cannot be found.

    + * + * @throws {@link ThrottlingException} (client fault) + *

    There is a throttling error.

    + * + * @throws {@link ValidationException} (client fault) + *

    There is a validation error.

    + * + * @throws {@link WorkSpacesWebServiceException} + *

    Base exception class for all service exceptions from WorkSpacesWeb service.

    + * + * @public + */ +export class ListSessionsCommand extends $Command + .classBuilder< + ListSessionsCommandInput, + ListSessionsCommandOutput, + WorkSpacesWebClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: WorkSpacesWebClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AWSErmineControlPlaneService", "ListSessions", {}) + .n("WorkSpacesWebClient", "ListSessionsCommand") + .f(ListSessionsRequestFilterSensitiveLog, ListSessionsResponseFilterSensitiveLog) + .ser(se_ListSessionsCommand) + .de(de_ListSessionsCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: ListSessionsRequest; + output: ListSessionsResponse; + }; + sdk: { + input: ListSessionsCommandInput; + output: ListSessionsCommandOutput; + }; + }; +} diff --git a/clients/client-workspaces-web/src/commands/index.ts b/clients/client-workspaces-web/src/commands/index.ts index daf2bac1d2e2..5e9ad2589a52 100644 --- a/clients/client-workspaces-web/src/commands/index.ts +++ b/clients/client-workspaces-web/src/commands/index.ts @@ -27,12 +27,14 @@ export * from "./DisassociateNetworkSettingsCommand"; export * from "./DisassociateTrustStoreCommand"; export * from "./DisassociateUserAccessLoggingSettingsCommand"; export * from "./DisassociateUserSettingsCommand"; +export * from "./ExpireSessionCommand"; export * from "./GetBrowserSettingsCommand"; export * from "./GetIdentityProviderCommand"; export * from "./GetIpAccessSettingsCommand"; export * from "./GetNetworkSettingsCommand"; export * from "./GetPortalCommand"; export * from "./GetPortalServiceProviderMetadataCommand"; +export * from "./GetSessionCommand"; export * from "./GetTrustStoreCertificateCommand"; export * from "./GetTrustStoreCommand"; export * from "./GetUserAccessLoggingSettingsCommand"; @@ -42,6 +44,7 @@ export * from "./ListIdentityProvidersCommand"; export * from "./ListIpAccessSettingsCommand"; export * from "./ListNetworkSettingsCommand"; export * from "./ListPortalsCommand"; +export * from "./ListSessionsCommand"; export * from "./ListTagsForResourceCommand"; export * from "./ListTrustStoreCertificatesCommand"; export * from "./ListTrustStoresCommand"; diff --git a/clients/client-workspaces-web/src/index.ts b/clients/client-workspaces-web/src/index.ts index abe187da480c..ebb8ae09e22d 100644 --- a/clients/client-workspaces-web/src/index.ts +++ b/clients/client-workspaces-web/src/index.ts @@ -1,12 +1,13 @@ // smithy-typescript generated code /* eslint-disable */ /** - *

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built specifically to facilitate - * secure, web-based workloads. WorkSpaces Secure Browser makes it easy for customers to safely provide - * their employees with access to internal websites and SaaS web applications without the - * administrative burden of appliances or specialized client software. WorkSpaces Secure Browser provides - * simple policy tools tailored for user interactions, while offloading common tasks like - * capacity management, scaling, and maintaining browser images.

    + *

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built + * specifically to facilitate secure, web-based workloads. WorkSpaces Secure Browser makes it + * easy for customers to safely provide their employees with access to internal websites and + * SaaS web applications without the administrative burden of appliances or specialized client + * software. WorkSpaces Secure Browser provides simple policy tools tailored for user + * interactions, while offloading common tasks like capacity management, scaling, and + * maintaining browser images.

    * * @packageDocumentation */ diff --git a/clients/client-workspaces-web/src/models/models_0.ts b/clients/client-workspaces-web/src/models/models_0.ts index 884d925e9061..a197180bfee6 100644 --- a/clients/client-workspaces-web/src/models/models_0.ts +++ b/clients/client-workspaces-web/src/models/models_0.ts @@ -497,7 +497,8 @@ export interface CreateBrowserSettingsRequest { * request. Idempotency ensures that an API request completes only once. With an idempotent * request, if the original request completes successfully, subsequent retries with the same * client token returns the result from the original successful request.

    - *

    If you do not specify a client token, one is automatically generated by the Amazon Web Services SDK.

    + *

    If you do not specify a client token, one is automatically generated by the Amazon Web Services SDK. + *

    * @public */ clientToken?: string; @@ -616,7 +617,8 @@ export interface BrowserSettings { browserPolicy?: string; /** - *

    The customer managed key used to encrypt sensitive information in the browser settings.

    + *

    The customer managed key used to encrypt sensitive information in the browser + * settings.

    * @public */ customerManagedKey?: string; @@ -644,7 +646,8 @@ export interface GetBrowserSettingsResponse { */ export interface ListBrowserSettingsRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -679,7 +682,8 @@ export interface ListBrowserSettingsResponse { browserSettings?: BrowserSettingsSummary[]; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -725,6 +729,118 @@ export interface UpdateBrowserSettingsResponse { browserSettings: BrowserSettings | undefined; } +/** + * @public + */ +export interface ExpireSessionRequest { + /** + *

    The ID of the web portal for the session.

    + * @public + */ + portalId: string | undefined; + + /** + *

    The ID of the session to expire.

    + * @public + */ + sessionId: string | undefined; +} + +/** + * @public + */ +export interface ExpireSessionResponse {} + +/** + * @public + */ +export interface GetSessionRequest { + /** + *

    The ID of the web portal for the session.

    + * @public + */ + portalId: string | undefined; + + /** + *

    The ID of the session.

    + * @public + */ + sessionId: string | undefined; +} + +/** + * @public + * @enum + */ +export const SessionStatus = { + ACTIVE: "Active", + TERMINATED: "Terminated", +} as const; + +/** + * @public + */ +export type SessionStatus = (typeof SessionStatus)[keyof typeof SessionStatus]; + +/** + *

    Information about a secure browser session.

    + * @public + */ +export interface Session { + /** + *

    The ARN of the web portal.

    + * @public + */ + portalArn?: string; + + /** + *

    The ID of the session.

    + * @public + */ + sessionId?: string; + + /** + *

    The username of the session.

    + * @public + */ + username?: string; + + /** + *

    The IP address of the client.

    + * @public + */ + clientIpAddresses?: string[]; + + /** + *

    The status of the session.

    + * @public + */ + status?: SessionStatus; + + /** + *

    The start time of the session.

    + * @public + */ + startTime?: Date; + + /** + *

    The end time of the session.

    + * @public + */ + endTime?: Date; +} + +/** + * @public + */ +export interface GetSessionResponse { + /** + *

    The sessions in a list.

    + * @public + */ + session?: Session; +} + /** * @public * @enum @@ -912,8 +1028,7 @@ export interface CreateIdentityProviderRequest { * *
  • *

    - * IDPSignout (boolean) - * optional + * IDPSignout (boolean) optional *

    *
  • *
  • @@ -1208,7 +1323,8 @@ export interface GetIdentityProviderResponse { */ export interface ListIdentityProvidersRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -1255,7 +1371,8 @@ export interface IdentityProviderSummary { */ export interface ListIdentityProvidersResponse { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -1290,8 +1407,8 @@ export interface UpdateIdentityProviderRequest { identityProviderType?: IdentityProviderType; /** - *

    The details of the identity provider. The following list describes the provider detail keys for - * each identity provider type.

    + *

    The details of the identity provider. The following list describes the provider detail + * keys for each identity provider type.

    *
      *
    • *

      For Google and Login with Amazon:

      @@ -1400,28 +1517,28 @@ export interface UpdateIdentityProviderRequest { *

      * authorize_url * if not available from discovery URL specified by - * oidc_issuer key + * oidc_issuer key *

      *
    • *
    • *

      * token_url * if not available from discovery URL specified by - * oidc_issuer key + * oidc_issuer key *

      *
    • *
    • *

      * attributes_url * if not available from discovery URL specified by - * oidc_issuer key + * oidc_issuer key *

      *
    • *
    • *

      * jwks_uri * if not available from discovery URL specified by - * oidc_issuer key + * oidc_issuer key *

      *
    • *
    @@ -1605,7 +1722,8 @@ export interface IpAccessSettings { ipAccessSettingsArn: string | undefined; /** - *

    A list of web portal ARNs that this IP access settings resource is associated with.

    + *

    A list of web portal ARNs that this IP access settings resource is associated + * with.

    * @public */ associatedPortalArns?: string[]; @@ -1635,7 +1753,8 @@ export interface IpAccessSettings { creationDate?: Date; /** - *

    The customer managed key used to encrypt sensitive information in the IP access settings.

    + *

    The customer managed key used to encrypt sensitive information in the IP access + * settings.

    * @public */ customerManagedKey?: string; @@ -1663,7 +1782,8 @@ export interface GetIpAccessSettingsResponse { */ export interface ListIpAccessSettingsRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -1716,7 +1836,8 @@ export interface ListIpAccessSettingsResponse { ipAccessSettings?: IpAccessSettingsSummary[]; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -1773,6 +1894,128 @@ export interface UpdateIpAccessSettingsResponse { ipAccessSettings: IpAccessSettings | undefined; } +/** + * @public + * @enum + */ +export const SessionSortBy = { + START_TIME_ASCENDING: "StartTimeAscending", + START_TIME_DESCENDING: "StartTimeDescending", +} as const; + +/** + * @public + */ +export type SessionSortBy = (typeof SessionSortBy)[keyof typeof SessionSortBy]; + +/** + * @public + */ +export interface ListSessionsRequest { + /** + *

    The ID of the web portal for the sessions.

    + * @public + */ + portalId: string | undefined; + + /** + *

    The username of the session.

    + * @public + */ + username?: string; + + /** + *

    The ID of the session.

    + * @public + */ + sessionId?: string; + + /** + *

    The method in which the returned sessions should be sorted.

    + * @public + */ + sortBy?: SessionSortBy; + + /** + *

    The status of the session.

    + * @public + */ + status?: SessionStatus; + + /** + *

    The maximum number of results to be included in the next page.

    + * @public + */ + maxResults?: number; + + /** + *

    The pagination token used to retrieve the next page of results for this + * operation.

    + * @public + */ + nextToken?: string; +} + +/** + *

    Summary information about a secure browser session.

    + * @public + */ +export interface SessionSummary { + /** + *

    The ARN of the web portal.

    + * @public + */ + portalArn?: string; + + /** + *

    The ID of the session.

    + * @public + */ + sessionId?: string; + + /** + *

    The username of the session.

    + * @public + */ + username?: string; + + /** + *

    The status of the session.

    + * @public + */ + status?: SessionStatus; + + /** + *

    The start time of the session.

    + * @public + */ + startTime?: Date; + + /** + *

    The end time of the session.

    + * @public + */ + endTime?: Date; +} + +/** + * @public + */ +export interface ListSessionsResponse { + /** + *

    The sessions in a list.

    + * @public + */ + sessions: SessionSummary[] | undefined; + + /** + *

    The pagination token used to retrieve the next page of results for this + * operation.

    + * @public + */ + nextToken?: string; +} + /** * @public */ @@ -1806,13 +2049,15 @@ export interface CreateNetworkSettingsRequest { vpcId: string | undefined; /** - *

    The subnets in which network interfaces are created to connect streaming instances to your VPC. At least two of these subnets must be in different availability zones.

    + *

    The subnets in which network interfaces are created to connect streaming instances to + * your VPC. At least two of these subnets must be in different availability zones.

    * @public */ subnetIds: string[] | undefined; /** - *

    One or more security groups used to control access from streaming instances to your VPC.

    + *

    One or more security groups used to control access from streaming instances to your + * VPC.

    * @public */ securityGroupIds: string[] | undefined; @@ -1899,13 +2144,15 @@ export interface NetworkSettings { vpcId?: string; /** - *

    The subnets in which network interfaces are created to connect streaming instances to your VPC. At least two of these subnets must be in different availability zones.

    + *

    The subnets in which network interfaces are created to connect streaming instances to + * your VPC. At least two of these subnets must be in different availability zones.

    * @public */ subnetIds?: string[]; /** - *

    One or more security groups used to control access from streaming instances to your VPC.

    + *

    One or more security groups used to control access from streaming instances to your VPC. + *

    * @public */ securityGroupIds?: string[]; @@ -1927,7 +2174,8 @@ export interface GetNetworkSettingsResponse { */ export interface ListNetworkSettingsRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -1968,7 +2216,8 @@ export interface ListNetworkSettingsResponse { networkSettings?: NetworkSettingsSummary[]; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -1991,13 +2240,15 @@ export interface UpdateNetworkSettingsRequest { vpcId?: string; /** - *

    The subnets in which network interfaces are created to connect streaming instances to your VPC. At least two of these subnets must be in different availability zones.

    + *

    The subnets in which network interfaces are created to connect streaming instances to + * your VPC. At least two of these subnets must be in different availability zones.

    * @public */ subnetIds?: string[]; /** - *

    One or more security groups used to control access from streaming instances to your VPC.

    + *

    One or more security groups used to control access from streaming instances to your + * VPC.

    * @public */ securityGroupIds?: string[]; @@ -2058,7 +2309,8 @@ export type _InstanceType = (typeof _InstanceType)[keyof typeof _InstanceType]; */ export interface CreatePortalRequest { /** - *

    The name of the web portal. This is not visible to users who log into the web portal.

    + *

    The name of the web portal. This is not visible to users who log into the web + * portal.

    * @public */ displayName?: string; @@ -2101,9 +2353,9 @@ export interface CreatePortalRequest { * provider with your web portal. User and group access to your web portal is controlled * through your identity provider.

    *

    - * IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including - * external identity provider integration), plus user and group access to your web portal, - * can be configured in the IAM Identity Center.

    + * IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources + * (including external identity provider integration), plus user and group access to your web + * portal, can be configured in the IAM Identity Center.

    * @public */ authenticationType?: AuthenticationType; @@ -2132,7 +2384,8 @@ export interface CreatePortalResponse { portalArn: string | undefined; /** - *

    The endpoint URL of the web portal that users access in order to start streaming sessions.

    + *

    The endpoint URL of the web portal that users access in order to start streaming + * sessions.

    * @public */ portalEndpoint: string | undefined; @@ -2368,7 +2621,8 @@ export interface Portal { statusReason?: string; /** - *

    The ARN of the user access logging settings that is associated with the web portal.

    + *

    The ARN of the user access logging settings that is associated with the web + * portal.

    * @public */ userAccessLoggingSettingsArn?: string; @@ -2382,9 +2636,9 @@ export interface Portal { * provider with your web portal. User and group access to your web portal is controlled * through your identity provider.

    *

    - * IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including - * external identity provider integration), plus user and group access to your web portal, - * can be configured in the IAM Identity Center.

    + * IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources + * (including external identity provider integration), plus user and group access to your web + * portal, can be configured in the IAM Identity Center.

    * @public */ authenticationType?: AuthenticationType; @@ -2464,7 +2718,8 @@ export interface GetPortalServiceProviderMetadataResponse { */ export interface ListPortalsRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this operation. + *

    * @public */ nextToken?: string; @@ -2549,7 +2804,8 @@ export interface PortalSummary { trustStoreArn?: string; /** - *

    The ARN of the user access logging settings that is associated with the web portal.

    + *

    The ARN of the user access logging settings that is associated with the web + * portal.

    * @public */ userAccessLoggingSettingsArn?: string; @@ -2563,9 +2819,9 @@ export interface PortalSummary { * provider with your web portal. User and group access to your web portal is controlled * through your identity provider.

    *

    - * IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including - * external identity provider integration), plus user and group access to your web portal, - * can be configured in the IAM Identity Center.

    + * IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources + * (including external identity provider integration), plus user and group access to your web + * portal, can be configured in the IAM Identity Center.

    * @public */ authenticationType?: AuthenticationType; @@ -2600,7 +2856,8 @@ export interface ListPortalsResponse { portals?: PortalSummary[]; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this operation. + *

    * @public */ nextToken?: string; @@ -2617,7 +2874,8 @@ export interface UpdatePortalRequest { portalArn: string | undefined; /** - *

    The name of the web portal. This is not visible to users who log into the web portal.

    + *

    The name of the web portal. This is not visible to users who log into the web + * portal.

    * @public */ displayName?: string; @@ -2631,9 +2889,9 @@ export interface UpdatePortalRequest { * provider with your web portal. User and group access to your web portal is controlled * through your identity provider.

    *

    - * IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including - * external identity provider integration), plus user and group access to your web portal, - * can be configured in the IAM Identity Center.

    + * IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources + * (including external identity provider integration), plus user and group access to your web + * portal, can be configured in the IAM Identity Center.

    * @public */ authenticationType?: AuthenticationType; @@ -2944,7 +3202,8 @@ export interface ListTrustStoreCertificatesRequest { trustStoreArn: string | undefined; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -2973,7 +3232,8 @@ export interface ListTrustStoreCertificatesResponse { trustStoreArn: string | undefined; /** - *

    The pagination token used to retrieve the next page of results for this operation.>

    + *

    The pagination token used to retrieve the next page of results for this + * operation.>

    * @public */ nextToken?: string; @@ -2984,7 +3244,8 @@ export interface ListTrustStoreCertificatesResponse { */ export interface ListTrustStoresRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -3019,7 +3280,8 @@ export interface ListTrustStoresResponse { trustStores?: TrustStoreSummary[]; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -3170,7 +3432,8 @@ export interface UserAccessLoggingSettings { userAccessLoggingSettingsArn: string | undefined; /** - *

    A list of web portal ARNs that this user access logging settings is associated with.

    + *

    A list of web portal ARNs that this user access logging settings is associated + * with.

    * @public */ associatedPortalArns?: string[]; @@ -3198,7 +3461,8 @@ export interface GetUserAccessLoggingSettingsResponse { */ export interface ListUserAccessLoggingSettingsRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -3239,7 +3503,8 @@ export interface ListUserAccessLoggingSettingsResponse { userAccessLoggingSettings?: UserAccessLoggingSettingsSummary[]; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this + * operation.

    * @public */ nextToken?: string; @@ -3309,18 +3574,21 @@ export interface CookieSpecification { } /** - *

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    + *

    The configuration that specifies which cookies should be synchronized from the end + * user's local browser to the remote browser.

    * @public */ export interface CookieSynchronizationConfiguration { /** - *

    The list of cookie specifications that are allowed to be synchronized to the remote browser.

    + *

    The list of cookie specifications that are allowed to be synchronized to the remote + * browser.

    * @public */ allowlist: CookieSpecification[] | undefined; /** - *

    The list of cookie specifications that are blocked from being synchronized to the remote browser.

    + *

    The list of cookie specifications that are blocked from being synchronized to the remote + * browser.

    * @public */ blocklist?: CookieSpecification[]; @@ -3385,13 +3653,15 @@ export interface CreateUserSettingsRequest { tags?: Tag[]; /** - *

    The amount of time that a streaming session remains active after users disconnect.

    + *

    The amount of time that a streaming session remains active after users + * disconnect.

    * @public */ disconnectTimeoutInMinutes?: number; /** - *

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    + *

    The amount of time that users can be idle (inactive) before they are disconnected from + * their streaming session and the disconnect timeout interval begins.

    * @public */ idleDisconnectTimeoutInMinutes?: number; @@ -3408,13 +3678,15 @@ export interface CreateUserSettingsRequest { clientToken?: string; /** - *

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    + *

    The configuration that specifies which cookies should be synchronized from the end + * user's local browser to the remote browser.

    * @public */ cookieSynchronizationConfiguration?: CookieSynchronizationConfiguration; /** - *

    The customer managed key used to encrypt sensitive information in the user settings.

    + *

    The customer managed key used to encrypt sensitive information in the user + * settings.

    * @public */ customerManagedKey?: string; @@ -3426,7 +3698,8 @@ export interface CreateUserSettingsRequest { additionalEncryptionContext?: Record; /** - *

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    + *

    Specifies whether the user can use deep links that open automatically when connecting to + * a session.

    * @public */ deepLinkAllowed?: EnabledType; @@ -3524,25 +3797,29 @@ export interface UserSettings { printAllowed?: EnabledType; /** - *

    The amount of time that a streaming session remains active after users disconnect.

    + *

    The amount of time that a streaming session remains active after users + * disconnect.

    * @public */ disconnectTimeoutInMinutes?: number; /** - *

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    + *

    The amount of time that users can be idle (inactive) before they are disconnected from + * their streaming session and the disconnect timeout interval begins.

    * @public */ idleDisconnectTimeoutInMinutes?: number; /** - *

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    + *

    The configuration that specifies which cookies should be synchronized from the end + * user's local browser to the remote browser.

    * @public */ cookieSynchronizationConfiguration?: CookieSynchronizationConfiguration; /** - *

    The customer managed key used to encrypt sensitive information in the user settings.

    + *

    The customer managed key used to encrypt sensitive information in the user + * settings.

    * @public */ customerManagedKey?: string; @@ -3554,7 +3831,8 @@ export interface UserSettings { additionalEncryptionContext?: Record; /** - *

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    + *

    Specifies whether the user can use deep links that open automatically when connecting to + * a session.

    * @public */ deepLinkAllowed?: EnabledType; @@ -3576,7 +3854,8 @@ export interface GetUserSettingsResponse { */ export interface ListUserSettingsRequest { /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this operation. + *

    * @public */ nextToken?: string; @@ -3634,25 +3913,29 @@ export interface UserSettingsSummary { printAllowed?: EnabledType; /** - *

    The amount of time that a streaming session remains active after users disconnect.

    + *

    The amount of time that a streaming session remains active after users + * disconnect.

    * @public */ disconnectTimeoutInMinutes?: number; /** - *

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    + *

    The amount of time that users can be idle (inactive) before they are disconnected from + * their streaming session and the disconnect timeout interval begins.

    * @public */ idleDisconnectTimeoutInMinutes?: number; /** - *

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    + *

    The configuration that specifies which cookies should be synchronized from the end + * user's local browser to the remote browser.

    * @public */ cookieSynchronizationConfiguration?: CookieSynchronizationConfiguration; /** - *

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    + *

    Specifies whether the user can use deep links that open automatically when connecting to + * a session.

    * @public */ deepLinkAllowed?: EnabledType; @@ -3669,7 +3952,8 @@ export interface ListUserSettingsResponse { userSettings?: UserSettingsSummary[]; /** - *

    The pagination token used to retrieve the next page of results for this operation.

    + *

    The pagination token used to retrieve the next page of results for this operation. + *

    * @public */ nextToken?: string; @@ -3720,13 +4004,15 @@ export interface UpdateUserSettingsRequest { printAllowed?: EnabledType; /** - *

    The amount of time that a streaming session remains active after users disconnect.

    + *

    The amount of time that a streaming session remains active after users + * disconnect.

    * @public */ disconnectTimeoutInMinutes?: number; /** - *

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    + *

    The amount of time that users can be idle (inactive) before they are disconnected from + * their streaming session and the disconnect timeout interval begins.

    * @public */ idleDisconnectTimeoutInMinutes?: number; @@ -3743,14 +4029,16 @@ export interface UpdateUserSettingsRequest { clientToken?: string; /** - *

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    + *

    The configuration that specifies which cookies should be synchronized from the end + * user's local browser to the remote browser.

    *

    If the allowlist and blocklist are empty, the configuration becomes null.

    * @public */ cookieSynchronizationConfiguration?: CookieSynchronizationConfiguration; /** - *

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    + *

    Specifies whether the user can use deep links that open automatically when connecting to + * a session.

    * @public */ deepLinkAllowed?: EnabledType; @@ -3817,6 +4105,23 @@ export const UpdateBrowserSettingsResponseFilterSensitiveLog = (obj: UpdateBrows ...(obj.browserSettings && { browserSettings: BrowserSettingsFilterSensitiveLog(obj.browserSettings) }), }); +/** + * @internal + */ +export const SessionFilterSensitiveLog = (obj: Session): any => ({ + ...obj, + ...(obj.username && { username: SENSITIVE_STRING }), + ...(obj.clientIpAddresses && { clientIpAddresses: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const GetSessionResponseFilterSensitiveLog = (obj: GetSessionResponse): any => ({ + ...obj, + ...(obj.session && { session: SessionFilterSensitiveLog(obj.session) }), +}); + /** * @internal */ @@ -3954,6 +4259,30 @@ export const UpdateIpAccessSettingsResponseFilterSensitiveLog = (obj: UpdateIpAc ...(obj.ipAccessSettings && { ipAccessSettings: IpAccessSettingsFilterSensitiveLog(obj.ipAccessSettings) }), }); +/** + * @internal + */ +export const ListSessionsRequestFilterSensitiveLog = (obj: ListSessionsRequest): any => ({ + ...obj, + ...(obj.username && { username: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const SessionSummaryFilterSensitiveLog = (obj: SessionSummary): any => ({ + ...obj, + ...(obj.username && { username: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const ListSessionsResponseFilterSensitiveLog = (obj: ListSessionsResponse): any => ({ + ...obj, + ...(obj.sessions && { sessions: obj.sessions.map((item) => SessionSummaryFilterSensitiveLog(item)) }), +}); + /** * @internal */ diff --git a/clients/client-workspaces-web/src/pagination/ListSessionsPaginator.ts b/clients/client-workspaces-web/src/pagination/ListSessionsPaginator.ts new file mode 100644 index 000000000000..45b2a24c72c2 --- /dev/null +++ b/clients/client-workspaces-web/src/pagination/ListSessionsPaginator.ts @@ -0,0 +1,24 @@ +// smithy-typescript generated code +import { createPaginator } from "@smithy/core"; +import { Paginator } from "@smithy/types"; + +import { + ListSessionsCommand, + ListSessionsCommandInput, + ListSessionsCommandOutput, +} from "../commands/ListSessionsCommand"; +import { WorkSpacesWebClient } from "../WorkSpacesWebClient"; +import { WorkSpacesWebPaginationConfiguration } from "./Interfaces"; + +/** + * @public + */ +export const paginateListSessions: ( + config: WorkSpacesWebPaginationConfiguration, + input: ListSessionsCommandInput, + ...rest: any[] +) => Paginator = createPaginator< + WorkSpacesWebPaginationConfiguration, + ListSessionsCommandInput, + ListSessionsCommandOutput +>(WorkSpacesWebClient, ListSessionsCommand, "nextToken", "nextToken", "maxResults"); diff --git a/clients/client-workspaces-web/src/pagination/index.ts b/clients/client-workspaces-web/src/pagination/index.ts index 42288fd721d2..b1b9987634c8 100644 --- a/clients/client-workspaces-web/src/pagination/index.ts +++ b/clients/client-workspaces-web/src/pagination/index.ts @@ -5,6 +5,7 @@ export * from "./ListIdentityProvidersPaginator"; export * from "./ListIpAccessSettingsPaginator"; export * from "./ListNetworkSettingsPaginator"; export * from "./ListPortalsPaginator"; +export * from "./ListSessionsPaginator"; export * from "./ListTrustStoreCertificatesPaginator"; export * from "./ListTrustStoresPaginator"; export * from "./ListUserAccessLoggingSettingsPaginator"; diff --git a/clients/client-workspaces-web/src/protocols/Aws_restJson1.ts b/clients/client-workspaces-web/src/protocols/Aws_restJson1.ts index 2d5f5cbf5b58..0c7b697d6e7e 100644 --- a/clients/client-workspaces-web/src/protocols/Aws_restJson1.ts +++ b/clients/client-workspaces-web/src/protocols/Aws_restJson1.ts @@ -120,6 +120,7 @@ import { DisassociateUserSettingsCommandInput, DisassociateUserSettingsCommandOutput, } from "../commands/DisassociateUserSettingsCommand"; +import { ExpireSessionCommandInput, ExpireSessionCommandOutput } from "../commands/ExpireSessionCommand"; import { GetBrowserSettingsCommandInput, GetBrowserSettingsCommandOutput } from "../commands/GetBrowserSettingsCommand"; import { GetIdentityProviderCommandInput, @@ -135,6 +136,7 @@ import { GetPortalServiceProviderMetadataCommandInput, GetPortalServiceProviderMetadataCommandOutput, } from "../commands/GetPortalServiceProviderMetadataCommand"; +import { GetSessionCommandInput, GetSessionCommandOutput } from "../commands/GetSessionCommand"; import { GetTrustStoreCertificateCommandInput, GetTrustStoreCertificateCommandOutput, @@ -162,6 +164,7 @@ import { ListNetworkSettingsCommandOutput, } from "../commands/ListNetworkSettingsCommand"; import { ListPortalsCommandInput, ListPortalsCommandOutput } from "../commands/ListPortalsCommand"; +import { ListSessionsCommandInput, ListSessionsCommandOutput } from "../commands/ListSessionsCommand"; import { ListTagsForResourceCommandInput, ListTagsForResourceCommandOutput, @@ -216,6 +219,8 @@ import { PortalSummary, ResourceNotFoundException, ServiceQuotaExceededException, + Session, + SessionSummary, Tag, ThrottlingException, TooManyTagsException, @@ -784,6 +789,23 @@ export const se_DisassociateUserSettingsCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1ExpireSessionCommand + */ +export const se_ExpireSessionCommand = async ( + input: ExpireSessionCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/portals/{portalId}/sessions/{sessionId}"); + b.p("portalId", () => input.portalId!, "{portalId}", false); + b.p("sessionId", () => input.sessionId!, "{sessionId}", false); + let body: any; + b.m("DELETE").h(headers).b(body); + return b.build(); +}; + /** * serializeAws_restJson1GetBrowserSettingsCommand */ @@ -880,6 +902,23 @@ export const se_GetPortalServiceProviderMetadataCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1GetSessionCommand + */ +export const se_GetSessionCommand = async ( + input: GetSessionCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/portals/{portalId}/sessions/{sessionId}"); + b.p("portalId", () => input.portalId!, "{portalId}", false); + b.p("sessionId", () => input.sessionId!, "{sessionId}", false); + let body: any; + b.m("GET").h(headers).b(body); + return b.build(); +}; + /** * serializeAws_restJson1GetTrustStoreCommand */ @@ -1048,6 +1087,30 @@ export const se_ListPortalsCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1ListSessionsCommand + */ +export const se_ListSessionsCommand = async ( + input: ListSessionsCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/portals/{portalId}/sessions"); + b.p("portalId", () => input.portalId!, "{portalId}", false); + const query: any = map({ + [_u]: [, input[_u]!], + [_sI]: [, input[_sI]!], + [_sB]: [, input[_sB]!], + [_s]: [, input[_s]!], + [_mR]: [() => input.maxResults !== void 0, () => input[_mR]!.toString()], + [_nT]: [, input[_nT]!], + }); + let body: any; + b.m("GET").h(headers).q(query).b(body); + return b.build(); +}; + /** * serializeAws_restJson1ListTagsForResourceCommand */ @@ -1940,6 +2003,23 @@ export const de_DisassociateUserSettingsCommand = async ( return contents; }; +/** + * deserializeAws_restJson1ExpireSessionCommand + */ +export const de_ExpireSessionCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + await collectBody(output.body, context); + return contents; +}; + /** * deserializeAws_restJson1GetBrowserSettingsCommand */ @@ -2067,6 +2147,27 @@ export const de_GetPortalServiceProviderMetadataCommand = async ( return contents; }; +/** + * deserializeAws_restJson1GetSessionCommand + */ +export const de_GetSessionCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + session: (_) => de_Session(_, context), + }); + Object.assign(contents, doc); + return contents; +}; + /** * deserializeAws_restJson1GetTrustStoreCommand */ @@ -2262,6 +2363,28 @@ export const de_ListPortalsCommand = async ( return contents; }; +/** + * deserializeAws_restJson1ListSessionsCommand + */ +export const de_ListSessionsCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode !== 200 && output.statusCode >= 300) { + return de_CommandError(output, context); + } + const contents: any = map({ + $metadata: deserializeMetadata(output), + }); + const data: Record = __expectNonNull(__expectObject(await parseBody(output.body, context)), "body"); + const doc = take(data, { + nextToken: __expectString, + sessions: (_) => de_SessionSummaryList(_, context), + }); + Object.assign(contents, doc); + return contents; +}; + /** * deserializeAws_restJson1ListTagsForResourceCommand */ @@ -2925,6 +3048,8 @@ const de_IpAccessSettingsSummary = (output: any, context: __SerdeContext): IpAcc }) as any; }; +// de_IpAddressList omitted. + // de_IpRule omitted. // de_IpRuleList omitted. @@ -3000,6 +3125,47 @@ const de_PortalSummary = (output: any, context: __SerdeContext): PortalSummary = // de_SecurityGroupIdList omitted. +/** + * deserializeAws_restJson1Session + */ +const de_Session = (output: any, context: __SerdeContext): Session => { + return take(output, { + clientIpAddresses: _json, + endTime: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), + portalArn: __expectString, + sessionId: __expectString, + startTime: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), + status: __expectString, + username: __expectString, + }) as any; +}; + +/** + * deserializeAws_restJson1SessionSummary + */ +const de_SessionSummary = (output: any, context: __SerdeContext): SessionSummary => { + return take(output, { + endTime: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), + portalArn: __expectString, + sessionId: __expectString, + startTime: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), + status: __expectString, + username: __expectString, + }) as any; +}; + +/** + * deserializeAws_restJson1SessionSummaryList + */ +const de_SessionSummaryList = (output: any, context: __SerdeContext): SessionSummary[] => { + const retVal = (output || []) + .filter((e: any) => e != null) + .map((entry: any) => { + return de_SessionSummary(entry, context); + }); + return retVal; +}; + // de_SubnetIdList omitted. // de_Tag omitted. @@ -3054,8 +3220,12 @@ const _nSA = "networkSettingsArn"; const _nT = "nextToken"; const _rAS = "retryAfterSeconds"; const _ra = "retry-after"; +const _s = "status"; +const _sB = "sortBy"; +const _sI = "sessionId"; const _t = "thumbprint"; const _tK = "tagKeys"; const _tSA = "trustStoreArn"; +const _u = "username"; const _uALSA = "userAccessLoggingSettingsArn"; const _uSA = "userSettingsArn"; diff --git a/codegen/sdk-codegen/aws-models/workspaces-web.json b/codegen/sdk-codegen/aws-models/workspaces-web.json index f3658c17a5c3..9aa7eb7de499 100644 --- a/codegen/sdk-codegen/aws-models/workspaces-web.json +++ b/codegen/sdk-codegen/aws-models/workspaces-web.json @@ -15,6 +15,15 @@ "type": "service", "version": "2020-07-08", "operations": [ + { + "target": "com.amazonaws.workspacesweb#ExpireSession" + }, + { + "target": "com.amazonaws.workspacesweb#GetSession" + }, + { + "target": "com.amazonaws.workspacesweb#ListSessions" + }, { "target": "com.amazonaws.workspacesweb#ListTagsForResource" }, @@ -64,7 +73,7 @@ "name": "workspaces-web" }, "aws.protocols#restJson1": {}, - "smithy.api#documentation": "

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built specifically to facilitate\n secure, web-based workloads. WorkSpaces Secure Browser makes it easy for customers to safely provide\n their employees with access to internal websites and SaaS web applications without the\n administrative burden of appliances or specialized client software. WorkSpaces Secure Browser provides\n simple policy tools tailored for user interactions, while offloading common tasks like\n capacity management, scaling, and maintaining browser images.

    ", + "smithy.api#documentation": "

    Amazon WorkSpaces Secure Browser is a low cost, fully managed WorkSpace built\n specifically to facilitate secure, web-based workloads. WorkSpaces Secure Browser makes it\n easy for customers to safely provide their employees with access to internal websites and\n SaaS web applications without the administrative burden of appliances or specialized client\n software. WorkSpaces Secure Browser provides simple policy tools tailored for user\n interactions, while offloading common tasks like capacity management, scaling, and\n maintaining browser images.

    ", "smithy.api#title": "Amazon WorkSpaces Web", "smithy.rules#endpointRuleSet": { "version": "1.0", @@ -1303,7 +1312,7 @@ "customerManagedKey": { "target": "com.amazonaws.workspacesweb#keyArn", "traits": { - "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the browser settings.

    " + "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the browser\n settings.

    " } }, "additionalEncryptionContext": { @@ -1636,19 +1645,19 @@ "allowlist": { "target": "com.amazonaws.workspacesweb#CookieSpecifications", "traits": { - "smithy.api#documentation": "

    The list of cookie specifications that are allowed to be synchronized to the remote browser.

    ", + "smithy.api#documentation": "

    The list of cookie specifications that are allowed to be synchronized to the remote\n browser.

    ", "smithy.api#required": {} } }, "blocklist": { "target": "com.amazonaws.workspacesweb#CookieSpecifications", "traits": { - "smithy.api#documentation": "

    The list of cookie specifications that are blocked from being synchronized to the remote browser.

    " + "smithy.api#documentation": "

    The list of cookie specifications that are blocked from being synchronized to the remote\n browser.

    " } } }, "traits": { - "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    ", + "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end\n user's local browser to the remote browser.

    ", "smithy.api#sensitive": {} } }, @@ -1724,7 +1733,7 @@ "clientToken": { "target": "com.amazonaws.workspacesweb#ClientToken", "traits": { - "smithy.api#documentation": "

    A unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. Idempotency ensures that an API request completes only once. With an idempotent\n request, if the original request completes successfully, subsequent retries with the same\n client token returns the result from the original successful request.

    \n

    If you do not specify a client token, one is automatically generated by the Amazon Web Services SDK.

    ", + "smithy.api#documentation": "

    A unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. Idempotency ensures that an API request completes only once. With an idempotent\n request, if the original request completes successfully, subsequent retries with the same\n client token returns the result from the original successful request.

    \n

    If you do not specify a client token, one is automatically generated by the Amazon Web Services SDK.\n

    ", "smithy.api#idempotencyToken": {} } } @@ -1815,7 +1824,7 @@ "identityProviderDetails": { "target": "com.amazonaws.workspacesweb#IdentityProviderDetails", "traits": { - "smithy.api#documentation": "

    The identity provider details. The following list describes the provider detail keys for\n each identity provider type.

    \n
      \n
    • \n

      For Google and Login with Amazon:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For Facebook:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n api_version\n

        \n
      • \n
      \n
    • \n
    • \n

      For Sign in with Apple:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n team_id\n

        \n
      • \n
      • \n

        \n key_id\n

        \n
      • \n
      • \n

        \n private_key\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For OIDC providers:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n attributes_request_method\n

        \n
      • \n
      • \n

        \n oidc_issuer\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n authorize_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n token_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n attributes_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n jwks_uri\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      \n
    • \n
    • \n

      For SAML providers:

      \n
        \n
      • \n

        \n MetadataFile OR MetadataURL\n

        \n
      • \n
      • \n

        \n IDPSignout (boolean) \n optional\n

        \n
      • \n
      • \n

        \n IDPInit (boolean) optional\n

        \n
      • \n
      • \n

        \n RequestSigningAlgorithm (string) optional\n - Only accepts rsa-sha256\n

        \n
      • \n
      • \n

        \n EncryptedResponses (boolean) optional\n

        \n
      • \n
      \n
    • \n
    ", + "smithy.api#documentation": "

    The identity provider details. The following list describes the provider detail keys for\n each identity provider type.

    \n
      \n
    • \n

      For Google and Login with Amazon:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For Facebook:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n api_version\n

        \n
      • \n
      \n
    • \n
    • \n

      For Sign in with Apple:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n team_id\n

        \n
      • \n
      • \n

        \n key_id\n

        \n
      • \n
      • \n

        \n private_key\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For OIDC providers:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n attributes_request_method\n

        \n
      • \n
      • \n

        \n oidc_issuer\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n authorize_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n token_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n attributes_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n jwks_uri\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      \n
    • \n
    • \n

      For SAML providers:

      \n
        \n
      • \n

        \n MetadataFile OR MetadataURL\n

        \n
      • \n
      • \n

        \n IDPSignout (boolean) optional\n

        \n
      • \n
      • \n

        \n IDPInit (boolean) optional\n

        \n
      • \n
      • \n

        \n RequestSigningAlgorithm (string) optional\n - Only accepts rsa-sha256\n

        \n
      • \n
      • \n

        \n EncryptedResponses (boolean) optional\n

        \n
      • \n
      \n
    • \n
    ", "smithy.api#required": {} } }, @@ -2007,14 +2016,14 @@ "subnetIds": { "target": "com.amazonaws.workspacesweb#SubnetIdList", "traits": { - "smithy.api#documentation": "

    The subnets in which network interfaces are created to connect streaming instances to your VPC. At least two of these subnets must be in different availability zones.

    ", + "smithy.api#documentation": "

    The subnets in which network interfaces are created to connect streaming instances to\n your VPC. At least two of these subnets must be in different availability zones.

    ", "smithy.api#required": {} } }, "securityGroupIds": { "target": "com.amazonaws.workspacesweb#SecurityGroupIdList", "traits": { - "smithy.api#documentation": "

    One or more security groups used to control access from streaming instances to your VPC.

    ", + "smithy.api#documentation": "

    One or more security groups used to control access from streaming instances to your\n VPC.

    ", "smithy.api#required": {} } }, @@ -2098,7 +2107,7 @@ "displayName": { "target": "com.amazonaws.workspacesweb#DisplayName", "traits": { - "smithy.api#documentation": "

    The name of the web portal. This is not visible to users who log into the web portal.

    " + "smithy.api#documentation": "

    The name of the web portal. This is not visible to users who log into the web\n portal.

    " } }, "tags": { @@ -2130,7 +2139,7 @@ "authenticationType": { "target": "com.amazonaws.workspacesweb#AuthenticationType", "traits": { - "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including\n external identity provider integration), plus user and group access to your web portal,\n can be configured in the IAM Identity Center.

    " + "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources\n (including external identity provider integration), plus user and group access to your web\n portal, can be configured in the IAM Identity Center.

    " } }, "instanceType": { @@ -2163,7 +2172,7 @@ "portalEndpoint": { "target": "com.amazonaws.workspacesweb#PortalEndpoint", "traits": { - "smithy.api#documentation": "

    The endpoint URL of the web portal that users access in order to start streaming sessions.

    ", + "smithy.api#documentation": "

    The endpoint URL of the web portal that users access in order to start streaming\n sessions.

    ", "smithy.api#required": {} } } @@ -2282,7 +2291,7 @@ } ], "traits": { - "smithy.api#documentation": "

    Creates a user access logging settings resource that can be associated with a web portal.

    ", + "smithy.api#documentation": "

    Creates a user access logging settings resource that can be associated with a web\n portal.

    ", "smithy.api#http": { "method": "POST", "uri": "/userAccessLoggingSettings", @@ -2420,14 +2429,14 @@ "target": "com.amazonaws.workspacesweb#DisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users disconnect.

    " + "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users\n disconnect.

    " } }, "idleDisconnectTimeoutInMinutes": { "target": "com.amazonaws.workspacesweb#IdleDisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    " + "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from\n their streaming session and the disconnect timeout interval begins.

    " } }, "clientToken": { @@ -2440,13 +2449,13 @@ "cookieSynchronizationConfiguration": { "target": "com.amazonaws.workspacesweb#CookieSynchronizationConfiguration", "traits": { - "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    " + "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end\n user's local browser to the remote browser.

    " } }, "customerManagedKey": { "target": "com.amazonaws.workspacesweb#keyArn", "traits": { - "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the user settings.

    " + "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the user\n settings.

    " } }, "additionalEncryptionContext": { @@ -2458,7 +2467,7 @@ "deepLinkAllowed": { "target": "com.amazonaws.workspacesweb#EnabledType", "traits": { - "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    " + "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to\n a session.

    " } } }, @@ -3369,6 +3378,72 @@ "com.amazonaws.workspacesweb#ExceptionMessage": { "type": "string" }, + "com.amazonaws.workspacesweb#ExpireSession": { + "type": "operation", + "input": { + "target": "com.amazonaws.workspacesweb#ExpireSessionRequest" + }, + "output": { + "target": "com.amazonaws.workspacesweb#ExpireSessionResponse" + }, + "errors": [ + { + "target": "com.amazonaws.workspacesweb#AccessDeniedException" + }, + { + "target": "com.amazonaws.workspacesweb#InternalServerException" + }, + { + "target": "com.amazonaws.workspacesweb#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.workspacesweb#ThrottlingException" + }, + { + "target": "com.amazonaws.workspacesweb#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

    Expires an active secure browser session.

    ", + "smithy.api#http": { + "method": "DELETE", + "uri": "/portals/{portalId}/sessions/{sessionId}", + "code": 200 + }, + "smithy.api#idempotent": {} + } + }, + "com.amazonaws.workspacesweb#ExpireSessionRequest": { + "type": "structure", + "members": { + "portalId": { + "target": "com.amazonaws.workspacesweb#PortalId", + "traits": { + "smithy.api#documentation": "

    The ID of the web portal for the session.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "sessionId": { + "target": "com.amazonaws.workspacesweb#SessionId", + "traits": { + "smithy.api#documentation": "

    The ID of the session to expire.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.workspacesweb#ExpireSessionResponse": { + "type": "structure", + "members": {}, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.workspacesweb#FieldName": { "type": "string" }, @@ -3775,6 +3850,80 @@ "smithy.api#output": {} } }, + "com.amazonaws.workspacesweb#GetSession": { + "type": "operation", + "input": { + "target": "com.amazonaws.workspacesweb#GetSessionRequest" + }, + "output": { + "target": "com.amazonaws.workspacesweb#GetSessionResponse" + }, + "errors": [ + { + "target": "com.amazonaws.workspacesweb#AccessDeniedException" + }, + { + "target": "com.amazonaws.workspacesweb#InternalServerException" + }, + { + "target": "com.amazonaws.workspacesweb#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.workspacesweb#ThrottlingException" + }, + { + "target": "com.amazonaws.workspacesweb#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

    Gets information for a secure browser session.

    ", + "smithy.api#http": { + "method": "GET", + "uri": "/portals/{portalId}/sessions/{sessionId}", + "code": 200 + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.workspacesweb#GetSessionRequest": { + "type": "structure", + "members": { + "portalId": { + "target": "com.amazonaws.workspacesweb#PortalId", + "traits": { + "smithy.api#documentation": "

    The ID of the web portal for the session.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "sessionId": { + "target": "com.amazonaws.workspacesweb#SessionId", + "traits": { + "smithy.api#documentation": "

    The ID of the session.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.workspacesweb#GetSessionResponse": { + "type": "structure", + "members": { + "session": { + "target": "com.amazonaws.workspacesweb#Session", + "traits": { + "smithy.api#documentation": "

    The sessions in a list.

    ", + "smithy.api#nestedProperties": {} + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.workspacesweb#GetTrustStore": { "type": "operation", "input": { @@ -4083,7 +4232,7 @@ "identityProviderDetails": { "target": "com.amazonaws.workspacesweb#IdentityProviderDetails", "traits": { - "smithy.api#documentation": "

    The identity provider details. The following list describes the provider detail keys for\n each identity provider type.

    \n
      \n
    • \n

      For Google and Login with Amazon:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For Facebook:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n api_version\n

        \n
      • \n
      \n
    • \n
    • \n

      For Sign in with Apple:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n team_id\n

        \n
      • \n
      • \n

        \n key_id\n

        \n
      • \n
      • \n

        \n private_key\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For OIDC providers:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n attributes_request_method\n

        \n
      • \n
      • \n

        \n oidc_issuer\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n authorize_url\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      • \n

        \n token_url\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      • \n

        \n attributes_url\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      • \n

        \n jwks_uri\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      \n
    • \n
    • \n

      For SAML providers:

      \n
        \n
      • \n

        \n MetadataFile OR MetadataURL\n

        \n
      • \n
      • \n

        \n IDPSignout (boolean) optional\n

        \n
      • \n
      • \n

        \n IDPInit (boolean) optional\n

        \n
      • \n
      • \n

        \n RequestSigningAlgorithm (string) optional\n - Only accepts rsa-sha256\n

        \n
      • \n
      • \n

        \n EncryptedResponses (boolean) optional\n

        \n
      • \n
      \n
    • \n
    " + "smithy.api#documentation": "

    The identity provider details. The following list describes the provider detail keys for\n each identity provider type.

    \n
      \n
    • \n

      For Google and Login with Amazon:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For Facebook:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n api_version\n

        \n
      • \n
      \n
    • \n
    • \n

      For Sign in with Apple:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n team_id\n

        \n
      • \n
      • \n

        \n key_id\n

        \n
      • \n
      • \n

        \n private_key\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For OIDC providers:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n attributes_request_method\n

        \n
      • \n
      • \n

        \n oidc_issuer\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n authorize_url\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      • \n

        \n token_url\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      • \n

        \n attributes_url\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      • \n

        \n jwks_uri\n if not available from discovery URL specified by oidc_issuer\n key\n

        \n
      • \n
      \n
    • \n
    • \n

      For SAML providers:

      \n
        \n
      • \n

        \n MetadataFile OR MetadataURL\n

        \n
      • \n
      • \n

        \n IDPSignout (boolean) optional\n

        \n
      • \n
      • \n

        \n IDPInit (boolean) optional\n

        \n
      • \n
      • \n

        \n RequestSigningAlgorithm (string) optional\n - Only accepts rsa-sha256\n

        \n
      • \n
      • \n

        \n EncryptedResponses (boolean) optional\n

        \n
      • \n
      \n
    • \n
    " } } }, @@ -4294,7 +4443,7 @@ "associatedPortalArns": { "target": "com.amazonaws.workspacesweb#ArnList", "traits": { - "smithy.api#documentation": "

    A list of web portal ARNs that this IP access settings resource is associated with.

    " + "smithy.api#documentation": "

    A list of web portal ARNs that this IP access settings resource is associated\n with.

    " } }, "ipRules": { @@ -4324,7 +4473,7 @@ "customerManagedKey": { "target": "com.amazonaws.workspacesweb#keyArn", "traits": { - "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the IP access settings.

    " + "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the IP access\n settings.

    " } }, "additionalEncryptionContext": { @@ -4439,6 +4588,29 @@ "smithy.api#documentation": "

    The summary of IP access settings.

    " } }, + "com.amazonaws.workspacesweb#IpAddress": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 15 + }, + "smithy.api#pattern": "^((([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])\\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5]))$|^(([0-9a-fA-F]{1,4}:){7,7}[0-9a-fA-F]{1,4}|([0-9a-fA-F]{1,4}:){1,7}:|([0-9a-fA-F]{1,4}:){1,6}:[0-9a-fA-F]{1,4}|([0-9a-fA-F]{1,4}:){1,5}(:[0-9a-fA-F]{1,4}){1,2}|([0-9a-fA-F]{1,4}:){1,4}(:[0-9a-fA-F]{1,4}){1,3}|([0-9a-fA-F]{1,4}:){1,3}(:[0-9a-fA-F]{1,4}){1,4}|([0-9a-fA-F]{1,4}:){1,2}(:[0-9a-fA-F]{1,4}){1,5}|[0-9a-fA-F]{1,4}:((:[0-9a-fA-F]{1,4}){1,6})|:((:[0-9a-fA-F]{1,4}){1,7}|:)|fe80:(:[0-9a-fA-F]{0,4}){0,4}%[0-9a-zA-Z]{1,}|::(ffff(:0{1,4}){0,1}:){0,1}((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\.){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])|([0-9a-fA-F]{1,4}:){1,4}:((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\.){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9]))$", + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.workspacesweb#IpAddressList": { + "type": "list", + "member": { + "target": "com.amazonaws.workspacesweb#IpAddress" + }, + "traits": { + "smithy.api#length": { + "min": 1, + "max": 45 + } + } + }, "com.amazonaws.workspacesweb#IpRange": { "type": "string", "traits": { @@ -4535,7 +4707,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -4563,7 +4735,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    " } } }, @@ -4614,7 +4786,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -4644,7 +4816,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    " } }, "identityProviders": { @@ -4701,7 +4873,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -4729,7 +4901,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    " } } }, @@ -4780,7 +4952,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -4808,7 +4980,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    " } } }, @@ -4859,7 +5031,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.\n

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -4887,7 +5059,127 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.\n

    " + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.workspacesweb#ListSessions": { + "type": "operation", + "input": { + "target": "com.amazonaws.workspacesweb#ListSessionsRequest" + }, + "output": { + "target": "com.amazonaws.workspacesweb#ListSessionsResponse" + }, + "errors": [ + { + "target": "com.amazonaws.workspacesweb#AccessDeniedException" + }, + { + "target": "com.amazonaws.workspacesweb#InternalServerException" + }, + { + "target": "com.amazonaws.workspacesweb#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.workspacesweb#ThrottlingException" + }, + { + "target": "com.amazonaws.workspacesweb#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

    Lists information for multiple secure browser sessions from a specific portal.

    ", + "smithy.api#http": { + "method": "GET", + "uri": "/portals/{portalId}/sessions", + "code": 200 + }, + "smithy.api#paginated": { + "inputToken": "nextToken", + "outputToken": "nextToken", + "pageSize": "maxResults", + "items": "sessions" + }, + "smithy.api#readonly": {} + } + }, + "com.amazonaws.workspacesweb#ListSessionsRequest": { + "type": "structure", + "members": { + "portalId": { + "target": "com.amazonaws.workspacesweb#PortalId", + "traits": { + "smithy.api#documentation": "

    The ID of the web portal for the sessions.

    ", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "username": { + "target": "com.amazonaws.workspacesweb#Username", + "traits": { + "smithy.api#documentation": "

    The username of the session.

    ", + "smithy.api#httpQuery": "username" + } + }, + "sessionId": { + "target": "com.amazonaws.workspacesweb#SessionId", + "traits": { + "smithy.api#documentation": "

    The ID of the session.

    ", + "smithy.api#httpQuery": "sessionId" + } + }, + "sortBy": { + "target": "com.amazonaws.workspacesweb#SessionSortBy", + "traits": { + "smithy.api#documentation": "

    The method in which the returned sessions should be sorted.

    ", + "smithy.api#httpQuery": "sortBy" + } + }, + "status": { + "target": "com.amazonaws.workspacesweb#SessionStatus", + "traits": { + "smithy.api#documentation": "

    The status of the session.

    ", + "smithy.api#httpQuery": "status" + } + }, + "maxResults": { + "target": "com.amazonaws.workspacesweb#MaxResults", + "traits": { + "smithy.api#documentation": "

    The maximum number of results to be included in the next page.

    ", + "smithy.api#httpQuery": "maxResults" + } + }, + "nextToken": { + "target": "com.amazonaws.workspacesweb#PaginationToken", + "traits": { + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", + "smithy.api#httpQuery": "nextToken" + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.workspacesweb#ListSessionsResponse": { + "type": "structure", + "members": { + "sessions": { + "target": "com.amazonaws.workspacesweb#SessionSummaryList", + "traits": { + "smithy.api#documentation": "

    The sessions in a list.

    ", + "smithy.api#required": {} + } + }, + "nextToken": { + "target": "com.amazonaws.workspacesweb#PaginationToken", + "traits": { + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    " } } }, @@ -5015,7 +5307,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", "smithy.api#httpQuery": "nextToken", "smithy.api#notProperty": {} } @@ -5056,7 +5348,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.>

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.>

    ", "smithy.api#notProperty": {} } } @@ -5108,7 +5400,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -5136,7 +5428,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    " } } }, @@ -5187,7 +5479,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -5215,7 +5507,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this\n operation.

    " } } }, @@ -5266,7 +5558,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    ", + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.\n

    ", "smithy.api#httpQuery": "nextToken" } }, @@ -5294,7 +5586,7 @@ "nextToken": { "target": "com.amazonaws.workspacesweb#PaginationToken", "traits": { - "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.

    " + "smithy.api#documentation": "

    The pagination token used to retrieve the next page of results for this operation.\n

    " } } }, @@ -5345,13 +5637,13 @@ "subnetIds": { "target": "com.amazonaws.workspacesweb#SubnetIdList", "traits": { - "smithy.api#documentation": "

    The subnets in which network interfaces are created to connect streaming instances to your VPC. At least two of these subnets must be in different availability zones.

    " + "smithy.api#documentation": "

    The subnets in which network interfaces are created to connect streaming instances to\n your VPC. At least two of these subnets must be in different availability zones.

    " } }, "securityGroupIds": { "target": "com.amazonaws.workspacesweb#SecurityGroupIdList", "traits": { - "smithy.api#documentation": "

    One or more security groups used to control access from streaming instances to your VPC.

    " + "smithy.api#documentation": "

    One or more security groups used to control access from streaming instances to your VPC.\n

    " } } }, @@ -5529,13 +5821,13 @@ "userAccessLoggingSettingsArn": { "target": "com.amazonaws.workspacesweb#ARN", "traits": { - "smithy.api#documentation": "

    The ARN of the user access logging settings that is associated with the web portal.

    " + "smithy.api#documentation": "

    The ARN of the user access logging settings that is associated with the web\n portal.

    " } }, "authenticationType": { "target": "com.amazonaws.workspacesweb#AuthenticationType", "traits": { - "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including\n external identity provider integration), plus user and group access to your web portal,\n can be configured in the IAM Identity Center.

    " + "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources\n (including external identity provider integration), plus user and group access to your web\n portal, can be configured in the IAM Identity Center.

    " } }, "ipAccessSettingsArn": { @@ -5583,6 +5875,16 @@ "smithy.api#pattern": "^[a-zA-Z0-9]?((?!-)([A-Za-z0-9-]*[A-Za-z0-9])\\.)+[a-zA-Z0-9]+$" } }, + "com.amazonaws.workspacesweb#PortalId": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 36, + "max": 36 + }, + "smithy.api#pattern": "^[a-zA-Z0-9\\-]+$" + } + }, "com.amazonaws.workspacesweb#PortalList": { "type": "list", "member": { @@ -5830,13 +6132,13 @@ "userAccessLoggingSettingsArn": { "target": "com.amazonaws.workspacesweb#ARN", "traits": { - "smithy.api#documentation": "

    The ARN of the user access logging settings that is associated with the web portal.

    " + "smithy.api#documentation": "

    The ARN of the user access logging settings that is associated with the web\n portal.

    " } }, "authenticationType": { "target": "com.amazonaws.workspacesweb#AuthenticationType", "traits": { - "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including\n external identity provider integration), plus user and group access to your web portal,\n can be configured in the IAM Identity Center.

    " + "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources\n (including external identity provider integration), plus user and group access to your web\n portal, can be configured in the IAM Identity Center.

    " } }, "ipAccessSettingsArn": { @@ -5985,6 +6287,150 @@ "smithy.api#httpError": 402 } }, + "com.amazonaws.workspacesweb#Session": { + "type": "structure", + "members": { + "portalArn": { + "target": "com.amazonaws.workspacesweb#ARN", + "traits": { + "smithy.api#documentation": "

    The ARN of the web portal.

    " + } + }, + "sessionId": { + "target": "com.amazonaws.workspacesweb#StringType", + "traits": { + "smithy.api#documentation": "

    The ID of the session.

    " + } + }, + "username": { + "target": "com.amazonaws.workspacesweb#Username", + "traits": { + "smithy.api#documentation": "

    The username of the session.

    " + } + }, + "clientIpAddresses": { + "target": "com.amazonaws.workspacesweb#IpAddressList", + "traits": { + "smithy.api#documentation": "

    The IP address of the client.

    " + } + }, + "status": { + "target": "com.amazonaws.workspacesweb#SessionStatus", + "traits": { + "smithy.api#documentation": "

    The status of the session.

    " + } + }, + "startTime": { + "target": "com.amazonaws.workspacesweb#Timestamp", + "traits": { + "smithy.api#documentation": "

    The start time of the session.

    " + } + }, + "endTime": { + "target": "com.amazonaws.workspacesweb#Timestamp", + "traits": { + "smithy.api#documentation": "

    The end time of the session.

    " + } + } + }, + "traits": { + "smithy.api#documentation": "

    Information about a secure browser session.

    " + } + }, + "com.amazonaws.workspacesweb#SessionId": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 36, + "max": 36 + }, + "smithy.api#pattern": "^[a-zA-Z0-9\\-]+$" + } + }, + "com.amazonaws.workspacesweb#SessionSortBy": { + "type": "enum", + "members": { + "START_TIME_ASCENDING": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "StartTimeAscending" + } + }, + "START_TIME_DESCENDING": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "StartTimeDescending" + } + } + } + }, + "com.amazonaws.workspacesweb#SessionStatus": { + "type": "enum", + "members": { + "ACTIVE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Active" + } + }, + "TERMINATED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Terminated" + } + } + } + }, + "com.amazonaws.workspacesweb#SessionSummary": { + "type": "structure", + "members": { + "portalArn": { + "target": "com.amazonaws.workspacesweb#ARN", + "traits": { + "smithy.api#documentation": "

    The ARN of the web portal.

    " + } + }, + "sessionId": { + "target": "com.amazonaws.workspacesweb#StringType", + "traits": { + "smithy.api#documentation": "

    The ID of the session.

    " + } + }, + "username": { + "target": "com.amazonaws.workspacesweb#Username", + "traits": { + "smithy.api#documentation": "

    The username of the session.

    " + } + }, + "status": { + "target": "com.amazonaws.workspacesweb#SessionStatus", + "traits": { + "smithy.api#documentation": "

    The status of the session.

    " + } + }, + "startTime": { + "target": "com.amazonaws.workspacesweb#Timestamp", + "traits": { + "smithy.api#documentation": "

    The start time of the session.

    " + } + }, + "endTime": { + "target": "com.amazonaws.workspacesweb#Timestamp", + "traits": { + "smithy.api#documentation": "

    The end time of the session.

    " + } + } + }, + "traits": { + "smithy.api#documentation": "

    Summary information about a secure browser session.

    " + } + }, + "com.amazonaws.workspacesweb#SessionSummaryList": { + "type": "list", + "member": { + "target": "com.amazonaws.workspacesweb#SessionSummary" + } + }, "com.amazonaws.workspacesweb#StatusReason": { "type": "string", "traits": { @@ -6023,7 +6469,7 @@ "traits": { "smithy.api#length": { "min": 2, - "max": 3 + "max": 5 } } }, @@ -6542,7 +6988,7 @@ "identityProviderDetails": { "target": "com.amazonaws.workspacesweb#IdentityProviderDetails", "traits": { - "smithy.api#documentation": "

    The details of the identity provider. The following list describes the provider detail keys for\n each identity provider type.

    \n
      \n
    • \n

      For Google and Login with Amazon:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For Facebook:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n api_version\n

        \n
      • \n
      \n
    • \n
    • \n

      For Sign in with Apple:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n team_id\n

        \n
      • \n
      • \n

        \n key_id\n

        \n
      • \n
      • \n

        \n private_key\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For OIDC providers:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n attributes_request_method\n

        \n
      • \n
      • \n

        \n oidc_issuer\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n authorize_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n token_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n attributes_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n jwks_uri\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      \n
    • \n
    • \n

      For SAML providers:

      \n
        \n
      • \n

        \n MetadataFile OR MetadataURL\n

        \n
      • \n
      • \n

        \n IDPSignout (boolean) optional\n

        \n
      • \n
      • \n

        \n IDPInit (boolean) optional\n

        \n
      • \n
      • \n

        \n RequestSigningAlgorithm (string) optional\n - Only accepts rsa-sha256\n

        \n
      • \n
      • \n

        \n EncryptedResponses (boolean) optional\n

        \n
      • \n
      \n
    • \n
    " + "smithy.api#documentation": "

    The details of the identity provider. The following list describes the provider detail\n keys for each identity provider type.

    \n
      \n
    • \n

      For Google and Login with Amazon:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For Facebook:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n api_version\n

        \n
      • \n
      \n
    • \n
    • \n

      For Sign in with Apple:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n team_id\n

        \n
      • \n
      • \n

        \n key_id\n

        \n
      • \n
      • \n

        \n private_key\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      \n
    • \n
    • \n

      For OIDC providers:

      \n
        \n
      • \n

        \n client_id\n

        \n
      • \n
      • \n

        \n client_secret\n

        \n
      • \n
      • \n

        \n attributes_request_method\n

        \n
      • \n
      • \n

        \n oidc_issuer\n

        \n
      • \n
      • \n

        \n authorize_scopes\n

        \n
      • \n
      • \n

        \n authorize_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n token_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n attributes_url\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      • \n

        \n jwks_uri\n if not available from discovery URL specified by\n oidc_issuer key\n

        \n
      • \n
      \n
    • \n
    • \n

      For SAML providers:

      \n
        \n
      • \n

        \n MetadataFile OR MetadataURL\n

        \n
      • \n
      • \n

        \n IDPSignout (boolean) optional\n

        \n
      • \n
      • \n

        \n IDPInit (boolean) optional\n

        \n
      • \n
      • \n

        \n RequestSigningAlgorithm (string) optional\n - Only accepts rsa-sha256\n

        \n
      • \n
      • \n

        \n EncryptedResponses (boolean) optional\n

        \n
      • \n
      \n
    • \n
    " } }, "clientToken": { @@ -6718,13 +7164,13 @@ "subnetIds": { "target": "com.amazonaws.workspacesweb#SubnetIdList", "traits": { - "smithy.api#documentation": "

    The subnets in which network interfaces are created to connect streaming instances to your VPC. At least two of these subnets must be in different availability zones.

    " + "smithy.api#documentation": "

    The subnets in which network interfaces are created to connect streaming instances to\n your VPC. At least two of these subnets must be in different availability zones.

    " } }, "securityGroupIds": { "target": "com.amazonaws.workspacesweb#SecurityGroupIdList", "traits": { - "smithy.api#documentation": "

    One or more security groups used to control access from streaming instances to your VPC.

    " + "smithy.api#documentation": "

    One or more security groups used to control access from streaming instances to your\n VPC.

    " } }, "clientToken": { @@ -6810,13 +7256,13 @@ "displayName": { "target": "com.amazonaws.workspacesweb#DisplayName", "traits": { - "smithy.api#documentation": "

    The name of the web portal. This is not visible to users who log into the web portal.

    " + "smithy.api#documentation": "

    The name of the web portal. This is not visible to users who log into the web\n portal.

    " } }, "authenticationType": { "target": "com.amazonaws.workspacesweb#AuthenticationType", "traits": { - "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center (successor to Single Sign-On). Identity sources (including\n external identity provider integration), plus user and group access to your web portal,\n can be configured in the IAM Identity Center.

    " + "smithy.api#documentation": "

    The type of authentication integration points used when signing into the web portal.\n Defaults to Standard.

    \n

    \n Standard web portals are authenticated directly through your identity\n provider. You need to call CreateIdentityProvider to integrate your identity\n provider with your web portal. User and group access to your web portal is controlled\n through your identity provider.

    \n

    \n IAM Identity Center web portals are authenticated through IAM Identity Center. Identity sources\n (including external identity provider integration), plus user and group access to your web\n portal, can be configured in the IAM Identity Center.

    " } }, "instanceType": { @@ -7098,14 +7544,14 @@ "target": "com.amazonaws.workspacesweb#DisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users disconnect.

    " + "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users\n disconnect.

    " } }, "idleDisconnectTimeoutInMinutes": { "target": "com.amazonaws.workspacesweb#IdleDisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    " + "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from\n their streaming session and the disconnect timeout interval begins.

    " } }, "clientToken": { @@ -7118,13 +7564,13 @@ "cookieSynchronizationConfiguration": { "target": "com.amazonaws.workspacesweb#CookieSynchronizationConfiguration", "traits": { - "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    \n

    If the allowlist and blocklist are empty, the configuration becomes null.

    " + "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end\n user's local browser to the remote browser.

    \n

    If the allowlist and blocklist are empty, the configuration becomes null.

    " } }, "deepLinkAllowed": { "target": "com.amazonaws.workspacesweb#EnabledType", "traits": { - "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    " + "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to\n a session.

    " } } }, @@ -7162,7 +7608,7 @@ "associatedPortalArns": { "target": "com.amazonaws.workspacesweb#ArnList", "traits": { - "smithy.api#documentation": "

    A list of web portal ARNs that this user access logging settings is associated with.

    " + "smithy.api#documentation": "

    A list of web portal ARNs that this user access logging settings is associated\n with.

    " } }, "kinesisStreamArn": { @@ -7301,26 +7747,26 @@ "target": "com.amazonaws.workspacesweb#DisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users disconnect.

    " + "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users\n disconnect.

    " } }, "idleDisconnectTimeoutInMinutes": { "target": "com.amazonaws.workspacesweb#IdleDisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    " + "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from\n their streaming session and the disconnect timeout interval begins.

    " } }, "cookieSynchronizationConfiguration": { "target": "com.amazonaws.workspacesweb#CookieSynchronizationConfiguration", "traits": { - "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    " + "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end\n user's local browser to the remote browser.

    " } }, "customerManagedKey": { "target": "com.amazonaws.workspacesweb#keyArn", "traits": { - "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the user settings.

    " + "smithy.api#documentation": "

    The customer managed key used to encrypt sensitive information in the user\n settings.

    " } }, "additionalEncryptionContext": { @@ -7332,7 +7778,7 @@ "deepLinkAllowed": { "target": "com.amazonaws.workspacesweb#EnabledType", "traits": { - "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    " + "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to\n a session.

    " } } }, @@ -7467,26 +7913,26 @@ "target": "com.amazonaws.workspacesweb#DisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users disconnect.

    " + "smithy.api#documentation": "

    The amount of time that a streaming session remains active after users\n disconnect.

    " } }, "idleDisconnectTimeoutInMinutes": { "target": "com.amazonaws.workspacesweb#IdleDisconnectTimeoutInMinutes", "traits": { "smithy.api#default": null, - "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from their streaming session and the disconnect timeout interval begins.

    " + "smithy.api#documentation": "

    The amount of time that users can be idle (inactive) before they are disconnected from\n their streaming session and the disconnect timeout interval begins.

    " } }, "cookieSynchronizationConfiguration": { "target": "com.amazonaws.workspacesweb#CookieSynchronizationConfiguration", "traits": { - "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end user's local browser to the remote browser.

    " + "smithy.api#documentation": "

    The configuration that specifies which cookies should be synchronized from the end\n user's local browser to the remote browser.

    " } }, "deepLinkAllowed": { "target": "com.amazonaws.workspacesweb#EnabledType", "traits": { - "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to a session.

    " + "smithy.api#documentation": "

    Specifies whether the user can use deep links that open automatically when connecting to\n a session.

    " } } }, @@ -7494,6 +7940,17 @@ "smithy.api#documentation": "

    The summary of user settings.

    " } }, + "com.amazonaws.workspacesweb#Username": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 0, + "max": 256 + }, + "smithy.api#pattern": "^[\\s\\S]*$", + "smithy.api#sensitive": {} + } + }, "com.amazonaws.workspacesweb#ValidationException": { "type": "structure", "members": { From 80a6eae650bcce8aa653d6d4d9737243c4ce67ec Mon Sep 17 00:00:00 2001 From: awstools Date: Thu, 19 Sep 2024 18:31:39 +0000 Subject: [PATCH 52/53] Publish v3.655.0 --- CHANGELOG.md | 18 ++++++++++++++++++ clients/client-codeconnections/CHANGELOG.md | 11 +++++++++++ clients/client-codeconnections/package.json | 2 +- clients/client-glue/CHANGELOG.md | 11 +++++++++++ clients/client-glue/package.json | 2 +- clients/client-lambda/CHANGELOG.md | 11 +++++++++++ clients/client-lambda/package.json | 2 +- clients/client-mediaconvert/CHANGELOG.md | 11 +++++++++++ clients/client-mediaconvert/package.json | 2 +- clients/client-medialive/CHANGELOG.md | 11 +++++++++++ clients/client-medialive/package.json | 2 +- clients/client-quicksight/CHANGELOG.md | 11 +++++++++++ clients/client-quicksight/package.json | 2 +- clients/client-sagemaker/CHANGELOG.md | 11 +++++++++++ clients/client-sagemaker/package.json | 2 +- clients/client-workspaces-web/CHANGELOG.md | 11 +++++++++++ clients/client-workspaces-web/package.json | 2 +- lerna.json | 2 +- private/aws-middleware-test/CHANGELOG.md | 8 ++++++++ private/aws-middleware-test/package.json | 2 +- 20 files changed, 124 insertions(+), 10 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7425aba653d2..6031fadaa771 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,24 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-codeconnections:** This release adds the PullRequestComment field to CreateSyncConfiguration API input, UpdateSyncConfiguration API input, GetSyncConfiguration API output and ListSyncConfiguration API output ([0b63507](https://github.com/aws/aws-sdk-js-v3/commit/0b63507df8f717c628105a8a28425066f7070824)) +* **client-glue:** This change is for releasing TestConnection api SDK model ([ddea9dd](https://github.com/aws/aws-sdk-js-v3/commit/ddea9dd52a97a12ad2cd977d5b08d2c9e814b324)) +* **client-lambda:** Tagging support for Lambda event source mapping, and code signing configuration resources. ([97088ae](https://github.com/aws/aws-sdk-js-v3/commit/97088ae81c64333d7571b9702497d18a64b2985d)) +* **client-mediaconvert:** This release provides support for additional DRM configurations per SPEKE Version 2.0. ([f7cca48](https://github.com/aws/aws-sdk-js-v3/commit/f7cca4807cd23e5fd833740e7107b23b94007c60)) +* **client-medialive:** Adds Bandwidth Reduction Filtering for HD AVC and HEVC encodes, multiplex container settings. ([dacf7b5](https://github.com/aws/aws-sdk-js-v3/commit/dacf7b55b14d6d11af10696b8a22081263a4187e)) +* **client-quicksight:** QuickSight: 1. Add new API - ListFoldersForResource. 2. Commit mode adds visibility configuration of Apply button on multi-select controls for authors. ([31b656f](https://github.com/aws/aws-sdk-js-v3/commit/31b656fc0cbcad1daac325f67a4e8694566f2272)) +* **client-sagemaker:** Introduced support for G6e instance types on SageMaker Studio for JupyterLab and CodeEditor applications. ([380c0de](https://github.com/aws/aws-sdk-js-v3/commit/380c0de956d70d4a5d42d6cf5c5d27777bcc0fa5)) +* **client-workspaces-web:** WorkSpaces Secure Browser now enables Administrators to view and manage end-user browsing sessions via Session Management APIs. ([7913a4b](https://github.com/aws/aws-sdk-js-v3/commit/7913a4b63ff4c83f4ac127498004549e8de8fcbf)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) diff --git a/clients/client-codeconnections/CHANGELOG.md b/clients/client-codeconnections/CHANGELOG.md index 59d3291ea842..b579d9824759 100644 --- a/clients/client-codeconnections/CHANGELOG.md +++ b/clients/client-codeconnections/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-codeconnections:** This release adds the PullRequestComment field to CreateSyncConfiguration API input, UpdateSyncConfiguration API input, GetSyncConfiguration API output and ListSyncConfiguration API output ([0b63507](https://github.com/aws/aws-sdk-js-v3/commit/0b63507df8f717c628105a8a28425066f7070824)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-codeconnections diff --git a/clients/client-codeconnections/package.json b/clients/client-codeconnections/package.json index 6534157bf68d..56cc0abb2e28 100644 --- a/clients/client-codeconnections/package.json +++ b/clients/client-codeconnections/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-codeconnections", "description": "AWS SDK for JavaScript Codeconnections Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json", diff --git a/clients/client-glue/CHANGELOG.md b/clients/client-glue/CHANGELOG.md index 02687c40e3bd..5c9b15ded0bb 100644 --- a/clients/client-glue/CHANGELOG.md +++ b/clients/client-glue/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-glue:** This change is for releasing TestConnection api SDK model ([ddea9dd](https://github.com/aws/aws-sdk-js-v3/commit/ddea9dd52a97a12ad2cd977d5b08d2c9e814b324)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-glue diff --git a/clients/client-glue/package.json b/clients/client-glue/package.json index 350357043a4f..68a42cd23003 100644 --- a/clients/client-glue/package.json +++ b/clients/client-glue/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-glue", "description": "AWS SDK for JavaScript Glue Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-glue", diff --git a/clients/client-lambda/CHANGELOG.md b/clients/client-lambda/CHANGELOG.md index 248ad3e81b84..14de39503816 100644 --- a/clients/client-lambda/CHANGELOG.md +++ b/clients/client-lambda/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-lambda:** Tagging support for Lambda event source mapping, and code signing configuration resources. ([97088ae](https://github.com/aws/aws-sdk-js-v3/commit/97088ae81c64333d7571b9702497d18a64b2985d)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-lambda diff --git a/clients/client-lambda/package.json b/clients/client-lambda/package.json index 8f1478f1ee47..51dde43bb8a3 100644 --- a/clients/client-lambda/package.json +++ b/clients/client-lambda/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-lambda", "description": "AWS SDK for JavaScript Lambda Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-lambda", diff --git a/clients/client-mediaconvert/CHANGELOG.md b/clients/client-mediaconvert/CHANGELOG.md index 63e611e3bcb8..4bf3dd543268 100644 --- a/clients/client-mediaconvert/CHANGELOG.md +++ b/clients/client-mediaconvert/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-mediaconvert:** This release provides support for additional DRM configurations per SPEKE Version 2.0. ([f7cca48](https://github.com/aws/aws-sdk-js-v3/commit/f7cca4807cd23e5fd833740e7107b23b94007c60)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-mediaconvert diff --git a/clients/client-mediaconvert/package.json b/clients/client-mediaconvert/package.json index a97aa06132c6..c786f48c9ce0 100644 --- a/clients/client-mediaconvert/package.json +++ b/clients/client-mediaconvert/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-mediaconvert", "description": "AWS SDK for JavaScript Mediaconvert Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-mediaconvert", diff --git a/clients/client-medialive/CHANGELOG.md b/clients/client-medialive/CHANGELOG.md index 3eed9834f287..5b17e0a90ac6 100644 --- a/clients/client-medialive/CHANGELOG.md +++ b/clients/client-medialive/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-medialive:** Adds Bandwidth Reduction Filtering for HD AVC and HEVC encodes, multiplex container settings. ([dacf7b5](https://github.com/aws/aws-sdk-js-v3/commit/dacf7b55b14d6d11af10696b8a22081263a4187e)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-medialive diff --git a/clients/client-medialive/package.json b/clients/client-medialive/package.json index b599b8aa501a..7d6be2e255e7 100644 --- a/clients/client-medialive/package.json +++ b/clients/client-medialive/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-medialive", "description": "AWS SDK for JavaScript Medialive Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-medialive", diff --git a/clients/client-quicksight/CHANGELOG.md b/clients/client-quicksight/CHANGELOG.md index d93a2cc21b18..603f93883d94 100644 --- a/clients/client-quicksight/CHANGELOG.md +++ b/clients/client-quicksight/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-quicksight:** QuickSight: 1. Add new API - ListFoldersForResource. 2. Commit mode adds visibility configuration of Apply button on multi-select controls for authors. ([31b656f](https://github.com/aws/aws-sdk-js-v3/commit/31b656fc0cbcad1daac325f67a4e8694566f2272)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-quicksight diff --git a/clients/client-quicksight/package.json b/clients/client-quicksight/package.json index 92c85032d705..c741fb028652 100644 --- a/clients/client-quicksight/package.json +++ b/clients/client-quicksight/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-quicksight", "description": "AWS SDK for JavaScript Quicksight Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-quicksight", diff --git a/clients/client-sagemaker/CHANGELOG.md b/clients/client-sagemaker/CHANGELOG.md index 0677e5723059..8e59c672c3f3 100644 --- a/clients/client-sagemaker/CHANGELOG.md +++ b/clients/client-sagemaker/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-sagemaker:** Introduced support for G6e instance types on SageMaker Studio for JupyterLab and CodeEditor applications. ([380c0de](https://github.com/aws/aws-sdk-js-v3/commit/380c0de956d70d4a5d42d6cf5c5d27777bcc0fa5)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-sagemaker diff --git a/clients/client-sagemaker/package.json b/clients/client-sagemaker/package.json index cb5159d6c16a..c0c9221e1ce3 100644 --- a/clients/client-sagemaker/package.json +++ b/clients/client-sagemaker/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-sagemaker", "description": "AWS SDK for JavaScript Sagemaker Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-sagemaker", diff --git a/clients/client-workspaces-web/CHANGELOG.md b/clients/client-workspaces-web/CHANGELOG.md index ff910b793fc0..e5f84b40cfbb 100644 --- a/clients/client-workspaces-web/CHANGELOG.md +++ b/clients/client-workspaces-web/CHANGELOG.md @@ -3,6 +3,17 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + + +### Features + +* **client-workspaces-web:** WorkSpaces Secure Browser now enables Administrators to view and manage end-user browsing sessions via Session Management APIs. ([7913a4b](https://github.com/aws/aws-sdk-js-v3/commit/7913a4b63ff4c83f4ac127498004549e8de8fcbf)) + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/client-workspaces-web diff --git a/clients/client-workspaces-web/package.json b/clients/client-workspaces-web/package.json index 2bb4796e0c7c..2fc6d8d9b35c 100644 --- a/clients/client-workspaces-web/package.json +++ b/clients/client-workspaces-web/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-workspaces-web", "description": "AWS SDK for JavaScript Workspaces Web Client for Node.js, Browser and React Native", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "node ../../scripts/compilation/inline client-workspaces-web", diff --git a/lerna.json b/lerna.json index 0aad4c752993..332c6f109a6a 100644 --- a/lerna.json +++ b/lerna.json @@ -1,5 +1,5 @@ { - "version": "3.654.0", + "version": "3.655.0", "npmClient": "yarn", "useWorkspaces": true, "command": { diff --git a/private/aws-middleware-test/CHANGELOG.md b/private/aws-middleware-test/CHANGELOG.md index 4f20b8fc4087..963648931198 100644 --- a/private/aws-middleware-test/CHANGELOG.md +++ b/private/aws-middleware-test/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.655.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.654.0...v3.655.0) (2024-09-19) + +**Note:** Version bump only for package @aws-sdk/aws-middleware-test + + + + + # [3.654.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.653.0...v3.654.0) (2024-09-18) **Note:** Version bump only for package @aws-sdk/aws-middleware-test diff --git a/private/aws-middleware-test/package.json b/private/aws-middleware-test/package.json index af2bbc51fc90..22f6c39a9651 100644 --- a/private/aws-middleware-test/package.json +++ b/private/aws-middleware-test/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/aws-middleware-test", "description": "Integration test suite for AWS middleware", - "version": "3.654.0", + "version": "3.655.0", "scripts": { "build": "exit 0", "build:cjs": "exit 0", From afb95351b7410a650aeea491c9e5e147da794eeb Mon Sep 17 00:00:00 2001 From: Ran Vaknin Date: Fri, 20 Sep 2024 17:12:10 +0000 Subject: [PATCH 53/53] fix(sdk-codegen): corrected model parsing and awsQuery error code with shapeID swap --- .../codegen/ProcessAwsQueryWaiters.java | 161 ++++++------------ 1 file changed, 53 insertions(+), 108 deletions(-) diff --git a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java index dc3c98b25b7c..b9f88a82f72b 100644 --- a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java +++ b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/ProcessAwsQueryWaiters.java @@ -1,144 +1,89 @@ package software.amazon.smithy.aws.typescript.codegen; +import software.amazon.smithy.aws.traits.protocols.AwsQueryErrorTrait; import software.amazon.smithy.model.Model; -import software.amazon.smithy.model.node.ArrayNode; -import software.amazon.smithy.model.node.Node; import software.amazon.smithy.model.node.ObjectNode; -import software.amazon.smithy.model.node.StringNode; -import software.amazon.smithy.model.shapes.AbstractShapeBuilder; -import software.amazon.smithy.model.shapes.OperationShape; -import software.amazon.smithy.model.shapes.Shape; -import software.amazon.smithy.model.shapes.ShapeId; -import software.amazon.smithy.model.traits.DynamicTrait; -import software.amazon.smithy.model.traits.Trait; +import software.amazon.smithy.model.shapes.*; +import software.amazon.smithy.model.traits.ErrorTrait; import software.amazon.smithy.model.transform.ModelTransformer; import software.amazon.smithy.typescript.codegen.TypeScriptSettings; import software.amazon.smithy.typescript.codegen.integration.TypeScriptIntegration; import software.amazon.smithy.utils.SmithyInternalApi; +import software.amazon.smithy.model.knowledge.TopDownIndex; +import software.amazon.smithy.waiters.Acceptor; +import software.amazon.smithy.waiters.Matcher; +import software.amazon.smithy.waiters.WaitableTrait; +import software.amazon.smithy.waiters.Waiter; + +import java.util.HashMap; +import java.util.Map; +import java.util.ArrayList; +import java.util.List; -import java.util.*; @SmithyInternalApi public final class ProcessAwsQueryWaiters implements TypeScriptIntegration { @Override public Model preprocessModel(Model model, TypeScriptSettings settings) { - // create mapping of exception shape IDs and awsQuery error code - Map errorCodeToShapeId = new HashMap<>(); - for (Shape shape : model.toSet()) { - if (shape.hasTrait("smithy.api#error") && shape.hasTrait("aws.protocols#awsQueryError")) { - Optional awsQueryTraitOpt = shape.findTrait("aws.protocols#awsQueryError"); - if (awsQueryTraitOpt.isPresent()) { - Trait awsQueryTrait = awsQueryTraitOpt.get(); - ObjectNode traitValue = awsQueryTrait.toNode().expectObjectNode(); - Optional memberNodeOpt = traitValue.getMember("code"); - if (memberNodeOpt.isPresent()){ - Optional codeNodeOpt = memberNodeOpt.get().asStringNode(); - if (codeNodeOpt.isPresent()){ - String code = codeNodeOpt.get().getValue(); - errorCodeToShapeId.put(code, shape.getId()); - } - } + Map errorCodeToShapeId = new HashMap<>(); + + ServiceShape serviceShape = settings.getService(model); + TopDownIndex topDownIndex = TopDownIndex.of(model); + for (OperationShape operationShape : topDownIndex.getContainedOperations(serviceShape)) { + for (ShapeId errorShapeId : operationShape.getErrors()) { + Shape errorShape = model.expectShape(errorShapeId); + if (errorShape.hasTrait(ErrorTrait.class) && errorShape.hasTrait(AwsQueryErrorTrait.class)) { + AwsQueryErrorTrait awsQueryTrait = errorShape.expectTrait(AwsQueryErrorTrait.class); + errorCodeToShapeId.put(awsQueryTrait.getCode(), errorShape.getId().getName()); } } } - List modifiedShapes = new ArrayList<>(); - for (Shape shape : model.toSet()) { - Optional waitableTraitOpt = shape.findTrait("smithy.waiters#waitable"); - if (waitableTraitOpt.isPresent()) { - Trait waitableTrait = waitableTraitOpt.get(); - ObjectNode traitValue = waitableTrait.toNode().expectObjectNode(); - ObjectNode.Builder traitValueBuilder = traitValue.toBuilder(); - boolean modified = false; - - for (Map.Entry waiterEntry : traitValue.getMembers().entrySet()) { - StringNode waiterNameNode = waiterEntry.getKey(); - Node waiterNode = waiterEntry.getValue(); - - if (waiterNode.isObjectNode()) { - ObjectNode waiterObject = waiterNode.expectObjectNode(); - ObjectNode.Builder waiterObjectBuilder = waiterObject.toBuilder(); - boolean waiterModified = false; - - Optional acceptorsArrayOpt = waiterObject.getArrayMember("acceptors"); - if (acceptorsArrayOpt.isPresent()) { - ArrayNode acceptorsArray = acceptorsArrayOpt.get(); - ArrayNode.Builder acceptorsArrayBuilder = ArrayNode.builder(); - boolean acceptorsModified = false; - - for (Node acceptorNode : acceptorsArray.getElements()) { - if (acceptorNode.isObjectNode()) { - ObjectNode acceptorObject = acceptorNode.expectObjectNode(); - Optional matcherObjectOpt = acceptorObject.getObjectMember("matcher"); - if (matcherObjectOpt.isPresent()) { - ObjectNode matcherObject = matcherObjectOpt.get(); - Optional errorTypeNodeOpt = matcherObject.getStringMember("errorType"); - if (errorTypeNodeOpt.isPresent()) { - String errorType = errorTypeNodeOpt.get().getValue(); - ShapeId errorShapeId = errorCodeToShapeId.get(errorType); - if (errorShapeId != null) { - // Replace the errorType value with the shape ID - ObjectNode modifiedMatcherObject = matcherObject.withMember("errorType", Node.from(errorShapeId.toString())); - ObjectNode modifiedAcceptorObject = acceptorObject.withMember("matcher", modifiedMatcherObject); - acceptorsArrayBuilder.withValue(modifiedAcceptorObject); - acceptorsModified = true; - continue; - } - } - } - // If not modified, add the original acceptor - acceptorsArrayBuilder.withValue(acceptorObject); - } else { - acceptorsArrayBuilder.withValue(acceptorNode); - } - } - if (acceptorsModified) { - waiterObjectBuilder.withMember("acceptors", acceptorsArrayBuilder.build()); - waiterModified = true; + for (OperationShape operationShape : topDownIndex.getContainedOperations(serviceShape)) { + OperationShape.Builder operationBuilder = operationShape.toBuilder(); + if (operationShape.hasTrait(WaitableTrait.class)) { + operationBuilder.removeTrait(WaitableTrait.ID); + WaitableTrait waiterTrait = operationShape.expectTrait(WaitableTrait.class); + WaitableTrait.Builder waitableTraitBuilder = (WaitableTrait.Builder) waiterTrait.toBuilder(); + for (Map.Entry entry : waiterTrait.getWaiters().entrySet()){ + String name = entry.getKey(); + Waiter waiter = entry.getValue(); + Waiter.Builder waiterBuilder = (Waiter.Builder) waiter.toBuilder(); + waiterBuilder.clearAcceptors(); + for (Acceptor acceptor : waiter.getAcceptors()){ + ObjectNode acceptorNode = acceptor.toNode().expectObjectNode(); + Matcher matcher = acceptor.getMatcher(); + if (matcher instanceof Matcher.ErrorTypeMember){ + ObjectNode matcherNode = matcher.toNode().expectObjectNode(); + + String errorCode = matcherNode.expectStringMember("errorType").getValue(); + if (errorCodeToShapeId.containsKey(errorCode)){ + matcherNode = matcherNode.toBuilder() + .withMember("errorType", errorCodeToShapeId.get(errorCode)) + .build(); + + acceptorNode = acceptorNode.toBuilder() + .withMember("matcher", matcherNode) + .build(); } } - if (waiterModified) { - traitValueBuilder.withMember(waiterNameNode, waiterObjectBuilder.build()); - modified = true; - } + waiterBuilder.addAcceptor(Acceptor.fromNode(acceptorNode)); } + waitableTraitBuilder.put(name,waiterBuilder.build()); } - - if (modified) { - Trait modifiedWaitableTrait = new DynamicTrait(waitableTrait.toShapeId(), traitValueBuilder.build()); - AbstractShapeBuilder shapeBuilder = Shape.shapeToBuilder(shape); - - shapeBuilder.removeTrait(waitableTrait.toShapeId()); - shapeBuilder.addTrait(modifiedWaitableTrait); - Shape modifiedShape = shapeBuilder.build(); - - modifiedShapes.add(modifiedShape); - } + operationBuilder.addTrait(waitableTraitBuilder.build()); } + modifiedShapes.add(operationBuilder.build()); } - // replace the modified shapes in the model if (!modifiedShapes.isEmpty()) { ModelTransformer transformer = ModelTransformer.create(); model = transformer.replaceShapes(model, modifiedShapes); } - // print the transformation - for (Shape updatedShape : model.toSet()) { - Optional waitableTraitOpt = updatedShape.findTrait("smithy.waiters#waitable"); - if (waitableTraitOpt.isPresent()) { - Trait waitableTrait = waitableTraitOpt.get(); - ObjectNode traitValue = waitableTrait.toNode().expectObjectNode(); - - System.out.println("Waitable trait for shape: " + updatedShape.getId()); - String json = Node.prettyPrintJson(traitValue); - System.out.println(json); - } - } - return model; } } \ No newline at end of file